blob_id
stringlengths 40
40
| directory_id
stringlengths 40
40
| path
stringlengths 3
281
| content_id
stringlengths 40
40
| detected_licenses
listlengths 0
57
| license_type
stringclasses 2
values | repo_name
stringlengths 6
116
| snapshot_id
stringlengths 40
40
| revision_id
stringlengths 40
40
| branch_name
stringclasses 313
values | visit_date
timestamp[us] | revision_date
timestamp[us] | committer_date
timestamp[us] | github_id
int64 18.2k
668M
⌀ | star_events_count
int64 0
102k
| fork_events_count
int64 0
38.2k
| gha_license_id
stringclasses 17
values | gha_event_created_at
timestamp[us] | gha_created_at
timestamp[us] | gha_language
stringclasses 107
values | src_encoding
stringclasses 20
values | language
stringclasses 1
value | is_vendor
bool 2
classes | is_generated
bool 2
classes | length_bytes
int64 4
6.02M
| extension
stringclasses 78
values | content
stringlengths 2
6.02M
| authors
listlengths 1
1
| author
stringlengths 0
175
|
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
25ef6c97fd596d1d2354d836019a500f2ecc8459
|
a1508558da875f6ea3c55840b44df74dfd8e5f54
|
/trade_free/portfolio/simple_portfolio.py
|
94769841a1f4946dcd4018c81dafdf1cb40da449
|
[
"Apache-2.0"
] |
permissive
|
NewLanded/TradeFree
|
49cea6a17b5f3b4661d1c98a81e031123f02b3e6
|
f65122f5ed01cc1272fd2f03121ff3805a1967cb
|
refs/heads/master
| 2020-07-19T21:13:01.976587
| 2020-01-09T14:02:29
| 2020-01-09T14:02:29
| 206,515,265
| 2
| 2
|
Apache-2.0
| 2020-01-09T14:02:31
| 2019-09-05T08:36:58
|
Python
|
UTF-8
|
Python
| false
| false
| 6,922
|
py
|
import datetime
import math
import numpy as np
from utils.constant_util import BUY, SELL
from .abs_portfolio import AbsPortfolio
from ..event import OrderEvent
class SimplePortfolio(AbsPortfolio):
"""
测试Portfolio, 向brokerage对象发送固定的交易数量, 不考虑风控或头寸
"""
def __init__(self, start_date, event_queue, bars, initial_capital):
"""
Parameters:
bars - The DataHandler object with current market data. # DataHandler对象, 当前市场数据
events - The Event Queue object. # 事件队列
start_date - The start date (bar) of the portfolio.
initial_capital - The starting capital in USD. # 初始现金
"""
self.bars = bars
self.event_queue = event_queue
self.symbol_list = self.bars.symbol_list
self.start_date_previous_day = start_date - datetime.timedelta(days=1)
self.initial_capital = initial_capital
self.all_positions = self._construct_all_positions()
self.current_positions = dict((k, v) for k, v in [(s, 0) for s in self.symbol_list])
self.all_holdings = self._construct_all_holdings()
self.current_holdings = self._construct_current_holdings()
self.bs_data = []
def _construct_all_positions(self):
"""
使用start_date构造all_positions,以确定时间索引何时开始
"""
all_positions = dict((k, v) for k, v in [(s, 0) for s in self.symbol_list])
all_positions['datetime'] = self.start_date_previous_day
return [all_positions]
def _construct_all_holdings(self):
"""
使用start_date构造all_holdings,以确定时间索引何时开始
"""
all_holdings = dict((k, v) for k, v in [(s, 0.0) for s in self.symbol_list])
all_holdings['datetime'] = self.start_date_previous_day
all_holdings['cash'] = self.initial_capital # 现金
all_holdings['commission'] = 0.0 # 累计佣金
all_holdings['total'] = self.initial_capital # 包括现金和任何未平仓头寸在内的总账户资产, 空头头寸被视为负值
return [all_holdings]
def _construct_current_holdings(self):
"""
和construct_all_holdings类似, 但是只作用于当前时刻
"""
current_holdings = dict((k, v) for k, v in [(s, 0.0) for s in self.symbol_list])
current_holdings['cash'] = self.initial_capital
current_holdings['commission'] = 0.0
current_holdings['total'] = self.initial_capital
return current_holdings
def update_signal(self, event):
"""
接收SignalEvent, 生成订单Event
"""
# if event.type == 'SIGNAL':
order_event = self.generate_naive_order(event)
self.event_queue.put(order_event)
def generate_naive_order(self, signal):
"""
简单的生成OrderEvent, 不考虑风控等
Parameters:
signal - The SignalEvent signal information.
"""
order = None
symbol = signal.symbol
event_id = signal.event_id
direction = signal.direction
order_type = signal.order_type
mkt_quantity = signal.quantity
mkt_price = signal.price
single_date = signal.single_date
if mkt_quantity:
order = OrderEvent(event_id, symbol, order_type, mkt_quantity, mkt_price, direction, single_date)
return order
def update_fill(self, event):
"""
使用FillEvent更新持仓
"""
# if event.type == 'FILL':
self.update_positions_from_fill(event)
self.update_holdings_from_fill(event)
self.update_bs_data_from_fill(event)
def update_positions_from_fill(self, fill):
"""
使用FilltEvent对象并更新 position
Parameters:
fill - The FillEvent object to update the positions with.
"""
# Check whether the fill is a buy or sell
fill_dir = 0
if fill.direction == BUY:
fill_dir = 1
if fill.direction == SELL:
fill_dir = -1
# Update positions list with new quantities
self.current_positions[fill.symbol] += fill_dir * fill.quantity
def update_bs_data_from_fill(self, fill):
"""记录buy sell 数据"""
close_point = self.bars.get_latest_bars(fill.symbol)[0][5]
bs_data = {"bs_date": fill.fill_date, "direction": fill.direction, "quantity": fill.quantity, "price": close_point, "symbol": fill.symbol}
self.bs_data.append(bs_data)
def update_holdings_from_fill(self, fill):
"""
使用FilltEvent对象并更新 holding
Parameters:
fill - The FillEvent object to update the holdings with.
"""
# Check whether the fill is a buy or sell
fill_dir = 0
if fill.direction == BUY:
fill_dir = 1
if fill.direction == SELL:
fill_dir = -1
# Update holdings list with new quantities
fill_cost = self.bars.get_latest_bars(fill.symbol)[0][5] # Close price
cost = fill_dir * fill_cost * fill.quantity
self.current_holdings[fill.symbol] += cost
self.current_holdings['commission'] += fill.commission
self.current_holdings['cash'] -= (cost + fill.commission)
self.current_holdings['total'] -= (cost + fill.commission)
def update_timeindex(self):
"""
添加新纪录到positions, 使用队列中的 MarketEvent
"""
bars = {}
for symbol in self.symbol_list:
bars[symbol] = self.bars.get_latest_bars(symbol, N=1)
# Update positions
data_position = dict((k, v) for k, v in [(s, 0) for s in self.symbol_list])
data_position['datetime'] = bars[self.symbol_list[0]][0][1]
for symbol in self.symbol_list:
data_position[symbol] = self.current_positions[symbol]
# Append the current positions
self.all_positions.append(data_position)
# Update holdings
data_holding = dict((k, v) for k, v in [(s, 0) for s in self.symbol_list])
data_holding['datetime'] = bars[self.symbol_list[0]][0][1]
data_holding['cash'] = self.current_holdings['cash']
data_holding['commission'] = self.current_holdings['commission']
data_holding['total'] = self.current_holdings['cash']
for symbol in self.symbol_list:
# Approximation to the real value
market_value = self.current_positions[symbol] * bars[symbol][0][5] # 数量 * 收盘价 进行估值
data_holding[symbol] = market_value
data_holding[symbol + "_close"] = bars[symbol][0][5]
data_holding['total'] = data_holding['total'] + market_value if math.isnan(market_value) is False else data_holding['total']
self.all_holdings.append(data_holding)
|
[
"l1141041@163.com"
] |
l1141041@163.com
|
6b80cea06c20cf4f4964ca2ca80f3fbf8dc20096
|
8d84f3fbffb62fe7a217b740ffa6dd17804dfab4
|
/Lumberyard/1.7.0.0/dev/TestHyperealVR/AWS/project-code/AccessResourceHandler.py
|
661787255a03e5eb26a132e10f4a85e0a8d65d21
|
[] |
no_license
|
inkcomic/AmazonHypereal
|
1fff1bcd5d75fc238a2c0f72fdc22c6419f1e883
|
e895c082a86490e80e8b7cb3efd66f737351200d
|
refs/heads/master
| 2021-01-21T05:13:57.951700
| 2017-03-15T16:45:26
| 2017-03-15T16:49:57
| 83,153,128
| 1
| 0
| null | 2017-03-15T16:49:59
| 2017-02-25T18:31:12
|
Python
|
UTF-8
|
Python
| false
| false
| 9,188
|
py
|
#
# All or portions of this file Copyright (c) Amazon.com, Inc. or its affiliates or
# its licensors.
#
# For complete copyright and license terms please see the LICENSE at the root of this
# distribution (the "License"). All use of this software is governed by the License,
# or, if provided, by the license below or the license accompanying this file. Do not
# remove or modify any license notices. This file is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
#
# $Revision: #6 $
import properties
import custom_resource_response
import boto3
import json
import time
import discovery_utils
import stack_info
from botocore.exceptions import ClientError
from errors import ValidationError
iam = boto3.client('iam')
def handler(event, context):
props = properties.load(event, {
'ConfigurationBucket': properties.String(), # Currently not used
'ConfigurationKey': properties.String(), # Depend on unique upload id in key to force Cloud Formation to call handler
'RoleLogicalId': properties.String(),
'MetadataKey': properties.String(),
'PhysicalResourceId': properties.String(),
'UsePropagationDelay': properties.String(),
'RequireRoleExists': properties.String(default='true'),
'ResourceGroupStack': properties.String(default=''),
'DeploymentStack': properties.String(default='')})
if props.ResourceGroupStack is '' and props.DeploymentStack is '':
raise ValidationError('A value for the ResourceGroupStack property or the DeploymentStack property must be provided.')
if props.ResourceGroupStack is not '' and props.DeploymentStack is not '':
raise ValidationError('A value for only the ResourceGroupStack property or the DeploymentStack property can be provided.')
use_propagation_delay = props.UsePropagationDelay.lower() == 'true'
data = {}
stack_infos = []
if props.ResourceGroupStack is not '':
resource_group_info = stack_info.ResourceGroupInfo(props.ResourceGroupStack)
# create a list of stack-infos, starting at the resource group level and working our way upward
stack_infos = _build_stack_infos_list(resource_group_info)
else: # DeploymentStack
deployment_info = stack_info.DeploymentInfo(props.DeploymentStack)
# create a list of stack-infos, starting at the deployment level and working our way upward
stack_infos = _build_stack_infos_list(deployment_info)
# go through each of the stack infos, trying to find the specified role
for stack in stack_infos:
role = stack.resources.get_by_logical_id(props.RoleLogicalId, expected_type='AWS::IAM::Role', optional=True)
if role is not None:
break
role_physical_id = None
if role is not None:
role_physical_id = role.physical_id
if role_physical_id is None:
if props.RequireRoleExists.lower() == 'true':
raise ValidationError('Could not find role \'{}\'.'.format(props.RoleLogicalId))
else:
if type(stack_infos[0]) is stack_info.ResourceGroupInfo:
_process_resource_group_stack(event['RequestType'], stack_infos[0], role_physical_id, props.MetadataKey, use_propagation_delay)
else:
for resource_group_info in stack_infos[0].resource_groups:
_process_resource_group_stack(event['RequestType'], resource_group_info, role_physical_id, props.MetadataKey, use_propagation_delay)
custom_resource_response.succeed(event, context, data, props.PhysicalResourceId)
def _build_stack_infos_list(first_stack_info):
stack_infos = []
deployment_info = None
if type(first_stack_info) is stack_info.ResourceGroupInfo:
stack_infos.append(first_stack_info)
deployment_info = first_stack_info.deployment
elif type(first_stack_info) is stack_info.DeploymentInfo:
deployment_info = first_stack_info
else:
raise RuntimeError('Argument first_stack_info for function _build_stack_infos_list must either be of type ResourceGroupInfo or DeploymentInfo')
stack_infos.append(deployment_info)
deployment_access_stack = deployment_info.deployment_access
if deployment_access_stack is not None:
stack_infos.append(deployment_access_stack)
stack_infos.append(deployment_info.project)
return stack_infos
def _process_resource_group_stack(request_type, resource_group_info, role_name, metadata_key, use_propagation_delay):
policy_name = resource_group_info.stack_name
if request_type == 'Delete':
_delete_role_policy(role_name, policy_name)
else: # Update and Delete
policy_document = _construct_policy_document(resource_group_info, metadata_key)
if policy_document is None:
_delete_role_policy(role_name, policy_name)
else:
_put_role_policy(role_name, policy_name, policy_document, use_propagation_delay)
def _construct_policy_document(resource_group_info, metadata_key):
policy_document = {
'Version': '2012-10-17',
'Statement': []
}
for resource in resource_group_info.resources:
logical_resource_id = resource.logical_id
if logical_resource_id is not None:
statement = _make_resource_statement(resource_group_info, logical_resource_id, metadata_key)
if statement is not None:
policy_document['Statement'].append(statement)
if len(policy_document['Statement']) == 0:
return None
print 'constructed policy: {}'.format(policy_document)
return json.dumps(policy_document, indent=4)
def _make_resource_statement(resource_group_info, logical_resource_name, metadata_key):
try:
response = resource_group_info.client.describe_stack_resource(StackName=resource_group_info.stack_arn, LogicalResourceId=logical_resource_name)
print 'describe_stack_resource(LogicalResourceId="{}", StackName="{}") response: {}'.format(logical_resource_name, resource_group_info.stack_arn, response)
except Exception as e:
print 'describe_stack_resource(LogicalResourceId="{}", StackName="{}") error: {}'.format(logical_resource_name, resource_group_info.stack_arn, getattr(e, 'response', e))
raise e
resource = response['StackResourceDetail']
metadata = discovery_utils.get_cloud_canvas_metadata(resource, metadata_key)
if metadata is None:
return None
metadata_actions = metadata.get('Action', None)
if metadata_actions is None:
raise ValidationError('No Action was specified for CloudCanvas Access metdata on the {} resource in stack {}.'.format(
logical_resource_name,
resource_group_info.stack_arn))
if not isinstance(metadata_actions, list):
metadata_actions = [ metadata_actions ]
for action in metadata_actions:
if not isinstance(action, basestring):
raise ValidationError('Non-string Action specified for CloudCanvas Access metadata on the {} resource in stack {}.'.format(
logical_resource_name,
resource_group_info.stack_arn))
if 'PhysicalResourceId' not in resource:
return None
if 'ResourceType' not in resource:
return None
resource = discovery_utils.get_resource_arn(resource_group_info.stack_arn, resource['ResourceType'], resource['PhysicalResourceId'])
resource_suffix = metadata.get('ResourceSuffix', None)
if resource_suffix is not None:
resource += resource_suffix
return {
'Sid': logical_resource_name + 'Access',
'Effect': 'Allow',
'Action': metadata_actions,
'Resource': resource
}
def _put_role_policy(role_name, policy_name, policy_document, use_propagation_delay):
try:
response = iam.put_role_policy(RoleName=role_name, PolicyName=policy_name, PolicyDocument=policy_document)
print 'put_role_policy(RoleName="{}", PolicyName="{}", PolicyDocument="{}") response: {}'.format(role_name, policy_name, policy_document, response)
if use_propagation_delay == True:
# Allow time for the role to propagate before lambda tries to assume
# it, which lambda tries to do when the function is created.
time.sleep(60)
except Exception as e:
print 'put_role_policy(RoleName="{}", PolicyName="{}", PolicyDocument="{}") error: {}'.format(role_name, policy_name, policy_document, getattr(e, 'response', e))
raise e
def _delete_role_policy(role_name, policy_name):
try:
response = iam.delete_role_policy(RoleName=role_name, PolicyName=policy_name)
print 'delete_role_policy(RoleName="{}", PolicyName="{}") response: {}'.format(role_name, policy_name, response)
except Exception as e:
print 'delete_role_policy(RoleName="{}", PolicyName="{}") error: {}'.format(role_name, policy_name, getattr(e, 'response', e))
if isinstance(e, ClientError) and e.response["Error"]["Code"] not in ["NoSuchEntity", "AccessDenied"]:
raise e
|
[
"inkcomic@gmail.com"
] |
inkcomic@gmail.com
|
4c8c64419f2556c9b6506cdcc70dfe16b1f6be48
|
8306010202049a24f18b34600ed1cc8c3dd663f5
|
/priority.py
|
644dab1385d3b4df75e776b138e3f8dc74516efa
|
[] |
no_license
|
sskhokhar/schedulingAlgos
|
5e1e02d3344d83cdf9be3a17dcfbf478c2a280b4
|
6f9162c823f02e113f0e4cf19afd0f3a99170566
|
refs/heads/master
| 2021-01-12T01:57:02.212760
| 2017-01-09T16:51:43
| 2017-01-09T16:51:43
| 78,448,694
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 2,178
|
py
|
__author__ = 'Ahmad Zia'
processes = int(input('Enter no. of process : '))
dict = {}
process_id = []
for index in range(processes):
arrival_t_input = int(input('Enter arrival time : '))
burst_t_input = int(input('Enter burst time : '))
priority_input = int(input('Enter priority : '))
process_id.append(index)
dict[int(index)] = [arrival_t_input, burst_t_input,priority_input]
print"Processes Arrival Time Burst Time Priority "
for index in range(len(dict)):
print index + 1, " | ", dict[int(index)][0], " | ", dict[int(index)][1], " | ", dict[int(index)][2]
start_t = {}
dict2 = dict.copy()
time = 0
calWait = 0
cal_burst = 0
dict_index = 0
dict_arrival = 0
dict_burst = 0
dict_priority =0
p_index = 0
while 1:
if len(dict) == 0:
break
for index in range(len(process_id)):
dict_index = process_id[index]
dict_arrival = dict[process_id[index]][0]
dict_burst = dict[process_id[index]][1]
dict_priority = dict[process_id[index]][2]
p_index = index
break
for index in range(len(process_id)):
if dict[dict_index][0] >= dict[process_id[index]][0] and dict[dict_index][2] > dict[process_id[index]][2]:
dict_index = process_id[index]
p_index = int(index)
dict_arrival = dict[process_id[index]][0]
dict_burst = dict[process_id[index]][1]
dict_priority = dict[process_id[index]][2]
del dict[dict_index]
del process_id[p_index]
check_arrival = 0
cal_burst = 0
while dict_burst != cal_burst:
if dict_arrival <= time:
cal_burst += 1
if check_arrival == 0:
start_t[int(dict_index)] = time
check_arrival = 1
time += 1
print "\nStart Time arrival Time waiting Time "
for index in range(len(dict2)):
ProcessWait = start_t[index] - dict2[int(index)][0]
calWait += ProcessWait
print start_t[int(index)], " ", (dict2[int(index)][0]), " ", ProcessWait
print "\nThe average waiting time :", calWait / processes
|
[
"Shahrukh Shahid"
] |
Shahrukh Shahid
|
98469b1c4435c726b7cbbe1885efc92ada369108
|
d130368eeb7799de5c376ab47d1b3815a4953cda
|
/python/file_convert.py
|
8c452bffbb2a85c191c7bdb0a7fff41b23174b31
|
[] |
no_license
|
Dowayching/code_chip
|
17c4675e8bbb1815c9d1ac1fff5bcbc62f03bd42
|
2e57467215c8b7de2a4e721bdf6d516f16dcac9e
|
refs/heads/master
| 2023-01-04T14:41:51.904183
| 2020-10-30T20:25:00
| 2020-10-30T20:25:00
| 265,870,266
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 155
|
py
|
# Not-tested yet
import docx2pdf
def doc2pdf(src, dst):
docx2pdf.convert(src, dst)
if __name__ == '__main__':
doc2pdf("src.docx", "dst.pdf")
|
[
"dowayching@yahoo.com.tw"
] |
dowayching@yahoo.com.tw
|
a34cb4bf32387b2fde522fd6fb58b6da0ee6489b
|
13e853a4636fb7bf82c60b4f8a8929652acd75fb
|
/jd-ph-cms/accounts/migrations/0003_auto_20160204_0522.py
|
f5af3013c2c0301cb839a3753b9602696b77244b
|
[
"BSD-3-Clause"
] |
permissive
|
acercado/jd-ph-cms
|
2fe048ebca8233d7f9a7bd41c0b454cb5b838c1f
|
64365c5d8303789c216a5b26ad40f3bd3c533b1f
|
refs/heads/master
| 2021-01-10T14:46:43.716492
| 2016-02-05T09:13:07
| 2016-02-05T09:13:07
| 49,854,132
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 606
|
py
|
# -*- coding: utf-8 -*-
# Generated by Django 1.9.1 on 2016-02-04 05:22
from __future__ import unicode_literals
from django.conf import settings
from django.db import migrations, models
import django.db.models.deletion
class Migration(migrations.Migration):
dependencies = [
('accounts', '0002_auto_20160129_1316'),
]
operations = [
migrations.AlterField(
model_name='accountaddon',
name='author',
field=models.ForeignKey(blank=True, null=True, on_delete=django.db.models.deletion.CASCADE, to=settings.AUTH_USER_MODEL),
),
]
|
[
"acercado@risingtide.ph"
] |
acercado@risingtide.ph
|
bf9661321cba90d50cecf011bc6d1155231adbcd
|
21b2abae7a9e972da29a69e572d9fed65e9ec81b
|
/uebinRDHM_InputSetup_3.py
|
785f371c5500deb764a5420182304ce823971e39
|
[] |
no_license
|
gantian127/ueb_input_processing
|
5de9fe6ccefe9a91a89a977d9e107c35a6080335
|
43ba5375c7bb6b95f406734cc0b339b238937710
|
refs/heads/master
| 2021-04-30T06:19:29.166148
| 2018-06-14T22:27:48
| 2018-06-14T22:27:48
| 121,440,421
| 1
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 6,641
|
py
|
import os
import netcdfFunctions, climateFunctions_2
from datetime import datetime
import rdhmFunctions
import callSubprocess
"""*********** Convert UEB NC files to XMRG with HRAP projection *****************"""
workingDir = "/Projects/Tian_workspace/rdhm_ueb_modeling/McPhee_DOLC2/"
watershedN = 'Mcphee_DOLC2'
startDateTime = "1988/10/01 0"
endDateTime = "2010/10/01"
startYear = 1988 # datetime.strptime(startDateTime,"%Y/%m/%d %H").year
endYear = 2010 # datetime.strptime(endDateTime,"%Y/%m/%d %H").year
time_varName='time'
#proj4_string: see the paper: Reed, S.M., and D.R. Maidment, "Coordinate Transformations for Using NEXRAD Data in GIS-based Hydrologic Modeling," Journal of Hydrologic Engineering, 4, 2, 174-182, April 1999
## http://www.nws.noaa.gov/ohd/hrl/distmodel/hrap.htm#background
proj4_string = 'PROJCS["Sphere_ARC_INFO_Stereographic_North_Pole",GEOGCS["GCS_Sphere_ARC_INFO",DATUM["Sphere_ARC_INFO",SPHEROID["Sphere_ARC_INFO",6370997,0]],PRIMEM["Greenwich",0],\
UNIT["degree",0.0174532925199433]],PROJECTION["Polar_Stereographic"],PARAMETER["latitude_of_origin",60.00681388888889],PARAMETER["central_meridian",-105],\
PARAMETER["scale_factor",1],PARAMETER["false_easting",0],PARAMETER["false_northing",0],UNIT["metre",1,AUTHORITY["EPSG","9001"]]]'
##proj4_string = '+proj=stere +lat_0=90.0 +lat_ts=60.0 +lon_0=-105.0 +k=1 +x_0=0.0 +y_0=0.0 +a=6371200 +b=6371200 +units=m +no_defs'
####site variables
targetDirSiteV = workingDir+'SiteV/'
siteVarFiles = ['{}{}'.format(watershedN, var) for var in ['CC30m.nc', 'Hcan30m.nc', 'LAI30m.nc', 'Aspect30m.tif', 'Slope30m.tif']]
ueb_site_vars = ['ueb_cc', 'ueb_hcan', 'ueb_lai', 'ueb_aspect', 'ueb_slope']
#os.chdir(workingDir)
os.chdir(targetDirSiteV)
for indx in range(3):
# convert nc to tif and project
cmdString = "gdalwarp -t_srs \"" + proj4_string + "\" NETCDF:\"" + siteVarFiles[indx] + "\":Band1 " + ueb_site_vars[indx]+".tif"
callSubprocess.callSubprocess(cmdString, 'project to Stereographic')
cmdString = "gdal_translate -of AAIGrid " + ueb_site_vars[indx]+".tif " +ueb_site_vars[indx] + ".asc"
callSubprocess.callSubprocess(cmdString, "nc to ascii")
for indx in range(3, 5):
# project raster
cmdString = "gdalwarp -t_srs \"" + proj4_string + "\" " + siteVarFiles[indx] + " " + ueb_site_vars[indx] + ".tif"
callSubprocess.callSubprocess(cmdString, 'project to Stereographic')
cmdString = "gdal_translate -of AAIGrid " + ueb_site_vars[indx] + ".tif " + ueb_site_vars[indx] + ".asc"
callSubprocess.callSubprocess(cmdString, "tif to ascii")
#to xmrg
#os.chdir(targetDirSiteV)
cmdString = " for i in *.asc; do asctoxmrg -i $i -p ster -f par; done"
callSubprocess.callSubprocess(cmdString, "ascii to xmrg")
### forcing
#cbrfc forc
inpVar = ["Prec", "Tair"]
forcingTargetDir = workingDir+"Forcing/"
os.chdir(forcingTargetDir)
for indx in range(2):
cmdString = "for i in "+inpVar[indx]+"*.nc; do gdalwarp -ot Float32 -s_srs EPSG:4326 -t_srs \"" + proj4_string + "\"" + " $i ueb${i:0:4}${i:12:2}${i:14:2}${i:8:4}${i:16:2}z.tif; done"
callSubprocess.callSubprocess(cmdString, "project forcing")
# ascii
cmdString = "for i in *.tif; do gdal_translate -of AAIGrid $i ${i//.tif}.asc; done"
callSubprocess.callSubprocess(cmdString, "tif to ascii")
#to xmrg
cmdString = "for i in *.asc; do asctoxmrg -i $i -f par -p ster; done"
callSubprocess.callSubprocess(cmdString, "ascii to xmrg")
#del intrm files
cmdString = " rm -f *tif"
callSubprocess.callSubprocess(cmdString, "delete intermediate files")
cmdString = " rm -f *asc"
callSubprocess.callSubprocess(cmdString, "delete intermediate files")
cmdString = " rm -f *.xml *.prj"
callSubprocess.callSubprocess(cmdString, "delete intermediate files")
##delete nc file to save space
cmdString = " rm -f *.nc"
#callSubprocess.callSinpVar = ["Prec", "Tair", "Tamin", "Tamax"]
#max/min Ta
inpVar = ["Tamin", "Tamax"]
for indx in range(2):
cmdString = "for i in "+inpVar[indx]+"*.nc; do gdalwarp -ot Float32 -s_srs EPSG:4326 -t_srs \"" + proj4_string + "\"" + " $i ueb${i:0:5}${i:13:2}${i:15:2}${i:9:4}${i:17:2}z.tif; done"
callSubprocess.callSubprocess(cmdString, "project forcing")
# ascii
cmdString = "for i in *.tif; do gdal_translate -of AAIGrid $i ${i//.tif}.asc; done"
callSubprocess.callSubprocess(cmdString, "tif to ascii")
#to xmrg
cmdString = "for i in *.asc; do asctoxmrg -i $i -f par -p ster; done"
callSubprocess.callSubprocess(cmdString, "ascii to xmrg")
#del intrm files
cmdString = " rm -f *tif"
callSubprocess.callSubprocess(cmdString, "delete intermediate files")
cmdString = " rm -f *asc"
callSubprocess.callSubprocess(cmdString, "delete intermediate files")
cmdString = " rm -f *.xml *.prj"
callSubprocess.callSubprocess(cmdString, "delete intermediate files")
##delete nc file to save space
cmdString = " rm -f *.nc"
#callSubprocess.callSubprocess(cmdString, "delete orig files")
#NLDAS VP and WindS
forcingTargetDir = workingDir+"Forcing2/"
os.chdir(forcingTargetDir)
startMonthDayHour = "10/01 0"
endMonthDayHour = "10/01 0"
#NLDAS VP and WindS
for cYear in range(startYear,endYear):
print cYear
nldasinputForc = [watershedN+str(cYear + 1)+'VP.nc',watershedN+str(cYear + 1)+'windS10m.nc']
outVars = ["uebVp", "uebWindS"]
nldasvarForc = ['VP', 'windS10']
startDateTime = str(cYear) + "/" + startMonthDayHour
for indx in range(2):
print nldasinputForc[indx]
print nldasvarForc[indx]
print startDateTime
rdhmFunctions.create_multiple_Ascii_fromNetCDF(nldasinputForc[indx], outVars[indx], nldasvarForc[indx], 1,
startDateTime=startDateTime, time_varName=time_varName,proj4_string=proj4_string)
print 'done with create multiple netcdf'
cmdString = "for i in *.asc; do asctoxmrg -i $i -f par -p ster; done"
callSubprocess.callSubprocess(cmdString, "ascii to xmrg")
# delete the ascii files
# cmdString = " rm -f *.asc *asc.aux.xml *.prj"
# callSubprocess.callSubprocess(cmdString, "delete ascii")
# delete the ascii files
cmdString = "find . -name '*.asc' -delete" # " rm -f *.asc "
callSubprocess.callSubprocess(cmdString, "delete ascii")
cmdString = "find . -name '*.asc.aux.xml' -delete" # " rm -f *asc.aux.xml"
callSubprocess.callSubprocess(cmdString, "delete ascii")
cmdString = "find . -name '*.prj' -delete" #" rm -f *.prj"
callSubprocess.callSubprocess(cmdString, "delete ascii")
print("done")
|
[
"jamy127@foxmail.com"
] |
jamy127@foxmail.com
|
8429023f1b3c30a87447a7c557bf8a050b626b9e
|
f1cb02057956e12c352a8df4ad935d56cb2426d5
|
/LeetCode/245. Shortest Word Distance III/Solution.py
|
fe576e1094fd4f1abf5f1fd442f98d9271e0048c
|
[] |
no_license
|
nhatsmrt/AlgorithmPractice
|
191a6d816d98342d723e2ab740e9a7ac7beac4ac
|
f27ba208b97ed2d92b4c059848cc60f6b90ce75e
|
refs/heads/master
| 2023-06-10T18:28:45.876046
| 2023-05-26T07:46:42
| 2023-05-26T07:47:10
| 147,932,664
| 15
| 2
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 768
|
py
|
class Solution:
def shortestWordDistance(self, words: List[str], word1: str, word2: str) -> int:
index = {}
for i, word in enumerate(words):
if word not in index:
index[word] = []
index[word].append(i)
ret = 10000000000
if word1 == word2:
for i in range(len(index[word1]) - 1):
ret = min(ret, index[word1][i + 1] - index[word1][i])
return ret
occ1 = index[word1]
occ2 = index[word2]
i = 0
j = 0
while i < len(occ1) and j < len(occ2):
ret = min(ret, abs(occ1[i] - occ2[j]))
if occ1[i] < occ2[j]:
i += 1
else:
j += 1
return ret
|
[
"nphamcs@gmail.com"
] |
nphamcs@gmail.com
|
621363e01caa5e24df6fd13cebcc5145e96fbf19
|
9f38bedf3a3365fdd8b78395930979a41330afc8
|
/branches/tycho/epic/tags/urls.py
|
071977120510f1a397fa09b46c9d6d3e92b0be87
|
[] |
no_license
|
project-renard-survey/nwb
|
6a6ca10abb1e65163374d251be088e033bf3c6e0
|
612f215ac032e14669b3e8f75bc13ac0d4eda9dc
|
refs/heads/master
| 2020-04-01T16:11:01.156528
| 2015-08-03T18:30:34
| 2015-08-03T18:30:34
| null | 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 694
|
py
|
from django.conf.urls.defaults import *
urlpatterns = patterns('epic.tags.views',
(r'^$', 'index'),
(r'^delete_tag/$', 'delete_tag'),
(r'^add_tags_and_return_successful_tag_names/$', 'add_tags_and_return_successful_tag_names'),
url(
r'^(?P<tag_name>.+)/datarequests/$',
'view_datarequests_for_tag',
name='view-data-requests-for-tag'),
url(r'^(?P<tag_name>.+)/datasets/$', 'view_datasets_for_tag', name='view-datasets-for-tag'),
url(r'^(?P<tag_name>.+)/projects/$', 'view_projects_for_tag', name='view-projects-for-tag'),
# This has to be last!
url(r'^(?P<tag_name>.+)/$', 'view_items_for_tag', name='view-items-for-tag'),
)
|
[
"thgsmith@indiana.edu"
] |
thgsmith@indiana.edu
|
1305ad973484125440495e9543d9f64b68c0a730
|
5987355a71aa619d46a5f6085bd3f59e05ec7db5
|
/Lesson 3/L3_task6.py
|
1c183318b6463ea7b1131e99ed6b3471b1d93ad7
|
[] |
no_license
|
mikhail-rozov/GB_Python-main-course-1
|
0668d3f8064dfe0d6ba5cb601656aede8d14e177
|
412332fb959f32ba1675bb6e899a236971638f4c
|
refs/heads/master
| 2023-05-04T20:41:31.594211
| 2021-05-20T09:05:10
| 2021-05-20T09:05:10
| null | 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 1,204
|
py
|
# Реализовать функцию int_func(), принимающую слово из маленьких латинских букв и возвращающую его же,
# но с прописной первой буквой. Например, print(int_func(‘text’)) -> Text.
def err_msg():
return 'Нужно было ввести одно слово из маленьких латинских букв!'
def is_valid(my_list):
for i in range(0, len(my_list)):
if 97 <= ord(my_list[i]) <= 122: # Проверка на маленькие латинские буквы и отсутствие пробела
continue
else:
return False
return True
def int_func(my_str):
my_str = list(my_str)
if is_valid(my_str):
my_str[0] = chr(ord(my_str[0]) - 32) # Переводим маленький символ в большой
my_str = ''.join(my_str) # Собираем строку из списка
return my_str
else:
return err_msg()
word = input('Введите слово из маленьких латинских букв: ')
word = int_func(word)
print(word)
|
[
"shkin29@rambler.ru"
] |
shkin29@rambler.ru
|
66ab22283e1686db42c2603b8b721e1309b4a6a0
|
27a5ff20e6e9816daa9caae1a724b7ccf6776fdd
|
/batchspawner/__init__.py
|
976081ee5faf68e0fa08a974117aabc908b5552b
|
[
"BSD-3-Clause"
] |
permissive
|
jupyterhub/batchspawner
|
e09e875d9757eb4cd83db7b98a190351418be39f
|
2a9eda060a875a2b65ca9521368fe052a09c3266
|
refs/heads/main
| 2023-09-02T00:22:05.353349
| 2023-06-19T06:43:35
| 2023-06-19T06:43:35
| 45,015,693
| 147
| 131
|
BSD-3-Clause
| 2023-08-01T08:33:28
| 2015-10-27T03:53:10
|
Python
|
UTF-8
|
Python
| false
| false
| 46
|
py
|
from .batchspawner import *
from . import api
|
[
"erik.i.sundell@gmail.com"
] |
erik.i.sundell@gmail.com
|
8d9d0e317790133f034bcece449e9d1801f40422
|
f124cb2443577778d8708993c984eafbd1ae3ec3
|
/saleor/plugins/openid_connect/dataclasses.py
|
df281787eae5485c4eed4cc9fa9dc62b63f84957
|
[
"BSD-3-Clause"
] |
permissive
|
quangtynu/saleor
|
ac467193a7779fed93c80251828ac85d92d71d83
|
5b0e5206c5fd30d81438b6489d0441df51038a85
|
refs/heads/master
| 2023-03-07T19:41:20.361624
| 2022-10-20T13:19:25
| 2022-10-20T13:19:25
| 245,860,106
| 1
| 0
|
BSD-3-Clause
| 2023-03-06T05:46:25
| 2020-03-08T17:44:18
|
Python
|
UTF-8
|
Python
| false
| false
| 316
|
py
|
from dataclasses import dataclass
@dataclass
class OpenIDConnectConfig:
client_id: str
client_secret: str
enable_refresh_token: bool
json_web_key_set_url: str
authorization_url: str
logout_url: str
token_url: str
user_info_url: str
audience: str
use_scope_permissions: bool
|
[
"noreply@github.com"
] |
noreply@github.com
|
e23fdacbcb9a8777fd5779b693102edf79fde073
|
1cb3b625fc952b2f8e7ffa136eca3c9f89e48bef
|
/python programs/scratch_6.py
|
83f266c0bf5417b25282b1c43f65ebebb31c1c2b
|
[] |
no_license
|
jjrocks78/shift
|
202c9aead0951bbb7ac2cc2c184d9b85d53fdcc0
|
f76421567dd25657f08c5c77cbae7d5aac19358d
|
refs/heads/master
| 2020-07-25T10:05:57.740457
| 2019-09-13T11:13:40
| 2019-09-13T11:13:40
| 208,247,803
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 770
|
py
|
import cv2
import numpy as np
from matplotlib import pyplot as plt
img = cv2.imread('/home/cocoslabs/Downloads/Example for extracting text from image.jpg',0)
ret,thresh1 = cv2.threshold(img,100,255,cv2.THRESH_BINARY)
ret,thresh2 = cv2.threshold(img,100,255,cv2.THRESH_BINARY_INV)
ret,thresh3 = cv2.threshold(img,100,255,cv2.THRESH_TRUNC)
ret,thresh4 = cv2.threshold(img,100,255,cv2.THRESH_TOZERO)
ret,thresh5 = cv2.threshold(img,100,255,cv2.THRESH_TOZERO_INV)
titles = ['Original Image','BINARY','BINARY_INV','TRUNC','TOZERO','TOZERO_INV']
images = [img, thresh1, thresh2, thresh3, thresh4, thresh5]
for i in range(0,6,1):
plt.subplot(2,3,i+1)
plt.imshow(images[i],'gray')
plt.title(titles[i])
plt.xticks([]),plt.yticks([])
plt.show()
cv2.waitKey(0)
|
[
"harrishjoshua1078@gmail.com"
] |
harrishjoshua1078@gmail.com
|
aebcd6ee135c8bcd6b4e8d1fe84e60f1e0c123b7
|
b5a42cb31c6bbcba60e29462227842e739296359
|
/release_version/auto_modify_product_version.py
|
f6fac82a7e5d7ceab4d40204a78a89c7ec1bbe6a
|
[] |
no_license
|
syh12sys/python
|
549a466c3c08f1924eb16f1b0f056dcbe3913e9c
|
2e38017e1bc5f6e628e6fe2f5a17a9a1424254a3
|
refs/heads/master
| 2023-05-24T00:52:41.264847
| 2021-05-26T14:47:05
| 2021-05-26T14:47:05
| 112,301,791
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 1,441
|
py
|
#! /usr/bin/env python
# coding:utf-8
import urllib
import urllib.request
import http.cookiejar
#####################################################
# 登录人人
loginurl = 'http://172.16.0.17:8080/2345explorer/login'
class Login(object):
def __init__(self):
self.name = ''
self.passwprd = ''
self.cj = http.cookiejar.LWPCookieJar()
self.opener = urllib.request.build_opener(urllib.request.HTTPCookieProcessor(self.cj))
urllib.request.install_opener(self.opener)
def setLoginInfo(self, username, password):
'''''设置用户登录信息'''
self.name = username
self.pwd = password
def login(self):
'''''登录网站'''
loginparams = {'user': self.name, 'password': self.pwd, '__FORM_TOKEN':'414bb9165c56b8d4a914cabf', 'referer':'http://172.16.0.17:8080/2345explorer'}
data = urllib.parse.urlencode(loginparams).encode('utf-8')
print(data)
req = urllib.request.Request(loginurl)
response = urllib.request.urlopen(req, data)
print(response.getcode())
# self.operate = self.opener.open(req)
page = response.read()
print(page)
def is_login(self):
url = 'http://172.16.0.17:8080/2345explorer/admin'
if __name__ == '__main__':
userlogin = Login()
username = 'sunys'
password = 'sunys'
userlogin.setLoginInfo(username, password)
userlogin.login()
|
[
"syh12sys@126.com"
] |
syh12sys@126.com
|
f5c2598a311a20bb0bc5d196fce0031e4e299713
|
44a76b217c9b07f4a5df507fc405bfefefa939f6
|
/Product_details/views.py
|
65dee59b171e8e27198562df0879150d61f81e68
|
[] |
no_license
|
sameesayeed007/ecommercesite
|
140f35a7616d79502d3aa7d3d192f859dd23f1ff
|
1f832f357dc50e3e34d944d3750e07bdfd26e6ef
|
refs/heads/master
| 2023-02-10T02:02:19.736070
| 2021-01-06T11:16:13
| 2021-01-06T11:16:13
| 327,283,955
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 320,265
|
py
|
from django.shortcuts import render
from django.http import HttpResponse
from django.http.response import JsonResponse
from rest_framework.parsers import JSONParser
from rest_framework import status
import datetime
from difflib import SequenceMatcher
import json
from Intense.models import (
Product, Order, Terminal,TerminalUsers,SpecificationPrice,subtraction_track,OrderDetails,CompanyInfo, ProductPrice, Userz,User,product_delivery_area,DeliveryLocation,DeliveryArea,
BillingAddress, ProductPoint, ProductSpecification,ProductImage,SpecificationImage,
user_relation, Cupons, Comment, CommentReply, Reviews,
discount_product, Warehouse, Shop, WarehouseInfo, ShopInfo, WarehouseInfo,
inventory_report, ProductBrand, ProductCode,DeliveryInfo,Invoice,Inventory_Price,inventory_report)
from Product_details.serializers import (DeliveryInfoSerializer,MotherSpecificationSerializer,MotherDeliveryInfoCreationSerializer,MaxMinSerializer,MaxMinSerializer1,MotherCodeCreationSerializer,MotherSpecificationCreationSerializer,MotherProductImageCreationSerializer, ChildProductCreationSerializer,MaxMinSerializer,ProductDeliveryAreaSerializer, TerminalSerializer,ProductPriceSerializer, ProductPointSerializer, ProductSpecificationSerializer,
ProductSpecificationSerializerz,SSerializer,WSerializer,ProductDetailSerializer, ProductDetailSerializer1, ProductDetailSerializer2, CupponSerializer, ProductDiscountSerializer,
WarehouseSerializer,ChildSpecificationPriceSerializer,SellerSpecificationSerializer,OwnSpecificationSerializer, ShopSerializer,InventoryReportSerializer, WarehouseInfoSerializer, ShopInfoSerializer, NewWarehouseInfoSerializer, AddBrandSerializer, ProductSpecificationSerializer1)
from Product.serializers import ProductCodeSerializer
from User_details.serializers import UserSerializerz
from Cart.serializers import OrderDetailsSerializer, OrderSerializer,InvoiceSerializer
from rest_framework.decorators import api_view
from django.views.decorators.csrf import csrf_exempt
from Intense.Integral_apis import (
create_product_code,category1_data_upload
)
from datetime import datetime
from django.contrib.auth.hashers import make_password
from datetime import timedelta
from django.utils import timezone
import requests
from django.urls import reverse, reverse_lazy
from django.http import HttpResponseRedirect
from django.conf import settings
from colour import Color
from rest_framework.response import Response
from django.contrib.sites.models import Site
from datetime import date
from Intense.Integral_apis import create_user_balance,create_user_profile
import requests
from django.core.files import File
from django.core.files.temp import NamedTemporaryFile
from PIL import Image
import requests
from io import BytesIO
# import urllib2
from PIL import Image, ImageFile
site_path = "http://127.0.0.1:7000/"
own_site_path = "http://127.0.0.1:8000/"
#site_path = "https://eshoppingmall.com.bd/"
#site_path = "http://188.166.240.77:8080/"
current = date.today()
@api_view(['POST', ])
def get_colors(request, product_id):
variant = request.data.get('variant')
try:
product = Product.objects.get(id=product_id)
except:
product = None
if product:
print("product ase")
try:
product_spec = ProductSpecification.objects.filter(
product_id=product_id, weight_unit=variant,specification_status="Published")
except:
product_spec = None
if product_spec:
print("speciifcation ase")
product_colors = list(product_spec.values_list(
'color', flat=True).distinct())
else:
product_colors = []
else:
product_colors = []
return JsonResponse({'success': True, 'colors': product_colors})
@api_view(['POST', ])
def get_sizes(request, product_id):
variant = request.data.get('variant')
color = request.data.get('color')
try:
product = Product.objects.get(id=product_id)
except:
product = None
if product:
print("product ase")
try:
product_spec = ProductSpecification.objects.filter(
product_id=product_id, weight_unit=variant, color=color,specification_status="Published")
except:
product_spec = None
if product_spec:
print("speciifcation ase")
product_colors = list(product_spec.values_list(
'size', flat=True).distinct())
else:
product_colors = []
else:
product_colors = []
return JsonResponse({'success': True, 'sizes': product_colors})
# @api_view(['POST', ])
# def get_spec_info(request, product_id):
# variant = request.data.get('variant')
# color = request.data.get('color')
# size = request.data.get('size')
# print(variant)
# print(color)
# print(size)
# try:
# product = Product.objects.get(id=product_id)
# except:
# product = None
# if product:
# print("product ase")
# try:
# product_spec = ProductSpecification.objects.filter(
# product_id=product_id, weight_unit=variant, color=color, size=size,specification_status="Published").first()
# except:
# product_spec = None
# print(product_spec)
# if product_spec:
# print("speciifcation ase")
# spec_serializer = ProductSpecificationSerializer1(
# product_spec, many=False)
# prod_data = spec_serializer.data
# else:
# prod_data = {}
# else:
# prod_data = {}
# return JsonResponse({'success': True, 'specification': prod_data})
@api_view(['POST', ])
def get_spec_info(request, product_id):
variant = request.data.get('variant')
color = request.data.get('color')
size = request.data.get('size')
print(variant)
print(color)
print(size)
try:
product = Product.objects.get(id=product_id)
except:
product = None
if product:
print("product ase")
try:
product_spec = ProductSpecification.objects.filter(
product_id=product_id, weight_unit=variant, color=color, size=size,specification_status="Published").first()
except:
product_spec = None
print(product_spec)
if product_spec:
specification_id = product_spec.id
print("speciifcation ase")
print(product_spec.is_own)
if product_spec.is_own == True:
print("amar nijer product")
spec_serializer = ProductSpecificationSerializer1(
product_spec, many=False)
prod_data = spec_serializer.data
else:
spec_serializer = ProductSpecificationSerializer1(
product_spec, many=False)
prod_data = spec_serializer.data
print("fbdwsufbdufbdufbgdu")
print(prod_data)
url = own_site_path + "productdetails/not_own_quantity_check/" +str(specification_id)+ "/"
own_response = requests.get(url = url)
own_response = own_response.json()
print(own_response)
if own_response["success"] == True:
#update the quantity
prod_data["quantity"] = own_response["quantity"]
url2 = own_site_path + "productdetails/check_price/" +str(specification_id)+ "/"
own_response2 = requests.get(url = url2)
own_response2 = own_response2.json()
print(own_response2)
if own_response2["success"] == False:
product_spec.on_hold = True
product_spec.save()
prod_data["on_hold"] = True
else:
prod_data = {}
else:
prod_data = {}
return JsonResponse({'success': True, 'specification': prod_data})
@api_view(['POST', ])
def color_size(request, product_id):
try:
product = Product.objects.get(id=product_id)
except:
product = None
if product:
product_spec = ProductSpecification.objects.filter(
product_id=product_id) & ProductSpecification.objects.filter(quantity__gte=1)
product_colors = list(product_spec.values_list(
'color', flat=True).distinct())
return JsonResponse({'success': True, 'message': 'The colors are shown', 'colors': product_colors})
else:
product_colors = []
return JsonResponse({'success': False, 'message': 'The colors are not shown', 'colors': product_colors})
@api_view(['POST', ])
def available_sizes(request, product_id):
color = request.data.get("color")
try:
product = Product.objects.get(id=product_id)
except:
product = None
if product:
product_spec = ProductSpecification.objects.filter(product_id=product_id) & ProductSpecification.objects.filter(
color=color) & ProductSpecification.objects.filter(quantity__gte=1)
product_sizes = list(product_spec.values_list(
'size', flat=True).distinct())
product_quantities = list(
product_spec.values_list('quantity', flat=True))
dic = {}
for i in range(len(product_sizes)):
item = {product_sizes[i]: product_quantities[i]}
dic.update(item)
return JsonResponse({'success': True, 'message': 'The colors are shown', 'sizes': product_sizes, 'quantities': dic})
else:
product_sizes = []
return JsonResponse({'success': False, 'message': 'The colors are not shown', 'sizes': product_sizes})
@api_view(['POST', ])
def add_points(request):
if request.method == 'POST':
pointserializer = ProductPointSerializer(data=request.data)
if pointserializer.is_valid():
pointserializer.save()
return JsonResponse(pointserializer.data, status=status.HTTP_201_CREATED)
return JsonResponse(pointserializer.errors)
# This updates the product points
@api_view(['POST', ])
def update_points(request, product_id):
try:
product = ProductPoint.objects.filter(product_id=product_id).last()
if request.method == 'POST':
pointserializer = ProductPointSerializer(
product, data=request.data)
if pointserializer.is_valid():
pointserializer.save()
return JsonResponse(pointserializer.data, status=status.HTTP_201_CREATED)
return JsonResponse(pointserializer.errors)
except ProductPoint.DoesNotExist:
return JsonResponse({'message': 'This product does not exist'}, status=status.HTTP_404_NOT_FOUND)
# This updates the product points
@api_view(['POST', ])
def delete_points(request, product_id):
try:
product = ProductPoint.objects.filter(product_id=product_id)
if request.method == 'POST':
product.delete()
return JsonResponse({'message': 'The product points have been deleted'})
except ProductPoint.DoesNotExist:
return JsonResponse({'message': 'This product does not exist'}, status=status.HTTP_404_NOT_FOUND)
# This adds the current product price
@api_view(['POST', ])
def add_price(request):
if request.method == 'POST':
pointserializer = ProductPriceSerializer(data=request.data)
if pointserializer.is_valid():
pointserializer.save()
return JsonResponse(pointserializer.data, status=status.HTTP_201_CREATED)
return JsonResponse(pointserializer.errors)
# This updates the current product price
@api_view(['POST', ])
def update_price(request, product_id):
try:
product = ProductPrice.objects.filter(product_id=product_id).last()
if request.method == 'POST':
pointserializer = ProductPriceSerializer(
product, data=request.data)
if pointserializer.is_valid():
pointserializer.save()
return JsonResponse(pointserializer.data, status=status.HTTP_201_CREATED)
return JsonResponse(pointserializer.errors)
except ProductPrice.DoesNotExist:
return JsonResponse({'message': 'This product does not exist'}, status=status.HTTP_404_NOT_FOUND)
# This updates the product points
@api_view(['POST', ])
def delete_price(request, product_id):
try:
product = ProductPrice.objects.filter(product_id=product_id)
if request.method == 'POST':
product.delete()
return JsonResponse({'message': 'The product prices have been deleted'})
except ProductPoint.DoesNotExist:
return JsonResponse({'message': 'This product does not exist'}, status=status.HTTP_404_NOT_FOUND)
# This adds product points
@api_view(['POST', ])
def add_specification(request):
if request.method == 'POST':
pointserializer = ProductSpecificationSerializer(data=request.data)
if pointserializer.is_valid():
pointserializer.save()
return JsonResponse({'success': True, 'message': 'Data is shown below', 'data': pointserializer.data}, status=status.HTTP_201_CREATED)
else:
return JsonResponse({'success': False, 'message': 'Data could not be inserted', 'data': {}})
# This updates the latest product specification
@api_view(['POST', ])
def update_specification(request, product_id):
try:
product = ProductSpecification.objects.filter(
product_id=product_id).last()
if request.method == 'POST':
pointserializer = ProductSpecificationSerializer(
product, data=request.data)
if pointserializer.is_valid():
pointserializer.save()
return JsonResponse(pointserializer.data, status=status.HTTP_201_CREATED)
return Response(pointserializer.errors)
except ProductPoint.DoesNotExist:
return JsonResponse({'message': 'This product does not exist'}, status=status.HTTP_404_NOT_FOUND)
# This deletes the product specification
@api_view(['POST', ])
def delete_specification(request, product_id):
try:
product = ProductSpecification.objects.filter(product_id=product_id)
if request.method == 'POST':
product.delete()
return JsonResponse({'message': 'The product specification have been deleted'})
except ProductPoint.DoesNotExist:
return JsonResponse({'message': 'This product does not exist'}, status=status.HTTP_404_NOT_FOUND)
@api_view(['GET', ])
def show_specification(request, product_id):
try:
title = Product.objects.get(id=product_id)
except:
title = None
if title:
product_title = title.title
else:
product_title = ''
try:
product = ProductSpecification.objects.filter(product_id=product_id,admin_status="Confirmed")
except:
product = None
if product:
productserializer = ProductSpecificationSerializer1(product, many=True)
data = productserializer.data
else:
data = {}
return JsonResponse({
'success': True,
'message': 'Data is shown below',
'product_title': product_title,
'data': data
})
@api_view(['GET', ])
def show_seller_specification(request, product_id):
try:
title = Product.objects.get(id=product_id)
except:
title = None
if title:
product_title = title.title
else:
product_title = ''
try:
product = ProductSpecification.objects.filter(product_id=product_id)
except:
product = None
if product:
productserializer = ProductSpecificationSerializer1(product, many=True)
data = productserializer.data
else:
data = {}
return JsonResponse({
'success': True,
'message': 'Data is shown below',
'product_title': product_title,
'data': data
})
# @api_view(['POST',])
# def add_spec(request,product_id):
# specification_data_value ={
# 'product_id': product_id,
# 'color': request.data.get("color"),
# 'size': request.data.get("size"),
# 'weight': request.data.get("weight"),
# 'warranty':request.data.get("warranty"),
# 'warranty_unit':request.data.get("warranty_unit"),
# 'unit':request.data.get("product_unit"),
# }
# product_price ={
# 'product_id': product_id,
# 'price' : request.data.get("price"),
# 'purchase_price': request.data.get("purchase_price"),
# #'currency_id': request.data.get('currency_id')
# }
# product_discount ={
# 'product_id': product_id,
# 'amount': request.data.get("discount_amount"),
# 'discount_type': request.data.get("discount_type"),
# #'start_date' : '2020-09-05',
# #'end_date' : data['discount_end_date']
# 'start_date': request.data.get("discount_start_date"),
# 'end_date': request.data.get("discount_end_date")
# }
# product_point ={
# 'product_id': product_id,
# 'point': request.data.get("point_amount"),
# # 'end_date': data['point_end_date']
# 'start_date': request.data.get("point_start_date"),
# 'end_date': request.data.get("point_end_date")
# }
# delivery_info = {
# 'height': request.data.get("delivery_height"),
# 'width': request.data.get("delivery_width"),
# 'length': request.data.get("delivery_length"),
# 'weight': request.data.get("delivery_weight"),
# 'measument_unit': request.data.get("delivery_product_unit"),
# 'charge_inside': request.data.get("delivery_inside_city_charge"),
# 'charge_outside': request.data.get("delivery_outside_city_charge"),
# }
# print("delivery Info", delivery_info)
# if request.method == 'POST':
# flag = 0
# spec={}
# price={}
# discount= {}
# point={}
# delivery={}
# try:
# product_spec= ProductSpecificationSerializer(data=specification_data_value)
# if product_spec.is_valid():
# product_spec.save()
# spec.update(product_spec.data)
# else:
# flag= flag+1
# product_price.update({'specification_id':spec['id']})
# product_price=ProductPriceSerializer (data = product_price)
# if product_price.is_valid():
# product_price.save()
# price.update(product_price.data)
# else:
# flag= flag+1
# if product_discount['discount_type'] is None:
# discount={}
# else:
# product_discount.update({'specification_id':spec['id']})
# product_dis = ProductDiscountSerializer (data = product_discount)
# if product_dis.is_valid():
# product_dis.save()
# discount.update(product_dis.data)
# else:
# flag= flag+1
# product_point.update({'specification_id':spec['id']})
# product_point_value= ProductPointSerializer (data=product_point)
# if product_point_value.is_valid():
# product_point_value.save()
# point.update(product_point_value.data)
# else:
# flag= flag+1
# delivery_info.update({'specification_id':spec['id']})
# delivery_value= DeliveryInfoSerializer (data=delivery_info)
# if delivery_value.is_valid():
# delivery_value.save()
# delivery.update(delivery_value.data)
# else:
# flag= flag+1
# if flag>0:
# return JsonResponse ({
# "success": False,
# "message": "Something went wrong !!",
# })
# else:
# return JsonResponse ({
# "success": True,
# "message": "Specification data has been inserted Successfully",
# "specification": spec,
# "price":price,
# "discount": discount,
# "point": point,
# "delivery": delivery
# })
# except:
# return JsonResponse ({
# "success": False,
# "message": "Something went wrong !!"
# })
# @api_view(['POST', 'GET'])
# def edit_spec(request, specification_id):
# current_date = date.today()
# print("current_date")
# print(current_date)
# current_date = str(current_date)
# print(request.data)
# print(specification_id)
# try:
# product_spec = ProductSpecification.objects.get(id=specification_id)
# except:
# product_spec = None
# if product_spec:
# product_id = product_spec.product_id
# else:
# product_id = 0
# print(product_id)
# if request.method == 'POST':
# vat = request.data.get("vat")
# if vat == "":
# vat = 0.00
# specification_data_value = {
# 'product_id': product_id,
# 'color': request.data.get("color"),
# 'size': request.data.get("size"),
# 'weight': request.data.get("weight"),
# 'warranty': request.data.get("warranty"),
# 'warranty_unit': request.data.get("warranty_unit"),
# 'unit': request.data.get("product_unit"),
# 'vat': vat,
# }
# # price = request.data.get("price")
# # if price == "":
# # price = 0.00
# # purchase_price = request.data.get("purchase_price")
# # if purchase_price == "":
# # purchase_price = 0.00
# # product_price = {
# # 'product_id': product_id,
# # 'price': price,
# # 'specification_id': specification_id,
# # 'purchase_price': purchase_price
# # # 'currency_id': request.data.get('currency_id')
# # }
# discount_type = request.data.get("discount_type")
# if discount_type == "none":
# print("dhbfdufbrewyfbrewyfgryfregfbyrefbreyfbryfb")
# product_discount = {
# 'product_id': product_id,
# 'specification_id': specification_id,
# 'amount': 0.00,
# 'discount_type': discount_type,
# # 'start_date' : '2020-09-05',
# # 'end_date' : data['discount_end_date']
# 'start_date': current_date,
# 'end_date': current_date
# }
# print(product_discount)
# else:
# discount_amount = request.data.get("discount_amount")
# if discount_amount == "":
# discount_amount = 0.00
# discount_end_date = request.data.get("discount_end_date")
# if discount_end_date == "":
# discount_end_date = current_date
# print(discount_end_date)
# discount_start_date = request.data.get("discount_start_date")
# if discount_start_date == "":
# discount_start_date = current_date
# print(discount_start_date)
# product_discount = {
# 'product_id': product_id,
# 'amount': discount_amount,
# 'discount_type': discount_type,
# # 'start_date' : '2020-09-05',
# # 'end_date' : data['discount_end_date']
# 'start_date': discount_start_date,
# 'specification_id': specification_id,
# 'end_date': discount_end_date
# }
# print("discounttt")
# print(product_discount)
# point_amount = request.data.get("point_amount")
# if point_amount == "":
# point_amount = 0.00
# point_end_date = request.data.get("point_end_date")
# if point_end_date == "":
# point_end_date = current_date
# point_start_date = request.data.get("point_start_date")
# if point_start_date == "":
# point_start_date = current_date
# product_point = {
# 'product_id': product_id,
# 'point': point_amount,
# # 'end_date': data['point_end_date']
# 'start_date': point_start_date,
# 'specification_id': specification_id,
# 'end_date': point_end_date
# }
# delivery_height = request.data.get("delivery_height")
# if delivery_height == "":
# delivery_height = 0.0
# delivery_width = request.data.get("delivery_width")
# if delivery_width == "":
# delivery_width = 0.0
# delivery_length = request.data.get("delivery_length")
# if delivery_length == "":
# delivery_length = 0.0
# delivery_weight = request.data.get("delivery_weight")
# if delivery_weight == "":
# delivery_weight = 0.0
# delivery_inside = request.data.get("delivery_inside_city_charge")
# if delivery_inside == "":
# delivery_inside = 0
# delivery_outside = request.data.get("delivery_outside_city_charge")
# if delivery_outside == "":
# delivery_outside = 0
# delivery_info = {
# 'height': delivery_height,
# 'width': delivery_width,
# 'length': delivery_length,
# 'weight': delivery_weight,
# 'measument_unit': request.data.get("delivery_product_unit"),
# 'charge_inside': delivery_inside,
# 'specification_id': specification_id,
# 'charge_outside': delivery_outside
# }
# try:
# try:
# spec = ProductSpecification.objects.get(id=specification_id)
# except:
# spec = None
# if spec:
# specification_serializer = ProductSpecificationSerializer(
# spec, data=specification_data_value)
# if specification_serializer.is_valid():
# print("spec save hochche")
# specification_serializer.save()
# values = specification_serializer.data
# else:
# return Response({'success': False, 'message': 'Product Specification could not be updated'})
# # try:
# # price = ProductPrice.objects.get(
# # specification_id=specification_id)
# # except:
# # price = None
# # if price:
# # price_serializer = ProductPriceSerializer(
# # price, data=product_price)
# # if price_serializer.is_valid():
# # price_serializer.save()
# # print("price save hochche")
# # price_data = price_serializer.data
# # else:
# # return Response({'success': False, 'message': 'Product Price could not be updated'})
# try:
# points = ProductPoint.objects.get(
# specification_id=specification_id)
# except:
# points = None
# print(points)
# if points:
# point_serial = ProductPointSerializer(
# points, data=product_point)
# if point_serial.is_valid():
# print("pOINT SAVE HOCHCHE")
# point_serial.save()
# point_data = point_serial.data
# else:
# print(point_serial.errors)
# else:
# point_serial = ProductPointSerializer(data=product_point)
# if point_serial.is_valid():
# print("pOINT SAVE HOCHCHE")
# point_serial.save()
# point_data = point_serial.data
# else:
# print(point_serial.errors)
# try:
# delivery = DeliveryInfo.objects.get(
# specification_id=specification_id)
# except:
# delivery = None
# if delivery:
# delivery_serial = DeliveryInfoSerializer(
# delivery, data=delivery_info)
# if delivery_serial.is_valid():
# delivery_serial.save()
# print("delivery hocchche")
# delivery_data = delivery_serial.data
# else:
# delivery_serial = DeliveryInfoSerializer(
# data=delivery_info)
# if delivery_serial.is_valid():
# delivery_serial.save()
# print("delivery hocchche")
# delivery_data = delivery_serial.data
# try:
# discount = discount_product.objects.get(
# specification_id=specification_id)
# except:
# discount = None
# if discount:
# discount_serializer = ProductDiscountSerializer(
# discount, data=product_discount)
# if discount_serializer.is_valid():
# print("discount save hochche")
# discount_serializer.save()
# discount_data = discount_serializer.data
# else:
# discount_serializer = ProductDiscountSerializer(
# data=product_discount)
# if discount_serializer.is_valid():
# print("discount save hochche")
# discount_serializer.save()
# discount_data = discount_serializer.data
# return Response({'success': True, 'message': 'Edit is successful'})
# except:
# return Response({'success': False, 'message': 'Something went wrong !!'})
@api_view(['POST', 'GET'])
def edit_spec(request, specification_id):
current_date = date.today()
print("current_date")
print(current_date)
current_date = str(current_date)
print(request.data)
print(specification_id)
try:
product_spec = ProductSpecification.objects.get(id=specification_id)
except:
product_spec = None
if product_spec:
product_id = product_spec.product_id
else:
product_id = 0
print(product_id)
if request.method == 'POST':
vat = request.data.get("vat")
if vat == "":
vat = 0.00
specification_data_value = {
'product_id': product_id,
'color': request.data.get("color"),
'size': request.data.get("size"),
'weight': request.data.get("weight"),
'warranty': request.data.get("warranty"),
'warranty_unit': request.data.get("warranty_unit"),
'unit': request.data.get("product_unit"),
'vat': vat,
'is_own' :True
}
# price = request.data.get("price")
# if price == "":
# price = 0.00
# purchase_price = request.data.get("purchase_price")
# if purchase_price == "":
# purchase_price = 0.00
# product_price = {
# 'product_id': product_id,
# 'price': price,
# 'specification_id': specification_id,
# 'purchase_price': purchase_price
# # 'currency_id': request.data.get('currency_id')
# }
discount_type = request.data.get("discount_type")
if discount_type == "none":
product_discount = {
'product_id': product_id,
'specification_id': specification_id,
'amount': 0.00,
'discount_type': discount_type,
# 'start_date' : '2020-09-05',
# 'end_date' : data['discount_end_date']
'start_date': current_date,
'end_date': current_date
}
else:
discount_amount = request.data.get("discount_amount")
if discount_amount == "":
discount_amount = 0.00
if discount_amount == None:
discount_amount = 0.00
discount_end_date = request.data.get("discount_end_date")
if discount_end_date == "":
discount_end_date = current_date
if discount_end_date == None:
discount_end_date = current_date
discount_start_date = request.data.get("discount_start_date")
if discount_start_date == "":
discount_start_date = current_date
if discount_start_date == None:
discount_start_date = current_date
product_discount = {
'product_id': product_id,
'amount': discount_amount,
'discount_type': discount_type,
# 'start_date' : '2020-09-05',
# 'end_date' : data['discount_end_date']
'start_date': discount_start_date,
'specification_id': specification_id,
'end_date': discount_end_date
}
point_amount = request.data.get("point_amount")
if point_amount == "":
point_amount = 0.00
if point_amount == None:
point_amount = 0.00
point_end_date = request.data.get("point_end_date")
if point_end_date == "":
point_end_date = current_date
if point_end_date == None:
point_end_date = current_date
point_start_date = request.data.get("point_start_date")
if point_start_date == "":
point_start_date = current_date
if point_start_date == None:
point_start_date = current_date
product_point = {
'product_id': product_id,
'point': point_amount,
# 'end_date': data['point_end_date']
'start_date': point_start_date,
'specification_id': specification_id,
'end_date': point_end_date
}
delivery_height = request.data.get("delivery_height")
if delivery_height == "":
delivery_height = 0.0
delivery_width = request.data.get("delivery_width")
if delivery_width == "":
delivery_width = 0.0
delivery_length = request.data.get("delivery_length")
if delivery_length == "":
delivery_length = 0.0
delivery_weight = request.data.get("delivery_weight")
if delivery_weight == "":
delivery_weight = 0.0
# delivery_inside = request.data.get("delivery_inside_city_charge")
# if delivery_inside == "":
# delivery_inside = 0
# delivery_outside = request.data.get("delivery_outside_city_charge")
# if delivery_outside == "":
# delivery_outside = 0
# delivery_info = {
# 'height': delivery_height,
# 'width': delivery_width,
# 'length': delivery_length,
# 'weight': delivery_weight,
# 'measument_unit': request.data.get("delivery_product_unit"),
# 'charge_inside': delivery_inside,
# 'specification_id': specification_id,
# 'charge_outside': delivery_outside
# }
delivery_info = {
'height': request.data.get("delivery_height"),
'width': request.data.get("delivery_width"),
'length': request.data.get("delivery_length"),
'weight': request.data.get("delivery_weight"),
'measument_unit': request.data.get("delivery_product_unit"),
'delivery_free': request.data.get("delivery_free"),
}
try:
try:
spec = ProductSpecification.objects.get(id=specification_id)
except:
spec = None
if spec:
specification_serializer = ProductSpecificationSerializer(
spec, data=specification_data_value)
if specification_serializer.is_valid():
print("spec save hochche")
specification_serializer.save()
values = specification_serializer.data
else:
return Response({'success': False, 'message': 'Product Specification could not be updated'})
# try:
# price = ProductPrice.objects.get(
# specification_id=specification_id)
# except:
# price = None
# if price:
# price_serializer = ProductPriceSerializer(
# price, data=product_price)
# if price_serializer.is_valid():
# price_serializer.save()
# print("price save hochche")
# price_data = price_serializer.data
# else:
# return Response({'success': False, 'message': 'Product Price could not be updated'})
try:
points = ProductPoint.objects.get(
specification_id=specification_id)
except:
points = None
if points:
point_serial = ProductPointSerializer(
points, data=product_point)
if point_serial.is_valid():
point_serial.save()
point_data = point_serial.data
else:
pass
else:
point_serial = ProductPointSerializer(data=product_point)
if point_serial.is_valid():
point_serial.save()
point_data = point_serial.data
else:
print("point2")
print(point_serial.errors)
try:
delivery = DeliveryInfo.objects.get(
specification_id=specification_id)
except:
delivery = None
if delivery:
delivery_serial = DeliveryInfoSerializer(
delivery, data=delivery_info)
if delivery_serial.is_valid():
delivery_serial.save()
delivery_data = delivery_serial.data
else:
delivery_serial = DeliveryInfoSerializer(
data=delivery_info)
if delivery_serial.is_valid():
delivery_serial.save()
delivery_data = delivery_serial.data
try:
discount = discount_product.objects.get(
specification_id=specification_id)
except:
discount = None
if discount:
discount_serializer = ProductDiscountSerializer(
discount, data=product_discount)
if discount_serializer.is_valid():
discount_serializer.save()
discount_data = discount_serializer.data
else:
discount_serializer = ProductDiscountSerializer(
data=product_discount)
if discount_serializer.is_valid():
discount_serializer.save()
discount_data = discount_serializer.data
data_val = {
'option' : request.data.get("delivery_option"),
'spec': specification_id,
# 'arrayForDelivery': [
# {
# 'selectedDistrict': 'Dhaka',
# 'selectedThana':[
# 'Banani',
# 'Gulshan',
# 'Rampura',
# 'Dhanmondi'
# ]
# },
# {
# 'selectedDistrict': 'Barishal',
# 'selectedThana':[
# 'Hizla',
# 'Muladi',
# 'Borguna',
# 'Betagi'
# ]
# }
# ]
'arrayForDelivery': request.data.get("arrayForDelivery")
}
print("values for specification")
print(data_val)
# print("before calling method")
value = add_delivery_data1(data_val)
print(value)
return Response({'success': True, 'message': 'Edit is successful'})
except:
return Response({'success': False, 'message': 'Something went wrong !!'})
# @api_view(['POST',])
# def edit_spec(request,specification_id):
# try:
# spec = ProductSpecification.objects.get(id=specification_id)
# except:
# spec = None
# if spec:
# pointserializer = ProductSpecificationSerializer(spec,data=request.data)
# if pointserializer.is_valid():
# pointserializer.save()
# return JsonResponse(pointserializer.data, status=status.HTTP_201_CREATED)
# return Response (pointserializer.errors)
# @api_view(['POST', 'GET'])
# def delete_spec(request, specification_id):
# if request.method == 'POST':
# try:
# product_price = ProductPrice.objects.filter(
# specification_id=specification_id)
# if product_price.exists():
# product_price.delete()
# product_discount = discount_product.objects.filter(
# specification_id=specification_id)
# if product_discount.exists():
# product_discount.delete()
# product_point = ProductPoint.objects.filter(
# specification_id=specification_id)
# if product_point.exists():
# product_point.delete()
# Delivery_info = DeliveryInfo.objects.filter(
# specification_id=specification_id)
# if Delivery_info.exists():
# Delivery_info.delete()
# spec = ProductSpecification.objects.filter(id=specification_id)
# if spec.exists():
# spec.delete()
# return JsonResponse({
# 'success': True,
# 'message': 'The product specification have been deleted'})
# except:
# return JsonResponse({
# 'success': False,
# 'message': 'The product specification could not be deleted'})
@api_view(['POST', 'GET'])
def delete_spec(request, specification_id):
if(request.method == "POST"):
try:
price = ProductPrice.objects.filter(specification_id= specification_id)
price.delete()
points = ProductPoint.objects.filter(specification_id=specification_id)
points.delete()
discount = discount_product.objects.filter(specification_id=specification_id)
discount.delete()
code = ProductCode.objects.filter(specification_id = specification_id)
code.delete()
invenprice = Inventory_Price.objects.filter(specification_id=specification_id)
invenprice.delete()
warehouseinfo = WarehouseInfo.objects.filter(specification_id=specification_id)
warehouseinfo.delete()
shopinfo = ShopInfo.objects.filter(specification_id=specification_id)
shopinfo.delete()
invenrep = inventory_report.objects.filter(specification_id=specification_id)
invenrep.delete()
deliveryinfo = DeliveryInfo.objects.filter(specification_id=specification_id)
deliveryinfo.delete()
subtract = subtraction_track.objects.filter(specification_id=specification_id)
subtract.delete()
deliveryarea = product_delivery_area.objects.filter(specification_id=specification_id)
deliveryarea.delete()
specimage = SpecificationImage.objects.filter(specification_id=specification_id)
specimage.delete()
orderdetail = OrderDetails.objects.filter(specification_id=specification_id)
orderdetail.delete()
prospec = ProductSpecification.objects.filter(id=specification_id)
prospec.delete()
return Response({
'success': True,
'message': 'data has been deleted successfully !!'
})
except:
return Response({
'success':False,
'Message': 'Some internal problem occurs while deleting the value'
})
@api_view(['GET', ])
def show(request, product_id):
#url = reverse('product_price_point_specification:showspec',args=[product_id])
#data= requests.get(url)
#url= reverse('product_price_point_specification:showspec',args=[product_id])
#main = str(settings.BASE_DIR) + url
# print(main)
#data = requests.get(main)
url = request.build_absolute_uri(
reverse('product_price_point_specification:showspec', args=[product_id]))
# print("------")
# print(url)
data = requests.get(url)
return HttpResponse(data)
# This changes the comments,replies,reviews and order tables
@api_view(['POST', ])
def transfer(request, user_id):
# Here userid provided is the newly verified userid
try:
existing_user = user_relation.objects.filter(
verified_user_id=user_id).last()
print(existing_user)
except:
existing_user = None
if existing_user is not None:
# Change the ids in the certain table
# print(type(existing_user.verified_user_id))
# print(existing_user.non_verified_user_id)
user_id = existing_user.verified_user_id
non_verified_user_id = existing_user.non_verified_user_id
# Update all the order tables
orders = Order.objects.filter(non_verified_user_id=non_verified_user_id).update(
user_id=user_id, non_verified_user_id=None)
# Update the Billing address
billing_address = BillingAddress.objects.filter(
non_verified_user_id=non_verified_user_id).update(user_id=user_id, non_verified_user_id=None)
# Update the comment,reply and review tables
comments = Comment.objects.filter(non_verified_user_id=non_verified_user_id).update(
user_id=user_id, non_verified_user_id=None)
reply = CommentReply.objects.filter(non_verified_user_id=non_verified_user_id).update(
user_id=user_id, non_verified_user_id=None)
reviews = Reviews.objects.filter(non_verified_user_id=non_verified_user_id).update(
user_id=user_id, non_verified_user_id=None)
return JsonResponse({'message': 'The user does exist'})
else:
return JsonResponse({'message': 'The user does not exist'})
@api_view(['GET', ])
def product_detail(request, product_id):
try:
product = Product.objects.filter(id=product_id).last()
except:
product = None
if product is not None:
product_serializer = ProductDetailSerializer2(product, many=False)
return JsonResponse({'success': True, 'message': 'The data is shown below', 'data': product_serializer.data}, safe=False)
else:
return JsonResponse({'success': False, 'message': 'This product does not exist', 'data':{}})
# --------------------------------- Product Cupon -------------------------------
@api_view(["GET", "POST"])
def insert_cupon(request):
'''
This is for inserting cupon code into the databse. Admin will set the cupon code and it will apear to the users while buying a product.
Calling http://127.0.0.1:8000/cupons/create_cupon/ will cause to invoke this Api. This Api just have Post response.
Post Response:
cupon_code : This is a character field. This will be cupon named after the inserting name value.
amount : This will be the amount which will be deducted from the user payable balance.
start_from: This is DateField. It will be created automatically upon the creation of a cupon.
valid_to: This is another DateField. While creating a cupon admin will set the date.
is_active : This is a BooleanField. This will indicate wheather the cupon is active or not. Using this data, cupon can be deactivated before ending
the validation time.
'''
if(request.method == "POST"):
serializers = CupponSerializer(data=request.data)
if(serializers.is_valid()):
serializers.save()
return Response(serializers.data, status=status.HTTP_201_CREATED)
return Response(serializers.errors)
@api_view(["GET", "POST"])
def get_all_cupons(request):
'''
This is for getting all the cupons. Calling http://127.0.0.1:8000/cupons/all_cupon/ will cause to invoke this Api.
The Get Response will return following structured datas.
Get Response:
[
{
"id": 2,
"cupon_code": "30% Off",
"amount": 50.0,
"start_from": "2020-08-27",
"valid_to": "2020-09-30",
"is_active": false
},
{
"id": 3,
"cupon_code": "25 Taka Off",
"amount": 25.0,
"start_from": "2020-08-27",
"valid_to": "2020-10-27",
"is_active": false
}
]
'''
if(request.method == "GET"):
queryset = Cupons.objects.all()
serializers = CupponSerializer(queryset, many=True)
return Response(serializers.data)
@api_view(["GET", "POST"])
def update_specific_cupons(request, cupon_id):
'''
This is for updating a particular cupon. Calling http://127.0.0.1:8000/cupons/update_cupon/4/ will cause to invoke this Api.
While calling this Api, as parameters cupon id must need to be sent.
After updating expected Post Response:
{
"id": 4,
"cupon_code": "25 Taka Off",
"amount": 25.0,
"start_from": "2020-08-27",
"valid_to": "2020-10-27",
"is_active": true
}
'''
try:
cupon = Cupons.objects.get(pk=cupon_id)
except:
return Response({'Message': 'Check wheather requested data exists or not'})
if(request.method == "GET"):
cupon_serializer = CupponSerializer(cupon, many=False)
return Response(cupon_serializer.data)
elif(request.method == "POST"):
Cupon_serializers = CupponSerializer(cupon, data=request.data)
if(Cupon_serializers.is_valid()):
Cupon_serializers.save()
return Response(Cupon_serializers.data, status=status.HTTP_201_CREATED)
return Response(Cupon_serializers.errors)
@api_view(["GET", "POST"])
def delete_specific_cupons(request, cupon_id):
'''
This is for deleting a particular cupon value. Calling 127.0.0.1:8000/cupons/delete_cupon/4/ will cause to invoke this Api.
After performing delete operation successfully this api will provide following response.
Successful Post Response:
[
"Cupon has been deleted successfully"
]
Unsuccessful Post Response:
{
"Message": "Some internal problem occurs while deleting the value"
}
'''
try:
cupon = Cupons.objects.get(pk=cupon_id)
except:
return Response({'Message': 'Some internal problem occurs while deleting the value'})
if(request.method == "POST"):
cupon.delete()
return Response({'Cupon has been deleted successfully'})
# --------------------------- Product Discount -----------------------
@api_view(["GET", "POST"])
def get_all_discount_value(request):
'''
This api is for getting all the discount related information. Calling http://127.0.0.1:8000/discount/all_discount/ will invoke
this API. This API just have get response.
GET Response:
discount_type (This will be a Chartype data. This will return the type of discount like Flat, Flash, Wholesale etc.)
amount (This will return the amount which will be apply where discount is applicable.)
start_date (This is the discount start date. From this date discount will be started.)
end_date (This is discount end date. On this date, discount will be end.)
max_amount (Sometimes, admin can restrict the highest level of amount for discount. This value represents that highest amount value.)
'''
if(request.method == "GET"):
queryset = discount_product.objects.all()
discount_serializers = ProductDiscountSerializer(queryset, many=True)
return Response(discount_serializers.data)
@api_view(["GET", "POST"])
def insert_specific_discount_value(request):
'''
This Api is for just inserting the particular discount value corresponding to a product. It has just Post response. Calling
http://127.0.0.1:8000/discount/insert_specific/ cause to invoke this api.
POST Response:
Following values field this api expects while performing post response.
Discount (It will be type of discount, simply a name.)
amount (This will be a float value. This amount value will be used to calculate the discount value)
start_date ( This is the date from when the discount will be started.)
end_date (On this date, the discount will end)
max_amount (Admin can set the highest amount of discount. Something like 30% discount upto 50 taka. Here, max amount 50 taka.)
product_id or group_product_id ( product_id or group_product_id, on which the discount will be performed must need to provide.)
'''
if(request.method == "POST"):
discount_serializers = ProductDiscountSerializer(data=request.data)
if(discount_serializers.is_valid()):
discount_serializers.save()
return Response(discount_serializers.data, status=status.HTTP_201_CREATED)
return Response(discount_serializers.errors)
@api_view(["GET", "POST"])
def get_update_specific_value(request, product_id):
'''
This Api is for getting a particular discount value. This will need to update a particular information. Admin may change the end date of discount or
may increase the amount value. Calling http://127.0.0.1:8000/discount/specific_value/3/ will cause to invoke this API. This Api has both
Post and Get response.
prams : Product_id
Get Response:
discount_type (This will be a Chartype data. This will return the type of discount like Flat, Flash, Wholesale etc.)
amount (This will return the amount which will be apply where discount is applicable.)
start_date (This is the discount start date. From this date discount will be started.)
end_date (This is discount end date. On this date, discount will be end.)
max_amount (Sometimes, admin can restrict the highest level of amount for discount. This value represents that highest amount value.)
POST Response:
Following values field this api expects while performing post response.
Discount (It will be type of discount, simply a name.)
amount (This will be a float value. This amount value will be used to calculate the discount value)
start_date ( This is the date from when the discount will be started.)
end_date (On this date, the discount will end)
max_amount (Admin can set the highest amount of discount. Something like 30% discount upto 50 taka. Here, max amount 50 taka.)
product_id or group_product_id ( product_id or group_product_id, on which the discount will be performed must need to provide.)
'''
# Demo Values
try:
specific_values = discount_product.objects.get(product_id=product_id)
except:
return Response({'message': 'This value does not exist'})
if(request.method == "GET"):
discount_serializer_value = ProductDiscountSerializer(
specific_values, many=False)
return Response(discount_serializer_value.data)
elif(request.method == "POST"):
try:
discount_serializer_value = ProductDiscountSerializer(
specific_values, data=request.data)
if(discount_serializer_value.is_valid()):
discount_serializer_value.save()
return Response(discount_serializer_value.data, status=status.HTTP_201_CREATED)
return Response(discount_serializer_value.errors)
except:
return Response({'message': 'Discount value could not be updated'})
@api_view(['POST', 'GET'])
def delete_discount_value(request, product_id):
'''
This Api is for deleting a particular discount value. Based on the provided product_id or group_product_id this will delet the discount value.
Calling http://127.0.0.1:8000/discount/discount_delete/4 will cause to invoke this api. After deleting the value, in response this api will
send a successful message. If it can not delete then it will provide an error message.
prams : product_id
'''
try:
specific_values = discount_product.objects.get(product_id=product_id)
except:
return Response({'message': 'There is no value to delete'})
if request.method == 'POST':
specific_values.delete()
return Response({'message': ' Value is successfully deleted'}, status=status.HTTP_204_NO_CONTENT)
@api_view(["GET", "POST"])
def get_product_lists(request, order_id):
if(request.method == "GET"):
try:
ware_house = []
shops = []
order_info = OrderDetails.objects.filter(order_id=order_id)
print(order_info)
for orders in order_info:
all_specification = ProductSpecification.objects.get(
product_id=orders.product_id, size=orders.product_size, color=orders.product_color)
print(all_specification)
ware_house_info = Warehouse.objects.filter(
specification_id=all_specification.id)
if ware_house_info:
ware_house_data = WareHouseSerializer(
ware_house_info, many=True)
ware_house.append(ware_house_data.data)
shop_info = Shop.objects.filter(
specification_id=all_specification.id)
if shop_info.exists():
shop_data = ShopSerializer(shop_info, many=True)
shops.append(shop_data.data)
except:
return Response({'Message': 'Check whether requested data exists or not'})
return Response({
"success": True,
"Message": "Data is shown bellow",
"warehouse": ware_house,
"Shop": shops
})
@api_view(["GET", ])
def get_inventory_lists(request, order_details_id):
try:
product = OrderDetails.objects.get(id=order_details_id)
except:
product = None
if product:
product_id = product.product_id
product_size = product.product_size
product_color = product.product_color
try:
spec = ProductSpecification.objects.get(
product_id=product_id, size=product_size, color=product_color)
except:
spec = None
if spec:
specification_id = spec.id
try:
warehouses = Warehouse.objects.filter(
specification_id=specification_id)
except:
warehouses = None
if warehouses:
warehouses_serializer = WareHouseSerializer(
warehouses, many=True)
warehouse_data = warehouses_serializer.data
else:
warehouse_data = []
try:
warehouses = Shop.objects.filter(
specification_id=specification_id)
except:
warehouses = None
if warehouses:
warehouses_serializer = ShopSerializer(warehouses, many=True)
shop_data = warehouses_serializer.data
else:
shop_data = []
else:
warehouse_data = []
shop_data = []
else:
warehouse_data = []
shop_data = []
return JsonResponse({'success': True, 'message': 'Data is shown below', 'warehouse_data': warehouse_data, 'shop_data': shop_data})
@api_view(["POST", ])
def subtract_quantity(request, order_details_id):
warehouse_id = request.data.get("warehouse_id")
shop_id = request.data.get("shop_id")
quantity = request.data.get("quantity")
quantity = int(quantity)
if warehouse_id is None:
inventory_id = shop_id
try:
product = OrderDetails.objects.get(id=order_details_id)
except:
product = None
if product:
item_quantity = product.total_quantity
item_remaining = product.remaining
if item_remaining > 0:
# make the subtraction
check = item_remaining - int(quantity)
if check >= 0:
print("quantity thik dise")
product.remaining -= quantity
product.save()
item_remaining = product.remaining
item_quantity = product.quantity
try:
shop = Shop.objects.get(id=shop_id)
except:
shop = None
if shop:
shop.product_quantity -= quantity
shop.save()
shop_serializer = ShopSerializer(shop, many=False)
shop_data = shop_serializer.data
else:
shop_data = {}
return JsonResponse({'success': True, 'message': 'The amount has been subtracted', 'remaining': item_remaining, 'quantity': item_quantity, 'shop_data': shop_data})
else:
print("quantity thik dey nai")
return JsonResponse({'success': False, 'message': 'Enter the correct quantity', 'remaining': item_remaining, 'quantity': item_quantity})
else:
print("item nai ar")
return JsonResponse({'success': False, 'message': 'The items quantity has already been subtracted'})
else:
print("product nai")
return JsonResponse({'success': False, 'message': 'The item does not exist'})
elif shop_id is None:
print("warehouse ase")
inventory_id = warehouse_id
print(inventory_id)
try:
product = OrderDetails.objects.get(id=order_details_id)
except:
product = None
if product:
item_quantity = product.total_quantity
item_remaining = product.remaining
if item_remaining > 0:
# make the subtraction
check = item_remaining - quantity
if check >= 0:
print("quantity thik dise")
product.remaining -= quantity
product.save()
item_remaining = product.remaining
item_quantity = product.quantity
try:
warehouse = Warehouse.objects.get(id=warehouse_id)
except:
warehouse = None
if warehouse:
warehouse.product_quantity -= quantity
warehouse.save()
warehouse_serializer = WareHouseSerializer(
warehouse, many=False)
warehouse_data = warehouse_serializer.data
else:
warehouse_data = {}
return JsonResponse({'success': True, 'message': 'The amount has been subtracted', 'remaining': item_remaining, 'quantity': item_quantity, 'warehouse_data': warehouse_data})
else:
print("quantity thik dey nai")
return JsonResponse({'success': False, 'message': 'Enter the correct quantity', 'remaining': item_remaining, 'quantity': item_quantity})
else:
print("product er item nai")
return JsonResponse({'success': False, 'message': 'The items quantity has already been subtracted'})
else:
print("item tai nai")
return JsonResponse({'success': False, 'message': 'The item does not exist'})
@api_view(["POST", ])
def subtract_items(request, order_details_id):
# data= {"warehouse": [
# {
# "id": 1,
# "name": "WarehouseA",
# "location": "Dhanmondi",
# "subtract": 10
# },
# {
# "id": 2,
# "name": "WarehouseB",
# "location": "Gulshan",
# "subtract": 10
# }
# ],
# "shop": [
# {
# "id": 1,
# "name": "ShopB",
# "location": "gulshan",
# "subtract": 10
# },
# {
# "id": 2,
# "name": "ShopA",
# "location": "Banani",
# "subtract": 10
# }
# ]
# }
data = request.data
current_date = date.today()
print(data)
# print(data["warehouse"])
# print(len(data["warehouse"]))
# print(data["shop"])
# print(len(data["warehouse"]))
# print(data["warehouse"][0]["warehouse_id"])
warehouse_data = data["warehouse"]
shop_data = data["shop"]
# print(warehouse_data)
# print(len(warehouse_data))
# print(warehouse_data[1]["warehouse_id"])
# This is for the warehouse data
try:
item = OrderDetails.objects.get(id=order_details_id)
except:
item = None
if item:
# Checking if any item has been subtracted from the warehouse
item_remaining = item.remaining
item_product_id = item.product_id
item_color = item.product_color
item_size = item.product_size
item_weight = item.product_weight
item_unit = item.product_unit
product_id = item.product_id
specification_id = item.specification_id
order_id = item.order_id
print(item_remaining)
try:
spec = ProductSpecification.objects.get(id=specification_id)
except:
spec = None
if spec:
specification_id = spec.id
else:
specification_id = 0
#Fetching the purchase price and selling price
try:
price = ProductPrice.objects.filter(specification_id=specification_id).last()
except:
price = None
print(price)
if price:
if price.price:
selling_price = price.price
else:
selling_price = 0.0
if price.purchase_price:
purchase_price = price.purchase_price
else:
purchase_price = 0.0
else:
selling_price = 0.0
purchase_price = 0.0
print(purchase_price)
print(selling_price)
if int(len(warehouse_data)) > 0:
# looping through the warehouse items
for i in range(int(len(warehouse_data))):
if item_remaining > 0:
# fetch the warehouseinfo
warehouse_id = warehouse_data[i]["id"]
subtract = int(warehouse_data[i]["subtract"])
try:
warehouse_info = WarehouseInfo.objects.filter(
warehouse_id=warehouse_id, specification_id=specification_id).last()
except:
warehouse_info = None
if warehouse_info:
if warehouse_info.quantity >= subtract:
warehouse_info.quantity -= subtract
warehouse_info.save()
item.remaining -= subtract
item.save()
item_remaining = item.remaining
#make the entries in the tracking table
tracking_table = subtraction_track.objects.create(specification_id=specification_id,order_id=order_id,warehouse_id=warehouse_id,debit_quantity=subtract,date=current_date)
tracking_table.save()
#make the transaction entries
# try:
# report = inventory_report.objects.get(product_id= product_id,specification_id= specification_id,warehouse_id=warehouse_id,date=current_date)
# except:
# report = None
# if report:
# #Update the existing report
# report.requested += subtract
# report.save()
# else:
# #Create a new row
new_report = inventory_report.objects.create(product_id= product_id,specification_id= specification_id,warehouse_id=warehouse_id,date=current_date,requested=subtract,purchase_price=purchase_price,selling_price=selling_price)
new_report.save()
if item_remaining == 0:
item.admin_status = "Approved"
item.save()
item_serializer = OrderDetailsSerializer(
item, many=False)
data = item_serializer.data
return JsonResponse({"success": True, "message": "This product is approved", "data": data})
else:
return JsonResponse({"success": False, "message": "The warehouse does not have enough of this item"})
else:
return JsonResponse({"success": False, "message": "The warehouse does not have enough of this item"})
# elif item_remaining==0:
# return JsonResponse({"success":True,"message":"This product is approved"})
else:
return JsonResponse({"success": False, "message": "These many items dont exist in this order"})
else:
pass
if int(len(shop_data)) > 0:
# looping through the warehouse items
for i in range(int(len(shop_data))):
print("loop er moddhe dhuklam")
if item_remaining > 0:
print("shop item_remaining ase")
# fetch the warehouseinfo
shop_id = shop_data[i]["id"]
subtract = int(shop_data[i]["subtract"])
try:
shop_info = ShopInfo.objects.filter(
shop_id=shop_id, specification_id=specification_id).last()
except:
shop_info = None
if shop_info:
if shop_info.quantity >= subtract:
shop_info.quantity -= subtract
shop_info.save()
print("shoper aager")
print(item_remaining)
item.remaining -= subtract
item.save()
item_remaining = item.remaining
print("shop er porer")
print(item_remaining)
#Inserting the track infos
tracking_table = subtraction_track.objects.create(specification_id=specification_id,order_id=order_id,shop_id=shop_id,debit_quantity=subtract,date=current_date)
tracking_table.save()
#make the transaction entries
# try:
# report = inventory_report.objects.get(product_id= product_id,specification_id= specification_id,shop_id=shop_id,date=current_date)
# except:
# report = None
# if report:
# #Update the existing report
# report.requested += subtract
# report.save()
# else:
# #Create a new row
new_report = inventory_report.objects.create(product_id= product_id,specification_id= specification_id,shop_id=shop_id,date=current_date,requested=subtract,purchase_price=purchase_price,selling_price=selling_price)
new_report.save()
if item_remaining == 0:
item.admin_status = "Approved"
item.save()
item_serializer = OrderDetailsSerializer(
item, many=False)
data = item_serializer.data
return JsonResponse({"success": True, "message": "This product is approved", "data": data})
return JsonResponse({"success": True, "message": "This product is approved"})
else:
return JsonResponse({"success": False, "message": "The shop does not have enough of this item"})
else:
return JsonResponse({"success": False, "message": "The shop does not have enough of this item"})
# elif item_remaining==0:
# return JsonResponse({"success":True,"message":"This product is approved"})
else:
return JsonResponse({"success": False, "message": "These many items dont exist in this order"})
else:
pass
else:
JsonResponse(
{"success": False, "message": "The item is not in that order"})
@api_view(["POST", ])
def subtract_spec_quantity(request, specification_id):
print("specification_id")
print(specification_id)
# data= {"warehouse": [
# {
# "warehouse_id": 1,
# "name": "WarehouseA",
# "location": "Dhanmondi",
# "subtract": 5
# },
# {
# "warehouse_id": 2,
# "name": "WarehouseB",
# "location": "Gulshan",
# "subtract": 3
# }
# ],
# "shop": [
# {
# "shop_id": 1,
# "name": "ShopB",
# "location": "gulshan",
# "subtract": 2
# },
# {
# "shop_id": 2,
# "name": "ShopA",
# "location": "Banani",
# "subtract": 1
# }
# ]
# }
data = request.data
current_date = date.today()
print(data)
# print(data["warehouse"])
# print(len(data["warehouse"]))
# print(data["shop"])
# print(len(data["warehouse"]))
# print(data["warehouse"][0]["warehouse_id"])
warehouse_data = data["warehouse"]
shop_data = data["shop"]
# print(warehouse_data)
# print(len(warehouse_data))
# print(warehouse_data[1]["warehouse_id"])
# This is for the warehouse data
try:
item = ProductSpecification.objects.get(id=specification_id)
except:
item = None
print('item')
print(item)
print(item.id)
print(item.remaining)
if item:
# Checking if any item has been subtracted from the warehouse
item_remaining = item.remaining
# item_product_id = item.product_id
# item_color = item.product_color
# item_size = item.product_size
# item_weight = item.product_weight
# item_unit = item.product_unit
product_id = item.product_id
# specification_id = item.specification_id
# try:
# spec = ProductSpecification.objects.get(id=specification_id)
# except:
# spec = None
# if spec:
# specification_id = spec.id
# else:
# specification_id = 0
print(item_remaining)
if int(len(warehouse_data)) > 0:
# looping through the warehouse items
for i in range(int(len(warehouse_data))):
if item_remaining > 0:
# fetch the warehouseinfo
warehouse_id = warehouse_data[i]["warehouse_id"]
subtract = int(warehouse_data[i]["subtract"])
#Checking if warehouse exists
try:
warehouse_info = WarehouseInfo.objects.get(
warehouse_id=warehouse_id, specification_id=specification_id)
except:
warehouse_info = None
if warehouse_info:
warehouse_info.quantity += subtract
warehouse_info.save()
item.remaining -= subtract
item.save()
item_remaining = item.remaining
#make the transaction entries
# try:
# report = inventory_report.objects.get(product_id= product_id,specification_id= specification_id,warehouse_id=warehouse_id,date=current_date)
# except:
# report = None
# if report:
# #Update the existing report
# report.debit += subtract
# report.save()
# else:
# #Create a new row
new_report = inventory_report.objects.create(product_id= product_id,specification_id= specification_id,warehouse_id=warehouse_id,date=current_date,credit=subtract)
new_report.save()
if item_remaining == 0:
# item.admin_status = "Approved"
# item.save()
item_serializer = ProductSpecificationSerializer1(
item, many=False)
data = item_serializer.data
return JsonResponse({"success": True, "message": "All the quantities have been subtracted", "data": data})
else:
#Create a new warehouse
warehouse_info = WarehouseInfo.objects.create(product_id=product_id,warehouse_id=warehouse_id,specification_id=specification_id,quantity=subtract)
warehouse_info.save()
item.remaining -= subtract
item.save()
item_remaining = item.remaining
# try:
# report = inventory_report.objects.get(product_id= product_id,specification_id= specification_id,warehouse_id=warehouse_id,date=current_date)
# except:
# report = None
# if report:
# #Update the existing report
# report.debit += subtract
# report.save()
# else:
# #Create a new row
new_report = inventory_report.objects.create(product_id= product_id,specification_id= specification_id,warehouse_id=warehouse_id,date=current_date,credit=subtract)
new_report.save()
if item_remaining == 0:
# item.admin_status = "Approved"
# item.save()
item_serializer = ProductSpecificationSerializer1(
item, many=False)
data = item_serializer.data
return JsonResponse({"success": True, "message": "All the quantities have been added", "data": data})
# elif item_remaining==0:
# return JsonResponse({"success":True,"message":"This product is approved"})
else:
return JsonResponse({"success": False, "message": "These many items dont exist"})
else:
pass
if int(len(shop_data)) > 0:
# looping through the warehouse items
for i in range(int(len(shop_data))):
if item_remaining > 0:
# fetch the warehouseinfo
shop_id = shop_data[i]["shop_id"]
subtract = int(shop_data[i]["subtract"])
#Checking if warehouse exists
try:
shop_info = ShopInfo.objects.get(
shop_id=shop_id, specification_id=specification_id)
except:
shop_info = None
if shop_info:
shop_info.quantity += subtract
shop_info.save()
item.remaining -= subtract
item.save()
item_remaining = item.remaining
#make the transaction entries
# try:
# report = inventory_report.objects.get(product_id= product_id,specification_id= specification_id,shop_id=shop_id,date=current_date)
# except:
# report = None
# if report:
# #Update the existing report
# report.debit += subtract
# report.save()
# else:
# #Create a new row
new_report = inventory_report.objects.create(product_id= product_id,specification_id= specification_id,shop_id=warehouse_id,date=current_date,credit=subtract)
new_report.save()
if item_remaining == 0:
# item.admin_status = "Approved"
# item.save()
item_serializer = ProductSpecificationSerializer1(
item, many=False)
data = item_serializer.data
return JsonResponse({"success": True, "message": "All the quantities have been subtracted", "data": data})
else:
#Create a new warehouse
warehouse_info = ShopInfo.objects.create(product_id=product_id,shop_id=shop_id,specification_id=specification_id,quantity=subtract)
warehouse_info.save()
item.remaining -= subtract
item.save()
item_remaining = item.remaining
# try:
# report = inventory_report.objects.get(product_id= product_id,specification_id= specification_id,shop_id=shop_id,date=current_date)
# except:
# report = None
# if report:
# #Update the existing report
# report.debit += subtract
# report.save()
# else:
# #Create a new row
new_report = inventory_report.objects.create(product_id= product_id,specification_id= specification_id,shop_id=warehouse_id,date=current_date,credit=subtract)
new_report.save()
if item_remaining == 0:
# item.admin_status = "Approved"
# item.save()
item_serializer = ProductSpecificationSerializer1(
item, many=False)
data = item_serializer.data
return JsonResponse({"success": True, "message": "All the quantities have been added", "data": data})
# elif item_remaining==0:
# return JsonResponse({"success":True,"message":"This product is approved"})
else:
return JsonResponse({"success": False, "message": "These many items dont exist"})
else:
pass
# @api_view(["POST", ])
# def admin_approval(request, order_id):
# flag = 0
# try:
# specific_order = Order.objects.get(id=order_id)
# except:
# specific_order = None
# if specific_order:
# orderid = specific_order.id
# order_details = OrderDetails.objects.filter(order_id=orderid)
# order_details_ids = list(
# order_details.values_list('id', flat=True).distinct())
# print(order_details_ids)
# for i in range(len(order_details_ids)):
# print("ashtese")
# try:
# specific_order_details = OrderDetails.objects.get(
# id=order_details_ids[i])
# except:
# specific_order_details = None
# if specific_order_details:
# remaining_items = specific_order_details.remaining
# if remaining_items != 0:
# flag = 1
# break
# else:
# flag = 0
# if flag == 0:
# specific_order.admin_status = "Confirmed"
# specific_order.save()
# # Create a invoice
# data = {'order_id': order_id}
# invoice_serializer = InvoiceSerializer(data=data)
# if invoice_serializer.is_valid():
# invoice_serializer.save()
# return JsonResponse({'success': True, 'message': 'The order has been approved'})
# else:
# return JsonResponse({'success': False, 'message': 'Please ensure where to remove the items from'})
# else:
# return JsonResponse({'success': False, 'message': 'The order does not exist'})
# @api_view(["POST",])
# def admin_approval(request,order_id):
# flag = 0
# try:
# specific_order = Order.objects.get(id=order_id)
# except:
# specific_order = None
# if specific_order:
# orderid = specific_order.id
# order_details = OrderDetails.objects.filter(order_id=orderid)
# order_details_ids = list(order_details.values_list('id',flat=True).distinct())
# print(order_details_ids)
# for i in range(len(order_details_ids)):
# print("ashtese")
# try:
# specific_order_details = OrderDetails.objects.get(id=order_details_ids[i])
# except:
# specific_order_details = None
# if specific_order_details:
# remaining_items = specific_order_details.remaining
# if remaining_items != 0 :
# flag = 1
# break
# else:
# flag = 0
# if flag == 0:
# specific_order.admin_status = "Confirmed"
# specific_order.save()
# return JsonResponse({'success':True,'message':'The order has been approved'})
# else:
# return JsonResponse({'success':False,'message':'Please ensure where to remove the items from'})
# else:
# return JsonResponse({'success':False,'message':'The order does not exist'})
# @api_view(["GET", ])
# def admin_approval(request, order_id):
# try:
# specific_order = Order.objects.get(id=order_id)
# except:
# specific_order = None
# if specific_order:
# specific_order.admin_status = "Confirmed"
# specific_order.save()
# order_serializer = OrderSerializer(specific_order, many=False)
# data = order_serializer.data
# # Create a invoice
# data = {'order_id':order_id, 'ref_invoice':0, 'is_active':True}
# invoice_serializer = InvoiceSerializer(data=data)
# if invoice_serializer.is_valid():
# invoice_serializer.save()
# return JsonResponse({"success": True, "message": "The order has been approved", "data": data})
# else:
# return JsonResponse({"success": False, "message": "This order does not exist"})
@api_view(["GET", ])
def admin_approval(request, order_id):
approval_flag = True
try:
company= CompanyInfo.objects.all()
except:
company = None
if company:
company = company[0]
site_id = company.site_identification
else:
site_id = ""
print("site_ud")
print(site_id)
try:
specific_order = Order.objects.get(id=order_id)
except:
specific_order = None
if specific_order:
is_mother = specific_order.is_mother
if is_mother == True:
print("mother er product")
specific_order.admin_status = "Confirmed"
specific_order.save()
order_serializer = OrderSerializer(specific_order, many=False)
order_data = order_serializer.data
main_data = {"order_data":order_data,"site_id":site_id}
print("MAIN DATA")
print(main_data)
# Create a selling invoice
data = {'order_id':order_id, 'ref_invoice':0, 'is_active':True}
invoice_serializer = InvoiceSerializer(data=data)
if invoice_serializer.is_valid():
invoice_serializer.save()
invoice_id = invoice_serializer.data["id"]
#Create a purchase invoice
spec_dataz = json.dumps(main_data)
url = site_path + "Cart/create_childsite_orders_purchase_invoice/"
headers = {'Content-Type': 'application/json',}
dataz = requests.post(url = url, headers=headers,data = spec_dataz)
data_response = str(dataz)
if data_response == "<Response [200]>":
dataz = dataz.json()
print("JANI NAAAAA")
print(dataz["success"])
print(dataz["message"])
if dataz["success"] == True:
return JsonResponse({"success":True,'message':'Order has been approved.Mother site response was successful.Invoice has been created'})
else:
try:
specific_invoice = Invoice.objects.get(id=invoice_id)
except:
specific_invoice = None
if specific_invoice:
specific_invoice.delete()
specific_order.admin_status = "Pending"
specific_order.save()
return JsonResponse({"success": False,'message':'Order could not be approved.Mother site response was insuccessful.'})
else:
try:
specific_invoice = Invoice.objects.get(id=invoice_id)
except:
specific_invoice = None
if specific_invoice:
specific_invoice.delete()
specific_order.admin_status = "Pending"
specific_order.save()
return JsonResponse({"success": False,'message':'Order could not be approved.Mother site did not respond.'})
else:
specific_order.admin_status = "Pending"
specific_order.save()
return JsonResponse({"success":False, "message":"The order could not be approved since invoice could not be created"})
else:
try:
order_details = OrderDetails.objects.filter(order_id = order_id)
except:
order_details = None
if order_details:
order_details_ids = list(order_details.values_list('id',flat=True))
is_owns = list(order_details.values_list('is_own',flat=True))
admin_statuses = list(order_details.values_list('admin_status',flat=True))
for i in range (len(order_details_ids)):
if is_owns[i] == True:
if admin_statuses[i] == "Pending":
approval_flag = False
break
else:
pass
else:
pass
if approval_flag == True:
specific_order.admin_status = "Confirmed"
specific_order.save()
order_serializer = OrderSerializer(specific_order, many=False)
data = order_serializer.data
# Create a invoice
data = {'order_id':order_id, 'ref_invoice':0, 'is_active':True}
invoice_serializer = InvoiceSerializer(data=data)
if invoice_serializer.is_valid():
invoice_serializer.save()
else:
specific_order.admin_status = "Processing"
specific_order.save()
return JsonResponse({"success":False, "message":"The order could not be approved since invoice could not be created"})
return JsonResponse({"success": True, "message": "The order has been approved", "data": data})
else:
return JsonResponse({"success":False,"message":"The order cannot be approved.There are still pending items in the order."})
else:
return JsonResponse({"success":False,"message":"The order cannot be approved.There are no items in this order"})
else:
return JsonResponse({"success": False, "message": "This order does not exist"})
@api_view(["GET", ])
def admin_cancellation(request, order_id):
try:
specific_order = Order.objects.get(id=order_id)
except:
specific_order = None
if specific_order:
specific_order.admin_status = "Cancelled"
specific_order.save()
order_id = specific_order.id
try:
items = OrderDetails.objects.filter(order_id=order_id)
except:
items = None
if items:
item_ids = list(items.values_list('id',flat=True).distinct())
for k in range(len(item_ids)):
try:
specific_item = OrderDetails.objects.get(id=item_ids[k])
except:
specific_item = None
if specific_item:
specific_item.admin_status = "Cancelled"
specific_item.order_status = "Cancelled"
specific_item.delivery_status = "Cancelled"
specific_item.save()
else:
pass
order_serializer = OrderSerializer(specific_order, many=False)
data = order_serializer.data
return JsonResponse({"success": True, "message": "The order has been approved", "data": data})
else:
return JsonResponse({"success": False, "message": "This order does not exist"})
@api_view(["GET", ])
def item_cancellation(request, order_details_id):
try:
item = OrderDetails.objects.get(id=order_details_id)
except:
item = None
if item:
item.admin_status = "Cancelled"
item.save()
item_serializer = OrderDetailsSerializer(item, many=False)
data = item_serializer.data
return JsonResponse({"success": True, "message": "The status has been changed", "data": data})
else:
return JsonResponse({"success": False, "message": "This item does not exist"})
# @api_view(['POST', ])
# def add_spec(request, product_id):
# current_date = date.today()
# specification_data_value = {
# 'product_id': product_id,
# 'color': request.data.get("color"),
# 'size': request.data.get("size"),
# 'weight': request.data.get("weight"),
# 'warranty': request.data.get("warranty"),
# 'warranty_unit': request.data.get("warranty_unit"),
# 'unit': request.data.get("product_unit"),
# 'vat': request.data.get("vat"),
# }
# product_price = {
# 'product_id': product_id,
# 'price': request.data.get("price"),
# 'purchase_price': request.data.get("purchase_price"),
# # 'currency_id': request.data.get('currency_id')
# }
# product_code = {
# 'product_id': product_id
# }
# discount_type = request.data.get("discount_type")
# discount_amount = request.data.get("discount_amount")
# discount_start_date = request.data.get("discount_start_date")
# discount_end_date = request.data.get("discount_end_date")
# point_amount = request.data.get("point_amount")
# point_start_date = request.data.get("point_start_date")
# point_end_date = request.data.get("point_end_date")
# if discount_type == "none" or discount_amount == "" or discount_start_date == "" or discount_end_date == "":
# discount_flag = False
# else:
# discount_flag = True
# if point_amount == "" or point_start_date == "" or point_end_date == "":
# point_flag = False
# else:
# point_flag = True
# product_discount = {
# 'product_id': product_id,
# 'amount': request.data.get("discount_amount"),
# 'discount_type': request.data.get("discount_type"),
# 'start_date': request.data.get("discount_start_date"),
# # 'end_date' : data['discount_end_date']
# 'end_date': request.data.get("discount_end_date")
# }
# product_point = {
# 'product_id': product_id,
# 'point': request.data.get("point_amount"),
# # 'end_date': data['point_end_date']
# 'start_date': request.data.get("point_start_date"),
# 'end_date': request.data.get("point_end_date")
# }
# delivery_info = {
# 'height': request.data.get("delivery_height"),
# 'width': request.data.get("delivery_width"),
# 'length': request.data.get("delivery_length"),
# 'weight': request.data.get("delivery_weight"),
# 'measument_unit': request.data.get("delivery_product_unit"),
# 'charge_inside': request.data.get("delivery_inside_city_charge"),
# 'charge_outside': request.data.get("delivery_outside_city_charge"),
# }
# if request.method == 'POST':
# delivery_id = 0
# discount_id = 0
# point_id = 0
# price_id = 0
# specification_id = 0
# flag = 0
# spec = {}
# price = {}
# discount = {}
# point = {}
# delivery = {}
# code = {}
# try:
# product_spec = ProductSpecificationSerializerz(
# data=specification_data_value)
# if product_spec.is_valid():
# product_spec.save()
# print("spec save hoise")
# spec.update(product_spec.data)
# print("Specification_id")
# specification_id = spec["id"]
# else:
# # print(product_spec.errors)
# specification_id = 0
# flag = flag+1
# product_price.update({'specification_id': spec['id']})
# print("fbwhefygbfywegbfwgfb")
# print(product_price)
# product_price = ProductPriceSerializer(data=product_price)
# if product_price.is_valid():
# product_price.save()
# print("price save hochche")
# price.update(product_price.data)
# price_id = price["id"]
# else:
# price_id = 0
# flag = flag+1
# if discount_flag == False:
# discount = {}
# else:
# product_discount.update({'specification_id': spec['id']})
# print("product_discount")
# print(product_discount)
# product_dis = ProductDiscountSerializer(data=product_discount)
# if product_dis.is_valid():
# product_dis.save()
# print("savwe hochche")
# discount.update(product_dis.data)
# discount_id = discount["id"]
# else:
# discount_id = 0
# flag = flag+1
# if point_flag == False:
# point = {}
# else:
# product_point.update({'specification_id': spec['id']})
# product_point_value = ProductPointSerializer(
# data=product_point)
# if product_point_value.is_valid():
# product_point_value.save()
# print("point save")
# point.update(product_point_value.data)
# point_id = point["id"]
# else:
# point_id = 0
# print(product_point_value.errors)
# flag = flag+1
# delivery_info.update({'specification_id': spec['id']})
# # print("here delivery",delivery_info )
# delivery_value = DeliveryInfoSerializer(data=delivery_info)
# # print("serializer",delivery_value)
# if delivery_value.is_valid():
# # print("here")
# delivery_value.save()
# delivery.update(delivery_value.data)
# delivery_id = delivery["id"]
# else:
# delivery_id = 0
# print(delivery_value.errors)
# flag = flag+1
# product_code.update({'specification_id':spec['id']})
# print("product point",product_code )
# product_code_value= ProductCodeSerializer (data=product_code)
# if product_code_value.is_valid():
# product_code_value.save()
# print("code is saved")
# code.update(product_code_value.data)
# code_id = code["id"]
# else:
# print("code error", product_code_value.errors)
# flag= flag+1
# if flag > 0:
# print("xxxxxxxxxxxxxxx")
# return JsonResponse({
# "success": False,
# "message": "Something went wrong !!",
# })
# else:
# return JsonResponse({
# "success": True,
# "message": "Specification data has been inserted Successfully",
# "specification": spec,
# "price": price,
# "discount": discount,
# "point": point,
# "delivery": delivery
# })
# except:
# print("yyyyyyyyyyyyyyyyyyy")
# try:
# spe = ProductSpecification.objects.get(id=specification_id)
# except:
# spe = None
# if spe:
# spe.delete()
# try:
# pri = ProductPrice.objects.get(id=price_id)
# except:
# pri = None
# if pri:
# pri.delete()
# try:
# poi = ProductPoint.objects.get(id=point_id)
# except:
# poi = None
# if poi:
# poi.delete()
# try:
# dis = discount_product.objects.get(id=discount_id)
# except:
# dis = None
# if dis:
# dis.delete()
# try:
# deli = DeliveryInfo.objects.get(id=delivery_id)
# except:
# deli = None
# if deli:
# deli.delete()
# try:
# deli = ProductCode.objects.get(id=delivery_id)
# except:
# deli = None
# if deli:
# deli.delete()
# return JsonResponse({
# "success": False,
# "message": "Something went wrong !!"
# })
# @api_view(['POST', ])
# def add_spec(request, product_id):
# current_date = date.today()
# print(request.data)
# specification_data_value = {
# 'product_id': product_id,
# 'color': request.data.get("color"),
# 'size': request.data.get("size"),
# 'weight': request.data.get("weight"),
# 'warranty': request.data.get("warranty"),
# 'warranty_unit': request.data.get("warranty_unit"),
# 'unit': request.data.get("product_unit"),
# 'vat': request.data.get("vat"),
# # 'seller_quantity': request.data.get("seller_quantity"),
# # 'remaining': request.data.get("seller_quantity"),
# 'manufacture_date': request.data.get("manufacture_date"),
# 'expire': request.data.get("expire")
# }
# product_price = {
# 'product_id': product_id,
# 'price': request.data.get("price"),
# 'purchase_price': request.data.get("purchase_price"),
# # 'currency_id': request.data.get('currency_id')
# }
# discount_type = request.data.get("discount_type")
# discount_amount = request.data.get("discount_amount")
# discount_start_date = request.data.get("discount_start_date")
# discount_end_date = request.data.get("discount_end_date")
# point_amount = request.data.get("point_amount")
# point_start_date = request.data.get("point_start_date")
# point_end_date = request.data.get("point_end_date")
# if discount_type == "none" or discount_amount == "" or discount_start_date == "" or discount_end_date == "":
# discount_flag = False
# else:
# discount_flag = True
# if point_amount == "" or point_start_date == "" or point_end_date == "":
# point_flag = False
# else:
# point_flag = True
# product_discount = {
# 'product_id': product_id,
# 'amount': request.data.get("discount_amount"),
# 'discount_type': request.data.get("discount_type"),
# 'start_date': request.data.get("discount_start_date"),
# # 'end_date' : data['discount_end_date']
# 'end_date': request.data.get("discount_end_date")
# }
# product_point = {
# 'product_id': product_id,
# 'point': request.data.get("point_amount"),
# # 'end_date': data['point_end_date']
# 'start_date': request.data.get("point_start_date"),
# 'end_date': request.data.get("point_end_date")
# }
# delivery_info = {
# 'height': request.data.get("delivery_height"),
# 'width': request.data.get("delivery_width"),
# 'length': request.data.get("delivery_length"),
# 'weight': request.data.get("delivery_weight"),
# 'measument_unit': request.data.get("delivery_product_unit"),
# 'charge_inside': request.data.get("delivery_inside_city_charge"),
# 'charge_outside': request.data.get("delivery_outside_city_charge"),
# }
# product_code = {
# 'product_id': product_id,
# 'manual_SKU' : request.data.get("sku")
# }
# if request.method == 'POST':
# delivery_id = 0
# discount_id = 0
# point_id = 0
# price_id = 0
# specification_id = 0
# flag = 0
# spec = {}
# price = {}
# discount = {}
# point = {}
# delivery = {}
# code={}
# try:
# product_spec = ProductSpecificationSerializerz(
# data=specification_data_value)
# if product_spec.is_valid():
# product_spec.save()
# # print("888888888888888888 spec save hoise")
# spec.update(product_spec.data)
# # print("Specification_id", spec["id"])
# specification_id = spec["id"]
# else:
# # print(product_spec.errors)
# specification_id = 0
# flag = flag+1
# product_price.update({'specification_id': spec['id']})
# product_price = ProductPriceSerializer(data=product_price)
# if product_price.is_valid():
# product_price.save()
# # print("price save hochche")
# price.update(product_price.data)
# price_id = price["id"]
# else:
# price_id = 0
# flag = flag+1
# if discount_flag == False:
# discount = {}
# else:
# product_discount.update({'specification_id': spec['id']})
# # print("product_discount")
# # print(product_discount)
# product_dis = ProductDiscountSerializer(data=product_discount)
# if product_dis.is_valid():
# product_dis.save()
# # print("savwe hochche")
# discount.update(product_dis.data)
# discount_id = discount["id"]
# else:
# discount_id = 0
# flag = flag+1
# if point_flag == False:
# point = {}
# else:
# product_point.update({'specification_id': spec['id']})
# product_point_value = ProductPointSerializer(
# data=product_point)
# if product_point_value.is_valid():
# product_point_value.save()
# # print("point save")
# point.update(product_point_value.data)
# point_id = point["id"]
# else:
# point_id = 0
# # print(product_point_value.errors)
# flag = flag+1
# delivery_info.update({'specification_id': spec['id']})
# # print("here delivery",delivery_info )
# delivery_value = DeliveryInfoSerializer(data=delivery_info)
# # print("serializer",delivery_value)
# if delivery_value.is_valid():
# # print("Inside the delivery ")
# delivery_value.save()
# # print("delivery is saved")
# delivery.update(delivery_value.data)
# delivery_id = delivery["id"]
# else:
# delivery_id = 0
# # print("errors delivery " ,delivery_value.errors)
# flag = flag+1
# product_code.update({'specification_id':spec['id']})
# # print("product point",product_code )
# product_code_value= ProductCodeSerializer (data=product_code)
# # print("product code serial", product_code_value)
# # print("before validation")
# if product_code_value.is_valid():
# # print("inside validation")
# product_code_value.save()
# # print("code is saved", product_code_value.data)
# code.update(product_code_value.data)
# # print("update code info",code )
# code_id = code["id"]
# # print("code id", code_id)
# else:
# # print("code error", product_code_value.errors)
# flag= flag+1
# if flag > 0:
# # print("xxxxxxxxxxxxxxx")
# return JsonResponse({
# "success": False,
# "message": "Something went wrong !!",
# })
# else:
# return JsonResponse({
# "success": True,
# "message": "Specification data has been inserted Successfully",
# "specification": spec,
# "price": price,
# "discount": discount,
# "point": point,
# "delivery": delivery
# })
# except:
# try:
# spe = ProductSpecification.objects.get(id=specification_id)
# except:
# spe = None
# if spe:
# spe.delete()
# try:
# pri = ProductPrice.objects.get(id=price_id)
# except:
# pri = None
# if pri:
# pri.delete()
# try:
# poi = ProductPoint.objects.get(id=point_id)
# except:
# poi = None
# if poi:
# poi.delete()
# try:
# dis = discount_product.objects.get(id=discount_id)
# except:
# dis = None
# if dis:
# dis.delete()
# try:
# deli = DeliveryInfo.objects.get(id=delivery_id)
# except:
# deli = None
# if deli:
# deli.delete()
# try:
# deli = ProductCode.objects.get(id=code_id)
# except:
# deli = None
# if deli:
# deli.delete()
# return JsonResponse({
# "success": False,
# "message": "Something went wrong !!"
# })
#
# @api_view(['POST', ])
# def add_spec(request, product_id):
# current_date = date.today()
# specification_data_value = {
# 'product_id': product_id,
# 'color': request.data.get("color"),
# 'size': request.data.get("size"),
# 'weight': request.data.get("weight"),
# 'warranty': request.data.get("warranty"),
# 'warranty_unit': request.data.get("warranty_unit"),
# 'unit': request.data.get("product_unit"),
# 'vat': request.data.get("vat"),
# # 'seller_quantity': request.data.get("seller_quantity"),
# # 'remaining': request.data.get("seller_quantity"),
# 'manufacture_date': request.data.get("manufacture_date"),
# 'expire': request.data.get("expire")
# }
# product_price = {
# 'product_id': product_id,
# 'price': request.data.get("price"),
# 'purchase_price': request.data.get("purchase_price"),
# # 'currency_id': request.data.get('currency_id')
# }
# discount_type = request.data.get("discount_type")
# discount_amount = request.data.get("discount_amount")
# discount_start_date = request.data.get("discount_start_date")
# discount_end_date = request.data.get("discount_end_date")
# point_amount = request.data.get("point_amount")
# point_start_date = request.data.get("point_start_date")
# point_end_date = request.data.get("point_end_date")
# if discount_type == "none" or discount_amount == "" or discount_start_date == "" or discount_end_date == "":
# discount_flag = False
# else:
# discount_flag = True
# if point_amount == "" or point_start_date == "" or point_end_date == "":
# point_flag = False
# else:
# point_flag = True
# product_discount = {
# 'product_id': product_id,
# 'amount': request.data.get("discount_amount"),
# 'discount_type': request.data.get("discount_type"),
# 'start_date': request.data.get("discount_start_date"),
# # 'end_date' : data['discount_end_date']
# 'end_date': request.data.get("discount_end_date")
# }
# product_point = {
# 'product_id': product_id,
# 'point': request.data.get("point_amount"),
# # 'end_date': data['point_end_date']
# 'start_date': request.data.get("point_start_date"),
# 'end_date': request.data.get("point_end_date")
# }
# delivery_info = {
# 'height': request.data.get("delivery_height"),
# 'width': request.data.get("delivery_width"),
# 'length': request.data.get("delivery_length"),
# 'weight': request.data.get("delivery_weight"),
# 'measument_unit': request.data.get("delivery_product_unit"),
# 'charge_inside': request.data.get("delivery_inside_city_charge"),
# 'charge_outside': request.data.get("delivery_outside_city_charge"),
# }
# product_code = {
# 'product_id': product_id,
# 'manual_SKU' : request.data.get("SKU"),
# 'uid': request.data.get("uid"),
# }
# if request.method == 'POST':
# delivery_id = 0
# discount_id = 0
# point_id = 0
# price_id = 0
# specification_id = 0
# flag = 0
# spec = {}
# price = {}
# discount = {}
# point = {}
# delivery = {}
# code={}
# try:
# product_spec = ProductSpecificationSerializerz(
# data=specification_data_value)
# if product_spec.is_valid():
# product_spec.save()
# # print("888888888888888888 spec save hoise")
# spec.update(product_spec.data)
# # print("Specification_id", spec["id"])
# specification_id = spec["id"]
# else:
# # print(product_spec.errors)
# specification_id = 0
# flag = flag+1
# product_price.update({'specification_id': spec['id']})
# product_price = ProductPriceSerializer(data=product_price)
# if product_price.is_valid():
# product_price.save()
# # print("price save hochche")
# price.update(product_price.data)
# price_id = price["id"]
# else:
# price_id = 0
# flag = flag+1
# if discount_flag == False:
# discount = {}
# else:
# product_discount.update({'specification_id': spec['id']})
# # print("product_discount")
# # print(product_discount)
# product_dis = ProductDiscountSerializer(data=product_discount)
# if product_dis.is_valid():
# product_dis.save()
# # print("savwe hochche")
# discount.update(product_dis.data)
# discount_id = discount["id"]
# else:
# discount_id = 0
# flag = flag+1
# if point_flag == False:
# point = {}
# else:
# product_point.update({'specification_id': spec['id']})
# product_point_value = ProductPointSerializer(
# data=product_point)
# if product_point_value.is_valid():
# product_point_value.save()
# # print("point save")
# point.update(product_point_value.data)
# point_id = point["id"]
# else:
# point_id = 0
# # print(product_point_value.errors)
# flag = flag+1
# delivery_info.update({'specification_id': spec['id']})
# # print("here delivery",delivery_info )
# delivery_value = DeliveryInfoSerializer(data=delivery_info)
# # print("serializer",delivery_value)
# if delivery_value.is_valid():
# # print("Inside the delivery ")
# delivery_value.save()
# # print("delivery is saved")
# delivery.update(delivery_value.data)
# delivery_id = delivery["id"]
# else:
# delivery_id = 0
# # print("errors delivery " ,delivery_value.errors)
# flag = flag+1
# product_code.update({'specification_id':spec['id']})
# # print("product point",product_code )
# product_code_value= ProductCodeSerializer (data=product_code)
# # print("product code serial", product_code_value)
# # print("before validation")
# if product_code_value.is_valid():
# # print("inside validation")
# product_code_value.save()
# # print("code is saved", product_code_value.data)
# code.update(product_code_value.data)
# create_product_code(product_code)
# code_id = code["id"]
# # print("code id", code_id)
# else:
# # print("code error", product_code_value.errors)
# flag= flag+1
# if flag > 0:
# # print("xxxxxxxxxxxxxxx")
# return JsonResponse({
# "success": False,
# "message": "Something went wrong !!",
# })
# else:
# return JsonResponse({
# "success": True,
# "message": "Specification data has been inserted Successfully",
# "specification": spec,
# "price": price,
# "discount": discount,
# "point": point,
# "delivery": delivery
# })
# except:
# try:
# spe = ProductSpecification.objects.get(id=specification_id)
# except:
# spe = None
# if spe:
# spe.delete()
# try:
# pri = ProductPrice.objects.get(id=price_id)
# except:
# pri = None
# if pri:
# pri.delete()
# try:
# poi = ProductPoint.objects.get(id=point_id)
# except:
# poi = None
# if poi:
# poi.delete()
# try:
# dis = discount_product.objects.get(id=discount_id)
# except:
# dis = None
# if dis:
# dis.delete()
# try:
# deli = DeliveryInfo.objects.get(id=delivery_id)
# except:
# deli = None
# if deli:
# deli.delete()
# try:
# deli = ProductCode.objects.get(id=code_id)
# except:
# deli = None
# if deli:
# deli.delete()
# return JsonResponse({
# "success": False,
# "message": "Something went wrong !!"
# })
@api_view(['POST', ])
def add_spec2(request, product_id):
current_date = date.today()
specification_data_value = {
'product_id': product_id,
'color': request.data.get("color"),
'size': request.data.get("size"),
'weight': request.data.get("weight"),
'warranty': request.data.get("warranty"),
'warranty_unit': request.data.get("warranty_unit"),
'unit': request.data.get("product_unit"),
'vat': request.data.get("vat"),
'seller_quantity': request.data.get("seller_quantity"),
'remaining': request.data.get("seller_quantity"),
'manufacture_date': request.data.get("manufacture_date"),
'expire': request.data.get("expire"),
'is_own' :True
}
product_price = {
'product_id': product_id,
'price': request.data.get("price"),
'purchase_price': request.data.get("purchase_price"),
# 'currency_id': request.data.get('currency_id')
}
discount_type = request.data.get("discount_type")
discount_amount = request.data.get("discount_amount")
discount_start_date = request.data.get("discount_start_date")
discount_end_date = request.data.get("discount_end_date")
point_amount = request.data.get("point_amount")
point_start_date = request.data.get("point_start_date")
point_end_date = request.data.get("point_end_date")
if discount_type == "none" or discount_amount == "" or discount_start_date == "" or discount_end_date == "":
discount_flag = False
else:
discount_flag = True
if point_amount == "" or point_start_date == "" or point_end_date == "":
point_flag = False
else:
point_flag = True
product_discount = {
'product_id': product_id,
'amount': request.data.get("discount_amount"),
'discount_type': request.data.get("discount_type"),
'start_date': request.data.get("discount_start_date"),
# 'end_date' : data['discount_end_date']
'end_date': request.data.get("discount_end_date")
}
product_point = {
'product_id': product_id,
'point': request.data.get("point_amount"),
# 'end_date': data['point_end_date']
'start_date': request.data.get("point_start_date"),
'end_date': request.data.get("point_end_date")
}
delivery_info = {
'height': request.data.get("delivery_height"),
'width': request.data.get("delivery_width"),
'length': request.data.get("delivery_length"),
'weight': request.data.get("delivery_weight"),
'measument_unit': request.data.get("delivery_product_unit"),
'charge_inside': request.data.get("delivery_inside_city_charge"),
'charge_outside': request.data.get("delivery_outside_city_charge"),
}
product_code = {
'product_id': product_id,
'manual_SKU' : request.data.get("SKU")
}
if request.method == 'POST':
delivery_id = 0
discount_id = 0
point_id = 0
price_id = 0
specification_id = 0
flag = 0
spec = {}
price = {}
discount = {}
point = {}
delivery = {}
code={}
try:
product_spec = ProductSpecificationSerializerz(
data=specification_data_value)
if product_spec.is_valid():
product_spec.save()
# print("888888888888888888 spec save hoise")
spec.update(product_spec.data)
# print("Specification_id", spec["id"])
specification_id = spec["id"]
else:
# print(product_spec.errors)
specification_id = 0
flag = flag+1
product_price.update({'specification_id': spec['id']})
product_price = ProductPriceSerializer(data=product_price)
if product_price.is_valid():
product_price.save()
# print("price save hochche")
price.update(product_price.data)
price_id = price["id"]
else:
price_id = 0
flag = flag+1
if discount_flag == False:
discount = {}
else:
product_discount.update({'specification_id': spec['id']})
# print("product_discount")
# print(product_discount)
product_dis = ProductDiscountSerializer(data=product_discount)
if product_dis.is_valid():
product_dis.save()
# print("savwe hochche")
discount.update(product_dis.data)
discount_id = discount["id"]
else:
discount_id = 0
flag = flag+1
if point_flag == False:
point = {}
else:
product_point.update({'specification_id': spec['id']})
product_point_value = ProductPointSerializer(
data=product_point)
if product_point_value.is_valid():
product_point_value.save()
# print("point save")
point.update(product_point_value.data)
point_id = point["id"]
else:
point_id = 0
# print(product_point_value.errors)
flag = flag+1
delivery_info.update({'specification_id': spec['id']})
# print("here delivery",delivery_info )
delivery_value = DeliveryInfoSerializer(data=delivery_info)
# print("serializer",delivery_value)
if delivery_value.is_valid():
# print("Inside the delivery ")
delivery_value.save()
# print("delivery is saved")
delivery.update(delivery_value.data)
delivery_id = delivery["id"]
else:
delivery_id = 0
# print("errors delivery " ,delivery_value.errors)
flag = flag+1
product_code.update({'specification_id':spec['id']})
# print("product point",product_code )
product_code_value= ProductCodeSerializer (data=product_code)
# print("product code serial", product_code_value)
# print("before validation")
if product_code_value.is_valid():
# print("inside validation")
product_code_value.save()
# print("code is saved", product_code_value.data)
code.update(product_code_value.data)
# print("update code info",code )
create_product_code(product_code)
code_id = code["id"]
# print("code id", code_id)
else:
# print("code error", product_code_value.errors)
flag= flag+1
if flag > 0:
# print("xxxxxxxxxxxxxxx")
return JsonResponse({
"success": False,
"message": "Something went wrong !!",
})
else:
return JsonResponse({
"success": True,
"message": "Specification data has been inserted Successfully",
"specification": spec,
"price": price,
"discount": discount,
"point": point,
"delivery": delivery
})
except:
try:
spe = ProductSpecification.objects.get(id=specification_id)
except:
spe = None
if spe:
spe.delete()
try:
pri = ProductPrice.objects.get(id=price_id)
except:
pri = None
if pri:
pri.delete()
try:
poi = ProductPoint.objects.get(id=point_id)
except:
poi = None
if poi:
poi.delete()
try:
dis = discount_product.objects.get(id=discount_id)
except:
dis = None
if dis:
dis.delete()
try:
deli = DeliveryInfo.objects.get(id=delivery_id)
except:
deli = None
if deli:
deli.delete()
try:
deli = ProductCode.objects.get(id=code_id)
except:
deli = None
if deli:
deli.delete()
return JsonResponse({
"success": False,
"message": "Something went wrong !!"
})
# @api_view(['POST', ])
# def add_spec2(request, product_id):
# current_date = date.today()
# print(request.data)
# specification_data_value = {
# 'product_id': product_id,
# 'color': request.data.get("color"),
# 'size': request.data.get("size"),
# 'weight': request.data.get("weight"),
# 'warranty': request.data.get("warranty"),
# 'warranty_unit': request.data.get("warranty_unit"),
# 'unit': request.data.get("product_unit"),
# 'vat': request.data.get("vat"),
# 'seller_quantity': request.data.get("seller_quantity"),
# 'remaining': request.data.get("seller_quantity"),
# 'manufacture_date': request.data.get("manufacture_date"),
# 'expire': request.data.get("expire")
# }
# product_price = {
# 'product_id': product_id,
# 'price': request.data.get("price"),
# 'purchase_price': request.data.get("purchase_price"),
# # 'currency_id': request.data.get('currency_id')
# }
# discount_type = request.data.get("discount_type")
# discount_amount = request.data.get("discount_amount")
# discount_start_date = request.data.get("discount_start_date")
# discount_end_date = request.data.get("discount_end_date")
# point_amount = request.data.get("point_amount")
# point_start_date = request.data.get("point_start_date")
# point_end_date = request.data.get("point_end_date")
# if discount_type == "none" or discount_amount == "" or discount_start_date == "" or discount_end_date == "":
# discount_flag = False
# else:
# discount_flag = True
# if point_amount == "" or point_start_date == "" or point_end_date == "":
# point_flag = False
# else:
# point_flag = True
# product_discount = {
# 'product_id': product_id,
# 'amount': request.data.get("discount_amount"),
# 'discount_type': request.data.get("discount_type"),
# 'start_date': request.data.get("discount_start_date"),
# # 'end_date' : data['discount_end_date']
# 'end_date': request.data.get("discount_end_date")
# }
# product_point = {
# 'product_id': product_id,
# 'point': request.data.get("point_amount"),
# # 'end_date': data['point_end_date']
# 'start_date': request.data.get("point_start_date"),
# 'end_date': request.data.get("point_end_date")
# }
# delivery_info = {
# 'height': request.data.get("delivery_height"),
# 'width': request.data.get("delivery_width"),
# 'length': request.data.get("delivery_length"),
# 'weight': request.data.get("delivery_weight"),
# 'measument_unit': request.data.get("delivery_product_unit"),
# 'charge_inside': request.data.get("delivery_inside_city_charge"),
# 'charge_outside': request.data.get("delivery_outside_city_charge"),
# }
# product_code = {
# 'product_id': product_id,
# 'manual_SKU' : request.data.get("sku")
# }
# if request.method == 'POST':
# delivery_id = 0
# discount_id = 0
# point_id = 0
# price_id = 0
# specification_id = 0
# flag = 0
# spec = {}
# price = {}
# discount = {}
# point = {}
# delivery = {}
# code={}
# try:
# product_spec = ProductSpecificationSerializerz(
# data=specification_data_value)
# if product_spec.is_valid():
# product_spec.save()
# # print("888888888888888888 spec save hoise")
# spec.update(product_spec.data)
# # print("Specification_id", spec["id"])
# specification_id = spec["id"]
# else:
# # print(product_spec.errors)
# specification_id = 0
# flag = flag+1
# product_price.update({'specification_id': spec['id']})
# product_price = ProductPriceSerializer(data=product_price)
# if product_price.is_valid():
# product_price.save()
# # print("price save hochche")
# price.update(product_price.data)
# price_id = price["id"]
# else:
# price_id = 0
# flag = flag+1
# if discount_flag == False:
# discount = {}
# else:
# product_discount.update({'specification_id': spec['id']})
# # print("product_discount")
# # print(product_discount)
# product_dis = ProductDiscountSerializer(data=product_discount)
# if product_dis.is_valid():
# product_dis.save()
# # print("savwe hochche")
# discount.update(product_dis.data)
# discount_id = discount["id"]
# else:
# discount_id = 0
# flag = flag+1
# if point_flag == False:
# point = {}
# else:
# product_point.update({'specification_id': spec['id']})
# product_point_value = ProductPointSerializer(
# data=product_point)
# if product_point_value.is_valid():
# product_point_value.save()
# # print("point save")
# point.update(product_point_value.data)
# point_id = point["id"]
# else:
# point_id = 0
# # print(product_point_value.errors)
# flag = flag+1
# delivery_info.update({'specification_id': spec['id']})
# # print("here delivery",delivery_info )
# delivery_value = DeliveryInfoSerializer(data=delivery_info)
# # print("serializer",delivery_value)
# if delivery_value.is_valid():
# # print("Inside the delivery ")
# delivery_value.save()
# # print("delivery is saved")
# delivery.update(delivery_value.data)
# delivery_id = delivery["id"]
# else:
# delivery_id = 0
# # print("errors delivery " ,delivery_value.errors)
# flag = flag+1
# product_code.update({'specification_id':spec['id']})
# # print("product point",product_code )
# product_code_value= ProductCodeSerializer (data=product_code)
# # print("product code serial", product_code_value)
# # print("before validation")
# if product_code_value.is_valid():
# # print("inside validation")
# product_code_value.save()
# # print("code is saved", product_code_value.data)
# code.update(product_code_value.data)
# # print("update code info",code )
# code_id = code["id"]
# # print("code id", code_id)
# else:
# # print("code error", product_code_value.errors)
# flag= flag+1
# if flag > 0:
# # print("xxxxxxxxxxxxxxx")
# return JsonResponse({
# "success": False,
# "message": "Something went wrong !!",
# })
# else:
# return JsonResponse({
# "success": True,
# "message": "Specification data has been inserted Successfully",
# "specification": spec,
# "price": price,
# "discount": discount,
# "point": point,
# "delivery": delivery
# })
# except:
# try:
# spe = ProductSpecification.objects.get(id=specification_id)
# except:
# spe = None
# if spe:
# spe.delete()
# try:
# pri = ProductPrice.objects.get(id=price_id)
# except:
# pri = None
# if pri:
# pri.delete()
# try:
# poi = ProductPoint.objects.get(id=point_id)
# except:
# poi = None
# if poi:
# poi.delete()
# try:
# dis = discount_product.objects.get(id=discount_id)
# except:
# dis = None
# if dis:
# dis.delete()
# try:
# deli = DeliveryInfo.objects.get(id=delivery_id)
# except:
# deli = None
# if deli:
# deli.delete()
# try:
# deli = ProductCode.objects.get(id=code_id)
# except:
# deli = None
# if deli:
# deli.delete()
# return JsonResponse({
# "success": False,
# "message": "Something went wrong !!"
# })
@api_view(["GET", "POST"])
def confirm_products(request):
values = {
"order_id": 1,
"quantity": 2000000,
"store": "warehouse",
"ware_name": "sheba.xyz",
"ware_house_id": 1
}
if(request.method == "POST"):
ware_house = []
shops = []
flag = 0
reminder = -1
try:
order_info = OrderDetails.objects.filter(
order_id=values['order_id'])
for orders in order_info:
all_quantity_data = OrderDetails.objects.get(
product_id=orders.product_id, product_size=orders.product_size, product_color=orders.product_color)
specific_quantity = all_quantity_data.total_quantity
if(values['quantity'] > specific_quantity):
flag = flag+1
else:
print("specific quantity", specific_quantity)
if (values['store'] == "warehouse"):
ware_house_info = Warehouse.objects.get(
id=values['ware_house_id'])
quantity = ware_house_info.product_quantity
if(values['quantity'] > quantity):
flag = flag+1
else:
print("before add", ware_house_info.product_quantity)
ware_house_info.product_quantity = (
quantity - values['quantity'])
ware_house_info.save()
print("after add", ware_house_info.product_quantity)
reminder = specific_quantity-values['quantity']
elif (values['store'] == "shop"):
shop_house_info = Shop.objects.get(
id=values['ware_house_id'])
quantity = shop_house_info.product_quantity
if(values['quantity'] > quantity):
flag = flag+1
else:
shop_house_info.product_quantity = (
quantity - values['quantity'])
shop_house_info.save()
reminder = specific_quantity-values['quantity']
if(reminder < 0):
reminder = 0
except:
return Response({'Message': 'Check whether requested data exists or not'})
if (flag > 0):
return Response({
"success": False,
"Message": "You set wrong values !!"
})
else:
return Response({
"success": True,
"Message": "Information has been updated",
"reminder": reminder
})
@api_view(["POST", ])
def create_warehouse(request):
serializer = WarehouseSerializer(data=request.data)
if serializer.is_valid():
serializer.save()
return Response({"success": True, "message": "Warehouse has been created", "data": serializer.data})
else:
return Response({"success": True, "message": "Warehouse could not be created"})
@api_view(["POST", ])
def create_shop(request):
serializer = ShopSerializer(data=request.data)
if serializer.is_valid():
serializer.save()
return Response({"success": True, "message": "Shop has been created", "data": serializer.data})
else:
return Response({"success": True, "message": "Shop could not be created"})
@api_view(["POST", ])
def update_shop(request, shop_id):
try:
shop = Shop.objects.get(id=shop_id)
except:
shop = None
if shop:
serializer = ShopSerializer(shop, data=request.data)
if serializer.is_valid():
serializer.save()
return Response({"success": True, "message": "Shop data has been updated", "data": serializer.data})
else:
return Response({"success": True, "message": "Shop data could not be updated"})
else:
return Response({"success": True, "message": "Shop does not exist"})
@api_view(["POST", ])
def update_warehouse(request, warehouse_id):
try:
warehouse = Warehouse.objects.get(id=warehouse_id)
except:
warehouse = None
if warehouse:
serializer = WarehouseSerializer(warehouse, data=request.data)
if serializer.is_valid():
serializer.save()
return Response({"success": True, "message": "Warehouse data has been updated", "data": serializer.data})
else:
return Response({"success": True, "message": "Warehouse data could not be updated"})
else:
return Response({"success": True, "message": "Warehouse does not exist"})
@api_view(["GET", ])
def show_all_warehouses(request):
try:
warehouse = Warehouse.objects.all()
except:
warehouse = None
if warehouse:
serializer = WarehouseSerializer(warehouse, many=True)
return Response({"success": True, "message": "Data is shown", "data": serializer.data})
else:
return Response({"success": False, "message": "No data could be retrieved", "data": []})
@api_view(["GET", ])
def show_all_shops(request):
try:
warehouse = Shop.objects.all()
except:
warehouse = None
if warehouse:
serializer = ShopSerializer(warehouse, many=True)
return Response({"success": True, "message": "Data is shown", "data": serializer.data})
else:
return Response({"success": False, "message": "No data could be retrieved", "data": []})
def delete_warehouse(request, warehouse_id):
try:
warehouse = Warehouse.objects.get(id=warehouse_id)
except:
warehouse = None
if warehouse:
warehouse.delete()
return JsonResponse({"success": True, "message": "Warehouse has been deleted"})
else:
return JsonResponse({"success": False, "message": "Warehouse does not exist"})
def delete_shop(request, shop_id):
try:
warehouse = Shop.objects.get(id=shop_id)
except:
warehouse = None
if warehouse:
warehouse.delete()
return JsonResponse({"success": True, "message": "Shop has been deleted"})
else:
return JsonResponse({"success": False, "message": "Shop does not exist"})
@api_view(["GET", ])
def inventory_lists(request, order_details_id):
try:
product = OrderDetails.objects.get(id=order_details_id)
except:
product = None
print(product)
if product:
product_id = product.product_id
product_size = product.product_size
product_color = product.product_color
product_specification_id = product.specification_id
try:
spec = ProductSpecification.objects.get(id=product_specification_id)
except:
spec = None
if spec:
specification_id = spec.id
print(specification_id)
try:
warehouses = WarehouseInfo.objects.filter(
specification_id=specification_id)
except:
warehouses = None
print(warehouses)
warehouse_infos = []
if warehouses:
warehouse_ids = list(
warehouses.values_list('warehouse_id', flat=True))
warehouse_quantities = list(
warehouses.values_list('quantity', flat=True))
for i in range(len(warehouse_ids)):
try:
warehouse = Warehouse.objects.get(id=warehouse_ids[i])
except:
warehouse = None
if warehouse:
name = warehouse.warehouse_name
location = warehouse.warehouse_location
quantity = warehouse_quantities[i]
warehouse_data = {
"id": warehouse_ids[i], "name": name, "location": location, "quantity": quantity}
else:
warehouse_data = {}
warehouse_infos.append(warehouse_data)
else:
warehouse_infos = []
try:
shops = ShopInfo.objects.filter(
specification_id=specification_id)
except:
shops = None
shop_infos = []
if shops:
shop_ids = list(shops.values_list('shop_id', flat=True))
shop_quantities = list(
shops.values_list('quantity', flat=True))
for i in range(len(shop_ids)):
try:
shop = Shop.objects.get(id=shop_ids[i])
except:
shop = None
if warehouse:
name = shop.shop_name
location = shop.shop_location
quantity = shop_quantities[i]
shop_data = {
"id": shop_ids[i], "name": name, "location": location, "quantity": quantity}
else:
shop_data = {}
shop_infos.append(shop_data)
else:
shop_infos = []
else:
warehouse_infos = []
shop_infos = []
return JsonResponse({'success': True, 'message': 'Data is shown below', 'warehouse': warehouse_infos, 'shop': shop_infos})
@api_view(["GET", ])
def warehouse_products(request, warehouse_id):
try:
products = Warehouse.objects.get(id=warehouse_id)
except:
products = None
if products:
warehouse_serializer = WarehouseSerializer(products, many=False)
warehouse_data = warehouse_serializer.data
return JsonResponse({'success': True, 'message': 'Here is the data', 'data': warehouse_data})
else:
warehouse_data = {}
return JsonResponse({'success': False, 'message': 'Here is the data', 'data': warehouse_data})
@api_view(["GET", ])
def shop_products(request, shop_id):
try:
products = Shop.objects.get(id=shop_id)
except:
products = None
if products:
warehouse_serializer = ShopSerializer(products, many=False)
warehouse_data = warehouse_serializer.data
return JsonResponse({'success': True, 'message': 'Here is the data', 'data': warehouse_data})
else:
warehouse_data = {}
return JsonResponse({'success': False, 'message': 'Here is the data', 'data': warehouse_data})
# ----------------------------------- quantity store in different shop/inventory ------------------------
@api_view(["GET", "POST"])
def insert_product_quantity(request):
# demo values
# api_values = {
# 'product_id':35,
# 'specification_id':34,
# 'purchase_price': 100,
# 'selling_price': 120,
# 'warehouse': [
# {
# 'warehouse_id': 1,
# 'quantity': 200
# },
# {
# 'warehouse_id': 2,
# 'quantity': 200
# }
# ],
# 'shop': [
# {
# 'shop_id': 3,
# 'quantity': 200
# },
# {
# 'shop_id': 2,
# 'quantity': 200
# },
# {
# 'shop_id': 1,
# 'quantity': 200
# }
# ]
# }
api_values = request.data
current_date = date.today()
if request.method == 'POST':
#Insert the purchase price and selling price for that object:
try:
price_data = {"product_id":api_values["product_id"],"specification_id":api_values["specification_id"],"price":api_values["selling_price"],"purchase_price":api_values["purchase_price"]}
#Inserting the price
product_price_serializer = ProductPriceSerializer(data = price_data)
if product_price_serializer.is_valid():
product_price_serializer.save()
except:
return JsonResponse({"success":False,"message":"The price could not be inserted"})
try:
#Fetching the product price
prod_price = ProductPrice.objects.filter(specification_id=api_values["specification_id"]).last()
except:
prod_price = None
if prod_price:
purchase_price = prod_price.purchase_price
selling_price = prod_price.price
else:
return JsonResponse({"success":False,"message":"Price does not exist for this product"})
try:
# checking is there any warehouse data exists or not
if len(api_values['warehouse']) > 0:
for wareh in api_values['warehouse']:
try:
# getting the previous data if there is any in the similar name. If exists update the new value. if does not create new records.
wareh_query = WarehouseInfo.objects.filter(
warehouse_id=wareh['warehouse_id'], specification_id=api_values['specification_id']).last()
print("quertresult")
print(wareh_query)
if wareh_query:
# quantity_val = wareh_query[0].quantity
# new_quantity = quantity_val + wareh['quantity']
# wareh_query.update(quantity=new_quantity)
# wareh_query.save()
print("existing warehouse")
print(type(wareh['quantity']))
print(wareh_query.quantity)
warehouse_quantity = wareh_query.quantity
print(warehouse_quantity)
new_quantity = warehouse_quantity + int(wareh['quantity'])
print(new_quantity)
wareh_query.quantity = new_quantity
print(wareh_query.quantity)
wareh_query.save()
print(wareh_query.quantity)
try:
product_spec = ProductSpecification.objects.get(id=api_values['specification_id'])
except:
product_spec = None
if product_spec:
product_spec.save()
else:
print("else ey dhuktese")
wareh_data = WarehouseInfo.objects.create(specification_id=api_values['specification_id'], product_id=api_values['product_id'], warehouse_id=wareh['warehouse_id'],
quantity=int(wareh['quantity']))
wareh_data.save()
try:
product_spec = ProductSpecification.objects.get(id=api_values['specification_id'])
except:
product_spec = None
if product_spec:
product_spec.save()
# updating the inventory report credit records for each ware house quantity. It will help to keep the records in future.
# report_data = inventory_report(
# product_id=api_values['product_id'], credit=wareh['quantity'], warehouse_id=wareh['warehouse_id'])
# report_data.save()
#Check to see if there are any inventory_reports
# try:
# report = inventory_report.objects.filter(product_id=api_values['product_id'],specification_id=api_values['specification_id'],warehouse_id=wareh['warehouse_id'],date=current_date).last()
# except:
# report = None
# if report:
# #Update the existing report
# report.credit += int(wareh['quantity'])
# report.save()
new_report = inventory_report.objects.create(product_id=api_values['product_id'],specification_id=api_values['specification_id'],warehouse_id=wareh['warehouse_id'],credit=int(wareh['quantity']),date=current_date,purchase_price=purchase_price,selling_price=selling_price)
new_report.save()
except:
pass
if len(api_values['shop']) > 0:
for shops in api_values['shop']:
try:
# getting the existing shop values if is there any.
print(shops['shop_id'])
shop_query = ShopInfo.objects.filter(
shop_id=shops['shop_id'], specification_id=api_values['specification_id']).last()
print(shop_query)
if shop_query:
print("shop ase")
quantity_val = shop_query.quantity
new_quantity = quantity_val + int(shops['quantity'])
# shop_query.update(quantity=new_quantity)
shop_query.quantity = new_quantity
shop_query.save()
try:
product_spec = ProductSpecification.objects.get(id=api_values['specification_id'])
except:
product_spec = None
if product_spec:
product_spec.save()
else:
print("shop nai")
shop_data = ShopInfo.objects.create(specification_id=api_values['specification_id'], product_id=api_values['product_id'], shop_id=shops['shop_id'],
quantity=int(shops['quantity']))
shop_data.save()
# Updating the report table after being inserted the quantity corresponding to credit coloumn for each shop.
# report_data = inventory_report(
# product_id=api_values['product_id'], credit=shops['quantity'], shop_id=shops['shop_id'])
# report_data.save()
try:
product_spec = ProductSpecification.objects.get(id=api_values['specification_id'])
except:
product_spec = None
if product_spec:
product_spec.save()
new_report = inventory_report.objects.create(product_id=api_values['product_id'],specification_id=api_values['specification_id'],shop_id=shops['shop_id'],credit=int(shops['quantity']),date=current_date,purchase_price=purchase_price,selling_price=selling_price)
new_report.save()
except:
pass
return Response({
"success": True,
"message": "Data has been added successfully"
})
except:
return Response({
"success": False,
"message": "Something went wrong !!"
})
@api_view(["GET", "POST"])
def get_all_quantity_list(request, specification_id):
if request.method == 'GET':
try:
warehouse_values = []
shop_values = []
warehouse_ids = []
shop_ids = []
warehouse_query = WarehouseInfo.objects.filter(
specification_id=specification_id)
print(warehouse_query)
wh_name = Warehouse.objects.all()
print(wh_name)
for wq in warehouse_query:
print(wq.warehouse_id)
warehouse_data = Warehouse.objects.get(id=wq.warehouse_id)
wh_data = {"warehouse_id": warehouse_data.id, "previous_quantity": wq.quantity,
"warehouse_name": warehouse_data.warehouse_name}
print(wh_data)
warehouse_values.append(wh_data)
warehouse_ids.append(wq.warehouse_id)
print(warehouse_values)
for warehouse in wh_name:
if warehouse.id not in warehouse_ids:
wh_data = {"warehouse_id": warehouse.id, "previous_quantity": 0,
"warehouse_name": warehouse.warehouse_name}
warehouse_values.append(wh_data)
print(warehouse_values)
shopinfo_query = ShopInfo.objects.filter(
specification_id=specification_id)
all_shops = Shop.objects.all()
print(shopinfo_query)
print(all_shops)
for shop in shopinfo_query:
shop_data = Shop.objects.get(id=shop.shop_id)
datas = {"shop_id": shop_data.id, "previous_quantity": shop.quantity,
"shop_name": shop_data.shop_name}
shop_values.append(datas)
shop_ids.append(shop.shop_id)
for shops in all_shops:
if shops.id not in shop_ids:
datas = {"shop_id": shops.id, "previous_quantity": 0,
"shop_name": shops.shop_name}
shop_values.append(datas)
return JsonResponse({
"success": True,
"message": "Data has been retrieved successfully",
"data": {
"warehouse": warehouse_values,
"shop": shop_values
}
})
except:
return JsonResponse({
"success": False,
"message": "Something went wrong"
})
# @api_view(["GET", "POST"])
# def get_all_quantity_list_and_price(request, specification_id):
# if request.method == 'GET':
# purchase_price = 0
# selling_price = 0
# try:
# spec_price = SpecificationPrice.objects.filter(specification_id = specification_id,status="Single").last()
# except:
# spec_price = None
# if spec_price:
# purchase_price = spec_price.purchase_price
# selling_price = spec_price.mrp
# try:
# warehouse_values = []
# shop_values = []
# warehouse_ids = []
# shop_ids = []
# warehouse_query = WarehouseInfo.objects.filter(
# specification_id=specification_id)
# print(warehouse_query)
# wh_name = Warehouse.objects.all()
# print(wh_name)
# for wq in warehouse_query:
# print(wq.warehouse_id)
# warehouse_data = Warehouse.objects.get(id=wq.warehouse_id)
# wh_data = {"warehouse_id": warehouse_data.id, "previous_quantity": wq.quantity,
# "warehouse_name": warehouse_data.warehouse_name}
# print(wh_data)
# warehouse_values.append(wh_data)
# warehouse_ids.append(wq.warehouse_id)
# print(warehouse_values)
# for warehouse in wh_name:
# if warehouse.id not in warehouse_ids:
# wh_data = {"warehouse_id": warehouse.id, "previous_quantity": 0,
# "warehouse_name": warehouse.warehouse_name}
# warehouse_values.append(wh_data)
# print(warehouse_values)
# shopinfo_query = ShopInfo.objects.filter(
# specification_id=specification_id)
# all_shops = Shop.objects.all()
# print(shopinfo_query)
# print(all_shops)
# for shop in shopinfo_query:
# shop_data = Shop.objects.get(id=shop.shop_id)
# datas = {"shop_id": shop_data.id, "previous_quantity": shop.quantity,
# "shop_name": shop_data.shop_name}
# shop_values.append(datas)
# shop_ids.append(shop.shop_id)
# for shops in all_shops:
# if shops.id not in shop_ids:
# datas = {"shop_id": shops.id, "previous_quantity": 0,
# "shop_name": shops.shop_name}
# shop_values.append(datas)
# return JsonResponse({
# "success": True,
# "message": "Data has been retrieved successfully",
# "data": {
# "warehouse": warehouse_values,
# "shop": shop_values ,
# "purchase_price": purchase_price,
# "selling_price" : selling_price
# }
# })
# except:
# return JsonResponse({
# "success": False,
# "message": "Something went wrong"
# })
@api_view(["GET", "POST"])
def create_all_brand(request):
brand_name = request.data.get("Brand_name")
brand_owner = request.data.get("Brand_owner")
brand_country = request.data.get("Brand_country")
brand_name = brand_name.capitalize()
print(brand_name)
data = {'Brand_name':brand_name,'Brand_country':brand_country,'Brand_owner':brand_owner}
try:
brands = ProductBrand.objects.all()
except:
brands = None
flag = 0
if brands:
brand_list=list(brands.values_list('Brand_name',flat=True))
brand_ids=list(brands.values_list('id',flat=True))
for i in range(len(brand_list)):
brand_upper = brand_list[i].upper()
# print(brand_upper)
brand_lower = brand_list[i].lower()
# print(brand_lower)
if brand_name == brand_list[i]:
brand_name = brand_list[i]
brand_id = brand_ids[i]
flag = 1
break
# elif brand_name == brand_upper:
# brand_name = brand_upper
# flag = 1
# break
# elif brand_name == brand_lower:
# brand_name = brand_lower
# flag = 1
# break
message = "The brand " + brand_name + " already exists."
print(message)
if flag == 1:
return JsonResponse({'success':False,'message': message,'brand_id':brand_id})
else:
serializer = AddBrandSerializer(data=data)
if serializer.is_valid():
serializer.save()
return JsonResponse({
"success": True,
"message": "Brand has been inserted successfully",
"data": serializer.data
})
else:
serializer = AddBrandSerializer(data=data)
if serializer.is_valid():
serializer.save()
return JsonResponse({
"success": True,
"message": "Brand has been inserted successfully",
"data": serializer.data
})
@api_view(["GET", "POST"])
def get_all_brand(request):
if request.method == 'GET':
try:
brand_query = ProductBrand.objects.all()
brand_serializers = AddBrandSerializer(brand_query, many=True)
return JsonResponse({
"success": True,
"message": "Brand has been retrived successfully",
"data": brand_serializers.data
})
except:
return JsonResponse({
"success": False,
"message": "SSomething Went wrong"
})
@api_view(["GET", "POST"])
def delete_specific_brand(request, brand_id):
if request.method == 'POST':
try:
product_brand = ProductBrand.objects.get(id=brand_id)
except:
product_brand = None
if product_brand:
if product_brand.Brand_name == "Individual":
return JsonResponse({
"success": False,
"message": "You are not allowed to delete Individual Brand"})
else:
product_brand.delete()
return JsonResponse({
"success": True,
"message": "Desired Brand has been deleted successfully"})
else:
return JsonResponse({
"success": False,
"message": "Desired Brand does not exist"
})
@api_view(["GET", "POST"])
def update_specific_brand(request, brand_id):
if request.method == 'POST':
try:
product_brand = ProductBrand.objects.get(id=brand_id)
except:
product_brand = None
if product_brand:
if product_brand.Brand_name == "Individual":
return JsonResponse({
"success": False,
"message": "You are not allowed to modify Individual Brand"})
else:
brand_serializers = AddBrandSerializer(
product_brand, data=request.data)
if brand_serializers.is_valid():
brand_serializers.save()
return JsonResponse({
"success": True,
"message": "Desired Brand has been modified successfully",
"data": brand_serializers.data})
else:
return JsonResponse({
"success": False,
"message": "Desired Brand does not exist"
})
# def warehouse
@api_view(["GET",])
def warehouse_report(request):
try:
report = inventory_report.objects.filter(shop_id = -1)
except:
report = None
print(report)
if report:
report_serializer = InventoryReportSerializer(report,many=True)
return JsonResponse({'success':True,'message':'Data is shown','data':report_serializer.data})
else:
return JsonResponse({'success':False,'message':'Data is not shown'})
# def warehouse
@api_view(["GET",])
def shop_report(request):
try:
report = inventory_report.objects.filter(warehouse_id = -1)
except:
report = None
if report:
report_serializer = InventoryReportSerializer(report,many=True)
return JsonResponse({'success':True,'message':'Data is shown','data':report_serializer.data})
else:
return JsonResponse({'success':False,'message':'Data is not shown'})
@api_view(["GET", "POST"])
def get_subtracted_value(request, order_id,specification_id):
if request.method == "GET":
try:
values=[]
all_info=[]
spec_value={}
all_ware=[]
all_shop=[]
tracking_values = subtraction_track.objects.filter(order_id = order_id)
for track in tracking_values:
values.append(track.specification_id)
values = set(values)
data_values = subtraction_track.objects.filter(order_id = order_id, specification_id = specification_id)
for itenary in data_values:
ware_house={}
shop_house ={}
if itenary.warehouse_id != -1:
try:
ware_info = Warehouse.objects.get(id = itenary.warehouse_id)
ware_name = ware_info.warehouse_name
except:
ware_name = None
ware_house.update({'warehouse_id': itenary.warehouse_id, 'warehouse_name':ware_name , 'added_quantity':itenary.debit_quantity, 'date': itenary.date})
all_ware.append(ware_house)
if itenary.shop_id != -1:
try:
shop_info = Shop.objects.get(id = itenary.shop_id )
shop_name = shop_info.shop_name
except:
shop_name = None
shop_house.update({'shop_id': itenary.shop_id,'shop_name':shop_name, 'added_quantity':itenary.debit_quantity, 'date': itenary.date})
all_shop.append(shop_house)
allshops = Shop.objects.all()
shopinfos = []
for shp in all_shop:
shopinfos.append(shp['shop_id'])
for shop_val in allshops:
shop_house ={}
if shop_val.id not in shopinfos:
shop_house.update({'shop_id': shop_val.id,'shop_name':shop_val.shop_name, 'added_quantity':0, 'date': ''})
all_shop.append(shop_house)
allware = Warehouse.objects.all()
wareinfos = []
for wre in all_ware:
wareinfos.append(wre['warehouse_id'])
for ware_val in allware:
ware_house ={}
if ware_val.id not in wareinfos:
ware_house.update({'warehouse_id': ware_val.id, 'warehouse_name':ware_val.warehouse_name , 'added_quantity':0, 'date': ''})
all_ware.append(ware_house)
spec_value.update({'specification_id':specification_id,'ware_house':all_ware, 'shop_house': all_shop })
all_info.append(spec_value)
return JsonResponse({
'success':True,
'message': 'Data has been retrieved successfully',
'data': all_info
})
except:
return JsonResponse({
'success':False,
'message': 'Something went wrong!! Data could not retrived successfully',
})
# def warehouse
@api_view(["GET",])
def purchase_reports(request):
try:
report = inventory_report.objects.all()
except:
report = None
print("report")
print(report)
#Finding out the individual dates
if report:
main_data = []
specification_ids = list(report.values_list('specification_id',flat=True).distinct())
print(specification_ids)
for i in range(len(specification_ids)):
try:
#Finding out the entries for that specification_id
reports = inventory_report.objects.filter(specification_id=specification_ids[i])
except:
reports = None
print(reports)
if reports:
#Finding out different purchase prices for that specification
different_prices = []
different_purchase_prices = list(reports.values_list('purchase_price',flat=True).distinct())
print("different purchase price")
print(different_purchase_prices)
for j in range(len(different_purchase_prices)):
try:
specific_rows = inventory_report.objects.filter(purchase_price=different_purchase_prices[j],specification_id=specification_ids[i])
except:
specific_rows = None
print("specificrows",specific_rows)
if specific_rows:
debit_sum_list = list(specific_rows.values_list('requested', flat=True))
credit_sum_list = list(specific_rows.values_list('credit', flat=True))
selling_prices = list(specific_rows.values_list('selling_price', flat=True))
inventory_ids = list(specific_rows.values_list('id', flat=True))
debit_sum = int(sum(debit_sum_list))
credit_sum = int(sum(credit_sum_list))
if selling_prices[0] == None:
selling_prices[0] = 0
selling_price = int(selling_prices[0])
purchase_price = different_purchase_prices[j]
try:
specific_inventory = inventory_report.objects.get(id=inventory_ids[0])
except:
specific_inventory = None
if specific_inventory:
inventory_serializer = InventoryReportSerializer(specific_inventory,many=False)
inventory_data = inventory_serializer.data
product_name = inventory_data["product_name"]
product_brand = inventory_data["product_brand"]
product_sku = inventory_data["product_sku"]
product_barcode = inventory_data["product_barcode"]
product_id = inventory_data["product_id"]
specification_id = inventory_data["specification_id"]
response_data = {"product_id":product_id,"specification_id":specification_id,"product_name":product_name,"product_sku":product_sku,"product_barcode":product_barcode,"product_brand":product_brand,"purchase_price":purchase_price,"selling_price":selling_price,"debit_sum":debit_sum,"credit_sum":credit_sum}
different_prices.append(response_data)
else:
pass
else:
pass
else:
pass
main_data.append(different_prices)
return JsonResponse({"success":True,"message":"The data is shown below","data":main_data})
else:
return JsonResponse({"success":False,"message":"The products dont exist"})
def add_delivery_data(value):
# 'arrayForDelivery': [
# {
# 'selectedDistrict': 'Dhaka',
# 'selectedThana':[
# 'Banani',
# 'Gulshan',
# 'Rampura',
# 'Dhanmondi'
# ]
# },
# {
# 'selectedDistrict': 'Barishal',
# 'selectedThana':[
# 'Hizla',
# 'Muladi',
# 'Borguna',
# 'Betagi'
# ]
# }
# ]
try:
option_data = value
option = option_data['option']
spec_id = option_data['spec']
arrayForDelivery = option_data['arrayForDelivery']
delivery_saving_data = {}
if option == "all":
delivery_saving_data.update({'specification_id':spec_id })
info_serializer = ProductDeliveryAreaSerializer (data = delivery_saving_data)
if info_serializer.is_valid():
info_serializer.save()
return "saved"
else:
return "error"
elif option == "manual":
for del_area in arrayForDelivery:
district = del_area['selectedDistrict']
all_thanas= del_area['selectedThana']
thanas_id=[]
for thana in all_thanas:
try:
location_info = DeliveryLocation.objects.get(location_name = thana)
location_id = location_info.id
thanas_id.append(location_id)
except:
location_id = -1
try:
area_info = DeliveryArea.objects.get(Area_name = district)
area_id = area_info.id
except:
area_id = -1
delivery_saving_data.update({
'specification_id':spec_id,
'is_Bangladesh': False,
'delivery_area_id': area_id,
'delivery_location_ids': thanas_id
})
info_serializer = ProductDeliveryAreaSerializer (data = delivery_saving_data)
if info_serializer.is_valid():
info_serializer.save()
return option_data
except:
return "error"
def add_delivery_data1(value):
# 'arrayForDelivery': [
# {
# 'selectedDistrict': 'Dhaka',
# 'selectedThana':[
# 'Banani',
# 'Gulshan',
# 'Rampura',
# 'Dhanmondi'
# ]
# },
# {
# 'selectedDistrict': 'Barishal',
# 'selectedThana':[
# 'Hizla',
# 'Muladi',
# 'Borguna',
# 'Betagi'
# ]
# }
# ]
try:
print("dhuktese")
option_data = value
option = option_data['option']
spec_id = option_data['spec']
try:
previous_entry = product_delivery_area.objects.filter(specification_id=spec_id)
print(previous_entry)
except:
previous_entry = None
if previous_entry:
previous_entry.delete()
else:
pass
arrayForDelivery = option_data['arrayForDelivery']
delivery_saving_data = {}
if option == "all":
delivery_saving_data.update({'specification_id':spec_id })
info_serializer = ProductDeliveryAreaSerializer (data = delivery_saving_data)
if info_serializer.is_valid():
info_serializer.save()
return "saved"
else:
return "error"
elif option == "manual":
for del_area in arrayForDelivery:
district = del_area['selectedDistrict']
all_thanas= del_area['selectedThana']
thanas_id=[]
for thana in all_thanas:
try:
location_info = DeliveryLocation.objects.get(location_name = thana)
location_id = location_info.id
thanas_id.append(location_id)
except:
location_id = -1
try:
area_info = DeliveryArea.objects.get(Area_name = district)
area_id = area_info.id
except:
area_id = -1
delivery_saving_data.update({
'specification_id':spec_id,
'is_Bangladesh': False,
'delivery_area_id': area_id,
'delivery_location_ids': thanas_id
})
info_serializer = ProductDeliveryAreaSerializer (data = delivery_saving_data)
if info_serializer.is_valid():
info_serializer.save()
return option_data
except:
return "error"
@api_view(['POST', ])
def add_spec(request, product_id):
current_date = date.today()
# print(request.data)
# print("user_id")
# print(request.data.get("uid"))
# print("lalalalalala")
product_status = request.data.get("publish")
if product_status:
if product_status == "Published":
product_status = "Published"
elif product_status == "Pending":
product_status = "Pending"
else:
product_status = "Published"
manufacture_date = request.data.get("manufacture_date")
expire_date = request.data.get("expire")
if manufacture_date == "" or expire_date == "":
specification_data_value = {
'product_id': product_id,
'color': request.data.get("color"),
'size': request.data.get("size"),
'weight': request.data.get("weight"),
'warranty': request.data.get("warranty"),
'warranty_unit': request.data.get("warranty_unit"),
'unit': request.data.get("product_unit"),
'vat': request.data.get("vat"),
# 'seller_quantity': request.data.get("seller_quantity"),
# 'remaining': request.data.get("seller_quantity"),
# 'manufacture_date': request.data.get("manufacture_date"),
# 'expire': request.data.get("expire"),
'admin_status': 'Confirmed',
'is_own' :True,
'specification_status': product_status
}
else:
specification_data_value = {
'product_id': product_id,
'color': request.data.get("color"),
'size': request.data.get("size"),
'weight': request.data.get("weight"),
'warranty': request.data.get("warranty"),
'warranty_unit': request.data.get("warranty_unit"),
'unit': request.data.get("product_unit"),
'vat': request.data.get("vat"),
# 'seller_quantity': request.data.get("seller_quantity"),
# 'remaining': request.data.get("seller_quantity"),
'manufacture_date': request.data.get("manufacture_date"),
'expire': request.data.get("expire"),
'admin_status': 'Confirmed',
'is_own' :True,
'specification_status': product_status
}
# product_price = {
# 'product_id': product_id,
# 'price': request.data.get("price"),
# 'purchase_price': request.data.get("purchase_price"),
# # 'currency_id': request.data.get('currency_id')
# }
discount_type = request.data.get("discount_type")
discount_amount = request.data.get("discount_amount")
discount_start_date = request.data.get("discount_start_date")
discount_end_date = request.data.get("discount_end_date")
point_amount = request.data.get("point_amount")
point_start_date = request.data.get("point_start_date")
point_end_date = request.data.get("point_end_date")
if discount_type == "none" or discount_amount == '' or discount_start_date == '' or discount_end_date == '':
discount_flag = False
else:
discount_flag = True
print(discount_flag)
if ((point_amount == "") or (point_start_date == "") or (point_end_date == "")):
point_flag = False
# print("False")
else:
point_flag = True
print(point_flag)
product_discount = {
'product_id': product_id,
'amount': request.data.get("discount_amount"),
'discount_type': request.data.get("discount_type"),
'start_date': request.data.get("discount_start_date"),
# 'end_date' : data['discount_end_date']
'end_date': request.data.get("discount_end_date")
}
print(product_discount)
product_point = {
'product_id': product_id,
'point': request.data.get("point_amount"),
# 'end_date': data['point_end_date']
'start_date': request.data.get("point_start_date"),
'end_date': request.data.get("point_end_date")
}
delivery_info = {
'height': request.data.get("delivery_height"),
'width': request.data.get("delivery_width"),
'length': request.data.get("delivery_length"),
'weight': request.data.get("delivery_weight"),
'measument_unit': request.data.get("delivery_product_unit"),
'delivery_free': request.data.get("delivery_free"),
}
print(delivery_info)
product_code = {
'product_id': product_id,
'manual_SKU' : request.data.get("SKU"),
'uid': request.data.get("uid"),
}
if request.method == 'POST':
delivery_id = 0
discount_id = 0
point_id = 0
price_id = 0
specification_id = 0
flag = 0
spec = {}
price = {}
discount = {}
point = {}
delivery = {}
code={}
try:
print("ashtese")
product_spec = ProductSpecificationSerializerz(
data=specification_data_value)
if product_spec.is_valid():
product_spec.save()
print("888888888888888888 spec save hoise")
spec.update(product_spec.data)
# print("Specification_id", spec["id"])
specification_id = spec["id"]
else:
print(product_spec.errors)
specification_id = 0
flag = flag+1
# product_price.update({'specification_id': spec['id']})
# product_price = ProductPriceSerializer(data=product_price)
# if product_price.is_valid():
# product_price.save()
# # print("price save hochche")
# price.update(product_price.data)
# price_id = price["id"]
# else:
# price_id = 0
# flag = flag+1
if discount_flag == False:
discount = {}
else:
product_discount.update({'specification_id': spec['id']})
print("product_discount")
print(product_discount)
product_dis = ProductDiscountSerializer(data=product_discount)
if product_dis.is_valid():
product_dis.save()
print(product_dis.errors)
# print("savwe hochche")
discount.update(product_dis.data)
discount_id = discount["id"]
else:
print(product_dis.errors)
discount_id = 0
flag = flag+1
if point_flag == False:
point = {}
else:
# print("99999999999999999999999999999")
product_point.update({'specification_id': spec['id']})
product_point_value = ProductPointSerializer(
data=product_point)
if product_point_value.is_valid():
product_point_value.save()
print("point save")
point.update(product_point_value.data)
point_id = point["id"]
else:
point_id = 0
print(product_point_value.errors)
flag = flag+1
delivery_info.update({'specification_id': spec['id']})
# print("here delivery",delivery_info )
delivery_value = DeliveryInfoSerializer(data=delivery_info)
# print("serializer",delivery_value)
if delivery_value.is_valid():
# print("Inside the delivery ")
delivery_value.save()
# print("delivery is saved")
delivery.update(delivery_value.data)
delivery_id = delivery["id"]
else:
delivery_id = 0
print("errors delivery " ,delivery_value.errors)
flag = flag+1
product_code.update({'specification_id':spec['id']})
# print("product point",product_code )
product_code_value= ProductCodeSerializer (data=product_code)
# print("product code serial", product_code_value)
# print("before validation")
if product_code_value.is_valid():
# print("inside validation")
product_code_value.save()
print("code is saved", product_code_value.data)
code.update(product_code_value.data)
create_product_code(product_code)
code_id = code["id"]
# print("code id", code_id)
else:
# print("code error", product_code_value.errors)
flag= flag+1
data_val = {
'option' : request.data.get("option"),
'spec': spec['id'],
# 'arrayForDelivery': [
# {
# 'selectedDistrict': 'Dhaka',
# 'selectedThana':[
# 'Banani',
# 'Gulshan',
# 'Rampura',
# 'Dhanmondi'
# ]
# },
# {
# 'selectedDistrict': 'Barishal',
# 'selectedThana':[
# 'Hizla',
# 'Muladi',
# 'Borguna',
# 'Betagi'
# ]
# }
# ]
'arrayForDelivery': request.data.get("arrayForDelivery")
}
# print("before calling method")
value = add_delivery_data(data_val)
if flag > 0 or value == 'error' :
try:
spe = ProductSpecification.objects.get(id=specification_id)
except:
spe = None
if spe:
spe.delete()
# try:
# pri = ProductPrice.objects.get(id=price_id)
# except:
# pri = None
# if pri:
# pri.delete()
try:
poi = ProductPoint.objects.get(id=point_id)
except:
poi = None
if poi:
poi.delete()
try:
dis = discount_product.objects.get(id=discount_id)
except:
dis = None
if dis:
dis.delete()
try:
deli = DeliveryInfo.objects.get(id=delivery_id)
except:
deli = None
if deli:
deli.delete()
try:
deli = ProductCode.objects.get(id=code_id)
except:
deli = None
if deli:
deli.delete()
return JsonResponse({
"success": False,
"message": "Something went wrong !!"
})
else:
return JsonResponse({
"success": True,
"message": "Specification data has been inserted Successfully",
"specification": spec,
"price": price,
"discount": discount,
"point": point,
"delivery": delivery
})
except:
try:
spe = ProductSpecification.objects.get(id=specification_id)
except:
spe = None
if spe:
spe.delete()
# try:
# pri = ProductPrice.objects.get(id=price_id)
# except:
# pri = None
# if pri:
# pri.delete()
try:
poi = ProductPoint.objects.get(id=point_id)
except:
poi = None
if poi:
poi.delete()
try:
dis = discount_product.objects.get(id=discount_id)
except:
dis = None
if dis:
dis.delete()
try:
deli = DeliveryInfo.objects.get(id=delivery_id)
except:
deli = None
if deli:
deli.delete()
try:
deli = ProductCode.objects.get(id=code_id)
except:
deli = None
if deli:
deli.delete()
return JsonResponse({
"success": False,
"message": "Something went wrong !!"
})
@api_view(['POST', ])
def merchant_spec(request, product_id):
current_date = date.today()
specification_data_value = {
'product_id': product_id,
'color': request.data.get("color"),
'size': request.data.get("size"),
'weight': request.data.get("weight"),
'warranty': request.data.get("warranty"),
'warranty_unit': request.data.get("warranty_unit"),
'unit': request.data.get("product_unit"),
'vat': request.data.get("vat"),
'manufacture_date': request.data.get("manufacture_date"),
'expire': request.data.get("expire")
}
delivery_info = {
'height': request.data.get("delivery_height"),
'width': request.data.get("delivery_width"),
'length': request.data.get("delivery_length"),
'weight': request.data.get("delivery_weight"),
'measument_unit': request.data.get("delivery_product_unit"),
}
product_code = {
'product_id': product_id,
'manual_SKU' : request.data.get("SKU"),
'uid': request.data.get("uid"),
}
if request.method == 'POST':
delivery_id = 0
discount_id = 0
point_id = 0
price_id = 0
specification_id = 0
flag = 0
spec = {}
delivery = {}
code={}
try:
product_spec = ProductSpecificationSerializerz(
data=specification_data_value)
if product_spec.is_valid():
product_spec.save()
spec.update(product_spec.data)
specification_id = spec["id"]
else:
specification_id = 0
flag = flag+1
delivery_info.update({'specification_id': spec['id']})
delivery_value = DeliveryInfoSerializer(data=delivery_info)
if delivery_value.is_valid():
delivery_value.save()
delivery.update(delivery_value.data)
delivery_id = delivery["id"]
else:
delivery_id = 0
flag = flag+1
product_code.update({'specification_id':spec['id']})
product_code_value= ProductCodeSerializer (data=product_code)
if product_code_value.is_valid():
product_code_value.save()
code.update(product_code_value.data)
create_product_code(product_code)
code_id = code["id"]
else:
flag= flag+1
if flag > 0:
try:
spe = ProductSpecification.objects.get(id=specification_id)
except:
spe = None
if spe:
spe.delete()
try:
deli = DeliveryInfo.objects.get(id=delivery_id)
except:
deli = None
if deli:
deli.delete()
try:
deli = ProductCode.objects.get(id=code_id)
except:
deli = None
if deli:
deli.delete()
return JsonResponse({
"success": False,
"message": "Something went wrong !!"
})
else:
return JsonResponse({
"success": True,
"message": "Specification data has been inserted Successfully",
"specification": spec,
"delivery": delivery
})
except:
try:
spe = ProductSpecification.objects.get(id=specification_id)
except:
spe = None
if spe:
spe.delete()
try:
deli = DeliveryInfo.objects.get(id=delivery_id)
except:
deli = None
if deli:
deli.delete()
try:
deli = ProductCode.objects.get(id=code_id)
except:
deli = None
if deli:
deli.delete()
return JsonResponse({
"success": False,
"message": "Something went wrong !!"
})
@api_view(['POST', ])
def merchant_spec_edit(request, specification_id):
specification_data_value = {
'color': request.data.get("color"),
'size': request.data.get("size"),
'weight': request.data.get("weight"),
'warranty': request.data.get("warranty"),
'warranty_unit': request.data.get("warranty_unit"),
'unit': request.data.get("product_unit"),
'vat': request.data.get("vat"),
'manufacture_date': request.data.get("manufacture_date"),
'expire': request.data.get("expire")
}
delivery_info = {
'height': request.data.get("delivery_height"),
'width': request.data.get("delivery_width"),
'length': request.data.get("delivery_length"),
'weight': request.data.get("delivery_weight"),
'measument_unit': request.data.get("delivery_product_unit"),
}
if request.method == 'POST':
delivery_id = 0
flag = 0
spec = {}
delivery = {}
try:
try:
merchant_spec = ProductSpecification.objects.get(pk=specification_id, admin_status = 'Processing')
merchant_delivery = DeliveryInfo.objects.get(specification_id = specification_id)
except:
merchant_spec = None
merchant_delivery = None
if merchant_spec and merchant_delivery:
product_spec = ProductSpecificationSerializerz(merchant_spec,data=specification_data_value)
if product_spec.is_valid():
product_spec.save()
spec.update(product_spec.data)
else:
flag = flag+1
delivery_value = DeliveryInfoSerializer(merchant_delivery,data=delivery_info)
if delivery_value.is_valid():
delivery_value.save()
delivery.update(delivery_value.data)
else:
delivery_id = 0
flag = flag+1
if flag > 0:
try:
spe = ProductSpecification.objects.get(id=specification_id)
except:
spe = None
if spe:
spe.delete()
try:
deli = DeliveryInfo.objects.get(id=delivery_id)
except:
deli = None
if deli:
deli.delete()
return JsonResponse({
"success": False,
"message": "Something went wrong !!"
})
else:
return JsonResponse({
"success": True,
"message": "Specification data has been updated Successfully !!",
"specification": spec,
"delivery": delivery
})
else:
return JsonResponse({
"success": False,
"message": "Update is restriced after specification being approved/cancelled by main site !!"
})
except:
try:
spe = ProductSpecification.objects.get(id=specification_id)
except:
spe = None
if spe:
spe.delete()
try:
deli = DeliveryInfo.objects.get(id=delivery_id)
except:
deli = None
if deli:
deli.delete()
return JsonResponse({
"success": False,
"message": "Something went wrong !!"
})
@api_view(['GET', ])
def merchant_products(request,seller_id):
specification_ids = []
try:
product = Product.objects.filter(seller=seller_id)
except:
product= None
if product:
product_ids = list(product.values_list('id',flat=True))
try:
product_specs = ProductSpecification.objects.filter(product_id__in=product_ids)
except:
product_specs = None
if product_specs:
product_specs_serializer = SellerSpecificationSerializer(product_specs,many=True)
return JsonResponse({"success":True,"message":"Products are displayed","data":product_specs_serializer.data})
else:
return({"success":False,"message":"There are no products to display"})
else:
return({"success":False,"message":"There are no products to display"})
@api_view(["GET",])
def cancel_invoice(request,invoice_id):
try:
invoice = Invoice.objects.get(id=invoice_id)
except:
invoice = None
if invoice:
if invoice.order_id:
try:
order = Order.objects.get(id=invoice.order_id)
except:
order = None
if order:
order.admin_status = "Cancelled"
order.save()
return JsonResponse({"success":True,"message":"This invoice has been cancelled"})
else:
return JsonResponse({"success":False,"message":"This order does not exist"})
else:
return JsonResponse({"success":False,"message":"This order does not exist"})
else:
return JsonResponse({"success":False,"message":"This invoice does not exist"})
@api_view(["GET", "POST"])
def seller_insert_product_quantity(request):
# demo values
# api_values = [{
# 'product_id':35,
# 'order_id': 111,
# 'product_status': "Approved",
# 'specification_id':87,
# 'order_details_id': 243,
# 'purchase_price': 100,
# 'selling_price': 120,
# 'warehouse': [
# {
# 'warehouse_id': 1,
# 'quantity': 200
# },
# {
# 'warehouse_id': 2,
# 'quantity': 200
# }
# ],
# 'shop': [
# {
# 'shop_id': 3,
# 'quantity': 200
# },
# {
# 'shop_id': 2,
# 'quantity': 200
# },
# {
# 'shop_id': 1,
# 'quantity': 200
# }
# ]
# },
# {
# 'product_id':35,
# 'order_id': 111,
# 'product_status': "Cancelled",
# 'specification_id':28,
# 'order_details_id': 242,
# 'purchase_price': 100,
# 'selling_price': 120,
# 'warehouse': [
# {
# 'warehouse_id': 1,
# 'quantity': 200
# },
# {
# 'warehouse_id': 2,
# 'quantity': 200
# }
# ],
# 'shop': [
# {
# 'shop_id': 3,
# 'quantity': 200
# },
# {
# 'shop_id': 2,
# 'quantity': 200
# },
# {
# 'shop_id': 1,
# 'quantity': 200
# }
# ]
# },
# {
# 'product_id':35,
# 'order_id': 111,
# 'product_status': "Cancelled",
# 'specification_id':45,
# 'order_details_id': 244,
# }]
api_values = request.data
current_date = date.today()
quantity_flag = 0
order_id = api_values[0]["order_id"]
print(order_id)
if request.method == 'POST':
data_length = int(len(api_values))
main_flag = False
try:
for i in range(data_length):
print(i)
print(api_values[i]["product_status"])
if api_values[i]["product_status"] == "Approved":
print("approve hoise")
api_valuess = api_values[i]
mflag = False
pflag = admin_approve_add_merchant_specification(api_valuess)
print("pflag")
print(pflag)
#pflag = True
if pflag == True:
#Insert the purchase price and selling price for that object:
try:
print(api_valuess["product_id"])
print(api_valuess["specification_id"])
print(int(api_valuess["unit_price"]))
#print(int(api_valuess["purchase_price"]))
price_data = {"product_id":api_valuess["product_id"],"specification_id":api_valuess["specification_id"],"price":int(api_valuess["selling_price"]),"purchase_price":int(api_valuess["unit_price"])}
print(price_data)
#Inserting the price
product_price_serializer = ProductPriceSerializer(data = price_data)
if product_price_serializer.is_valid():
product_price_serializer.save()
print(i)
print("price saved")
else:
print(product_price_serializer.errors)
except:
return JsonResponse({"success":False,"message":"The price could not be inserted"})
try:
#Fetching the product price
prod_price = ProductPrice.objects.filter(specification_id=int(api_valuess["specification_id"])).last()
except:
prod_price = None
if prod_price:
print(i)
print("price ase")
purchase_price = prod_price.purchase_price
selling_price = prod_price.price
else:
return JsonResponse({"success":False,"message":"Price does not exist for this product"})
try:
# checking is there any warehouse data exists or not
if len(api_valuess['warehouse']) > 0:
for wareh in api_valuess['warehouse']:
try:
# getting the previous data if there is any in the similar name. If exists update the new value. if does not create new records.
wareh_query = WarehouseInfo.objects.filter(
warehouse_id=int(wareh['warehouse_id']), specification_id=int(api_valuess['specification_id'])).last()
print("quertresult")
print(wareh_query)
if wareh_query:
# quantity_val = wareh_query[0].quantity
# new_quantity = quantity_val + wareh['quantity']
# wareh_query.update(quantity=new_quantity)
# wareh_query.save()
print("existing warehouse")
print(type(wareh['quantity']))
print(wareh_query.quantity)
warehouse_quantity = wareh_query.quantity
print(warehouse_quantity)
new_quantity = warehouse_quantity + int(wareh['quantity'])
print(new_quantity)
wareh_query.quantity = new_quantity
print(wareh_query.quantity)
wareh_query.save()
print(wareh_query.quantity)
try:
product_spec = ProductSpecification.objects.get(id=int(api_valuess['specification_id']))
except:
product_spec = None
if product_spec:
product_spec.save()
else:
print("else ey dhuktese")
wareh_data = WarehouseInfo.objects.create(specification_id=int(api_valuess['specification_id']), product_id=int(api_valuess['product_id']), warehouse_id=int(wareh['warehouse_id']),
quantity=int(wareh['quantity']))
wareh_data.save()
try:
product_spec = ProductSpecification.objects.get(id=int(api_valuess['specification_id']))
except:
product_spec = None
if product_spec:
product_spec.save()
# updating the inventory report credit records for each ware house quantity. It will help to keep the records in future.
# report_data = inventory_report(
# product_id=api_values['product_id'], credit=wareh['quantity'], warehouse_id=wareh['warehouse_id'])
# report_data.save()
#Check to see if there are any inventory_reports
# try:
# report = inventory_report.objects.filter(product_id=api_values['product_id'],specification_id=api_values['specification_id'],warehouse_id=wareh['warehouse_id'],date=current_date).last()
# except:
# report = None
# if report:
# #Update the existing report
# report.credit += int(wareh['quantity'])
# report.save()
new_report = inventory_report.objects.create(product_id=int(api_valuess['product_id']),specification_id=int(api_valuess['specification_id']),warehouse_id=int(wareh['warehouse_id']),credit=int(wareh['quantity']),date=current_date,purchase_price=purchase_price,selling_price=selling_price)
new_report.save()
except:
pass
if len(api_valuess['shop']) > 0:
for shops in api_valuess['shop']:
try:
# getting the existing shop values if is there any.
print(shops['shop_id'])
shop_query = ShopInfo.objects.filter(
int(shop_id=shops['shop_id']), specification_id=int(api_valuess['specification_id'])).last()
print(shop_query)
if shop_query:
print("shop ase")
quantity_val = shop_query.quantity
new_quantity = quantity_val + int(shops['quantity'])
# shop_query.update(quantity=new_quantity)
shop_query.quantity = new_quantity
shop_query.save()
try:
product_spec = ProductSpecification.objects.get(id=int(api_values['specification_id']))
except:
product_spec = None
if product_spec:
product_spec.save()
else:
print("shop nai")
shop_data = ShopInfo.objects.create(specification_id=int(api_valuess['specification_id']), product_id=int(api_valuess['product_id']), shop_id=int(shops['shop_id']),
quantity=int(shops['quantity']))
shop_data.save()
# Updating the report table after being inserted the quantity corresponding to credit coloumn for each shop.
# report_data = inventory_report(
# product_id=api_values['product_id'], credit=shops['quantity'], shop_id=shops['shop_id'])
# report_data.save()
try:
product_spec = ProductSpecification.objects.get(id=int(api_valuess['specification_id']))
except:
product_spec = None
if product_spec:
product_spec.save()
new_report = inventory_report.objects.create(product_id=int(api_valuess['product_id']),specification_id=int(api_valuess['specification_id']),shop_id=int(shops['shop_id']),credit=int(shops['quantity']),date=current_date,purchase_price=purchase_price,selling_price=selling_price)
new_report.save()
except:
pass
mflag = True
# return Response({
# "success": True,
# "message": "Data has been added successfully"
# })
except:
# return Response({
# "success": False,
# "message": "Something went wrong !!"
# })
mflag = False
print(i)
print(mflag)
if mflag == True:
try:
order_details = OrderDetails.objects.get(id=int(api_valuess["order_details_id"]))
except:
order_details = None
if order_details:
order_details.admin_status = "Approved"
order_details.save()
print(i)
print(order_details)
else:
return Response({
"success": False,
"message": "Something went wrong.Order could not be approved!!"
})
try:
product_specification = ProductSpecification.objects.get(id=int(api_valuess["specification_id"]))
except:
product_specification = None
if product_specification:
product_specification.admin_status = "Confirmed"
product_specification.save()
quantity_flag = quantity_flag + 1
print(i)
print(product_specification)
print(quantity_flag)
else:
return Response({
"success": False,
"message": "Something went wrong.Specification of this product could not be approved!!"
})
#return JsonResponse({"success":True,"message":"All the quantities have been added with their prices and the order item has been approved and the specification has been approved"})
main_flag = True
print(i)
print("main flag true")
else:
main_flag = False
# return Response({
# "success": False,
# "message": "Something went wrong !!"
# })
else:
main_flag = False
if main_flag == False:
return JsonResponse({"success":False,"message":"The product point,discount or delivery info could not be added"})
elif api_values[i]["product_status"] == "Cancelled":
print("wbefuefbewqufgbewqufbeqwufvbweufwebfuwegbfuwefbweufb")
print(i)
print("product status cancelled")
#Fetch the ordel details item and change its status
order_dets_id = int(api_values[i]["order_details_id"])
print("order_dets_id")
print(order_dets_id)
try:
order_dets = OrderDetails.objects.get(id=order_dets_id)
except:
order_dets = None
print(i)
print("order_dets")
print(order_dets)
if order_dets:
order_dets.product_status = "Cancelled"
order_dets.admin_status = "Cancelled"
order_dets.save()
main_flag = True
else:
main_flag = False
print(main_flag)
if main_flag == False:
return JsonResponse({"success":False,"message":"Something went wrong while cancelling an order"})
else:
main_flag = False
if main_flag == True:
print("quantity_flag")
print("main_flag tryue hoise")
print(order_id)
print(quantity_flag)
if quantity_flag > 0:
#Approve the order
try:
order = Order.objects.get(id=order_id)
except:
order = None
if order:
order.admin_status = "Confirmed"
order.save()
return JsonResponse({"success":True,"message":"All the data has been inserted and the order has been approved"})
else:
return JsonResponse({"success":False,"message":"The order could not be approved"})
else:
try:
order = Order.objects.get(id=order_id)
except:
order = None
if order:
order.admin_status = "Cancelled"
order.save()
return JsonResponse({"success":False,"message":"None of the products were approved and the invoice is cancelled"})
else:
return JsonResponse({"success":False,"message":"The order could not be approved"})
#approve the order
# try:
# order = Order.objects.g
except:
return JsonResponse({"success":False,"message":"Something went wrong in the main method"})
def admin_approve_add_merchant_specification(value):
current_date = current
discount_type = value["discount_type"]
discount_amount = value["discount_amount"]
discount_start_date = value["discount_start_date"]
discount_end_date = value["discount_end_date"]
point_amount = value["point_amount"]
point_start_date = value["point_start_date"]
point_end_date = value["point_end_date"]
specification_id = value['specification_id']
product_id = value['product_id']
if discount_type == "none" or discount_amount == '' or discount_start_date == '' or discount_end_date == '':
discount_flag = False
else:
discount_flag = True
if ((point_amount == "") or (point_start_date == "") or (point_end_date == "")):
point_flag = False
# print("False")
else:
point_flag = True
product_discount = {
'product_id': product_id,
'amount': discount_amount,
'discount_type': discount_type,
'start_date': value["discount_start_date"],
'end_date': value["discount_end_date"],
'specification_id': specification_id
}
product_point = {
'product_id': product_id,
'point': value["point_amount"],
'start_date': value["point_start_date"],
'end_date': value["point_end_date"],
'specification_id': specification_id
}
delivery_id = 0
discount_id = 0
point_id = 0
price_id = 0
flag = 0
spec = {}
price = {}
discount = {}
point = {}
delivery = {}
code={}
try:
if discount_flag == False:
discount = {}
else:
product_dis = ProductDiscountSerializer(data=product_discount)
if product_dis.is_valid():
product_dis.save()
discount.update(product_dis.data)
discount_id = discount["id"]
else:
discount_id = 0
flag = flag+1
if point_flag == False:
point = {}
else:
product_point_value = ProductPointSerializer(data=product_point)
if product_point_value.is_valid():
product_point_value.save()
point.update(product_point_value.data)
point_id = point["id"]
else:
point_id = 0
flag = flag+1
data_val = {
'option' : value["option"],
'spec': specification_id,
'arrayForDelivery': value["arrayForDelivery"]
# 'arrayForDelivery': [
# {
# 'selectedDistrict': 'Dhaka',
# 'selectedThana':[
# 'Banani',
# 'Gulshan',
# 'Rampura',
# 'Dhanmondi'
# ]
# },
# {
# 'selectedDistrict': 'Khulna',
# 'selectedThana':[
# 'Hizla',
# 'Muladi',
# 'Borguna',
# 'Betagi'
# ]
# }
# ]
}
value = add_delivery_data(data_val)
if flag > 0:
try:
poi = ProductPoint.objects.get(id=point_id)
except:
poi = None
if poi:
poi.delete()
try:
dis = discount_product.objects.get(id=discount_id)
except:
dis = None
if dis:
dis.delete()
return False
else:
return True
except:
try:
poi = ProductPoint.objects.get(id=point_id)
except:
poi = None
if poi:
poi.delete()
try:
dis = discount_product.objects.get(id=discount_id)
except:
dis = None
if dis:
dis.delete()
return False
@api_view(["GET",])
def individual_seller_spec(request,specification_id):
try:
product_spec = ProductSpecification.objects.get(id=specification_id)
except:
product_spec = None
if product_spec:
prod_serializer = SellerSpecificationSerializer(product_spec,many=False)
p_data = prod_serializer.data
else:
p_data = {}
return JsonResponse({"success":True,"message":"The info is shown","data":p_data})
@api_view(["GET",])
def get_delivery_info(request,specification_id):
main_data = []
try:
delivery_places = product_delivery_area.objects.filter(specification_id = specification_id)
except:
delivery_places = None
print(delivery_places)
if delivery_places:
area_ids = list(delivery_places.values_list('delivery_area_id',flat=True))
if -1 in area_ids:
area_ids.remove(-1)
print(area_ids)
if len(area_ids) < 1:
main_data = []
# print(area_ids)
else:
for i in range(len(area_ids)):
try:
product_areas = product_delivery_area.objects.get(specification_id = specification_id,delivery_area_id=area_ids[i])
except:
product_areas = None
print(product_areas)
if product_areas:
location_ids = product_areas.delivery_location_ids
else:
location_ids = []
try:
area_name = DeliveryArea.objects.get(id=area_ids[i])
except:
area_name = None
if area_name:
selected_district = area_name.Area_name
else:
selected_district = ""
selected_thanas = []
print("location_ids")
print(location_ids)
for j in range(len(location_ids)):
try:
deli_loc = DeliveryLocation.objects.get(id = int(location_ids[j]))
except:
deli_loc = None
print(deli_loc)
print("deli_loc")
if deli_loc:
loc_name = deli_loc.location_name
else:
loc_name = ""
selected_thanas.append(loc_name)
all_thanas = []
try:
all_locs = DeliveryLocation.objects.filter(area_id = area_ids[i])
except:
all_locs = None
if all_locs:
all_locs_ids = list(all_locs.values_list('id',flat=True))
all_locs_names = list(all_locs.values_list('location_name',flat=True))
else:
all_locs_ids = []
all_locs_names =[]
for k in range(len(all_locs_names)):
loc_dic = {"location_name":all_locs_names[k]}
all_thanas.append(loc_dic)
main_dic = {"selectedDistrict":selected_district,"selectedThana":selected_thanas,"thanas":all_thanas}
main_data.append(main_dic)
else:
main_data = []
return JsonResponse({"data": main_data})
@api_view(["POST",])
def verify_pos(request):
term_data = {}
API_key = request.data.get("API_key")
try:
term = Terminal.objects.all()
except:
term = None
if term:
term_ids = list(term.values_list('id',flat=True))
for i in range(len(term_ids)):
try:
specific_term = Terminal.objects.get(id=term_ids[i])
except:
specific_term = None
if specific_term:
if specific_term.API_key == API_key:
term_serializer = TerminalSerializer(specific_term,many=False)
term_data = term_serializer.data
break
else:
pass
else:
pass
else:
pass
if term_data == {}:
return JsonResponse({"success":False,"message":"The API key provided does not exist","data":term_data})
else:
return JsonResponse({"success":True,"message":"Installation successful","data":term_data})
@api_view(["GET",])
def warehouse_shop_info(request):
warehouses = []
shops = []
try:
warehouse = Warehouse.objects.all()
except:
warehouse = None
try:
shop = Shop.objects.all()
except:
shop = None
if warehouse:
warehouse_serializer = WSerializer(warehouse,many=True)
warehouse_data = warehouse_serializer.data
if shop:
shop_serializer = SSerializer(shop,many=True)
shop_data = shop_serializer.data
return JsonResponse({"success":True,"message":"The data is shown below","warehouses":warehouse_data,"shops":shop_data})
@api_view(["POST",])
def create_terminal(request):
# warehouses = []
# shops = []
terminal_name = request.data.get("terminal_name")
warehouse_id = request.data.get("warehouse_id")
shop_id = request.data.get("shop_id")
admin_id = request.data.get("admin_id")
if warehouse_id == "":
if shop_id:
s_id = shop_id
w_id = -1
elif shop_id == "":
if warehouse_id:
w_id = warehouse_id
s_id = -1
main_data = {"terminal_name":terminal_name,"warehouse_id":w_id,"shop_id":s_id,"admin_id":admin_id}
terminal = Terminal.objects.create(terminal_name = terminal_name,warehouse_id = w_id,shop_id = s_id, admin_id = admin_id)
terminal.save()
term_id = terminal.id
print("terminalid")
print(term_id)
try:
terminal = Terminal.objects.get(id=term_id)
except:
terminal = None
if terminal:
terminal_serializer = TerminalSerializer(terminal,many=False)
term_data = terminal_serializer.data
return JsonResponse({"success":True,"message":"Terminal is created","data":term_data})
else:
return JsonResponse({"success":False,"message":"Terminal is not created"})
# term_serializer = TerminalSerializer(data=main_data)
# if term_serializer.is_valid():
# term_serializer.save()
# term_id = term_serializer.data["id"]
# try:
# terminal = Terminal.objects.get(id=int(term_id))
# except:
# terminal = None
# if terminal:
# terminal.save()
# else:
# return JsonResponse({"success":False,"message":"Terminal is not created"})
@api_view(["GET",])
def terminal_list(request):
try:
terminals = Terminal.objects.all()
except:
terminals = None
if terminals:
term_serializer = TerminalSerializer(terminals,many=True)
term_data = term_serializer.data
return JsonResponse({"success":True,"message":"Data is shown","data":term_data})
else:
return JsonResponse({"success":False,"message":"Data doesnt exist"})
#This is for the admin panel.Admin will use this to create a user
@api_view (["POST",])
def create_pos_user(request,terminal_id):
email = request.data.get('email')
password = request.data.get('password')
role = request.data.get('role')
pwd = make_password(password)
username = request.data.get('username')
phone_number = request.data.get('phone_number')
if username is None:
username = ""
if phone_number is None:
phone_number = ""
#Create an user
new_user = User.objects.create(email=email,password=pwd,pwd=password,role=role,is_staff=False,is_verified=True,is_active=True,username=username,phone_number=phone_number)
new_user.save()
user_id = new_user.id
email = new_user.email
print(new_user)
data = {'email':email,'password':pwd,'pwd':password,'role':role,'is_staff':False,'is_verified':True,'is_active':True,'username':username,'phone_number':phone_number}
new_serializer = UserSerializerz(new_user,data=data)
if new_serializer.is_valid():
new_serializer.save()
# balance_values = {'user_id':user_id}
# create_user_balance(balance_values)
profile_values ={'user_id':user_id,'email':email}
create_user_profile(profile_values)
data = new_serializer.data
#Insertion in the TerminalUsers table
terminal_user = TerminalUsers.objects.create(terminal_id=terminal_id,user_id=user_id,is_active=True)
terminal_user.save()
# try:
# current_user = User.objects.get(id=user_id)
# except:
# current_user = None
# if current_user:
# new_serializer = UserSerializerz(new_user,many=False)
# data = new_serializer.data
# else:
# data = {}
return Response(
{
'success': True,
'message': 'User has been created',
'data' : data,
# 'encrypted_password': data["password"],
'password': password
})
else:
print(new_serializer.errors)
return Response(
{
'success': False,
'message': 'Could not create user',
})
def make_terminal_active_inactive(request,terminal_id):
try:
terminal = Terminal.objects.get(id=terminal_id)
except:
terminal = None
print(terminal)
if terminal:
if terminal.is_active == True:
print("is true")
terminal.is_active = False
terminal.save()
return JsonResponse({"success":True,"message":"The active status has been changed","is_active":False})
elif terminal.is_active == False:
terminal.is_active = True
terminal.save()
return JsonResponse({"success":True,"message":"The active status has been changed","is_active":True})
else:
return JsonResponse({"success":False,"message":"The terminal does not exist"})
def make_user_active_inactive(request,user_id,terminal_id):
try:
terminal = TerminalUsers.objects.get(terminal_id=terminal_id,user_id=user_id)
except:
terminal = None
print(terminal)
if terminal:
if terminal.is_active == True:
print("is true")
terminal.is_active = False
terminal.save()
return JsonResponse({"success":True,"message":"The active status has been changed","is_active":False})
elif terminal.is_active == False:
terminal.is_active = True
terminal.save()
return JsonResponse({"success":True,"message":"The active status has been changed","is_active":True})
else:
return JsonResponse({"success":False,"message":"The user does not exist"})
@api_view (["POST",])
def insert_specification_price(request,specification_id):
# data = {
# "MRP": 25.00,
# "data_array" : [{
# "status": "Single",
# "quantity": 1,
# "purchase_price": 300.0,
# "selling_price": 350.0,
# },
# {
# "status": "Minimum",
# "quantity": 10,
# "purchase_price": 300.0,
# "selling_price": 350.0,
# },
# {
# "status": "Maximum",
# "quantity": 100,
# "purchase_price": 300.0,
# "selling_price": 350.0,
# }]
# }
data = request.data
print(data)
try:
prod_specz = ProductSpecification.objects.get(id=specification_id)
except:
prod_specz = None
if prod_specz:
shared_status = prod_specz.shared
if shared_status == False:
MRP = data["MRP"]
data_info = data["data_array"]
ids = []
for i in range(len(data_info)):
spec_price = SpecificationPrice.objects.create(specification_id = specification_id, mrp = MRP, status = data_info[i]["status"],quantity = data_info[i]["quantity"],purchase_price = data_info[i]["purchase_price"],selling_price = data_info[i]["selling_price"] )
spec_price.save()
spec_id = spec_price.id
ids.append(spec_id)
try:
specs = SpecificationPrice.objects.filter(id__in=ids,is_active = True)
except:
specs = None
if specs:
specs_serializer = MaxMinSerializer(specs,many=True)
specs_data = specs_serializer.data
#Change the specification status
# try:
# specific_spec = ProductSpecification.objects.get(id=specification_id)
# except:
# specific_spec = None
# if specific_spec:
# specific_spec.
try:
prod_spec = ProductSpecification.objects.get(id=specification_id)
except:
prod_spec = None
if prod_spec:
try:
prod = Product.objects.get(id = prod_spec.product_id)
except:
prod = None
if prod:
prod.shared = True
prod.save()
prod_spec.shared = True
prod_spec.save()
spec_serializer = MotherSpecificationSerializer(prod_spec,many=False)
spec_data = spec_serializer.data
else:
spec_data = {}
print(spec_data)
# specc_data = json.loads(spec_data)
spec_dataz = json.dumps(spec_data)
url = site_path + "productdetails/insert_child_product_info/"
headers = {'Content-Type': 'application/json',}
dataz = requests.post(url = url, headers=headers,data = spec_dataz)
# print(dataz)
dataz = dataz.json()
# print(dataz)
if dataz["success"] == True:
return JsonResponse({"success":True,"message":"Data has been inserted","data": specs_data,"product_info":spec_data})
else:
#Delete the max min values
prod_spec.shared = False
prod_spec.save()
try:
max_del = SpecificationPrice.objects.filter(id__in = ids)
except:
max_del = None
if max_del:
max_del.delete()
return JsonResponse({"success":True,"message":"Data could not be inserted in mothersite","data": specs_data,"product_info":spec_data})
else:
return JsonResponse({"success":False,"message":"Data could not be inserted"})
else:
return JsonResponse({"success":False,"message":"This product has already been shared before"})
else:
return JsonResponse({"success":False,"message":"This product does not exist"})
@api_view(["GET", ])
def mothersite_approval_response(request,specification_id):
try:
specs = ProductSpecification.objects.get(id=specification_id)
except:
specs = None
if specs:
# try:
# prod = Product.objects.get(specs.product_id)
# except:
# prod = None
# if prod:
# prod.product_admin_status = "Cancelled"
specs.mother_status = "Confirmed"
specs.save()
return JsonResponse({"success":True,"message":"Mother Site has approved this product"})
else:
return JsonResponse({"success":False,"message":"The product does not exist"})
@api_view(["GET", ])
def mothersite_cancelled_response(request,specification_id):
try:
specs = ProductSpecification.objects.get(id=specification_id)
except:
specs = None
if specs:
# try:
# prod = Product.objects.get(specs.product_id)
# except:
# prod = None
# if prod:
# prod.product_admin_status = "Cancelled"
specs.mother_status = "Cancelled"
specs.save()
return JsonResponse({"success":True,"message":"Mother Site has cancelled this product"})
else:
return JsonResponse({"success":False,"message":"The product does not exist"})
@api_view(["GET", ])
def all_shared_motherproducts(request):
try:
specs = ProductSpecification.objects.filter(is_own=False)
except:
specs = None
if specs:
specs_serializer = MotherSpecificationSerializer(specs,many=True)
return JsonResponse({"success":True,"message":"Specifications are displayed","data":specs_serializer.data})
else:
return JsonResponse({"success": False,"message":"There is no data to show"})
@api_view(["GET", ])
def all_shared_products(request):
try:
specs = ProductSpecification.objects.filter(shared = True)
except:
specs = None
if specs:
specs_serializer = MotherSpecificationSerializer(specs,many=True)
return JsonResponse({"success":True,"message":"Specifications are displayed","data":specs_serializer.data})
else:
return JsonResponse({"success": False,"message":"There is no data to show"})
@api_view(["GET", ])
def approved_shared_products(request):
try:
specs = ProductSpecification.objects.filter(shared = True,mother_status="Confirmed")
except:
specs = None
if specs:
specs_serializer = MotherSpecificationSerializer(specs,many=True)
return JsonResponse({"success":True,"message":"Specifications are displayed","data":specs_serializer.data})
else:
return JsonResponse({"success": False,"message":"There is no data to show"})
@api_view(["GET", ])
def pending_shared_products(request):
try:
specs = ProductSpecification.objects.filter(shared= True,mother_status="Processing")
except:
specs = None
if specs:
specs_serializer = MotherSpecificationSerializer(specs,many=True)
return JsonResponse({"success":True,"message":"Specifications are displayed","data":specs_serializer.data})
else:
return JsonResponse({"success": False,"message":"There is no data to show"})
@api_view(["GET", ])
def cancelled_shared_products(request):
try:
specs = ProductSpecification.objects.filter(shared= True,mother_status="Cancelled")
except:
specs = None
if specs:
specs_serializer = MotherSpecificationSerializer(specs,many=True)
return JsonResponse({"success":True,"message":"Specifications are displayed","data":specs_serializer.data})
else:
return JsonResponse({"success": False,"message":"There is no data to show"})
@api_view(["GET", ])
def all_mothersite_products(request):
try:
company= CompanyInfo.objects.all()
except:
company = None
if company:
company = company[0]
site_id = company.site_identification
else:
site_id = ""
print(site_id)
print(type(site_id))
url = site_path + "productdetails/all_mothersite_products/" +str(site_id)+ "/"
mother_response = requests.get(url = url)
mother_data = mother_response.json()
if mother_data["success"] == True:
all_products = mother_data["data"]
return JsonResponse({"success":True,"message":"Mother Site products are shown","data":all_products})
else:
return JsonResponse({"success":False,"message":"There are no mother site products to show"})
@api_view(["GET", ])
def individual_specs(request,specification_id):
try:
specs = ProductSpecification.objects.get(id = specification_id)
except:
specs = None
if specs:
specs_serializer = MotherSpecificationSerializer(specs,many=False)
return JsonResponse({"success":True,"message":"Individual data is shown","data":specs_serializer.data})
else:
return JsonResponse({"success": False,"message":"There is no data to show"})
# @api_view(["POST", ])
# def bring_product(request,mother_specification_id):
# # data = [{
# # "status": "Single",
# # "quantity": 1,
# # "purchase_price": 300.0,
# # "selling_price": 0.0,
# # "MRP": 1125.00,
# # "increament_type": "Percentage",
# # "increament_value": 10.0,
# # },
# # {
# # "status": "Minimum",
# # "quantity": 10,
# # "purchase_price": 280.0,
# # "selling_price": 0.0,
# # "MRP": 1125.00,
# # "increament_type": "Percentage",
# # "increament_value": 10.0,
# # },
# # {
# # "status": "Maximum",
# # "quantity": 100,
# # "purchase_price": 30000.0,
# # "selling_price": 0.0,
# # "MRP": 111125.00,
# # "increament_type": "Percentage",
# # "increament_value": 10.0,
# # }]
# data = request.data
# MRP_flag = 1
# purchase_price = float(data[0]["purchase_price"])
# selling_price = float(data[0]["MRP"])
# main_product_id = 0
# main_specification_id = 0
# for k in range(len(data)):
# if data[k]["MRP"] >= data[k]["purchase_price"]:
# MRP_flag = 1
# else:
# MRP_flag = 0
# break
# if MRP_flag == 1:
# try:
# company= CompanyInfo.objects.all()
# except:
# company = None
# if company:
# company = company[0]
# site_id = company.site_identification
# else:
# site_id = ""
# print("site_id")
# print(site_id)
# try:
# prod_specz = ProductSpecification.objects.all()
# except:
# prod_specz = None
# if prod_specz:
# all_mother_specification_ids = list(prod_specz.values_list('mother_specification_id',flat=True))
# else:
# all_mother_specification_ids = []
# print(all_mother_specification_ids)
# if mother_specification_id not in all_mother_specification_ids:
# specification_id = mother_specification_id
# url = site_path + "productdetails/individual_specs/" +str(specification_id)+ "/"
# mother_response = requests.get(url = url)
# mother_data = mother_response.json()
# if mother_data["success"] == True:
# data = mother_data["data"]
# print("main data")
# print(data)
# mother_product_id = data["product_data"]["id"]
# try:
# product = Product.objects.get(mother_product_id=mother_product_id)
# except:
# product = None
# if product:
# # return JsonResponse({"success":False})
# print("product already stored")
# product_id = product.id
# main_product_id = product_id
# spec_data = {"product_id": product_id, "size": data["size"], "unit": data["unit"], "weight": data["weight"], "color": data["color"], "warranty": data["warranty"],
# "warranty_unit": data["warranty_unit"], "vat": float(data["vat"]), "weight_unit": data["weight_unit"], "manufacture_date": data["manufacture_date"], "expire": data["expire"],"is_own":False,
# "mother_status":"Confirmed","admin_status":"Confirmed","mother_specification_id":data["id"]}
# spec_info = insert_specification_data(spec_data)
# print("spec_info")
# print(spec_info)
# specification_id = spec_info["data"]["id"]
# main_specification_id = specification_id
# data["product_code"]["specification_id"] = specification_id
# data["product_code"]["product_id"] = product_id
# code_info = insert_code_data(data["product_code"])
# print("code_info")
# print(code_info)
# data["delivery_info"]["specification_id"] = specification_id
# delivery_info = insert_delivery_data(data["delivery_info"])
# print("dekivery_info")
# print(delivery_info)
# for i in range(len(data["max_min"])):
# data["max_min"][i]["specification_id"] = specification_id
# data["max_min"][i]["mother_specification_id"] = data["id"]
# data["max_min"][i]["is_own"] = False
# max_min_info = insert_max_min_info(data["max_min"])
# print("max")
# print(max_min_info)
# if spec_info["flag"] == True and code_info["flag"] == True and delivery_info["flag"] == True and max_min_info["flag"] == True:
# print("shob true hoise")
# main_flag = True
# mother_spec_id = data["id"]
# print(mother_spec_id)
# print(site_id)
# url = site_path + "productdetails/track_sharing/"+str(mother_spec_id)+"/"+str(site_id)+ "/"
# mother_responses = requests.get(url = url)
# print()
# mother_datas = mother_responses.json()
# if mother_datas["success"] == True:
# #Insert the mrp
# for i in range(len(data)):
# specification_price = SpecificationPrice.objects.create(specification_id=specification_id,status=data[i]["status"],quantity=int(data[i]["quantity"]),purchase_price=float(data[i]["purchase_price"]),selling_price=float(data[i]["selling_price"]),mrp=float(data[i]["MRP"]),is_active=True,is_own=False)
# specification_price.save()
# #Insert the price
# spec_price = ProductPrice.objects.create(specification_id=main_specification_id,product_id=main_product_id,price=selling_price,purchase_price=purchase_price)
# spec_price.save()
# return JsonResponse({"success": True,"message":"Data have been inserted.Product info and product image info has been added before.","spec":spec_info,"code":code_info,"delivery_info":delivery_info,"max_min_info":max_min_info})
# else:
# return JsonResponse({"success":False,"message": "Data was inserted nut the tracking info was not stored"})
# else:
# return JsonResponse({"success":False,"message":"Data could not be inserted"})
# else:
# prod_data = insert_product_data(
# data["product_data"], data["category_data"], data["site_id"])
# product_id = prod_data["data"]["id"]
# main_product_id = main_product_id
# product_name = prod_data["data"]["title"]
# print(product_name)
# print(product_id)
# image_data = insert_product_image( data["product_images"],product_id,product_name)
# spec_data = {"product_id": product_id, "size": data["size"], "unit": data["unit"], "weight": data["weight"], "color": data["color"], "warranty": data["warranty"],
# "warranty_unit": data["warranty_unit"], "vat": float(data["vat"]), "weight_unit": data["weight_unit"], "manufacture_date": data["manufacture_date"], "expire": data["expire"],"is_own":False,
# "mother_status":"Confirmed","admin_status":"Confirmed","mother_specification_id":data["id"]}
# spec_info = insert_specification_data(spec_data)
# specification_id = spec_info["data"]["id"]
# main_specification_id = specification_id
# data["product_code"]["specification_id"] = specification_id
# data["product_code"]["product_id"] = product_id
# code_info = insert_code_data(data["product_code"])
# data["delivery_info"]["specification_id"] = specification_id
# delivery_info = insert_delivery_data(data["delivery_info"])
# for i in range(len(data["max_min"])):
# data["max_min"][i]["specification_id"] = specification_id
# data["max_min"][i]["mother_specification_id"] = data["id"]
# data["max_min"][i]["is_own"] = False
# max_min_info = insert_max_min_info(data["max_min"])
# if prod_data["flag"] == True and spec_info["flag"] == True and code_info["flag"] == True and delivery_info["flag"] == True and max_min_info["flag"] == True:
# main_flag = True
# mother_spec_id = data["id"]
# url = site_path + "productdetails/track_sharing/"+str(mother_spec_id)+"/"+str(site_id)+ "/"
# mother_responses = requests.get(url = url)
# mother_datas = mother_responses.json()
# if mother_datas["success"] == True:
# #Insert the mrp
# for i in range(len(data)):
# specification_price = SpecificationPrice.objects.create(specification_id=specification_id,status=data[i]["status"],quantity=int(data[i]["quantity"]),purchase_price=float(data[i]["purchase_price"]),selling_price=float(data[i]["selling_price"]),mrp=float(data[i]["MRP"]),is_active=True,is_own=False)
# specification_price.save()
# #Insert the price
# spec_price = ProductPrice.objects.create(specification_id=main_specification_id,product_id=main_product_id,price=selling_price,purchase_price=purchase_price)
# spec_price.save()
# return JsonResponse({"success": True,"message":"Data have been inserted","product": prod_data,"spec":spec_info,"code":code_info,"delivery_info":delivery_info,"max_min_info":max_min_info,"product_image":image_data})
# else:
# return JsonResponse({"success":False,"message": "Data was inserted nut the tracking info was not stored"})
# else:
# return JsonResponse({"success":False,"message":"Data could not be inserted"})
# else:
# return JsonResponse({"success":False,"message":"Data could not be retrieved from mother site"})
# else:
# return JsonResponse({"success":False,"message":"This specfication had already been shared before"})
# else:
# return JsonResponse({"success":False,"message":'The MRP provided is less than the purchase price'})
@api_view(["POST", ])
def bring_product(request,mother_specification_id):
# data = [{
# "status": "Single",
# "quantity": 1,
# "purchase_price": 300.0,
# "selling_price": 0.0,
# "MRP": 1125.00,
# "increament_type": "Percentage",
# "increament_value": 10.0,
# },
# {
# "status": "Minimum",
# "quantity": 10,
# "purchase_price": 280.0,
# "selling_price": 0.0,
# "MRP": 1125.00,
# "increament_type": "Percentage",
# "increament_value": 10.0,
# },
# {
# "status": "Maximum",
# "quantity": 100,
# "purchase_price": 30000.0,
# "selling_price": 0.0,
# "MRP": 111125.00,
# "increament_type": "Percentage",
# "increament_value": 10.0,
# }]
data = request.data
dataX = data
print(data)
MRP_flag = 1
purchase_price = float(data[0]["purchase_price"])
selling_price = float(data[0]["MRP"])
main_product_id = 0
main_specification_id = 0
for k in range(len(data)):
if data[k]["MRP"] >= data[k]["purchase_price"]:
MRP_flag = 1
else:
MRP_flag = 0
break
if MRP_flag == 1:
try:
company= CompanyInfo.objects.all()
except:
company = None
if company:
company = company[0]
site_id = company.site_identification
else:
site_id = ""
print("site_id")
print(site_id)
try:
prod_specz = ProductSpecification.objects.all()
except:
prod_specz = None
if prod_specz:
all_mother_specification_ids = list(prod_specz.values_list('mother_specification_id',flat=True))
else:
all_mother_specification_ids = []
print(all_mother_specification_ids)
if mother_specification_id not in all_mother_specification_ids:
specification_id = mother_specification_id
url = site_path + "productdetails/individual_specs/" +str(specification_id)+ "/"
mother_response = requests.get(url = url)
mother_data = mother_response.json()
if mother_data["success"] == True:
data = mother_data["data"]
print("main data")
print(data)
mother_product_id = data["product_data"]["id"]
try:
product = Product.objects.get(mother_product_id=mother_product_id)
except:
product = None
if product:
# return JsonResponse({"success":False})
print("product already stored")
product_id = product.id
main_product_id = product_id
spec_data = {"product_id": product_id, "size": data["size"], "unit": data["unit"], "weight": data["weight"], "color": data["color"], "warranty": data["warranty"],
"warranty_unit": data["warranty_unit"], "vat": float(data["vat"]), "weight_unit": data["weight_unit"], "manufacture_date": data["manufacture_date"], "expire": data["expire"],"is_own":False,
"mother_status":"Confirmed","admin_status":"Confirmed","mother_specification_id":data["id"]}
spec_info = insert_specification_data(spec_data)
print("spec_info")
print(spec_info)
specification_id = spec_info["data"]["id"]
main_specification_id = specification_id
data["product_code"]["specification_id"] = specification_id
data["product_code"]["product_id"] = product_id
code_info = insert_code_data(data["product_code"])
print("code_info")
print(code_info)
data["delivery_info"]["specification_id"] = specification_id
delivery_info = insert_delivery_data(data["delivery_info"])
print("dekivery_info")
print(delivery_info)
for i in range(len(data["max_min"])):
data["max_min"][i]["specification_id"] = specification_id
data["max_min"][i]["mother_specification_id"] = data["id"]
data["max_min"][i]["is_own"] = False
max_min_info = insert_max_min_info(data["max_min"])
print("max")
print(max_min_info)
if spec_info["flag"] == True and code_info["flag"] == True and delivery_info["flag"] == True and max_min_info["flag"] == True:
print("shob true hoise")
main_flag = True
mother_spec_id = data["id"]
print(mother_spec_id)
print(site_id)
url = site_path + "productdetails/track_sharing/"+str(mother_spec_id)+"/"+str(site_id)+ "/"
mother_responses = requests.get(url = url)
print()
mother_datas = mother_responses.json()
if mother_datas["success"] == True:
#Insert the mrp
print("databefore")
print(data)
for i in range(len(dataX)):
specification_price = SpecificationPrice.objects.create(specification_id=specification_id,status=dataX[i]["status"],quantity=int(dataX[i]["quantity"]),purchase_price=float(dataX[i]["purchase_price"]),selling_price=float(dataX[i]["selling_price"]),mrp=float(dataX[i]["MRP"]),is_active=True,is_own=False)
specification_price.save()
#Insert the price
spec_price = ProductPrice.objects.create(specification_id=main_specification_id,product_id=main_product_id,price=selling_price,purchase_price=purchase_price)
spec_price.save()
return JsonResponse({"success": True,"message":"Data have been inserted.Product info and product image info has been added before.","spec":spec_info,"code":code_info,"delivery_info":delivery_info,"max_min_info":max_min_info})
else:
return JsonResponse({"success":False,"message": "Data was inserted nut the tracking info was not stored"})
else:
return JsonResponse({"success":False,"message":"Data could not be inserted"})
else:
prod_data = insert_product_data(
data["product_data"], data["category_data"], data["site_id"])
product_id = prod_data["data"]["id"]
main_product_id = main_product_id
product_name = prod_data["data"]["title"]
print(product_name)
print(product_id)
image_data = insert_product_image( data["product_images"],product_id,product_name)
spec_data = {"product_id": product_id, "size": data["size"], "unit": data["unit"], "weight": data["weight"], "color": data["color"], "warranty": data["warranty"],
"warranty_unit": data["warranty_unit"], "vat": float(data["vat"]), "weight_unit": data["weight_unit"], "manufacture_date": data["manufacture_date"], "expire": data["expire"],"is_own":False,
"mother_status":"Confirmed","admin_status":"Confirmed","mother_specification_id":data["id"]}
spec_info = insert_specification_data(spec_data)
specification_id = spec_info["data"]["id"]
main_specification_id = specification_id
data["product_code"]["specification_id"] = specification_id
data["product_code"]["product_id"] = product_id
code_info = insert_code_data(data["product_code"])
data["delivery_info"]["specification_id"] = specification_id
delivery_info = insert_delivery_data(data["delivery_info"])
for i in range(len(data["max_min"])):
data["max_min"][i]["specification_id"] = specification_id
data["max_min"][i]["mother_specification_id"] = data["id"]
data["max_min"][i]["is_own"] = False
max_min_info = insert_max_min_info(data["max_min"])
if prod_data["flag"] == True and spec_info["flag"] == True and code_info["flag"] == True and delivery_info["flag"] == True and max_min_info["flag"] == True:
main_flag = True
mother_spec_id = data["id"]
url = site_path + "productdetails/track_sharing/"+str(mother_spec_id)+"/"+str(site_id)+ "/"
mother_responses = requests.get(url = url)
mother_datas = mother_responses.json()
if mother_datas["success"] == True:
#Insert the mrp
# print("data")
# print(data)
for i in range(len(dataX)):
# print(specification_id)
# print(data[i]["status"])
# print(data[i]["quantity"])
# print(data[i]["purchase_price"])
# print(data[i]["selling_price"])
# print(data[i]["MRP"])
specification_price = SpecificationPrice.objects.create(specification_id=specification_id,status=dataX[i]["status"],quantity=int(dataX[i]["quantity"]),purchase_price=float(dataX[i]["purchase_price"]),selling_price=float(dataX[i]["selling_price"]),mrp=float(dataX[i]["MRP"]),is_active=True,is_own=False)
specification_price.save()
#Insert the price
spec_price = ProductPrice.objects.create(specification_id=main_specification_id,product_id=main_product_id,price=selling_price,purchase_price=purchase_price)
spec_price.save()
return JsonResponse({"success": True,"message":"Data have been inserted","product": prod_data,"spec":spec_info,"code":code_info,"delivery_info":delivery_info,"max_min_info":max_min_info,"product_image":image_data})
else:
return JsonResponse({"success":False,"message": "Data was inserted nut the tracking info was not stored"})
else:
return JsonResponse({"success":False,"message":"Data could not be inserted"})
else:
return JsonResponse({"success":False,"message":"Data could not be retrieved from mother site"})
else:
return JsonResponse({"success":False,"message":"This specfication had already been shared before"})
else:
return JsonResponse({"success":False,"message":'The MRP provided is less than the purchase price'})
def insert_product_image(product_images,product_id,product_name):
image_data = []
for i in range(len(product_images)):
prod_image = ProductImage.objects.create(product_id = product_id ,content = product_images[i]["content"], mother_url = product_images[i]["image_url"], is_own=False)
prod_image.save()
prod_image_id = prod_image.id
#image_url = 'http://whatever.com/image.jpg'
image_url = prod_image.mother_url
r = requests.get(image_url)
# img_temp = NamedTemporaryFile()
# img_temp.write(urlopen(image_url).read())
# img_temp.flush()
img_temp = NamedTemporaryFile()
img_temp.write(r.content)
img_temp.flush()
image_name = product_name + str(prod_image_id)+".jpg"
prod_image.product_image.save(image_name, File(img_temp), save=True)
# prod_image.product_image.save("image_%s" % prod_image.pk, ImageFile(img_temp))
# response = requests.get(image_url)
# img = Image.open(BytesIO(response.content))
# prod_image.product_image = img
# prod_image.save()
prod_image_serializer = MotherProductImageCreationSerializer(prod_image,many=False)
im_data = prod_image_serializer.data
image_data.append(im_data)
return ({"flag":True,"data":image_data})
def insert_product_data(product_data, category_data, site_data):
# print(product_data)
# print(category_data)
category_ids = category1_data_upload(category_data)
cat_data = category_ids.json()
category_id = cat_data["category"]
sub_category_id = cat_data["sub_category"]
sub_sub_category_id = cat_data["sub_sub_category"]
is_own = False
product_admin_status = "Confirmed"
title = product_data["title"]
brand = product_data["brand"]
description = product_data["description"]
# print("description")
# print(description)
key_features = product_data["key_features"]
# print("key_features")
# print(key_features)
is_group = product_data["is_group"]
origin = product_data["origin"]
shipping_country = product_data["shipping_country"]
# mother_status = product_data["mother_status"]
mother_product_id = int(product_data["id"])
# unique_id = "X"+str(child_product_id) + "Y" + str(child_site_id)
# data_values = {"category_id": category_id, "sub_category_id": sub_category_id, "sub_sub_category_id": sub_sub_category_id,
# "is_own": False, "product_admin_status": product_admin_status, "title": title, "brand": brand, "description": description, "key_features": key_features,
# "origin": origin, "shipping_country": shipping_country, "is_group": is_group, "mother_product_id": mother_product_id,
# "mother_status": "Confirmed","product_status" :"Published"}
product = Product.objects.create(category_id = category_id,sub_category_id=sub_category_id,sub_sub_category_id=sub_sub_category_id,is_own=False,product_admin_status=product_admin_status,title=title,brand=brand,description=description,key_features=key_features,origin=origin,shipping_country=shipping_country,is_group=is_group,mother_product_id=mother_product_id,mother_status="Confimred",product_status="Published")
product.save()
p_id = product.id
try:
prod = Product.objects.get(id=p_id)
except:
prod = None
if prod:
product_serializer = ChildProductCreationSerializer(prod,many=False)
return ({"flag":True,"data":product_serializer.data})
else:
return ({"flag":False,"data":[]})
# product_serializer = ChildProductCreationSerializer(data=data_values)
# if product_serializer.is_valid():
# print("product save hochche")
# product_serializer.save()
# product_id = int(product_serializer.data["id"])
# globals()['global_product_id'] = product_id
# try:
# product = Product.objects.get(id=product_id)
# except:
# product = None
# if product:
# unique_id = "X"+str(child_product_id) + "Y" + str(child_site_id) + "Z" + str(product_id)
# product.unique_id = unique_id
# product.save()
# product_serializer = ChildProductCreationSerializer(product,many=False)
# return ({"flag":True,"data":product_serializer.data})
# else:
# print(product_serializer.errors)
# return ({"flag":False,"data":[]})
def insert_specification_data(spec_data):
specification_serializer = MotherSpecificationCreationSerializer(data=spec_data)
if specification_serializer.is_valid():
specification_serializer.save()
print("specification save hochche")
# product_id = int(product_serializer.data["id"])
#globals()['global_product_id'] = product_id
#print(product_serializer.data)
return ({"flag":True,"data": specification_serializer.data})
else:
print(specification_serializer.errors)
return ({"flag":False,"data":[]})
def insert_code_data(code_data):
specification_serializer = MotherCodeCreationSerializer(data=code_data)
if specification_serializer.is_valid():
specification_serializer.save()
# product_id = int(product_serializer.data["id"])
#globals()['global_product_id'] = product_id
#print(product_serializer.data)
return ({"flag":True,"data": specification_serializer.data})
else:
print(specification_serializer.errors)
return ({"flag":False,"data":[]})
def insert_delivery_data(delivery_data):
specification_serializer = MotherDeliveryInfoCreationSerializer(data= delivery_data)
if specification_serializer.is_valid():
specification_serializer.save()
# product_id = int(product_serializer.data["id"])
#globals()['global_product_id'] = product_id
#print(product_serializer.data)
return ({"flag":True,"data": specification_serializer.data})
else:
print(specification_serializer.errors)
return ({"flag":False,"data":[]})
def insert_max_min_info(max_min_data):
max_min = []
for i in range(len(max_min_data)):
if max_min_data[i]["status"] == "single" or max_min_data[i]["status"] == "Single" :
max_min_data[i]["status"] = "Single"
if max_min_data[i]["status"] == "min" or max_min_data[i]["status"] == "Single" :
max_min_data[i]["status"] = "Single"
specification_serializer = ChildSpecificationPriceSerializer(data= max_min_data[i])
if specification_serializer.is_valid():
specification_serializer.save()
max_min.append(specification_serializer.data)
else:
return ({"flag":False,"data":[]})
return ({"flag":True,"data":max_min})
@api_view(["GET",])
def unsharedSpecification(request):
try:
spec = ProductSpecification.objects.filter(shared=False,is_own=True)
except:
spec = None
print("this is spec data" , spec)
if spec:
spec_serializer = OwnSpecificationSerializer(spec,many=True)
spec_data = spec_serializer.data
return JsonResponse({"success":True,"message":"Data is shown","data":spec_data})
else:
return JsonResponse({"success":False,"message":"Data doesnt exist"})
@api_view(["GET"])
def own_quantity_check(request,specification_id):
try:
prod = ProductSpecification.objects.get(id=specification_id)
except:
prod = None
if prod:
if prod.is_own == True:
if prod.shared == True:
quantity = prod.quantity
return JsonResponse({"success":True,"message":"The current quantity is shown","quantity":quantity})
else:
return JsonResponse({"success":False,"message":"This product has not been shared so cannot return the quantity"})
else:
return JsonResponse({"success":False,"message":"This product is not my own product so cannot return the quantity"})
else:
return JsonResponse({"success":False,"message":"This product does not exist"})
@api_view(["GET"])
def not_own_quantity_check(request,specification_id):
try:
prod = ProductSpecification.objects.get(id=specification_id)
except:
prod = None
if prod:
if prod.is_own == False:
mother_specification_id = prod.mother_specification_id
url = site_path + "productdetails/quantity_checker/" +str(mother_specification_id)+ "/"
mother_response = requests.get(url = url)
mother_response = mother_response.json()
if mother_response["success"] == True:
quantity = mother_response["quantity"]
return JsonResponse({"success":True,"message":"The current quantity is shown","quantity":quantity})
else:
return JsonResponse({"success":False,"message":"The quantity could not be retireved."})
else:
return JsonResponse({"success":False,"message":"This product is your own product"})
else:
return JsonResponse({"success":False,"message":"This product does not exist"})
# def get_max_min_values()
@api_view(["POST"])
def update_max_min_values(request,specification_id):
# data = [
# {
# "id": 53,
# "status": "Single",
# "quantity": 1,
# "purchase_price": 300.0,
# "selling_price": 370.0,
# "mrp": 25.0,
# "is_active": True,
# "specification_id": 10,
# "is_own": True,
# "mother_specification_id": -1,
# "increament_type": "Percentage",
# "increament_value": 0.0
# },
# {
# "id": 54,
# "status": "Minimum",
# "quantity": 10,
# "purchase_price": 300.0,
# "selling_price": 370.0,
# "mrp": 25.0,
# "is_active": True,
# "specification_id": 10,
# "is_own": True,
# "mother_specification_id": -1,
# "increament_type": "Percentage",
# "increament_value": 0.0
# },
# {
# "id": 55,
# "status": "Maximum",
# "quantity": 100,
# "purchase_price": 300.0,
# "selling_price": 370.0,
# "mrp": 25.0,
# "is_active": True,
# "specification_id": 10,
# "is_own": True,
# "mother_specification_id": -1,
# "increament_type": "Percentage",
# "increament_value": 0.0
# }
# ]
data = { 'arrayForDelivery': [
{
'selectedDistrict': 'Dhaka',
'selectedThana':[
'Banani',
'Gulshan',
'Rampura',
'Dhanmondi'
]
},
{
'selectedDistrict': 'Barishal',
'selectedThana':[
'Hizla',
'Muladi',
'Borguna',
'Betagi'
]
}
],
'max_min' : [
{
"id": 53,
"status": "Single",
"quantity": 1,
"purchase_price": 300.0,
"selling_price": 370.0,
"mrp": 25.0,
"is_active": True,
"specification_id": 10,
"is_own": True,
"mother_specification_id": -1,
"increament_type": "Percentage",
"increament_value": 0.0
},
{
"id": 54,
"status": "Minimum",
"quantity": 10,
"purchase_price": 300.0,
"selling_price": 370.0,
"mrp": 25.0,
"is_active": True,
"specification_id": 10,
"is_own": True,
"mother_specification_id": -1,
"increament_type": "Percentage",
"increament_value": 0.0
},
{
"id": 55,
"status": "Maximum",
"quantity": 100,
"purchase_price": 300.0,
"selling_price": 370.0,
"mrp": 25.0,
"is_active": True,
"specification_id": 10,
"is_own": True,
"mother_specification_id": -1,
"increament_type": "Percentage",
"increament_value": 0.0
}
]
}
# data = request.data
flag = 0
spec_data = []
restore_data = []
for i in range(len(data)):
max_min_id = data[i]["id"]
max_min_data = data[i]
try:
spec_price = SpecificationPrice.objects.get(id=max_min_id)
except:
spec_price = None
if spec_price:
restore_serializer = MaxMinSerializer1(spec_price,many=False)
restore_dataz = restore_serializer.data
restore_data.append(restore_dataz)
spec_price_serializer = MaxMinSerializer1(spec_price,data=max_min_data)
if spec_price_serializer.is_valid():
spec_price_serializer.save()
flag = flag + 1
else:
return JsonResponse({"success":False,"message":"This max min value does not exist"})
try:
spec_pricez = SpecificationPrice.objects.filter(specification_id=specification_id)
except:
spec_pricez = None
if spec_pricez:
spec_pricez_serializer = MaxMinSerializer(spec_pricez,many=True)
spec_data = spec_pricez_serializer.data
else:
spec_data = []
if flag == 3:
try:
company= CompanyInfo.objects.all()
except:
company = None
if company:
company = company[0]
site_id = company.site_identification
else:
site_id = ""
print(specification_id)
print(site_id)
spec_dataz = json.dumps(spec_data)
url = site_path + "productdetails/update_own_specification_prices/" + str(specification_id) + "/" + str(site_id) + "/"
headers = {'Content-Type': 'application/json',}
print(spec_data)
dataz = requests.post(url = url, headers=headers,data = spec_dataz)
data_response = dataz.json()
if data_response["success"] == True:
print("true hochche")
return JsonResponse({"success":True,"message":"The values have been updated","data":spec_data})
else:
#restore the values
print("true hochche na")
data = restore_data
for i in range(len(data)):
max_min_id = data[i]["id"]
max_min_data = data[i]
try:
spec_price = SpecificationPrice.objects.get(id=max_min_id)
except:
spec_price = None
if spec_price:
# restore_serializer = MaxMinSerializer(spec_price,many=False)
# restore_dataz = restore_serializer.data
# restore_data.append(restore_dataz)
spec_price_serializer = MaxMinSerializer1(spec_price,data=max_min_data)
if spec_price_serializer.is_valid():
spec_price_serializer.save()
flag = flag + 1
else:
return JsonResponse({"success":False,"message":"This max min value does not exist"})
return JsonResponse({"success":False,"message":'Mother site did not respond so data was not inserted'})
else:
#restore the data
data = restore_data
for i in range(len(data)):
max_min_id = data[i]["id"]
max_min_data = data[i]
try:
spec_price = SpecificationPrice.objects.get(id=max_min_id)
except:
spec_price = None
if spec_price:
# restore_serializer = MaxMinSerializer1(spec_price,many=False)
# restore_dataz = restore_serializer.data
# restore_data.append(restore_dataz)
spec_price_serializer = MaxMinSerializer1(spec_price,data=max_min_data)
if spec_price_serializer.is_valid():
spec_price_serializer.save()
flag = flag + 1
else:
return JsonResponse({"success":False,"message":"This max min value does not exist"})
return JsonResponse({"success":False,"message":"The values could not be updated"})
def check_price(request,specification_id):
#Fetching the max min values
try:
product_spec = ProductSpecification.objects.get(id = specification_id)
except:
product_spec = None
print(product_spec)
if product_spec:
mother_specification_id = product_spec.mother_specification_id
if product_spec.is_own == True:
return JsonResponse({"success":False, "message":"This is your own product you dont need to check the price."})
else:
#Fetch the max min values from the mother site
url = site_path + "productdetails/show_max_min_values/" +str(mother_specification_id)+ "/"
mother_response = requests.get(url = url)
mother_response = mother_response.json()
if mother_response["success"] == True:
if mother_response["on_hold"] == True:
product_spec.on_hold = True
return JsonResponse({"success":True,"message":"The product is kept on hold and cannot be sold"})
else:
counter_flag = 0
mother_data = mother_response["data"]
print(mother_data)
print(specification_id)
#Fetch the Specification Price of this product
try:
specification_prices = SpecificationPrice.objects.filter(specification_id = specification_id).order_by('id')
except:
specification_prices = None
print(specification_prices)
if specification_prices:
spec_serializer = MaxMinSerializer1(specification_prices,many=True)
specs_data = spec_serializer.data
specs_data = json.loads(json.dumps(specs_data))
#Making the comparisons
print(specs_data)
print(type(mother_data[0]["quantity"]))
print(type(specs_data[0]["quantity"]))
if mother_data[0]["status"] == "Single" and specs_data[0]["status"] == "Single":
if mother_data[0]["quantity"] == specs_data[0]["quantity"] and mother_data[0]["selling_price"] == specs_data[0]["purchase_price"]:
counter_flag = counter_flag +1
else:
pass
else:
pass
if mother_data[1]["status"] == "Minimum" and specs_data[1]["status"] == "Minimum":
if mother_data[1]["quantity"] == specs_data[1]["quantity"] and mother_data[1]["selling_price"] == specs_data[1]["purchase_price"]:
counter_flag = counter_flag +1
else:
pass
else:
pass
if mother_data[2]["status"] == "Maximum" and specs_data[2]["status"] == "Maximum":
if mother_data[2]["quantity"] == specs_data[2]["quantity"] and mother_data[2]["selling_price"] == specs_data[2]["purchase_price"]:
counter_flag = counter_flag +1
else:
pass
else:
pass
print("counter_flag")
print(counter_flag)
if counter_flag == 3:
return JsonResponse({"success":True,"message":"The product can be sold"})
else:
return JsonResponse({"success":False,"message":"This product's price has been changed and has to be on hold"})
else:
return JsonResponse({"success":False,"message":"The specification prices do not exist"})
else:
return JsonResponse({"success":False,"message":"This product does not exist"})
@api_view(["GET",])
def approve_purchase_order(request, order_id):
try:
order = Order.objects.get(id = order_id)
except:
order = None
all_item_data = []
if order:
order.admin_status = "Confirmed"
order.save()
warehouse_id = find_warehouse_id()
try:
order_details = OrderDetails.objects.filter(order_id = order_id)
except:
order_details = None
if order_details:
order_details_ids = list(order_details.values_list('id', flat=True))
else:
order_details_ids = []
for i in range(len(order_details_ids)):
try:
specific_item = OrderDetails.objects.get(id = order_details_ids[i])
except:
specific_item = None
if specific_item:
specific_item.admin_status = specific_item.mother_admin_status
specific_item.save()
purchase_price = specific_item.unit_price
specification_id = specific_item.specification_id
selling_price = fetch_selling_price(specification_id)
warehouse = [{"warehouse_id":warehouse_id,"quantity":specific_item.total_quantity}]
shop = []
item_data = {"product_id":specific_item.product_id,"specification_id":specific_item.specification_id,"purchase_price":purchase_price,"selling_price":selling_price,"warehouse":warehouse,"shop":shop}
insert_quantity = insert_purchase_product_quantity(item_data,order_id)
print("INSERT QUANTITY")
print(insert_quantity)
# all_item_data.append(item_data)
else:
pass
# main_data = {"order_id":order_id,"info":all_item_data }
# print(main_data)
# change_statuses = change_orderdetails_statuses(main_data)
return JsonResponse({"success":True,"message":"This invoice hass been approved"})
else:
return JsonResponse({"success":False,"message":"This order does not exist"})
def insert_purchase_product_quantity(api_values,order_id):
# demo values
# api_values = {
# 'product_id':35,
# 'specification_id':34,
# 'purchase_price': 100,
# 'selling_price': 120,
# 'warehouse': [
# {
# 'warehouse_id': 1,
# 'quantity': 200
# },
# {
# 'warehouse_id': 2,
# 'quantity': 200
# }
# ],
# 'shop': [
# {
# 'shop_id': 3,
# 'quantity': 200
# },
# {
# 'shop_id': 2,
# 'quantity': 200
# },
# {
# 'shop_id': 1,
# 'quantity': 200
# }
# ]
# }
#api_values = request.data
current_date = date.today()
#if request.method == 'POST':
# Insert the purchase price and selling price for that object:
# try:
price_data = {"product_id": api_values["product_id"], "specification_id": api_values["specification_id"],
"price": api_values["selling_price"], "purchase_price": api_values["purchase_price"]}
# Inserting the price
product_price_serializer = ProductPriceSerializer(data=price_data)
print("fjeswdifhfhds")
if product_price_serializer.is_valid():
product_price_serializer.save()
else:
print(product_price_serializer.errors)
# except:
# return JsonResponse({"success": False, "message": "The price could not be inserted"})
try:
# Fetching the product price
prod_price = ProductPrice.objects.filter(
specification_id=api_values["specification_id"]).last()
except:
prod_price = None
if prod_price:
purchase_price = prod_price.purchase_price
selling_price = prod_price.price
else:
return {"success": False, "message": "Price does not exist for this product"}
try:
# checking is there any warehouse data exists or not
if len(api_values['warehouse']) > 0:
for wareh in api_values['warehouse']:
try:
# getting the previous data if there is any in the similar name. If exists update the new value. if does not create new records.
wareh_query = WarehouseInfo.objects.filter(
warehouse_id=wareh['warehouse_id'], specification_id=api_values['specification_id']).last()
print("quertresult")
print(wareh_query)
if wareh_query:
# quantity_val = wareh_query[0].quantity
# new_quantity = quantity_val + wareh['quantity']
# wareh_query.update(quantity=new_quantity)
# wareh_query.save()
print("existing warehouse")
print(type(wareh['quantity']))
print(wareh_query.quantity)
warehouse_quantity = wareh_query.quantity
print(warehouse_quantity)
new_quantity = warehouse_quantity + int(wareh['quantity'])
print(new_quantity)
wareh_query.quantity = new_quantity
print(wareh_query.quantity)
wareh_query.save()
print(wareh_query.quantity)
try:
product_spec = ProductSpecification.objects.get(
id=api_values['specification_id'])
except:
product_spec = None
if product_spec:
product_spec.save()
else:
print("else ey dhuktese")
wareh_data = WarehouseInfo.objects.create(specification_id=api_values['specification_id'], product_id=api_values['product_id'], warehouse_id=wareh['warehouse_id'],
quantity=int(wareh['quantity']))
wareh_data.save()
try:
product_spec = ProductSpecification.objects.get(
id=api_values['specification_id'])
except:
product_spec = None
if product_spec:
product_spec.save()
# updating the inventory report credit records for each ware house quantity. It will help to keep the records in future.
# report_data = inventory_report(
# product_id=api_values['product_id'], credit=wareh['quantity'], warehouse_id=wareh['warehouse_id'])
# report_data.save()
# Check to see if there are any inventory_reports
# try:
# report = inventory_report.objects.filter(product_id=api_values['product_id'],specification_id=api_values['specification_id'],warehouse_id=wareh['warehouse_id'],date=current_date).last()
# except:
# report = None
# if report:
# #Update the existing report
# report.credit += int(wareh['quantity'])
# report.save()
new_report = inventory_report.objects.create(product_id=api_values['product_id'], specification_id=api_values['specification_id'], warehouse_id=wareh['warehouse_id'], credit=int(
wareh['quantity']), date=current_date, purchase_price=purchase_price, selling_price=selling_price)
new_report.save()
# subtract_item = subtraction_track.objects.create(order_id = order_id, specification_id=api_values['specification_id'], warehouse_id=wareh['warehouse_id'], debit_quantity=int(
# wareh['quantity']), date=current_date)
# subtract_item.save()
except:
pass
if len(api_values['shop']) > 0:
for shops in api_values['shop']:
try:
# getting the existing shop values if is there any.
print(shops['shop_id'])
shop_query = ShopInfo.objects.filter(
shop_id=shops['shop_id'], specification_id=api_values['specification_id']).last()
print(shop_query)
if shop_query:
print("shop ase")
quantity_val = shop_query.quantity
new_quantity = quantity_val + int(shops['quantity'])
# shop_query.update(quantity=new_quantity)
shop_query.quantity = new_quantity
shop_query.save()
try:
product_spec = ProductSpecification.objects.get(
id=api_values['specification_id'])
except:
product_spec = None
if product_spec:
product_spec.save()
else:
print("shop nai")
shop_data = ShopInfo.objects.create(specification_id=api_values['specification_id'], product_id=api_values['product_id'], shop_id=shops['shop_id'],
quantity=int(shops['quantity']))
shop_data.save()
# Updating the report table after being inserted the quantity corresponding to credit coloumn for each shop.
# report_data = inventory_report(
# product_id=api_values['product_id'], credit=shops['quantity'], shop_id=shops['shop_id'])
# report_data.save()
try:
product_spec = ProductSpecification.objects.get(
id=api_values['specification_id'])
except:
product_spec = None
if product_spec:
product_spec.save()
new_report = inventory_report.objects.create(product_id=api_values['product_id'], specification_id=api_values['specification_id'], shop_id=shops['shop_id'], credit=int(
shops['quantity']), date=current_date, purchase_price=purchase_price, selling_price=selling_price)
new_report.save()
# subtract_item = subtraction_track.objects.create(order_id = order_id, specification_id=api_values['specification_id'], shop_id = shops['shop_id'], debit_quantity=int(
# shops['quantity']), date=current_date)
# subtract_item.save()
except:
pass
#Insert subtract method here
subtraction_result = subtract_purchase_product_quantity(api_values,order_id)
print("SUBTRACTION_RESULT")
print(subtraction_result)
return {
"success": True,
"message": "Data has been added successfully"
}
except:
return {
"success": False,
"message": "Something went wrong !!"
}
# def subtract_purchase_warehouse quantity()
# def approve_purchase_orders(request,order_id):
def subtract_purchase_product_quantity(api_values,order_id):
print(api_values)
# api_values = {
# 'product_id':35,
# 'specification_id':34,
# 'purchase_price': 100,
# 'selling_price': 120,
# 'warehouse': [
# {
# 'warehouse_id': 1,
# 'quantity': 200
# },
# {
# 'warehouse_id': 2,
# 'quantity': 200
# }
# ],
# 'shop': [
# {
# 'shop_id': 3,
# 'quantity': 200
# },
# {
# 'shop_id': 2,
# 'quantity': 200
# },
# {
# 'shop_id': 1,
# 'quantity': 200
# }
# ]
# }
#api_values = request.data
current_date = date.today()
warehouse_data = api_values["warehouse"]
shop_data = api_values["shop"]
specification_id = api_values["specification_id"]
product_id = api_values["product_id"]
print(shop_data)
print(warehouse_data)
try:
if len(warehouse_data) > 0:
for i in range(len(warehouse_data)):
try:
warehouse_info = WarehouseInfo.objects.filter(specification_id=specification_id,warehouse_id=warehouse_data[i]["warehouse_id"]).last()
except:
warehouse_info = None
if warehouse_info:
if warehouse_info.quantity >= int(warehouse_data[i]["quantity"]):
#subtract the quantity
warehouse_info.quantity -= int(warehouse_data[i]["quantity"])
warehouse_info.save()
new_report = inventory_report.objects.create (product_id=product_id, specification_id= specification_id, warehouse_id= warehouse_data[i]["warehouse_id"], debit= int(warehouse_data[i]["quantity"]), date=current_date)
new_report.save()
subtract_item = subtraction_track.objects.create(order_id = order_id, specification_id = specification_id, warehouse_id = warehouse_data[i]["warehouse_id"], debit_quantity= int(warehouse_data[i]["quantity"]),date=current_date)
subtract_item.save()
else:
return False
else:
return False
if len(shop_data) > 0:
print(len(shop_data))
for k in range(len(shop_data)):
i = k
try:
shop_info = ShopInfo.objects.filter(specification_id=specification_id,shop_id=shop_data[i]["shop_id"]).last()
except:
shop_info = None
if shop_info:
print("SHOP INFO")
print(shop_info)
if shop_info.quantity >= int(shop_data[i]["quantity"]):
print("quantity subtract hochchce")
#subtract the quantity
shop_info.quantity -= int(shop_data[i]["quantity"])
shop_info.save()
print("shop_info save hochche")
# new_report = inventory_report.objects.create (product_id=product_id, specification_id= specification_id, shop_id= shop_data[i]["warehouse_id"], credit= int(shop_data[i]["quantity"]))
# new_report.save()
# print("new_report save")
# subtract_item = subtraction_track.objects.create(order_id = order_id, specification_id = specification_id, shop_id = shop_data[i]["warehouse_id"], debit_quantity= int(shop_data[i]["quantity"]),date=current_date)
# subtract_item.save()
# print("subtract_item save")
new_report = inventory_report.objects.create (product_id=product_id, specification_id= specification_id, shop_id= shop_data[i]["shop_id"], debit= int(shop_data[i]["quantity"]), date=current_date)
new_report.save()
subtract_item = subtraction_track.objects.create(order_id = order_id, specification_id = specification_id, shop_id = shop_data[i]["shop_id"], debit_quantity= int(shop_data[i]["quantity"]),date=current_date)
subtract_item.save()
else:
print("ERRRORRRRRR")
return False
else:
print("SECONDDDDDDDDDDDDDDDDDD")
return False
return True
except:
return False
@api_view(["GET", "POST"])
def get_all_quantity_list_and_price(request, specification_id):
if request.method == 'GET':
purchase_price = 0
selling_price = 0
try:
spec_price = SpecificationPrice.objects.filter(specification_id = specification_id,status="Single").last()
except:
spec_price = None
if spec_price:
purchase_price = spec_price.purchase_price
selling_price = spec_price.mrp
try:
warehouse_values = []
shop_values = []
warehouse_ids = []
shop_ids = []
warehouse_query = WarehouseInfo.objects.filter(
specification_id=specification_id)
print(warehouse_query)
wh_name = Warehouse.objects.all()
print(wh_name)
for wq in warehouse_query:
print(wq.warehouse_id)
warehouse_data = Warehouse.objects.get(id=wq.warehouse_id)
wh_data = {"warehouse_id": warehouse_data.id, "previous_quantity": wq.quantity,
"warehouse_name": warehouse_data.warehouse_name}
print(wh_data)
warehouse_values.append(wh_data)
warehouse_ids.append(wq.warehouse_id)
print(warehouse_values)
for warehouse in wh_name:
if warehouse.id not in warehouse_ids:
wh_data = {"warehouse_id": warehouse.id, "previous_quantity": 0,
"warehouse_name": warehouse.warehouse_name}
warehouse_values.append(wh_data)
print(warehouse_values)
shopinfo_query = ShopInfo.objects.filter(
specification_id=specification_id)
all_shops = Shop.objects.all()
print(shopinfo_query)
print(all_shops)
for shop in shopinfo_query:
shop_data = Shop.objects.get(id=shop.shop_id)
datas = {"shop_id": shop_data.id, "previous_quantity": shop.quantity,
"shop_name": shop_data.shop_name}
shop_values.append(datas)
shop_ids.append(shop.shop_id)
for shops in all_shops:
if shops.id not in shop_ids:
datas = {"shop_id": shops.id, "previous_quantity": 0,
"shop_name": shops.shop_name}
shop_values.append(datas)
return JsonResponse({
"success": True,
"message": "Data has been retrieved successfully",
"data": {
"warehouse": warehouse_values,
"shop": shop_values ,
"purchase_price": purchase_price,
"selling_price" : selling_price
}
})
except:
return JsonResponse({
"success": False,
"message": "Something went wrong"
})
#Find warehouse id
def find_warehouse_id():
try:
warehouse = Warehouse.objects.filter(warehouse_name="Mothersite",warehouse_location="Mothersite").last()
except:
warehouse = None
if warehouse:
warehouse_id = warehouse.id
else:
warehouse_id = -1
return warehouse_id
def fetch_selling_price(specification_id):
try:
p_price = ProductPrice.objects.get(specification_id=specification_id)
except:
p_price = None
if p_price:
selling_price = p_price.price
else:
selling_price = 0
return selling_price
|
[
"sameesayeed880@gmail.com"
] |
sameesayeed880@gmail.com
|
74175bb9aa5862dc1063d5d0e18c623bb8e7e889
|
a7e9c85982f376e2d5973923a23ef144948348c7
|
/Crack the code interview/linked list/is_palindrome.py
|
5b85e09016fcb3fa670b35d5fdec072a31016c43
|
[] |
no_license
|
yewei600/Python
|
8d29fc65f2057b4d0500822d5a27ccd00ebc6083
|
7245ac6cfe8d2f942266708797820fa6048302e4
|
refs/heads/master
| 2021-01-10T01:12:49.194715
| 2016-03-09T02:09:42
| 2016-03-09T02:09:42
| 51,676,222
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 1,561
|
py
|
class Node :
def __init__( self, data ) :
self.data = data
self.next = None
self.prev = None
def get_data(self):
return self.data
class LinkedList :
def __init__( self ) :
self.head = None
def add( self, data ) :
cur = self.head
node = Node( data )
if cur == None :
self.head = node
else:
while cur.next!= None:
cur=cur.next
cur.next=node
node.prev=cur
def search( self, k ) :
p = self.head
if p != None :
while p.next != None :
if ( p.data == k ) :
return p
p = p.next
if ( p.data == k ) :
return p
return None
def remove( self, p ) :
tmp = p.prev
p.prev.next = p.next
p.next.prev = p.prev
def __str__( self ) :
s = ""
p = self.head
if p != None :
while p.next != None :
s += str(p.data)
s +=" "
p = p.next
s += str(p.data)
return s
#check if the linked list is a palindrome
def is_palindrome(self):
s = ""
p = self.head
if p != None :
while p.next != None :
s += str(p.data)
s +=" "
p = p.next
s += str(p.data)
reverse=s[::-1] #reverses string
print s==reverse
def is_palindrome_recurse(self):
l = LinkedList()
#build an array list based on the numbers in this list
numList=[1,2,3,4,4,3,2,1]
for num in numList:
l.add(num)
print "original list: "
print l
l.is_palindrome()
|
[
"ewei94@hotmail.com"
] |
ewei94@hotmail.com
|
3ef215801a99c817e5656e9100e9a57939107319
|
8dc2b9d66bc330e8b7e9ccd38a858de6aa6a1839
|
/HW3/trainer/plot.py
|
b8cbf5e5f869a47cb09c46e0327bd71b3a288816
|
[] |
no_license
|
Bonen0209/Fin_Tech
|
b3871799bf56decddda7ba85ede4adce928e7bb6
|
e4f657fd76d9b77ce85eb9aa6a637deffd249878
|
refs/heads/master
| 2023-02-16T17:34:41.387029
| 2021-01-16T06:26:26
| 2021-01-16T06:26:26
| 301,953,145
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 2,047
|
py
|
import torch
import numpy as np
import matplotlib
import seaborn as sns
matplotlib.use('Agg')
import matplotlib.pyplot as plt
def confusion_matrix(output, target):
try:
from sklearn.metrics import confusion_matrix as cm
except ImportError:
raise RuntimeError("Confusion Matrix requires sklearn to be installed.")
with torch.no_grad():
pred = torch.argmax(output, dim=1)
assert pred.shape[0] == len(target)
matrix = cm(target.cpu().numpy(), pred.cpu().numpy())
fig = plt.figure()
sns.heatmap(matrix, annot=True, fmt="d")
fig.canvas.draw()
buf = np.asarray(fig.canvas.buffer_rgba(), dtype=np.uint8)[:, :, :3]
image = torch.from_numpy(buf).permute(2, 0, 1)
plt.close(fig)
return image
#TODO
def roc_curve(output, target):
try:
from sklearn.metrics import roc_curve as rc
except ImportError:
raise RuntimeError("ROC Curve requires sklearn to be installed.")
with torch.no_grad():
pred = torch.argmax(output, dim=1)
assert pred.shape[0] == len(target)
fpr, tpr, _ = rc(target.cpu().numpy(), output[:, 1].cpu().numpy())
fig = plt.figure()
plt.plot(fpr, tpr)
fig.canvas.draw()
buf = np.asarray(fig.canvas.buffer_rgba(), dtype=np.uint8)[:, :, :3]
image = torch.from_numpy(buf).permute(2, 0, 1)
plt.close(fig)
return image
#TODO
def precision_recall_curve(output, target):
try:
from sklearn.metrics import precision_recall_curve as prc
except ImportError:
raise RuntimeError("Precision Recall Curve requires sklearn to be installed.")
with torch.no_grad():
pred = torch.argmax(output, dim=1)
assert pred.shape[0] == len(target)
fpr, tpr, _ = prc(target.cpu().numpy(), output[:, 1].cpu().numpy())
fig = plt.figure()
plt.plot(fpr, tpr)
fig.canvas.draw()
buf = np.asarray(fig.canvas.buffer_rgba(), dtype=np.uint8)[:, :, :3]
image = torch.from_numpy(buf).permute(2, 0, 1)
plt.close(fig)
return image
|
[
"r08942073@ntu.edu.tw"
] |
r08942073@ntu.edu.tw
|
48b3d55b329489d00e4124a4623d217aa24253ca
|
9b64f0f04707a3a18968fd8f8a3ace718cd597bc
|
/huaweicloud-sdk-osm/huaweicloudsdkosm/v2/model/incident_message_v2.py
|
0bef2967a5076ff962fc33551f637afbe604a4a8
|
[
"Apache-2.0"
] |
permissive
|
jaminGH/huaweicloud-sdk-python-v3
|
eeecb3fb0f3396a475995df36d17095038615fba
|
83ee0e4543c6b74eb0898079c3d8dd1c52c3e16b
|
refs/heads/master
| 2023-06-18T11:49:13.958677
| 2021-07-16T07:57:47
| 2021-07-16T07:57:47
| null | 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 7,941
|
py
|
# coding: utf-8
import re
import six
class IncidentMessageV2:
"""
Attributes:
openapi_types (dict): The key is attribute name
and the value is attribute type.
attribute_map (dict): The key is attribute name
and the value is json key in definition.
"""
sensitive_list = []
openapi_types = {
'type': 'int',
'replier': 'str',
'content': 'str',
'message_id': 'str',
'replier_name': 'str',
'create_time': 'datetime',
'is_first_message': 'int',
'accessory_list': 'list[SimpleAccessoryV2]'
}
attribute_map = {
'type': 'type',
'replier': 'replier',
'content': 'content',
'message_id': 'message_id',
'replier_name': 'replier_name',
'create_time': 'create_time',
'is_first_message': 'is_first_message',
'accessory_list': 'accessory_list'
}
def __init__(self, type=None, replier=None, content=None, message_id=None, replier_name=None, create_time=None, is_first_message=None, accessory_list=None):
"""IncidentMessageV2 - a model defined in huaweicloud sdk"""
self._type = None
self._replier = None
self._content = None
self._message_id = None
self._replier_name = None
self._create_time = None
self._is_first_message = None
self._accessory_list = None
self.discriminator = None
if type is not None:
self.type = type
if replier is not None:
self.replier = replier
if content is not None:
self.content = content
if message_id is not None:
self.message_id = message_id
if replier_name is not None:
self.replier_name = replier_name
if create_time is not None:
self.create_time = create_time
if is_first_message is not None:
self.is_first_message = is_first_message
if accessory_list is not None:
self.accessory_list = accessory_list
@property
def type(self):
"""Gets the type of this IncidentMessageV2.
类型,0客户留言 1华为工程师留言
:return: The type of this IncidentMessageV2.
:rtype: int
"""
return self._type
@type.setter
def type(self, type):
"""Sets the type of this IncidentMessageV2.
类型,0客户留言 1华为工程师留言
:param type: The type of this IncidentMessageV2.
:type: int
"""
self._type = type
@property
def replier(self):
"""Gets the replier of this IncidentMessageV2.
回复人ID
:return: The replier of this IncidentMessageV2.
:rtype: str
"""
return self._replier
@replier.setter
def replier(self, replier):
"""Sets the replier of this IncidentMessageV2.
回复人ID
:param replier: The replier of this IncidentMessageV2.
:type: str
"""
self._replier = replier
@property
def content(self):
"""Gets the content of this IncidentMessageV2.
留言内容
:return: The content of this IncidentMessageV2.
:rtype: str
"""
return self._content
@content.setter
def content(self, content):
"""Sets the content of this IncidentMessageV2.
留言内容
:param content: The content of this IncidentMessageV2.
:type: str
"""
self._content = content
@property
def message_id(self):
"""Gets the message_id of this IncidentMessageV2.
留言id
:return: The message_id of this IncidentMessageV2.
:rtype: str
"""
return self._message_id
@message_id.setter
def message_id(self, message_id):
"""Sets the message_id of this IncidentMessageV2.
留言id
:param message_id: The message_id of this IncidentMessageV2.
:type: str
"""
self._message_id = message_id
@property
def replier_name(self):
"""Gets the replier_name of this IncidentMessageV2.
回复人名称
:return: The replier_name of this IncidentMessageV2.
:rtype: str
"""
return self._replier_name
@replier_name.setter
def replier_name(self, replier_name):
"""Sets the replier_name of this IncidentMessageV2.
回复人名称
:param replier_name: The replier_name of this IncidentMessageV2.
:type: str
"""
self._replier_name = replier_name
@property
def create_time(self):
"""Gets the create_time of this IncidentMessageV2.
创建时间
:return: The create_time of this IncidentMessageV2.
:rtype: datetime
"""
return self._create_time
@create_time.setter
def create_time(self, create_time):
"""Sets the create_time of this IncidentMessageV2.
创建时间
:param create_time: The create_time of this IncidentMessageV2.
:type: datetime
"""
self._create_time = create_time
@property
def is_first_message(self):
"""Gets the is_first_message of this IncidentMessageV2.
是否是第一条留言
:return: The is_first_message of this IncidentMessageV2.
:rtype: int
"""
return self._is_first_message
@is_first_message.setter
def is_first_message(self, is_first_message):
"""Sets the is_first_message of this IncidentMessageV2.
是否是第一条留言
:param is_first_message: The is_first_message of this IncidentMessageV2.
:type: int
"""
self._is_first_message = is_first_message
@property
def accessory_list(self):
"""Gets the accessory_list of this IncidentMessageV2.
附件列表
:return: The accessory_list of this IncidentMessageV2.
:rtype: list[SimpleAccessoryV2]
"""
return self._accessory_list
@accessory_list.setter
def accessory_list(self, accessory_list):
"""Sets the accessory_list of this IncidentMessageV2.
附件列表
:param accessory_list: The accessory_list of this IncidentMessageV2.
:type: list[SimpleAccessoryV2]
"""
self._accessory_list = accessory_list
def to_dict(self):
"""Returns the model properties as a dict"""
result = {}
for attr, _ in six.iteritems(self.openapi_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:
if attr in self.sensitive_list:
result[attr] = "****"
else:
result[attr] = value
return result
def to_str(self):
import simplejson as json
return json.dumps(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"""
if not isinstance(other, IncidentMessageV2):
return False
return self.__dict__ == other.__dict__
def __ne__(self, other):
"""Returns true if both objects are not equal"""
return not self == other
|
[
"hwcloudsdk@huawei.com"
] |
hwcloudsdk@huawei.com
|
8376f3ba760e0968095243d0a6947b384dd9d9c9
|
d3efc82dfa61fb82e47c82d52c838b38b076084c
|
/utils/ETF/Redemption_SA/YW_ETFSS_SZSH_019.py
|
1b0fde97d8686e9b2f5c74c8d27dca8b23258a17
|
[] |
no_license
|
nantongzyg/xtp_test
|
58ce9f328f62a3ea5904e6ed907a169ef2df9258
|
ca9ab5cee03d7a2f457a95fb0f4762013caa5f9f
|
refs/heads/master
| 2022-11-30T08:57:45.345460
| 2020-07-30T01:43:30
| 2020-07-30T01:43:30
| 280,388,441
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 6,493
|
py
|
#!/usr/bin/python
# -*- encoding: utf-8 -*-
import sys
import time
sys.path.append("/home/yhl2/workspace/xtp_test/ETF")
from import_common import *
sys.path.append("/home/yhl2/workspace/xtp_test/ETF/etf_service")
from ETF_GetComponentShare import etf_get_all_component_stk
class YW_ETFSS_SZSH_019(xtp_test_case):
def test_YW_ETFSS_SZSH_019(self):
# -----------ETF赎回-------------
title = '深圳ETF赎回--允许现金替代:T-1日ETF拥股量1unit→T日赎回ETF'
# 定义当前测试用例的期待值
# 期望状态:初始、未成交、部成、全成、部撤已报、部撤、已报待撤、已撤、废单、撤废、内部撤单
# xtp_ID和cancel_xtpID默认为0,不需要变动
case_goal = {
'case_ID': 'ATC-204-019',
'期望状态': '全成',
'errorID': 0,
'errorMSG': '',
'是否生成报单': '是',
'是否是撤废': '否',
'xtp_ID': 0,
'cancel_xtpID': 0,
}
logger.warning(title + ', case_ID=' + case_goal['case_ID'])
unit_info = {
'ticker': '189902', # etf代码
'etf_unit': 1, # etf赎回单位数
'etf_unit_sell': 1, # etf卖出单位数
'component_unit_sell': 1 # 成分股卖出单位数
}
# -----------ETF赎回-------------
# 参数:证券代码、市场、证券类型、证券状态、交易状态、买卖方向(B买S卖)、期望状态、Api
stkparm = QueryEtfQty(unit_info['ticker'], '2', '14', '2', '0',
'B', case_goal['期望状态'], Api)
# -----------查询ETF赎回前成分股持仓-------------
component_stk_info = etf_get_all_component_stk(unit_info['ticker'])
# 定义委托参数信息------------------------------------------
# 如果下单参数获取失败,则用例失败
if stkparm['返回结果'] is False:
rs = {
'用例测试结果': stkparm['返回结果'],
'用例错误原因': '获取下单参数失败, ' + stkparm['错误原因'],
}
etf_query_log(case_goal, rs)
self.assertEqual(rs['用例测试结果'], True)
else:
wt_reqs = {
'business_type':
Api.const.XTP_BUSINESS_TYPE['XTP_BUSINESS_TYPE_ETF'],
'market':
Api.const.XTP_MARKET_TYPE['XTP_MKT_SZ_A'],
'ticker':
stkparm['证券代码'],
'side':
Api.const.XTP_SIDE_TYPE['XTP_SIDE_REDEMPTION'],
'price_type':
Api.const.XTP_PRICE_TYPE['XTP_PRICE_LIMIT'],
'quantity':
int(unit_info['etf_unit'] * stkparm['最小申赎单位']),
}
EtfParmIni(Api, case_goal['期望状态'], wt_reqs['price_type'])
CaseParmInsertMysql(case_goal, wt_reqs)
rs = etfServiceTest(Api, case_goal, wt_reqs, component_stk_info)
etf_creation_log(case_goal, rs)
# --------二级市场,卖出etf-----------
case_goal['期望状态'] = '废单'
case_goal['errorID'] = 11010121
case_goal['errorMSG'] = 'Failed to check security quantity.'
quantity = int(unit_info['etf_unit_sell'] *
stkparm['最小申赎单位']) # 二级市场卖出的etf数量
quantity_list = split_etf_quantity(quantity)
# 查询涨停价
limitup_px = getUpPrice(stkparm['证券代码'])
rs = {}
for etf_quantity in quantity_list:
wt_reqs_etf = {
'business_type':
Api.const.XTP_BUSINESS_TYPE['XTP_BUSINESS_TYPE_CASH'],
'market':
Api.const.XTP_MARKET_TYPE['XTP_MKT_SZ_A'],
'ticker':
stkparm['证券代码'],
'side':
Api.const.XTP_SIDE_TYPE['XTP_SIDE_SELL'],
'price_type':
Api.const.XTP_PRICE_TYPE['XTP_PRICE_BEST5_OR_CANCEL'],
'price':
limitup_px,
'quantity':
etf_quantity,
}
ParmIni(Api, case_goal['期望状态'], wt_reqs['price_type'])
CaseParmInsertMysql(case_goal, wt_reqs)
rs = serviceTest(Api, case_goal, wt_reqs_etf)
if rs['用例测试结果'] is False:
etf_sell_log(case_goal, rs)
self.assertEqual(rs['用例测试结果'], True)
return
etf_sell_log(case_goal, rs)
# ------------二级市场卖出成份股-----------
case_goal['期望状态'] = '全成'
case_goal['errorID'] = 0
case_goal['errorMSG'] = ''
etf_component_info = QueryEtfComponentsInfoDB(stkparm['证券代码'],wt_reqs['market'])
rs = {}
for stk_info in etf_component_info:
stk_code = stk_info[0]
components_share = QueryEtfComponentsDB(stkparm['证券代码'],
stk_code)
components_total = int(
components_share * unit_info['component_unit_sell'])
quantity = get_valid_amount(components_total)
limitup_px = getUpPrice(stk_code)
wt_reqs = {
'business_type':
Api.const.XTP_BUSINESS_TYPE['XTP_BUSINESS_TYPE_CASH'],
'market':
Api.const.XTP_MARKET_TYPE['XTP_MKT_SZ_A'],
'ticker':
stk_code,
'side':
Api.const.XTP_SIDE_TYPE['XTP_SIDE_SELL'],
'price_type':
Api.const.XTP_PRICE_TYPE['XTP_PRICE_BEST5_OR_CANCEL'],
'price':
limitup_px,
'quantity':
quantity,
}
ParmIni(Api, case_goal['期望状态'], wt_reqs['price_type'])
rs = serviceTest(Api, case_goal, wt_reqs)
if rs['用例测试结果'] is False:
etf_components_sell_log(case_goal, rs)
self.assertEqual(rs['用例测试结果'], True)
etf_components_sell_log(case_goal, rs)
self.assertEqual(rs['用例测试结果'], True)
if __name__ == '__main__':
unittest.main()
|
[
"418033945@qq.com"
] |
418033945@qq.com
|
aabf561c5135f455e7f472fb53ec67efcd6c4a0d
|
c6cee3feca011c94be8d3e53515dfe5e6eba788c
|
/Code/visualization/visual.py
|
522b3df49075fee93857ea3d618652ef2bdba7e2
|
[] |
no_license
|
mohsinkazmi/Capture-Internet-Dynamics-using-Prediction
|
7c7374dfa0efb20852c90f65b22a6b24deb281c8
|
6abcfbe220eb95e9e138300354a8aa50b078d46e
|
refs/heads/master
| 2021-01-10T06:06:24.702603
| 2016-02-22T20:54:52
| 2016-02-22T20:54:52
| 52,290,174
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 1,060
|
py
|
from numpy import *
import matplotlib.pyplot as plt
from mpl_toolkits.mplot3d import Axes3D
import pylab
from numpy import genfromtxt
my_data = genfromtxt('../../data/Ips.csv', delimiter=',', skip_header=0, usecols= (0,1, 2, 3, 4, 13, 14), skip_footer=0) #ip_id, ip, as, long., lati, att, id
data = my_data[:,1:]
target= my_data[:,0]
print "Size of the data (rows, #attributes) ", my_data.shape
fig1 = plt.figure(1)
ax1 = fig1.add_subplot(111, projection='3d')
ax1.scatter(my_data[:,2],my_data[:,6],my_data[:,5] ,c=target)
ax1.set_xlabel('1st dimension (AS)')
ax1.set_ylabel('2nd dimension (id)')
ax1.set_zlabel('3rd dimension (att)')
ax1.set_title("Vizualization of the dataset (3 out of 6 dimensions)")
plt.draw()
plt.figure(2)
plt.scatter(my_data[:,3],my_data[:,4], c=target)
plt.xlabel('longitude')
plt.ylabel('latitude')
plt.title("Vizualization of the dataset w.r.t Geolocation")
plt.draw()
plt.figure(3)
plt.scatter(my_data[:,0],my_data[:,2], c=target)
plt.xlabel('IP')
plt.ylabel('AS')
plt.title("Vizualization of the dataset w.r.t AS")
plt.show()
|
[
"mohsin.kazmi14@gmail.com"
] |
mohsin.kazmi14@gmail.com
|
68a3e17117ffc29cf8def3bcc4810417498b7ef9
|
297c440536f04c5ff4be716b445ea28cf007c930
|
/App/migrations/0007_auto_20200403_2201.py
|
2c78246df112461b79785ba55ec3ca0a977b1975
|
[] |
no_license
|
Chukslord1/SchoolManagement
|
446ab8c643035c57d7320f48905ef471ab3e0252
|
23fd179c0078d863675b376a02193d7c1f3c52e0
|
refs/heads/master
| 2023-02-03T09:14:24.036840
| 2020-12-14T11:06:43
| 2020-12-14T11:06:43
| 247,177,159
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 412
|
py
|
# Generated by Django 3.0 on 2020-04-04 05:01
from django.db import migrations, models
class Migration(migrations.Migration):
dependencies = [
('App', '0006_auto_20200403_1841'),
]
operations = [
migrations.AlterField(
model_name='userprofile',
name='secret_pin',
field=models.CharField(blank=True, max_length=12, null=True),
),
]
|
[
"chukslord1@gmail.com"
] |
chukslord1@gmail.com
|
b76b26811352741d3b2bd34968d4d78280f6b8f0
|
204cc4d648ac2b632804212ec796a48be51447af
|
/employee/employee/settings.py
|
8126764823fc0a0adb280f20adc18b9ad92f7b9a
|
[] |
no_license
|
ra-rownok/employee-register
|
dd2da96e1509faa06c1a3131b081366a961c72bd
|
7dede4e9319ed298e0c9a97f290dcd31bcc306f8
|
refs/heads/master
| 2022-12-07T23:04:15.519701
| 2020-08-14T01:52:17
| 2020-08-14T01:52:17
| 287,418,394
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 3,166
|
py
|
"""
Django settings for employee project.
Generated by 'django-admin startproject' using Django 3.0.7.
For more information on this file, see
https://docs.djangoproject.com/en/3.0/topics/settings/
For the full list of settings and their values, see
https://docs.djangoproject.com/en/3.0/ref/settings/
"""
import os
# Build paths inside the project like this: os.path.join(BASE_DIR, ...)
BASE_DIR = os.path.dirname(os.path.dirname(os.path.abspath(__file__)))
# Quick-start development settings - unsuitable for production
# See https://docs.djangoproject.com/en/3.0/howto/deployment/checklist/
# SECURITY WARNING: keep the secret key used in production secret!
SECRET_KEY = 'gnhcpq0pij*==v@obta$vk*@2u7box145=()5ld-s$d@%a5)ua'
# SECURITY WARNING: don't run with debug turned on in production!
DEBUG = True
ALLOWED_HOSTS = []
# Application definition
INSTALLED_APPS = [
'django.contrib.admin',
'django.contrib.auth',
'django.contrib.contenttypes',
'django.contrib.sessions',
'django.contrib.messages',
'django.contrib.staticfiles',
'register',
'crispy_forms'
]
CRISPY_TEMPLATE_PACK = 'bootstrap4'
MIDDLEWARE = [
'django.middleware.security.SecurityMiddleware',
'django.contrib.sessions.middleware.SessionMiddleware',
'django.middleware.common.CommonMiddleware',
'django.middleware.csrf.CsrfViewMiddleware',
'django.contrib.auth.middleware.AuthenticationMiddleware',
'django.contrib.messages.middleware.MessageMiddleware',
'django.middleware.clickjacking.XFrameOptionsMiddleware',
]
ROOT_URLCONF = 'employee.urls'
TEMPLATES = [
{
'BACKEND': 'django.template.backends.django.DjangoTemplates',
'DIRS': [],
'APP_DIRS': True,
'OPTIONS': {
'context_processors': [
'django.template.context_processors.debug',
'django.template.context_processors.request',
'django.contrib.auth.context_processors.auth',
'django.contrib.messages.context_processors.messages',
],
},
},
]
WSGI_APPLICATION = 'employee.wsgi.application'
# Database
# https://docs.djangoproject.com/en/3.0/ref/settings/#databases
DATABASES = {
'default': {
'ENGINE': 'django.db.backends.sqlite3',
'NAME': os.path.join(BASE_DIR, 'db.sqlite3'),
}
}
# Password validation
# https://docs.djangoproject.com/en/3.0/ref/settings/#auth-password-validators
AUTH_PASSWORD_VALIDATORS = [
{
'NAME': 'django.contrib.auth.password_validation.UserAttributeSimilarityValidator',
},
{
'NAME': 'django.contrib.auth.password_validation.MinimumLengthValidator',
},
{
'NAME': 'django.contrib.auth.password_validation.CommonPasswordValidator',
},
{
'NAME': 'django.contrib.auth.password_validation.NumericPasswordValidator',
},
]
# Internationalization
# https://docs.djangoproject.com/en/3.0/topics/i18n/
LANGUAGE_CODE = 'en-us'
TIME_ZONE = 'UTC'
USE_I18N = True
USE_L10N = True
USE_TZ = True
# Static files (CSS, JavaScript, Images)
# https://docs.djangoproject.com/en/3.0/howto/static-files/
STATIC_URL = '/static/'
|
[
"reshadahamedr001@gmail.com"
] |
reshadahamedr001@gmail.com
|
d98b2c3a5f3c8e775d11314b7aa8681d05a32cd0
|
ee149298e2fca9ee30e9d0de4bfca2b876d0ccc9
|
/experiments/random_run.py
|
0ae674f138afd3d79f520b93a1f6b7655a5000f6
|
[] |
no_license
|
autoML-ICL/autotune-v1
|
6e00c1eb22ee8e1d2ba8d288e7b59faaf6d6b790
|
4ee5673085dd4a6bd1b287d277be9c059ea59f66
|
refs/heads/master
| 2020-03-20T02:09:47.352859
| 2019-04-19T10:02:57
| 2019-04-19T10:02:57
| null | 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 1,349
|
py
|
import pickle
import argparse
from ..core.RandomOptimiser import RandomOptimiser
from ..core.SigOptimiser import SigOptimiser
from ..benchmarks.mnist_problem import MnistProblem
# from ..benchmarks.cifar_problem import CifarProblem
# from ..benchmarks.svhn_problem import SvhnProblem
parser = argparse.ArgumentParser(description='PyTorch Training')
parser.add_argument('-i', '--input_dir', type=str, help='input dir')
parser.add_argument('-o', '--output_dir', type=str, help='output dir')
parser.add_argument('-res', '--n_resources', default=3, type=int, help='n_resources')
args = parser.parse_args()
print("Input directory: {}".format(args.input_dir))
print("Output directory: {}".format(args.output_dir))
print("# resources: {}".format(args.n_resources))
# Define problem instance
problem = MnistProblem(args.input_dir, args.output_dir)
problem.print_domain()
# Define maximum units of resource assigned to each optimisation iteration
n_resources = args.n_resources
random_opt = RandomOptimiser()
random_opt.run_optimization(problem, n_resources, max_iter=2, verbosity=True)
sig_opt = SigOptimiser()
sig_opt.run_optimization(problem, n_resources, max_iter=5, verbosity=True)
filename = args.output_dir + 'results.pkl'
with open(filename, 'wb') as f:
pickle.dump([random_opt, sig_opt], f)
print(sig_opt.arm_opt)
print(sig_opt.fx_opt)
|
[
"leowyaoyang@gmail.com"
] |
leowyaoyang@gmail.com
|
4f92dceb825c12f772496b1518c5f5311b176a33
|
565e369c3370a0e85324dd14a0fc9460a3220343
|
/data/emotes_set.py
|
b8b73a485d35ff720337a2d6b7a10f43f32b3e98
|
[] |
no_license
|
phanirajl/twitch-emotes
|
803d7b99d36e6f7cd0908670f5a54423d383109e
|
c15ef564655d6fa0d4d79db0419f824581051de5
|
refs/heads/master
| 2020-03-21T19:51:44.585623
| 2018-06-28T05:32:34
| 2018-06-28T05:32:34
| null | 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 1,578
|
py
|
# use this script to genenrate {name:id} for global/subscriber emote set (id:code or code:id)
import json
from pprint import pprint
import re
def global_set():
with open('emotes_general.json','r') as f:
data = json.load(f)
f.close
emotes = {}
for k,v in data.iteritems():
emotes[int(v[u'id'])]=k
with open('global_id_code.json','w') as f:
json.dump(emotes,f)
f.close
e2 = {}
for k,v in emotes.iteritems():
e2[v] = k
with open('global_code_id.json','w') as f:
json.dump(e2,f)
f.close
return
def subscriber_set():
with open('subscriber.json','r') as f:
data = json.load(f)
f.close
print len(data)
emotes = {}
for channel,value in data.iteritems():
for item in value['emotes']:
emotes[unicode(item['id'])] = item['code']
print len(emotes)
# it turns out the set we get include global ones
# so we need to remove them first
with open('global_id_code.json','r') as fglobal:
emotes_global = json.load(fglobal)
fglobal.close
for key in emotes_global.keys():
if key in emotes.keys():
del emotes[key]
rmk_list = []
for k,v in emotes.iteritems():
if not re.match("^[A-Za-z0-9_-]*$",v):
rmk_list.append(k)
for k in rmk_list:
del emotes[k]
with open('subscriber_id_code.json','w') as f:
json.dump(emotes,f)
f.close
e2 = {}
for k,v in emotes.iteritems():
e2[v] = k
with open('global_code_id.json','w') as f:
json.dump(e2,f)
f.close
return
if __name__ == '__main__':
global_set()
subscriber_set()
|
[
"fooldreamings.shi@gmail.com"
] |
fooldreamings.shi@gmail.com
|
8bd6bd860d3f1efab80d4bd642431685fad884fd
|
99d8cd53061a0207b81419d1517bc5bd818e0631
|
/98.validate-binary-search-tree.py
|
0b85f9badaae04cc84d0b1c6b176de91c7941e39
|
[] |
no_license
|
SegFault2017/Leetcode2020
|
aa80c40b1a052185ee58fa928747814e24b9c5d8
|
7d4a7cee4ecebb67b98a2bdbf84df9896d59f136
|
refs/heads/master
| 2023-03-18T22:03:56.926077
| 2021-03-06T17:11:52
| 2021-03-06T17:11:52
| 305,238,036
| 1
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 980
|
py
|
#
# @lc app=leetcode id=98 lang=python3
#
# [98] Validate Binary Search Tree
#
# @lc code=start
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, val=0, left=None, right=None):
# self.val = val
# self.left = left
# self.right = right
import math
class Solution:
def validate(self, node: 'TreeNode', low=-math.inf, hi=math.inf) -> bool:
if not node:
return True
if node.val <= low or node.val >= hi:
return False
return self.validate(node.left, low, node.val) and self.validate(node.right, node.val, hi)
def isValidBST(self, root: TreeNode) -> bool:
"""Strategy 1: DFS
Runtime: O(n), where n is the number of nodes
Space: O(h), where h is the height of the tree
Args:
root (TreeNode): [description]
Returns:
bool: [description]
"""
return self.validate(root)
# @lc code=end
|
[
"ray.tangent42@gmail.com"
] |
ray.tangent42@gmail.com
|
6afb0f4c79a6e865b5e35a647444dfe4c69ae4a0
|
220dfe537ff6a851ff94c37bec684d11f868dbb2
|
/second/pytorch/pytorch/models/box_head.py
|
489f929b9419da024f72fdcffe6022cd58c6bb24
|
[
"MIT"
] |
permissive
|
hyunjunChhoi/Rotation-aware-3D-vehicle-detector
|
2876664986529147d0abd82d35230b1775621681
|
cfc02fb3aa4a496acda2e42ec9983b98efd73988
|
refs/heads/master
| 2022-12-17T05:07:44.059610
| 2020-09-18T15:39:23
| 2020-09-18T15:39:23
| 294,009,426
| 1
| 0
| null | 2020-09-18T12:54:11
| 2020-09-09T05:13:38
|
Python
|
UTF-8
|
Python
| false
| false
| 5,089
|
py
|
# Copyright (c) Facebook, Inc. and its affiliates. All Rights Reserved.
import torch
from torch import nn
from second.pytorch.models.rbox_head.roi_box_feature_extractors import make_roi_box_feature_extractor
from second.pytorch.models.rbox_head.roi_box_predictors import make_roi_box_predictor
from second.pytorch.models.rbox_head.inference import make_roi_box_post_processor
from second.pytorch.models.rbox_head.loss import make_roi_box_loss_evaluator
from maskrcnn_benchmark.structures import bounding_box
import time
class ROIBoxHead(torch.nn.Module):
"""
Generic Box Head class.
"""
def __init__(self, cfg, additional_info):
super(ROIBoxHead, self).__init__()
cfg.MODEL.ROI_BOX_HEAD.NUM_CLASSES = additional_info["NUM_CLASSES"]
cfg.MODEL.ROI_HEADS.FG_IOU_THRESHOLD =additional_info["FG_IOU_THRESHOLD"]
cfg.MODEL.ROI_HEADS.BG_IOU_THRESHOLD =additional_info["BG_IOU_THRESHOLD"]
cfg.MODEL.ROI_HEADS.NMS = additional_info["NMS"]
cfg.MODEL.ROI_HEADS.SCORE_THRESH = additional_info["SCORE_THRESH"]
cfg.MODEL.ROI_BOX_HEAD.POOLER_SCALES = additional_info["POOLER_SCALE"]
cfg.MODEL.ROI_BOX_HEAD.POOLER_RESOLUTION = additional_info["POOLER_RESOLUTION"]
cfg.MODEL.BACKBONE.OUT_CHANNELS = additional_info["OUT_CHANNELS"]
self.feature_extractor = make_roi_box_feature_extractor(cfg)
self.predictor = make_roi_box_predictor(cfg)
self.post_processor = make_roi_box_post_processor(cfg)
self.loss_evaluator = make_roi_box_loss_evaluator(cfg)
self.cfg = cfg
def forward(self, feature_final, res, res_score, example=None, batch_idx=None, cc_loss=None, ll_loss=None, post_max_sizes=None, is_training=False):
"""
Arguments:
features (list[Tensor]): feature-maps from possibly several levels
proposals (list[BoxList]): proposal boxes
targets (list[BoxList], optional): the ground-truth targets.
Returns:
x (Tensor): the result of the feature extractor
proposals (list[BoxList]): during training, the subsampled proposals
are returned. During testing, the predicted boxlists are returned
losses (dict[Tensor]): During training, returns the losses for the
head. During testing, returns an empty dict.
"""
# if self.cfg.TEST.CASCADE:
recur_iter =1
targets=example
features=feature_final
#print(features[0].type)
recur_proposals = res
x = None
for i in range(recur_iter):
if is_training:
# Faster R-CNN subsamples during training the proposals with a fixed
# positive / negative ratio
with torch.no_grad():
recur_proposals = self.loss_evaluator.subsample(recur_proposals, targets, batch_idx)
#print("this is proposal")
#print(len(recur_proposals))
#print(recur_proposals[0].bbox[0], recur_proposals[0].bbox[1])
# extract features that will be fed to the final classifier. The
# feature_extractor generally corresponds to the pooler + heads
#recur_proposals_before_feature
#print(features[0].size())
#print("thisis lenght of fatures")
#print(len(features))
torch.cuda.synchronize()
t0=time.time()
x = self.feature_extractor(features, recur_proposals)
#print(x.size())
#print(x.type)
# final classifier that converts the features into predictions
class_logits, box_regression = self.predictor(x)
#print("1")
#print(class_logits.size())
#print(box_regression.size())
torch.cuda.synchronize()
inference_time=time.time()-t0
print("{} seconds".format(time.time()-t0))
if not is_training:
#print("2")
recur_proposals, recur2, recur3, recur4 = self.post_processor((class_logits, box_regression), recur_proposals, res_score, post_max_sizes, recur_iter - i - 1) # result
else:
#print("3")
loss_classifier, loss_box_reg = self.loss_evaluator(
[class_logits], [box_regression], cc_loss, ll_loss, len(features)
)
#recur_proposals = self.post_processor((class_logits, box_regression), recur_proposals, recur_iter - i - 1) # result
if not is_training:
#print("4")
return inference_time, recur_proposals, recur2, recur3, recur4
return (
class_logits,
recur_proposals,
dict(loss_classifier=loss_classifier, loss_box_reg=loss_box_reg),
)
def build_roi_box_head(cfg, additional_info):
"""
Constructs a new box head.
By default, uses ROIBoxHead, but if it turns out not to be enough, just register a new class
and make it a parameter in the config
"""
return ROIBoxHead(cfg, additional_info)
|
[
"numb0258@gmail.com"
] |
numb0258@gmail.com
|
9c316b93b1dacf262a3630fa7eac7a22ef44e777
|
5b788525990035feb8cfea66be4d6959219600b5
|
/day_01/day01_test.py
|
8b4170a43be80b78eb1ecda569af034dd2300f9f
|
[] |
no_license
|
stain88/advent-of-code-2017
|
3967592fd2bad9544f5039fab1773cd9cf2c9b17
|
c1d4afb7266e8c8b47baff5e65d06120c267c013
|
refs/heads/master
| 2021-08-23T17:29:22.716522
| 2017-12-05T22:12:46
| 2017-12-05T22:12:46
| 112,797,265
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 951
|
py
|
import unittest
from day01 import captcha_next, captcha_half
class Day01Test(unittest.TestCase):
def test_part_1_example_1(self):
self.assertEqual(3, captcha_next("1122"))
def test_part_1_example_2(self):
self.assertEqual(4, captcha_next("1111"))
def test_part_1_example_3(self):
self.assertEqual(0, captcha_next("1234"))
def test_part_1_example_4(self):
self.assertEqual(9, captcha_next("91212129"))
def test_part_2_example_1(self):
self.assertEqual(6, captcha_half("1212"))
def test_part_2_example_2(self):
self.assertEqual(0, captcha_half("1221"))
def test_part_2_example_3(self):
self.assertEqual(4, captcha_half("123425"))
def test_part_2_example_4(self):
self.assertEqual(12, captcha_half("123123"))
def test_part_2_example_5(self):
self.assertEqual(4, captcha_half("12131415"))
if __name__ == '__main__':
unittest.main()
|
[
"marcbaghdadi@gmail.com"
] |
marcbaghdadi@gmail.com
|
05d8d286edc84c72c6bc6f7065b8301880e9d2de
|
0b9f3e59e193ce035b2331adbf4caaf093dc4c53
|
/doorcommand/serializers.py
|
964337e233b92a2d8ebbe9af47b594182afe4b4f
|
[] |
no_license
|
nate998877/DoorCommandApi
|
e2f59f6ebe42e34f6015bef4fdf6ae0fa4ba530d
|
6f619bbd2f7319ddd859a9dcb15b4f9ef159e9b1
|
refs/heads/master
| 2023-03-18T11:28:54.221133
| 2021-03-07T04:54:01
| 2021-03-07T04:54:01
| 285,381,401
| 0
| 1
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 461
|
py
|
from rest_framework.serializers import HyperlinkedModelSerializer
from doorcommand.models import NewUser
class NewUserSerializer(HyperlinkedModelSerializer):
class Meta:
model = NewUser
fields = ['user_id', 'status', 'level']
class TmpPassSerializer(HyperlinkedModelSerializer):
class Meta:
model = NewUser
fields = ['tmp_pass']
class UserSerializer(HyperlinkedModelSerializer):
class Meta:
model = NewUser
|
[
"nate998877@gmail.com"
] |
nate998877@gmail.com
|
72939b846f8d49b41b245f91c74763e68f76866f
|
6e52896169aedf63017050d1ea2430581aed3aea
|
/variables.py
|
6f18fdbd7c830c089bbdedf86a9210265501a9d5
|
[] |
no_license
|
poojadncla14/poojatasks
|
eedecc7523b8f337eff2c5761af46f57e510eed9
|
49e4dc31b6c99bbe3ca837b3543058daa28b54f8
|
refs/heads/master
| 2020-03-28T03:08:34.429820
| 2018-09-06T05:27:55
| 2018-09-06T05:27:55
| 147,622,998
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 2,203
|
py
|
# Python class - 2 Online 21-05-2018
# Python -- uses
# features , introduction
# main compenents in Python programming
# -------------------------------------
# Keywords and identifers
# -----------------------
# library of words (Keywords)
# pre defined
# cannot be changed
# should only purpose defined
# cannot be deleted
# Python 2.7 --> 31 Keywords
# Python 3.6 --> 33 Keywords
# mostly small case --> None , True , False
# get keywords
# ------------
# import keyword
# keyword.kwlist
# identifers
# ----------
# library of words given by user/developer
# names of compenents(datatypes , functions , classes , objects , files )
# rules
# cannot use keyword
# start with letter
# cannot start with number or special char
# start with small case ( recommended )
# can start with an underscore ( _ , __)(special)
# Input - output
# --------------
# > a = 10 ALLOWED
# >>> 1 = "khan" not ALLOWED
# File "<stdin>", line 1
# SyntaxError: can't assign to literal
# >>> 1name = "Python" not ALLOWED
# File "<stdin>", line 1
# 1name = "Python"
# ^
# SyntaxError: invalid syntax
# >>> name = "Python" ALLOWED
# >>> NAME = "Python" ALLOWED but not recommended
# >>> @name = "Python" not ALLOWED
# File "<stdin>", line 1
# @name = "Python"
# ^
# SyntaxError: invalid syntax
# >>> name@ = "python" not ALLOWED
# File "<stdin>", line 1
# name@ = "python"
# ^
# SyntaxError: invalid syntax
# >>> _name = "python" ALLOWED but special case
# >>> __name = "python" ALLOWED but special case
# ----------------------------------------------
# Variable
# --------
# -> mini bucket to store values / data
# -> name (identifier)
# -> data ( many types)
# -> memory location ( address where it is stored )
# -> var_name = < value >
# -> datatypes--> type(var_name)
# -> memory --> id(var_name)
# var_name --> identifier
# value --> data
# = -> assignment operator
# ---------------------------------------------
# Data Types
# ----------
# 5 datatypes
# 2 independent --> numbers , Strings
# 3 derived --> lists , tuples and dictionaries
# Numbers --> integer , float , long , complex
# int class
# maximum possible integer in python
|
[
"poojadncla2514@gmail.com"
] |
poojadncla2514@gmail.com
|
c1a5fcdbd9a18ccf38a47ea93b1336e39c8a81a5
|
cd7e2d655ce974a15cb139b7e475771959d5ad36
|
/manage.py
|
bb80999edad9ac3315b927b4f3143cc4d941f26d
|
[] |
no_license
|
cmdantes/pms_win_3.0
|
2b4df5e13b7ed2dc9da2ad9b42389d9fa4a8ad82
|
cb97c3667868d72585e9cd55fb70ba5ce24215f5
|
refs/heads/master
| 2023-03-04T18:36:12.379009
| 2021-02-18T05:55:20
| 2021-02-18T05:55:20
| 313,783,069
| 0
| 0
| null | 2020-11-23T00:31:57
| 2020-11-18T00:55:06
|
JavaScript
|
UTF-8
|
Python
| false
| false
| 627
|
py
|
#!/usr/bin/env python
"""Django's command-line utility for administrative tasks."""
import os
import sys
def main():
os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'pms_win.settings')
try:
from django.core.management import execute_from_command_line
except ImportError as exc:
raise ImportError(
"Couldn't import Django. Are you sure it's installed and "
"available on your PYTHONPATH environment variable? Did you "
"forget to activate a virtual environment?"
) from exc
execute_from_command_line(sys.argv)
if __name__ == '__main__':
main()
|
[
"danteschrisanmae@yahoo.com"
] |
danteschrisanmae@yahoo.com
|
0603cfb0c8dc8530f4fd73d37e87f26ca2c8e2ca
|
16f46f66527d18994b91111b10e7b5ed852a0ad1
|
/desafiodress/backend/migrations/0003_auto_20180402_1904.py
|
f84d91ee714b3ed3f3dba071b2a2a1328659f626
|
[
"Unlicense"
] |
permissive
|
pedro-valentim/django-rest-vue
|
a6f0b8e3f9fabd9e0cd6bd569e9f72cc87885d3f
|
3ef9b517293298a69bb9da4a97be1700a7dc54b6
|
refs/heads/master
| 2020-03-11T17:17:11.675307
| 2018-04-04T06:14:22
| 2018-04-04T06:14:22
| 130,142,764
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 507
|
py
|
# -*- coding: utf-8 -*-
# Generated by Django 1.11 on 2018-04-02 19:04
from __future__ import unicode_literals
from django.db import migrations, models
class Migration(migrations.Migration):
dependencies = [
('backend', '0002_auto_20180402_1901'),
]
operations = [
migrations.AlterField(
model_name='product',
name='name',
field=models.CharField(help_text='The name of the product.', max_length=60, verbose_name='Name'),
),
]
|
[
"pedrovalentim.leite@gmail.com"
] |
pedrovalentim.leite@gmail.com
|
6d14d26ba8d381f9ed5cef9a5cfdb6f18817b2ca
|
2a3743ced45bd79826dcdc55f304da049f627f1b
|
/venv/lib/python3.7/site-packages/jedi/evaluate/compiled/subprocess/__init__.py
|
dea2f66d3727885dad3d9c94f687112e8a842988
|
[
"MIT"
] |
permissive
|
Dimasik007/Deribit_funding_rate_indicator
|
12cc8cd7c0be564d6e34d9eae91940c62492ae2a
|
3251602ae5249069489834f9afb57b11ff37750e
|
refs/heads/master
| 2023-05-26T10:14:20.395939
| 2019-08-03T11:35:51
| 2019-08-03T11:35:51
| 198,705,946
| 5
| 3
|
MIT
| 2023-05-22T22:29:24
| 2019-07-24T20:32:19
|
Python
|
UTF-8
|
Python
| false
| false
| 14,161
|
py
|
"""
Makes it possible to do the compiled analysis in a subprocess. This has two
goals:
1. Making it safer - Segfaults and RuntimeErrors as well as stdout/stderr can
be ignored and dealt with.
2. Make it possible to handle different Python versions as well as virtualenvs.
"""
import os
import sys
import subprocess
import socket
import errno
import traceback
from functools import partial
from threading import Thread
try:
from queue import Queue, Empty
except ImportError:
from Queue import Queue, Empty # python 2.7
from jedi._compatibility import queue, is_py3, force_unicode, \
pickle_dump, pickle_load, GeneralizedPopen, weakref
from jedi import debug
from jedi.cache import memoize_method
from jedi.evaluate.compiled.subprocess import functions
from jedi.evaluate.compiled.access import DirectObjectAccess, AccessPath, \
SignatureParam
from jedi.api.exceptions import InternalError
_MAIN_PATH = os.path.join(os.path.dirname(__file__), '__main__.py')
def _enqueue_output(out, queue):
for line in iter(out.readline, b''):
queue.put(line)
def _add_stderr_to_debug(stderr_queue):
while True:
# Try to do some error reporting from the subprocess and print its
# stderr contents.
try:
line = stderr_queue.get_nowait()
line = line.decode('utf-8', 'replace')
debug.warning('stderr output: %s' % line.rstrip('\n'))
except Empty:
break
def _get_function(name):
return getattr(functions, name)
def _cleanup_process(process, thread):
try:
process.kill()
process.wait()
except OSError:
# Raised if the process is already killed.
pass
thread.join()
for stream in [process.stdin, process.stdout, process.stderr]:
try:
stream.close()
except OSError:
# Raised if the stream is broken.
pass
class _EvaluatorProcess(object):
def __init__(self, evaluator):
self._evaluator_weakref = weakref.ref(evaluator)
self._evaluator_id = id(evaluator)
self._handles = {}
def get_or_create_access_handle(self, obj):
id_ = id(obj)
try:
return self.get_access_handle(id_)
except KeyError:
access = DirectObjectAccess(self._evaluator_weakref(), obj)
handle = AccessHandle(self, access, id_)
self.set_access_handle(handle)
return handle
def get_access_handle(self, id_):
return self._handles[id_]
def set_access_handle(self, handle):
self._handles[handle.id] = handle
class EvaluatorSameProcess(_EvaluatorProcess):
"""
Basically just an easy access to functions.py. It has the same API
as EvaluatorSubprocess and does the same thing without using a subprocess.
This is necessary for the Interpreter process.
"""
def __getattr__(self, name):
return partial(_get_function(name), self._evaluator_weakref())
class EvaluatorSubprocess(_EvaluatorProcess):
def __init__(self, evaluator, compiled_subprocess):
super(EvaluatorSubprocess, self).__init__(evaluator)
self._used = False
self._compiled_subprocess = compiled_subprocess
def __getattr__(self, name):
func = _get_function(name)
def wrapper(*args, **kwargs):
self._used = True
result = self._compiled_subprocess.run(
self._evaluator_weakref(),
func,
args=args,
kwargs=kwargs,
)
# IMO it should be possible to create a hook in pickle.load to
# mess with the loaded objects. However it's extremely complicated
# to work around this so just do it with this call. ~ dave
return self._convert_access_handles(result)
return wrapper
def _convert_access_handles(self, obj):
if isinstance(obj, SignatureParam):
return SignatureParam(*self._convert_access_handles(tuple(obj)))
elif isinstance(obj, tuple):
return tuple(self._convert_access_handles(o) for o in obj)
elif isinstance(obj, list):
return [self._convert_access_handles(o) for o in obj]
elif isinstance(obj, AccessHandle):
try:
# Rewrite the access handle to one we're already having.
obj = self.get_access_handle(obj.id)
except KeyError:
obj.add_subprocess(self)
self.set_access_handle(obj)
elif isinstance(obj, AccessPath):
return AccessPath(self._convert_access_handles(obj.accesses))
return obj
def __del__(self):
if self._used and not self._compiled_subprocess.is_crashed:
self._compiled_subprocess.delete_evaluator(self._evaluator_id)
class CompiledSubprocess(object):
is_crashed = False
# Start with 2, gets set after _get_info.
_pickle_protocol = 2
def __init__(self, executable):
self._executable = executable
self._evaluator_deletion_queue = queue.deque()
self._cleanup_callable = lambda: None
def __repr__(self):
pid = os.getpid()
return '<%s _executable=%r, _pickle_protocol=%r, is_crashed=%r, pid=%r>' % (
self.__class__.__name__,
self._executable,
self._pickle_protocol,
self.is_crashed,
pid,
)
@memoize_method
def _get_process(self):
debug.dbg('Start environment subprocess %s', self._executable)
parso_path = sys.modules['parso'].__file__
args = (
self._executable,
_MAIN_PATH,
os.path.dirname(os.path.dirname(parso_path)),
'.'.join(str(x) for x in sys.version_info[:3]),
)
process = GeneralizedPopen(
args,
stdin=subprocess.PIPE,
stdout=subprocess.PIPE,
stderr=subprocess.PIPE,
# Use system default buffering on Python 2 to improve performance
# (this is already the case on Python 3).
bufsize=-1
)
self._stderr_queue = Queue()
self._stderr_thread = t = Thread(
target=_enqueue_output,
args=(process.stderr, self._stderr_queue)
)
t.daemon = True
t.start()
# Ensure the subprocess is properly cleaned up when the object
# is garbage collected.
self._cleanup_callable = weakref.finalize(self,
_cleanup_process,
process,
t)
return process
def run(self, evaluator, function, args=(), kwargs={}):
# Delete old evaluators.
while True:
try:
evaluator_id = self._evaluator_deletion_queue.pop()
except IndexError:
break
else:
self._send(evaluator_id, None)
assert callable(function)
return self._send(id(evaluator), function, args, kwargs)
def get_sys_path(self):
return self._send(None, functions.get_sys_path, (), {})
def _kill(self):
self.is_crashed = True
self._cleanup_callable()
def _send(self, evaluator_id, function, args=(), kwargs={}):
if self.is_crashed:
raise InternalError("The subprocess %s has crashed." % self._executable)
if not is_py3:
# Python 2 compatibility
kwargs = {force_unicode(key): value for key, value in kwargs.items()}
data = evaluator_id, function, args, kwargs
try:
pickle_dump(data, self._get_process().stdin, self._pickle_protocol)
except (socket.error, IOError) as e:
# Once Python2 will be removed we can just use `BrokenPipeError`.
# Also, somehow in windows it returns EINVAL instead of EPIPE if
# the subprocess dies.
if e.errno not in (errno.EPIPE, errno.EINVAL):
# Not a broken pipe
raise
self._kill()
raise InternalError("The subprocess %s was killed. Maybe out of memory?"
% self._executable)
try:
is_exception, traceback, result = pickle_load(self._get_process().stdout)
except EOFError as eof_error:
try:
stderr = self._get_process().stderr.read().decode('utf-8', 'replace')
except Exception as exc:
stderr = '<empty/not available (%r)>' % exc
self._kill()
_add_stderr_to_debug(self._stderr_queue)
raise InternalError(
"The subprocess %s has crashed (%r, stderr=%s)." % (
self._executable,
eof_error,
stderr,
))
_add_stderr_to_debug(self._stderr_queue)
if is_exception:
# Replace the attribute error message with a the traceback. It's
# way more informative.
result.args = (traceback,)
raise result
return result
def delete_evaluator(self, evaluator_id):
"""
Currently we are not deleting evalutors instantly. They only get
deleted once the subprocess is used again. It would probably a better
solution to move all of this into a thread. However, the memory usage
of a single evaluator shouldn't be that high.
"""
# With an argument - the evaluator gets deleted.
self._evaluator_deletion_queue.append(evaluator_id)
class Listener(object):
def __init__(self, pickle_protocol):
self._evaluators = {}
# TODO refactor so we don't need to process anymore just handle
# controlling.
self._process = _EvaluatorProcess(Listener)
self._pickle_protocol = pickle_protocol
def _get_evaluator(self, function, evaluator_id):
from jedi.evaluate import Evaluator
try:
evaluator = self._evaluators[evaluator_id]
except KeyError:
from jedi.api.environment import InterpreterEnvironment
evaluator = Evaluator(
# The project is not actually needed. Nothing should need to
# access it.
project=None,
environment=InterpreterEnvironment()
)
self._evaluators[evaluator_id] = evaluator
return evaluator
def _run(self, evaluator_id, function, args, kwargs):
if evaluator_id is None:
return function(*args, **kwargs)
elif function is None:
del self._evaluators[evaluator_id]
else:
evaluator = self._get_evaluator(function, evaluator_id)
# Exchange all handles
args = list(args)
for i, arg in enumerate(args):
if isinstance(arg, AccessHandle):
args[i] = evaluator.compiled_subprocess.get_access_handle(arg.id)
for key, value in kwargs.items():
if isinstance(value, AccessHandle):
kwargs[key] = evaluator.compiled_subprocess.get_access_handle(value.id)
return function(evaluator, *args, **kwargs)
def listen(self):
stdout = sys.stdout
# Mute stdout. Nobody should actually be able to write to it,
# because stdout is used for IPC.
sys.stdout = open(os.devnull, 'w')
stdin = sys.stdin
if sys.version_info[0] > 2:
stdout = stdout.buffer
stdin = stdin.buffer
# Python 2 opens streams in text mode on Windows. Set stdout and stdin
# to binary mode.
elif sys.platform == 'win32':
import msvcrt
msvcrt.setmode(stdout.fileno(), os.O_BINARY)
msvcrt.setmode(stdin.fileno(), os.O_BINARY)
while True:
try:
payload = pickle_load(stdin)
except EOFError:
# It looks like the parent process closed.
# Don't make a big fuss here and just exit.
exit(0)
try:
result = False, None, self._run(*payload)
except Exception as e:
result = True, traceback.format_exc(), e
pickle_dump(result, stdout, self._pickle_protocol)
class AccessHandle(object):
def __init__(self, subprocess, access, id_):
self.access = access
self._subprocess = subprocess
self.id = id_
def add_subprocess(self, subprocess):
self._subprocess = subprocess
def __repr__(self):
try:
detail = self.access
except AttributeError:
detail = '#' + str(self.id)
return '<%s of %s>' % (self.__class__.__name__, detail)
def __getstate__(self):
return self.id
def __setstate__(self, state):
self.id = state
def __getattr__(self, name):
if name in ('id', 'access') or name.startswith('_'):
raise AttributeError("Something went wrong with unpickling")
#if not is_py3: print >> sys.stderr, name
#print('getattr', name, file=sys.stderr)
return partial(self._workaround, force_unicode(name))
def _workaround(self, name, *args, **kwargs):
"""
TODO Currently we're passing slice objects around. This should not
happen. They are also the only unhashable objects that we're passing
around.
"""
if args and isinstance(args[0], slice):
return self._subprocess.get_compiled_method_return(self.id, name, *args, **kwargs)
return self._cached_results(name, *args, **kwargs)
@memoize_method
def _cached_results(self, name, *args, **kwargs):
#if type(self._subprocess) == EvaluatorSubprocess:
#print(name, args, kwargs,
#self._subprocess.get_compiled_method_return(self.id, name, *args, **kwargs)
#)
return self._subprocess.get_compiled_method_return(self.id, name, *args, **kwargs)
|
[
"dmitriy00vn@gmail.com"
] |
dmitriy00vn@gmail.com
|
c9af6d37aa753e229cc5cd33fc24ed55f1baad39
|
e3e57e2ad8bb0b1d76d79c2c2e6c7ddab7bbd125
|
/scripts/modules/extractors/fodt/tpm2_part4_spt_routines_annex_fodt.py
|
57671f23b3d1de3dd364517b9cad63fef93032a5
|
[
"BSD-3-Clause",
"LGPL-3.0-only",
"BSD-2-Clause"
] |
permissive
|
evolation/tpm2simulator
|
cc9d3bd715159515d747f651d508cf8ebd8fd02e
|
067874b096b329bbfa17f74edc6abc3a992c775b
|
refs/heads/development
| 2023-03-26T12:32:57.733648
| 2021-03-23T22:46:11
| 2021-03-23T22:46:11
| 350,809,917
| 0
| 0
|
BSD-2-Clause
| 2021-03-23T18:04:09
| 2021-03-23T18:04:09
| null |
UTF-8
|
Python
| false
| false
| 10,715
|
py
|
# -*- coding: utf-8 -*-
import re
from bs4 import Tag
from modules import utils
from modules import constants
from modules import data_structures
from modules.extractors.fodt.tpm2_partx_extraction_navigator_fodt import ExtractionNavigator
class SptRoutinesAnnexFODT(ExtractionNavigator):
"""
"""
def __init__(self):
ExtractionNavigator.__init__(self)
# Extracts function
# Parameters:
# main_entry
# name_section
# sub_path
def extract_function(self, main_entry, name_section, sub_path):
# find first function entry
function = self.next_function(main_entry, 2, True)
# iterate over function entries
while function is not None:
print " "*4 + "* " + function.get_text().strip()
if (function.get_text().strip() == "RSA Files" or
function.get_text().strip() == "Elliptic Curve Files" or
function.get_text().strip() == "OpenSSL-Specific Files"):
backup = function
while function is not None:
# find first function entry
function = self.next_function(function, 3, True)
if function is None:
break
print " "*8 + "- " + function.get_text().strip()
if (function.get_text().strip() == "Alternative RSA Key Generation" or
function.get_text().strip() == "Header Files" or
function.get_text().strip() == "Source Files"):
backup2 = function
while True:
# find first function entry
function = self.next_function(function, 4, True)
if function is None:
function = backup2
break
print " "*12 + ". " + function.get_text().strip()
self.handle_files(sub_path, function)
else:
self.handle_files(sub_path, function)
function = backup
else:
self.handle_files(sub_path, function)
# find next function entry
function = self.next_function(function, 2)
# Handles file
# Parameters:
# sub_path
# function
def handle_files(self, sub_path, function):
# find the entry of the module to be extracted
entry = self.next_entry(function)
# get all relevant code and comment blocks from the module
f = self.extract_module(entry)
f.name = function.get_text().strip()
f.short_name = f.name.replace(".c", "")
f.table_command = None
f.table_response = None
f.folder_name = sub_path
self.functions.append(f)
# Extract support routine annex code blocks
# Parameters;
# entry
# style
# Returns:
# list of code blocks found in given part of file
def extract_code_blocks(self, entry, style):
code_blocks = data_structures.TPM2_Partx_File()
style_nr = int(re.search("([0-9]+)", style).group(1))
cont = ExtractionNavigator.selector(entry)
while cont:
# if the current entry is a text:p, table:table, or test:list with the current style,
# append it to code blocks
if isinstance(entry, Tag) and entry.name == constants.XML_TEXT_P:
element = data_structures.TPM2_Partx_CommentLine(entry.get_text())
code_blocks.append(element) # once
elif isinstance(entry, Tag) and entry.name == constants.XML_TABLE_TABLE:
table_rows = []
rows = entry.find_all(constants.XML_TABLE_TABLE_ROW)
for i in range(0,len(rows)):
r = []
cells = rows[i].find_all(constants.XML_TABLE_TABLE_CELL)
for cell in cells:
r.append(cell.get_text())
table_rows.append(r)
element = data_structures.TPM2_Partx_Table("","", 0, table_rows)
code_blocks.append(element) # once
elif isinstance(entry, Tag) and entry.name == constants.XML_TEXT_LIST\
and entry.has_attr(constants.XML_TEXT_STYLE_NAME) \
and entry[constants.XML_TEXT_STYLE_NAME] == style:
text_ps = entry.findAll(constants.XML_TEXT_P)
for text_p in text_ps:
if not isinstance(text_p, Tag):
break
utils.convert_indentation(text_p)
text_p_text = text_p.get_text()
element = data_structures.TPM2_Partx_CodeLine(text_p_text)
code_blocks.append(element) # for every code line
# add an empty line for readability
element = data_structures.TPM2_Partx_CodeLine("")
code_blocks.append(element) # once
next_list = entry
current_style_nr = style_nr
cont = False
while current_style_nr - style_nr < 2 or current_style_nr - style_nr > 4:
if next_list:
next_list = next_list.next_sibling.next_sibling
else:
break
if next_list and next_list.has_attr(constants.XML_TEXT_STYLE_NAME):
current_style = next_list[constants.XML_TEXT_STYLE_NAME]
result = re.search("WWNum([0-9]+)", current_style)
if result and int(result.group(1)) > style_nr:
current_style_nr = int(result.group(1))
if current_style == style:
cont = True
break
entry = entry.next_sibling.next_sibling
return code_blocks
# Extracts module
# Parameters:
# entry
def extract_module(self, entry):
# find out which text:style-name of the list to follow
style = self.extract_list_style(entry)
code_blocks = self.extract_code_blocks(entry, style)
return code_blocks
# Extracts list style
# Parameters:
# entry
def extract_list_style(self, entry):
style = None
if (isinstance(entry, Tag)
and entry.name == constants.XML_TEXT_LIST
and entry.has_attr(constants.XML_TEXT_STYLE_NAME)):
style = entry[constants.XML_TEXT_STYLE_NAME]
elif (isinstance(entry, Tag)
and entry.name == constants.XML_TEXT_P):
""" propagate confusion:
we need two next_sibling invocations to access the next sibling
"""
next_list = entry.next_sibling.next_sibling
while (isinstance(next_list, Tag)
and next_list.name == constants.XML_TEXT_LIST):
# comment found: need to find the list with code entries
tp = next_list.find(constants.XML_TEXT_P)
if tp is not None:
ts = tp.find(constants.XML_TEXT_SPAN)
if (ts is not None
and ts.has_attr(constants.XML_TEXT_STYLE_NAME)
and ts[constants.XML_TEXT_STYLE_NAME].startswith(constants.XML_PREFIX_CODE_)):
style = next_list[constants.XML_TEXT_STYLE_NAME]
break
next_list = next_list.find_next(constants.XML_TEXT_LIST)
return style
# Extract next function from annex
# Parameters;
# cur_function
# num
# first_intro
# Returns:
# string containing next function from annex
# sub_section_number
def next_function(self, cur_function, num, first_intro=False):
function = cur_function.find_next(constants.XML_TEXT_H)
while (isinstance(function, Tag)
and function.has_attr(constants.XML_TEXT_OUTLINE_LEVEL)
and int(function[constants.XML_TEXT_OUTLINE_LEVEL]) != num
or (first_intro and function.get_text().strip() == "Introduction")
or function.get_text().strip().endswith("Format")):
function = function.find_next(constants.XML_TEXT_H)
if function is None \
or (function.has_attr(constants.XML_TEXT_OUTLINE_LEVEL)
and int(function[constants.XML_TEXT_OUTLINE_LEVEL]) < num):
return None
if function.get_text().strip() == "Introduction":
return None
return function
# Extracts next entry
# Parameters:
# entry
def next_entry(self, entry):
while True: # do-while
entry = entry.find_next(ExtractionNavigator.selector)
if entry is not None:
text_p = entry.find(constants.XML_TEXT_P)
if text_p is not None:
found = False
text_span = text_p.find_all(constants.XML_TEXT_SPAN)
for ts in text_span:
if (ts is not None
and ts.has_attr(constants.XML_TEXT_STYLE_NAME)
and ts[constants.XML_TEXT_STYLE_NAME].startswith(constants.XML_PREFIX_CODE_)):
found = True
break
if found:
break
return entry
# Extracts section
# Parameters:
# entry
# name_section
# name_folder
def extract_section(self, entry, name_section, name_folder):
"""
The method 'extract_section' is overwritten since this class looks for
the 'annex' part of the supporting routines, which is indicated by the
list's text:style-name 'WWNum2' instead of the general search criterion
'XML_TEXT_H' and 'constants.XML_TEXT_OUTLINE_LEVEL: 1'.
"""
cur_name = ""
# find correct section
while isinstance(entry, Tag) and cur_name != name_section:
entry = entry.find_next(constants.XML_TEXT_LIST,
{constants.XML_TEXT_STYLE_NAME: 'WWNum2'})
text_p = entry.find(constants.XML_TEXT_P)
if text_p is not None:
cur_name = text_p.get_text().strip()
# couldn't find the right section
if entry is None:
return
print("[+] Section name: {0}".format(entry.find(constants.XML_TEXT_P).get_text().strip()))
self.extract_function(entry, name_section, name_folder)
|
[
"steffen.wagner@aisec.fraunhofer.de"
] |
steffen.wagner@aisec.fraunhofer.de
|
7c344fcf6b9f60cc30778e1ef5ef3f5afc6f3ea0
|
ba22f289ad1c49fb286105aeaa9abd8548907dc5
|
/tempest/tests/lib/test_tempest_lib.py
|
d70e53dee8a7a2d9d91a0a5a5f89d4b72c3be367
|
[
"Apache-2.0"
] |
permissive
|
ssameerr/tempest
|
cf3f41b3aa07124a1bac69c3c3f2e393b52e671c
|
e413f28661c2aab3f8da8d005db1fa5c59cc6b68
|
refs/heads/master
| 2023-08-08T05:00:45.998493
| 2016-06-08T13:13:48
| 2016-06-08T13:13:48
| 60,715,004
| 0
| 0
|
Apache-2.0
| 2023-02-15T02:18:34
| 2016-06-08T17:02:15
|
Python
|
UTF-8
|
Python
| false
| false
| 780
|
py
|
# -*- coding: utf-8 -*-
# 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.
"""
test_tempest.lib
----------------------------------
Tests for `tempest.lib` module.
"""
from tempest.tests import base
class TestTempest_lib(base.TestCase):
def test_something(self):
pass
|
[
"mtreinish@kortar.org"
] |
mtreinish@kortar.org
|
ca67db3e619336355690a55865974fc423a07f1e
|
6e7a8bb4805770b475af1b3146b494b1417c2461
|
/PythonAPI/simstar/road_work.py
|
875f1e5c37c171a2d5a1b5f090b5af15cb072360
|
[] |
no_license
|
eFiniLan/final-2021
|
05d360ff64fad4a6c0fdfcc7de3f80061e0aa29e
|
57df36b3354935da0027380a541bb2521666df45
|
refs/heads/main
| 2023-06-03T11:39:23.932325
| 2021-06-25T20:17:57
| 2021-06-25T20:17:57
| null | 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 180
|
py
|
import msgpackrpc
class RoadWork():
def __init__(self,client,ID):
self._ID = int(ID)
self.client = client
def get_ID(self):
return self._ID
|
[
"melih.dal@boun.edu.tr"
] |
melih.dal@boun.edu.tr
|
aa8fa7134387a593255b5130917522af84fb688c
|
d66eb5506167b68133470a590afedda3b409e5f6
|
/pyico.py
|
e12a589afaa90f0e917f5113f9249e8a4fd921c0
|
[] |
no_license
|
w718328952/logtest
|
5e07a3fe5c56649e5561c0892c35d80fb6d5ad02
|
3136a074e10573dbdaed76ac684e80c919000120
|
refs/heads/master
| 2020-04-06T13:48:53.794031
| 2018-11-14T07:48:59
| 2018-11-14T07:48:59
| 157,511,400
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 354,756
|
py
|
# -*- coding: utf-8 -*-
# Resource object code
#
# Created by: The Resource Compiler for PyQt5 (Qt v5.8.0)
#
# WARNING! All changes made in this file will be lost!
from PyQt5 import QtCore
qt_resource_data = b"\
\x00\x00\xf1\xd8\
\x89\
\x50\x4e\x47\x0d\x0a\x1a\x0a\x00\x00\x00\x0d\x49\x48\x44\x52\x00\
\x00\x00\xd0\x00\x00\x00\xce\x08\x06\x00\x00\x00\x4f\x78\x8c\x9f\
\x00\x00\x20\x00\x49\x44\x41\x54\x78\x9c\xec\xbd\x7b\xac\xf5\xe9\
\x75\x16\xf6\x3c\x6b\xbd\xef\x6f\xef\x7d\xce\x77\x99\x6f\x3e\xcf\
\xc5\xe3\xb1\x9d\xc4\x4e\x6c\x07\xc7\x09\x90\xa8\x52\x20\xa5\x29\
\x45\x88\x08\x15\x15\x51\x40\xaa\x10\xa5\x6a\xa1\x01\xd4\x36\xad\
\x40\x6a\x05\x0d\x51\xb8\x85\xa6\xe9\x2d\x5c\x2a\x84\xaa\xf6\x8f\
\x52\x88\xd4\xd2\x36\x35\xa5\xa4\x0d\xa1\x89\x09\xd4\x25\x28\x76\
\x3c\xb6\xe3\xf1\xd8\x1e\x5f\x66\x3c\x97\xef\x72\x6e\x7b\xff\x7e\
\xef\x5a\x4f\xff\x58\xbf\xfd\xcd\x24\x82\x96\x82\x67\xc6\x76\xf2\
\x4a\xdf\xcc\xde\x67\xef\x73\xce\x3e\x7b\xbf\xcf\x6f\xad\xf5\xac\
\x67\x3d\x2f\xf1\xcb\xeb\x35\x5d\x3f\xfe\xe3\x3f\xbe\x7d\xf2\xeb\
\xdf\xf7\xc8\x76\xdb\x9e\x00\xfd\x61\xca\x1f\x9f\x26\xbe\xb9\x9b\
\x1e\x1d\xc9\x87\x48\x3e\x44\xea\x61\x03\x26\x12\xa7\x80\x35\x00\
\x22\x70\x0a\xa2\x19\x70\x09\x62\x21\x20\x41\xe7\x24\x06\x81\x33\
\x89\xf7\x29\x9c\x83\x7a\x31\x53\x9f\x0f\xf2\x73\x1e\xf9\x42\xe6\
\xfc\xb9\x67\x9f\x7d\xf6\x0b\xef\x7d\xef\x7b\x2f\x01\xe4\x1b\xfd\
\xf7\x7f\xb5\x2f\xbe\xd1\x2f\xe0\xab\x68\xd9\xcf\x7f\xf6\xa5\xb7\
\xec\x76\xed\xc9\xa9\x4f\xbf\x02\xc2\x3b\x9a\xd9\xb7\x88\x7a\xc2\
\xc9\x87\xdc\xf8\xb0\x11\x5b\x23\x8d\x00\x04\x50\x80\x24\x24\x80\
\x14\x24\x09\x42\x6d\x7a\xea\x95\xcd\x4f\x00\x5c\x3f\x28\xd3\x7a\
\xdf\x00\x33\xa3\xd9\x8a\x2c\x12\x09\x61\x88\xb8\x83\xc4\xcb\x24\
\x5e\x1a\xca\xa7\x90\x7c\x26\x95\x1f\x9d\x63\xfe\xf8\xbd\x17\x5e\
\xf8\xfc\x3b\xde\xf1\x8e\x7b\x6f\xc0\x7b\xf3\x55\xbb\x7e\x19\x40\
\xff\x84\xeb\xc7\x3f\xfc\xe1\x6b\x6f\x7d\xf8\xc9\x77\x6d\x77\x9b\
\xf7\x4d\xce\x5f\x6d\xe0\x37\x76\xe3\x3b\xcd\xf1\x30\x80\xad\x11\
\x24\x30\x40\x06\xa1\x10\x38\x52\x52\x26\x94\x28\xb4\xd4\xdb\xff\
\xe0\xff\xc2\x7a\x0f\x5a\xff\x8f\x5f\x80\x1e\x0a\x10\x04\x92\x00\
\x41\xb8\x01\xc6\x7a\x4a\x7d\x17\x8d\x80\x83\x70\x02\x6e\x44\x23\
\xe8\x29\x1d\x40\x5c\x2a\xf1\xac\xa4\xa7\x17\xe5\x07\x2c\xf4\xc1\
\x7b\xf7\x5e\xfa\xd0\x93\x4f\x3e\xf9\xd2\xeb\xfb\xce\x7d\x75\xad\
\x5f\x06\xd0\x3f\xe6\x7a\xea\xd3\x2f\x3c\xb1\xbd\xb6\xfb\x96\x4e\
\xfb\xd6\xdd\xe4\xdf\xe4\xe4\xd7\x83\x78\xb2\x11\x0f\x81\x10\x81\
\x05\xc0\x22\x61\x60\x8d\x1e\x21\x28\x25\x84\x00\x25\xd6\x00\x03\
\xbd\x02\x9c\x02\x82\x20\x48\x0f\x9e\xbf\xc2\x03\x20\x0b\x5d\x04\
\x60\x47\x98\x00\xb0\xc2\xd0\x2b\x8b\xe0\xf1\xb9\x46\x80\xeb\x33\
\x69\x84\x1d\x31\x58\x91\xaf\x1b\x31\x01\x70\x00\x17\x02\xbe\x80\
\xd4\xd3\x49\x3d\x93\x91\x1f\x8a\x39\x7e\xfa\xa9\xa7\x7e\xf6\x63\
\xdf\xfe\xed\xdf\x7e\xf5\x5a\xbf\x9f\x5f\x2d\xeb\x97\x01\xf4\xff\
\xb2\x7e\xee\xd9\x7b\x5f\xbf\xd9\xb6\x5f\xbf\xeb\xf6\xcf\x6f\x9b\
\x7d\x9b\x13\x8f\xb9\x71\xc2\x0a\x16\x00\x4b\x0a\x41\x42\x12\xb4\
\xc6\x10\x65\x02\x91\xd2\x21\x57\xc0\xac\x41\xe6\x98\x6e\xa5\x80\
\x08\x81\x46\x28\x85\xf8\x45\xbf\xd7\x00\x99\x15\x06\xd6\xfb\xb5\
\x5e\x89\x44\xaf\xba\x0b\xb0\xf0\x26\x02\x34\xd6\xbd\x15\x6f\xc7\
\x68\xc5\x07\x79\x1f\x49\x12\x34\x80\x66\xe8\x06\x4e\x24\xfa\xfa\
\xdb\xce\x94\xf8\x68\x28\x7f\x6a\x8c\xfc\x1b\xff\xdb\x5f\xff\x9f\
\x7f\xe2\xb7\xff\xf6\xdf\x3e\x7f\xc9\xdf\xd8\xaf\xa2\xf5\xcb\x00\
\xfa\x45\xeb\xa3\x5f\xb8\xf3\xb5\xa7\xd3\xf4\x1b\xdc\xed\xbb\xb6\
\x6e\xdf\xd6\x9d\x8f\x80\x48\x09\x57\x02\xc6\x5a\x6b\x28\x57\x60\
\x64\x01\x46\x00\x90\x02\x0e\x91\x5a\x86\x94\x00\x08\xc9\x08\x39\
\x8c\x32\x48\x09\x46\xa6\x02\x95\xb0\x49\x40\x4a\x30\x12\x46\xc0\
\xd7\x4f\xe3\x58\xfc\xe4\x11\x29\x85\x0d\x1d\x6f\xbf\x12\xbf\xea\
\x03\x34\x16\x54\x0c\xc7\xd8\x25\xd2\x08\xaf\x27\x70\x0d\x41\x20\
\x41\x33\x1c\x9f\x47\x03\x48\x5f\x23\x5a\x01\xdc\x8d\xdc\x18\xb1\
\x21\xb1\x28\xf1\x7f\x2f\x19\x7f\x7d\x7f\x18\x7f\xfd\x0f\xfc\xde\
\xdf\xf3\xb3\x3f\xf2\x23\x3f\xf2\x8b\xb1\xfe\x4b\x7e\xfd\x32\x80\
\x00\xbc\xff\xfd\xef\xdf\xbc\xeb\x57\x7d\xc7\x77\xec\xb6\xfe\x3b\
\x77\xcd\x7f\x53\x73\xbe\xa9\x19\x23\xa5\x2b\x09\x23\x01\x65\x22\
\x05\x21\xb3\x8a\x95\xb5\x1e\xd1\x92\x15\x78\x32\xa5\xab\x25\x31\
\x52\x20\xa9\x56\xf5\xc9\x03\x08\x44\x02\x23\x0a\x30\x71\x64\x02\
\x08\xf8\x9a\x8c\xe5\x9a\xc6\x09\xc7\x6a\xa8\x16\x2b\xc7\xc3\x4a\
\x38\xbc\x52\x2e\x71\x8d\x2a\xeb\x27\x78\xcc\xf0\x8c\x05\x19\x63\
\x3d\x76\xfc\xda\xfa\x74\x18\xc0\x63\x6a\x67\x04\xcc\xc8\x46\xac\
\x51\x8b\x74\x5f\x01\x46\x5a\x33\xee\x48\x6c\x08\xdc\x4f\xe9\xef\
\x2f\x11\x7f\xed\x6a\xde\xbf\xff\xcd\xb7\x6e\x3d\xf3\x5a\x7f\x26\
\x5f\x29\xeb\x97\x34\x80\x3e\xfc\xf4\xcb\x6f\xdb\x5e\xef\xbf\xf5\
\x74\xea\xff\xf2\xb6\xf3\x7d\x93\x5b\x23\x71\x99\xd2\x92\x09\xad\
\xd4\x98\x86\xd6\x7d\x2d\x29\x2a\x6a\x24\x44\x44\xd6\x03\xa1\xd4\
\xc5\x41\x90\x20\xb3\x2a\x34\x44\x1c\x53\xb9\xaa\x81\x24\xac\x4f\
\x87\xb1\xa2\x46\x4a\x8c\x2c\x0a\xce\x4c\x80\x8e\xc9\x97\x90\x59\
\x9f\xcd\x11\x4b\x59\x61\xa8\xf2\xb9\x62\xdd\x78\x4c\xed\x8e\x39\
\xdb\x83\x94\x6e\xfd\x0f\x01\xba\x11\xbe\x66\x75\xe4\x5a\x23\xd5\
\x3f\x1a\x41\x83\xd1\x56\x32\xe2\x48\x48\x98\x91\x2b\x0b\x41\x27\
\xe9\x06\x77\x72\x67\x44\x17\xf0\x85\x39\xf4\x37\xe7\x88\xbf\xfc\
\xc3\x3f\xf8\xa7\x7f\xe2\xfb\xbe\xef\xfb\xc6\xeb\xf3\x69\x7d\x79\
\xae\x5f\x92\x00\xfa\x07\xcf\xdc\xf9\x95\xa7\x27\x9b\xdf\x7d\xba\
\xb1\xdf\x72\xd2\xed\xcd\xdd\x39\x93\xb8\x8a\x54\xa4\x20\x65\xd5\
\xfc\x21\x29\x05\x8c\x44\x42\x42\x64\xa5\x6c\x04\x90\xeb\x63\x91\
\xd0\xd9\x21\x14\x20\x1a\xa1\x5e\x55\xbc\x62\xad\x83\xea\x07\x82\
\x81\xaa\xdc\x61\x00\x85\x15\x88\x59\x89\x97\x5e\xa9\x57\x62\xfd\
\x3d\xa1\x24\xb2\x22\x4f\x6d\x7a\x3b\xf2\x0d\x04\x53\xca\x57\x52\
\x3d\x43\x15\x34\xf5\x15\x43\x14\xfa\x04\x00\x6e\xc6\x6e\x84\x19\
\xd0\x8c\xf4\x35\xfa\x54\xca\x46\xba\x1d\x6f\xc3\x7c\x05\x96\x54\
\x09\xdf\xd4\xc0\xe6\xa4\x91\x74\x00\x75\x1b\x93\x91\x3b\x10\x8b\
\x94\x1f\x5c\x16\xfc\x85\xff\xe4\x07\xff\xe4\x7f\xff\x4b\x15\x48\
\xbf\xa4\x00\xf4\x33\xcf\xdc\xf9\xce\xd3\xd3\xe9\xf7\xdc\xd8\xf8\
\x6f\x3c\x9d\xec\x86\x1b\x2f\x42\x9a\x95\x50\xd6\x9e\x54\xae\xf5\
\x4d\xae\x9b\x3f\xb3\xa2\x8e\x00\x45\x16\x68\x48\x68\x44\x65\x5c\
\x77\xaf\x42\x4b\xa4\xb6\xdd\xd0\x9d\x90\xa0\x79\xd4\xd6\x1e\xc7\
\x74\x4f\x22\x49\x19\x81\x94\x98\x89\x63\xd5\x4f\x02\x70\x82\x4b\
\x01\x8e\x63\x8d\x5a\x24\xd8\xd6\x8d\xbf\xe6\x8c\xfa\x05\x80\xe1\
\x1a\xb9\x5e\x95\xae\x49\xc0\x90\x34\x0f\xf1\x48\xf9\x01\xc7\x88\
\x43\x34\x02\x27\x1b\xa2\x99\x3d\x88\x30\x5c\xd3\x3b\x5f\x23\xd4\
\x2b\xdf\x42\xf6\x06\x6e\x1c\x24\x8d\xdd\xc1\xc9\x8d\x6e\x45\x54\
\x38\x61\x46\xec\x48\x52\xd0\x4f\x2f\xf3\xf8\xaf\x9f\xfd\xf4\x27\
\xff\xda\x7b\xdf\xfb\xde\xf3\xd7\xef\x13\x7d\xe3\xd7\x2f\x09\x00\
\xfd\xfd\xcf\xdc\xfd\xb6\x1b\xbb\xe9\x3f\x7c\x68\xeb\xdf\xb1\xeb\
\xd6\x49\x9c\x47\x6a\xa4\xa0\x4c\x28\x8a\x61\x56\x48\x8a\x62\x05\
\x74\xec\x6e\xa6\x84\x91\x3c\x02\x4a\x81\x07\x8c\x9b\xf6\x23\x74\
\xf7\x2a\xb5\x69\xc4\xc6\x89\x39\x80\xc3\x90\xba\x57\xcd\xa3\x95\
\x96\x36\xe3\xca\xcf\xe9\xc8\x04\x54\x2a\x65\x55\xc8\x8f\x10\x96\
\x14\x0b\x37\x60\x73\xaa\xad\x9b\x39\x74\xac\x61\xd6\x14\x0e\x0f\
\x7e\x16\x62\x8d\x32\x14\xd4\x9c\x92\xc0\x25\xa5\x25\xa5\xc3\x22\
\x66\x26\x42\xd0\x31\xd7\x9b\xcc\x70\xd2\x0d\x4e\xd2\x1b\xd4\x40\
\x0a\xaa\x08\x64\xb0\xea\x31\x91\x06\xd2\x1b\xb1\x31\xda\xb6\xaf\
\xb5\x13\xc1\xa9\x19\xbb\xd1\xda\x9a\xe2\x19\x41\x37\x9a\x1b\x4e\
\x48\x7a\x0a\x3f\xb7\x8c\xf1\x17\x9f\x7b\xf6\x53\x7f\xe5\x3d\xef\
\x79\xcf\xd9\xeb\xf9\x19\xbf\x51\xeb\xab\x1a\x40\x1f\x7c\xfa\xe5\
\x6f\x3a\x39\x99\xbe\xfb\xa1\x5d\xfb\x97\x6e\x6c\xfd\x9a\x01\x67\
\x21\xe5\x11\x38\x82\xb4\xf6\x5e\x24\x41\x11\xc0\x50\x56\x14\x0a\
\x64\x40\x48\x40\x23\x0a\x58\x6b\xda\x26\x00\x18\x99\xf9\xf2\x55\
\x71\x71\xa7\xdd\xb0\x1f\xa9\xfb\xfb\x40\xf3\x22\x10\x80\x35\x1d\
\x02\xd4\x68\x94\x12\x4b\xed\x55\x74\x5f\x6b\x0b\x82\x87\x10\x23\
\xc5\xb5\x21\x84\xee\xb4\x66\x80\x12\x68\xfe\xe0\x47\x30\x8a\x63\
\x28\x46\xa3\x5e\xd3\x1a\x81\x2a\x62\xae\x05\x93\x46\x16\x77\x17\
\x12\xf6\x0b\x94\x84\x94\x80\x19\xb0\x71\x92\x80\xba\x57\xc0\x9a\
\x05\x3a\xc0\x66\x86\x91\x09\x73\x5a\x23\xd9\x48\x4e\x5e\x29\xdc\
\xb6\x39\xdd\xc8\x66\xa0\x39\xd9\x00\x36\x07\xbb\x1b\x2b\x25\xac\
\x48\xe9\x06\x6b\xc6\x9d\x93\x53\x08\x1f\x9e\xc7\xf2\xe7\x3f\xf9\
\xd1\x8f\xfc\xc8\xb7\x7e\xeb\xb7\x5e\xbe\x31\x9f\xfe\xeb\xb3\xbe\
\x2a\x01\xf4\x81\x9f\x7f\xfe\x9d\x37\x4f\x4e\x7f\xff\x8d\x9d\xff\
\x8e\xeb\x1b\x7b\x68\x72\x3b\x0b\x69\x8e\x00\xc4\x02\x41\xa5\x64\
\xd0\x18\xa5\xa6\x09\x21\xd7\xba\x25\xe3\x95\x5e\x8d\x12\xc8\x50\
\x2a\x02\x88\x57\x91\x65\x77\xaf\x02\x17\xfb\xd4\xb5\x2d\xa1\x84\
\x5e\xb8\x5a\x60\x34\x5c\x9f\x0c\x43\xc7\xa8\xb0\xd6\x35\x09\x2e\
\x21\x0a\xb5\xd9\x76\x93\x59\x23\x39\x22\x39\x12\x66\x56\x85\xfb\
\x64\x60\x26\xd8\x1a\x38\x99\x61\xe4\x91\xa9\xab\xfc\xea\x48\x44\
\x8c\x4c\x1d\x02\xda\xcf\x09\x33\x2a\x21\x91\xd4\x18\x99\xfb\x21\
\x39\xa9\x91\xd2\x3c\xb4\x56\x4c\x50\x77\xea\x01\xb9\x40\x00\x09\
\x1e\x42\x70\x03\x1a\x89\x25\x45\x27\x61\x0e\x76\x83\x75\x37\x4e\
\x4e\x6e\x8c\xdc\x74\x5a\x77\x43\x77\x5a\x37\xb2\x37\xb2\xdb\x0a\
\x24\x1a\xdd\xc9\xe6\x60\x3b\x46\x2f\xc7\xce\x8d\x93\x94\x7f\x7f\
\x59\xe2\xcf\xfd\xcc\x07\xff\xee\xff\xf8\x9d\xdf\xf9\x9d\xfb\x37\
\x78\x5b\xbc\x26\xeb\xab\x0a\x40\x3f\xf5\xf1\x2f\xfe\xca\x87\xaf\
\x9f\xfe\xdb\xd7\x36\xfc\x75\xd7\x36\x7e\xdb\xc9\x0b\x09\x4b\x62\
\x05\xcd\x31\x4d\x0b\xe4\x50\xa5\x37\x99\xaf\xa4\x71\xb9\xd6\x42\
\x21\x64\x28\x33\x12\x1a\x59\xec\x9b\x04\x2c\xa1\x4c\x00\xfb\x25\
\x71\xe7\x32\xb4\xed\xa6\xe6\xc4\x4b\xe7\x33\xf6\x23\x70\x73\xd7\
\xd1\xcd\x78\x8c\x08\x02\x38\x8f\x60\x64\xd1\x61\x0e\xf0\xa4\x9b\
\x9d\x4c\xc6\x25\x64\x29\x59\x5b\x37\x65\xb3\x02\x52\x37\x63\xab\
\x96\x0e\xcc\x00\x5b\xa9\x31\x61\x15\xcc\x41\x52\x42\x87\x90\x2e\
\x0f\x91\x73\x48\x46\x4a\x42\xee\x33\x74\x35\x23\xd7\x5a\x2d\x23\
\x42\x59\x05\x98\xa6\x66\x58\x86\x8a\x01\xf4\xe2\xd7\x23\x52\x12\
\x28\xa8\x5a\x47\xa5\x3f\x62\x33\x63\x77\xb2\x3b\xb9\x6d\xe0\xa6\
\x3b\x1b\xc1\x4d\x33\x9b\x0c\xec\xcd\xcc\x0d\xec\x64\x81\xc7\x60\
\xc5\xf6\xad\x91\xc9\x69\x24\x30\x19\x4f\xdd\x48\x01\x1f\x3b\x2c\
\xcb\x7f\x7e\xfb\xfa\xc9\x5f\x7e\x03\xb7\xc7\x6b\xb2\xbe\x2a\x00\
\xf4\x63\x3f\xfb\xdc\x63\x6f\x79\xf4\xf4\xdf\xd9\xf5\xf6\xbb\xae\
\x4d\x76\x63\xd7\xed\x22\x42\xcb\x28\xda\x39\x51\x04\x00\x46\xa4\
\x46\x45\x9a\x23\x21\x70\x6c\x7a\x26\x00\xa5\x32\xa5\x02\x4d\x24\
\x72\x79\x85\x45\xd3\x92\x89\x39\x8a\xf8\x7a\xe9\x62\xa0\x19\x30\
\x75\xd7\xdd\x8b\x03\xce\x2e\xae\xb4\xdb\x6d\xb1\xed\x9d\xcd\x5e\
\x79\x5d\x17\x87\x85\x19\xa2\x39\xe8\xd6\xb8\x9b\x9c\xd7\x26\xb3\
\x90\x0c\x90\xf5\xe6\xb6\x71\xfa\xae\x9b\x65\xca\xa6\x66\x74\x83\
\x19\xab\x37\xe3\xce\xa3\x8e\x01\xc7\x34\x33\xd7\xdb\x91\xd0\xc5\
\x1c\x79\x08\x89\x62\x0e\x29\xf7\x73\xe4\xc5\xac\x88\x42\x59\x56\
\x0d\x96\x52\x2a\x7b\x6b\xb8\xda\xef\x95\x10\x5a\x6b\x70\x1a\xf2\
\x17\x34\x9c\x8a\xe1\x33\x33\x96\x5a\x81\xe8\x6e\xd6\x9c\xec\xb6\
\xa6\x96\x4e\xeb\x4e\x76\x23\x37\x4e\xf6\x06\xeb\xaf\x02\x9b\x1b\
\xd9\x4d\x55\x23\x99\xb1\x55\x7a\x67\xdd\xb9\x23\x60\x4b\xe2\x7f\
\x3d\x1c\x0e\x3f\xf0\xf8\xc3\xd7\x7f\xf6\x75\xdc\x1e\xaf\xe9\xfa\
\x8a\x07\xd0\x87\x9f\xbd\xff\xdb\xae\x9d\xf4\x3f\xb2\x6d\x7c\xc7\
\xa6\xd9\x99\x03\x4b\xa0\x8a\xff\xb5\xd1\xaf\x48\x69\x8e\x63\x44\
\xa9\x48\x53\x29\x5b\xdd\x9e\x33\x33\x05\x19\x90\x73\x4a\x23\xa1\
\x0c\x61\x56\x6a\x44\xa5\x7a\xcb\x2a\xcb\x39\x8c\xd4\xc5\x7e\xe0\
\x64\xdb\x70\xb1\x9f\x75\xef\xfc\x42\x8d\x8e\x6b\xd7\x4e\xeb\xaa\
\x9e\x45\xd9\x1d\x0e\x07\x0e\x25\x8d\x64\x33\x33\x73\xb7\x5b\xa7\
\x1b\x1a\x69\x82\x7c\xe3\xb4\xc9\xcd\x4f\x26\xfa\xe4\xe6\x6b\x31\
\xce\xb6\x6e\x4e\xb3\x62\x0b\x8e\xd1\xa7\x54\x0b\x95\xc5\xa5\x80\
\x25\x95\x97\x73\x68\x09\x65\x0a\x39\x87\x72\xbf\x44\x5e\xcc\xc8\
\x91\x8a\x54\x26\xc1\x8c\xcc\x1c\xcb\x2c\x6b\x4d\x19\xa1\x65\x59\
\x90\x51\xa8\x06\x5e\x1d\xe1\xa8\x55\xde\x4d\xf3\xea\x1c\x19\x41\
\x61\xa5\xb1\x9d\xec\x6e\x36\x19\x31\x35\xda\xae\x81\x53\x73\xdb\
\x36\x56\x44\x22\xe8\x95\xc6\x59\xb3\x02\x54\xab\x54\x10\xdd\xc9\
\x4e\xb6\xde\x78\x1d\xd0\xbd\x25\xf3\x2f\x7c\xe1\xd3\xcf\xfc\xf0\
\x57\x03\xd1\xf0\x15\x0b\xa0\xf7\xff\xf4\xc7\x6f\xbc\xf3\x6b\xdf\
\xfc\x87\x76\xbd\x7d\xf7\xc6\x99\x53\xe3\x15\xc0\xa3\x66\xf3\x58\
\xe3\xe4\x3c\x42\xf7\x0e\x12\x81\x24\x91\x4a\x69\x11\x94\x91\x99\
\x6b\x66\x34\x07\x74\x71\x18\xea\xee\x1a\x99\x1a\x09\x2c\x29\x45\
\x48\x43\xc0\x12\x99\x59\x1c\xb2\xee\x5e\x1d\xd4\xac\x29\x33\x75\
\xff\xfc\x9c\x52\xf0\xc6\xb5\x6b\x76\xfd\x64\x6b\x46\x99\x81\xb6\
\x44\xb8\x41\xb6\x9d\x9a\x1b\x60\xad\x99\xed\x9a\xf9\xc9\x64\x9c\
\x03\x68\x06\x73\xd0\xe8\x60\xb7\x12\x14\x74\x27\x25\xa0\x55\x6d\
\x81\xa3\xc6\xe0\x15\xf9\x69\x09\x11\x22\x91\x21\x68\x84\xf2\x6a\
\xc9\x1c\x89\x9c\x47\xe6\x21\xa4\x7d\x68\xec\xe7\xcc\xab\xa1\xc8\
\x88\x58\x23\x6a\xc6\x18\x19\x19\x92\x20\x02\x5a\xc6\x90\x32\x8e\
\xca\x07\x19\x8f\x7a\x9f\x35\xf6\x18\x60\x74\x9a\x95\x48\xc8\xdc\
\xd0\xfb\x64\x6e\xc6\x4d\x03\x37\xcd\x8b\x49\x17\xe8\x0e\x6b\x4e\
\x6e\x9b\xd9\xae\x15\xf1\xd0\xdd\x38\x15\x88\xfc\x58\x2f\xb9\x99\
\x75\x07\x3a\xd9\x7b\xb3\x6b\x80\x7e\xe6\x72\x89\xef\x7b\xe4\xfa\
\xee\x6f\xbd\x01\xdb\xe7\x4b\xb6\xbe\x22\x01\xf4\xb3\x9f\xb9\xff\
\xeb\x4e\x36\xfe\xfd\x53\xb7\x6f\xd9\x34\xde\x9b\x8c\x91\x25\x12\
\x53\x26\x72\xa4\xb4\x1f\xa9\x97\x2e\x22\xef\x5c\x85\xcc\x98\xd7\
\x27\x66\x04\xf2\x2a\x52\x06\xca\x2b\x83\xd1\x92\xa5\x64\xbb\x7f\
\x48\x75\x2f\x32\x6c\xa4\xb4\x44\xe6\x12\xd2\x12\x50\x5d\xe4\xc9\
\x65\x04\x77\x8d\x6d\xb7\xe9\x2d\xc6\xd2\xdc\xac\x5d\x3f\xe9\xed\
\xda\xe4\xe6\x2b\x11\x10\x21\x4b\xa1\x1a\x94\x28\xa6\x8d\xc5\x80\
\x99\x51\xd5\x92\x31\xb3\xc6\x9a\xe7\xf1\x9a\xeb\x59\x55\x02\xeb\
\xb0\xd0\x4a\x95\x57\x43\x55\x91\x92\x46\xa2\xc4\x11\xa9\x8c\x84\
\x96\x40\xce\xa9\x8c\x54\x1e\x46\xe4\x61\x20\xe6\x50\x5c\xcd\x19\
\x17\x4b\xc6\xbc\x44\x2c\x31\x22\x33\x33\x46\x44\x44\x48\x19\x59\
\x23\x15\x95\xbf\xd2\x88\x8c\x78\x30\x46\x11\x91\xd5\x2f\x72\x67\
\xeb\x13\x7b\x33\x9a\x37\x34\x77\xa3\x95\x1c\x36\x33\xa8\x52\x4c\
\x98\xb9\x71\xd3\x9b\xed\xba\xf3\x74\x22\x37\xcd\xb8\x69\xb4\x4d\
\xa3\x75\x56\xad\xd4\x9c\x36\x55\x8a\x67\x45\x3c\x18\x9a\x91\xdd\
\x70\xad\xb9\x2d\x11\xf9\x5f\x7d\xfe\x33\x9f\xfc\x81\xaf\xd4\x68\
\xf4\x15\x05\xa0\xff\xec\xfd\xef\xdf\xfc\x86\x5f\xf9\xcf\x7e\xcf\
\xa6\xd9\xbf\xe5\x86\xbe\x6d\x76\xd1\x9d\x42\xa5\x6c\x79\x39\xa7\
\xee\x5e\xa5\xee\x5c\x0d\x3d\x77\x7f\xce\xdd\xd4\xf2\x91\x6b\x4d\
\x57\x73\xe6\xf3\x67\x73\x36\xb7\xbc\x31\x99\xf6\x81\x75\xc0\x00\
\x0a\x00\x1b\x23\xce\xe6\xd0\xe4\xcc\x15\x84\x31\x4a\x62\x63\xdd\
\x39\x5d\xdb\xb0\xad\xfd\xa3\x76\xd2\xdd\xf6\x23\x78\x18\xc5\x49\
\x5f\xeb\x2e\x10\x3c\x36\x50\x97\xd4\x0a\x1e\x43\xab\x2e\x3f\x7b\
\x33\xeb\xd5\xf3\x31\x33\x99\x9b\x99\x13\xe6\xd5\x53\xf1\x46\x90\
\x46\x9b\x0c\x47\xd5\xda\x51\xda\x76\x9c\x01\x52\x4a\x19\x75\x71\
\x88\x25\x34\xf6\x23\xc6\x7e\x20\x8e\x5f\xdb\x2f\x11\xf3\x11\x44\
\x4b\x2e\x97\x8b\x72\xbf\x8c\x18\x63\x89\x31\x22\xc6\x18\x99\x11\
\x99\x55\xe9\x65\x46\x60\x89\xa1\x18\x81\xcc\x54\x91\x0b\x0d\xbd\
\x39\xcd\x9c\xee\xab\xca\x74\x95\xaa\xa6\xb2\x88\x0d\x92\xe6\x8d\
\xee\xce\x69\x6a\x6c\xde\x6c\x6a\xcd\x08\xb0\x37\x9a\x1b\x39\x55\
\x5d\xc7\x5d\xa3\xed\x7a\xa5\x78\xbb\x46\x6b\x66\x70\x83\x4d\x15\
\xc5\xd0\x8d\xbd\x39\x6e\x00\xf8\xbf\xae\xf6\xcb\x7f\xf0\xc8\x43\
\xa7\x1f\x7c\x03\xb7\xd7\x3f\xd1\x6a\x6f\xf4\x0b\xf8\xc7\x5d\x3f\
\xf5\xcc\x0b\xef\x7e\xec\xf4\xf4\x4f\x0b\xf8\xe7\x00\x9c\x9d\x74\
\xdb\x7b\x5d\xae\x33\x52\xba\x77\x95\xfa\xf4\x9d\x59\x9f\xbf\x3f\
\xe7\xfd\xcb\x39\x6f\x5d\x9b\xe4\xc8\xfc\x07\x9f\x7a\x39\x2f\xe6\
\xc8\x47\x6f\x9e\xe6\xad\x93\x26\x23\x75\xb9\x1f\xda\x2f\x42\xaf\
\x90\xa0\x3d\x91\x17\x73\xe4\x8d\x6d\xc3\xe9\x64\xed\x64\x63\xdb\
\xa9\x73\xda\x34\x34\x37\x33\x08\x9c\x17\xa5\x39\x70\x39\x47\x5e\
\xcc\xa5\x20\x3d\xdd\x98\x09\x40\x06\x70\x88\xc4\x92\x82\x81\x8c\
\x14\x8d\x89\x48\xb3\xe6\x40\x09\x10\x64\x01\x08\x49\x19\x95\x32\
\x22\xab\xae\x61\x12\xd6\x58\x22\x9d\x5f\x74\x49\xd3\x2a\x18\xa5\
\x91\xde\x0c\x3e\x81\x2d\x13\xd3\xc6\x39\xb6\x4d\x63\x1e\x5a\xae\
\x46\xce\x23\x2d\x97\x48\x64\x8d\x42\xb0\xbb\x10\xe9\x2a\x70\x64\
\xbd\xcc\x88\x5c\xc6\xd0\x3c\xcf\x1a\x63\xc9\x63\xfa\x66\xa4\xcc\
\x1c\x80\x14\x99\x96\x99\x58\xc6\x60\x69\x33\x64\x00\xe0\xde\xaa\
\x50\xeb\x13\xd7\xef\xe1\x18\xc9\xcc\xc5\x46\x0c\xa3\xb9\x35\xb5\
\x9c\x8c\x0c\x99\x80\xa4\x64\x96\x00\x37\x4a\x97\x2c\xb7\x4d\x36\
\x91\x1a\x01\x33\x04\xd1\x7c\x4e\xe0\xa5\x66\x7c\xdf\xc9\xae\xff\
\xd5\x3b\xe7\x57\x7f\xea\xd6\xb5\xdd\x5f\x7c\x5d\x37\xd6\x3f\xe5\
\xfa\x8a\x88\x40\xff\xe0\x33\x77\x7f\xe7\xb5\xed\xf4\xc7\x46\xea\
\x4d\x46\x9c\xdd\xda\x79\xb6\x46\x45\x40\xf7\xf6\xa1\x2f\x9e\x0f\
\x7d\xee\xde\x12\xcf\xdd\xbd\xd4\x32\x22\xa7\x4e\x35\x20\x5f\xbc\
\x7b\xae\xcd\x76\x93\x5f\xf7\xd8\x8d\x7c\xe4\xda\x46\x57\x23\xf5\
\xf2\xe5\xc0\xe5\x9c\x1a\x91\x09\xf3\x9c\x4c\xb9\xe9\xd6\x76\xcd\
\xa6\x47\xaf\xb5\xcd\xae\x5b\x37\x90\x43\x82\x8a\xce\xd6\x12\xaf\
\x14\xf2\xf7\x0f\xc5\x65\x6f\x1a\x71\x3a\x19\x25\xe0\x30\x84\x39\
\xb2\xc6\x12\x50\x0d\xc7\xca\xfb\xc1\x56\x0d\xc7\x12\x3e\xd7\x63\
\xd6\x0c\xe6\x5e\xc2\xe7\x56\x6a\x68\x6f\xad\x44\xd2\x5c\xc5\x9c\
\xaf\x8c\xf4\xe0\x38\xbe\xf0\xca\x70\xc3\x2a\x2b\x5a\x69\xf9\x5c\
\x02\xb1\x5f\x72\xbe\x77\x15\xfb\x17\x2e\xc7\xd5\xfd\xab\x98\xaf\
\x46\x46\x84\xc6\x3c\xcf\xb1\x2c\x73\x1c\xe6\x39\x0e\xfb\x43\xce\
\xcb\x1c\xca\x94\x48\x71\xad\x15\x49\xaa\xfa\x4c\x35\x2e\x9b\x0a\
\x40\x60\x66\x56\x65\xd4\x9c\x9b\x69\xa2\x7b\x23\x01\x4a\x2a\xb6\
\xce\x9d\xdb\xcd\xc6\x5a\xef\x6c\xee\x34\x83\x99\xb9\x75\x6f\x36\
\x35\x70\x72\xb3\xa9\x91\xbb\x66\xde\x9b\xd9\xb6\x15\x15\x5e\x0c\
\x1e\x6d\xe3\xc7\x86\xad\xd1\x8d\x53\x77\x6c\x32\xf3\xcf\xfd\xe4\
\xdf\xfa\x3f\x7e\xe0\xbb\xbe\xeb\xbb\x0e\x6f\xd0\x76\xfb\xff\xb5\
\xbe\xac\x01\x54\x29\xdb\x77\xfc\xd1\x4d\xf3\xdf\x37\x22\xe7\x93\
\xc9\xf6\x37\x36\x0d\x24\xf2\xce\xd5\xd0\x73\x67\x23\x5f\x38\x0f\
\x7d\xe1\x6c\xc9\xcb\xcb\xcb\x9c\xe7\x59\x34\xe6\x98\x87\x60\x16\
\x8f\xde\xba\xa6\xb7\xbf\xe9\x44\x48\x68\x49\x68\x3f\xa4\xbb\x57\
\x23\xaf\x96\xc8\xee\xe4\xad\x93\xde\x6f\xed\x7c\xbb\x6b\x9c\x36\
\xbd\xac\x0a\x22\x21\x61\x15\xc6\x01\x3a\x2c\x35\x88\xa6\x04\x2e\
\x46\x62\x84\xe4\x46\xec\x3a\xd1\x48\x1d\x22\x39\x0f\x81\x4e\x78\
\x91\xc1\x74\x2f\xaf\x82\x6e\xd5\x53\x59\xef\x9b\x13\x6e\x56\xb5\
\x40\x7d\x99\xe6\xc4\xb1\x17\x64\x47\x85\xf4\xda\x35\xa5\xb0\x0e\
\xc0\xe1\xc1\xd0\x1c\x80\x57\xfa\x59\xb9\x02\xa8\xfe\x3e\x29\x85\
\xb8\x98\x73\x7e\xf1\x7c\x5c\x3e\x77\x3e\x2e\xef\x5d\x1c\xf6\x97\
\xfb\xc3\x32\x96\x39\x46\x2c\x19\x43\x19\x31\x42\x4a\x45\x64\xd6\
\xf0\x5f\x22\xb3\xea\xa2\x18\x0b\x22\x12\x51\x91\x87\xee\xce\xde\
\x3b\xdc\x9d\x50\x01\x07\x00\x5a\x73\x6b\xad\x5b\xef\xad\xb8\x6d\
\x18\xfb\xd4\xe9\xad\x73\x6a\xcd\xbd\x35\x9b\x9a\x73\x6a\xb4\xc9\
\x69\x9b\x66\xdc\x75\xf3\x6d\xdd\x5f\x2f\x18\x47\xfa\x1b\xdc\x56\
\xdd\x84\xee\xde\x26\xc3\x8d\x04\xfe\xf7\xfb\x97\x67\x7f\xe8\xc9\
\xdb\xb7\x9f\x7d\xa3\xf6\xde\x3f\xee\xfa\xb2\x05\xd0\xdf\x79\xea\
\x0b\x5f\xf3\xf0\xad\xeb\xff\x51\x73\xfb\xf5\x6e\xbc\x7f\x73\x6b\
\xa3\x3b\x75\x31\x87\x9e\x3f\x8b\x7c\xee\xfe\xd0\x4b\x97\x4b\xbe\
\x7c\x7e\xc8\xcb\xab\x2b\xcd\x87\x43\x66\x2a\xfb\xd4\xf2\xfa\x6e\
\xa7\x47\x6e\x5d\xd3\x63\xd7\x3a\x8c\xca\x3b\x57\xa9\x11\x19\x25\
\x85\x91\x6f\x9a\x4d\x0f\x6d\x7d\xb3\x9b\xac\x65\x65\x63\x72\x42\
\xaa\x61\x39\xd4\x45\xb6\xe6\xb3\x97\x21\x34\x23\xee\xee\x03\x57\
\x4b\xa2\x1b\x75\x63\xe3\xd8\x76\x62\x5e\x84\xab\x88\x1a\x84\x5b\
\xcb\xff\x66\xeb\x04\xb6\x81\xd3\x5a\x03\xb9\xc1\xbc\x6a\xee\xaa\
\x79\x6c\xfd\x9a\xd1\x1b\x69\xcd\x57\x71\x66\x99\x84\xd4\x66\xad\
\xb7\xe1\x41\x28\x7a\xf5\x3a\xce\x06\x45\x54\x6d\x94\x95\xc6\xe6\
\x90\x72\x44\x66\x8a\x79\x18\x1a\x77\xf6\xe3\xea\xf3\x2f\x5f\x9e\
\xbf\x78\xf7\xfc\xf2\xfc\x72\x3f\x67\x64\x00\x99\x23\x24\x16\x78\
\xb4\x2c\xb3\x96\x65\x4d\xeb\xa2\xe6\xe5\x24\xa9\xb7\x66\xad\xb7\
\xd2\xef\xa5\x20\x82\xcd\x9c\xe6\x8d\xbd\x3b\x8d\x66\xe6\xce\xe6\
\x8e\xde\x3b\xb7\xbb\xad\x35\x6f\xe6\xee\x45\x92\x78\xb3\x56\x75\
\x0f\x9b\xd1\x4e\x26\xf3\xeb\x93\xdb\x6e\x32\x9b\x1c\x6c\x56\x01\
\xdb\xab\x8f\x64\xdd\xc8\x93\x89\xdc\x76\x63\x33\xde\x30\xf2\x99\
\xc3\x18\xdf\x77\xfb\xda\xee\x6f\xbc\x4e\x5b\xee\x9f\x68\x7d\x59\
\x02\xe8\x43\xcf\x9e\x7d\xe7\xa6\xdb\x0f\xd1\xf0\x96\x9b\x5b\xbf\
\x7f\x6d\xe3\x79\xb5\xa4\x3e\x77\x6f\xd1\xe7\xef\x2f\x79\x7e\x48\
\x9d\xed\x17\xdd\xbd\xb8\x8a\xfd\xc5\x55\x86\x42\xbd\xb5\x7c\xcb\
\xed\x1b\xf9\xe8\xcd\x13\xec\x26\x26\x05\xcd\x81\xbc\x5a\x14\xfb\
\x25\x78\xf3\xc4\xb7\xa7\x93\x6d\x32\xd1\x62\x95\x35\xaf\xe2\xea\
\xec\x5e\xf3\x3b\x55\xb5\xd7\xde\x5d\x52\xcc\x92\xf2\xe0\xfc\x10\
\x9a\xab\x23\xab\x9b\x1b\xf2\x64\x6a\x38\x8c\xc0\xf9\x2c\x38\x4b\
\xb3\x96\x02\xbb\x59\xcd\xde\xf0\x38\x00\x0a\x83\x01\x9d\x30\x77\
\x33\x03\xac\xb4\x6e\xf4\xe6\x30\x23\xec\xa4\xbb\x75\x87\xe5\x2a\
\x12\xa0\xf1\xc1\x86\xad\x1c\xee\x17\x30\x73\x50\x69\x46\x91\x51\
\x29\xdc\x0a\x26\x2d\xa9\x1c\x99\xb1\x24\x62\x89\x0a\x50\x91\xc8\
\x08\xe4\x7e\xe4\x78\xf1\xfc\x70\xf9\xb9\x17\xee\x9d\xbd\x74\xef\
\xfe\xc5\x32\xcf\x31\x96\x05\xf3\x32\x14\xb1\x1c\xdb\xae\x14\x21\
\x3b\x8e\xb0\x02\x98\xe7\x19\x21\xa1\xb9\x59\x6b\x13\x8c\x34\x11\
\x6c\xde\x31\x6d\x3a\xa6\xd6\x6d\xb3\xdd\x58\xf3\x46\x73\x87\x11\
\x66\xee\xe6\x66\xd6\x5a\x37\x6f\x8d\x56\x48\x2b\x15\x43\xa3\x9f\
\x4e\x6e\x27\x1d\xbe\x6d\xce\x6e\x34\xf7\xe3\x05\x06\x6c\x34\xbb\
\xbe\x73\x9e\x74\xa3\x19\xb6\xdd\xd8\x95\xfa\x2b\x9f\x79\xe6\xe7\
\xbf\xf7\xcb\x55\xe5\xfd\x65\x07\xa0\x8f\x3f\x77\xf6\xaf\x24\xec\
\x8f\x93\x9a\xde\x7c\x7d\xba\x68\xa4\x3e\x77\x36\xeb\x93\x2f\xcd\
\x3a\x3f\x64\x46\x2a\x5f\xbe\x98\x71\x79\xb5\xcf\xab\xab\xab\x0c\
\x65\x6c\xb7\xdb\x7c\xef\x5b\x6f\xeb\xc9\x87\x26\x85\xa0\x8b\xc3\
\xc8\xcb\x59\x91\x02\x26\xc3\xe6\x64\xe3\xbb\x5d\xb7\x76\x51\x9d\
\xfa\xe3\xa4\xa8\x22\x25\x73\x66\x43\xb5\x40\x9c\x40\xae\x2a\x85\
\x39\x53\x46\xc3\xf9\x1c\xb8\x98\x13\x46\x68\xd7\x0d\xa7\xbd\xbe\
\xf9\xfc\x20\x24\xc4\x06\xc2\x6c\xdd\x73\xa5\xfc\xc4\xe4\xb6\x52\
\x02\x5a\x05\x97\xf4\x6e\xa0\xbb\x59\xa9\x99\xe1\x6d\x6d\x9c\xde\
\xd8\xba\x39\xe9\x4b\x8a\x52\x4d\x2a\x08\x47\xf0\x54\x4a\x47\xd6\
\x0c\x2a\xf4\xca\x94\xf7\x11\x3c\xa3\xb2\x31\xad\xb2\xa4\x1c\x89\
\x18\xa9\x08\x21\x97\xa1\xac\xdb\xe5\x55\x32\x87\xe2\xe5\xf3\xab\
\xab\x4f\x3c\xfb\xdc\xcb\xcf\x7f\xf1\x85\x8b\x9a\xe1\x48\x44\x44\
\x19\x24\xb4\x06\x9a\x15\x70\xd6\x68\x44\x82\xa0\x41\x55\x0f\x61\
\x33\x75\x6e\x36\x5b\xb6\xee\x6c\xad\x9b\xbb\xc3\x6d\x85\x49\xb1\
\x77\x74\x37\x73\x77\xb6\xde\xad\x79\x33\x00\xf4\xe6\xb6\xe9\xdd\
\xa7\x46\x3b\x69\x66\xdb\x6e\xb6\x69\xb0\xc9\xcd\x9a\xd1\xcc\x40\
\x27\xec\xa4\x9b\xed\x36\xce\xd3\x06\xb6\x7a\xec\xa6\x88\x9f\xb8\
\x73\x76\xf7\x7b\xbe\xe6\xd1\x47\xbf\xf0\x3a\x6f\xc7\xff\xcf\xf5\
\x65\x05\xa0\x8f\x7c\xfe\xec\xdf\x1d\xc2\x1f\xea\x6e\x87\xb7\xde\
\xec\xf3\x10\xf2\xa9\xe7\xae\xf4\xf4\xcb\xb3\xa2\x92\xab\xb8\x3c\
\xcc\x3a\xec\x0f\x79\x76\x71\x99\xd7\x4f\x77\xf9\xd8\xcd\xd3\x7c\
\xfc\xa1\x8d\x6e\x9d\x74\x85\x94\x11\x88\xab\x25\x90\xd2\x74\x7d\
\xe3\x3b\x33\xb8\x00\xcd\x8b\x74\x7f\xae\x66\x8a\x43\xb9\x64\x4d\
\x81\xae\x03\x66\x20\x0d\xcd\x99\x23\x52\x87\x55\x33\xb6\x1f\xd0\
\xe5\x9c\x58\xe5\xfe\x38\xed\x86\x66\xc4\xfd\x43\x60\x89\x84\xdb\
\x83\xb4\x0d\x80\xb8\x84\xd0\xdd\x78\xd2\x61\x35\xd9\x0d\x1a\x2b\
\x85\x71\x82\xcd\x61\x1b\x37\xef\x8d\xac\x32\x08\xb6\xed\x34\x37\
\x5a\xf5\x56\x6a\x02\x1b\xaf\x4c\x9b\xbe\xca\x20\x64\x0d\x43\x40\
\xa5\x5f\xe5\xa9\x90\xb1\x4a\x90\x72\x20\x87\x90\x43\x8a\x11\xd5\
\x27\x9e\x07\x63\x84\x62\x48\x9a\xb3\x94\x18\x24\xb8\x04\xe2\xb9\
\x97\xee\x9d\x7d\xfa\x73\x5f\xb8\x73\x76\xef\xee\x95\x48\x3a\x89\
\x79\x0c\xc4\x12\x90\x44\x18\xd0\xcc\x29\x08\xcb\x12\x98\x7a\x83\
\xbb\xa3\x4f\x13\xcc\x8c\xcd\xdd\xe8\x66\x66\xb6\xa6\x76\xce\xe6\
\xe6\xe6\xce\xd6\x8a\xde\x36\x33\xb6\xd6\xac\xb5\x66\x09\x58\x73\
\xb7\xde\x9b\x4d\xcd\x6d\xd7\x61\xbb\xe6\xb6\xed\xb4\xc9\x60\xcd\
\xcd\x1a\x2b\x22\x6d\xbb\xd9\x69\x37\x3b\x99\x48\x37\x43\x77\xde\
\x34\xe8\xa3\x87\x8b\xc3\x1f\x7c\xe4\x91\x1b\x1f\x7d\x03\xb6\xe6\
\x3f\x72\x7d\x59\x00\xe8\xfd\xef\x7f\xff\xe6\xc9\x6f\xfe\x8e\xef\
\x8f\xc4\xbf\x7a\x7d\x6b\x67\x4f\xdc\x98\x96\xc3\x48\x7c\xe0\x53\
\x17\x7a\xe1\x7c\xe4\xd4\x2c\xaf\x96\xd4\xd9\xe5\x45\x5e\x9c\x5f\
\x64\xa4\xf2\xd1\x5b\x37\xf2\x7d\x6f\xbb\x95\x37\xb7\x76\xd4\xb6\
\xe5\x1c\x19\x4e\xeb\x66\xda\x41\x98\x52\x6b\xd7\x3e\x81\xf3\x7d\
\x68\x28\x55\xda\x46\x60\x09\x64\x5f\x49\x7c\x07\x60\x60\x02\xc0\
\xe5\x50\x36\x03\xe7\x00\xee\x5e\x85\x8e\x29\xda\x49\x77\xf4\x46\
\x5c\xcc\x89\xab\x39\xd0\x9d\x58\x05\xd2\x68\x6e\x9c\x97\x58\x1b\
\xa6\x5e\xa9\xdb\x2a\xbe\x94\x92\xcd\x0c\x5e\x73\x3e\x56\xca\x66\
\x9a\x00\x9b\xac\x6a\x70\x27\xec\xe8\x49\xa0\x75\x00\xf5\xe8\xbe\
\xa8\x02\x61\xbd\xd0\x22\x06\xab\x06\xaa\xc1\xee\x07\x4c\xdc\xaa\
\xdd\x8b\x91\x19\xcb\xa8\xf7\x23\x85\x3c\x44\xe6\x61\x28\x22\xa1\
\x40\x66\x66\xbd\x66\xba\x33\x23\xc6\x17\x9e\x7f\xf1\xde\xa7\x9e\
\xfd\xdc\x9d\x8b\xcb\xf3\x25\x43\x54\x44\xd9\x2d\x18\x31\xc6\xa0\
\x04\x6d\x36\x13\xa7\xde\x49\x33\x28\x73\x9d\x8e\xe5\x1a\x6d\xdc\
\x5a\xeb\x0f\xea\xa2\xaa\x7f\x4a\xc5\xd0\x7a\x73\x23\xd9\xfb\x64\
\xee\x6e\x34\x5a\x6b\xcd\xbc\x75\x9f\xba\xd9\xce\x9d\xdb\x0e\x3b\
\x69\x6e\xbb\x09\xee\x66\x2b\xa1\x52\xef\xdd\xae\x1b\xb7\x9d\x9c\
\x08\xb6\x66\xd7\x9a\xe1\xf9\xcb\xcb\xf8\x9e\xc7\x6e\x9f\x7c\xe0\
\x8d\xd8\xa7\xff\xb0\xf5\x86\x03\xe8\x27\x7f\xf2\xa9\xeb\xbb\xb7\
\x3e\xf1\x43\x87\xc0\x6f\x79\xeb\x43\xfd\xde\x9b\xae\xf5\xb8\x5a\
\x52\x7f\xe7\x99\x73\xbc\x70\x31\x72\xd3\x3d\xcf\xae\x46\x9c\x5d\
\x9c\x6b\x9e\x97\x9c\x5a\xcb\x77\xbf\xe5\xa1\x7c\xcb\xad\x5d\x1a\
\x91\x23\xa1\x08\x85\x19\xb8\x71\xec\x7a\xb3\xcd\x61\x11\xae\x46\
\x6d\x96\x25\x85\xfd\x12\x38\x0c\xe4\x9a\x58\x61\xa4\xb4\x6a\xbd\
\x00\xd5\xd7\x9b\x13\x51\x2a\x67\x48\xa9\x7b\x57\xb5\x55\xb7\x8d\
\xd8\x34\x62\xd3\x8c\x67\x73\xe8\x7c\x1f\xea\xee\xf0\x55\x72\x63\
\x00\x0f\x01\x40\xc0\xd4\x60\x06\x60\xa8\xe8\xd9\x8d\xd3\x84\x4a\
\xe3\xb8\x0a\x44\x7b\x2b\x96\xba\x19\x6c\xdb\xcd\x6a\xe0\xb3\x28\
\x6e\x01\x3c\x46\xa2\x57\x19\xbf\x95\x2e\x6d\x65\xb1\x55\x4e\x58\
\xd5\x09\xae\xd1\xf3\x8c\x22\xd2\x34\xb2\x28\xed\x0c\xc5\x5c\x92\
\xa4\x5c\xc1\xb5\xa6\x78\x99\x4b\xa9\xcf\x93\x00\x7c\x65\x2e\xee\
\x9d\x5f\x1d\x3e\xf5\xe9\x4f\xbf\xfc\xdc\xf3\x5f\x3c\xcb\x88\x14\
\x61\x63\x9e\x95\x02\x36\x53\x47\x6b\x13\xc5\x7c\xb5\x0d\x03\x8e\
\x8c\x5c\x6f\xcd\xda\xd4\xd9\x5b\x33\xb3\xc6\xd6\xbc\x02\x93\x9b\
\x99\x35\xba\xb9\x4f\x53\xb7\xd6\x9c\xde\xba\xf7\xde\x68\x56\x2c\
\x5e\x73\xfa\xae\x19\x4f\x36\xa5\x0b\x9c\x9c\xb6\x6b\x66\x7d\x8d\
\x4a\x53\xa3\x99\x19\xaf\x77\xe3\xd4\x80\x66\x76\xd2\x9c\x57\xe7\
\x57\xe3\x0f\x3e\xf1\xf0\xc9\x4f\xbc\x8e\xdb\xf4\x1f\xb9\xde\x50\
\x00\xfd\xf8\xcf\x3c\xf3\xd0\x74\xf3\xe1\x3f\x3b\x12\xbf\xfe\x1b\
\xde\x34\xdd\x7b\xf8\xa4\xe5\x0b\x97\x03\x7f\xfb\xe7\xef\xe9\x6a\
\xc9\x3c\xdd\x6e\xe2\xfc\xb0\xe4\xdd\xfb\xf7\x93\xd6\xf2\xcd\x37\
\xaf\xe5\x3b\x1e\xdd\xe6\xb5\x8d\x69\x19\xca\x28\x61\xa5\xba\x63\
\xda\x36\xdb\x99\xc1\xe6\x91\x79\x7f\x7f\x14\x81\x41\x57\x11\xd8\
\x8f\x1a\x3c\x1b\xb9\x1a\x82\x02\xd5\x3c\x04\xd2\xac\x2e\xf9\x02\
\xb0\x44\x0d\xd3\xdd\xbf\x4a\x2e\x99\x10\xa1\xeb\x53\xc3\xf5\xc9\
\x74\x35\x12\x77\x0f\x09\x47\x8d\x42\x1b\x6a\x03\x46\x08\x21\xb1\
\xad\x3e\x6e\x91\x55\xb7\x4c\xcd\xe0\x26\x33\x92\xdd\x4a\xc6\xe3\
\x4e\x38\x8d\x46\xd8\xa6\x91\x9b\x46\x1a\xab\x2f\xb9\xda\x5c\xb1\
\xec\x11\xb4\x4a\x12\xea\xb5\x0a\x15\x25\x8f\x23\xdd\xeb\xb8\xb6\
\x46\xe4\xea\x72\x5a\x17\x92\x31\x6a\x0e\x70\x09\x1c\x99\xb9\x5f\
\x00\x1c\xad\xe3\x1b\x2c\x10\x6a\x64\x2a\x13\x32\x33\xc2\xc8\x97\
\x5f\x7a\xf9\xe2\xe9\x4f\x7c\xe2\xc5\x97\xef\xdc\xd9\xd3\x8d\xbd\
\xf7\x07\x9e\x74\x99\x82\x20\xab\xbc\x8d\xc7\x31\x75\xba\x7b\xe9\
\xe4\xdc\x58\x9a\x59\x87\x37\x33\xf7\xc9\xbc\x99\x15\xa5\x60\xec\
\x53\xf7\xee\x6e\xad\x4f\x6c\xcd\xad\x79\x73\x33\xb7\x69\x6a\xbc\
\x31\xb9\x4f\x1d\x36\x99\xd9\x49\xa7\x7b\xa9\xc0\x6d\xd7\x69\x9b\
\x56\x2d\xde\x6d\x37\xdb\xf4\x02\x91\x13\x2f\x5c\x5e\x1d\xfe\xf5\
\x27\xde\x74\xe3\x23\xaf\xd3\x56\xfd\x47\xae\x37\x0c\x40\x1f\xf8\
\xf0\x67\x1e\x3e\x4c\x37\xff\x7c\x4a\xff\xec\x37\x3e\xb6\xb9\xf7\
\xf0\x49\xc3\xa7\xef\xcc\xf9\xd3\x9f\xbc\x97\x57\x43\xba\xbe\x9b\
\xe2\xee\xe5\x21\xce\xcf\x2f\xe4\xee\xf9\xae\x27\x6e\xeb\xed\xb7\
\x7b\x10\xd0\x1c\x8a\xb2\x99\x02\xb7\x1d\xa7\x93\x5b\x3f\x6e\xa2\
\xf3\x43\x68\xbf\x54\x9a\xb3\x1f\xb9\x8e\x26\xd4\x48\xc2\x50\xa2\
\x88\xa4\x92\xf1\xf4\x66\x6a\x3c\x4e\x78\x96\x91\xc7\xd9\xa1\x22\
\x96\x97\xec\x44\x37\x36\xa6\xa8\x1e\x12\x8c\xe0\x58\xc7\xae\x27\
\xa3\x96\x14\x96\x48\x95\x39\x07\x71\x28\x81\x26\x1b\x0d\x53\x29\
\xaa\x6d\x2a\x5e\x9b\x93\xd3\xdc\x2a\x9c\x38\x80\x4d\x73\xeb\x65\
\xd2\x61\x02\x98\x59\x02\x33\x55\x39\x46\x5b\xe5\x41\x2b\xa8\xb4\
\xa2\xea\xd8\x4e\xad\x1e\xd0\x3a\x92\x11\x89\x5c\x47\x35\xa2\x7c\
\x18\x8a\x1e\x90\x8a\x14\xa9\xd6\x69\x49\x82\xc0\xa3\x19\xca\xda\
\x88\x45\x3e\xa0\x26\x48\xb3\xfd\x61\xbf\x7c\xe6\x33\xcf\xde\xf9\
\xfc\xe7\x3f\x7f\x57\x4a\x71\x15\x98\x16\xf2\x56\xcb\xab\xb2\x1f\
\x29\x5a\xd1\x8c\xbe\x46\x9e\xca\xe0\x78\x64\xe5\xd8\x9a\x59\xf3\
\xee\x74\xb3\xde\xdc\x9a\x77\xf3\xe6\xec\xbd\x7b\x45\x20\x37\x6f\
\x6e\x53\x6f\xd6\x9b\xfb\xae\x99\xdd\xdc\xb9\x6f\x1c\xd6\x9d\x6c\
\x6e\x3e\x95\x6e\x8e\xd3\x9a\xd2\x4d\x1d\xec\x66\xa7\xcd\xf1\xfc\
\xd5\xd5\xfc\xdd\x8f\x3f\x7c\xfd\x43\x6f\xd4\x1e\x06\xde\x20\x00\
\xfd\x9f\x3f\xfb\xe9\x5b\xf3\xe6\xe6\x7f\x39\x52\xbf\xf6\x1b\x1f\
\xdb\xdc\x7b\xf4\x5a\xc7\xc7\x5e\x38\xe4\xdf\xfd\xd4\x7d\x45\x66\
\x5c\xdf\x6d\xf3\xfc\x6a\xce\xb3\x8b\x8b\x34\xa3\xde\xf3\xe4\xed\
\x7c\xeb\x43\x3d\x22\xa0\x28\x41\x65\xd0\xd8\x27\xb7\x1d\x99\x47\
\x3b\x1a\x1d\x16\xe8\xec\x90\x58\x46\x6a\x3f\xa0\x65\xd5\x78\x85\
\x80\x50\x8d\x2c\x74\x52\x51\xb6\x50\x6a\x56\xc7\x1f\x54\xdf\x95\
\x38\x9f\x93\x17\x87\x50\x33\x8a\x80\xae\x4d\x0e\x73\xea\x7c\x1f\
\x80\x01\x93\x19\x47\xd4\x3e\x1e\x48\x8c\xd5\x87\x66\xd3\x0c\x20\
\x78\x58\x52\x23\x07\x37\xad\xc1\xcc\x38\x39\xd8\xbd\xcc\x78\xba\
\x1b\xbb\x91\x12\xd8\x1b\xd1\xfd\xc8\xb0\x55\xe8\x8a\x14\x33\x93\
\x66\x46\x27\x71\x8c\x44\xab\x1c\x8e\xc7\x51\xf2\x07\x33\x3e\x5a\
\xc7\xb5\x03\x1a\xeb\xcc\x93\xb2\x06\x01\x57\x35\x79\x64\x48\x59\
\x65\x8b\x8e\xde\x24\x6b\x3a\x07\x64\xac\xa6\x3f\x50\x44\x60\x2c\
\x43\x20\xe5\xcd\xd9\xdd\xf9\xf2\x9d\xbb\x97\x3f\xf7\xe1\x0f\x7f\
\xe1\xe2\xf2\x62\xe9\xad\xfb\xaa\xd0\xe3\x3a\x2a\x54\xb4\x83\xd5\
\xeb\x77\x14\xb5\x58\xbe\x72\x66\xee\x05\xa8\xca\xe3\xdc\xbd\x15\
\x79\x50\x35\x4e\x67\x9f\xba\xb7\xe6\xe6\xad\x5b\xef\xdd\xbc\x37\
\x73\xba\x6f\x27\xb7\x87\xb6\xee\xbb\x6e\xd6\x9d\xb6\xeb\x0f\xe6\
\x91\xdc\x09\xdb\x76\xe3\xb6\x19\x57\x95\xc3\xa9\x13\x5f\xbc\xdc\
\xcf\xff\xe6\x9b\x6f\x5f\xff\xf0\xeb\xbd\x87\x8f\xeb\x75\xd7\xc2\
\x7d\xef\xf7\x7e\x6f\xbb\xea\x37\xfe\xd3\x4c\xfd\xda\xb7\xdf\x9a\
\xee\x3e\xb4\x6b\x7a\xea\xf9\x83\xfe\xee\x33\xf7\x14\x42\x9e\x6c\
\x37\x71\xff\x62\x9f\x87\x65\xd1\x6e\x33\xe5\x3b\x1e\xbd\x11\x8f\
\x5f\xef\xb9\x94\x2f\x41\xb8\x01\x53\xb7\x6d\x33\x6e\x46\x26\x32\
\x10\x28\xf7\x76\xdd\x3f\xa4\xf6\x2b\x87\x3b\x47\x25\x6b\x8b\x1e\
\x18\xe3\x84\xb3\x9c\x72\x7c\x05\x4e\xd9\x48\x41\x6e\xe4\x61\x91\
\xf6\xf3\x2b\x24\xc3\x76\x72\x34\xa3\xce\xe7\x60\x08\x32\x01\x57\
\x4b\x68\x6a\xe4\x48\xe0\xb0\x14\xcd\xdb\xcc\x01\x17\x63\x11\x46\
\x06\x6a\xf0\x00\x1c\x91\x30\x18\x9b\x55\x70\xb1\x72\x17\x65\x64\
\xa2\x99\x5b\x12\x88\x92\xc9\x95\x26\xae\xc4\xab\x74\x13\xdc\xf4\
\xe0\xc2\xa6\x57\x05\x1e\x65\x45\x94\x5c\xad\x84\x8f\xce\x56\xa5\
\xc0\x49\x28\x99\x23\x91\xeb\x48\x46\xce\xa3\x1e\xb7\x6a\x12\x6b\
\xac\x33\x19\x6b\x34\x42\x2a\x11\x23\xaa\xbd\x64\x56\x52\x71\x10\
\x23\x02\x37\x6f\xdc\xd8\xbc\xef\x9b\xbf\xf9\xcd\x4f\x7d\xe4\x23\
\x5f\x7c\xe9\xa5\x17\x2f\xcc\xbb\x35\x37\x77\x77\xa4\x48\x62\x98\
\x35\x03\x99\x34\x77\x8b\x51\xb1\x53\x90\x22\x92\xca\x4e\x6f\x48\
\x71\x89\x29\x27\x37\xd2\x65\x62\xa6\x2c\x91\x48\xf5\xf4\x4c\x43\
\x59\xe4\x39\x18\x79\x25\x77\xe3\xa4\x39\x64\xbb\x4e\xcf\x84\x4e\
\x37\x30\xa7\x83\x80\xe6\x91\xab\xa9\xaa\x51\xd0\xd9\xe4\x7c\xe4\
\x64\x3b\xfd\xf0\x67\x5f\xb8\xf7\xfb\x9e\x7c\xe4\xe6\xc7\x5e\xaf\
\x3d\xfc\xea\xf5\xba\x46\xa0\xff\xf8\xaf\x7e\x60\xf7\xae\xf7\x7c\
\xc3\xf7\xf7\xe6\xbf\xe3\x6b\x1f\x9e\xce\x6e\xed\x3c\x3e\xf4\xdc\
\x1e\x1f\xff\xe2\x55\x26\xa4\xa9\x79\x1c\xf6\x73\x5e\x5e\x5d\xe5\
\xee\xe4\x24\xdf\x76\xfb\x24\x1f\x3b\xf5\xec\xcd\x32\x53\xd1\xdc\
\xda\xb6\x63\x43\xd0\x97\x91\x75\x25\x05\x72\x09\xe0\xec\x30\xb4\
\x5f\x6a\x70\x6e\xe8\xc1\x26\x59\xa7\x39\x6b\x74\x01\x84\x1a\x2a\
\x87\xea\x84\x86\xca\x6f\x60\x0e\xe9\x72\xa9\x39\xa0\x4c\x60\xdb\
\xa1\x6b\x93\xeb\x62\x09\x5c\xce\xd5\x9c\x89\x4c\xb8\x59\x45\x9f\
\x4c\x8c\xa8\xf0\xb3\xe9\x13\x80\x62\xcb\x96\x65\x91\x99\xd7\x11\
\x09\x66\x6c\x5e\x43\x69\xce\xb2\x83\xd2\x6a\x87\x7d\x3a\xd1\x50\
\xf2\x20\x02\xc0\x48\x61\x8e\x32\x5c\x9c\xfc\x01\xb9\x51\x26\x39\
\x95\xc5\x55\x2b\x68\xfd\xb4\xd6\x29\x5b\x68\xad\x67\x8a\x69\x94\
\x94\xd2\x10\x72\x1e\xab\x51\x0a\x6b\xae\xb0\xc6\x72\x53\x34\x03\
\x32\x11\x35\xab\x5a\xa0\xcd\xc8\xb5\x06\x5a\x67\xbb\xeb\x6a\x93\
\xf5\xe2\x38\x46\xe4\xe7\xbf\xf0\xf9\xb3\x4f\x7d\xf2\x99\x97\xf6\
\xfb\xfd\xd2\xa7\x8a\x46\xc6\xd2\xc2\xa1\xb4\x72\x56\x5f\xa3\xad\
\xb4\x08\xcd\x69\x6e\xc5\x02\xb4\x66\xdc\x4c\x5b\xeb\xd3\xe4\x24\
\xe8\x74\x6f\xcd\xad\x4f\x1b\xf7\xb5\x3e\x6a\xbd\x5b\x51\xde\xee\
\xdd\xbb\x9f\x6e\xcc\x37\x8d\x3c\xe9\xe6\xa7\x9d\x3e\x4d\xce\x5e\
\x56\x5a\xb6\xe9\xe4\x49\x37\x73\x12\xdb\x6e\xa7\xdd\xf0\xfc\xf9\
\xe1\xf0\x47\xde\xf2\xf0\x8d\x9f\x7c\xdd\x36\xf3\xba\x5e\xcf\x08\
\x64\x8f\x7f\xdd\xd7\xff\x09\xd1\x7e\xe7\xd7\x3c\x3c\xbd\xfc\xf8\
\x8d\x9e\x1f\x78\xe6\x02\x1f\x7b\xee\x42\x53\xb3\x98\x26\xcf\xfd\
\xfe\xa0\xcb\xcb\x7d\x6c\x36\x9b\xbc\xbe\x6d\xf9\xf8\x35\x8f\xc9\
\x98\x43\x8a\x6d\xb7\xed\xd6\x6d\x2b\x42\xcb\xc8\x58\xe9\x69\x01\
\xc0\xe5\x21\xf2\x62\x96\xc6\xc8\x1c\x28\x4b\x29\xac\xc3\x72\x51\
\x57\x5d\x89\x90\xc9\x80\x72\xe1\xac\xf4\x85\xa5\x91\x3b\x3f\x24\
\x52\x29\xc2\xd0\x0d\xba\x56\xa4\x01\xf7\x4b\x1d\x43\x72\x18\x23\
\xdd\x9d\x15\xf1\x62\x55\x7d\x5a\xa5\x3e\x99\x48\x05\x95\xa5\x82\
\x36\xd6\x6c\xb4\x91\xcc\x24\x42\x60\xba\x56\x92\x42\xb6\x6b\xc4\
\x21\x89\x1c\xe0\x12\xc1\x66\xb6\x3a\x97\x96\xe6\x2e\xb4\x5a\x62\
\xad\x7f\x82\x8a\xac\xa6\x5e\x65\x13\x9c\x80\x22\x6b\x64\x9b\x84\
\xaa\x75\x53\xec\x5c\x2a\x33\x03\x47\xad\x0e\xa4\x62\xdc\x88\x62\
\x51\xea\xea\xbf\x1a\x3f\x28\xc5\x07\xad\x25\x3c\xc8\x11\x63\xd5\
\xc7\x1d\x6d\xae\xde\xfa\xe4\x5b\xaf\xdf\xba\x75\x6b\xfa\xc8\x47\
\x7e\xee\xf9\x97\x5e\xba\x7b\xd1\x5a\xf3\xde\x45\x64\xd9\x9a\x66\
\x84\xad\xd4\xb7\x15\xda\x69\x80\xa5\x72\x26\xe1\x54\x96\x8e\x56\
\x92\x5a\x6f\x84\x33\x35\x60\x89\x7d\xf4\x3e\x79\x1e\x94\x91\xe9\
\x90\x4c\x75\x04\x4c\x82\x3d\x87\x60\x48\x48\x32\x9d\x22\xc9\xc9\
\x9c\x92\x34\x83\x23\x43\xdb\xe6\x04\xf3\x4c\xcd\x1e\xb9\xbe\xdb\
\xfc\xd0\x67\x5e\xbc\xfb\x07\xdf\xf6\xa6\x87\xfe\xde\xeb\xb8\xa7\
\x5f\xbf\x08\xf4\xdf\xfc\xbd\xe7\xff\xfd\x9b\xbb\xf6\xfb\x9f\xb8\
\xde\xef\xbd\xe3\x91\x6d\xfe\xbd\x4f\x9d\xe9\xa3\x5f\xbc\x50\x23\
\x63\xea\x3d\xf7\x87\x83\x32\x46\x9e\xee\x76\x41\xb3\x7c\xd7\xa3\
\xbb\xbc\xbe\xf5\x88\x4c\x9d\x74\x3b\xd9\x74\x6b\x48\xe4\x21\x53\
\xfb\x19\x1a\xe5\x10\xaa\x65\xa4\xee\x5c\x66\xee\x33\xb5\x9f\x13\
\x64\x8d\xd0\x18\x59\x6c\x6f\x42\x56\x7c\x0d\xf7\x00\x00\x20\x00\
\x49\x44\x41\x54\xc1\xa4\xc1\xd0\x9d\x47\x77\x1a\x49\xd0\x21\x52\
\x67\xfb\x81\xc3\x08\x4d\x56\xf5\xce\xcd\x9d\x2b\x03\xba\xb7\x1f\
\xcc\x84\x46\x0e\x64\xa6\xdc\x9d\xf3\x3c\xc3\xcc\x51\xdd\x77\xae\
\x9a\x34\x31\x96\x50\x42\xe8\xde\x30\x4d\x8d\x23\x02\xcd\x1d\x62\
\x91\x03\x9b\xba\x52\x23\x24\x4e\x8d\x98\x9c\x58\x46\xd5\xee\x2c\
\xd7\x1c\x90\xa5\xf0\x26\x84\xd5\x05\xab\x4c\x4c\x6d\xed\x9a\xda\
\x2b\x32\xa3\x4c\xe4\x12\xaa\xa8\x53\x3f\x77\x1d\x53\x8f\xa2\x47\
\xa0\x30\x1a\x6b\xb8\x01\x72\xab\x7c\x35\x23\x34\x62\xad\x06\x51\
\x28\x54\x89\x46\xb1\xbe\xbe\xfa\xe1\x00\x32\xe3\x17\xec\x8d\xe6\
\xdd\x52\xa1\x8f\x7f\xec\x63\x2f\x7c\xe6\xd9\xcf\xde\xed\xbd\xd5\
\x49\x10\xf6\x80\x69\xc3\x71\x22\xbc\x62\x0c\x2a\xee\x42\x66\xd5\
\x2b\x32\x37\xe3\x76\xbb\xb1\xd6\xa6\x92\x36\x79\x7d\x6f\xeb\xdd\
\x9b\xbb\xb7\xde\x6c\x9a\x36\xe6\xcd\xdd\xad\xf9\x66\x6a\x76\x32\
\xb9\x4f\xcd\xec\xa4\xc1\xaf\x6f\x9a\x4f\x0d\x2b\xaf\x57\x26\x2c\
\xd7\x27\xe7\xae\x1b\x27\xc7\x6e\x72\xbe\xb8\x3f\xbf\xfa\x37\x1e\
\x7b\xec\xa1\x4f\xbc\x5e\xfb\xfa\x75\x89\x40\x7f\xf1\xa7\xbe\xf0\
\x7b\x76\x93\xff\xde\x37\x9d\xb6\xfb\x6f\xbb\xd5\xf3\xef\x3c\x73\
\xa6\x4f\xbe\xb4\x4f\x2a\xb2\x4f\xdb\x1c\x63\xc4\x58\x16\xdd\xb8\
\x76\x1a\x4b\x22\xde\x79\xab\xeb\xe6\xce\x63\x89\xe4\x69\xb7\x93\
\xe6\xe6\x91\x18\x11\x89\xc3\x80\x66\xa5\x4a\xae\x6c\xba\xb7\xcf\
\xbc\x1c\xa9\xb9\xaa\x7b\x0d\x09\xdd\xac\xbc\x74\x80\xa3\xa9\x40\
\x36\x27\x36\x8d\xc2\xda\x5c\x8d\x4c\xdc\x3f\x0c\x1d\xe6\x81\x66\
\xd4\x92\x89\x1b\x93\x6b\xd3\x1c\x2f\xcf\x03\x4b\xa4\x62\x84\xa4\
\x80\xbb\x23\x46\xa4\xaf\x66\x1c\x40\x45\x8c\xee\x8e\xc3\x58\x14\
\x48\x2a\xa5\xb4\x44\x66\x79\x51\x1d\x7f\x39\x57\x32\x20\x8a\x7b\
\x26\x50\xa4\xc5\x61\x94\x0a\x42\x29\x2c\x51\xe0\x89\xa8\x58\x61\
\x6b\xac\x19\xc0\x7a\xf6\xc9\x5a\x30\x29\x25\x58\x09\x49\xd7\xcc\
\x2c\x05\x8d\x48\x64\x24\x68\x75\x61\x28\x56\xe5\xa8\xfa\xe1\xea\
\xb0\x3a\xb0\x0e\xd3\xc9\x49\x64\x16\x57\x6e\x76\x14\x41\x24\x94\
\x81\x71\x9c\x50\x5d\xd3\x4b\xae\x6e\x58\x8b\x66\x90\xb4\x77\xbf\
\xeb\xdd\xb7\x77\x27\xa7\xf6\xa9\x4f\x7e\xf2\x25\x25\x49\x49\x81\
\xc8\x54\xd2\x64\x61\x28\x59\x9c\x60\x18\x16\x56\x46\xa6\xb2\xc8\
\x30\x42\x9c\x97\xc5\x22\xe5\xdd\x9b\x4d\xbb\xc9\x05\x28\xc6\x90\
\x90\x22\x61\x83\x66\x10\x84\x86\x5c\x16\xf9\x85\x20\x0a\x7e\x05\
\x13\x39\x74\x02\xf7\x5d\x4b\x99\x9b\x0e\x43\x86\xcc\x75\x8a\xca\
\x2e\x00\x3d\xb2\xbd\xbe\xfb\xc1\xa7\x9f\x7e\xee\xf7\xbd\xe3\x1d\
\x8f\x3f\xff\x7a\xec\x6d\x7f\xad\x7f\xc1\x7f\xf1\x13\x9f\xf9\x8d\
\x9b\x3e\xfd\xf1\xb7\xde\xec\xcb\x7b\x1e\xdd\xc6\xcf\xbf\x38\xe7\
\x53\xcf\x5f\xa6\xe7\x48\x90\xe9\x66\x39\xc6\x88\x93\xdd\x14\xfb\
\x25\xf3\xed\xb7\xb7\xf9\xe6\x1b\x9b\x48\x80\xa7\x13\x4f\x8c\xe0\
\xda\x07\xc4\x1c\xd0\x61\x44\x02\x48\x23\xf2\xfe\x21\xf3\xee\x21\
\xf3\x10\x91\x91\x48\x23\xb3\x39\xd3\x80\x5c\xc5\xa1\x02\x90\x53\
\x63\xec\xba\x05\x80\x18\x99\x22\x91\xf7\xae\x42\xf3\xa1\xca\x77\
\xc1\x64\x44\xde\xda\x4d\x9a\x23\x75\x35\xd7\xa8\xf4\x18\x8b\xd6\
\x88\x96\x84\xa9\x99\xaf\x12\xb4\x2a\xba\x41\xe4\xb2\x2c\x5a\x1d\
\x13\xd4\xbc\x89\x66\x72\xba\xca\x9f\x21\xd7\x5e\x13\x63\x49\xa9\
\x99\xa5\x84\xdc\x97\xfb\x61\x92\x8c\x91\x8a\x4c\x85\x99\x85\x59\
\xb9\x6b\x8d\xb2\x63\x88\x75\x0a\x35\x72\xfd\x17\x62\x84\x10\x91\
\x18\x23\x35\x24\x44\x44\xe6\x88\x11\x10\x86\x84\x20\x10\x34\x4b\
\xa5\xca\x17\x52\xca\x88\x18\x63\x5e\x22\x22\x93\xa9\xa4\xfb\xca\
\x43\x20\x00\x24\x81\x9a\xfc\x1e\xb9\x92\xdb\xab\x87\x49\x46\x80\
\x56\x2a\xbd\x52\xa8\xa7\x32\xe3\xf6\xed\x87\x77\xdb\x93\x9d\xdf\
\xb9\xf7\xf2\x45\x44\x68\xd5\x98\xae\xee\x5f\xa5\x75\xad\xc3\x90\
\x4c\xd5\x30\x42\x1a\xec\x78\x24\x8c\x58\x39\x2e\x94\x92\x99\x95\
\x84\x30\x25\x11\x5a\xad\x82\x6b\xdc\x97\xb6\x8e\x6d\xac\xae\xf8\
\x5a\x7d\xf9\x48\xf6\x1a\x0d\xd7\x4a\x8a\xa2\x95\x37\xf1\x62\xe4\
\x13\xa7\xd7\x4f\xbe\xfe\x5f\xfc\xcd\xbf\xe9\xc7\xfe\xd2\x5f\xfa\
\x4b\xaf\xb9\x5f\xf7\x6b\x1a\x81\xfe\xec\xdf\x7e\xf6\x7d\x80\xff\
\xa9\x47\x4e\x1d\xdf\xf8\xd8\x76\x79\xe6\xce\xac\x9f\xf9\xec\x79\
\xce\x87\x43\x1a\x11\xdb\xdd\x36\x97\x11\x09\x30\x8c\xcc\x6f\x7c\
\xf3\x2e\x1f\xbd\xbe\x49\x25\xb4\x71\xec\x8c\x86\x92\x70\x55\xbd\
\x73\xa8\xe6\x29\x8c\xc8\xb3\x83\x74\x76\x88\x5c\x96\x10\x01\xac\
\xa3\xdd\xd9\x8c\xaa\xed\x59\x7d\x49\x2f\xba\x5a\xa4\x14\x51\xa9\
\xd2\xd9\x21\xb0\x5f\x42\x25\xc1\x44\xc2\x12\xd7\x76\x13\xdc\xa0\
\xb3\xab\xd5\xb8\x9a\xc5\x0c\x63\xbd\xe2\x7b\x37\x09\x35\x71\x3a\
\x22\xe4\xad\x95\x08\x73\x95\x5e\xdb\x83\xc8\x24\xc1\xf4\x80\x35\
\x93\x11\x4b\xae\x91\x69\x9d\x42\x55\x40\xf4\x82\x6e\x44\xf5\x61\
\x94\x86\x11\x06\x22\xf5\x40\x2d\x7e\xa4\x12\xea\xae\x80\x62\x0d\
\x01\x80\xa4\x22\x42\x63\x59\xea\xb1\xa3\x54\xee\x81\x5d\x55\x1d\
\xb3\x3a\x22\x34\xe6\xa1\x44\x51\xf5\xd6\x1a\xc7\x18\x02\xd6\x83\
\xbb\x8c\x88\x31\x34\x22\xea\x35\x1f\x4d\x4e\xb5\x9e\x96\xb7\x0c\
\xc0\xb0\x5e\x2f\x8c\xc1\x7a\x03\x1e\x7f\xf3\xe3\x27\x53\x9f\x6e\
\x3f\xf5\xd1\xa7\x5e\x98\xe7\x39\x8d\x6b\x28\xab\x22\x90\x31\x22\
\x6b\x7c\xdd\xab\xfb\xc4\x4c\xca\x5d\x44\x86\xd2\x3c\x33\x03\xb0\
\xfd\x7e\x9f\x9b\xcd\xc6\x5a\x73\xd7\x18\xee\xee\xc0\xa0\x41\x4b\
\x02\x70\x6f\xcd\xe7\x41\x69\x0f\x69\x72\x03\x12\x66\xc0\xde\xca\
\x0e\xcc\x08\x1c\x86\xac\x33\x69\x75\xaa\xd1\xbd\xdd\xe4\xdf\xfe\
\xde\x6f\xf9\x55\x7f\x18\xc0\xf7\xbd\x96\xfb\x1b\x78\x0d\x01\xf4\
\x83\xff\xd3\x47\xdf\x64\x6c\x3f\x70\x7d\xc3\xeb\xef\x7b\xe2\xe4\
\xe2\xf3\xf7\x16\x7d\xf0\x33\x17\x5a\x96\x91\x31\xe6\x68\xdb\x5d\
\x40\xc8\x65\x89\x7c\xcb\xed\x5d\xbc\xe7\xf1\xd3\x34\x32\x94\xb2\
\x4d\xc7\x89\x08\xae\x9c\x00\x42\xd0\x61\x51\xce\x23\x65\x84\xce\
\x67\xe5\xcb\x97\x91\xa3\x10\xa1\xee\x25\x4f\x69\xce\xb5\x33\x58\
\x20\x72\x2f\xf0\x38\xf1\x00\x3c\x17\x73\xe2\xf2\x50\x55\x03\x8d\
\xc8\x4c\x4d\xad\xe1\xd6\xb6\xe9\x72\x08\x73\x42\xa1\x04\x13\xda\
\x6c\x36\x58\x96\x21\x5f\x53\x32\x29\x45\x81\x66\x8e\x5c\x42\xf3\
\xb2\xa8\x35\x47\xf3\x06\x10\x30\x2b\x10\xad\x35\x16\x01\xa9\x93\
\x5a\x62\x9d\x6f\x28\xc3\x12\xd8\x5a\x3f\x85\x12\x23\x86\x9c\xa6\
\x24\xab\xfb\x93\xac\x2e\xf1\xab\x92\x40\x03\x20\x9a\x72\xbd\x86\
\x13\x50\x64\x59\x54\x09\x29\xf3\x56\x1d\x23\xf2\x81\xd4\x42\x59\
\xa1\x6d\x8c\x45\xca\x04\xbd\xc4\xa0\x5a\x63\x6e\x39\x3e\x18\x73\
\x44\x0d\xd5\xad\xd6\xf5\x14\xab\x76\x02\x50\xd2\x53\xac\x3c\xb9\
\x28\x0b\x98\x8c\x99\xc9\xb1\x04\x6e\xbf\xe9\xf6\xf6\xdd\xef\x7e\
\xf7\xc3\x1f\xfe\xd0\x87\x9f\xcf\x54\x92\x46\x66\x7d\x3f\xc9\xf2\
\x51\x10\x8c\x66\xce\x00\x5b\xab\xb7\x10\x0d\x36\x62\xb0\xd1\xdd\
\x12\x39\x96\xc5\x21\x65\xeb\x3d\xc7\x58\x12\x8d\x9e\x4a\x4b\xa5\
\x26\x41\x32\x19\x24\x5d\x51\x6e\xd6\x65\x23\x45\x42\x46\xf8\xd4\
\x20\xc2\x74\x76\x08\x92\xb0\xdd\xe4\x76\x58\xf2\x6c\x37\xd9\x6f\
\xfd\xdc\x4b\xf7\x7f\xec\x2d\xb7\x6f\xfc\xd4\x6b\xb5\xc7\x81\xd7\
\x08\x40\xbf\xee\x7b\xbf\xb7\x5d\x7f\xf8\xc6\x1f\x93\xf4\xae\x5f\
\xfd\xb6\x1b\xf7\x47\x2a\x3f\xf8\xd9\x0b\x35\x43\xee\xf7\x17\xb9\
\x99\x36\xe1\x6e\x39\x2f\x4b\xdc\xbe\xb1\x8b\xaf\x7b\xd3\x2e\xad\
\xce\xa8\x62\x73\x6c\x55\x9d\xf6\x74\x40\x21\xea\x30\x47\x1e\x86\
\x24\x20\x0f\x21\xdd\xbd\x8a\x8c\x4c\xcc\xc9\x3c\xed\x54\x24\xd4\
\xbc\xd2\x03\x11\x89\xac\x8e\xbb\x99\xa9\x1c\x0d\x0a\x3c\x57\x4b\
\xe2\xfc\x50\x7c\x6f\x6d\xb6\xaa\xd8\x1f\xda\x35\x81\xc0\xf9\x21\
\xb5\x44\x9d\x06\x64\x75\xc9\xd5\xea\xec\x04\x48\x70\xf3\xea\xab\
\x18\x35\x2f\x0b\x7a\x6f\x55\xe0\x18\xd1\x5a\xc7\xf1\xfc\x04\x82\
\x4a\x05\xba\xd5\x69\x55\x59\xa4\x82\x02\xa5\x12\xf5\x95\x05\x5c\
\x82\x35\xf3\x50\xe3\xd5\x2c\x65\x0e\x58\x91\x87\x58\xb9\x8e\x32\
\x91\x8f\x41\x18\x45\x5a\x8e\x58\x30\x46\xae\x63\x77\x75\x10\x83\
\xd3\x95\x58\x1b\x45\x42\xae\x3d\x9e\xf2\xa9\x23\x31\xb9\xad\xce\
\x8c\x01\x65\xd2\xdd\x4a\x6d\xba\xfe\x53\x56\xfc\x59\x0f\xff\x62\
\xfd\x9d\xc7\xe0\xb7\x46\xd7\x10\xb3\xba\x57\x34\x18\x96\x65\x19\
\xb7\x1f\xbe\xbd\x79\xd7\xbb\xde\x7d\xeb\x63\x1f\xff\xe8\x8b\x92\
\x98\x35\x19\xc2\x54\xd2\xd2\x12\x04\x33\x23\xcc\xcd\x33\xd3\xa8\
\x1a\x6b\x57\xd2\x82\x94\x48\x5b\xcf\x30\x73\x10\x22\xba\xa0\x39\
\x5b\x9b\x5c\x10\xc6\x32\xc4\x26\x0b\x83\xe6\x21\x19\x4d\x46\x47\
\x65\xe9\x90\xc1\xbd\x79\x0a\x80\xdf\xdf\x2b\xcd\x52\xec\x96\x58\
\x72\xb9\xbe\xdb\xfc\xe1\xa7\x9f\x7e\xee\xf7\xbe\x96\xf5\xd0\x6b\
\x52\x03\xfd\xe1\xef\xff\x6f\xff\xc0\x7e\x1e\xbf\xeb\x7d\x4f\x5e\
\x3f\x7b\xf2\xa1\x29\xff\xf6\x27\xee\xcb\xdd\xf2\xf2\xea\x2a\xae\
\xf6\x4b\xde\xba\x79\x1a\xcb\x92\xb1\xdb\x6d\xf2\xeb\x1f\xd9\xc5\
\xf5\x8d\xa5\x92\x9c\x1c\x3b\xae\xc4\x94\x91\x4a\x50\x97\x4b\xc4\
\x61\x35\x0f\x1c\x91\x79\x7f\x1f\x79\x35\x94\x23\xa1\xa9\x31\x9c\
\x48\x77\xc8\x8d\x11\xe0\x7a\xe2\x22\xe4\x46\xb9\x51\xcd\x98\x6e\
\x44\x8a\x59\xc0\x2b\x93\x4f\x64\x39\x3c\xed\xa6\xae\xdb\xa7\x3d\
\xcf\x0e\x99\x17\x87\x3a\x8c\xce\x60\x49\x22\x53\x29\x77\x97\x99\
\xc9\x69\xe9\xcd\x72\x6a\x8e\xf5\xa4\x86\x34\x33\xd1\x98\x04\xd5\
\x69\x99\x50\x90\x4c\x54\x6d\xa1\xe6\x08\x25\x34\x8f\x11\x5e\xea\
\x99\x04\x29\x12\x83\xd5\x82\x49\x29\x07\xc8\x74\xb7\xb0\x6a\x8c\
\xa6\x91\x09\x61\x10\x4c\x82\x49\x32\x09\x84\x19\x63\xc4\x88\xa8\
\x3a\x30\x00\x26\x69\xd1\xcc\xb2\xce\xce\x5b\x4f\x05\x17\x33\xea\
\x79\xc2\x5a\x17\x59\x75\x67\x23\x23\x92\x44\x00\x8c\x52\xfc\x28\
\x53\x19\x24\xb3\xa4\x80\x95\x64\x96\x3b\x02\x54\xf2\xbe\xba\x2d\
\x21\xd6\x7a\x28\xd7\x62\x47\x10\xf2\xc6\xcd\x1b\x9b\xed\x6e\x67\
\x2f\xbd\xf4\xd2\x59\x65\x66\x04\x80\x2c\x7e\xf1\xd8\x8f\x2b\xac\
\xd0\xab\x0a\x22\x6d\x7d\x4c\x5a\x9d\x8c\xb3\x9e\xf7\xc0\x4f\x32\
\xb5\xb2\x93\x5a\xed\x1a\xaa\x23\x66\x35\x36\x45\x72\xb5\x2d\xc6\
\xe4\x45\x9c\x1f\x8d\xcb\x27\x37\x10\x18\x66\x78\xec\xe4\xda\xee\
\x6d\x5f\xf7\xf6\xb7\xfe\xd8\x8f\xfe\xe8\x8f\xe6\x3f\x6c\xaf\xfe\
\xd3\xae\x2f\x39\x80\x7e\xe8\x6f\x3e\xfd\x2f\xc4\xc8\x3f\xfa\xc4\
\x43\x9b\xfd\xb7\xbd\xfd\x7a\xfc\xe4\xd3\xf7\x74\x67\x5f\x46\x4a\
\x67\xe7\x7b\x3d\x76\xfb\x66\xec\xf7\x23\xcc\x19\x6f\xbe\xb9\xd5\
\x13\x37\x5b\x90\x34\x33\x6c\x47\x80\x66\xcc\x75\xe0\x2d\x2f\x96\
\x88\xab\x59\xb9\x8c\x3a\x24\xe1\x2a\x90\x97\xb3\x72\x29\xc2\x20\
\x36\xce\x04\x99\x2b\x65\x1d\xd0\xaa\xb4\x26\xa2\x39\x73\xd3\x4c\
\xbd\x41\x63\x20\xef\xec\x23\x63\x54\x7f\xf1\x68\xe1\x0b\x50\x8f\
\x5c\x9f\xd4\x9b\xe5\x9d\xcb\xc8\x25\x22\x09\x24\x57\xab\x2c\x1a\
\xb2\x79\xcb\xa3\x8d\x76\x6f\x96\x84\xe5\x61\x59\xa2\x36\x35\x05\
\x32\xcc\x98\x89\x4c\x13\xd2\xdd\xd7\x53\x51\x98\xcd\x98\x73\x11\
\x06\x61\xee\x09\x21\xba\x59\x18\x19\x00\xb3\xc6\x76\xaa\xd8\xa7\
\x59\x18\x2d\x8b\xd5\x66\x00\x0a\x09\x49\x53\x00\x96\x34\x96\x33\
\xd5\x88\x30\x63\xba\x59\x98\x31\x9b\xf9\x00\x99\x75\x10\xde\xfa\
\x73\x23\x14\x51\x96\x70\x80\xd2\x9a\x87\xd3\xa3\x88\xc5\x0c\xd0\
\xc2\x68\x8a\x3a\xdd\x75\x05\x0a\xd2\x1a\x13\xa0\x98\x28\x7e\x6d\
\x55\x40\xa1\x2e\x0a\x09\x22\x49\xab\xdb\x50\xb2\x0e\x58\xce\x48\
\xe5\x8d\x6b\xd7\x36\xa7\xd7\x4e\xfd\xce\x4b\x77\xce\x43\x23\xcc\
\x5c\x6b\x0f\x2a\x21\xc8\x68\x22\x8b\x40\x58\xfb\x4f\x45\xf1\x95\
\x95\x78\x25\xbc\xeb\xa0\xe3\x3a\x48\x55\x0a\x92\x2c\xbc\x58\x4d\
\x2d\x1e\x43\x6e\xa5\xcb\xac\x54\xbd\x91\x68\x66\x32\x23\x42\xc5\
\x32\x16\xb6\x79\x98\x1a\xbe\xe1\xdd\xef\xfd\x66\xfb\x33\x7f\xea\
\x4f\xbc\x26\xfd\xa1\x2f\x69\x0a\xf7\x67\x7e\xf4\xc3\xdf\x92\xa9\
\x3f\xf9\xd8\xcd\x4d\xfc\x33\x5f\x77\x6b\xfc\xe4\xd3\xf7\xf2\x8b\
\xe7\x91\xcd\x18\xf7\x2e\x2e\xf2\xe4\x74\x9b\x99\x19\x73\x46\xbc\
\xe9\xda\x35\xdd\x3e\xed\x51\x96\xe6\xda\x5c\xce\x52\xa3\xc6\x86\
\x2e\x11\x79\x39\x67\xde\xbf\x52\x2e\x91\xe9\x86\x1c\x51\xa3\xd5\
\x87\x91\xe9\x6e\x9a\x8c\xeb\x07\x53\xca\xfe\x28\xae\x48\xe6\x48\
\x07\xd5\xdd\x54\x84\x42\xe2\xde\x21\xf2\x6a\x4e\xd4\xe4\x36\x98\
\x99\xa9\x84\x6e\x9c\x74\x5c\x9b\x0c\x2f\x5e\x2c\x3a\x2c\x8b\x08\
\xc0\xdc\x2b\xa7\x71\x6a\xd7\x3b\x46\xd4\x75\xcd\x40\x38\xa8\xf3\
\xc3\x5c\xe9\x53\xa6\xbc\xfb\x5a\xda\x1b\x20\xe4\x34\x35\x92\x52\
\x06\xb5\x0a\x47\x95\x50\xba\x3b\xad\x08\xe1\x1a\xe2\xa3\xad\xea\
\x68\x3e\x60\xdb\x73\x2c\x8a\x3e\x95\xa1\xfc\xf1\x6b\x06\xa0\xa4\
\x35\x15\x27\x8a\x41\x04\x6a\xc7\xa5\xd3\x58\x47\x49\x66\xcd\xab\
\x2a\x85\x04\x72\x0c\x20\x01\x37\x47\x6b\x0e\x6f\x4d\x40\x22\x62\
\xac\x73\xe3\x25\x9c\x5b\x8b\xa1\xe3\xe1\x5c\x44\x02\xce\x55\xdb\
\x04\xf0\x28\xfd\x91\xf2\x55\x22\xd2\xe3\x76\x5f\x91\x96\x25\xe7\
\x59\xa4\xe5\xf6\xc3\x0f\x6f\x7e\xc5\x37\xbd\xf7\xf6\x53\x1f\xf9\
\xc8\x17\xe7\x31\x16\x03\xdb\x1a\x45\x38\x32\x8c\x49\xa3\x9b\x31\
\x61\x81\x30\xa5\x9c\x74\x93\x14\x48\x38\x01\x0b\xb0\xad\xad\x31\
\xf7\xa6\x84\x7b\x62\x56\x42\x4c\xa8\x79\x91\x74\xc8\x2b\x83\xe6\
\x61\x9e\xdd\x2b\x1d\x27\x7c\x53\x9f\xb9\x5d\x2e\x21\x33\xa7\x27\
\xec\x62\xd6\xfd\x93\xce\xdf\xfd\xc5\xbb\x97\x2f\x3e\xfa\xd0\xc9\
\x7f\xf7\xa5\xdc\xef\xc0\x97\x18\x40\x7d\x3a\xfd\xee\xdd\xae\xdd\
\xfc\x35\xef\xbc\x75\xff\xa9\x2f\x9c\xe3\xfe\x41\xd1\x8d\x79\xe7\
\xfe\xfd\xc8\x11\x39\x1f\x96\x88\x93\x5d\xba\x31\xdf\x74\xad\xc5\
\xed\x13\x37\x11\x7d\x3f\x67\x1a\x91\xad\x15\xcd\x7b\x88\xd4\xfd\
\x43\xe4\x21\x14\x6d\xbd\x12\x9d\x1d\xca\x9a\xd6\x0d\xd1\xac\xe8\
\xd2\xba\x4a\x59\x46\x0a\x91\x94\x01\x72\x20\x7b\xa3\x26\x93\x28\
\xea\x6a\x4e\xac\x53\xa5\x72\x37\x8c\x91\xa2\x28\x6b\xae\x9b\xbb\
\x8e\x21\xe8\x62\x51\xa2\x1c\x39\x41\x42\x91\x54\xe3\x83\xa3\xe1\
\x44\x12\xbd\x59\x1e\x62\xd4\xc1\xa7\x50\xaa\x6a\x28\xba\xbb\x28\
\xa8\x75\xea\xc1\xfc\x81\xa5\x4a\x61\x90\x30\x30\x9a\xad\x82\x38\
\x48\x21\x13\x29\x34\x42\xd9\x6b\x8a\x3b\x46\x94\xf4\x68\x2c\x90\
\xfb\x2b\xea\x58\x60\x75\xcd\x49\x44\x14\x73\xe6\x6c\x59\x72\xed\
\x9a\x6a\x88\x08\xb9\x55\x3d\x53\x24\xc5\x40\x40\x20\x21\x6b\xb6\
\x36\x7e\xa9\x31\x8a\x01\x04\xab\xa1\x0b\xd4\xe9\x0c\x5c\x4f\x0f\
\x37\xb3\xf5\xa8\x2d\x47\xd6\xdb\x41\x77\x63\x56\x29\x56\xbc\x64\
\x35\x65\x59\x9e\x6f\x22\x65\x10\x45\x64\x12\x25\xb4\x1d\x0f\xdd\
\xb8\xd1\xdf\xf5\xee\x6f\x78\xf8\x23\x3f\xf7\xd1\xe7\xa5\x91\xa5\
\x32\x2d\x97\xa1\x44\x9a\x47\x9a\xcc\x2c\x13\x06\x8f\x1c\x0b\xcc\
\x5c\x2e\x43\x62\x91\x77\x52\x49\x3a\x42\xc9\x92\x28\x65\x7a\x7d\
\xe0\x5c\x95\x17\x68\xcc\x79\x81\x36\xad\x6b\x34\xd7\xd5\x22\x11\
\x21\x6e\x21\xc0\x0d\x84\x1f\x86\xac\x31\x41\x50\xf3\xe0\x61\xdb\
\xfd\xf7\x7f\xe6\xa5\xb3\x0f\xbf\xed\x4b\x2c\x3c\xfd\x92\x01\xe8\
\x87\xfe\xe6\xcf\xff\x16\x6b\xed\xd7\xfc\xaa\xb7\xdd\x38\xfb\xec\
\xdd\x59\xcf\x9d\x87\x62\x59\xf2\xde\xc5\x3e\xaf\x2e\x2f\x53\x60\
\xdc\xba\x71\x3d\xbd\xb5\x7c\xdb\xc3\xbb\xf1\x8e\xdb\x1b\x82\xe8\
\xfb\xa5\xf2\xeb\xa9\x99\x9a\x31\x43\xc8\xcb\xbd\x72\x5e\x94\x93\
\x31\x49\xe4\xd9\x21\x8e\x6a\xea\xb4\x35\xf2\x80\xe5\xa4\x13\x35\
\xd3\x02\x10\x09\x2a\x8c\xa6\xa9\x51\xcd\x0c\xfb\x25\x70\x67\x5f\
\xca\x65\x29\x15\x64\x31\x59\x46\x6c\xba\xe7\xe9\xc6\x74\x7e\x28\
\x97\x79\xaf\xab\x17\x46\xa6\x68\x55\xd8\x8f\x2c\x69\x4d\x73\x6a\
\x89\xd0\x61\x24\x68\xd4\xe4\x4d\x47\xe5\x4b\x1d\x09\xc2\xdc\x74\
\xa3\xad\xa7\x26\xd4\xa8\xb8\x10\xa3\x40\x6e\xab\xa5\x80\xad\xa7\
\x9e\x2a\x01\x77\x64\x0e\xc1\x48\xc9\x4c\x52\x32\x42\x8a\x98\xab\
\x60\x88\xea\x91\xc8\x0a\x44\x14\x57\x52\x84\x38\xd2\xe4\x94\xe9\
\xd8\x28\x55\x48\x22\x38\xea\x6c\x06\x10\x06\x37\x07\xe9\x19\x81\
\x35\xfa\x70\xf5\x36\x28\x3b\xab\xb2\x00\x32\xca\xf2\x81\xf2\xce\
\x01\x56\x1e\x0b\x3a\x4a\xd7\x06\x02\xa9\xb4\x55\x63\x53\x67\x97\
\x18\x99\x99\x64\x8a\x80\xc1\xeb\x24\x3e\x86\x14\xb7\x6e\xdd\x9e\
\xbe\xe1\x1b\xde\x79\xeb\x63\x1f\xfb\xf8\x17\x51\x5a\x56\x27\xcd\
\x32\x23\x43\x60\x86\x59\x77\xf3\xa4\x07\x18\x9e\xc8\x68\x82\x0f\
\x28\x15\xcc\x9e\x8a\x86\xd6\x42\x10\xe8\x5e\xef\x75\xa4\x79\x48\
\x0b\xd4\x6a\x2c\x0b\xd9\x9a\x96\x90\x0c\x89\x0b\x15\x0b\xf9\xd0\
\x96\x9e\x20\x88\x44\x2f\xb3\x48\x12\x79\x70\xb7\xd3\x6b\xdb\xcd\
\xbf\xf7\xc1\x0f\x7e\xf0\x0f\x7c\x29\x0f\xfd\xfa\x92\x00\xe8\xfb\
\xff\x87\x0f\xbd\x95\xec\xdf\xf3\xf6\x5b\xdb\xb1\x04\xe3\x13\x2f\
\x1e\x14\xcb\x9c\x2f\xde\x39\xcb\xc3\x61\x1f\x02\x62\xb7\xeb\xd1\
\x36\x1b\x35\x22\xde\xf6\xf0\x46\x10\xa6\xcb\x39\x04\x22\x9a\xb1\
\xce\xb8\x01\xf2\x62\xc9\xb8\x58\x4a\x15\xed\x86\x38\x9f\x53\xfb\
\x40\xae\x9d\xf3\x0a\xe5\xb6\xda\x50\xa9\x3a\xac\x01\x65\xa7\x85\
\x19\xb5\xeb\xc4\xae\x59\x1e\x22\xf1\xc2\xc5\x58\x4f\x34\xa8\xa8\
\xb1\x7e\x0b\x0c\xc4\x43\x5b\x47\x23\xf2\x72\x19\x09\x52\xcd\xd6\
\xa9\x4f\x31\xcd\x50\xd4\x35\x21\x0d\x22\x09\xc5\x48\x19\x56\xfd\
\x08\x2b\x34\x9d\xf6\x86\x79\xa4\x5a\x33\x6c\x68\x1a\x00\x84\x14\
\xb3\xf2\x30\x88\x6a\x85\x81\x8a\x1e\x66\x5a\x4f\x8e\x58\xcd\xea\
\x09\x68\x1d\x44\x5d\x4f\x14\x2a\xa7\x13\x08\x66\x45\x26\x06\x64\
\x46\xb8\xd9\x31\x9f\x02\xb2\xc6\xcf\xcb\x27\x48\x50\x51\xd2\xd0\
\xaa\x36\x10\x24\xef\x6d\x95\xe8\x08\x39\x02\xb1\xba\xf8\xbc\xf2\
\xa9\xd9\xf1\xfc\xd5\x1a\x5c\x42\x45\xa4\x80\xc1\xe8\xd6\x7c\x15\
\xbf\x16\x8d\x49\x87\xc3\x94\x54\x66\xd9\x6e\x45\x9d\x68\x07\x00\
\xca\xe4\x48\x72\x64\xc0\x19\x34\xef\xf6\xd8\x63\x8f\x6f\x47\x8c\
\x9b\x9f\xfc\xc4\xd3\x2f\xa1\xb9\x53\x6a\x80\x71\x84\x48\x84\x05\
\x32\x09\xd0\xbc\xa5\xc1\x3c\x33\x12\x54\x72\x98\x16\x93\x89\x12\
\x1a\x53\x83\xd1\x1a\x5b\x12\x1a\x63\x51\xd5\x61\x94\x05\xb5\xcc\
\x56\x99\x68\x6b\xb2\x34\x2d\x19\xde\x68\x3a\xdd\x42\x73\x4a\x87\
\xa0\xbb\x99\x65\x88\x36\xe7\xc5\xc9\x84\xf7\x7e\xcd\x3b\x7f\xc5\
\xbf\x06\xe0\x87\xbf\x14\xfb\x1e\xf8\x12\x01\x68\xb7\xdb\x7e\xcf\
\xf5\x93\xe9\xb1\xdd\xa6\xdd\xff\xf8\x0b\x07\x1d\xe6\x39\xee\xdc\
\xbb\x9f\x19\x91\xe6\x3e\xe6\xc3\x3e\xc9\x93\x3c\xec\x0f\xf9\x4d\
\x5f\x7b\x3b\x4e\xbb\x4d\x67\x87\x40\x02\xd1\xc8\x30\xaf\xd0\x3c\
\x47\xc6\xc5\x3e\xb2\x7a\x33\x96\x87\x40\x5e\x2e\x51\x6d\x8a\xb5\
\x29\x1a\x89\x6c\xb5\xc1\x75\x88\xd4\x12\x88\xf5\x74\x06\x6d\x0c\
\xda\x4e\x06\x4a\x7a\xf9\x22\xb5\xd4\x01\x52\x2a\xa5\x87\x65\xb1\
\x3d\x99\xad\x19\xaf\xef\xbc\xce\x16\x4e\x6a\x05\x50\x45\x14\xa5\
\xb6\xcd\x40\x48\x73\xd5\x04\x3a\x2c\xb5\x2d\x57\x4c\x51\xaa\x0f\
\x31\x52\x6a\x8d\xda\xb6\x55\x40\x5a\xbf\x4b\xad\x1d\x7f\x67\xc8\
\xcc\x94\xca\xec\x6e\x92\xa9\x9a\x3f\x28\x9a\xae\x39\x75\x28\x00\
\xc1\xcc\xa1\x08\xc1\xbd\xf2\x25\x33\x19\x0a\x1f\x66\xb6\x16\x09\
\x4c\x29\xd7\x66\x4f\x25\x7a\x85\x09\x87\x11\x9a\x47\x4a\x09\xb5\
\xee\x68\x65\x22\x5a\xcf\x32\xc2\x1a\x14\x21\x01\x15\x85\x0a\x4e\
\x65\xe7\xeb\x74\x96\x5e\x2e\xeb\x8f\x62\xb2\x02\xb5\x17\x40\x98\
\x45\xd5\x00\xa8\xf0\x2c\x1a\x8b\x26\x05\x00\x6b\x6e\x5a\x45\x0e\
\x23\x21\xea\x40\x20\xfd\x89\x27\xde\x72\xba\x1c\xc6\xfe\xd9\xcf\
\x3e\x7b\x1f\xcd\xa2\x9c\xe2\x64\xa1\xcc\x11\x61\x26\x90\x92\x1c\
\x2d\xcd\xcd\x33\x94\x86\xcc\x84\x79\xef\x93\xa2\x46\x88\x8d\x94\
\x68\x4d\x19\x52\x30\xe4\xa4\x32\x0c\xfb\xdc\xab\x8d\xa1\xdc\x4c\
\xe8\xe8\x48\x99\xee\xef\x87\x4f\xde\x11\x26\xec\x21\x36\x4b\x38\
\x8d\x33\x44\x0b\x9c\x9d\x74\xfb\x6d\xcf\x7c\xf1\xce\x4f\x7d\xed\
\xa3\xb7\x7e\xe6\x4b\xb1\xf7\xff\xa9\x01\xf4\x03\xff\xcb\x47\x7e\
\xf3\x76\xb3\xfd\x8d\x8f\x5c\xdb\x9c\x9d\xcd\xa9\x11\x23\xef\xdc\
\xbb\x97\x6e\x96\xf2\x1c\xfb\xb3\xcb\x78\xe4\x91\xdb\x9a\x43\xf9\
\xb5\x8f\xdd\x8c\xc7\x6f\x4c\x76\xef\x30\x38\x0f\xc4\xb6\x31\x8d\
\x75\xec\xc8\xc8\x8c\xb3\x7d\x46\xd1\xd3\xae\xc8\xcc\x8b\x39\x62\
\x04\x11\x99\x31\xb5\x3a\xba\xa4\x19\x92\x30\x0d\x15\x98\xba\x41\
\xdb\x56\xd3\xa3\xbb\x89\xe9\xa4\x5e\xbc\x8c\x3c\x3f\x8c\x04\x88\
\xc9\x0d\xdb\x89\xb9\x9f\xeb\x0c\x7b\x1a\x75\x6d\xe3\x38\x99\x98\
\x67\xfb\x3a\xca\xbe\xb7\xea\x7c\xb8\x20\x77\x13\x8b\xa1\x5a\x0f\
\xe7\xa5\x02\x52\x5d\x92\xab\xc3\xd8\xdc\x6a\x9a\x15\xc0\xa6\x57\
\xed\x95\x48\x2c\x28\x72\xb8\x19\xb2\x0e\xea\x66\xbe\x42\x1c\x49\
\x8a\x1a\x6e\x03\x80\xb6\xf6\xa7\x3a\xa8\x58\x7b\x38\x6a\x6d\x4d\
\xdd\xb0\x0a\x55\x57\x92\xc4\x08\xcf\xe2\xd5\xdd\x1a\xc5\xe2\xf5\
\x03\x82\x9b\x43\x82\xe6\xe5\x20\x89\x68\xcd\xe5\xd6\xd7\x89\xbc\
\x54\x02\x8c\xf5\x6c\x4b\x37\x47\xc4\xda\xa2\x25\x25\x03\x4c\x54\
\x28\xe9\x20\x5b\x6b\x80\x05\x96\xe0\x3a\x70\x57\x56\x56\x0a\xac\
\x2f\x00\x58\x1d\x45\x60\x02\x03\x35\xa5\xaa\xc8\x57\x7c\xf0\x40\
\x66\x24\x87\xc6\x48\xc9\xde\xfe\xf6\xb7\xdd\x58\xc6\x72\xb8\x7b\
\xe7\xe5\x4b\x9a\xa5\xff\x3f\xbc\xbd\x5b\xac\x6c\xeb\x95\x1e\xf4\
\x8d\x31\xfe\x7f\xce\x59\xb5\xd6\x3a\x6b\x5f\xce\xdd\xe7\xf8\xf8\
\xd8\x69\xb7\xdd\x97\xb4\x43\x27\x0a\xb6\xfa\x06\x12\xa8\x83\x88\
\xb8\x48\xee\x16\x04\x11\x02\x52\x1a\x89\x04\x50\xc4\x13\x42\x32\
\x16\x8a\x14\x29\xe2\x01\xde\xe8\x97\x90\x08\x5e\xda\x12\x8f\x06\
\x22\xa4\xc6\x49\x64\xd4\x28\x34\xa8\x49\x82\xdb\x6d\x7c\xe9\x63\
\xb7\x7d\x6e\xfb\xb6\x6a\x55\xd5\x9c\xff\x18\xe3\xe3\xe1\x9f\xb5\
\xf7\x3a\xc7\xdb\x76\xdb\x06\xa6\xf6\x52\xdd\x66\xcd\xaa\x5d\xf3\
\xff\xe6\xb8\x7d\xe3\x1b\xc5\xac\x82\xba\xcc\x2e\x9e\xae\x2d\x32\
\x21\xa9\x10\x64\x31\x33\x4a\x12\x09\x1e\x8f\x0b\x01\xa6\x99\x5a\
\x4f\x9b\x3b\x51\x85\x14\xd2\x4c\x88\x50\x64\x66\x09\xe9\x7d\x59\
\x20\xa8\xa6\xdc\x01\x98\x06\xc5\xc5\x68\xd8\xb7\x40\x29\xa6\xa3\
\x66\x57\x3b\x89\x64\x31\xdd\x5e\x9e\x6d\xfe\xbd\x2f\x7e\xf1\x8b\
\x7f\xf5\x53\x9f\xfa\xd4\xe1\xc7\x5d\xff\x3f\x16\x80\x3e\xf3\xdf\
\xfe\xf6\xb3\x75\x18\xff\xca\xe5\x59\x5d\x8a\x69\x3c\xd8\xb5\xbc\
\x7a\xb4\xcb\xed\x66\x13\x00\x63\x79\xb4\xc4\xad\xcb\x67\x32\x82\
\xf9\xfa\xb3\xe7\xf1\xd3\x2f\x6e\x65\x89\x2c\x87\x85\x5e\x4d\xa8\
\x8a\x34\x91\x00\x99\xc7\x96\xe1\xce\xb4\xee\xfa\xe4\xde\x91\x87\
\xd6\xad\x52\xb5\x7e\xfd\x8b\x64\xd6\x22\x19\x49\x2e\x9e\xa9\x0a\
\x6c\x6a\xa1\x19\x38\x99\xa4\x99\xf2\xb0\x24\x1f\x1d\x9d\x56\x2c\
\xcf\x0d\x3c\x1f\xfb\x75\x9c\x29\x79\xf4\x24\x20\x98\x8a\xa0\x88\
\xa4\x07\x28\x0a\x8e\x58\xc7\xc9\x03\x34\xe9\x11\xf2\xc9\xfd\xea\
\x23\xb2\x2b\xab\xf6\xd1\xf6\xbe\x52\x72\x46\x90\xdb\x49\x7b\x47\
\x1c\x80\xa4\xf6\x3e\x6a\x4b\x98\x28\xb8\x96\x34\x15\x5d\x76\xb7\
\x67\x5d\x95\x94\x84\x13\xe9\xa1\xdd\xbd\x2b\xbd\xb6\x29\x9d\x30\
\x4a\x51\x01\x57\x63\x85\xbe\x22\x41\x90\xb1\xea\x57\xe7\x5a\x2f\
\x0e\x76\x4d\x06\xa1\xd0\xbd\xad\x96\x0a\xa8\x6b\x7f\x52\x12\x34\
\xc3\x6a\x6d\x80\xae\x14\x1c\x9d\xa8\xba\xd6\x86\xbb\xb6\x01\xc8\
\x0c\x78\xf6\x92\x6e\xb1\x22\x83\x02\x99\x29\x11\x41\x32\xba\x02\
\x4b\x76\xe4\xa4\x40\x24\x53\xa8\xb2\xb6\x2a\x74\x32\x67\x07\x25\
\x44\x57\x5d\x87\x60\x4a\x3a\x45\x20\xf6\xca\x07\x5f\xb9\x38\xec\
\x0f\x87\xe6\xcb\x22\x09\xd3\x52\x6c\x1c\xa0\x96\x2a\xcd\x9b\x65\
\xb8\xa8\xd4\x0c\xcd\x94\x14\x12\x9e\xee\xc8\xa2\x9a\x75\xac\x29\
\x80\x91\x40\x64\x52\x42\xd9\x45\x25\x1b\x33\xc8\x86\xcc\x48\x67\
\x44\x64\xa9\x65\x00\x04\xd7\xb3\x71\x30\x60\x50\xc3\xec\x49\x29\
\x0a\x7a\x76\x3d\xe5\x96\xd7\x75\xd0\x9f\xfe\xe0\xc7\x3e\xf1\x6b\
\x00\xfe\xf6\x8f\x07\x9f\x1f\x13\x40\x9b\xcb\xe7\x7f\xe3\x6c\x1a\
\x5f\x3d\x1f\xcb\xc3\xab\x25\xf8\x70\xb7\x4f\x08\xa2\x14\x8b\x65\
\x59\xa2\x0c\x35\x67\xcf\xf8\xc9\x17\xce\xf2\xcf\xbc\x7e\x1b\x87\
\x96\xe5\xe1\xa1\xd7\x3e\x86\x41\xb3\xd7\x37\x11\xc7\x86\x3c\x38\
\x32\x40\x56\xd1\xb8\x6e\x99\x87\x25\xe8\x99\x41\x4a\x4e\x45\xb9\
\x78\x66\xed\xa2\x1c\x49\xc9\x84\x68\x56\x05\x4c\xc9\xa9\x68\x56\
\x13\x2a\x98\xd7\x4b\x42\x54\x79\x26\xe4\x33\x63\x61\x03\xd2\x9d\
\xa8\xa6\x3c\x34\xb0\x08\x38\xd6\x1e\xd0\x27\x83\x15\x92\x2b\x03\
\x07\xda\x0b\xb0\x3d\xca\x96\xc4\x54\x14\x26\xe0\x9c\x92\x0c\x70\
\x2c\x00\xd0\xa7\x70\x6b\xef\xe0\x24\xd1\xdb\xa5\x47\xd5\x9e\x01\
\xa3\x64\x51\x62\x76\x24\x20\x30\xed\x2c\x18\xd1\xce\x10\x05\xd7\
\xe7\x82\xa4\x01\x4a\x66\x5d\x93\x0c\xa1\x2b\xd1\x92\x82\x52\x95\
\x4b\xf7\xb9\x3a\x38\xd6\xcc\x42\xa0\x83\x41\xa4\x53\x16\x62\x6d\
\xb7\x50\x91\xb5\xcd\x42\xdf\x7b\x92\x48\x00\x99\x7d\x70\xab\x48\
\x0a\x68\x30\xc0\x0c\x22\x21\x19\xbd\x67\x22\x33\x73\x30\x43\x64\
\x13\x15\xd3\xd2\x47\x84\xc3\x53\xa4\x47\xec\x01\x8a\x88\x66\xa7\
\x4e\xa8\x40\xb2\x88\xd4\x34\xf1\xec\x16\x08\xb9\x76\xd5\x41\xa4\
\x67\xd6\x21\xd1\x9a\x5b\x2d\x76\xeb\xee\x9d\xed\x57\xbf\xfa\x95\
\xfb\xe7\x67\x67\x39\x8a\x85\x6a\x31\xa1\x6b\xd1\x92\xc1\x94\xa0\
\xa7\xb0\x84\xbb\xa4\x1a\xac\x47\x37\x9a\x3d\x6f\x01\x2a\x82\x42\
\xcb\x60\xd0\x5d\x50\x4a\x41\xa2\x6b\x1b\x7b\x04\x65\x59\x4a\x29\
\xd6\x92\xc9\x83\x27\x37\x2e\x1c\x46\x60\x71\xe0\xa4\x2f\xa1\xd1\
\x15\x50\x0f\x81\xeb\xb3\xd1\x7e\xed\xf7\xbf\xf1\xe0\xef\xff\xe4\
\x6b\xb7\xbe\xfa\xe3\x60\xe0\x47\x06\xd0\x7f\xfc\xdf\xfc\xce\x27\
\xd4\xea\xbf\x34\xd6\x7a\x95\x50\xee\x67\xcf\xc8\x08\x40\xb2\x35\
\x8f\x88\x8c\xfb\xf7\x1f\xe5\xc7\x3e\xf4\x42\x7e\xf2\x4f\x3c\x9b\
\xd7\xb3\x97\x43\xeb\x04\xe3\xb1\x6a\xaa\x20\x54\x90\xcd\x33\x8e\
\x8d\x5c\x5a\x66\x31\xcd\xcc\xcc\xab\x39\xb3\xcb\xd3\x4a\x6e\xab\
\xd0\x23\x69\x42\x4e\xc5\xd2\xd7\xa1\x52\x93\x69\xd6\x02\xac\x4c\
\x83\xac\xaa\x3c\xb4\xc4\x1c\x44\x55\xe6\xad\xb1\x50\x94\x79\x5c\
\x12\x53\x51\x3e\x9a\x13\x50\x46\x2d\xc0\x66\x50\x9a\x28\x22\x25\
\x29\x9d\x57\xc5\xb5\x6f\x66\x53\x35\x17\x4f\x6c\xab\x62\x32\xcd\
\x96\xe4\xb6\x80\x75\x54\x98\xf4\xf9\xaa\x45\xc0\x39\x81\x55\x64\
\xad\x8f\x09\x51\x62\x54\xe1\xd8\x33\x80\x4c\x26\x66\x0f\x28\xc0\
\x6a\xda\x2b\x96\x42\xaa\xa2\x37\x7e\xf7\xf8\x9e\xba\x0a\xf2\xc8\
\xaa\x5b\xd5\x09\x37\x3d\x35\x50\xd0\xa9\x48\x91\x40\x20\x56\xfb\
\x11\x2c\x66\x3d\xeb\xc6\x9e\x9b\x34\xed\xea\x38\x30\xeb\xc1\xd5\
\xa9\x3c\x1e\x01\x30\x51\xac\x30\xb5\x6b\x1f\xf4\x39\x40\x86\x88\
\x53\xd7\x5d\xe7\xf6\x89\x82\xb1\x92\x65\xbb\xb2\xbe\xc8\x38\x14\
\x91\xe8\xca\xa5\x5c\x95\xb6\x3a\x46\xac\x2b\x23\x64\x74\xcd\x11\
\x40\x98\x9d\x97\x03\x40\x7a\xaf\x68\x48\x66\x0a\xd5\xe0\x9e\x71\
\xf7\xee\xed\xe1\xe1\xbd\xdb\xc3\xd5\x6e\x77\x88\x96\x16\x64\x0e\
\xd5\x6c\xa8\x26\x9e\x30\x5f\x82\x21\x69\xa6\xca\xf4\xce\xce\x0a\
\x0d\xba\xb7\x34\x2b\x64\x51\x7a\x38\x8b\x96\x5e\x1e\x48\xef\xed\
\xed\x11\x5c\x96\xc6\x9c\x88\xc1\x07\x9a\x39\x16\x51\x5e\x9b\x60\
\x3b\xa4\x30\x15\x87\x96\x4c\xeb\xb3\x95\x8b\xa8\x96\x96\xcb\x64\
\xfa\xcc\xad\x5b\xe3\xbf\x0d\xe0\x3f\xf9\xff\x1d\x40\xff\xc6\xdf\
\xfc\x3b\x67\xdb\xb3\xcd\x7f\xb8\xdd\x6e\xca\xe5\xb6\xee\x0f\x8b\
\xf3\x6a\xbf\x4f\x24\x73\x9e\x67\x2f\xb5\xc6\xfd\x07\x0f\xf2\xd6\
\xc5\x36\xfe\xf4\xeb\xcf\xe6\xec\x61\xb3\x27\x92\x08\x33\x89\x41\
\x25\xaa\x49\x66\x22\xe6\xc8\x5c\xdd\xb1\x48\x32\xaf\x8e\x99\x1d\
\x4c\xe0\x38\x4a\x76\xa9\x5d\xc9\x6d\x55\x02\x12\x91\x4c\x15\xe5\
\x58\x85\x55\xc0\xb1\x68\x4e\xb5\xf7\x9d\x3d\x9c\x93\x1e\x8c\xb3\
\xc1\x30\x56\xe1\x83\x43\x70\x76\xf4\x34\x32\x49\x53\xe1\x58\x94\
\x93\xf5\x31\xf0\x14\xd0\xa0\x94\xd5\x65\xaa\x26\x28\x3d\x17\xce\
\xb1\x68\xfa\x1a\x07\x6d\xea\x09\x3c\x64\xe9\x29\xb5\xae\xe6\xa3\
\xc2\x80\x30\x10\x5c\xb2\x7b\x49\x02\x4d\x11\xa2\x9a\x74\x36\xb8\
\x76\x0d\xee\x4c\x41\xb8\x00\x0a\x5a\x90\xa7\xf4\xf4\x5a\x35\xa5\
\x07\x48\x92\xae\x41\x86\x51\xb4\x87\xf8\x1e\x9d\xff\x63\x5d\x9c\
\x11\x84\xd0\x09\x42\x93\x19\x8a\x62\xca\x0e\x9e\x27\xe7\x67\xed\
\xb3\x43\xac\x6d\x00\x3d\xcb\x0f\x18\x0b\xed\xb4\xdf\x5a\xc4\x95\
\x22\x12\x01\xf4\x74\x81\x01\x08\xa4\x40\x1a\x13\xc6\x2a\x43\xad\
\xd2\x73\x66\x4b\xdf\xaf\x47\xf0\x2b\x91\x40\x84\x80\x14\x98\xa4\
\xa5\x40\x7b\x32\xa1\x5f\x20\x3a\xc8\x32\x21\x9d\x1d\x05\xfd\xc8\
\x47\x7f\xf2\xec\xff\xfe\xf2\x57\xe6\x37\xdf\x79\x7b\x31\x85\x45\
\x2b\xb9\xd4\xaa\xc5\x34\xb5\x9a\x22\x3b\x7b\x0a\x46\x0d\x90\x46\
\x32\x92\x7d\xd2\x51\x67\x76\x15\xa6\x90\xd2\x7f\x83\x24\x8a\x2f\
\x2d\x97\x68\xab\xae\xb1\x73\xdc\x4c\x98\x86\x0d\x55\x04\x67\x43\
\xc1\x76\x48\x28\xd4\x8e\x04\x44\x89\x9a\xe4\x12\xa2\x87\xc6\xab\
\xb3\x41\x3f\xf5\xd5\x37\x77\xff\xfc\x87\x5f\x38\xff\xbb\x3f\x22\
\x7e\x7e\x34\x2a\xcf\xaf\xff\xfb\x7f\xfd\xdf\xda\x6c\xb7\xff\xca\
\x2b\xb7\xcf\xaf\xce\x06\xe5\xd7\xdf\xba\xca\xcb\x6d\xcd\xc3\x72\
\xf4\xa0\xf8\xa3\x47\x0f\xb3\x98\xe5\x3f\xf3\x73\xaf\xc7\x73\xe7\
\x55\xaf\x8f\x21\x4e\xb8\x93\x51\x55\x63\x2c\x12\xaa\x88\x7d\x8b\
\xd8\x2f\x19\x90\x9e\x8d\xbb\x5a\x22\xaf\x5b\xa6\x08\x73\x33\x68\
\x88\x20\x5a\x32\x26\xd3\x18\x8b\x78\x63\x66\x00\xb1\x19\x34\xc7\
\xa2\x61\x2a\x79\x36\x48\x0c\xa6\x71\x6f\x1f\xb1\x5b\xc2\x6b\xd1\
\xbc\x1c\x25\xae\x5b\xc6\xbb\xbd\x5b\x25\x54\x18\x26\x1a\x55\xe1\
\xe7\x55\xe3\x99\xa1\x90\x44\xee\x16\x4f\x55\x04\x83\x1e\x44\x6e\
\x47\xf1\xa1\x6a\x2a\x32\x55\xc4\xf7\x0b\x03\x2b\x45\xc6\x03\xbe\
\x24\xb2\x98\x86\x49\xa7\xe1\x84\x20\x0a\xe0\x84\x24\x12\x21\x8a\
\x90\xc4\x3a\x99\xb1\xc7\x77\xc5\x24\x24\x25\x04\xf0\x64\x86\x81\
\x41\x41\x84\xc3\x93\xf0\x93\xa4\x01\x40\x87\xc0\x33\xd1\xa2\xe7\
\x2d\x3c\xd9\x6f\x09\xa4\x99\xba\x88\x44\xf4\x96\xa6\x40\x64\x16\
\xd5\xa8\xa5\x64\x29\x12\x92\x92\xda\x39\x84\x29\x22\x91\x11\x21\
\x22\x21\xc2\xc8\x08\x57\x58\xaa\x48\x76\x41\x52\x09\x91\xce\x7f\
\xa3\x4a\x8a\x49\x16\x29\xa9\x22\xa9\xa2\x69\x2b\xbf\x2e\xba\x8d\
\x8e\xa1\x68\x8a\x95\x95\x6a\xd4\x5d\x2b\x80\xa1\x62\x84\x30\x45\
\x25\x00\x4d\x55\x0d\xaa\xa4\x80\x29\x19\x21\x52\x68\x66\x29\x82\
\xfe\x5d\xd5\xf0\xcc\x33\xcf\x0c\x6f\xbd\xf5\x9d\x9d\xb7\x16\x36\
\x18\xbd\xf9\x9a\xe2\x34\xaa\x6a\xca\xda\x28\x65\xdd\x59\x4c\x01\
\xa8\x5d\xb4\xbf\x1b\xb9\x04\x15\xdd\xd8\x89\x80\xcd\x1b\xda\xb2\
\x50\xd0\xc7\x3d\x00\xc2\x55\x94\x42\x86\x52\x68\xa6\x52\x94\x32\
\x27\x89\x44\xe7\xcd\x75\x92\x30\xad\xb7\x44\x7c\xf0\x23\x1f\x7a\
\xf5\xf3\x3f\x2a\x57\xee\x87\xb6\x40\xff\xfb\xef\xbf\xf3\x81\x7b\
\x2c\xbf\xf6\x70\x8e\xeb\x5b\x1b\xe3\x37\xde\x3d\xe4\x50\x2d\xbc\
\xb5\x3c\x1c\x5a\x44\x46\xce\xf3\x9c\xaf\x7d\xe0\x03\x71\x31\x15\
\x1e\x3c\xa5\x25\xdc\x99\x59\x55\x63\x34\x49\x15\xc4\x61\xc9\x3c\
\x34\x66\x52\xa2\x1a\x62\x3f\x67\x1e\x17\xc2\xc9\x3c\x2b\x1a\x22\
\x12\x73\xcb\x1c\x55\xb9\xa9\xc2\x24\x42\x44\xb9\x29\xe0\x20\x3d\
\xd4\x1c\x06\xcd\xa9\x6a\x1c\x1a\x73\xb7\xf4\xd6\x86\x67\xc6\x3e\
\x75\x2e\x02\xf9\xca\xe5\x90\x40\x1f\x8a\x45\x61\x6a\xa7\xc0\x43\
\x8d\xec\xc5\x7f\xc9\xec\x19\x34\x8e\x6a\xdc\x98\x42\x7b\xb7\x17\
\x96\xce\x7f\x23\xd1\xf9\x75\x00\x38\x1a\x50\x08\x38\x99\xc5\x34\
\x0d\x60\x06\xb0\xba\x46\x34\x01\x9b\x30\x9b\x77\x4f\x6a\x54\xa4\
\xc2\x78\x4c\xef\x02\x87\x20\xc7\xda\x2f\xaf\xd6\xd9\xa5\xd9\x35\
\xdc\x83\xca\x5e\xe7\x49\x08\xa7\xd2\x93\x00\xca\x9e\x71\x8a\x80\
\x04\x13\xcd\x83\x46\x52\x4b\xe9\xba\x75\x06\x00\xec\x9e\x1a\xd9\
\x93\x06\x00\x7d\x8e\x1b\x67\x4c\x51\xcb\xf0\x9e\x73\x28\xc5\xa1\
\xa1\x92\x06\xd6\x38\x31\xae\x13\xb0\xf2\x64\x0e\x51\x0f\xb6\x10\
\x48\x08\x55\xaa\x98\x84\x69\x0f\x74\x00\x49\x51\x89\x40\x3c\xd1\
\xd5\xef\xfa\x09\xa0\x68\x52\x56\x36\xf0\x3a\xa0\xab\x16\x41\xa6\
\xa6\x64\x94\x62\xf6\xda\x6b\x1f\x3a\xfb\xf2\x97\xbf\x74\xdf\x5b\
\x94\xc1\xb4\x64\x66\xc2\x17\x15\x56\xa5\x48\x56\xb3\x14\xa1\xf5\
\x21\xe7\xca\x8c\x60\x08\x28\xa2\xeb\x4c\xa4\x44\x65\xaf\x44\x67\
\x26\x85\x2b\x35\x49\x4e\xbc\xae\x60\x2c\x8e\x83\x27\x46\xa7\x14\
\x55\x12\xb4\xeb\x96\xd8\xba\x00\xa2\x52\x22\xa5\x34\x1c\xb7\xa3\
\xbd\xf2\x2b\x7f\xfe\x5f\xfb\x24\x7e\xe3\x37\xfe\xde\x0f\x8b\x05\
\xe0\x47\x00\xd0\xe6\x99\xe9\x2f\xfc\xf4\x59\x79\x76\x6e\x7c\xf4\
\xd6\xce\x39\xb7\x9e\x25\x7b\xeb\xde\x75\xd4\xa1\xc6\xe1\xea\x98\
\x54\xcb\x5b\x17\xdb\x28\x06\xcb\x55\xaf\x19\x40\x16\x91\x50\x85\
\x7b\x30\xf7\x2d\x19\x01\x37\x41\x1e\x9d\xb9\xf7\xcc\x43\x4b\xd6\
\x2a\x31\x14\x89\xc3\xc2\x84\x90\x67\x83\xb0\x13\x16\x91\x0a\x72\
\x34\x0d\xac\xe9\xe6\xb1\x48\x9a\x48\xee\xe6\x96\x4b\x00\x55\xc1\
\xc1\x94\xfb\x25\xe2\x7c\x30\x06\xba\xfb\x36\x55\xc5\xbe\x75\x6a\
\x48\x80\x54\x68\x22\x23\x15\x84\x01\x09\x53\x6c\x46\xe1\x76\x50\
\x04\x7a\xdf\xdb\xf1\x18\xa8\xa2\x34\x63\x0e\x50\x94\x0a\x8e\xda\
\x25\x07\x0a\x98\x6b\x63\x1b\x47\x33\xae\xa3\xde\x08\x80\x26\xa4\
\x23\x68\x00\x05\x46\xf6\xba\x28\x5b\xf6\x40\x07\xc9\xac\x66\x44\
\x38\x4d\x57\x02\xa5\x94\xc7\x2b\x7e\x5c\xd3\xd7\x22\x10\xd2\xd9\
\x56\xf1\x87\x20\x58\x4b\x4f\x10\x14\x53\x0c\x2b\x13\xc2\x01\x88\
\x75\x77\xaf\x91\x5c\x3c\x20\x50\xd0\xc8\x55\x6b\xfb\x34\x29\x05\
\x08\xc0\xe1\xeb\xeb\x6b\xc3\x84\xf5\x20\x3b\x09\x0e\xa7\x41\x2a\
\x3d\x94\x12\x15\x8a\x12\xcc\x48\x09\x53\xd4\x0a\x41\xa9\x58\xe6\
\x10\x49\x15\x68\x20\xa3\xf4\x7e\x73\xeb\xb4\x57\x11\x88\x6a\xd1\
\xde\x5e\x1a\x42\x8a\xa6\x37\x29\x66\x02\x8a\xce\xcb\xec\x77\xef\
\xde\xae\x2f\x3c\xff\xfc\xf8\xe6\xb7\xdf\xdc\xfb\x30\x66\x2d\xa2\
\x91\xa9\x09\x37\x29\xc6\x4c\x49\x65\x29\x14\x5a\xc0\xd3\xa4\x20\
\x41\x56\x01\x45\x12\x48\x93\xd0\x84\x10\x50\x51\x9e\x9a\x02\xe7\
\xf9\xd8\x29\x5e\x04\x6b\x6d\x98\xe7\x45\xae\xbb\x0c\x33\x8a\x02\
\xc7\x96\xb2\x6f\x4a\xd5\xb4\x63\x53\x1d\x0c\xb1\x24\x79\xfb\x6c\
\xf8\xf5\xcf\x7f\xfe\xf3\xbf\xf3\xa3\x4c\xc5\xfb\xa1\x00\xf4\x9f\
\xfd\x77\xff\xf0\x23\xff\xe7\x1f\x1d\xfe\x85\x3f\xf9\x81\xed\xf5\
\xdd\x6d\xc9\x3b\x1b\xe5\xcf\xbf\x76\x91\xff\xcb\x1f\xbc\x1d\x9b\
\x69\x1b\xee\x4b\xb6\xe6\xf1\x81\x17\x5f\x88\x9f\x79\xe5\x02\xdb\
\xa2\x7c\x78\x88\x20\x90\x63\x91\xb0\xd2\xdd\xa1\x83\x67\xce\x8e\
\x2c\x82\xa4\xd0\x77\x4b\xe4\x1c\xa4\x2a\xe3\xd6\x58\xf2\xe0\x19\
\x33\x93\xcf\x94\x92\x83\x29\x96\x08\x5f\x41\xd3\xdb\x0d\x04\x1c\
\x8c\x39\x88\xc4\x12\x89\xab\x99\xc9\x24\xb6\x9b\xc2\x4c\xe6\x60\
\x1a\x01\x70\x6e\x01\xa1\x66\x51\xe1\x60\xe4\x12\xe4\x00\x4b\xd3\
\x2e\xd4\xa6\xa2\x54\x03\x0b\x7a\xbd\xc5\x44\x11\x11\x88\x44\x56\
\xd3\x84\x01\x55\x3b\xd3\xa6\x9a\xb1\x45\xac\x81\x7f\x07\xcb\xa0\
\xca\x10\x67\x91\xde\x27\xb4\xac\xc3\xb6\xac\x68\xba\x83\xb5\x30\
\xc3\x81\xae\x6b\xe6\x39\x2a\x18\x30\x1e\x5a\xc3\xa9\xad\xc2\x00\
\x74\x46\x72\x97\xdf\x32\x74\x1a\x8d\x12\x6c\xec\xea\x08\xa5\x93\
\x64\x39\x5a\x8f\x6d\x98\xd4\x93\xd0\xa2\x02\x30\x90\x0e\xc0\x73\
\x5d\x50\x37\xce\x6a\x8f\x6a\xfa\x6d\x33\xb0\x60\x00\xe0\x50\x1a\
\x1f\xb7\xd1\x02\x10\x71\xe1\xfa\x79\x22\x90\x52\x00\x85\x89\x03\
\xd0\x70\xa4\xa4\xb8\x03\x93\x15\xb0\x50\xe7\x00\x0a\xb8\x56\x61\
\x12\x19\x22\xa9\x10\x95\x22\x88\x54\xaa\x40\x50\xc4\xb3\x69\x26\
\x04\x26\xca\x3e\x06\x42\x01\xc4\x2b\xaf\xbe\xba\x79\x70\xb5\xdb\
\x1f\x76\xfb\x59\xcb\x58\xb5\xa8\xd2\x23\x53\x94\x19\xa9\xa1\x4e\
\x51\xa3\x0a\x15\x96\x50\x58\x66\x92\x0a\x24\xc6\x7e\xb9\xa2\x20\
\x49\x54\x46\x8a\x5a\x81\xaa\x31\x83\x58\xa4\xc1\x8e\x47\x19\x86\
\xda\xa6\x71\xc4\xdc\x00\x1b\x7a\xe1\x6d\x37\xa7\x6d\xaa\xa1\x45\
\x07\x94\x0a\xf6\x97\x93\x7d\xf4\xf5\x9f\xfb\xa5\x5f\x01\xf0\x43\
\x0f\xf3\xfa\xa1\x00\x44\x19\xfe\xf5\x77\xae\x8f\x17\xd7\xcb\xe6\
\xd1\x9b\x8f\x0e\x14\x95\x98\x8a\xc4\x07\xef\x9e\xc7\x0b\xb7\xb6\
\xf9\xdf\xff\xc3\xaf\xc6\xf9\xd9\xb9\xff\xc2\xc7\x5e\xe0\x73\xe7\
\x66\xbb\x63\x17\x13\x2d\x22\x59\x55\x5c\xc0\x74\x67\x1e\x3d\x3d\
\xc9\xd4\xa2\xb9\x3b\xd2\x5b\x90\xcd\x11\xb7\x37\x96\xce\xcc\x43\
\xcb\x2c\xa2\xdc\x0c\x12\x24\xe9\xd4\x20\x82\xa5\x97\xf4\x68\xaa\
\x39\x98\xa6\x15\xe5\xee\xd0\x19\xda\x83\x01\x1b\xed\xe3\x3d\xaa\
\x81\x15\xc0\x59\x2d\xa9\x40\x57\x70\x9a\x89\x84\xb0\x14\x49\x5b\
\xc1\x52\xac\x13\x34\x13\xa0\x89\x25\x84\x64\x6a\x36\x0f\x31\x45\
\x4e\x0a\xd4\x41\x09\x82\x0e\xe6\x5a\xdf\x21\x10\x88\x00\x87\x02\
\xc2\x95\x02\x52\x15\x1c\x44\x81\xd2\xff\x93\xbd\xb1\xd9\x72\xa8\
\x40\x13\xa7\x85\x52\x04\x59\x99\x5c\xb8\xa6\xbc\xe0\x80\x58\x9c\
\x04\xee\x02\x80\x6a\x6f\x5b\x4f\x11\x29\x20\x87\x02\x9a\x95\xbe\
\x83\x03\x34\xb2\xa5\x47\x51\x11\xa3\xb1\xc1\xd1\x3a\x9b\x9a\xd6\
\xe7\x13\x51\x8d\x74\x47\xef\xc8\x05\x20\xde\x2d\x95\x02\x28\x05\
\x28\x2b\xec\xb0\xaa\xdb\x45\xf4\x44\x71\x97\x32\xe8\xd6\x2a\x49\
\x8a\x8a\x9a\x88\xa4\x28\x0d\x40\x86\xc8\x12\x44\xed\xe3\x30\xb1\
\x48\xf6\xd6\xb6\x50\x91\x22\x22\xe1\x22\x6b\x7f\x89\xa4\x88\x14\
\x51\xf5\x12\x05\x21\x60\xaa\x67\x88\xc1\x24\x18\x5a\xcb\xa8\xaf\
\x7e\xe0\x03\xd3\x57\xff\xe0\xcb\x57\x6d\x71\x4c\xa8\x06\x2d\x26\
\x4e\xa0\xc2\x32\xc8\x62\x92\x50\xab\xa0\xb2\xb3\x14\x02\x34\xa3\
\x24\x90\xbd\x3b\x66\xdf\xe8\xec\x00\x00\x20\x00\x49\x44\x41\x54\
\xd6\x54\x7a\x4f\x23\xa5\xd7\xd0\xba\x5c\x0f\x00\x12\xad\xb9\x7a\
\x73\xf7\x3a\x88\x07\xa0\x42\xec\x66\xe7\xc5\xd4\x9b\x1a\x5b\xa8\
\x46\x40\x5a\xa0\xdd\xda\x96\x7f\xf9\xb7\xbe\xf8\xc5\xbf\xf7\x6b\
\x3f\x64\x71\xf5\x8f\x0d\xa0\xff\xe8\xbf\xfe\x07\x1f\x19\xc7\xe9\
\x9f\xfd\x13\xcf\x6d\xae\x55\xc1\x2f\xbd\x79\x1d\xb5\x5a\x44\x30\
\x7e\xf6\xe5\xf3\x78\xe3\xde\x55\x96\x5a\xe2\x97\x7f\xea\xa5\xfc\
\xe0\xe5\xa0\xfb\x25\x72\xee\x0d\x91\x31\x15\x89\x62\x1a\x1e\x99\
\xd7\x4b\xc6\xe2\x8c\xb1\x68\x78\x64\xec\x5b\x32\x89\x38\x1b\x7b\
\x8f\xcb\xa3\x63\x64\x90\xdc\x0e\x92\xc5\x10\x4b\x63\x78\x24\xaa\
\x69\xaa\x22\x85\x9a\x55\x24\x27\x23\x4d\x98\xfb\xa5\xcf\xfa\x1c\
\x4b\xc9\x2e\xa0\x06\xd4\xa2\x39\x28\x72\x5b\x7b\x1a\x78\xdf\xc0\
\xa3\x33\x3d\xba\x72\x8f\xa8\x52\x25\x38\xf5\x94\x5a\x46\x60\x2d\
\x72\x03\x10\x46\x31\xb2\x2a\xb8\xb1\xee\xe7\xb8\x74\x2b\x85\xb5\
\xd5\xe0\xe8\x1a\x9b\x02\xa8\xb0\xf7\xab\x58\x6f\x03\x2b\xda\x1b\
\x0a\xc6\x6a\xf0\x70\x4a\x92\xc5\xc0\x01\x96\xb1\x82\xd5\x8a\xb1\
\xc2\x13\x24\x4b\xe9\xb2\x67\x5d\x36\xae\x60\x40\xd7\xc0\x98\xcc\
\xa8\x04\xcb\xe3\xb3\xb3\x76\xa4\xd5\xae\x85\x3d\xd6\x9e\xfb\x71\
\x27\x08\x83\xb0\x71\x90\x8a\xa8\xbd\xab\x55\xc4\xa5\x0c\x15\xc6\
\x6e\x99\xb4\x82\xc3\x7a\xb2\x4f\xee\xda\x58\x29\xcd\xfb\x71\xca\
\xfb\x4a\x47\x22\x22\xde\x1a\x0a\x19\x28\x15\x2a\x10\x34\x47\x14\
\x8a\x3b\xd0\x12\x9c\x0a\x34\x5d\xd1\x24\x54\x8a\xc2\x1c\x10\x6a\
\x6f\x28\x62\x88\x69\x4f\x53\x54\x13\x4d\xa9\x92\x11\x3d\xf8\x30\
\x11\xa4\x68\x66\xca\x9d\xbb\xcf\xd6\x7b\xef\xde\xb3\xfb\x0f\xee\
\x2f\x4b\x7a\xa9\x45\x92\x5a\x12\xd4\x84\xa1\xb0\x93\x4f\xc0\x84\
\xb1\x04\x05\x06\xb0\x57\xc3\x2c\x0d\x5d\xfe\x91\x40\xef\x1e\x86\
\x37\xc7\xba\x8b\xb8\x25\x22\x43\x8e\xf3\x91\xe3\x58\xd1\x34\x57\
\x26\x3a\xec\xd0\x20\x83\x01\x35\xc9\x00\x74\xf6\x38\x6c\x47\xfb\
\xf0\x4f\xbd\xf2\x53\xbf\x0c\xe0\x7f\xf8\xff\x04\x40\x9b\xb3\xed\
\xaf\xbf\x72\xf7\xf2\xec\xe5\xcb\xcd\xd5\x3f\xfa\xa3\x5d\x5e\x1f\
\x97\xdc\x70\xc8\xc3\xb2\xe4\x17\xbf\x7c\x9d\x6f\x3f\x78\x14\x9f\
\xf8\xd0\x73\xfe\x89\x57\x2f\x70\x7f\xef\x3c\xb4\x8c\xc5\xf3\x04\
\x9e\x04\x90\x07\x47\xec\x3d\x7d\x28\xea\x2a\xcc\xab\x39\x73\x89\
\xc8\x22\x9a\x9b\xa2\xb1\x04\xa3\x31\x73\x50\xe5\x59\x91\x28\x22\
\x79\x15\x41\x42\x63\x32\x25\x93\x09\x61\x8c\x55\xa8\xa7\xd6\x07\
\x27\x4d\x84\x53\x59\x81\x91\xc8\xa9\x68\x6e\xaa\xb2\xf6\xda\x0a\
\xab\x20\xc7\xe2\x8c\x04\xc6\x5e\x2a\xcf\x52\x34\x8b\x79\x46\x00\
\x5a\xc0\xa1\x1a\xa0\x44\x51\xf4\x22\xad\xf5\x38\x2b\x3c\x90\x00\
\xea\xea\xb6\x79\x57\x3b\x48\x83\xd1\x33\x50\x6a\x5f\xe1\xaa\xd6\
\xeb\x14\x3d\xac\x60\x16\xe5\xd1\xc9\x5a\xc0\x51\xc9\xa5\x76\xf7\
\x68\xea\x9c\x93\xde\x82\xbe\x26\x12\x20\x8e\x02\xf6\xde\x1d\x80\
\xb6\xba\x6a\x00\xd0\x5a\x17\x92\xaf\xfd\x73\x90\x24\xdb\xd2\x13\
\x12\xb9\x32\x15\x06\x18\x7b\xfa\x81\x2c\x9d\x9d\x86\x99\xc1\x14\
\xc8\x08\x00\x02\x9c\x66\x21\x55\x00\xed\x74\x70\x3d\xf5\x5f\xac\
\x9f\xb5\xbe\x1e\x4e\x29\xda\xc1\x95\x92\x2c\x02\x71\x51\xa8\x88\
\x0c\xb5\x5b\x33\x07\x62\xac\x10\x7a\x07\x95\x16\x11\x0a\x45\x02\
\x52\x2c\xc1\x14\xa5\x39\x8a\x8a\x9a\x15\x1c\x19\x0a\x17\x4b\x06\
\x7a\xc3\x4f\x97\xd4\x7e\xe5\x83\x1f\x98\x0e\xbb\xeb\x63\x20\x3d\
\x3c\x59\x87\x64\x4a\xd2\x08\x32\xb4\x10\x74\x2d\xa4\x8a\x31\xa0\
\x34\x01\x32\x48\x29\xec\xea\x47\xd9\x55\x25\x33\x08\x2b\x3c\xe9\
\x46\x60\x59\x1a\x4c\x20\xb5\x14\x39\xcc\x8b\x8c\x36\xa1\x18\x19\
\x09\xd9\x1d\x3d\xce\x86\x01\x2d\x49\xcf\x64\xd0\x10\x89\xe5\xf2\
\x6c\xf8\x17\xff\x8b\xcf\x7f\xfe\xb7\xff\x83\x1f\x22\x16\xfa\x63\
\x01\xe8\xaf\xfe\xe6\x6f\xbf\x72\xe7\xf2\xf2\x97\x7f\xe6\x95\xf3\
\xfd\x1b\x0f\xe7\xfc\xce\xc3\x43\x68\x6f\x3d\x08\x66\xfa\xbd\x07\
\x0f\x82\x44\xbe\x70\x7b\x93\xfb\x25\x6c\xc9\x8c\xd9\xd3\xab\x4a\
\x0c\xa6\x2c\x06\xdf\xcd\x99\xbb\xc5\x1d\x84\x0f\xca\xdc\xb7\xcc\
\x6b\x8f\x2c\x50\x37\x65\x36\x67\xcc\x99\xd4\x94\x9c\x46\x89\xc1\
\x34\xe7\x96\x68\xce\x38\x1b\x18\xc5\x98\x8b\x33\x6a\x01\x6b\xd1\
\x14\x51\x1e\xbb\x20\x1a\x8b\x75\xe9\x25\x26\x59\x0a\xb2\x0a\xd7\
\x29\x55\x5d\x57\x61\x28\xcc\x41\x34\x8f\x3d\x27\x04\x11\x66\x57\
\xeb\xe9\xbd\x3c\x66\xc0\x58\xba\x9b\x12\x1a\x2c\x44\x8e\x62\x89\
\x24\x91\xfd\x79\xac\xee\x50\x08\xb0\x41\xb7\x34\x1a\x44\xeb\x94\
\x4c\x8a\x90\xa5\x37\x03\x52\x00\x14\x6d\x69\x02\x22\x0b\x65\x00\
\xb6\x47\x5f\x03\x7e\xf2\x7c\x40\x2e\xb5\xbb\x59\x21\xc8\x5a\x0d\
\xa3\x19\x3b\x60\x1a\x25\x21\x0b\x41\x63\xa1\x09\x30\x56\xac\xaf\
\x01\x8d\xab\xd6\x30\x2b\x37\x00\x1b\x1a\x7a\xbb\x01\x69\xac\x3c\
\x01\x41\xad\x89\x65\xa5\x0d\x1d\x14\xe3\x29\xbb\x86\x35\xc3\x27\
\x90\x6a\x80\xb5\x27\xe7\x79\x5a\x61\x14\xc3\x7b\x81\x05\x00\x1c\
\x80\x01\x94\x06\x00\x01\x69\x0d\x58\x44\x64\x14\x43\x19\x20\xb3\
\xbb\x28\x14\x2c\x22\x68\x09\x9a\x8b\xb8\x8a\x59\x95\x25\x5c\x4a\
\x51\x55\xb1\xc8\x10\x41\xa6\xaa\x4a\xa6\x84\x6c\xc7\xad\x3d\xff\
\xf2\xcb\xe3\xb7\xde\xf8\xfa\xde\x74\x64\x38\x59\x06\xeb\x8d\xc3\
\x4c\xaa\xc0\x28\xc6\xee\x5d\x24\x10\x0a\x18\x32\x33\x68\x30\x48\
\xb1\x9e\xac\xcf\x95\x97\x25\x10\x81\x74\x22\x7d\x50\x0e\xc7\x83\
\x58\xad\x98\x86\x01\xe7\x45\x45\x90\xb2\x5f\xc8\xc3\x92\xa8\xa6\
\x68\x0e\xb8\x25\xe6\x86\xe3\x66\xb0\xd7\x3f\xf5\xf1\x4f\x7e\x12\
\xc0\xff\xfc\xff\x2a\x80\xb6\xdb\xcd\xcf\xff\xc4\x4b\xcf\xdc\x52\
\xc1\xa3\x37\xee\xcf\x39\x8e\x35\x33\x99\x97\xdb\x1a\x6f\x3c\x7a\
\x10\xcb\xbc\xe4\xed\x5b\x97\xfe\xc2\xe5\x06\xc7\x60\xcc\x0b\x43\
\x45\xa2\x1a\x78\x3e\x88\x7b\x22\xf6\x4b\x7a\x04\xa2\x9a\x44\x24\
\xf2\x7a\xee\x09\x85\x9e\xde\x57\x6f\x64\xb4\x20\xc6\xaa\x79\x56\
\x35\x54\x98\xbb\x25\x58\xab\xf8\x54\x25\x57\x75\xeb\x98\x4c\x69\
\xc2\x2c\xec\xad\xda\xec\xad\xf1\x2c\x66\xa9\x9d\x59\xcc\xaa\x86\
\x62\x80\x2a\x43\x00\x56\x45\x8e\x05\xac\xa9\xb4\x02\x16\xd5\xae\
\xb0\x96\xcc\x5a\xc0\x02\x48\x59\xad\x95\x25\x49\x58\xaa\x11\xee\
\x60\x76\x55\xf8\xde\x82\x63\x64\xcc\x01\x33\xeb\xe2\x85\x6a\xac\
\xbd\x7f\x3b\x8a\x12\xce\x1e\x7b\x35\x80\xc3\x58\x80\x3e\x2e\x98\
\xa3\x82\xad\xae\x40\x04\xa0\x89\xcc\xb5\xde\xbf\xa9\x4c\x19\x44\
\xbc\x11\x46\x12\x6a\x48\x82\x55\x21\x46\x66\x96\x9e\x4a\x6f\x0d\
\x80\xf6\x62\x28\x00\x58\x97\x13\x60\xbd\x59\xca\xb3\xb5\xbe\x2a\
\x22\x23\x0a\xca\x90\x5c\x0d\x17\x86\x35\xb6\x69\x2b\x50\x92\x64\
\x03\x00\x15\xb9\x99\xe4\x76\x29\x72\xd3\xa3\x93\xf5\x7d\xb5\xeb\
\x0f\xf4\xfb\x01\xe8\xe4\x9a\x73\x32\x54\x64\x02\x20\x6a\x3a\xab\
\x8b\x92\xd4\xc1\x04\x30\x2c\x1a\x4a\x4f\x11\x28\x4a\x31\x4d\x09\
\x99\xa1\xe2\x49\xd5\x3e\x93\x56\x28\x88\x17\x9f\x7b\xa1\xdc\x7b\
\xf7\x2d\x1c\xe7\xb9\xa5\x8e\x4c\x5f\x58\x86\x6a\x2a\x8a\x5e\x37\
\x75\x76\x7d\x64\x82\xa5\x0b\x34\x14\x42\x5a\x7a\x8f\x79\x20\x58\
\x32\x58\xbb\xa4\xaa\x84\x91\xaa\x03\x04\x62\xee\x21\xcb\x7c\x94\
\xc3\x34\x49\xb1\x01\xa6\x82\xbd\x13\xd7\x2d\x65\xaa\x40\x33\x41\
\x4b\x85\x49\x02\xd0\xb8\x73\x36\xfc\xb9\x4f\x7f\xfa\xd3\x7f\xff\
\x73\x9f\xfb\xdc\xcd\x5a\xc0\x8f\x0e\xa0\x4f\x7f\xe6\x33\xc3\xed\
\x8b\x8b\x7f\xee\x43\xcf\x6e\x8f\x7f\xf0\xe6\x3e\xc3\x23\x04\xc8\
\x65\x99\xfd\x61\x78\xec\xe7\x39\x9e\xbd\x7d\x19\xbf\xf4\xd3\xaf\
\xe4\xf9\xa0\xb8\x3a\x7a\x7a\x22\x06\xd3\x14\x43\x08\xe0\xf7\x0f\
\xee\x73\xcb\x34\x61\x08\x24\xae\x5a\xc6\xc1\xc3\xb7\x55\x73\x63\
\x12\xbb\xee\xee\x11\x60\x4e\x45\x62\xaa\x92\xfb\x06\x26\x24\x2e\
\xab\x46\x35\xcd\x25\x90\xc5\x90\x63\x51\x76\x0d\x01\x32\xba\x17\
\x93\x45\xc8\x41\x94\x04\x39\x14\xb2\x54\xa2\x24\x92\x62\xd9\x69\
\x32\xe4\x50\x99\xd6\x02\xd6\xdb\x21\x12\x6a\x7d\xdf\xf5\x57\x28\
\xbd\x54\xc0\xaa\x86\xae\xfe\x44\x8a\x76\xd7\xcd\x08\xb2\x80\x70\
\xd0\x44\x09\x25\xcd\x90\xf4\x4e\xf4\xec\xd3\x72\xc0\xd2\x7a\x8e\
\xbb\xac\x74\x9c\x8d\x02\x0b\x40\x09\xb2\x0e\x20\x5a\x7f\xac\x4a\
\x56\x82\x18\xfb\x09\x28\xc9\x54\xeb\x8b\x7a\x00\x4e\x29\x71\x94\
\x42\xce\xcb\x7a\x5f\xd6\x0c\x1c\x9e\xf4\xf4\x94\xb5\xcf\xc8\x45\
\xa4\x9c\xf4\xac\x0c\x98\x06\xf6\xcc\x9d\x40\x4a\x1d\x1e\xef\xef\
\x6d\x75\xe9\xb0\xf4\x5d\x17\x60\x51\xe2\x26\x80\x74\x1d\x5f\x72\
\xfa\x0e\x22\xbd\x55\xbe\xdb\xaf\xf5\xc9\x11\x80\xab\xb4\x11\xa8\
\x4d\x64\xc1\x82\xa1\x88\x18\x54\xda\x7a\x0c\x00\x60\x50\x02\x90\
\x41\x44\xc2\x9b\x08\x43\x05\x2a\xb5\x5f\x7f\xd0\x96\xd4\x14\x48\
\xa9\x5a\x3e\xf8\xca\x87\xa6\xaf\x7d\xed\xab\x3b\x35\xe9\xf4\x26\
\x46\x22\x25\xd1\x32\x99\x46\x56\xf4\x46\x8e\x60\xd6\x9e\xcf\x5b\
\x1b\xbc\x48\xab\x05\xe8\x65\x76\x42\x4f\x41\x50\x48\x29\xd1\x44\
\x0a\xdd\x03\xed\x38\x73\x36\xc3\x50\x4c\x14\xe4\xf5\x9c\x3c\x1b\
\x04\x83\x01\x53\x00\x69\xe0\xdc\x72\x7f\xb9\x29\x1f\xfb\x6b\x7f\
\xe3\xbf\xfa\xe4\xe7\x3e\xf7\xb9\x3f\x96\x50\xfd\x0f\x64\x22\xfc\
\xea\xbf\xf9\x9f\x7e\xf2\x27\x5f\x7f\xf9\x2f\xdc\x3a\xdb\x1c\x7e\
\xff\x3b\x3b\x6f\x11\xb9\xdf\x1f\x82\xc1\xb8\x3a\x1e\xbc\xd8\x10\
\x1f\x7f\xed\xf9\xf8\xe9\x97\xb6\x38\x46\xf2\xb8\x30\xcc\xe0\xd5\
\xe0\x22\xf0\xdd\x31\xe2\xfe\x31\x03\x29\x31\x54\x09\x4f\xfa\x6e\
\x89\x28\x2a\xed\x83\xb7\x86\x38\x46\xfa\xf5\x92\xb1\x04\xe3\x7c\
\x2c\x7e\xe7\x4c\xd3\xa0\x79\x3d\xbb\x8b\xd2\x9f\x19\x4a\xa8\xd2\
\x33\x11\x26\xe0\x76\x28\x51\xab\x84\x29\xe2\xd0\x98\xd7\x8d\x6e\
\x22\x39\x0d\x12\x26\x88\xb1\x58\x6c\x6a\x17\xee\x88\x40\xb6\x40\
\x88\x20\x02\x9d\x32\x34\xaa\xc5\xd9\x24\xc1\xce\xc3\x4b\x08\xd2\
\x14\x51\xac\x44\x24\x92\x92\x59\xcd\x42\xa1\x0e\x66\x88\x94\x28\
\x55\xd3\x44\xb3\x31\x73\x21\x13\x44\x4e\xb5\x84\x30\xd3\x14\x54\
\x59\x6b\x4c\x8a\x54\x96\x04\x35\x4a\x4a\x52\x34\x4d\x22\x21\x35\
\x85\x4a\x53\x4d\xd1\x60\x15\x66\xd1\x4a\xc2\xa3\x4a\x4d\x11\xa7\
\x4a\x49\x13\x4d\x81\x87\x8d\x35\x37\x45\xd3\x9a\x66\x53\x67\x95\
\x9a\x45\x8d\x26\x9a\x45\x95\x45\x95\xdb\x49\x59\xab\x91\x34\x76\
\x41\x0d\xa3\xaa\x71\x9a\x8c\x55\x8d\x66\x06\x5d\x2d\xa4\xa1\x5b\
\xd0\xa2\xfd\x8f\xeb\x6b\x56\x2c\x0d\x06\x88\xa5\xa8\x51\xde\xf7\
\x19\x45\xbd\x5b\x7b\xad\x4c\x75\x8a\x92\x45\xbb\x74\xaa\x09\x73\
\xe8\xba\xdd\xa9\xaa\x5c\xa0\xa1\xa6\x59\x69\x0c\x78\x32\xba\x2c\
\x4f\x35\x25\x53\x58\xad\xd2\x46\x5d\xc7\x7e\xad\x93\x8c\x84\x2c\
\x36\x30\x99\x51\xa7\xaa\xcb\x61\xef\xfb\xfd\xec\x3a\x14\xf6\x6c\
\xb7\x31\xfb\x64\x24\xda\xda\x9a\x04\x55\x58\x0a\x73\x95\x25\x36\
\xb5\xae\x4a\xec\xbe\x16\xd5\x28\xda\x5b\xde\x51\x6d\x58\x35\x1c\
\xd6\x3e\x8c\x5a\xa1\x66\xa2\xa2\x3d\xae\x35\x48\xd1\x3e\xc2\xb3\
\x68\xa7\x36\x8c\x45\x0a\x14\xb7\xef\x6c\x87\x2f\x7c\xe1\x0b\x5f\
\xf8\x81\xec\x84\x1f\x68\x81\xea\xb8\xf9\xd5\x8b\xed\xc4\x6f\xdc\
\xdb\xc7\x71\x3e\x26\xbb\x08\x6b\x1c\xe6\x2e\xce\x76\x7e\x79\x3b\
\xee\x6c\x4b\x24\xa9\xcd\x11\x10\x78\x31\x71\x12\xe1\x91\xb9\x5b\
\xd2\x41\x78\xad\x9d\x81\xe0\x41\x07\xc4\x9f\x3f\x2b\x61\x02\x2e\
\xce\x98\x03\x39\x98\xc4\xdd\xad\x64\x15\xc9\x63\x32\x97\x64\x5c\
\x8c\x5d\x4a\x4a\x7a\x27\x0d\xad\xae\xfd\x40\x24\xc5\x90\x48\x86\
\x09\x52\x49\xf6\x36\x08\x70\x6d\xc9\xec\xbd\x9a\x0a\xd2\x9d\xa4\
\xe5\xa0\x40\x11\x63\x19\x56\xf2\xe7\x5a\x5b\x29\x38\xb1\x9d\xc9\
\xc1\x00\x6f\x64\xea\x3a\x3e\x04\x05\x66\x3d\xf3\x55\x00\x68\x1a\
\x85\xce\x20\xb9\xb4\xc6\x5a\x0a\xac\x5f\x96\xb9\x00\x94\x65\xa5\
\x67\x96\x1e\x17\xf5\x2e\xeb\x82\xa5\x11\x56\x90\x03\xc9\x5e\xb5\
\x01\x45\x28\x93\x56\x56\x90\xc9\xc2\x2e\x91\x08\x8e\x59\xb2\x45\
\x17\xf1\x38\x1a\x38\xb0\x0b\x82\xbc\x7f\x8b\x04\x06\x00\xa5\x76\
\x35\xc5\xc7\x56\xe4\xc6\xae\x75\xb8\xd9\x81\xda\x37\x92\xd4\x45\
\xd6\x54\x43\x97\xc4\x7d\xfc\xd6\xd5\x8a\xb5\xc7\x6e\x5b\xe1\x0c\
\x40\x1b\x45\x50\x1f\xb3\x14\x46\x9b\x39\xa3\xbb\x77\x56\x3a\x5b\
\xbb\xdc\x78\xef\xb9\x14\xd9\x9b\xe4\x99\x37\x59\x40\x4c\x03\x24\
\x5c\x84\x30\x1d\xaa\x49\x83\xa2\x79\x2a\x90\x6a\x48\xd5\xc1\x34\
\x8f\xe0\xb3\xcf\xbd\x58\xde\x7d\xf8\xa5\x45\x51\x18\x0e\xd6\xd1\
\x4c\x50\xb8\xfa\x7a\x82\x42\x58\x10\x32\xf4\x40\xa7\x8b\x4e\xa6\
\x50\x21\xa6\x05\x49\x4a\x46\xb4\x9e\x2d\x55\xb4\x70\x9d\xea\x20\
\x10\x83\xbb\x4b\x5b\x66\x14\x33\x8c\xc5\xd8\x82\xf0\x50\x69\x99\
\x68\xa1\xe2\x09\x14\x4b\xce\x8e\xc3\xad\xcd\xf0\xd1\x4f\xfd\xfa\
\xbf\xfb\x31\x7c\xf6\xb3\x3f\x50\x3f\xe1\xfb\x02\xe8\xaf\xfc\xe6\
\xff\xf8\xfa\xf9\xf9\xe6\x4f\x41\xf5\xf0\x47\x6f\xdd\xcf\xfd\xe1\
\x90\x45\x34\xea\x30\x84\x37\x0f\xaa\xc6\x9d\xb3\xc1\x3f\x78\x67\
\xc0\xe2\x99\x09\x44\x31\x69\x2a\x08\x27\xf2\xe0\x70\x27\x5a\x51\
\xa6\x42\x62\xdf\x32\x77\x2d\xfc\x7c\x54\x3f\x9f\x94\xbb\x03\xe3\
\x10\x11\x0a\xe4\x73\xe7\x25\xb7\x83\xe6\xd2\x10\xcd\x7b\x7b\xef\
\x76\xd2\xa8\xc2\x58\x12\x14\x61\x0e\xaa\x14\x61\xa8\x02\x95\x16\
\xa6\x4c\x13\xa7\x1a\x13\xc9\x34\xeb\xdc\x2c\x90\x54\x03\x5a\x00\
\xd9\x43\x6b\x12\xc6\x71\xf0\xec\x6d\x01\x3d\x75\xac\x49\x4a\x29\
\xac\xe8\x35\x13\x92\x14\xeb\x31\x2b\x1a\x30\xf4\xb6\xe6\x55\x45\
\x84\x14\x03\x6b\x1a\x65\x95\x56\x4a\x82\x4e\x66\xe9\xb5\x26\x8a\
\x31\x3b\x29\xb5\xff\x7e\x13\xc0\x85\xe4\xd4\xf9\x42\xb4\x0a\x4e\
\x20\x8f\x47\xe6\x69\xc1\x2f\x00\x6a\x05\x63\xe9\xab\x3b\xd1\x63\
\x24\x1d\x81\x32\x3f\x59\xd4\x8f\x0b\xa7\xeb\x22\xce\x01\x8c\x05\
\xb2\x19\xf9\x38\x29\x70\xf3\xdc\x25\xc1\x72\x12\x18\x5d\xe3\x97\
\x53\x6a\x49\x4b\x3e\xf5\xca\x7a\x8a\x7d\x0a\x9e\x1c\x33\x17\x11\
\x5a\xe6\x74\x03\x58\xc0\x00\x9b\x01\x60\xc6\x68\x6b\x6c\xb5\xa6\
\xc7\x9f\xdd\x56\x5c\xb7\x45\xb4\x89\xb4\x52\x84\x4b\x77\x1d\x5b\
\xb8\x22\x98\x34\x51\xd1\x22\xc3\x66\x4c\xcc\xa6\xe1\x2e\xaa\x6a\
\x5e\x52\xb6\xdb\x8d\x5e\x6c\xb6\xdc\x1f\x8e\x39\x4c\x03\x90\x80\
\x74\xd7\x0d\x8e\x99\x85\x23\x52\xc1\x44\x88\xea\x08\x64\x2f\x3a\
\x9f\xa4\x86\x98\xee\x20\x48\x4f\x09\xa5\x96\xf0\xc8\x28\x52\x14\
\xf0\x0c\xf1\xe6\x92\x83\x0b\x4b\x57\xa2\x38\xb6\x8c\xb3\x51\x65\
\xf1\x14\xaf\x3d\x16\x52\xc0\xc7\x8a\xcd\x9d\xed\xe6\x57\x00\xfc\
\x78\x00\xaa\x36\xfc\xca\x66\xda\x5c\x1c\xe6\x78\xf4\xe6\xdb\xef\
\xe4\x50\xa7\x18\xce\x27\x37\xd3\xb0\x5a\xd2\xd4\xfc\xb9\xf3\xca\
\x16\x14\x4f\xb8\x0a\x9b\xaa\xae\x92\xbd\xd9\x8e\x41\x57\x91\x10\
\x48\x2c\xc1\xb8\x5e\x22\x54\x90\x2f\x9d\x97\x74\x32\xae\x97\x8c\
\x70\x8d\xe7\xce\x94\x3f\xfb\xc2\x26\xbe\xfe\x70\xce\x96\x8c\x5d\
\x63\x6c\x4c\x73\x50\x4d\x91\x4e\xbe\xf4\x64\x57\x0a\x35\x50\xa8\
\x29\xca\x2c\x15\x69\xa2\xac\x8a\x54\xb5\x93\x75\xca\x95\x13\x06\
\x5d\x17\xf9\x42\xe6\x99\x81\xc3\x9a\x19\xd0\x4e\x7d\xa1\x9a\x3d\
\x16\x0a\x50\x22\x1b\x91\x3d\x39\xde\x53\xcc\x58\x17\xe5\x0a\x22\
\x64\xeb\xb5\x99\x53\x0b\xc3\x3a\xd7\x27\xd7\xb5\xcf\x42\x10\x15\
\x28\x00\x59\x98\x5c\x3a\x60\x96\xd2\xad\x5c\xb2\x07\xe3\xa5\x32\
\xb9\xd2\x6b\x4a\x6f\x8e\xa3\xd5\x5e\x63\x3a\x05\xea\xdd\xb7\x07\
\x6f\xfa\xd8\x3d\xb4\x5a\xad\x0a\x81\x2c\x7d\xb8\x18\x00\xf0\x94\
\xb2\xbe\xb1\xe5\x0d\x0b\xc4\x99\x8f\x13\x0a\x8f\x5f\x3f\xc5\x4d\
\xe8\x71\xcb\x11\xc0\xd0\xd3\x5f\x54\x74\xc0\x9c\x6a\xb8\x47\x00\
\x32\x3f\x31\x68\x53\x01\x80\x8a\x19\x40\x51\xd1\x5c\x44\x2e\x07\
\xf2\xb9\xf3\x01\xef\x5c\x41\xae\x02\x00\x66\x40\x57\xe0\xa6\x0a\
\xad\xa9\x43\xd2\x20\xe2\x9e\x22\x8c\x94\xa2\xe2\xd1\x62\x92\x52\
\x7c\x00\xee\xbc\xf4\x7c\x39\x7c\xe3\x1b\x47\x94\x8a\x5e\x97\xee\
\xfd\xbe\xb0\x0a\x40\x41\xe9\x3f\x89\x30\x40\x35\x00\xd6\xeb\x58\
\xd3\x80\xe5\x08\x04\x1a\x22\xe8\x92\x21\x9e\xa2\x1a\x0e\xab\x55\
\x14\x2a\x4b\x5b\xa4\xb4\x41\xa6\x61\x10\x55\x95\xa3\x07\x84\x15\
\x2d\x29\x91\x9d\xc9\x61\x92\xc8\xc4\xe1\xf9\x8b\xe1\x4f\xfd\xed\
\xdf\xf9\x27\x77\xff\xe2\x9f\xfd\xa9\x77\xbf\x1f\x46\xbe\x27\x80\
\xfe\xe2\x67\xfe\xd6\x34\x4d\xdb\x5f\x18\x6b\x99\x1f\xee\xae\x73\
\x5e\x9a\xd7\x3a\xc6\x50\x6b\x2e\x4b\xcb\xd7\x5e\x7a\x21\x1e\x5e\
\xcf\xe9\x30\x7a\x20\x44\xe9\x45\x10\x42\xc4\x31\xd3\x0f\x1e\xce\
\xc8\x28\xa2\x01\xa1\x7b\x64\x80\xda\xdd\x34\x93\x38\xce\xf4\x6b\
\x0f\xb6\x8c\xb8\xbb\x1d\xb2\x01\x71\x74\xc6\xe2\x08\x26\xe3\x6c\
\x32\x4a\x32\x53\xb1\x0a\x0c\x2a\x33\xbb\xa5\x11\x43\x2a\x99\x93\
\x68\x8e\xb5\x17\x19\x83\xe4\xa8\x48\x25\x52\x49\xa0\xf4\x2b\x79\
\x5d\xfd\xf4\x1c\x80\x81\x80\xd3\xc0\x46\x6a\x29\xa9\x74\x02\x10\
\x2d\xdd\xfa\x14\x00\x4b\x41\x9e\x6a\x25\x25\x57\x4d\x92\x82\x94\
\x06\x09\x03\xb5\x75\xaa\xcb\xea\xca\x92\x05\x64\xeb\x75\x9a\x13\
\x1a\x59\xc1\x0a\x70\x06\x99\x85\x59\x80\x9e\x3d\x58\x09\xa5\x03\
\x80\x63\x37\x36\x27\x50\xa0\xf6\xa4\xda\xcd\x1c\x41\x5f\xf8\xfc\
\x6e\x37\xec\x69\x5b\x0e\xcc\x53\xda\x68\x02\x70\x93\x07\x47\x90\
\x39\x8c\x37\x8e\x73\xc4\x71\xdd\xef\x40\x10\xc7\xae\x4a\x69\x00\
\x62\x02\x70\xec\x3a\xcb\x45\x21\xc7\x1b\x0b\x25\x8d\x5c\x54\x64\
\xbb\x5e\x58\xf6\x07\xf4\x5f\x41\x25\x8b\x00\x8b\x43\xf6\x87\xa3\
\xb4\x02\xb4\x83\x48\x15\x4a\x2d\xa4\x15\xe0\x38\x03\xbe\x94\x74\
\x88\x38\x20\x75\x4c\x15\x4b\xc9\x83\xab\x68\x91\x14\x69\x05\x92\
\xb7\x9e\xb9\xd0\x87\xc3\x05\xf6\xcb\xc1\xa7\xcd\x39\x1b\x05\x63\
\x41\x9f\xd0\x00\x41\x24\x79\xf0\x86\x61\x50\xdd\x96\x02\x22\x10\
\x61\x28\x66\x68\x06\xa1\xaf\x32\xe4\x19\x92\x21\xba\xcc\x0b\xcc\
\x4c\xc6\x71\x02\x40\xb4\xa5\xc9\x3c\x04\x86\xc1\xc4\x13\xe2\x99\
\x42\xf6\x09\x95\xea\x89\xa5\x01\xdb\xa2\xcb\xf9\x60\xb7\x5e\x7a\
\xe6\x85\x3f\x8d\x1f\x40\xef\xf9\x9e\x00\xba\x78\xf1\xd5\x3f\x39\
\x4d\xc3\x07\x87\x3a\xcc\xef\x3e\x78\x90\xc5\x34\x4b\xd1\x98\xbd\
\xe5\xf9\x28\xb9\x1d\x24\xde\x7a\x98\xd9\x9a\xa3\x18\xfb\x58\x0d\
\x6a\x04\x18\xad\xd1\xe7\x48\x2f\xa2\xa1\x26\x31\x3b\x73\x09\xc4\
\x54\xc5\x6f\x6d\x4b\x82\xf0\xc3\xc2\x58\x9c\xb9\xb1\x12\x47\x8f\
\xfc\xe6\xfd\xde\x72\xb0\x64\x24\x04\x39\xd4\x3e\x62\x46\xa8\x94\
\x8c\x1c\x04\x69\xda\x29\xf3\xc2\xde\x98\x56\xad\xd7\x72\x9a\x77\
\x51\x12\xed\x4b\x90\x24\x50\x58\x98\x6c\xa1\xab\x66\xb6\xa1\x48\
\x9a\x67\x36\x20\x8c\x49\x23\x47\x63\xaf\x99\x74\xf7\xaa\x67\xd4\
\xd0\xc3\x08\x6b\x7d\xf1\x96\xba\xc6\x43\xa5\xa4\xb2\xe5\xaa\x8d\
\x73\x52\xae\xee\x80\x29\xdd\xba\x90\x6b\xc5\x9f\x64\x62\x60\x29\
\xe4\x29\xe3\x95\x95\x39\x13\xc4\x02\x94\x3a\xe4\x96\x47\x2e\xab\
\x1a\x7c\x07\xd6\x0a\x04\x3c\xb1\x0a\x03\x47\x2e\x32\xcb\xc0\xbe\
\xf8\x17\x99\xe5\x04\x90\xc7\xc0\x59\x5f\x3b\xc1\x8c\x04\x73\x95\
\x84\x9f\x4e\x4f\xad\x20\xdc\x93\xec\xba\xd5\x23\xcf\x09\xce\x02\
\xa9\xc4\x7b\xd3\x70\x89\x1e\x5c\xe1\x80\xeb\xcc\x2c\x73\xaf\x13\
\x1c\x00\x98\x88\x6c\x3d\xf3\x74\xbf\xd4\x7e\xa1\xc9\x23\xd7\xef\
\x27\xb2\xdf\x77\x70\xf5\x09\x2f\xb5\xb3\x1e\x04\xa2\x45\x64\x2e\
\x33\x36\x0a\x69\x8b\x08\xbd\xf2\x68\x83\xe6\xb8\xd0\xc2\x75\x49\
\x57\x88\xc5\x54\x47\xde\x7a\xf9\xb6\xed\xbe\x39\x2f\x94\x90\x1e\
\x96\x8a\xd5\x14\x10\x8d\x6f\xbd\xf9\x8e\x1d\x96\x23\xc6\xb1\xc8\
\x8b\xcf\x3d\x8f\x67\x6e\x5d\xf6\xb2\x18\x45\x8a\x8e\x12\x12\x08\
\x74\xd9\x13\xa8\x29\x32\x25\x9a\x0b\x2b\x45\x4c\x84\xa0\xba\x2f\
\x52\x87\xad\x28\x52\x0e\x2d\x71\x36\xaa\x1c\x96\x44\x9d\x14\x6f\
\xee\x1a\x6e\x6d\x8d\x5b\x95\xe5\xd9\xb3\xfa\x4f\x7f\xfa\xd3\x9f\
\xfe\x9f\xbe\x5f\x4a\xfb\x7b\x02\x68\xb3\x1d\x7f\xf1\x6c\xbb\x55\
\x8a\xfa\xf1\x70\x8c\xa5\x45\x3e\x73\x76\x96\xb3\x7b\x9c\x9f\x9f\
\xc7\xd7\xde\x78\x33\x6c\x73\x9e\x2f\xdf\x1e\xd2\xfa\x42\x8f\x10\
\xfa\xdc\xb2\xed\x5b\x36\xa5\x86\x29\x93\x94\xf0\xcc\x70\xd2\x9f\
\x9d\xcc\xab\x20\x97\xa0\xef\xe6\x08\x4f\xe6\xd9\x44\xef\xcd\x52\
\x7d\x92\xc9\xa1\x79\x8c\x6a\xd9\xb3\x3f\x96\x4a\xe4\x51\x18\x90\
\x6e\x4d\x92\xc8\x5a\x56\x32\xa7\xf5\x94\x66\x28\xd6\xce\x4d\xcb\
\x52\x00\xb3\xde\x8c\x95\x7d\x61\xb3\x80\x3d\x14\xef\x12\x9b\xb4\
\xee\x6e\xc1\x0a\x91\x0b\x58\x2a\x90\xac\xdd\x8a\xb4\x75\xd1\xd9\
\xd2\xd3\xc6\xab\xe3\x43\x22\x2b\x48\x74\x1d\xdd\x90\x27\xee\x5d\
\xff\x87\x6e\x79\x8c\x95\xab\xd8\xcc\xaa\x13\x3a\x3c\x36\x2d\x85\
\xe0\x5c\xe7\x5e\xef\xc1\x88\xda\xa7\x60\x75\xbd\x61\xf6\x05\x3f\
\xbf\xe7\xb8\x40\xe5\xf8\x18\x51\x03\xba\x93\x66\xc9\xbc\xc9\x59\
\xbb\x79\x7f\x45\x17\xd9\x9b\x8c\x9e\x9c\x4f\x74\xae\x5d\x87\x7d\
\x17\x53\x19\xe4\x49\xc1\x34\xf7\x4f\x80\x9b\x04\x67\x19\x65\x04\
\x90\xb5\x13\x5c\x2b\x00\x95\x43\xff\x9c\xc3\xfa\x0d\x4f\x0b\xa8\
\x02\x87\x03\x60\x2a\xd2\xd8\xeb\x42\x91\xa4\xa8\x48\xed\x9f\xc1\
\xa1\x42\x0c\x03\xda\x0c\xc9\xb2\x88\x0e\x41\x59\x24\x53\x8a\x1c\
\x83\x6a\x33\x0d\xe1\x4a\x2b\x78\xee\xe2\x8e\xbc\x6b\xef\x32\x96\
\xf4\x61\x53\x2c\x9d\xb0\x4a\x3e\xdc\xed\xf4\xe1\xee\x1d\x14\x99\
\xe4\x98\xe1\xdf\xf9\xf6\x5b\x70\x0f\xdc\x79\xf6\x0e\x14\x8a\xa1\
\x9a\x44\x14\xa0\xf5\x04\x2a\xfb\x80\x15\x89\x48\x59\xe6\x45\x6a\
\x35\x11\x50\x5b\x6b\xb2\x61\xaa\x59\x89\xc3\x1c\xa2\x17\x35\xde\
\xbd\x5e\xb0\x19\x26\x99\x1d\xf2\xce\xae\xc9\xe5\x54\xe6\x17\x2e\
\xea\x87\xff\xd5\xbf\xf6\x5f\xbe\xfa\xb9\xcf\x7d\xee\xeb\x3f\x14\
\x80\xfe\xf2\xdf\xf8\xad\xcb\xb3\xb3\xb3\x4f\x8c\xd3\xe6\x78\x38\
\x1e\x72\x69\x4b\x6e\xc6\x29\xb7\xdb\x91\xf3\xa3\xc8\x37\xbe\xf3\
\x30\xae\x97\x88\x5f\xfc\xd8\x5d\xbc\x70\x51\x62\x55\xe6\x8b\x16\
\xe9\x47\xef\x60\xa9\xd6\x19\xcd\x7b\xcf\x38\x34\xfa\x45\x55\x3f\
\x9f\xd4\x45\x35\xaf\x0f\xcd\xf7\x4b\xa4\x0a\x63\x2a\xea\xa9\xc6\
\x0a\x32\x1a\xdd\x44\x63\x28\x4c\x51\x23\x92\x0e\x45\x4e\x6a\xd9\
\xd0\x7d\xf3\x95\x2c\x99\x49\xe4\x68\x25\x07\x03\x3c\x5b\x22\x41\
\x19\x90\xca\x55\x02\xa7\x80\xf4\x9e\x2c\x30\x14\x66\x21\x8b\x17\
\x14\x36\xae\xc5\x94\xcc\x2c\x4c\x36\x24\x81\xda\x33\x0d\xb0\x02\
\x62\x01\x89\x4a\x07\xa4\x9c\xae\xed\x95\x5c\x96\x8a\x52\x5a\xbf\
\xda\x02\xac\x24\x97\x06\xd4\xb5\xd6\x52\x92\xd1\xfb\x0c\x92\x98\
\x7b\xcd\x86\x03\xc8\xe3\x6a\x19\x71\x62\x43\x3f\xd9\x66\x74\x8b\
\xc2\xd5\x75\x1a\x57\x6b\x91\xe3\xe3\xf0\xac\xa7\x9b\x8e\xe8\x26\
\x92\x60\x8e\x3d\x97\x7e\xda\x78\x33\x81\xc0\x0e\x96\xc7\xc9\x87\
\x75\x6e\x49\x08\x1e\x17\x4c\x4f\xc7\xcd\xcc\x54\x11\x39\x0a\x24\
\xa7\xf5\xb9\x93\x4b\x09\x10\x7b\xe0\xc4\xac\xdc\x00\x00\xa6\x5e\
\x77\x1a\x70\xd2\xa0\x96\x0a\x60\x8f\x3d\x2e\x56\xb4\xce\x2a\x62\
\x2a\x52\x00\x1c\x0e\xa4\xae\x8f\x33\xc8\x2a\x22\x51\x41\x5d\x06\
\xb1\xec\x40\x1a\x82\x28\x2c\xdc\x09\x30\x9f\xea\x79\xc3\xa0\xcf\
\xdd\xbd\xad\xdf\x7a\xfb\x3b\x0d\x39\x62\x28\x80\xa7\xf0\xfa\xd1\
\x8e\xcb\xdc\x60\x9b\x51\xac\xa8\x50\x19\xef\xde\x7f\x47\x55\x95\
\xcf\xbf\xf0\xa2\x40\xe8\x43\x0c\xf0\xce\xb2\x76\x66\xcf\xc7\x04\
\x45\x38\x50\xd7\x01\x2c\x1a\x19\x32\x1f\x9b\x6c\xb7\x2a\xde\xa7\
\x6a\x02\x54\x7c\xfb\xe1\x02\x24\xf1\xb5\x77\x1a\x5e\xbf\xb3\xc1\
\xf9\x60\x17\x17\xe7\xf5\x9f\x02\xf0\x3d\x01\xf4\xd4\x3a\xd0\x2f\
\xfc\xfa\x5f\xfe\xe4\xf3\x2f\xbc\xf8\xab\xb5\xd6\xc3\xbd\x77\xef\
\xe7\xe1\x78\x8c\x3b\xb7\x2f\xe2\xb9\x5b\x97\x11\x90\xb8\xf7\xf0\
\xa1\x7f\xf4\x03\xcf\xe5\xcf\xbe\x72\x91\xa7\x94\x75\x90\x3e\x07\
\x7d\x6e\x6c\x00\xbc\xaa\x46\xcb\xf0\xab\x39\xdb\x92\xf4\x97\x2f\
\x07\x1f\x8b\x66\x30\xe2\xde\x2e\xfd\xd1\x12\x51\x8b\xc6\xc5\xa0\
\x39\xaa\xa4\x28\x7c\xb7\xa4\x07\x19\xdb\xd1\x62\x6b\x92\xaa\x88\
\xba\xb2\x09\x42\x90\x75\x15\x8b\x39\x1b\x10\x46\xcb\x52\xc0\x40\
\xe6\x1c\xc9\x14\x66\x55\xc5\x50\x7a\x5d\x67\x50\xcd\x54\x4d\x0d\
\x65\xad\xe8\xac\xec\x40\xc2\x7a\x28\x9f\xca\xbc\x3a\x36\xbc\xbb\
\x07\x8e\x01\xa8\x26\x11\xc6\x63\x2c\xac\xec\xd5\x45\x4d\xe9\x51\
\xff\xc9\x0d\x34\xd0\xc2\xa8\x83\xb1\xa8\xa6\x46\xaf\xb9\x28\x7a\
\x8b\x03\x87\xd5\x1d\x23\x93\x06\x56\x43\x1a\xd7\xe9\x11\x46\x16\
\x03\x6a\x11\x69\xd6\x09\xa8\xb4\x7e\x4c\x94\xbe\x70\x59\x00\x96\
\x1e\xa0\x6b\xf6\xd8\xa9\xe0\x24\xb7\xd5\xff\x86\xda\xaf\xea\xf6\
\xf8\xb5\x6e\x6d\x6f\xfe\x9d\xe2\xaa\x9b\xdb\xc9\xca\x9d\x2c\xdb\
\x09\x28\x5c\xdf\x53\xd8\x6d\x6d\x59\x1f\xfb\x8a\xa2\xb2\xfe\x45\
\x21\x73\xfd\xb3\x42\x96\x0a\xd8\xdc\xf7\x9d\x58\x98\xa5\xb0\x0e\
\x15\xa8\x0d\x3a\xf7\x78\x92\xa5\x37\x2f\xb6\xd6\x63\x2a\x76\x20\
\x43\xad\x5f\x78\x0c\x05\x55\x8d\x52\x9d\x92\xca\x59\x8f\x4c\x92\
\xa5\x28\x61\x93\xec\x1f\x5e\xbb\xe6\x31\x55\xab\x50\x53\xee\x3f\
\xdc\x31\x96\x05\xc5\x2a\x06\x29\x22\x00\x4a\x15\x5e\x1f\x0f\x52\
\xcd\x30\x4d\x5b\x88\x41\x20\xb1\x72\x40\x44\x80\x14\x29\x22\xd5\
\xaa\x88\x42\xc6\x3a\xa2\x8e\x03\xdc\x5d\x86\x71\x44\x24\xa5\x98\
\xc8\xe5\xa8\x78\x7b\xbf\x88\x42\xf0\x95\x6f\xdf\x97\x0f\xbf\x78\
\x2e\x17\x93\x49\x24\x36\xf9\xb1\x0f\xfd\x83\xff\xed\x7b\x74\xac\
\x3e\xd5\x02\x9d\x9f\x5f\xfe\xd2\xc5\xd9\x79\xee\x1e\x5d\xe5\xa3\
\xab\x07\xe1\x2d\x72\x3b\x6d\x62\x8e\xf4\xc3\x71\xf6\xf0\x88\x8f\
\xbc\x74\x99\x83\x21\x22\xe9\x42\x78\x64\xc6\xdc\xd0\x9a\xb3\x6d\
\xaa\xb6\x3f\x7c\x30\xe7\x58\x24\x1e\x1d\x9a\x1f\x97\x88\x9f\x79\
\x71\xe3\x24\xb3\x35\xc6\xc1\xdd\xab\x6a\x6c\x07\xcd\x2e\xe9\x6b\
\xb9\xa4\xbb\x07\xbd\x82\x39\x0a\x59\x84\x49\x45\xaa\x59\x56\x03\
\xfd\xe0\x19\x05\x34\x63\x2e\x0d\xbc\x98\xfa\x15\xfd\xcc\x4a\x5e\
\x1b\x91\x44\x8a\x91\x9a\x60\xb2\xb2\xac\x3e\xc6\x89\x16\xf0\x70\
\xdf\xf0\x95\x77\x1a\x2e\x26\x66\xa9\x5d\x70\x71\xb7\x5b\xd8\xd6\
\xab\xfb\x71\x1e\x70\x56\x17\x44\x65\x5a\x5d\x70\xc6\x01\xad\x74\
\xff\x4c\x3a\xd9\x9a\x95\x24\xea\x89\x1a\xdd\x33\x6e\x27\xf7\x0d\
\xc0\xe9\xc1\x4a\x67\xc4\xe3\xc2\xfd\x93\x97\xbb\xff\x34\x3c\x5e\
\xbc\xef\xbd\xea\x03\x3d\x1b\x16\xdf\x03\x04\x40\xbf\xf2\x3f\x3e\
\x1e\xc1\xe9\x3d\x8f\xc9\xc3\x0d\xb7\xec\x74\x3c\x00\xd8\xe2\x49\
\xc2\xe2\x3d\xdf\x69\x7d\xee\x7a\x7d\x00\xf4\xc5\x3e\xe0\xe9\x9f\
\x7f\x73\xbb\xde\x3c\xb9\x3f\x01\xd0\x03\x30\xe4\x98\xc7\x51\x44\
\xb5\x5b\xa7\xfb\x87\x83\xa0\x64\x9a\x88\x2c\x73\xff\x2e\x0f\x54\
\x04\x0b\x50\x56\xeb\x64\x3a\x88\x4d\xc8\xba\x3f\x37\xe7\xa3\x14\
\x6c\xf4\xd6\xf6\xdc\x1e\x3d\x77\x57\xdf\xfc\xce\x1f\xb5\x73\x13\
\x59\x22\x49\xa5\x56\x29\x00\x1d\x4d\xa9\x55\x07\x1c\xf7\xe4\xb4\
\x2d\xb8\xff\xf0\x3e\x86\x5a\xe5\xec\xe2\x19\x19\xcb\x06\x11\x07\
\x48\x32\x84\xda\x94\x90\xa0\xcb\xbc\xa4\x94\x52\x71\x6b\x33\x00\
\x50\xcc\xcb\x2c\xd5\xaa\x5e\xcf\x29\x97\x63\x81\x07\xf0\xce\x71\
\x91\x07\x57\x57\xf1\xa5\x6f\x3e\xe0\x4b\x1f\x7f\x7e\x7e\xe5\xb2\
\xbe\xf6\x8b\x3f\xf7\xe7\x7f\xe2\x37\xf1\x1b\xff\xe4\x69\xbf\xc1\
\x77\x01\xe8\x2f\xfd\xf5\xdf\x7a\xee\xfc\xfc\xe2\x63\x43\xd1\xe3\
\xa3\xeb\x47\x91\x64\x0e\xe3\x90\x8d\x12\xef\x3c\xd8\xc5\xbb\xef\
\xbe\xe3\xd3\x66\x9b\x53\x95\x14\xae\xe0\x01\xa2\x05\x3c\x33\x9a\
\x99\xfa\xd7\xee\xed\xe3\x2b\x6f\xbc\x1d\x1f\x7f\xed\xa5\x78\xeb\
\xc1\x3e\x3e\xfc\xec\x59\x14\x32\x66\xc2\xaf\xe7\xae\x20\xab\x05\
\xb1\xad\xc6\x41\x18\x26\xbd\x70\x0a\x6a\xc8\x9a\x92\x56\x43\x36\
\x32\x95\xc8\x52\xc0\xd9\x2c\x91\xce\x5c\x27\x18\x2e\x44\x16\x30\
\x4b\x01\x06\xed\xa0\x32\xa2\x5f\x1d\x57\xce\x54\x01\x80\x06\x2e\
\x04\xff\x70\xb7\xe0\xe1\x01\xd8\x39\x59\xca\xc2\x53\xe1\x6f\x82\
\x20\x2b\x19\x39\x63\x9f\x03\xcf\x92\x4c\x0e\x20\x89\xc7\xee\xdb\
\xe3\x9c\x01\x56\x3a\xcd\x77\x83\xe6\xb4\x18\x4f\xd9\x39\x79\x12\
\x97\xbc\x27\xdb\xb6\x7a\x6a\x20\xfb\xa8\xfa\xad\x88\xec\x6f\x2c\
\xec\x81\x4f\x5c\x37\x00\xe0\x86\xc4\x4d\x25\xe7\xed\x7a\xfb\x14\
\x75\x67\x11\x91\xcd\x53\x00\xb5\xdd\xbe\x37\xb7\x47\xae\xc7\xdc\
\xae\xc7\xd9\x02\x1b\x92\xb8\x06\x0e\xef\x63\x68\x7f\xbf\xed\x0c\
\xef\x05\xff\x61\xd3\x1f\x4f\x7b\x00\x1b\xf2\x78\x10\xb9\x1c\x27\
\x5e\x63\x8f\xfd\x75\xb7\xba\x66\x22\xe7\x47\x91\x7d\x05\xe6\xa3\
\x88\xd9\x51\xc6\x72\xa6\x67\x23\x89\x6d\x60\xbf\xab\xea\x12\x2c\
\x23\x79\xe7\xf6\x2d\x79\xe7\x9d\xb7\x39\x0f\x88\xda\x32\xe9\x34\
\x1b\x20\x81\x0a\x99\xe1\x18\x01\xad\x40\x9b\x5b\x64\xa6\xdc\x7f\
\xb4\x93\x69\x9a\xa0\x43\x91\x91\x93\xce\xf3\xe2\x89\x00\x05\x9a\
\x01\x35\x52\xdb\xbc\x48\x5b\x9a\x0c\xe3\x20\xe1\x74\x93\x10\x52\
\xf5\xc1\x31\x25\x49\xd9\x1d\x96\x88\xb6\xc8\x3f\xfa\xc3\xb7\xe5\
\xe7\x3f\xfc\x6c\xdc\x1a\xb5\xbc\x7c\x39\x7d\x02\xc0\x1f\x0f\x40\
\xe7\xb7\x6e\xfd\xd4\xd9\xd9\x78\xc9\x68\xd7\x8f\x1e\xed\x72\x1a\
\x36\x79\x76\x7e\x16\xad\x2d\x11\xee\x61\x65\xc8\x0f\xbf\xf4\x6c\
\xde\xd9\x16\x27\xe9\xec\x00\xf2\x16\x74\x28\xfc\x7a\x1f\xf1\xbb\
\xff\xf8\xeb\x61\x26\xf1\xed\x47\x47\x7f\xf4\xf0\x3a\x36\x2f\x5f\
\xba\x2b\x32\x67\xfa\xd1\x3d\x43\x2c\xb6\xc2\xa8\x60\x14\x35\x2e\
\xc9\x88\xc6\x10\x41\x4e\x03\x53\xd6\xa2\xe6\x60\x25\x4a\x77\x6f\
\x62\x34\xe4\xbe\x91\x42\x72\x21\x38\x36\x26\x0b\xb2\x56\x70\x53\
\x2b\x88\x06\x4b\x26\x59\x59\x7a\x1a\xb9\x2f\x96\x42\x5e\xed\x90\
\x99\x94\x71\x3d\xc1\x9a\xe0\x58\x98\x2a\x83\x0c\xc3\x93\x22\x65\
\xc9\xbe\xfa\xd7\x8c\x1a\x4e\x69\x60\xac\x31\xfd\xd0\xf9\x6b\xc4\
\x7c\x63\x21\xae\x77\x71\xda\xe9\xf4\x5c\x0f\xe8\x3b\xa6\x0e\x4f\
\x00\x96\x9b\xc7\x49\x2e\xb0\xdf\x60\x83\x27\xb1\x06\x37\x4f\xf6\
\x7d\x7c\x52\xb6\x37\x1e\x9f\x9e\xdd\x00\x4f\x03\xd6\xfb\xad\xcc\
\xc8\xcc\xe9\x69\xce\xc7\xa6\x1f\xeb\x7a\x03\x9c\xad\xa6\x11\xdb\
\xfe\x7f\x3e\x3b\x7d\x17\x92\x3b\xe0\x3d\x4d\x76\xa7\xa4\x85\xee\
\x45\xf6\xef\xb3\x76\x27\xf0\x5e\x6f\xfb\x25\x60\x98\xfa\xbe\xd3\
\xf5\x06\xd3\x06\xb8\xc6\x35\xe6\x83\x22\x26\x60\xbc\x06\xb6\x13\
\xb0\xe8\x84\x79\xce\x8c\x14\x51\x0c\x39\x2a\x19\xae\x9a\x29\x2c\
\x95\xfa\xcc\xc5\xb9\x3c\xba\xda\xa5\x4d\x55\xeb\x28\x39\x47\x8d\
\xf3\xb1\xf2\x70\x5c\x94\x9a\x22\xa1\xb0\x2a\xe2\xc1\x78\xf8\xe0\
\x1e\xce\xcf\xcf\xf1\xec\x70\x5b\xb5\x42\xc0\xa2\x11\x54\x12\xd1\
\x55\x01\x4c\x3d\x5d\x96\x79\x91\x61\x1a\x55\x40\x8f\x0c\xa9\x36\
\x6a\x64\xac\x82\x5d\x8c\xb1\x0e\xf2\xc6\xb7\xde\x96\xaf\xbc\xf5\
\x9a\xfc\x99\xd7\xce\xe7\x97\x6e\xd5\x8f\xff\xf2\x67\x3e\x53\xbe\
\xf0\xd9\xcf\x7e\xd7\xd0\xe2\xef\x02\xd0\x74\xb6\xf9\xc4\x60\x25\
\x97\x79\x49\x35\xe5\x0b\x2f\x3e\x1f\x6d\x71\xdf\x5d\xef\xe2\xb9\
\xbb\x77\x63\xdc\x30\x3f\xfa\xe2\xd6\xab\x89\x1f\x1a\x43\x14\xd1\
\x5a\x78\x12\x6d\x77\x94\xb8\x77\x75\xed\xdf\x79\xeb\x4d\x37\x45\
\xec\xf6\x3b\xbf\x7d\xfb\x8e\x4f\xa3\x66\x21\xe3\xc0\xf0\xe6\x48\
\x13\x86\x55\x0d\x53\x3a\x94\x19\xad\xd7\x77\x8a\x82\x55\x8d\x92\
\x0c\x54\x4b\x4d\x32\x13\x34\x30\xc3\x90\x9a\x85\x49\x60\xe9\x20\
\xca\x69\x65\x56\x6d\xab\xc8\xdc\xef\xb3\x54\x66\xaf\xc9\x3c\x5e\
\x6e\xbc\x5a\x16\xe6\x4c\x4c\x75\xad\xf7\x70\xe0\x30\x00\x95\x7d\
\x96\xb5\x02\x18\xc6\x5e\xe5\xaf\x04\x87\xd5\x04\x8c\x43\x5f\x46\
\x40\x2f\xea\x60\x5c\xd9\x0a\xe3\xe3\x61\xa4\xef\x29\xdc\xdc\x04\
\xd4\xc9\x8e\x10\x20\x27\x52\x8e\x22\xd8\xdc\xd8\x67\xcd\x31\x4f\
\xdd\x6f\xea\x29\xe7\xef\x33\x33\x40\x6e\x2c\x56\x92\xdc\x90\xe4\
\x74\xc3\xda\x74\x0d\xc6\xef\xda\xef\xf4\x23\x3c\x6d\x23\xc9\x0d\
\x80\x75\xde\x25\x81\xd5\xd5\xbb\xb1\xcf\xd9\x29\x72\xba\xf1\x9e\
\x9e\x23\xcf\xdc\x88\xc8\xb5\x88\xec\x76\x80\xde\xb0\x5c\x9b\x24\
\x4f\x96\x2c\x49\xc6\x44\x0e\x3b\x60\xc0\x06\x87\x51\xe4\xe1\x7c\
\x54\x4c\xc0\x7c\x5c\x3b\x65\x2b\x39\x1f\x45\x16\x3b\x4a\x09\x81\
\x14\xa4\xaa\xc8\x34\x0d\xb8\xfd\xfc\xb3\x3a\xef\x8e\x8d\xd2\x50\
\xb1\xc5\x51\x8f\xa8\xa3\xe0\x10\xea\x70\x0a\x4b\xf6\x22\x6d\x36\
\x1c\xdc\xf1\xce\x5b\xef\xc8\xad\xcb\x0b\x1f\xc6\x2a\x09\x86\xb8\
\xa8\x47\xaa\x98\x35\x35\x93\xa2\x26\x91\x21\xf0\x50\x40\xa4\x79\
\x46\x24\xbd\xaa\x68\x31\x15\xd1\x22\xd3\x34\xe4\xfe\xb0\x8f\xdf\
\xfb\xfa\xdb\xf2\xb3\x1f\x38\x5f\xee\x6e\xed\xc5\x7f\xe7\xcf\xfd\
\xa5\x57\xbf\xf0\xd9\xcf\x7e\xed\xfd\xbf\xe1\x7b\x7a\x11\x7f\xf9\
\x33\x7f\x6b\x1a\xc7\xe9\x27\xce\xa6\xba\x1c\x97\x39\xb7\x9b\xb3\
\xb8\xbc\xb8\x08\xf7\x96\x04\xc3\xc9\x78\xee\x72\x1b\xcf\x9d\xd7\
\x98\x5b\x7a\x01\xba\x00\x4a\xc0\x3d\x22\xbf\xfe\xee\x75\xfc\xee\
\x97\xbe\xe1\xc7\xc3\xb5\xdf\x7b\xf7\x7e\x33\x1d\x62\x39\x1e\x62\
\x53\xb4\x03\x6c\xa6\x1f\x92\xa1\x42\x37\x81\x0f\x6a\x29\x4a\xf7\
\xa4\x2f\x64\x9f\xc6\x16\x6c\x9e\xf4\x24\x42\x8c\x2d\x48\x57\xa3\
\x5b\x32\x26\x63\x46\x32\x62\xa6\x2f\x5c\x72\x01\x12\x6d\x6d\x27\
\xe8\xf1\x6d\x6c\x89\x5c\x9b\xdf\x72\x3d\x7f\x39\x0c\x03\x86\x1b\
\xc9\xaf\x5a\xd9\xe3\x99\xf7\x6d\xb9\xd6\x44\xba\xf1\xe9\xe0\x78\
\x6c\x8c\xc6\xa7\x02\xe5\xbb\xd6\x24\x1e\x7b\x72\x6b\x32\xe1\xb4\
\xef\xe6\xa9\x3b\xf3\x14\x17\x91\xe4\x34\x65\x6e\x48\xe6\x3a\xbb\
\x81\x4f\xd9\xa6\xec\xfb\x3c\x06\xc7\x8d\xfb\x4f\x7b\xfc\xfe\xe7\
\xdf\xbf\x01\x3d\x1b\xf7\x83\xf6\x3b\xed\x2b\x37\xc0\x46\x92\x67\
\x24\x9f\xdf\x66\x4e\x9e\x99\xc9\x3e\xfb\x0f\x1d\x44\xa3\x67\x8e\
\xa7\x29\x5d\xe7\x40\x6c\xc9\x4d\x92\xe7\x75\x8c\x31\x93\xe3\x44\
\x5a\xed\xaf\xd7\x89\x1c\x62\xa2\x27\xe9\x91\xdc\x5d\xef\x99\x4b\
\xc4\x79\x1d\xb8\xdd\x6e\x30\xa7\x44\x9d\x2c\x6b\xf7\xc6\x52\xad\
\xb0\xd1\xdd\x19\x7e\xf4\xa5\xb5\x60\x64\x93\x7c\x74\xf5\x20\xef\
\xdd\xbf\x17\x5a\x86\xa8\xe3\x14\xc5\x6a\x14\x95\x10\x64\x28\x24\
\xc4\x56\x66\x8c\x47\xa8\x75\x92\xb0\x08\xd2\x45\xfc\xd8\xfa\x80\
\x99\x61\xdc\x44\x1d\x4a\x7e\xfd\x3b\xef\xf2\xed\x5d\x8b\x67\x36\
\x65\x3a\x9b\xce\x5e\x7f\xda\x09\x7f\x8f\x05\xfa\x99\x67\x9f\xff\
\x60\x1d\xeb\xf3\x53\x2d\x6d\x9e\x5b\x4e\xe3\xd0\x87\xc2\x40\xa2\
\x94\x92\xbb\xdd\x75\xfc\xd9\xd7\xef\xfa\x68\xea\x87\x25\x23\x85\
\x3e\x67\x3a\x89\xb8\x5a\xd2\x7f\xf7\xf7\xfe\x2f\xdf\xef\x1e\x86\
\x40\xfd\xf6\xdd\xdb\xae\xc5\xf2\xb5\x17\x9f\xf5\x3b\xdb\x21\xae\
\x67\xf7\x6b\x8f\xd4\x64\x8c\x45\x7d\xac\x8c\x32\x30\xb3\x31\x96\
\xd6\xdb\x29\xa1\x25\x83\xcc\xd2\x25\xf6\x68\xca\x5c\x88\x5c\x96\
\xae\xbb\x9e\x0d\xb0\x3e\xb0\x93\x57\x3b\x72\xba\xd5\xcf\xe4\xb2\
\x80\xc7\x85\xdc\x96\x9a\x2b\xf1\xed\xf1\x7a\x58\x16\xe0\x78\x9c\
\x39\x59\xa7\x0a\xdc\x4c\x22\xd7\x01\x5c\xe6\x6e\x7d\x80\xce\xd2\
\x3f\xc7\xc0\x71\x78\xf2\xdc\xf7\xd9\xde\x9b\x20\xb8\xb1\xa8\x6e\
\x3e\x7f\xc2\x0d\x9f\x2c\x52\xee\xd7\xfd\x8e\x07\x91\x69\x45\xc3\
\x66\x7d\x23\xb9\x5a\x85\x7c\x3a\x5f\xed\xfd\xc8\x78\x9a\xc5\x79\
\xda\xf7\x78\xda\x76\x02\xc3\xf7\xdb\xf7\xb4\xcf\xcd\xcf\x79\x3f\
\x88\x00\xe0\xfc\x9c\xdc\x66\xe4\x4e\x55\x74\x27\xb2\xbb\x71\x8c\
\xed\x0a\xaa\x48\x72\xbf\xed\xbf\xc9\x26\xa7\xb8\x02\x60\xf3\x41\
\xef\x1d\x93\xb3\xa9\xd4\x2a\xa2\x39\xca\x71\xbe\x27\xad\xa9\x94\
\x61\x2f\x52\x26\x6e\x36\x5b\xdc\x7b\xeb\x5e\x8e\x5b\x13\x1c\xb7\
\x40\x1f\x2a\x1b\x3b\xdf\x13\x11\x52\xb5\x28\xd3\x23\x29\xca\xd0\
\xb8\xf7\xce\x43\xbd\x75\x79\x27\x2e\x2f\x2f\x03\x54\x85\x8a\x32\
\x42\x33\x32\x52\x45\xc3\x28\xee\x61\x75\x60\x40\x54\xad\xcf\x9c\
\x8a\xdd\xe1\xa8\x24\x64\xbb\x19\xd3\x54\xf3\xea\x6a\x17\x5f\x7b\
\x7b\x27\x1f\xba\x7d\x9b\xb7\x37\xf2\xea\xd3\x7e\x9f\xf7\x00\x68\
\x73\x76\xfe\xf1\xb3\xed\x76\xd8\x54\xee\x8e\x9e\x59\x6b\x8d\xe3\
\xe2\xb1\xdf\xef\x23\x09\x7f\xf5\x85\x67\xf2\xa5\xcb\x1a\x9e\x19\
\xda\x07\xab\xb9\x3b\x1a\x28\xfe\x9d\x77\x77\xd1\xe6\xd9\x33\xe1\
\xd3\x66\x0a\x50\x02\x8c\x78\xfd\xc5\xbb\x9e\xa4\x3b\x91\x99\x9a\
\x10\xf7\x71\x40\x0c\x66\xa9\xc9\x68\x4a\x17\x05\xd5\xbb\x4e\xf4\
\x9c\xc8\x4a\x76\x20\x15\x30\x17\xe6\xbb\x0b\xf2\x39\xab\xb4\xb2\
\xe0\x38\xf7\x58\xe3\xd1\x3c\xe7\x38\x93\x58\x80\xb9\x2f\x01\x6e\
\x9e\xfc\x6f\x1e\x2f\x88\xab\xd5\x9c\x58\x05\xcf\xd0\x41\x32\xe3\
\x89\x99\xd8\x56\xb0\xcf\xd2\x46\x0f\x4e\xde\x5b\xa6\xe9\xdb\x89\
\x85\xb9\x82\x6a\xee\x35\x1e\x4c\x37\x40\x76\x4a\x0e\x3c\x5e\x64\
\x47\x08\x26\x79\x0f\x70\x4e\x0b\x6e\x73\xba\x9d\x56\x37\xef\xc6\
\x62\xbc\xb9\x38\x6f\x6e\x37\x9f\x13\x79\x7a\xa0\xff\xfd\x00\x71\
\x93\x63\xf7\xb4\xf7\x3e\xcd\xc2\x9c\xde\xf3\x83\x9e\xbb\xb9\x9d\
\x67\x12\x5b\x70\x0b\xe0\x11\x00\x55\x95\xab\x47\xbd\xc8\x0a\x74\
\x30\xed\x55\x04\xe7\xc0\xc5\x0e\xb8\x1a\x37\x79\x19\xd7\x72\x34\
\xca\x7c\x10\x91\xaa\xb2\x8d\x51\x1e\x5e\x1d\xe4\x0a\x4d\x37\x9b\
\x11\xf5\xe2\x4c\xca\x83\x91\x96\x9e\xd8\x9c\xe3\xd0\x0e\x52\x21\
\x32\xea\xc0\x3d\x67\x2d\x9a\x41\x14\x98\xa6\x65\xba\x5c\x5d\x3f\
\x8a\x6f\xbd\xf1\x4d\xa1\x64\x3c\xb3\x3d\x37\xd3\x29\x96\x79\xb1\
\xa0\x87\x9a\x28\x84\x9a\xe1\x2e\x9d\xf1\xd4\xc7\x3e\x11\xd2\x15\
\xd0\x43\x97\x96\x09\x48\x66\x78\x7e\xf9\x9b\x6f\xe7\xaf\x7c\xf4\
\x76\xbb\xbb\xa9\xcf\x3f\xed\x77\x7b\x8f\x0b\x57\xc6\xe9\x23\xcf\
\x6c\xc7\x90\x3e\xb1\x29\x32\x33\x16\x5f\x42\x94\x11\x19\xf1\x81\
\xbb\x5b\x9f\x2a\x82\xd0\x10\x8a\x37\x22\x44\x19\xef\xec\x9b\xff\
\xde\x57\xbe\xd9\x32\xc3\xa1\xd2\xdc\x17\xbf\x7b\xe7\x96\x27\x24\
\xbe\xfd\x68\xef\x4e\xc4\xa1\x79\x78\xa3\x5b\x51\x17\x51\x47\xb2\
\x61\xd5\x72\x54\x00\x00\x20\x00\x49\x44\x41\x54\x89\x99\xcf\x0b\
\xa3\x33\x04\x2c\x44\x19\xd0\xf4\x21\x8b\x17\x22\x67\x32\x8e\xc9\
\xf8\xc7\xdf\xbe\x8a\x3f\xf8\xf6\x55\xfc\xaf\xdf\x98\xe3\xfa\x40\
\xdf\x1f\x19\xa3\xd5\x98\xe7\x3e\x3a\xf4\x9d\x2b\xf0\x38\x93\x57\
\xf3\xcc\x79\x06\x4f\x00\x01\x80\xe3\xba\xcf\xf9\x40\x3e\x7b\xd1\
\x5d\xb9\x52\x99\x75\x00\xeb\x00\x8e\x23\x50\x07\xb2\x0e\x03\xcf\
\x31\xb0\x67\x1d\xc1\x71\x75\xc7\xd6\xe3\x71\x06\x70\x3c\x92\xc7\
\xf9\x49\xdc\x73\x9c\xf1\x18\x35\x8f\xc1\x73\x04\xe6\xb9\x13\x33\
\xdf\xbf\xc0\x6e\x02\xe5\x7b\xb9\x48\x3f\xe8\xb5\x9b\xfb\xe4\xba\
\x3d\x6d\xdf\xa7\x01\xe4\x69\x9f\x71\x13\x14\xdf\xef\x3d\x37\x01\
\x78\xe3\xf3\x1f\x7f\xd6\xe9\x6b\xdc\x7c\xff\x05\xc9\xb3\x88\x7c\
\xf1\x2c\xf2\x89\x15\x4a\x8e\x1e\xe9\x49\xfa\x96\x1c\xa6\xc8\x32\
\x6e\xd3\x46\x4f\x1d\x22\x75\x89\xd4\x65\xcc\x3a\x6e\x88\xb9\xa6\
\xef\xae\xb9\x01\x70\x76\x76\x86\xd0\x92\x4b\x75\x6a\x19\x88\xc2\
\xf0\x51\x32\x5b\x46\xce\x92\x31\xb7\xa4\x67\xa8\x1a\xa1\x88\xdd\
\xfe\x2a\xfe\xf0\xeb\x7f\x18\x6f\xfc\xd1\xb7\xbd\x45\x8b\x3a\x96\
\x18\x86\x9a\x8a\x3e\x28\xef\x38\x2f\x79\x38\x1e\x93\x8c\x1c\x84\
\xb1\xa9\x12\xe3\x38\xa4\x13\x79\x38\x1c\xd3\xdb\x92\xee\x2d\xbf\
\xf5\xd6\x7d\x3e\x9a\xb3\x6d\xa7\x72\xe7\x6f\xfe\x9d\xff\xe3\x0c\
\xef\xdb\x1e\x5f\xb3\x3f\xfd\x9f\xff\xd6\x46\x21\x1f\xba\x75\x36\
\xcd\xc7\x40\x9e\x6d\xa7\xb8\xba\x7a\x18\xad\x0d\x71\x3c\x2c\x61\
\xa5\xc6\x4b\xb7\x36\xa1\xbd\x14\xe1\xce\x6c\x4b\x84\xab\x95\xf6\
\xad\xb7\xdf\xf1\xfb\x0f\xee\xfb\xf1\x70\xed\x09\xc6\x76\xb3\xf5\
\xeb\xc3\x75\x5c\x3d\x3c\x38\x3e\xf2\x72\x1c\xdd\x63\xdf\xba\x84\
\x6d\x25\xb3\x12\xb1\xb2\x09\x22\x89\x3c\xa9\xd7\xf4\xde\x43\xa4\
\x19\x53\x0d\xbc\xba\x62\xce\x00\x1f\x5d\xed\xf8\xd6\xdb\xe4\xe5\
\xed\x33\xbe\x76\x59\x99\x24\x6b\x05\xad\x00\x6f\x5d\x01\xc7\x79\
\x91\xf6\xff\x90\xf7\x2e\xbd\x96\x24\x49\x7a\xd8\x67\xe6\xaf\x88\
\x38\x8f\xfb\xc8\xcc\x7a\x74\x4f\x35\xa7\x67\xba\x35\xa0\x24\x10\
\x5a\x08\x5a\x10\x5c\x6b\xa1\x7d\x73\x47\x6d\x24\x80\x4b\x41\xd0\
\x42\xda\x09\xfd\x03\xb8\xd2\x4e\x10\x40\x40\x4b\x6e\xb9\xd1\x4a\
\x04\x21\x2d\x04\x08\x12\x44\x91\xad\x81\x30\xc3\x1e\x4e\x57\x57\
\x75\x65\xe5\xe3\x3e\xce\x2b\xc2\xdd\xcd\x4c\x8b\x38\xe7\xe6\xb9\
\xa7\xce\xb9\x8f\xac\xea\x99\x01\x65\xc0\xcd\x3c\xe1\xe1\xee\xe1\
\x11\xe1\x5f\xd8\xc3\xcd\xcd\x24\xa8\x19\x91\x85\x01\x61\x30\x4b\
\x48\x40\x1c\xf7\xf2\x68\x04\x5e\xc6\x84\x14\x81\xb7\x43\x84\xd8\
\xd6\xa2\x06\xdc\xed\x2b\x01\x00\x8d\x66\x69\x37\x49\x00\xb3\x01\
\xa4\x38\x90\x9a\x0e\xd7\x76\xcc\x46\x7d\x69\xb3\x05\xec\xb6\x50\
\xf4\x4e\xff\x79\x74\x62\x3f\x74\xbc\x4f\xa7\xb8\xc8\x53\xfb\x7e\
\x88\x8e\x71\xaf\x1d\x40\x78\x9b\xf1\x61\x1f\x30\x3b\x12\x11\xdd\
\xb5\x3f\xc6\xa9\x76\x6d\x26\x13\xe8\xf5\xe2\x03\x50\x27\xaa\xb6\
\xe2\x31\x3c\x56\x37\x51\xc3\x6a\x0a\x74\xa3\xe0\x57\x04\x46\xa8\
\xc8\x43\x46\x70\x81\xab\x80\xb1\x5a\x41\x29\xa8\xac\x3d\x21\xac\
\x29\xd7\x15\x07\x78\x55\x0e\x12\xda\x40\xd1\x27\x48\x9f\x59\x45\
\x59\x51\x51\x98\x24\xd5\xa8\xef\xde\xbf\xd5\xd5\xe2\x56\x5f\xbe\
\xbc\x94\xc9\xf9\x39\x07\x76\x0c\x32\xd2\xaa\x2c\x6a\x5c\x55\x58\
\x0c\x2e\x31\x2c\x79\xa7\x0b\x35\x51\x29\xdc\x0f\x83\x6a\x15\x7b\
\x7b\x13\xf4\xeb\x77\xeb\xfa\xf9\xe5\xe4\xc5\xf9\x17\x97\x9f\x03\
\xf8\xf3\xfd\xfb\xbf\x03\xd0\x1f\xbf\xfc\xec\x8b\xd4\xa5\x8b\x2e\
\xf8\x7c\xb3\x19\x24\x32\x4b\xad\x22\x79\xc8\x12\x82\x97\xe9\x7c\
\x2a\xb3\xe4\x45\xc6\x58\xcd\x75\x10\x08\x19\x57\x6f\xa8\xbf\x7b\
\x7d\x55\x6a\xc9\xa2\x32\x02\x0b\xec\xf4\xea\xdd\x8d\x7c\xfe\xd9\
\xab\xfa\xd3\xcf\xcf\x75\x28\x56\x4d\xac\x3a\x32\xf1\xe4\x54\xdd\
\x68\xa2\x16\xb5\x3a\xc6\xd2\x03\xd8\xc1\x2c\x9b\xc6\xd1\x50\xa0\
\xa4\xb0\xb5\x9a\x2e\x16\x83\x19\x39\x13\x1a\x2c\xb0\xb7\x2f\x6f\
\x7a\x7c\x36\x8d\xc6\x0a\x93\x1e\x78\xb7\xee\xad\x14\xa2\x29\xf5\
\x56\x24\x61\xb5\x19\x25\xad\xbe\x19\x28\x6e\x9d\x1c\x23\x12\x7a\
\x33\x60\x18\xd7\x7c\x82\x6d\xf3\xed\x6e\xe3\xa8\x19\x46\xe0\x00\
\x77\x52\xda\x9d\xa5\x7a\xfb\xaf\xa5\xe6\x6e\x42\x1e\x98\x89\x47\
\x00\x6d\xb6\x56\xb5\xb8\x9d\x84\x1e\xb8\x13\xd5\x9e\x03\x92\x53\
\xf4\x31\x6d\x4e\x89\x59\x0f\xd1\x21\x48\xb6\x9c\xe6\xde\xf1\x31\
\xbd\xe8\xb1\x7b\x54\x55\xfb\x7c\x02\xbb\x06\xe0\x16\x4c\x37\x00\
\x26\xdb\xdd\x7f\xa2\x66\x98\x28\xb0\x9a\x02\xb2\x44\x6d\x81\x25\
\xaa\xc6\xaa\xb4\x42\xd1\x49\x02\xe2\xd9\x9c\x96\x5f\xff\x1a\x15\
\x41\xb1\x76\xc4\x35\x10\x6a\x41\x38\xeb\xf4\x27\x3f\xfe\x4c\xd8\
\x27\xaa\x9b\x22\x57\x37\x6f\x79\x75\xb3\x24\x07\x22\x30\xc4\xb3\
\xe3\xa1\x54\x7e\xfd\xf6\x1d\xa7\xc5\x2d\xbf\xbc\x78\x41\x67\x67\
\x67\x0c\x47\x32\x94\x81\xbb\xb6\x71\x4a\x2c\x20\x50\x35\x65\x15\
\xd1\x5c\xaa\x8a\x9a\xf6\x79\x10\x5a\x6f\xe8\x5f\x7d\xf9\x96\x7e\
\xf6\xf9\xb4\x9b\x74\xe9\x67\x38\x05\x20\x17\xd2\x1f\x75\x4d\x93\
\x0c\xb8\x5d\xe7\x2a\xe4\xa8\xa6\xd4\x88\x0f\xa1\x86\xd4\xd4\xcf\
\x5f\x4c\xeb\x34\xb9\x6a\xaa\x55\x4c\xa5\x8a\x09\x19\xe4\x5f\xfc\
\xe6\x6d\xfd\xfa\xdd\x4d\x15\x13\x25\xc7\xb5\xf3\x49\xb4\x16\x35\
\xd5\xf2\xf9\x67\x9f\xcb\xbf\x79\xdb\xcb\xcf\x5e\x76\x15\xec\x2a\
\xd5\xa2\x14\xa0\x91\xcd\x58\xad\x66\x35\xa9\xbb\xa4\x9e\x64\xe6\
\x38\x28\xfb\xed\x4e\x4e\x35\xf5\x0a\x7b\xbd\x19\x6c\xb1\xee\xcd\
\x87\x60\xcb\x75\x6f\x91\xa3\xa9\x81\xcc\xcc\xbe\x1d\x46\x31\x6a\
\x1a\xa3\x4e\x23\x10\x22\xe0\x75\x7c\xb3\xe8\x0d\x43\x02\xa2\xc1\
\x62\x82\xf5\x00\x0d\x5b\x95\x23\xed\x5e\xfe\x3e\x37\xa1\x5d\xda\
\xa9\x71\x9d\xc7\x12\xac\x19\x99\xd8\xfe\xfa\x8b\xe1\x83\x23\xb6\
\xed\xe9\x3c\xd4\xde\xe7\x34\x47\xf5\x95\x87\x26\xf3\x0a\x40\xf7\
\x11\x9c\xe4\x50\xb4\x3a\x14\xc7\x4e\x71\xad\xe7\x80\xeb\x14\x38\
\x4e\xb5\x3f\x14\xed\x78\xcb\x69\x00\x60\xae\x6a\xd2\x14\xcd\xce\
\xd1\x66\x35\x46\xa4\xab\xa2\x36\x01\x03\xa2\xa8\xa9\x33\xc6\x2d\
\x9a\x21\x22\x9f\x2b\xe3\xcd\x9a\x56\x00\x42\x6a\xe0\x53\x63\x8b\
\xe5\x5b\x04\x74\x3a\x69\x99\xae\x37\x81\x5f\xcd\xe6\x16\xc9\x29\
\x93\xd7\x34\xf7\x4a\xe1\x42\x86\x5e\x48\x21\xc4\xe4\xaa\xe3\x5d\
\x46\x17\xef\x6a\x56\xfd\xcd\x6f\x7f\x2b\x9f\x96\x41\x3e\x7d\xf5\
\x29\x0d\x55\x58\xa5\xd6\x2a\x70\x59\x58\x37\x8b\xa5\xf4\xfd\x86\
\xa1\xa6\xaa\x55\x61\x10\xad\x95\xff\xec\xeb\x2b\x2d\xfa\x87\xf2\
\xe9\x59\xf8\x8e\x25\xee\x4e\x07\x72\xe4\x7e\x1a\x98\xeb\x6a\x18\
\x74\xd1\x17\x51\x90\xc6\x10\xab\x88\x88\x54\x91\x9f\xbd\x3a\x17\
\xcf\x5a\xd5\x20\x2a\x56\xcc\xa4\xb2\xe7\xf2\xfe\x66\x29\xab\xc5\
\x52\x6b\x91\x6a\xd0\x31\x60\x3b\x59\x05\x43\x5e\xbf\x79\x2b\x43\
\x36\x19\xd4\x6a\x64\x53\xb0\x13\x52\x13\x52\x5f\xd9\x99\x38\x35\
\x71\x6a\xca\xde\xd4\x99\xa9\xf3\xa6\x4e\x4d\x9d\x1b\xcd\xd2\x2e\
\x98\x16\x09\xea\x43\xb0\xe4\x82\x92\x0b\x7a\x96\x12\x6e\x7a\xb3\
\xdf\xde\x0e\xb8\xea\x7b\xeb\x7c\xd4\x18\xcd\xe2\xf6\xd3\xaf\x66\
\x56\x55\x35\x44\xd3\x60\x49\x23\x92\x35\x18\x9d\x34\xd5\x8e\xec\
\x8d\xde\x4d\xa8\xad\xbb\x4e\x8f\xfb\xc6\x80\xef\x56\x1b\xe9\xa0\
\xce\x51\xf0\x00\x0f\x2e\xed\xdc\xa3\xef\x08\xd7\x4f\xa4\x7d\x0e\
\xf7\x14\xab\xda\x7e\xbb\xfd\xf6\xbb\xe3\xfd\xc9\x7e\x8a\x54\xf5\
\x3b\xfa\xcf\x43\x75\x4a\x29\x7a\xd8\x66\x2e\x62\x9f\x36\x83\x4c\
\x65\x2c\xab\xa2\x96\xda\x51\x1c\xec\x64\x66\x6d\x55\x9b\xf7\x8d\
\xc6\xa6\x33\xf8\xa4\x00\xf0\x32\x5c\x50\x63\xe7\xea\x73\x31\x81\
\xd3\x99\x8f\xe6\x8a\x98\xb1\x57\xe3\xaa\xb5\x2f\x12\xa8\xd5\x8b\
\x17\xe7\xe2\xc0\x9a\x4b\xaf\x55\x21\x06\x51\x29\x83\xc4\xe4\x35\
\x35\xad\xbd\xfe\xdd\x37\xf2\xf5\xef\xbe\xd1\xe0\xbd\x92\xb1\x6e\
\x97\x1b\xb4\x98\x68\xbf\xde\x8c\x59\x21\x94\xd4\x07\x67\xa2\xc5\
\x96\xeb\x62\xcb\x8d\x94\x17\x6d\xf8\xd1\x7f\xfb\x4f\xfe\xc9\x3d\
\x33\x13\x03\xc0\x2f\x7e\xf1\x0b\xc7\x81\x3f\xf1\xc1\x97\xf7\x8b\
\x8d\x2c\x97\x2b\xad\xb5\x8a\x9a\xea\xed\x62\x29\x31\x38\xfd\x74\
\x16\x44\x14\x92\x55\x6a\x2f\x90\x6a\xa8\x62\x22\x9f\xbe\xb8\x94\
\x6e\xd2\x2a\x0c\x02\x22\x35\xa8\x4a\x11\xf1\xec\xe5\xe5\xe5\xb9\
\xa8\x68\xd5\x3c\x9a\xa3\xc9\x99\x54\x67\x42\x6e\x8c\x67\xe7\xbc\
\xa9\x78\x53\xed\x4d\x37\x6a\xaa\x06\xf3\xde\x34\x60\x54\xfc\x5f\
\x5f\xf7\x2a\x6a\x36\xef\x82\xfa\x10\xed\x2c\x8d\xa6\x67\xb1\x91\
\x4b\x75\x3e\xea\x2c\x9a\xcd\xe2\xf8\xf2\x43\x32\x6b\x9a\x06\x29\
\x35\x26\x9a\x34\xa8\xa9\x46\xbb\xa7\x64\x47\xb5\x7b\x20\xda\x9b\
\x3e\xbb\x8c\xbd\x48\x69\x5c\xd8\x3c\x31\x11\xef\x26\x5b\x73\x70\
\x7c\x40\xf7\xb7\x58\x1f\x51\xf6\x8f\x4d\x76\x3a\xa0\x5d\xd9\x91\
\xfe\x1f\xa4\xc3\xfe\x3f\xa6\x8f\xc7\xda\xed\x83\xa2\xd6\x7a\x07\
\x12\x55\x35\x11\x39\x09\x62\xe7\xdc\x07\x5d\x68\x52\x74\x26\x6a\
\x75\x0b\xa4\xb0\x05\x51\x3b\x99\x19\xe6\x00\x66\x40\x2c\x6a\x31\
\xb5\x86\xe9\x14\x00\x50\xcc\xa9\x8b\xc9\x2a\x9c\xfa\x10\xad\x54\
\x31\xcb\x55\x9d\x0f\xc6\x46\x32\x6f\x3b\x6b\xbb\xa8\x45\x8b\x28\
\x69\x15\xb8\x2a\x62\x75\xe8\x4b\x09\x9e\x6b\x6a\xa6\xf6\xe6\xed\
\xb7\xba\x5a\x2f\x35\xc4\x71\x0f\x72\x15\x28\x19\x54\xcc\x74\xb5\
\xde\x68\x29\xc5\xbc\xf7\x5a\x4b\x95\x2c\xa2\xef\x57\xb9\x5e\x4e\
\xdd\xec\x6c\xf6\x1f\xbd\xd8\xbf\x17\x06\x80\x3f\xf8\x8f\xff\xb3\
\xb3\x98\xd2\x8b\xe0\x7d\xee\x87\xac\x04\x12\x18\x34\x86\x58\x37\
\xfd\x20\x2f\xe6\xad\x4c\x1a\x96\x62\x63\xec\x75\x33\x48\x64\x96\
\xb7\xb7\xa2\xff\xf2\xd7\xaf\x75\x3e\x9b\xd4\x6e\xd2\x8a\x23\x27\
\x66\x5a\xc8\x20\xa9\x4b\x72\xb3\x58\xd7\xf5\xf2\x56\xba\x06\x6a\
\xaa\x95\x1d\xb4\x71\x23\x97\xf1\x36\x6e\x49\x70\x6a\x4a\xce\x8b\
\x53\x53\xaf\xa6\x4e\x55\xaa\x37\x11\x35\xfd\xe6\xc6\x2c\x8b\x6a\
\xd0\x68\x4d\x1a\x33\x14\x38\x51\x9d\x45\xb3\xa0\x23\x67\x89\x69\
\xbb\xe7\x47\x4d\x93\x35\x16\xe2\x08\x90\xe6\xee\x9f\x91\x76\x1c\
\x63\x67\x41\x3b\xf5\xa5\x8e\xd1\x24\x7d\x58\x00\xbd\xf7\x67\x7b\
\xe5\x06\xd8\xe6\xc0\x68\x86\x23\x60\x3a\xe5\xc4\xb9\xa3\xc3\x09\
\xfa\x1c\x60\x9d\xea\xef\x54\x9f\x4f\xb9\x3e\xf0\x5d\x2e\x74\x58\
\xe7\x14\x97\x3a\xe4\x32\x22\x72\x07\xa4\x9c\xb3\x9e\x02\x55\x9d\
\x8f\xe5\x9b\xa1\x68\x1a\x8a\x86\xb6\x6a\xae\x6a\x53\xd7\x4a\xb3\
\x88\x32\xb4\x62\x08\x55\x43\x23\x16\x52\x36\x1f\xb3\xb5\xf0\xea\
\x43\x35\x25\xa7\x0d\x7b\x2d\x12\xcd\xb8\x6a\xd1\x22\x46\x4e\xe7\
\xb3\x4b\x3a\x9f\x9c\xa7\x59\x6a\x9a\xcb\xd9\x2c\xb5\x4d\x93\x82\
\x23\x4f\xc6\x9c\x82\x13\xcf\x2c\x6f\x5e\x7f\x2b\xc1\x7b\xc1\x98\
\x7f\x5a\x83\x73\x5a\x6b\xd5\x61\x33\xd8\x50\x8b\x7a\xe7\xcc\x0c\
\x56\x86\x41\x17\x83\xe8\xbc\xf1\x93\xf9\xdc\x7f\xb6\x3f\x76\x0f\
\x00\xdd\x74\x7a\x31\xeb\xba\x2e\x38\xce\xfd\x50\xc5\x44\x74\x0c\
\x16\xe8\x85\x18\xf2\x93\x57\x33\xf1\x80\xf4\x22\x92\x05\x62\x30\
\xf1\x0c\x49\x01\x2a\xa8\x55\xa1\x22\x45\x84\x88\x6b\x8a\x41\x86\
\x52\x45\x4a\x95\x9a\x6b\xfd\xe3\x3f\x78\x69\x83\x9a\xb0\x42\x53\
\x34\x61\x33\x63\x6f\x22\x36\x02\xa9\xf5\x01\xb7\x06\xd3\x21\x18\
\x7b\x55\x8d\xb0\x68\xd1\x7a\x1b\xac\x78\x33\x64\x50\xda\x71\x1e\
\x8d\x16\x13\x8c\xc9\x30\x11\xd8\x34\x98\x41\x81\xcc\x44\x71\x9c\
\xf5\xe8\x7b\x80\xb7\x91\x3a\xb9\x27\x42\x33\xba\x9d\x35\x07\x2f\
\x6d\x07\xa4\x1d\xd0\xcc\x74\x0b\xbc\xbb\xc9\xf2\xa8\x28\xd4\xdc\
\x3f\x7f\xf8\xa5\x3f\xda\xfe\xa9\x3a\xd1\x53\xce\x3f\x44\xcf\xd1\
\x71\x3e\xc6\xd8\x70\x8c\x44\xc4\x9c\x73\x74\x0a\x28\x3b\x40\xed\
\x38\xd0\xae\xde\x19\x80\x3a\x11\x2b\x37\x8e\x72\x15\x1b\x00\x74\
\x05\x78\x0f\x80\x42\x56\x6c\x32\x10\x1c\xc5\xda\xd1\x7c\x7e\x86\
\x2f\x7f\x0b\x6b\x5f\x16\x4b\xd9\xa9\x50\x46\x0e\xca\x9e\xc9\x02\
\x05\x37\x7d\x39\xeb\x02\x53\xd7\x44\xd7\x0c\x7d\xdf\x42\x34\xb2\
\xf3\xa1\x98\x04\x28\xbc\x98\x32\x2b\xd1\x7a\xd6\xd9\xed\xb2\xaf\
\x9b\x4d\x6f\xd3\xae\x15\x35\xe1\xae\x4d\x2e\xf7\x83\xdd\xdc\x5e\
\xab\x48\x31\x29\x6a\x44\x66\xa5\x56\xeb\xab\x6a\x0c\x44\x67\x29\
\xbc\xda\xbf\xa7\x31\xae\xa0\xba\xcf\x27\x29\xb2\xc1\x64\xb5\x5e\
\x2b\x3b\x27\xb1\x96\x4a\x0e\x3a\xe9\x26\xf2\xe3\x8b\xa9\x88\x69\
\x35\x70\x35\x13\x21\x83\xb0\x63\x7d\x39\xf3\x72\xde\x24\xf9\xf5\
\xb7\xef\x54\xaa\x88\x0f\x4e\x8b\x64\x25\x33\xc9\x22\x75\xda\x25\
\x05\x7b\x8d\x6a\xe2\x1a\x2f\x43\xce\x96\x46\x6e\x23\x3e\x04\x7b\
\xb7\xc8\xf6\xab\x37\xb7\xfa\xf9\x34\x5a\x08\xd1\xbe\xbd\x19\x50\
\x54\x15\x30\xa8\x8e\x29\xda\xa6\x91\xc0\xde\xac\x0b\xc9\x44\xcd\
\x7a\x10\x61\x73\x5f\xcf\x88\xba\xfb\xc2\x6e\x40\xd4\x52\x50\x53\
\x03\xa0\x8d\xa1\xdd\xd6\xdc\x35\x20\x22\x8a\xe9\x83\x18\x97\xf6\
\x4f\x3e\x9d\x08\x80\xf5\x44\x94\x4e\x79\x0c\xd8\x7d\x45\xfb\xb1\
\x85\xcc\x67\x0f\xe0\x09\xfd\x7d\x1f\x60\x8c\xb1\x77\xbf\xab\xdb\
\x9c\xa2\x1d\x18\xf6\xff\xdf\x17\xd5\x4e\xd5\xdf\xd1\xb9\x88\xe1\
\x0c\x78\xfb\x0e\x98\x55\xb1\xc5\xa5\x23\xbc\x07\xda\xe9\xdc\x4c\
\x23\xfa\xf5\x12\xf3\x19\xf0\xe6\xed\x1c\xc0\x0d\x7c\xae\x56\xe1\
\xb5\x96\x4a\x7f\xd0\x4c\x42\x8a\xa1\x09\xce\x37\x3e\x20\x8e\xb9\
\x26\x41\x48\x09\xc3\x3a\x43\x49\x28\xb2\x43\xd6\x8c\xc8\x8e\x39\
\xb8\x98\x52\x74\x9f\xbd\x7a\xc9\xa6\x6a\xb5\xd4\xec\x3d\xeb\xc5\
\xac\xd5\x21\xf7\x7a\xbb\x58\x28\x93\xb3\x5c\x33\x40\x64\xc3\xd0\
\xdb\xf5\x62\xad\x9e\xe6\x7a\x39\x89\x3f\xde\x1f\xb7\x07\x80\xc9\
\x64\xf2\x8a\x78\x64\xa1\xeb\xa1\x97\xb6\x69\xc4\xd4\x24\x76\x49\
\xcf\x1d\x6b\x13\x59\x44\x4c\xcc\x20\x66\xa8\x44\x23\x07\x1a\x4c\
\xe4\x76\xb1\xd0\x6f\xde\xbc\xae\xc1\xb1\x10\x25\x31\x23\x81\x5a\
\xbd\xbc\xbc\x90\xeb\xdb\xa5\xbc\xb9\xbe\xb1\xcb\x1f\x5d\xea\xff\
\xfe\x67\x5f\xdb\xcd\x62\xd0\xbf\xfd\x87\x2f\xe4\x93\xd9\xb9\xfe\
\xfa\xed\xc2\xfe\xf4\xab\x5b\x7b\xb7\xda\x28\xbf\x9c\x43\x6c\x63\
\xbf\xbd\x1d\xd0\xb8\x60\x29\xf5\x10\x4d\x36\x8d\x66\x21\x25\x88\
\xf5\x56\x64\x9c\xa8\x5e\xcc\x36\x02\x4c\xda\x71\xaf\x7e\x4a\xcd\
\xf6\x45\xf4\x63\xcc\x32\x83\xa1\xd9\x9a\x97\x15\xf7\x72\xe0\xa4\
\x66\xeb\xdb\x79\xff\x5d\x3e\x57\x37\x30\x8c\x56\xb7\xbb\xf5\xa2\
\xa3\x95\x0e\xc4\xa6\x8f\xd5\x63\x0e\xcb\x9e\x6a\x65\xfb\x98\xbe\
\xf7\xd6\x7d\xbe\x33\xd6\x63\x60\xdc\x07\xd8\x21\xe7\xd9\x3f\x3e\
\x04\xd2\x29\x0e\x35\x1d\x06\x7d\x8b\xc4\x00\xf0\x02\xc0\x30\x17\
\x5b\xdd\x3a\xa2\x75\xd6\xa6\x4c\x19\x05\x36\x9f\x5f\x51\xab\x4b\
\xed\x87\x1f\xf3\xfc\x22\xf9\xf3\xe9\xb4\x49\x4d\x1b\xc1\xc6\xc5\
\x76\x19\x28\x88\xc0\xc4\x4d\x68\x9c\x77\xec\xea\x50\x9c\x0f\xce\
\x3b\xe6\x20\x52\x99\xcc\xd8\x07\x62\x82\xb9\xae\x6b\x98\x99\x1a\
\x35\x48\x1b\x42\x8d\x21\x6a\xad\x62\x31\x06\x2d\x39\x6b\x08\x81\
\x4a\xce\xf6\xf6\x7a\x65\x06\xa8\xf3\xb8\xd8\x1f\xb3\x07\x00\x8e\
\xee\xc2\x40\x75\xb3\x5e\x2b\x83\xd4\x3b\x5f\x63\x0a\x1a\x52\x90\
\x69\xeb\xa5\x8d\x63\xec\xea\x2a\x32\xe6\x01\x35\xa7\x29\xb0\x5c\
\x5d\x67\xf9\xf6\x66\xa5\xc1\x71\x8d\xde\x2b\x83\xab\xb2\x89\x30\
\x69\xae\x83\xaa\xc0\x3c\x3b\xf9\xd5\x57\xd7\xfa\x97\x5f\x7e\xa9\
\x75\x60\xf9\x7a\x16\xad\x49\xac\xff\xdb\xff\xf3\x95\x79\x55\x8b\
\x29\xe1\xab\xf7\xd7\x0a\x00\x67\xb3\x99\xf9\x98\xc6\x28\x31\x45\
\x55\x3c\x20\xd6\x63\x12\xc6\x54\x8d\xa2\x66\x62\xa3\x9f\x9a\x1a\
\x10\x62\xda\xe5\xcf\x45\x95\xa4\x13\x22\x02\xe3\xe8\x57\x37\x26\
\xd3\xc6\xbe\x33\x01\x4f\x4e\xea\x7d\xce\xb1\xc7\x4d\x74\xdb\xfe\
\x9e\x9e\x62\x76\xda\x05\x67\xbf\xbf\xbf\x2a\xf1\x6d\x9f\x1e\x1b\
\xd7\x3e\x08\x76\xf5\xb6\xd9\xc7\x77\xbf\xc7\x40\xd6\x7b\x63\x7f\
\x0e\x67\x02\xbe\xcb\x9d\x0e\xa9\xd6\x7a\x57\x7e\x76\x2e\x76\x73\
\x3d\x8a\x72\x00\x30\xc9\x62\x9b\x8b\x0b\xea\x97\xb7\xd6\xac\x97\
\x94\xba\x89\xc5\xa6\xb3\xf9\x45\x0a\x9f\xcd\xcf\x23\x3c\x38\x25\
\xa0\x71\x89\x42\x88\x5c\xac\x3a\x15\x71\x4e\x39\xa4\xc0\x51\x3d\
\xc5\x4a\x14\xc1\x2e\xa4\x68\x21\x0f\x83\x37\x98\x03\x3b\xe7\xc6\
\xcd\xc2\xf0\x63\x34\x60\x2f\x86\xb6\x6d\x62\xf1\x21\x08\x81\xb5\
\x4a\x31\x22\x05\x39\xd1\xf7\x8b\x95\x99\xa2\x76\x9e\x2f\xfe\xab\
\xff\xf1\xff\x9a\xfc\xa3\xff\xf4\x3f\x58\x01\x3b\x11\x8e\xf0\x12\
\xa0\x9a\x8b\x0a\x13\x57\xa9\x22\xc1\x07\xe9\x97\x2b\x49\x93\xa8\
\x91\x59\x72\x15\xb9\xcd\x90\xe5\x46\xf4\xdf\xf9\xd4\xcb\x9b\x65\
\xd6\xff\xf5\x57\x7f\x29\xb7\x37\xd7\x95\xbd\xd7\xca\x10\x26\x55\
\x30\x89\x37\xd2\xd5\x6a\x6d\x7f\xeb\x27\x9f\xca\xbb\x3e\xeb\x5f\
\xfe\xfa\xb7\x5a\x8d\xc5\xb5\xde\xde\x5f\xdf\xea\xb7\xd7\x4b\xf3\
\x21\x58\x17\xa2\x89\x98\xf5\xcb\x95\xa2\x01\x1a\x35\x90\x9a\x05\
\x6f\x16\xd8\x6c\x16\x81\x36\x8c\xc6\x02\x49\x66\xaf\xd4\x6c\xd8\
\xea\x28\x71\x9b\xa5\x2c\xed\x4d\x0e\x6d\xcc\xba\x3d\x48\xec\xf6\
\xb1\xa4\x06\xd6\x18\xd0\x6f\x8f\x8f\x38\x46\xdf\xd1\xde\x64\xdb\
\x81\x63\x57\xfc\x64\x43\xc0\x61\xf9\xde\x64\xd4\x53\x13\x7a\xbf\
\xec\x39\x40\x3c\x75\xad\xa7\xb4\x3f\x05\x84\x7d\xf0\xec\xfe\x67\
\xe6\x67\x03\xe7\x31\xda\x07\xce\xee\x38\x03\xc8\xdb\x8c\x11\x2f\
\x83\xa3\xdf\x9e\x89\xa1\x02\x6d\x11\xdb\x74\x53\xa4\xeb\x6b\x7c\
\xf6\xa3\x2f\xe2\xec\xec\xdc\x57\x12\x22\x07\xea\x9a\x33\x9a\x4c\
\x82\x0b\xde\x7b\xa8\x85\xe5\x72\x15\x60\x1a\x63\x0c\x8d\xaa\xc4\
\x26\xb8\x34\xfa\xa3\x70\x88\x9e\xbd\x8a\x39\x85\x39\x13\x25\xd5\
\x8a\x7e\xa8\xf5\xc5\x2c\x61\xd5\x67\x86\x0b\xed\xf9\x7c\xaa\x8b\
\xc5\xb2\x88\x89\x79\xf2\x66\xaa\x58\xac\xd6\xc8\x0a\x89\x81\x66\
\x9f\x7d\x3a\x9d\x60\xbb\x89\xd7\xff\xe2\xbf\xfc\x47\x6d\x31\x9e\
\x32\x53\x91\x5a\x2a\x7b\x96\xd4\x44\xe9\xf3\x50\x9d\x4f\xf5\x62\
\xd6\xd5\x41\x44\xbe\xba\x91\xfa\xff\xfe\xf6\x8d\x7c\x73\xbd\x90\
\xdf\xbe\xee\xe4\x5f\xfd\xc5\xd7\xf5\x9b\x6f\xde\x14\x22\xab\x26\
\x10\x1e\x13\xc9\x15\x22\x2f\x50\x92\xae\xe9\xe4\xe6\xdd\x7b\xbd\
\x7e\xff\x46\xab\x91\x24\x4f\x62\x5a\xb0\xce\x4e\xda\xd8\xc9\x04\
\xde\xe0\x14\x75\x2d\x0a\x16\x03\x37\x40\x11\x04\x6f\xe8\x7c\xd4\
\xb6\x05\xce\x92\x19\xa0\x18\x06\xa2\xb4\xf5\xa5\x3a\x4f\x8d\x8d\
\x09\x78\xef\x73\x8f\xa6\x19\xb7\x5e\xef\x4f\x82\x34\x22\xc5\x9a\
\x83\xd7\x7e\xa8\x97\xec\x8a\x8f\xbc\xe3\x93\xe2\xd2\xb6\x8f\xa3\
\x93\xfe\x31\x00\x3c\x54\xf6\x14\xce\x73\x0a\x44\x8f\x5d\xef\x50\
\x2f\x3b\xa4\x43\x70\xef\xeb\x41\x07\x60\x7a\xd2\xb5\x1f\x32\x28\
\xd4\x5a\x6d\x07\x20\xef\xc7\xac\x46\xde\x7b\x7a\x51\xab\xe1\x02\
\xb8\xb9\xf2\x94\xcb\xd8\x96\x56\x59\xdf\xc6\x1e\x9c\x1b\x7e\x39\
\xbf\x48\x98\x74\x8c\x5a\x2c\x90\x67\x38\xe3\x6a\x6b\xf7\xfe\x5b\
\xf1\x1c\x5c\x9c\x4f\x27\xed\x74\x92\x1a\xad\x75\x12\x1c\xcf\x1c\
\xd0\x12\x85\xc4\x64\x91\x98\x82\x64\xef\xab\x9a\x33\x28\xd5\x5a\
\x21\x92\x35\x97\xd0\x47\x3f\xb5\xab\xd2\x5b\x29\x19\x4d\xd3\x44\
\x18\x02\x96\x8b\x2a\xaa\xda\x38\x67\xeb\x75\xb6\x4d\x51\x6d\x23\
\xc7\x36\xc6\x39\x80\x6f\x01\xc0\xbf\xf8\xf9\xbf\x3f\x1b\x86\x1a\
\xa0\x52\xc9\x91\x75\x4d\xd2\x52\x8b\x84\xc1\xd7\xb3\x59\x53\x8d\
\xa8\x2e\x7a\x91\x7f\xfe\x2f\xff\x42\xbf\xf9\xe6\x8d\xbe\x7f\xff\
\xbe\xfe\x9b\x69\x57\x83\xf7\x25\xa4\x50\x4b\xae\x15\x81\x2a\x57\
\xab\x46\x50\x52\x12\x72\x10\xa9\x5a\xd7\xb2\x56\x72\x90\x40\xad\
\x5a\x61\x35\x12\x2d\x7d\x11\xa2\x95\x7a\x14\x6b\xdc\xa8\x8d\xf8\
\x98\xcc\xbb\x68\xc2\xc1\xc8\x0b\x85\x64\xe6\xaa\x59\x3c\x03\xb0\
\x06\x62\x30\xeb\xb6\x8a\x8b\xda\xb8\x07\x39\xa4\x31\xb4\xd3\xa1\
\x75\xad\xc7\xc8\x95\x2e\xdb\x0f\x3b\xaf\x6d\x3b\x39\x76\x3b\x3f\
\xf7\x44\x2e\x7d\x60\x22\x3e\x2a\xde\x9d\xa2\x23\x40\xfb\x4e\xfb\
\xfd\xeb\xee\x4f\xdc\x53\xe3\x39\xec\xe7\x21\x4e\xb4\xdb\xdf\xb3\
\xbf\x8e\x74\x6c\x1c\xcf\x35\x14\xec\xe8\xd0\x54\x0d\x7c\xd0\x73\
\x1e\x33\x1e\x00\x1f\x38\x4f\xce\xf9\xae\x9f\x1d\x88\x00\xe0\x45\
\xad\x16\xe1\xe9\xcd\xf6\x78\x92\xc5\x10\x41\xcd\x74\x1e\x85\xaa\
\xc3\x62\x0c\x91\xda\x34\x80\x99\xe3\xe1\x7a\xf0\xf0\x16\x5a\xb3\
\xc8\x92\xdb\xc4\xdd\xd4\x75\xed\x94\x55\xce\x88\x30\xf1\x9e\x12\
\x13\x37\x44\xe6\xd5\x07\x5f\x6b\x66\x55\x33\x44\x6f\x55\xad\x2e\
\x8c\x29\x4b\xcd\x6d\x9b\xa4\x6b\x5a\xe4\xbc\x31\xef\x9c\x9b\x4f\
\x27\x7e\xbd\x19\x4a\x88\x5e\xd7\xa5\xea\x6a\xa8\xda\x7a\x76\x0c\
\x7a\x89\xad\x4b\x8f\x9f\x4c\x9b\x49\x8c\x3e\x31\xa1\x9e\x9d\xbf\
\xd0\xbe\x1f\xf4\xed\xdb\x37\x9a\x7c\xd4\x59\x17\x35\x3a\xd6\xdb\
\xbe\xc8\x57\x5f\xff\x4e\x6e\xde\x5f\x09\x07\xa7\x5d\xd3\x49\x96\
\x41\xd5\xcc\x1c\x48\x09\x50\x30\x19\xc3\x14\x0e\x02\x85\x08\x99\
\x39\x82\x10\x93\x50\x24\x35\xef\x2c\x52\x52\xe3\x6a\xc8\x55\x2b\
\x7b\xf4\x45\x0c\x0e\xf0\xa2\x16\xdc\x76\x21\x6d\xb7\x21\xab\xdd\
\x6e\xd9\xef\x80\x46\x5b\x53\x05\x98\x37\x04\x74\x48\x5b\xab\x5b\
\xb3\x9d\x1d\xfb\x2f\xe7\x4c\x4d\xef\xe2\x06\xec\xd1\x6e\x32\x35\
\x3b\xd6\xf1\x8c\xaf\xf8\x3e\x7d\x2c\x87\x38\x05\x80\xfd\x09\xff\
\x10\x1d\x03\xc1\x63\xf7\xf0\x18\xc7\x79\x0a\x3d\x15\x64\xfb\x9c\
\xe6\xd4\xef\x7d\x91\xed\x98\xf8\x06\x8c\xa0\x8a\x31\x52\xbe\xa8\
\x86\x2b\x4f\x9f\x00\xf8\xcb\xb3\x6a\xde\xce\xa3\xf9\x31\x23\x56\
\x70\x8e\x00\xa1\xca\x2d\xb5\xc4\xec\xa2\xb8\xe8\xbd\xef\xba\x26\
\x35\xa1\x6d\xd8\xf3\xa4\x8d\x6e\xa6\x8a\x33\xc7\x3c\x0d\x4c\x0d\
\x13\x35\x30\xf3\x46\xe6\x0b\x13\x00\xb1\x2a\x56\x9d\x4a\x5e\xf5\
\x2a\xab\xbe\xe8\xac\x49\xb8\x98\x77\xba\x5a\x2d\x50\x5c\x36\x36\
\xc7\x5d\x9b\x9a\xae\x9d\x94\x9c\x8b\xae\x36\x03\x3e\x39\xeb\xdc\
\xa4\xe3\xb3\xdd\xb8\x3d\x0a\xb5\x29\x46\x66\x22\x69\xbd\xab\x16\
\x83\xa8\x88\x78\x1f\x24\x38\x48\xae\xa8\xdf\xbe\x5b\x48\x8a\x51\
\xe7\xe7\x73\x59\x6d\xd6\xe2\x1d\x49\xce\xe3\x26\x24\xf6\xac\x5a\
\x06\x21\xe7\x45\xd5\x2a\x11\xab\x73\x64\x30\xa9\xe4\x49\x0c\xac\
\x46\x4e\x9d\x37\x38\x56\x73\xe6\x15\xec\x0d\x2e\x18\x00\xf2\x21\
\x59\x70\x6a\xe1\xac\xb1\x69\x88\xca\x8e\xc8\x55\x85\x04\x60\xbd\
\x26\xd2\xc6\x4c\x6c\x65\x40\x87\x56\xb7\x1b\xf9\x81\xef\x60\xa4\
\x69\xcd\xee\x62\x67\x8c\x2c\xe7\xde\x56\x8d\xc3\xc9\xb4\xcf\x25\
\x4e\x4c\xc2\x7b\x2f\xf8\x48\x9d\x27\x99\x8f\x0f\x27\xfe\x31\x10\
\x9c\xea\xe7\x58\xbf\x87\x6d\x8e\xb5\xff\x3e\xe6\xeb\xe7\xb6\x7d\
\x48\x4c\x7b\x8c\x62\x8c\x94\x73\xb6\x1d\x68\x76\xe5\x39\x67\x1b\
\x9d\x79\x3d\x5d\x2d\x7a\x8d\x7e\xee\x2d\xba\x00\x00\x1c\x92\x02\
\x6b\x06\xda\xbb\x75\x72\xef\x12\x07\xef\x5c\xf4\x31\x38\xcf\x29\
\x30\x77\xc4\x3c\x8d\x4c\x73\x06\x66\xc1\xbb\xce\xc1\x1a\x10\x3c\
\x54\x9d\x63\x98\x19\x4b\xe0\x9a\xab\x90\x13\xe9\x87\x9b\x85\xe5\
\xd9\x24\xd9\xb4\x9b\x98\x67\x98\xdb\x26\x68\x65\x30\xce\xe6\xb3\
\xf8\xfa\xdd\x8d\x5c\xdd\x0e\xfa\xc5\xcb\xa9\x49\xf9\xb0\x44\xcf\
\xa1\x89\xad\x77\x30\x86\x89\x00\x46\x66\xca\xce\x69\xdb\x45\xfd\
\xdd\xd5\x52\x55\xb2\xfc\xe6\x77\xef\xf4\x6c\x7e\x26\xdd\xa4\x95\
\xe0\xbc\x02\xa4\x30\x91\x36\x06\x71\x21\x55\x23\x56\x38\x12\x32\
\x88\xa2\x6a\x88\x4e\x77\xe0\x51\x72\x1a\xb9\x6a\x67\xad\x38\x63\
\x01\x7b\xf5\x31\x59\xd3\x00\xed\x34\x68\x48\x23\x78\xce\x9a\xc6\
\x3a\x00\x49\xcc\x52\x63\x96\xcc\xac\x24\xd5\x64\x66\xaa\xad\x35\
\x5b\xce\x84\x0e\x68\xdb\x0f\x2f\xb8\x31\xb3\xa6\x1d\x77\x74\x3e\
\xf0\xae\xec\x10\x38\x87\x27\x3f\x66\x02\x3c\xd6\xfe\x94\x08\x77\
\x6a\x1c\xbf\x6f\xfa\x7d\x5c\xf3\x39\xe0\xd9\x17\xd3\x1e\xa3\x97\
\x39\xdb\xd5\xa2\xd7\x36\x79\x6a\x5a\x8d\x45\x3e\x3c\xc7\x0e\x1d\
\xda\x16\xa8\x3a\xee\x30\x6e\x12\x51\x9b\xa2\x0b\x8e\x7c\xf4\x9c\
\x52\x70\x29\x10\x75\xde\xd1\x24\x06\x37\x8b\x9e\xe6\x31\xba\x79\
\xf0\x6e\x1e\xa3\x9f\xa5\xe0\xa6\x31\x70\x97\x62\xec\xbc\xe7\xd4\
\x3a\x8b\x43\x1e\x1c\x83\x28\xa5\x48\x20\x06\x79\x46\xf0\xc1\x8c\
\x60\x31\x38\x8e\x81\xfd\xd7\xd7\x37\x20\x26\x13\xd0\xec\xee\x9e\
\x9c\xa3\x09\x99\xa8\xf7\xac\x28\x22\x2e\xb0\xa8\x9a\xe6\x22\x9a\
\xd8\xa9\x9a\xe8\x40\x24\xaf\xdf\x7d\xab\xb5\x2f\xd2\x35\xad\x10\
\xa1\x90\x23\xf1\x3e\x89\x94\xde\x9c\x0f\xaa\x30\x65\x76\x16\x55\
\x85\x14\x5a\xc5\x5b\x40\x35\x1f\x54\x23\xcd\xd5\xd8\x1b\x18\xea\
\x45\xcd\xc7\x64\x9d\x6f\x0c\x02\xc4\xa4\x06\x6d\x90\x1a\xb3\x24\
\x66\xa9\x55\xfb\x64\xeb\x5a\xd9\x2b\x91\xe2\x03\xb7\xb1\xd6\xac\
\x3b\x78\x5d\x6d\x3b\x5a\xe3\x9e\x32\x39\x3e\x06\x28\xcf\xd5\x4d\
\x9e\x52\xe7\xfb\x4e\xe4\x1f\xca\x73\x00\x78\xbe\x1e\x74\x58\xff\
\x39\x1c\x68\xdf\x70\x70\x48\x87\x5c\x08\x00\x2e\x5e\x66\xbb\x5a\
\x5d\x84\xdb\x6c\x1c\x45\x2d\x83\x01\x2c\x61\xc9\x1b\x7b\xcf\x5e\
\x85\x10\x01\xa2\x40\x2e\x10\x3b\xf6\x2e\x7a\xf2\xc1\x53\xf4\x4c\
\x8d\x07\xb7\xce\xa1\xf3\xcc\x13\x76\x94\x6c\x1b\xa7\xd9\xb1\x33\
\x51\xce\x30\x23\xd1\x5a\x82\x73\xde\xa4\x67\x33\xf0\xa6\xef\xa9\
\x8e\x49\x66\xe0\x3d\xa1\x94\x6c\x4c\x4e\x9b\x36\x86\xb7\x8b\x8d\
\x88\x42\x0c\x3a\xdd\x8d\xd1\x37\x31\x36\x39\xab\x3a\xc7\xca\x26\
\x4a\xce\xc9\xd0\xf7\x3a\xac\xd6\x3a\xef\x82\x24\x66\x2b\xc5\xd4\
\xb3\x13\x4a\xa6\x3e\x7a\xe9\x87\xac\x64\x10\x40\x15\x60\xb5\xaa\
\x1a\x3d\x8b\x78\x13\xa2\x28\xc5\x48\xc7\xa4\x11\x4e\x5d\x70\x56\
\x83\x5a\x13\xd4\x36\x59\xcd\x4d\x83\xce\xe3\xc8\x01\xc9\x27\x2d\
\x02\x5c\x34\x6a\x17\x02\x60\x02\xbc\xd0\xc9\xf6\x45\x8d\xf1\x02\
\xf6\xbd\x94\x79\x6b\x0d\xd8\x1d\x37\xcd\x18\xc2\xe2\x01\x11\x8c\
\x70\x44\xd4\x3a\xb5\x18\xf9\x18\xed\x4d\xda\x8f\x5a\xc3\x79\x8a\
\x6e\xf4\x54\x7a\x0c\x44\x3f\x24\xc8\x9e\x43\xdf\x47\xa4\xdb\x37\
\x2a\x0c\xc3\x60\xcd\x62\xc6\xfe\x5c\xe2\x5c\x54\x17\x0b\x80\xaa\
\x5a\xf0\x4a\x26\x6a\x3d\x8f\x89\x00\x4c\xb7\xab\x54\x02\xa2\x44\
\x4c\x04\x76\x44\xc1\x13\x05\x66\x44\x76\x9c\xbc\xe3\xc4\x64\x8d\
\x19\x39\x02\xd8\x40\xe3\xa7\xd9\x4c\xa2\x73\xbe\xf1\xec\x09\xea\
\xa4\x64\x32\xa8\x31\x30\x46\x37\x27\x32\xb0\xb3\xd4\xb6\xe8\x4a\
\x21\x15\x84\x5a\xa1\x56\xf5\x6e\x5a\xb2\x82\x5b\xd1\x0a\xef\x48\
\x8a\x89\x98\xc0\x00\xd3\xf5\xd0\x6b\x8c\x49\x53\x0c\x5a\xd4\xd4\
\x07\x2f\xd1\xc7\x9a\x87\x2c\x55\xca\x36\x7d\x61\x54\x58\x15\x47\
\x5a\x8b\x42\xc2\x56\xdf\x09\xc9\x69\x37\x99\xda\x67\x3f\xfa\xb1\
\x39\x1f\xac\x61\xaf\xde\x9c\xf8\x90\xac\x43\x0b\xf2\xa2\xd3\x79\
\xd2\x8b\xc6\xec\xa2\x31\x9b\x74\xc0\x64\xd2\xe1\x45\xdb\x1a\x26\
\x40\xdb\x99\xa5\x46\xf5\x21\x17\xff\xd6\xcc\x8e\xd8\x0a\x0e\xe9\
\xc9\x2f\xf2\x98\xb8\x75\xa8\xc7\x3c\x24\x92\x3d\x85\xfe\x3a\xc4\
\xb6\xbf\x6e\x7a\xcc\x22\x77\x8a\x36\x9b\x8d\xf9\x4f\xe6\x5e\xb3\
\xe3\xa6\xaa\xa5\x76\xeb\x25\xd1\x37\x8a\x09\x70\x26\x6a\xa9\xc1\
\x87\x68\x4b\x7e\x8c\x53\xcd\x4a\xce\x08\x4c\x04\xe7\x99\x7d\x74\
\x14\x1c\xc3\x33\xd8\x7b\x47\xc1\x31\x47\x47\x14\x3d\xf3\x36\x92\
\x15\xbb\x26\x79\xd7\x04\xe6\x3e\x17\xf3\xcc\xf0\xc4\xf0\xec\x51\
\x6a\x31\x76\x4e\xdb\x36\x19\x98\x54\xcd\x7c\x31\x65\x55\x6b\x7e\
\xf1\x8b\x5f\x38\x00\x60\x32\x04\x33\x13\x47\xac\x55\x4c\x9d\x63\
\x35\x42\x35\x35\x31\x35\xf9\xf5\x9b\x65\xf5\xce\x8b\x77\x5e\xd4\
\xcc\xaa\xa8\x6a\x29\x86\xaa\x3a\x6e\xfd\x89\xa2\x81\xb5\x69\xbc\
\x29\xb1\x06\x54\x75\xa2\x66\xec\xd4\xa3\xc8\x24\xb1\xf8\x98\x6c\
\x03\xc0\x86\xaa\x98\x25\xbd\x68\x5a\xbb\x68\xcc\x76\xb2\x59\x07\
\xa0\xd1\x51\x8f\xd9\xe9\x32\x7c\x62\xb2\xb5\x36\x82\x4b\xdb\x87\
\x15\xe9\xe7\x4c\xf6\xc7\x94\xf2\xef\x03\x9a\xbf\x0e\x2e\xf0\x7d\
\xe9\x87\x04\xfa\x8e\x1b\x9d\x12\xdd\x8e\xd1\x30\x8c\x66\xea\x9e\
\xba\x50\xc4\x2c\x8b\x5a\x16\xb5\x54\xd5\x06\x3f\xae\x41\xd5\xa4\
\x16\xd4\xac\xf3\xc1\xba\x00\xb4\xe4\x29\x79\x50\x08\x4c\x1e\xe3\
\xe6\x48\x22\x73\x04\x62\x02\x1c\x3b\xf2\x0e\xec\x1d\x93\x0b\x9e\
\xd8\x33\xbc\x63\x38\x66\xb8\xe0\x1d\x37\xce\xd3\xed\x6a\x43\xa5\
\x64\x0a\x31\x98\x23\x36\x26\x67\x5d\x9b\x60\x18\x13\xe7\xf4\x43\
\x41\x16\xf3\xf0\xe4\xf0\xef\x8e\x00\xf2\x80\x79\x17\xa2\xdd\x0e\
\xa2\x9f\x4e\xa3\x66\xb0\xc2\x48\x55\x8a\xdc\xdc\x2e\x74\xd1\x67\
\x09\x29\x88\xde\x9a\x19\xd9\x98\x00\xb8\x54\x21\x66\xe9\xd7\xbd\
\x18\x9b\x7a\x62\x25\x1f\xc5\x64\xa5\x55\x60\x81\x49\x22\x79\xbd\
\xba\x5d\xaa\x0f\xd1\x3c\x80\xd6\x55\xc5\x3c\x68\x94\x71\x75\xb3\
\xaa\xda\xbc\x35\x43\x02\x02\x26\x48\x8d\x1a\x3e\x78\x42\xdf\x4b\
\xdb\x01\x00\xaf\xba\x31\x54\xf8\x29\x3a\x65\x4d\x3b\x52\x6e\xdb\
\xb2\x3b\x2b\xdd\xef\x43\xdc\x39\x65\x85\xfb\x21\xe9\x63\xfa\x7e\
\x4a\x9b\xc3\xf3\x1f\xbb\x5e\xb4\xa3\x7d\xf0\xec\x8b\x69\xc0\x07\
\xb0\xec\xd3\x66\xb3\xb1\xfa\xc9\x27\xae\x2f\x83\x4f\xad\xaa\x6e\
\x77\x25\xe6\x4e\x0d\x79\xbb\x88\xbb\x06\xc4\x47\x03\x22\xd4\xb3\
\x79\x3f\x2a\xf4\x0c\xc0\x33\xe0\x3d\x73\x0a\x8c\x2e\x32\x89\xd2\
\x98\xfc\x8f\xe1\x08\x44\x66\x30\x47\xcc\xec\xc8\xa9\x37\xf2\x54\
\x10\x22\xd3\xf5\xcd\x0a\x7d\xbf\x31\xcf\x80\x99\x18\x19\x10\x7c\
\x84\xaa\x82\xc1\x10\x85\x55\x51\x17\xbd\x0b\x17\x3f\x6a\xc6\x7c\
\x6c\x2e\x78\x9e\xc4\x20\xef\x6f\xd6\xf6\xd3\x17\xc1\x7c\x6a\x74\
\xda\x4d\x74\xb5\x59\xda\x9b\xf7\x37\x1a\x42\xd0\x7e\xbd\xd6\x32\
\x64\x21\x88\x90\x83\xf8\xe8\x25\x57\x51\x47\x55\xc9\xc8\xcc\xb3\
\x5a\x11\xb5\x5c\x15\x3e\xa9\x91\x53\x70\x55\xcf\xd1\x7c\x48\xd6\
\x4e\x83\xad\x33\xdb\xc4\x47\xbb\x68\x14\xa9\x01\x5e\xb4\x9d\xc9\
\x6e\xcd\x67\x2b\x69\xad\x30\x06\xe4\xdb\x3d\xc8\x6e\xba\x4b\x08\
\x35\x6a\x3a\x0f\x98\x9c\x9f\x4d\xcf\xed\xeb\x18\x97\xfa\xbe\x63\
\xf9\x7d\x73\xa7\x8f\x05\xef\xef\x0b\xf4\x8f\x71\xa1\xcd\x66\x63\
\x00\xb0\x5c\x2e\x0d\x9f\xfc\x49\xa8\x6a\xe6\x87\xaa\x19\x40\x5b\
\xd5\x36\x9e\x29\xb5\x6a\x4e\x3a\x73\x29\x9b\x82\xc8\x87\x31\xef\
\x12\xfc\x98\x89\xdc\xf9\xed\x2d\x00\xe4\x01\x0a\xcc\x14\x1d\xc6\
\xc0\x24\x18\xb5\x1a\xe5\x31\x41\xa4\x19\x88\x01\xf2\x9e\xb9\xf1\
\xcc\x89\x41\x03\x39\x32\x83\x79\xef\x31\x94\x82\xa1\x66\x2b\x39\
\x23\xc4\x88\x6a\x6a\x45\x0c\xe7\xad\x6f\xcf\xdc\xe5\x56\x84\x23\
\x10\x39\xb2\x75\xbf\x56\x00\xd6\x44\x56\x63\x58\xce\xd9\xd8\xb3\
\x6e\x86\x41\x6f\xaf\x6f\xc4\xc8\x14\x44\x4a\x2e\x48\x74\xe3\x56\
\xd7\x11\x44\xbe\x92\x42\xd8\x7b\x63\xe7\xcd\x79\xb1\xd4\x79\x35\
\xf6\xea\x43\x32\x9f\x46\x6c\x05\x11\x8b\x4d\x67\x1c\x45\x53\x3b\
\x46\xa8\x04\x46\x53\xa4\x74\x63\x44\xcb\x7b\xe0\x99\x8c\x51\x2f\
\x3b\x33\x9b\x7e\xe7\x51\x1f\xa7\x53\x7a\xca\x43\x4a\xfd\x43\xfd\
\x9c\xba\xcc\xb1\xf6\xdf\x57\x8c\xfc\x7d\xd0\x0f\x2d\x8e\x3e\x97\
\x44\xc4\x76\x96\xb7\x67\x81\x07\x80\x97\xc1\x97\xad\xe8\xb6\xdc\
\x14\x1d\x8a\x58\xae\x6a\xcb\xa1\x6a\x91\x5b\xbb\x91\x85\x85\xa8\
\xdb\x0f\xd9\x36\x29\x99\x83\xb1\xb1\x31\x33\x98\x60\x02\x98\xa8\
\x6e\x97\x05\x41\xcc\x20\xe7\x98\xa2\x03\x45\xc7\xe4\x18\xec\x1d\
\xc8\x11\xd3\xce\x3b\xc9\x39\x32\x47\x66\x6d\xdb\x18\x33\xa3\x0c\
\xc5\x4a\xce\xd6\xb6\x09\x0a\x60\x3d\xa8\xcd\x9b\x98\x7e\xfa\xd9\
\x7c\x74\xc4\x76\xce\xc1\x11\x6b\x13\x93\x11\xb1\xdd\x2c\x8b\x0e\
\xfd\x20\x5a\x45\xcc\xcc\x24\x57\x1d\x72\x51\x32\x91\xe4\x3b\x05\
\x00\x66\x67\x9e\xa2\x2a\x44\xab\x53\x8b\x5b\x4d\xce\xf9\x60\x4a\
\x4e\x8b\xa8\xf9\xa0\xe6\x45\x2d\xd4\x64\x13\x9f\x34\xa6\xf6\xee\
\x01\xb6\x3a\x1a\xa3\x5b\x35\x6b\x3b\xb3\x4e\xed\x8e\x1b\x1d\xd2\
\x53\xc0\xf0\x7d\x14\xfc\xc7\xda\x7d\xac\x2e\xf5\x7d\xfa\xf9\xa1\
\xe8\xa9\x1c\xf2\xd0\xb7\xed\xfb\x8e\x53\x44\x6c\x18\x06\x7d\x0a\
\x70\x80\x0f\xe0\xd9\xd1\xab\x57\xaf\x78\x59\xa3\x6b\x44\xad\x4c\
\x46\x90\x0c\x45\xac\x7f\x23\xd6\x97\x31\xf6\x33\xd6\xdb\x68\x3e\
\x00\xcc\x60\x5a\x60\x10\xec\x32\x5e\x99\x8e\xce\xf3\x18\xd3\xd9\
\x8f\x8e\x93\x0c\xbe\x03\x1b\x11\xc8\x11\x08\x20\x72\x0c\x04\xc7\
\xc4\x4c\xc6\x0c\xb0\xf7\x60\x66\x04\xe7\x4c\x4d\x08\x00\x82\x1b\
\xe3\x10\x6c\xaa\x6a\x13\xe1\x7f\xfa\xd9\xbc\x01\x00\x86\x00\x06\
\x58\x88\xde\x0c\xa6\x8b\xf5\x60\x22\x00\x31\x4c\x45\xa5\x6a\xd1\
\x2a\x45\x41\x41\x27\xb3\x56\x99\xcd\x8c\x58\x99\xd5\x3c\xb1\x0e\
\x65\xa3\x43\xd9\x68\x24\xd1\x48\x4e\x23\x8f\xfb\xd4\xbd\x24\x0b\
\x31\xd9\x64\x9e\xb4\x9b\x4c\x10\x9b\xce\x62\xab\xd6\x88\x5a\x28\
\xaa\xd2\x8d\x81\xf5\xf6\x1f\xdc\x2e\xb6\x72\x77\x04\x4c\xc7\xbe\
\xf6\xc7\x02\x76\x3c\xc2\x39\x76\xe7\x9e\xed\x88\xb9\xd7\xc7\xdf\
\x18\x7a\xae\x2e\x73\x8a\x0e\xf5\x9b\x43\xe0\x3d\xc7\x95\x27\xe7\
\xac\xcf\x31\x18\x1c\xa3\xc5\x6c\xc6\xc3\x86\xa8\x56\xb5\xb6\x8a\
\x0d\x5b\xa7\xd2\x7e\xb2\xbd\x46\xdd\x06\x50\x97\x64\x6a\x66\x05\
\x63\xba\x7b\x19\xc7\x3a\x02\x04\x00\x81\x61\xb6\x2f\x71\xef\xfe\
\x98\xb7\xff\x93\x63\x62\x33\x25\x66\xa3\xe4\x1d\x79\x66\xf8\xd1\
\xf3\x1c\xde\x7b\x78\x17\x2c\xa5\xf8\x21\x36\x9e\x19\x3c\x31\xa8\
\x69\x27\x00\xc0\x42\xa6\x0c\x60\xd6\x46\x2c\x7b\x98\x7a\xaf\x29\
\xb1\xa9\x91\x39\xe2\x31\x2b\x36\xb3\xd5\x5a\xd1\xa4\x06\x8e\x58\
\x8d\x74\x34\x63\x73\xa4\xc6\xb5\x66\x79\xeb\xae\x13\x82\xf9\xa0\
\x66\x5c\x34\x44\xb5\x90\x5a\xeb\x26\x13\x24\x51\x8b\xa2\x76\x9e\
\xaa\xb6\xdd\xd4\x64\xa2\xd6\xa9\xd9\x7c\xf7\xf0\x55\xad\x9d\x88\
\x36\x9d\xe8\x67\x53\xb3\xe9\xd4\x6c\xfa\x04\xf1\xa8\x3d\xf1\x55\
\xff\x9b\x26\x36\x7d\x9f\x7a\x7f\x1d\xf4\x9c\xb1\xed\xc7\x3d\x78\
\xee\xfa\xcf\x30\x0c\x76\xc8\x7d\xae\xae\xae\x2c\xed\xbc\xb3\x9b\
\xaa\xb9\xce\xad\x9d\xce\x6d\x33\xad\x76\x71\xd0\xbe\xee\x05\xb3\
\xb7\x6d\x40\x18\x31\x98\x8c\x29\xa4\x30\x06\x61\x1a\xb3\x7b\x13\
\xdd\x7d\xfc\x46\x34\x81\x88\x79\xb4\x77\x6f\x75\x23\x02\x33\x79\
\xef\xe1\xbd\x47\xad\x15\xcc\x8c\xe8\x19\xc4\x34\x46\x88\x57\x23\
\x0f\x80\x18\x4a\x55\xb7\x1c\x48\x4d\x8d\xc8\xa2\x67\x5b\x0c\xc5\
\x92\x77\x20\x62\x33\x98\xae\xd7\x1b\xcb\xc3\x80\x31\x2b\xb6\x59\
\x4c\xc9\x38\x25\x63\xd5\x3b\x91\x2b\xc6\x08\x76\xc1\xaa\x6c\xac\
\x56\x35\x5f\xe3\x76\xa0\x2d\x62\x1a\xa3\xad\xac\x00\x34\xad\xda\
\x0c\x73\x74\xdb\xe8\x2b\xb2\xf7\x55\x9b\xce\xcc\xce\x30\x86\x82\
\xdd\x8f\x74\xb9\xd8\xdd\xf1\x03\xf4\x9c\x17\xb6\x47\xcf\xd5\x57\
\xee\xb8\xd7\x63\x62\xda\x47\x8e\xe7\xdf\x0a\xda\xe9\x3c\xdf\xb7\
\x9f\xcd\x32\x71\x6a\xcd\xc6\x68\x09\x23\x5d\xe2\x12\x00\x70\x0e\
\x20\x75\x13\x9b\x4c\x26\x88\x71\x0c\x3a\x03\x00\x64\x4e\x21\x30\
\xdb\xe2\x46\x45\xcd\x0c\x6a\x30\x15\x1b\x23\x5e\xec\xbf\x1d\xba\
\x5b\x68\x1f\x53\x40\xa9\x2a\x08\x6a\xde\x7b\x34\x4d\x04\x33\x00\
\x1e\x5d\x05\x4a\xae\x60\x06\x7c\x88\x16\x83\x83\x28\xd4\x1c\xbb\
\x5f\xfc\xe2\x17\x8e\x99\x58\x98\x3d\x1c\xb1\xe6\x2a\xda\x05\x36\
\x95\x6a\x3e\x04\xf3\x69\x0c\xa3\xab\x6c\xe6\x88\xc7\xac\xd9\x3a\
\x8a\x70\x21\x04\x18\x89\x3a\x17\xcc\xf9\x6d\xfc\xaf\xa0\x56\xaa\
\x9a\xaf\x8d\x85\x64\x56\x44\x8d\xb2\xe8\x2c\x8a\x36\x75\x04\x53\
\x9d\x8e\xb1\x0e\x44\xcd\x44\xd5\x26\x27\x62\x8a\x99\x99\xcd\xf6\
\xca\x9e\x3b\x39\x1f\xd2\x95\x1e\xaa\xfb\x31\xc0\x3c\xd6\xfe\x98\
\xc8\xf9\xb1\xfd\x3f\x76\xcd\xbf\x6a\xda\x71\x9d\x7d\xce\xf3\x31\
\xdc\xe7\xd4\xb9\xe8\x1d\x6d\x8d\xba\xd6\x95\xbd\x7e\x2f\x80\x61\
\x3a\xb7\xb6\xaa\xc5\x66\x9c\x37\x09\x63\x06\x71\x00\xa8\x6c\x06\
\x19\xe3\xff\x11\x41\x81\x2d\xa0\xc6\x0d\xcc\x66\xd0\x0f\x20\xe2\
\xd1\x52\xc7\x4c\x70\xcc\xe4\x98\x41\xcc\xc4\x60\x44\x1f\xd1\x35\
\xd3\x51\x94\x83\xa2\xef\x37\x58\x0f\x03\xda\xb6\x45\x62\x90\x88\
\xd5\x02\xe0\x1f\xfc\x83\xff\x3a\xb1\x91\x16\x62\xb6\xc8\xac\x91\
\x61\xf3\x04\x33\x63\x03\xb6\x49\x93\x1c\xc0\xea\x8c\x39\xd9\x6c\
\x9e\xd4\xb3\xea\x30\x64\x63\x56\x4b\x2e\xca\x50\xd6\xea\xfc\xb8\
\x70\xea\x44\xcc\xc7\x78\x77\xc3\xd3\xd0\x68\xb3\xd5\x7b\x30\x07\
\xba\xad\x43\xe0\x64\xcb\x85\xda\x89\xe8\x74\x36\x96\x1d\x6e\x2d\
\xde\x0f\xa3\xf6\xd0\x8b\xd8\x9d\x3f\xac\xf7\x50\xdb\x6d\xf9\xbf\
\xd5\xdc\xe2\xa9\x00\x7b\xee\xfa\xce\x61\xfd\x8f\x75\xdb\x79\x88\
\x76\xdb\xb9\x73\xfd\x70\xad\x3e\x8b\xb5\xa5\x1a\x70\x85\x8d\xdf\
\x33\x7a\x24\xa0\x8e\xbb\x7b\x8c\x4c\x54\xd9\xc4\x00\x35\x1d\xf3\
\x43\x61\x27\x3d\x10\x29\x8d\xce\x60\x63\xc1\x96\x6f\x8d\x86\x6c\
\xda\xdd\x1b\x08\x4a\xb3\xd9\x8c\xba\x49\x03\xef\x23\x52\x4c\x24\
\xa6\xb4\x59\xaf\x31\xed\x5a\x8c\xae\xdc\x10\x67\x66\xf1\x8f\x3e\
\x69\xbc\xa7\x94\x03\x41\xd9\x03\x21\x30\x82\x63\x38\x37\x1a\x33\
\xf2\x26\xc3\x73\xb4\x38\x21\x10\x9b\x91\x42\x53\x6a\x4c\x85\xc9\
\xc7\xa4\x42\xa2\x75\x93\x0d\xa4\x46\x21\xea\x24\x92\x5a\x0b\xa0\
\x02\xe4\xe3\xdd\x1e\x97\x5a\xd5\x5a\x99\x1a\xce\xec\x0e\x3c\xd3\
\x99\xda\xbe\x18\x77\xc2\x12\xf4\x9d\xb2\x27\x2e\x96\x3e\x65\xbb\
\xc2\xee\x59\x1e\xf5\xa3\xdb\x9f\x7f\x0f\x01\xf1\x98\x6f\xdb\x63\
\xd6\xaf\x5d\x7f\x1f\xbb\x8e\xf4\xb1\xdc\xe7\x63\xdb\x1d\xdb\x40\
\xb7\xfb\xfd\x43\x72\x9e\x9d\x09\x7b\xe1\x1d\x21\x8f\x65\xef\x31\
\x6e\xa8\xeb\x01\xf4\xf9\xcc\x10\x56\xf7\x9e\xd9\x30\x8c\x71\xd5\
\xc5\x99\x9a\xb1\x99\xc0\x94\xb7\x01\x70\x30\x06\xe9\xb5\x2d\x78\
\xd4\x4c\x99\x88\x69\x4c\x1c\x6d\x20\xc0\x11\x83\xb1\x93\xd7\xc6\
\x3e\xbb\xc6\x83\x98\xc9\x85\x40\xaf\x26\x53\xda\xe4\x01\xa5\xa8\
\x35\xd1\x13\x31\x68\x9b\xfc\x4d\xbc\xc4\xc0\x5d\x1b\xd7\xe4\xd9\
\x02\x03\x55\x60\xab\xac\x63\xa4\x47\x35\x5b\xad\x29\x32\xef\x72\
\x00\x00\x20\x00\x49\x44\x41\x54\xd6\xd6\x75\x1d\x66\xb3\xb9\x75\
\x29\x8d\x5c\x49\xbd\xb1\x53\x63\xe7\x2d\x23\x03\xc8\x63\xd2\x5c\
\x2a\xe3\xda\x4f\x6d\xcc\x5c\xd1\xfd\xaf\x47\x3b\x99\x5a\x18\xe4\
\x0e\x50\xb3\xb9\xda\xfc\x91\x2f\xdf\x61\x90\xbe\x1d\x3d\x34\x99\
\xf7\xb9\xce\x33\xc4\xa6\xc7\xb8\xd1\xb3\x27\xdd\x53\x27\xea\xc7\
\x88\x8a\x4f\x69\xf3\x43\x8a\x77\xb5\xd6\xa3\x9b\xfd\x3e\x86\xf3\
\x1c\x7a\x21\x9c\xa2\xb4\xc9\xba\x8b\x54\x0a\x00\xef\xee\xfe\x7d\
\x07\x5c\x8d\x65\xab\xbd\xfa\x9a\xcd\x78\x1b\xa8\x53\x4c\xd4\x44\
\x45\x4c\xab\x1a\xaa\x01\xd5\x40\x62\xa6\xca\x0c\x23\xba\xfb\xdb\
\xd2\x78\x19\xef\x88\x9c\x63\x62\x66\x94\xac\xe4\x42\x20\xef\xb7\
\xab\xb2\xe3\xfe\x65\x02\x83\xa0\x20\x22\xcb\xb1\xfa\xaa\x65\x70\
\x0c\x1e\xad\xc1\xd1\x31\xaa\x00\x6f\xae\x7b\xab\x55\x46\xdd\xc7\
\xaa\x49\x1d\xf0\xf2\x62\x66\xf0\x40\xdb\x7a\x5c\x7c\x72\x61\x6d\
\x48\x1a\x58\x95\x55\xad\x88\x98\x13\x35\x17\x46\xd1\xad\x88\x58\
\x48\x8d\x45\x19\xf5\x21\x4e\x55\x3b\x31\x5b\x7b\xa6\x1d\xf7\x99\
\x6f\xbf\x5c\x17\xf8\x60\x4c\x38\x05\x96\x63\x40\x7a\xaa\x58\xf7\
\x50\xd9\x13\x27\xd9\xef\x5d\xcc\x7b\x2a\x20\xfe\xaa\x74\x9e\xdd\
\x75\x4e\x7d\xc0\x3e\x96\x72\xce\x76\xc8\x7d\xf6\x2d\x70\xcb\xe5\
\xd2\xae\xae\xae\xee\x8e\x9b\xed\x07\xb8\xcf\x62\xc0\x3b\xbc\x7d\
\xbb\x6d\x33\xdd\x1a\x29\x96\x40\xce\x3d\xa9\xf6\x96\xab\x4a\x95\
\x2c\xb5\x94\xd1\x59\x40\x2d\x8b\x59\x26\xb3\x6c\x46\xd5\x80\x4a\
\x80\xc0\xa0\xa3\xf1\xe0\xee\x59\xda\x0e\xa7\x3e\x25\x63\xef\x89\
\x3c\xa3\xa8\x5a\xf4\x1e\xc9\x7b\x5a\xf7\x3d\x98\x47\x65\xc9\x01\
\x26\x06\x16\xb5\x55\x71\x2a\x1a\x9d\xe3\xe0\x6c\xed\x98\xc1\x0c\
\x6b\x1b\x86\xa8\x00\x00\x88\xd9\x88\xd9\x40\xac\xef\xde\xbd\xc7\
\xed\xed\xc2\x6a\x05\xe6\x5d\x87\x34\x6f\x4d\x9c\xb7\x88\x88\xd1\
\x88\x10\x2c\xf8\xd1\xeb\xd6\xc7\x31\x8e\x71\x6e\x46\x25\xd0\x0f\
\x13\x7d\x53\xc7\xdf\xd7\x00\x66\x7b\x5f\x96\xed\xc7\xe4\x9e\x45\
\x6e\x9f\x1e\x02\xce\x73\xf4\xa3\x27\xd2\x7e\xdd\xef\x6c\x83\x38\
\x76\xbd\x87\x5c\x5e\x9e\x73\x6d\x7b\x84\x9e\x71\x0f\xcf\xf2\xba\
\x38\x91\xca\xe4\x51\xe0\x3c\x25\x3c\xd5\x3e\x3d\xc6\x79\x76\xa2\
\xdb\xc5\xc5\xc5\xb8\xed\x7e\xd1\x2b\x80\x71\xcb\x3f\x80\x2d\x76\
\xf0\xf6\x2d\xd0\x2e\x3d\x0d\xeb\x51\x8c\xe3\x5c\x75\xa8\xa2\x45\
\x54\x87\x0c\x13\x31\x19\xf3\xeb\x9a\xb0\x52\x11\xb3\xa2\xa6\x99\
\x4c\x8b\xaa\x8a\x8e\x69\x70\x85\x6c\x1b\xaa\x19\xb6\x8b\x87\x6e\
\xc1\x05\x10\xc1\xda\xd8\x90\x01\xa4\xaa\x5b\x2b\x84\x11\x98\x41\
\x60\x38\xa6\xf1\x9c\x61\x55\xb7\x31\xd6\x39\x57\x1a\x9c\xc1\x00\
\x87\x10\x02\x08\x7a\xc7\xdc\x9c\x1b\x97\x75\xdf\xbc\xbf\x45\xad\
\x15\x28\x15\x08\x40\x17\x3a\xe4\x9c\xc7\x74\x88\x29\xc1\x79\xb5\
\x7e\xb3\x4b\xd4\xfe\x81\x52\x37\x82\x26\x6f\x01\x94\x86\xa2\x75\
\x2e\xf6\x1e\xa3\x6c\x5b\xf7\x5e\x44\x29\x45\x77\x01\xca\xf7\xfb\
\xd8\x4d\xa2\xe7\x7e\x0d\x9f\x38\xf1\x08\x4f\x5c\x54\xfd\xff\xc3\
\x56\x84\xa7\x00\xe7\x54\xbc\x83\x63\x54\x6b\xb5\xa7\x82\x67\x47\
\x17\x17\x17\xf4\x17\xfe\x5b\x51\xdf\x4a\x13\x1c\x35\xf1\x86\x5e\
\x1e\x6d\xb9\xc2\x1a\x80\xac\xcd\x54\x07\x2b\x32\x48\x9f\x4b\x1d\
\x72\x2d\x2a\x35\x57\x58\x6f\x86\x01\x86\xac\x8a\x2a\x86\x6a\x66\
\x15\x0a\xd5\x1d\x80\x14\x10\xa8\x11\x91\x95\x52\x60\x06\x9a\x76\
\x0d\x31\x8d\xeb\x41\xa5\x14\xf2\x4c\x30\x55\x32\x02\xc1\x8c\x02\
\x83\x82\xa3\x15\x8a\x8a\xaf\xaa\x7c\xd6\x52\x2f\x66\x55\x74\xf4\
\x4a\x58\x0f\x02\x53\x25\x40\xe0\x9c\x83\xf3\x0e\x81\xd9\x1a\xdf\
\xa0\x69\x3d\xca\x7a\x1b\xb4\x2b\x8f\x5a\x5e\x02\x20\x8e\xc9\x55\
\xb1\x35\x46\x10\x45\x51\x8b\xfd\xce\x28\x70\x0d\x00\xe8\x8a\x58\
\xae\x62\xd3\x9c\x75\x93\xf3\x3d\xb9\x7a\xbe\x67\x16\x7d\xe8\x0b\
\xf8\x98\x65\xee\x98\x98\xf6\xc8\xd7\xfc\x07\xd1\x6f\x4e\x8d\xe9\
\xaf\x5a\xf4\xfa\xbe\xdc\xe7\xb1\x3a\xcf\xd5\x7b\x1e\x02\xcf\xe1\
\x02\xea\x3e\x7d\xbe\x5c\x5a\xae\x6a\x6b\xcf\x04\x5c\x02\x78\x01\
\xbc\x04\xba\xe4\x69\x33\x54\x1b\xaa\x58\x16\x19\x53\xb8\x8b\xda\
\xa6\x88\x68\x91\x9a\xab\x56\xa9\x32\x54\xd0\x60\xb0\x41\xd4\x7a\
\x51\x1d\x94\x90\x01\x2a\x30\x8c\x5c\x88\xa0\x06\xba\xcb\x5d\xab\
\x66\xe8\x4b\x41\x08\x0e\x6d\x13\x40\x9e\xa9\x4a\x65\xef\x1d\x26\
\xd3\x8e\x18\x0c\x15\xa3\x36\x30\x30\x66\x5e\xe8\x7b\x00\x45\x54\
\xfd\xa2\xe8\x0a\x6c\xc3\xa6\x2a\xe7\x5a\xe9\xf5\xf5\x1a\x6a\x66\
\x22\x40\x74\x0e\xac\xce\xd2\xa4\xc1\x8b\x97\x9f\xa0\xf5\x40\x7a\
\xd1\xe1\x26\x9f\xe3\xed\xf5\x15\xf2\x50\xe0\x09\x70\x3b\xb1\x6c\
\x0d\x64\x2f\xb6\x04\x10\x1b\xbd\x1f\x42\xf7\x12\xc8\x9b\x71\xa1\
\xed\x02\xc0\xd2\x39\x7b\x31\xbe\x15\xc3\x13\x36\x5d\x99\x9d\xde\
\xcd\xf9\xdc\x1d\xa5\x4f\xa8\xff\x1d\x43\xc4\x43\xfd\xed\xd3\xb1\
\x20\x22\x7f\x93\xb9\xd7\x6e\xac\x1f\x2b\xb6\x9d\xa2\xc7\x16\x54\
\x0f\x39\xcf\x3e\x5d\x5d\x5d\x99\xfb\x51\x56\xbc\xe9\x5d\x4f\xf7\
\xa3\xfa\xf5\xc9\x13\x95\x8d\x01\x62\x80\x98\x09\x69\x17\xa0\x03\
\xb1\xb4\x5c\xb3\x92\x1f\x4c\xa9\x57\xa1\xa1\x38\xe9\x99\xdc\xe0\
\xaa\x0e\x1a\x90\xd5\x5c\x81\x9a\x23\x22\x36\x32\x33\x98\x10\x48\
\x55\x4d\xc9\x39\x6b\x5b\x07\x66\x46\xcd\x79\x34\x69\x93\xa3\x76\
\x32\x45\x91\x5b\x66\x33\x5c\x4c\x13\x15\x81\x32\x70\xeb\x98\x68\
\x61\xb9\xf2\x9f\xfe\x9f\xbf\x5a\xf7\x52\xb3\x29\x98\x99\x71\x7d\
\x7b\x43\x52\x0b\x89\x08\xe0\x00\x65\xa1\xcb\xf9\x94\x3f\xb9\x98\
\x8d\x4e\x75\x00\x7e\x74\x76\x8e\x4f\x2f\x2f\x3e\xec\x06\xc4\xfd\
\xe8\x6c\xb1\xdc\x58\xaa\xbb\x07\x7e\x7e\x57\xbe\x1f\xd6\xfe\xfc\
\x81\x45\xb8\xef\xa3\xbc\x1e\xe3\x42\xc0\x7d\xd0\xec\x89\x85\xbb\
\x75\x82\xbb\x53\x1f\x7b\xbd\x53\x60\xdb\xdf\xcd\xfa\xdc\xbe\x9f\
\x7a\xfd\x87\xfa\x3e\xc5\x59\x9e\x33\xa6\xa7\x98\xab\x0f\x43\x56\
\x3d\xb4\xef\xe7\x21\xee\x73\x75\x75\x65\x17\x17\x17\xd4\x7f\x3d\
\x5e\xaf\x89\xe3\xc7\xf5\x25\x80\xf5\x6c\xbb\x0e\x94\xab\x0d\xb5\
\x5a\xae\x0b\xab\x75\x65\xb9\x88\x1a\x39\x81\x8b\x05\xc6\x19\x8e\
\x06\x35\xed\xa5\x5a\x2f\x66\xbd\x9a\xf5\x62\xc8\x6a\x56\x74\x44\
\x9e\x61\x8c\x12\xad\x34\x86\x8b\xb2\xae\x6b\xac\x4d\x0d\x3c\x8f\
\x19\x62\xa4\x1a\x85\xe8\xc9\x3b\xcf\xa5\x18\x35\x21\xd1\x59\x1b\
\x28\x17\x91\x9a\x71\xcd\x04\x5a\xdd\x84\xc2\xff\xdd\x7f\xf1\x9f\
\x14\x12\xda\x98\x29\x77\x29\xa0\x5f\xaf\x21\x52\x99\x60\xcc\x44\
\xc4\x44\x74\x79\x79\x09\x22\x50\x1b\x3c\xba\x00\xf2\xc1\x6c\x3a\
\x99\xa2\xed\x26\x96\x52\x42\x98\x30\xa1\x1d\x37\xca\xb1\x16\xce\
\xbd\xa3\x5b\xdc\x5f\x08\x7b\xca\x0b\xda\x7f\x51\x87\x11\x31\x81\
\x0f\x4a\xee\xee\xf7\xb1\x49\xf0\xdc\xe0\x1f\xfb\x89\xaf\x76\x55\
\x0f\xdb\x1d\x5e\xe7\xd4\xe4\xdb\x65\xcd\x3e\x75\x9f\x3f\x34\x88\
\x1e\x03\xce\x43\xe0\x79\xac\xef\xdd\x73\x7e\x28\x55\xc9\xb1\xf2\
\x87\x38\xcf\x66\xb3\xf9\x8e\xef\xdb\x31\xfa\x15\x80\x37\x4d\xaf\
\xc3\x74\x6e\xef\x97\x59\x77\x56\xb8\x6e\xe1\xe9\xce\xf2\x04\x60\
\xb5\x02\xe0\x82\x36\x93\xa0\xa1\x71\x02\x52\xa9\x46\xd9\xb1\x1f\
\x8a\xd8\x50\x45\x7b\x51\xdb\xa8\xda\x60\xaa\x59\x0d\x55\xaa\x16\
\x55\xab\xa3\x43\xb4\x37\xcf\x64\x31\x46\x04\xe7\xe0\x79\x5c\x11\
\x1a\x72\x26\x31\xa5\x52\x2a\x2d\x96\x2b\x1a\x86\x0d\xce\xe6\x1d\
\xb7\x29\x70\x35\xab\x95\xeb\xba\x01\x90\x17\xef\x32\x03\x50\x90\
\x5e\x0f\x55\xf9\xa2\x4b\xd4\x34\x01\xb5\x8a\xed\x0c\x08\x4d\xd3\
\xd1\x64\x32\xa6\xde\x6d\x03\x51\x17\x03\x39\x26\xbe\xb8\x9c\xc2\
\x33\x51\x4a\x11\x67\xcd\x19\x82\x77\xb4\xdb\xa2\xbd\x04\x80\x05\
\xd0\xbf\x79\x67\xc3\x9b\x77\x06\x00\xc9\x3b\x7a\x03\xe0\xf5\xf6\
\x6f\xf7\xa0\xf7\xf7\xcc\xef\x00\x94\xb7\x3a\xd2\x53\xd6\x81\x4e\
\x01\xe9\x14\x1d\xab\xf7\x58\x1f\xc7\xce\xed\x97\x3d\x94\x7d\xee\
\x90\x0e\x53\xd3\x3f\x65\xcc\x4f\x19\xcf\x53\xe8\x14\x78\x7e\x28\
\x73\xf5\xf7\xf5\x83\xbb\xba\xba\xb2\xaf\x2f\x2e\xe8\xfd\xef\xa6\
\xf4\xfe\x2f\xbe\x15\x5a\x65\xed\xe2\x35\xed\x4c\xd8\x00\xd0\x74\
\x33\x03\x80\xc5\xed\x02\x17\xa9\xb5\x9f\xfd\xf8\x0f\x8c\x7c\xd0\
\x4d\x11\x91\xc2\x35\xb5\xa9\x4a\xd5\x3c\x54\xe9\x8b\x68\x2f\xd5\
\x86\x62\x18\xaa\x22\x4b\x95\xac\xa0\x32\xa6\xea\x41\x35\x1b\xf3\
\x15\x90\x91\x54\x85\x32\x03\x55\x0d\x39\x57\xa8\x29\x6d\x36\x1b\
\x5a\x2e\x96\x64\x06\xfa\xa3\x4f\xe7\xf0\x0c\x17\x88\x36\xa6\xb5\
\x2f\x62\xfa\xf5\xff\xf1\x4f\x33\x03\x80\x56\xbd\xad\x62\x2e\x04\
\x87\x57\x97\x2f\x88\x89\xa8\xaa\x12\x13\x91\x73\x1e\xad\xf7\x94\
\x45\xe8\xba\xaf\x54\x51\x10\x00\x34\x29\x52\x8c\x09\xc3\x90\xd1\
\x63\x40\xdb\x34\x88\x6e\x4a\x00\x10\x87\x0d\x01\xc0\x10\x47\xaf\
\xda\xbe\x88\xe1\x0a\x88\x61\x04\xcb\xa7\xdb\x87\x31\x0c\x83\x02\
\xc7\x03\x4f\xec\x73\xa2\xc3\x17\xbc\x3b\xfe\x88\x68\x3a\x8f\x92\
\xee\xd1\x29\xce\xb3\x2b\x3b\x35\x91\x9f\x72\xbd\x43\x40\x3d\x07\
\x84\x4f\xec\xf7\xde\xf3\x7b\x0e\x78\x0e\xb9\xcf\x53\xc4\xb7\x87\
\xc0\x73\xcc\xeb\xfa\x14\x5d\x4e\xc7\x39\x74\xf9\x7e\x69\xeb\xd7\
\x2b\x59\x2f\xc6\x39\xd4\x25\x4f\x97\x2f\x2e\xef\xea\xfd\xf8\xc7\
\x3f\xc6\x4f\xfe\xf0\x95\xa5\xc6\xec\xc5\x2c\xea\x24\x44\x9b\xcc\
\xbc\x4c\x02\x97\xa1\x6a\xd6\xd1\x66\x95\x45\x6d\xa8\x22\x43\x15\
\x1b\xc4\x28\xab\xd9\x08\x1c\x85\x88\x9a\x88\x42\xd4\xee\x7c\xe6\
\x50\xaa\xd2\x72\x3d\x30\xc1\x51\xd3\xb6\x2c\xa6\x74\x31\x9b\xd0\
\x1f\xbe\x9a\x13\x93\x39\x23\xbb\x2d\x95\x36\x11\xa5\xfc\xf2\x97\
\xbf\xac\x63\x76\x86\x60\x6f\x8a\x8a\x55\x15\x7e\xf5\xea\x82\xbe\
\xfa\x76\x4e\xc3\x30\x10\xb3\xa7\xb3\xf9\x8c\x1a\x4f\xa4\x02\xea\
\x37\x05\x0b\x6a\x48\x2a\x51\x2d\xa0\x57\x67\x2f\xe8\xf6\x7a\xb1\
\x0d\x48\x0d\xb4\x6d\x0b\x1b\x02\x0d\xdc\x93\xf5\x6b\x9a\x5d\xa4\
\xed\x04\x7f\x8f\xdf\x95\x4b\xfb\x5b\x2d\x10\xaf\x3c\xe1\xe2\xc3\
\xc3\x16\x11\xbb\x76\x8e\x76\x86\x84\xfd\x04\x94\xfb\x71\x96\xf7\
\x73\xd7\x6c\x27\xc2\xbd\xb8\xcf\xfb\xba\x06\x6d\xe9\x29\x2f\x6c\
\x37\xa9\x0e\x75\x95\xef\x1b\x6f\x60\x37\x8e\xe7\xb4\x7f\xea\xf5\
\x4e\xb9\x33\x01\xdf\xcd\x90\xfd\xdc\xbe\xf5\x91\xfc\xa6\xc0\x77\
\xc3\xf5\x1e\x82\xe7\x30\x3c\xd5\x21\x78\x96\xcb\xa5\x4d\xa7\x53\
\xda\x37\x24\xec\x16\x51\xff\xfc\xcf\xb6\x05\xff\x1e\x70\x39\xfd\
\x56\x26\xf9\xa7\xee\xe5\x4f\xc7\x5b\x88\x1e\xb4\x0c\xaf\xe8\xed\
\xb0\xa2\x70\x79\x6e\xcd\xb0\xb6\xaa\x6a\x1d\xb5\xf8\xec\x45\x50\
\x81\x93\x4a\x5a\x38\xb8\xb2\x59\x0e\x03\x3b\xdf\x0f\xa2\x3d\x55\
\xf4\xc1\xf1\x50\x94\x8a\x11\x65\x90\x63\x36\x18\xcc\x72\x05\x4a\
\x36\xd4\x5a\x21\xde\xb1\x5e\xad\xd6\xe8\x87\x81\x5e\x9e\x9d\xc1\
\x65\x4f\x8b\xc5\x9a\x27\xd3\xd6\x25\x0f\x36\xc0\xab\xe0\x5d\xed\
\x6b\x79\x8d\x61\x09\x6c\x73\xa4\xaa\xda\xbb\x55\xaf\x22\x55\xf9\
\xbc\x6b\x28\xc5\x86\x92\x8f\xd4\x75\x91\x5e\xce\x3a\xca\xb9\x52\
\x08\x44\x42\x44\x5d\x00\x6d\x50\xa8\x49\x44\xaf\x5e\xcc\xa8\xeb\
\x1a\x1a\x11\xb4\xcb\x42\xba\x46\x1d\x7a\x2a\x7e\x43\xc3\x66\x45\
\x9b\xe0\xe8\xfd\xf6\xcc\x5b\x00\x37\xc1\xd1\xeb\xbd\x87\x59\x6b\
\xb5\x72\xe4\x85\xbd\xc7\x07\x91\xee\xd8\xa4\x78\x48\xec\x78\x8c\
\x2b\xec\x7f\xf1\xf7\x7d\xe6\x80\x87\xd3\x84\x1c\x72\x9e\x63\x1c\
\xe1\xd0\x58\xf1\x94\xb8\xd7\xcf\xa5\x63\x5c\xe9\x21\xf3\xff\x29\
\xf0\x1c\xab\x7f\x08\x9e\x87\x8e\x9f\xb3\x55\x7b\x47\x3b\xf0\xec\
\x97\xed\xc0\xf3\xf5\x76\x21\xf5\xf2\xfd\x08\xac\x9f\x03\x88\xed\
\xa0\xd1\x3b\x8a\xde\x51\xf0\x8e\x70\x01\xfc\xe4\xec\x0c\xd1\x2d\
\xef\xf5\x51\x65\x4c\x19\x9a\x9c\xc9\xba\xcf\xb5\xaf\xa5\x0e\xb9\
\xe6\x5c\xea\x20\xd5\x72\x15\x1b\x44\xb4\x2f\x82\x5c\x45\x86\xaa\
\x3a\x54\x45\xae\xa2\xb5\x56\xad\x62\xaa\xb9\xc2\xbe\x79\xb7\xb2\
\xd4\x75\x48\xd1\xc3\x60\x44\xde\x63\xd6\xb6\x64\x18\x77\xf5\xac\
\x4a\x7d\x3d\x58\x2e\xff\xcb\xbf\xf8\x67\x1b\xe0\x2e\xcd\xfd\x7a\
\x11\x3d\x6f\x06\x31\x37\x6b\x1c\x79\x22\x22\x26\x9e\x4d\x3b\x6a\
\x12\x68\x55\x05\xde\x39\x14\x25\xae\x00\xf2\x40\xbc\x29\x85\x6a\
\x05\xcd\x2e\xce\x39\x9b\xf0\xa6\x07\x80\x0d\x82\x9f\xd2\x28\xaa\
\x4d\xb1\x00\x30\xac\xc7\x1b\xed\xb3\x18\xde\x8e\x20\x8a\x57\xfe\
\x1e\x88\x2e\xf6\x40\xf4\x6e\x5b\x76\xb6\x97\x6f\x73\x1f\x44\x3b\
\xa7\xd3\xc7\x44\x9a\x43\x11\xec\x54\xfd\x63\xed\x9f\x02\xa2\x5d\
\xbd\x63\x93\xf9\xb0\xaf\x87\xc6\xf9\x7d\x68\x5f\x3c\x3b\x55\xe7\
\x39\xd7\x7d\xce\xba\xcf\x63\x5e\x07\xc3\x30\x7c\xc7\x75\x07\x00\
\x76\xe0\x39\x66\xc6\xbe\xfc\xdd\x78\xee\xfd\xe5\x94\x76\xbf\x9b\
\xd9\x5a\xdf\x01\xd8\x79\xba\x04\x37\xbe\xff\x19\xc6\xed\x98\x7e\
\x3b\x1f\x7a\x00\xbd\xc2\xfa\xc1\x6c\xdd\x0f\x42\x14\x6a\x91\x52\
\xb2\x4a\xc9\x6a\x43\x2e\x32\x0c\x55\x73\x15\x1b\xaa\x52\x1e\xff\
\x34\xab\x51\x29\x6a\x55\x14\x72\xdb\xf7\xba\xce\x3d\x2e\xe7\x53\
\x33\x31\x12\xa9\x14\x7c\xa0\xf9\x24\x41\x44\x59\x14\xb6\x2a\xb8\
\x7e\x73\x25\x9b\xff\xfe\x1f\xfe\xc3\x02\x6c\x01\xf4\x9f\xff\xbd\
\xbf\xbd\x6a\x12\x5f\x8f\xb9\x12\x98\x52\xdb\xb2\x4f\x91\x2e\x66\
\x53\x9e\x78\xcf\x55\x89\xdb\xe0\xa9\xf1\x1e\x79\x20\xce\x52\x39\
\xf7\x95\x6f\xd6\x6b\x3a\x9f\xcf\xe8\x6c\x7a\xc1\xc1\x31\x6d\xd7\
\x51\xd1\x75\x1d\x62\xd8\x50\xea\x3d\x0d\x6b\x47\xed\x72\x94\x63\
\x57\xd1\x11\xde\x02\xbb\xb4\x15\xf7\xc2\x1d\x6d\x7f\x97\x23\x3b\
\x1c\x4f\x99\x51\x45\x44\xb7\x22\xc7\x51\x1d\x62\x57\xef\xd4\x24\
\x7a\x4a\xbd\x43\xc0\x1c\xeb\x67\xbf\xaf\x87\xc0\xf2\x43\x02\xe9\
\xfb\x2a\xfe\x87\x5c\xbd\x94\x72\x32\x8b\xf6\x8e\x0e\x63\xbc\x9d\
\x02\xd1\x43\x1e\xd7\xc0\x7d\xf0\xec\x73\x9f\x3f\xdf\xaf\xf4\xf3\
\xf1\xbf\xd5\x30\xd8\xac\x8a\x79\xc7\xe4\x1d\xd3\x39\x46\xc7\x4f\
\xef\x96\x24\xd1\xb3\x73\xf7\x43\xa1\xf5\x03\x4c\xd4\x74\x9d\x8b\
\xf6\xd9\x6a\x11\xcd\xa5\x5a\x1e\xaa\x0e\x45\x6c\xc8\x55\x72\x51\
\xeb\xc5\xb4\xaf\x86\xa1\x54\x1d\x8a\x20\x8b\x99\xbc\xbf\xcd\xda\
\x04\xaf\x9f\x5c\x4c\xad\x6b\x02\x15\x31\x32\x33\xea\x22\x93\x19\
\x39\x31\xdb\x6c\xaa\xbc\xfe\xd5\x97\xff\xec\xce\xed\x66\x17\x1b\
\x4d\x23\xd3\x7b\x47\xe6\xa3\x03\x9d\xcd\x67\xec\x88\x39\x79\x47\
\x29\x39\x2a\x45\x88\xb7\x3b\x60\x81\x31\xe8\x61\x56\x62\x21\x10\
\x73\xa2\x9f\x7c\xf1\x09\x35\xf3\x09\xd7\xed\x3e\x8d\xe2\x1c\x95\
\xc1\x51\xf1\x8e\x72\x5c\xd1\x75\xd9\xf0\x7a\x71\x43\x7d\x16\xdb\
\x71\x98\x9b\x2b\x4f\xef\xbc\xa7\xdf\x6c\x5f\xc2\xa7\x18\xc1\x73\
\xea\xa5\x01\xf7\xbf\xb8\x87\xe6\xec\x63\x4a\xf2\x53\xb8\xcd\x61\
\xf9\x73\x26\xf9\x29\x70\xed\x03\x69\x07\xf2\xdd\xf8\x0f\xef\xe3\
\x29\xd7\x39\x6c\xf3\x94\x76\xa7\xee\xe3\x58\xfb\x63\x09\xb3\x3e\
\xc6\x4c\x7d\xe8\x30\xba\x13\xdf\xda\xb6\xa5\xb6\x6d\x4f\x72\x9e\
\x9d\xe5\x6d\xbf\x6c\xde\xb6\xf4\xba\x6d\xe9\xc5\x6c\xc6\xed\x74\
\xb8\xf3\xce\xf6\x8e\xc9\x39\x26\xcf\x4c\x13\x00\xeb\xd5\x98\xa5\
\x7d\xb7\x43\x9a\x13\x48\x0d\x96\x25\x4b\x2f\x5a\x4b\xd6\x92\x4b\
\xcd\x43\x95\x5c\x8a\xf4\x45\x24\x17\xd1\xa1\x54\x0c\xb9\x6a\x5f\
\x0c\xb9\x2f\x9a\x37\x83\xca\x22\x67\xfd\xd1\x8b\x33\xbb\x9c\x24\
\xf4\xa5\xda\x66\x33\xc0\x7b\x4f\xf3\x36\x11\x31\x5c\xae\xb6\xea\
\x6f\xd6\xdf\xec\xb8\x0f\xf0\x01\x40\x68\x1c\xbd\x16\x83\x6b\x82\
\xe3\xd9\x24\x50\x11\xe5\xe0\x89\x03\x91\x13\x53\xc7\x04\x0a\x01\
\x34\x48\xe5\x36\x78\x34\x29\x72\xd7\x24\x76\x54\xa8\x72\xa2\x9f\
\xbc\xf8\x9c\x67\xd3\x09\x6d\xb6\xa1\x3e\xa2\x77\x14\x87\x1d\x17\
\x5a\x11\xea\x86\x77\x02\xda\xed\xcd\xc8\x8e\x6f\xae\x3c\xf5\x8b\
\x86\xaf\xae\x46\x0e\x95\x8f\xbc\x1c\xe7\x1c\xed\x40\xb7\xff\x52\
\x77\x2f\x7d\xdf\x60\xb0\x0f\xa2\x87\xc4\xb0\x43\x7a\x8e\xb2\x7f\
\x4a\x67\xda\xd1\xe1\xf5\x76\xe3\x3c\xa5\xbb\x1d\x02\xe3\xd4\xdf\
\x53\xc7\x77\x6c\x0c\x0f\xd1\x8e\xfb\xec\x97\x9d\xe0\xf6\x76\xb8\
\x58\xba\x7f\xfe\x98\xb7\xf5\x3e\x70\x36\x9b\x8d\x1d\x03\xcf\xc5\
\xc5\x05\x5d\x4e\xa7\xf4\xb3\xbd\xb2\xdd\xef\x17\xb3\x19\xef\xe2\
\x23\x94\x2a\x96\x82\x63\xc7\x44\x7e\xcb\x75\x06\x26\x4a\x81\xd9\
\x31\x51\xc9\x44\x85\x32\x79\x83\x75\x5d\x07\x53\x58\xae\xb9\x16\
\xd1\x32\x14\xcd\xb5\xea\x30\xa8\x0c\xa2\xb4\x01\xb9\x4d\x56\x5b\
\x57\xa5\xa1\x14\x19\x4a\xb5\xb2\xca\x55\x66\xa9\xb1\x17\x67\xad\
\x6d\xaa\xda\xb7\xef\x6f\xa9\xd4\x8a\x1f\x7d\x72\x4e\x93\xe4\x88\
\x4c\xc3\x2a\xcb\xef\xfe\x87\xff\xf9\x1f\xbf\xd9\x1f\xff\x1d\x80\
\x22\xe7\x6f\xcd\xa8\xf4\x55\xdd\xab\x69\x47\xde\x3b\x22\x72\x1c\
\x3d\x28\x78\x47\xaa\xc4\x5d\x20\xce\x02\x1a\x23\x00\x81\xc8\xd8\
\x79\x47\x6c\xb5\x70\x61\xa2\xf3\x57\x2f\xf8\xd3\xd9\x2b\xc2\x1a\
\xa8\x99\xa9\xe4\x31\x73\x76\xee\x1d\x7d\xbb\x59\xd1\xfb\x3c\x82\
\xe8\x1d\xde\xe1\x5b\xe0\xee\xef\x57\x00\xfe\xcd\x72\xcc\xce\x9c\
\x6b\xb5\x7b\x23\x04\xf0\xc9\x9e\x99\xfb\x29\x93\xe9\x14\x37\x38\
\xac\x73\xca\x5a\x77\x4c\xb4\x7b\x0a\xf7\x7a\xae\xf5\xef\x87\x12\
\xe7\x9e\xd2\xe7\xa9\xe5\x80\xe7\x64\x56\x78\xe8\xfc\x43\x62\xdb\
\x29\x13\xf6\xfe\xf6\x85\x1d\xfd\x0c\xc0\x7c\xde\xd2\xfb\x37\x89\
\xf0\xf5\x58\x16\xb7\x20\x12\x35\x73\xcc\x84\x29\xe0\x98\xe9\x22\
\x38\x9e\x4e\xc6\xc5\x7e\x75\x99\xbd\x23\xae\x05\x84\x02\xe4\x4d\
\xb1\xbc\xa9\x5a\xc5\x6a\x3f\x8a\x70\xfd\x50\x6c\x63\x86\x35\x08\
\xab\x22\xba\x2e\x62\x9b\xac\x18\x7a\xd1\x3a\x8b\x4e\x2e\x67\x41\
\xdb\xc8\x58\x0f\x95\x86\x61\x74\xe7\xf9\x64\x96\x08\x00\x45\xc7\
\x6e\xb1\x91\x7f\xfd\xcf\x7f\xf9\xcb\xba\x3f\xde\x3b\x00\x5d\xdd\
\xfe\xe5\x1b\x07\x5b\x5f\xad\x6a\x38\x9f\x04\x7e\xf9\xe2\x05\x4f\
\x3c\xb9\x2e\x3a\x76\x4c\x6e\x50\x61\x15\x62\x26\xe2\xa1\x56\x92\
\x5a\x29\x4b\xe5\x41\x88\x2b\x13\x15\xad\xce\x31\x51\x33\x9f\xf2\
\xd9\xa7\x13\xea\xba\x71\xd3\xd3\x55\xbf\x21\x60\x81\x66\xe3\xa9\
\x5f\x79\x5a\x2f\x3c\xad\x73\xb1\xd5\x8d\xa3\xdd\xdf\x6e\x0c\x71\
\x8f\x13\x89\x8c\xe2\xde\xb1\x35\xa2\x63\x6b\x1b\xcc\x4c\xfb\x06\
\x86\xbb\x1b\xdc\xa5\x98\x7e\xc4\x30\xf0\x94\xc9\xfc\x1c\x60\xed\
\x8f\xf3\xb9\xfd\x3e\x97\x9e\x32\x8e\x63\x65\x4f\x05\xcf\x63\xf5\
\x3e\xd6\x69\xf4\x8b\x2f\xbe\xe0\xe9\x74\x4a\x3f\xc7\x36\x5f\x22\
\x80\xf7\xf3\x96\x26\x7f\x92\x68\xda\x44\xba\x4e\x9e\xe2\x95\xa7\
\x76\x19\x19\x00\xa6\x5b\x31\xce\x31\x91\xe3\x29\x0d\x34\x06\xa8\
\x72\x4c\x14\xc6\xa8\xbe\x10\x26\xba\x29\xa3\x14\x54\x55\x75\xd9\
\x0f\x52\x51\x4a\x9f\xeb\x30\x54\xdd\x54\x60\x55\xd5\xd6\x55\x6c\
\x63\xb0\xbe\x88\x0d\x4c\x56\x67\xad\x57\x1a\xc3\x32\x5a\x9f\x05\
\x43\x29\x94\x42\xe4\x97\xf3\x86\x44\x8c\x41\xa8\xef\x57\xcb\x3f\
\x3d\xbc\x07\xbf\xfb\xf1\xf7\xff\xee\xdf\xdd\xfc\x4f\xbf\x7a\xf7\
\x6d\xa9\xf6\xc7\x04\xf0\x1f\x7e\x7a\xc6\x93\x49\x22\xef\xc0\xad\
\x27\x5e\xab\xf0\x32\x0b\xaf\x8a\x3a\xc7\x24\x2a\xa3\xbf\x90\x92\
\x38\x36\x56\x2a\xa6\x86\xcc\x9e\xbd\x7a\x37\xa1\xee\x1c\x7c\x51\
\xd5\x96\x9b\x4c\xeb\xd2\x30\xe2\x5a\xfb\xf7\xe0\x66\x5a\x4d\x87\
\x96\xd6\x2f\xdf\xe1\xe5\x76\xd5\xa7\xb9\x71\x94\xcf\xc4\x6e\x82\
\x23\x2c\x47\xc0\xfc\x66\x6b\x75\xd9\x78\x47\x17\x00\xe6\xf3\xef\
\xfa\xcb\xed\xcb\xee\x47\xd6\x89\x46\xe7\x3e\x3c\x2e\xce\xed\xce\
\x1f\xae\x29\x9d\x7a\xf1\x87\x6d\x9f\x0a\xbe\xfd\x6b\x1d\x96\xef\
\x1f\x3f\x85\x8b\x3d\x75\x7c\xcf\x01\xcf\x53\x44\x37\xe0\xbb\xb1\
\xae\x4f\x71\x9f\xc3\x0d\x73\xbb\xdf\x57\x57\x57\xf6\xc5\x17\x5f\
\xf0\x9f\x61\xb4\x15\xfc\x19\x80\x9f\xfd\x7c\xd4\x7b\x26\x29\x51\
\x13\x23\xb5\x69\xfc\x98\xde\x04\x47\xd5\x3b\x6a\x1d\xd3\x35\x80\
\xa4\x6a\x8e\x1d\x05\xcf\x1c\x8d\x39\x0f\x44\x6b\xcd\x1c\x1c\x41\
\xeb\x18\xef\x8d\x09\x54\x44\x55\xcd\xb4\xcf\x45\x82\xf7\x19\x9e\
\x86\x10\xd1\x2b\x39\xe4\x6a\x11\x6a\x64\xe3\x86\x3a\x89\x8e\x65\
\x53\x15\x06\x25\x55\x25\x15\xe5\x92\x2b\xbe\xf8\x83\x4b\x4c\x83\
\xa3\x41\x24\xe4\x4a\x6f\xbf\xfa\xcd\xdb\xaf\x0e\xef\xf1\x5e\x1a\
\x44\x67\xf4\x55\x1b\xd8\x1b\x99\xfb\xe9\x65\xc7\x2f\x26\x8e\x55\
\xc9\x31\x81\x13\x93\xeb\x15\x7c\xbd\x19\xb8\x28\xf1\xb8\xfb\xb5\
\x12\x86\xca\x64\xe2\xcc\x13\x17\x75\x4e\x6b\x66\xd4\xcc\xd8\x00\
\xe7\xf3\x19\x7d\xfa\xf2\x9c\x2f\x83\x23\x60\x86\x26\xae\xe9\xed\
\x52\x1c\xcb\x86\xc7\x5d\x52\x1f\x36\xeb\x7e\x0b\x20\x97\xe3\x5f\
\xba\x2b\x00\xb7\x7b\x49\x6c\x81\xe3\x8a\x2f\x70\xff\xab\x7f\xf8\
\x65\xde\x71\xa3\x63\xed\x76\xf5\x4f\x9d\x3b\xa4\x63\xe2\xda\xfe\
\xf5\x1e\x5a\x93\x31\xb3\xa3\xfa\xcd\xae\xad\x1d\xa1\xc3\xf2\xc7\
\xc6\x77\x4a\x64\xfb\xa1\xc1\x73\xea\xfa\x0f\x71\x9e\xdd\xc6\xb9\
\x1d\xfd\x1c\xc0\xdf\x69\x5b\xfa\x93\x2d\x78\x76\xe5\x4d\xf4\x14\
\xfd\x07\x09\xc4\x3b\x26\xb7\x7d\xef\xc1\x31\x4f\x98\x48\x1c\xf3\
\xd4\x11\x47\x61\x57\x09\x64\x4c\xcc\x95\xa8\xa2\x42\xd5\xac\x4a\
\x91\xc5\xb2\xaf\x7d\xd6\xdc\xa6\xd4\x93\xd1\xa6\x14\xdb\x64\xa5\
\x5e\x14\xc3\x50\xa5\xb4\xce\x74\xb3\x29\xd6\x45\x06\x3b\x50\x11\
\x21\x30\xf1\xe7\x2f\xa6\xac\x64\xae\x0d\xcc\x7d\x91\x6f\xfe\x9b\
\xbf\xff\x1f\xde\x1c\xde\x8b\xdf\x3f\xb8\xed\x6f\xff\xf5\x7c\x3a\
\xff\x7b\x8d\x63\x67\xa6\x2e\xba\xe0\x3c\x9b\x36\x4c\x6e\xb5\x2e\
\x6e\xd6\x44\x97\xfb\xa2\x9e\x9d\x77\x8e\xd5\x94\xd4\x98\xac\xf4\
\x95\xcd\xb3\x93\x9a\x65\x99\xc5\x91\x3a\x2b\x4e\x34\x08\x18\x2b\
\x11\x6a\x23\x37\x2e\xa2\xbf\x81\xc4\x3c\xd8\xad\x54\x9e\x03\x78\
\xff\x1a\x50\xf7\x4e\x5f\xbe\x04\x64\xe3\xf9\x36\x9f\x19\xb6\xbb\
\xa7\x7e\x74\x30\xd0\xab\x2b\xe0\x0a\xf7\xb9\xd1\x2d\x33\x9d\x8f\
\x9c\x08\x44\x44\x3b\x69\xed\xf0\x26\xf7\xbf\xea\x0f\x01\x68\x9f\
\x53\x3d\x45\xe4\x3b\xec\xf3\x14\x78\x8e\xf5\x71\x2c\x85\xfc\x23\
\xf4\xa4\xf4\xf2\x4f\x71\xcd\x39\xa4\xe7\x82\xe7\x10\x38\x29\x8d\
\x1e\x27\x3b\x4e\x74\x6c\xf1\x14\xf8\xb0\x06\xb4\xa3\xbf\xd3\xb6\
\xb4\xd9\x6c\xac\x6d\x5b\x4a\x29\x51\x8c\x91\x7e\xe2\xc7\x35\xc2\
\xf9\x24\x71\x6e\x22\x07\x8c\xc0\xf1\x8e\xa9\xdf\x38\xb6\xc0\x1c\
\x12\x91\x01\xf0\xcc\x9c\x3c\xbb\x5e\x98\x23\x98\x1d\x13\xdf\x0c\
\x05\xdf\xbc\x7b\x07\x0f\xa2\x8c\x02\xdb\x88\x52\xeb\xab\x8b\x21\
\x9b\x73\x6e\x8c\x23\x67\xc2\xe4\x1c\x33\x58\x14\x70\x1e\xae\xaf\
\x4a\x9f\x7b\x46\x51\xd0\x62\xb1\x44\x1b\x23\xbf\x9c\x75\xec\xc9\
\xe4\x45\x17\xf1\xab\xaf\x16\xdf\x1c\x7b\x76\xf7\x38\xd0\xff\xfd\
\x4f\xff\xf1\x9b\x2c\x76\x3d\x06\x12\x25\x27\x55\x9c\x73\xe0\xf3\
\x59\x72\xc5\xc8\xc5\x30\xc6\x5d\xc8\x25\x3b\x31\x72\xa6\xe3\x9c\
\x75\x4c\x24\x5a\x1d\x9b\x73\x8e\x89\x20\x85\x21\x85\x8b\x1b\x08\
\xa9\xf0\x04\x1d\xa2\x67\x6a\x9c\x3a\x9e\x66\xce\x9b\x35\xf5\xeb\
\x25\x5d\x01\xb8\x91\x0d\xbf\x7f\xbd\xe1\xf7\xef\x80\x2f\xe3\x0d\
\x7d\x79\x7b\x43\xab\x5b\x47\xcb\xc5\x68\x7d\x2b\x55\xac\xd4\x0f\
\x2f\xf8\x0a\xc0\x57\xab\xc0\x5f\xaf\x3c\x2f\x17\x4c\xbf\x5d\x30\
\x2d\x88\xe8\x76\x3b\x51\x16\xf7\xef\xef\x1e\xa7\x38\x9c\xc8\xa7\
\xb8\xc8\xe1\xf9\x63\xa0\x3b\x5c\x20\xdd\x07\xd4\xbe\x2e\xb6\x0b\
\x14\x09\xdc\xe7\x0a\x1f\xb3\x8e\xf3\x98\xa5\x6e\x7f\x47\xef\x21\
\x87\x7b\x2a\x78\x76\x6b\x6e\x0f\x71\x1e\x60\x4c\x10\xbc\x7f\xfc\
\x10\x78\xa6\xd3\x29\x1d\x82\x67\x67\x9d\xdb\x07\x8f\xdf\x82\x67\
\x92\x12\x4f\x9a\x51\xef\x59\x2e\x46\xf0\xac\xb6\xd6\xb7\x0d\x13\
\x85\x81\x99\x09\x84\x16\x68\x09\xe4\x2b\xb1\x30\x71\x70\xec\x56\
\x7d\xe5\xa1\xaf\x94\xa5\x92\x87\x47\x6a\x5a\x3d\xbb\x98\xeb\x6c\
\x3a\x13\x1d\x43\x78\x14\x51\x2a\x42\x52\xc9\x4c\x22\x9b\xd5\xa2\
\x16\x3d\xc3\x31\x78\xb9\x51\x7e\x77\xbb\xe6\x57\x17\x33\xea\xa2\
\xd3\xe4\xbd\x39\x06\x7f\x7b\x5b\xbf\x3c\xf6\xfc\xee\x01\xe8\x97\
\xbf\xfc\x65\x5d\x65\xf9\x72\x5d\x74\xdc\x4b\x47\xc4\x0e\x8e\xcf\
\x26\x81\x99\x88\x73\x81\x73\xc1\xb3\x31\xb1\x98\x38\xab\xea\x8b\
\x08\x1b\x13\xb3\x10\xf1\xd6\x27\xdc\x42\x61\x8f\xea\x20\x9e\x8b\
\x67\x2a\xbe\xa7\x38\x8c\x93\x6a\xad\x0d\xe7\x61\x43\x4b\x2d\xdc\
\x6e\xbd\x14\xae\x0e\x06\xb5\x09\x8e\x86\x3d\x71\xee\x2e\xde\xc2\
\xf6\x4b\x74\x78\x13\xb7\xb7\xc0\x6a\xc9\xf4\xed\xda\xf1\x7a\xf5\
\x21\xa2\xe9\x29\x3a\x04\xc5\xee\xf8\x98\x3e\xb2\x5f\xe7\xb0\xfe\
\xa9\x76\xf7\x1e\xf0\x96\xd3\x7c\xac\x59\xfa\x31\x51\xf5\x58\x9f\
\xfb\xbf\x1f\xda\xcb\x73\x0c\x3c\xc7\xdc\x73\x0e\xc5\xb6\x43\xf0\
\xec\xe8\x14\x78\x76\x60\xd9\xd1\xeb\xbd\xe3\x7d\xf0\x00\x23\x78\
\x9a\x38\x82\x67\xe7\x75\xe0\x98\xe8\xa5\x77\x1c\x3d\x73\xf1\x3d\
\x5f\xbb\x9e\x83\xcf\xce\x65\xe2\x94\x00\x0d\x66\x9b\x02\xba\xad\
\xa0\xbe\xaf\xd4\x36\x91\xcf\xcf\x2e\x59\x99\xa8\x99\x74\x34\x9f\
\x9c\x59\x8c\x2c\x20\x16\x23\x54\x26\x88\x33\xd6\xab\x75\xd5\xa2\
\xb0\xa1\x02\xc1\x11\x89\x81\xde\xad\x06\x52\x66\x5c\x9c\x4d\xa5\
\x09\x6c\xd1\xc3\xaf\xb2\x6e\x5e\x2f\xd7\xbf\x3e\x76\xcf\x7c\x58\
\x20\x7d\xfd\x35\x00\x98\x81\x0d\x70\x8e\xd4\xcd\xa3\x73\xd3\xc6\
\xbb\x52\x94\xc1\xe4\x5a\x9f\x48\x8a\x3a\x72\xec\x86\x22\xae\x0c\
\x95\xd9\xb3\x93\xa1\x3a\x36\x71\x10\xc7\xbd\x54\xee\xa5\x30\x89\
\x67\x48\xe0\xe2\x7b\x2a\xc1\x51\x0a\x8e\x6a\xf4\xb4\xbe\x2d\xfc\
\x7e\x73\xeb\x9c\x0c\xdc\xae\x97\x74\xfd\xf6\x77\xdc\x7f\xb9\x20\
\x0c\x89\x71\x75\x85\xf5\xd6\x73\xfb\x1d\x80\x6f\xaa\xd8\x15\x76\
\x9b\xc3\xb7\x2f\x75\xcf\x22\x73\x37\xf6\xed\x62\x5a\xbf\x61\x5e\
\x9d\xe0\x3a\xfb\xca\xfc\x29\xda\xd5\x7d\x88\x03\x1d\xd6\xd9\x3f\
\x7e\x6c\xa1\xf2\xa9\xeb\x3d\xc7\xc0\x73\xaa\xde\xfe\xdf\xa9\xb1\
\xee\xd3\x73\xe2\xbb\xed\x67\xd7\xde\x81\xe7\x21\x87\xd1\xdd\xfa\
\xcf\xab\x57\xaf\x18\xb8\xbf\xa0\xba\xdf\x6f\x4a\x89\xde\xc6\x48\
\xef\xb6\xfd\x2f\x53\x62\xbf\x67\x75\x0d\x8e\xa9\x24\xc7\x83\x77\
\xec\x3d\x73\xf6\xcc\xe7\x6e\xca\x56\x9c\x2b\x4c\xac\x8e\x9d\x63\
\xe2\x8e\x1b\x66\xa6\xff\x8f\xb7\x77\x8d\xb5\x25\xdb\xce\x83\xbe\
\xef\x1b\x63\x56\xad\xb5\xf6\xe3\x9c\x3e\x7d\xfa\x5e\xdf\x57\xec\
\xd8\x8e\xb1\x23\x3b\xb1\x23\x05\xc7\x41\x10\x0c\x41\xa0\x18\x24\
\x22\x64\x8b\xc8\xb2\x10\x52\x02\x98\x1f\x44\x41\x21\xe4\x2f\xff\
\x11\x28\xf2\x1f\x88\x30\x60\x21\x10\xf8\x21\x14\x29\x24\x02\xa1\
\x38\x0e\x72\x04\x09\x36\x79\x08\xdf\xd8\xb1\xe3\xd7\xed\xee\xdb\
\xcf\xb3\x5f\x6b\xad\xaa\x9a\x73\x8e\xc1\x8f\x5a\xfb\xf4\xee\xd3\
\xa7\xfb\x5e\xfb\xda\xcc\xa3\x3a\xb5\xaa\x66\xed\x5a\x6b\xd7\x9a\
\xdf\x1e\x63\x7c\xe3\x45\x2c\xc0\xd2\x9b\xb6\xe7\xa3\x2e\x2f\x2f\
\xb8\x19\x47\x5c\x5c\xec\x70\x31\x18\x76\xa6\x74\x21\xb4\x66\xd2\
\x65\x66\xc6\xcd\xb1\xa7\x00\x2c\x3d\xb4\x75\x68\x89\xc0\xb3\xfd\
\xd2\x77\xdb\x5d\x7f\x74\xb6\x45\x31\xd8\xd6\x34\x7c\xf9\x66\x79\
\xf3\x67\xff\xf2\x5f\xfc\x08\x81\x00\xbc\x60\x03\x01\xc0\xfe\xad\
\xeb\x2f\xbd\xfa\x78\xbb\x47\x66\x61\xa0\x53\x30\x37\xda\x6b\xe7\
\x83\xae\xa6\x30\x17\x6d\x1c\x68\x3d\x10\x75\xa1\x65\x4f\xef\xad\
\x46\x4f\x26\x53\x82\xdc\x35\x64\xf2\x68\x39\x4f\x77\x09\xdf\x44\
\x5a\x63\x5a\xa1\x36\x90\xe6\x29\x9f\x96\x57\xf2\x5d\x3c\xcb\xdb\
\x1b\x60\x9a\x0f\x7c\xba\xd9\xe1\xb0\xa9\xf9\xf8\x70\x47\x1e\x36\
\x9c\x01\x8e\xfe\x6a\xe2\x24\x4a\x76\xb5\x27\x0a\x80\xa7\x2b\x88\
\x9e\x3e\x90\x42\xf6\x31\x0b\x66\x3a\x4a\x76\xb6\x02\xe6\x1c\x5f\
\x9d\xb3\x54\x92\x1e\xaa\x62\x11\x11\x2f\x82\x03\xf8\x68\x04\xf7\
\xc3\xd7\x99\x99\x0f\x9c\xa7\x2f\x52\xea\x1f\x72\xaa\xde\x8f\x17\
\x17\xb3\x99\xf1\x65\x5d\xe1\xbe\x1a\x80\xbd\xec\x9e\x9f\x34\xf7\
\x71\x2d\x18\xef\x41\xf3\x49\xd1\xd6\x0f\xd5\xb6\xb7\x4e\x24\xc0\
\x8b\xe7\xef\x7f\xe6\xa1\xca\x06\x00\xef\x8c\x23\xbf\x71\x18\x38\
\xba\x73\x70\xe7\x9d\x19\xfd\xb4\x99\x44\xb7\x95\x92\xde\x0c\xa6\
\x65\x92\xe6\x47\x52\x31\xa9\xfb\x6c\x0e\x53\x5b\x56\xf2\x60\x2f\
\xea\x6c\x4b\x9b\x2b\x75\x85\xa6\xde\x1b\x3f\xfd\xea\x13\x82\xe4\
\x6b\x8f\x1f\xeb\xec\x6c\xcb\x60\xe7\xd2\x89\xc1\x84\x30\x63\xad\
\x0d\x3d\x8c\xc8\xd4\xd9\x60\xdc\xd7\x16\x4f\x2f\xc6\xbe\xaf\xcc\
\x69\x6a\xfe\xe9\x57\x76\xf6\xea\x99\x9b\x00\x52\x18\x7e\xf3\x7a\
\xf9\x47\x3f\xf1\x13\x3f\xd1\x5f\xf6\x2c\x3f\x02\xa0\x3f\xfd\xaf\
\x7f\xdb\xed\x4f\xfd\xbd\xb7\xbf\x74\xb1\x19\xbf\x35\x19\x35\x42\
\x61\x84\x7d\xf6\xb2\xf8\xdc\x7a\xec\x0a\x2c\x23\x6c\x1c\x4a\x1c\
\xdb\x31\x5d\xd4\x82\xb0\x5c\x6a\xc0\x06\x61\x96\x18\xdd\x6c\x2c\
\x19\x37\x89\x79\x9e\x60\xc3\xae\xdb\xb8\xa0\xcc\x25\x50\x2e\x10\
\x63\x95\x2d\x9b\x2c\xc3\x55\x1e\x97\x67\xf9\xee\x74\x1d\x05\x3b\
\x2c\x8f\x1e\x61\xb9\xbe\xc6\xa3\x47\x8f\x30\xee\x6f\xd9\x4f\x29\
\x0b\xed\xec\x22\xcf\x1f\x63\x45\xcf\x63\x60\x7f\x92\x3a\x97\x0f\
\x3e\xb7\xe9\xd4\xb4\x02\x6b\x9b\x14\x08\x38\x1e\xd7\xbf\xc9\x13\
\x80\xed\xf6\xc3\x92\xe7\xe3\x16\xd7\xc3\x39\x33\xb3\x17\x69\xed\
\x17\xf7\x0f\xef\xd7\x7b\xef\xf7\xd7\x3e\xf4\x51\x7d\x25\x95\xcd\
\x5e\x60\x18\x1f\xfe\xcc\x43\x90\x3c\x04\xe0\x27\xa9\x76\x1f\x77\
\xcf\x8f\x7b\xfd\x10\x20\x0f\xa5\xcd\x34\x4d\x1f\x89\x24\x7f\x11\
\x3c\xe3\x38\x72\x1c\x47\xde\x27\xee\xbf\x48\x69\xbf\xb5\xdd\xf2\
\x1b\x1e\x1c\x8f\xe3\xc8\x57\x4f\xc0\x71\x7c\xe0\x24\x7d\x08\x1e\
\x5c\x01\x63\x31\xc1\x4d\x7b\x3f\x4a\xb3\xa9\x4e\xe7\x72\xa3\xac\
\x99\x1d\x9a\xec\x10\x14\x0b\xe5\x4d\x16\xa2\x36\x23\x65\x77\xd4\
\xe3\x8b\xc7\xe6\x2a\xea\xe8\x3c\xdb\x8c\x18\x2c\x13\x1d\xb1\x9c\
\x0a\xcf\xf7\xde\x3b\xa8\xbe\x64\xe7\xd9\xb6\xe0\xd1\xae\x44\x1c\
\x80\xcd\xe0\x7a\xf3\x66\x56\x2a\xed\xf7\x3c\x39\xe3\xce\xa1\xc1\
\x61\x37\x53\x6f\x6f\xbf\xb3\xff\x87\x2f\x7b\xd6\xc0\x4b\x00\x04\
\x00\xd7\x87\xfa\x4b\x97\x9b\xf2\xed\x5b\x37\x27\x19\x3d\xd3\x2e\
\xb7\x66\xbb\xb1\xdb\xed\x42\x1f\x0a\xe3\xb8\x20\x4d\x8c\x19\x61\
\x81\x88\x46\xcf\xa8\x4b\xaa\x23\xac\xc8\x7a\xf6\x74\x63\xec\x0f\
\x93\x6d\x47\xe0\x38\x0b\xe7\x63\x45\x99\x4b\xec\xa7\x5b\x8e\xc5\
\x01\x3c\x06\xee\xae\x50\xf3\xc0\x3a\x0f\xdc\x0e\x87\x1c\x96\x5d\
\xe2\x11\x70\x8d\x0f\x6a\xf3\x1f\xf7\xb7\x1c\xfc\x11\x76\x88\xc4\
\x15\xd0\x3c\xd3\x5f\x79\xb0\xd0\x1f\x80\x07\x38\xd5\xf4\xc6\x07\
\x40\x3a\x90\x3c\x4e\xab\x4f\x68\xb7\x3b\x2d\x7a\x80\xdb\x97\xd7\
\x40\x78\xb8\x30\x9f\x83\xe7\xe1\xfe\xf9\xe4\x4b\xc0\x74\x7f\x8d\
\x24\x7c\x52\x95\xa1\x97\xf9\xb0\x3e\xce\x69\xfc\xb2\xef\xe8\xab\
\xb5\xa3\xcc\x8c\xcb\x0b\x55\x90\x5e\x94\x4e\x0f\x41\x03\x7c\x7c\
\x9a\xc2\x43\xf0\x5c\x5c\x5c\xe8\x65\x34\xf6\x38\x8e\xbc\x07\xd1\
\x43\x69\x03\x00\x9f\xc7\xaa\x02\x8e\xef\xad\x64\xc1\xf0\xb9\xf5\
\x7d\xb7\x77\x83\x6e\xdd\xf8\xf4\x14\xe7\x76\x57\xc8\xc1\x4d\xe9\
\xd2\xe8\xa6\xd6\xa5\x9b\x65\xd2\xc5\xb9\x54\x42\x14\xc1\xa5\x51\
\xbd\x52\x32\x5a\x6f\x55\x1b\x49\xbb\x91\x96\x51\x2c\xb2\xdb\xe0\
\x74\x81\x96\x9d\x12\x92\xc5\x90\xbd\xf5\x94\x31\x1f\xef\xd4\x7f\
\xed\xdd\x66\x9f\x7b\xa5\x60\xad\x29\x2f\xef\x99\x7a\xfb\x76\xd6\
\xe3\x51\xba\xd8\xb8\x5c\x90\x0b\xe3\x2f\xbf\xbd\x7c\xf9\xef\xbc\
\xfe\x6b\xbf\xfa\x71\xcf\xf7\xa5\x00\x7a\x7b\x3f\xfd\xca\xab\xbb\
\x71\x3f\x0f\x2c\x01\xb4\xc1\x60\x91\xb4\xcf\x5e\x0e\x7e\x7d\x3c\
\x86\xc0\xf2\xca\xc6\x72\x3f\x97\xac\xd6\xb2\xf6\x29\xa5\xcc\xd6\
\x22\x6a\xab\xa1\x4a\x2c\xbd\x65\xed\xcc\x71\x1c\xeb\x72\xec\x52\
\x44\x4e\x5d\x99\x04\x98\x03\xda\x72\x15\x63\x6d\xc0\x93\xc7\xb8\
\x7d\x1f\x7a\x65\x98\xf2\x70\xe3\x5c\xc6\xf7\x72\x73\xf0\x9c\x8a\
\x61\xc2\x25\x2e\x4f\x62\xa6\x4f\x7b\x1e\x4e\x45\xea\x1f\xe1\x12\
\xbe\x17\xd1\x23\xed\x31\x30\x9e\x98\x40\xe0\x83\xee\xde\x67\x00\
\xdc\xf4\xdc\xc6\x3b\x11\xdc\x9c\x4f\x69\x4b\x24\x39\x01\xdc\x6e\
\x3f\x58\xf8\xdb\x8f\x3e\x8a\xfb\x85\x75\x0f\x90\x8f\x5c\xf0\x32\
\x70\x3d\x04\xd4\xf3\xc6\x4c\x1f\xa3\x8e\x7d\x92\x1a\xf6\x32\x35\
\xee\x93\x54\xb3\xfb\xf4\x8f\x8f\xbb\xfe\x5e\x3d\x7c\xd9\x75\xf7\
\xe3\x2b\x81\x67\x18\x06\x7e\x1c\x89\x00\x7c\x58\x32\x7d\x09\xeb\
\xf7\x70\xef\xdb\x79\x17\xc0\xef\x71\xe7\xf0\x39\xe7\xe5\x95\xf1\
\xfa\x0a\x78\xfa\xea\xa9\x16\x36\x56\x05\x63\xd4\x0a\x1e\x89\x74\
\x5b\x6d\x9e\x67\x3a\xb2\x55\x29\xaa\x2c\x4c\x66\x41\x59\xa1\xa2\
\x37\xeb\x65\x54\x9a\x6c\x06\xed\x62\x1c\xac\xf5\xae\xb9\xd3\x11\
\xb4\xee\xdd\x12\x72\x8a\x06\xd0\x6b\x4b\x7b\x75\x34\x3b\x2c\xe1\
\xd3\x71\xef\xaf\x7c\xee\x35\xab\x3d\x6d\x74\xe8\x6e\x0e\xdf\x4f\
\xd5\xbe\xed\x33\x17\x8a\x0c\x3b\x1b\x5c\xfb\x25\xc7\x2f\x5d\x1f\
\xfe\xdf\x1f\xfb\xb7\xbf\x77\xfa\xb8\xdf\xf7\x23\x24\x02\x00\xfc\
\xc5\x7f\xe9\x9b\xae\x0f\x2d\x7f\xfd\xd0\x72\xb3\xb4\x30\xc9\x8c\
\x01\xbf\x1c\xcc\x2e\x47\xf7\x4e\xda\xa6\xb8\x3d\xd9\x16\x37\x93\
\x97\xb1\x58\xb4\x30\x21\x0c\x91\x5e\xe7\x59\x2d\x16\x4f\xb4\x52\
\x03\xee\x26\x86\x26\x8b\x39\xac\xd5\x99\x8a\xa6\xf3\xed\xa0\x69\
\x3b\xea\x72\xfb\x44\xdf\xf2\x8d\x5f\x2f\xc3\x56\x86\xae\xed\xf0\
\x0a\xb9\x1b\x85\x6b\x00\xb8\xc1\x7c\x10\xe7\xc3\x29\xe7\xc3\xc4\
\x61\x2f\x1e\xf7\x77\x3c\xda\x1d\x97\xe1\xa0\xe3\xe1\x41\x24\x2e\
\x49\x1d\x57\x9a\x73\xb1\x0f\xa2\x10\x4e\x4a\xd6\x87\x6c\x99\xfb\
\x82\x29\xf3\x44\xce\x13\x58\x17\xd9\xcd\x69\x9b\x3e\xcc\x29\x48\
\x92\x9d\x9c\xb0\x7a\x78\xcb\x87\x8e\xd9\x97\xa9\x85\xf7\x7e\x29\
\xad\x8d\x9b\xf4\x22\x58\x7a\xef\xcf\x03\x39\x5f\x2c\xac\x72\x3f\
\xf7\xb2\x82\x2b\x1f\x37\x5e\x76\x8f\x87\xf3\x0f\xf3\xab\x1e\x9e\
\xbf\x07\xcd\x34\x4d\xf1\xa2\x3a\x77\x2f\x9d\x5e\x04\xce\x27\x39\
\x51\xef\xfd\x42\x9b\x61\x58\x1d\xa3\x6f\x00\x57\xef\xf9\xaa\xb6\
\xb9\xb3\x5c\x19\x6f\x4f\x49\x72\x9b\x61\x90\x9b\xb8\x19\x5c\x63\
\x31\x0d\x27\xc2\xa0\x16\x33\x23\x29\x1d\xb9\x29\x66\xc5\xa4\x63\
\x93\xb5\xba\x3a\xf1\xb7\xa2\xe6\xbe\x4a\x1f\xeb\x34\x06\x1d\xd1\
\x7d\x3b\xd2\x25\x2a\x45\x65\x50\x46\x28\x93\x1e\x2d\xcc\x49\x15\
\x83\xbd\xf9\xde\xad\x7f\xe6\x95\x9d\xce\x47\xd3\xb3\xbb\xc5\xb6\
\xc5\xf4\xf6\x6d\xd3\x76\x53\xf4\xea\xf9\x20\x49\x1a\x5c\xf6\xfa\
\x55\x6d\x57\x87\xe5\xe7\x3e\xe9\x99\xbf\x54\x02\x01\xc0\x34\x2f\
\x3f\x7f\xac\xfa\xf6\xbb\x39\x86\x8b\x11\x49\x43\x28\x11\x4f\xcf\
\x2d\xdf\x7e\xab\x67\x55\xe4\x93\xb3\x31\xef\xa6\xe6\xb5\xb5\x74\
\x6f\xb9\x44\xcb\x44\x66\x0c\x16\x65\x01\x30\x16\xa8\xd7\x92\x6d\
\x21\xd3\x5b\x68\x02\x68\x9c\x33\x5a\x44\xc7\x79\x0e\xc9\xbc\x4e\
\xc5\x98\x97\xaf\x3d\x49\x6f\x3d\x71\xb6\x33\x5e\x2f\xf9\xfe\x68\
\x2c\xb5\x27\xea\x01\x43\x11\x6f\x9e\x01\xe7\xe7\xe7\xb8\x3a\x07\
\xce\x01\xb4\x03\xb0\x31\x11\x67\x47\x2c\xd3\x19\xfa\x49\x0a\x5d\
\x88\xc4\x0e\xe0\x91\x3c\xee\x80\x0b\xf1\x43\xe1\x3c\x7a\xbe\xe0\
\xef\x35\x39\xac\x8d\x32\xef\x01\x40\xd0\x16\x8a\x63\x26\xf0\xd1\
\x72\xbf\xf7\x5c\xc1\x69\xee\x79\xfa\xf8\xcb\xa8\xec\x87\x3e\xa0\
\xfb\xf1\x50\xaa\xdc\x4b\x84\x87\x79\x4f\x0f\x6d\x97\x97\xa9\x74\
\x5f\xeb\xb8\xbf\xe7\x8b\x60\xba\x07\xce\x3d\x60\x1e\x92\x08\x2f\
\xbb\xcf\x30\x0c\xbc\x07\xd1\xbb\xc3\xc0\xa7\xa7\xd7\xf7\xb4\xf4\
\x1b\x00\xee\x55\x35\x8c\x6b\x54\xc1\xf1\xce\x38\x7c\xca\x78\xaa\
\xd9\x8e\xf9\x58\x74\x7b\xb3\xba\x27\x26\x37\x8d\x2e\x9d\xdb\xfa\
\xc7\xcf\x8f\x64\x35\xaa\x57\xd3\xe0\xb2\x8e\x95\x71\x0b\x93\x99\
\xd1\x86\x2e\x87\xc9\x22\x68\x55\x74\x34\xfa\x94\x74\x26\xfd\xac\
\xb8\x4d\x2d\x3c\x40\x37\xd1\x97\x1e\x96\x49\xbf\xdc\x58\x29\xa2\
\x5f\x5e\xec\xec\xd5\xcb\xd1\x6e\x0f\xcd\xaf\x8e\xcd\x2f\xce\x8a\
\xdd\xcd\xdd\xbe\xe1\xd5\x8d\x4c\xf0\x33\x97\xdd\x2e\xb9\x7d\x77\
\xbf\xfc\xe3\x9f\xfa\x9b\xff\xed\x2f\xbf\xec\xf7\x7f\xfe\x3c\x3f\
\x6e\xe2\x3b\xbf\x70\x71\xf5\xa9\x6f\xf9\xa7\xbf\x6d\x70\x3d\x3e\
\x1f\xd4\xca\xda\x1a\x3c\x8b\x94\xd7\x53\x47\x8f\xc4\x66\x00\xc6\
\x62\x79\x37\x27\xe6\x65\x61\x9d\xe7\x88\x96\x58\x59\x0e\x60\x20\
\x90\x91\xac\xbd\xa3\x77\xc2\xa8\x04\x3a\x1c\x1b\x44\x26\x96\xe8\
\xcc\x39\x38\xcd\x01\xa0\x62\x5f\x0b\x5c\x8d\xa8\x15\x5c\x26\xda\
\xe6\x44\x4d\x8e\x0b\x60\x1b\x5a\xab\xb4\x2c\xc8\x2e\x6e\x37\xe4\
\x00\xc0\x3b\x39\x8e\x95\x93\x3a\x2b\x2a\xb6\x59\xa0\x81\xb4\x90\
\xac\x53\xe5\xd4\x7d\xe9\x5e\xea\xac\xdd\x9a\xd7\xa0\x58\xdd\x9f\
\x12\x85\xb5\x7f\xa6\x44\x2a\x48\xc1\x41\xbf\x47\xd9\x07\x44\xc1\
\x87\xf6\x99\xf9\x89\xf5\x09\x78\xfa\xf9\x1b\x9c\xca\x46\x64\x7e\
\x48\x95\x33\x33\xde\xe3\x6e\x5f\x8a\xc6\x4c\xf4\xde\x9f\x63\x31\
\x33\x3f\xb4\xdd\x4b\xb0\xfb\x6b\x1e\x26\xb6\xdd\x83\xe1\x65\x2a\
\xe1\xb5\x19\xf7\x99\x38\x02\xcf\xb7\xcd\xe9\x3d\xee\x85\xe8\xbd\
\xb4\xb9\xa7\xc2\xef\x6b\xbb\xc5\x0b\x19\xe9\x6f\x00\xb8\x05\x30\
\x9e\xfc\x41\x6f\x99\x71\x5a\x96\xbc\x01\xf0\x74\x18\x78\x35\x8e\
\xba\x94\x38\x49\x7c\x6b\xbf\x02\xc7\x4d\x9c\xb7\x83\x38\x14\xed\
\x76\xe2\xbe\xbb\xe2\xce\x78\x70\x71\x38\x93\x1e\x15\xb7\x34\xa9\
\x4c\x12\xb6\x92\xcd\x52\x33\x59\xab\x8b\x75\x5f\xd5\x36\x41\x16\
\x5d\x26\x54\x23\xdc\x64\xdd\x09\x5a\x17\xad\x05\xdd\x41\xaf\x3d\
\x7d\x6e\xe1\xdb\x0d\xbc\x80\xde\x89\xa2\x64\x89\xcc\x52\x5c\xe5\
\x72\xa3\xb2\x71\x2b\xe3\x60\x36\x92\xfe\xc6\xcd\xe4\x67\x6b\x4b\
\xc6\x52\x04\xfb\xfa\x57\xc6\x52\x23\x6d\x74\xda\xcd\x1c\xdb\xd7\
\xaf\xe6\xbf\xf2\x97\x7e\xe8\x5f\x7b\xa9\xff\xe7\x2b\x02\xe8\x67\
\x7e\xe6\x67\xe2\xfb\xff\xbd\xff\xe8\xac\x18\xbe\xed\x7c\x50\x1b\
\x8b\x65\xae\x6d\x89\x72\x3f\x27\xee\x6e\xaa\x30\x00\x00\x20\x00\
\x49\x44\x41\x54\x0e\x3d\xb2\x88\xb9\x11\xb2\x4b\x79\xb7\x5f\x50\
\x13\x58\x5a\x05\x7b\x32\x09\x74\x01\x19\x46\xb4\xc6\x25\x2a\xba\
\x05\x59\x13\xf0\x8e\x06\x60\x6a\x6b\xf9\xa0\x86\xb5\x80\xa3\xc7\
\x5a\xcd\x07\xa5\x20\x24\x02\x03\x30\x0c\xb0\x63\xa2\x97\x19\x5b\
\x8d\xec\xad\xb2\x0e\x03\x4a\x27\x35\x92\x29\x91\x8d\x44\x05\x30\
\x00\xa6\x81\x63\xfb\x40\x6d\x6b\x0d\x88\x81\x1c\x4e\xc7\xf7\x04\
\xc2\x49\xa9\xe3\x86\x50\x21\x55\x48\x06\xa9\x75\x0e\x2a\x41\x75\
\xa7\xa2\xd2\xba\x53\x86\xe7\xba\x9b\x66\x92\x0d\x60\x48\x6a\x24\
\x2b\x80\x46\xf2\x7e\x5b\x00\xb4\xd3\xdc\xb2\x27\x39\xae\x60\xab\
\x77\xe2\x71\x04\xbc\xb5\xbc\x96\x58\x25\x56\x33\x4e\x24\x44\x72\
\x22\x61\xcb\x12\x2f\x02\xe7\x1e\x3c\xf7\xa0\xb9\x07\xc9\xfd\xbe\
\x94\xa2\x6b\x33\x2e\x66\xdc\x64\x3e\x07\xe6\x3d\x70\x5e\xd6\x00\
\xfd\x54\x81\xec\x23\x36\xd5\x3b\x00\xc6\x13\x30\x23\x02\xef\xb9\
\xf3\x28\x3d\xdf\x7a\x04\xa6\x65\xc9\x65\x18\x9e\x3b\xac\xdd\x8c\
\x67\xe3\xa8\x3e\x0c\xb2\x13\x78\x4c\x22\xa2\xe8\x99\x89\x18\x8b\
\xc6\x5b\x23\xa6\x55\xda\x3c\x06\xf0\x4e\xae\xb9\x3d\x4c\xd3\x10\
\xd2\x90\x66\xb3\x49\x08\x69\xf6\xd9\x58\xc3\xea\x29\xba\x40\x4d\
\x06\x51\x48\xca\x2d\x6c\x89\xf4\x84\x5c\xa2\xf7\x4e\x8b\xec\x6e\
\x96\x25\x82\x16\x99\x3e\x35\x95\xcd\x08\xdb\xba\x95\x1e\xf0\x04\
\xca\xc6\xe9\x8f\xb6\xc5\xcf\x47\xd9\xdc\xc2\x93\xf4\xf7\x0e\xd5\
\x3f\xfb\x68\xf0\x43\x85\x3f\x3d\xb3\x72\xbe\x91\xdf\x4d\x61\x12\
\xc7\xbb\x39\x6f\xff\xc9\xaf\xfc\xe6\xff\xf0\xbf\xfe\x4f\xff\xe5\
\xc7\xda\x3f\xc0\x27\xa8\x70\x00\x30\x3d\x7b\xef\x1f\xf4\xf1\xd3\
\xff\xfc\xd4\xb3\x5c\x02\x8d\xb0\xe2\xd6\x73\x3b\x20\x6f\x2b\x13\
\xc9\x0c\x22\x2f\x37\x8e\x47\x17\xe7\x98\xeb\x1c\xdd\x15\x35\x2c\
\xd1\x6b\x2c\x0d\xe9\x6a\xa9\x62\x02\x06\x9f\x0e\x77\x68\x3e\xc0\
\x6b\x62\x28\x04\x50\x70\x9b\x87\x1c\x08\x28\x7b\xb6\xea\x71\xc0\
\x8c\x4b\x00\x3e\x8c\xd9\xe6\x89\x6d\x36\xd6\xb1\xe7\x59\x3b\xc3\
\x32\x9e\x4c\xb6\xe9\x80\x3d\x00\xb7\x0b\xfa\x0e\x98\x8d\x34\x92\
\x98\x81\xaa\x89\xf3\x0e\x70\x9d\x49\x5a\xad\x99\xcd\xb2\xc1\xb2\
\x25\x45\x6a\x43\x3c\x07\x10\x01\x56\xae\xda\xdc\x00\x40\x04\x4f\
\xc5\x56\x09\x00\xb5\xae\x52\x94\x15\x68\x58\xd9\x69\x00\x50\x22\
\x73\x40\x60\x46\x62\x00\xb9\x88\x99\xc8\x88\x88\x4c\x26\x02\xe8\
\x3d\x82\x67\xa4\x2e\x56\x36\x50\x12\xe3\x32\xb2\xc0\x34\x49\xb4\
\x7b\x35\x2e\x22\x5b\xef\xd9\x7a\x4f\x37\xe3\xb4\xdd\xda\xb4\x2c\
\xf1\xf8\x85\x85\x7d\x7d\xaf\xce\x99\xb1\xf5\x9e\xaf\x3e\x38\xe7\
\x66\xc4\xe9\xfa\xfb\x73\x6d\x45\xc7\x4b\xd5\xaf\xda\x7b\xbe\x34\
\xb0\xeb\x34\xee\xeb\x55\x0c\x9b\x8d\x06\x7c\x38\xd1\x71\x74\x7f\
\xee\xbb\xc1\xfd\xdc\x5b\xc0\xf5\xe0\x7c\xed\x54\x7a\xb6\x98\x11\
\xef\x01\xcb\x66\xd0\xe5\xb3\x35\xd2\xe4\x00\x60\x70\x71\x67\xe2\
\x28\x72\xd3\x0f\x9a\x0e\xe2\x1d\x4d\xda\x88\x8f\xed\x5c\xa3\x4d\
\xaa\x8b\xe4\x21\x35\x51\x45\xa7\xa0\x65\xa3\x51\x54\xcb\x2a\x93\
\x6c\x57\xe4\x11\xb4\x10\x85\x46\x47\xd0\xeb\xda\xde\xc7\xc6\x42\
\x57\xc2\xa6\x25\xca\xe5\x4e\xf6\xe9\xad\xf9\xf1\x48\x73\x37\xbb\
\x28\xb2\x1e\x61\x3d\xd3\x18\x69\xaf\x9d\x0f\xca\x84\x9d\x39\xec\
\xd1\xc6\x75\x7b\x4c\xdd\x2c\x69\x4f\xce\xb4\x7d\xe7\xe6\xf8\xb7\
\xff\xdc\x9f\xfc\xae\x2b\x7c\x85\xf1\x89\x00\xfa\xc1\xef\xfd\xd6\
\x77\xff\xf7\x7f\xf4\xfe\x2f\xcd\x0b\xbf\x33\xce\x50\x91\x91\xa0\
\xc5\xd9\x10\x19\x37\x15\x28\xc8\x08\x61\x48\xe4\xd9\x76\xcc\x4d\
\xd9\x66\x9d\xa6\x0c\xb7\xec\x00\xd4\x2a\x96\xa9\x66\x0e\x22\x8b\
\x61\x67\x67\x36\x1f\xe7\x4c\x1b\x2d\x44\xa4\x16\xec\x50\xa2\xd6\
\xe0\x52\x7b\x58\x31\x0e\xd5\x7b\xc3\x8c\x52\x2e\x78\xc4\x01\x3e\
\x4c\x89\xb9\xa3\xba\x61\xf1\x0f\x38\x8f\xed\xc5\x05\x9f\x4d\x44\
\x2f\xa4\xf7\x55\x8d\xba\x10\xb9\x6c\x81\xb2\x90\x7d\x37\xd1\x25\
\x6d\x00\x74\x2d\xca\xba\x51\x21\x59\x47\x60\x6d\xce\xbc\x4a\x9b\
\x01\x2b\x9a\x1a\xd6\x30\xf8\xf6\x80\xc6\x16\x80\x0e\x72\x2d\x1b\
\x86\xcc\x64\x0e\x40\xce\x99\x91\x95\x4a\x65\xc6\x82\x9e\x46\x65\
\x64\x04\xc5\xd2\xa3\xf3\x6c\xd5\x03\xe3\xc4\xcc\xb9\xa4\x16\x11\
\x58\xdb\xa7\x7f\x64\x51\xfb\x09\x14\xf7\xdd\x2a\xdc\x8c\x57\x0f\
\xce\x03\xf8\x08\x18\x1e\x82\xa7\xbd\x48\x0a\x9c\x8e\x6b\xef\x59\
\x1e\xd8\x51\x2f\x4b\x99\x7f\x38\x96\xd6\x72\x78\x11\x1c\x00\xe6\
\xd6\x72\x7c\xcf\x79\x3d\x7c\x40\x77\xbf\x76\xfa\xef\xfa\x99\x73\
\x38\x33\x0e\x00\x8e\xa7\x54\x94\xe6\x46\x6c\xd6\x48\x82\x2b\x5f\
\x9b\x78\x1c\x5d\x6c\xfb\x5b\x2e\xc7\xc7\xdc\xbc\x22\xd5\xe6\x6c\
\x85\x1c\x8b\xa9\xcd\x64\x1f\x66\x9b\xc3\xe4\x4e\x35\x92\xbd\xc9\
\xa8\xf5\x9f\x19\x85\x4e\x73\x49\x35\xe8\x4e\x5a\x8a\x96\x1d\x06\
\x75\x07\xe9\x22\xd4\x03\xb6\x1d\xdc\x50\xc3\xc2\xdd\x90\xf4\xcf\
\x5d\x0c\xfe\xae\xc2\x2e\x36\xb0\x1e\xd0\x34\xd3\x06\x93\xdd\xcd\
\x69\xaf\x6c\xcd\xf6\x4b\xda\xd3\x5d\xb1\x04\xf4\xd6\x6d\xd5\xe7\
\x1e\x15\x3b\xd4\x6c\x6f\x3d\xbb\xfb\x3f\x3e\xe9\x59\x3d\xff\xee\
\xbe\xd2\x05\xef\xdf\x1c\xfe\xee\xf9\xe0\xdf\x59\x7b\x16\x23\x92\
\x8c\xbc\xd8\x18\xdc\x2c\xe7\x86\x1c\x2c\x12\x85\x7e\xbe\x61\x6e\
\x77\x9b\xdc\xef\x3d\xd5\x67\xb8\x92\x36\x16\x2c\x7d\x26\x5a\xad\
\x6d\x35\xb9\x21\x1f\x11\x4a\xa0\x02\xdb\x32\x32\x07\x8f\xdb\xe3\
\xdc\xe7\x79\x42\x3f\xf6\x0c\x2c\x18\x5c\x11\xf3\x9e\x5e\x22\xcb\
\x32\x07\xb0\x23\x7b\xc5\xe1\xa6\xa2\x8c\x9b\xdc\xed\x80\x3a\x93\
\xd8\x1d\x71\x3d\x89\x6e\xe4\x16\x5b\xdc\x5d\x48\x63\x23\xdb\x06\
\xd0\x42\x42\x54\x27\x59\x36\xa0\xb4\xe8\x40\x6a\x6c\x64\x72\x14\
\xb1\x70\xe4\xa0\x3e\x9c\x94\x39\x00\xc3\xa9\xdd\x49\x23\x59\x1e\
\x3c\x83\xcc\xfb\x3e\x9b\x40\x4b\x84\x88\x3c\x69\x46\x01\x01\x99\
\x88\x5c\xbb\x97\xa1\x9a\xd0\xe7\x64\x04\xd9\x23\xa2\xf5\x15\x32\
\x11\xab\xe0\xdb\x34\x44\x9c\xf5\xb4\x55\x1d\x7a\xbe\x07\x3e\x58\
\xf8\xf7\xe1\x2c\xcf\x8f\xaf\x3f\x4c\x26\xb4\xd6\xb3\xa1\xa7\xbb\
\xb1\xa1\x67\x7b\xd4\xd3\xaf\x8d\x78\xf2\xe1\x96\x31\xcf\xc1\x73\
\x9f\x13\x5f\xd7\x45\x5f\xcc\xf8\x22\x98\x8a\x19\xaf\xaf\x8c\x47\
\x00\x8f\x6a\xcf\x87\x85\xcc\xa7\xdb\x8d\xa6\x93\x68\xbe\x2f\x8e\
\x79\x0d\xe0\xe9\x15\x30\x94\x0f\x68\xe8\xaf\x7b\x21\xf5\x00\x57\
\xab\xd4\x39\xec\x6f\x69\x70\x69\x37\xf0\xae\x4d\x9c\xa7\x73\xee\
\x9a\x6b\xee\xe4\x81\xd2\xb9\xc8\x76\x62\xbe\x16\x92\x56\x29\x3f\
\x49\x9f\x74\x79\x8a\x16\x09\x95\x4e\xab\xb6\x1e\x23\xe8\x26\x98\
\x27\x3d\x83\xd6\x02\x66\x0a\x47\xd0\x2f\x37\xe6\x99\x59\x3e\xf3\
\x68\x28\x4b\xac\x4d\x46\x2e\xc7\x62\x53\x0b\xdb\xcf\x4d\x04\x6c\
\xe9\x4d\xc5\x06\xdb\x3a\x2c\x18\xf6\xd6\x6d\xb7\xc7\x5b\xd3\x93\
\x33\xdf\xfe\x3f\xbf\xb9\xff\xe2\x4f\xff\x17\xff\xf1\x27\x92\x07\
\xf7\xe3\x63\x6d\xa0\xe7\xe3\xea\x37\xaf\xfe\xe0\x3f\xf7\x7d\xdf\
\x72\x36\xda\xab\x67\x83\xf7\x1e\x99\xee\xc0\xed\xd4\x71\xb3\x44\
\x6e\x9d\xa9\x14\x80\xe4\xdc\x33\x1b\xc1\xba\xf4\xcc\x1e\xd9\x22\
\x58\xcc\x30\xb7\x8a\xec\x40\xeb\x0d\xab\x39\x48\xb6\x7e\x2a\x60\
\x4f\x13\x14\x64\x27\xe6\xde\x21\x4f\xe6\xd2\x95\x51\x38\x46\x90\
\x1b\x31\xe9\x5a\x7a\xca\x86\x45\xb0\x4e\x55\x13\x08\xc8\x47\x29\
\x25\xc1\xe4\xd1\x29\x0f\x31\x8a\xe6\x26\x6d\x4c\x1a\x0a\x05\xa3\
\x59\x4a\x08\x99\xa5\x0c\x29\x73\x0f\x99\x64\x29\xb3\x0c\x08\xd9\
\xdc\x33\x3c\x33\x2c\xd7\x78\x72\xcb\xd3\x16\x84\x92\xb4\x04\x65\
\xf7\xec\xf7\x4a\xe2\xdd\x33\x79\x5a\x0f\xee\xd5\x42\xe2\x44\x4e\
\x00\x58\xfb\xd7\x66\x62\x6d\xa8\x9e\xc0\x02\xa0\x0c\x89\xbc\x06\
\xf2\x98\xb8\x9a\x80\xc3\x21\xb1\xcc\xe2\xf6\x08\x68\x16\xdf\x3f\
\x02\xf3\x2c\xce\xb3\x78\xbb\x4f\xdc\x45\x62\x91\x78\x4f\x00\xcc\
\x12\xe7\xd3\x71\x69\x3d\x71\x04\x22\x12\xb1\x4f\x60\xb7\x02\x2e\
\xf6\x89\x9b\x6a\x1c\xf7\x89\x77\xb1\xaa\x50\xb3\x89\x17\xd3\x5a\
\x3d\xc9\x26\xd1\xce\x44\x7b\x26\xee\x5b\xd1\xed\xfe\x03\x3c\xcd\
\x26\xce\x93\xd8\x16\x67\x5b\x7c\xd5\x8d\x4e\x1b\xb0\x02\x66\x39\
\xd9\x39\xc7\xa1\xc8\xaf\xc5\x6d\xb8\x96\x1d\x79\x59\x4c\x7b\x13\
\x87\x4c\xf4\x26\x3e\x33\x72\x6a\x95\xb5\x98\x7c\x31\x15\xba\x3d\
\xba\x1c\x75\x88\xae\x9b\xc9\x8c\x29\x49\xe6\x74\xc9\x93\xea\x49\
\x93\xd1\x68\x34\x73\x95\x68\xd5\x04\xb7\x50\xb3\x4a\x79\x76\x1a\
\x01\x33\xd1\x91\xe1\x73\xd0\x25\x98\x81\x0e\xa2\x78\xa1\x6d\x5c\
\xe5\xd5\x9d\x97\x4f\x9d\x0f\x7e\x73\x6c\xde\x3a\xfc\xad\xbb\xe6\
\xef\x1e\x7a\xa9\x91\xfe\x6c\x5f\xbd\xb8\x3c\x93\x5e\x23\xbd\x75\
\x7a\x31\xf8\xd3\xb3\xe2\x87\x1a\x9b\xbf\xff\xa5\xeb\x1f\xff\x4f\
\xff\xc2\x9f\xf9\xf5\xdf\x11\x00\xfd\xc2\x2f\xfc\x42\xfe\xc9\x3f\
\xfd\xe7\x77\x63\xd1\x77\x3c\x1a\xd5\xd6\x55\x23\xd6\xcc\x7c\x76\
\xe8\x31\x98\x40\x26\x48\xcb\xda\x12\x35\x95\x40\x70\xe9\x0d\x99\
\x48\x0a\x48\x18\x62\x69\x70\x33\xd6\x5e\x81\xa5\xe5\x12\x95\x44\
\xd2\x47\x41\x59\x18\x6c\x64\xef\x98\xe7\x8e\xd4\xc0\x41\x0b\x43\
\xa4\xd1\x95\xdd\x25\x75\xb6\x1a\x34\xba\x54\x4c\x30\xb1\x88\x8c\
\xde\x99\xd1\xd9\x37\x83\x2c\xc8\x40\x68\x18\xd3\xc6\xc1\xe5\x29\
\x31\x65\x2d\x29\x1b\x68\xc3\xfa\x9d\x5b\x3a\x85\x4e\xcf\x08\xb9\
\x87\x91\xb4\x24\x0d\x92\x67\xa6\x23\xcd\x33\x69\x96\x54\x24\x1d\
\x49\xb7\x20\xcd\x4e\xf8\x58\xb1\xa2\x06\xc8\x49\x55\x52\xfe\x80\
\x1e\x9f\x09\x3a\x80\x04\xf2\x79\x3e\x39\x3f\xe0\xc4\xeb\x42\x2e\
\x24\x97\x07\xe9\x4b\xd2\x4a\x22\xec\x4f\x1a\x5e\xf1\x35\xac\x85\
\x00\x7a\x24\x4c\xe2\xd2\x56\xc9\xb5\xb4\x9e\x3d\x12\x3d\x12\x87\
\x13\x38\x9a\x1b\x67\xad\xa0\xbb\x07\x59\xf1\x55\xa2\x3c\x68\x0a\
\xf8\x91\x6b\x6f\x4f\xf7\x01\xd6\x42\x30\xfd\x05\x0d\x73\xf5\xd5\
\x14\xbd\x0f\x60\x91\xc8\x7d\xd1\xed\x22\xd6\x65\x05\x60\x31\xf1\
\x76\x21\xc3\xc5\xdd\x42\xce\x1b\xe0\x70\x47\x8e\xe7\xae\x0a\x93\
\xcf\x47\x4d\xd5\x45\xb9\x95\xd1\x8c\x2e\x5d\x58\x97\xdc\xec\xb6\
\x57\x93\x85\xe8\xa1\x7e\x0c\x99\x0f\x46\xc8\x08\x99\x51\x27\x96\
\x2d\x44\x85\x65\xc8\xd9\x69\x4b\x76\x07\xd2\x41\x78\x0f\xd8\x54\
\xc3\x25\x73\x89\x1e\x84\x6f\xcd\xca\xe5\xd6\xca\xe7\x2f\xcc\x25\
\x39\x95\x25\x13\xf6\xde\xa1\x95\x77\xee\xaa\xbf\x73\xd7\xfc\xed\
\xbb\xc5\x47\xf3\x82\x84\x9f\x6f\xcc\x5d\xb0\x8b\xd1\x64\xc4\xf6\
\x9f\xbc\x37\xbd\xf1\x73\xbf\xfe\x6b\xff\xfd\xff\xf9\x13\x3f\xfa\
\xa1\xda\x07\x1f\x37\xbe\xa2\x0a\x07\x00\xf5\x78\xfc\xc7\xc7\x5a\
\xea\xd4\xa3\x0c\xa6\x00\x22\x2f\x47\x77\x57\xcd\x63\x0d\x9e\x15\
\xa5\x89\xb0\x62\xb9\x1d\x46\xf4\xed\x19\xe6\xd6\xb2\xf7\x3b\xb4\
\x0a\x1a\x48\x2f\x62\xed\x8d\x85\x62\xcd\x19\x98\x6b\x9f\xcd\x35\
\x7a\x57\x19\x4a\xd4\x1c\xbb\x0f\x62\x59\x22\x84\x96\x87\xf4\xc4\
\x74\xe8\x42\xc1\x66\xec\xc8\x05\xc0\x66\x04\xc2\x73\x8a\x86\xcd\
\x64\xa8\xab\xa9\x0c\x1b\xd7\xae\x10\x19\x23\x62\x90\xdc\xa8\xec\
\xd2\x01\x80\x89\xda\x6e\xa8\x68\xd0\x2c\xda\x30\x50\xea\x50\x88\
\x22\xa1\x1a\xb4\x02\xd0\x0b\x05\x40\x5c\x5b\x28\x11\x58\x3b\x30\
\xe9\xb4\xee\x23\x11\x11\x9e\x99\x6b\xfb\xf4\x74\x84\x25\x7a\xaf\
\x08\x4b\x44\x4f\x28\x1c\xf4\x40\xdb\x06\x10\x02\x3a\x84\x9e\x19\
\x03\xf3\x83\xb0\x1d\x66\x86\x32\x15\x99\x16\xcc\xa5\xf5\xb8\xf7\
\x67\xef\x4d\xac\xa6\x1c\xe7\x1a\xcf\x00\x94\x5b\x11\x10\x6b\xb3\
\x5c\x00\xcc\x17\x6b\xe9\xe3\xc1\x8d\x77\x6e\x9c\x4f\x79\x52\xa3\
\x1b\x6f\x1f\xbc\xbe\x7f\xaf\xf3\xd3\xb9\x87\xd7\x3f\x2c\x9d\x7c\
\x3f\x07\x00\x77\x6e\x1c\x5a\xcf\xfb\xe3\xe2\xc6\xda\x7a\x16\x37\
\x3e\x03\xd0\x8e\x45\x83\x8b\x7b\x8f\x3c\xe0\x0a\x8f\xf1\x18\xf5\
\x28\xee\x00\xb4\xf1\x96\x67\xb8\xc4\x7b\x26\x7e\xf6\x08\xc4\x70\
\xc7\x58\x1e\x69\x37\x1c\x38\xf5\x42\x4b\xb2\xcf\x64\x40\xda\x8b\
\xbc\x0a\xb3\x5d\x82\xec\xd2\x2c\x72\x3a\x48\xdb\x0d\xb8\x53\x95\
\x8c\x96\xa2\x42\x32\x89\x56\xba\x54\x41\x6f\x4b\xf7\x10\x35\x12\
\x56\x83\x96\x84\xf5\x58\xfd\x3c\xbd\x85\x59\xa1\x5b\xc2\x53\xe1\
\x8f\x37\x83\x95\x62\x56\x03\x66\x30\x3b\x2f\xe1\x4f\xcf\xdc\x00\
\xda\xeb\xcf\x16\xbb\xdc\xb8\x7f\xe1\x89\x1b\x12\x06\xc2\x1e\x8d\
\x6e\x4b\x84\xdd\x2c\x39\xfe\xc6\xbb\xd7\x7f\xf3\x3f\xff\x81\x3f\
\xfa\xd1\x76\x8b\x5f\x0b\x80\x7e\xe0\x8f\xfe\x9e\xd7\xff\xea\x3f\
\x7c\xf7\x17\x0e\x8b\xff\xa1\xed\x19\xa2\x07\x79\x36\x10\x8f\x37\
\x86\xf7\xf6\x35\xe1\xc8\x62\xe0\xce\x98\x07\x01\xc3\x30\x62\xf4\
\x01\x53\x3a\x99\x1d\x2e\xa0\xe2\xd4\x60\xd2\xc8\x41\xbb\x0c\x4d\
\xb4\x40\x6f\x48\x58\x4b\x2a\x49\x2b\xe4\xf6\x7c\x6d\xae\xaa\x1e\
\x19\x70\xde\x4d\x87\xd0\xb0\x5a\x24\x63\x74\x04\x03\x98\x81\x3e\
\x1e\x31\xd7\x75\x61\xa6\x46\x44\xaf\x10\x8d\xbb\x3e\x32\x9a\xd4\
\xb8\xb0\x8b\xda\x16\x2a\xbb\xac\x6a\x30\x38\x98\x7d\x35\x40\x51\
\xa0\x42\x1a\x01\x25\xa1\x20\xc8\x4e\x4b\x87\xfc\xa3\xad\x1f\x13\
\x44\x26\xfa\x6a\xfb\x20\xbb\x75\xef\x35\x11\x26\xf4\xb4\x6c\x58\
\x48\x36\xb0\x3b\x18\xa4\x62\xce\xf0\x9e\x64\x64\x6f\x91\x6c\x65\
\xa5\xba\x3b\x23\x6a\x8f\x80\x91\x71\x58\x8b\x33\xb7\x9e\xd9\x7b\
\xa4\x03\xb8\xee\xc2\x01\xa3\xa1\x02\x05\xab\x38\x28\x2e\xd6\x16\
\x79\xb8\x35\xe2\x79\x9e\x54\xcf\xfb\x94\x8f\xb5\x84\xc6\xfa\x7a\
\xbc\xff\xc4\xaf\xac\xa0\x00\x00\x9c\x98\xb0\x57\x60\xbc\x3b\xcd\
\xdd\x8f\x72\xbb\xd6\x1a\x38\x6b\x91\x77\x58\x4b\xe7\x16\x13\x67\
\x00\x30\x31\x4c\x2c\x27\xb1\xf4\x76\x7b\x3f\x47\x37\x9e\xef\x0b\
\x1b\xf6\x38\x1b\x2f\xb1\x98\x38\xdc\x08\xcf\xfc\x40\x37\x31\x2e\
\x2f\x78\x77\x2c\xbc\xd8\x88\x75\x76\xb5\x0a\x44\x25\x35\xae\xce\
\x9d\x22\xe9\x50\x3b\x1f\xef\x36\x2a\x26\x1e\x0e\x54\x9a\x64\x13\
\x58\x25\x2b\x1b\x9a\x28\x43\x40\x4b\x52\x26\x5a\x5b\xba\xd7\xa0\
\x19\x68\x2a\x2e\xb0\x7b\x0f\x7a\xcf\xf0\x41\xee\x53\x0b\xdf\xcf\
\xe1\xe7\xa3\x95\xc3\x4c\x0b\x84\x01\x66\x11\xe1\x20\x6c\x6e\xe1\
\x22\xdd\x0d\x4e\xa5\x7f\xee\x72\xb0\x9d\xcb\xf6\x4b\xda\xab\x3b\
\x53\x4b\xe8\x8d\xeb\xb6\x29\xec\x6f\x7f\xf1\x4b\xef\xfc\xad\xaf\
\x16\x3c\xc0\x57\x09\x20\x00\x78\xfd\xfd\xbb\xbf\x76\x31\xfa\xef\
\x3f\x1b\x6d\x33\x08\x13\x99\xf9\xe4\xcc\xf1\xde\xa1\x41\x46\x81\
\xc9\xcd\x40\x6c\xaa\x38\x47\xf0\xfc\x7c\x87\x5a\x2b\xf7\x77\xc1\
\x65\x09\x9a\xbb\x80\x50\x6f\x59\x93\xc9\xc1\x4b\x44\xcf\x56\x5b\
\xeb\xb4\xda\x95\xa1\x81\xa6\x18\x11\x8b\x10\xbd\xf6\xc8\x25\x42\
\x16\x79\x98\xee\xf2\xe2\xe2\x02\x45\x99\x4b\xb6\x74\x89\x7d\x01\
\x3a\x3a\x80\x19\x86\xc2\x5c\x82\xd3\xa6\xf3\x98\x9d\xa5\x1b\x9b\
\xc8\x42\x1a\x82\x4a\xa7\x4c\xcd\xb2\x17\x85\x68\x30\xd8\xd0\x57\
\x0f\x76\x21\xcc\x0d\x86\xa0\xa5\x20\x06\x78\x52\xcd\xee\x01\x74\
\x02\x69\x06\x80\x10\x11\x48\xf6\x64\x6f\xb6\x22\xaa\xab\x9b\x75\
\x43\x64\xb6\x9e\x3d\x6b\xa4\xb7\x50\xed\x01\x67\x10\x0a\x31\xb2\
\xcf\x8a\x3e\xf4\xe8\x8c\xde\xd8\x7b\x66\x86\x67\x76\x91\x37\x71\
\x97\xdb\x88\x6c\x11\xd9\x7a\xa4\x2f\x67\x01\x00\x07\x17\x9f\xf7\
\x58\x72\x11\x2d\xf2\xf5\x62\x1c\xfd\x86\xb8\x02\xe6\x72\x99\xa3\
\xdf\x10\x00\x76\xed\x32\x4f\x58\xc1\xe0\x22\x1e\x64\x15\x1e\x37\
\xe2\xdc\x22\xd1\x22\x07\x17\x87\xa3\x4e\x2c\xdb\x7a\xef\x2b\x5c\
\xe1\xb8\x31\x3d\xc2\x23\xe0\xb8\x72\x0d\xc0\x9a\x64\x56\x7a\x66\
\x35\x53\x1b\x81\xf3\x9b\x82\xa9\x89\x36\x8a\x93\x89\x6a\x13\x2e\
\x1a\xb0\x8f\x81\x01\xd3\xd0\x81\xbb\x36\x13\xdd\xf9\x4e\x9d\x79\
\x39\x98\xea\x81\x2c\x9c\x19\x28\x5a\x86\xb5\x7a\xce\xdc\xc9\x30\
\xa9\xc1\x14\xa8\x2a\x43\x28\x48\x1e\x23\x6c\x88\xd1\x0a\x69\x95\
\x14\x82\xd6\xd4\xd6\x6c\x68\x51\x67\x03\x3d\x15\xe6\x95\xbe\x20\
\x1c\x49\x6b\x88\x61\xee\xe1\xb7\x4b\xd8\x92\xf4\x2f\x5c\x9a\x6f\
\xcc\xec\xfd\x63\xf3\xde\x51\xe6\x16\xde\x49\x27\xd2\x47\x93\xff\
\x53\x9f\xda\xf9\x37\x3d\x29\xfe\x6c\xea\x4e\xa6\xb9\x68\x6f\xdf\
\x54\x6f\x11\xe3\xaf\xbe\x73\xfd\x3f\xff\xc8\x0f\xfd\x91\x9b\xdf\
\x15\x00\xfd\xbb\x7f\xec\x1b\xde\xfc\xc9\xbf\xf7\xf6\xdf\xf9\xba\
\xa9\xfc\xf1\xe1\x4c\x2d\x03\xf9\xea\xd6\xf0\xa5\x22\xec\x6b\xe2\
\xd1\x48\x18\x88\x9d\x23\x27\x23\xe0\x23\x76\xbb\x1d\x33\xc0\x88\
\xce\xa5\xd5\x46\x39\xa5\xce\xe3\x72\x80\xa0\x28\xa3\xd3\x7a\x61\
\xcb\xc6\xa4\x42\x41\x25\x18\x4a\x85\x67\xc6\x8c\x1e\x80\x67\xeb\
\x35\xa6\xc3\x8c\x18\x12\x66\x99\xbe\xf3\x5c\x30\x20\xda\x44\x33\
\xf2\xc8\x23\x86\xd9\x29\x85\x26\x8a\x56\x1a\xc6\x24\x0d\x83\xe6\
\x46\x0d\x46\x5b\x40\x1f\xd5\x57\xfa\x33\x68\x59\xdc\x8d\xb0\x24\
\x3d\x03\x0e\xd2\x5c\xb0\x0e\x88\x04\xf3\xc3\x52\x28\x95\x4c\x24\
\x42\x86\x00\xd1\x33\xd1\x92\x88\x4c\xb4\xcc\xe8\x86\x6c\x11\xac\
\x34\xaa\x47\x37\x34\xf5\x8c\xae\x8c\x68\xe1\xd9\x93\x26\xb0\x2a\
\x14\x3d\xe7\x60\x0c\x11\x3d\x33\xeb\x6d\x44\xef\x96\xc7\x86\xe8\
\x1d\xf0\xdd\xba\x70\xaf\x71\x03\xdc\x00\xf5\x2c\x80\xeb\x95\x06\
\xde\xb6\xd5\x25\x3a\xcd\x06\x14\x60\x73\xf7\xc1\x77\xfd\x7e\xd9\
\x7f\xc0\xf1\xcf\x6b\x24\xfb\x7c\x76\x52\xeb\xae\x0d\x23\xc0\xfe\
\x08\x6c\x26\x36\x5c\x62\xd7\x33\x8f\x7e\xcb\xe3\x5e\x04\x0a\xca\
\x0c\x1c\x2e\x6f\x31\xec\xc5\x1b\x00\x9b\x1e\x39\xbc\x22\x1e\x0d\
\x7c\xc5\x1e\x11\x87\x3d\xdf\xdc\x0d\x28\x47\xf1\x66\x6d\x8f\x8b\
\x5b\x23\x75\xa1\x93\x8a\x76\xe4\xa4\x33\x5e\x36\xb2\x3b\x50\xef\
\xa4\x8b\x73\x69\x8e\x99\x6d\x30\x96\x46\x71\x0d\x7c\xd2\xb1\x55\
\xcd\xbd\x92\x46\x31\x25\x4b\x5a\x76\xa9\x0a\x6c\xd9\x7d\x09\x2a\
\x08\xf5\x94\x67\xa5\xed\x0a\xb5\x2b\xab\xe6\xd0\x2a\xbc\x27\xdd\
\xc5\x62\x46\xdf\x2f\xe1\x2e\x7a\x22\xec\xbd\xdb\x66\xdf\xf5\xd9\
\x47\x46\xc0\xa6\x05\xbe\xaf\xe1\xd7\x53\xb3\xe8\x69\x35\xe8\x24\
\xec\x3b\x3f\xbf\x31\x17\x6c\xda\x77\xdb\xba\xac\x07\xe4\xa6\xcd\
\x71\x9e\x7e\xf5\x8b\xff\xe0\x17\xbf\x2a\xea\xfa\xb7\x05\x20\x00\
\x78\xfd\x8d\xab\xbf\xf1\xf4\x6c\xf8\xee\x47\xbb\xcd\x08\x66\x16\
\x07\x9f\x9e\x19\xbe\x74\x5d\x33\xd2\x01\x66\x6e\x9c\x79\x36\x1a\
\x03\x1d\xe3\x66\x44\x44\xb0\x47\x47\x8b\xe0\xb2\xcc\x90\x03\xa8\
\x2a\xad\xb7\x96\x95\x34\xa7\xbc\xab\xf5\x64\x6f\x58\x7a\xef\xc1\
\xec\x9d\xb0\xce\x62\x03\xfb\x34\x67\x74\xd3\x62\x35\x95\x9e\x9e\
\x3d\xe7\x6a\x18\x86\x19\xd1\x44\x57\x82\x61\xe8\x08\x95\x20\x33\
\x1a\xdb\x3c\x90\x05\xa0\xba\x7b\x52\x2d\x8b\x79\xd0\x9b\xd3\x15\
\x6b\x6d\x87\x56\x7b\x29\x4e\x73\xb9\xa7\xba\x1b\x57\xe2\x40\x80\
\x31\xa1\x24\xb8\x72\x7d\xa7\x7e\xa9\x40\x18\x81\x0c\x04\x90\x2d\
\x93\x3d\x81\x96\x42\x13\xd1\x5a\xc2\x32\x69\x19\xd9\x2c\xa1\x6e\
\xec\x8e\x40\xa7\x84\x9e\x3d\x22\x5b\x06\x98\x9d\xe4\x20\x6d\x7a\
\xf4\xd6\x23\x8e\x86\x35\x91\xc8\x4d\x4d\xcc\x3e\x2b\xa7\x3e\x51\
\x18\xd0\xc6\x48\x6b\xc0\x32\x46\xce\xb7\x40\xba\x2b\x5b\xe4\xb8\
\x3b\xd5\x3d\x38\x49\xa8\xe9\x20\x3e\x17\x1b\x00\x2e\x2f\x57\xb6\
\x0e\xa7\x34\xfa\x3e\x9e\x24\xce\x3e\x72\x55\x86\x6f\x70\x00\xd8\
\xcd\x39\x9c\x68\xa4\x09\x00\xf6\xeb\x7e\x3e\x8a\xe1\x2e\xcd\xc0\
\x05\x80\x7a\x79\x64\x2b\x46\x9b\xc4\xc5\x22\x73\x3a\x72\x31\x31\
\x48\xf6\xba\x43\x54\x72\x0e\xd7\xc0\xca\x2c\x5b\xfa\x42\xd6\x02\
\xa6\x6b\x65\x7a\x16\xb2\x16\xaa\xd5\x4a\x6f\x23\x99\x66\x75\x96\
\x2e\x0a\x75\xe7\xe4\x71\xe9\xe6\x32\xf5\x63\x37\x37\x5b\xa5\x8f\
\x68\x83\xa0\xb1\xd0\x7c\xa0\x35\xd2\x14\xb0\x2e\x7a\x6d\x51\xce\
\x8b\x97\x69\x5e\xa5\x90\x13\x76\x3e\x98\x5d\x14\xf7\xc3\x12\x06\
\xb2\xb8\xa1\x1c\x8f\x61\x37\x53\xf7\x96\xb0\xeb\x43\xb7\xd1\xe8\
\x83\xb6\xf6\xe5\xbb\xaa\x33\x97\x7d\xea\xcc\xed\xd9\xb1\xfb\xa0\
\x28\xb7\xfb\xe5\xaf\xfe\xc8\x9f\xfd\x13\xf3\xef\x2a\x80\xfe\xec\
\x9f\xf8\x96\x77\x7e\xf2\xe7\xde\xfa\xd9\xf7\x76\xf6\x7d\x4f\xcf\
\xbc\x87\xc0\xa7\x17\x9e\x6f\xef\x1b\x44\x20\xc5\xec\x20\x36\x0e\
\x1e\x1b\x59\x86\x01\xf3\x5c\x39\x8e\x03\x5a\x6c\xd8\x6a\x65\x8b\
\x26\x77\xb1\x37\x53\x5f\x6a\xef\x0d\xdd\x75\x72\x8d\x55\x89\xbd\
\xb7\x14\x98\xad\x30\xfa\xac\x80\x32\x19\x19\x4b\xcf\x49\xc7\xe4\
\x30\xc6\xd0\x80\xdb\xe3\x02\xd3\xc8\x71\x3b\xb2\x28\xd1\x11\x5c\
\xa2\x43\xd1\x99\xcb\xa4\xca\x41\x11\xa6\x42\xda\xa0\x70\x0e\xf4\
\x5d\xb8\x75\xd1\x5b\xa5\xab\xc0\x95\x2c\xca\x28\x9e\x2c\x09\x1a\
\x14\x86\xd5\xa2\x37\x5b\xab\x96\xdf\x4b\xa1\x5c\x59\xe8\x8c\x04\
\x42\x60\xe7\xbd\x14\xfa\x60\xab\x20\x5a\x1a\x5a\x06\xcd\x6b\xb6\
\x6e\xa2\x67\x36\x32\x9b\x98\x3a\x92\x8d\x35\x84\x9e\x1d\x85\x82\
\xd8\x37\x00\x96\x99\xbc\x8d\x4c\xab\x8c\x1e\x99\x82\xa1\xf5\xc8\
\xde\x95\x7b\x9c\xba\x9e\xfb\x4d\xae\x61\xb4\x40\x2e\x93\x6e\x01\
\x9c\xfa\xd0\x72\xbc\x0f\xce\x3c\x91\x06\xf3\x61\x2d\x23\x76\x3f\
\x3e\x58\x15\xe2\xf5\x2b\xa7\x58\xb9\x93\x8a\x37\xfb\x81\xe7\xa7\
\xfb\xe2\x1c\x58\x8e\x22\xc6\x3b\xa4\x5d\x50\x5d\x9c\x45\xee\x1a\
\x30\x16\x60\xb9\x02\xea\xbc\xc8\xad\x10\xed\x80\xcc\x33\xaa\x1b\
\x95\x33\x6b\x36\xcd\xc3\x96\x73\xaf\xec\x49\xcd\x09\x4c\x5d\x62\
\x88\xca\xca\x08\x4a\x21\x4e\xd6\x94\xd1\xb4\xf4\x8d\x2e\x0b\x65\
\x08\x45\x76\x05\xba\x11\xdd\x6e\x8e\x69\x26\xd7\x76\x94\x9f\xb9\
\x93\x09\x6b\x95\xe6\xa2\x83\x38\x45\x12\xd0\x7b\x84\x2f\x2d\xac\
\xe6\x7a\xee\xd5\x33\xf3\x6f\x7c\x65\xe3\xcf\xa6\xe6\x73\x0f\x5f\
\x02\xc6\x4c\x8b\x84\xcd\x35\xfd\xcd\x67\x37\xf6\x9d\x9f\x7f\x64\
\x5f\xbe\xeb\xf6\xd6\x75\xb7\x6f\x7e\xea\x02\xa0\xaf\xbb\x28\x5b\
\x30\x7e\xe9\xff\xfa\xe2\x5f\xff\xdb\xbf\x25\xe4\x9c\xc6\x57\xf6\
\x03\xbd\x30\xbe\xe7\x4f\xfd\xe0\x9b\x5b\xbf\xf8\xc3\x97\x5b\xdf\
\xd6\x40\x8c\x26\xb4\x9a\x98\x5b\x62\x37\x90\x73\x03\xe6\x06\x18\
\x92\xab\xf3\x34\xd8\x7a\x10\x91\x24\x85\xda\x1a\xdb\x12\xe8\x4c\
\x44\x4f\xc6\xc9\xba\xe8\x99\x8c\xe8\xa2\xb9\xb2\x43\x60\x88\x01\
\x22\x21\x31\xd9\xa2\xd3\x7b\xd2\x68\xea\x3d\x99\x94\x6d\xdc\x34\
\x94\x91\x2c\x23\x95\x30\x67\x5a\x10\xe6\x90\x51\xb4\xcc\x6e\x49\
\xf9\xe8\xb2\xd1\x54\x28\x14\x27\x06\xd2\x0a\x14\x03\x61\xc5\x0c\
\x43\x11\x07\x32\x07\x24\x0a\xc1\x91\x62\x61\xe4\x90\x64\x49\xa0\
\x08\x28\x09\x38\xc0\xa2\x5c\x59\x22\x10\x9e\x80\x25\x69\x02\x95\
\xcf\x53\x8e\xa0\x08\x2a\x09\x46\x82\x19\xd0\xaa\xc6\x82\x4a\x3e\
\x57\xb3\xac\x01\x8b\x93\xa8\xd2\x72\xca\x65\xaa\x5c\xd3\x98\x1b\
\x80\x34\xb1\x1f\xc9\x66\x99\x96\x89\xa3\x2a\xbb\x2a\xe1\x8d\xfd\
\x40\x5a\x23\x97\x81\xf0\x48\xdc\x00\xc0\xd1\x88\x58\xb7\xde\xc4\
\xbe\xad\xdc\xa9\xd2\x54\xd9\x96\x2e\x44\x23\x76\x8d\xdb\x36\xd2\
\x1a\xd9\x8b\x69\x69\x93\x10\x62\x89\x46\x6c\x47\x3a\x5c\x59\x67\
\xdd\xde\x90\x7d\x09\xc9\x47\x95\xad\xb4\xf4\x35\xda\x63\xcf\x59\
\xc9\xaa\xd6\x43\x5d\x6e\x43\x86\x86\xd1\xad\x77\xb3\xd6\x8f\xca\
\x2e\x95\xa1\xc8\x5c\x76\x7b\x6c\x36\x0e\x45\x0d\x54\x6d\xb0\x6c\
\xb2\x60\x33\x57\x5a\x87\x99\x15\x6a\x90\xdb\xcd\xdc\x7d\x69\x70\
\x03\xbc\xf5\xb0\x65\x6a\x4e\x33\xdb\x99\x74\x3e\xca\x68\x2c\x52\
\x78\x91\x95\x9e\xe1\xfb\x1a\xe5\xa2\x98\xbf\x7f\xac\xbe\x74\x98\
\x79\x3a\x82\xfe\x85\xc7\x83\x3f\xb9\x70\x47\xb2\xf4\x9e\x7e\x3b\
\xa7\xdd\xce\xbd\x24\xe5\x57\xfb\xd9\x97\x79\xb6\x6f\xff\xc2\x2b\
\xfe\x9b\x57\xd5\x28\x78\x71\xda\x97\xae\xab\x9b\x61\x38\x1b\xf2\
\x47\xbf\xff\x7b\xbe\xe7\xa5\x55\x77\xbe\xd2\xf8\x2d\x49\x20\x00\
\xf8\x73\xdf\xfb\x5d\x57\xff\xdd\xff\xfd\xd6\xff\xf6\xf5\x6d\xfc\
\xc1\xf3\xd1\xfa\xdc\x83\xdb\xd1\xf8\xd6\xbe\x63\x37\x08\x8f\x36\
\xc2\xd4\x1b\xb3\xb3\x15\x03\x5b\x19\xe8\x43\x53\x46\x90\x6e\x8c\
\x4c\xd5\xba\xa0\xd5\xa4\x53\x6a\x44\xb4\xda\xe4\x42\xef\x42\xb7\
\x6c\x66\x1e\xad\x2d\xe8\x81\x10\xc4\x90\x24\x35\x21\xc0\x38\xf6\
\x19\xd6\x15\xa3\x36\xd9\x32\x30\xb7\x60\xe9\x49\x50\xe8\x30\x79\
\x0d\x76\x75\x45\x4b\x83\x0d\x36\xb5\xb0\xbb\x29\x6c\x94\x15\x77\
\x7a\x4f\xba\xd8\x1d\xc9\x02\x44\x01\x6d\xc8\x84\x4b\x2c\x24\x4a\
\x02\x96\x09\x07\x29\x64\x12\x00\x53\x48\x41\x6b\x38\x0f\xb2\x23\
\xd1\x13\x6c\x49\x34\x00\x2d\x91\x2e\xd2\x7b\x47\xc9\x44\x35\x61\
\x89\x80\xa8\x2e\xd0\x2a\x98\x02\x53\x19\xd9\xe0\x02\x45\x41\xd1\
\xc6\x9e\xfd\xce\xa2\x6b\x11\x0b\xa8\x89\xc7\x50\x2f\xfd\xba\xee\
\x63\x88\x48\x0c\xa0\xf5\xe4\x1c\x91\xe8\xfe\x81\x83\x66\x5c\x09\
\x80\xf3\x2a\xde\xc1\x71\xd1\x23\x97\xcd\x29\x10\x77\x0f\xe0\x0c\
\x18\xa6\x6d\xa6\x89\x77\x00\x86\x51\xc4\x7e\x0f\xd4\x33\xdc\x61\
\x42\x31\x71\xa1\x88\xe6\xc0\x29\x96\x70\x17\x0b\xf6\x01\x60\x3e\
\xa2\x40\x42\x07\x96\xd9\xb0\x94\x1d\x5d\x6b\x39\xa9\x01\x45\x87\
\xec\xf0\x24\x73\x5a\x98\x3b\x72\x89\xca\x1c\xa5\x76\x6b\xa8\xde\
\xd5\xe7\xc6\xb2\x19\xa9\x10\xeb\x44\x92\x95\x2d\xa8\xcc\x26\xc8\
\x94\xa0\x0c\x54\xad\xa1\x79\xe8\x02\x65\x9d\x47\x6b\x13\x85\x0c\
\xd1\x68\xcc\x20\x8d\x56\x7b\xf8\x6e\x0d\x34\xf1\x9e\xa1\x77\xee\
\xc2\x5e\xbb\x70\x07\x61\x57\x53\xf8\xb9\xd1\x42\xe6\xaf\x5d\x14\
\xff\xcc\x65\xb1\x79\x09\xdf\x0e\x32\x90\xf6\xe6\xcd\x64\x6f\xdc\
\x56\x77\x33\xbf\xba\x9b\xec\x8f\x7c\xf3\xab\xe6\xa2\xd5\x9e\xf6\
\xa9\x33\xd7\xdd\xd4\xed\xcb\x77\x75\xfb\xfe\xa1\xfd\xc6\xcf\xfe\
\x8f\x7f\xe9\xe7\x7f\x3b\xe0\x01\x7e\x1b\x12\x08\x00\xfe\xc0\xf7\
\x7c\xdf\xeb\x4f\x3f\xfd\xda\x1f\x7c\xed\xdc\x5e\x1d\x5c\x6d\x70\
\xf0\x6a\xdf\x78\x35\x25\xcf\x8a\xe0\x12\x7b\x24\x23\xd7\xe5\xd7\
\x1a\xd9\xb3\x51\x14\x99\xab\x5a\x54\xe7\x99\x1d\x21\x20\x29\x8a\
\x1d\x22\x33\x98\x3d\xb9\xd4\x50\x66\x67\x6d\x9d\x8c\x64\xab\xa9\
\xe2\xab\xff\xb2\xf7\xa4\xad\x76\xbe\x42\xc9\xdd\x30\xca\x8a\xcb\
\xdd\x0c\x26\xa9\xac\x4e\x3b\xf4\x30\xb8\xdc\x21\xc7\xc0\x62\xca\
\x62\xc9\xc1\x5d\x2e\x71\x00\x58\xdc\x30\x98\x30\x50\x1a\x00\x0c\
\x24\x06\x26\x07\x80\x43\x02\x85\xc2\x20\xc2\x01\x14\x32\x0b\x90\
\x05\x44\x49\xc2\x44\x19\x13\x86\x55\xd8\x5a\x20\x3c\x91\xc2\x1a\
\xf0\x66\x81\xb4\x4c\x10\x19\xb2\x94\x60\x60\x74\x08\xd9\x84\x34\
\x29\xa9\x2c\xd4\xb1\x55\xa6\x82\x4b\xeb\x62\x4a\xf4\x8e\x5e\xc5\
\x0e\x13\x1a\x30\x43\xf2\x10\x2b\x17\xd5\xe8\x54\xef\x44\x8c\xdc\
\x76\x12\x29\x42\x2e\x68\x51\xdc\x90\x98\x45\xec\x44\xa4\x28\xa3\
\xc9\xd2\x90\x1b\x22\x26\xd6\xd1\x35\x22\x24\x6c\x84\x10\x03\xb3\
\xb0\xac\xb6\xe6\xd8\x07\xf6\x81\xec\x75\x56\x6d\xae\x16\x55\xd2\
\xc6\x12\x93\x8d\x9b\x41\x3d\x43\x54\x5a\x13\xd9\xe6\x50\x8b\xaa\
\x56\x24\x2c\x4d\x1a\xb7\xda\x40\xba\x9d\x66\x15\xc2\xca\x28\xc9\
\x46\xb5\x9a\x1a\x37\xa1\x48\xf3\xb9\x77\x23\xe4\xc6\x6e\x1d\x29\
\x20\x3d\x33\x6d\xe7\x83\xcf\x59\x6d\xbf\xaf\x8e\x5e\x05\xc1\x55\
\xdc\x3a\xc2\x37\xc5\x5d\xf2\xb2\x1d\x58\x5a\xd2\xdf\xd9\x57\x3f\
\x1f\x65\x4f\xb6\xc5\x5f\xbf\xaa\x0e\xc0\x93\xf4\xdd\x20\xff\xfd\
\x5f\x37\x3a\x41\x6f\x3d\xad\x27\xfc\x58\xc3\x13\xe9\x77\x53\xfa\
\xeb\xef\xef\x7d\xa7\xb0\x6f\xfe\xcc\x23\xdb\x2f\x69\xdb\x22\x7f\
\xbc\x35\x7b\x77\x1f\xfe\xce\x5d\xdd\x25\xe3\xc7\x7f\xf8\xdf\xfc\
\x57\x7f\xf1\xff\x57\x00\xfd\xcc\x5f\xf9\xb1\xf6\xaf\xfc\x5b\xff\
\xc1\xf5\xe5\x76\xfc\x67\xce\x46\xc5\x40\x62\x3b\x1a\x9e\x1d\x1b\
\x96\x48\xf4\x08\x8e\x26\x2c\xab\x01\x03\x1a\xd1\x6a\x23\x02\x4c\
\x26\x33\x40\x77\xd3\xbc\xcc\xcc\x1e\xa0\x81\x4a\x09\x12\x00\x2a\
\xb3\xab\xa1\x2b\x23\x60\x92\xf2\xb4\x22\x46\x1f\x58\xcc\x2d\xd1\
\x05\xba\x0c\x66\xe6\x24\xd2\x64\xa0\x99\xc3\xb2\xa7\xc9\xe8\xa5\
\xb8\x49\xe6\x70\xb3\x02\x2b\x83\xcb\x25\x73\x32\x8b\x88\x41\xc0\
\x28\x69\x28\xce\xc1\xc0\x21\xc1\x81\xc9\x51\xc2\x48\xa2\x10\x28\
\x5c\xcf\x3b\xc1\x42\xb0\x24\xe8\x02\x0c\x82\x61\x05\x88\x43\xb0\
\x04\x0d\xa9\x35\x04\x28\xd2\x3a\x28\xad\x6c\xde\x9a\x2e\x8e\x14\
\x32\x45\xa6\x3a\xc9\xe8\xc1\xf0\x50\x8f\x60\xef\x64\x4d\xaa\x93\
\xe8\x04\xd4\xb9\x1a\xdf\x55\x6c\xb9\x10\xd1\xd9\xb2\x53\x30\xb5\
\x46\x04\x4c\xd6\x1b\xfb\x36\xd4\x5b\x08\xd9\x89\x14\xe7\x61\x51\
\x0c\xa9\x40\x6a\x83\x8d\x90\x62\x0c\xa4\x0f\xa9\xb9\x99\xb0\x9f\
\xe9\x3e\xb2\x95\x0a\x95\x50\xaf\xa7\x68\x0e\x9a\x76\x67\x1b\xab\
\x93\x29\x04\x5b\xda\x22\x2f\xa6\xb3\x61\xd4\xdc\x53\x3e\x52\x23\
\x07\x53\x6a\x95\x16\x35\x2d\x2d\x84\xde\xd4\xa3\x69\xd0\x60\xe3\
\xc6\xb5\x1c\x8f\xd6\x99\x2a\x18\xe5\x03\x6d\x8e\x70\x63\x1a\x61\
\x9a\x7a\x35\x8b\xb4\x94\xac\x47\x78\xa1\x5b\xeb\x61\xee\x56\x6a\
\x6d\x76\x98\x8f\x46\xc0\xe4\x6e\x32\x2f\x94\x9c\x80\x8f\x1b\x79\
\x04\xcb\xed\x31\x6d\x33\xc8\xbf\xe9\xc9\x60\xaf\x5f\x37\xbf\x6b\
\xdd\x06\xb7\x42\xa2\x7c\xfe\xf1\xe0\x17\x1b\x39\xc9\x32\xf7\xf0\
\x63\xcb\x72\xb7\x34\x47\xd2\x2f\xb6\x56\xde\xba\x9e\xf4\x4d\x9f\
\xbe\xf0\xeb\x19\xf6\xec\xd8\xec\x62\x34\x9f\x5a\xda\xf5\xa1\xed\
\x12\xfc\xa5\xbf\xff\x8b\x3f\xfd\x5f\xfd\xcc\xc7\x54\xdc\xf9\x5d\
\x03\x10\x00\xfc\xe4\x5f\xfe\xcf\xde\xfc\xfe\x7f\xe7\xcf\x7f\xe1\
\x95\xad\x7f\x13\xc8\x3a\xda\x6a\x55\x53\x62\x4f\x62\x3f\x37\x75\
\x00\x88\xe4\x60\xa6\x16\xc0\x52\x1b\x99\xa9\x9e\x1d\x66\x0e\x77\
\x67\x6b\xc1\xda\x2a\x49\x28\x72\xad\x07\x92\x38\xa5\x27\x9c\xd2\
\xbb\x28\x50\xee\xb4\xe2\xda\x6e\x47\x6d\xb6\x3b\x51\x58\x23\x75\
\x0b\xcd\xbc\x30\xdd\x0c\xa4\x64\x6b\xfe\x35\x21\x33\xc9\x06\x2b\
\x06\xc1\x8b\x6c\x10\xe0\xc5\x31\x0c\x52\xa1\x71\x28\xc2\x20\x70\
\x00\x31\x24\x72\x04\x72\x00\x39\x48\x1c\x44\x96\x4c\x14\x20\x0a\
\x99\x85\xa0\x41\x70\x90\x0e\xd0\x22\x69\x4c\xac\x9f\x23\xe1\x49\
\x18\x12\x46\x52\x49\x08\x24\x33\xc0\x95\x36\x07\x33\xa1\x8e\x35\
\xa7\x25\x79\xda\x27\xd5\x3b\xc8\x20\x03\x54\xcb\x95\xd6\x25\xa4\
\xda\xa8\x40\xaa\xe7\x1a\x11\x1b\x31\xd3\x99\x42\x74\x82\x29\xf4\
\x54\x19\x07\x76\x8a\xed\x78\x44\x72\x51\x9f\xa1\x6c\xa9\x10\xd9\
\x32\x88\x0e\xb5\x25\x88\x0c\xc2\xc5\x32\x0e\x64\x1f\x1c\xc5\xa4\
\xb6\x28\x94\xb6\xdd\x8d\xd6\x73\x50\xed\x8b\x8c\x55\x4a\xb3\xb2\
\x35\x2b\x56\xd4\x99\x8a\x48\xdb\x6d\x37\x92\x49\xc5\xa5\x5e\x3b\
\xe7\x84\xa9\xa7\x10\x29\xa6\x99\x8a\xf9\x61\x3a\x0a\x9d\xc6\x11\
\x56\x86\xad\x65\xaf\x36\x8e\x6e\x5b\x2f\x7e\x5c\xba\x35\x84\x65\
\x74\x47\xc0\x33\xbb\x45\x74\x87\x68\x99\xb2\x5a\xd3\xcc\xdc\x86\
\xa1\x94\xc1\x8b\x03\xf0\x40\x3a\xd3\xfc\x6e\xea\xf6\xe4\xcc\xfd\
\xf7\xbe\x3a\xf8\x97\x6f\x9b\xbd\x7f\xa8\x46\xb2\x9c\x6f\x54\xbe\
\xf1\xc9\xe0\x02\x0a\x12\x4e\xa4\x1d\x6a\xf8\xbc\xa4\xb5\x0e\xa3\
\xe0\x6f\xdd\x2c\xfe\x85\x27\x1b\xff\x8e\xcf\x9d\x29\x91\xbe\x75\
\xf9\x93\x9d\xa9\xf6\x2c\x6f\xdd\x76\x3f\xf7\xfe\x23\x7f\xe6\x5f\
\xf8\xee\x37\x7e\xbb\x18\xf8\x9a\x00\x04\x00\xff\xe2\xf7\xff\xf0\
\x6f\x5c\x9c\x6d\xbe\xfb\x62\xa3\x33\x8a\x91\x48\xee\xe7\xce\x8b\
\x41\x48\x8a\x73\x0f\xdd\x1c\x13\x35\x82\xe3\xc6\x95\x00\x6a\x6b\
\x24\x89\xc8\xb0\x4c\xc2\x5d\x44\xa7\x7a\x36\x08\xb9\x46\x2c\x26\
\x49\xb9\xca\x4a\x07\x50\x3e\xd0\x01\xf5\xd6\x05\x81\x65\x18\x74\
\x76\xb6\x33\x2f\xa3\x49\xc5\x9c\x52\x44\x9a\xd0\x0c\x01\x4f\xd2\
\x48\x98\xd1\x8c\xc5\xbc\xb8\xb9\x11\x85\x86\x62\x89\xc1\xc9\xe2\
\xb6\x4a\x9f\x22\x0d\x04\x06\x26\x0a\xc0\x21\x13\x23\x91\x83\x2c\
\x0b\x73\x25\x0e\x28\x9e\x80\x03\x5b\xc9\x04\x38\x33\x2c\x4d\xce\
\xa4\xf5\x84\x52\x30\x80\x02\x69\x0c\x28\xf2\x04\xa4\xa4\x61\x05\
\x94\x02\x10\x02\x86\x84\x90\x2b\x88\x1a\x80\x16\xd4\x1a\xe7\xde\
\x14\xe9\x4a\x54\xf5\x48\x59\x21\x65\x52\xf4\xaa\x9e\x62\x8f\x4a\
\x10\x6a\x39\x30\x50\x35\xd5\x99\x1e\xa6\xc5\x9b\xb5\x63\x25\x72\
\xa0\xcb\x84\x21\x05\xa5\x02\xa1\x01\xa1\x05\x21\x55\x98\xd3\x64\
\xdb\x35\xb2\x36\xd2\x4c\x90\xd2\x07\x15\x84\xa2\x55\xf5\xa5\xa9\
\x31\x35\x5a\x51\x64\x28\x43\xea\xb5\xc9\xad\x18\x15\x2a\x70\x05\
\xd3\x50\x53\x15\xb0\xc8\x6a\x5d\x61\xbb\x61\xab\xb9\x55\x5f\xb2\
\xdb\x30\x0c\xb6\x2b\xc5\x08\x53\x31\x99\x17\xb3\x69\xee\xd6\x5b\
\x77\xf4\xb0\x16\xcd\xa2\x67\xe9\x09\x43\x9a\x6d\x77\xa3\x45\x84\
\xf7\xde\xcb\x6e\xb3\xf1\xd7\x2e\x47\xdf\x8d\xc5\xa6\x25\xfc\x30\
\xcf\x5e\x86\xe2\xbf\xf7\xc9\xe0\xc7\x9a\xfe\xfa\x4d\xf5\xdd\x60\
\x7e\xb9\xd3\xf0\xf9\x8b\xe2\x67\xa3\x3c\x12\xde\x3a\xfc\xd8\xd2\
\x97\x0e\x8f\x4c\x8f\x84\x4f\x35\xed\xfd\x7d\xf5\x3f\xf0\xb9\x33\
\x4b\x64\x49\xd0\xb7\x2e\x3b\x1b\x64\x5f\x7c\x6b\xba\x78\xeb\x6e\
\xf9\x6b\x7f\xea\x0f\x7f\xe6\x7f\xf9\x5a\xd6\x3f\xf0\xdb\x20\x11\
\x1e\x8e\x1f\xfa\x63\xdf\xf0\xe6\x4f\xfd\xfc\x1b\xff\xcd\xf9\xe6\
\xd1\x7f\x78\x31\xb2\x5f\x8e\xce\xbb\x29\x39\xf7\xe0\xe3\xad\xfa\
\xd6\xc7\x66\x6c\x7a\xe3\xfa\xd8\xa6\xb9\xb6\x32\x38\xb7\xdb\x5d\
\x44\xbf\x51\xb1\xa1\x61\xa0\x98\xdd\xed\xb1\xc7\x3c\x8f\xf5\x70\
\x77\xd7\x03\xe8\x56\xd0\x5b\x8f\x48\xa4\x2b\x4b\x97\x31\x34\x32\
\x2c\x33\xdb\x1c\x31\x61\x4a\x80\x39\xfa\x88\x86\x8e\x96\x41\x97\
\x23\x61\xe8\xd1\xa8\x05\x6c\xa0\x66\x36\xe3\x32\x79\xe7\x59\x09\
\x83\x67\xa7\x77\xd1\x1a\x58\x90\xf4\x48\x96\xa5\x47\x11\x39\x98\
\xa9\x58\xc6\x80\xe4\x48\xc8\xb2\x61\x0d\xef\xd3\x1a\x5c\x9d\x11\
\xc4\x5a\x69\x2f\xa3\x47\x07\xd8\x99\x68\x01\x74\x19\x6b\x06\x5a\
\xcf\xac\x00\x6a\x64\x16\x42\x85\xeb\xf3\xad\x89\x18\x04\x2d\x42\
\x2c\x30\xd5\x96\xcd\xe5\xaa\x2d\x7a\x2d\x91\x16\x43\xb6\x58\xb2\
\x19\xac\x81\x19\xd9\xbd\x8d\x96\x7d\x61\xf4\x79\x99\xc3\x7d\x88\
\xb9\x4e\x91\x18\xd3\x3c\xb3\x2f\xad\x0f\x70\xa0\x57\x36\xcc\x60\
\xc9\x2c\xc3\x06\xc0\x5a\xb1\xd5\xeb\xca\xea\x35\x89\x0d\x00\x23\
\x72\x6e\x13\xa1\x84\xdd\x6d\x56\x36\x0f\xc0\x30\x0c\xb0\xa9\x61\
\x1f\x4d\xc0\x82\xa5\x01\xc3\x00\x28\x8d\xbd\x55\xae\xa6\x66\x70\
\xae\x13\x87\xf1\x8c\x0b\x3a\xcb\x60\x9c\x22\x39\x1e\x17\xde\x46\
\x12\x2d\x35\x6f\x63\x8d\xdb\x8c\xc6\x08\xa8\x51\xb4\x81\xea\x01\
\xad\x2d\x43\x52\x6d\x5e\x18\x48\x5b\x5a\x35\x17\x65\xc5\xa5\x34\
\x39\x29\x29\x4d\x82\xb9\xcb\x82\x34\x64\xa8\x14\x17\x91\xf6\xd9\
\x47\x83\xbd\x75\xdb\xbc\x76\x68\x74\xf3\x5d\x81\x7d\xe1\xf1\x68\
\x3d\xe0\xc7\x9a\xbe\x75\xe9\xdd\x7d\xb3\x29\x56\x09\x33\x08\xaa\
\x91\xf6\xe5\xdb\xd9\xbe\xf5\xeb\x36\x4e\xc1\x6e\xa6\xb4\x88\xb4\
\x52\xa8\xab\x63\x3f\x17\xf1\xc5\x2f\xff\xf2\x2f\xfe\xd8\xd7\x06\
\x9d\x75\x7c\x4d\x00\x02\x80\x7f\xe3\x0f\x7d\xf6\xef\xfe\xf4\x2f\
\x5d\xfd\xad\xdf\xf7\x74\xf8\xe3\xee\x71\x7d\xb1\x15\xde\x7e\xa7\
\xf2\x7c\x63\x34\x25\x5f\x3b\x97\x7a\x8c\xfc\xf2\xf5\xc4\xe3\x71\
\x16\xc1\x0e\x3a\xa4\x2e\xb3\xde\x20\xb3\xec\xad\x97\xa1\xe8\xe2\
\xe2\x51\x9f\xe6\x43\x9b\xe6\x08\xf3\xd2\x22\x7b\x5f\x29\x62\x46\
\x26\xbb\x72\xf5\x25\xf6\xc8\x3c\xdc\xed\xb3\x6f\x03\x2e\xe5\x5a\
\xcd\xf0\xf4\x67\x7e\x53\x12\x34\xf5\x48\x79\x6f\xd6\xbb\x79\x6d\
\xd5\x96\x2e\xdf\xf8\x1a\x3c\x28\xc2\x92\x61\x19\x66\x9d\xb0\x54\
\xac\x92\x0b\x6b\x8e\x49\xcf\x28\x91\x32\x65\x9a\x93\xa7\x0a\x95\
\x42\x64\x20\xd7\xdc\x1d\x23\x10\x04\x3c\xd7\x50\x36\x07\xb3\x22\
\x64\x81\x7b\x35\x2f\x0c\x01\x81\x74\x83\x79\x43\x37\xca\x8c\xd9\
\xcd\xe5\x16\xd9\x5d\x90\xa5\xa7\xac\xae\xbe\xa2\x41\x6c\x35\xb3\
\x2d\x84\x38\x64\xcf\xb9\x47\x44\x76\x44\xc6\xc6\x4a\xaf\x39\x05\
\x3a\x30\x24\x57\xcd\xc1\x4a\xf6\x3e\x27\x2a\xd0\xb1\xe6\x16\x45\
\xe3\x9a\x8e\x3a\x00\x8e\x00\x8c\x34\x23\x8e\x13\xc0\x6d\x62\xc0\
\x11\xcb\x29\x54\xd2\xd2\x78\xc0\x11\xbd\x57\x2e\xd1\x05\x00\x67\
\xe3\x2b\x98\xdb\xc4\x95\x13\x2d\x48\x25\xf7\xc7\x99\xc3\xb8\xe1\
\x30\x14\x26\xc8\xc2\xd0\x91\x89\xd5\x3c\xec\x22\x82\x56\x24\x55\
\xc8\x19\x44\x0f\x21\x5c\x95\x9d\x63\x73\x36\x54\xb5\xec\x16\x08\
\x2b\x92\xac\x14\xad\xb9\x5a\x29\x20\x65\x2c\xd6\x18\xd6\x7a\x68\
\x5e\xc2\x96\x0c\xbd\xb2\x31\xdb\x5e\x0e\x96\x19\x76\x3b\x87\x2d\
\x3d\xed\xb5\x73\xd7\x67\x1e\x8f\x5e\x04\x17\x69\xc7\x9a\x76\x33\
\x37\x6b\x91\x1e\x3d\x34\x81\xd6\x05\x7b\xf3\xba\x6a\xae\x69\x97\
\xdb\x62\xb5\xd3\x46\x4f\x3b\x2c\x90\x83\xe5\xcd\x7d\xad\x4f\x86\
\xfc\xd1\xff\xe4\x13\x4a\x55\xfd\x56\xc6\xd7\xa4\xc2\xdd\x8f\xef\
\xfe\x81\x1f\xfe\x95\x27\xbb\xcd\x77\x8f\x6e\x8f\x8c\x88\xdb\x39\
\xf0\xf6\xbe\x11\x99\x6b\xa2\x83\xc8\x96\x24\xe8\x6c\xad\x62\xcd\
\x05\x6a\x24\x29\xa3\x18\x08\xd6\xb9\x91\x0a\x96\x52\xc4\x5c\xed\
\x25\x90\xcc\x5c\xe3\x97\xef\xcd\x1b\x0a\xc2\x1a\x6a\xa3\x65\xae\
\x4c\x84\x04\xb3\xcc\x95\x12\x4d\xca\x65\x26\xd3\x5a\xbd\x45\xa2\
\x53\x72\x33\x2f\x2e\xba\x9b\x15\x03\x0a\xc8\x22\xa2\x64\xae\x84\
\x41\x12\x45\x27\xbf\x0f\x41\x27\xe0\x04\x0a\x49\x23\xd3\xd7\x73\
\x54\x64\xae\xce\xd6\xb5\xa7\x8a\x90\x29\x00\x4c\x70\x65\xe4\x98\
\x8a\x55\x45\xb3\xc4\xea\xc7\xc2\x0a\x38\x11\x60\x02\x06\xe4\xaa\
\xd2\x05\x84\x84\x45\xf2\x54\xcc\xa4\x13\x91\x02\xd2\x82\x69\xad\
\x83\x66\xc5\x32\x52\xe9\x20\x57\x56\x9b\x90\x94\xe8\x52\x06\xbb\
\x4c\x68\x5d\x02\xad\xf7\xd5\x88\xea\x06\x43\x4f\x76\xc0\xd8\x53\
\xd9\xd7\x7a\x97\x46\xc9\x62\x50\x57\x57\x04\x6d\x18\x4d\x3d\xaa\
\xd5\x0a\x45\x9b\xe4\x36\x8a\x82\x4d\x4b\xb5\x69\xae\xea\xbd\x1a\
\x23\x1d\xd1\x15\x84\x99\xd1\x90\xf2\xa5\xa6\xf5\x0c\x8b\x65\xb2\
\x1a\xb0\x71\x18\x1c\x92\xb7\xa9\x1b\x4c\x36\x0c\xc5\x48\x5a\xab\
\xd5\x21\xb3\x79\x59\xbc\xb6\x56\x28\x79\x62\x25\x08\x90\x69\xa0\
\x6c\xbb\xd9\x58\x8f\xf0\xe3\x7c\xb4\xde\xc2\x35\x0c\xfe\xb8\xd0\
\xb7\x45\xbe\x2d\xd2\x0d\x1d\x6e\x00\x00\x20\x00\x49\x44\x41\x54\
\xf2\xb9\xa2\x5c\x1d\x9a\x6d\x07\xf7\xcf\x3f\x76\x7f\x3c\xca\x23\
\xe9\x20\x3c\x33\xfd\xfd\x7d\x2b\x4b\xc0\x47\x37\x5b\x7a\xd8\xaf\
\xbf\x3f\xdb\xa1\xa5\xff\xbe\xa7\x5b\x3f\xdf\x98\x32\xc3\x97\x9e\
\xe6\x84\x5d\x4f\xfd\xf2\xcd\xeb\xe5\xc7\xff\xe5\xef\x78\xed\x6f\
\xfc\x4e\xac\x7b\xe0\x77\x40\x02\x01\xc0\xbf\xff\xcf\x7e\xfd\xb3\
\x9f\xf8\xb9\x37\xfe\xeb\x8b\xed\xe3\xbf\xe0\xcc\xe1\x0b\x8f\x8b\
\x6a\x8f\xea\x26\xae\x0e\x52\x52\x6b\x6a\x99\x86\x71\x5c\xcf\xf5\
\xae\x5a\xbb\x4c\xae\x71\x18\x2d\x7a\xb6\x65\x5e\x04\x41\xe3\x76\
\x34\xc8\xfa\x74\x3c\xb4\xda\xa3\x03\x88\x8c\x16\x21\xa5\x19\xc3\
\xcc\xc3\x95\x59\xd1\xb2\x47\x20\xfb\x14\x9e\x45\xc0\xc2\x04\xd6\
\xb6\x7f\x46\xd6\x46\xa3\x99\xac\x87\x2d\x4b\xd3\x6c\x3a\xc5\x17\
\x53\xd6\x69\x13\xa1\x81\x69\x49\x33\xeb\x61\x19\xb0\xe2\xb4\xcc\
\xb4\xe2\x32\x02\x96\x48\x45\x97\x42\xf9\x41\x86\x1c\x90\x06\x44\
\x64\x18\x88\x8e\x84\x21\xd1\x93\x30\x80\xb6\x3a\x59\x73\xc1\xff\
\xd7\xde\xbb\x06\xdd\x96\x1e\xe5\x61\xcf\xd3\xfd\xbe\x6b\xed\xbd\
\xbf\xdb\xb9\xcc\x55\xd2\x68\x84\x84\x6e\xa8\x8c\x14\x8c\x83\x40\
\x10\x70\x00\x13\x30\x76\x52\x60\x2a\x76\x02\x29\x43\x20\xae\xa4\
\x88\x89\x09\xae\xa4\xf0\x0f\x5b\x09\x04\x53\x8e\xed\xa4\x70\xd9\
\x86\xe0\xb8\x94\x84\xc4\x46\x09\x18\x70\xd9\x10\x15\x28\x80\x21\
\x84\x8c\x8d\x24\x74\xf3\x8c\x6e\xa3\xb9\xcf\x9c\x39\x73\x2e\xdf\
\xf7\xed\xbd\xd6\xfb\x76\x77\x7e\xf4\xda\x07\x95\x53\xb6\x65\x31\
\x3a\x33\x12\xea\xaa\x99\xef\xec\xaf\xf6\xd9\x67\xef\xb5\xdf\x5e\
\xdd\xfd\xf4\xd3\x4f\x07\x05\x82\x19\x11\x4d\x40\x75\x84\xd2\x39\
\x13\x50\x07\x8a\xa4\xa8\x6a\x11\x0d\x85\x9b\x92\xa2\x64\xf4\xc2\
\xe8\x03\xc3\x66\x65\x09\xb4\x4e\xf1\xee\x3d\xa4\x4b\x78\x14\x84\
\x78\xb8\xa2\xb8\x21\x42\x5b\xc3\x4e\x22\xd4\x4b\x50\x1a\xe6\x06\
\xc0\x02\x75\x24\xe9\x9e\x22\x0e\x21\x42\x0f\x28\x34\x3c\x9a\x04\
\x88\x41\x01\xf3\xe0\x34\x75\xb6\x06\x00\x15\xab\xa3\x4a\xb3\xa0\
\x4d\x8d\x2a\xa4\x04\x08\x2a\xdd\x8d\xc9\x28\x59\x51\xdc\x92\x16\
\x60\xc2\xae\x45\x04\xc6\x08\x68\xad\xca\xb3\xe8\x74\x57\xce\x73\
\x93\xde\x27\xb1\x36\x0b\x44\xa5\xd6\x2a\x3a\xcf\x62\xdd\x85\x04\
\xcd\x4d\x45\x8a\x54\x0a\xe7\xe6\x2a\x4a\x81\x43\xa0\x51\xee\x3e\
\x1c\xb4\xd2\x35\x48\xed\xe6\x72\xd6\x5c\xef\xbb\x38\xea\x85\xb5\
\xe8\xe9\x14\x72\x71\x9d\x9c\xc5\x6e\x5e\xc2\xa8\xb3\x51\x9d\xd0\
\xcd\x20\xfa\xec\x75\x53\x51\x91\x63\x81\x9e\x6c\x54\x7a\xf7\x52\
\x55\xf4\x7c\x6a\x72\x34\x96\xc3\x87\xae\x9e\xff\xf6\xaf\xfd\xca\
\x03\x6f\x7f\x3e\xce\xfc\xde\x9e\x97\x08\x04\x00\x6f\xff\xb1\xbf\
\xfc\xf8\x37\xfd\x47\xdf\xf7\xf2\x4b\x9b\xf2\x5a\x50\xe6\xa2\xe4\
\xe9\x1c\x3c\x1c\x04\x55\x43\xd6\x55\x78\x3e\x1b\x77\x73\x27\x40\
\xd6\x5a\xe8\x66\x9c\x7b\x13\x37\x43\xd5\x42\x66\xb3\x91\xdd\x2d\
\x87\x41\x44\x45\x55\xc4\xe1\x34\x33\x89\x1e\x84\x8a\x44\xe4\x9a\
\x4c\x73\x57\xcd\xe1\xd0\x54\x6d\x01\x44\x44\x15\x11\x6a\xee\x39\
\xa9\x28\xaa\x5a\x8a\xaa\x4a\x81\x88\x92\x2c\x9e\x91\xa5\x00\xa8\
\x11\x2c\x24\x2a\x40\x45\xa0\x2e\xf3\xf5\x45\xd2\x11\x14\x40\x09\
\x84\x44\x84\x84\x87\x64\xd4\x4c\xae\x1c\x32\xbd\x14\x04\x84\x80\
\x04\x20\xe1\xf9\x13\x4e\x01\x21\x12\x20\x13\x48\x60\x04\xe9\x24\
\x23\x52\x51\xd6\x1c\xea\x70\x89\x08\x7a\x22\x73\x6a\x39\x95\x29\
\x01\x4a\xb8\xb3\xc7\x12\xc5\x48\xc9\x3e\x13\x25\xdc\x08\x38\xbb\
\x41\x83\x26\x61\xae\x1a\x2a\xb3\x9b\x90\x90\x48\x75\x1a\x92\x54\
\x8a\x14\x10\x12\xe1\x42\xa1\x06\x42\xc2\x5a\xd2\xfd\xbb\x8b\x45\
\x2b\xee\xae\xe3\xa0\xa5\x8a\x54\xc0\x15\x70\x4d\xd6\x7a\x55\x09\
\x08\x25\x8a\x9b\xeb\xfa\xe0\x40\xc7\x9a\x81\xac\x77\xd7\x08\xa8\
\x47\x2f\xb5\x56\x15\x50\xb7\xdb\x5d\x31\xf7\x92\x9a\xe2\x56\x58\
\xa4\x1c\xae\xc7\x02\x6a\xb1\x66\xc5\xbc\xab\x88\x16\x06\x94\x08\
\xe9\xe6\x45\x04\x45\x4b\xd5\xf3\xed\xae\x5e\x3e\x3a\x28\xf7\x5e\
\x18\x15\xcc\xe8\xd3\x0c\xfa\x92\x0b\xa5\x5c\xda\x68\x19\x8a\x14\
\x51\xe8\xe9\xe4\xe5\x60\x90\xda\x1d\xe5\xe6\xdc\xb5\x88\xe8\xd1\
\xa8\x7a\x7d\x6b\x6a\xe1\x8a\xee\xaa\x45\x35\x22\xf4\xc2\x5a\xcb\
\xcd\xd9\x65\x55\x38\x3e\xf4\xcc\xb4\xfb\xf0\x93\x57\x7e\xe8\x07\
\xfe\xfd\x2f\xbd\xf2\x7c\x9d\x79\xe0\x79\x74\x20\x00\xf8\xc6\x3f\
\xf9\x3d\x8f\x1f\xac\x87\xaf\x58\x17\x8e\xab\x41\xc3\x23\xe8\x20\
\x87\x9a\x33\xce\xb5\x28\x9c\x94\xde\x03\xf3\xd4\xe8\xde\x38\x94\
\xc2\xd6\x9d\x66\x8d\xd4\xa2\xa2\xca\x70\x67\xeb\x06\x0b\xcb\x03\
\x5b\x06\xcd\xbe\x4a\x88\x9b\x0b\xc2\xc4\x97\x02\x55\x4a\x11\x15\
\x11\x25\xd5\x6f\x09\x8e\x42\x08\x16\x04\x94\x42\x09\x84\xaa\x48\
\x41\xa0\x06\x59\xdc\xa5\x04\x50\x2c\x51\xb6\x02\x84\xfa\x02\x87\
\x82\x2c\x45\x29\x24\x15\x08\x45\x40\x23\x47\x1b\x84\x48\x91\x0b\
\x21\xc4\x02\x12\x7b\xc7\x89\xec\xf5\x04\x72\xae\xc8\x23\x45\x4b\
\x52\x76\x11\xe2\x39\xa8\x2a\x01\xd2\xdd\x09\x40\x41\x11\x87\x67\
\xe3\x0b\x14\x06\xc4\xdd\xc5\x22\x14\xe9\xb0\x0c\xa1\x78\x50\x7b\
\x40\x73\xf5\x27\x24\xba\x0b\x95\xd2\xcd\x95\x61\xc5\x03\xe9\xa3\
\x02\x55\x4f\x2e\x9f\x0a\xc4\x01\x45\x37\xf5\x2c\xde\x18\x12\xaa\
\x52\x4a\x04\xa4\x77\x17\x91\x28\x80\x68\x77\x53\x12\x32\xea\xa8\
\x50\x88\x99\x29\x58\x84\x11\x45\x10\x6a\x8c\x22\xa1\x62\x1e\x65\
\x28\x55\xc6\x61\x2c\xca\x9c\xb9\x69\xbd\x49\x9b\x5a\x89\x54\xba\
\x29\xdb\xed\x79\x09\x78\x59\xd7\x51\x0f\x36\x1b\x5d\xad\xd6\x3a\
\x0c\x45\xdd\xa0\xd3\x3c\xa9\x5b\x14\x51\x94\xde\xad\x34\xb3\xd2\
\xac\x97\x5a\x6a\x39\x39\x18\x75\xb3\x1a\xcb\xc1\x38\xe8\xc1\x4a\
\xeb\x28\xd4\x41\x51\x2e\x1f\x6a\xb9\xb4\x2e\x2a\x22\xa5\x28\xcb\
\xc9\x20\xe5\x99\xb3\xa6\xbd\x47\x51\x81\x4e\x86\x32\x56\x29\xcd\
\xbd\x3c\x7a\xbd\xe9\xa6\x52\x3d\x42\x4f\xd6\x83\xce\xcd\xcb\xce\
\x20\x4a\xea\x73\xbb\x7e\xf0\xc0\x87\x9e\xf8\xd1\xff\xf2\x1b\xbe\
\xe0\xff\x7d\x3e\xcf\x3b\xf0\x3c\xa5\x70\x7b\xfb\x63\xbf\xff\x25\
\x0f\xff\xc3\x0f\x3c\xfb\xb6\xe3\x3b\xd7\x7f\xba\x10\x71\x69\xad\
\xed\x89\xeb\x8d\x11\x42\x77\x97\x41\x28\x77\x6c\x8a\xa9\x08\xeb\
\xa0\xfd\xc6\x0d\x97\xd3\xb3\x53\xc9\x7b\xda\x20\xbd\xb9\x5b\x74\
\xaa\xaa\xd6\x1a\x12\xb3\x99\xb9\x99\x9b\x45\x29\x45\x29\xea\x85\
\xe1\x61\xee\x0c\x89\x90\x88\xf0\x70\x07\xc2\x23\x20\x46\x38\x0c\
\x4e\xd2\x61\x34\xa1\xf6\x66\x24\x5b\x99\xa9\x7b\xa2\xa8\x44\x85\
\x90\x95\x1e\x01\xf7\x80\xb9\x72\xac\x01\x56\x45\x05\x60\x16\x04\
\x82\x9a\x1d\x17\x88\x25\x42\x11\x79\xd0\xd1\x22\x98\x67\x16\xb0\
\x14\x1c\x51\x73\x18\x09\x71\x07\x29\x50\x46\xc8\xa2\x92\x20\x12\
\x59\x1b\xc1\x5d\x55\x54\xcd\xbc\x7b\x78\x51\x52\x03\x50\x23\x54\
\x04\x85\x64\x55\xc5\x8c\x60\x81\x44\xe9\x11\x6d\x90\x6e\x4d\xa4\
\x7b\x98\xa2\xab\x95\x12\x66\xde\x5c\x45\x22\xb4\x58\x61\x84\x48\
\xc4\xdc\x7a\x06\x43\x71\x17\x4b\x51\x94\xae\x0e\x71\x84\x59\xae\
\x12\x04\x01\x87\x61\x2c\x15\x52\x2b\xe7\x79\x22\x1c\xa0\x8a\xb8\
\x02\x6e\x01\xf7\xa0\xb0\x53\x58\xd8\xdd\x18\x61\xc9\x70\x07\x30\
\xcf\x3b\x09\xac\xe9\x28\x14\x90\xbd\x77\x31\x33\x02\x14\xd5\xc2\
\x22\x2a\x0e\x70\x18\xab\xea\x50\xd9\xe6\xa6\x9d\x81\xc8\xc1\x5e\
\x09\x40\x7a\x37\x9d\xe7\x26\x90\x90\xf5\x6a\x23\x47\x07\x1b\x79\
\xc9\xc9\x4a\xa6\xe6\x72\x7d\xea\x45\x82\x32\x8c\xa2\x07\x83\x88\
\x32\x74\xdb\x5c\x55\x44\x0f\x47\x91\xa9\xb9\x5e\xda\x14\x7d\xe2\
\xba\x89\x08\x95\x0c\x65\x40\x9e\xb8\xd1\xf5\xbe\x93\x2a\x4f\xde\
\x9c\xf5\xf5\xf7\x6c\xf4\xda\xd6\x64\x55\x54\xb6\x2d\xf4\x60\xe0\
\xc9\xbb\x3f\x7a\xe5\x97\xbe\xff\x8f\xbc\xe1\x1f\x3c\x9f\x67\x7d\
\x6f\xcf\xab\x03\x01\xc0\xd7\xbf\xfe\xf2\x2f\x3c\xf0\xf0\xf5\xd7\
\xbd\xec\xe2\xf8\x0d\x84\x5c\xbf\xb8\x29\x72\xe5\xcc\x64\x3d\x88\
\x87\x3b\x03\xc2\x82\x8e\x22\xca\x0b\x27\x17\x74\x1c\x57\x76\x7a\
\x76\xda\xe7\x69\x16\x56\x73\x47\x11\x20\x8c\x2d\x84\x09\xd4\x18\
\x84\x9e\x66\x2e\xa4\x8b\x48\x88\xd2\x03\xe2\xca\x12\x94\x08\x37\
\x47\x8a\x68\x06\x3c\x80\x1e\x46\x31\xa5\xb9\x89\x34\xea\x0e\x93\
\x3a\xa8\xee\x2e\x6e\x79\x30\x9a\x55\xee\x44\xd9\x06\xa3\x43\x50\
\xe8\xa8\x02\x08\x05\x9e\x4c\x3c\x48\x52\xf8\xb2\xbb\x4b\x67\xb6\
\xa2\x92\xd0\xe5\x04\xc2\x03\xe1\x49\x95\x8d\x08\x01\x21\x48\x99\
\x01\x92\x91\xd1\x08\x54\x8b\x10\x80\x0d\x11\x22\x44\x0f\x52\x23\
\xa0\x0c\x57\x31\x11\x00\xa5\x28\x9b\x05\x15\x1a\x0d\x84\xd6\xf0\
\xd2\x45\xba\x4a\x74\x8f\xa1\x85\x4e\xd6\xa9\x06\x0f\x17\x09\xeb\
\xdd\x15\x40\x24\x36\xc1\x68\xd1\x43\x44\x23\xca\x7e\xd9\x98\x82\
\xd9\x99\x0e\x13\x90\x1e\x30\x00\x52\x41\xf1\x06\x81\x80\xa2\x2c\
\x55\xa4\x54\x05\x0c\x30\x2c\x84\xd7\x45\xea\xc2\x3a\xc4\x68\x54\
\x14\x9c\xde\xb8\x29\xfb\x95\x8c\x3d\x2c\xf9\x54\x8b\x10\xe5\xb0\
\x59\xb1\xd9\x2c\xbd\x3b\x49\x51\x2c\x0c\x8c\x96\x1b\x96\xd8\xba\
\xa9\x5b\x53\x0f\x50\x54\xe4\xf8\xe8\x58\x8e\x0e\x0f\x65\x3d\xa8\
\x9a\x87\x86\x44\xb6\xfc\x14\xb2\xaa\xd4\x6e\x21\x46\x68\x7e\x05\
\xae\xcf\x9e\x85\x0e\x0a\x3d\x1e\x8b\x3c\x23\x5d\xaf\x9e\x35\x7d\
\xd9\xc5\x51\x3e\x7e\x6d\xd2\x57\x5c\xac\x72\x3e\x43\xef\x39\x1a\
\xe5\xea\xa9\xc9\x9d\x47\xaa\x4f\x9f\x76\xb9\x70\xa0\x07\x8f\x5e\
\xb9\xf9\xb1\x8f\x3c\xfa\xe8\xdf\x78\xbe\xcf\xf9\xde\x9e\xd7\x14\
\x6e\x6f\xaf\xfe\xfa\x3f\xfe\xde\xfb\x2e\x5f\x78\xe3\xf1\x58\x5e\
\x56\x85\x6d\xdb\x9c\x57\xce\x3a\x0e\x06\x91\x1e\x41\x33\xd2\x09\
\x31\x0b\x50\x33\x01\xcb\xa5\x15\x14\x06\x16\xf4\x0d\xf4\x70\x5a\
\xef\xe2\x11\x1a\x11\x4c\x8a\x81\x08\x00\x01\xa1\x08\x61\xad\x2a\
\xa5\x54\xa9\xc3\x90\x87\xd7\x33\xd7\x2f\x5a\x84\x2a\x05\x60\x09\
\x98\x30\x42\xcd\x9a\x9a\x27\x8a\xd6\xdd\x0a\x21\x9a\x08\x9d\xe8\
\xa0\x54\x61\xce\xda\x27\x72\x96\x4c\x80\xfc\xfa\xb9\x20\x68\x41\
\x0f\x90\x08\x46\x50\x72\xd6\x89\x74\x38\x03\x41\x40\xe8\xe9\x69\
\x0c\x82\x29\x84\x95\xa8\xa1\x47\x0a\x92\x00\xa0\x47\x4a\x09\x87\
\x83\x16\x22\x08\x17\x5f\x6a\x28\xcf\x93\x27\x80\x4b\x0f\x48\x0f\
\x12\x41\x71\xba\x98\x87\x10\x2e\xbd\xbb\xd0\x3d\x7b\x2c\x09\x69\
\x6b\x2c\xec\xf5\x20\x8b\x04\xc5\xa2\x4b\x81\x2a\x14\x52\x44\x8b\
\xd6\xd4\xba\x51\x15\x1d\xa4\xa8\x53\xd4\xe1\x5a\x8a\xea\x50\x73\
\x19\x8f\x59\x28\xc4\x95\x4e\x15\x50\x91\xe2\xa1\xea\x66\x39\x94\
\x16\x5e\x44\xa8\xa5\x0c\x1a\xee\x0a\x55\x0d\x37\xd5\x52\xcb\x30\
\x14\x75\x8f\xe2\x8e\xb2\x3e\x58\x17\xa5\xea\xdc\x9b\x9a\xf5\x22\
\xa2\x3a\xef\x76\x65\x6a\x4d\x87\x71\x2c\x17\x8e\x8f\xcb\xc1\xe1\
\x61\x19\x0a\x4b\x21\x4a\x51\xe8\x4a\x44\x4b\x51\x5d\xa9\x14\xf3\
\x28\x64\x94\x55\xa1\xd6\xc2\x72\xe5\xcc\xca\x07\x9f\xda\xa9\x03\
\xba\x52\xea\xcd\xd9\xd5\x3d\x14\x64\xb9\xb8\x51\x45\x40\xa7\x1e\
\x3a\x16\xe8\x50\xa5\x3c\x7d\x6a\x32\x56\x8c\x2b\x95\xf6\xce\x77\
\x3f\xf4\x83\x3f\xfc\xad\x5f\xf1\x29\x31\xad\x3f\x19\xfb\xb4\x38\
\xd0\x3b\xfe\x97\xbf\xd9\xbe\xf2\x5b\xbe\xeb\x5d\x27\x87\xab\x37\
\x1e\x8e\xe5\x9e\xa1\xb2\x9f\xb7\x90\xa9\x3b\xd7\x55\x04\x02\xa9\
\x49\xda\xc9\xd2\x46\x35\xf9\x6e\xa4\x54\x15\xa1\xa8\x94\x52\x84\
\x10\x65\x6e\xba\x10\x00\x1a\xdd\xc4\x23\x84\x02\xa9\x3a\xc8\x30\
\x56\x11\x51\x15\x50\xfc\x56\xbd\x83\xe2\x1e\x6a\xad\xa9\x99\x2b\
\xc2\xd4\x3d\x4a\x84\xab\x7b\x08\x09\x25\xa4\x88\x6a\xc9\x34\x60\
\xa9\x47\x02\x02\x84\x9a\x43\x17\xe4\x5d\xb2\x7e\x09\x89\x48\x55\
\x53\x5f\x60\x69\x27\xd9\xdd\x69\x21\xf4\x70\x3a\x80\x30\x60\xa1\
\xfd\xd1\x16\xc2\x2c\x48\x2e\x03\xd9\x5c\x6a\x15\x09\x0f\x46\x16\
\xfa\xe2\x08\x0d\x07\xd3\x79\xf2\x33\xc2\x49\xa3\x6b\x37\xaa\x3b\
\xd9\xe0\x6a\x11\xd2\x8c\x42\x86\xf4\x66\x1a\x70\x01\x13\x84\x08\
\x77\x01\x4c\x3d\x20\x12\x89\xec\x75\x98\x8a\xb3\x78\x84\x16\x6a\
\x51\x2d\x3a\x94\xaa\x10\x6a\xd1\xa1\x40\x42\xad\x7b\x41\x44\x2d\
\xaa\x55\x87\x5a\x10\xa6\x00\x0b\x1d\x85\x85\x5a\xaa\x96\xa2\x43\
\x51\x91\x62\x6e\x8a\xb0\x12\x88\xe2\xe1\x7a\x7c\x78\x50\x54\x4b\
\xa1\x47\x99\x7b\x1b\x08\x29\xc3\x6a\x2c\x6e\x5e\x5a\x9b\x55\x59\
\x8a\x59\xd3\xf3\xd3\x73\x6d\xbd\x15\x95\x52\x1c\x5e\x37\x9b\x83\
\x72\xf1\xc2\x49\x51\x2d\x45\x45\x74\x33\x24\x60\x33\x14\x29\x63\
\x91\x1a\xf4\x62\xce\xb2\x19\x45\x0f\x07\x2d\x4a\x96\x5d\xf3\xf2\
\xec\x59\xd7\xa7\x4f\xe7\x72\xf5\xe6\x5c\x7a\xb0\xbc\xfc\xc2\x50\
\x9e\xdb\x9a\x9e\x6c\x54\xd7\x2a\xe5\xea\xb9\xeb\xaa\x42\xef\x38\
\xac\x5a\x08\x9d\xcd\xcb\xba\xea\xf8\xbe\x87\xaf\xfd\xb7\xdf\xf3\
\x0d\x6f\x78\xde\xeb\x9e\x4f\xb4\x4f\x8b\x03\x01\xc0\xdb\x7f\xfc\
\xbf\x3f\x7d\xdd\xd7\x7f\xe7\x7b\x5f\x72\x71\xfd\xe5\x27\xab\x72\
\x7c\x34\xd0\xcf\x5b\xd0\x1c\xac\x9a\xe9\x0e\x09\xc2\x83\xd9\xe4\
\x51\xb1\x1c\xff\x16\x00\x52\x87\x2a\xe3\x6a\x05\x15\x91\xa2\xd4\
\x52\x2b\xdd\x5c\x28\x22\x22\xb2\x88\x81\xe4\x1c\x4e\x20\x34\x22\
\xef\xca\xc2\xe4\xc8\xe5\x59\x86\x50\x45\x90\xe4\xce\x22\xa5\xea\
\x42\xb0\xdb\xc3\xcd\x8a\x08\x31\x0f\xed\x1e\x62\x10\x25\x42\xab\
\x90\x0e\x88\x27\xa3\x5c\xc2\x41\x11\x82\x09\x1e\xc0\x92\xdb\x46\
\x8f\x40\x56\x43\xc8\x88\xe3\x80\x03\xa9\xf9\x0c\xd0\x3d\xf3\x2b\
\x8f\xac\x8d\x3c\x32\x82\x2d\x73\x11\x82\xc8\xd7\x09\x90\x9e\x84\
\x81\xfd\xbf\x27\x3d\x48\xa7\x8b\x1b\xe8\x0e\x89\x70\x9a\x53\x1c\
\x5d\xdc\x5c\x08\x64\x3a\x1a\x51\xc2\xe3\xd6\x63\xa3\x2b\xcc\x35\
\x33\x45\x4f\xa7\x20\xd5\xe0\x1a\x3d\x94\x30\xf5\x90\x62\x66\x85\
\xf4\x92\xd1\x24\x52\x80\x23\x50\x21\x50\x01\xb4\x99\x15\x42\x8a\
\x16\x14\xa1\x96\xf0\x28\x49\x9a\x8d\xb2\x1a\xc7\x52\x6a\x51\x04\
\x4a\x37\x2f\xde\xbb\x96\xaa\xda\x5b\x2f\x37\x6e\xde\xd0\x5a\x8b\
\x52\xa4\xf4\x6e\x45\x55\xcb\xd1\xe1\xaa\xdc\x7b\xe9\x48\xa9\x43\
\x69\x1e\x45\x88\x52\x08\xdd\xac\x4a\x51\x81\x0e\x85\x65\x55\x45\
\x25\x44\xc7\x8a\x72\xb4\xd2\xa5\xa1\x0d\x9d\x1d\xe5\xd9\xf3\x59\
\x9f\x79\x6e\x5b\xee\x3e\xd9\xe8\x66\x10\xb9\xb8\xa9\xba\xa9\xd4\
\x1b\x5b\xd3\xf3\x06\xdd\x54\xd1\x93\x95\xe8\x58\xa8\x57\xcf\xbb\
\xdc\x71\x50\x4f\x76\xad\xff\xbd\xaf\x7f\xe3\xdd\x3f\xf9\xe9\x3a\
\xdf\x7b\x7b\xde\x6b\xa0\x4f\xb4\xef\xfe\xea\x57\x3e\xfc\xb7\xff\
\xd1\xa3\x7f\xf1\xdf\x7c\xdd\xa5\x1f\xd8\x0c\xba\x7a\xc9\x09\xa6\
\xc7\xaf\xb5\x00\xc1\xb1\x48\x0a\x49\x0f\x22\xd2\x61\x45\x20\x5c\
\x8f\x72\x4e\xd8\x6e\xbb\x95\xee\x2e\x70\x97\x71\xbd\xf2\x52\xd4\
\xcd\x5c\x56\xeb\xb5\xf7\xb9\xc7\xe9\xd9\x4d\xf7\x6e\xde\xad\x05\
\x0c\x26\x45\x20\x10\xf4\xf0\xb0\x3e\x3b\x32\xc4\x41\xa0\x9c\xe7\
\x96\x29\x55\xad\xe2\x6c\xe2\x66\xea\x1e\x32\x7a\x20\xc2\x10\x3e\
\x62\x48\x91\x44\x4c\x4d\x02\x91\x7e\x39\xba\xf9\xba\x88\x14\x0f\
\xcf\x55\x7c\x46\x55\x71\x09\x08\x24\x35\x3e\x74\x71\x1a\x20\xa1\
\xb4\xc8\x28\x10\xdd\x21\xf0\xd8\xf7\x8c\xf6\x4e\x84\x25\xf9\x83\
\x7b\xb0\x3b\xdb\xb2\x92\x8b\xee\x8e\x40\x36\x9d\x03\x21\x1d\x21\
\x44\xb0\x3b\xc5\xc2\xa5\x7b\x08\x42\x04\xd1\x95\x2e\x5d\x44\xa4\
\xbb\x99\x08\xb2\x83\x62\x50\x73\x0f\x33\xf7\x1e\x1e\x36\x37\x48\
\xad\x01\x10\x0c\x43\x0f\xc0\x26\x83\xbb\x53\x55\xa1\x30\x40\x01\
\x2d\x95\x4a\xc1\xec\x0d\x29\xdc\x2e\x8c\x45\xec\xbf\x77\xa3\xdb\
\x8e\xee\x4a\x42\x19\x02\x8a\x83\x0e\xf2\x6c\xbb\xa3\x96\x4a\x77\
\xa3\x90\xd2\xc2\x65\x9e\x1b\x7b\x37\x59\xb4\x90\x59\x6b\x11\x2d\
\x45\xd6\x63\xe5\x2b\xef\x38\xe4\x8d\xd9\xcb\xd4\x77\x44\x50\xa0\
\x22\x0e\xca\x28\x90\xb1\x54\xb1\x70\x51\x42\x4a\x81\x90\xd0\xb3\
\xc9\xa4\x88\xc8\x20\x90\xc9\x5c\x7a\xa7\xae\x56\x95\xf7\x9c\x54\
\x25\x21\xdb\xd9\xf4\x70\x25\xf2\xa1\x2b\x13\x2f\x1f\x54\x39\x59\
\x53\x36\x55\xe4\xb9\xad\xc9\x66\xd0\xe3\x67\xce\xfa\xaf\x3d\xf6\
\xc0\xff\xf9\x63\x9f\xce\xb3\xbd\xb7\x4f\x5b\x04\xda\xdb\xcf\xfc\
\x8f\x7f\xe5\xc9\xaf\xfd\xd6\x3f\xf3\xcc\xa5\xc3\xf2\x95\x9b\xaa\
\x2c\xca\x38\x9b\x9c\x22\x60\x15\x11\x15\x64\x8b\x32\x20\x09\x42\
\x17\x76\x77\x09\xb7\x24\x5f\xe6\x9d\x3e\xdb\xfe\xa4\x0c\x63\x95\
\xd5\xb8\x62\xad\x4b\x96\x25\x22\x11\x2e\xce\x20\x22\x29\xd8\x58\
\x98\xd1\x0b\x8d\x4d\x21\x50\x7a\x28\x85\xaa\x2a\x42\x91\x85\xd2\
\xa3\xc9\x0a\x00\x73\x8e\x87\x50\x91\xb2\x08\x8a\x04\xf3\xdf\xe7\
\xad\xda\x07\x00\x83\x81\xa5\xc7\xc2\x45\xee\x2d\x79\x67\x0e\x2c\
\x7e\x08\x8b\x74\x1a\x02\xa9\x40\xe2\xa0\x23\xb7\x2c\x78\x4e\xa7\
\xc2\x80\x1c\xef\x58\x84\xe6\x22\x48\x73\xa0\x1b\xd9\x1c\x98\xdd\
\x39\x3b\xd8\xdd\xe1\x11\x6c\x0e\xba\xf7\x94\x1e\x6e\x5d\xac\x9b\
\x78\x50\x11\xae\x16\xa6\xb9\x11\x23\x34\x7a\x24\x79\x35\x42\x11\
\x39\x42\x40\x77\xb1\xd6\x4b\xd1\x5a\x18\xd4\xd6\x66\xa9\xa5\x6a\
\x2d\x55\x9d\x39\x9b\x23\x41\x8d\x85\x94\x1b\x66\xfb\xc8\x5c\xc2\
\x5c\x88\x50\x90\x1a\xe1\xca\x60\x29\x22\x5a\x6b\x2d\xbd\xf5\xe2\
\xe1\xa5\xf7\x2e\x45\xd3\xcc\xbc\x1c\x1d\x1e\xe8\xc1\xe1\x41\x59\
\x0d\xab\x52\xa5\xe8\xc1\xa8\xe5\x74\x72\x6d\xdd\x55\x73\x74\x4b\
\xc7\x42\xdd\x0c\xd4\xaa\x09\x14\x94\x42\x2d\x0a\x9d\x3a\x35\xc2\
\x8b\xaa\xa8\x87\xeb\xd4\x52\x39\x67\xdb\xa1\x27\x2b\xd5\x0b\x6b\
\xd5\x9b\xbb\x50\x8f\x10\x52\xf4\x7c\x36\xbd\xe7\x68\xd0\x1e\x2e\
\x45\xe5\xf0\xea\x59\x7b\xf0\x37\x3f\xfe\xd1\xff\xfa\x3b\xbf\xf1\
\x6b\xce\x3e\xdd\x67\x1b\xf8\x34\x47\xa0\xbd\xfd\xe1\x2f\xbc\xe3\
\x1d\x3f\xf3\xee\xa7\xef\xf8\x92\xfb\x8f\xff\x93\xe3\x95\x9e\x46\
\x04\xaf\x4f\xee\xe6\xee\x22\xe2\x22\xe0\x0e\x30\x11\x67\xf6\x4f\
\x0e\xfc\x66\x84\xc5\xdc\x08\x09\x09\x77\x6f\xe8\x8a\x5c\x9c\x6d\
\xa2\xa2\xab\xd5\xc6\x87\x3a\x7a\x0f\xf7\x3e\xcf\x91\x3b\x73\x10\
\xe1\x11\xbd\xa7\x6c\x4c\x4e\x0e\x80\x70\x07\x44\xc4\x2d\xd8\xd5\
\x44\x42\x19\x26\x12\x25\xf6\xea\x3b\x00\x1c\x08\x84\xbb\x45\x37\
\xc4\x99\x33\x76\x66\xbe\xd2\x60\x75\xb0\x8a\x70\xd0\x24\xcb\x95\
\x05\x10\x0e\x11\x8a\xa7\x2a\xa2\x00\x50\x21\x26\x4b\xde\x0e\x97\
\x91\x6e\xf7\x10\x4f\xfd\x38\x02\x94\xe6\x1e\x11\xd0\x66\xb9\x7f\
\xc8\x19\x61\x86\xb0\x20\xcc\x03\xdd\x41\xf3\xe0\xec\x21\xee\x60\
\xeb\x01\x73\x8a\x2f\x23\x1f\x73\x6f\x34\xb3\x64\x3e\xb8\xa5\x5c\
\x49\x84\x1b\x5c\xe1\x0c\x28\xa3\x44\x59\xc4\x20\x23\xc2\x83\x1e\
\x3d\xa4\x2a\x54\x03\xe7\xbb\x09\x11\x59\x09\x1a\x16\x0e\x92\x28\
\x1d\x0e\x9a\xd3\xbc\xa1\x77\x27\x60\x70\x0b\x31\x01\x2c\x42\x4a\
\x29\xf9\x09\x25\xe7\x6b\xf7\xbb\x95\x8a\x14\xea\x46\xa8\x25\x61\
\xec\xb9\xcf\x72\x74\xb0\xe1\x9d\xc7\x23\x9f\xbd\xd9\xe4\x7c\x9a\
\xe5\xd9\x73\x52\x55\x44\x8b\xca\xba\x08\x0f\x46\xd1\x48\xc6\x3a\
\x01\x8a\x28\x16\xb0\x06\x5a\x34\x34\x82\xbc\xb1\x33\xf1\x80\x1c\
\x8d\x22\x63\x11\xb9\xbe\xcb\xf4\x1c\x00\x7b\x38\xcf\x1b\xf5\x8d\
\xf7\x8e\xf2\xd0\x95\x49\x3e\x7e\x6d\xe6\xfd\x17\xeb\x66\xdb\xe2\
\xe9\x87\x9e\xba\xf9\x03\x7f\xe6\x0f\xfe\xcb\xb7\x2a\x3c\x5f\x76\
\x5b\x1c\x08\x00\xfe\xed\x37\xde\xf5\xbf\xfd\xd2\x3f\xbd\x7a\xe7\
\xeb\xee\xda\xfc\xf1\xa3\x95\x5e\x17\xd0\x6e\xcc\xe0\x8c\x90\x95\
\xe4\xcc\x90\x4e\x30\x49\xf5\x1b\xef\xb1\x16\xf7\x10\xb3\xee\x5a\
\x8b\x81\x70\xb3\xee\x1e\x94\x36\xcf\x8b\xd2\xb5\xf8\xc8\xea\x04\
\x1d\x6d\x86\x77\x77\x57\xc7\xaa\x6e\x42\x28\xd9\x7d\x70\x8f\x00\
\xa8\x5a\x18\x0b\x85\xc8\x2d\x88\x02\x44\x80\x11\x41\x33\xa3\x8a\
\xa2\xa1\x21\xdc\xc2\xb4\x04\x28\x5e\x6a\x71\x33\x63\xed\xc2\xa2\
\x26\x55\xc5\x47\x35\xac\x07\x65\xf4\xc0\x2e\x4c\xc6\x02\x2f\x22\
\x74\x12\xad\x79\xca\x64\x0b\x11\xc0\xa2\x3e\x9f\x1d\x54\xf3\x10\
\x20\xe7\xbf\xcd\x80\xe6\x8e\x39\x23\x65\x04\x19\xbd\x1b\x7b\x00\
\xad\x3b\x26\x0b\x74\x23\x76\xe6\xfb\x95\x78\x12\x04\x7b\x33\x0b\
\x73\x06\xa3\x47\xb8\x98\xbb\xf6\xd6\xbd\x7b\xb7\x65\x6d\x5e\x64\
\x77\x59\xc3\x61\xa0\x13\xee\x81\x08\x8d\xcd\xb8\xc2\x6e\x6a\x70\
\x0f\x8e\xb5\xc0\xcc\xc0\x10\x0c\x43\x65\xf7\x8e\x3e\xb7\x04\x43\
\x7a\x72\x10\x2d\x23\x9f\x88\x27\xa2\xa8\x4a\x0a\x23\x6b\xb6\xc8\
\xf8\x3d\xe8\x40\x12\x34\x0b\x21\x40\x47\xc8\xf1\xd1\x31\xeb\x30\
\x72\xb7\x33\xbd\x76\xed\x3a\xe6\x66\xb2\xd9\x8c\x72\x54\x28\xa3\
\x0a\x6b\xa1\x1c\x14\x91\x20\x59\x04\x52\x8b\x08\x03\x22\x09\xd0\
\x68\x55\xd1\xab\xe7\x1d\xdd\x42\x4e\xd6\x2a\x04\xa4\x47\xc8\xbd\
\x27\x55\x9a\x39\x9b\x53\xe6\x1e\xa2\x95\x72\x63\x0a\xb9\xfb\x68\
\x90\x27\x6f\xf4\xd5\x7b\x1e\x3b\x3b\x7b\xf6\xc6\xf9\x0f\xfc\x87\
\xff\xc6\x2b\x1e\xbb\x5d\x67\x1a\xb8\x0d\x29\xdc\x27\xda\xf9\x53\
\x1f\x79\xe0\x0b\xbe\xfc\x1b\xee\x39\x59\x95\x2f\x04\xa2\x69\x91\
\x45\x9f\x3d\xf9\x6b\x63\xa1\x78\x50\xba\x3b\x49\x45\x8f\x7d\x57\
\x1f\x24\x45\x23\x32\x4d\x0b\x40\xcc\x3a\x11\x39\x71\xa7\xa4\x48\
\x49\x24\x0f\x4e\x11\x81\x2e\x3d\x19\x46\x8e\x5d\x0b\x01\x29\xb5\
\x68\xe6\x70\x90\x48\x16\x40\x76\xfc\x03\xe2\xd9\x96\xcd\x39\x98\
\x08\x92\x60\x44\x88\x13\x70\x90\x16\x8b\xa2\xa2\x67\x69\x31\xa5\
\x20\x0e\x08\xa2\x59\xc4\xd4\x63\x59\x83\xc2\xc8\x48\x92\xff\x45\
\x04\x02\xb9\x58\xa8\x39\x30\xf7\x40\xcb\x26\x4d\x98\x01\x93\x01\
\xbd\xa7\x56\xd6\x64\xc0\xd4\x3d\x7f\xe7\xe0\xdc\x11\xe6\x41\x47\
\xc0\x2c\x65\xc1\x22\x8c\x66\x2e\xcd\x1a\x7b\x9b\xa5\xb7\x59\x5a\
\xeb\xe2\x6e\x82\x00\x93\x48\x0b\x75\xf3\xbc\x06\x80\x68\x0e\x1b\
\x96\x70\x53\x00\xaa\x52\x8a\x9b\x09\x10\x85\xa4\xf4\xe6\x6a\x6e\
\x6a\xe6\x45\xab\x6a\xb6\x56\x55\xc3\xbd\xe4\xb5\x63\x11\x88\x02\
\x50\x0a\x95\x14\x19\xc7\x51\x11\xd0\x6e\x56\x55\xb4\x1c\xac\xd7\
\x5a\x8a\xea\x3c\xcf\x65\xac\x55\x8b\xaa\x5e\x3b\x3b\x15\x04\xf5\
\xd2\xf1\x81\x8e\x95\xe2\x80\xae\x55\xe4\x78\x55\x4a\xcd\x45\x78\
\x45\x25\xb7\x27\x24\xc9\x96\xda\xdd\x85\x84\x0e\x9a\x73\x56\x3d\
\x28\x27\xa3\xea\xa6\x8a\xb4\x80\x5e\x39\x6b\x7a\x38\xa8\x1e\x0e\
\xaa\xd7\xb7\x5d\x8a\x72\x55\x8b\xb6\xf7\x7c\xfc\xa9\x1f\xf8\x8f\
\xff\xe0\xe7\xbf\xeb\x76\x9e\x67\xe0\x36\x3b\xd0\xfb\xdf\xff\xfe\
\xf8\xaa\x3f\xf1\x1d\xef\xba\xb0\xd9\xbc\xf9\x70\x2c\x2f\x71\xf3\
\x5e\x14\x1c\xaa\x30\x59\xcd\x64\x51\x2c\x8a\x1d\x2e\xaa\x25\x1b\
\xf9\xb1\x78\x8a\xa8\x24\xfb\x5a\x24\x37\x96\x05\x17\x7f\x48\x74\
\x2e\xcf\x4f\x96\x4b\x4b\x53\x53\x55\x45\x20\xc9\xbf\x44\x88\x8a\
\x52\x54\x55\xa8\x22\x2a\x0c\x33\x71\x0f\x26\x7d\x06\x62\xe6\x8c\
\x2c\xea\x85\x08\x86\x67\xa1\xe3\xe1\x04\x88\x58\x34\xe4\x95\xc4\
\x64\x11\xe7\x2d\x70\xde\x1c\x04\x63\xa5\x04\x89\xb0\x40\xec\x7a\
\x44\xb3\x2c\xa6\x3c\x18\x3d\x10\xe7\xcd\xb0\x6d\x11\x22\x40\x33\
\xc6\x6c\x81\xd9\x3c\x9a\x23\x7a\x00\xcd\x22\xce\xa6\xc0\xdc\x3c\
\x37\x55\x30\x95\x1b\x23\x02\xd3\x34\xc3\xcd\xe0\x1e\x6c\x73\xa3\
\x59\x97\xde\x9d\xcb\x7b\x67\x38\x04\xa0\xea\x42\x43\x32\x77\x35\
\x77\xa1\x88\x46\x40\xdb\x34\x89\xd6\x9a\xd7\x40\x8b\xaa\x8a\xb8\
\x43\xbb\x99\x06\x92\xbc\x19\xde\x25\x40\xf5\x30\x65\xb0\x90\xbe\
\xf4\x76\xba\xba\xbb\xe6\x25\x4e\x86\x7b\xa9\xa5\x0c\x75\xd0\xd5\
\x6a\x54\x2d\x45\x48\x51\xf7\xec\xcf\x1c\x6c\x46\x5d\x0d\x94\x6d\
\x8b\x32\x0c\x83\xde\x75\xb2\x92\x55\x55\xb5\x5c\x01\x55\xc6\x0a\
\x25\x73\x95\xa2\xe4\x14\x8a\xc2\x43\x02\x2c\x0c\x6a\x51\xca\x6c\
\xa1\x67\x73\xc8\x4b\x13\x38\xd0\x95\x8a\x5c\x39\x35\xbd\xba\xed\
\xfa\xf2\x0b\x83\x8c\x15\x42\x72\x75\xb6\xeb\xf1\xff\x7c\xf8\xca\
\x0f\xfd\xa7\x5f\xf3\xea\x4f\x49\x96\xea\x77\x6b\xb7\xd5\x81\x00\
\xe0\xa7\x7f\xfc\x47\xa6\x57\xfe\xa1\x7f\xef\x81\xbb\x2e\x1c\xfd\
\xeb\x27\xeb\x7a\x4f\xf3\x68\xb3\x81\xeb\x9a\x6b\x10\x03\x94\xa1\
\x08\x11\x94\xc8\x39\x1c\x9a\x43\x7a\xef\xe2\xe1\xec\x73\x03\x99\
\xa3\xd3\x9e\x0d\x48\x22\x0b\x76\x59\xf8\x2a\xc9\x57\x93\x84\xc6\
\x7b\x37\xa1\x80\x45\x55\xdc\x93\x6f\x46\x42\x34\x17\x6f\x8b\x30\
\x41\x88\xde\x4d\xdc\x8c\x1e\x2e\xee\x2e\xee\xc6\xde\x9d\xd6\x3a\
\x96\x26\x29\x6c\x59\x0a\x34\x75\xc7\xae\x03\xbb\xe6\x54\x25\xd6\
\x85\x18\x2b\xa3\x39\xd0\x2c\xd0\x1d\x31\x37\x83\x83\xd1\x3d\x83\
\x50\x33\x8f\xd3\x29\x22\xa5\xad\x19\xb3\x05\x77\x16\xde\x0d\x30\
\xcf\xfd\x59\x93\x23\xa6\x6e\x61\x0b\xce\xed\x6e\xe1\x66\xb0\xde\
\xd9\xda\x1c\xee\xce\xde\x72\x14\xa4\xf7\x8e\xbc\x26\x26\xde\x4d\
\x80\xa5\x69\x8b\x58\xfa\x4d\x26\x4c\xc9\x2d\xdd\xcd\xb3\xb6\xde\
\xa4\xd6\x22\x55\x87\xa4\x15\x81\x4a\x52\x11\x56\x92\x48\x1b\x49\
\x0e\x35\x93\x30\x2f\xcd\x5a\x02\x07\xd9\x87\x52\xd5\x92\x37\x21\
\xa1\x0e\x5a\xf5\xf8\xf8\x58\xd7\xeb\x03\x1d\x6a\x11\x0b\x4b\x10\
\xa1\xa8\x92\xd4\xc3\x71\xd0\x55\x55\x9d\x43\xb5\x14\xd1\x0b\x9b\
\xa2\x1e\xa1\xee\xd0\x75\x15\x3d\xa8\x2a\x25\x9b\x0d\x0a\x52\x11\
\x48\xf0\x02\x21\x16\xd0\x67\xce\x9a\xdc\xd8\xb9\xdc\x73\x54\x75\
\xd7\xb3\x3f\x38\x5b\x28\x19\xba\xa9\xb9\x74\xf8\x70\x90\xd5\xcd\
\x29\xf8\x5b\x1f\x7d\xe6\x87\xbe\xfb\x6b\x3e\xff\x97\x6f\xf7\x39\
\xde\x1b\xff\xe5\x4f\xf9\xf4\xd8\x7f\xf7\xb3\xef\x7d\xf9\x57\x7f\
\xf1\x2b\xfe\x9b\x0b\x2b\x7d\xdd\xd9\xec\x37\x9a\x85\x0d\x4a\x6f\
\xee\x71\xde\xc2\xba\xc1\x9f\xdb\x36\xbf\xb6\x8d\xb8\x76\xb6\xf3\
\xd3\xd3\x53\x9b\xe7\xc9\xdb\xdc\x7c\x9a\xe6\x88\xb0\x44\x21\x22\
\x9c\x44\xe4\x4f\x06\x03\x21\xaa\x41\x32\x48\x86\x87\xe5\x39\x80\
\x23\x82\xf4\xde\x53\xe9\x43\x04\x2a\x92\xba\x73\x45\x18\x1e\xe2\
\xee\x12\x08\x51\x11\x19\x56\xa3\x0c\x65\xd0\x52\x54\x28\x22\xa5\
\x54\x59\xc8\xe1\x52\xb4\xc8\x58\xab\xae\x07\x72\x28\x4a\x4d\x39\
\x94\x7d\x7f\x87\x66\x49\x33\x5d\x15\x2c\xf4\x22\xc4\xce\x22\xa6\
\xee\x50\xc2\x8b\xd0\x03\x88\xee\xf0\xd6\x53\x5f\x5b\x05\x36\x3b\
\xbc\xcd\xad\x53\x68\x88\x30\x33\xef\xcd\xba\xcd\xf3\x64\xd6\xad\
\x7b\xb8\xf7\x66\xd6\x7a\xb3\xd6\x66\x77\x33\x0f\xd2\xad\xf5\x00\
\xe8\x94\x88\xfd\x04\x03\x00\x14\x11\x98\x79\xec\xe6\x19\xa5\x14\
\xac\x56\x2b\x0c\xa5\x2c\xa8\x9f\xd3\xdd\x01\xcf\x3a\x6b\xbf\xfb\
\xa7\x75\xcb\x45\x61\xd6\xd3\xc3\x6a\xc9\x88\xec\x59\xff\x6c\x36\
\x1b\x1e\x1e\x1e\xf2\xe2\xc5\x0b\x50\x15\x29\x2a\xe8\x16\x52\x54\
\x58\x05\x6c\xe6\xbc\xb0\x2e\x5c\x15\x91\x47\x9e\xdb\xc9\xd4\x1b\
\xef\xbb\xb8\x91\xc3\xb1\x90\xcc\xeb\xb4\xaa\xb2\xf4\xbf\x5c\x09\
\xa1\x85\x53\x84\xe2\x06\x79\xe2\x66\x93\x88\xe0\x7d\x17\x07\x7a\
\x40\xcc\x83\x43\x25\xcf\xa6\x90\x57\x5d\x1e\x28\x80\xec\x2c\x56\
\xa7\x3b\x9b\x1f\x78\xe4\xfa\x5f\xfa\x53\x5f\x7e\xdf\x3b\x5f\x90\
\x03\xbc\xd8\x0b\xe6\x40\x00\xf0\x93\xef\xf8\xf0\xc9\xab\x5e\x77\
\xd7\xf7\xde\xb9\x29\x7f\x74\xea\x7e\xe3\xe6\x64\x56\x54\x7c\x2c\
\xf4\xb3\xd9\xfc\x7c\x76\xbf\xb6\xf5\x78\xfc\xfa\xce\x76\xbb\xee\
\x43\x15\x0f\x20\x5a\x37\x9f\xe7\xc9\xe7\x69\xf6\xee\x3d\xac\x9b\
\x5b\xeb\xde\xdd\x23\x72\x74\x28\x5a\x6f\x81\x40\xe4\x66\x46\x46\
\x7e\xd8\x65\x5d\x63\x44\x6a\x92\x14\x41\x29\xca\xa2\x03\xcb\xa0\
\x54\x29\x0b\x55\x28\xd9\xd0\x14\x91\xf0\xd0\x52\x94\xa5\x56\x0e\
\xe3\xa0\x83\x56\xa9\x55\xa5\x16\x95\x22\xd9\x6c\x4d\xe5\x20\xc0\
\x3d\x59\x09\xfb\x3d\xd9\x25\x97\x00\xc7\x64\x1e\xad\x59\x90\x12\
\x49\xba\x88\x5c\xa9\x0a\x44\x4a\x05\xc3\xba\xf7\xd4\x9a\x74\x77\
\x0f\x37\x6f\x6e\xdd\xba\xb5\xde\xac\xb7\x6e\x81\xb0\xde\x6c\x71\
\x1c\x77\x73\x33\x44\x78\x10\xe1\x66\x9e\xa5\x5c\xf2\x1e\x18\x0c\
\x1d\x0a\xc2\x3c\x76\xdb\x6d\x88\x08\xd6\x9b\x4d\x36\x5a\x90\xce\
\x93\xb2\x63\xe9\x6b\x0b\xfa\x0e\x59\x7a\x52\x66\xc1\x61\x55\x13\
\xfd\x77\x47\xaa\xe1\x1b\xb5\x16\xae\x56\x2b\x0e\xe3\xc8\x97\xde\
\x75\x07\x56\x43\xc9\xcf\x1e\xce\x22\xa0\x39\xb9\x33\xe7\xd1\x20\
\x32\x16\xe1\xd3\xa7\x8d\x42\xc8\x2b\x2e\x8d\x04\xc0\xb9\x83\x40\
\x48\xb9\xc5\x50\xcf\xa4\x50\x05\xec\x01\x5e\x39\x6d\x3c\x18\x44\
\xee\x3e\xa8\x02\x01\x87\x02\x6e\x54\xd5\x09\x6e\x2a\x79\xba\x0b\
\xae\xaa\x6c\xce\xa7\xf9\xc9\x9f\xfa\x8d\x8f\xfc\xf9\xef\xff\xa6\
\x37\x3d\x78\x9b\x8f\xec\xff\xcf\x5e\x50\x07\x02\x80\x6f\xf9\x96\
\x6f\xd1\x3f\xfd\x17\xff\x87\x3f\xfb\x79\x97\xc6\x3f\xb1\x6d\x7e\
\xf3\x74\xf2\x5e\x85\xa1\x42\x3b\x6b\xe6\xd7\xb7\xe6\xa7\x73\xf8\
\xf9\xec\xc1\xa5\x8e\xdf\x75\x8b\x6d\x6b\xbe\x3b\x9f\x62\xb7\xdb\
\xba\xbb\xb9\x2d\x2b\x7e\xc3\x3d\x22\x6e\x05\xa8\x84\x73\xdd\x17\
\x46\x59\x66\xac\xad\x35\x88\x00\x45\x07\x96\xa2\x54\x55\x04\x83\
\x08\xa6\x63\x94\x4a\x00\xac\x43\x4d\x39\x2a\x91\x04\x32\x90\x49\
\x1f\x92\x0b\x74\x6b\x65\x9b\x4a\x8e\x34\x38\xb0\xac\xbd\x0f\x46\
\x00\x45\x18\x53\xeb\xf0\x45\x72\xd7\x89\xd0\xdc\x6f\xe7\x02\x78\
\x37\x0b\x04\x9d\x84\x9b\x99\x47\x92\xca\xad\xf7\xe6\x11\xd1\xdb\
\xdc\x12\x79\xb4\x30\x0b\x37\xb3\xe6\x6d\xce\xa5\x91\x22\x62\x59\
\x1e\x45\x18\x3c\xc2\xf2\x73\x13\x88\x5a\x6b\x00\xc0\x76\xbb\x8b\
\x60\x70\xb5\x1a\x51\x58\x12\x6b\xff\x84\xad\xf5\xbe\x3c\x68\x73\
\xa3\xb9\x63\x35\x0c\xac\xe3\x08\x55\x65\x32\xcd\x9d\xbd\x19\x29\
\xa0\x88\xa0\x96\x82\x1c\xd4\x2a\xb8\xef\xee\x3b\x79\xf1\xa0\xca\
\x20\x60\x33\x52\x24\x01\x9f\x66\x8e\x93\x55\x61\x51\xc8\xc7\xae\
\xee\x68\x06\x79\xe9\x85\x01\x83\x50\x2c\x40\xca\xc2\xc0\x40\x50\
\x40\xd6\x22\xec\xee\xbc\xbe\x73\x39\x18\xc8\x8b\xeb\x2a\x22\x90\
\x95\x82\x47\xa3\xca\xe4\x49\x8f\x1a\x95\x70\xe0\x60\x33\xc8\xcd\
\x5f\xfa\xe0\xd3\x7f\xee\x5b\x7e\xff\x7d\xef\xb9\x6d\x87\xf4\x5f\
\x60\x2f\xb8\x03\xed\xed\xe7\xdf\x7b\xe5\xbb\xdf\x78\xdf\xc1\x77\
\x9e\xcf\xb1\xbd\xb1\xb3\x19\x0e\xd4\x4a\x3b\x9f\xcc\x6f\x4e\xee\
\xdb\x1e\xde\xdd\xdd\x03\xbe\x9d\x23\x26\x73\xdf\x35\x8b\xdd\x6e\
\xe7\x6d\x9a\xbd\x5b\xcb\x7b\xb7\x5b\x44\x30\xac\x5b\xd8\xf2\x37\
\xc2\x93\x2c\x0d\x60\x99\xbe\x01\xc2\x73\xc0\x88\x24\xeb\x50\xa5\
\x94\x0a\x77\xcb\x95\xd0\x9a\x09\x3a\x45\x44\x45\x65\x1c\x2b\x45\
\x95\x08\x48\xef\x9d\xe6\x2e\x92\x69\xa0\x00\x01\xeb\x26\x22\xc2\
\x32\x54\x14\x51\x09\x44\xa2\x73\xad\xa3\x79\x07\x03\x11\xe1\xb9\
\xe5\x31\xa1\xba\x40\x9e\xa0\x40\x84\xab\x16\x0f\xb8\x9b\xb9\x9b\
\x99\xf7\xde\xbc\x9b\x9b\x9b\x3b\xd2\x35\xdc\x5a\xf7\x66\xdd\xcd\
\xcc\x18\x08\x2d\xba\xdc\x20\x32\x75\x5d\xb4\x1a\x40\x6a\x98\xf7\
\xd8\x6e\xb7\x10\x0a\x4a\xad\x31\x0c\x15\xee\x8e\xde\x2d\xe3\x1e\
\x80\x71\x35\x82\x20\xb7\xdb\x2d\xdc\x1d\xaa\xc2\x71\x1c\x71\x70\
\x70\x04\x11\xa1\x87\x25\x8b\xba\x19\x8b\x2a\x28\x82\xdc\x5a\x41\
\x16\x2d\x72\xf7\x9d\x17\xe5\x64\x55\xe3\x78\x5d\x24\x72\x47\x98\
\xb8\x61\x59\xce\x25\x72\x7d\xd7\xf8\xe8\xd5\x2d\x36\xa3\xca\xfd\
\x97\x36\xb2\xae\xc2\xd3\xd9\xb9\x9d\x4c\x56\x55\xb8\x1e\xc8\x4d\
\x15\xde\x98\x8d\x53\x07\x37\x55\x44\x05\x5c\x15\x91\xa3\x41\x38\
\xa8\xf0\xa9\xb3\x59\xcc\xc0\xf3\x1e\xb8\xb8\x96\xc3\x7b\x8f\x87\
\x27\xa7\xe9\xfc\xad\xaf\xbe\xf7\xf2\xfb\x5e\xa8\x73\xfa\xcf\xda\
\x8b\xc6\x81\x00\xe0\x67\xdf\xf5\xc4\xbf\xfb\x45\x2f\xbf\xf0\x7d\
\xe6\xc1\x9b\xb3\xef\xb6\x3d\x3c\x22\xac\x5b\xc4\xb6\x85\x7b\x84\
\x77\x8b\x38\xeb\xee\x73\x8f\x98\x3b\xfc\x7c\xb7\xf3\x69\x9a\xdd\
\xc3\x62\x9e\x9b\x9b\x19\xac\xbb\x5b\x6f\x4b\x8a\xe4\x4b\xbe\x94\
\x51\xe8\x13\x3f\xb2\x90\x11\x08\x88\x28\xeb\x50\x29\x9a\xa3\x0a\
\x91\xd1\x26\x71\xd6\x92\x22\xf3\xaa\x95\x43\xad\x32\x0c\x03\x02\
\xae\xad\x77\xf4\xd6\x65\xb7\xdd\xd1\xc3\x58\xeb\xc0\x52\x0a\xd2\
\xd1\x82\xdd\x0d\x6e\x9e\xf3\xdf\xd9\x8b\x4a\x7a\x03\x33\xd5\x8a\
\x40\x68\xea\xa9\x38\x98\x4e\x60\xdd\xbc\x77\x73\xcf\x29\x27\xf7\
\x48\x15\x13\xb3\xbc\x35\xb4\xd6\x1d\x0c\x5f\x0d\xab\x00\x19\x66\
\xdd\x41\x3a\xf3\xf3\x25\x02\xe8\x11\xe7\xdb\xb3\x58\x48\x79\x28\
\x5a\x03\x04\x7b\x6b\x19\x71\x96\x08\xa4\xa5\xd0\xac\xc1\xdd\x51\
\xeb\x88\x61\x18\x28\x92\xdd\xde\xd5\x66\xcd\xaa\x15\x40\xa6\x73\
\x49\x53\xca\x1a\x28\xf7\x40\xad\x70\x72\xe1\x44\x54\x80\x93\xd5\
\xc0\xaa\xd9\x90\x15\x81\x14\x11\x56\x05\x9f\xba\x39\xf1\xa9\x6b\
\x5b\x6e\x56\x95\xaf\xb9\xfb\x48\x04\x90\xa7\x4f\x67\x16\x11\xde\
\x7b\x52\xc8\x00\xaf\x6e\x8d\x45\x40\x15\xe1\x64\x21\x27\x2b\xe5\
\xc9\x8a\x20\x44\x3e\x7a\x75\x92\x6d\x33\x5e\xde\x14\x29\xaa\x87\
\x57\x6e\x4e\x1f\x38\x9b\x76\x7f\xe1\xdb\xde\x7c\xdf\xa3\x2f\xc0\
\xd1\xfc\xe7\xda\x6d\x6b\xa4\x7e\x32\xf6\x47\xdf\x74\xef\xdf\xfd\
\x47\x0f\x3d\xf7\xf4\xcb\x2f\xaf\xfe\xab\x8b\x6b\x3d\x92\x9d\x9d\
\x9e\x37\x17\x15\xf8\xc1\x90\x5c\x4b\x0b\x44\x6c\x13\xa0\x72\x71\
\x19\xea\xe0\x14\x71\x6b\x16\x2a\xea\xad\xf5\x68\xd2\x28\xa4\x74\
\x6b\xd1\x63\x7f\xd7\x0f\x5f\x6a\x22\x80\x40\xd1\x12\x60\x7a\x8b\
\xd6\xc5\x6d\x96\xd6\x8e\xa4\x8c\x55\x44\x00\x66\x80\x5b\x90\xd2\
\x69\x6e\xb0\x70\x88\x88\xe7\x81\x72\x4f\xac\x99\x34\x77\xc2\x3a\
\xa2\xcf\x9c\xa6\x86\x70\x87\xaa\xa6\x9a\x4f\xa6\x95\xcb\x8e\x3e\
\xc0\x13\x1b\x0f\x2b\x25\x18\x88\x7c\xcc\x68\xbd\x03\xd9\xf3\x81\
\x59\x87\xfb\x9e\x1f\x94\x6a\xa6\xaa\x9a\xd1\x52\x34\x22\xc2\x45\
\x06\xe9\xbd\xd3\xcd\x20\x45\xdc\xba\xc5\x6e\x97\x91\x07\x9a\x73\
\x4d\xa2\x12\xe1\x8e\xe5\xa6\x80\x45\xcf\x07\x11\x8e\xa1\x0e\xd0\
\x65\xa5\xbd\x4a\xee\x49\xb6\x30\xce\xd3\x8c\xb2\xd1\xbc\x85\x88\
\xe7\xd0\xbc\x28\x56\xc3\x28\xdb\x69\x47\x15\x45\x52\xca\x73\x24\
\x43\x4a\xae\x8a\x3e\xa8\x49\x51\x50\xa1\x6c\x77\x8d\xf3\x3c\x61\
\x55\x07\xb9\x72\x3a\x93\xd9\xf4\x91\xbb\x8f\x0a\x9b\x07\x9f\x3b\
\x37\x1e\x8d\x0a\x06\xe4\xd9\xad\xe1\xce\x43\x95\x0b\xa3\x72\xd7\
\x4c\x3e\x7a\x75\x8b\x1e\xc1\xbb\x0f\x8a\xbe\xe2\x8e\xd5\xf1\xfb\
\x9e\xb8\xf9\xcb\xef\x7e\xd7\x63\x3f\xf4\xd6\x6f\xbf\x7d\x0c\x83\
\x4f\xd6\x5e\x54\x11\x68\x6f\x3f\xfd\xc0\x93\xbf\xef\x8d\xf7\x1f\
\xff\xf0\xc1\xc0\xfb\xaf\xed\xec\xc6\x8d\x5d\xb8\xb9\x87\x50\x5c\
\x09\x0f\x84\x3f\xb7\x75\x5c\xdf\x9a\x4f\xe6\x6e\x0e\x9f\x9b\xc5\
\x6c\x79\x07\xef\x7d\xc6\x3c\xcf\x6e\xdd\xc2\xba\x65\x3b\x33\x7c\
\x89\x03\x00\xc9\x50\xcd\x99\xaf\xd6\x3a\x44\x08\x55\x85\x7b\xa0\
\x2c\x6b\x11\x53\x0e\x95\x62\xe6\x58\x00\x2a\xb8\x05\x7b\xef\x0c\
\x82\x45\x95\x5a\x94\xb5\x14\xf4\xde\x09\x0a\xdc\x8c\xdd\x3a\x23\
\x02\xfb\x31\x22\x32\xa3\x83\x2f\x29\x56\x38\x96\xd6\x2a\x42\x84\
\x4b\x15\x93\x06\xc2\xb1\x9f\xb0\xed\x16\x1e\xe1\x29\x07\x12\x41\
\xd0\xc7\xd5\x2a\x4a\xd1\xf0\xee\xd1\xad\xc5\x6e\x9a\x5d\x8b\x40\
\xa9\x11\xe1\x71\x7e\xbe\x85\x47\x60\x18\x86\xe0\x9e\x27\x8e\xdc\
\x0e\x4e\x02\x02\x41\xad\x15\xcd\x5a\x3a\x05\x80\x1c\x57\xca\x1a\
\x27\x4b\x28\x40\x44\x38\x8c\x03\xab\xe6\xfd\xd5\x01\x29\x49\x0a\
\x80\x87\xf3\xf0\x60\x83\xa1\x0e\x3c\x18\x0b\x8f\x56\x29\xe5\x6a\
\x11\x5c\x69\xfa\x28\x21\xfc\xed\x87\xaf\xf0\xe6\xf9\x8e\xaa\x8a\
\x7b\xef\xbc\x20\x77\x1f\xaf\xb8\x29\xe0\x59\x73\x9e\xcd\xc1\xcd\
\x90\x74\x8d\xd9\x5c\x5e\x7e\x61\xe0\xe1\x20\x3c\x37\xe7\x87\xae\
\x4c\xbc\xfb\xa0\xca\x7d\x17\xeb\x70\x6d\xeb\xab\x8f\x3c\x75\xe3\
\xed\x3f\xff\xa3\x3f\xf7\x23\x3f\xf6\x63\x7f\xaa\xe1\x45\x68\x2f\
\x4a\x07\x02\x80\x9f\x7f\xef\x53\x9f\xff\xda\x7b\x8e\xfe\xca\xaa\
\xf0\xb5\x67\x73\x5c\xbf\xb1\x33\xef\x89\x7b\x7a\x15\xba\x07\xe2\
\x6c\x36\x7f\xe6\xac\xfb\xd9\x6c\xe1\x0e\x6f\x86\x68\xe6\xde\xad\
\x47\x6f\x73\xcc\xad\x65\x1e\x64\x16\xdd\x2c\xcc\x72\xc5\x5b\x84\
\x87\x8a\xe6\xaa\x05\x6b\x91\x13\x47\x7a\x6b\xfb\x41\xde\x8b\x73\
\xe3\x43\xef\x8d\x91\x2e\xc8\x6e\x2d\xdb\x16\x11\x2c\x45\xb9\x1a\
\x57\x1c\xc6\x11\xd3\x3c\x31\x3c\x60\x3d\xbf\x63\x2d\x15\x5a\x94\
\xcb\x70\x20\xc8\xac\x7b\x04\x04\x45\x30\xb7\x19\xdb\xed\x36\x7a\
\xeb\x41\xc6\xc2\xd6\x61\x84\xdb\x52\xab\x25\xcc\xbd\x38\x98\x07\
\x10\x63\x1d\x42\x87\xe2\x70\x44\x6b\x2d\x49\x7f\x40\x14\x29\xe1\
\xee\x71\xb6\x3d\x0f\x55\x61\x1d\x86\x28\xa2\x51\x4a\xe1\x1e\xe2\
\x4b\xb5\x15\x8d\xdd\x6e\x07\x37\xe3\xfe\x8e\x50\x52\x37\x04\xb5\
\x56\x98\x19\x11\x41\x4a\x7e\xbe\x61\xac\xac\x5a\x21\xb9\xb2\x09\
\xd6\x0d\x41\x72\x5c\xad\x78\xe1\x70\x4d\x52\x78\x71\xa3\x58\x57\
\xe1\xae\x65\x89\x74\x30\xa4\x33\x5d\xdf\x76\x3e\xf0\x4f\x1f\x81\
\xb9\xcb\x5d\x77\x5e\xc6\x9b\xee\xbf\x40\x44\xf0\x6c\x0e\x9a\x3b\
\xc7\xa2\x3c\x9b\x8c\xc1\xe0\xab\x2e\x8d\xbc\xe3\xa0\xf0\xac\x05\
\x1f\xba\xb2\x93\x4b\xeb\x82\x93\x95\x6e\x44\x30\xfd\x5f\xef\x7f\
\xe2\xaf\x7f\xd7\x57\x7d\xfe\x4f\xbd\x20\x07\xf0\x93\xb4\x17\xad\
\x03\x01\xc0\x4f\xbc\xf3\x83\x77\x7c\xf1\xeb\x5f\xf6\x17\x2e\x1d\
\xd4\xaf\x3b\x9b\xfc\xe6\xf5\x5d\xef\xdd\xe1\x83\x32\x84\xf0\xd9\
\xc2\xb7\xdd\xfd\x74\x6b\x7e\xd6\x22\xce\x66\xf3\xa4\xc1\x2c\xb5\
\x44\xa2\x5f\x31\xcd\xb3\x4f\xf3\x14\x6d\x6a\xd1\xad\xb9\x9b\x13\
\xa4\x0f\xb5\xa2\x9b\x45\x8e\x35\x20\xcc\x1d\x64\x30\x82\xe1\xe1\
\xe9\x46\x61\xc8\x76\x49\x6a\x73\x8d\xc3\x88\x5a\x2a\x6a\x2d\x04\
\x25\x5a\x9b\x39\xcd\x33\xb2\x25\x2b\x54\x51\xa8\x08\xc2\x03\x8e\
\x00\xc2\x53\xae\x0e\x84\xa8\x60\x35\x8e\x71\x7e\x7e\x8e\x6e\x3d\
\xcc\x0c\x2a\xea\xa2\x09\xdc\x01\x88\x05\x18\x40\x29\x25\xfb\x58\
\xe6\x5e\x8a\x06\x55\xc3\x7b\x0f\x73\x0f\x55\x0d\xa1\x44\x29\x25\
\x5a\x6b\x38\x3f\x3f\xcf\x6d\xdc\x63\x05\xc9\x10\xe6\x34\x85\x50\
\x52\xfe\xa7\x28\xc2\x3c\xe6\x36\xd3\x7a\xde\x27\x22\x9c\xb5\xd6\
\xe4\xd1\xa8\x22\x35\xfc\x10\x11\xc9\xf0\x2c\xb5\x66\x5f\x1a\x80\
\x76\x96\x37\x73\x00\x00\x11\x4b\x49\x44\x41\x54\x59\xa6\x71\xc3\
\x50\x31\xae\x56\x3c\x58\x0d\xec\x16\xbc\xe3\x60\xc0\xaa\x82\xdd\
\xc0\xcd\x20\x3c\x18\x88\xa9\x83\x0f\x3e\x75\x9d\x1f\x7b\xe4\x29\
\xae\x36\x6b\xbe\xe6\x65\xf7\xf0\x15\x97\x47\x5c\xdb\x99\x28\x82\
\x9b\x51\xe9\xe1\xac\x2a\xb8\x63\x53\x38\x14\x50\x20\x7c\xff\xd3\
\x5b\x0a\x29\x77\x1d\x96\xa3\x2b\x67\xfd\xe3\xef\xfe\xd8\xd3\x3f\
\xf4\x3d\x5f\xfb\x9a\xdf\x7a\xc1\x0e\xdf\x27\x69\xb7\x9d\x89\xf0\
\xaf\x62\x3f\xf5\xb6\xbf\x76\xfe\xd4\xc3\x0f\xfd\xc2\x4b\xdf\xf4\
\xb5\x7e\xef\x85\xe1\x4b\x56\x95\x1b\xf3\xe8\xcd\x33\xe7\xae\xa9\
\x40\x4f\x0a\x39\x14\x61\x11\xb0\x08\x59\x53\x51\x51\x0c\x22\x0c\
\x50\x4b\x11\xe6\x58\xf8\x32\x86\x6d\x2c\xaa\x02\x80\xd3\xb4\xe3\
\x34\xcd\x32\xb7\x99\xad\x75\x4e\xd3\x24\xb6\x88\x65\xb8\x59\x6a\
\x2a\x88\xb2\x94\xc2\xd5\x6a\x85\xa1\x0e\x04\x80\xb9\x35\xee\xa6\
\x89\xbb\xdd\x8e\x8c\x60\xea\x28\xa4\xc8\x3f\x97\x62\x3c\x1b\xab\
\xe9\x48\x1e\x0e\x73\x43\x6b\x86\xde\x5b\xb8\x67\x2e\x47\xc9\xe7\
\x24\x4b\x06\xb9\x42\x27\x22\x69\x43\x00\xc6\x71\x40\x1d\x46\x32\
\xd1\x2f\xd6\x5a\x65\xa8\x23\x4a\x29\xd2\xad\x73\x37\xed\x44\x44\
\x64\x1c\x47\x89\x80\x14\xd5\x45\xd8\xd1\x85\x42\x69\x66\xd2\xbb\
\x89\xb9\x4b\xd5\x22\xeb\xd5\x4a\x86\xd5\x28\xb5\x56\x26\x63\x43\
\x25\xc2\x73\x9c\x03\x14\x0f\x57\xd1\xfd\xef\x12\x6e\x8e\xcc\xfe\
\xb8\x5e\x6f\x64\xac\x45\x22\x7d\x92\x87\x83\x4a\x29\xa9\x2e\x54\
\x28\x72\x7d\x32\xb9\x31\xbb\x5c\xbd\x76\x2e\x3d\x9c\x17\x2f\x5e\
\x90\x3b\x8e\x56\x12\xee\xb2\xaa\xd4\xcb\x07\x85\x9b\x41\xe5\xb0\
\x2a\xef\x38\xa8\xba\xaa\xe4\xae\xb9\x7e\xec\xb9\xc6\xa9\xfb\x70\
\x61\x53\x8e\x3f\xf2\xe4\xe9\xaf\xbe\xef\xc1\xc7\xfe\xdc\xf7\x7e\
\xe3\x1b\x3e\xfc\x82\x1d\xbc\x7f\x05\x7b\x51\x47\xa0\x4f\xb4\xff\
\xfd\xb7\x9e\x7a\xcb\xeb\xef\xde\x7c\xe7\xe1\xa8\x6f\xd9\xf5\x98\
\xce\x9b\x4f\x95\x88\xb1\x6a\xcc\xdd\xed\x6c\xf6\x98\x9a\x7b\x0b\
\x84\x39\x7c\xd7\x2c\xae\x4f\x16\x39\xe5\xc0\xd8\xce\x2d\x8b\xec\
\x69\x8a\x79\x9a\xa2\x9b\x45\x6b\x93\x6f\xb7\x13\xdc\x23\x88\x08\
\x73\x83\x8a\x42\x8b\x62\x5f\x3f\x28\x05\xe9\x6b\x80\x45\x00\x1e\
\xe8\xbd\x61\xee\x1d\x40\xd6\x0b\x19\x75\x14\x20\x90\x93\xab\x84\
\x4a\x42\xbf\xb8\x45\x0c\x60\x38\x02\x43\x29\xe8\xdd\x60\x6e\x0b\
\x94\x4d\x90\x92\xa9\x1c\x64\x21\x67\x4b\x10\x11\xa2\x1a\xc3\x30\
\x40\x44\x43\x96\xe7\x45\x78\xb4\xb9\xc5\x3c\xcf\x68\xad\x2d\x80\
\x88\x86\x99\x41\x44\x19\x40\x08\x91\xfe\x00\xa0\x4d\xfb\xb4\x52\
\x20\x24\xd6\xeb\x35\xcc\x22\xc7\x2d\xdc\xe0\x81\x65\x68\x97\x28\
\xaa\x00\x63\x81\xf2\x15\x45\x0b\x53\xce\x38\x35\x58\xc7\x61\x90\
\x41\x15\x3d\x82\x9b\x41\x79\x61\xad\x98\x0d\x6c\x3d\xb8\x1e\x52\
\x03\xd9\x03\xfc\xd0\x13\xd7\x21\x24\x0f\x0f\x36\x7c\xc9\xc9\xc0\
\x8b\x2b\xc5\xc9\x46\xb9\x2e\x24\x80\x44\xde\x54\x64\xd7\x1d\x0f\
\x5f\x9d\x79\x30\xe8\xc1\xe1\x20\x37\xde\xf3\xf8\xcd\x9f\xfe\xeb\
\x3f\xfb\x37\x7e\xfc\x97\xdf\xfa\xd6\x7e\x5b\x0f\xd7\xef\xc2\x3e\
\x63\x1c\x68\x6f\xbf\xf8\xc1\xab\xdf\xf6\xca\x3b\x56\xff\xd9\xba\
\xca\xc9\x8d\xad\xdd\x6c\x01\x5f\x57\x86\x3b\xfc\x74\xb6\x98\x7a\
\x78\x33\xf7\xed\x8c\x38\x6b\x1e\x73\x82\x0c\xb1\xeb\x81\x4a\x46\
\x0b\xf7\x66\x16\x66\x1e\xdb\xed\x36\xe6\xb9\xc5\x6e\xda\x85\x9b\
\xc5\xd2\xb1\x44\x29\xcb\x62\x05\x38\xc2\x11\xdd\x3a\xcc\x3c\x69\
\x03\x29\x79\x15\xb6\x44\x1b\x51\xc1\xa2\xb1\x88\xa5\x49\x7a\x8b\
\x89\x20\xa2\x10\x15\x44\xa2\xd6\x14\xd5\x28\x5a\xa2\xb7\x86\x05\
\x96\x5b\x88\x7c\xe9\xac\x42\x89\x25\x6a\x45\x29\x8a\x52\x4a\xa8\
\x28\x4a\xd1\xa0\xa4\x93\x4c\xd3\x2e\xe6\x79\x46\x98\x87\xaa\x42\
\x4a\x82\x1f\x8b\x83\x01\x58\xe8\x0d\xdd\x12\xfd\xe3\xb2\xaa\xa2\
\xe6\x7a\x61\x12\x54\x4d\x1d\xca\x3d\x13\xc1\xcc\x10\x0e\xae\x56\
\x03\xea\x30\x10\x11\x50\x55\x04\x40\xeb\x06\x8f\xa0\xaa\x62\xa8\
\xa9\x4d\x59\x04\xb8\x7c\xb4\xe6\x58\x41\x33\x60\x2c\xc2\x83\x81\
\x2c\x2a\x7c\xe4\xea\x16\x4f\x5e\x9f\x38\xd4\x8a\xfb\x2f\xaf\xf8\
\xb2\xe3\x42\x55\xe1\x58\x32\xc0\x66\x82\x0a\x69\x1d\x31\x7b\x54\
\x05\x0f\x1e\xbb\x7e\xf6\xc0\xe9\x8d\xe9\x2f\xff\xb1\x2f\xbd\xef\
\xa1\xdb\x7b\x9a\x7e\xf7\xf6\x19\xe7\x40\x00\xf0\x63\xbf\xf8\xd0\
\x1b\xbe\xe8\xf3\xef\xfa\xfe\x97\x5f\x5a\xbd\xe5\x74\x67\xa7\xbb\
\x66\x6d\x35\x68\x10\x88\xf3\xe6\xbe\x9b\xc3\x7b\x44\xcc\xdd\xfd\
\x7c\x8e\x38\x9d\xcc\xb7\x1e\xe1\x86\xe8\xee\x0b\xb5\x2b\xc2\x16\
\x70\x61\x9a\xa6\x38\x3d\x3d\x8d\xde\x1a\x2c\xdc\x95\x72\xeb\x50\
\x07\x10\xbd\x35\x4c\xd3\xef\xac\xea\xcd\xc8\x82\xf0\xf0\x84\x8c\
\xe9\x44\x48\x50\xf6\xea\xbf\xf9\x73\x09\x02\x88\x9c\xbd\x43\x19\
\x86\x50\x11\xf6\x9e\x85\x08\x45\x90\x5d\x26\x7a\x78\x40\x44\x22\
\x52\xb5\x35\x4a\xc9\x1a\x07\x10\x78\xb7\x68\xbd\xe1\x7c\xbb\x85\
\x9b\xc5\xb8\x5a\x21\xdc\x97\x54\x31\xe1\x04\x11\x05\xc2\xd1\x7a\
\x3a\xfb\x52\xd7\x44\x1d\x06\x12\xc4\x3e\xba\x2e\x48\x3e\x45\x05\
\xb5\x14\xd6\x3a\x04\x00\xcc\xd3\x44\xad\x4a\x11\x85\xbb\x25\xea\
\x11\x46\x40\x50\x6b\xe1\x50\x07\x6c\xd6\x23\xa6\xd6\x79\xbc\x1a\
\x78\xe7\xd1\x80\x22\xa9\xa7\xb5\x52\xb2\xaa\xc0\x00\xbe\xff\xf1\
\x9b\x70\x08\xef\x3c\xaa\x7c\xc5\xe5\x81\x1b\x55\x0c\x25\xa5\xaf\
\x66\x4b\x87\xdb\x76\x03\x20\x07\xdd\x6c\xb7\x9d\xe3\x7f\xfd\x3f\
\x7e\xfe\xd7\xdf\xf6\xa9\x6c\xc8\x7e\x31\xd8\x8b\xba\x06\xfa\xe7\
\xd9\xcf\xfd\x4f\x3f\xf2\x0c\x5e\xff\x79\x3f\xb7\xda\xdc\x7f\xfe\
\xb2\x8b\xe3\x97\x1e\x8c\x65\xd3\x2d\x7a\xa4\xd6\x82\x94\x24\x1b\
\x24\xc1\xb1\x50\x6a\x49\xfe\x81\x79\x48\xea\x83\x04\x3d\x78\x8b\
\x6d\x50\x6b\xe5\x30\x8e\x2c\xa5\x8a\x48\x4a\xea\xee\x65\xb4\x54\
\x95\x22\x49\x3c\x58\x24\xae\xf6\x4a\x07\x5c\xfe\x48\x52\x08\x3a\
\x3c\x5c\x90\xba\x57\xd8\xcf\x14\x99\x05\x8b\x2a\x41\x41\xad\x95\
\x39\xa2\xc1\xec\xa5\x90\xec\x66\x20\x98\xeb\xf5\x4a\x42\xe3\x43\
\x2d\x14\x51\x46\x04\x7b\xeb\xd8\x6e\xb7\x32\xcd\x3b\x02\xe4\x7a\
\xb5\xa6\xa8\xe4\x24\x6d\xc2\xce\x02\x84\xb8\x39\xbb\x19\xc3\x5d\
\x54\x73\xac\x43\xb5\x2c\x33\x4f\xbe\x57\x6c\xcd\xe1\xbc\x30\xf6\
\x14\xef\x97\x52\x44\xa6\x79\x96\x6e\xc6\x52\x4a\x52\x95\x22\xd5\
\x88\x10\xa0\x6a\x91\xcd\xc1\x46\x6a\xcd\x01\x7c\x41\xc8\x4b\x4e\
\x56\x5c\x0f\xcc\xf9\x23\x42\x6a\xc9\x32\xf0\xda\x79\xe7\xcd\x16\
\x72\xbc\x2a\x72\xc7\xe1\x20\x77\x1e\x14\x19\x0a\xa4\x39\xe4\xc6\
\xce\xc4\x52\x90\xb2\x16\xd5\xa3\x8f\x5f\xb9\xfe\xae\xdf\x78\xf0\
\x89\xb7\xfe\x07\x6f\xb9\xff\x1f\xfc\xe6\xcf\xff\xc4\xa7\xbc\x21\
\xee\x85\xb6\xcf\xc8\x08\xf4\x89\xf6\x3f\xff\xc6\x63\x5f\xf1\xa6\
\xfb\x8e\xff\x8b\x97\x9c\x8c\x6f\x9c\xba\x9d\x4d\x3d\x66\x4f\xc1\
\xd1\xe8\x1e\xd1\xbb\x47\x73\xf8\x64\xe1\xe7\x93\xe1\xac\x85\x4f\
\xdd\xa3\x59\x84\x01\x6e\x19\x95\x72\x6e\xc7\x11\xdd\xcd\xe7\x36\
\xc5\x6e\xb7\x83\x35\x0b\xb3\x8e\x69\x9a\xf6\x0d\xa4\x40\x00\xe6\
\x16\xd6\xf7\x6a\x22\xc8\x30\xb5\x70\x39\x63\xdf\x6b\x4a\x45\x86\
\xc0\xd2\x7f\x11\x91\x38\x38\x38\x80\xaa\x62\x6e\x0d\xc8\xf4\x10\
\x01\x44\x5d\x52\x35\x08\xe1\x59\x1b\xa1\xf5\x1e\x73\x9b\x11\xe6\
\x08\x22\x72\x05\xac\x26\x28\x71\x2b\xf2\x65\x2f\xb7\xf7\x7e\x2b\
\x1d\xdb\xa7\x67\xcb\x94\x62\x46\x22\xec\xd3\x34\x5f\xa2\x67\xee\
\xaf\x2d\x4a\x8e\xe3\x88\xed\x76\xc2\xb0\x1a\xb0\x1a\x47\x46\x04\
\xac\x59\x4a\x74\xa9\x62\x1c\x47\xd6\x61\xc0\xba\x90\x16\x81\x4b\
\x9b\x82\x8b\xeb\x02\x15\x72\xea\x8e\x08\x70\x5d\x85\x14\xe2\xb1\
\x6b\x13\x77\x3d\x78\xe7\x61\xe1\x2b\x2f\x8d\x2c\x04\x6f\xec\x0c\
\x93\x07\xd6\x55\x75\x55\xf4\xe0\xca\xd9\xee\xea\x3f\x79\xf0\xc9\
\xb7\xfd\xf2\xff\xfd\x77\xde\xfe\xf6\xb7\xbe\x75\xbe\xdd\xe7\xe5\
\xf9\xb6\xcf\x78\x07\x02\x80\x3f\xff\x93\xef\x3d\xfc\xa2\xd7\x5c\
\xfe\xf6\xdf\xf7\xb2\x93\xef\xb8\xb0\xd2\x3b\xb6\xdd\x6f\xee\x5a\
\x98\x45\x78\x4a\x22\x84\xcd\xdd\x63\xce\x5a\x28\xce\x67\xf3\x5d\
\x8f\x68\x3d\xa2\x7b\xfe\x9e\x8e\x70\x41\x74\xf3\x00\x25\xcc\x7c\
\x49\xf1\x1c\xf3\x3c\x47\x6b\x2d\x5a\x9f\xe1\xdd\xa2\xf7\x9e\xd4\
\x06\x37\x78\x32\x0c\x00\x24\x2d\x08\xc8\x9a\x46\x44\x51\x6a\x41\
\x26\x59\x59\xef\x1c\x1c\x1c\x40\x00\xcc\x2d\x69\xc9\xc0\xe2\x7b\
\x39\x76\x41\xef\x16\x73\xeb\x98\xe7\x19\xd9\xfe\x04\x8a\x16\x2c\
\x24\xb4\xf0\x30\x08\x35\xb5\x57\x29\xc9\x6b\x23\x97\x36\x53\x82\
\x1c\xb2\xe7\x56\x2f\x35\x59\xf2\x99\x2c\x1f\x6b\x8a\x0f\xec\xe1\
\x69\x11\x2e\xd2\xc6\x86\xd5\x6a\xbd\x57\x48\xa1\x47\xe4\xf8\xc3\
\x38\x52\xb5\xe0\x70\xa5\x38\x18\xb2\x15\x7b\xd7\x41\x81\x23\xb0\
\x6d\x4e\x8f\xe0\x41\x55\x1c\xaf\x95\xcf\x9d\x1b\x9f\x3c\x6d\x38\
\x19\x85\xf7\x1c\x17\x0e\xa2\xbc\x39\x77\x16\x15\x1c\xaf\xca\xd8\
\x2c\xf8\xdb\x1f\x7b\xea\x1d\xef\xf9\xd0\xe3\x3f\xfe\x83\xdf\xfa\
\x96\x87\x6f\xfb\x21\xf9\x34\xd9\x67\x85\x03\xed\xed\x47\x7f\xf1\
\xc1\x57\xbd\xe9\xf3\xee\xfa\xee\xfb\xef\x58\x7f\xe3\x28\x1c\x6f\
\xce\xfd\x6c\xdb\xc2\x52\xe6\x2d\x49\xd1\xbb\xee\x3e\xf5\x48\xb0\
\xa1\x7b\xcc\x81\x68\xdd\x63\x76\x8f\xee\x19\x85\x00\xc4\x7e\x92\
\x74\xb6\x88\x08\x87\x3b\xc2\xc2\xa2\xb5\x1e\xbd\x77\x98\x77\xf4\
\xb9\x87\x45\x66\x1f\xe1\x58\xb8\x76\x58\x76\x88\x2b\x64\x71\x2a\
\x0f\x87\x52\xb1\x39\x3c\x88\x70\x4b\x04\x2f\x10\x88\x8c\x1e\x7d\
\x71\xca\xde\xfb\x22\x4c\xbc\xa8\xeb\x72\x41\xf4\x34\xa5\x13\x62\
\x81\xbe\x53\xe3\x41\x96\x37\xcb\x5b\x0d\xe0\x48\x9a\x11\x64\x29\
\xbe\x92\x24\xaa\x28\xaa\x2c\xb5\x40\xb5\x2e\x7d\x1d\xa3\x47\x0a\
\x7e\xf7\xd6\x30\x8e\x43\x2e\xae\x90\x25\x23\x05\xb1\x5e\x0f\xac\
\xa5\x62\x5d\x81\x93\x51\xb9\xed\x81\xe3\x51\xb9\x19\xc8\x6d\x4f\
\x24\x60\x5d\xc9\xc3\x51\x61\xe6\x78\xfa\x34\x15\x83\x8a\x0a\x37\
\x03\xa9\x04\x4e\xd6\xa5\xd6\x22\xeb\x47\xaf\x9c\x3f\xf2\x9b\x1f\
\x7a\xec\x47\xbe\xef\x0f\x7f\xe1\x3b\x6e\xe3\x71\xb8\x2d\xf6\x59\
\xe5\x40\x7b\xfb\xdb\xbf\xfa\xc8\x9b\xff\xb5\x57\x9c\x7c\xf7\x7d\
\x17\xc7\x2f\x27\x20\xd7\x76\x76\xd6\x2c\x4c\x24\x55\xa9\x52\x77\
\xc0\x7d\x6e\x88\xd9\x23\xa6\x1e\xd1\xcc\x63\xd7\x23\x02\xa9\xd3\
\x6b\x88\xb0\x88\x30\x63\xec\x13\xb3\x58\x9c\xab\xe7\xcc\x4c\xb4\
\xd6\x60\x11\xee\xee\xdc\x53\x75\x96\xa7\x32\x9f\xee\x60\x20\xcc\
\x2c\x44\x0b\x36\x9b\x0d\xfa\xd2\xf8\x6c\xbd\x23\x16\x07\x8a\x85\
\xa9\x97\x90\x36\x23\xdc\xb0\x47\xf9\x48\x09\x59\x60\xf4\xf0\x4f\
\x8c\x70\x42\x90\xe1\x66\x00\xc1\x52\x2a\x86\x64\x14\x00\x4b\x74\
\x1b\xc6\x91\xb5\x16\x68\xa9\xe0\xf2\x5d\xbb\x19\xba\x5b\xce\x05\
\x01\xac\x75\x08\x55\xa5\x77\xa3\x45\x42\xe1\x87\xeb\x31\x44\x52\
\x99\xf2\xe2\xaa\x20\x77\xc8\x80\x47\xa3\x42\x98\x23\xf7\x2a\xc0\
\x58\xc8\xb1\x28\x9f\x3e\xed\x78\xfc\xda\x8e\xdb\x0e\x7c\xde\xa5\
\x91\x2f\xbd\x50\x4b\x55\xd9\x3c\x7d\x63\x7e\xe6\x5d\x1f\xbd\xf2\
\xd3\x1f\xfc\xf0\x43\x7f\xe7\xaf\x7e\xd7\xbf\x75\xf5\x36\x1e\x81\
\xdb\x66\x9f\x95\x0e\xb4\xb7\xbf\xff\x9e\x2b\x5f\xf3\xea\xbb\x56\
\xdf\x75\xd7\x61\xfd\xb2\xc9\xc2\x6e\x4c\xb6\x8d\x80\x93\x79\xcc\
\xcd\xe1\xb3\x59\xcc\x06\xef\x06\x6c\x9b\xfb\xe9\x9c\x04\x06\xcb\
\x39\xbc\x60\x48\x38\x3c\xe6\x3c\xef\xa9\x5a\xbd\x8c\x24\x74\xf3\
\x30\xcf\xfe\xbd\x87\xe7\xd0\x2b\x32\x25\x72\x8f\xe8\xbd\xc3\xcd\
\xc2\xc2\x30\x94\x01\xc3\x30\x60\xb7\xdb\xc5\xf9\xf9\x79\x98\x75\
\xa4\xb4\x03\x23\x7b\x46\x84\x59\x6a\xf9\xfc\x8e\x2f\x62\x01\x24\
\xb0\x30\x7a\x7e\xc7\xf6\xb0\xf5\x30\x54\xd4\x52\x60\x7b\x96\x75\
\x55\x8c\x75\x00\xb0\xac\x74\xd5\xec\xef\x0c\x45\xd0\xcd\xd1\x3d\
\xf6\xb0\x35\xb4\xe4\x16\x96\x0c\x3c\xc2\x22\xc0\xba\x26\x17\x70\
\x76\xc7\x51\x51\x1c\xaf\x14\x07\x23\x79\x30\x2a\x23\x80\xc9\x6c\
\xa9\x7b\x94\x83\x92\x0f\x5f\xdd\xe2\x03\x8f\x9d\xe2\xf2\xd1\xc8\
\x2f\x78\xc9\x61\xb9\xfb\xb8\xae\x9f\xbc\x3e\x5d\x7d\xf7\x47\xae\
\xfc\xdc\x7b\x1f\x7e\xea\x27\xff\xea\x9f\xfc\xb2\xdb\xaa\x92\x73\
\xbb\xed\xb3\xda\x81\x16\x93\x77\x3e\x78\xf5\x1b\x5e\x79\x79\xfd\
\x67\x8f\x57\xf2\xea\xa9\x07\x4e\x27\x3f\xcf\x85\xc0\x74\x22\xc2\
\x02\xd1\x2c\xa2\x9b\xc7\xb6\xc3\xb7\xdd\x31\xb7\xe4\xd4\x2c\x17\
\xe8\x96\x50\x48\x5f\x44\x40\xf0\x3b\x2c\x6f\x4c\xdd\x52\x97\xce\
\x83\xe6\xa9\x4f\xe7\xd6\xd1\x7a\x0f\x37\x47\x37\x8b\x83\x83\x0d\
\x86\x5a\xe3\xf4\xec\x1c\xad\xcd\x79\xe1\x29\xd0\x22\x39\x7e\x0e\
\x41\xa6\x86\x16\x0c\xd0\xdd\x63\x4f\x7e\x05\x32\xe3\x53\x0a\x64\
\x01\x05\x4a\xd1\x00\xc8\x52\x34\x4a\xa9\x18\x6b\xc1\x7a\x2c\x58\
\x95\x9a\xa0\x20\x33\x10\xee\x5f\xa3\x08\x31\xf7\xc0\xb6\x19\xba\
\x19\x04\xc8\xe8\xa4\xc8\xad\x99\x04\x46\x25\x66\x4b\x05\xa0\xc3\
\x95\xe2\xc2\x5a\x79\x34\x28\x0e\x57\x02\x73\x70\x3b\x39\x0d\x8e\
\x55\x51\x58\x80\x1f\xbb\xba\xc3\xd5\xb3\xad\xbc\xfe\x9e\x93\xf5\
\x4b\x4f\x06\x7d\xee\x7c\x7a\xee\x5d\x1f\x7b\xf6\x1f\x7e\xe0\x43\
\x4f\xfd\xdd\x1f\xfe\xf6\x2f\xfd\xd8\x6d\xfd\x96\x5f\x20\xfb\xbd\
\xe0\x40\x00\x80\x1f\x7d\xc7\x87\x4f\x5e\xfb\xf2\x0b\x6f\xb9\xb0\
\x29\x5f\x79\xcf\xf1\xf0\x75\x4a\xb9\x77\xb2\xd8\xce\xdd\x27\x0b\
\xb8\x30\x37\x95\xb4\x1e\xb1\xf4\x90\x62\xb2\x9c\xbd\x56\x32\x83\
\xc0\x32\xda\xb3\xeb\x16\xbb\x8e\xe8\x16\x38\x6b\x1e\xa7\x53\x77\
\xb3\x7c\x46\xb8\xc5\x6c\x3d\xd1\xb3\x48\xee\xb5\x96\x82\xc3\x83\
\x4d\x54\x65\x9c\xee\x66\x4c\xbb\x09\x49\xbe\xc6\xd2\x0f\x22\xd2\
\x21\x83\x96\x21\x6d\xd9\x8f\x02\xe4\x32\xfa\xec\x71\x01\xc9\x61\
\xa3\x28\x54\x0b\x8a\x32\x8b\xfd\xa1\xc4\xc1\xa0\xdc\x0c\xa9\x16\
\xe2\x91\xe2\x41\xba\x10\x21\xe6\x1e\xb0\x0c\x66\xd8\xbb\xe4\xae\
\x07\x9a\x05\x8b\x10\x63\x25\x15\x7b\xac\x02\x58\x57\xc1\x58\x72\
\x4d\xdf\xe1\x50\xa0\x92\xfd\x9b\xc9\x0d\x55\x84\x01\xc4\xf9\x6c\
\x4a\x91\xf5\xe1\xc0\xf6\xc4\xd5\xb3\x5f\x7f\xf8\xc9\xe7\x7e\xe5\
\xe3\x8f\x3c\xfd\x9b\x3f\xf8\x1d\x5f\xf9\x69\xdb\x84\xf0\x62\xb4\
\xdf\x33\x0e\xf4\x89\xf6\x8b\xef\x7b\xfc\xfe\x0b\x87\x47\xdf\x7c\
\xd7\x51\xf9\xe6\x83\x41\x5e\x35\x5b\xf8\xdc\x7d\xdb\x0c\xc9\x7b\
\x21\xbc\xef\x6b\xa3\x85\xc0\x6d\xc8\x81\x38\x21\x12\x17\x08\x60\
\x67\x11\xe7\xb3\xe1\xbc\x45\x4c\xb3\xc5\x6c\x88\x39\x53\xa4\xe8\
\x9e\x29\x9d\xbb\xc7\x6a\xac\x38\x5c\x17\x98\x23\xb6\xb3\xc5\x6e\
\x6a\x30\xef\x7b\xd0\x6e\x0f\x3d\x07\x25\x51\x37\x25\xa2\x65\x78\
\x23\x52\xd3\x6b\x79\x5b\x39\x0b\x5d\x95\x94\x1c\xc7\xc8\x1d\x92\
\x00\x10\x88\x55\x11\x6c\x06\x41\x2d\xc4\x40\xa0\x96\xc4\x05\x66\
\x43\xf4\x16\x9c\x23\xd0\xcc\xb1\xeb\x29\x31\xac\x9a\x54\xa5\x6e\
\x59\xdc\x55\x15\x6e\x2a\x51\x94\x2c\x02\x5c\x58\x17\x80\x40\xef\
\xc1\xb9\x07\x8a\x52\xc6\x2a\xd5\x1c\xe3\xd4\xed\xfc\xe9\xeb\x67\
\xff\xe4\xa1\xc7\xaf\xfe\xc4\xf7\x7e\xfd\x1b\x7e\xf5\x85\xf8\x1e\
\x5f\x0c\xf6\x7b\xd2\x81\xf6\xf6\xa3\xef\x78\xe0\xe4\x15\xf7\xde\
\xf7\xb5\x9f\x77\xe7\xc1\x37\x1f\xaf\xcb\x1f\x50\xf2\xe4\xbc\xf9\
\x79\xb3\x98\x99\xbb\xa8\x60\x01\x37\x0f\xcc\x16\x91\x13\x3a\xb9\
\xc9\xa4\xf0\x13\xd2\x3b\x20\x5a\x07\x1c\xf0\xd6\x03\xcd\x23\xe6\
\x54\x18\x8d\xee\x81\x75\x95\x18\x94\x98\x7a\x84\x79\x60\xd7\x3d\
\xe6\xbe\x88\x78\x21\x07\x9c\x54\x78\x6b\xf4\x80\x5c\xe4\x81\x05\
\x30\xcb\x2d\x43\x55\x79\xcb\x51\xca\xc2\x70\x58\x44\x50\x97\x5d\
\x2a\x02\x55\x60\x10\x89\xcd\x48\x94\xe5\xcd\xb5\x08\x2c\x28\x36\
\xba\x01\x53\x0f\x76\x0f\x8c\x45\x50\xb2\x9e\x83\x23\x38\x2a\xb1\
\xaa\xca\x6e\x29\x13\xba\x2a\xc2\xb3\xc9\x61\xe1\x58\x15\xd5\xe3\
\xb5\xae\x48\xf2\x91\xab\xa7\x8f\x7e\xe8\xb1\x6b\xbf\xfc\x91\x87\
\x1f\xfb\xfb\x3f\xfc\x1d\x5f\xf5\xdb\xb7\xf7\x1b\x7b\xf1\xd9\xef\
\x69\x07\xfa\x44\xfb\x99\x7f\xfc\xe4\x17\xde\x77\xe7\xe6\xdf\xb9\
\xe3\xb0\xfe\x91\x55\xe1\xcb\xdc\x21\xcd\x62\x6b\x88\x96\x2a\xb7\
\x89\xc0\x59\x04\x5a\x0f\xef\xc8\xe8\xa2\xa9\xbf\x8d\x04\x25\x3c\
\x7c\x5f\xf3\x07\xd0\x2c\x55\x42\x54\x52\x86\xbe\x5b\x44\x47\xa0\
\x2d\x8e\x14\x60\x98\x03\x7b\x5d\xde\x7d\x82\x25\x64\x0c\x4a\xd4\
\x45\x07\xc4\x3c\x1b\x3d\x7b\x18\xe1\x16\xd7\x8e\xb7\xc4\xe0\xf2\
\xb1\x32\x34\xbd\x89\x5c\xf6\x94\x08\xd3\x31\x5b\x37\xec\x7a\x46\
\xab\x75\x51\x0e\x85\xfb\x35\x7a\x38\x18\xc8\x1e\x81\xed\x1c\x18\
\x4a\x0a\x50\xcf\x16\x52\x14\xab\xa3\xb1\xe8\x6c\xfe\xdc\x47\x9f\
\xba\xf1\x5b\x0f\x3e\x7e\xfd\x17\xde\xf7\x81\x87\x7f\xed\x6f\xfd\
\xe7\x9f\x9d\x88\xda\xa7\x62\x9f\x73\xa0\x7f\xc6\xde\xf6\x8e\xf7\
\x5f\xbe\xef\xa5\xf7\xbc\xf9\xce\xe3\xf2\x75\xc7\xeb\xf2\x65\xab\
\xaa\x2f\x23\x21\xdd\x62\xd7\xcd\xe7\xe6\x39\x9d\xb0\x7f\x7e\x2a\
\xfe\x62\xd1\xcf\x5a\x54\x72\x62\xdf\x24\xdd\x3b\x06\xc3\xc2\xa3\
\xd9\x82\x3a\x2c\x66\x86\x65\x62\x28\x9d\xe9\x56\x2b\x36\x49\xdf\
\xf9\x37\x01\x90\xc9\xa5\x5b\x86\x7c\xf2\x95\x97\x01\x3d\xe4\x26\
\xbc\x48\x82\xc1\xad\x1a\x27\x37\x43\x2c\x00\xc2\x9e\x34\xb1\x2e\
\x44\xd5\x64\x4d\x03\x40\x95\x5c\xce\x7a\xd6\x92\x95\x7d\xb2\x52\
\x59\x15\x8e\x16\xa1\x08\x9e\xef\xba\x3f\xf0\xe4\xb5\xdd\x3b\x1f\
\x7c\xf4\xfa\xaf\x7f\xe7\x57\xbf\xf2\xb3\xa6\xf9\xf9\x7c\xda\xe7\
\x1c\xe8\x5f\x60\x7f\xeb\x57\x1e\xbc\xf3\xce\xe3\xa3\x37\xdf\x75\
\x3c\x7e\xe5\xe5\x83\xf1\x8b\x8f\x56\xfa\x8a\x41\xe5\x60\x36\x6f\
\x53\x8f\xb9\x79\x74\x3a\x3c\x08\xcf\xbb\xfd\x92\xd6\x25\xe5\xe7\
\x56\x4c\x89\x40\x58\x64\x4d\xe5\xbe\x5f\x67\x92\xc4\x56\x02\xb4\
\x14\x9c\x8f\x65\x2d\x64\x6a\xf5\x2e\x00\x40\x5f\x5c\x70\x28\x02\
\xcd\xd7\x67\xec\x23\x0f\xf7\x7c\x85\x45\x94\x3b\x10\x16\x40\xbe\
\x6c\xfe\x0e\x00\xaa\xee\xa7\x6c\xf3\x0d\x8d\x45\xb0\xaa\x84\x4a\
\x72\x4a\xd7\x55\xab\x00\x31\x35\xbf\x7a\xda\xec\x83\xe7\xb3\x3d\
\x70\xe3\xac\xff\xda\x57\xbc\xf6\xd2\xbb\x6f\xff\x55\xff\xcc\xb2\
\xcf\x39\xd0\x27\x69\x7f\xed\x27\xdf\x79\x78\xf7\xab\x5e\xfb\xba\
\xbb\x0e\xea\x97\xdc\x73\xb2\xfe\xda\xc3\x95\xbe\x7a\x28\x72\x09\
\x40\xe9\x1e\x7d\xd7\x6c\x06\xd0\x81\x5c\x72\x00\x20\x8a\xe4\x6c\
\x4e\x00\x91\x32\xdb\x40\x5f\xc2\x42\x8a\xc0\x01\xdd\x02\xb3\x67\
\x71\x95\xcc\x1c\x04\x09\x2a\xf7\xc0\x01\x22\x18\xf1\x3b\x69\x9b\
\x60\x59\xfe\xc0\x3d\xd9\xbb\x07\xd0\xcd\xd9\x7c\x99\xff\x5e\xc2\
\x50\xa6\x6e\x81\xd9\x03\xba\x10\x6d\x37\x83\x94\x41\x39\x00\xf0\
\xd6\xfd\xe6\xf9\x6e\x7a\xfc\xd1\xe7\xce\xdf\x33\x1b\x7f\xdd\xb0\
\x7d\xf7\xb7\xbd\xf9\x35\x2f\x2a\xd5\x9b\x17\xbb\x7d\xce\x81\x3e\
\x45\xfb\xd9\x07\x1e\x7b\x79\x5d\x8f\xaf\xb9\xfb\x78\xf8\x03\xa3\
\xca\x1b\x2e\xac\xf5\xb5\x2a\xbc\x3c\x14\x39\x74\x8b\x70\xc0\x2d\
\xa2\x45\xa0\xa7\xac\x08\x7c\x01\xbb\x62\x19\x1b\x8a\x3d\x36\xee\
\xce\xf0\x3d\xdb\x61\x49\xc3\x7c\xcf\x4a\x4d\xbb\xf5\x68\x9f\xda\
\xf9\xf2\xc4\xcc\x0a\xf3\x05\x70\x6b\xbc\x48\xa8\x02\x15\x4a\xf1\
\x08\xa9\x0a\x89\x40\xdb\xce\x76\xfd\x74\xf6\x27\x4e\xb7\xed\x5d\
\x4f\x5e\xbd\xf9\x8f\xa7\xc9\xdf\xff\x1b\xbf\xf6\xab\x8f\xbc\xed\
\xad\xdf\xbe\xbb\xcd\x97\xef\xb3\xc6\x3e\xe7\x40\xcf\x93\xfd\xf4\
\x3b\x3f\x7a\x61\x75\xe9\xe0\x95\x43\xc1\xab\x8e\x37\xc3\x6b\x36\
\x83\xbc\x7a\x33\xea\x2b\xd6\x55\xee\x22\xb9\x11\x60\x70\x50\x8b\
\x80\xee\xe1\xdd\xe1\xe6\xe1\x24\x73\x3c\xc9\x01\x4b\x85\xab\x1c\
\x54\x08\x40\x72\x47\x31\x73\x10\x76\x29\xa6\x22\xd7\xa4\x98\x05\
\xf7\x9b\xf2\x6a\x59\xf6\xeb\x00\x9d\x94\x39\x10\xf3\xd9\xae\x5f\
\xb9\x79\xbe\x7b\xb2\x53\x1f\x7d\xe4\x89\xe7\x1e\x34\xad\x1f\x79\
\xe4\xd9\xe7\x3e\x7c\xf5\xe3\x4f\x3c\xf1\x99\x3a\x7b\xf3\x62\xb4\
\xcf\x39\xd0\xa7\xd1\x7e\xfc\xef\x7d\xe0\xe8\xf5\xaf\x3e\xb9\xf4\
\x91\xeb\x71\xf9\xe5\x77\xae\xef\xbb\xb8\x96\x7b\x9f\xbc\x3e\x5f\
\xbe\x7c\xb8\x3a\x39\xd9\xe8\xc9\x5a\xe5\x78\x67\x7e\xe4\x81\x41\
\x85\xaa\x4b\x3f\x53\xf2\x7f\xb9\xf6\xde\xd1\x03\x88\xde\x1d\xcd\
\xd1\x9a\x99\xb5\x66\xed\x60\x55\x27\x90\xd7\x4f\x67\xbb\xfe\xcc\
\xcd\xe9\x86\x32\xae\x01\xfa\xd4\xbb\x3e\xf4\xd4\xc7\x4e\x0e\xca\
\xd3\xcf\x5e\xef\xd7\xbe\xff\x9b\xbe\xe0\xd9\x17\xfa\x1a\x7c\xb6\
\xdb\xff\x07\x2f\x7b\x7b\x93\x14\x02\xde\x89\x00\x00\x00\x00\x49\
\x45\x4e\x44\xae\x42\x60\x82\
\x00\x00\x5d\x36\
\x89\
\x50\x4e\x47\x0d\x0a\x1a\x0a\x00\x00\x00\x0d\x49\x48\x44\x52\x00\
\x00\x00\x80\x00\x00\x00\x80\x08\x06\x00\x00\x00\xc3\x3e\x61\xcb\
\x00\x00\x20\x00\x49\x44\x41\x54\x78\x9c\xec\xbd\x77\x94\x1c\xd7\
\x7d\xe7\xfb\xb9\xb7\xaa\xba\x3a\x87\xc9\x83\x49\x98\xc1\x04\x64\
\x10\x00\x11\x49\x30\x89\x51\xb2\x6c\x2a\xd8\x4a\xb6\x65\xcb\x6f\
\xbd\xce\xde\xb5\xd7\xeb\x5d\xdb\x6b\x49\xde\xb5\x8f\x25\x5b\x6f\
\x2d\xdb\x6b\xef\x73\xd8\x95\x45\xc9\xca\x14\x15\x98\x01\x8a\x94\
\x08\x82\x20\x40\x90\xc8\x03\x60\x72\x9e\xe9\x89\x9d\xbb\x2b\xdc\
\xf7\x47\x75\x4f\x00\x73\xb0\xa8\x73\xa8\xdf\x39\x35\xd5\x53\xdd\
\x5d\x75\xef\xfd\x7d\xef\x2f\xdf\xdb\xf0\x63\xfa\x31\xfd\x98\x7e\
\x4c\x3f\xa6\x1f\xd3\x8f\xe9\xed\x48\xe2\xad\x6e\xc0\x0f\x9b\x7e\
\xff\xf7\x7f\x3f\xb1\xb8\x98\x5d\x1f\x8f\x47\xd7\x1b\x86\xd1\xa8\
\xfb\x8c\x6a\x21\x44\x58\x29\x65\xb8\x8e\xa3\x6c\xc7\x29\x94\x4a\
\xa5\xa5\x62\xa9\x90\xb4\x8b\xce\x64\x2e\x57\x18\x5f\x5a\x2a\x4c\
\xdc\x77\xdf\x3d\xf3\x80\x7a\xab\xdb\xff\x66\xd3\xdb\x0a\x00\xff\
\xf5\xe3\x1f\xbf\x26\xe4\x33\xbf\x75\xe8\x86\x1b\x9b\x1a\xd6\x35\
\x6a\xbe\x80\x1f\x4d\xd7\x41\x80\xeb\xba\xd8\xb6\x4d\xb1\x50\x24\
\x9f\xcb\xb1\xb4\xb8\xc8\xc2\xfc\x02\xf3\xf3\xf3\xc5\xa5\xc5\xc5\
\x64\x36\x95\x19\xcc\xe5\xb3\x67\x0a\xb9\xc2\x33\xae\x6b\x9d\x9c\
\x9a\x9a\xea\xfb\xfa\xd7\xbf\x5e\x7a\xab\xfb\xf4\x46\x49\x7f\xab\
\x1b\xf0\xc3\x24\xbb\x54\x4a\x14\x11\xad\xfb\xf6\x5e\x8b\xe9\xf3\
\x2d\x5f\x57\x80\x0d\x58\x28\x1c\xd7\x45\x29\x17\xd7\x75\x51\x8e\
\x8b\x6d\xdb\x66\xb1\x58\x6c\x4e\xa7\xd2\xcd\xc9\x64\xf2\xd0\xd8\
\xf0\xf0\xaf\x8f\x8d\x8e\xe5\xa2\xb1\xc4\xc5\xdf\xfd\xbd\xff\xfc\
\x84\xe3\x3a\x0f\x2a\xdb\x3e\xf9\xd9\xcf\x7e\x76\xf1\x2d\xeb\xd8\
\x1b\xa0\xb7\x95\x04\xf8\xfd\x3f\xfa\xa3\x3d\x42\x71\x74\x7d\x5b\
\x9b\x61\x9a\x26\xa6\xe9\x23\x1e\x4f\x50\x55\x5d\x4d\x6d\x43\x3d\
\xd5\xb5\xb5\x04\x4d\x13\x05\x14\x1c\x1b\xc7\xb6\xcb\x60\x50\xa0\
\x3c\xe9\xef\xba\x2e\xb9\x7c\x9e\xf9\xd9\x39\xc6\x46\x46\x19\x19\
\x1a\x62\x76\x26\xd9\x97\xcd\x66\x1f\xb4\x5c\xfb\x2b\xb9\xa5\xa5\
\x67\xfe\xf1\x1f\xff\xd1\x7a\x6b\x7b\xfa\xea\xe9\x6d\x05\x80\xbb\
\xef\xbe\xbb\xfa\x96\x3b\xef\x7a\xd6\x1f\xf0\xb7\x29\xd7\xc5\x71\
\x5c\x4a\xc5\x22\x85\x42\x9e\x4c\x2a\x8d\xeb\x3a\xd4\xd5\xd7\xb3\
\x6d\xfb\x76\x36\x6e\xde\x4c\x75\x75\x35\x0e\x8a\x62\xa9\xe8\x49\
\x04\x57\x79\x67\xa5\x10\x78\x92\xc3\x2a\x95\x98\x9b\x9d\x63\xb0\
\xaf\x9f\xcb\xbd\xbd\xce\xe2\xfc\xfc\x89\x52\xd1\xfa\x9c\x6d\x17\
\xbf\xfd\xd9\xcf\x7e\x76\xf2\xad\xee\xf3\x2b\xd1\xdb\x09\x00\x12\
\x30\x3e\xf1\xa7\x7f\xf6\x68\x38\x1c\x3e\xa4\x1b\x46\x29\x14\x0e\
\x69\xc1\x60\x48\xfa\x4d\x53\x68\xba\x46\xb1\x50\x60\x7e\x6e\x8e\
\xe9\xa9\x69\x72\x99\x0c\xcd\x2d\x2d\x1c\xba\xe9\x46\x36\x6e\xde\
\x84\x0b\x94\x4a\x25\x5c\xb7\xac\x1e\x5c\x17\x57\x29\x94\xeb\x82\
\xf0\x86\x31\x9b\xc9\x30\x32\x34\x4c\xef\xf9\x8b\x4c\x8c\x8e\x8d\
\x17\x8a\x85\x2f\x49\xdc\xcf\x7d\xfa\xd3\x9f\x3e\xff\x96\xf6\xfc\
\x65\xe8\xed\x04\x00\x0d\x30\x7e\xf5\x37\x7e\xf3\xa1\xd9\x99\xe4\
\x8d\x4a\x29\xdb\xf0\xf9\x84\xdf\x6f\xaa\x40\x20\x28\xaa\x6a\xaa\
\x45\x7d\x63\x83\xac\xa9\xad\x25\x1c\x8e\x60\xdb\x16\x13\x63\x63\
\x8c\x8d\x8c\x52\x55\x5d\xc5\x5d\xef\x7a\x17\xdd\x5d\x5d\x14\x5d\
\x07\xdb\x71\x70\x5d\x07\xe5\x7a\x00\x70\x2b\x60\x50\x0a\x21\x04\
\xa5\x52\x89\xc9\xf1\x71\x7a\xcf\x5f\x64\xe0\x4a\x5f\xaa\x90\xcf\
\x7f\x5d\xe0\xfe\xdd\xa7\x3e\xf5\xa9\x67\xdf\xea\x41\xb8\x9a\xb4\
\xb7\xba\x01\x3f\x24\x12\xe5\xc3\x7c\xf7\xdd\xef\xf9\x40\x24\x18\
\x6a\xb7\x2c\x4b\x5a\xa5\x92\xcc\xe7\x72\x72\x69\x69\x49\x4e\x4f\
\x4e\x89\xa1\xfe\x01\xfa\x2e\x5f\x66\x6c\x74\x0c\xd7\x75\x69\x6c\
\x6a\x62\x43\x77\x17\x8e\xe3\xf0\xe4\xf7\x7f\xc0\xcc\xf4\x34\x5d\
\x9d\x9d\x04\x4c\x3f\x48\x89\x28\x1f\x52\x08\xef\xb5\x10\x28\xa5\
\x90\x52\x12\xaf\x4a\xd0\xb1\xa1\x83\x75\xcd\xcd\xa6\x26\xb5\x9d\
\x4b\x4b\xa9\x9f\xdd\xb7\xf7\x40\xe7\x75\xd7\x1d\x18\x3a\x7a\xf4\
\xe8\xf4\x5b\x3d\x20\x15\x7a\x3b\x01\x40\x02\xc6\x9e\xeb\x6f\xbe\
\xe6\xc0\x0d\x37\xee\xe9\xe8\xea\x61\x43\x57\x37\x1d\x1d\x1d\x34\
\x36\x36\x12\x8d\x44\xd0\xa4\xa4\x90\x2f\x30\x33\x3d\x4d\xef\x85\
\x8b\x5c\xba\xd8\x4b\x36\x93\x61\x5d\x73\x33\x1b\xba\xbb\x99\x9e\
\x9e\xe6\xc4\xf1\x67\x58\xdf\xda\x4a\x55\x34\x0a\x42\x22\xe4\x0a\
\xf3\x2b\x87\x14\x02\xca\xd2\x20\x16\x8f\xd1\xbe\xa1\x83\xc6\xa6\
\x75\x86\xab\xdc\x9d\xa9\x54\xfa\xc3\xfb\xf7\x1f\xa8\xbb\xf6\xfa\
\xeb\x2e\x1d\x3f\x7a\xf4\x2d\xf7\x1c\xde\x4e\x00\xd0\x80\x60\x30\
\x5e\xd3\x64\xc4\x6a\x0e\xa6\x8a\xb6\xb4\x74\x53\xf3\xc7\x6b\xa8\
\x5a\xd7\x46\xcb\x86\x2e\x3a\x7b\x36\xd2\xd9\xd5\x45\xd3\xba\x46\
\x82\xc1\x20\xd9\x74\x9a\x4b\xbd\x17\x39\x7f\xe6\x0c\xc5\x62\x91\
\x0d\x5d\xdd\x84\xa3\x11\x9e\xfc\xc1\x0f\x68\xac\xaf\xa7\xae\xaa\
\xaa\x0c\x82\x17\x02\x40\x48\x81\x10\xb2\xfc\x74\x41\x2c\x11\xa7\
\xbd\x73\x03\xd5\xb5\xb5\x66\x21\x97\x3f\x50\x48\x67\x3e\x70\xf0\
\xfa\x43\x85\x9d\xd7\xec\x38\xf3\xcc\x33\xcf\x38\x6f\xd5\xc0\xbc\
\x5d\x00\x00\x5e\x5f\x23\x23\xfd\x97\xd4\x99\x13\xc7\x86\x4f\x1d\
\xfb\xfe\xf8\xd9\x53\xcf\x4c\x5c\xbe\x78\x71\x76\x6c\x74\x38\x3b\
\xbf\xb8\x64\xe7\x1c\xa4\x0c\x45\x8c\xda\xe6\x76\x3a\xba\x37\xd2\
\xd3\xd3\x4d\x43\x5d\x2d\x99\x54\x9a\x53\x27\x4f\x70\xe5\xd2\x25\
\x6a\xea\xea\x69\xef\xec\xe4\xe4\x89\x13\xb4\xb6\x34\x13\x8f\x44\
\x00\x81\x14\x12\x59\x56\x07\x94\x01\x20\xc5\x0a\x30\x2a\x12\xa1\
\xa6\xb6\x86\x8e\xce\x0d\xf8\x83\x81\xc8\xc2\xdc\xfc\x3b\x15\xe2\
\x86\x03\xfb\xaf\xeb\x7f\xea\xa9\x27\x47\xde\x8a\x41\x79\x3b\x19\
\x81\x06\x10\x07\xda\x81\x2e\x60\x1d\x10\x05\x02\x80\x1f\x08\x06\
\xc3\x91\x48\x4b\x47\x57\xf5\xe6\x6b\x76\x37\x6c\xdc\xbe\xb3\xa1\
\x75\x7d\x7b\xac\xae\xa6\x5a\x6a\xa5\x1c\x7d\xe7\x9e\xe7\x7b\x47\
\x0e\x33\x3d\x33\xc3\xcd\xb7\xdf\xc1\xee\xbd\x7b\x49\xcd\x26\xf9\
\xc8\x07\x3f\x80\x3f\x18\xc4\x05\x5c\x3c\xd7\xd0\x45\xe1\x2a\xb5\
\xec\x31\x54\x0e\x94\x5a\x8e\x25\x0b\x21\x98\x9a\x9c\xe4\xd9\xa7\
\x4f\xd0\x7f\xe5\x4a\xce\xb2\xac\x3f\xcf\x67\xd3\x7f\xf9\x57\x7f\
\xf5\x57\xf9\x1f\xe6\xa0\xbc\x9d\x24\x40\xc5\x10\x04\x28\x02\x29\
\x60\xbe\x7c\x2c\x02\x8b\x56\xa9\xb4\x34\x37\x3d\x39\xd7\x7b\xfa\
\xd4\xd4\x93\x87\x1f\x9c\xbc\x70\xfa\xb9\xf9\x4c\xbe\x28\x8c\x68\
\x95\x7f\xfd\xa6\xed\xfa\xce\x9d\x3b\xc1\x29\x71\xf8\xa1\x07\xd1\
\x7d\x3e\x9a\xda\xda\x49\x4e\x4f\xd2\xdd\xd9\xb9\x6c\x64\x78\x0f\
\x59\xa5\x06\xa4\x44\xd3\x34\x74\x5d\xa7\x50\x2c\x32\x33\x35\xc5\
\xf0\xe0\x00\x23\x83\x83\xa4\x16\x97\x08\x85\x82\x94\x8a\x45\x23\
\x95\x4a\xdd\x6c\x3b\xce\x75\xd7\xee\xdf\xff\xfc\x33\x4f\x3f\xfd\
\x43\x33\x12\xdf\x4e\x00\x00\x70\x80\x12\x90\x01\x16\x80\x59\x20\
\x09\xcc\x94\xcf\xb3\x78\x60\x48\xa3\x54\x76\x71\x36\x99\x3e\x7b\
\xe2\xd8\xcc\xb3\x47\x9f\x98\xcf\xe4\x8b\x22\xd2\xd0\x1c\xbe\x66\
\xdf\x75\xda\xba\xda\x04\x0f\x7c\xeb\x9b\x54\xd5\xd6\x62\x3b\x8a\
\xe6\x86\x7a\xa2\xd1\xe8\x32\xc2\xe4\xf2\x59\x60\x08\xc1\xc2\xe2\
\x22\x27\x8e\x3d\xcd\xd9\x67\x9f\x25\xb5\x30\x4f\xc8\xf4\x53\x5b\
\x55\x4d\x75\x2c\x46\x22\x1a\xa5\xad\xb5\x95\xa6\xc6\x46\x0c\x5d\
\x5b\x3f\x37\x3b\xf7\xbe\xba\xda\xfa\xf1\x4b\x97\x7a\xcf\xfe\x30\
\x06\xe4\xed\x06\x80\x4a\xd8\xbf\x04\xe4\xf0\x80\x90\x02\x96\xf0\
\x00\x31\x0f\xcc\x95\x8f\x79\x20\x0d\x14\xf2\xb9\x6c\xfe\xe2\xf3\
\x27\x17\x9f\x3b\xfe\x54\x5a\x0b\x84\x83\x3b\xaf\xbf\x39\xd8\xd1\
\xd2\xcc\x43\xdf\xb9\x8f\x86\xe6\x16\xac\x92\xc5\xa6\x8d\x3d\x00\
\x6b\x40\x80\xeb\x72\xec\xd8\x31\x8e\x3f\xf5\x14\xb5\x55\x55\x1c\
\xd8\xbf\x9f\x5d\x3b\x77\xb1\x7e\xfd\x7a\xea\xeb\xeb\xa9\xa9\xad\
\xa5\xa6\xa6\x86\xda\xda\x5a\xda\xda\xda\xd8\xb9\x73\x27\x3b\xaf\
\xb9\x26\x14\x0e\x07\xef\xae\xae\xae\xa9\x7a\xf6\xd9\x67\x8f\x96\
\xdb\xfa\x6f\x46\x6f\x37\x00\x40\x45\x4d\x7b\xd2\xc0\x01\xac\xf2\
\x51\x00\xb2\x78\xa0\x58\xc2\x93\x04\x0b\xe5\x23\x03\x94\x72\xe9\
\x54\xe9\xd4\xd1\xc7\x33\x99\x5c\xce\xd8\xff\x8e\xbb\x62\xf5\x89\
\x98\xb8\xdc\xdb\x4b\x20\x14\x62\xeb\xa6\x8d\x98\xa6\xb9\xfc\x90\
\x7c\x3e\xcf\xfd\xf7\xdf\x4f\x36\x93\xe1\xf6\xdb\x6e\x63\xf3\xe6\
\xcd\x84\x42\x21\xcf\x20\x7c\x19\x0a\x85\x42\x6c\xdd\xba\x55\x6e\
\xdf\xb1\x7d\xff\xba\xe6\xe6\x83\x0b\xf3\xf3\xdf\x9f\x98\x98\x58\
\x78\xf3\x87\xc1\xa3\x7f\x0b\x00\x68\xd5\xbf\xfd\xe0\x6f\x07\xf7\
\x7f\xf4\x27\x7c\x0d\x9b\x74\x99\x4e\x17\xed\xf4\x78\x0e\x6f\xd0\
\x7f\x54\xe9\x6a\x50\x14\x81\x3c\x2b\x12\xc2\x53\x0b\xde\x75\xd5\
\x7f\xe1\x6c\x61\x66\x66\x46\xbf\xe9\x9d\x3f\x55\x55\x9b\x88\x89\
\xc5\x54\x8a\xba\xaa\x2a\x1a\x1a\x1a\x00\x28\x16\x8b\x7c\xfb\x3b\
\xdf\x21\x11\x8f\x73\xfb\xed\xb7\x13\x89\x44\x5e\x73\x83\xe2\xb1\
\x18\xbb\x76\xee\x5c\x6f\x9a\xe6\x3b\xd2\xe9\xf4\x23\x43\x43\x43\
\xff\x26\x20\xf8\xb7\x00\x40\x73\xe8\xd0\xaf\x7c\xd6\xd7\xbc\xe3\
\xbd\xb2\xb6\xe3\xc3\xbe\x1d\x77\xbd\x2f\xb0\xf7\x43\x37\x06\xb7\
\xbe\xb3\xcd\x5c\xb7\xc5\x57\x98\x9b\x2a\x92\x9f\xcd\xf3\xa3\x5b\
\x5c\xa1\x58\x01\xc4\x6a\xc9\x90\xc6\x03\x44\x11\x90\xa3\x03\x57\
\xec\x6c\x36\x6f\xee\xd8\x7b\xa0\x2a\x9b\x4e\xa1\xe3\xb2\x79\xd3\
\x26\x00\x0e\x1f\x3e\x4c\x28\x14\xe2\x96\x5b\x6e\x41\xd7\x5f\x7f\
\xc6\xdd\x30\x0c\xb6\x6c\xd9\x52\xe7\x28\x67\xd7\xf9\x73\xe7\xef\
\x5d\x5c\x5c\x2c\xbe\xc1\xbe\xbd\x80\xde\x74\x00\x98\x5b\x6e\xdd\
\x1f\xd8\xfe\x53\xbf\x8a\xd4\x75\x21\xa4\x94\x66\x38\xae\x85\x6b\
\x37\x6a\x89\x96\x5b\x65\x7d\xcf\x87\x83\xbb\xee\x7e\x5f\x70\xcf\
\x87\x0e\xf9\xb7\xdd\xd5\xac\xd7\x6f\xd4\x4b\x93\xbd\x05\x4a\xd9\
\x1f\x55\x40\xac\x06\x42\x11\xcf\x6e\xc8\x97\xff\x37\x06\x2e\x5d\
\x20\x1c\x8b\x55\x35\x37\x37\x87\x9c\x62\x81\x6b\x77\xef\xa2\xb7\
\xb7\x97\xd1\xd1\x51\xee\xb8\xe3\x8e\x37\xc4\xfc\x0a\xe9\xba\x4e\
\x6b\x6b\x5b\x2b\x42\xf0\xd8\x91\x23\x47\xde\xf0\x0d\xaf\xa2\x37\
\x1b\x00\x22\xbc\xef\xa3\x3f\xed\xdb\x70\xf0\x4e\xdc\x72\x70\x4b\
\xb9\xe0\xda\xe0\x3a\x08\xcd\xd0\xa4\x19\xaa\x92\x91\xfa\xcd\x5a\
\xa2\xe5\x0e\xa3\x61\xd3\x47\x82\x7b\x3f\xf4\x9e\xc0\x9e\x0f\x1c\
\x34\x7b\x6e\x6b\x32\x6a\x3b\xb5\xd2\xc0\xd1\x02\xde\xac\xfb\x51\
\x02\x84\x62\xc5\x83\x28\x50\x56\x05\x80\x7f\x6c\x70\x50\xdf\x72\
\xcd\x35\xcd\xba\x14\xda\xe6\x8d\x3d\x1c\x3d\x7a\x94\xfd\x07\x0e\
\x10\xab\xaa\x5a\x8e\x0b\x54\xe8\xf5\x06\x5d\x42\xc1\x20\x96\x6d\
\xef\x48\x2d\x2d\x3d\xd0\xdb\xdb\xfb\xa6\xba\x88\x6f\x36\x00\x42\
\xa1\x43\xff\xfe\x37\xb4\xba\xce\x4d\x38\xf6\x55\x6f\x95\x87\x42\
\x39\xcb\x80\x40\x33\x34\x69\x86\x6b\xb4\x48\xfd\x56\xad\xba\xed\
\x2e\xbd\x79\xdb\x87\x43\x07\x3e\x76\xb7\x7f\xf7\x4f\xef\xf7\x6f\
\xbc\xb9\x41\x24\x5a\xa4\x3d\xf4\x4c\x05\x10\x3f\x0a\xb4\xda\x8b\
\x70\x00\xbd\x50\xc8\x07\xaa\xaa\xaa\x1b\x5a\x9a\x5b\x62\x42\x80\
\x12\xb0\x65\xc7\x0e\x2c\x01\x8e\xf2\x3e\xe4\x0a\xf1\x86\xc0\xe0\
\x02\xc1\x70\xd8\x9c\x98\x98\xb0\x1f\xff\xde\xf7\x1e\x7a\xd3\x7a\
\xc3\x9b\x0d\x00\xd3\x6c\x0d\xdd\xf4\xeb\xbf\x23\x03\x89\xea\x65\
\x09\xb0\x86\x56\xc7\x62\x00\xd4\x8a\x84\x50\x2e\x42\x33\x0c\x19\
\x88\xd6\x6a\xd1\x86\xed\x5a\x55\xdb\xbb\x7c\x2d\xbb\x3e\x14\x3c\
\xf8\x8b\xef\x0e\xec\x7c\xff\xde\xc0\xc6\x9b\xeb\x44\x55\x13\xd6\
\xd0\x89\x3c\x6f\x2d\x20\x2a\xc6\xa2\x8d\xe7\xed\x85\x0b\xf9\x7c\
\x7c\xf3\xd6\xad\xed\xe9\x4c\x5a\x6c\xde\xb2\x95\x58\x55\x02\xa7\
\x9c\x32\x76\x5d\x07\x5b\xb9\xb8\xca\x4b\x19\xbb\x02\xef\x40\x2c\
\x1b\x1b\x57\x8f\xca\x6a\x5a\x6d\x90\x0c\x0e\x0d\xd6\x3e\x7d\xf4\
\xa9\xaf\xe5\xf3\xf9\xf4\x9b\xd5\x99\x37\xb5\x26\xd0\xec\xba\xb5\
\x47\x06\x6b\x5a\x95\x63\xb3\xd2\x35\x56\xbd\x5e\x7d\x86\x17\x74\
\x5b\xb9\x28\x7b\xc5\xed\x15\x46\x20\x2c\xfd\x91\x1d\x5a\xbc\x79\
\x87\x6a\xdc\xf4\x8b\x7a\xfb\xc1\x54\xf0\xc0\xc7\xae\xa8\xcc\xec\
\x49\x67\x61\xf4\x98\x35\xf8\xf4\x73\xd9\x27\xff\x79\x08\xcf\x52\
\xff\x61\x92\x85\x67\x14\x4e\x02\x23\x93\xe3\x63\x83\xc9\xe9\xa9\
\x6c\x2c\x1a\x0e\x07\x42\x21\x8a\x96\xb5\x1c\xfb\xe7\xaa\x24\x91\
\xac\xa4\x90\x2b\x87\x90\x48\xe1\x05\x8d\x2a\x01\x24\x58\x19\xa5\
\xca\x48\xb9\xca\x25\x14\x0e\xb7\x75\x6d\xdc\xb8\x7d\xee\xe8\xd1\
\x89\x37\xab\x23\x6f\x26\x00\x84\xb9\x61\xff\x2e\xe9\x8f\x9a\xca\
\xb5\x79\x21\xf3\xe1\xc5\xbb\xf7\x32\xc2\x70\x19\x10\xde\xe7\x84\
\x19\x8a\x6a\x81\xe8\x6e\x11\x6f\xde\xad\xd7\x6f\xfa\xf7\x46\xc7\
\x75\x8b\xc1\xeb\x7f\xe5\x92\x9b\x99\x39\x61\x2d\x8c\x3c\xe5\xf6\
\x1d\x7d\x3e\x73\xfc\x0b\x23\x78\x56\xfb\xbf\x25\x29\x3c\x35\xb0\
\x04\x4c\x59\x96\x35\x3e\x37\x9b\x5c\xd8\xb4\x65\x73\xd8\x76\x6c\
\x6c\xdb\x5e\xae\x21\x44\x08\x6f\x86\x57\x80\x50\xce\x1c\xca\xd5\
\x20\x58\x7d\x20\x96\x63\x05\xab\x47\xc6\x01\x7c\x3e\x9f\x0c\x87\
\x42\x5b\x80\x47\xcb\x97\xde\x30\xbd\x99\x00\x08\x6a\x75\x3d\x7b\
\xd0\x0d\x28\xad\xd6\xff\x57\x33\xf8\x6a\xa1\x77\xb5\xa4\xb8\x9a\
\x56\xbd\xe7\xda\xe8\xca\xc6\x56\xde\xf5\x60\x30\x1c\x2f\x04\xe2\
\xfb\x44\xa2\x65\x9f\xd6\xb0\xf9\x37\xe8\xbc\x71\x2e\x70\xcb\x6f\
\x5e\x74\xd3\xc9\x67\xec\xe4\xd0\xb1\xc2\xc5\xc3\x67\x8a\x67\xee\
\x1b\xc5\xb3\xdc\xdf\x6c\x72\xf0\xbc\x82\x79\x60\x7a\x6e\x6e\x6e\
\x2e\x9d\x4e\xb7\x2c\x2c\x2e\x50\x55\x5d\xed\x25\x7f\x2a\x3d\xa8\
\x30\xb4\x02\x00\x58\x91\x04\x15\x30\x68\xda\x1a\x20\x2c\x67\x11\
\x01\x29\x24\xb6\x65\xb1\xb4\x94\xa2\x64\xdb\xeb\x00\x1f\x9e\x21\
\xfa\x86\x63\x2b\x6f\x1e\x00\xcc\x68\xa3\x16\x6f\xda\x86\xbb\x9a\
\xf9\x57\xcf\xf0\xab\x19\xac\x5e\xe2\x73\x15\x5a\xad\x2e\xc0\x55\
\x50\x1b\x10\xd8\xae\x62\x24\xe3\xb2\x2e\xa0\x58\x1f\x85\xf3\x73\
\x36\x9a\x29\xc8\x1a\xe1\xea\x52\x30\x7e\xbd\x96\x68\xbd\x5e\x6f\
\xdc\x8c\xb9\xf1\xe6\x19\xf7\xae\xff\x72\x41\x65\x66\x9e\x76\x66\
\x2e\x1d\xcf\x9f\x7f\xf4\x5c\xf1\xc2\x23\xe3\xbc\x39\x80\xa8\x18\
\x84\x19\x60\x61\x7a\x72\x32\xd9\xdf\xd7\x47\x53\x4b\x33\x1d\x1d\
\x1b\x70\xca\x00\x58\xee\x55\x45\x12\x94\x6b\x08\x85\xeb\xae\xa8\
\x04\x21\x90\xae\xfb\x02\x69\xb0\x2c\x35\x74\xc1\xe2\xe2\x22\x97\
\x2f\x5d\xa2\x58\x28\x04\xf1\x32\x9b\x6f\x4a\x4c\xe0\x4d\x03\x40\
\x70\xf3\xad\x9b\x44\x28\xd1\xac\x96\xad\x7f\x75\xd5\x19\x5e\x7e\
\xa6\xbf\xf2\x35\x57\x79\xf5\x97\xef\xe9\xf1\xf3\xe4\x48\x89\x9f\
\xdc\x14\xe4\xdd\x5b\x42\xfc\xfd\x93\x0b\xdc\xdf\x5f\xa4\x64\x3b\
\xa8\x65\xc9\x28\x11\xfe\x68\x9d\x1e\xaa\xaa\xa3\x7a\xfd\x4d\x7a\
\xc3\x66\x7c\x9b\xee\x9a\x52\xf9\xc5\xf3\x76\x6a\xfa\x69\x7b\xba\
\xf7\x69\xeb\xd4\x43\xe7\x0b\x23\x3f\x98\xe0\xf5\x0f\xa6\x83\x67\
\x90\xa6\x96\x52\xa9\xdc\xf9\xb3\x67\x09\x85\x43\xdc\x70\xd3\x4d\
\x5e\xb1\xe8\xd5\x3d\xb8\x4a\x1d\x28\x21\x70\x95\x42\xe2\x95\x9b\
\x4b\x4d\x5b\x2b\x11\xc4\x4a\x36\x71\x6a\x6a\x9a\xe4\xcc\x0c\x94\
\x63\x10\xbc\x49\xa9\xfc\x37\x0b\x00\x42\x6f\xdf\x77\xad\xf4\xc7\
\x0c\x1c\x8b\x97\x76\xe1\x5f\x41\xe7\xbf\xdc\x03\x80\x2a\x1f\xec\
\x5f\xa7\xf3\xd1\xbd\x31\x6e\xd9\xac\x38\x3f\x6b\x33\x90\x06\xc3\
\xd0\x98\xc8\x29\x02\xc6\x55\xd2\xc6\xb5\x51\x6e\x59\x1f\x4b\x1d\
\x11\x88\x35\xc8\x70\x75\x83\x56\xb3\xe1\x1d\x46\xf3\x76\xe5\xdf\
\xf6\xee\xf1\x70\x7e\xf1\x9c\xbb\x34\xf5\xb4\x9d\xec\x3b\x6e\x9d\
\xfe\xfa\x85\xfc\xe0\xa9\x49\xbc\x41\x7e\x35\xa4\xca\x9f\xcd\x99\
\xa6\x69\x39\x8e\xc3\xc8\xd0\x30\xe9\x54\x8a\x50\x38\x8c\x52\x57\
\x8d\x43\xb9\x1e\x60\xb5\x78\x17\x4a\xe1\x0a\x81\x54\x5e\x0d\x81\
\x26\xa5\x07\x0a\xa5\x3c\x30\x68\x1a\x4a\x29\x9e\x7f\xf6\x59\x92\
\xd3\xd3\x14\x0b\x85\x05\x3c\xef\xed\x47\x0a\x00\x61\xbd\xb6\xeb\
\x5a\xa1\x69\x28\x67\x75\xf2\x6a\xad\x08\xf7\xe8\x55\xc6\x77\xca\
\x58\x11\x78\x33\x24\xa0\x41\xb5\x5f\x72\x79\xce\xe1\xd8\x70\x81\
\x73\xf3\x8a\x6f\x5e\xcc\x72\x6b\x57\x90\xf7\x6f\x0c\xf1\xa5\x73\
\x39\x72\xae\x5a\xae\xc7\xab\x94\x6a\xaf\xdc\xcf\x05\x47\xa1\x1c\
\x8f\xb7\x42\xea\x42\x04\x13\xcd\x44\x6a\x9b\xb5\x9a\x0d\x77\xea\
\x2d\x3b\x1d\x73\xeb\x3b\xc7\x82\xf9\xc5\x33\x2c\xcd\x1c\xb3\x67\
\x7b\x8f\x5b\x27\xef\xed\xcd\x8d\x3d\x3f\x83\x27\xea\x5f\xaa\x95\
\x0e\x50\x32\xfd\x7e\xcb\x34\x4d\xe6\xe7\xe6\x19\x1c\x18\x60\xc7\
\xce\x9d\x58\xd6\x4b\xe3\xa8\x02\x8e\x8a\x44\x50\x65\x10\x28\xa5\
\x90\xae\x8b\x92\x12\x25\x25\x08\x41\x6a\x69\x89\x67\x8e\x1d\x23\
\x9b\xcd\x22\xa5\x4c\xb3\xd6\x41\x78\x43\xf4\xe6\x00\x20\x52\xbd\
\x4e\x8b\xd5\x6f\xc5\xb9\xda\x30\x7d\xe3\x6d\x54\x78\x41\x94\x8c\
\xad\x48\xa5\x15\x05\xcb\xa1\xfe\x72\x9e\xf7\xee\x88\xf2\xc0\xe5\
\x1c\x97\x67\x2d\xc4\xe6\x20\x87\x5a\x7d\xdc\xdf\x5f\xc4\x57\xe9\
\xd1\xd5\xb3\xef\xea\xf6\xa8\x32\x18\xca\x80\x40\xd3\x35\x19\xaa\
\x6e\x93\x91\xfa\x36\x6a\x3b\xdf\x2d\x5b\x77\x58\xbe\xad\xef\x1e\
\x09\xe6\x97\x4e\xbb\x4b\x53\xc7\x4a\xd3\x17\x9f\xc9\x3c\xf6\x77\
\x97\xc8\x26\x93\xac\x18\x5f\x4e\xf9\xb5\xad\x1c\x95\xf7\xfb\xfd\
\xb8\xca\xe5\xec\x99\x33\x6c\xdf\xb9\xf3\xa5\xfb\x54\x61\xbe\x10\
\x2b\xeb\x0a\x84\xc0\x15\x02\xa1\x14\x48\xb9\xcc\x61\x43\x4a\x4e\
\x9d\x3c\xc9\xd0\xe0\x20\x35\xb5\xb5\x4a\x08\x91\xe1\x47\x0d\x00\
\x81\x8d\x77\x6c\x16\xc1\xc4\x3a\xe5\xbe\xd4\x44\x79\x0d\x54\x99\
\xbd\x62\xed\x25\x00\x29\xc0\x6f\x08\x4e\x4d\x96\xf8\xa5\xbd\x50\
\x1b\xd2\x48\x15\x5c\x8e\x8d\x97\xb8\x7b\x4b\x98\x87\xfa\x8b\xde\
\xd7\xaf\xbe\x25\x2f\x2e\x8b\xae\x7e\xae\x07\x08\x4f\x82\x09\xcd\
\x34\x44\x28\xb8\x81\x48\xfd\x06\xad\x66\xc3\x7b\xf5\x96\x9d\x45\
\xff\xf6\xbb\x87\x54\x7e\xe1\x39\x67\x69\xe2\x98\x33\x72\xe6\x64\
\xfa\xd1\x4f\xf7\x51\x4e\x27\x4f\x4d\x4d\x4c\xb7\xad\x6f\x73\x83\
\xe1\xa0\x1c\x1a\x18\x60\xa0\xaf\x8f\x8e\xce\x4e\xec\x57\x90\x02\
\x95\x52\xf2\x4a\x39\x39\x78\xf6\x80\x28\xbf\x97\xcd\x66\xb9\xef\
\x1b\xf7\x22\x84\xc0\x67\x9a\x85\xc9\xf1\xf1\x59\x5e\x5a\x22\xbd\
\x66\x7a\x33\x22\x81\x32\x74\xe0\x17\x7e\xd6\x68\xdb\x7d\xe3\x9a\
\xe8\xdf\xab\x51\xf7\x15\x66\xaf\x3e\x57\x68\x4d\xbc\x48\xac\xb9\
\x9c\x2e\x2a\xf6\x35\xf9\x90\x9a\xe4\xca\x9c\x45\xc1\x81\x77\xf5\
\x84\x38\x3b\x91\x67\x22\xeb\xa2\x09\xf1\x02\x66\xbf\xb2\xc2\x7c\
\x91\x06\x57\xc2\xd6\xca\x01\x4d\xd7\xa5\x19\xae\x91\x91\xba\xad\
\x5a\xa2\xf5\x2e\x63\xdd\x96\x8f\x04\x0f\xfc\xe2\x4f\xf9\x37\xdf\
\xb6\x27\x8f\xbf\xf1\xfa\x8d\x75\x5d\x5d\x9d\x1b\x36\xcd\xcf\xcd\
\x49\x4d\xd7\x99\x9b\x9d\x65\xe3\xe6\xcd\xf8\x7c\xbe\x17\xda\x02\
\x2f\x42\x15\x20\xac\xfe\x5f\x37\x0c\xbe\xf5\x8d\x7b\x79\xf2\x89\
\x27\x50\x4a\x31\x3c\x3a\xaa\x0b\xc3\x88\x07\x0c\xe3\x7b\xa9\x54\
\x6a\xfe\x15\x6f\xfa\x2a\xe8\xcd\x00\x40\x34\x7c\xf3\xaf\xfd\x07\
\x2d\xd1\xb2\x61\x8d\x0b\xf8\x92\xb1\xcd\xd5\x4c\x16\x2f\x21\xaa\
\x5f\xe4\x6b\xab\x6e\x69\x2b\x08\x69\x70\x68\x43\x90\x27\x06\x0b\
\x20\x04\x4d\x09\x83\xae\x98\xe4\xb1\xfe\x02\x52\x7b\xb1\x87\xbf\
\x54\x34\xf2\x15\x1e\xba\xba\xdd\x6b\xf3\x18\xba\x34\xc3\xb5\x96\
\x3f\xb1\x75\x4f\x77\xc3\xa1\xff\xfc\x91\x1b\xb7\x14\xb2\x59\x99\
\x4c\xce\x62\xd9\x16\x85\x7c\x9e\xf9\xf9\x79\xba\x37\x6e\xc4\x30\
\x8c\x57\x0d\x82\xca\xd9\x30\x0c\xbe\xff\xf8\x13\xdc\xf7\x8d\x6f\
\xa0\x94\x62\x6a\x7a\x1a\xcd\x30\x44\x34\x16\xdb\xd0\xde\xd5\x75\
\x63\xfb\xc6\x8d\x97\xfa\x7b\x7b\x87\x5e\xb9\x13\x2f\x4f\x6f\x18\
\x00\xbe\xaa\xfa\x4e\xff\xc1\x7f\xf7\x3b\xc2\x8c\x44\x71\x9d\xb5\
\x4c\x7d\xc1\xac\x7e\x75\x86\xeb\xd5\x8e\xe3\x0b\x66\xb3\x80\x54\
\xde\xe5\x7d\x5b\xc3\x1c\x1f\x2f\x62\xb9\x8a\x82\x23\xb8\x7b\x53\
\x90\xc7\xfb\xb3\x2c\x95\x14\x52\xac\xbd\x9f\x2a\x07\x8f\xbc\x26\
\x94\x03\x51\x57\x63\xe2\xea\x87\xbf\x2c\xb9\x14\x8b\x25\xb6\x07\
\xa6\xf9\xa3\x9b\x02\x2c\x4e\x8d\x33\xbf\xb0\x48\x7d\x43\x03\xb3\
\xb3\xb3\xb8\xae\xcb\xfc\xdc\x1c\x53\x93\x93\xb4\xb4\xb5\x11\x89\
\x44\x96\x45\xfd\xcb\x91\x61\x18\x38\x8e\xc3\xa3\x0f\x3f\xcc\xb7\
\xef\xfd\x26\xae\xeb\x32\x36\x3e\x0e\x42\x10\x89\x46\xa9\xae\xa9\
\xa1\x79\x7d\x5b\x03\xae\xfb\xa1\xce\x4d\x3d\x5d\x1b\x7a\x36\xcc\
\x44\x02\xa1\xa9\xc9\xc9\xc9\xd7\x15\x14\x7a\xc3\x00\x08\x6c\x7f\
\xdf\xcd\xbe\x4d\xb7\x7e\x54\x48\x4d\x5e\x3d\x9b\x5f\x6c\x7c\x5d\
\x05\xb6\xe3\xa2\x49\xf1\x32\x61\x22\x85\x40\x94\xbf\xfb\x42\x38\
\x08\x01\xa9\x82\xcb\xf5\xad\x26\x96\x12\x0c\x2e\xd8\x38\xc0\xb6\
\x46\x3f\xa6\x72\x39\x3e\x5e\x42\x2f\x23\xc0\x76\x15\x11\x43\x50\
\x17\x90\x38\xae\xc2\x72\x14\x8e\xab\x70\xd5\x2b\x27\x62\x5e\x9a\
\x14\x25\xcb\x65\x47\x38\xc9\x1f\x5d\x27\x98\x1b\x1b\x66\x6e\x7e\
\x91\xed\xd7\xec\x20\x10\x0c\x12\x8b\x44\x19\x1d\x19\x05\x01\x8b\
\x0b\x0b\x5c\xba\x78\x11\xa5\x14\x89\xaa\x2a\x42\xa1\x10\x9a\xa6\
\xad\xe4\x07\xca\x7e\xbe\xa6\xeb\xb8\x8e\x43\xdf\x95\x2b\x7c\xfd\
\xcb\x5f\xe1\xd8\xd1\xa3\x20\x04\x23\x23\xc3\xe4\xf2\x79\xc2\xb1\
\x28\xd1\x68\x94\xdd\xbb\x77\x53\xd7\x50\x4f\xbc\xba\x5a\x8b\x44\
\xa2\x3b\x40\xfb\x85\x58\x4d\xd5\x4f\x74\x6f\xda\xbc\xad\x73\x73\
\x4f\x6b\x7b\xf7\xc6\xa6\x8e\xee\xee\xea\x86\xf5\xeb\x83\xae\x69\
\xaa\x74\x32\x59\x49\x5d\xbf\x28\xbd\x51\x23\x50\xd3\x5a\xaf\xd9\
\x23\xfc\x11\x4d\xd9\x2b\xc6\xce\xd5\xb3\xb6\xf2\xbf\xab\xa0\xca\
\x84\xf7\x6f\x0c\xf1\xf5\xde\x3c\x4b\x45\x85\xe5\x82\x90\x78\x41\
\x8f\x35\x43\xfc\x62\x77\x58\xb9\x66\x23\x38\x3a\x94\x67\x5f\x47\
\x88\xc7\x87\xf2\x94\x6c\x97\x27\x47\x0a\xdc\xb5\x29\xcc\x17\xce\
\x64\xc8\xda\xa0\x09\xc5\xae\x3a\x9d\xb6\x98\x46\xc1\x06\x9f\x06\
\xae\x0b\x19\xcb\x65\xa1\xa0\x98\xcf\xbb\x2c\x16\x15\x39\x5b\x61\
\xbb\xde\x63\xbc\xa4\x4d\xf9\x89\xca\x6b\x87\x14\x6b\x5b\x56\xb2\
\x5c\xb6\x87\xe7\xf8\xa3\x03\x30\x3b\x36\xcc\xdc\xfc\x12\x5b\xb6\
\x6f\xa5\xa9\xa9\x89\xb6\xe6\x16\x74\xa9\xa1\x14\x1c\x7b\xfa\x18\
\xca\x55\xa4\x96\x96\xf8\xe2\xe7\xfe\x85\x60\x38\xc4\xd6\x6d\xdb\
\xe8\xea\xee\xa1\xa6\xae\x96\x70\x24\x82\x6d\xdb\x64\xd2\x69\xa6\
\x27\xa7\x38\x7b\xe6\x0c\xfd\x7d\x57\x70\x5d\x85\xae\x69\x0c\xf4\
\xf7\x93\x4a\x67\x08\xc7\xa2\x18\x3e\x1f\x5d\x1b\x7b\x38\xb8\x7f\
\x3f\xf3\x0b\x0b\xcc\x2d\x2d\x52\x57\x5b\x4b\xcf\xc6\x8d\x9a\x63\
\x59\xbb\xb3\xb9\xdc\xee\x4c\x3a\xcd\x52\x6a\x89\x5c\x2e\xa7\x94\
\xe3\x96\xee\xbc\xfd\xd6\xa4\x3f\x14\x9e\xb2\x8a\xa5\xdf\xf9\xc3\
\xdf\xfe\xed\x1f\xbc\x18\x03\xdf\x28\x00\xa2\x7a\xf5\x86\x6b\x11\
\x92\xb5\xf3\x97\x17\x7d\xbd\xcc\x46\x21\xf0\x49\xb8\xb5\xcd\x47\
\xc1\x56\x8c\xa5\x1d\xc6\x33\x2e\x79\xdb\x33\x06\xa5\x58\xa5\x2d\
\x14\x20\xd4\x0b\x6e\xa6\x4b\x38\x3e\x56\xe4\xbd\x3b\x22\x44\x7d\
\x12\xcb\x56\xf4\x26\x4b\xbc\xbb\x2b\xc0\x8d\xad\x26\xcf\x4d\x96\
\xd8\xd7\x64\x32\x95\x75\x79\x60\xa0\x48\xc1\xf6\xbe\x13\xd0\x05\
\x31\x53\x92\xf0\x0b\xda\x62\x1a\x9b\x0c\x0f\x78\x25\x1b\x52\x25\
\x97\x85\x82\xcb\x42\x51\x91\xb6\x14\x41\x03\xfc\x9a\x60\xbe\xb8\
\xf2\xe0\x92\xe5\xb2\x2d\x32\xcf\x7f\x3b\xe8\x32\x3b\x3a\xc2\xdc\
\xfc\x22\x3b\x76\x5f\x43\x53\x63\x13\x41\xd3\x8f\x94\x82\xcd\x9b\
\x37\x31\x9d\x9c\xa1\xa1\xbe\x9e\xd1\xd1\x51\xb2\xd9\x2c\x85\x42\
\x81\xb9\xb9\x39\x06\xfa\xfa\xd1\x75\x1d\x7f\xc0\x4f\x43\x43\x23\
\x8e\xe3\x50\x2a\x95\xf0\xfb\xfd\x14\x8b\x05\x2c\xcb\xa6\x64\x95\
\x18\x1f\x1b\x27\x93\xcd\x12\x89\xc5\xd0\x0d\x83\x9a\xda\x5a\xde\
\x75\xd7\x5d\xf4\xb4\x77\x90\x4a\xa7\x19\x9f\x9c\x64\x72\x7a\x9a\
\x52\x2e\x4f\x38\x12\xa6\xbe\xae\x8e\x48\x38\x8c\xe9\xf7\x53\x2a\
\x16\x45\x34\x14\x36\xa3\x91\x48\xf3\xe5\xa1\x81\xe6\xc1\xd1\xe1\
\x7b\x3f\xf9\xd9\xcf\xbc\xff\xe3\xbf\xfd\xbb\x4f\x5c\xcd\xc0\x37\
\xa6\x02\xe2\xeb\x7b\x42\xd7\xfd\xc2\x7f\x90\x66\x28\x8c\x7a\x29\
\x15\xb4\xd6\xb2\x2d\xd8\x8a\x53\x93\x16\x59\x1b\x46\xd2\x0e\x8e\
\x82\xe6\xa8\xc6\xc6\x2a\x9d\x96\xb0\x46\x40\x83\xa2\xad\xc8\xdb\
\x9e\x98\xe6\x2a\xc9\x50\x21\x29\x60\xb1\xe0\x72\x73\xbb\x9f\xa5\
\x12\x8c\x2e\xd9\xf8\x34\x49\x22\xac\xf1\xde\x8d\x41\x2e\x4d\x17\
\x39\x3e\x69\x73\x65\xc1\xb3\x4b\x34\xe9\x89\x5c\x4b\x29\xd2\x25\
\xc5\x4c\xce\x65\x38\xed\x32\xb8\xe8\x30\x9e\x71\x58\x2a\x29\x74\
\x09\x75\x21\x8d\xee\x84\x4e\xba\xa4\x78\xc7\x7a\x93\xf5\x31\x9d\
\xb3\x33\x16\x52\x0a\x6f\xe6\x47\xe6\xf9\xf8\xf5\x0e\x73\xa3\xc3\
\xcc\xce\xcf\xb3\x73\xef\x1e\xd6\xb7\xb6\x11\x0d\x85\xd1\x35\x8d\
\x92\x65\x31\x34\x3c\xc4\xf0\xf0\x30\x33\xc9\x24\x73\xb3\x49\x5c\
\xa1\x13\x0a\x47\x39\x70\xf0\x00\x35\xb5\x75\xb8\xae\x8b\xe3\x38\
\xcb\xfa\xde\x71\x1c\x0c\x9f\x8f\x42\xa1\xc8\xf4\xf4\x34\xa3\x23\
\xa3\xe4\xf3\x79\xa2\xb1\x18\x3e\x9f\x8f\x70\x34\xc2\x5d\x77\xdd\
\xc5\xc1\x6b\xf7\x10\x0a\x06\xa9\x4a\x24\x68\x6a\x6c\xa4\xa6\xaa\
\x0a\xa5\x14\x99\x54\x9a\xf9\xf9\x79\xe6\xe6\xe6\x98\x9c\x9e\xe6\
\xd9\xd3\xa7\x41\x4a\xd6\xd5\xd7\x53\x13\x4f\xe0\xba\x2a\x98\x2f\
\x14\xdf\x7d\xe0\x86\x1b\x8f\x3f\xfe\xc8\x23\xc3\xab\xc7\xf1\x0d\
\x49\x80\xd0\xd6\x77\x6c\x93\x81\x78\x9d\x72\x1d\x5e\x9d\xf5\xa4\
\xd6\xd8\x81\xb6\x0b\x43\x29\x8f\x09\xba\x26\xa8\xf6\x0b\x9a\x23\
\x1a\xd7\x35\xeb\x68\x02\x26\x32\x0e\x23\x29\x97\xb9\x82\x8b\xe3\
\x82\x94\x62\x8d\x71\x67\xb9\x70\x7c\xb8\xc0\xde\xe6\x00\xc7\x47\
\x0b\xb8\x4a\x31\x9b\x75\x08\xb5\x98\xcc\x15\x14\xb3\x05\x17\x9f\
\xc6\x9a\xb6\x79\x91\x37\xd6\x28\xfe\xa2\x0b\x85\xbc\xcb\x4c\x0e\
\x14\xb6\xb7\x92\x54\x08\x4e\x4f\x5b\x24\xf3\x2e\x52\xae\xcc\xfc\
\x3f\xbe\x5e\x31\x37\x3a\x42\x72\x6e\x81\x3d\xfb\xf7\xb3\xbe\xad\
\x8d\x90\x19\x40\x28\x45\xbe\x54\xe4\x4a\x5f\x1f\xa7\x9e\x3d\xc5\
\xd8\xe8\x28\x13\x63\x23\x84\xab\x6a\x08\xed\xb8\x03\xb9\x38\xce\
\x4d\xef\xb8\x8e\xfa\xa6\xf5\xcc\x2c\xa6\x18\x18\x1c\x61\x7e\x61\
\x8e\xf4\xc2\x3c\xa9\xd9\x19\x92\xd3\x93\xb8\x4b\x19\xd2\x99\x0c\
\x8e\xeb\x62\x06\x02\xe8\xba\x8e\xe9\x33\xe9\xee\xee\xa1\xa7\xb3\
\x73\x39\xb2\x68\x18\x06\x7e\xd3\xa4\x2a\x91\xa0\x7d\xfd\x7a\x16\
\x16\x16\x98\x4e\x26\xc9\xe6\x72\xf4\x8f\x8f\x91\xb9\x7c\x99\x63\
\xcf\x3c\x83\xe3\x38\xec\xdf\xb5\x8b\xee\xf5\xed\x08\x44\xf5\x20\
\x23\xdf\xf8\xe4\x67\x3f\xf3\xbe\xd5\x92\xe0\x8d\x48\x00\x3d\x74\
\xf0\x17\x7f\x41\x6f\xbe\xe6\x00\xee\x55\xc1\x8e\x17\xab\xfb\x78\
\x09\x7c\x48\xe1\x31\x16\x20\x6b\x79\x4c\xef\x5b\x70\x48\xe6\x15\
\x21\x9f\xa0\x33\xae\xd1\x93\xd0\xa9\x0f\x4a\xb2\x96\x4b\xd6\xaa\
\xe8\x64\x6f\x9b\x96\x5c\xc9\xe5\xbd\x5b\xc3\xfc\x60\xd8\x2b\x12\
\x9a\xcd\xb9\xd4\x45\x75\x3a\xa3\x92\xc3\xfd\x39\xb4\x17\x75\x09\
\xd7\x92\x28\x1b\x9d\x95\xb6\x54\xee\x9f\xcc\xb9\x14\x6c\x85\xed\
\x28\xb6\x85\xe7\xf8\xe3\x43\x30\x3f\x3a\xc4\x4c\x72\x9e\x7d\x07\
\xf6\xd1\xd1\xde\x41\x3c\x1c\xc1\xd0\x74\x2c\xd7\xe1\xc2\xa5\x5e\
\x4e\x1c\x3f\xce\xc8\xc8\x28\xfd\x7d\x97\x09\xc4\xaa\x69\xbb\xf5\
\x23\x94\x8a\x05\x4a\x63\x17\x68\x6d\x5b\x8f\x1e\x8e\x93\xb6\x25\
\x69\x4b\x52\x70\x25\xc5\x92\x4d\x31\x97\x23\x9b\x5e\x22\x9d\x5a\
\x24\x9d\xce\x50\xb2\x4a\xc4\xe2\x71\xa4\xae\x93\xa8\x4a\xb0\x75\
\xcb\x16\xc2\xa1\x30\x8e\xeb\xe2\x37\x4d\x02\x7e\x3f\x3e\x9f\x6f\
\x39\x61\xe4\xf3\xf9\x88\xc7\x62\x84\xc2\x61\xaa\xe3\x09\x74\x9f\
\xc1\xe8\xf8\x38\x63\x13\xe3\xb8\x4a\xb1\xae\xa1\x81\xda\xea\x6a\
\x84\x94\xc1\x62\xa1\xf0\x13\x7b\xaf\xbf\xe1\xd4\xe3\x8f\x3c\x32\
\x08\x6f\x4c\x02\xc4\x65\xd5\xfa\xdd\xcb\x53\xfa\xc5\x42\xfe\x2f\
\xb4\xdd\x5e\x96\xa4\x60\xd9\xe0\x5a\x2a\x7a\xfa\xf8\x2c\x10\x34\
\xa0\x39\xa2\x73\x73\x9b\xc9\x53\x63\x45\xc6\xb3\x9e\xb8\x96\x02\
\x06\x16\x6d\x32\x79\x87\xce\x2a\x83\xcb\x73\x16\x51\xbf\xc6\x33\
\xa3\x45\x7e\x6e\x6b\x90\x96\xe8\x12\x13\x39\xc5\xcb\x62\xa0\xac\
\x66\x3c\x3b\xa3\x12\x94\xf2\x5e\x6a\x12\x4a\x76\x99\xf9\xd7\xc1\
\xc2\xd8\x30\x33\xc9\x39\xf6\x1d\xdc\x4f\x47\x7b\x07\xb1\x70\x14\
\x5d\x4a\x8a\xb6\x45\xef\xe5\x4b\x3c\xfd\xd4\x53\x0c\x0f\x0f\xd3\
\xdf\x77\x85\x60\xac\x86\xb6\xdb\x3f\x42\x36\x95\xe6\xb1\x2f\xfc\
\x1d\x13\xe3\x53\x3c\xdf\x3b\xc4\x35\xbb\xf7\x50\xd5\xd8\x82\xa3\
\xf9\x28\x14\x0b\x2c\x4d\x8d\x33\x37\x3e\xc8\xe4\xc8\x20\xd3\x93\
\x93\xa4\xd3\x8b\x18\x52\x51\xd7\xe8\x23\x9a\x88\x11\x08\x06\xc9\
\x17\xf2\x2c\xa5\x52\x38\xb6\x27\x9d\xf4\xf2\x5a\x43\x3f\xe0\x2a\
\x85\xcf\x30\x30\x74\xbd\xbc\x7f\x91\xcb\xb5\xdb\xb6\xa3\x5c\xc5\
\x53\xc7\x8f\x73\xe2\xb9\x53\x38\xae\xcb\xa1\xbd\x7b\xa9\x8e\x44\
\xb8\x64\x6b\x35\x79\x3d\xfa\xeb\x28\xf5\x18\x42\xa8\xd7\x0d\x00\
\xa3\xba\xa3\x4d\x46\xea\x7b\x70\xec\x97\x4f\xfe\xbd\x66\x2a\x57\
\xff\x08\xb1\xcc\xb8\x82\xa3\xe8\x9d\xb7\x99\xcc\x38\xdc\xd1\x6e\
\xf2\xfd\x91\x22\x33\x79\x85\x26\xa1\x68\xc1\xa9\xb1\x02\x7b\x9b\
\x4d\x4e\x4f\x15\x29\x39\x2e\xe3\x29\x9b\x79\x4b\xf0\x13\xdd\x41\
\xfe\xd7\xc9\x34\x9a\x21\x5f\xec\x11\xab\x0c\x4c\xb1\x72\xa1\x12\
\x27\x50\x8a\x92\xed\xb2\x2d\x3c\xcf\x1f\x5f\xe7\xb2\x30\x31\xca\
\xf4\xcc\x2c\x7b\x0f\xee\x67\x43\xc7\x06\x62\xe1\x28\x9a\x94\xd8\
\x8e\xcd\xf9\x8b\x17\xf8\xfe\x13\xdf\x67\x68\x70\x98\x81\xbe\x2b\
\x84\x12\x35\xac\xbf\xfd\xe7\x48\xa7\x96\x78\xf8\xf3\x7f\xcf\xf0\
\xd4\x22\x7a\x20\xc1\xc5\xa1\x19\xce\x0f\x3d\x88\x6e\x18\x68\xba\
\xe1\x3d\xd1\xb1\x70\xac\x22\xca\x2e\x21\x1c\x1d\xe1\x8b\x50\x2c\
\xe5\x48\x67\x0b\x6c\xdc\xb1\x1d\xe5\x38\xcc\xce\xcd\x11\x8f\xc5\
\xd1\xa4\x64\x6a\x66\x06\xbf\xdf\x8f\xae\xeb\x44\xc2\x61\x62\xb1\
\x98\xc7\x7c\xa5\x08\x06\x83\x78\xad\x97\xec\xbd\xe6\x1a\x94\x52\
\x1c\x3b\x71\x82\x33\xe7\xce\x92\x9c\x9c\x42\xfa\xc2\x14\xfc\xd5\
\x8b\xe7\x2f\x9e\xfd\x5b\x84\xd0\x01\xfb\x75\xab\x80\xc0\xb5\xef\
\xbf\xdd\xd7\x73\xcb\x87\x3d\x87\x96\x95\x81\xab\x9c\x2a\xf1\xfc\
\xab\x8f\x55\x3c\x80\xab\x62\x43\xab\xef\xb1\x86\x04\x9a\x10\x14\
\x1c\xc5\x64\xc6\xe1\x96\x56\x93\x99\xac\x43\xd6\x02\x21\x05\x45\
\xdb\xe5\x27\x37\x87\x79\x7c\xb0\x80\x0b\xf8\x75\x0f\x40\xb7\x74\
\xf8\x79\xe0\x62\x16\x4b\x89\x35\xcf\x51\x15\x37\x4f\xc0\x8a\x89\
\xa9\xca\x7f\x2b\x5e\x81\x2a\x33\x1f\x16\x2b\xcc\x3f\xb0\x9f\x0d\
\x1b\x36\x10\xaf\x30\xdf\xb5\x39\x7b\xf1\x3c\x8f\x3f\xf6\x3d\x86\
\x06\x07\xe9\xef\xeb\x23\x5c\x55\x4b\xc7\x9d\x3f\x4f\x6a\x71\x89\
\x47\xfe\xf5\xff\x30\x92\xcc\xe1\x8b\xd5\xa1\x05\xe3\xe8\xe1\x04\
\xbe\x70\x35\x32\x18\x47\xfa\xc3\x60\x86\x10\x66\x08\xcd\x0c\x21\
\xcd\x20\xc2\x30\x11\xd2\x40\x0a\x89\xee\x14\x69\x69\x6f\xa5\xbe\
\xa9\x89\xa5\xb9\x39\xa4\x90\x44\x23\x51\xc0\x5b\x76\x1e\x30\x4d\
\x1a\x1b\x1b\x09\xf8\xfd\xe5\x71\xf4\x54\x97\xae\x69\x08\x01\x52\
\x68\xd4\x56\x55\x21\x75\x8d\xf3\x67\xce\x91\x77\x74\x42\x4d\xdd\
\xee\xb3\x4f\x3d\xf9\x37\x0f\xfc\xf3\xff\x7c\x04\xaf\x06\xc2\x7a\
\xbd\x12\xc0\xd0\x5b\x76\xed\x15\xfe\xb0\x50\x56\x71\xd5\x10\xae\
\x9d\x41\x57\x6b\x87\xe5\xb7\xf0\xf4\xae\x2e\x04\xd6\x55\xd1\xa0\
\xe5\xd4\x00\x6a\x99\x19\x15\xc9\x2c\x85\x60\xa1\xa8\x38\x32\x52\
\xe2\x96\x36\x93\xc7\x86\x0b\xcc\xe4\x15\x83\xf3\x16\x71\x53\xf0\
\x17\xef\xaa\x61\x68\xc1\xe6\xb1\x81\x3c\xbd\xb3\x16\xb7\x75\xf8\
\xb9\xa1\xcd\xcf\x77\xfb\x0a\xf8\xf4\xb5\xc0\x7a\x61\xb9\xca\x0a\
\x14\x4a\x96\xcb\xb6\xf0\x1c\x1f\xbf\x0e\x16\x26\x46\x98\x9c\x4e\
\xb2\xef\xe0\xbe\x32\xf3\xbd\xad\x64\x1c\xd7\xe1\xfc\xc5\x8b\x7c\
\xef\xc8\x63\x0c\x0e\x0c\xd2\xdf\x77\x85\x48\x75\x1d\x1d\x77\x7e\
\x94\xc5\xb9\x39\x1e\xf9\xf2\x3d\x8c\xa4\x24\xfe\x75\x1b\x11\xbe\
\x20\x48\x1d\xa4\x86\x90\xd2\x0b\x7c\x94\x3b\xa5\xca\xe1\x65\x65\
\x97\x50\xc5\x2c\x6e\x6e\x01\xd3\xef\xc7\x29\xcc\x31\x3a\x36\x4d\
\x47\x77\x27\x66\x28\xc4\x52\x6a\x89\x74\x26\x8d\xcf\x67\x50\x28\
\x14\x08\x87\xc3\x98\x57\xe5\x19\xa4\x94\x18\x86\x41\xb0\x5c\x47\
\xa0\x6b\x92\xc5\x99\x59\xaa\x1b\xda\xa9\xeb\xbe\x86\xe3\xdf\x3f\
\xf2\xbd\x07\x3f\xf7\xd9\xa7\x00\xb3\xdc\x75\xf1\x7a\x01\x90\xd0\
\xaa\xdb\x76\x55\x38\xb7\xdc\x84\xb2\xf1\x24\xf1\xca\x9f\x57\x32\
\xde\x6a\xcd\xe7\x5c\x17\x6e\x6e\xf1\x51\x1b\xd2\xf8\xea\x85\x3c\
\x08\xaf\x4c\xba\xe2\xff\x0b\x51\x31\xf1\x56\xdf\xdb\x03\x41\x40\
\x17\xa4\x4b\x2e\x47\x86\x4b\xdc\xd0\x6c\x72\x62\xa2\xc8\x6f\x1c\
\x4c\xd0\x52\x6d\x32\x93\x73\x51\x52\xf0\xef\xaa\x0d\xfe\xe5\xf9\
\x0c\xa7\x66\x2c\xde\xb7\x3d\xc2\x43\xfd\x2f\x51\x45\x7e\x95\x71\
\xaa\x80\x92\xed\x05\x79\x3e\x7e\xc8\x65\x61\x7c\x8c\xc9\xe9\x19\
\xf6\x1e\xd8\x4f\xe7\x86\x4e\x62\xe1\x08\x9a\xd4\x3c\xb1\x7f\xa9\
\x97\xc7\x8e\x3c\xc6\x40\xff\x20\x03\xfd\x57\x88\x54\xd7\xd3\x71\
\xd7\xcf\xb3\x90\x9c\xe5\x91\xaf\xdc\xc3\x58\xd6\x20\xd0\xda\x83\
\x8c\x36\x20\x7c\x81\xab\x1e\xba\xea\xc1\xca\x05\xe5\xa0\x6c\x0b\
\x55\x48\x61\xa7\x67\x89\x3b\x41\x72\x73\x30\x91\x4c\x93\x49\xa7\
\x89\x25\xaa\x48\x8e\x8f\xb1\xb8\xb4\x44\x55\x22\x41\x55\x4d\x0d\
\x99\x62\x81\xe9\xd9\x24\x35\x89\x6a\x7c\x3e\x63\xe5\xee\x42\xe0\
\x33\x3c\xf5\xf2\x8d\x6f\xde\xc7\xe8\x42\x9e\xba\x8d\xbb\x78\xf6\
\xa9\x27\x2f\xde\xff\xcf\xff\xf3\x08\x2b\x0b\x5b\x5c\xe0\xf5\xd9\
\x00\x46\xfd\xe6\xf5\x22\x52\xdb\xcd\x55\xe9\x5f\x57\x41\xad\x29\
\x88\xf9\x04\x7d\x69\x77\x55\x04\x6d\xed\x48\x6b\x02\x1c\x04\xcf\
\x4f\x5b\xec\x6d\x34\xa8\x0e\x4a\x16\x0b\x2e\x33\x39\x97\x64\xce\
\x25\x65\x79\x31\x80\x35\x6e\x9f\x02\x53\x2a\x4a\x0e\xec\xaa\xd5\
\xe9\x5b\xb0\xe9\x5f\xb0\xf9\xea\x47\xd6\x31\x90\x83\x6f\x5e\xce\
\x71\x60\x9d\xc9\xbf\x9e\xc9\xf2\xce\xae\x00\x1f\xda\x16\xe6\xe1\
\x81\x3c\x1f\xdb\x1e\x62\x5b\x9d\xce\xe9\xa4\x83\xae\xb1\x62\xf4\
\x29\xe5\xe9\x80\x55\xed\x2a\xd9\x2e\xdb\x42\x49\x3e\x7e\x48\xb2\
\x38\x31\xce\xe4\xd4\x0c\x7b\x0f\xec\xa3\xab\xb3\x93\x58\xc8\x63\
\xbe\xe5\xd8\x5c\xbc\x74\x89\xc7\x0e\x1f\xa1\xbf\xaf\x8f\x81\xfe\
\xbe\x32\xf3\x3f\xca\x42\x32\xc9\x23\x5f\xfa\x17\xc6\x72\x26\xfe\
\xd6\x6d\xe8\xb5\x9d\xc8\x48\x2d\x18\xfe\xf2\xf3\xca\xcb\x43\x56\
\x87\xcc\x95\x67\x25\x2b\xc7\x03\x80\xf2\x85\x69\x30\x02\x5c\x29\
\x38\x64\xf3\xb3\x2c\xcd\x2f\x52\xdf\xb4\x0e\x05\x14\x8b\x05\xd2\
\x85\x3c\x57\x46\x86\xb1\x5c\xa7\xbc\x45\x9d\xa2\xb6\xba\x7a\x79\
\xeb\x5b\x21\x04\x8e\x6d\xf3\xed\xfb\x1f\xa0\x3f\x99\x21\xdc\xba\
\x99\xe7\x9e\x3d\x39\x7a\xff\x3f\x7d\xe6\x61\x60\x1a\xaf\x88\x35\
\x8b\x97\x52\x7e\x9d\x00\xd8\xfc\x8e\xed\x32\x98\x48\xa8\x4a\xfa\
\xb7\xcc\x68\xd7\x51\x5c\xdf\xec\x63\x2c\xa3\x70\x53\xab\x12\x32\
\x65\x85\xeb\xed\xa5\xe7\x59\xd7\x8f\x8f\x94\x10\xc2\x8b\xce\x85\
\x0d\x41\x5d\x48\xa3\x39\xaa\xb1\xa5\xd6\xc0\x75\x15\x4b\x45\xc5\
\x48\xda\x61\x28\xe5\x20\xa5\x20\xac\x43\x58\x17\x44\x4c\x49\x32\
\xe7\xf0\x17\x77\x24\xa8\x4b\xf8\xb9\x90\x56\x9c\x1c\x2f\x31\x93\
\x71\x38\xd4\xec\x27\x66\x08\xbe\x7a\x36\xc3\x2f\xec\x8c\x70\x7d\
\x8b\x9f\xc1\xb4\xcb\xfb\xb7\x46\x38\x75\x64\x01\x4d\x93\x6b\x8a\
\x34\x51\x95\xc6\x55\x98\x3f\xc7\x27\x0e\x79\x3a\x7f\x62\x62\x9a\
\x3d\xab\x99\xaf\xad\x62\xfe\x91\xb5\xcc\xdf\x70\xd7\x47\x99\x4b\
\x26\x79\xf4\x4b\x9f\x2b\x33\x7f\x3b\x7a\x43\x0f\x32\xde\x04\x81\
\x38\x42\x96\x87\x59\xb9\xde\x23\xcb\x4c\x5f\xe3\x29\x3b\x36\x98\
\x11\x82\x86\x49\x5d\xd0\xcf\xf9\xe9\x02\xc2\xb1\xc8\xe6\xf2\x28\
\xe5\xa2\x1b\x06\xd2\x30\x48\x17\x0a\x2c\x64\x33\x58\x96\x55\xce\
\x1e\x0a\x94\x72\xa9\xa9\xaa\x26\x18\x08\x60\x59\x16\xdf\x7d\xf0\
\x21\xce\x8e\xce\x21\x6a\xda\x79\xee\xd4\x73\xa9\x87\xfe\xbf\x4f\
\x3f\x61\x5b\xc5\x21\x60\xa2\x0c\x80\x3c\x9e\x04\x78\x5d\x2a\xc0\
\x67\x34\x6f\xbf\x56\xf8\x42\x42\x59\x9e\xf8\x76\x5c\xaf\x23\x41\
\x43\x70\x5d\x5b\x80\xbf\x3a\x91\x59\x13\xb0\x41\x79\xd2\xa1\x3d\
\x22\xa9\x0b\x69\x3c\x35\x61\xa1\x6b\x62\x79\x22\x2e\x59\x8a\xc5\
\x05\x9b\xde\x39\x0f\x1c\x21\x5d\x50\x15\x90\x6c\x4c\xe8\x74\xc4\
\x34\xbe\x37\x66\xa1\x10\x74\x57\x69\x24\x4c\xc1\xce\xa6\x10\x9b\
\x9a\xc3\xf8\x7c\x1a\xdf\x38\x91\x62\x32\x65\x93\x2a\x38\xf4\xcd\
\x5b\x74\x56\xeb\x9c\x9e\x2a\x72\xcf\xe9\x0c\xbf\xbe\x37\xca\xa2\
\xa5\x38\xd0\x11\xa4\xf9\x78\x8a\xa9\xc2\x5a\x97\xb0\x62\x0c\x16\
\x2d\x97\xed\xe1\x59\x3e\x71\x3d\x2c\x4d\x8c\x33\x3e\x39\xcd\xde\
\x03\x7b\xe9\xee\xea\x5a\x16\xfb\x96\x63\xd3\x7b\xd9\x63\xfe\x95\
\xcb\x57\x18\xec\xef\x23\x52\x53\xcf\x86\x3b\x3f\xca\xdc\xcc\x0c\
\x8f\x7e\xf9\x5f\x18\xcb\xf9\xf1\xb7\x5d\x83\xde\xb8\x11\x19\x6f\
\x46\x04\xe2\xa0\x19\xab\xc0\x56\x51\x6c\x2b\x62\xad\x92\xf2\x42\
\x73\x71\xa5\x41\x7d\xd4\x40\xd7\x74\x9c\x48\x0a\xdd\xce\x51\x28\
\x15\xb0\x2d\x0b\xc3\xf0\x91\xca\x64\x08\xc4\x62\x68\x52\x63\x7e\
\x71\x91\xcb\x03\x03\xe5\x22\x12\x6f\x62\x25\xa2\x11\xee\xfb\xee\
\x03\x5c\x49\xe6\xb0\x63\x4d\x9c\xeb\x1d\xe4\xf0\x3f\xff\xe5\x95\
\x52\x3e\x7d\x09\x18\x03\xa6\xf0\x96\xba\x2f\x17\x6e\xbe\x1e\x2f\
\xa0\x26\x74\xf3\x6f\xfe\xae\x88\xd6\x37\xb9\xae\x8d\x29\x60\x53\
\x42\x12\x31\x3c\x06\x6d\x6d\xf0\xf1\xa5\x73\x79\x96\x33\x2a\xe5\
\xbe\x9b\x1a\x7c\x6c\x47\x88\xac\xa5\xc8\x14\x3d\x11\x5f\xb4\x15\
\xae\xaa\xb8\x7c\x02\xa9\x95\xc3\x02\x3c\x11\xc5\x00\x00\x20\x00\
\x49\x44\x41\x54\xb5\x2e\x2c\x16\x15\x83\x8b\x0e\x21\x9f\xe4\xc0\
\x3a\x1f\x97\x17\x6c\x02\xba\xe0\x97\xf6\x46\xb9\xbe\x27\xc6\x91\
\xb1\x12\xf3\x39\x87\x7d\x4d\x26\x47\x87\x0b\xcc\x65\x1d\x2c\x1b\
\x0e\xb4\x9a\x3c\xda\x97\x27\x6f\x29\x74\x29\xb8\xa6\xd1\x24\xaf\
\x04\xc2\x72\x38\x3e\x51\x42\x5b\x83\xcc\xb2\xce\x0f\xcd\xf2\x89\
\x43\x2e\x4b\x13\x63\x8c\x4d\x4c\xb1\xf7\xc0\x3e\xba\xbb\xba\xd7\
\x32\xff\xca\x65\x1e\x3b\xf2\x18\x57\x2e\x5f\x66\xb0\xbf\x9f\x48\
\x4d\x3d\x1d\x77\x7e\x94\xf9\x64\x99\xf9\xf9\x00\xfe\xf6\xdd\xe8\
\x8d\x9b\x90\x89\x56\x44\x30\x01\xba\xaf\x2c\x1d\xe5\x0a\xcf\x45\
\x39\x80\x81\x58\x39\x7b\x66\x3b\x8e\x92\xec\x6c\x08\xb0\x58\x52\
\x8c\x2d\x59\x68\x76\x9e\x46\x33\x43\xd8\x94\xf4\x5d\xec\x25\xb5\
\xb4\x84\xcf\x30\x08\x06\x83\x68\x9a\x46\x36\x9f\x27\x9f\xcf\x13\
\x08\x04\x70\x5d\x87\x7b\xef\xfb\x0e\xc3\x4b\x36\x6e\xa2\x95\x0b\
\x43\x33\x3c\xf6\x9d\x7b\xad\xfc\xe8\xd9\xa3\xc0\x71\x60\x18\x4f\
\x05\xa4\x58\xd9\x75\x44\xbd\x66\x00\x18\xeb\x76\x6e\xf3\xef\xfb\
\xf0\x6f\x09\xc3\xef\x57\xe5\x2a\xd7\x4d\xd5\x3a\x1f\xdd\x19\xe6\
\xee\x4d\x21\x42\xa6\x86\xeb\xb8\x5e\xd6\xad\xa8\xc8\x5b\x1e\x93\
\x5d\xe0\xfc\xac\x43\xdf\xa2\x4d\x57\x95\xc1\xe6\x2a\x9d\xb6\xa8\
\x46\xd4\xe7\x31\x3c\xe7\xb0\x2c\xd2\x00\x82\xba\xa2\xc6\x2f\x28\
\xda\x8a\xbe\x25\x97\x3b\xdb\x7d\xdc\xbd\x35\x4c\x77\x53\x88\xb3\
\xb3\x36\x12\x38\x36\x52\xa0\x3e\xa4\xd1\x5d\xad\xf3\xc4\x50\x81\
\xc9\xb4\xcd\x3b\xbb\x83\x3c\x3b\x56\x64\x2a\xe3\x72\xb0\xcd\x4f\
\x22\x20\x79\x6e\xda\xe6\x1d\xeb\xfd\x7c\xfb\x42\x16\x7b\xd9\xda\
\x17\x94\x6c\x55\x66\x3e\x2c\x4d\x8e\x33\x36\x31\xc5\xb5\x07\xf6\
\xd1\xd3\x59\x66\x7e\x59\xec\x5f\xee\xeb\xe3\xc8\xe1\xc3\x5c\xbe\
\x74\x69\x15\xf3\x7f\xbe\xcc\xfc\xcf\x33\x56\x08\xe2\x6f\xbf\xd6\
\x63\x7e\x55\x0b\xf8\x63\x08\xcd\xb7\xc6\x15\x56\x65\x77\x66\xb9\
\x8f\x95\xaa\x25\xc1\x72\x51\xa8\x42\x70\xb0\xd9\xe4\xd2\x9c\x43\
\xcc\x70\x58\x4c\x67\x69\xf4\xa5\x08\x49\x8b\xf1\x91\x11\xb2\x99\
\x0c\xb9\x6c\x16\xdd\x30\x08\x84\x56\x40\x60\x5b\x25\x9e\x3d\xf1\
\x1c\x0b\x6e\x00\xad\x7e\x03\x17\x06\x26\x78\xe2\x07\xc7\x29\x24\
\xc7\xe6\xd4\xc2\xc8\x03\xc0\x19\xbc\x65\x6c\x8b\xac\x32\x00\xe1\
\x75\x48\x00\xff\xbe\x8f\xbc\xcb\xd7\x7d\xe8\xfd\x1a\xa0\x97\x1b\
\x7f\x69\xde\xe1\xd1\xfe\x02\x37\xb6\xf9\x79\x6e\xd2\xa2\x31\xaa\
\xf3\x53\x9b\x82\xfc\x44\x8f\x9f\xdd\x0d\x3e\x62\x3e\xb0\x6c\x45\
\x32\xef\x90\xb1\x04\x43\x69\x97\x81\x94\xcb\x62\x49\x11\x34\x04\
\x07\xd7\x19\x64\x4a\x8a\x05\xaf\xb8\x07\x5d\x42\xc4\x10\x74\x26\
\x34\x7a\xaa\x0c\xe2\xa6\xe0\xbd\x3b\xa2\x6c\x6f\x0b\xf3\xe8\x50\
\x01\xcb\x51\x64\x4b\x2e\xf5\x21\x8d\x7b\xcf\xe7\xb8\xbe\xcd\x4f\
\xcc\x14\x3c\x78\x39\xc7\xf6\x06\x13\x5d\x0a\xa2\x7e\xc9\xfb\xb6\
\x84\xf8\x56\x6f\x9e\x64\xde\xe5\xba\xb6\x00\xe3\xf3\x25\x2e\xcc\
\xd9\xe8\x9a\xa4\xe4\x28\xb6\x85\x92\x7c\xf2\x7a\x48\x4d\x8e\x31\
\x3a\x3e\xc9\x9e\xfd\x7b\xd9\xd8\xdd\xb3\x96\xf9\xfd\xfd\x1c\x39\
\x7c\x98\x4b\xbd\xbd\x0c\x0d\x0c\x78\xcc\xbf\xe3\xe7\x99\x4b\xce\
\x70\xf8\x2b\x15\xe6\xef\xf1\xc4\x7e\xa2\x05\x02\x31\x84\x66\x94\
\x19\x5e\xe6\xf0\xb2\xef\x2b\xae\x0a\x73\xac\x0d\x8e\x84\x7d\x82\
\xed\xb5\x3e\x2e\xcd\xdb\xdc\xba\xde\x47\xff\x74\x8a\x4d\x91\x0c\
\x8d\xf5\x09\x74\x9f\xc9\xe2\xdc\x1c\xf9\x5c\x8e\x7c\x2e\x87\x56\
\xce\x28\x9a\x3e\x1f\x23\x03\x23\xd8\xa1\x7a\xf4\xc6\x8d\x8c\x8e\
\x8e\xf1\xcc\xb1\xe3\x64\xb4\x28\x4c\x9d\xbf\xe8\xa6\x67\xbe\x0d\
\xf4\xe1\x6d\x75\x93\xa3\x6c\xfc\x55\x9e\xf9\x5a\x6d\x00\x9f\xd1\
\xb4\x6d\x2f\xbe\x10\x6e\x29\x8f\xae\x41\x63\x40\xb0\x21\xae\x13\
\x31\x25\xf1\x80\xe4\x8b\x67\x33\x0c\x2c\xb9\x84\x7c\x92\x8e\xb8\
\xc6\x35\xf5\x3e\x3e\xb8\x2d\x8c\x21\x21\x6b\x29\x2e\xcf\x5a\x9c\
\x9a\x2c\x72\x61\xd6\x66\x2c\xed\x32\xbc\xa4\xb0\x1d\xa8\x0e\x68\
\xf4\xa7\xbc\x50\xa7\x4f\x0a\x12\xa6\x37\x38\xad\x31\x8d\xdf\xdb\
\x5d\xcd\x60\x1e\xfe\xe6\x44\x86\xd6\x88\xa4\x6f\xc9\xa2\xbb\x5a\
\x67\x26\xef\x72\x4d\x83\x8f\x3f\x7f\x62\x91\xff\x7e\x6b\x82\x73\
\xd3\x25\xbe\x75\x21\xcb\x9f\xdd\x5e\xc5\x64\xc6\xe1\xb3\x4f\x2d\
\x91\xb2\xa0\x31\xa6\x73\x6e\xde\xe6\x83\x3b\x63\x3c\x38\xec\x62\
\x17\x52\x6c\x0b\x26\xf9\x93\x1b\x02\x2c\x4d\x8c\x30\x32\x3e\xc1\
\xb5\xfb\xf6\xd1\xd3\xdd\x43\xb4\x62\xf0\xd9\x36\x57\x06\xfb\x39\
\xf2\xe8\xa3\xf4\x5e\xbc\xf8\xa2\xcc\x1f\x2d\x84\x08\xb4\xef\x5e\
\xd6\xf9\xf8\xa3\xa0\xe9\x15\x75\x5f\xe6\xed\xea\x40\x87\x58\xfb\
\xef\xaa\x88\xa4\xa3\x14\x4d\x61\x8d\x8c\x25\x18\x2f\x68\x7c\xf1\
\xb2\xc2\x08\xc6\x18\x98\x2e\x20\x0b\x49\xda\x3b\xbb\x90\x9a\x46\
\xdf\x85\xf3\xa4\x17\x17\x19\xee\xef\x07\xa5\x88\x44\x63\x68\x35\
\x1d\x88\xfa\x1e\x4e\x5e\x1c\x20\x7b\xf9\x59\x8a\xbe\x2a\x34\xe9\
\xa7\x94\x9e\xb9\x08\x0c\xe0\xcd\xfc\x7c\x99\xf9\x6b\xd2\xb6\xaf\
\x15\x00\xd5\x32\xd1\xb4\x8b\xb2\x9f\x5f\x70\x05\x83\x19\x48\x16\
\x1d\x3e\xbc\xd9\xc0\x51\x70\x7b\xbb\x17\x99\x1a\x4f\x3b\xf4\x2d\
\x3a\x3c\xd4\x97\xc7\x87\xc3\xb7\xfa\x2d\x5a\x62\x1a\x77\x77\xf9\
\xf9\xa5\xdd\x11\x8a\x8e\xa2\x68\x2b\x4e\x4f\x96\x48\x17\x5c\xa6\
\x32\x0e\xca\x51\x5e\x66\xce\x86\x9d\x75\x3a\x77\x74\x98\xdc\xd8\
\x13\x61\xb2\x24\x58\xc8\x7b\xbb\x73\x3f\x35\x5a\x24\x5f\x72\xb9\
\x32\x5b\xe2\xb6\x8e\x00\x33\x19\x87\xae\x6a\x9d\xff\xf6\xe8\x3c\
\x7f\x70\x53\x82\x4b\xb3\x25\xaa\x4c\xc1\x27\x8f\xa4\xe8\x5f\x72\
\x68\x89\x1b\x58\x0e\x5c\x5a\xd2\xb8\x21\x34\xcf\xba\x73\xff\x44\
\x61\xf0\x69\xd6\xb5\xc6\xe8\xaf\x79\x07\x96\xed\xb0\x7b\xdf\x3e\
\x36\xf6\xf4\x10\x5f\x65\xed\x7b\xcc\x3f\x4c\xef\xc5\x8b\x0c\x0e\
\x0c\x10\xad\xa9\xa7\xfd\x8e\x9f\x63\x2e\x39\xcd\xa3\x5f\xf9\x3c\
\x63\x85\x10\xfe\xf6\xdd\x68\x8d\x9b\x10\x89\x16\x30\xa3\xa0\x55\
\xd6\x6b\xac\x0a\x88\x55\x02\x18\x48\x2f\xec\xfc\x62\xe1\x71\x01\
\x8e\x2b\x68\x8b\xea\x0c\xa5\x1c\x2f\x60\x64\x98\x14\xb5\x20\x17\
\xdc\x56\x26\x2e\x3d\x8d\xcf\x1c\xa1\xbd\xb3\x13\x29\x04\x57\x2e\
\x5c\x20\x9b\x4e\x91\x9c\x9c\x24\xb0\x6e\x1b\xb2\x6e\x13\x53\x03\
\x97\x19\x3d\x73\x8a\xc6\xda\x5a\x4a\x4e\x03\x6a\x71\x22\xeb\xa6\
\x92\xe7\xf0\x0c\xbf\x2c\x9e\xe1\xf7\x82\x9c\xfd\x6b\x52\x01\x7a\
\xc7\xbe\x1d\x81\x6b\x3f\xf4\x1b\xe8\xa6\xe9\x75\xca\xd3\x65\xa9\
\xa2\xe2\xae\x0d\x7e\x9e\x19\x2f\xf1\x7f\xcf\x15\x48\xe6\x15\x7e\
\x5d\xd2\x99\xd0\x38\xd8\xe4\xa3\x29\xa2\x53\x72\x14\xe3\x69\x87\
\x88\x01\x9f\x7b\x3e\xcb\x17\xce\xe5\x19\x5d\x74\x78\x67\x57\x80\
\x8e\x1a\x1f\x77\x74\x07\xd9\xdf\x64\xd0\x15\xf7\x92\x1a\xeb\xe3\
\x3a\xbf\x76\xa8\x9a\xa9\x12\x5c\x99\xb7\x59\x2a\x28\x1a\xc3\x92\
\x73\xd3\x25\xd2\x45\x97\x64\xd6\x65\x22\x6d\xd3\x59\x65\xa0\x80\
\xf9\xbc\x22\x1e\x90\xbc\xab\xdd\x47\xdf\x4c\x91\xd1\x9c\xa0\x7f\
\xc1\x22\x14\x30\xf0\xeb\x92\xa1\xc7\xbf\xca\x97\x3f\xfd\x7b\x30\
\x72\x82\xb8\xa9\x48\xa7\xb2\xf4\xf5\xf5\xb3\x67\xdf\x5e\x6e\xbe\
\xf1\x46\x22\x81\xe0\xf2\xcc\xef\x1b\x1a\xe0\xb1\xc3\x87\xb9\x78\
\xe1\x02\x43\x65\xe6\xaf\xbf\xfd\x67\x99\x4f\x26\x39\xfc\xd5\xcf\
\x33\x56\x08\xe3\xef\xd8\x83\xbe\x6e\x33\x32\xd1\x82\x28\xcf\xfc\
\x35\x33\xfd\xea\xf0\x66\x05\x10\xe2\xaa\xeb\xab\x3e\x7b\xb0\xc9\
\xe0\xb9\x19\x0b\x29\xbc\xc2\x57\xdb\x2e\xe1\x94\x72\x64\x72\x16\
\x93\x03\x57\xa8\x8f\x48\x5a\x3b\xda\x31\x7c\x3e\x72\xe9\x0c\x55\
\x1b\xaf\x43\x6f\xdf\xcb\xe0\x85\xb3\x2c\x0d\x9c\x47\x8f\xd4\x60\
\x26\x1a\x99\xd4\xea\x71\x27\xcf\x8f\xd8\xc3\x27\xef\x01\x2e\xb3\
\xb2\xa1\xc5\x0b\xe0\xf7\x9a\x00\x10\x3c\xf8\xd1\x9f\xd2\x3b\xae\
\x7b\xcf\xea\x3e\x2a\x20\xa4\xc3\x2f\xee\x0c\xf1\xd5\x0b\x79\x66\
\x8b\x90\xb3\x61\x38\xe5\xb2\x90\x77\x99\xce\xba\xfc\x60\xc2\x22\
\x11\x90\x6c\xae\xd1\xd9\x54\xe3\x23\xea\x13\x04\x34\x41\xd1\x51\
\x2c\xe6\x5c\xfe\xfa\x99\x0c\xc9\x94\x4d\xaa\xa8\xe8\x4c\x68\xfc\
\x3f\x7b\xa2\xbc\x6b\x6b\x94\xbc\x12\x34\x86\x34\x46\x53\x9e\x9f\
\x39\x9d\x71\xa8\x0e\x68\x3c\x3f\x59\xa2\xe8\xb8\x8c\xa7\x1c\x2c\
\x07\xea\xc2\x3a\x3f\xb3\x2d\x48\x9d\x09\x9f\x3c\xb2\x80\x21\x60\
\x4b\x53\x80\xef\x8d\x2a\xc4\xe2\x18\xe3\x5f\xfb\x04\x73\x4f\x7e\
\x99\x68\x28\x48\x28\x12\xf3\x0a\x4d\x80\x62\xbe\x40\xdf\x95\x3e\
\x3a\x37\x74\xb2\xbe\x6d\x3d\x96\x6d\xd3\x3f\x34\xc0\x91\x47\x0f\
\x73\xfe\xdc\x05\x86\x06\xfb\x89\xd6\x34\x94\x99\x3f\xc3\xe1\xaf\
\xdc\xc3\x58\x31\x8c\xbf\xa3\x6c\xf0\xc5\x5b\x10\xfe\x98\xe7\xea\
\x55\xc6\x64\x0d\x08\xae\x7a\xb9\xcc\xef\x8a\x21\xb8\x32\x86\x61\
\x43\xb0\xb9\x5a\xe7\xfc\x9c\xc3\xaf\xee\x0e\x73\x7a\xba\xc4\xf6\
\x6a\x9d\x4d\x71\x85\xe1\xe4\x59\xca\x96\x58\x9a\x1c\x26\x12\xf6\
\xd1\xdc\xb4\x0e\x55\xd5\x81\x58\xbf\x9f\x93\xcf\x9c\xe4\xfc\xc5\
\x3e\xc6\x54\x0d\xcd\xeb\x1a\x29\xf8\xab\x99\x17\x51\xec\xf3\x0f\
\x1c\x77\x92\x03\x5f\xc1\xdb\x00\xf3\x05\xa2\xff\xf5\x00\xc0\xf4\
\x1f\xfa\xe5\x5f\xd5\x1a\x36\xed\x58\x9d\xff\x77\x14\x6c\xaa\xd2\
\x39\xd0\xe2\xe3\xf3\x67\xf3\x9e\x67\x5b\xee\xd8\xba\xa0\xc4\x41\
\x30\x9a\x55\x0c\xa7\x5c\x5c\xc7\xe5\xd4\xb4\x45\x5f\x4a\x11\x33\
\x25\xdd\x55\x3a\x55\x41\x49\x57\x42\xa7\x2e\x2c\x71\x1d\x45\xd4\
\xaf\x11\x88\xf9\x79\x72\xc2\xa2\x29\xac\x71\x2e\x69\xb1\xb9\xca\
\xa0\xab\xda\xb3\x33\xda\xe2\x9e\xd6\xba\x34\x6b\x93\x2e\xba\xcc\
\xe6\x15\xbf\xb9\x3f\x42\x44\xba\x3c\x7a\x29\xcb\xfd\x43\x25\xc6\
\xd2\x2e\x3f\xbd\x23\xc1\xf7\x1e\x7d\x88\xe4\x57\x7e\x9f\x58\x6e\
\x94\x78\x75\x2d\x02\x81\xe3\x38\x6b\xca\xaf\x33\xd9\x0c\x47\x7f\
\xf0\x24\x4d\xcd\xcd\x68\x3e\x9d\x47\x1e\x7e\x84\xf3\xe7\xce\x31\
\x34\x38\x48\xa4\xa6\x81\xf6\xdb\x7e\x96\xf9\xd9\x19\x0e\x7f\xf5\
\x1e\xc6\x4a\xde\xcc\xd7\x1a\x37\x23\x13\xad\xc8\x40\xac\x3c\xf3\
\x3d\xa6\xba\x4a\x60\x97\xd7\x38\x88\xb2\x81\xcc\x2a\xab\xff\x05\
\x52\xa1\x8c\x00\x47\x41\x7b\x4c\x12\xf6\x49\x9e\x4b\x3a\x9c\x4d\
\xda\xe4\x1d\x41\x75\x50\xa3\xa7\xc6\x47\x8d\xe9\xb2\x31\xa1\x98\
\xcb\x3a\xcc\x4d\x4f\x13\xa9\xaa\x26\x55\xb5\x83\x63\x4f\x9f\x64\
\x74\x32\x89\x16\x6b\x44\x8b\xd6\xb1\xab\xbd\x9e\x01\x2b\x4e\xa1\
\x58\x70\x8b\xc7\x3e\xff\x4d\x55\x48\x3d\x8a\x67\xf8\xbd\x29\x45\
\xa1\xb5\x32\xd1\xbc\x73\x8d\x15\x23\xbc\xaa\xdb\xbd\x4d\x3e\x2e\
\xcd\xda\x64\x6c\x81\xbf\x9c\x74\xd1\x24\x0c\x66\xbc\xe7\xea\x52\
\x10\xf3\x0b\xf6\xac\x33\x78\x78\xd8\x62\x3a\x07\x12\x97\x9c\x05\
\x67\xe7\x1d\x5a\xc3\x92\x5f\xd9\xe1\xe7\xba\x8e\x20\xbe\xa0\x8f\
\x53\x33\x16\x3d\x09\x9d\xe3\x13\x45\xee\x39\x9d\xa3\x2d\x2a\xf9\
\xaf\x87\x62\x5c\x9e\xb3\xe9\xaa\xd2\xb9\x7b\x53\x90\xf7\x6d\x09\
\xf1\xfc\x54\x89\xce\xb8\x46\x26\x53\xe2\x2b\x97\xb2\x9c\x9d\xb5\
\xa9\xf2\xeb\x0c\xa5\x1d\xfe\xfa\x33\x9f\xc6\x7a\xe4\x73\x34\xc7\
\xe2\xf8\x03\xb5\x14\x8b\xc5\x65\xa6\xdb\x8e\xe7\x0c\x4a\x29\xd1\
\x35\x9d\x6c\x36\xcb\x9f\x7c\xf2\x93\x5c\x7f\xc3\x21\xd2\xe9\x34\
\x43\x83\x83\x9e\xd8\xbf\xad\x2c\xf6\xbf\xf6\x85\xf2\xcc\xdf\x83\
\xd6\xb0\x09\x99\x68\x41\xfa\xa3\x5e\x82\xa7\x3c\xb6\x4e\xb9\xe0\
\xb5\x2b\xe6\x19\xa7\xf3\x05\x45\xc6\x52\x5e\xb2\x0b\x81\x94\xe5\
\x2d\x64\x85\xf0\xa2\xc2\x6a\x25\x0c\xe0\x2a\x68\x8b\x6a\x0c\xa7\
\xbd\x65\x62\x19\xdb\xfb\xdc\xf3\xf3\x92\x93\x93\x3e\xe2\xa5\x1a\
\x9a\xac\x0c\x46\x55\x89\x7c\x3a\xcc\x6c\x4a\x10\x77\x7a\x89\x68\
\x8a\x9a\xce\x0e\xf2\x7a\x84\x79\x11\x21\x1c\xaf\x22\x5d\x88\x40\
\x66\x24\xe5\x2e\x8c\x9e\xc5\x5b\xba\xfe\xb2\x15\x19\xaf\x1a\x00\
\x7a\xf7\x2d\x5d\x32\x52\xdb\x8e\x6b\xaf\xd1\x63\x86\x54\xec\x6a\
\x34\xb8\xb7\xb7\xb0\x0a\xf1\xb0\xda\x10\x12\xc0\x52\x49\xf1\x95\
\x2b\x16\x4a\x79\xd5\xb9\xeb\xc2\x1a\x8b\x25\x45\xce\xf6\x32\x7f\
\x37\x74\x85\xe8\xcb\x09\x9e\xea\xcf\x73\xb0\xc9\xe0\x42\xd2\x22\
\x53\x54\xdc\xd5\xe9\x27\x57\x72\x19\x5d\xf2\x98\xff\xe5\xb3\x59\
\xba\xab\x0d\x76\x34\xf8\xb8\xb5\xcd\xc7\x73\x63\x05\xea\x42\x1a\
\xef\xdb\x1e\xe6\x60\x4e\xf2\xed\x93\x23\x3c\xf1\xb5\xff\xc1\xe9\
\xc9\x63\x34\x37\xb7\x20\x84\x5c\x66\x3e\x80\x6d\xdb\xcb\x9b\x37\
\x54\x4a\xb3\x75\x5d\xc7\x2a\x59\x3c\xfa\xf0\x23\xc4\x13\x71\x6a\
\x9b\xdb\x68\xb9\xf9\x83\xcc\xcf\x26\x39\xfc\xb5\xcf\x33\x5a\x08\
\xe3\xdf\xb0\x07\xad\x12\xe4\xf1\x47\x50\x52\x2f\x9b\x7b\x02\x57\
\x41\x48\x57\xdc\xd2\xea\xe3\xf2\x82\x43\x53\x44\x63\x5b\xad\x44\
\x17\x8a\x54\x49\x31\x9b\x73\x99\xc9\x2b\x16\x4a\x9e\x91\x2b\x05\
\xc4\x4d\xc1\x42\xc9\x8b\xa3\x48\x21\xa8\x0b\x4a\x4e\xce\x58\x5e\
\x76\x4f\x08\x4a\x8e\x40\xd3\x34\xfc\x81\x00\x59\x59\xc3\xc5\xa2\
\x85\x52\x2e\x8e\x08\x33\x31\xab\xd8\x69\x46\x88\x36\x84\xe8\xa8\
\x8f\xf1\xfc\x82\x8f\xa6\x40\x88\xa2\x1e\xa5\x64\x84\x70\x93\xfd\
\xa3\xac\xe8\xfe\x97\xad\xca\x78\xd5\x00\x30\xbb\x0e\xed\x14\x81\
\x78\x88\x55\x3b\x5f\x38\x0a\xea\x82\x92\x9a\xa0\xe4\x4c\xd2\xab\
\xeb\x2b\xb3\x9e\xab\x4b\x39\x85\xf0\x82\x41\x95\xcb\x27\x66\xbc\
\x72\xab\x03\xf5\x1a\x7f\x71\x67\x15\x25\xdd\xe0\xd8\x58\x9e\xed\
\x75\x3a\x27\xc6\x4b\xb8\x0a\x8e\x0c\x14\x28\xd9\x2e\x1b\x12\x3a\
\x6d\x31\x9d\xb0\x4f\xf0\x9e\x4d\x41\x7c\xba\xa4\x25\x04\x27\x87\
\xb2\xfc\xc9\xf7\xd3\xdc\xb2\xde\xe4\xe9\xa4\xce\x2e\x7a\x59\xf8\
\xf2\x1f\x52\x3f\x37\x41\x6d\x6b\x1b\x8e\xe3\x62\xdb\xd6\x9a\x65\
\x57\x95\x3a\xfc\xab\x17\x68\x48\x29\xb1\x0b\x36\x03\x7d\x7d\xb4\
\xde\xf8\x3e\x16\x17\xe6\x39\xfc\xd5\xcf\x33\x5a\xf4\x98\xaf\xaf\
\xdb\x5c\xd6\xf9\x51\x90\xda\x72\x3f\x15\x5e\x72\xeb\xf6\x36\x1f\
\x4f\x4f\x39\x0c\xa6\xdc\xf2\x9e\x3f\x0e\x01\x1d\x12\x7e\x49\x8d\
\x5f\xd2\x5d\xe5\x15\xb8\x3c\x3e\x66\xf1\xce\x0e\x93\x6d\x35\x1a\
\x7f\x7a\x3c\x07\x52\x10\x35\xbd\x81\xa9\xf5\x0b\xee\x6a\x0f\xf0\
\xb5\x4b\x05\xae\x5b\xa7\x33\x94\x72\xe9\x5f\x82\x80\x2f\x88\x1e\
\x6f\xc4\xd2\x74\x64\x28\x4e\xc1\x75\x78\x32\xe7\x43\xfa\xfc\x9c\
\x9f\xf6\xe3\xe8\x01\xee\xac\x0f\x33\x61\xe9\x08\xa1\xb0\x27\xce\
\xf6\x02\xe3\xaf\xc4\xfc\xd7\x02\x80\x80\xd6\xb8\x71\x0f\x46\x00\
\x55\xf2\xf4\xbc\x52\x50\x72\x15\x3b\xea\x0c\x92\x39\xaf\xca\x56\
\xd3\x64\xb9\x9e\x5f\xa0\x44\x39\xdb\xf6\x22\xae\x8f\x02\x4a\x8e\
\xe2\x9d\xeb\x75\x3e\x71\x5b\x15\x4f\xce\x38\x54\xe7\x6d\x76\x37\
\x1a\x3c\x70\x39\xcf\x7c\xde\xc5\xaf\x0b\x92\x39\x87\x0d\x71\x9d\
\x8f\xed\x0a\xf3\x97\x4f\xa6\x38\x36\x56\xe4\x8b\xef\xaf\x61\x7b\
\x8d\xe0\x91\xde\x0c\x93\x29\x87\x8f\xed\x08\xb1\xe4\xe8\x4c\x3e\
\xf4\x6d\xbe\xf6\xd0\x9f\xb2\x3e\x6e\x50\xbf\xae\x85\x62\xb1\xb8\
\xcc\xe4\x52\xa9\x84\x56\xde\x82\xa5\x02\x86\x8a\x1d\x50\x59\xad\
\xa3\x69\x1a\x8e\xe3\xb0\xb0\x94\xe2\xd8\x7d\x5f\xa0\x64\x26\x3c\
\xe6\x77\xec\xf5\x66\x7e\xbc\xb5\x6c\xed\x6b\x6b\xb4\xa0\xe3\x28\
\x6e\x6f\xd5\xb9\xb4\xe8\x32\x94\x56\x98\x9a\x58\xc9\x31\xb8\x30\
\x99\x53\x8c\x65\x3c\xa8\x68\x52\x80\x90\x9c\x4a\x3a\x9c\x9a\xb1\
\x41\x4a\x1c\x05\x4d\x61\xc9\x52\x49\x31\x9a\x03\x77\xda\xa1\x21\
\xac\xf1\x91\xed\x41\x2e\xcf\x94\x18\xcb\x28\x36\xc4\x04\x4f\x8d\
\xea\x3c\x3e\x24\x31\xfc\x11\x8a\xb6\x85\x26\x35\x34\xcd\x00\xcd\
\x40\x13\x1a\x8d\xf1\x00\x67\xc6\x25\x22\x37\xed\xda\xa3\xa7\xcf\
\xe2\xf9\xfe\xaf\x48\xaf\x16\x00\x75\x22\xd1\xb2\x43\x29\x17\x25\
\xc0\x94\x50\xed\x53\x24\x73\x8a\xfd\xeb\x0c\x8e\x8e\x96\xc8\x39\
\x82\x90\xc6\xda\x14\xf0\xf2\x4b\xb1\x0c\x02\x17\xb0\x6c\x97\x9f\
\xdf\x6c\xf2\x1b\xd7\xc7\xb9\x7f\xd8\xa2\x68\x29\xea\x03\x92\x6f\
\x5c\xc8\x33\xb2\x64\x93\xb7\x14\xf3\x39\x87\xb6\x98\xc6\xcd\xeb\
\xfd\xfc\x8f\x27\x52\x3c\x3b\x51\xe4\x57\xae\x0d\xd3\x12\x80\x2f\
\x9e\x4a\xf1\xad\x8b\x79\x6c\x24\xad\x31\x8d\x2b\x8f\xfc\x03\xe1\
\x1f\xfc\x6f\x5a\xea\x6b\x09\x45\xa2\xcb\xcc\xaf\xfc\x82\x57\xa5\
\x0c\xdb\x5f\xae\x9e\xa9\xac\xc2\xad\x7c\xa6\xb2\x25\x4b\x2e\x9f\
\x47\xea\x26\xd3\xa3\x43\x64\xea\x13\x98\xdd\x7b\xd1\xd6\x79\x06\
\x1f\xfe\x08\x48\x63\x4d\xd1\x8b\xe5\xb8\x1c\x6a\xd4\x49\xd9\x82\
\x33\x73\x0e\x3e\x6d\x65\x51\xaa\x5a\x35\x04\x86\xb6\x92\x06\x02\
\x18\x29\xdb\x46\x9a\x10\xb8\x2e\xb4\x46\x24\xa3\x19\xc5\x92\x05\
\xe9\x05\x4f\x82\xfc\xce\xf7\xbc\xa0\x97\x04\xea\x23\x3e\xa2\x41\
\x93\x5f\xbe\xd6\x47\x3a\x1f\xe1\xe9\xf1\x02\x19\x07\x92\x45\xef\
\x67\x69\x62\x3e\x89\x6e\xf8\x58\x74\x34\xd4\xfc\xf0\x82\x3b\x3f\
\x72\x9e\x57\xb9\x0d\xce\xab\x02\x80\xbe\xe5\xae\x6e\x19\xae\x59\
\x8f\xeb\x2c\x47\xb9\x6e\x6c\x36\xb8\x69\xbd\xc9\x96\x06\x1f\xdf\
\xe9\xcd\xb3\xbf\x5e\x32\x98\x72\x59\x2c\x79\x4c\xd6\xa4\x40\x93\
\x2b\xaa\x40\x94\x7d\x5b\xe9\xba\xfc\xde\xde\x00\xef\xd9\x11\xe3\
\xab\x57\x4a\xc4\xfc\x10\x0b\x49\x3e\x77\x3a\xc7\x5c\xce\xa5\x60\
\x29\x16\xf3\x2e\x3b\xea\x7d\x6c\xaf\x33\xf8\x87\x53\x59\x66\x73\
\x0e\x9f\xbc\x39\xc6\xa6\xb8\xe0\xd7\x1f\x5c\xe0\xd2\xbc\x43\x4d\
\x50\xa7\xd5\x97\x27\xf7\xc0\x5f\x30\xf1\xd8\x7d\x74\xae\x6f\xc3\
\xf4\x07\x28\x15\xcb\xcb\xbb\xcb\x33\xbd\xf2\x63\x0d\xab\x37\x6d\
\x2a\x14\x0a\xcb\xd5\x33\x15\x40\x14\x8a\x05\x72\xc5\x12\x66\x28\
\x46\x11\x1f\x62\xdd\x0e\xec\x9a\x6e\x88\xb6\x60\x98\x51\x44\x25\
\xc2\x57\xf6\xdb\x2c\x57\xb1\xad\x4a\x12\xf6\x09\x1e\x1e\x75\x30\
\x74\xb9\x1c\x1a\x59\xae\xf5\x50\x5e\xee\x47\xad\x16\x19\xe5\x74\
\x78\xe5\xb5\x2e\x15\xb5\x41\xc9\xf1\x69\x0b\x10\x65\x29\xa1\xc8\
\x39\x92\x0b\x0b\xde\x8d\xce\xcc\x15\x08\x1b\x50\x17\x10\xd4\x07\
\x74\x76\x36\x47\x78\x6a\xd2\x06\x5b\xe1\x02\xcd\x51\xc9\x7c\x49\
\x52\x14\x3a\xee\xc4\xf9\x61\xa0\x9f\x57\x21\xfe\x5f\x2d\x00\x84\
\xd1\x75\x70\xb7\x08\xc5\x03\xca\x75\xbd\xc5\x1d\x0a\xee\xb9\x6c\
\x33\x91\x53\xfc\xc7\x88\x8e\xa3\x04\xbf\xb5\x2f\x4c\x40\x87\xc9\
\xb4\xc3\xf3\x53\x36\xcf\xcd\x58\x0c\x2c\xb9\xa4\x2c\x50\xe5\xb2\
\xc1\x88\xa6\xf8\xef\xb7\x44\xb8\xa6\x2d\xc4\x17\x7a\x8b\xb4\x47\
\x25\x79\x4b\x71\xef\xc5\x02\xe9\xa2\x4b\xce\x72\x49\x15\x5d\x6e\
\x6c\x35\xa9\x0a\x48\xfe\xd7\xc9\x0c\xba\x14\xfc\xed\x5d\x71\x84\
\x6d\xf3\x6b\x0f\xa5\x59\x28\x81\xcf\xe7\x67\x7e\x6e\x82\x85\xef\
\xfe\x17\x22\xc9\xd3\xf4\x74\x75\x22\x85\xa4\x54\x2a\x61\xdb\x36\
\x96\x65\xe1\xf3\xf9\xd0\xa4\x27\xf6\x2b\x40\x00\xcf\x08\xac\xbc\
\x76\x5d\x17\x5d\xd7\x11\x42\xb0\xb0\x94\x42\x33\xc3\xa0\xfb\xd8\
\xde\xd5\xc3\x9e\xdb\x76\x90\x8a\xb7\x73\xa5\x18\xe3\x4a\x4a\x63\
\xbe\xa4\x96\x81\xad\x80\xb6\xb0\xa0\x3b\xa1\xf1\x9d\x21\x67\x59\
\xa2\xac\x48\x3c\x6f\xbe\xb7\x86\x14\x63\x79\x81\xa3\x56\x59\x44\
\xab\x0c\x68\x57\x40\xd4\xf0\xbc\x80\x8e\x98\xc6\xfe\xa0\xe4\xe1\
\x61\x6b\x19\x60\x52\x7a\x52\x42\xd3\x04\x79\x17\x86\x33\x8a\xc1\
\xb4\x42\x4d\x2b\x74\x29\x91\x9a\xa7\x4a\xdb\x63\x06\x23\x59\x05\
\x4e\x11\x7b\xe4\xd9\x5e\xbc\xc4\xcf\xab\xa2\x57\x03\x80\xf2\xf6\
\x6f\x26\x94\xf2\x50\xf6\xf3\x1d\xc0\xd4\x25\x0f\xf7\x17\xf8\xd4\
\x89\x22\x31\x53\xd0\x14\x96\x6c\xaf\xd5\xd8\x5d\x6f\x70\x7b\xa7\
\x89\x2e\x60\x64\xc9\xe1\xe9\x71\x8b\xbe\x05\x9b\xff\x78\x20\x4a\
\x34\x66\x72\xcf\x85\x02\xdb\x6b\x75\xc6\x53\x0e\x4f\x8c\x14\xc9\
\x97\x14\xe9\xa2\x4b\xd1\x56\xbc\xbb\x2b\x40\xce\x72\xf9\xfb\x93\
\x59\x5a\xa2\x1a\x9f\xb9\x2d\xca\xa5\xa9\x02\x7f\xf6\x74\x0e\x0b\
\x81\xe9\x37\x71\x27\xce\xc1\x7d\xff\x89\x1a\x67\x86\xc6\x8e\x2e\
\x6f\xc0\xca\x8b\x26\x2a\x2b\x6e\x6c\xdb\x46\xfa\x56\xf6\xe4\x5b\
\xad\xeb\x57\xef\xd9\xaf\xeb\x3a\x0b\x8b\x0b\x14\x1d\x41\x20\x12\
\x67\x21\xef\xf0\xbc\xe8\xc6\x4a\x25\xf8\x95\x6b\xab\xf9\x89\x78\
\x04\x4d\xc0\x78\xda\xe5\xf4\x54\x89\x53\xd3\x0e\xb3\x39\x97\x5d\
\x35\x1a\xdf\x1d\x72\x28\x28\x81\xb1\x4a\xd5\x09\xa5\xb0\x95\xa0\
\x25\x08\x07\x1b\x35\xfe\xb5\xcf\x5d\xad\x01\x57\x91\xf0\xe2\xff\
\x21\xc9\x62\x11\x46\xb3\x90\xb2\x5c\x0e\x35\xe9\xd4\xfb\xbd\x7b\
\x5d\x5a\x74\xe9\x9d\xf7\xbe\xaf\x49\x28\x38\x82\x95\x92\x96\x8a\
\x8b\xed\x19\xe2\x4f\x25\x15\x22\x35\xe6\x38\x23\xcf\x9e\xe3\x35\
\x6c\x9c\xf9\xca\x00\xf0\xfb\xeb\x65\x75\xeb\xb6\x8a\xfe\x17\x78\
\x33\x40\x93\x90\x2e\x38\x3c\x30\xe8\x10\x34\x25\xae\x10\x0c\x65\
\x14\x7d\x29\x9b\x7b\xfb\x2c\x42\x86\xa0\x2d\x22\xd9\x54\x25\x79\
\x6f\xb7\xc9\xc1\xf6\x04\x18\x1a\xcf\xcd\xd8\xbc\xa7\xcb\xe4\xd4\
\xb4\xc5\xf7\x86\x4b\x2c\xe6\x15\x99\x92\x8b\x21\xe1\x67\x36\x07\
\xb8\x3c\x67\x73\x5f\x6f\x81\xdd\xeb\x7c\x7c\xea\xe6\x30\xf7\x5f\
\xcc\xf2\x77\xcf\x17\xd0\x34\x89\x66\x98\x38\x97\x8e\xa0\xdd\xff\
\x07\x34\x06\x15\x75\x4d\x1d\xd8\xb6\xb7\x31\x63\x85\xc9\xab\xc5\
\xba\x10\x5e\xe0\xa7\x58\x2c\xa2\xeb\x3a\x86\xcf\x58\xe3\x9d\xf8\
\x7c\x3e\x72\xf9\x1c\x4b\xd9\x22\xfe\x68\x0d\xb6\x6d\x53\xdf\xbc\
\x9e\x50\xc7\x7a\x52\x32\xc6\x33\x53\x8a\x7b\xbe\x9f\x22\x11\xd4\
\xf8\x40\xb7\xc1\x2d\x1d\x7e\x6e\xed\x10\x74\x55\xeb\x9c\x9e\x2a\
\x11\x30\x4b\x3c\x3f\x63\x33\x98\x72\xc9\x94\xf7\xc6\xd4\x35\x89\
\xed\xba\x5c\xdf\xa4\xa3\x69\x82\x92\x72\x31\xe5\x8a\xf8\x2f\xf3\
\x1e\x85\x57\x48\xd3\x16\x95\x8c\x65\x15\x63\x39\x98\xca\x2b\x86\
\xb3\xe0\x13\x8a\x03\x8d\x3a\x5b\xab\x35\x3e\xd8\xed\xe3\xe1\x61\
\x9b\x6c\xd1\xe1\x52\x4a\x31\x5b\xf4\x16\xc6\xf8\x34\xcf\xfd\x4c\
\xf8\x05\x52\x0a\x16\x6c\x1d\x35\x3b\x30\xef\x2e\x4d\x5d\xe0\x35\
\xec\x7a\xf6\x8a\x00\xd0\x7a\x6e\xdf\x28\x42\xd5\xad\xca\x71\x80\
\x15\x23\x47\x97\x82\xc1\x8c\xcb\x4c\x41\x96\x8b\x2c\x94\x27\xae\
\xa4\xd7\x43\x0b\xc1\xe9\x39\x17\xbf\x74\xa9\x8d\x85\xb9\x7f\xd4\
\x21\x55\xb2\x38\xd0\x60\x30\x97\x77\xd9\xd7\x60\xb0\xab\xce\xe0\
\xfc\xac\xcd\xe9\x29\x8b\x9e\x6a\x8d\x07\xfb\x8a\x3c\x36\x58\xe4\
\xce\x4e\x3f\x7f\x70\x20\xc8\x3f\x3c\x93\xe1\xeb\x7d\x16\xa6\xa1\
\x23\xa4\x8e\x73\xe2\x0b\xf8\x8e\xfc\x39\x4d\xb5\x71\xaa\x6a\xeb\
\xb1\x4a\x16\x85\x42\x61\x59\x94\x57\x98\x5f\x21\xa5\x14\xb6\x6d\
\x63\x18\xc6\xf2\x8f\x3f\x57\x66\xbf\x61\x18\x58\xb6\xc5\xdc\x62\
\x0a\x3d\x9c\x40\x6a\x3a\x0a\x83\x4c\x62\x23\x81\xd8\x3a\x76\xb5\
\x56\x11\x0f\xf9\xf8\x40\x0f\x0c\x2c\xba\x14\x2d\x97\x8f\x3f\x91\
\xa1\x2b\x26\xc9\xbb\x82\xbb\xbb\x4c\x76\xad\xf3\xf1\x93\x3d\x7e\
\x5c\xa5\x18\x5e\x74\x38\x39\x69\xf1\x7c\xd2\x61\x3c\xad\x38\xd8\
\xe2\xe3\x9f\xcf\x94\xf3\xdb\x62\x65\x29\xfc\xb2\x3d\x20\x2a\xb3\
\x57\x70\x3c\xe9\xe2\xd3\xbc\x05\xf1\x96\x0b\x25\x04\xf7\x0f\x3b\
\xc4\x7d\x70\x65\x49\x31\x98\x72\xf9\x50\x8f\x49\x47\xc6\xa1\xe4\
\x28\x26\x73\xf0\xd4\xb4\x83\x12\x82\xd6\x88\x60\x3a\xaf\xb0\x10\
\xb8\xe3\x67\x47\x80\x41\x5e\xa5\xfe\x7f\x35\x00\x90\x66\xc7\x81\
\x5d\x22\x18\x37\xbd\xfa\xbf\x95\x32\x6d\x81\x62\xb6\x24\xca\x2b\
\xe9\xbc\x8b\x41\x4d\x51\xb4\xc1\x12\x02\xcb\x72\x79\xff\x06\x8d\
\x3f\xbc\x29\xce\x91\x29\x97\x64\xc6\xa1\x2b\xa1\xf1\x57\x27\x73\
\x0c\x2d\x3a\xe8\x12\x12\xa6\xe0\x27\xbb\xfc\xfc\xf2\xce\x20\xe9\
\x92\x4b\x75\x40\xe3\xa7\x7a\x02\xbc\xa3\x59\xe3\x53\x4f\x2c\xf2\
\x95\x2b\x36\x9a\xe1\x25\x59\xec\x23\x7f\x89\xff\xf8\x3f\xd2\xda\
\xd2\x4c\x2c\x5e\x45\xa9\x54\xc2\x71\x9c\x65\x1d\xbe\xfc\xab\xde\
\xab\xc4\x7b\x45\x22\x5c\xed\xfa\x55\xa4\x45\x72\x6e\x1e\xcc\x08\
\x66\x20\xc2\xf4\x7c\x8a\x68\xc7\x35\x64\xab\x3b\x19\x52\x75\x74\
\x28\x93\x27\xc7\x1d\x92\x45\x49\x4b\x58\x52\x72\x05\xbf\x7a\x8d\
\x9f\x85\x82\xe2\xc4\xa4\xc5\x85\xd9\x12\xff\x78\xce\x42\x0a\xc1\
\xc7\xb6\xf8\x68\x88\x68\xec\x6f\x31\xf9\x99\x2d\x12\xdb\x51\xb4\
\x27\x74\x3a\x87\x4b\x0c\xa6\x1c\xd2\x65\xe9\xa0\x2a\x79\x80\xb2\
\x67\x1c\x37\x05\xba\x14\x2c\x14\xaf\xca\x11\x01\xa6\x2e\xc8\xb9\
\xf0\xd4\x8c\x37\xb1\xfe\xfa\x74\x09\xbf\x0e\x1d\x11\xc1\x9e\x3a\
\x8d\xd3\x73\x2e\x4b\x16\xb4\x45\x24\x7d\x29\x85\xb0\x72\x38\xc3\
\xa7\x2e\xe2\x65\xff\x5e\x35\xbd\x12\x00\x82\x72\xdd\xa6\x3d\xe8\
\x26\x5a\x29\x8b\x14\x60\x95\x41\xe0\xe2\xc5\xbe\x97\x8d\x5b\xe5\
\x05\x44\xf6\xd4\xc2\x99\x39\x87\x0f\x6d\x37\xf9\xd8\xde\x28\xf7\
\x0e\xda\x48\x14\xeb\x63\x92\xfb\x2e\x17\x99\xca\x38\xe4\x6d\xc5\
\x42\xde\x25\x56\xab\xd3\x3b\x6b\xf3\xc9\xef\xa7\x71\x14\xfc\xbf\
\xb7\x45\xd8\x9a\x10\x9c\x18\x2d\xf0\xde\xcd\x01\xee\xec\x91\x1c\
\x1d\xcc\xf0\xa5\xcf\xfe\x21\xe6\xb9\x7b\x69\x6b\xef\x20\x10\x08\
\x91\xcf\xe7\x97\xa3\x78\xab\xad\x7d\x21\x04\xc5\x62\x71\xd9\x08\
\xf4\x95\x2b\x65\x81\x15\xe6\x0b\x89\xae\x6b\x4c\x27\x67\xb1\xa4\
\x49\x30\x52\x0d\xc5\x34\xeb\x5a\xdb\xe8\x8b\x6e\x42\x8b\xb6\x62\
\x06\x13\x64\x95\x4e\xd4\xaf\xf1\xf4\xac\xa2\x31\xe0\x71\xec\xf1\
\x31\x87\x8b\xf3\x0e\x5b\xab\x24\x39\x5b\xf0\x4b\x5b\x7c\x2c\x95\
\x14\x8d\x21\xc1\x17\x2f\x14\x18\x48\x7b\x65\x68\xbf\xbc\xd5\x47\
\xc0\x27\xe9\xae\x36\x08\xe9\xf0\xf0\xa8\xcb\x54\x51\xac\x29\x92\
\xb5\x5d\x68\x09\x43\xb2\x00\x45\x25\x56\xd4\x84\x37\x9a\x54\x94\
\xad\xb1\x1c\x5c\xf3\x0c\xc1\x0b\x4b\x8a\x89\x9c\x0b\x52\xe2\xd3\
\x14\xd5\x7e\xc1\xe3\xd3\x12\x52\xa3\xb6\x33\x76\xea\x2c\xaf\x71\
\xe3\xec\x97\x07\x80\x19\x6d\x94\xf1\xd6\x6d\xb6\xe3\xb2\xbb\x4a\
\xd2\x1d\x97\xfc\x6b\x9f\x8b\xbe\x7a\x5b\xeb\x95\xac\x30\x73\x25\
\xa8\x0d\x0a\xbe\x75\x53\x04\xcb\xe7\xe3\xf3\x97\x2c\x1a\x42\x02\
\x1d\xc1\xd7\x2f\x16\x59\x2c\x28\x72\x96\x22\x55\x54\xdc\xd2\x66\
\x12\x37\x05\xff\xe7\x74\x0e\xa5\xe0\x13\x37\x86\xc1\x72\xf8\xc0\
\x37\xb3\x4c\xe5\x15\x0d\x61\x83\x2d\x81\x14\xa5\xfb\x7e\x9f\xc0\
\x85\x23\xb4\x74\x76\x61\x9a\x7e\x0a\x79\x4f\xe4\xaf\x0e\xec\xac\
\xde\x69\x4b\x08\x41\x30\x18\xc4\xb6\xed\xb5\xdb\xb1\x95\xdf\x33\
\x7c\x3a\xb3\xf3\xf3\xe4\x1d\x49\xa8\xba\x9e\x52\x21\x47\xac\xaa\
\x8a\x5b\x6f\xb8\x96\x2f\x2e\x76\xb2\x10\x6e\xc0\xd2\x03\x1c\x4d\
\x4a\x84\x50\x08\x29\x30\x75\xc5\xc6\x5a\x83\xaf\x9e\x28\xd1\x1a\
\x92\x4c\xe4\x14\x09\x4b\x71\x25\x0d\xd5\x7e\x28\x38\x0e\x07\xd7\
\x19\xdc\xac\x29\xa6\xb3\x8a\xad\x75\x3a\x0f\x5e\x29\xf0\x37\x67\
\x4a\x84\x4d\x0d\x4d\x78\xbf\x21\xb8\xbc\x17\x16\xde\x8f\x4b\xb6\
\x45\x24\x83\x69\x85\x94\x95\xe5\xa9\x0a\x25\x2a\xa2\x82\x55\x83\
\x4c\x19\xbc\x1e\x10\xe6\xcb\x7b\x5f\xd6\xf9\xc1\x56\x82\x45\xc7\
\x87\x9a\xb9\x3c\xe7\x2e\x4d\x5f\xe4\x35\xee\x7a\xfa\xb2\x00\x30\
\xb7\xdd\xb1\x91\x70\x55\x93\x70\x6d\x26\xf2\x30\x93\x77\x70\xf1\
\x56\xf3\x68\x88\xe5\x64\x86\x87\x03\x45\x50\x2a\x76\x35\xf8\xe8\
\x68\x08\x72\x72\xc6\xa6\x35\x22\x49\x15\x15\x8f\x0e\x16\xc9\x56\
\x2c\x7d\x47\x71\x77\x97\x49\xba\xa4\xf8\xdf\xa7\xf2\x54\x07\x25\
\x9f\x79\x47\x84\xa5\x4c\x89\xdf\x3a\x9c\x23\xeb\x48\x7c\x7e\x93\
\x99\xe9\x11\xc6\xbe\xf2\x9b\x54\x2f\x5c\xa0\xa3\x73\x23\x3e\x9f\
\x8f\x62\xb1\xb8\xcc\xf8\x0a\x63\x6d\xdb\xc6\x71\x9c\xe5\xd9\x5e\
\xf9\x99\x96\xca\x59\x29\x85\x65\x59\xe8\x86\x8e\xdf\x34\x59\x58\
\x5c\x24\x95\xb7\x08\x55\x37\x79\x75\xf5\x9a\x46\x75\xd7\x0e\x36\
\x6d\xdf\xce\x5d\xe9\x16\xfe\x65\x24\x84\x2e\x3d\x9f\x5f\x09\xd0\
\xa4\xe2\xd9\x79\xc1\xb1\xa4\x45\x41\x09\x46\xf2\x10\x90\x82\x58\
\x8d\x64\xba\xe8\xd2\x1d\x87\xce\xb8\xc6\xff\xbd\xe4\x50\x52\xd0\
\x15\x81\x8e\xb8\x46\xdf\x9c\xc3\x2f\x6f\x36\x38\x3e\xed\x32\x94\
\x5d\x49\xff\x56\x94\xb3\x21\xa1\xc6\x2f\x78\x72\xba\x1c\x21\x5c\
\x65\x5f\x5d\xc5\xf7\xca\x00\x7b\xe0\xc0\xdb\x38\xd3\x72\xa1\x35\
\x2c\x98\xca\x7b\x5e\x87\x3b\x76\x66\x08\xaf\xfa\xe7\x55\xeb\x7f\
\x28\xff\xbc\xdd\x4b\xbd\xa7\x6d\x38\xb0\x5b\x04\xe3\x3e\x29\x14\
\x13\x79\x41\xc1\x15\xbc\xbb\x19\xf6\x55\x43\x9d\xe9\x6d\x6d\x5a\
\x89\x87\x0b\xa0\x3b\x0a\xb7\x74\x06\xf9\xdb\x33\x05\xda\x23\x92\
\xf6\xa8\xe4\x3b\x7d\x45\xd2\x25\x58\x28\x78\x99\xae\x0f\x6f\x0e\
\x30\x9c\x72\xf9\xdc\x99\x02\xed\x55\x1a\xff\x74\x57\x94\xcb\x53\
\x45\xfe\xd3\xe3\x79\x72\xae\xc4\x30\xfd\x38\x13\xe7\x10\xf7\xfc\
\x3c\x4d\xd9\x4b\x74\x74\x75\xa3\xeb\xfa\x9a\x84\x4e\x65\xd6\xbb\
\xae\x8b\x65\x59\xcb\x4c\x5e\xad\x16\x2a\x22\xdf\x75\x5d\x0c\xc3\
\xc0\x34\x4d\x52\xe9\x34\xf3\xa9\x2c\x81\x78\x3d\x52\x37\x48\xe5\
\x72\xc4\x3b\xb6\x50\xdf\xb9\x0d\xbb\xa6\x83\x0f\xee\x6d\x24\xe2\
\x33\xc8\x2b\x81\x53\xee\x93\x14\x82\x8c\x23\x28\x95\x83\x34\x05\
\x47\x32\x6f\x09\x1e\x9d\x50\x94\x10\x3c\x33\x07\xcf\xcf\x29\x0a\
\xca\xfb\x9c\x12\x82\x99\x9c\xcb\xdf\x9c\xb3\xf8\xc6\x30\x2c\xd8\
\x02\x5d\x96\xd9\x5b\xb6\x01\x5c\x20\xee\xf3\x00\xb1\x50\xf2\xc2\
\xc3\x9e\x8d\x20\xca\x4c\x16\xcb\xc6\xe3\xda\x74\xb2\x27\x01\x2a\
\x9b\x67\xb6\x45\x24\x43\x59\x81\xb4\x32\x38\x23\xcf\x5d\xc4\xab\
\xfa\x7d\x4d\xf4\x72\x00\x08\x89\xfa\xee\x6b\xd1\x8c\xb2\xdb\x27\
\x98\xb3\x24\x47\x67\x05\x59\x57\x70\xe3\x3a\xc9\xb5\x35\x62\x79\
\xe1\x65\xc9\x56\xbc\x6f\x93\x9f\x8b\x19\x01\x2e\x3c\x30\x54\x22\
\xe6\x17\x1c\x6a\x32\x98\xcc\x38\xc4\x4c\xc9\x07\x37\x9a\x3c\x31\
\x52\xe2\xbe\x4b\x45\x0e\x34\x1b\xfc\xfd\x6d\x61\xbe\x7b\x31\xc7\
\x9f\x9d\x28\xa2\x34\x0d\xcd\x17\xc0\xe9\x7b\x02\x71\xcf\x47\xa9\
\x57\x73\x34\xb7\x77\xa3\x69\x1a\xf9\xff\xbf\xbd\xf3\x0e\x96\x2c\
\xbb\xeb\xfb\xe7\x9c\x73\xef\xed\xf8\xfa\xe5\x9c\xdf\xe4\x99\xdd\
\xc9\x61\x57\x62\x91\x0d\x42\x05\xa2\x04\x2e\x93\x5c\x65\x63\x40\
\x96\x01\x83\xed\x2a\xc0\x2e\x53\x02\xdb\xd8\x86\x72\x19\x6c\x63\
\x4a\x76\x61\x90\x5c\x60\xad\x40\x2c\x60\xb0\x56\x59\xac\x24\x58\
\xad\xb4\x39\xcd\x86\x99\xd9\x09\x2f\xe7\xd4\xfd\x5e\xe7\x7b\xef\
\x39\xfe\xe3\xf4\xed\xf0\x66\x66\x35\xbb\x3b\x0b\x2a\xd7\xfe\xaa\
\x7a\xba\xa7\x5f\xf7\xbd\xb7\xef\xf9\x9d\x5f\xf8\xfe\x52\xa9\xd4\
\x22\xce\x9b\x0d\xbd\x48\xd7\x47\x01\x9e\xe6\x58\x3f\x80\x92\x8a\
\x58\x2c\x46\xb9\x5c\x66\x7d\x2b\x8b\x97\xe9\xc5\x4b\xa4\xd9\xca\
\x66\x71\x07\xf6\xd1\xb5\xef\x24\xed\xa3\x07\xc9\xc5\xba\x18\xed\
\x6f\xe3\x07\x0f\x38\xbc\xa7\xcf\x70\xbc\x5d\x93\x76\x4c\xad\x5c\
\xad\xb1\x10\x51\x9c\xdf\xad\x89\xed\x6c\x20\xf9\xea\x8a\x15\xc5\
\x5a\xc3\xbb\x87\x1c\xae\x6c\x1b\x8a\x5a\x52\xd4\x82\xb5\x8a\xa4\
\x64\x14\x5a\xc8\xda\xe2\xd9\xaa\xa8\xd1\xb4\x60\xbd\x0c\xbe\x69\
\x2c\x6c\x94\x1f\x10\x65\x08\xd7\x1f\xa2\xf1\x88\x98\x22\xae\x04\
\xdd\x09\x9b\x3f\x48\x76\xc1\x0f\x67\x9f\x7d\x19\x3b\xc4\xe2\x0d\
\xd1\xed\x55\x40\xac\x6d\x50\x76\x8e\xde\x63\xf6\x8c\x7e\xd9\x09\
\x04\x9b\x59\x98\xc9\x1b\xde\x37\x24\x90\x18\x2a\x5a\x70\xa2\x5b\
\xf2\xee\xc9\x04\x9f\x9d\x0b\x19\x48\x09\x1e\x7c\xa5\xc2\xa3\x73\
\x01\x3f\x77\x36\x4e\xbe\x6a\xc8\x78\x82\x87\x2e\x57\x79\x75\x3d\
\xe0\xef\x1c\x8a\xf3\x0b\x67\x63\xfc\xd6\x13\x79\x3e\x35\x13\x12\
\x77\x25\xc2\x89\x11\x3e\xff\x67\xa8\x87\x7f\x91\x81\x8e\x38\x03\
\xc3\x53\x18\x6d\x08\xfc\xa0\x05\xbc\x29\x95\x2c\xc4\x1d\x8f\xc7\
\x5b\x98\x21\x7a\x8e\xbc\x03\xd7\x75\x51\x4a\xe1\x7a\x2e\xd5\x6a\
\x85\xd5\xf5\x0d\x9c\x54\x17\xc9\x4c\x17\xb9\xec\x16\x95\xf4\x20\
\x99\x89\x93\x78\x43\x87\x48\x77\x0d\x30\xde\x65\x53\xda\x7f\xe9\
\xdb\xdb\xf8\xe8\x33\x05\xfe\xe8\xaa\x4f\x3e\xb4\xf8\x46\x44\xa6\
\xe9\x45\xa4\xa6\x25\xb5\xe0\xa0\xa9\x85\xc6\xfb\x15\x0f\x5d\x09\
\x6a\xf6\x49\x73\x74\xbc\x61\x30\x87\x21\x4c\xb4\xc1\x8d\x5d\x53\
\x2b\x16\xdd\x13\x30\xdb\xab\x02\x9a\x21\x66\x61\xd0\x5a\xd0\x1b\
\x37\x54\x35\xec\x58\xfd\xbf\x41\x61\xf3\x55\xde\xc4\x94\xd1\xdb\
\x32\x80\x77\xea\xfb\x8e\x92\xec\x1a\x36\xb5\xf8\xbf\x80\x3a\xd6\
\xed\x2a\x28\x84\xe0\x1b\x9b\xca\xb4\x5b\x31\xfc\xcc\xa9\x38\xaf\
\xe4\x60\x20\x25\xf8\xf4\x35\x9f\x5c\xd9\xb0\xbc\x1b\xf0\xf8\x62\
\xc0\xbf\xbc\x90\xe4\x1f\x7c\x7a\x97\x57\x37\x02\xfe\xc9\xe9\x04\
\x3f\x72\xd0\xe1\x97\xbf\x9a\xe7\x1b\x6b\x86\xb8\xe7\x80\x74\x08\
\x1e\xfb\x5d\xdc\x2f\xfd\x1a\x83\x7d\xdd\xf4\x0f\x0c\xa3\xb5\xb6\
\x93\x37\x68\x2c\x6e\x18\x86\x75\x18\x37\x7a\xdd\x1c\xd5\x03\x10\
\x52\x90\xf0\x12\x75\x17\x51\x1b\xcd\xf2\xea\x1a\xc6\x6b\x23\xd5\
\xd5\x4f\x31\x9f\xa3\xab\xab\x83\xf7\xde\x7f\x9e\xc1\xa3\x27\xd9\
\x7f\x68\x92\x73\x13\x5d\x18\xc7\x65\x7a\xd7\x90\x0e\xe1\xd1\x79\
\x1f\x4f\xda\x62\x96\x52\x73\x0c\xfb\x76\x0b\x84\x45\x46\x07\x93\
\x92\xae\xb8\xe4\xe2\x96\x46\x49\x79\xcb\xef\x18\xc0\x53\x86\xde\
\xb8\xe0\xaf\x56\xa8\x17\xaa\xd4\x4b\xd6\xf7\x1c\xde\x50\x6b\x27\
\x0b\x44\xbd\x0c\x02\x2c\x14\xbd\x50\xa8\xe5\x78\x2f\xbc\x38\xcd\
\x1b\xf4\xff\x23\xba\x1d\x03\x48\x39\xf5\xee\xb3\x24\x3b\x1c\x6a\
\x33\x7c\xec\x05\x34\x2e\x2d\x44\xb0\xeb\x6b\x3a\x5c\xc3\xd9\x1e\
\xc9\x64\x5f\x8c\x8b\x5b\x86\xc7\x16\x42\xae\x6c\x87\x0c\x25\x25\
\x3f\x70\xd0\xe1\xeb\x8b\x01\xaf\x6d\x69\xfe\xe9\x99\x04\xdf\xbb\
\xdf\xe3\xde\x4e\xf8\x99\x2f\xe6\xb9\x9a\x17\x76\xf1\x31\x04\x5f\
\xfc\x8f\xc4\x1e\xfb\x1f\x0c\x0f\x0f\xd3\xdb\x3f\x40\xb5\x52\x6d\
\x11\xf9\x40\xbd\x97\xae\x6c\xba\xb1\x42\x08\xfc\xc0\x47\x87\xba\
\x61\x04\x2a\xa7\xc5\xff\x5f\x5e\x59\x21\x50\x09\xda\x7b\x86\xa8\
\x94\x8a\x64\x12\x2e\xfd\x87\x4e\x71\xdf\x99\x93\xf4\x4e\x4e\xe1\
\xb5\x77\x92\x88\xb9\x96\x99\x1d\x18\x4d\x3b\xbc\x7b\x48\xf1\xd1\
\x4b\x9a\xad\xd0\xfa\xe9\x8e\x6c\xc6\x3f\xea\x2b\x53\xbb\xdb\x76\
\x81\xfc\x10\x4e\xf5\x08\x56\x8b\x86\xd5\x92\xc0\x71\x44\x8b\xc4\
\x68\x76\x97\xbb\x63\xf6\x2f\xdb\xbe\xcd\x14\x32\x35\xeb\x30\xaa\
\x55\x6d\x5d\x45\x51\x8b\x40\x36\x2c\x48\x63\xac\x0b\xf9\xfc\xb6\
\x44\x56\x72\xf8\xb3\xcf\xbc\x8a\x1d\x80\xfd\x86\xe9\x76\x0c\xd0\
\x26\xfb\x0f\x9e\x43\x39\x10\xf8\xad\x59\x3e\x11\x9f\x0a\xc8\xfa\
\x82\x0f\x8c\xc1\x85\x89\x38\xeb\x15\xc1\x2b\xeb\x01\x4f\xaf\x04\
\x7c\xfb\xb0\xcb\x48\x5a\xf2\x27\x57\x2a\xcc\xe5\x34\xf7\x0f\x3b\
\x9c\xee\x8b\x33\x19\x0f\xf8\xe1\xcf\x14\x58\xa9\x2a\xe2\x9e\xc2\
\x54\xcb\x04\x9f\xfa\x25\x92\x2f\xfc\x11\xc3\x13\x93\x74\x77\xf7\
\x10\xf8\x36\x63\x27\x72\xdd\x4a\xa5\x12\x4a\x29\x3c\xcf\x6b\xd1\
\xfd\x60\x0d\xbc\x30\x08\xeb\x69\x5e\x4e\x2d\x3f\xcf\x36\x5e\x54\
\xac\xac\xac\x50\x0a\x25\xed\xfd\xc3\xe8\x30\xc0\xf8\x15\x0e\x9e\
\x38\xc7\x3d\xe7\x4e\xf1\x67\x5b\x23\xb4\xab\x14\xc7\x47\x24\x65\
\x61\x93\x59\x32\x71\x41\x5f\x4c\xf2\xfe\x43\x09\x0e\xf5\x06\x5c\
\xda\xd4\x3c\xb3\xa6\xb9\x94\xd5\x6c\x56\x6c\x6f\x42\x25\x25\x4a\
\xd4\xd2\xb9\x6c\x3e\x4f\xcd\x10\xd6\xdc\x3f\xe8\xf0\xcc\xaa\x26\
\x40\xd6\x6e\x6c\x74\xaf\x1a\x7b\x3b\x30\x30\x96\x12\x2c\xd7\xf4\
\x7f\x7d\xda\xb0\x68\xdc\xd7\x56\x6a\x46\x88\xec\xeb\x84\x63\x68\
\xf7\x04\xcb\x15\x07\x91\x5d\xa8\x86\xb3\xcf\x5f\xc4\xa6\x7f\xbd\
\x61\xba\x35\x03\xa4\xfb\x87\x45\xc7\xd0\x31\xc2\xb0\xa9\xc2\xa5\
\x11\xda\x35\x58\xcb\xf6\xa5\x2d\xc3\x87\x2f\xc4\x39\x34\x10\xe7\
\xe3\x97\x7c\x5e\x58\x0b\xf9\x81\x83\x1e\x73\x3b\x9a\x4f\x5d\xaf\
\xf2\x9d\x63\x2e\xdf\x3d\xe1\x90\x92\x9a\xdf\x7d\x26\xcf\x95\x0d\
\x9f\xa4\xb2\x7d\x70\x4d\x29\x4b\xf0\xd0\x3f\x23\x75\xed\x2f\x18\
\x99\x3a\x40\x67\x67\x27\x7e\xd5\xaf\x2f\x3e\xd0\x0a\xe3\xd6\x0c\
\xbc\xbd\x22\xdf\x75\xdd\x3a\xb2\x07\x16\xe5\x73\x5c\x87\xd5\xd5\
\x35\x76\xcb\x01\x99\xfe\x09\x94\xa3\x58\x58\xdd\xa2\xda\x7f\x94\
\x4c\xec\x30\x7f\x77\xdf\x01\x02\x06\xd8\x11\x09\x6e\x64\xe1\xf2\
\x76\x40\x47\x42\xd2\x9b\xb6\x96\xfe\xa5\xcd\x90\x87\xae\x84\x3c\
\x30\xec\xf0\x93\x27\x1c\xda\x5c\xc1\x6a\x21\xe4\xf9\x35\xcd\xb3\
\x6b\x9a\xd7\x76\x20\x5b\x85\x50\x88\x7a\xaf\xa2\x8c\x2b\x38\xd8\
\x25\xf9\xe4\x35\xbf\xd1\x98\x4a\xd0\xa4\xfb\x6b\x5e\x09\x30\x9e\
\x86\x2b\xbb\x16\xc3\x6f\x5d\xf0\x9b\x75\xcb\xde\xec\xaa\xd0\x40\
\x5f\xdc\x50\x0a\x21\x6f\x3c\x58\xbd\xb2\x46\x29\x7b\x99\x37\x39\
\x65\xfc\x96\x0c\xe0\x9d\xf9\xfe\xa3\xa4\x3a\x07\x8c\xa9\x39\x43\
\x91\x68\x8a\x18\x19\x43\x68\x04\xdd\x31\xe8\x6b\x73\xb9\xb8\xa5\
\xa9\x6a\xc3\xfb\xf7\xb9\xe4\x2b\x86\x07\x86\x24\x1f\x3c\x1c\xe3\
\xda\xa6\xcf\xef\x3d\x5f\xe4\xf1\x55\xc3\x46\x15\x3c\x29\xe9\x49\
\x38\xa8\xdd\x15\x2a\x7f\xf0\xd3\xb4\x2d\x3e\xc5\xd8\xfe\xc3\x64\
\xda\x32\xf5\xc5\x87\x06\x70\x13\xf9\xf2\x52\xc9\xfa\xc2\x17\x4b\
\x45\x04\xe2\x96\x46\xa0\x14\x36\xc6\xbf\xb9\xb9\xc9\x76\xbe\x48\
\x5b\xef\x18\xb1\x44\x92\xc5\xd5\x75\xf2\x1d\x93\x0c\xec\x3b\x41\
\x6a\xe4\x30\x97\x4a\x9d\xf4\x0e\x26\xf9\xe8\xd3\x01\xa3\x19\xc3\
\x50\x9b\xa4\x2d\x66\x7f\xd3\x56\xc5\xd0\x9f\x56\xfc\xd5\x8a\xcf\
\x57\x57\x43\x12\x0a\x86\x92\x70\xbc\x4b\x70\xae\x5f\xf1\xf3\x63\
\x0e\x31\x09\x0b\xbb\x9a\xe7\xd6\x34\xcf\xad\x6b\xae\xe4\x60\x7f\
\xc6\xfa\xe6\x97\x73\xb5\x90\x71\xd3\xe6\xaf\x6f\x22\x63\x7b\x1c\
\x74\xc6\x04\x0b\xab\xa2\x1e\x5a\xae\xaf\xfd\x6d\x34\xb8\xa9\xff\
\x6b\x33\x88\x27\x52\x82\xe5\x92\xad\x26\x62\xee\xc5\x1b\xc0\xcc\
\x9b\x59\xfc\xdb\x31\x80\x14\xe3\xe7\xce\x89\x44\xbb\x22\xa8\x36\
\xc5\xb8\x9b\x9f\x05\x7e\x60\xf8\xb1\x7b\x1d\x72\x5a\xf1\xe5\x59\
\x9f\x0f\x1e\x73\xd9\x29\x6b\x16\xb2\x01\x8f\xce\xf9\xfc\xc6\x42\
\xc8\x52\x09\x8c\x90\xb8\x52\x10\x77\x00\xc7\x63\x6b\xe5\x06\xfa\
\xc1\x0f\x92\xc9\x4f\x9e\x39\xda\x00\x00\x1c\xe5\x49\x44\x41\x54\
\x5e\x61\xfc\xc0\x61\xd2\xe9\x74\x5d\xe7\x47\xb1\xfc\xbd\x22\x3f\
\xda\x01\x61\x18\xd6\xc5\x7c\xb3\x11\x18\x35\x93\x71\x3d\x97\x6c\
\x2e\xcb\xfa\x56\x8e\x54\xcf\x30\xa9\x4c\x07\xab\xeb\xeb\x64\x93\
\x83\xa8\xf1\xd3\x6c\x76\x1f\x63\x39\x1c\xe3\xea\xb5\x38\x1f\x3f\
\xa4\x38\xd2\x6d\x58\x2f\x41\x25\xb0\xd5\x48\xd5\x10\xd6\x4b\x70\
\xaa\xdd\xa1\x3f\x21\xd8\x0a\x24\x46\xc0\x7c\x09\xa6\xe7\x0d\xff\
\x77\x4e\x93\x52\x86\xd1\x94\xe0\x44\xb7\xe0\x4c\x9f\xc3\xfb\xa7\
\x20\xd4\x86\x98\x23\x28\xf9\x30\x91\x34\xcc\x96\x0c\x21\xf2\xa6\
\x30\xb0\xc6\xd0\x13\xb3\x06\x63\xd6\x17\x37\x55\x2a\x37\xd0\x55\
\xb3\xc7\x22\xac\x1d\xa8\xf6\x5b\xc7\xd3\xf0\xd4\x96\x44\x96\x73\
\x04\xb3\xcf\xbe\x82\xcd\xfd\xbf\x6b\x0c\x90\x91\x7d\xfb\xcf\x22\
\x55\x23\x03\x86\x56\x06\x0d\x0c\xdc\xdb\xa9\xf9\xf1\x13\x09\x96\
\xca\x86\xf7\x8f\xc2\x67\x2e\x95\x70\x74\xc0\x6f\xbe\x64\xc8\x86\
\x12\x4f\x29\xdc\xfa\xd1\x0d\x38\x71\xf4\xe2\x45\xcc\xc7\x7f\x82\
\xf6\xd2\x12\x63\xfb\x0e\x91\x4a\xa5\x5a\x0c\x3e\x80\x44\x22\x51\
\xb7\xfe\xe1\xf6\x46\x60\xb3\x9a\x10\x42\x90\x48\x24\xd8\xdd\xdd\
\x61\x65\x7d\x83\x78\xc7\x00\x6d\x9d\xbd\x6c\x6f\x6f\xb1\xa1\xba\
\x90\x63\xa7\x91\xc3\xf7\x40\xd7\x38\xb1\x54\x1b\x6b\x81\xcb\xe7\
\xaf\x57\xf9\x7b\x87\x62\xfc\xa7\x67\xaa\x94\x42\x41\x29\x80\x72\
\x15\xb6\xab\x86\x64\x4c\x32\xde\x26\x58\xdb\x02\x4f\xd8\x18\x47\
\x24\xd6\x03\x04\xd7\x0a\x70\x79\x17\xfe\x78\x3a\x24\xed\xc0\x64\
\xda\xf0\x1b\xdf\xe6\x92\xad\x18\x7e\xee\x94\xc3\xd7\xe7\x03\x3e\
\xbf\x0c\x59\xad\x5a\x80\x96\xd0\xc0\x58\x4a\xb3\x5a\xb6\x41\x34\
\xd5\x82\xa7\x37\xee\xb5\x69\xaa\x26\x6f\xf0\x80\x95\x16\x49\x05\
\xed\x1e\x2c\x57\x5d\xd8\xbe\x52\x0e\x67\x9f\xb9\xc8\x5b\x98\x93\
\x78\x33\x03\xf4\x4e\x8c\x89\xcc\xe0\x51\xa3\xc3\x96\xab\x30\x4d\
\x1c\xa9\xb5\x4d\xeb\xfe\xca\xac\xcf\xa7\xaf\x07\x3c\xb1\xa6\xd9\
\xa8\x08\x4e\x74\xc0\x60\x12\x8a\xc5\x08\x26\x16\x96\x9b\xdd\x04\
\xfa\xfa\xd7\x31\x0f\x7e\x88\x4e\xb3\xc3\xd8\xbe\x43\x24\x12\x09\
\x2a\xe5\x4a\x1d\xd7\x8f\x44\x7e\xb3\xe8\xd7\x5a\x53\x2e\x97\x51\
\xca\x82\x39\x7b\x8d\xc0\x88\x29\x12\x89\x04\x85\x42\x9e\xa5\x95\
\x35\xdc\x74\x37\x99\xee\x41\x76\x73\x59\x96\xfd\x38\x4c\x9e\x42\
\x8e\x1c\x47\x74\x4f\x42\xa2\x1d\xa4\x87\x2b\xe1\x93\x57\x43\x1e\
\xdc\x6f\x38\xd4\xa5\x58\x2b\x1a\xca\x71\x28\x87\xb6\x80\xb5\x8c\
\xe4\x70\x87\xe4\x89\xcd\xda\x79\x84\xa8\xbb\xea\x42\xd8\xaa\x68\
\x47\x5a\x50\xb6\x04\x2c\x96\x42\x96\x76\x43\xfe\xd5\x13\x9a\xdd\
\x50\x92\x71\x15\x65\x3b\x02\xb2\x25\x2f\x56\x1b\x18\x4f\x09\x2e\
\xed\x58\x63\xd2\x88\x86\x75\xdf\xaa\x01\x5a\x55\x43\xf4\x3a\x34\
\x30\x1c\x37\xe4\x03\x41\xde\x78\x88\xe5\xcb\x2b\x54\xf2\x97\xb9\
\xf3\x21\x57\xdf\x9c\x01\xd4\xf1\xef\xbb\x87\x54\x77\x1f\x3a\x02\
\x43\xb9\x49\x0d\xb8\x0a\xbe\xb2\x02\x5f\x5a\x0c\x30\x42\xe0\x4a\
\x45\xca\x83\xab\x05\x88\x49\x5d\x0b\x6e\xd4\xbe\xe2\xc6\xd1\x97\
\xfe\x02\xfe\xf0\x27\xe9\x76\x02\x46\xa7\x0e\x12\x8b\x79\xf5\xa8\
\x9d\xd6\xba\x1e\xcf\x07\x5a\x16\x39\xc2\xf8\x23\x23\xb0\xd9\xd8\
\x8b\x3e\xeb\x79\x1e\xa5\x72\x89\x85\xa5\x65\x64\x22\x43\x47\xdf\
\x30\x95\x52\x81\xc5\x12\xe8\xb1\x93\xa8\xd1\xe3\x88\xde\x7d\x90\
\xea\x02\x37\x86\xc1\x8e\x68\x5d\xad\x4a\x3e\x7d\xb5\xca\x8f\x1c\
\x88\xf3\xeb\xcf\xf9\x94\x03\x28\x07\x86\x92\x2f\xd8\xac\x0a\x8e\
\x75\x4b\xb8\xa6\x6b\xd0\x6c\x43\x8f\xd7\xa5\x62\xd3\xe6\xc8\x78\
\xf0\x85\x99\x90\xed\xd0\x45\x08\xd8\x0a\x9a\x50\xdc\xa6\xef\xc6\
\xa4\x0d\x1e\x2d\xac\xca\xc6\x06\xb1\x3f\xe4\xf6\x0e\x7c\x13\x67\
\x84\x06\x26\xd2\x30\x5f\x14\x68\xa3\x61\xfe\xf9\xeb\xc0\xfc\xed\
\xbe\x7a\x27\xb4\x17\x0a\x56\xce\xf8\x99\xb3\x22\x99\x91\xa6\xa6\
\x59\xd9\xb3\xeb\x22\x8d\x2c\x84\xc0\x75\x24\x31\xd5\xe4\xa2\x0a\
\x41\xa5\xa9\xe7\x84\x70\xe3\x84\x17\x1f\x86\x07\x7f\x82\x6e\x4f\
\x33\xbe\xef\x00\xf1\x58\x0c\xbf\xea\xd7\x43\xb8\xb1\x58\xec\x26\
\xb1\x1e\x3d\x3b\x8e\x63\xd1\xbc\x9a\x4f\xaf\xb5\xb6\x8c\x13\xd8\
\xef\xbb\x9e\x4d\xea\x58\x58\x58\x44\x3b\x09\xda\xfb\x47\x09\x02\
\x9f\x85\x9d\x0a\xfe\xd0\x71\xd4\xf8\x49\x64\xff\x41\x44\xba\x07\
\x9c\x58\xed\xe7\x5a\xb8\xd5\x73\x24\x9f\xbc\xa6\x19\x8a\x6b\x0e\
\x76\x4a\x76\x7d\x43\x39\x80\x4a\x68\x58\x2e\x1a\x0e\x74\x2b\x9b\
\xde\xa5\x6b\x33\x7f\xeb\xf8\x7c\x24\x9f\xed\x71\x6c\x47\x13\xc1\
\xa3\xeb\x0a\x64\x63\x46\x70\xa3\x79\x62\x64\xfd\x5b\xa3\x39\x30\
\x82\x9d\xa0\xa9\x51\x44\xfd\x1e\xdb\x47\x04\xff\xde\x14\x0f\xa8\
\xdd\x93\xd1\x14\xcc\x94\x14\xb2\xb4\x8d\xbe\xf1\xe4\x2b\xc0\xc6\
\xdd\x64\x80\x0e\xd1\x3b\x75\xd6\x88\xc6\xec\x07\x1b\x15\x6b\xc6\
\xa3\x6b\x51\xa9\xda\x35\x9a\x96\x0b\xad\xbd\x27\x04\xb8\x71\xc2\
\x67\x1e\x42\xfc\xe1\x4f\xd1\x93\x72\x19\x9f\xda\x8f\x92\x8a\x62\
\xb1\xd8\x92\x8e\xdd\x3c\x2c\xa9\x52\xa9\xd4\x5b\xab\xdf\x2a\xb0\
\x63\x8c\xb1\xd8\xbf\xeb\x59\xf7\x30\x0c\x59\x58\x5c\xa4\x8a\x43\
\xc7\xc0\x18\x52\x08\x16\xb7\x76\x29\xf7\x1d\x45\x8d\x9f\x46\xf4\
\x1f\x82\xb6\x7e\xf0\x92\x16\xaf\x8d\x76\x5d\x6d\x91\xd6\x7d\xc5\
\x9f\x5f\xf1\xf9\xa1\xfd\x0e\x45\x1f\x76\x7c\x28\x54\xed\xf3\x81\
\x6e\x87\x5f\x3c\x0e\xdf\xdb\xef\x33\x12\x0b\x6b\x7e\x7f\x2b\x1e\
\x1f\x6d\x86\x7c\x28\xc8\x86\xaa\x6e\xf1\x1b\x1a\xf7\x29\xda\x18\
\xa1\x81\xd1\x94\x61\xa9\x64\xed\x88\x48\xb4\x37\x70\xff\xa6\x84\
\x91\xe8\x38\xa2\xf1\xbe\x16\xb6\x08\x37\xe5\xc0\x8a\xef\xc1\xd6\
\x6c\x49\xdb\xfc\xff\xb7\x34\x27\xb9\x95\x01\x06\xf7\x8d\x89\xf6\
\xc1\x43\x4a\x07\xf4\x7b\x21\x13\xf1\x90\x52\x28\x08\x9b\xb9\xb2\
\x85\xf6\x4a\x88\xda\x67\xdc\x18\xe1\xe3\xbf\x8f\x78\xe8\x67\xe9\
\xcd\x24\x18\x9b\x98\x42\x49\x55\xcf\xd7\x0f\x9b\xc6\xcb\xed\x45\
\xf6\x92\xc9\x64\x9d\x31\xf6\xea\xfc\x28\xfe\x1f\xa9\x8b\xc5\xc5\
\x45\x4a\x55\x4d\x7b\xff\x18\xae\x1b\x63\x69\x23\x4b\xa1\xfb\x10\
\x6a\xe2\x34\x72\xf0\x28\xa2\x7d\x08\x62\x49\x8c\x88\xc0\x9a\x56\
\x51\xeb\x2a\xc1\x27\xae\x6a\x32\x32\xe4\xbe\x41\x87\xd3\xbd\x92\
\x1f\x99\x92\xbc\xbb\x43\x93\x2b\x06\x9c\x19\x54\x1c\xeb\x91\x4c\
\x97\x14\x55\x21\x1b\xea\x60\xcf\x82\x95\x8d\x2d\x82\x6d\xec\xe8\
\xe8\x5e\x50\x67\x14\x6d\x04\x63\x49\xc3\x4c\x41\xd6\xe3\xff\xad\
\x69\x40\xcd\xf7\xf7\xe6\xd7\xda\x08\x06\x12\x86\x42\x00\x05\xe3\
\xc1\xca\xe5\x65\xfc\xe2\x15\xde\xe2\x04\xb1\x16\x1b\xc0\xbd\xf7\
\xfb\xee\xd5\x89\xce\xde\x8c\xf4\xf9\x87\xfb\xac\xd1\xf2\xd8\x6a\
\xc0\x5c\x49\xb0\x56\x16\x94\x74\xad\xa1\x93\x14\x48\xd1\x6c\xb2\
\x34\xe9\x7c\xe5\x11\xfe\xe5\x6f\xa3\x1e\xfe\x30\xbd\x3d\x5d\x8c\
\x8e\x4d\x20\xa5\xc4\xaf\xfa\x75\x1c\x3f\xd2\xe3\x91\xeb\x17\x2d\
\x68\x34\x5c\x29\x12\xf9\x41\x10\xd4\xab\x7a\x5a\xe2\xfd\x02\x96\
\x96\x16\xd9\x2d\xf9\xb4\x0f\x8e\x93\x48\xa6\x59\x5a\xdf\x20\x97\
\x99\x40\x4e\x9c\x46\x0c\x1d\x43\x74\x0c\x43\xac\x8d\x7a\x57\xce\
\x26\x8a\xd4\x5b\x46\x06\xfc\xed\x3e\x4d\x5a\x84\xfc\xf3\x23\x82\
\xeb\x5b\x3e\x7f\xf9\x5a\x48\xb6\xa4\xb9\xb6\x63\x77\xe8\xc9\x3e\
\x87\xf7\x0d\x1a\x3e\xbb\x22\x88\xa9\x26\x9c\x36\x42\xee\x0c\x68\
\x6a\x03\x33\x9a\xfd\xbe\xa6\x53\x9a\xba\xff\x0f\x0b\x65\x89\xaa\
\xeb\xfe\xfa\x05\x35\x48\x50\x3f\x6e\xf3\x9b\x81\x81\xa9\xb4\x61\
\xbe\x24\x31\x26\x44\x4f\x3f\x7d\x8d\xb7\xa8\xff\xa1\x95\x01\x5c\
\x39\x7e\xe6\xbc\x4c\xb6\x8b\xad\x6a\x89\x6c\x15\x1e\x5b\x97\xf4\
\xc6\xe1\xbd\x1d\x86\xb8\xd4\x6c\x57\x61\xb6\x00\x33\x05\xc1\x46\
\x45\x52\x89\x3a\x7c\x45\x8d\xaf\xa4\x43\xf8\xc8\x7f\xc5\xf9\xdc\
\xbf\xa7\xaf\xbf\x97\xa1\xe1\x51\x30\xe0\x57\x5b\x8d\xd4\x08\xe8\
\x89\x24\x82\x36\x9a\x98\x17\x6b\x31\xf4\x22\x26\x89\xaa\x79\x22\
\xef\x40\x2a\xc9\xd2\xd2\x12\xd9\x9d\x22\x6d\xfd\xa3\xa4\xda\x3a\
\x58\xdb\xd8\x60\x3b\x31\x84\x9c\x38\x8b\x1c\xbe\x17\x11\x55\xf2\
\xa8\x5b\x57\xbf\x4b\xa0\x4d\x86\x4c\x25\x0d\xbb\xa1\xe4\xe5\x4d\
\xcd\xb5\xcd\x12\x7f\x35\x1f\x92\x0d\x24\xb3\x45\xc9\x54\x9b\x95\
\x79\x5f\x9a\xd7\xfc\xe8\x41\xc9\xe3\x9b\x9a\x5d\x2d\x5b\xdb\xdf\
\xd5\x77\xb1\x75\x8f\x6c\x69\xfc\xcd\x1c\xa0\x81\xbe\x98\x26\xd0\
\x82\x5d\x5f\xee\x69\x61\x5f\x73\xad\x44\xe3\x28\x75\x55\x43\xa3\
\x97\xa0\x04\xc6\x93\xf0\xc8\xba\x83\x2c\x6e\x12\x4e\x3f\xfe\x32\
\xb6\xe7\xdf\x5b\xa2\x66\x06\xe8\x30\x3d\xfb\xce\x68\x21\x19\x49\
\x68\x4a\x5a\xf0\x42\x4e\x21\x76\xec\x4f\xc9\x38\xc6\x4e\xeb\x4e\
\x1b\xbe\xa7\xdd\xe0\x4a\xcd\x56\xc5\x30\x93\x17\xcc\x94\x14\xb9\
\x50\xe1\x7f\xee\xd7\xf0\x1e\xf9\x75\xfa\x07\x87\x18\x1a\x1a\x41\
\x08\x51\xaf\xc2\x79\x3d\x18\x37\xb2\xf2\xc1\xe6\xf7\x47\x12\x41\
\x35\x2d\x60\x54\xe1\xb3\xb2\xb2\xcc\xd6\xb6\x05\x7a\xda\x3a\x7a\
\xd8\xd8\xda\x62\xdd\xed\x41\x4c\x9c\x45\x8c\x1c\x47\x74\x4f\x20\
\x92\xb5\xfe\x7c\x4d\x8b\x60\x22\x25\x56\xdb\xa8\x05\xa3\x78\x2e\
\xef\x50\xce\xc2\xb9\x7e\xcd\xe5\x4d\x38\x94\x91\x94\x73\x30\x98\
\x80\x62\x60\xe5\xda\x50\xd2\xb0\x55\x31\x9c\xeb\x11\x7c\x71\x45\
\x10\x93\xad\x11\x3b\xeb\x1a\xca\x1a\x40\xda\xc4\x08\x75\x78\xca\
\x8e\xa0\x98\x48\x19\x56\xca\x92\x00\x5b\xee\x15\xf9\x86\x91\xab\
\x68\x69\xef\x20\x2d\x51\x57\x5d\x6d\x8e\x2d\x36\x5d\xf1\x3d\xc4\
\xc6\x4c\x41\xcf\x5f\x7c\x19\x5b\xfb\xff\x96\xa8\xc1\x00\x23\x27\
\x26\x64\xfb\xe0\x81\x6a\x10\x70\xa4\xc7\x70\x3d\x6f\xf3\xd8\x3c\
\x69\xb3\x7e\x8a\x46\x72\xa5\x00\xaf\xee\xda\x66\x8b\xed\xae\x61\
\x2c\x69\xd8\xd7\x26\x39\xd3\x13\xf2\xd5\x8f\xfd\x32\xd7\xff\xe2\
\xb7\x19\x18\x1e\x65\x68\x78\x18\xa3\x6d\x96\x4e\xb3\x8e\x8f\xea\
\xf4\x22\x9f\x3e\xf2\xff\xa3\x85\xae\x4b\x04\xad\x5b\x12\x3a\xa3\
\xc5\x5f\x5b\x5f\x65\x7d\x63\x8b\x78\x67\x3f\x99\xee\x7e\x72\xb9\
\x1c\x6b\xb4\x23\x26\xce\x22\x47\x4f\x20\x7a\xa6\x20\xd9\x89\x51\
\x5e\xc3\x7d\xaa\xf9\xe1\x91\x9a\xb2\x06\x55\xa3\x92\x47\x48\x43\
\x60\x2c\x78\x35\x9d\xd7\x38\xca\xd0\xe7\x68\x66\x0a\x92\x81\x84\
\x20\xd4\x1a\x3f\xd0\x4c\xa4\x65\x6d\xd2\x58\x63\xb7\x46\x1c\xd0\
\x08\x91\x35\x5a\xbf\x35\x6a\x01\x05\x46\xc3\x78\xca\x70\x31\xab\
\x6c\xee\x80\xa0\x1e\x23\xa8\x21\xeb\x4d\x1c\x75\xb3\x4b\xa8\x0d\
\x96\x11\xab\x82\x12\x0a\xb9\xf4\xd2\x12\xa1\xff\x1a\x77\x61\x82\
\x68\x9d\x01\xd4\xb1\xef\x39\x2e\xd3\x5d\x5d\x19\xaa\x8c\x26\xe1\
\x4f\xe6\x2d\x0c\xaa\x11\x75\x29\xd7\x8c\x88\xed\x06\x82\x8b\x79\
\x87\x17\x36\x4b\xc8\x3f\xfd\x39\x12\xcf\x7e\x82\xd1\xb1\x09\x06\
\xfa\x07\x6d\x22\xc7\x9e\x58\x7e\xe4\xef\x47\xba\x3d\x4a\xe7\x8e\
\x24\x00\x34\xdc\xbe\xe6\x3a\xbe\x28\xb8\xb3\xb1\xb1\xc1\xea\xea\
\x3a\x6e\x5b\x37\xed\xbd\x43\x14\xf2\xbb\xac\x04\x71\xcc\xe4\x69\
\xd4\xe8\x49\x44\xdf\x81\x86\xbb\x57\xd7\xb1\x91\x38\xdd\xf3\xab\
\x5b\xec\x56\xc9\xd5\x5d\xcd\x81\x76\xf8\xc6\xaa\xe2\x44\x26\xc0\
\x18\xd8\x97\xd6\xac\x95\x05\x1d\x1e\xb8\x18\xba\xbd\x5a\x57\xcf\
\x16\x03\x0f\x9a\x05\x77\x5d\xc4\x44\x7f\x37\x56\x0a\xc4\xa5\xa6\
\x27\x06\x8b\x65\xd1\xa4\xff\x9b\x96\xb9\xc5\x18\xdc\xbb\x44\x86\
\xc0\xc0\x64\xca\x30\x5b\x94\x18\x6d\xd0\x33\xcf\x5c\xc7\x76\xfe\
\x7c\xcb\x14\x6d\x4f\x8f\x89\x93\xe7\x54\x2c\x25\xbe\xab\x2f\xe0\
\x54\xaf\xe0\x3d\x3d\x01\xa7\xda\x02\xda\x95\x46\x87\x86\x4a\x68\
\x7d\xd8\x7a\xb3\x53\xc7\xc5\x29\xe7\x50\x9f\xf8\x20\xc9\x67\x3f\
\xc1\xd0\xf8\x14\x43\x43\xc3\x84\x61\xd8\xb2\xf8\x7b\xa7\x61\x46\
\x99\x3a\x60\xc5\x7d\xe4\x16\x02\x75\x89\xd0\x8c\x0b\xb8\xae\xcb\
\xd6\xd6\x16\xcb\xcb\x2b\xa8\x64\x3b\x1d\xfd\x23\x54\xca\x65\x96\
\x2a\x0e\xe1\xe8\x29\xe4\xf8\x29\x44\xff\x21\xbb\xf8\x6e\x8c\x56\
\x25\xbd\xe7\xc6\x36\xb9\x6f\xd1\xc3\x55\xf0\xe8\x9a\xe4\x4c\xaf\
\x60\xb1\x24\x98\x2e\xdb\x54\xee\xa4\x32\x8c\x26\xed\xaf\x0d\x42\
\xc3\xb1\x2e\x43\x6f\x4c\x13\xec\xe5\xa6\x26\xf7\xb7\x85\x39\x6a\
\xb0\x61\x28\xa0\x37\x66\x28\x6b\xc8\xd5\x5c\xc5\x96\x6b\x69\x36\
\x08\xf7\x3a\x5a\xb5\xe3\x29\x60\x38\x61\x98\x2e\xb9\xc8\xfc\x3a\
\xe6\xfa\x93\x77\x45\xff\x43\x43\x02\x74\xab\x81\x23\xe7\xca\x52\
\xf2\x4c\x56\x31\x53\xd4\x04\x38\xec\x6f\xd3\x9c\xef\xb6\x15\xc1\
\x6b\x65\x98\x2d\x48\xe6\x8a\xb0\x43\x1c\x72\xcb\xe8\xdf\xff\x09\
\x52\xb3\x8f\x31\x34\x75\x80\xde\xde\x5e\xc2\x20\x6c\xe9\xc1\xd3\
\x5c\x85\xbb\x37\x97\x2f\x72\x07\x95\x52\xf5\x3c\x7e\xa0\xc5\x05\
\xf4\x62\x1e\xd9\x6c\x96\xc5\xc5\x25\x44\x2c\x4d\x47\xff\x08\x61\
\x10\xb0\x54\x08\xf1\x47\xcf\xd4\x7c\xfd\xc3\x88\x4c\x1f\xb8\x89\
\x56\x2b\xbc\x26\x94\xa3\xc2\xd4\x16\x6a\x52\xe0\x12\x58\xaf\x48\
\x3e\x3d\x6f\xf8\xf0\x09\xcd\xaf\x3c\x27\xc9\xf9\x1e\xdf\xd1\xe3\
\x33\x14\xd3\x54\xb5\xc0\x11\x10\x17\x86\x9f\x3d\xa4\xf9\x0f\x2f\
\x09\x02\xa5\x70\xea\xbb\xbf\x49\xdc\xd7\xd4\x8d\x11\x11\x5e\x68\
\xfd\xff\xf1\x94\x61\xb1\x64\x5d\x45\x05\xb7\xb8\x9e\xe6\xfa\xe1\
\x88\xa1\x4c\xad\xa1\xb9\x20\xe3\xda\xe1\x57\xeb\x81\x8b\xd8\xbc\
\x91\xd7\xcb\x77\x47\xff\x43\xc4\x00\x5e\xba\x83\xed\xc5\xa4\x48\
\x77\xb3\x9d\xe9\x65\xb5\xea\x51\x09\x35\x2f\xee\x06\xb8\x84\x74\
\xd5\xf4\xfd\x81\x4c\xc8\xbb\x06\x3d\x96\x66\x2e\xf3\xd9\xdf\xfe\
\x71\x52\xeb\xaf\x30\x32\x79\x90\x9e\x9e\x9e\x7a\x7a\x76\x73\x90\
\x26\x12\xef\x5a\xeb\xba\x21\x08\x34\x72\xf4\xf7\xc4\xf2\xa1\x11\
\xe5\xf3\x62\x1e\xb9\x5c\x8e\x85\x85\x05\x70\x62\x74\xf4\x0d\x83\
\x81\xa5\x9d\x2a\x95\xe1\x13\xa8\xf1\x33\x88\xc1\xa3\x88\xf6\x41\
\x8c\x97\x04\x21\x1b\xaa\xb5\x29\x8a\xd6\x30\x05\x5a\xfe\xd0\x12\
\x68\xf3\x1c\xf8\xd4\xa2\x43\x4a\x05\x7c\xe4\x5d\x9a\x87\xae\x09\
\xbe\xbc\xaa\x38\xdb\x09\xe7\xfb\x61\xb8\x4d\x51\x09\x0c\x67\x7b\
\x34\xff\xe6\x5e\xc3\xff\xbc\x6a\x58\x2a\x5b\xe4\x4f\x09\x5b\xc1\
\x2b\x6a\x46\x9d\xd5\xe9\xd1\x79\xad\xb7\x33\x9e\xd4\x3c\x97\x55\
\x75\xf1\x1f\x29\x8d\xba\xda\x68\xb2\x07\x04\x35\x5b\xb2\x26\x69\
\x42\x03\x23\x09\xcd\x96\x2f\x28\x0b\x81\x9a\x7f\x71\x89\x30\x7c\
\x0d\x1b\x54\x7c\xcb\x54\x4b\xb0\xab\xea\xf0\xc9\x3f\x58\x35\x2f\
\x3c\xbc\x53\xbe\xf1\x64\x59\x6f\xcd\x4b\x15\x96\x3d\x15\x4b\x3a\
\x24\x32\x14\x55\x8c\xc5\xb2\xc3\xcb\x85\x38\x2f\xbc\xf4\x22\xb3\
\xff\xed\x87\xf1\xb6\x6f\x30\x32\xb9\x9f\xee\xee\x6e\x5b\x84\xa1\
\xcd\x4d\x22\x3f\x8a\xde\x45\x22\xbd\x54\x2a\x51\xad\x56\xeb\xfa\
\x7f\x2f\xf4\x1b\x86\xb6\xd4\x3a\x16\x8b\x91\xcf\xe7\x99\x9f\x9f\
\x27\xc4\xa1\x7d\x60\x0c\xe5\xc6\x58\xcc\x95\x29\x0d\xde\x83\x33\
\x75\x1e\x31\x7c\x1c\xd1\x39\x02\xb1\x34\x0d\xcb\xaa\xb1\xa8\x0d\
\x41\x10\x89\xda\x56\xbc\x22\xfa\x70\xb4\x1b\x95\x84\xe7\xb3\x8a\
\xe9\x5d\xc1\x0f\x4c\x0a\xde\x37\x62\xbf\xfb\x5a\x16\xae\xe6\x20\
\xc4\xb6\x97\x7d\x75\xcb\xf0\x83\x13\x70\xb6\x33\xa0\xdf\x0d\x70\
\x8d\xc6\x0f\x21\x34\xcd\xe0\x4e\xe3\x9c\x9e\x30\xbc\xab\x2b\xe0\
\xeb\x5b\x2e\x61\x8b\xba\xd8\xf3\xd9\x66\x1d\xd0\xf4\x77\xdf\x08\
\xde\xd5\x19\xb0\x54\x51\xcc\x97\x14\x3c\xfa\x3b\x8f\x9b\xb9\xe7\
\x3f\xc9\x1b\xac\x00\xba\x1d\x45\x2a\x60\x0b\xf8\x63\xbd\x7e\xed\
\x4b\xac\x5f\xeb\x0f\x9f\x7e\x68\x2a\x84\x23\x72\xf0\xc8\x3d\x62\
\xe2\xec\x41\x31\x71\x6e\x54\x8e\x9f\xe9\x50\xa1\xef\x06\xbf\xf7\
\x63\xd2\x2b\xae\x30\x38\xb1\x9f\xae\xae\x2e\x8b\xcb\x6b\x53\x9f\
\x80\x79\x53\x2c\xbf\xc9\x08\x6c\xae\xe3\xbb\x55\x42\xa7\x6d\x8a\
\x14\x27\xbf\x9b\x67\x6e\x7e\x0e\x5f\x0b\xda\xfb\x86\xf1\x62\x09\
\x8a\xc5\x02\x6d\x23\x87\x71\xc7\x4f\x93\x1f\xb8\x87\x30\x33\x82\
\xf2\x6c\x37\xef\xc6\xbe\x6a\x0a\xd6\x34\x3d\x35\x76\xfd\x5e\xfb\
\xba\x95\x21\x62\x8e\xe0\x62\xce\xe1\xe7\x9f\x31\x4c\xa4\x34\xef\
\xee\xd3\x1c\xeb\x56\x38\x68\xca\x55\xc3\x6e\x55\x30\xd1\x2e\xf0\
\x1c\xc1\xfe\x2e\x89\x50\xb0\x1b\xc0\x96\x0f\x25\x63\xc1\x9a\xe6\
\xf3\x6a\x23\x18\x8c\x69\x2a\x5a\xb0\x13\x4a\x5b\x51\x75\x47\xd4\
\x50\x12\x0e\xd6\xfd\x7e\x7a\xc7\x45\xe6\xd7\x4d\x60\xf5\xff\xf6\
\x9d\x1e\xe9\x9b\x51\x33\x0e\x50\xc1\x16\x16\xac\x02\x2f\x01\x5f\
\xd4\xcb\x97\x3a\x58\xbe\x34\xc8\xe3\x0f\x4e\xe2\xb8\x0f\x08\x21\
\x7f\x3a\x2e\x75\xac\x77\x78\x94\xae\xce\x4e\x74\x60\x2b\x6e\x81\
\xba\x7b\x17\x84\x41\x8b\x21\x07\x8d\xb0\xed\x5e\xa6\x88\x3a\x76\
\x39\x8e\x83\x94\x12\xcf\xf3\x28\x14\x0a\xcc\xcd\xcf\x51\xf1\x43\
\xda\x7a\x47\x88\x25\xd3\xac\xe5\xf2\x84\x7d\x07\x98\x3c\x7c\x96\
\x83\x47\x8f\xd2\xde\x3f\xc0\x86\x88\x71\xa5\xa0\x59\xa9\xc0\x4e\
\x28\xd1\x88\x7a\xae\x5e\x2b\x82\xfc\x7a\x2e\xc0\x9e\xff\x1b\x1b\
\xe9\x04\xc1\x5c\x59\x71\x63\x46\x21\x66\x0c\x29\x65\x48\x3a\xe0\
\xd5\x30\x80\x52\x60\x03\x3a\x76\xd2\xad\xc0\x11\x91\xf4\x6b\xf5\
\xe2\x03\x03\x93\x49\xc3\x52\xd9\x5e\xdf\xcd\x90\xdf\x6d\x63\x80\
\xb5\xcb\x11\x74\x38\xb6\x65\xcc\x46\xe8\x20\xd6\xae\xee\xb2\x7c\
\xe9\x65\xee\xb0\xfd\xcb\x9d\xd0\xed\x92\x42\x4d\xed\x24\x25\x6c\
\xb7\x89\xe7\x08\xfc\xf7\x4a\x29\x63\xa9\xf6\x2e\xba\x3a\xbb\xea\
\x69\xdb\x91\x45\x5f\x87\x73\x1d\x6b\xf0\x85\x61\x58\x37\x02\xe3\
\x4d\x93\xad\xea\x27\xa8\xf9\xfb\xca\x51\x18\x6c\x90\xa7\x54\x2a\
\x31\x37\x3b\x4b\xb1\xe2\x93\xee\x1a\x20\x99\xce\xb0\x91\xcb\x93\
\xeb\xdc\x8f\x18\x39\xcf\x4b\x6d\x27\xb9\x5c\x9e\xa2\x3b\xd7\xce\
\x68\x4a\xf2\x53\x87\x0d\xc5\x6a\xc0\xb5\x9c\x61\xa9\x2c\x98\x2e\
\x48\x96\xcb\x92\x7c\x68\x71\x7b\x25\x1a\x83\xa0\x5b\x7f\xda\x4d\
\x66\x58\x64\xbd\xd5\x3f\xd3\x70\x79\x05\x55\x24\x95\x20\x52\xf0\
\xd6\x2d\x56\xd2\xd0\xe8\x15\xd6\xfc\xdc\x74\x0e\x63\x98\x48\x86\
\x3c\xb9\xed\xd6\x83\x49\xcd\xa8\x41\xed\xc4\xdc\x8e\x11\xac\xfe\
\x0f\x59\xab\x08\x2a\x80\x5a\xb8\xb8\x08\xe1\x35\xee\x92\xfe\x87\
\x3b\x6f\x12\xe5\x02\xe7\xa4\x52\x24\x12\x89\x7a\x07\x0e\x6d\x34\
\xda\xd7\x75\x2b\xbf\x99\x22\x89\xf0\x7a\x46\x60\xe4\xf7\x3b\x8e\
\x43\xa9\x5c\x62\x76\x6e\x96\x42\xb9\x4a\xb2\xa3\x8f\x64\xa6\x93\
\x8d\x9d\x02\xd9\xcc\x24\x72\xe2\x2c\x62\xf4\x04\xa2\x77\x12\x92\
\x1d\xac\x87\x1e\x2b\x59\xc3\xfb\xfc\x90\xdf\xbf\x66\xc5\xf8\x48\
\x5c\x73\xae\xcb\xd0\x1d\x0b\xd8\xf1\x0d\x73\x05\xc9\x74\x51\xb2\
\x56\x91\x14\xb4\x04\x21\x70\x84\x60\x6f\x16\x56\x63\x41\x22\x4e\
\xb9\x99\x41\xea\xce\x6f\x93\xe5\x7f\x6b\x12\x2d\xcf\x49\x69\x68\
\xf7\x60\xa9\x2c\x9b\x26\x95\x88\x3d\xcf\xd1\xeb\xbd\x8c\x01\x5a\
\x1b\x26\x92\x9a\xe9\xa2\x42\x04\x21\x66\xfa\xe9\xd7\xb0\xed\xdf\
\xee\x1a\x7d\x33\x06\x10\x58\x4f\x29\x04\x1e\x07\xce\xe8\x50\xd7\
\xd1\x3b\x57\xba\x2d\x91\xbd\xe6\x08\x5e\x24\x19\x9a\x17\x3e\xaa\
\xea\x89\x90\xc0\x88\x09\x2a\xd5\x0a\xf3\xf3\xf3\xe4\x8b\x65\x12\
\x99\x6e\xd2\xed\x9d\x54\x4a\x05\x82\xf6\x51\x9c\xf1\x33\x54\x87\
\x4f\x20\xba\xa6\x70\x12\x9d\x08\xe5\xd5\x81\x1a\x63\x60\xa1\x24\
\x49\x3b\x86\xef\x1f\x97\x7c\x6d\x05\x2e\x2f\x4a\x86\x12\x9a\xa9\
\xa4\xe1\xdb\x7b\x35\x29\x15\xb2\xe3\xdb\x24\x8a\xe9\xa2\x62\xad\
\x22\x29\x1b\xd9\x14\xc3\x68\xde\xc1\xb7\x90\x0c\xaf\x7b\x6b\xf6\
\x82\xc2\x0d\xb2\xd9\x3b\x9a\x42\x60\xf5\xff\xde\xd9\x95\xb7\x3e\
\x5e\xf3\x71\xc1\x11\x86\xfe\x98\xe6\x89\x5c\x1c\xb5\xb3\x6a\xfc\
\xeb\x4f\x5c\xe4\x2e\xea\x7f\xb8\x33\x09\x20\xb1\x73\xe6\x3e\x1a\
\x86\xe1\x77\xe5\x0b\xf9\x43\xf9\x7c\x9e\x4c\x26\x73\x53\x0a\x77\
\x04\xfd\xde\x2a\x7d\x2b\x2a\xd2\x6c\xf1\xf3\x3d\x0f\xdf\xf7\x99\
\x9f\x9f\x27\xb7\x9b\x27\x9e\xee\x24\xdd\xd1\x45\xb6\x50\x42\xb7\
\x8f\xb0\xff\x9e\xb3\x4c\x1c\xb9\x17\x6f\x60\x8c\x65\x99\x66\xa6\
\x2a\x58\xab\x6a\x2a\x81\xe0\x58\x87\xe1\xd2\x8e\x20\x29\xe1\x5f\
\xdc\x63\x38\xdb\x2f\x79\x6c\x55\x33\x95\xd6\x54\x34\x3c\x9b\x53\
\x7c\x75\x43\x91\x54\x30\x9c\xd0\xec\x4b\x1b\xbe\xa7\x3d\xc4\x13\
\x01\x9b\x15\xc1\x74\x41\x30\x53\x92\x6c\xfa\x92\x8a\x91\xb5\x86\
\x4c\x34\xf5\xe0\xb9\x13\xba\x09\xb5\xa9\x53\x68\x60\x32\x19\xda\
\xe8\x5d\xb4\xa8\xdf\x5c\xed\xd7\x8f\xa5\x81\x0e\xd7\x4e\x5e\xdb\
\x0e\x15\xac\x5d\xcd\xb1\x7a\xf5\xae\xea\x7f\xb8\x73\x15\xe0\x00\
\xbb\x5a\xeb\x5f\x2d\x16\x8b\xff\x79\x65\x75\xa5\x5f\x39\x8a\x54\
\x32\xd5\x92\x8f\x1f\xd5\xe5\xc3\xcd\xfa\xbe\x79\xe1\x05\xa2\xae\
\x46\xe6\xe6\xe7\xc8\xee\xec\xe0\x25\x32\xa4\x3b\x7b\xd9\xad\x84\
\x64\xd3\xe3\x98\xb1\xf3\xbc\xd8\x7e\x8a\xab\xe6\x20\xc3\x61\x37\
\xfb\xd3\x2e\xdf\xdd\x6d\x70\x65\x95\xb5\x12\xfc\xad\x01\xc9\xff\
\xbe\x0a\x47\x33\x9a\x47\x57\x04\xff\xf6\x79\xe8\x8c\x49\x7e\x74\
\xc2\x27\x26\x0d\x73\x79\xc1\x5a\x55\xe0\x49\xc1\xb3\x59\xc5\xec\
\xba\xad\xcf\x6f\x53\x86\x91\xa4\xf5\xcd\x8f\x77\x86\x28\x11\xb0\
\x51\x16\x4c\x17\x25\x33\x45\xc9\xb6\xaf\xf0\xb1\x21\x6f\x25\xcc\
\x6d\xd8\xe1\x75\x98\xa4\x69\x91\x47\x13\x86\xc7\xb7\x95\x6d\x9b\
\x73\x2b\xc9\x5f\xbf\x41\x37\xbf\x15\x1a\xc1\x58\x42\xb3\x51\x15\
\x54\x01\xb5\xf0\xe2\x7c\x4d\xff\xdf\xb2\xeb\xf7\x9b\xa5\x3b\x61\
\x00\x03\xf5\x6a\xe9\x69\xdf\xf7\xff\xfb\xce\xce\xce\xcf\x4b\x29\
\x3b\x87\x06\x87\x48\x26\x93\x2d\x0b\x5c\xaf\xdd\xd3\x21\x95\x72\
\x05\x21\xc4\x4d\x46\xa0\xeb\xd9\x62\x8f\xf9\x85\x79\xb6\xb3\x39\
\xdc\x58\x8a\x74\x57\x3f\xc5\x9d\xad\x70\xab\x50\x29\x33\x39\xe9\
\xc9\x8e\x01\x57\xf6\x1f\xa0\xd2\x39\xc6\x35\xed\x71\x65\x3d\x44\
\xea\x90\x76\x47\x33\x9c\xd0\x98\x65\xc3\xe9\x2e\x8d\x27\x34\xcb\
\x25\xc1\x7d\x9d\x86\xd9\x92\xe4\xf7\x6e\x38\x24\x1c\x48\x28\x1b\
\xb0\x3a\x94\xd1\xc4\x15\x5c\xe8\xf2\x11\xc6\x26\x73\x5e\xcb\x4b\
\xbe\xb6\xa1\x28\x84\x0e\x69\xc7\x30\x91\x34\x1c\x6c\xd3\xdc\xd7\
\x1d\x10\x68\x9f\xa5\x92\xe4\x46\x41\xb0\x50\x56\xe4\x02\x8b\xe0\
\x39\xf2\x56\x06\x65\x8d\xf6\xbc\x69\x04\xa4\x94\x26\xed\x1a\x96\
\x2b\xea\x16\x76\xc7\xeb\x7c\xbf\xa6\x55\xb4\x36\x4c\xa5\x42\x66\
\x8a\x0e\x22\x08\xd1\x37\x9e\x7a\x43\xed\xdf\xee\x94\xee\xb4\x5d\
\x7c\x64\x0b\x24\x00\x3f\x0c\xc3\xac\xef\xfb\xc7\xaa\x41\x35\x96\
\x88\x27\x5a\x22\x77\x11\x35\xbb\x77\xd0\xb4\xf8\xae\xed\xb6\xb9\
\xb0\xb0\xc0\xe6\xd6\x16\xca\x8b\xd3\xd6\x33\x88\x5f\x29\x95\x37\
\x97\x66\x9e\xd2\xc5\xdc\xd7\xcd\xf2\xa5\x27\xf5\x8d\x27\xae\xea\
\xb9\x17\x72\x6c\xce\x22\xab\x79\x4f\x79\x31\x57\x25\x33\x54\xdd\
\x18\x6b\x81\xcb\xcb\x39\xc9\x0b\xdb\x92\xd7\xf2\x8a\x10\xc1\x58\
\x0a\xce\x74\x86\x9c\x6c\xd7\xf4\xb8\x9a\x4a\x68\xf5\xfe\x73\xdb\
\x8a\x9d\x40\xb0\x5e\x51\x14\xb5\xa0\xdb\xb3\x6e\xdd\xb1\x76\xcd\
\xd1\x0e\x83\x6f\x04\xf3\x65\xc5\x53\xdb\x0e\x2f\xe4\x14\x73\x25\
\x89\xab\x04\x07\xdb\x34\xe7\x3a\x43\x4e\xb4\x07\x0c\xc6\x34\xc2\
\x68\x9b\x3a\x5e\xcb\x90\x02\x6c\x7a\xe0\x2d\x16\x57\x1b\xc1\x70\
\x2c\x64\x38\x61\x78\x2a\xeb\xd6\x10\xc0\xdb\x3d\x6e\x71\xa7\x01\
\x85\xe1\x81\xee\x80\xc7\x73\x71\x2a\x5b\x2b\x3a\xfc\xec\xaf\xfe\
\x09\xc5\xed\xaf\x70\x17\x22\x80\xcd\x74\x27\x12\x40\x63\xd3\x8e\
\xf3\xc0\x26\xd0\x06\x5c\xac\x56\xab\x7f\x9a\xcb\xe6\x7e\x48\x20\
\xd2\xcd\x92\x20\xa2\xe6\xec\x9f\xe6\x3e\x3e\x06\xc3\xe2\xe2\x22\
\x1b\x9b\x9b\x08\xc7\x23\xdd\xd5\x4f\xe0\x57\xaa\x1b\x0b\x37\x1e\
\x0f\x83\xe0\x51\xe0\x19\xe0\x1a\x3b\x6b\x45\xf3\xca\x17\xda\xc2\
\x57\xbe\x30\x1e\xc2\x61\xba\xc6\x8e\x8a\xb1\x33\x87\xe5\xd4\x85\
\x71\x39\x71\xa6\x47\x0d\x1c\x89\x8b\xf6\x01\x76\x95\xe2\x62\x09\
\x5e\xd8\x0d\x71\x08\xe9\x70\x34\xa3\x09\xcd\x44\x4a\x73\xa1\xdb\
\x4e\x17\x5b\x2d\xc3\xf5\xbc\x62\xb6\x24\xf9\x52\xc1\xc1\x08\x41\
\xcc\x81\x2e\xd7\x70\x7f\x77\xc0\x4a\x59\xd6\x7a\xf1\xd8\x3c\xc1\
\x95\x6d\x78\x7c\xdb\x21\x2e\x0c\xbd\x31\xc3\x64\xca\xc6\x44\xda\
\x54\x48\x21\x80\xf9\x92\x64\xba\x20\x59\xad\xb6\x7a\x18\x11\xd0\
\x17\x1a\x98\x4c\x69\x16\xea\xfa\xff\xf5\x68\xef\xf6\xb7\x11\xd8\
\x2e\x37\x44\x1b\xc8\x6a\x89\x59\xbb\x92\x65\xfd\xfa\x2b\xd8\xb1\
\xaf\x77\x95\xee\xd4\x06\xd0\x58\xa0\x68\x1b\xf0\x80\x38\xf0\x62\
\xb5\x5a\x4d\x66\xb3\xd9\x0f\x18\x63\x92\x43\x83\x43\x24\x12\x89\
\x9b\x40\xa0\xe6\x0c\xdf\x28\x9b\x67\x7d\x7d\x03\xa4\x4b\xaa\xa3\
\x0f\xa3\x43\x7f\x63\x61\xe6\xa9\x30\xf0\xbf\x01\x3c\x07\xbc\x8a\
\xed\x74\x15\x05\x3b\x5e\x05\xbe\xcc\xd6\x5c\xc6\x6c\xcd\xf5\x87\
\x2f\xfc\xf9\x44\x08\x47\x64\xef\xd4\x51\x31\x71\xee\x20\x93\xe7\
\xc7\xe5\xf8\xe9\x1e\x35\x70\x38\x26\x32\xfd\xe4\x94\x60\xab\x04\
\xcf\xd7\x18\xa2\xd3\x35\x8c\x25\x34\x53\x6d\x9a\x0b\x3d\xb6\x5d\
\xfd\x5a\x4d\xe7\x2f\x94\x24\x0f\x2f\xba\x14\xb5\xb4\x6d\x6d\x45\
\xad\xde\xbf\xd6\xea\x4e\x23\x58\xae\xc0\x7c\x59\xf1\xe8\xa6\x4b\
\x52\x59\xab\x7c\x22\x19\xf2\x6d\xbd\x21\x69\x15\x50\x08\x60\xae\
\x28\xb9\x51\xf3\x30\x4a\x46\x61\x34\x8c\x25\x34\x5f\xdb\x72\x5b\
\x06\x55\x7e\x73\xaa\x41\xe2\x1a\xc6\xd3\x9a\xd5\x8a\xc4\x17\xa0\
\x16\x5e\x98\xc5\x4e\xfe\xba\x23\x13\xf2\x8d\xd0\x9d\x32\x40\x64\
\x07\x94\xb0\x69\xc8\x0e\xd6\x33\x88\x57\xab\xd5\x58\x2e\x97\x7b\
\x1f\x90\x1c\x19\x1a\x21\x91\x4c\xdc\xd4\x8a\x5d\x29\x9b\x91\xbb\
\xbc\xbc\xcc\xea\xda\x1a\x5a\x2a\xd2\x1d\xbd\x08\xa9\xc2\x8d\xc5\
\xeb\xcf\x06\x7e\xf9\x31\xe0\x59\xe0\x12\xb6\xcc\xb9\xb4\xe7\xdc\
\x15\x6c\xf9\xd3\x3a\xf0\x0a\xf0\x88\x5e\xbf\x91\x61\xfd\x46\x3f\
\x16\xb6\x3e\x2c\x07\xea\xb0\xf5\x98\x1c\x3f\xd5\xa5\xfa\x0f\x7a\
\xa2\xad\x8f\xac\x84\xcd\x22\x3c\xbb\x13\xe2\x0a\x4d\xa7\xab\x19\
\x4b\x68\x0e\x66\x0c\x0f\xf4\x06\x84\x1a\x56\x6a\x12\x62\xa1\x2c\
\xc9\x05\xb2\x56\x05\x4c\x1d\x59\xf4\x6a\xd2\xda\xaf\x21\x84\xd3\
\x25\x0b\x3f\xa7\x94\x61\x28\xae\xd9\x97\xd2\x7c\x57\x7f\x40\x4c\
\x18\xb6\x7d\xc1\x42\x41\xd0\x1b\xd3\x2c\x17\x2d\x1a\xa8\xeb\x1e\
\xc6\x1d\xde\x6c\x03\x93\x49\xcd\x6b\x45\x07\x59\x0d\xd1\x37\x9e\
\x78\x5b\xf4\x3f\xbc\x31\xc7\x37\xfa\xbc\x83\x55\x03\x43\xc0\x21\
\xe0\x08\x70\xde\xf3\xbc\xf7\xb6\xb7\xb7\x27\x06\x07\x07\x49\xa7\
\xd2\x75\xa4\x2f\x92\x06\xab\x6b\xab\xac\x6f\x6c\xa0\x85\x22\xd5\
\xd1\x8b\xe3\xc5\xcc\xe6\xe2\xf4\xf3\x95\x62\xfe\x2b\xd8\xc9\x96\
\x2f\x61\x67\xdb\x46\x53\x2e\xde\xc8\x35\xc5\x81\x76\x60\x00\xd8\
\x07\xf2\xb0\x1c\x3a\x76\x0f\x93\x67\x0f\xca\xc9\xf3\x23\x62\xf4\
\x64\x97\x18\x38\xe8\x88\x74\x17\x46\x42\x10\x80\x0e\x35\x31\x42\
\xba\x3d\xeb\x11\x4c\x24\x42\xba\x3c\x43\xa8\x61\xb9\x2c\xb8\x51\
\x90\x2c\x96\x15\xb9\x08\x66\x96\xec\x31\x02\x2d\x00\xa5\x8d\x15\
\xf9\x12\xc8\x38\x9a\xc1\xb8\xe6\xbe\x4e\x9f\xfb\xfb\x0c\x57\xb6\
\x0d\x6b\x15\xc9\xa5\x1d\xab\x7e\xb6\x03\x85\x6f\x1a\xcc\x75\xdb\
\x9b\x6f\x0c\x1f\x1a\x2b\xf1\xd0\x4a\x8a\xdc\xda\x7c\xe8\xff\xfa\
\xb7\xfd\x6b\x36\xe7\x7f\x93\xb7\x41\x05\xbc\x51\x06\x88\xbe\xe3\
\x02\x19\x60\x18\xcb\x04\x47\x81\x33\xae\xeb\x7e\x67\x26\x93\x49\
\xf4\xf5\xf5\xd1\x96\x6e\x43\x4a\x49\xa9\x5c\xb2\xd5\xba\xd9\x2c\
\x48\x87\x54\x47\x2f\x5e\x22\xc5\xd6\xd2\xcc\xc5\xe2\x6e\xf6\xcb\
\xc0\x53\xd8\xc9\x96\x0b\xd8\xc5\x7f\xab\x6e\x4e\x84\x5b\x74\x62\
\x99\x74\x3f\xd2\x39\x2a\x46\xee\x39\x2a\xc6\xcf\x1e\x90\x93\x17\
\x86\xe5\xe8\xc9\x0e\x31\x70\x50\x91\xca\xa0\x05\x84\x01\x98\x40\
\x13\x13\x9a\xde\x98\x66\x22\xa9\x99\x4c\x69\xba\x5c\x43\x39\x34\
\xcc\x17\x05\x37\x8a\x8a\xa5\xb2\x62\xb7\x0e\x33\xef\x65\x08\xcb\
\xb5\xd5\x50\xf0\x40\x67\x99\x84\xd0\x74\xc5\x04\xdd\x9e\x26\x1b\
\x48\x32\xae\x01\x63\x58\x2d\x4b\x6e\x14\x25\xf3\x25\x45\x36\x90\
\x84\x22\x0a\x29\xdb\x63\x69\xa0\xd7\x09\xf9\xfe\xc1\x2a\x1f\x5b\
\x4a\x61\x5e\xfd\xf2\x7a\xf0\x5f\xde\xfb\x8f\x81\x87\xf9\x1b\x54\
\x01\xcd\x64\xb0\x46\xe1\x2e\x56\x2c\x49\xac\x37\x21\x7c\xdf\x17\
\xb9\x5c\xee\x3b\xaa\xd5\x6a\x22\x91\x48\xd4\x93\x42\x2b\x95\x0a\
\xd2\x8d\x93\xee\xe8\x25\x9e\xca\xb0\xb5\x32\x73\xb9\xb8\x9b\xfd\
\x4b\xac\xce\x7f\x05\x0b\x6f\x16\xb8\x3b\x3e\xae\xa6\x11\xc7\x58\
\x02\x9e\x43\x07\x09\x33\xf7\x42\xa7\x99\x7b\x61\x58\x7f\xed\x63\
\x07\x70\xe2\x47\xc5\xc8\xbd\x47\xc5\xc4\xb9\xfd\x72\xea\xfc\xa0\
\x33\x7a\xb2\x5d\xf4\xee\x53\x26\x99\x66\xc5\xc0\x62\x0e\x1e\xdb\
\xd6\x24\x9a\x18\xe2\x5c\xa7\x26\xe3\x06\x94\x43\x58\xac\xe9\xfc\
\xe5\xb2\x24\xaf\x5b\x19\x42\x0a\x0b\xdf\xce\x14\x04\x31\x69\x78\
\x29\x27\xb9\x5a\x70\xc8\x6b\x49\x5c\x19\xa6\x52\x9a\xc3\x19\xcd\
\x03\x3d\x55\x02\x03\x0b\x45\xc1\xb5\x82\xac\x33\x97\x36\x82\x89\
\x4c\xc8\x6a\x45\x12\x08\x50\xb3\xcf\xcd\xf2\x26\xda\xbf\xdd\x29\
\xbd\x19\x09\xd0\xfc\x5d\x0f\x2b\x7a\x47\x80\xc3\x58\x69\x70\x4a\
\x4a\xf9\x1d\x42\x88\x14\x80\x90\x12\x2f\x91\x26\xdd\xd9\x4b\x3c\
\xd9\xc6\xf6\xea\xdc\xd5\xdd\xad\xf5\x2f\xd1\xd8\xf9\xb3\xd8\xd8\
\xf6\x5d\x0b\x70\x7c\x13\x52\x40\x12\xe8\xaa\x5d\xf7\x7e\xbc\xd4\
\x51\x31\x7a\xef\x11\x35\x79\xdf\x3e\x26\xcf\x0d\xc9\xd1\x93\x19\
\xd1\x3b\x29\x49\x24\xac\x88\x0f\xc0\x84\x86\xa4\xd4\xf4\xc5\x34\
\x93\xc9\x90\xf1\xa4\x26\xad\xec\x60\xa8\xf9\xa2\x64\xa6\xa4\x58\
\xa9\x2a\xb4\x86\xbf\x3f\x5a\xe1\x8b\x6b\x2e\x71\x05\x6b\x15\xc9\
\x0f\x0d\x55\x98\xcd\x43\x51\x0b\x5e\xdc\xb5\x50\x76\x94\x2a\x3e\
\x92\xb4\x46\x6a\xbb\xa3\x29\x87\x30\x9d\x17\x1c\xef\xd0\x7c\x6d\
\xd3\xe5\xe2\xae\xc2\xfc\xce\x0f\x3f\xa8\x9f\xff\xf3\x5f\xe0\x2d\
\x94\x80\xbf\x1e\xbd\x19\x09\x10\x91\xc1\x76\xa5\xc8\xd1\x70\x6a\
\x0d\xa0\xb5\xd6\x3e\xf0\x5e\xa9\x9c\x4c\x3c\xd9\x46\xa2\xad\x13\
\x29\x15\x9b\x8b\xd3\x97\x0a\x3b\x5b\x8f\x60\x77\xfe\xcb\xd8\xc2\
\x86\x5d\xfe\xfa\x16\x9f\xda\xb9\x76\x6b\x8f\x59\xe0\x49\xaa\x85\
\xa4\xb9\xfe\x44\x57\x70\xfd\x89\x51\xe0\x00\x89\xf6\x23\x62\xe4\
\xf8\x11\x31\x75\x61\x9f\x9c\x3c\x3f\xe8\x8c\x1c\xcf\x88\x9e\x49\
\x11\x78\x1e\x0b\x5a\x31\x93\x75\x61\xd3\x90\x92\x21\xfd\x31\xc3\
\x78\x32\xe4\x5d\xdd\x21\x29\x27\x20\x2e\x0d\xdd\x71\x10\xab\x86\
\xb9\x92\x83\x36\xf0\xf5\x6d\x8f\x6a\x68\x38\x91\xae\x72\x3c\x5d\
\xe5\xfe\xae\x90\x99\x82\x60\x3d\x50\x3c\x93\x75\x79\x25\x27\x49\
\x2b\x43\x87\x6b\xf3\x0e\x8f\x77\xc3\xcb\xbb\x12\xb9\xbd\x18\xf8\
\x37\x9e\x78\x53\xed\xdf\xee\x94\xde\x8a\x04\x68\x3e\x46\x0c\x2b\
\x09\x86\x81\x03\xc0\x7e\xe0\x08\x88\x77\x39\xae\x3b\xec\xb8\xf1\
\xaa\xef\x97\x2f\x86\x7e\xf5\x1b\xd8\x85\x7f\x09\x98\xc3\x32\xcf\
\x9b\x2e\x6d\x7e\x9b\xc8\xc1\x4a\x88\x6e\x60\x14\x38\x48\xaa\xfb\
\xa8\x18\x3b\x75\x54\x4d\x5d\x98\x12\x93\xe7\x06\xc4\xe0\xb1\x36\
\xd1\x3d\x0e\x71\x3b\x2e\x37\x0c\x40\x68\x88\x09\xcd\x7b\xba\x2a\
\x0c\x27\xed\xc4\xf4\x36\x47\x93\xab\xc2\x8d\x82\x64\xa5\x2c\x09\
\x81\x04\x9a\xc3\x6d\x1a\x57\x1a\xa6\x8b\x8a\x84\xb2\x93\xd3\x46\
\x53\x70\xad\xa0\x58\xae\x28\x3e\x30\x50\xe1\xe3\xab\x29\x78\xf1\
\x73\xab\xfe\x6f\x7d\xef\x87\x80\xcf\xf2\x36\xa9\x80\xb7\x22\x01\
\x22\x8a\xdc\xb4\x5c\xed\xb5\xc6\xa2\x55\x15\x30\xab\x81\x5f\xed\
\x09\xfc\x6a\x19\xbb\xdb\xae\x63\xc7\x99\xcd\xf3\xad\xb9\xf8\x60\
\xaf\x7d\xa7\xf6\x98\x06\xbe\x41\x61\x33\x6d\x2e\x3d\xd2\x13\x5c\
\x7a\x64\x0c\x38\x48\x47\xff\x31\x31\x72\xe6\x88\xdc\x77\x7e\x52\
\x8e\x9f\xed\x77\x87\x8e\xa5\x44\xf7\x18\xa1\x27\x79\xb2\x98\xa0\
\x98\xb5\xdd\x46\xda\x94\xf5\x0a\x26\x93\x21\xef\xc9\x84\x76\xb0\
\x84\xd1\xdc\xc8\x4b\x66\xf3\x0e\x1b\xbe\x24\xae\x6c\xa2\x49\x21\
\x6f\x98\x2e\x3b\x9c\x6b\xf7\x59\xad\x28\x02\x40\xce\x3d\x3f\xc3\
\x9b\x6c\xff\x76\xa7\x74\x37\x18\x00\x6e\x66\x82\xc8\x48\x5c\xc5\
\xc2\xc7\xe5\xda\xeb\x79\x2c\xc8\xb3\xcb\xb7\xe6\xe2\xdf\x8a\x02\
\xec\x04\xae\x2c\x16\x8c\xf9\x1a\xd9\xd5\xb4\xc9\x7e\xae\x37\x7c\
\xf9\x73\x35\x94\x72\xe4\x98\x18\x3b\x75\x58\x4e\x5e\x98\xdc\x1d\
\x3f\xdd\x2b\x86\xee\x4d\x78\x5d\x23\x94\x5d\xc9\x75\x5f\xf2\xda\
\xa6\x83\xd0\x90\x51\x9a\xa1\x84\x66\x5f\x2a\xe4\x3d\x6d\x1a\x57\
\x06\x6c\xd6\x40\xa9\xb9\x92\xa2\x14\xc0\x70\x3c\xe4\xb9\x1d\x0f\
\x59\xf5\x31\x37\x9e\xbc\xcc\x9b\x68\xff\xfa\x46\xe8\x6e\xa8\x80\
\xbd\xc7\x73\xb1\x22\xb4\x1d\xeb\x2a\x7a\x58\xe6\xd8\xc1\xde\xc4\
\x68\x86\xfd\xff\x2f\xe4\x61\x7f\x67\x1f\x30\x01\x1c\xa2\x7b\xec\
\x98\x18\x3f\x7b\x58\x4e\x5e\x18\x97\x93\x67\x7b\xc4\xe0\xd1\xb8\
\xe8\x18\xc0\x38\xb6\xbb\x4a\xe0\x83\x32\xd8\xc0\x56\x5c\x33\x99\
\x0c\x18\x8c\x6b\x3c\x61\x18\x4a\x68\x3e\x32\xdd\xc6\xda\xd2\x75\
\x3f\xf8\x8f\xf7\x7f\x98\xdd\xf5\x8f\xf0\x06\x3b\x80\xbf\x11\xba\
\xdb\x0c\x10\x1d\x53\x61\x19\xc1\xa5\x91\x50\xe2\xd7\x1e\x7f\x9d\
\x06\xdf\xdf\x04\xc5\xb0\x0c\x31\x80\x65\x88\xc3\xf4\x4c\x1d\x55\
\x93\xe7\x0f\x31\x75\x61\x4c\x4e\x9c\xe9\x11\x83\x47\x63\x22\xd3\
\x8d\x51\xb6\x6d\xac\x0e\x6c\x46\xda\xc1\x44\x95\xd3\xed\x01\x5f\
\xcc\x25\xc9\x3d\xfd\x99\xe5\xe0\x23\x1f\xf8\x10\xf0\x79\xde\x46\
\x15\xf0\x76\x30\x40\xf3\xb1\xf7\xe2\x24\x6f\xdb\x0f\xf9\x16\xa5\
\xc8\x40\x8e\x18\x62\x12\x38\x2c\x07\x0e\x1f\x13\x53\xe7\x0e\x32\
\x71\xdf\x98\x1c\x3f\xdd\x25\xfa\x0f\xc5\xc8\x74\x92\x74\xad\x31\
\x99\x07\xf4\xff\xf9\x77\x8f\x87\x0f\xff\xca\x3f\xc2\xc2\xe3\x6f\
\xeb\x05\xbe\x43\x7f\x7d\xd4\xec\x31\x0d\x02\x53\xc0\x61\x39\x78\
\xf4\x98\x98\xba\x70\x90\xa9\x0b\x63\x62\xec\x6c\xa7\xec\x1e\x75\
\x83\xff\xf5\xe3\x1f\xd3\xaf\x7c\xfe\x17\xb1\x11\xd8\xb7\xf5\x82\
\xde\xa1\xbf\x39\x8a\xe2\x18\x1d\x58\xd8\x7a\x1f\xd2\x39\x2a\x47\
\x4e\x0e\xe9\xed\xe9\xcf\xb0\xbb\xf9\x05\xde\x64\x07\xd0\x37\x72\
\x01\xef\xd0\xb7\x0e\x45\x49\x37\x71\x2c\x94\x7d\x57\xea\xff\xde\
\xa1\x77\xe8\x1d\x7a\x87\xde\xa1\x77\xe8\x1d\x7a\x87\xf6\xd2\xff\
\x03\x79\x8b\xba\x71\xc8\x3c\xbc\xf9\x00\x00\x00\x00\x49\x45\x4e\
\x44\xae\x42\x60\x82\
"
qt_resource_name = b"\
\x00\x09\
\x0a\xc5\xac\x47\
\x00\x77\
\x00\x61\x00\x74\x00\x65\x00\x72\x00\x2e\x00\x70\x00\x6e\x00\x67\
\x00\x07\
\x0a\x60\x57\x87\
\x00\x63\
\x00\x6f\x00\x6d\x00\x2e\x00\x70\x00\x6e\x00\x67\
"
qt_resource_struct = b"\
\x00\x00\x00\x00\x00\x02\x00\x00\x00\x02\x00\x00\x00\x01\
\x00\x00\x00\x18\x00\x00\x00\x00\x00\x01\x00\x00\xf1\xdc\
\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\x00\x00\x00\x00\
"
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()
|
[
"wb.2009@163.com"
] |
wb.2009@163.com
|
da7bfc871be5a11758647aab0730464464618208
|
10e4cbef00b8af9160e23730da090a429929b998
|
/audit_management/migrations/0001_initial.py
|
5954545931014ca05bdc2b89d8908ac8e602f52e
|
[] |
no_license
|
noyeemm/django-audit
|
0d2b3d8affa99a01386ea11ece70142d1c8b9930
|
6752288f954e3ea1e0deaa5bde11996f25430f4f
|
refs/heads/main
| 2023-01-13T16:31:17.055066
| 2020-11-15T01:48:07
| 2020-11-15T01:48:07
| 312,935,797
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 4,315
|
py
|
# Generated by Django 3.0.7 on 2020-07-08 16:03
from django.conf import settings
from django.db import migrations, models
import django.db.models.deletion
class Migration(migrations.Migration):
initial = True
dependencies = [
]
operations = [
migrations.CreateModel(
name='User',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('password', models.CharField(max_length=128, verbose_name='password')),
('last_login', models.DateTimeField(blank=True, null=True, verbose_name='last login')),
('email', models.EmailField(max_length=255, unique=True)),
('active', models.BooleanField(default=True)),
('staff', models.BooleanField(default=True)),
('admin', models.BooleanField(default=False)),
('timestamp', models.DateTimeField(auto_now_add=True)),
('branch', models.CharField(max_length=250, null=True)),
('branch_code', models.IntegerField(null=True)),
('region', models.CharField(max_length=250, null=True)),
('division', models.CharField(max_length=250, null=True)),
],
options={
'abstract': False,
},
),
migrations.CreateModel(
name='Expense',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('audit_period_start', models.DateField()),
('audit_period_end', models.DateField(blank=True, null=True)),
('para_no', models.CharField(default=0, max_length=5)),
('para_type', models.CharField(choices=[('সাধারন', 'সাধারন'), ('অগ্রিম', 'অগ্রিম'), ('খসড়া', 'খসড়া'), ('সংকলন', 'সংকলন')], default='সাধারন', max_length=100)),
('present_objection_status', models.CharField(choices=[('নিষ্পন্ন', 'নিষ্পন্ন'), ('অনিষ্পন্ন', 'অনিষ্পন্ন')], default='অনিষ্পন্ন', max_length=100)),
('audit_Objection_Title', models.CharField(max_length=100)),
('amount', models.CharField(default=0, max_length=10)),
('cause_of_objection', models.CharField(choices=[('ভাউচার নাই', 'ভাউচার নাই'), ('আর্থিক বিধি অনুসরণ করা হয় নাই', 'আর্থিক বিধি অনুসরণ করা হয় নাই'), ('তামাদি ঋণ', 'তামাদি ঋণ'), ('আয়কর', 'আয়কর'), ('বিভিন্ন প্রকার অনাদায়ী ঋণ', 'বিভিন্ন প্রকার অনাদায়ী ঋণ'), ('গৃহ নির্মাণ অগ্রীম(জমি ক্রয়)', 'গৃহ নির্মাণ অগ্রীম(জমি ক্রয়)'), ('লাঞ্চ সাবসিডি', 'লাঞ্চ সাবসিডি'), ('অতিরিক্ত সুদ প্রদান', 'অতিরিক্ত সুদ প্রদান'), ('উৎস কর কম কর্তন', 'উৎস কর কম কর্তন'), ('ইত্যাদি', 'ইত্যাদি')], default='আর্থিক বিধি অনুসরণ করা হয় নাই', max_length=100)),
('recommendation', models.CharField(max_length=250)),
('action', models.CharField(max_length=250)),
('issued_letter_no', models.CharField(default=0, max_length=5)),
('issued_letter_date', models.DateField(blank=True, null=True)),
('last_reply_no', models.CharField(max_length=5)),
('last_reply_date', models.DateField(blank=True, null=True)),
('comments', models.TextField(blank=True, max_length=200)),
('user', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to=settings.AUTH_USER_MODEL)),
],
),
]
|
[
"noreply@github.com"
] |
noreply@github.com
|
2aafbedb2948ab745b6afac25e89003fe4e183c4
|
a5e4d0b9df29569415f91b7c617c0d96300d203d
|
/run.py
|
3abc4efaa781a3c2a29ee35303e0ce923fd65851
|
[] |
no_license
|
poptest/apiservice
|
884e543172b24d7296707cb12b4ce18cbdd2d9b2
|
cff4f03b7f0300656c62220127845a458a78ca03
|
refs/heads/master
| 2020-05-07T08:35:18.218575
| 2019-04-09T10:12:37
| 2019-04-09T10:12:37
| 180,337,173
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 65
|
py
|
from app import app
app.run('0.0.0.0', port='6000', debug=True)
|
[
"mehuandiguo@126.com"
] |
mehuandiguo@126.com
|
6f8b63672bb07ff3d11d0914e4646a88ced4360c
|
9d9e0f5779eecc8065aacb34baefc40515fe6118
|
/valid.py
|
9319a6fda573dec68957b0ea5bb75c47af46c524
|
[] |
no_license
|
MuhamadAhsanul/ujian_kartu_kredit
|
ea0e10aa50f1582b2d9bf4753a599cd384e6822e
|
07fb8a91eb7f2d4aebad07f0351369d321ae0726
|
refs/heads/master
| 2020-09-08T10:42:40.080207
| 2019-11-12T05:48:15
| 2019-11-12T05:48:15
| 221,111,199
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 2,239
|
py
|
# import json
# with open('ccNasabah.json', 'r') as x:
# out = json.load(x)
# print(out)
[
{"nama": "Andi", "noCreditCard": 4253625879615781},
{"nama": "Budi", "noCreditCard": 5123-4567-8912-3455},
{"nama": "Caca", "noCreditCard": 525362587961578},
{"nama": "Deni", "noCreditCard": 42536258796157867},
{"nama": "Euis", "noCreditCard": 4424424424442442},
{"nama": "Fani", "noCreditCard": 4424424424442444},
{"nama": "Gaga", "noCreditCard": 5122236879543214},
{"nama": "Hari", "noCreditCard": 4424444424442444},
{"nama": "Inne", "noCreditCard": 5122-2368-7954-3213},
{"nama": "Janu", "noCreditCard": 61234-123-8912-3456},
{"nama": "Kiki", "noCreditCard": 5199-9967-7912-3457},
{"nama": "Luis", "noCreditCard": 1111222233334444},
{"nama": "Mira", "noCreditCard": 5123 - 4567 - 8912 - 3456},
{"nama": "Nuri", "noCreditCard": 4123356789123456},
{"nama": "Opik", "noCreditCard": 4123456789123454}
]
class Klasifikasi:
nama: "nama"
nomor: "noCreditCard"
valid: [
{4253625879615781,
4424424424442442,
5122-2368-7954-3213,
4123456789123454,
5123-4567-8912-3455,
4123356789123456}
]
class Nasabah():
def __init__(self, nama, nomor):
self.nama = nama
self.nomor = nomor
def valid(self, nomor):
if self.nomor == 4253625879615781:
return True
elif self.nomor == 4424424424442442:
return True
elif self.nomor == 5122-2368-7954-3213:
return True
elif self.nomor == 4123456789123454:
return True
elif self.nomor == 5123-4567-8912-3455:
return True
elif self.nomor == 4123356789123456:
return True
else:
return False
Nasabah1 = Nasabah("Andi", "4253625879615781")
Nasabah2 = Nasabah("Budi", "5123-4567-8912-3455")
Nasabah3 = Nasabah("Caca", "0525362587961578")
Nasabah4 = Nasabah("Deni", "42536258796157867")
Nasabah5 = Nasabah("Euis", "4424424424442442")
Nasabah6 = Nasabah
Nasabah7 = Nasabah
Nasabah8 = Nasabah
Nasabah9 = Nasabah
Nasabah10 = Nasabah
Nasabah11 = Nasabah
Nasabah12 = Nasabah
Nasabah13 = Nasabah
Nasabah14 = Nasabah
Nasabah15 = Nasabah
|
[
"aahsaann@gmail.com"
] |
aahsaann@gmail.com
|
b823939af09eedd65ddcdd3fcd64f1d8ea32cdd8
|
7807e6f429a201f8872d69600419d5d5c08f7e24
|
/test_calculation.py
|
581ef3f92e894bfed2750ab649ca09f550966e0e
|
[] |
no_license
|
A-ichi11/sample-python
|
871718efbc007d8e15d18b5eac9c74f1e684aaa2
|
8d6fed030f07ea312f7abc9ebc6d1e4b076a40c3
|
refs/heads/master
| 2023-06-22T11:35:17.427542
| 2021-07-23T01:11:46
| 2021-07-23T01:11:46
| null | 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 122
|
py
|
import calculation
def test_add_num_and_double():
cal = calculation.Cal()
assert cal.add_num_and_double(1,1) == 4
|
[
"e.nakashima@gemcook.com"
] |
e.nakashima@gemcook.com
|
cf8da9eba1dbf16d89e8f4edbec9cf3a882a4551
|
746c4544fca849cddcf0a6c3efbcc2b1fd23eb6c
|
/charts/barchart_wage_age.py
|
f02a098e9f93d918e50ce35c0628046918cc5997
|
[] |
no_license
|
jonasthiel/st101-intro-statistics
|
7603b1aaa42b7fcf7d01c8c81e62058fc44fbb16
|
6a240fc960129fbd44f7a840227d6c5560b054f3
|
refs/heads/main
| 2023-02-16T00:56:02.663632
| 2020-12-31T20:42:42
| 2020-12-31T20:42:42
| 325,868,941
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 7,623
|
py
|
#Write a line of code to plot a barchart of Wage grouped by Age
from plotting import *
Age=[25, 26, 33, 29, 27, 21, 26, 35, 21, 37, 21, 38, 18, 19, 36, 30, 29, 24, 24, 36, 36, 27, 33, 23, 21, 26, 27, 27, 24, 26, 25, 24, 22, 25, 40, 39, 19, 31, 33, 30, 33, 27, 40, 32, 31, 35, 26, 34, 27, 34, 33, 20, 19, 40, 39, 39, 37, 18, 35, 20, 28, 31, 30, 29, 31, 18, 40, 20, 32, 20, 34, 34, 25, 29, 40, 40, 39, 36, 39, 34, 34, 35, 39, 38, 33, 32, 21, 29, 36, 33, 30, 39, 21, 19, 38, 30, 40, 36, 34, 28, 37, 29, 39, 25, 36, 33, 37, 19, 28, 26, 18, 22, 40, 20, 40, 20, 39, 29, 26, 26, 22, 37, 34, 29, 24, 23, 21, 19, 29, 30, 23, 40, 30, 30, 19, 39, 39, 25, 36, 38, 24, 32, 34, 33, 36, 30, 35, 26, 28, 23, 25, 23, 40, 20, 26, 26, 22, 23, 18, 36, 34, 36, 35, 40, 39, 39, 33, 22, 37, 20, 37, 35, 20, 23, 37, 32, 25, 35, 35, 22, 21, 31, 40, 26, 24, 29, 37, 19, 33, 31, 29, 27, 21, 19, 39, 34, 34, 40, 26, 39, 35, 31, 35, 24, 19, 27, 27, 20, 28, 30, 23, 21, 20, 26, 31, 24, 25, 25, 22, 32, 28, 36, 21, 38, 18, 25, 21, 33, 40, 19, 38, 33, 37, 32, 31, 31, 38, 19, 37, 37, 32, 36, 34, 35, 35, 35, 37, 35, 39, 34, 24, 25, 18, 40, 33, 32, 23, 25, 19, 39, 38, 36, 32, 27, 22, 40, 28, 29, 25, 36, 26, 28, 32, 34, 34, 21, 21, 32, 19, 35, 30, 35, 26, 31, 38, 34, 33, 35, 37, 38, 36, 40, 22, 30, 28, 28, 29, 36, 24, 28, 28, 28, 26, 21, 35, 22, 32, 28, 19, 33, 18, 22, 36, 26, 19, 26, 30, 27, 28, 24, 36, 37, 20, 32, 38, 39, 38, 30, 32, 30, 26, 23, 19, 29, 33, 34, 23, 30, 32, 40, 36, 29, 39, 34, 34, 22, 22, 22, 36, 38, 38, 30, 26, 40, 34, 21, 34, 38, 32, 35, 35, 26, 28, 20, 40, 23, 24, 26, 24, 39, 21, 33, 31, 39, 39, 20, 22, 18, 23, 36, 32, 37, 36, 26, 30, 30, 30, 21, 22, 40, 38, 22, 27, 23, 21, 22, 20, 30, 31, 40, 19, 32, 24, 21, 27, 32, 30, 34, 18, 25, 22, 40, 23, 19, 24, 24, 25, 40, 27, 29, 22, 39, 38, 34, 39, 30, 31, 33, 34, 25, 20, 20, 20, 20, 24, 19, 21, 31, 31, 29, 38, 39, 33, 40, 24, 38, 37, 18, 24, 38, 38, 22, 40, 21, 36, 30, 21, 30, 35, 20, 25, 25, 29, 30, 20, 29, 29, 31, 20, 26, 26, 38, 37, 39, 31, 35, 36, 30, 38, 36, 23, 39, 39, 20, 30, 34, 21, 23, 21, 33, 30, 33, 32, 36, 18, 31, 32, 25, 23, 23, 21, 34, 18, 40, 21, 29, 29, 21, 38, 35, 38, 32, 38, 27, 23, 33, 29, 19, 20, 35, 29, 27, 28, 20, 40, 35, 40, 40, 20, 36, 38, 28, 30, 30, 36, 29, 27, 25, 33, 19, 27, 28, 34, 36, 27, 40, 38, 37, 31, 33, 38, 36, 25, 23, 22, 23, 34, 26, 24, 28, 32, 22, 18, 29, 19, 21, 27, 28, 35, 30, 40, 28, 37, 34, 24, 40, 33, 29, 30, 36, 25, 26, 26, 28, 34, 39, 34, 26, 24, 33, 38, 37, 36, 34, 37, 33, 25, 27, 30, 26, 21, 40, 26, 25, 25, 40, 28, 35, 36, 39, 33, 36, 40, 32, 36, 26, 24, 36, 27, 28, 26, 37, 36, 37, 36, 20, 34, 30, 32, 40, 20, 31, 23, 27, 19, 24, 23, 24, 25, 36, 26, 33, 30, 27, 26, 28, 28, 21, 31, 24, 27, 24, 29, 29, 28, 22, 20, 23, 35, 30, 37, 31, 31, 21, 32, 29, 27, 27, 30, 39, 34, 23, 35, 39, 27, 40, 28, 36, 35, 38, 21, 18, 21, 38, 37, 24, 21, 25, 35, 27, 35, 24, 36, 32, 20]
Wage=[17000, 13000, 28000, 45000, 28000, 1200, 15500, 26400, 14000, 35000, 16400, 50000, 2600, 9000, 27000, 150000, 32000, 22000, 65000, 56000, 6500, 30000, 70000, 9000, 6000, 34000, 40000, 30000, 6400, 87000, 20000, 45000, 4800, 34000, 75000, 26000, 4000, 50000, 63000, 14700, 45000, 42000, 10000, 40000, 70000, 14000, 54000, 14000, 23000, 24400, 27900, 4700, 8000, 19000, 17300, 45000, 3900, 2900, 138000, 2100, 60000, 55000, 45000, 40000, 45700, 90000, 40000, 13000, 30000, 2000, 75000, 60000, 70000, 41000, 42000, 31000, 39000, 104000, 52000, 20000, 59000, 66000, 63000, 32000, 11000, 16000, 6400, 17000, 47700, 5000, 25000, 35000, 20000, 14000, 29000, 267000, 31000, 27000, 64000, 39600, 267000, 7100, 33000, 31500, 40000, 23000, 3000, 14000, 44000, 15100, 2600, 6200, 50000, 3000, 25000, 2000, 38000, 22000, 20000, 2500, 1500, 42000, 30000, 27000, 7000, 11900, 27000, 24000, 4300, 30200, 2500, 30000, 70000, 38700, 8000, 36000, 66000, 24000, 95000, 39000, 20000, 23000, 56000, 25200, 62000, 12000, 13000, 35000, 35000, 14000, 24000, 12000, 14000, 31000, 40000, 22900, 12000, 14000, 1600, 12000, 80000, 90000, 126000, 1600, 100000, 8000, 71000, 40000, 42000, 40000, 120000, 35000, 1200, 4000, 32000, 8000, 14500, 65000, 15000, 3000, 2000, 23900, 1000, 22000, 18200, 8000, 30000, 23000, 30000, 27000, 70000, 40000, 18000, 3100, 57000, 25000, 32000, 10000, 4000, 49000, 93000, 35000, 49000, 40000, 5500, 30000, 25000, 5700, 6000, 30000, 42900, 8000, 5300, 90000, 85000, 15000, 17000, 5600, 11500, 52000, 1000, 42000, 2100, 50000, 1500, 40000, 28000, 5300, 149000, 3200, 12000, 83000, 45000, 31200, 25000, 72000, 70000, 7000, 23000, 40000, 40000, 28000, 10000, 48000, 20000, 60000, 19000, 25000, 39000, 68000, 2300, 23900, 5000, 16300, 80000, 45000, 12000, 9000, 1300, 35000, 35000, 47000, 32000, 18000, 20000, 20000, 23400, 48000, 8000, 5200, 33500, 22000, 22000, 52000, 104000, 28000, 13000, 12000, 15000, 53000, 27000, 50000, 13900, 23000, 28100, 23000, 12000, 55000, 83000, 31000, 33200, 45000, 3000, 18000, 11000, 41000, 36000, 33600, 38000, 45000, 53000, 24000, 3000, 37500, 7700, 4800, 29000, 6600, 12400, 20000, 2000, 1100, 55000, 13400, 10000, 6000, 6000, 16000, 19000, 8300, 52000, 58000, 27000, 25000, 80000, 10000, 22000, 18000, 21000, 8000, 15200, 15000, 5000, 50000, 89000, 7000, 65000, 58000, 42000, 55000, 40000, 14000, 36000, 30000, 7900, 6000, 1200, 10000, 54000, 12800, 35000, 34000, 40000, 45000, 9600, 3300, 39000, 22000, 40000, 68000, 24400, 1000, 10800, 8400, 50000, 22000, 20000, 20000, 1300, 9000, 14200, 32000, 65000, 18000, 18000, 3000, 16700, 1500, 1400, 15000, 55000, 42000, 70000, 35000, 21600, 5800, 35000, 5700, 1700, 40000, 40000, 45000, 25000, 13000, 6400, 11000, 4200, 30000, 32000, 120000, 10000, 19000, 12000, 13000, 37000, 40000, 38000, 60000, 3100, 16000, 18000, 130000, 5000, 5000, 35000, 1000, 14300, 100000, 20000, 33000, 8000, 9400, 87000, 2500, 12000, 12000, 33000, 16500, 25500, 7200, 2300, 3100, 2100, 3200, 45000, 40000, 3800, 30000, 12000, 62000, 45000, 46000, 50000, 40000, 13000, 50000, 23000, 4000, 40000, 25000, 16000, 3000, 80000, 27000, 68000, 3500, 1300, 10000, 46000, 5800, 24000, 12500, 50000, 48000, 29000, 19000, 26000, 30000, 10000, 10000, 20000, 43000, 105000, 55000, 5000, 65000, 68000, 38000, 47000, 48700, 6100, 55000, 30000, 5000, 3500, 23400, 11400, 7000, 1300, 80000, 65000, 45000, 19000, 3000, 17100, 22900, 31200, 35000, 3000, 5000, 1000, 36000, 4800, 60000, 9800, 30000, 85000, 18000, 24000, 60000, 30000, 2000, 39000, 12000, 10500, 60000, 36000, 10500, 3600, 1200, 28600, 48000, 20800, 5400, 9600, 30000, 30000, 20000, 6700, 30000, 3200, 42000, 37000, 5000, 18000, 20000, 14000, 12000, 18000, 3000, 13500, 35000, 38000, 30000, 36000, 66000, 45000, 32000, 46000, 80000, 27000, 4000, 21000, 7600, 16000, 10300, 27000, 19000, 14000, 19000, 3100, 20000, 2700, 27000, 7000, 13600, 75000, 35000, 36000, 25000, 6000, 36000, 50000, 46000, 3000, 37000, 40000, 30000, 48800, 19700, 16000, 14000, 12000, 25000, 25000, 28600, 17000, 31200, 57000, 23000, 23500, 46000, 18700, 26700, 9900, 16000, 3000, 52000, 51000, 14000, 14400, 27000, 26000, 60000, 25000, 6000, 20000, 3000, 69000, 24800, 12000, 3100, 18000, 20000, 267000, 28000, 9800, 18200, 80000, 6800, 21100, 20000, 68000, 20000, 45000, 8000, 40000, 31900, 28000, 24000, 2000, 32000, 11000, 20000, 5900, 16100, 23900, 40000, 37500, 11000, 55000, 37500, 60000, 23000, 9500, 34500, 4000, 9000, 11200, 35200, 30000, 18000, 21800, 19700, 16700, 12500, 11300, 4000, 39000, 32000, 14000, 65000, 50000, 2000, 30400, 22000, 1600, 56000, 40000, 85000, 9000, 10000, 19000, 5300, 5200, 43000, 60000, 50000, 38000, 267000, 15600, 1800, 17000, 45000, 31000, 5000, 8000, 43000, 103000, 45000, 8800, 26000, 47000, 40000, 8000]
barchart(Age, Wage)
|
[
"41738638+jonasthiel@users.noreply.github.com"
] |
41738638+jonasthiel@users.noreply.github.com
|
85870acb391dad622b43af4cbafde335cca5fee6
|
7b77ca25963ae591d68f4abb5725f9fbc18e9ddd
|
/applications/persona/views.py
|
9a297e1c150962363c366ebbca885b44573e9a1d
|
[] |
no_license
|
GabrielMartinez007/Empleados
|
30b0f8676f9f432fa12d054b3c991974c4ce936a
|
6f51398396fda42fc0939461c6efc4fc13a6b212
|
refs/heads/main
| 2023-02-27T17:42:20.410044
| 2021-02-02T18:54:29
| 2021-02-02T18:54:29
| 335,373,007
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 3,119
|
py
|
from django.shortcuts import render
from django.views.generic import ListView, \
DetailView, \
CreateView, \
TemplateView, \
UpdateView, \
DeleteView
from django.urls import reverse_lazy
from .models import Empleado
# Create your views here.
class inicioView(TemplateView):
""""Vista que carga ventana de inicio"""
template_name = "inicio.html"
class SuccessErasedView(TemplateView):
template_name = "successErased.html"
class ListAll(ListView):
template_name = "persona/ListAll.html"
paginate_by = 6
ordering = "first_Name"
context_object_name = "Page"
def get_queryset(self):
palabra_clave = self.request.GET.get("key", " ")
lista = Empleado.objects.filter(
full_Name__icontains=palabra_clave
)
return lista
class EmpleadoDetail(DetailView):
model = Empleado
template_name = "persona/detailEmpleado.html"
def get_context_data(self, **kwargs):
context = super(EmpleadoDetail, self).get_context_data(**kwargs)
context['titulo'] = "Empleado del mes"
return context
class ListByArea(ListView):
template_name = "persona/ListBy.html"
context_object_name = "departamento"
def get_queryset(self):
area = self.kwargs['short_name']
lista = Empleado.objects.filter(
department__short_name=area
)
return lista
class Administrar(ListView):
template_name = "persona/admin.html"
model = Empleado
paginate_by = 6
def get_queryset(self):
palabra_clave = self.request.GET.get("key","")
lista = Empleado.objects.filter(
full_Name__icontains = palabra_clave
)
return lista
class DeleteEmpleado(DeleteView):
template_name="persona/DeleteEmpleado.html"
model = Empleado
success_url = reverse_lazy("persona_app:erased")
class UpdateEmpleado(UpdateView):
template_name = "persona/UpdateEmpleado.html"
model = Empleado
fields = [
"first_Name",
"last_Name",
"job",
"department",
"Habilidades",
"avatar",
]
def post(self, request, *args, **kwargs):
self.object = self.get_object()
#logica.....
print("metodo post **************************")
print(request.POST)
print(request.POST["first_Name"])
#logica......
return super().post(request, *args, **kwargs)
def form_valid(self, form):
return super(Add, self).form_valid(form)
success_url = reverse_lazy("persona_app:erased")
class CreateEmpleado(CreateView):
template_name = "persona/CreateEmpleado.html"
model = Empleado
fields = [
"first_Name",
"last_Name",
"job",
"department",
"Habilidades",
"avatar",
]
success_url = reverse_lazy("persona_app:erased")
def form_valid(self, form):
nEmpleado = form.save(commit=False)
nEmpleado.full_Name = nEmpleado.first_Name + " " + nEmpleado.last_Name
nEmpleado.save()
return super(CreateEmpleado, self).form_valid(form)
|
[
"lugiazekrom43@gmail.com"
] |
lugiazekrom43@gmail.com
|
a72d692aa65ada981e2c3c633813d9f1aec3e26a
|
80cb36f83a7813b5e9e72dc07cdd60a83ec0a4ce
|
/sqlite3connection.py
|
7675d06f2e0b42596da290620ac43fc8a19ff19a
|
[
"MIT"
] |
permissive
|
balajirama/login_registration
|
4e2036e57908cfca78592dec13c5242e28dc5c4b
|
b374c151076d57de2063b50796321a4f55a1e5c7
|
refs/heads/master
| 2021-07-05T07:56:40.580724
| 2020-11-07T22:46:32
| 2020-11-07T22:46:32
| 196,668,729
| 0
| 1
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 1,335
|
py
|
import sqlite3
def make_dict(arr1, arr2):
result = []
if len(arr1) < 1:
return result
if len(arr1[0]) != len(arr2):
raise Exception('columns and data do not match')
for row in arr1:
row_dict = dict()
for j in range(len(row)):
row_dict[arr2[j][0]] = row[j]
result.append(row_dict)
return result
class SQLite3Connection:
def __init__(self, db):
connection = sqlite3.connect(db)
connection.set_trace_callback(print)
self.connection = connection
def query_db(self, query, data=[]):
cursor = self.connection.cursor()
try:
print("Running query:")
cursor.execute(query, data)
if query.lower().find("select") >= 0:
res = cursor.fetchall()
columns = cursor.description
result = make_dict(res, columns)
print("Query result:", result)
return result
else:
self.connection.commit()
if query.lower().find("insert") >= 0:
return cursor.lastrowid
except Exception as e:
print("ERROR:", e)
return False
def __del__(self):
self.connection.close()
def connectToSQLite3(db):
return SQLite3Connection(db)
|
[
"balajirama@users.noreply.github.com"
] |
balajirama@users.noreply.github.com
|
1e6f7e681ec4b3fa4d1f5294d2dc8a703d0f98b1
|
25c3ebefefc7ecdacf5e9d528f12bdc8485cea06
|
/app/models.py
|
cbd56f17711cee6e7647efa521c40195a6c45b5d
|
[] |
no_license
|
oldpotter/skl
|
0b3a4e523050c73cf708d6e8486048d49e6714cc
|
5f47e3f328e63e4de6caca0616a1804ffc9aafd9
|
refs/heads/master
| 2020-04-27T16:00:55.453185
| 2019-04-04T06:56:02
| 2019-04-04T06:56:02
| 166,230,421
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 1,197
|
py
|
# -*- coding: utf-8 -*-
__author__ = 'op'
from app import db, login
from datetime import datetime
from werkzeug.security import check_password_hash
from flask_login import UserMixin
class Rili(db.Model):
id = db.Column(db.Integer, primary_key=True)
date = db.Column(db.String(8), unique=True)
jsonContent = db.Column(db.Text)
class Lyric(db.Model):
id = db.Column(db.Integer, primary_key=True)
artist = db.Column(db.String(50))
song = db.Column(db.String(50))
album = db.Column(db.String(50))
content = db.Column(db.Text)
class User(UserMixin, db.Model):
id = db.Column(db.Integer, primary_key=True)
username = db.Column(db.String(64), index=True, unique=True)
password_hash = db.Column(db.String(128))
def check_password(self, password):
return check_password_hash(self.password_hash, password)
'''
1: 茶会信息
2: 读经地信息
'''
class ContactType:
CH = 0
DJD = 1
class Contact(db.Model):
id = db.Column(db.Integer, primary_key=True)
title = db.Column(db.String(500))
detail = db.Column(db.Text)
type = db.Column(db.Integer)
@login.user_loader
def load_user(id):
return User.query.get(int(id))
|
[
"oldpottertom@icloud.com"
] |
oldpottertom@icloud.com
|
ebaad1711387e4345c65fa0681b7f399491d8301
|
993ef8924418866f932396a58e3ad0c2a940ddd3
|
/Production/python/PrivateSamples/EMJ_UL17_mMed-2200_mDark-10_ctau-0p1_unflavored-down_cff.py
|
5243ead8ffb566b86b44cde4297d9248e99657be
|
[] |
no_license
|
TreeMaker/TreeMaker
|
48d81f6c95a17828dbb599d29c15137cd6ef009a
|
15dd7fe9e9e6f97d9e52614c900c27d200a6c45f
|
refs/heads/Run2_UL
| 2023-07-07T15:04:56.672709
| 2023-07-03T16:43:17
| 2023-07-03T16:43:17
| 29,192,343
| 16
| 92
| null | 2023-07-03T16:43:28
| 2015-01-13T13:59:30
|
Python
|
UTF-8
|
Python
| false
| false
| 1,981
|
py
|
import FWCore.ParameterSet.Config as cms
maxEvents = cms.untracked.PSet( input = cms.untracked.int32(-1) )
readFiles = cms.untracked.vstring()
secFiles = cms.untracked.vstring()
source = cms.Source ("PoolSource",fileNames = readFiles, secondaryFileNames = secFiles)
readFiles.extend( [
'root://cmseos.fnal.gov///store/group/lpcsusyhad/ExoEMJAnalysis2020/Signal.Oct.2021/UL17/step4_MINIAODv2_mMed-2200_mDark-10_ctau-0p1_unflavored-down_n-500_part-1.root',
'root://cmseos.fnal.gov///store/group/lpcsusyhad/ExoEMJAnalysis2020/Signal.Oct.2021/UL17/step4_MINIAODv2_mMed-2200_mDark-10_ctau-0p1_unflavored-down_n-500_part-10.root',
'root://cmseos.fnal.gov///store/group/lpcsusyhad/ExoEMJAnalysis2020/Signal.Oct.2021/UL17/step4_MINIAODv2_mMed-2200_mDark-10_ctau-0p1_unflavored-down_n-500_part-2.root',
'root://cmseos.fnal.gov///store/group/lpcsusyhad/ExoEMJAnalysis2020/Signal.Oct.2021/UL17/step4_MINIAODv2_mMed-2200_mDark-10_ctau-0p1_unflavored-down_n-500_part-3.root',
'root://cmseos.fnal.gov///store/group/lpcsusyhad/ExoEMJAnalysis2020/Signal.Oct.2021/UL17/step4_MINIAODv2_mMed-2200_mDark-10_ctau-0p1_unflavored-down_n-500_part-4.root',
'root://cmseos.fnal.gov///store/group/lpcsusyhad/ExoEMJAnalysis2020/Signal.Oct.2021/UL17/step4_MINIAODv2_mMed-2200_mDark-10_ctau-0p1_unflavored-down_n-500_part-5.root',
'root://cmseos.fnal.gov///store/group/lpcsusyhad/ExoEMJAnalysis2020/Signal.Oct.2021/UL17/step4_MINIAODv2_mMed-2200_mDark-10_ctau-0p1_unflavored-down_n-500_part-6.root',
'root://cmseos.fnal.gov///store/group/lpcsusyhad/ExoEMJAnalysis2020/Signal.Oct.2021/UL17/step4_MINIAODv2_mMed-2200_mDark-10_ctau-0p1_unflavored-down_n-500_part-7.root',
'root://cmseos.fnal.gov///store/group/lpcsusyhad/ExoEMJAnalysis2020/Signal.Oct.2021/UL17/step4_MINIAODv2_mMed-2200_mDark-10_ctau-0p1_unflavored-down_n-500_part-8.root',
'root://cmseos.fnal.gov///store/group/lpcsusyhad/ExoEMJAnalysis2020/Signal.Oct.2021/UL17/step4_MINIAODv2_mMed-2200_mDark-10_ctau-0p1_unflavored-down_n-500_part-9.root',
] )
|
[
"enochnotsocool@gmail.com"
] |
enochnotsocool@gmail.com
|
a4c7a2d1b9ba19dc263d3f59ee293b54bfd56e85
|
60eaaf25f660fa326603f5b173294dc459a0595d
|
/experiment_MC2.py
|
4cf997b02817985086302a48f7f62f352c5aff23
|
[] |
no_license
|
thuydung-icthust/Q_Learning_Connectivity
|
1ef46d62016d56ab2f96c0dae7f13f475ed8a2ae
|
bef4dcb12becc0a46eaa8268b9546af474218997
|
refs/heads/master
| 2023-07-02T06:49:41.365971
| 2021-08-02T04:08:16
| 2021-08-02T04:08:16
| 286,622,585
| 0
| 1
| null | 2020-08-11T02:09:08
| 2020-08-11T02:09:07
| null |
UTF-8
|
Python
| false
| false
| 2,677
|
py
|
from Node import Node
import random
from Network import Network
import pandas as pd
import Parameter as param
from ast import literal_eval
from MobileCharger import MobileCharger
from Q__Learning import Q_learning
from Inma import Inma
def Test(
file_name="data/thaydoitileguitin.csv",
des_log="log/change_alpha/",
size_tt=2,
ord=0,
s_ind=0,
e_ind=5,
alpha_p=0.2,
theta_p=0.2,
n_size=10,
):
for index in range(s_ind, e_ind):
df = pd.read_csv(file_name)
node_pos = list(literal_eval(df.node_pos[index]))
list_node = []
for i in range(len(node_pos)):
location = node_pos[i]
com_ran = df.commRange[index]
energy = df.energy[index]
energy_max = df.energy[index]
prob = df.freq[index]
node = Node(
location=location,
com_ran=com_ran,
energy=energy,
energy_max=energy_max,
id=i,
energy_thresh=0.4 * energy,
prob=prob,
)
list_node.append(node)
mc = MobileCharger(
energy=df.E_mc[index],
capacity=df.E_max[index],
e_move=df.e_move[index],
e_self_charge=df.e_mc[index],
velocity=df.velocity[index],
)
target = [int(item) for item in df.target[index].split(",")]
net = Network(list_node=list_node, mc=mc, target=target)
print(len(net.node), len(net.target), max(net.target))
q_learning = Q_learning(
network=net,
alpha_p=alpha_p,
theta_p=theta_p,
nb_action=n_size * n_size,
n_size=n_size,
)
# inma = Inma()
net.simulate(optimizer=q_learning, index=index, file_name=des_log)
if __name__ == "__main__":
filename = [
"data/thaydoitileguitin.csv",
"data/thaydoisonode.csv",
"data/thaydoinangluongmc.csv",
]
des_log = [
"log/Lifetime/Frequency/",
"log/Lifetime/NodeNum/",
"log/Lifetime/PowerMC/",
]
alpha, theta = (0.6, 0.3)
test_index = 2
file_name = filename[test_index]
des_log = des_log[test_index]
for i in range(2, 4):
file_to_log_infor = (
des_log + str(alpha) + "_" + str(theta) + "_" + str(i) + ".txt"
)
print(file_to_log_infor)
for m in range(0, 5):
Test(
file_name=file_name,
des_log=file_to_log_infor,
s_ind=i,
e_ind=i + 1,
alpha_p=alpha,
theta_p=theta,
)
|
[
"thuydungnguyen.ictk63@gmail.com"
] |
thuydungnguyen.ictk63@gmail.com
|
eefda3e4f68c92ad23058fc49e2a6ba5e489fa45
|
3b74cd55d5ca236081a80dbbd34fce37a22b208e
|
/Quiz/Apply_filter.py
|
f947a556358c88c45a21dfbf7b35bec21113f6b3
|
[] |
no_license
|
Zahrou/EDX
|
8f5961aadd4d6e0ce66522ea0a02f9eb27fcc546
|
f5c1c2241aae08fe0cd05dc586ddd22fa51949b8
|
refs/heads/master
| 2020-04-02T02:55:15.931274
| 2019-06-01T02:22:30
| 2019-06-01T02:22:30
| 153,935,840
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 769
|
py
|
def f(i):
return i + 2
def g(i):
return i > 5
def applyF_filterG(L, f, g):
"""
Assumes L is a list of integers
Assume functions f and g are defined for you.
f takes in an integer, applies a function, returns another integer
g takes in an integer, applies a Boolean function,
returns either True or False
Mutates L such that, for each element i originally in L, L contains
i if g(f(i)) returns True, and no other elements
Returns the largest
"""
L1 = []
for i in L:
s = f(i)
if g(s) == True:
L1.append(i)
L.clear()
for e in L1:
L.append(e)
if len(L) == 0:
return -1
else:
return max(L)
|
[
"zahro.madr@gmail.com"
] |
zahro.madr@gmail.com
|
90183dc2e95fc8a7d4d677c104370a0fada22f44
|
81a7ab5346f8e656438b3b5ec9eef5b11e1e620f
|
/text_2.py
|
fd5372e456e304b2fc38fda8971532b3bab52712
|
[] |
no_license
|
GetAlice/python
|
82396a2b0db55ebf865d7dd9010df8fe8b909455
|
299b2355ae4afda0f613f427e2b08d9e559d0cfc
|
refs/heads/master
| 2020-03-15T19:38:00.272797
| 2018-06-04T02:10:27
| 2018-06-04T02:10:27
| 132,313,486
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 900
|
py
|
cookie = 'anonymid=jfgfivcbazwm36; ' \
'_r01_=1; ' \
'ln_uact=18689393892; ' \
'ln_hurl=http://head.xiaonei.com/photos/0/0/men_main.gif; ' \
'_de=E0EDF5D325EC1DBA1D9123C741F918C1; ' \
'depovince=GUZ; ' \
'ick_login=6be5197b-c163-4429-b58e-75d2abc70648; jebecookies=48921195-5c61-4615-8cbb-51e19985e85c|||||; ' \
'jebe_key=11bfc5d3-b7fe-42c5-906c-82a149aa932d%7Cd2d0ee61a963d41f217dde8146469b12%7C1522566662335%7C1%7C1524539451045'
CookieList_1 = cookie.split(';')
#print(b)
dic1 = {}
#print('\n',"#"*100,'\n')
for CookieNum in CookieList_1:
CookieList_2 = CookieNum.split('=')
CookieKey_1 = CookieList_2[0]
CookieValue_1 = CookieList_2[1]
dic1[CookieKey_1] = CookieValue_1
#cc[c[0]] = c[1]
print(str.ljust('keys:',15,' '),' \t','value:')
print("#"*180)
for keys,value in dic1.items():
print(str.ljust(keys,15,' '),'=\t',value)
|
[
"13537656018@163.com"
] |
13537656018@163.com
|
3ae82201c0f7e5dd38718f5b558d1eea7bfe3aea
|
529edf91d79a841da707e694c19d00b743d022d8
|
/images/migrations/0003_image_total_likes.py
|
26eb75f2446049690320e245c36c268fb5954932
|
[] |
no_license
|
youssieframadan/Bookmarks
|
88838ca4e3bfcc1ae70bc4662afb9336b08544d7
|
5a4ad1a8c916091e7f79a44c7f982695d7210aef
|
refs/heads/main
| 2023-08-25T15:54:18.179067
| 2021-10-20T13:26:39
| 2021-10-20T13:26:39
| 419,342,155
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 414
|
py
|
# Generated by Django 3.2.7 on 2021-10-19 15:44
from django.db import migrations, models
class Migration(migrations.Migration):
dependencies = [
('images', '0002_rename_imagemodel_image'),
]
operations = [
migrations.AddField(
model_name='image',
name='total_likes',
field=models.PositiveIntegerField(db_index=True, default=0),
),
]
|
[
"youssief.r@gmail.com"
] |
youssief.r@gmail.com
|
45c7d12a50f07cacbd16780c5e103cca1dab389d
|
8dc64db8a0d7ddb8778c8eae2dac9075b9a90e2b
|
/env/Lib/site-packages/googleapiclient/discovery.py
|
6363809f1e5bc5de0bd293b63699f37f33542a5e
|
[
"MIT"
] |
permissive
|
theXtroyer1221/Cloud-buffer
|
c3992d1b543a1f11fde180f6f7d988d28b8f9684
|
37eabdd78c15172ea980b59d1aff65d8628cb845
|
refs/heads/master
| 2022-11-22T22:37:10.453923
| 2022-02-25T01:15:57
| 2022-02-25T01:15:57
| 240,901,269
| 1
| 1
|
MIT
| 2022-09-04T14:48:02
| 2020-02-16T14:00:32
|
HTML
|
UTF-8
|
Python
| false
| false
| 59,078
|
py
|
# Copyright 2014 Google 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.
"""Client for discovery based APIs.
A client library for Google's discovery based APIs.
"""
from __future__ import absolute_import
import six
from six.moves import zip
__author__ = "jcgregorio@google.com (Joe Gregorio)"
__all__ = ["build", "build_from_document", "fix_method_name", "key2param"]
from six import BytesIO
from six.moves import http_client
from six.moves.urllib.parse import urlencode, urlparse, urljoin, urlunparse, parse_qsl
# Standard library imports
import copy
from collections import OrderedDict
try:
from email.generator import BytesGenerator
except ImportError:
from email.generator import Generator as BytesGenerator
from email.mime.multipart import MIMEMultipart
from email.mime.nonmultipart import MIMENonMultipart
import json
import keyword
import logging
import mimetypes
import os
import re
# Third-party imports
import httplib2
import uritemplate
import google.api_core.client_options
from google.auth.transport import mtls
from google.auth.exceptions import MutualTLSChannelError
try:
import google_auth_httplib2
except ImportError: # pragma: NO COVER
google_auth_httplib2 = None
# Local imports
from googleapiclient import _auth
from googleapiclient import mimeparse
from googleapiclient.errors import HttpError
from googleapiclient.errors import InvalidJsonError
from googleapiclient.errors import MediaUploadSizeError
from googleapiclient.errors import UnacceptableMimeTypeError
from googleapiclient.errors import UnknownApiNameOrVersion
from googleapiclient.errors import UnknownFileType
from googleapiclient.http import build_http
from googleapiclient.http import BatchHttpRequest
from googleapiclient.http import HttpMock
from googleapiclient.http import HttpMockSequence
from googleapiclient.http import HttpRequest
from googleapiclient.http import MediaFileUpload
from googleapiclient.http import MediaUpload
from googleapiclient.model import JsonModel
from googleapiclient.model import MediaModel
from googleapiclient.model import RawModel
from googleapiclient.schema import Schemas
from googleapiclient._helpers import _add_query_parameter
from googleapiclient._helpers import positional
# The client library requires a version of httplib2 that supports RETRIES.
httplib2.RETRIES = 1
logger = logging.getLogger(__name__)
URITEMPLATE = re.compile("{[^}]*}")
VARNAME = re.compile("[a-zA-Z0-9_-]+")
DISCOVERY_URI = (
"https://www.googleapis.com/discovery/v1/apis/" "{api}/{apiVersion}/rest"
)
V1_DISCOVERY_URI = DISCOVERY_URI
V2_DISCOVERY_URI = (
"https://{api}.googleapis.com/$discovery/rest?" "version={apiVersion}"
)
DEFAULT_METHOD_DOC = "A description of how to use this function"
HTTP_PAYLOAD_METHODS = frozenset(["PUT", "POST", "PATCH"])
_MEDIA_SIZE_BIT_SHIFTS = {"KB": 10, "MB": 20, "GB": 30, "TB": 40}
BODY_PARAMETER_DEFAULT_VALUE = {"description": "The request body.", "type": "object"}
MEDIA_BODY_PARAMETER_DEFAULT_VALUE = {
"description": (
"The filename of the media request body, or an instance "
"of a MediaUpload object."
),
"type": "string",
"required": False,
}
MEDIA_MIME_TYPE_PARAMETER_DEFAULT_VALUE = {
"description": (
"The MIME type of the media request body, or an instance "
"of a MediaUpload object."
),
"type": "string",
"required": False,
}
_PAGE_TOKEN_NAMES = ("pageToken", "nextPageToken")
# Parameters controlling mTLS behavior. See https://google.aip.dev/auth/4114.
GOOGLE_API_USE_CLIENT_CERTIFICATE = "GOOGLE_API_USE_CLIENT_CERTIFICATE"
GOOGLE_API_USE_MTLS_ENDPOINT = "GOOGLE_API_USE_MTLS_ENDPOINT"
# Parameters accepted by the stack, but not visible via discovery.
# TODO(dhermes): Remove 'userip' in 'v2'.
STACK_QUERY_PARAMETERS = frozenset(["trace", "pp", "userip", "strict"])
STACK_QUERY_PARAMETER_DEFAULT_VALUE = {"type": "string", "location": "query"}
# Library-specific reserved words beyond Python keywords.
RESERVED_WORDS = frozenset(["body"])
# patch _write_lines to avoid munging '\r' into '\n'
# ( https://bugs.python.org/issue18886 https://bugs.python.org/issue19003 )
class _BytesGenerator(BytesGenerator):
_write_lines = BytesGenerator.write
def fix_method_name(name):
"""Fix method names to avoid '$' characters and reserved word conflicts.
Args:
name: string, method name.
Returns:
The name with '_' appended if the name is a reserved word and '$' and '-'
replaced with '_'.
"""
name = name.replace("$", "_").replace("-", "_")
if keyword.iskeyword(name) or name in RESERVED_WORDS:
return name + "_"
else:
return name
def key2param(key):
"""Converts key names into parameter names.
For example, converting "max-results" -> "max_results"
Args:
key: string, the method key name.
Returns:
A safe method name based on the key name.
"""
result = []
key = list(key)
if not key[0].isalpha():
result.append("x")
for c in key:
if c.isalnum():
result.append(c)
else:
result.append("_")
return "".join(result)
@positional(2)
def build(
serviceName,
version,
http=None,
discoveryServiceUrl=DISCOVERY_URI,
developerKey=None,
model=None,
requestBuilder=HttpRequest,
credentials=None,
cache_discovery=True,
cache=None,
client_options=None,
adc_cert_path=None,
adc_key_path=None,
num_retries=1,
):
"""Construct a Resource for interacting with an API.
Construct a Resource object for interacting with an API. The serviceName and
version are the names from the Discovery service.
Args:
serviceName: string, name of the service.
version: string, the version of the service.
http: httplib2.Http, An instance of httplib2.Http or something that acts
like it that HTTP requests will be made through.
discoveryServiceUrl: string, a URI Template that points to the location of
the discovery service. It should have two parameters {api} and
{apiVersion} that when filled in produce an absolute URI to the discovery
document for that service.
developerKey: string, key obtained from
https://code.google.com/apis/console.
model: googleapiclient.Model, converts to and from the wire format.
requestBuilder: googleapiclient.http.HttpRequest, encapsulator for an HTTP
request.
credentials: oauth2client.Credentials or
google.auth.credentials.Credentials, credentials to be used for
authentication.
cache_discovery: Boolean, whether or not to cache the discovery doc.
cache: googleapiclient.discovery_cache.base.CacheBase, an optional
cache object for the discovery documents.
client_options: Mapping object or google.api_core.client_options, client
options to set user options on the client.
(1) The API endpoint should be set through client_options. If API endpoint
is not set, `GOOGLE_API_USE_MTLS_ENDPOINT` environment variable can be used
to control which endpoint to use.
(2) client_cert_source is not supported, client cert should be provided using
client_encrypted_cert_source instead. In order to use the provided client
cert, `GOOGLE_API_USE_CLIENT_CERTIFICATE` environment variable must be
set to `true`.
More details on the environment variables are here:
https://google.aip.dev/auth/4114
adc_cert_path: str, client certificate file path to save the application
default client certificate for mTLS. This field is required if you want to
use the default client certificate. `GOOGLE_API_USE_CLIENT_CERTIFICATE`
environment variable must be set to `true` in order to use this field,
otherwise this field doesn't nothing.
More details on the environment variables are here:
https://google.aip.dev/auth/4114
adc_key_path: str, client encrypted private key file path to save the
application default client encrypted private key for mTLS. This field is
required if you want to use the default client certificate.
`GOOGLE_API_USE_CLIENT_CERTIFICATE` environment variable must be set to
`true` in order to use this field, otherwise this field doesn't nothing.
More details on the environment variables are here:
https://google.aip.dev/auth/4114
num_retries: Integer, number of times to retry discovery with
randomized exponential backoff in case of intermittent/connection issues.
Returns:
A Resource object with methods for interacting with the service.
Raises:
google.auth.exceptions.MutualTLSChannelError: if there are any problems
setting up mutual TLS channel.
"""
params = {"api": serviceName, "apiVersion": version}
if http is None:
discovery_http = build_http()
else:
discovery_http = http
service = None
for discovery_url in _discovery_service_uri_options(discoveryServiceUrl, version):
requested_url = uritemplate.expand(discovery_url, params)
try:
content = _retrieve_discovery_doc(
requested_url,
discovery_http,
cache_discovery,
cache,
developerKey,
num_retries=num_retries,
)
service = build_from_document(
content,
base=discovery_url,
http=http,
developerKey=developerKey,
model=model,
requestBuilder=requestBuilder,
credentials=credentials,
client_options=client_options,
adc_cert_path=adc_cert_path,
adc_key_path=adc_key_path,
)
break # exit if a service was created
except HttpError as e:
if e.resp.status == http_client.NOT_FOUND:
continue
else:
raise e
# If discovery_http was created by this function, we are done with it
# and can safely close it
if http is None:
discovery_http.close()
if service is None:
raise UnknownApiNameOrVersion("name: %s version: %s" % (serviceName, version))
else:
return service
def _discovery_service_uri_options(discoveryServiceUrl, version):
"""
Returns Discovery URIs to be used for attemnting to build the API Resource.
Args:
discoveryServiceUrl:
string, the Original Discovery Service URL preferred by the customer.
version:
string, API Version requested
Returns:
A list of URIs to be tried for the Service Discovery, in order.
"""
urls = [discoveryServiceUrl, V2_DISCOVERY_URI]
# V1 Discovery won't work if the requested version is None
if discoveryServiceUrl == V1_DISCOVERY_URI and version is None:
logger.warning(
"Discovery V1 does not support empty versions. Defaulting to V2..."
)
urls.pop(0)
return list(OrderedDict.fromkeys(urls))
def _retrieve_discovery_doc(
url, http, cache_discovery, cache=None, developerKey=None, num_retries=1
):
"""Retrieves the discovery_doc from cache or the internet.
Args:
url: string, the URL of the discovery document.
http: httplib2.Http, An instance of httplib2.Http or something that acts
like it through which HTTP requests will be made.
cache_discovery: Boolean, whether or not to cache the discovery doc.
cache: googleapiclient.discovery_cache.base.Cache, an optional cache
object for the discovery documents.
developerKey: string, Key for controlling API usage, generated
from the API Console.
num_retries: Integer, number of times to retry discovery with
randomized exponential backoff in case of intermittent/connection issues.
Returns:
A unicode string representation of the discovery document.
"""
if cache_discovery:
from . import discovery_cache
if cache is None:
cache = discovery_cache.autodetect()
if cache:
content = cache.get(url)
if content:
return content
actual_url = url
# REMOTE_ADDR is defined by the CGI spec [RFC3875] as the environment
# variable that contains the network address of the client sending the
# request. If it exists then add that to the request for the discovery
# document to avoid exceeding the quota on discovery requests.
if "REMOTE_ADDR" in os.environ:
actual_url = _add_query_parameter(url, "userIp", os.environ["REMOTE_ADDR"])
if developerKey:
actual_url = _add_query_parameter(url, "key", developerKey)
logger.debug("URL being requested: GET %s", actual_url)
# Execute this request with retries build into HttpRequest
# Note that it will already raise an error if we don't get a 2xx response
req = HttpRequest(http, HttpRequest.null_postproc, actual_url)
resp, content = req.execute(num_retries=num_retries)
try:
content = content.decode("utf-8")
except AttributeError:
pass
try:
service = json.loads(content)
except ValueError as e:
logger.error("Failed to parse as JSON: " + content)
raise InvalidJsonError()
if cache_discovery and cache:
cache.set(url, content)
return content
@positional(1)
def build_from_document(
service,
base=None,
future=None,
http=None,
developerKey=None,
model=None,
requestBuilder=HttpRequest,
credentials=None,
client_options=None,
adc_cert_path=None,
adc_key_path=None,
):
"""Create a Resource for interacting with an API.
Same as `build()`, but constructs the Resource object from a discovery
document that is it given, as opposed to retrieving one over HTTP.
Args:
service: string or object, the JSON discovery document describing the API.
The value passed in may either be the JSON string or the deserialized
JSON.
base: string, base URI for all HTTP requests, usually the discovery URI.
This parameter is no longer used as rootUrl and servicePath are included
within the discovery document. (deprecated)
future: string, discovery document with future capabilities (deprecated).
http: httplib2.Http, An instance of httplib2.Http or something that acts
like it that HTTP requests will be made through.
developerKey: string, Key for controlling API usage, generated
from the API Console.
model: Model class instance that serializes and de-serializes requests and
responses.
requestBuilder: Takes an http request and packages it up to be executed.
credentials: oauth2client.Credentials or
google.auth.credentials.Credentials, credentials to be used for
authentication.
client_options: Mapping object or google.api_core.client_options, client
options to set user options on the client.
(1) The API endpoint should be set through client_options. If API endpoint
is not set, `GOOGLE_API_USE_MTLS_ENDPOINT` environment variable can be used
to control which endpoint to use.
(2) client_cert_source is not supported, client cert should be provided using
client_encrypted_cert_source instead. In order to use the provided client
cert, `GOOGLE_API_USE_CLIENT_CERTIFICATE` environment variable must be
set to `true`.
More details on the environment variables are here:
https://google.aip.dev/auth/4114
adc_cert_path: str, client certificate file path to save the application
default client certificate for mTLS. This field is required if you want to
use the default client certificate. `GOOGLE_API_USE_CLIENT_CERTIFICATE`
environment variable must be set to `true` in order to use this field,
otherwise this field doesn't nothing.
More details on the environment variables are here:
https://google.aip.dev/auth/4114
adc_key_path: str, client encrypted private key file path to save the
application default client encrypted private key for mTLS. This field is
required if you want to use the default client certificate.
`GOOGLE_API_USE_CLIENT_CERTIFICATE` environment variable must be set to
`true` in order to use this field, otherwise this field doesn't nothing.
More details on the environment variables are here:
https://google.aip.dev/auth/4114
Returns:
A Resource object with methods for interacting with the service.
Raises:
google.auth.exceptions.MutualTLSChannelError: if there are any problems
setting up mutual TLS channel.
"""
if client_options is None:
client_options = google.api_core.client_options.ClientOptions()
if isinstance(client_options, six.moves.collections_abc.Mapping):
client_options = google.api_core.client_options.from_dict(client_options)
if http is not None:
# if http is passed, the user cannot provide credentials
banned_options = [
(credentials, "credentials"),
(client_options.credentials_file, "client_options.credentials_file"),
]
for option, name in banned_options:
if option is not None:
raise ValueError("Arguments http and {} are mutually exclusive".format(name))
if isinstance(service, six.string_types):
service = json.loads(service)
elif isinstance(service, six.binary_type):
service = json.loads(service.decode("utf-8"))
if "rootUrl" not in service and isinstance(http, (HttpMock, HttpMockSequence)):
logger.error(
"You are using HttpMock or HttpMockSequence without"
+ "having the service discovery doc in cache. Try calling "
+ "build() without mocking once first to populate the "
+ "cache."
)
raise InvalidJsonError()
# If an API Endpoint is provided on client options, use that as the base URL
base = urljoin(service["rootUrl"], service["servicePath"])
if client_options.api_endpoint:
base = client_options.api_endpoint
schema = Schemas(service)
# If the http client is not specified, then we must construct an http client
# to make requests. If the service has scopes, then we also need to setup
# authentication.
if http is None:
# Does the service require scopes?
scopes = list(
service.get("auth", {}).get("oauth2", {}).get("scopes", {}).keys()
)
# If so, then the we need to setup authentication if no developerKey is
# specified.
if scopes and not developerKey:
# Make sure the user didn't pass multiple credentials
if client_options.credentials_file and credentials:
raise google.api_core.exceptions.DuplicateCredentialArgs(
"client_options.credentials_file and credentials are mutually exclusive."
)
# Check for credentials file via client options
if client_options.credentials_file:
credentials = _auth.credentials_from_file(
client_options.credentials_file,
scopes=client_options.scopes,
quota_project_id=client_options.quota_project_id,
)
# If the user didn't pass in credentials, attempt to acquire application
# default credentials.
if credentials is None:
credentials = _auth.default_credentials(
scopes=client_options.scopes,
quota_project_id=client_options.quota_project_id,
)
# The credentials need to be scoped.
# If the user provided scopes via client_options don't override them
if not client_options.scopes:
credentials = _auth.with_scopes(credentials, scopes)
# If credentials are provided, create an authorized http instance;
# otherwise, skip authentication.
if credentials:
http = _auth.authorized_http(credentials)
# If the service doesn't require scopes then there is no need for
# authentication.
else:
http = build_http()
# Obtain client cert and create mTLS http channel if cert exists.
client_cert_to_use = None
use_client_cert = os.getenv(GOOGLE_API_USE_CLIENT_CERTIFICATE, "false")
if not use_client_cert in ("true", "false"):
raise MutualTLSChannelError(
"Unsupported GOOGLE_API_USE_CLIENT_CERTIFICATE value. Accepted values: true, false"
)
if client_options and client_options.client_cert_source:
raise MutualTLSChannelError(
"ClientOptions.client_cert_source is not supported, please use ClientOptions.client_encrypted_cert_source."
)
if use_client_cert == "true":
if (
client_options
and hasattr(client_options, "client_encrypted_cert_source")
and client_options.client_encrypted_cert_source
):
client_cert_to_use = client_options.client_encrypted_cert_source
elif (
adc_cert_path and adc_key_path and mtls.has_default_client_cert_source()
):
client_cert_to_use = mtls.default_client_encrypted_cert_source(
adc_cert_path, adc_key_path
)
if client_cert_to_use:
cert_path, key_path, passphrase = client_cert_to_use()
# The http object we built could be google_auth_httplib2.AuthorizedHttp
# or httplib2.Http. In the first case we need to extract the wrapped
# httplib2.Http object from google_auth_httplib2.AuthorizedHttp.
http_channel = (
http.http
if google_auth_httplib2
and isinstance(http, google_auth_httplib2.AuthorizedHttp)
else http
)
http_channel.add_certificate(key_path, cert_path, "", passphrase)
# If user doesn't provide api endpoint via client options, decide which
# api endpoint to use.
if "mtlsRootUrl" in service and (
not client_options or not client_options.api_endpoint
):
mtls_endpoint = urljoin(service["mtlsRootUrl"], service["servicePath"])
use_mtls_endpoint = os.getenv(GOOGLE_API_USE_MTLS_ENDPOINT, "auto")
if not use_mtls_endpoint in ("never", "auto", "always"):
raise MutualTLSChannelError(
"Unsupported GOOGLE_API_USE_MTLS_ENDPOINT value. Accepted values: never, auto, always"
)
# Switch to mTLS endpoint, if environment variable is "always", or
# environment varibable is "auto" and client cert exists.
if use_mtls_endpoint == "always" or (
use_mtls_endpoint == "auto" and client_cert_to_use
):
base = mtls_endpoint
if model is None:
features = service.get("features", [])
model = JsonModel("dataWrapper" in features)
return Resource(
http=http,
baseUrl=base,
model=model,
developerKey=developerKey,
requestBuilder=requestBuilder,
resourceDesc=service,
rootDesc=service,
schema=schema,
)
def _cast(value, schema_type):
"""Convert value to a string based on JSON Schema type.
See http://tools.ietf.org/html/draft-zyp-json-schema-03 for more details on
JSON Schema.
Args:
value: any, the value to convert
schema_type: string, the type that value should be interpreted as
Returns:
A string representation of 'value' based on the schema_type.
"""
if schema_type == "string":
if type(value) == type("") or type(value) == type(u""):
return value
else:
return str(value)
elif schema_type == "integer":
return str(int(value))
elif schema_type == "number":
return str(float(value))
elif schema_type == "boolean":
return str(bool(value)).lower()
else:
if type(value) == type("") or type(value) == type(u""):
return value
else:
return str(value)
def _media_size_to_long(maxSize):
"""Convert a string media size, such as 10GB or 3TB into an integer.
Args:
maxSize: string, size as a string, such as 2MB or 7GB.
Returns:
The size as an integer value.
"""
if len(maxSize) < 2:
return 0
units = maxSize[-2:].upper()
bit_shift = _MEDIA_SIZE_BIT_SHIFTS.get(units)
if bit_shift is not None:
return int(maxSize[:-2]) << bit_shift
else:
return int(maxSize)
def _media_path_url_from_info(root_desc, path_url):
"""Creates an absolute media path URL.
Constructed using the API root URI and service path from the discovery
document and the relative path for the API method.
Args:
root_desc: Dictionary; the entire original deserialized discovery document.
path_url: String; the relative URL for the API method. Relative to the API
root, which is specified in the discovery document.
Returns:
String; the absolute URI for media upload for the API method.
"""
return "%(root)supload/%(service_path)s%(path)s" % {
"root": root_desc["rootUrl"],
"service_path": root_desc["servicePath"],
"path": path_url,
}
def _fix_up_parameters(method_desc, root_desc, http_method, schema):
"""Updates parameters of an API method with values specific to this library.
Specifically, adds whatever global parameters are specified by the API to the
parameters for the individual method. Also adds parameters which don't
appear in the discovery document, but are available to all discovery based
APIs (these are listed in STACK_QUERY_PARAMETERS).
SIDE EFFECTS: This updates the parameters dictionary object in the method
description.
Args:
method_desc: Dictionary with metadata describing an API method. Value comes
from the dictionary of methods stored in the 'methods' key in the
deserialized discovery document.
root_desc: Dictionary; the entire original deserialized discovery document.
http_method: String; the HTTP method used to call the API method described
in method_desc.
schema: Object, mapping of schema names to schema descriptions.
Returns:
The updated Dictionary stored in the 'parameters' key of the method
description dictionary.
"""
parameters = method_desc.setdefault("parameters", {})
# Add in the parameters common to all methods.
for name, description in six.iteritems(root_desc.get("parameters", {})):
parameters[name] = description
# Add in undocumented query parameters.
for name in STACK_QUERY_PARAMETERS:
parameters[name] = STACK_QUERY_PARAMETER_DEFAULT_VALUE.copy()
# Add 'body' (our own reserved word) to parameters if the method supports
# a request payload.
if http_method in HTTP_PAYLOAD_METHODS and "request" in method_desc:
body = BODY_PARAMETER_DEFAULT_VALUE.copy()
body.update(method_desc["request"])
parameters["body"] = body
return parameters
def _fix_up_media_upload(method_desc, root_desc, path_url, parameters):
"""Adds 'media_body' and 'media_mime_type' parameters if supported by method.
SIDE EFFECTS: If there is a 'mediaUpload' in the method description, adds
'media_upload' key to parameters.
Args:
method_desc: Dictionary with metadata describing an API method. Value comes
from the dictionary of methods stored in the 'methods' key in the
deserialized discovery document.
root_desc: Dictionary; the entire original deserialized discovery document.
path_url: String; the relative URL for the API method. Relative to the API
root, which is specified in the discovery document.
parameters: A dictionary describing method parameters for method described
in method_desc.
Returns:
Triple (accept, max_size, media_path_url) where:
- accept is a list of strings representing what content types are
accepted for media upload. Defaults to empty list if not in the
discovery document.
- max_size is a long representing the max size in bytes allowed for a
media upload. Defaults to 0L if not in the discovery document.
- media_path_url is a String; the absolute URI for media upload for the
API method. Constructed using the API root URI and service path from
the discovery document and the relative path for the API method. If
media upload is not supported, this is None.
"""
media_upload = method_desc.get("mediaUpload", {})
accept = media_upload.get("accept", [])
max_size = _media_size_to_long(media_upload.get("maxSize", ""))
media_path_url = None
if media_upload:
media_path_url = _media_path_url_from_info(root_desc, path_url)
parameters["media_body"] = MEDIA_BODY_PARAMETER_DEFAULT_VALUE.copy()
parameters["media_mime_type"] = MEDIA_MIME_TYPE_PARAMETER_DEFAULT_VALUE.copy()
return accept, max_size, media_path_url
def _fix_up_method_description(method_desc, root_desc, schema):
"""Updates a method description in a discovery document.
SIDE EFFECTS: Changes the parameters dictionary in the method description with
extra parameters which are used locally.
Args:
method_desc: Dictionary with metadata describing an API method. Value comes
from the dictionary of methods stored in the 'methods' key in the
deserialized discovery document.
root_desc: Dictionary; the entire original deserialized discovery document.
schema: Object, mapping of schema names to schema descriptions.
Returns:
Tuple (path_url, http_method, method_id, accept, max_size, media_path_url)
where:
- path_url is a String; the relative URL for the API method. Relative to
the API root, which is specified in the discovery document.
- http_method is a String; the HTTP method used to call the API method
described in the method description.
- method_id is a String; the name of the RPC method associated with the
API method, and is in the method description in the 'id' key.
- accept is a list of strings representing what content types are
accepted for media upload. Defaults to empty list if not in the
discovery document.
- max_size is a long representing the max size in bytes allowed for a
media upload. Defaults to 0L if not in the discovery document.
- media_path_url is a String; the absolute URI for media upload for the
API method. Constructed using the API root URI and service path from
the discovery document and the relative path for the API method. If
media upload is not supported, this is None.
"""
path_url = method_desc["path"]
http_method = method_desc["httpMethod"]
method_id = method_desc["id"]
parameters = _fix_up_parameters(method_desc, root_desc, http_method, schema)
# Order is important. `_fix_up_media_upload` needs `method_desc` to have a
# 'parameters' key and needs to know if there is a 'body' parameter because it
# also sets a 'media_body' parameter.
accept, max_size, media_path_url = _fix_up_media_upload(
method_desc, root_desc, path_url, parameters
)
return path_url, http_method, method_id, accept, max_size, media_path_url
def _urljoin(base, url):
"""Custom urljoin replacement supporting : before / in url."""
# In general, it's unsafe to simply join base and url. However, for
# the case of discovery documents, we know:
# * base will never contain params, query, or fragment
# * url will never contain a scheme or net_loc.
# In general, this means we can safely join on /; we just need to
# ensure we end up with precisely one / joining base and url. The
# exception here is the case of media uploads, where url will be an
# absolute url.
if url.startswith("http://") or url.startswith("https://"):
return urljoin(base, url)
new_base = base if base.endswith("/") else base + "/"
new_url = url[1:] if url.startswith("/") else url
return new_base + new_url
# TODO(dhermes): Convert this class to ResourceMethod and make it callable
class ResourceMethodParameters(object):
"""Represents the parameters associated with a method.
Attributes:
argmap: Map from method parameter name (string) to query parameter name
(string).
required_params: List of required parameters (represented by parameter
name as string).
repeated_params: List of repeated parameters (represented by parameter
name as string).
pattern_params: Map from method parameter name (string) to regular
expression (as a string). If the pattern is set for a parameter, the
value for that parameter must match the regular expression.
query_params: List of parameters (represented by parameter name as string)
that will be used in the query string.
path_params: Set of parameters (represented by parameter name as string)
that will be used in the base URL path.
param_types: Map from method parameter name (string) to parameter type. Type
can be any valid JSON schema type; valid values are 'any', 'array',
'boolean', 'integer', 'number', 'object', or 'string'. Reference:
http://tools.ietf.org/html/draft-zyp-json-schema-03#section-5.1
enum_params: Map from method parameter name (string) to list of strings,
where each list of strings is the list of acceptable enum values.
"""
def __init__(self, method_desc):
"""Constructor for ResourceMethodParameters.
Sets default values and defers to set_parameters to populate.
Args:
method_desc: Dictionary with metadata describing an API method. Value
comes from the dictionary of methods stored in the 'methods' key in
the deserialized discovery document.
"""
self.argmap = {}
self.required_params = []
self.repeated_params = []
self.pattern_params = {}
self.query_params = []
# TODO(dhermes): Change path_params to a list if the extra URITEMPLATE
# parsing is gotten rid of.
self.path_params = set()
self.param_types = {}
self.enum_params = {}
self.set_parameters(method_desc)
def set_parameters(self, method_desc):
"""Populates maps and lists based on method description.
Iterates through each parameter for the method and parses the values from
the parameter dictionary.
Args:
method_desc: Dictionary with metadata describing an API method. Value
comes from the dictionary of methods stored in the 'methods' key in
the deserialized discovery document.
"""
for arg, desc in six.iteritems(method_desc.get("parameters", {})):
param = key2param(arg)
self.argmap[param] = arg
if desc.get("pattern"):
self.pattern_params[param] = desc["pattern"]
if desc.get("enum"):
self.enum_params[param] = desc["enum"]
if desc.get("required"):
self.required_params.append(param)
if desc.get("repeated"):
self.repeated_params.append(param)
if desc.get("location") == "query":
self.query_params.append(param)
if desc.get("location") == "path":
self.path_params.add(param)
self.param_types[param] = desc.get("type", "string")
# TODO(dhermes): Determine if this is still necessary. Discovery based APIs
# should have all path parameters already marked with
# 'location: path'.
for match in URITEMPLATE.finditer(method_desc["path"]):
for namematch in VARNAME.finditer(match.group(0)):
name = key2param(namematch.group(0))
self.path_params.add(name)
if name in self.query_params:
self.query_params.remove(name)
def createMethod(methodName, methodDesc, rootDesc, schema):
"""Creates a method for attaching to a Resource.
Args:
methodName: string, name of the method to use.
methodDesc: object, fragment of deserialized discovery document that
describes the method.
rootDesc: object, the entire deserialized discovery document.
schema: object, mapping of schema names to schema descriptions.
"""
methodName = fix_method_name(methodName)
(
pathUrl,
httpMethod,
methodId,
accept,
maxSize,
mediaPathUrl,
) = _fix_up_method_description(methodDesc, rootDesc, schema)
parameters = ResourceMethodParameters(methodDesc)
def method(self, **kwargs):
# Don't bother with doc string, it will be over-written by createMethod.
for name in six.iterkeys(kwargs):
if name not in parameters.argmap:
raise TypeError('Got an unexpected keyword argument "%s"' % name)
# Remove args that have a value of None.
keys = list(kwargs.keys())
for name in keys:
if kwargs[name] is None:
del kwargs[name]
for name in parameters.required_params:
if name not in kwargs:
# temporary workaround for non-paging methods incorrectly requiring
# page token parameter (cf. drive.changes.watch vs. drive.changes.list)
if name not in _PAGE_TOKEN_NAMES or _findPageTokenName(
_methodProperties(methodDesc, schema, "response")
):
raise TypeError('Missing required parameter "%s"' % name)
for name, regex in six.iteritems(parameters.pattern_params):
if name in kwargs:
if isinstance(kwargs[name], six.string_types):
pvalues = [kwargs[name]]
else:
pvalues = kwargs[name]
for pvalue in pvalues:
if re.match(regex, pvalue) is None:
raise TypeError(
'Parameter "%s" value "%s" does not match the pattern "%s"'
% (name, pvalue, regex)
)
for name, enums in six.iteritems(parameters.enum_params):
if name in kwargs:
# We need to handle the case of a repeated enum
# name differently, since we want to handle both
# arg='value' and arg=['value1', 'value2']
if name in parameters.repeated_params and not isinstance(
kwargs[name], six.string_types
):
values = kwargs[name]
else:
values = [kwargs[name]]
for value in values:
if value not in enums:
raise TypeError(
'Parameter "%s" value "%s" is not an allowed value in "%s"'
% (name, value, str(enums))
)
actual_query_params = {}
actual_path_params = {}
for key, value in six.iteritems(kwargs):
to_type = parameters.param_types.get(key, "string")
# For repeated parameters we cast each member of the list.
if key in parameters.repeated_params and type(value) == type([]):
cast_value = [_cast(x, to_type) for x in value]
else:
cast_value = _cast(value, to_type)
if key in parameters.query_params:
actual_query_params[parameters.argmap[key]] = cast_value
if key in parameters.path_params:
actual_path_params[parameters.argmap[key]] = cast_value
body_value = kwargs.get("body", None)
media_filename = kwargs.get("media_body", None)
media_mime_type = kwargs.get("media_mime_type", None)
if self._developerKey:
actual_query_params["key"] = self._developerKey
model = self._model
if methodName.endswith("_media"):
model = MediaModel()
elif "response" not in methodDesc:
model = RawModel()
headers = {}
headers, params, query, body = model.request(
headers, actual_path_params, actual_query_params, body_value
)
expanded_url = uritemplate.expand(pathUrl, params)
url = _urljoin(self._baseUrl, expanded_url + query)
resumable = None
multipart_boundary = ""
if media_filename:
# Ensure we end up with a valid MediaUpload object.
if isinstance(media_filename, six.string_types):
if media_mime_type is None:
logger.warning(
"media_mime_type argument not specified: trying to auto-detect for %s",
media_filename,
)
media_mime_type, _ = mimetypes.guess_type(media_filename)
if media_mime_type is None:
raise UnknownFileType(media_filename)
if not mimeparse.best_match([media_mime_type], ",".join(accept)):
raise UnacceptableMimeTypeError(media_mime_type)
media_upload = MediaFileUpload(media_filename, mimetype=media_mime_type)
elif isinstance(media_filename, MediaUpload):
media_upload = media_filename
else:
raise TypeError("media_filename must be str or MediaUpload.")
# Check the maxSize
if media_upload.size() is not None and media_upload.size() > maxSize > 0:
raise MediaUploadSizeError("Media larger than: %s" % maxSize)
# Use the media path uri for media uploads
expanded_url = uritemplate.expand(mediaPathUrl, params)
url = _urljoin(self._baseUrl, expanded_url + query)
if media_upload.resumable():
url = _add_query_parameter(url, "uploadType", "resumable")
if media_upload.resumable():
# This is all we need to do for resumable, if the body exists it gets
# sent in the first request, otherwise an empty body is sent.
resumable = media_upload
else:
# A non-resumable upload
if body is None:
# This is a simple media upload
headers["content-type"] = media_upload.mimetype()
body = media_upload.getbytes(0, media_upload.size())
url = _add_query_parameter(url, "uploadType", "media")
else:
# This is a multipart/related upload.
msgRoot = MIMEMultipart("related")
# msgRoot should not write out it's own headers
setattr(msgRoot, "_write_headers", lambda self: None)
# attach the body as one part
msg = MIMENonMultipart(*headers["content-type"].split("/"))
msg.set_payload(body)
msgRoot.attach(msg)
# attach the media as the second part
msg = MIMENonMultipart(*media_upload.mimetype().split("/"))
msg["Content-Transfer-Encoding"] = "binary"
payload = media_upload.getbytes(0, media_upload.size())
msg.set_payload(payload)
msgRoot.attach(msg)
# encode the body: note that we can't use `as_string`, because
# it plays games with `From ` lines.
fp = BytesIO()
g = _BytesGenerator(fp, mangle_from_=False)
g.flatten(msgRoot, unixfrom=False)
body = fp.getvalue()
multipart_boundary = msgRoot.get_boundary()
headers["content-type"] = (
"multipart/related; " 'boundary="%s"'
) % multipart_boundary
url = _add_query_parameter(url, "uploadType", "multipart")
logger.debug("URL being requested: %s %s" % (httpMethod, url))
return self._requestBuilder(
self._http,
model.response,
url,
method=httpMethod,
body=body,
headers=headers,
methodId=methodId,
resumable=resumable,
)
docs = [methodDesc.get("description", DEFAULT_METHOD_DOC), "\n\n"]
if len(parameters.argmap) > 0:
docs.append("Args:\n")
# Skip undocumented params and params common to all methods.
skip_parameters = list(rootDesc.get("parameters", {}).keys())
skip_parameters.extend(STACK_QUERY_PARAMETERS)
all_args = list(parameters.argmap.keys())
args_ordered = [key2param(s) for s in methodDesc.get("parameterOrder", [])]
# Move body to the front of the line.
if "body" in all_args:
args_ordered.append("body")
for name in all_args:
if name not in args_ordered:
args_ordered.append(name)
for arg in args_ordered:
if arg in skip_parameters:
continue
repeated = ""
if arg in parameters.repeated_params:
repeated = " (repeated)"
required = ""
if arg in parameters.required_params:
required = " (required)"
paramdesc = methodDesc["parameters"][parameters.argmap[arg]]
paramdoc = paramdesc.get("description", "A parameter")
if "$ref" in paramdesc:
docs.append(
(" %s: object, %s%s%s\n The object takes the" " form of:\n\n%s\n\n")
% (
arg,
paramdoc,
required,
repeated,
schema.prettyPrintByName(paramdesc["$ref"]),
)
)
else:
paramtype = paramdesc.get("type", "string")
docs.append(
" %s: %s, %s%s%s\n" % (arg, paramtype, paramdoc, required, repeated)
)
enum = paramdesc.get("enum", [])
enumDesc = paramdesc.get("enumDescriptions", [])
if enum and enumDesc:
docs.append(" Allowed values\n")
for (name, desc) in zip(enum, enumDesc):
docs.append(" %s - %s\n" % (name, desc))
if "response" in methodDesc:
if methodName.endswith("_media"):
docs.append("\nReturns:\n The media object as a string.\n\n ")
else:
docs.append("\nReturns:\n An object of the form:\n\n ")
docs.append(schema.prettyPrintSchema(methodDesc["response"]))
setattr(method, "__doc__", "".join(docs))
return (methodName, method)
def createNextMethod(
methodName,
pageTokenName="pageToken",
nextPageTokenName="nextPageToken",
isPageTokenParameter=True,
):
"""Creates any _next methods for attaching to a Resource.
The _next methods allow for easy iteration through list() responses.
Args:
methodName: string, name of the method to use.
pageTokenName: string, name of request page token field.
nextPageTokenName: string, name of response page token field.
isPageTokenParameter: Boolean, True if request page token is a query
parameter, False if request page token is a field of the request body.
"""
methodName = fix_method_name(methodName)
def methodNext(self, previous_request, previous_response):
"""Retrieves the next page of results.
Args:
previous_request: The request for the previous page. (required)
previous_response: The response from the request for the previous page. (required)
Returns:
A request object that you can call 'execute()' on to request the next
page. Returns None if there are no more items in the collection.
"""
# Retrieve nextPageToken from previous_response
# Use as pageToken in previous_request to create new request.
nextPageToken = previous_response.get(nextPageTokenName, None)
if not nextPageToken:
return None
request = copy.copy(previous_request)
if isPageTokenParameter:
# Replace pageToken value in URI
request.uri = _add_query_parameter(
request.uri, pageTokenName, nextPageToken
)
logger.debug("Next page request URL: %s %s" % (methodName, request.uri))
else:
# Replace pageToken value in request body
model = self._model
body = model.deserialize(request.body)
body[pageTokenName] = nextPageToken
request.body = model.serialize(body)
logger.debug("Next page request body: %s %s" % (methodName, body))
return request
return (methodName, methodNext)
class Resource(object):
"""A class for interacting with a resource."""
def __init__(
self,
http,
baseUrl,
model,
requestBuilder,
developerKey,
resourceDesc,
rootDesc,
schema,
):
"""Build a Resource from the API description.
Args:
http: httplib2.Http, Object to make http requests with.
baseUrl: string, base URL for the API. All requests are relative to this
URI.
model: googleapiclient.Model, converts to and from the wire format.
requestBuilder: class or callable that instantiates an
googleapiclient.HttpRequest object.
developerKey: string, key obtained from
https://code.google.com/apis/console
resourceDesc: object, section of deserialized discovery document that
describes a resource. Note that the top level discovery document
is considered a resource.
rootDesc: object, the entire deserialized discovery document.
schema: object, mapping of schema names to schema descriptions.
"""
self._dynamic_attrs = []
self._http = http
self._baseUrl = baseUrl
self._model = model
self._developerKey = developerKey
self._requestBuilder = requestBuilder
self._resourceDesc = resourceDesc
self._rootDesc = rootDesc
self._schema = schema
self._set_service_methods()
def _set_dynamic_attr(self, attr_name, value):
"""Sets an instance attribute and tracks it in a list of dynamic attributes.
Args:
attr_name: string; The name of the attribute to be set
value: The value being set on the object and tracked in the dynamic cache.
"""
self._dynamic_attrs.append(attr_name)
self.__dict__[attr_name] = value
def __getstate__(self):
"""Trim the state down to something that can be pickled.
Uses the fact that the instance variable _dynamic_attrs holds attrs that
will be wiped and restored on pickle serialization.
"""
state_dict = copy.copy(self.__dict__)
for dynamic_attr in self._dynamic_attrs:
del state_dict[dynamic_attr]
del state_dict["_dynamic_attrs"]
return state_dict
def __setstate__(self, state):
"""Reconstitute the state of the object from being pickled.
Uses the fact that the instance variable _dynamic_attrs holds attrs that
will be wiped and restored on pickle serialization.
"""
self.__dict__.update(state)
self._dynamic_attrs = []
self._set_service_methods()
def __enter__(self):
return self
def __exit__(self, exc_type, exc, exc_tb):
self.close()
def close(self):
"""Close httplib2 connections."""
# httplib2 leaves sockets open by default.
# Cleanup using the `close` method.
# https://github.com/httplib2/httplib2/issues/148
self._http.http.close()
def _set_service_methods(self):
self._add_basic_methods(self._resourceDesc, self._rootDesc, self._schema)
self._add_nested_resources(self._resourceDesc, self._rootDesc, self._schema)
self._add_next_methods(self._resourceDesc, self._schema)
def _add_basic_methods(self, resourceDesc, rootDesc, schema):
# If this is the root Resource, add a new_batch_http_request() method.
if resourceDesc == rootDesc:
batch_uri = "%s%s" % (
rootDesc["rootUrl"],
rootDesc.get("batchPath", "batch"),
)
def new_batch_http_request(callback=None):
"""Create a BatchHttpRequest object based on the discovery document.
Args:
callback: callable, A callback to be called for each response, of the
form callback(id, response, exception). The first parameter is the
request id, and the second is the deserialized response object. The
third is an apiclient.errors.HttpError exception object if an HTTP
error occurred while processing the request, or None if no error
occurred.
Returns:
A BatchHttpRequest object based on the discovery document.
"""
return BatchHttpRequest(callback=callback, batch_uri=batch_uri)
self._set_dynamic_attr("new_batch_http_request", new_batch_http_request)
# Add basic methods to Resource
if "methods" in resourceDesc:
for methodName, methodDesc in six.iteritems(resourceDesc["methods"]):
fixedMethodName, method = createMethod(
methodName, methodDesc, rootDesc, schema
)
self._set_dynamic_attr(
fixedMethodName, method.__get__(self, self.__class__)
)
# Add in _media methods. The functionality of the attached method will
# change when it sees that the method name ends in _media.
if methodDesc.get("supportsMediaDownload", False):
fixedMethodName, method = createMethod(
methodName + "_media", methodDesc, rootDesc, schema
)
self._set_dynamic_attr(
fixedMethodName, method.__get__(self, self.__class__)
)
def _add_nested_resources(self, resourceDesc, rootDesc, schema):
# Add in nested resources
if "resources" in resourceDesc:
def createResourceMethod(methodName, methodDesc):
"""Create a method on the Resource to access a nested Resource.
Args:
methodName: string, name of the method to use.
methodDesc: object, fragment of deserialized discovery document that
describes the method.
"""
methodName = fix_method_name(methodName)
def methodResource(self):
return Resource(
http=self._http,
baseUrl=self._baseUrl,
model=self._model,
developerKey=self._developerKey,
requestBuilder=self._requestBuilder,
resourceDesc=methodDesc,
rootDesc=rootDesc,
schema=schema,
)
setattr(methodResource, "__doc__", "A collection resource.")
setattr(methodResource, "__is_resource__", True)
return (methodName, methodResource)
for methodName, methodDesc in six.iteritems(resourceDesc["resources"]):
fixedMethodName, method = createResourceMethod(methodName, methodDesc)
self._set_dynamic_attr(
fixedMethodName, method.__get__(self, self.__class__)
)
def _add_next_methods(self, resourceDesc, schema):
# Add _next() methods if and only if one of the names 'pageToken' or
# 'nextPageToken' occurs among the fields of both the method's response
# type either the method's request (query parameters) or request body.
if "methods" not in resourceDesc:
return
for methodName, methodDesc in six.iteritems(resourceDesc["methods"]):
nextPageTokenName = _findPageTokenName(
_methodProperties(methodDesc, schema, "response")
)
if not nextPageTokenName:
continue
isPageTokenParameter = True
pageTokenName = _findPageTokenName(methodDesc.get("parameters", {}))
if not pageTokenName:
isPageTokenParameter = False
pageTokenName = _findPageTokenName(
_methodProperties(methodDesc, schema, "request")
)
if not pageTokenName:
continue
fixedMethodName, method = createNextMethod(
methodName + "_next",
pageTokenName,
nextPageTokenName,
isPageTokenParameter,
)
self._set_dynamic_attr(
fixedMethodName, method.__get__(self, self.__class__)
)
def _findPageTokenName(fields):
"""Search field names for one like a page token.
Args:
fields: container of string, names of fields.
Returns:
First name that is either 'pageToken' or 'nextPageToken' if one exists,
otherwise None.
"""
return next(
(tokenName for tokenName in _PAGE_TOKEN_NAMES if tokenName in fields), None
)
def _methodProperties(methodDesc, schema, name):
"""Get properties of a field in a method description.
Args:
methodDesc: object, fragment of deserialized discovery document that
describes the method.
schema: object, mapping of schema names to schema descriptions.
name: string, name of top-level field in method description.
Returns:
Object representing fragment of deserialized discovery document
corresponding to 'properties' field of object corresponding to named field
in method description, if it exists, otherwise empty dict.
"""
desc = methodDesc.get(name, {})
if "$ref" in desc:
desc = schema.get(desc["$ref"], {})
return desc.get("properties", {})
|
[
"jaddou2005@gmail.com"
] |
jaddou2005@gmail.com
|
81c87125de7b52f3cbdbdcb81de5c4dbaae9c526
|
7aaa3782858490e735a8e090ced1bd397d4ebdaa
|
/Mailbox/wsgi.py
|
d1ec4f14f24a493d4d4846595b9291137d79c0f1
|
[] |
no_license
|
jangwoni79/PostBox
|
494a1c49a7d96d5dd45d1bd2e9a7ffba928b44ff
|
0b0229d6016982084bb67b8457854aae3c9b69ff
|
refs/heads/master
| 2022-11-18T23:02:25.847353
| 2020-07-20T11:43:28
| 2020-07-20T11:43:28
| 281,048,982
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 391
|
py
|
"""
WSGI config for Mailbox project.
It exposes the WSGI callable as a module-level variable named ``application``.
For more information on this file, see
https://docs.djangoproject.com/en/2.2/howto/deployment/wsgi/
"""
import os
from django.core.wsgi import get_wsgi_application
os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'Mailbox.settings')
application = get_wsgi_application()
|
[
"s2018w17@e-mirim.hs.kr"
] |
s2018w17@e-mirim.hs.kr
|
c9fe6a43262930b71ccf027355c041006268fea6
|
23cce6d99b861ea7e4d83fc478a1dc2479c288b4
|
/src/visualize.py
|
687878bb670956937f5af199d06acaf8443d7707
|
[
"MIT"
] |
permissive
|
OumaimaHourrane/NLP-Project-Documents
|
cfc212cab5d6a389a26ae2cfa6bf74ae6a5084b2
|
df935bb8c3aa32265162e704155644d9b0d1e7f2
|
refs/heads/main
| 2023-03-22T15:59:46.096492
| 2021-03-13T11:02:12
| 2021-03-13T11:02:12
| null | 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 10,986
|
py
|
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
"""
Created on Fri Aug 14 11:06:05 2020
@author: jonas & oumaima
@title: visualisations
"""
import holoviews as hv
from holoviews import opts, dim
import holoviews.plotting.bokeh
import numpy as np
import panel as pn
import pandas as pd
import matplotlib.pyplot as plt
import seaborn as sns
import re
import umap.umap_ as umap
from wordcloud import WordCloud, STOPWORDS
from wordcloud import WordCloud
import wordcloud
from collections import Counter, defaultdict
#%%
def disp_category(category, df, min_items):
'''
Display Categorical charts
'''
dff = df.groupby(category)
class_ = dff.count().sort_values(by='PIMS_ID')['PIMS_ID'].reset_index()
class_.columns=[category,'count']
class_= class_[class_['count']>=min_items][category]
df = df[df[category].isin(class_)]
labels = df[category]
counts = defaultdict(int)
for l in labels:
counts[l] += 1
counts_df = pd.DataFrame.from_dict(counts, orient='index')
counts_df.columns = ['count']
counts_df.sort_values('count', ascending=False, inplace=True)
fig, ax = plt.subplots()
ax = sns.barplot(x=counts_df.index, y=counts_df['count'], ax=ax)
fig.set_size_inches(10,5)
ax.set_xticklabels(ax.xaxis.get_majorticklabels(), rotation=-90);
ax.set_title('Label: '+category.upper())
plt.show()
return class_
#%%
def scatter(category, df, min_items):
'''
Display scatterplot
'''
dff = df.groupby(category)
class_ = dff.count().sort_values(by='PIMS_ID')['PIMS_ID'].reset_index()
class_.columns=[category,'count']
class_= class_[class_['count']>=min_items][category]
df = df[df[category].isin(class_)]
labels = df[category]
counts = defaultdict(int)
for l in labels:
counts[l] += 1
counts_df = pd.DataFrame.from_dict(counts, orient='index')
counts_df.columns = ['count']
counts_df.sort_values('count', ascending=False, inplace=True)
fig, ax = plt.subplots()
sns.despine(fig, left=True, bottom=True)
ax = sns.scatterplot(x=counts_df.index, y=counts_df['count'],
palette="ch:r=-.2,d=.3_r",
linewidth=0,
data=df, ax=ax)
ax.set_title('Label: '+category.upper())
plt.show()
return class_
#%%
import plotly.graph_objs as go
from plotly.offline import iplot
def plotly_bar(category, df, min_items):
'''
Display Categorical charts
'''
dff = df.groupby(category)
class_ = dff.count().sort_values(by='PIMS_ID')['PIMS_ID'].reset_index()
class_.columns=[category,'count']
class_= class_[class_['count']>=min_items][category]
df = df[df[category].isin(class_)]
labels = df[category]
counts = defaultdict(int)
for l in labels:
counts[l] += 1
counts_df = pd.DataFrame.from_dict(counts, orient='index')
counts_df.columns = ['count']
counts_df.sort_values('count', ascending=False, inplace=True)
data = [go.Bar(
x = counts_df.index,
y = counts_df['count']
)]
fig = go.Figure(data=data)
iplot(fig)
return fig
def plotly_pie(category, df, min_items):
'''
Display Categorical charts
'''
dff = df.groupby(category)
class_ = dff.count().sort_values(by='PIMS_ID')['PIMS_ID'].reset_index()
class_.columns=[category,'count']
class_= class_[class_['count']>=min_items][category]
df = df[df[category].isin(class_)]
labels = df[category]
counts = defaultdict(int)
for l in labels:
counts[l] += 1
counts_df = pd.DataFrame.from_dict(counts, orient='index')
counts_df.columns = ['count']
counts_df.sort_values('count', ascending=False, inplace=True)
data = [go.Pie(
labels = counts_df.index,
values = counts_df['count'],
)]
fig = go.Figure(data=data)
iplot(fig)
return fig
def plotly_scatter(category, df, min_items):
'''
Display Categorical charts
'''
dff = df.groupby(category)
class_ = dff.count().sort_values(by='PIMS_ID')['PIMS_ID'].reset_index()
class_.columns=[category,'count']
class_= class_[class_['count']>=min_items][category]
df = df[df[category].isin(class_)]
labels = df[category]
counts = defaultdict(int)
for l in labels:
counts[l] += 1
counts_df = pd.DataFrame.from_dict(counts, orient='index')
counts_df.columns = ['count']
counts_df.sort_values('count', ascending=False, inplace=True)
trace0 = go.Scatter(
x = counts_df.index,
y = counts_df['count'],
mode = 'markers',
name = 'markers'
)
trace1 = go.Scatter(
x = counts_df.index,
y = counts_df['count'],
mode = 'lines+markers',
name = 'line+markers'
)
trace2 = go.Scatter(
x = counts_df.index,
y = counts_df['count'],
mode = 'lines',
name = 'line'
)
data = [trace0, trace1, trace2]
fig = go.Figure(data=data)
iplot(fig)
return fig
def plotly_radar(category, df, min_items):
'''
Display Categorical charts
'''
dff = df.groupby(category)
class_ = dff.count().sort_values(by='PIMS_ID')['PIMS_ID'].reset_index()
class_.columns=[category,'count']
class_= class_[class_['count']>=min_items][category]
df = df[df[category].isin(class_)]
labels = df[category]
counts = defaultdict(int)
for l in labels:
counts[l] += 1
counts_df = pd.DataFrame.from_dict(counts, orient='index')
counts_df.columns = ['count']
counts_df.sort_values('count', ascending=False, inplace=True)
radar = go.Scatterpolar(
r = counts_df['count'],
theta = counts_df.index,
fill = 'toself'
)
data = [radar]
fig = go.Figure(data=data)
iplot(fig)
return fig
def chord_chard(data):
"""
Takes in processed dataframe for multilabel classification problem and computes label co-occurences.
Draws chord chard using bokeh and local server.
"""
hv.extension('bokeh')
hv.output(size=200)
labels_only = data.drop(labels = ['PIMS_ID', 'project_description', 'logframe', 'all_text'], axis=1)
cooccurrence_matrix = np.dot(labels_only.transpose(),labels_only)
cooccurrence_matrix_diagonal = np.diagonal(cooccurrence_matrix)
with np.errstate(divide='ignore', invalid='ignore'):
cooccurrence_matrix_percentage = np.nan_to_num(np.true_divide(cooccurrence_matrix, cooccurrence_matrix_diagonal[:, None]))
coocc = labels_only.T.dot(labels_only)
diagonal = np.diagonal(coocc)
co_per = np.nan_to_num(np.true_divide(coocc, diagonal[:, None]))
df_co_per = pd.DataFrame(co_per)
df_co_per = pd.DataFrame(data=co_per, columns=coocc.columns, index=coocc.index)
#replace diagonal with 0:
coocc.values[[np.arange(coocc.shape[0])]*2] = 0
coocc = coocc.mask(np.triu(np.ones(coocc.shape, dtype=np.bool_)))
coocc = coocc.fillna(0)
data = hv.Dataset((list(coocc.columns), list(coocc.index), coocc),
['source', 'target'], 'value').dframe()
data['value'] = data['value'].astype(int)
chord = hv.Chord(data)
plot = chord.opts(
node_color='index', edge_color='source', label_index='index',
cmap='Category20', edge_cmap='Category20', width=400, height=400)
bokeh_server = pn.Row(plot).show(port=1234)
def Cramer_V(confusion_matrix):
'''
Shows correlation between categorical columns (like heat mao for numeric columns)
'''
import scipy.stats as ss
chi2 = ss.chi2_contingency(confusion_matrix)[0]
n = confusion_matrix.sum()
phi2 = chi2/n
r,k = confusion_matrix.shape
phi2corr = max(0, phi2 - ((k-1)*(r-1))/(n-1))
rcorr = r - ((r-1)**2)/(n-1)
kcorr = k - ((k-1)**2)/(n-1)
return np.sqrt(phi2corr / min( (kcorr-1), (rcorr-1)))
def genSankey(df,cat_cols=[],value_cols='',title='Sankey Diagram'):
# maximum of 6 value cols -> 6 colors
colorPalette = ['#4B8BBE','#306998','#FFE873','#FFD43B','#646464']
labelList = []
colorNumList = []
for catCol in cat_cols:
labelListTemp = list(set(df[catCol].values))
colorNumList.append(len(labelListTemp))
labelList = labelList + labelListTemp
# remove duplicates from labelList
labelList = list(dict.fromkeys(labelList))
# define colors based on number of levels
colorList = []
for idx, colorNum in enumerate(colorNumList):
colorList = colorList + [colorPalette[idx]]*colorNum
# transform df into a source-target pair
for i in range(len(cat_cols)-1):
if i==0:
sourceTargetDf = df[[cat_cols[i],cat_cols[i+1],value_cols]]
sourceTargetDf.columns = ['source','target','count']
else:
tempDf = df[[cat_cols[i],cat_cols[i+1],value_cols]]
tempDf.columns = ['source','target','count']
sourceTargetDf = pd.concat([sourceTargetDf,tempDf])
sourceTargetDf = sourceTargetDf.groupby(['source','target']).agg({'count':'sum'}).reset_index()
# add index for source-target pair
sourceTargetDf['sourceID'] = sourceTargetDf['source'].apply(lambda x: labelList.index(x))
sourceTargetDf['targetID'] = sourceTargetDf['target'].apply(lambda x: labelList.index(x))
# creating the sankey diagram
data = dict(
type='sankey',
node = dict(
pad = 15,
thickness = 20,
line = dict(
color = "black",
width = 0.5
),
label = labelList,
color = colorList
),
link = dict(
source = sourceTargetDf['sourceID'],
target = sourceTargetDf['targetID'],
value = sourceTargetDf['count']
)
)
layout = dict(
title = title,
font = dict(
size = 10
)
)
fig = dict(data=[data], layout=layout)
return fig
def draw_cloud(dataframe, column):
# Join the different processed titles together.
long_string = ','.join(list(dataframe[column]))
# Create a WordCloud object
wordcloud = WordCloud(background_color="white", max_words=5000, contour_width=6, contour_color='steelblue')
# Generate a word cloud
wordcloud.generate(long_string)
# Visualize the word cloud
return wordcloud.to_image()
def plot_proj(embedding, lbs):
"""
Plot UMAP embeddings
:param embedding: UMAP (or other) embeddings
:param lbs: labels
"""
n = len(embedding)
counter = Counter(lbs)
for i in range(len(np.unique(lbs))):
plt.plot(embedding[:, 0][lbs == i], embedding[:, 1][lbs == i], '.', alpha=0.5,
label='cluster {}: {:.2f}%'.format(i, counter[i] / n * 100))
plt.legend()
|
[
"jonas.nothnagen@undp.sk"
] |
jonas.nothnagen@undp.sk
|
d9661648cf1f0eb2cf7d52f479fb5d525578407b
|
0a125a62bed94cf02c60c21a5455a254fb29055b
|
/web/gerl_admin/__init__.py
|
959ea70e3d311deb94116725b694fe18934d1478
|
[] |
no_license
|
dizengrong/dzr_code_2017
|
2eb0f19e85b69f0cfd76f054c052387e5f7439ee
|
dac34a4c2441cce2b21dd8a1ca31126f4c50843c
|
refs/heads/master
| 2022-12-23T02:20:35.512552
| 2021-07-07T07:40:58
| 2021-07-07T07:40:58
| 99,231,523
| 0
| 0
| null | 2022-12-16T05:54:47
| 2017-08-03T12:44:21
|
Erlang
|
UTF-8
|
Python
| false
| false
| 24
|
py
|
# *-* coding:utf-8 *-*
|
[
"dizengrong@gmail.com"
] |
dizengrong@gmail.com
|
c49cb629b81dd8bab875ff2f9d3dbd0a5ce2d44e
|
fea2eff6ed6ff05879e071d52d978b1f2f322f31
|
/TensorFlow深度学习应用实践_源代码/08/8-1.py
|
e433dd823a9c612a94b2b30fa227c819242e8df1
|
[] |
no_license
|
GetMyPower/mypython
|
71ec8db85c82e33b893c5d53ac64a007951fd8f0
|
1846148e327e7d14ebb96c9fea4b47aa61762a69
|
refs/heads/master
| 2022-03-22T08:11:56.113905
| 2019-12-20T15:00:23
| 2019-12-20T15:00:23
| 198,230,237
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 183
|
py
|
import tensorflow as tf
input1 = tf.constant(1)
print(input1)
input2 = tf.Variable(2,tf.int32)
print(input2)
input2 = input1
sess = tf.Session()
print(sess.run(input2))
|
[
"noreply@github.com"
] |
noreply@github.com
|
3d044de9966d419518ae75f3007bb5bd623f03b3
|
f6930b9b12c47c19d1ef5677342a3a69cfe5535e
|
/1st/toprint.py
|
06fe348b38df3b75a5245644dd0468c97cee9611
|
[] |
no_license
|
tenzinsonam/matcher
|
5ae1e61ed053fd084dff011f18932aab8eb2f3e2
|
b8510f9d50d6a4718e2bb31c537c6564264f12f4
|
refs/heads/master
| 2021-05-16T17:38:50.004941
| 2018-02-05T12:07:42
| 2018-02-05T12:07:42
| 102,978,950
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 4,372
|
py
|
from pycparser import c_parser, c_ast, parse_file, c_generator
class BinaryOpVisitor(c_ast.NodeVisitor):
def __init__(self):
self.values = []
def visit_BinaryOp(self,node):
self.values.append(node)
class IfVisitor(c_ast.NodeVisitor):
def __init__(self):
self.values = []
def visit_If(self,node):
self.values.append(node)
class UnaryOpVisitor(c_ast.NodeVisitor):
def __init__(self):
self.values = []
def visit_UnaryOp(self,node):
self.values.append(node)
class AssignmentVisitor(c_ast.NodeVisitor):
def __init__(self):
self.values = []
def visit_Assignment(self,node):
self.values.append(node)
class DeclVisitor(c_ast.NodeVisitor):
def __init__(self):
self.values = []
def visit_Decl(self,node):
self.values.append(node)
def hasChildren(node, p):
chils = 0
for yname, y in node.children():
chils+=1
if chils is int(p):
return 1
else:
return 0
def hasChild(node, p):
for yname, y in node.children():
if type(y).__name__==p:
return 1
return 0
def rule0(node):
nodelist = []
isFirst=1
selflist=[]
x0=IfVisitor()
x0.visit(node)
if x0.values:
for x1 in x0.values:
x2=BinaryOpVisitor()
x2.visit(x1)
if x2.values:
for x3 in x2.values:
for x4 in x3.__slots__:
if(getattr(x3,x4)=='=='):
if isFirst:
nodelist.append(x3)
else:
selflist.append(x3)
temp = nodelist[:]
if not isFirst:
for m in nodelist:
if m not in selflist:
temp.remove(m)
isFirst=0
nodelist = temp
for m in nodelist:
m.show()
print(m.coord.line)
def rule1(node):
nodelist = []
isFirst=1
selflist=[]
x0=AssignmentVisitor()
x0.visit(node)
if x0.values:
for x1 in x0.values:
x2=UnaryOpVisitor()
x2.visit(x1)
if x2.values:
for x3 in x2.values:
for x4 in x3.__slots__:
if(getattr(x3,x4)=='p++'):
if isFirst:
nodelist.append(x3)
else:
selflist.append(x3)
temp = nodelist[:]
if not isFirst:
for m in nodelist:
if m not in selflist:
temp.remove(m)
isFirst=0
nodelist = temp
for m in nodelist:
m.show()
print(m.coord.line)
def rule2(node):
nodelist = []
isFirst=1
selflist=[]
x0=DeclVisitor()
x0.visit(node)
if x0.values:
for x1 in x0.values:
x2=hasChildren(x1,"2")
if isFirst and x2:
nodelist.append(x1)
elif x2:
selflist.append(x1)
temp = nodelist[:]
if not isFirst:
for m in nodelist:
if m not in selflist:
temp.remove(m)
isFirst=0
nodelist = temp
selflist=[]
x0=DeclVisitor()
x0.visit(node)
if x0.values:
for x1 in x0.values:
x2=hasChild(x1,"PtrDecl")
if isFirst and x2:
nodelist.append(x1)
elif x2:
selflist.append(x1)
temp = nodelist[:]
if not isFirst:
for m in nodelist:
if m not in selflist:
temp.remove(m)
isFirst=0
nodelist = temp
for m in nodelist:
m.show()
print(m.coord.line)
def rule3(node):
nodelist = []
isFirst=1
selflist=[]
x0=IfVisitor()
x0.visit(node)
if x0.values:
for x1 in x0.values:
x2=hasChild(x1,"Assignment")
if isFirst and x2:
nodelist.append(x1)
elif x2:
selflist.append(x1)
temp = nodelist[:]
if not isFirst:
for m in nodelist:
if m not in selflist:
temp.remove(m)
isFirst=0
nodelist = temp
for m in nodelist:
m.show()
print(m.coord.line)
def rule4(node):
nodelist = []
isFirst=1
selflist=[]
x0=AssignmentVisitor()
x0.visit(node)
if x0.values:
for x1 in x0.values:
x2=UnaryOpVisitor()
x2.visit(x1)
if x2.values:
for x3 in x2.values:
for x4 in x3.__slots__:
if(getattr(x3,x4)=="*"):
if isFirst:
nodelist.append(x3)
else:
selflist.append(x3)
temp = nodelist[:]
if not isFirst:
for m in nodelist:
if m not in selflist:
temp.remove(m)
isFirst=0
nodelist = temp
for m in nodelist:
m.show()
print(m.coord.line)
def rule5(node):
nodelist = []
isFirst=1
selflist=[]
x0=AssignmentVisitor()
x0.visit(node)
if x0.values:
for x1 in x0.values:
x2=hasChild(x1,"Assignment")
if isFirst and x2:
nodelist.append(x1)
elif x2:
selflist.append(x1)
temp = nodelist[:]
if not isFirst:
for m in nodelist:
if m not in selflist:
temp.remove(m)
isFirst=0
nodelist = temp
for m in nodelist:
m.show()
print(m.coord.line)
ast = parse_file("sample.c")
rule0(ast)
rule1(ast)
rule2(ast)
rule3(ast)
rule4(ast)
rule5(ast)
|
[
"tenzinsonam008@gmail.com"
] |
tenzinsonam008@gmail.com
|
de181756dfdb9c9fd888488fba3c1c235f923bf8
|
e97f3a3cf818380d6203b8c8080ab59e4c161685
|
/party.py
|
d70a0a401754595a5325331e34442dafed214b35
|
[] |
no_license
|
tabualhsan/doctest
|
5b39738515670354ec22422b5f1cdd8d2d93865a
|
aa5d3548f3b6489dca0a3f7c9e4d081007fd4782
|
refs/heads/master
| 2023-02-21T23:21:02.983767
| 2021-01-25T20:37:18
| 2021-01-25T20:37:18
| 332,880,214
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 3,484
|
py
|
"""Flask site for Balloonicorn's Party."""
from flask import Flask, session, render_template, request, flash, redirect
from flask_debugtoolbar import DebugToolbarExtension
app = Flask(__name__)
app.secret_key = "SECRETSECRETSECRET"
def is_mel(name, email):
"""Is this user Mel?
>>> is_mel('Mel Melitpolski', 'mel@ubermelon.com')
True
>>> is_mel('Judith Butler', 'judith@awesome.com')
False
>>> is_mel("Mel", "mel@ubermelon.com")
True
>>> is_mel(" ", "mel@ubermelon.com")
True
"""
return name == "Mel Melitpolski" or email == "mel@ubermelon.com"
def most_and_least_common_type(treats):
"""Given list of treats, return most and least common treat types.
Return most and least common treat types in tuple of format (most, least).
>>> treats = [{'type': 'dessert'}, {'type': 'dessert'}, {'type': 'appetizer'}, {'type': 'dessert'}, {'type': 'appetizer'},{'type': 'drink'}]
>>> most_and_least_common_type(treats)
('dessert', 'drink')
"""
types = {}
# Count number of each type
for treat in treats:
types[treat['type']] = types.get(treat['type'], 0) + 1
most_count = most_type = None
least_count = least_type = None
# Find most, least common
for treat_type, count in types.items():
if most_count is None or count > most_count:
most_count = count
most_type = treat_type
if least_count is None or count < least_count:
least_count = count
least_type = treat_type
return (most_type, least_type)
def get_treats():
"""Return treats being brought to the party.
One day, I'll move this into a database! -- Balloonicorn
"""
return [
{'type': 'dessert',
'description': 'Chocolate mousse',
'who': 'Leslie'},
{'type': 'dessert',
'description': 'Cardamom-Pear pie',
'who': 'Joel'},
{'type': 'appetizer',
'description': 'Humboldt Fog cheese',
'who': 'Meggie'},
{'type': 'dessert',
'description': 'Lemon bars',
'who': 'Bonnie'},
{'type': 'appetizer',
'description': 'Mini-enchiladas',
'who': 'Katie'},
{'type': 'drink',
'description': 'Sangria',
'who': 'Anges'},
{'type': 'dessert',
'description': 'Chocolate-raisin cookies',
'who': 'Henry'},
{'type': 'dessert',
'description': 'Brownies',
'who': 'Sarah'}
]
@app.route("/")
def homepage():
"""Show homepage."""
return render_template("homepage.html")
@app.route("/treats")
def show_treats():
"""Show treats people are bringing."""
treats = get_treats()
most, least = most_and_least_common_type(get_treats())
return render_template("treats.html",
treats=treats,
most=most,
least=least)
@app.route("/rsvp", methods=['POST'])
def rsvp():
"""Register for the party."""
name = request.form.get("name")
email = request.form.get("email")
if not is_mel(name, email):
session['rsvp'] = True
flash("Yay!")
return redirect("/")
else:
flash("Sorry, Mel. This is kind of awkward.")
return redirect("/")
if __name__ == "__main__":
app.debug = True
app.config['DEBUG_TB_INTERCEPT_REDIRECTS'] = False
DebugToolbarExtension(app)
app.run(host="0.0.0.0")
|
[
"jen@silverwire.ninja"
] |
jen@silverwire.ninja
|
9358a2e8396486447cd6a920d3dab9fee2f2ecda
|
4a8e482142f2dedf4728098d1582672774e59295
|
/PlayerLogic/VQCQPlayer.py
|
df7782fd5fae92abccc2b145e9efde8e5ca48540
|
[] |
no_license
|
omarcostahamido/tictactoe-roli
|
48b8c9db50278a2cb00f7406a8c4befa298843b0
|
d70c3d1c8bf3aa087c77c349adc10c781d3d37ab
|
refs/heads/master
| 2020-08-19T11:46:17.216411
| 2019-07-16T16:53:02
| 2019-07-16T16:53:02
| null | 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 7,579
|
py
|
# -*- coding: utf-8 -*-
# Copyright 2019 IBM.
#
# 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 logging
import matplotlib.pyplot as plt
from sklearn.model_selection import train_test_split
from sklearn.datasets.base import load_data
from sklearn.preprocessing import StandardScaler, MinMaxScaler
from sklearn.decomposition import PCA
from qiskit.aqua.input import ClassificationInput
import numpy as np
import random
logger = logging.getLogger()
logging.basicConfig(level=logging.INFO, format='%(asctime)s - %(levelname)s - %(message)s')
class VQCQPlayer:
def __init__(self):
self.move = 0
self.data_file = 'data.csv'
self.data_path = 'PlayerLogic'
self.feature_dim = 9 # dimension of each data point
sample_Total, training_input, test_input, class_labels = VQCQPlayer.userDefinedData(self.data_path, self.data_file,
['0', '1', '2', '3', '4', '5', '6',
'7', '8'],
training_size=6000, test_size=500,
n=self.feature_dim, PLOT_DATA=False)
temp = [test_input[k] for k in test_input]
total_array = np.concatenate(temp)
aqua_dict = {
'problem': {'name': 'classification'},
'algorithm': {
'name': 'SVM'
},
'multiclass_extension': {'name': 'AllPairs'}
}
algo_input = ClassificationInput(training_input, test_input, total_array)
from qiskit.aqua import QiskitAqua
aqua_obj = QiskitAqua(aqua_dict, algo_input)
self.algo_obj = aqua_obj.quantum_algorithm
logger.info("Training the SVM....")
aqua_obj.run()
logger.info("Trained!")
def take_turn(self, board):
board = [x if x else 0 for x in board]
to_predict = VQCQPlayer.singleDataItem(self.data_path, self.data_file, board, n=self.feature_dim)
logger.info('Making prediction')
self.move = self.algo_obj.predict(to_predict)[0]
# if the move selected already contains a play, choose randomly
if board[self.move]:
spaces = [index for index, x in enumerate(board) if x == 0]
self.move = random.choice(spaces)
@staticmethod
def userDefinedData(location, file, class_labels, training_size, test_size, n=2, PLOT_DATA=True):
data, target, target_names = load_data(location, file)
# sample_train is of the same form as data
sample_train, sample_test, label_train, label_test = train_test_split(
data, target, test_size=0.25, train_size=0.75, random_state=22)
# Now we standarize for gaussian around 0 with unit variance
std_scale = StandardScaler().fit(sample_train)
sample_train = std_scale.transform(sample_train)
sample_test = std_scale.transform(sample_test)
# Now reduce number of features to number of qubits
pca = PCA(n_components=n).fit(sample_train)
sample_train = pca.transform(sample_train)
sample_test = pca.transform(sample_test)
# Samples are pairs of points
samples = np.append(sample_train, sample_test, axis=0)
minmax_scale = MinMaxScaler((-1, 1)).fit(samples)
sample_train = minmax_scale.transform(sample_train)
sample_test = minmax_scale.transform(sample_test)
# If class labels are numeric
if class_labels[0].isdigit():
# Pick training size number of samples from each distro
training_input = {key: (sample_train[label_train == int(key), :])[:training_size] for k, key in
enumerate(class_labels)}
test_input = {key: (sample_test[label_test == int(key), :])[: test_size] for k, key in
enumerate(class_labels)}
else:
# if they aren't
training_input = {key: (sample_train[label_train == k, :])[:training_size] for k, key in
enumerate(class_labels)}
test_input = {key: (sample_train[label_train == k, :])[training_size:(
training_size + test_size)] for k, key in enumerate(class_labels)}
if PLOT_DATA:
for k in range(0, 9):
plt.scatter(sample_train[label_train == k, 0][:training_size],
sample_train[label_train == k, 1][:training_size])
plt.title("PCA dim. reduced user dataset")
plt.show()
return sample_train, training_input, test_input, class_labels
@staticmethod
def singleDataItem(location, file, data, n=2):
# load the old data so that this new example gets transformed correctly
test_data, target, target_names = load_data(location, file)
# Only use sample_train to help get the right shape for the new input
sample_train, sample_test, label_train, label_test = train_test_split(
test_data, target, test_size=0.25, train_size=0.75, random_state=22)
# convert to np array to enable joining to other data
data = np.array(data)
# add the to be tested data onto the end of the overall data
sample_train = np.vstack((sample_train, data))
# Now we standarize for gaussian around 0 with unit variance
std_scale = StandardScaler().fit(sample_train)
sample_train = std_scale.transform(sample_train)
# Now reduce number of features to number of qubits
pca = PCA(n_components=n).fit(sample_train)
sample_train = pca.transform(sample_train)
# Scale to the range (-1,+1)
minmax_scale = MinMaxScaler((-1, 1)).fit(sample_train)
sample_train = minmax_scale.transform(sample_train)
# returns array which contains one array with is the 2 data points to use
# OUTPUT IS READY TO BE PUT INTO SVM.PREDICT
return [sample_train[-1]]
def get_data_view(self, board, size=3):
board = [x if x else 0 for x in board]
# take this many elements to compare against
test_str = ', '.join([str(x) for x in board[:size]])
# mapping from move to number of times that move was seen
results_dict = {}
file_path = self.data_path + '/data/' + self.data_file
with open(file_path) as file:
lines = file.readlines()
# look at all the data
for line in lines:
# if this matches the current state of the board add to counts
if line.startswith(test_str):
move = line[-2:-1]
if move not in results_dict:
results_dict[move] = 0
results_dict[move] += 1
return results_dict
|
[
"madeleine.tod@ibm.com"
] |
madeleine.tod@ibm.com
|
c44dbdd0a83d99e5b8661803ca317dd0cfa5f046
|
61503f1d9bf38a3e0a453bbe84c10804c83da280
|
/Assignments/Assignment2B/pa2b/doc_classification.py
|
f6a3308bec2175cffaffccb56db352c6e65498bf
|
[] |
no_license
|
Lucasfallqvist/appliedML
|
f2d81f93e2ff2e9423ecb34832e54d760c65481c
|
d5f94e87ff98d82c117a14a388920021aa400bab
|
refs/heads/master
| 2023-01-19T15:19:31.032487
| 2020-11-17T22:06:49
| 2020-11-17T22:06:49
| null | 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 1,611
|
py
|
import time
from sklearn.feature_extraction.text import TfidfVectorizer
from sklearn.preprocessing import Normalizer
from sklearn.pipeline import make_pipeline
from sklearn.feature_selection import SelectKBest
from sklearn.metrics import accuracy_score
from sklearn.model_selection import train_test_split
from pa2b.aml_perceptron import Perceptron,SparsePerceptron
# This function reads the corpus, returns a list of documents, and a list
# of their corresponding polarity labels.
def read_data(corpus_file):
X = []
Y = []
with open(corpus_file, encoding='utf-8') as f:
for line in f:
_, y, _, x = line.split(maxsplit=3)
X.append(x.strip())
Y.append(y)
return X, Y
if __name__ == '__main__':
# Read all the documents.
X, Y = read_data('data/all_sentiment_shuffled.txt')
# Split into training and test parts.
Xtrain, Xtest, Ytrain, Ytest = train_test_split(X, Y, test_size=0.2,
random_state=0)
# Set up the preprocessing steps and the classifier.
pipeline = make_pipeline(
TfidfVectorizer(),
SelectKBest(k=1000),
Normalizer(),
# NB that this is our Perceptron, not sklearn.linear_model.Perceptron
Perceptron()
)
# Train the classifier.
t0 = time.time()
pipeline.fit(Xtrain, Ytrain)
t1 = time.time()
print('Training time: {:.2f} sec.'.format(t1-t0))
# Evaluate on the test set.
Yguess = pipeline.predict(Xtest)
print('Accuracy: {:.4f}.'.format(accuracy_score(Ytest, Yguess)))
|
[
"julio-ponte@hotmail.com"
] |
julio-ponte@hotmail.com
|
d78a7f97e2bbf295b699f32b08fc0480aa10688a
|
67ae1b00411ad63726e0abb07ba82ac5b75fc32a
|
/findmusician/wsgi.py
|
e3e754c495255bd2fa5792053e4e437c249d3059
|
[] |
no_license
|
SimonKorzonek/findmusician
|
e40429bf45115de0709ef6fe92ace3c5cd195660
|
fc23e0d6b5da7d98423accef5eb82b9b6c5516bc
|
refs/heads/main
| 2023-02-15T10:12:02.070458
| 2021-01-05T23:02:05
| 2021-01-05T23:02:05
| 327,074,301
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 401
|
py
|
"""
WSGI config for findmusician project.
It exposes the WSGI callable as a module-level variable named ``application``.
For more information on this file, see
https://docs.djangoproject.com/en/3.1/howto/deployment/wsgi/
"""
import os
from django.core.wsgi import get_wsgi_application
os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'findmusician.settings')
application = get_wsgi_application()
|
[
"korzonek.szymon@gmail.com"
] |
korzonek.szymon@gmail.com
|
c343d7ca6c0ff312134a1c36299342a489e4f33e
|
0c4f6df87da2882ed9a85daec072f78d3d93a84d
|
/test/functional/interface_bitcoin_cli.py
|
9077e9eeed6cb349832e6a8a2baf4a8df407a693
|
[
"MIT"
] |
permissive
|
Shadow0Bit/suscoin
|
af20ea5648e6da51a586742fc3400d8bb2360312
|
4d332ffbc5b157399501aa23ea32e2158ec22dd9
|
refs/heads/master
| 2023-05-08T18:00:23.116434
| 2021-05-26T10:50:59
| 2021-05-26T10:50:59
| 366,784,181
| 1
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 4,482
|
py
|
#!/usr/bin/env python3
# Copyright (c) 2017-2018 The Bitcoin Core developers
# Distributed under the MIT software license, see the accompanying
# file COPYING or http://www.opensource.org/licenses/mit-license.php.
"""Test suscoin-cli"""
from test_framework.test_framework import BitcoinTestFramework
from test_framework.util import assert_equal, assert_raises_process_error, get_auth_cookie
class TestBitcoinCli(BitcoinTestFramework):
def set_test_params(self):
self.setup_clean_chain = True
self.num_nodes = 1
def run_test(self):
"""Main test logic"""
cli_response = self.nodes[0].cli("-version").send_cli()
assert("Suscoin Core RPC client version" in cli_response)
self.log.info("Compare responses from getwalletinfo RPC and `suscoin-cli getwalletinfo`")
if self.is_wallet_compiled():
cli_response = self.nodes[0].cli.getwalletinfo()
rpc_response = self.nodes[0].getwalletinfo()
assert_equal(cli_response, rpc_response)
self.log.info("Compare responses from getblockchaininfo RPC and `suscoin-cli getblockchaininfo`")
cli_response = self.nodes[0].cli.getblockchaininfo()
rpc_response = self.nodes[0].getblockchaininfo()
assert_equal(cli_response, rpc_response)
user, password = get_auth_cookie(self.nodes[0].datadir)
self.log.info("Test -stdinrpcpass option")
assert_equal(0, self.nodes[0].cli('-rpcuser=%s' % user, '-stdinrpcpass', input=password).getblockcount())
assert_raises_process_error(1, "Incorrect rpcuser or rpcpassword", self.nodes[0].cli('-rpcuser=%s' % user, '-stdinrpcpass', input="foo").echo)
self.log.info("Test -stdin and -stdinrpcpass")
assert_equal(["foo", "bar"], self.nodes[0].cli('-rpcuser=%s' % user, '-stdin', '-stdinrpcpass', input=password + "\nfoo\nbar").echo())
assert_raises_process_error(1, "Incorrect rpcuser or rpcpassword", self.nodes[0].cli('-rpcuser=%s' % user, '-stdin', '-stdinrpcpass', input="foo").echo)
self.log.info("Test connecting to a non-existing server")
assert_raises_process_error(1, "Could not connect to the server", self.nodes[0].cli('-rpcport=1').echo)
self.log.info("Test connecting with non-existing RPC cookie file")
assert_raises_process_error(1, "Could not locate RPC credentials", self.nodes[0].cli('-rpccookiefile=does-not-exist', '-rpcpassword=').echo)
self.log.info("Make sure that -getinfo with arguments fails")
assert_raises_process_error(1, "-getinfo takes no arguments", self.nodes[0].cli('-getinfo').help)
self.log.info("Compare responses from `suscoin-cli -getinfo` and the RPCs data is retrieved from.")
cli_get_info = self.nodes[0].cli('-getinfo').send_cli()
if self.is_wallet_compiled():
wallet_info = self.nodes[0].getwalletinfo()
network_info = self.nodes[0].getnetworkinfo()
blockchain_info = self.nodes[0].getblockchaininfo()
assert_equal(cli_get_info['version'], network_info['version'])
assert_equal(cli_get_info['protocolversion'], network_info['protocolversion'])
if self.is_wallet_compiled():
assert_equal(cli_get_info['walletversion'], wallet_info['walletversion'])
assert_equal(cli_get_info['balance'], wallet_info['balance'])
assert_equal(cli_get_info['blocks'], blockchain_info['blocks'])
assert_equal(cli_get_info['timeoffset'], network_info['timeoffset'])
assert_equal(cli_get_info['connections'], network_info['connections'])
assert_equal(cli_get_info['proxy'], network_info['networks'][0]['proxy'])
assert_equal(cli_get_info['difficulty'], blockchain_info['difficulty'])
assert_equal(cli_get_info['testnet'], blockchain_info['chain'] == "test")
if self.is_wallet_compiled():
assert_equal(cli_get_info['balance'], wallet_info['balance'])
assert_equal(cli_get_info['keypoololdest'], wallet_info['keypoololdest'])
assert_equal(cli_get_info['keypoolsize'], wallet_info['keypoolsize'])
assert_equal(cli_get_info['paytxfee'], wallet_info['paytxfee'])
assert_equal(cli_get_info['relayfee'], network_info['relayfee'])
# unlocked_until is not tested because the wallet is not encrypted
if __name__ == '__main__':
TestBitcoinCli().main()
|
[
"joker.rafrom@gmail.com"
] |
joker.rafrom@gmail.com
|
5e0b811355d69d98aa4f260aafc4dacef13b4dd2
|
95fb4b8e51dd7a852d9ed9de067c1e929a71404a
|
/colour/models/rgb/datasets/sony.py
|
ed1b14ee7367d8cae14cb322f5cd81df68be3c15
|
[
"BSD-3-Clause"
] |
permissive
|
zachlewis/colour
|
e9b1f6978dae157306536492a652b2fb9588894a
|
c248e2913d6c62658e4892e5bc8503d86ed5d9ab
|
refs/heads/develop
| 2021-04-25T22:08:34.617007
| 2020-11-29T23:18:48
| 2020-11-29T23:18:48
| 109,490,837
| 0
| 0
|
BSD-3-Clause
| 2019-10-28T19:44:56
| 2017-11-04T11:53:24
|
Python
|
UTF-8
|
Python
| false
| false
| 11,336
|
py
|
# -*- coding: utf-8 -*-
"""
Sony Colourspaces
=================
Defines the *Sony* colourspaces:
- :attr:`colour.models.RGB_COLOURSPACE_S_GAMUT`.
- :attr:`colour.models.RGB_COLOURSPACE_S_GAMUT3`.
- :attr:`colour.models.RGB_COLOURSPACE_S_GAMUT3_CINE`.
- :attr:`colour.models.RGB_COLOURSPACE_VENICE_S_GAMUT3`.
- :attr:`colour.models.RGB_COLOURSPACE_VENICE_S_GAMUT3_CINE`.
Notes
-----
- The *Venice S-Gamut3* and *Venice S-Gamut3.Cine* primaries and whitepoint
were derived with the following `Google Colab Notebook \
<https://colab.research.google.com/drive/1ZGTij7jT8eZRMPUkyWlv_x5ix5Q5twMB>`__.
References
----------
- :cite:`Gaggioni` : Gaggioni, H., Dhanendra, P., Yamashita, J., Kawada, N.,
Endo, K., & Clark, C. (n.d.). S-Log: A new LUT for digital production
mastering and interchange applications (Vol. 709, pp. 1-13).
http://pro.sony.com/bbsccms/assets/files/mkt/cinema/solutions/slog_manual.pdf
- :cite:`SonyCorporation` : Sony Corporation. (n.d.). S-Log Whitepaper (pp.
1-17). http://www.theodoropoulos.info/attachments/076_on%20S-Log.pdf
- :cite:`SonyCorporationd` : Sony Corporation. (n.d.). Technical Summary
for S-Gamut3.Cine/S-Log3 and S-Gamut3/S-Log3 (pp. 1-7).
http://community.sony.com/sony/attachments/sony/\
large-sensor-camera-F5-F55/12359/2/\
TechnicalSummary_for_S-Gamut3Cine_S-Gamut3_S-Log3_V1_00.pdf
- :cite:`SonyCorporatione` : Sony Corporation. (n.d.).
S-Gamut3_S-Gamut3Cine_Matrix.xlsx.
https://community.sony.com/sony/attachments/sony/\
large-sensor-camera-F5-F55/12359/3/S-Gamut3_S-Gamut3Cine_Matrix.xlsx
- :cite:`SonyElectronicsCorporation2020` : Sony Electronics Corporation.
(2020). IDT.Sony.Venice_SLog3_SGamut3.ctl. https://github.com/ampas/\
aces-dev/blob/710ecbe52c87ce9f4a1e02c8ddf7ea0d6b611cc8/transforms/ctl/idt/\
vendorSupplied/sony/IDT.Sony.Venice_SLog3_SGamut3.ctl
- :cite:`SonyElectronicsCorporation2020a` : Sony Electronics Corporation.
(2020). IDT.Sony.Venice_SLog3_SGamut3Cine.ctl. https://github.com/ampas/\
aces-dev/blob/710ecbe52c87ce9f4a1e02c8ddf7ea0d6b611cc8/transforms/ctl/idt/\
vendorSupplied/sony/IDT.Sony.Venice_SLog3_SGamut3Cine.ctl
"""
from __future__ import division, unicode_literals
import numpy as np
from colour.colorimetry import CCS_ILLUMINANTS
from colour.models.rgb import (RGB_Colourspace, log_encoding_SLog2,
log_decoding_SLog2, log_encoding_SLog3,
log_decoding_SLog3, normalised_primary_matrix)
__author__ = 'Colour Developers'
__copyright__ = 'Copyright (C) 2013-2020 - Colour Developers'
__license__ = 'New BSD License - https://opensource.org/licenses/BSD-3-Clause'
__maintainer__ = 'Colour Developers'
__email__ = 'colour-developers@colour-science.org'
__status__ = 'Production'
__all__ = [
'PRIMARIES_S_GAMUT', 'WHITEPOINT_NAME_S_GAMUT', 'CCS_WHITEPOINT_S_GAMUT',
'MATRIX_S_GAMUT_TO_XYZ', 'MATRIX_XYZ_TO_S_GAMUT',
'RGB_COLOURSPACE_S_GAMUT', 'PRIMARIES_S_GAMUT3',
'WHITEPOINT_NAME_S_GAMUT3', 'CCS_WHITEPOINT_S_GAMUT3',
'MATRIX_S_GAMUT3_TO_XYZ', 'MATRIX_XYZ_TO_S_GAMUT3',
'RGB_COLOURSPACE_S_GAMUT3', 'PRIMARIES_S_GAMUT3_CINE',
'WHITEPOINT_NAME_S_GAMUT3_CINE', 'CCS_WHITEPOINT_S_GAMUT3_CINE',
'MATRIX_S_GAMUT3_CINE_TO_XYZ', 'MATRIX_XYZ_TO_S_GAMUT3_CINE',
'RGB_COLOURSPACE_S_GAMUT3_CINE', 'PRIMARIES_VENICE_S_GAMUT3',
'WHITEPOINT_NAME_VENICE_S_GAMUT3', 'CCS_WHITEPOINT_VENICE_S_GAMUT3',
'MATRIX_VENICE_S_GAMUT3_TO_XYZ', 'MATRIX_XYZ_TO_VENICE_S_GAMUT3',
'RGB_COLOURSPACE_VENICE_S_GAMUT3', 'PRIMARIES_VENICE_S_GAMUT3_CINE',
'WHITEPOINT_NAME_VENICE_S_GAMUT3_CINE',
'CCS_WHITEPOINT_VENICE_S_GAMUT3_CINE',
'MATRIX_VENICE_S_GAMUT3_CINE_TO_XYZ', 'MATRIX_XYZ_TO_VENICE_S_GAMUT3_CINE',
'RGB_COLOURSPACE_VENICE_S_GAMUT3_CINE'
]
PRIMARIES_S_GAMUT = np.array([
[0.7300, 0.2800],
[0.1400, 0.8550],
[0.1000, -0.0500],
])
"""
*S-Gamut* colourspace primaries.
PRIMARIES_S_GAMUT : ndarray, (3, 2)
"""
WHITEPOINT_NAME_S_GAMUT = 'D65'
"""
*S-Gamut* colourspace whitepoint name.
WHITEPOINT_NAME_S_GAMUT : unicode
"""
CCS_WHITEPOINT_S_GAMUT = (CCS_ILLUMINANTS[
'CIE 1931 2 Degree Standard Observer'][WHITEPOINT_NAME_S_GAMUT])
"""
*S-Gamut* colourspace whitepoint chromaticity coordinates.
CCS_WHITEPOINT_S_GAMUT : ndarray
"""
MATRIX_S_GAMUT_TO_XYZ = np.array([
[0.7064827132, 0.1288010498, 0.1151721641],
[0.2709796708, 0.7866064112, -0.0575860820],
[-0.0096778454, 0.0046000375, 1.0941355587],
])
"""
*S-Gamut* colourspace to *CIE XYZ* tristimulus values matrix.
MATRIX_S_GAMUT_TO_XYZ : array_like, (3, 3)
"""
MATRIX_XYZ_TO_S_GAMUT = np.array([
[1.5073998991, -0.2458221374, -0.1716116808],
[-0.5181517271, 1.3553912409, 0.1258786682],
[0.0155116982, -0.0078727714, 0.9119163656],
])
"""
*CIE XYZ* tristimulus values to *S-Gamut* colourspace matrix.
MATRIX_XYZ_TO_S_GAMUT : array_like, (3, 3)
"""
RGB_COLOURSPACE_S_GAMUT = RGB_Colourspace(
'S-Gamut',
PRIMARIES_S_GAMUT,
CCS_WHITEPOINT_S_GAMUT,
WHITEPOINT_NAME_S_GAMUT,
MATRIX_S_GAMUT_TO_XYZ,
MATRIX_XYZ_TO_S_GAMUT,
log_encoding_SLog2,
log_decoding_SLog2,
)
RGB_COLOURSPACE_S_GAMUT.__doc__ = """
*S-Gamut* colourspace.
References
----------
:cite:`Gaggioni`, :cite:`SonyCorporation`
RGB_COLOURSPACE_S_GAMUT : RGB_Colourspace
"""
PRIMARIES_S_GAMUT3 = PRIMARIES_S_GAMUT
"""
*S-Gamut3* colourspace primaries.
PRIMARIES_S_GAMUT3 : ndarray, (3, 2)
"""
WHITEPOINT_NAME_S_GAMUT3 = WHITEPOINT_NAME_S_GAMUT
"""
*S-Gamut3* colourspace whitepoint name.
WHITEPOINT_NAME_S_GAMUT3 : unicode
"""
CCS_WHITEPOINT_S_GAMUT3 = CCS_WHITEPOINT_S_GAMUT
"""
*S-Gamut3* colourspace whitepoint chromaticity coordinates.
CCS_WHITEPOINT_S_GAMUT3 : ndarray
"""
MATRIX_S_GAMUT3_TO_XYZ = MATRIX_S_GAMUT_TO_XYZ
"""
*S-Gamut3* colourspace to *CIE XYZ* tristimulus values matrix.
MATRIX_S_GAMUT3_TO_XYZ : array_like, (3, 3)
"""
MATRIX_XYZ_TO_S_GAMUT3 = MATRIX_XYZ_TO_S_GAMUT
"""
*CIE XYZ* tristimulus values to *S-Gamut3* colourspace matrix.
MATRIX_XYZ_TO_S_GAMUT3 : array_like, (3, 3)
"""
RGB_COLOURSPACE_S_GAMUT3 = RGB_Colourspace(
'S-Gamut3',
PRIMARIES_S_GAMUT3,
CCS_WHITEPOINT_S_GAMUT3,
WHITEPOINT_NAME_S_GAMUT3,
MATRIX_S_GAMUT3_TO_XYZ,
MATRIX_XYZ_TO_S_GAMUT3,
log_encoding_SLog3,
log_decoding_SLog3,
)
RGB_COLOURSPACE_S_GAMUT3.__doc__ = """
*S-Gamut3* colourspace.
References
----------
:cite:`SonyCorporationd`
RGB_COLOURSPACE_S_GAMUT3 : RGB_Colourspace
"""
PRIMARIES_S_GAMUT3_CINE = np.array([
[0.76600, 0.27500],
[0.22500, 0.80000],
[0.08900, -0.08700],
])
"""
*S-Gamut3.Cine* colourspace primaries.
PRIMARIES_S_GAMUT3_CINE : ndarray, (3, 2)
"""
WHITEPOINT_NAME_S_GAMUT3_CINE = WHITEPOINT_NAME_S_GAMUT
"""
*S-Gamut3.Cine* colourspace whitepoint name.
WHITEPOINT_NAME_S_GAMUT3_CINE : unicode
"""
CCS_WHITEPOINT_S_GAMUT3_CINE = CCS_WHITEPOINT_S_GAMUT
"""
*S-Gamut3.Cine* colourspace whitepoint chromaticity coordinates.
CCS_WHITEPOINT_S_GAMUT3_CINE : ndarray
"""
MATRIX_S_GAMUT3_CINE_TO_XYZ = np.array([
[0.5990839208, 0.2489255161, 0.1024464902],
[0.2150758201, 0.8850685017, -0.1001443219],
[-0.0320658495, -0.0276583907, 1.1487819910],
])
"""
*S-Gamut3.Cine* colourspace to *CIE XYZ* tristimulus values matrix.
MATRIX_S_GAMUT3_CINE_TO_XYZ : array_like, (3, 3)
"""
MATRIX_XYZ_TO_S_GAMUT3_CINE = np.array([
[1.8467789693, -0.5259861230, -0.2105452114],
[-0.4441532629, 1.2594429028, 0.1493999729],
[0.0408554212, 0.0156408893, 0.8682072487],
])
"""
*CIE XYZ* tristimulus values to *S-Gamut3.Cine* colourspace matrix.
MATRIX_XYZ_TO_S_GAMUT3_CINE : array_like, (3, 3)
"""
RGB_COLOURSPACE_S_GAMUT3_CINE = RGB_Colourspace(
'S-Gamut3.Cine',
PRIMARIES_S_GAMUT3_CINE,
CCS_WHITEPOINT_S_GAMUT3_CINE,
WHITEPOINT_NAME_S_GAMUT3_CINE,
MATRIX_S_GAMUT3_CINE_TO_XYZ,
MATRIX_XYZ_TO_S_GAMUT3_CINE,
log_encoding_SLog3,
log_decoding_SLog3,
)
RGB_COLOURSPACE_S_GAMUT3_CINE.__doc__ = """
*S-Gamut3.Cine* colourspace.
References
----------
:cite:`SonyCorporatione`
RGB_COLOURSPACE_S_GAMUT3_CINE : RGB_Colourspace
"""
PRIMARIES_VENICE_S_GAMUT3 = np.array([
[0.740464264304292, 0.279364374750660],
[0.089241145423286, 0.893809528608105],
[0.110488236673827, -0.052579333080476],
])
"""
*Venice S-Gamut3* colourspace primaries.
PRIMARIES_VENICE_S_GAMUT3 : ndarray, (3, 2)
"""
WHITEPOINT_NAME_VENICE_S_GAMUT3 = WHITEPOINT_NAME_S_GAMUT
"""
*Venice S-Gamut3* colourspace whitepoint name.
WHITEPOINT_NAME_VENICE_S_GAMUT3 : unicode
"""
CCS_WHITEPOINT_VENICE_S_GAMUT3 = CCS_WHITEPOINT_S_GAMUT
"""
*Venice S-Gamut3* colourspace whitepoint chromaticity coordinates.
CCS_WHITEPOINT_VENICE_S_GAMUT3 : ndarray
"""
MATRIX_VENICE_S_GAMUT3_TO_XYZ = normalised_primary_matrix(
PRIMARIES_VENICE_S_GAMUT3, CCS_WHITEPOINT_VENICE_S_GAMUT3)
"""
*Venice S-Gamut3* colourspace to *CIE XYZ* tristimulus values matrix.
MATRIX_VENICE_S_GAMUT3_TO_XYZ : array_like, (3, 3)
"""
MATRIX_XYZ_TO_VENICE_S_GAMUT3 = np.linalg.inv(MATRIX_VENICE_S_GAMUT3_TO_XYZ)
"""
*CIE XYZ* tristimulus values to *Venice S-Gamut3* colourspace matrix.
MATRIX_XYZ_TO_VENICE_S_GAMUT3 : array_like, (3, 3)
"""
RGB_COLOURSPACE_VENICE_S_GAMUT3 = RGB_Colourspace(
'Venice S-Gamut3',
PRIMARIES_VENICE_S_GAMUT3,
CCS_WHITEPOINT_VENICE_S_GAMUT3,
WHITEPOINT_NAME_VENICE_S_GAMUT3,
MATRIX_VENICE_S_GAMUT3_TO_XYZ,
MATRIX_XYZ_TO_VENICE_S_GAMUT3,
log_encoding_SLog3,
log_decoding_SLog3,
)
RGB_COLOURSPACE_VENICE_S_GAMUT3.__doc__ = """
*Venice S-Gamut3* colourspace.
References
----------
:cite:`SonyElectronicsCorporation2020`
RGB_COLOURSPACE_VENICE_S_GAMUT3 : RGB_Colourspace
"""
PRIMARIES_VENICE_S_GAMUT3_CINE = np.array([
[0.775901871567345, 0.274502392854799],
[0.188682902773355, 0.828684937020288],
[0.101337382499301, -0.089187517306263],
])
"""
*Venice S-Gamut3.Cine* colourspace primaries.
PRIMARIES_VENICE_S_GAMUT3_CINE : ndarray, (3, 2)
"""
WHITEPOINT_NAME_VENICE_S_GAMUT3_CINE = WHITEPOINT_NAME_S_GAMUT
"""
*Venice S-Gamut3.Cine* colourspace whitepoint name.
WHITEPOINT_NAME_VENICE_S_GAMUT3_CINE : unicode
"""
CCS_WHITEPOINT_VENICE_S_GAMUT3_CINE = CCS_WHITEPOINT_S_GAMUT
"""
*Venice S-Gamut3.Cine* colourspace whitepoint chromaticity coordinates.
CCS_WHITEPOINT_VENICE_S_GAMUT3_CINE : ndarray
"""
MATRIX_VENICE_S_GAMUT3_CINE_TO_XYZ = normalised_primary_matrix(
PRIMARIES_VENICE_S_GAMUT3_CINE, CCS_WHITEPOINT_VENICE_S_GAMUT3_CINE)
"""
*Venice S-Gamut3.Cine* colourspace to *CIE XYZ* tristimulus values matrix.
MATRIX_VENICE_S_GAMUT3_CINE_TO_XYZ : array_like, (3, 3)
"""
MATRIX_XYZ_TO_VENICE_S_GAMUT3_CINE = np.linalg.inv(
MATRIX_VENICE_S_GAMUT3_CINE_TO_XYZ)
"""
*CIE XYZ* tristimulus values to *Venice S-Gamut3.Cine* colourspace matrix.
MATRIX_XYZ_TO_VENICE_S_GAMUT3_CINE : array_like, (3, 3)
"""
RGB_COLOURSPACE_VENICE_S_GAMUT3_CINE = RGB_Colourspace(
'Venice S-Gamut3.Cine',
PRIMARIES_VENICE_S_GAMUT3_CINE,
CCS_WHITEPOINT_VENICE_S_GAMUT3_CINE,
WHITEPOINT_NAME_VENICE_S_GAMUT3_CINE,
MATRIX_VENICE_S_GAMUT3_CINE_TO_XYZ,
MATRIX_XYZ_TO_VENICE_S_GAMUT3_CINE,
log_encoding_SLog3,
log_decoding_SLog3,
)
RGB_COLOURSPACE_VENICE_S_GAMUT3_CINE.__doc__ = """
*Venice S-Gamut3.Cine* colourspace.
References
----------
:cite:`SonyElectronicsCorporation2020a`
RGB_COLOURSPACE_VENICE_S_GAMUT3_CINE : RGB_Colourspace
"""
|
[
"thomas.mansencal@gmail.com"
] |
thomas.mansencal@gmail.com
|
fca6e100081386acb659173bb30939bb5c84e350
|
6ce56c568c3d49d639871689a9103e990fe83d6f
|
/xcodeproj/pbxproj/objects/__init__.py
|
4f2849c76e69ffdc152f42d656dabf3b7aa7eb7b
|
[] |
no_license
|
topwo/XcodeScripts
|
9a8712883967c18844ee185b36ad6c63ca491c1c
|
6fb8dd7455f657f1f21bd3bfbc2a0c151383b561
|
refs/heads/master
| 2020-11-26T18:39:38.509543
| 2018-04-28T11:34:36
| 2018-04-28T11:35:25
| null | 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 702
|
py
|
#!/usr/bin/python
# encoding:utf-8
#
# copyright (c) Alex Lee, All rights reserved.
import os
import sys
ModuleRoot = os.path.abspath(os.path.join(__file__, '../../../..'))
if os.path.isdir(ModuleRoot) and not ModuleRoot in sys.path:
sys.path.append(ModuleRoot)
from xcodeproj.pbxproj.objects.buildfile import *
from xcodeproj.pbxproj.objects.buildphase import *
from xcodeproj.pbxproj.objects.fileref import *
from xcodeproj.pbxproj.objects.group import *
from xcodeproj.pbxproj.objects.project import *
from xcodeproj.pbxproj.objects.target import *
from xcodeproj.pbxproj.objects.config import *
from xcodeproj.pbxproj.objects.dependency import *
from xcodeproj.pbxproj.objects.proxy import *
|
[
"alexlee002@hotmail.com"
] |
alexlee002@hotmail.com
|
f8e7c4835096c2301aac6f202b1a28fee2bab730
|
4c984a318ccf26e765f902669399da66497e194d
|
/pollexe/urls.py
|
5ed934d9e6f6c6c24682d62a19f5786bdf6c0416
|
[] |
no_license
|
sajalmia381/pollexe
|
914af663bad6becb4308c738a16240028f37f99b
|
3ead47fee43855aba1ee0f4c2b3f222cac6a9a68
|
refs/heads/master
| 2020-04-21T12:42:49.283843
| 2019-02-07T13:43:40
| 2019-02-07T13:43:40
| 169,572,196
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 728
|
py
|
from django.conf import settings
from django.conf.urls.static import static
from django.contrib import admin
from django.urls import path, include
urlpatterns = [
path('', include('account.urls', namespace='account')),
path('', include('page.urls', namespace='page')),
path('', include('blog.urls', namespace='blog')),
path('', include('product.urls', namespace='product')),
# admin
path('admin/', admin.site.urls),
# Third party
path('summernote/', include('django_summernote.urls')),
path('front-edit/', include('front.urls')),
]
urlpatterns += static(settings.STATIC_URL, document_root=settings.STATIC_ROOT)
urlpatterns += static(settings.MEDIA_URL, document_root=settings.MEDIA_ROOT)
|
[
"sajal_mia@ymail.com"
] |
sajal_mia@ymail.com
|
8e0cd4727a216f881c84d55625a70efbdcadb46d
|
53fab060fa262e5d5026e0807d93c75fb81e67b9
|
/backup/user_287/ch150_2020_04_13_20_45_30_391205.py
|
d44700ac9eb31e56af69bcc4d9db551fc97ab291
|
[] |
no_license
|
gabriellaec/desoft-analise-exercicios
|
b77c6999424c5ce7e44086a12589a0ad43d6adca
|
01940ab0897aa6005764fc220b900e4d6161d36b
|
refs/heads/main
| 2023-01-31T17:19:42.050628
| 2020-12-16T05:21:31
| 2020-12-16T05:21:31
| 306,735,108
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 234
|
py
|
import math
def calcula_pi(n):
if n == 1:
p = (6**(1/2))
return p
p = 0
valores = list(range(n))
valores.remove(0)
for a in (valores):
p += (6/(a**2))
p = (p**(1/2))
return p
|
[
"you@example.com"
] |
you@example.com
|
d6927765c0f6ebbf69b62da25a3e7947b7feab43
|
a5d0642bc4e484cc0fe73b304e6f27384a1d07a8
|
/testunittest/name/__init__.py
|
3730a0f040a5a630896636a3141752c7fcde75b9
|
[] |
no_license
|
lijunyang0210/testunittest
|
1a3b8413bcef963c86ce3d42db594ef63034f555
|
5365ebf12c396aabd5d72d5dea98ed461eb4645b
|
refs/heads/master
| 2020-07-20T05:34:53.466950
| 2019-09-05T14:36:21
| 2019-09-05T14:36:21
| 206,582,174
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 73
|
py
|
# -*- coding: utf-8 -*-
# Author : 李俊阳
# @Time : 2019/9/3 21:14
|
[
"lijunyang0210@126.com"
] |
lijunyang0210@126.com
|
95f171bbc154a65c80bf052125d739628093e175
|
504ecbf46271bcb6594743afa80b141dfe4c14b5
|
/pharma/migrations/0017_auto_20171111_2134.py
|
5e0fb9e4e0a24ec554101ee780f587cf2f4b9502
|
[] |
no_license
|
projectworldsofficial/medstore
|
6f16e7bb95385daf80645257520053d5f071e3ec
|
be18785c585fc1f9aedc4ad8ff318b23265ffc82
|
refs/heads/master
| 2021-09-26T10:31:29.414959
| 2018-10-29T10:58:34
| 2018-10-29T10:58:34
| 272,247,027
| 1
| 0
| null | 2020-06-14T17:05:07
| 2020-06-14T17:05:07
| null |
UTF-8
|
Python
| false
| false
| 758
|
py
|
# -*- coding: utf-8 -*-
# Generated by Django 1.11.6 on 2017-11-11 16:04
from __future__ import unicode_literals
from django.db import migrations, models
class Migration(migrations.Migration):
dependencies = [
('pharma', '0016_auto_20171111_2128'),
]
operations = [
migrations.AlterField(
model_name='customer',
name='c_id',
field=models.IntegerField(unique=True),
),
migrations.AlterField(
model_name='medicine',
name='m_id',
field=models.IntegerField(unique=True),
),
migrations.AlterField(
model_name='purchase',
name='p_id',
field=models.IntegerField(unique=True),
),
]
|
[
"soham5959595@gmail.com"
] |
soham5959595@gmail.com
|
bbdd4cd13e464e4fded93d24133a3a22d160d75b
|
76447c72303e53b82ce5fabd4f37061b2bbd3262
|
/app.py
|
7ab2028f76df67596b859092f1ff2267278596d7
|
[] |
no_license
|
Zomma2/deployIBM
|
d5146a0546f476b2a90f32880103b27944165f27
|
6393817e15d3b7f17ad08bbb45370c4c53fa1195
|
refs/heads/main
| 2023-06-05T03:17:03.976867
| 2021-06-22T05:08:22
| 2021-06-22T05:08:22
| 379,145,245
| 0
| 1
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 3,292
|
py
|
from flask import Flask, request, render_template
import requests
# Flask constructor
app = Flask(__name__,instance_relative_config=True)
# A decorator used to tell the application
# which URL is associated function
@app.route('/', methods =["GET", "POST"])
def gfg():
if request.method == "POST":
# getting input with name = fname in HTML form
first_name = request.form.get("fname")
# getting input with name = lname in HTML form
return '''
<style>
h1, input::-webkit-input-placeholder, button {
font-family: "roboto", sans-serif;
-webkit-transition: all 0.3s ease-in-out;
transition: all 0.3s ease-in-out;
}
h1 {
height: 100px;
width: 100%;
font-size: 18px;
background: #18aa8d;
color: white;
line-height: 150%;
border-radius: 3px 3px 0 0;
box-shadow: 0 2px 5px 1px rgba(0, 0, 0, 0.2);
}
form {
box-sizing: border-box;
width: 260px;
margin: 100px auto 0;
box-shadow: 2px 2px 5px 1px rgba(0, 0, 0, 0.2);
padding-bottom: 40px;
border-radius: 3px;
}
form h1 {
box-sizing: border-box;
padding: 20px;
}
input {
margin: 40px 25px;
width: 200px;
display: block;
border: none;
padding: 10px 0;
border-bottom: solid 1px #1abc9c;
transition: all 0.3s cubic-bezier(0.64, 0.09, 0.08, 1);
background: linear-gradient(to bottom, rgba(255, 255, 255, 0) 96%, #1abc9c 4%);
background-position: -200px 0;
background-size: 200px 100%;
background-repeat: no-repeat;
color: #0e6252;
}
input:focus, input:valid {
box-shadow: none;
outline: none;
background-position: 0 0;
}
input:focus::-webkit-input-placeholder, input:valid::-webkit-input-placeholder {
color: #1abc9c;
font-size: 11px;
transform: translateY(-20px);
visibility: visible !important;
}
button {
border: none;
background: #1abc9c;
cursor: pointer;
border-radius: 3px;
padding: 6px;
width: 200px;
color: white;
margin-left: 25px;
box-shadow: 0 3px 6px 0 rgba(0, 0, 0, 0.2);
}
button:hover {
transform: translateY(-3px);
box-shadow: 0 6px 6px 0 rgba(0, 0, 0, 0.2);
}
.follow {
width: 42px;
height: 42px;
border-radius: 50px;
background: #03A9F4;
display: inline-block;
margin: 50px calc(50% - 21px);
white-space: nowrap;
padding: 13px;
box-sizing: border-box;
color: white;
transition: all 0.2s ease;
font-family: Roboto, sans-serif;
text-decoration: none;
box-shadow: 0 5px 6px 0 rgba(0, 0, 0, 0.2);
}
.follow i {
margin-right: 20px;
transition: margin-right 0.2s ease;
}
.follow:hover {
width: 134px;
transform: translateX(-50px);
}
.follow:hover i {
margin-right: 10px;
}
</style>
<form>
<h1>Material Design Text Input With No Extra Markup</h1>
</form>
<form>
<h1>Material Design Text Input With No Extra Markup</h1>
</form>
<form>
<h1>Material Design Text Input With No Extra Markup</h1>
</form>
<form>
<h1>Material Design Text Input With No Extra Markup</h1>
</form>
<link rel="stylesheet" href="//maxcdn.bootstrapcdn.com/font-awesome/4.3.0/css/font-awesome.min.css">
<link href='https://fonts.googleapis.com/css?family=Roboto:400' rel='stylesheet' type='text/css'>
'''
return render_template("form.html")
if __name__=='__main__':
app.run()
|
[
"noreply@github.com"
] |
noreply@github.com
|
8e2fa93b471ea7b39d26ee5e82734a1cfc35e3eb
|
e5b224b9f2be43500271349d96ab8bf92824d55e
|
/0523/selc04.py
|
997979d0f6fe9c5a3515c21dae2cc1ef4a972b11
|
[] |
no_license
|
byunwonju/2020_programming
|
c28f914dcffe7d74b7cbc5923197481410287cd1
|
3e0bec7b30ca7d2f90b557e0b78a9cb8734ed617
|
refs/heads/master
| 2022-11-18T05:33:45.577071
| 2020-07-25T02:46:02
| 2020-07-25T02:46:02
| 256,646,439
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 122
|
py
|
num = int(input("정수 입력:"))
if num%2 ==0:
print("짝수입니다.")
else:
print("홀수입니다.")
|
[
"noreply@github.com"
] |
noreply@github.com
|
685f5b50fe2191735f15da00d09ef6c8b2d29276
|
17e908c7de7819460c519b70a15ded97a75ad89b
|
/utils/log.py
|
d7dba77818e49f5f15114d935e1c8134ccc4a3f0
|
[] |
no_license
|
emcoglab/ldm-core
|
5bd4db602f281ff6088732fac97606f55bd8efb7
|
5cf70e4275460b67b89c49bf8fd9fea507da2c9f
|
refs/heads/main
| 2023-07-24T09:54:42.363720
| 2023-04-03T15:34:35
| 2023-04-03T15:34:35
| 168,543,788
| 2
| 1
| null | 2023-07-21T03:35:33
| 2019-01-31T15:02:23
|
Python
|
UTF-8
|
Python
| false
| false
| 1,538
|
py
|
from sys import stdout
log_message = '%(asctime)s | %(levelname).2s | %(filename)s:%(lineno)d | \t%(message)s'
date_format = "%Y-%m-%d %H:%M:%S"
def print_progress(iteration: int, total: int,
prefix: str = '', suffix: str = '',
*,
decimals: int = 1,
bar_length: int = 100,
clear_on_completion: bool = False):
"""
Call in a loop to create terminal progress bar.
Based on https://gist.github.com/aubricus/f91fb55dc6ba5557fbab06119420dd6a
@params:
iteration - Required : current iteration (Int)
total - Required : total iterations (Int)
prefix - Optional : prefix string (Str)
suffix - Optional : suffix string (Str)
decimals - Optional : positive number of decimals in percent complete (Int)
bar_length - Optional : character length of bar (Int)
clear_on_completion - Optional : clear the bar when it reaches 100% (bool)
"""
full_char = '█'
empty_char = '-'
portion_complete = iteration / float(total)
percents = f"{100 * portion_complete:.{decimals}f}%"
filled_length = int(round(bar_length * portion_complete))
bar = (full_char * filled_length) + (empty_char * (bar_length - filled_length))
stdout.write(f'\r{prefix}|{bar}| {percents}{suffix}'),
if iteration == total:
stdout.write("\r" if clear_on_completion else "\n")
stdout.flush()
|
[
"c.wingfield@lancaster.ac.uk"
] |
c.wingfield@lancaster.ac.uk
|
5550bfec020aeb4768c5366f4bf1d82e1c1d4201
|
e98e10df36810879d05cde11c5846dafafafdd76
|
/from_one_to_ten.py
|
0d513618ab437314f99fd0b2ba72fd117691615f
|
[] |
no_license
|
wojtekidd/Python101
|
99fb576e5a0bc33a86b299adbebf238fca01b12c
|
abb0fdb1bc2582139b6f84eb1ba6be8095d0a050
|
refs/heads/master
| 2022-04-06T12:46:05.370984
| 2020-02-16T13:02:00
| 2020-02-16T13:02:00
| 207,164,195
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 274
|
py
|
from random import randint
user_number = int(input("Give me a number from 1 to 10: "))
comp_number = randint(1,10)
while True:
if user_number == comp_number:
print("You win!")
else:
print(f"You loose! Computer has chosen {comp_number}")
break
|
[
"wojtek@Wojteks-MacBook-Air.local"
] |
wojtek@Wojteks-MacBook-Air.local
|
27791dff47ce4d430b69660ad95df2783f3233fd
|
c9ddbdb5678ba6e1c5c7e64adf2802ca16df778c
|
/cases/synthetic/coverage-big-3078.py
|
47f6110342d0bc97ffe7055c5477a7037e7b6e28
|
[] |
no_license
|
Virtlink/ccbench-chocopy
|
c3f7f6af6349aff6503196f727ef89f210a1eac8
|
c7efae43bf32696ee2b2ee781bdfe4f7730dec3f
|
refs/heads/main
| 2023-04-07T15:07:12.464038
| 2022-02-03T15:42:39
| 2022-02-03T15:42:39
| 451,969,776
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 13,339
|
py
|
count:int = 0
count2:int = 0
count3:int = 0
count4:int = 0
count5:int = 0
def foo(s: str) -> int:
return len(s)
def foo2(s: str, s2: str) -> int:
return len(s)
def foo3(s: str, s2: str, s3: str) -> int:
return len(s)
def foo4(s: str, s2: str, s3: str, s4: str) -> int:
return len(s)
def foo5(s: str, s2: str, s3: str, s4: str, s5: str) -> int:
return len(s)
class bar(object):
p: bool = True
def baz(self:"bar", xx: [int]) -> str:
global count
x:int = 0
y:int = 1
def qux(y: int) -> object:
nonlocal x
if x > y:
x = -1
for x in xx:
self.p = x == 2
qux(0) # Yay! ChocoPy
count = count + 1
while x <= 0:
if self.p:
xx[0] = xx[1]
self.p = not self.p
x = x + 1
elif foo("Long"[0]) == 1:
self.p = self is None
return "Nope"
class bar2(object):
p: bool = True
p2: bool = True
def baz(self:"bar2", xx: [int]) -> str:
global count
x:int = 0
y:int = 1
def qux(y: int) -> object:
nonlocal x
if x > y:
x = -1
for x in xx:
self.p = x == 2
qux(0) # Yay! ChocoPy
count = count + 1
while x <= 0:
if self.p:
xx[0] = xx[1]
self.p = not self.p
x = x + 1
elif foo("Long"[0]) == 1:
self.p = self is None
return "Nope"
def baz2(self:"bar2", xx: [int], xx2: [int]) -> str:
global count
x:int = 0
x2:int = 0
y:int = 1
y2:int = 1
def qux(y: int) -> object:
nonlocal x
if x > y:
x = -1
def qux2(y: int, y2: int) -> object:
nonlocal x
nonlocal x2
if x > y:
x = -1
for x in xx:
self.p = x == 2
qux(0) # Yay! ChocoPy
count = count + 1
while x <= 0:
if self.p:
xx[0] = xx[1]
self.p = not self.p
x = x + 1
elif foo("Long"[0]) == 1:
self.p = self is None
return "Nope"
class bar3(object):
p: bool = True
p2: bool = True
p3: bool = True
def baz(self:"bar3", xx: [int]) -> str:
global count
x:int = 0
y:int = 1
def qux(y: int) -> object:
nonlocal x
if x > y:
x = -1
for x in xx:
self.p = x == 2
qux(0) # Yay! ChocoPy
count = count + 1
while x <= 0:
if self.p:
xx[0] = xx[1]
self.p = not self.p
x = x + 1
elif foo("Long"[0]) == 1:
self.p = self is None
return "Nope"
def baz2(self:"bar3", xx: [int], xx2: [int]) -> str:
global count
x:int = 0
x2:int = 0
y:int = 1
y2:int = 1
def qux(y: int) -> object:
nonlocal x
if x > y:
x = -1
def qux2(y: int, y2: int) -> object:
nonlocal x
nonlocal x2
if x > y:
x = -1
for x in xx:
self.p = x == 2
qux(0) # Yay! ChocoPy
count = count + 1
while x <= 0:
if self.p:
xx[0] = xx[1]
self.p = not self.p
x = x + 1
elif foo("Long"[0]) == 1:
self.p = self is None
return "Nope"
def baz3(self:"bar3", xx: [int], xx2: [int], xx3: [int]) -> str:
global count
x:int = 0
x2:int = 0
x3:int = 0
y:int = 1
y2:int = 1
y3:int = 1
def qux(y: int) -> object:
nonlocal x
if x > y:
x = -1
def qux2(y: int, y2: int) -> object:
nonlocal x
nonlocal x2
if x > y:
x = -1
def qux3(y: int, y2: int, y3: int) -> object:
nonlocal x
nonlocal x2
nonlocal x3
if x > y:
x = -1
for x in xx:
self.p = x == 2
qux(0) # Yay! ChocoPy
count = count + 1
while x <= 0:
if self.p:
xx[0] = xx[1]
self.p = not self.p
x = x + 1
elif foo("Long"[0]) == 1:
self.p = self is None
return "Nope"
class bar4(object):
p: bool = True
p2: bool = True
p3: bool = True
p4: bool = True
def baz(self:"bar4", xx: [int]) -> str:
global count
x:int = 0
y:int = 1
def qux(y: int) -> object:
nonlocal x
if x > y:
x = -1
for x in xx:
self.p = x == 2
qux(0) # Yay! ChocoPy
count = count + 1
while x <= 0:
if self.p:
xx[0] = xx[1]
self.p = not self.p
x = x + 1
elif foo("Long"[0]) == 1:
self.p = self is None
return "Nope"
def baz2(self:"bar4", xx: [int], xx2: [int]) -> str:
global count
x:int = 0
x2:int = 0
y:int = 1
y2:int = 1
def qux(y: int) -> object:
nonlocal x
if x > y:
x = -1
def qux2(y: int, y2: int) -> object:
nonlocal x
nonlocal x2
if x > y:
x = -1
for x in xx:
self.p = x == 2
qux(0) # Yay! ChocoPy
count = count + 1
while x <= 0:
if self.p:
xx[0] = xx[1]
self.p = not self.p
x = x + 1
elif foo("Long"[0]) == 1:
self.p = self is None
return "Nope"
def baz3(self:"bar4", xx: [int], xx2: [int], xx3: [int]) -> str:
global count
x:int = 0
x2:int = 0
x3:int = 0
y:int = 1
y2:int = 1
y3:int = 1
def qux(y: int) -> object:
nonlocal x
if x > y:
x = -1
def qux2(y: int, y2: int) -> object:
nonlocal x
nonlocal x2
if x > y:
x = -1
def qux3(y: int, y2: int, y3: int) -> object:
nonlocal x
nonlocal x2
nonlocal x3
if x > y:
x = -1
for x in xx:
self.p = x == 2
qux(0) # Yay! ChocoPy
count = count + 1
while x <= 0:
if self.p:
xx[0] = xx[1]
self.p = not self.p
x = x + 1
elif foo("Long"[0]) == 1:
self.p = self is None
return "Nope"
def baz4(self:"bar4", xx: [int], xx2: [int], xx3: [int], xx4: [int]) -> str:
global count
x:int = 0
x2:int = 0
x3:int = 0
x4:int = 0
y:int = 1
y2:int = 1
y3:int = 1
y4:int = 1
def qux(y: int) -> object:
nonlocal x
if x > y:
x = -1
def qux2(y: int, y2: int) -> object:
nonlocal x
nonlocal x2
if x > y:
x = -1
def qux3(y: int, y2: int, y3: int) -> object:
nonlocal x
nonlocal x2
nonlocal x3
if x > y:
x = -1
def qux4(y: int, y2: int, y3: int, y4: int) -> object:
nonlocal x
nonlocal x2
nonlocal x3
nonlocal x4
if x > y:
x = -1
for x in xx:
$Block
qux(0) # Yay! ChocoPy
count = count + 1
while x <= 0:
if self.p:
xx[0] = xx[1]
self.p = not self.p
x = x + 1
elif foo("Long"[0]) == 1:
self.p = self is None
return "Nope"
class bar5(object):
p: bool = True
p2: bool = True
p3: bool = True
p4: bool = True
p5: bool = True
def baz(self:"bar5", xx: [int]) -> str:
global count
x:int = 0
y:int = 1
def qux(y: int) -> object:
nonlocal x
if x > y:
x = -1
for x in xx:
self.p = x == 2
qux(0) # Yay! ChocoPy
count = count + 1
while x <= 0:
if self.p:
xx[0] = xx[1]
self.p = not self.p
x = x + 1
elif foo("Long"[0]) == 1:
self.p = self is None
return "Nope"
def baz2(self:"bar5", xx: [int], xx2: [int]) -> str:
global count
x:int = 0
x2:int = 0
y:int = 1
y2:int = 1
def qux(y: int) -> object:
nonlocal x
if x > y:
x = -1
def qux2(y: int, y2: int) -> object:
nonlocal x
nonlocal x2
if x > y:
x = -1
for x in xx:
self.p = x == 2
qux(0) # Yay! ChocoPy
count = count + 1
while x <= 0:
if self.p:
xx[0] = xx[1]
self.p = not self.p
x = x + 1
elif foo("Long"[0]) == 1:
self.p = self is None
return "Nope"
def baz3(self:"bar5", xx: [int], xx2: [int], xx3: [int]) -> str:
global count
x:int = 0
x2:int = 0
x3:int = 0
y:int = 1
y2:int = 1
y3:int = 1
def qux(y: int) -> object:
nonlocal x
if x > y:
x = -1
def qux2(y: int, y2: int) -> object:
nonlocal x
nonlocal x2
if x > y:
x = -1
def qux3(y: int, y2: int, y3: int) -> object:
nonlocal x
nonlocal x2
nonlocal x3
if x > y:
x = -1
for x in xx:
self.p = x == 2
qux(0) # Yay! ChocoPy
count = count + 1
while x <= 0:
if self.p:
xx[0] = xx[1]
self.p = not self.p
x = x + 1
elif foo("Long"[0]) == 1:
self.p = self is None
return "Nope"
def baz4(self:"bar5", xx: [int], xx2: [int], xx3: [int], xx4: [int]) -> str:
global count
x:int = 0
x2:int = 0
x3:int = 0
x4:int = 0
y:int = 1
y2:int = 1
y3:int = 1
y4:int = 1
def qux(y: int) -> object:
nonlocal x
if x > y:
x = -1
def qux2(y: int, y2: int) -> object:
nonlocal x
nonlocal x2
if x > y:
x = -1
def qux3(y: int, y2: int, y3: int) -> object:
nonlocal x
nonlocal x2
nonlocal x3
if x > y:
x = -1
def qux4(y: int, y2: int, y3: int, y4: int) -> object:
nonlocal x
nonlocal x2
nonlocal x3
nonlocal x4
if x > y:
x = -1
for x in xx:
self.p = x == 2
qux(0) # Yay! ChocoPy
count = count + 1
while x <= 0:
if self.p:
xx[0] = xx[1]
self.p = not self.p
x = x + 1
elif foo("Long"[0]) == 1:
self.p = self is None
return "Nope"
def baz5(self:"bar5", xx: [int], xx2: [int], xx3: [int], xx4: [int], xx5: [int]) -> str:
global count
x:int = 0
x2:int = 0
x3:int = 0
x4:int = 0
x5:int = 0
y:int = 1
y2:int = 1
y3:int = 1
y4:int = 1
y5:int = 1
def qux(y: int) -> object:
nonlocal x
if x > y:
x = -1
def qux2(y: int, y2: int) -> object:
nonlocal x
nonlocal x2
if x > y:
x = -1
def qux3(y: int, y2: int, y3: int) -> object:
nonlocal x
nonlocal x2
nonlocal x3
if x > y:
x = -1
def qux4(y: int, y2: int, y3: int, y4: int) -> object:
nonlocal x
nonlocal x2
nonlocal x3
nonlocal x4
if x > y:
x = -1
def qux5(y: int, y2: int, y3: int, y4: int, y5: int) -> object:
nonlocal x
nonlocal x2
nonlocal x3
nonlocal x4
nonlocal x5
if x > y:
x = -1
for x in xx:
self.p = x == 2
qux(0) # Yay! ChocoPy
count = count + 1
while x <= 0:
if self.p:
xx[0] = xx[1]
self.p = not self.p
x = x + 1
elif foo("Long"[0]) == 1:
self.p = self is None
return "Nope"
print(bar().baz([1,2]))
|
[
"647530+Virtlink@users.noreply.github.com"
] |
647530+Virtlink@users.noreply.github.com
|
3ab3e27fb739a45761ef77b83f03b45a6dab15f9
|
b00efc53bec9b05f91703db81387325fae0a771e
|
/MAI/olymp/17.02.05/a.py
|
364918dd1e8451ebddaa61670614cbf7012cf250
|
[] |
no_license
|
21zaber/MAI
|
ac88eb1dd4b8f6b9d184527a3b1824a05993a9e1
|
45f25bdd5996329fd05f3e0ec7eb1289443f17b5
|
refs/heads/master
| 2021-01-17T07:12:22.303754
| 2018-02-08T15:05:30
| 2018-02-08T15:05:30
| 54,101,933
| 2
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 832
|
py
|
n = int(input())
q = n+3
t = [[[[0 for i in range(q)] for i in range(q)] for i in range(q)] for i in range(n+1)]
# len vs max last
t[1][0][0][0] = 1
for l in range(1, n):
for vs in range(l+1):
for mx in range(l):
for lst in range(mx+1):
c = 0
if t[l][vs][mx][lst] == 0:
continue
for i in range(vs+2):
if i <= lst:
t[l+1][vs][mx][i] += t[l][vs][mx][lst]
c+=1
elif i >= mx:
t[l+1][vs+1][i][i] += t[l][vs][mx][lst]
c+=1
#print('l: {}, vs: {}, m: {}, lst: {}, c: {}'.format(l, vs, mx, lst, c))
ans = 0
for i in t[-1]:
for j in i:
for k in j:
ans += k
print(ans)
|
[
"zaber.eng@gmail.com"
] |
zaber.eng@gmail.com
|
c4463b466523f98a0389beff01c3891c2fefadb3
|
e23a4f57ce5474d468258e5e63b9e23fb6011188
|
/125_algorithms/_exercises/templates/_algorithms_challenges/leetcode/LeetcodePythonProject_with_solution/leetcode_0751_0800/LeetCode792_NumberOfMatchingSubsequences.py
|
ce718c54dd28669b15ae5ae32138582fbd1dc330
|
[] |
no_license
|
syurskyi/Python_Topics
|
52851ecce000cb751a3b986408efe32f0b4c0835
|
be331826b490b73f0a176e6abed86ef68ff2dd2b
|
refs/heads/master
| 2023-06-08T19:29:16.214395
| 2023-05-29T17:09:11
| 2023-05-29T17:09:11
| 220,583,118
| 3
| 2
| null | 2023-02-16T03:08:10
| 2019-11-09T02:58:47
|
Python
|
UTF-8
|
Python
| false
| false
| 1,018
|
py
|
'''
Created on Apr 16, 2018
@author: tongq
'''
c_ Solution(o..
___ numMatchingSubseq S, words
"""
:type S: str
:type words: List[str]
:rtype: int
"""
hashmap # dict
___ i __ r..(26
c chr(o..('a')+i)
hashmap[c] # list
___ word __ words:
hashmap[word[0]].a..(word)
count 0
___ c __ S:
d.. hashmap[c]
size l..(d..)
___ i __ r..(size
word d...p.. 0)
__ l.. ? __ 1:
count += 1
____
hashmap[word[1]].a..(word[1:])
r.. count
___ test
testCases [
[
'abcde',
["a", "bb", "acd", "ace"],
],
]
___ s, words __ testCases:
result numMatchingSubseq(s, words)
print('result: %s' % result)
print('-='*30+'-')
__ _____ __ _____
Solution().test()
|
[
"sergejyurskyj@yahoo.com"
] |
sergejyurskyj@yahoo.com
|
0484e045d8e8d78ad0a42b20eb77acd6b255b100
|
fdf5d76af2b8f4a9dc08af2ec8ed69ce7e063be4
|
/data_20210601.py
|
b6098affe8e4329409061d6080797aeeadb412e0
|
[] |
no_license
|
tone0623/IQA-System
|
262ef66a4f1dc4b57bb794386139a24167a70990
|
51742c325f0a27642f3168a41a1465c7406fe4a1
|
refs/heads/main
| 2023-06-12T15:55:25.552257
| 2021-07-05T02:02:51
| 2021-07-05T02:02:51
| 382,509,758
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 12,020
|
py
|
#!/usr/bin/env python
# -*- coding: utf-8 -*-
from __future__ import absolute_import
import math
import joblib
import glob
import re
import matplotlib.pyplot as plt
import cv2
import numpy as np
import numpy.random as rd
from settings_20210601 import settings
import os
#コントラスト類似度計算
import contrastSimilarity as cont
#ヒストグラム平坦化
import histgramEqualize as hist
import difference as diff
Number_of_images = 30
# -------------------------------------------
# Load pkl files or ".jpg" & ".csv" files
# -------------------------------------------
def data_loader(mode='train', mask_out=False):
"""
Read wav files or Load pkl files
"""
## Sort function for file name
def numericalSort(value):
numbers = re.compile(r'(\d+)')
parts = numbers.split(value)
parts[1::2] = map(int, parts[1::2])
return parts
# Load settings
args = settings()
# Make folder
if not os.path.exists(args.model_save_path): # Folder of model
os.makedirs(args.model_save_path)
if not os.path.exists(args.pkl_path): # Folder of train pkl
os.makedirs(args.pkl_path)
ex = "bmp"
# File name
if mode=='test':
image_names = args.test_data_path + '/*.' + "png"
eval_names = args.test_data_path + '/*.txt'
pkl_image = args.pkl_path + '/test_image.pkl'
pkl_eval = args.pkl_path + '/test_eval.pkl'
pkl_mask = args.pkl_path + '/test_mask.pkl'
pkl_target_image = args.pkl_path + '/target_image.pkl'
pkl_target_mask = args.pkl_path + '/target_mask.pkl'
mask_names = args.test_mask_path + '/*.' + "png"
Number_of_images = args.test_data_num
target_image_names = args.target_data_path + '/*.' + "bmp"
target_mask_names = args.target_mask_path + '/*.' + "bmp"
elif mode == 'eval':
image_names = args.eval_data_path + '/*.' + "bmp"
eval_names = args.eval_data_path + '/*.txt'
pkl_image = args.pkl_path + '/eval_image.pkl'
pkl_eval = args.pkl_path + '/eval_eval.pkl'
pkl_mask = args.pkl_path + '/eval_mask.pkl'
pkl_target_image = args.pkl_path + '/target_image.pkl'
pkl_target_mask = args.pkl_path + '/target_mask.pkl'
mask_names = args.eval_mask_path + '/*.' + "bmp"
Number_of_images = args.eval_data_num
target_image_names = args.target_data_path + '/*.' + "bmp"
target_mask_names = args.target_mask_path + '/*.' + "bmp"
else:
image_names = args.train_data_path + '/*.' + "png" #すべてのtrainBMPファイルを読み込み
eval_names = args.train_data_path + '/*.txt' #すべてのtraintxtファイルを読み込み
pkl_image = args.pkl_path + '/train_image.pkl'
pkl_eval = args.pkl_path + '/train_eval.pkl'
pkl_mask = args.pkl_path + '/train_mask.pkl'
pkl_target_image = args.pkl_path + '/target_image.pkl'
pkl_target_mask = args.pkl_path + '/target_mask.pkl'
mask_names = args.train_mask_path + '/*.' + "png"
Number_of_images = args.train_data_num
target_image_names = args.target_data_path + '/*.' + "bmp"
target_mask_names = args.target_mask_path + '/*.' + "bmp"
image_data = []
mask_data = []
target_image_data = []
target_mask_data = []
similarity = []
## ~~~~~~~~~~~~~~~~~~~
## No pkl files
## -> Read images & assesment values, and Create pkl files
## ~~~~~~~~~~~~~~~~~~~
if not (os.access(pkl_image, os.F_OK) and os.access(pkl_eval, os.F_OK) and os.access(pkl_mask, os.F_OK)):
## Read Image files
print(' Load bmp file...')
# Get image data
for image_file in sorted(glob.glob(image_names), key=numericalSort):
img = cv2.imread(image_file)
#image_data.append(img.transpose(2,0,1))
image_data.append(img)
#image_data = np.array(image_data)
# Get evaluation data
eval_data = []
for imgage_file in sorted(glob.glob(eval_names), key=numericalSort):
eval_data = np.expand_dims(np.loadtxt(glob.glob(eval_names)[0], delimiter=',', dtype='float'), axis=1)
for mask_file in sorted(glob.glob(mask_names), key=numericalSort):
mask = cv2.imread(mask_file)
#mask_data.append(mask.transpose(2, 0, 1))
mask_data.append(mask)
#mask_data = np.array(mask_data)
for target_image_file in sorted(glob.glob(target_image_names), key=numericalSort):
mask = cv2.imread(target_image_file)
#mask_data.append(mask.transpose(2, 0, 1))
target_image_data.append(mask)
for target_mask_file in sorted(glob.glob(target_mask_names), key=numericalSort):
mask = cv2.imread(target_mask_file)
#mask_data.append(mask.transpose(2, 0, 1))
target_mask_data.append(mask)
## Create Pkl files
print(' Create Pkl file...')
with open(pkl_image, 'wb') as f: # Create clean pkl file
joblib.dump(image_data, f, protocol=-1, compress=3)
with open(pkl_eval, 'wb') as f: # Create noisy pkl file
joblib.dump(eval_data, f, protocol=-1, compress=3)
with open(pkl_mask, 'wb') as f: # Create clean pkl file
joblib.dump(mask_data, f, protocol=-1, compress=3)
with open(pkl_target_image, 'wb') as f: # Create clean pkl file
joblib.dump(target_image_data, f, protocol=-1, compress=3)
with open(pkl_target_mask, 'wb') as f: # Create clean pkl file
joblib.dump(target_mask_data, f, protocol=-1, compress=3)
else: #pklファイルの読み込み
#if test == False: #train_pkl
with open(pkl_image, 'rb') as f: # Load image pkl file
print(' Load Image Pkl...')
image_data = joblib.load(f)
with open(pkl_eval, 'rb') as f: # Load evaluation pkl file
print(' Load Evaluation Pkl...')
eval_data = joblib.load(f)
with open(pkl_mask, 'rb') as f: # Load image pkl file
print(' Load Mask Pkl...')
mask_data = joblib.load(f)
with open(pkl_target_image, 'rb') as f: # Load image pkl file
print(' Load Target Image Pkl...')
target_image_data = joblib.load(f)
with open(pkl_target_mask, 'rb') as f: # Load image pkl file
print(' Load Target Mask Pkl...')
target_mask_data = joblib.load(f)
#マスクとのコントラスト類似度を取得 (画像枚数,3) & ヒストグラム平坦化
histimg = []
histmask = []
for i in range(Number_of_images):
img1 = image_data[i]
img2 = mask_data[i]
similarity.append(cont.contrastSimilarity(img1, img2))
histimg.append(hist.histgramEqualize(img1))
histmask.append(hist.histgramEqualize(img2))
similarity = np.array(similarity)
histimg = np.array(histimg)
histmask = np.array(histmask)
#差分画像のRGBごとの分散を取得
variance = []
for i in range(Number_of_images):
img1 = histimg[i]
img2 = histmask[i]
variance.append(diff.variance(img1, img2))
variance = np.array(variance)
# a = similarity[:, 0]
# print(min(a))
# n, bins, patches = plt.hist(a)
# plt.xlabel("Values")
# plt.ylabel("Frequency")
# plt.title("Histogram")
# plt.show()
#varianceの型がおかしい
#劣化画像とマスク画像を結合(Number_of_images, 6, 128, 128)
#image_data = np.concatenate((histimg.transpose(0,3,1,2), histmask.transpose(0,3,1,2)), axis=1)
image_data = histimg.transpose(0,3,1,2)
mask_data = histmask.transpose(0,3,1,2)
target_image_data = np.array(target_image_data).transpose(0, 3, 1, 2)
target_mask_data = np.array(target_mask_data).transpose(0, 3, 1, 2)
if not mask_out:
return image_data, eval_data, similarity, variance, target_image_data, target_mask_data
if mask_out:
return image_data, mask_data, eval_data, similarity, variance, target_image_data, target_mask_data
class create_batch:
"""
Creating Batch Data for training
"""
## Initialization
# def __init__(self, image, mos, sim, var, batches, test=False):
def __init__(self, image, mos, sim, var, batches, test=False):
# Data Shaping #.copyで値渡しを行う => 代入だと参照渡しになってしまう
self.image = image.copy()
self.mos = mos.copy()
self.sim = sim.copy()
self.var = var.copy()
# Random index ( for data scrambling)
ind = np.array(range(self.image.shape[0]))
if not test:
rd.shuffle(ind)
# Parameters
self.i = 0
self.batch = batches
self.iter_n = math.ceil(self.image.shape[0] / batches) # Batch num for each 1 Epoch
remain = self.iter_n * batches - self.image.shape[0]
self.rnd = np.r_[ind, np.random.choice(ind, remain)] # Reuse beggining of data when not enough data
def shuffle(self):
self.i = 0
rd.shuffle(self.rnd)
def __iter__(self):
return self
def __len__(self):
return self.iter_n
## Pop batch data
def __next__(self):
self.test = False
index = self.rnd[self.i * self.batch: (self.i + 1) * self.batch] # Index of extracting data
self.i += 1
if not self.test:
return self.image[index], self.mos[index], self.sim[index], self.var[index] # Image & MOS
else:
return self.image[index], self.sim[index], self.var[index] # Image
class create_batch_w_mask(create_batch):
def __init__(self, image_s, mask_s, mos, sim, var, image_t, mask_t, batches, test=False):
super(create_batch_w_mask, self).__init__(image_s, mos, sim, var, batches, test)
self.mask = mask_s
self.image_t = image_t
self.mask_t = mask_t
ind_s = np.array(range(self.image.shape[0]))
ind_t = np.array(range(self.image_t.shape[0]))
self.iter_n = math.ceil(self.image.shape[0] / batches) # Batch num for each 1 Epoch
loop_num_s =math.ceil(self.iter_n * batches / image_s.shape[0])
loop_num_t = math.ceil(self.iter_n * batches / image_t.shape[0])
red_s = []
red_t = []
if not test:
for i in range(loop_num_s):
red_s.extend(rd.permutation(ind_s))
for i in range(loop_num_t):
red_t.extend(rd.permutation(ind_t))
else:
for i in range(loop_num_s):
red_s.extend(ind_s)
for i in range(loop_num_t):
red_t.extend(ind_t)
rnd_s = red_s[:self.iter_n * batches]
rnd_t = red_t[:self.iter_n * batches]
self.rnd_s = np.array(rnd_s)
self.rnd_t = np.array(rnd_t)
print('OK')
def __next__(self):
self.test = False
index_s = self.rnd_s[self.i * self.batch: (self.i + 1) * self.batch] # Index of extracting data
index_t = self.rnd_t[self.i * self.batch: (self.i + 1) * self.batch] # Index of extracting data
self.i += 1
if not self.test:
return self.image[index_s], self.mask[index_s], self.mos[index_s], self.sim[index_s], self.var[index_s], index_s, self.image_t[index_t], self.mask_t[index_t] # Image & MOS
else:
return self.image[index_s], self.mask[index_s], self.mos[index_s], self.sim[index_s], self.var[index_s], index_s # Image
|
[
"tone0623@icloud.com"
] |
tone0623@icloud.com
|
ae5027a60607ce4d65a8d5738a6d24f4432c7bf6
|
1e53b8ba4b44e041de44e2042800c3897c36df6e
|
/MaoPao_sort.py
|
eb07fc546ac134445c071d07ade0167e1fd98938
|
[] |
no_license
|
LYLthe/Data_Structure
|
0b231f73efb198e510f7cb38373b1aff941d63aa
|
5cefeb4e18d3545f9c712c8cce2a117fed62b435
|
refs/heads/master
| 2020-03-20T10:09:28.436414
| 2018-07-25T06:44:48
| 2018-07-25T06:44:48
| 137,360,984
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 965
|
py
|
"""
冒泡排序
时间复杂度:O(n*n)
最优排序:O(n)
稳定性:稳定
"""
import time
import random
def new_num(my_list):
for i in range(50):
num = random.randint(0, 1000)
my_list.append(num)
return my_list
# 开始时间
start_time = time.time()
def bubble_sort_high(list_1):
"""升序排列"""
for i in range(len(list_1)-1, 0, -1):
for j in range(i):
if list_1[j] > list_1[j+1]:
list_1[j], list_1[j+1] = list_1[j+1], list_1[j]
return list_1
def bubble_sort_low(list_2):
"""降序排列"""
for i in range(len(list_2)-1, 0, -1):
for j in range(i):
if list_2[j] < list_2[j+1]:
list_2[j], list_2[j+1] = list_2[j+1], list_2[j]
return list_2
y_list = []
unsorted_list = new_num(y_list)
print(unsorted_list)
print("升序排列 ", bubble_sort_high(unsorted_list))
print("降序排列: ", bubble_sort_low(unsorted_list))
|
[
"2270779418@qq.com"
] |
2270779418@qq.com
|
98f361a03b331d28d3cf116f86c6349213cb986b
|
461884dcdc6594fe16df51bdf9c14c632df5dd67
|
/python/test-python/100tests/ex6.py
|
f47dddc9431f6f81b9a39d3a36595ca652ededab
|
[] |
no_license
|
gu3vara/summary1
|
cbfc85360da590a6749b9aa560f707eec687bc1e
|
fbee01bd77928cbff0e95f996bddd89edb2cf25d
|
refs/heads/master
| 2020-05-31T16:30:04.912132
| 2018-08-28T08:54:25
| 2018-08-28T08:54:25
| null | 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 666
|
py
|
# -*- coding: UTF-8 -*-
'''
题目:斐波那契数列。
程序分析:斐波那契数列(Fibonacci sequence),又称黄金分割数列,
指的是这样一个数列:0、1、1、2、3、5、8、13、21、34、……。
在数学上,费波那契数列是以递归的方法来定义:
F0 = 0 (n=0)
F1 = 1 (n=1)
Fn = F[n-1]+ F[n-2](n=>2)
'''
def fib1(n):
a,b = 1,1
for i in range(n-1):
a,b = b,a+b
return a
# 输出了第10个斐波那契数列的数
print fib1(10)
# 使用递归
def fib2(n):
if n==1 or n==2:
return 1
return fib2(n-1)+fib2(n-2)
# 输出了第10个斐波那契数列的数
print fib2(10)
|
[
"1271432244@qq.com"
] |
1271432244@qq.com
|
4514eac9ff495b8f6a3dc717b7d4580f119de12d
|
2c55946200a55dc86951b2fc676d60600028614e
|
/settings.py
|
032b757d324e65d77d5aec1033b7fc2dd43ee2b0
|
[] |
no_license
|
ahishn27/Practice
|
7b19106adb196dc9d53df6174162094056ec2946
|
cd6d476623cc0ffd41f5c6c1a4630e7f4dd7d72c
|
refs/heads/master
| 2020-04-17T03:08:19.808140
| 2019-02-04T09:13:33
| 2019-02-04T09:13:33
| 166,168,325
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 486
|
py
|
#Package imports
import os
import dotenv
#searching the .env file in the directory
found_dotenv = dotenv.find_dotenv('.env')
#Loading the .env file to get access to the variables
dotenv.load_dotenv(found_dotenv)
#apply_functions
def apply_func(func):
return lambda x:func(x)
#common function
from_env = apply_func(os.getenv)
# Accessing variables from .env file
status = from_env('STATUS')
secret_key = from_env('PASSWORD')
#display statements
print(status)
print(secret_key)
|
[
"Ahish.N@42hertz.com"
] |
Ahish.N@42hertz.com
|
69be95ec2717104dca1975260567cc9d867e4907
|
d0325f0cc1deae11a854cdb6b208414f609d0d68
|
/bin/cgdms
|
37d0efa8d42cf48a26cd0fc46de10e7250a761a4
|
[
"MIT"
] |
permissive
|
avasquee/cgdms
|
800ca46851e82b0924e691af6dd7085325075f38
|
735919cb58a697bd4a27e4903a893a090f3cbe92
|
refs/heads/master
| 2023-08-19T07:58:36.088722
| 2021-09-03T10:05:36
| 2021-09-03T10:05:36
| null | 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 11,024
|
#!/usr/bin/env python
# Argument handling
# Author: Joe G Greener
import argparse
import pkg_resources
parser = argparse.ArgumentParser(description=(
"Differentiable molecular simulation of proteins with a coarse-grained potential. "
"See https://github.com/psipred/cgdms for documentation and citation information. "
f"This is version {pkg_resources.get_distribution('cgdms').version} of the software."
))
subparsers = parser.add_subparsers(dest="mode",
help="the mode to run cgdms in, run \"cgdms {mode} -h\" to see help for each")
parser_makeinput = subparsers.add_parser("makeinput",
description="Form an input protein data file.", help="form an input protein data file")
parser_makeinput.add_argument("-i", "--input", required=True,
help="PDB/mmCIF file, format guessed from extension")
parser_makeinput.add_argument("-s", "--ss2",
help="PSIPRED ss2 file, default fully coiled (not recommended)")
parser_simulate = subparsers.add_parser("simulate",
description="Run a coarse-grained simulation of a protein in the learned potential.",
help="run a coarse-grained simulation of a protein in the learned potential")
parser_simulate.add_argument("-i", "--input", required=True, help="input protein data file")
parser_simulate.add_argument("-o", "--output",
help="output PDB filepath, if this is not given then no PDB file is written")
parser_simulate.add_argument("-s", "--startconf", required=True,
choices=["native", "extended", "predss", "random", "helix"], help="starting conformation")
parser_simulate.add_argument("-n", "--nsteps", required=True, type=float,
help="number of simulation steps to run")
parser_simulate.add_argument("-t", "--temperature", type=float, default=0.015,
help="thermostat temperature, default 0.015")
parser_simulate.add_argument("-c", "--coupling", type=float, default=25.0,
help="thermostat coupling constant, default 25, set to 0 to run without a thermostat")
parser_simulate.add_argument("-st", "--starttemperature", type=float, default=0.015,
help="starting temperature, default 0.015")
parser_simulate.add_argument("-ts", "--timestep", type=float, default=0.004,
help="integrator time step, default 0.004")
parser_simulate.add_argument("-r", "--report", type=int, default=10_000,
help="interval for printing energy and writing PDB file, default 10_000")
parser_simulate.add_argument("-p", "--parameters",
help="parameter set to use, default is the trained model")
parser_simulate.add_argument("-d", "--device",
help="device to run on, default is \"cuda\" if it is available otherwise \"cpu\"")
parser_simulate.add_argument("-v", "--verbosity", type=int, choices=[0, 1, 2], default=2,
help="logging verbosity, default 2")
parser_energy = subparsers.add_parser("energy",
description="Calculate the energy of a structure in the learned potential.",
help="calculate the energy of a structure in the learned potential")
parser_energy.add_argument("-i", "--input", required=True, help="input protein data file")
parser_energy.add_argument("-m", "--minsteps", type=float, default=0.0,
help="number of minimisation steps to run, default 0")
parser_energy.add_argument("-p", "--parameters",
help="parameter set to use, default is the trained model")
parser_energy.add_argument("-d", "--device",
help="device to run on, default is \"cuda\" if it is available otherwise \"cpu\"")
parser_energy.add_argument("-v", "--verbosity", type=int, choices=[0, 1, 2], default=0,
help="logging verbosity, default 0")
parser_thread = subparsers.add_parser("thread",
description=("Calculate the energy in the learned potential of a set of sequences threaded "
"onto a structure. Returns one energy per line."),
help=("calculate the energy in the learned potential of a set of sequences threaded onto a "
"structure"))
parser_thread.add_argument("-i", "--input", required=True, help="input protein data file")
parser_thread.add_argument("-s", "--sequences", required=True,
help="file of sequences to thread, one per line")
parser_thread.add_argument("-m", "--minsteps", type=float, default=100.0,
help="number of minimisation steps to run for each sequence, default 100")
parser_thread.add_argument("-p", "--parameters",
help="parameter set to use, default is the trained model")
parser_thread.add_argument("-d", "--device",
help="device to run on, default is \"cuda\" if it is available otherwise \"cpu\"")
parser_thread.add_argument("-v", "--verbosity", type=int, choices=[0, 1, 2], default=0,
help="logging verbosity, default 0")
parser_design = subparsers.add_parser("design",
description="Carry out fixed backbone protein design in the learned potential.",
help="carry out fixed backbone protein design in the learned potential")
parser_design.add_argument("-i", "--input", required=True, help="input protein data file")
parser_design.add_argument("-n", "--nmutations", type=float, default=2_000.0,
help="number of mutations to trial, default 2_000")
parser_design.add_argument("-m", "--minsteps", type=float, default=100.0,
help="number of minimisation steps to run for each sequence, default 100")
parser_design.add_argument("-nc", "--nocolor", action="store_false",
help="do not print output in color")
parser_design.add_argument("-p", "--parameters",
help="parameter set to use, default is the trained model")
parser_design.add_argument("-d", "--device",
help="device to run on, default is \"cuda\" if it is available otherwise \"cpu\"")
parser_design.add_argument("-v", "--verbosity", type=int, choices=[0, 1, 2], default=0,
help="logging verbosity, default 0")
parser_train = subparsers.add_parser("train",
description="Train the model. This can take a couple of months... go and get a coffee?",
help="train the model")
parser_train.add_argument("-o", "--output", default="cgdms_params.pt",
help="output learned parameter filepath, default \"cgdms_params.pt\"")
parser_train.add_argument("-d", "--device",
help="device to run on, default is \"cuda\" if it is available otherwise \"cpu\"")
parser_train.add_argument("-v", "--verbosity", type=int, choices=[0, 1, 2], default=0,
help="logging verbosity, default 0")
args = parser.parse_args()
for arg in ("nsteps", "temperature", "coupling", "starttemperature",
"timestep", "report", "minsteps", "nmutations"):
if arg in args.__dict__ and args.__dict__[arg] < 0:
raise argparse.ArgumentTypeError(f"{arg} is {args.__dict__[arg]} but must be non-negative")
# Imported after argument parsing because it takes a few seconds
from cgdms import *
if "device" in args.__dict__:
if args.device is None:
device = "cuda" if torch.cuda.is_available() else "cpu"
else:
device = args.device
if args.mode == "makeinput":
print_input_file(args.input, args.ss2)
elif args.mode == "simulate":
if args.output and os.path.exists(args.output):
os.remove(args.output)
if args.parameters:
params = torch.load(args.parameters, map_location=device)
else:
params = torch.load(trained_model_file, map_location=device)
native_coords, inters_flat, inters_ang, inters_dih, masses, seq = read_input_file(args.input,
device=device)
with torch.no_grad():
simulator = Simulator(params["distances"], params["angles"], params["dihedrals"])
if args.startconf == "native":
coords = native_coords
else:
coords = starting_coords(seq, conformation=args.startconf, input_file=args.input,
device=device)
coords = simulator(coords.unsqueeze(0), inters_flat.unsqueeze(0), inters_ang.unsqueeze(0),
inters_dih.unsqueeze(0), masses.unsqueeze(0), seq,
native_coords.unsqueeze(0), int(args.nsteps), integrator="vel",
timestep=args.timestep, start_temperature=args.starttemperature,
thermostat_const=args.coupling, temperature=args.temperature,
sim_filepath=args.output, report_n=args.report,
verbosity=args.verbosity)
elif args.mode == "energy":
if args.parameters:
params = torch.load(args.parameters, map_location=device)
else:
params = torch.load(trained_model_file, map_location=device)
coords, inters_flat, inters_ang, inters_dih, masses, seq = read_input_file(args.input,
device=device)
with torch.no_grad():
simulator = Simulator(params["distances"], params["angles"], params["dihedrals"])
energy = simulator(coords.unsqueeze(0), inters_flat.unsqueeze(0), inters_ang.unsqueeze(0),
inters_dih.unsqueeze(0), masses.unsqueeze(0), seq, coords.unsqueeze(0),
int(args.minsteps), integrator="min", energy=True,
verbosity=args.verbosity)
print(round(energy.item(), 3))
elif args.mode == "thread":
if args.parameters:
params = torch.load(args.parameters, map_location=device)
else:
params = torch.load(trained_model_file, map_location=device)
with torch.no_grad():
simulator = Simulator(params["distances"], params["angles"], params["dihedrals"])
with open(args.sequences) as f:
for li, line in enumerate(f):
if not line.startswith(">"):
coords, inters_flat, inters_ang, inters_dih, masses, seq = read_input_file_threaded(
args.input, line.rstrip(), device=device)
energy = simulator(coords.unsqueeze(0), inters_flat.unsqueeze(0),
inters_ang.unsqueeze(0), inters_dih.unsqueeze(0),
masses.unsqueeze(0), seq, coords.unsqueeze(0),
int(args.minsteps), integrator="min", energy=True,
verbosity=args.verbosity)
print(li + 1, round(energy.item(), 3))
elif args.mode == "design":
if args.parameters:
params = torch.load(args.parameters, map_location=device)
else:
params = torch.load(trained_model_file, map_location=device)
with torch.no_grad():
simulator = Simulator(params["distances"], params["angles"], params["dihedrals"])
fixed_backbone_design(args.input, simulator, n_mutations=int(args.nmutations),
n_min_steps=int(args.minsteps), print_color=args.nocolor,
device=device, verbosity=args.verbosity)
elif args.mode == "train":
train(args.output, device=device, verbosity=args.verbosity)
else:
print("No mode selected, run \"cgdms -h\" to see help")
|
[
"jgreener@hotmail.co.uk"
] |
jgreener@hotmail.co.uk
|
|
27c6bad3c7dabc08b3b759b10ee20b6a114f08b7
|
c00c53a7150a7831435430985fd6199b79af6390
|
/test.py
|
f996a231b73b46371b32fb89f6a3833a1b32318f
|
[] |
no_license
|
gbogumil/code
|
a1ebca0bba7e46535ae49b04c0f738fafbf26b1a
|
af239d1c4c36915f87b6bf6f4b9140903b6a8cff
|
refs/heads/master
| 2021-01-10T20:57:02.840233
| 2018-11-21T13:54:27
| 2018-11-21T13:54:27
| 12,446,185
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 2,713
|
py
|
<<<<<<< HEAD
from pygame.locals import *
import pygame
import logging as log
class maze:
def __init__(self, board):
self.board = board
self.boxSize = 10
class app:
def __init__(self):
log.basicConfig(level=log.DEBUG)
log.info('setting board')
board = [
[1, 1, 1, 1, 1, 1],
[1, 0, 0, 1, 0, 1],
[1, 1, 0, 1, 0, 1],
[1, 0, 0, 1, 0, 1],
[1, 0, 1, 0, 0, 1],
[1, 1, 1, 1, 1, 1]
]
self.maze = maze(board)
log.info('init pyg')
pygame.init()
log.info('getting font')
self.debugFont = pygame.font.Font(None, 20)
log.info('init display')
self.display = pygame.display.set_mode((800,600), pygame.HWSURFACE)
pygame.display.set_caption('a maze')
self.running = True
while (self.running):
pygame.event.pump()
keys = pygame.key.get_pressed()
if keys[K_ESCAPE]:
log.info('hit escape')
self.running = False
w = len(self.maze.board[0])
h = len(self.maze.board)
#log.info('drawing maze ({0},{1})'.format(w, h))
for x in range(w):
for y in range(h):
if self.maze.board[y][x]:
box = Rect(
x * self.maze.boxSize,
y * self.maze.boxSize,
self.maze.boxSize,
self.maze.boxSize
)
self.display.fill((255,255,0), box)
pygame.display.flip()
a = app()
=======
import logging as log
class Primes:
def __init__(self):
try:
file = open('primes.bin', 'r')
self._primes = file.read()
close(file)
except:
self._primes = []
def save(self):
file = open('primes.bin', 'w')
file.write(self._primes)
close(file)
def findPrimes(self, value):
def isPrime(self, value):
foundNewPrime=False
if self._primes[-1]**2 < value:
for (p in findPrimes(self, value)):
pass
for i in range(len(self._primes)):
if float(value)/self._primes[i] == int(value/self._primes[i]):
return False
return true
def upTo(self, value):
if (self._primes[-1] <= value):
for (i in range(len(self._primes))):
yield self._primes[i]
else:
for (p in findPrimes(self, value):
yield p
>>>>>>> 1994f3e2ff108c68c300463cd51de51047b9bc5e
|
[
"gbogumil@gmail.com"
] |
gbogumil@gmail.com
|
1da0e0c28a5640c4a55d164cbaf34969058e3ba1
|
d3a4e8e5e46a7b90be1fcb20b23314582644ef8c
|
/docs/source/conf.py
|
565a9f1fbe87ee160de5a976fee560ca94073b12
|
[
"MIT"
] |
permissive
|
reaganking/scrapenhl2
|
b02cbcbd6b129a3e1ad16a3d214175e8e4d33c0c
|
a9867f03d002773da852fc150f2976adc2ba8c25
|
refs/heads/master
| 2020-03-28T23:35:48.453111
| 2018-02-16T02:18:59
| 2018-02-16T02:18:59
| null | 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 4,961
|
py
|
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
#
# scrapenhl2 documentation build configuration file, created by
# sphinx-quickstart on Sun Oct 1 17:47:07 2017.
#
# This file is execfile()d with the current directory set to its
# containing dir.
#
# Note that not all possible configuration values are present in this
# autogenerated file.
#
# All configuration values have a default; values that are commented out
# serve to show the default.
# If extensions (or modules to document with autodoc) are in another directory,
# add these directories to sys.path here. If the directory is relative to the
# documentation root, use os.path.abspath to make it absolute, like shown here.
#
import sys
sys.path.insert(0, '../../')
sys.path.insert(0, '../')
sys.path.insert(0, './')
sys.path.insert(0, '../../scrapenhl2/')
sys.path.insert(0, '../../scrapenhl2/scrape/')
sys.path.insert(0, '../../scrapenhl2/manipulate/')
sys.path.insert(0, '../../scrapenhl2/plot/')
# -- General configuration ------------------------------------------------
# If your documentation needs a minimal Sphinx version, state it here.
#
# needs_sphinx = '1.0'
# Add any Sphinx extension module names here, as strings. They can be
# extensions coming with Sphinx (named 'sphinx.ext.*') or your custom
# ones.
extensions = ['sphinx.ext.autodoc',
'sphinx.ext.todo']
# Add any paths that contain templates here, relative to this directory.
templates_path = ['_templates']
# The suffix(es) of source filenames.
# You can specify multiple suffix as a list of string:
#
# source_suffix = ['.rst', '.md']
source_suffix = '.rst'
# The master toctree document.
master_doc = 'index'
# General information about the project.
project = 'scrapenhl2'
copyright = '2017, Muneeb Alam'
author = 'Muneeb Alam'
# The version info for the project you're documenting, acts as replacement for
# |version| and |release|, also used in various other places throughout the
# built documents.
#
# The short X.Y version.
version = '0.4.1'
# The full version, including alpha/beta/rc tags.
release = version
# The language for content autogenerated by Sphinx. Refer to documentation
# for a list of supported languages.
#
# This is also used if you do content translation via gettext catalogs.
# Usually you set "language" from the command line for these cases.
language = None
# List of patterns, relative to source directory, that match files and
# directories to ignore when looking for source files.
# This patterns also effect to html_static_path and html_extra_path
exclude_patterns = []
# The name of the Pygments (syntax highlighting) style to use.
pygments_style = 'sphinx'
# If true, `todo` and `todoList` produce output, else they produce nothing.
todo_include_todos = True
# -- Options for HTML output ----------------------------------------------
# The theme to use for HTML and HTML Help pages. See the documentation for
# a list of builtin themes.
#
html_theme = 'nature'
# Theme options are theme-specific and customize the look and feel of a theme
# further. For a list of options available for each theme, see the
# documentation.
#
# html_theme_options = {}
# Add any paths that contain custom static files (such as style sheets) here,
# relative to this directory. They are copied after the builtin static files,
# so a file named "default.css" will overwrite the builtin "default.css".
html_static_path = ['_static']
# -- Options for HTMLHelp output ------------------------------------------
# Output file base name for HTML help builder.
htmlhelp_basename = 'scrapenhl2doc'
# -- Options for LaTeX output ---------------------------------------------
latex_elements = {
# The paper size ('letterpaper' or 'a4paper').
#
# 'papersize': 'letterpaper',
# The font size ('10pt', '11pt' or '12pt').
#
# 'pointsize': '10pt',
# Additional stuff for the LaTeX preamble.
#
# 'preamble': '',
# Latex figure (float) alignment
#
# 'figure_align': 'htbp',
}
# Grouping the document tree into LaTeX files. List of tuples
# (source start file, target name, title,
# author, documentclass [howto, manual, or own class]).
latex_documents = [
(master_doc, 'scrapenhl2.tex', 'scrapenhl2 Documentation',
'Muneeb Alam', 'manual'),
]
# -- Options for manual page output ---------------------------------------
# One entry per manual page. List of tuples
# (source start file, name, description, authors, manual section).
man_pages = [
(master_doc, 'scrapenhl2', 'scrapenhl2 Documentation',
[author], 1)
]
# -- Options for Texinfo output -------------------------------------------
# Grouping the document tree into Texinfo files. List of tuples
# (source start file, target name, title, author,
# dir menu entry, description, category)
texinfo_documents = [
(master_doc, 'scrapenhl2', 'scrapenhl2 Documentation',
author, 'scrapenhl2', 'One line description of project.',
'Miscellaneous'),
]
|
[
"muneeb.alam@gmail.com"
] |
muneeb.alam@gmail.com
|
1ecf217ac3f73bc4e4f65a2a705ed8b490973479
|
155b6c640dc427590737750fe39542a31eda2aa4
|
/api-test/easyloan/testAction/loginAction.py
|
1ffce9a91563013b011f796bed0bf0a925d88370
|
[] |
no_license
|
RomySaber/api-test
|
d4b3add00e7e5ed70a5c72bb38dc010f67bbd981
|
028c9f7fe0d321db2af7f1cb936c403194db850c
|
refs/heads/master
| 2022-10-09T18:42:43.352325
| 2020-06-11T07:00:04
| 2020-06-11T07:00:04
| 271,468,744
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 1,582
|
py
|
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""
@Time :2019-04-23 下午 2:33
@Author : 罗林
@File : loginAction.py
@desc :
"""
import requests
import json
from common.myConfig import ConfigUtils as conf
from common.myCommon.Logger import getlog
from common.myConfig import MysqlConfig as ms
from common.mydb import MysqlClent
User = 'fqhd001'
Passwd = '5e81f67ed14a5443ec6a3682513f0b9b'
mobile = '13699479886'
app_passwd = 'll123456'
DB = MysqlClent.get_conn('192.168.15.159', 3306, 'easyloan', 'easyloan', '78dk.com')
web_URL = ms.get('easyloan_web_apiURL')
app_URL = ms.get('easyloan_app_apiURL')
LOGGER = getlog(__name__)
API_TEST_HEADERS = {"Content-Type": "application/json"}
rq = requests.Session()
sign = conf.get('report', 'sign')
def test_easyloan_web_login():
url = web_URL + '/api/78dk/web/login'
querystring = json.dumps({"username": User, "password": Passwd})
response = rq.post(url, headers=API_TEST_HEADERS, data=querystring)
LOGGER.info("token:【{}】".format(response.json()["data"]["token"]))
return response.json()["data"]["token"]
def test_easyloan_app_login():
url = app_URL + '/api/78dk/clientapp/login/pwLogin'
querystring = json.dumps({"mobile": mobile, "password": app_passwd})
response = rq.post(url, headers=API_TEST_HEADERS, data=querystring)
LOGGER.info("token:【{}】".format(response.json()["data"]["token"]))
LOGGER.info(response.text)
return response.json()["data"]["token"]
def test_yygl_login():
pass
if __name__ == '__main__':
test_easyloan_app_login()
|
[
"romy@romypro.local"
] |
romy@romypro.local
|
630ded532beaa7555113b8688e55a536d630fc5b
|
9e97741db42ec8a71e6f3d28c1a389fd129083f0
|
/zipf.py
|
e686a0c51a0eef30cffb262fcb561cdb745ed2eb
|
[] |
no_license
|
MatthewWolff/NLP_Genomics
|
1ad04fc74a8b5cb64bd6181e75963448658ededc
|
febe99cc6b86c0fc047073a1ca02f25cffb61413
|
refs/heads/master
| 2020-03-18T00:21:52.531282
| 2018-08-11T02:11:32
| 2018-08-11T02:11:32
| 134,090,188
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 6,466
|
py
|
def rep(x, y): # too lazy to go through and change R code + regex was being wonky -> 'rep\("([A-Z])", {1}([0-9])\)'
return list(x * y)
codons = ["GCU", "GCC", "GCA", "GCG", "CGU", "CGC", "CGA", "CGG", "AGA", "AGG", "AAU", "AAC", "GAU", "GAC", "UGU",
"UGC", "CAA", "CAG", "GAA", "GAG", "GGU", "GGC", "GGA", "GGG", "CAU", "CAC", "AUU", "AUC", "AUA", "UUA",
"UUG", "CUU", "CUC", "CUA", "CUG", "AAA", "AAG", "AUG", "UUU", "UUC", "CCU", "CCC", "CCA", "CCG", "UCU",
"UCC", "UCA", "UCG", "AGU", "AGC", "ACU", "ACC", "ACA", "ACG", "UGG", "UAU", "UAC", "GUU", "GUC", "GUA",
"GUG", "UAA", "UGA", "UAG"] # 64 codons
amino_acids = [item for sublist in # flatten this boi into a list of 64 amino acids 1-letter abbreviations
[rep("A", 4), rep("R", 6), rep("N", 2), rep("D", 2), rep("C", 2), rep("Q", 2), rep("E", 2), rep("G", 4),
rep("H", 2), rep("I", 3), rep("L", 6), rep("K", 2), rep("M", 1), rep("F", 2), rep("P", 4), rep("S", 6),
rep("T", 4), rep("W", 1), rep("Y", 2), rep("V", 4), rep("*", 3)] for item in sublist]
codon_table = dict((k, v) for k, v in zip(codons, amino_acids))
def translate(nucleotides):
"""
Translates DNA to RNA
:param nucleotides: the DNA sequence
:return: an RNA sequence
"""
nucleotides = nucleotides.replace("C", "X")
nucleotides = nucleotides.replace("G", "C")
nucleotides = nucleotides.replace("A", "U")
nucleotides = nucleotides.replace("T", "A")
nucleotides = nucleotides.replace("X", "G")
return nucleotides.strip() # newline removal
def ribosome(nucleotides, simplify):
"""
Attempts to translate a nucleotide sequence, but
:param nucleotides: a DNA nucleotide sequence
:param simplify: if true, when a sequence isn't a multiple of 3, it will condense codons into a proetin
:return: either a RNA sequence or a protein sequence
"""
if len(nucleotides) % 3 == 0:
return "".join([codon_table[nucleotides[i:i + 3]] for i in range(0, len(nucleotides), 3)])
else:
if simplify:
usable_length = len(nucleotides) - (len(nucleotides) % 3)
print nucleotides
return "".join([codon_table[nucleotides[i:i + 3]] for i in range(0, usable_length, 3)]) + \
nucleotides[-(len(nucleotides) % 3):]
else:
return nucleotides
def unit_generator(input_file, size, simplify):
"""
Returns a semantic unit of a given size. Multiples of 3 will be protein sequences
:param input_file: the location of the file that contains the sequence to be digested
:param size: the size in nucleotides of the desired genetic unit
:param simplify: if true, when a sequence isn't a multiple of 3, it will condense codons into a protein
:return: a generator to supply genetic units from the sequence
"""
if size < 1 or int(size) != size:
raise ValueError("Size must be positive integer")
with open(input_file) as f:
curr = f.read(size)
while curr is not None: # gradually read whole sequence in chunks of a specified size
seq = translate(curr)
yield ribosome(seq, simplify)
curr = f.read(size)
def make_frequency_table(generator):
"""
Creates a table of the frequencies of certain sized chunks in a genome
:param input_file: the location of the file that contains the sequence to be digested
:param size: the size in nucleotides of the desired genetic unit
:param simplify: if true, when a sequence isn't a multiple of 3, it will condense codons into a protein
:return: a dictionary containing the table of frequencies
"""
gen = generator # default for straight DNA sequence
freq_table = dict()
unit = next(gen)
counter = 0
while unit is not "": # form table from units
if unit not in freq_table:
freq_table[unit] = 0
freq_table[unit] += 1
unit = next(gen)
counter += 1
s_t = sorted([(k, v) for k, v in freq_table.items()], key=lambda x: x[1], reverse=True) # sort by freq, descending
return s_t, counter
###########################################################################################
## DNA SEQUENCE
# frequencies = [make_frequency_table(unit_generator(input_file="nucs.fasta", size=siz, simplify=True)) for siz in sizes]
# PROTEIN SEQUENCE
input_file = "/Users/matthew/protein.fa"
with open(input_file) as f:
body = f.readlines()
amino_acids = []
for line in body:
if ">" in line:
continue
amino_acids.append(line.strip())
amino_acids = "".join(amino_acids)
size = 4 # 4 amino acids
freq_table = dict()
counter = 0
for s in range(size):
for i in range(0, len(amino_acids), size): # form table from units
unit = amino_acids[i:i + size]
if unit not in freq_table:
freq_table[unit] = 0
freq_table[unit] += 1
counter += 1
frequencies = [sorted([(k, v) for k, v in freq_table.items()], key=lambda x: x[1], reverse=True)] # sort by descending
with open("zipf.freq.txt", "wb") as o: # write frequencies to a file
for y in frequencies[0]:
o.write("{}\n".format(y[1]))
### RNA SEQUENCE
# input_file = "rna.fa"
# with open(input_file) as f:
# body = f.readlines()
# dna = []
# for line in body:
# if ">" in line:
# continue
# dna.append(line.strip())
# amino_acids = ribosome(translate("".join(dna)), simplify=True)
# print amino_acids[:20]
# size = 4
# freq_table = dict()
# counter = 0
# for s in range(size):
# for i in range(0, len(amino_acids), size): # form table from units
# unit = amino_acids[i:i + size]
# if unit not in freq_table:
# freq_table[unit] = 0
# freq_table[unit] += 1
# counter += 1
# frequencies = [sorted([(k, v) for k, v in freq_table.items()], key=lambda x: x[1], reverse=True)] # sort by descending
for table in frequencies: # write zipf enumeration to a file
rel_freq = list(map(lambda t: float(t[1]) / float(counter), table))
top_entry = rel_freq[0]
zipf = list(map(lambda f: (f / top_entry) ** -1, rel_freq))
# pritn first 100 to 200 entries for each step in teh calculation
print("table:", table[:100])
print("relative frequency:", rel_freq[:100])
print("zipf:", zipf[:200])
with open("zipf", "wb") as o:
for y in zipf:
o.write("{}\n".format(y))
|
[
"noreply@github.com"
] |
noreply@github.com
|
3db3bb47ca46ce9c36f857f173351d7c8ab44a38
|
97d84cd9719d194487bc986886756f2fe83ab16f
|
/courses/urls.py
|
9592a601ba15d04ba34a52fc8ae04ba668284be9
|
[] |
no_license
|
ariasamandi/courses
|
184a36c8e7df2ea12bef52e64846fb716cc420cc
|
0e64012bb1aa287d776c0bf6a865eb259d9203f1
|
refs/heads/master
| 2020-03-11T17:51:27.758564
| 2018-04-26T23:07:02
| 2018-04-26T23:07:02
| 130,159,546
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 779
|
py
|
"""courses URL Configuration
The `urlpatterns` list routes URLs to views. For more information please see:
https://docs.djangoproject.com/en/1.11/topics/http/urls/
Examples:
Function views
1. Add an import: from my_app import views
2. Add a URL to urlpatterns: url(r'^$', views.home, name='home')
Class-based views
1. Add an import: from other_app.views import Home
2. Add a URL to urlpatterns: url(r'^$', Home.as_view(), name='home')
Including another URLconf
1. Import the include() function: from django.conf.urls import url, include
2. Add a URL to urlpatterns: url(r'^blog/', include('blog.urls'))
"""
from django.conf.urls import url, include
from django.contrib import admin
urlpatterns = [
url(r'^', include('apps.my_app.urls')),
]
|
[
"ariasamandi@gmail.com"
] |
ariasamandi@gmail.com
|
2e4c319c80a704585fbab79e4c5ae8329e38f201
|
ddc7e22952de6298d14b9297e765db29f327cfcb
|
/BFS/medium/minKnightMoves.py
|
ec82adee4ecf9c80d54548712c8789fa3cbcdfdb
|
[
"MIT"
] |
permissive
|
linminhtoo/algorithms
|
154a557b4acada2618aac09a8868db9f3722204f
|
884422a7c9f531e7ccaae03ba1ccbd6966b23dd3
|
refs/heads/master
| 2023-03-21T23:01:58.386497
| 2021-03-16T07:13:32
| 2021-03-16T07:13:32
| 296,247,654
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 3,461
|
py
|
# leetcode is premium problem
# see https://www.geeksforgeeks.org/minimum-steps-reach-target-knight/
# https://www.hackerrank.com/challenges/knightl-on-chessboard/problem <-- slightly harder version of the same problem (SCROLL DOWN)
# BFS
class Cell: # don't have to use this, can just use a tuple also (x, y, dist)
def __init__(self, x: int, y: int, dist: int):
self.x = x
self.y = y
self.dist = dist
from typing import Tuple
from collections import deque
class Solution:
def inBoard(self, x: int, y: int) -> bool:
return (0 <= x < 8) and (0 <= y < 8)
def minKnightMoves(self, knight_pos: Tuple[int, int],
target_pos: Tuple[int, int]) -> int:
dirs = [
(1, 2),
(2, 1),
(-1, -2),
(-2, -1),
(-1, 2),
(2, -1),
(1, -2),
(-2, 1)
]
queue = deque()
queue.append(Cell(knight_pos[0], knight_pos[1], 0))
visited = [[False] * 8 for _ in range(8)]
visited[knight_pos[0]][knight_pos[1]] = True
while queue:
now = queue.popleft()
if (now.x, now.y) == target_pos:
return now.dist
for i in range(8):
next_x = now.x + dirs[i][0]
next_y = now.y + dirs[i][1]
if self.inBoard(next_x, next_y):
if not visited[next_x][next_y]:
visited[next_x][next_y] = True
queue.append(Cell(next_x, next_y, now.dist + 1))
# https://www.hackerrank.com/challenges/knightl-on-chessboard/problem
class Solution_hackerrank_mine_passall:
def knightlOnAChessboard(self, n: int):
out = [[0]*(n-1) for _ in range(n-1)]
for i in range(1, n):
for j in range(1, n):
if out[j-1][i-1] != 0: # output array is symmetric
out[i-1][j-1] = out[j-1][i-1]
else:
out[i-1][j-1] = makeMove(n, i, j)
return out
@staticmethod
def inBoard(n: int, x: int, y: int) -> bool:
return (0 <= x < n) and (0 <= y < n)
@staticmethod
def makeMove(n: int, a: int, b: int) -> int:
dirs = [
(a, b),
(b, a),
(-a, b),
(b, -a),
(a, -b),
(-b, a),
(-a, -b),
(-b, -a)
]
queue = deque()
queue.append(Cell(0, 0, 0))
visited = [[False] * n for _ in range(n)]
visited[0][0] = True
while queue:
now = queue.popleft()
if (now.x, now.y) == (n-1, n-1):
return now.dist
for i in range(8):
next_x = now.x + dirs[i][0]
next_y = now.y + dirs[i][1]
if inBoard(n, next_x, next_y):
# exploit symmetry of chess board (start from topleft, end at bottomright)
# ONLY works in this special problem! (not for the generic leetcode problem above)
# offers small speedup
if visited[next_y][next_x]:
visited[next_x][next_y] = True
if not visited[next_x][next_y]:
visited[next_x][next_y] = True
queue.append(Cell(next_x, next_y, now.dist + 1))
return -1
|
[
"linmin001@e.ntu.edu.sg"
] |
linmin001@e.ntu.edu.sg
|
a9999691c3e277bd3c41bb28c97ea2216afad0fb
|
508cd804441ce076b318df056153870d2fe52e1b
|
/sphere.py
|
e43689710948ecd61748515c08b01fe57e116aba
|
[] |
no_license
|
archibate/taichi_works
|
ffe80e6df27b7bcb3ce1c4b24e23ceeb0ac4ff8a
|
9aaae1de9fe53740030c6e24a0a57fc39d71dd71
|
refs/heads/master
| 2022-11-18T19:07:37.122093
| 2020-07-17T08:45:36
| 2020-07-17T08:45:36
| 276,714,718
| 5
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 4,284
|
py
|
import taichi as ti
import taichi_glsl as tl
import random, math
ti.init()#kernel_profiler=True)
dt = 0.01
kMaxParticles = 1024
kResolution = 512
kKernelSize = 16 / 512
kKernelFactor = 0.5 / kKernelSize**2
kGravity = tl.vec(0.0, -0.0)
kUseImage = False
kBackgroundColor = 0x112f41
kParticleColor = 0x068587
kBoundaryColor = 0xebaca2
kParticleDisplaySize = 0.2 * kKernelSize * kResolution
particle_pos = ti.Vector(2, ti.f32, kMaxParticles)
particle_vel = ti.Vector(2, ti.f32, kMaxParticles)
property_vel = ti.Vector(2, ti.f32, kMaxParticles)
property_density = ti.var(ti.f32, kMaxParticles)
property_force = ti.Vector(2, ti.f32, kMaxParticles)
n_particles = ti.var(ti.i32, ())
if kUseImage:
image = ti.Vector(3, ti.f32, (kResolution, kResolution))
@ti.func
def smooth(distance):
ret = 0.0
r2 = distance.norm_sqr()
if r2 < kKernelSize**2:
ret = ti.exp(-r2 * kKernelFactor)
return ret
@ti.func
def grad_smooth(distance):
ret = tl.vec2(0.0)
r2 = distance.norm_sqr()
if r2 < kKernelSize**2:
ret = (-2 * kKernelFactor) * distance * ti.exp(-r2 * kKernelFactor)
return ret
@ti.func
def alloc_particle():
ret = ti.atomic_add(n_particles[None], 1)
assert ret < kMaxParticles
return ret
@ti.kernel
def add_particle_at(mx: ti.f32, my: ti.f32, vx: ti.f32, vy: ti.f32):
id = alloc_particle()
particle_pos[id] = tl.vec(mx, my)
particle_vel[id] = tl.vec(vx, vy)
@ti.func
def preupdate(rho, rho_0=1000, gamma=7.0, c_0=20.0):
b = rho_0 * c_0**2 / gamma
return b * ((rho / rho_0) ** gamma - 1.0)
@ti.func
def update_property():
for i in range(n_particles[None]):
my_pos = particle_pos[i]
property_vel[i] = particle_vel[i]
property_density[i] = 1.0
for j in range(n_particles[None]):
w = smooth(my_pos - particle_pos[j])
property_vel[i] += w * particle_vel[j]
property_density[i] += w
property_vel[i] /= property_density[i]
for i in range(n_particles[None]):
my_pos = particle_pos[i]
property_force[i] = tl.vec2(0.0)
for j in range(n_particles[None]):
dw = grad_smooth(my_pos - particle_pos[j])
ds = particle_pos[j] - particle_pos[i]
dv = particle_vel[j] - particle_vel[i]
force = dw * property_density[j] * dv.dot(ds)
property_force[i] += force
@ti.kernel
def substep():
update_property()
for i in range(n_particles[None]):
gravity = (0.5 - particle_pos[i]) * 2.0
particle_vel[i] += gravity * dt
particle_vel[i] += property_force[i] * dt
particle_vel[i] = tl.boundReflect(particle_pos[i], particle_vel[i],
kKernelSize, 1 - kKernelSize, 0)
particle_pos[i] += particle_vel[i] * dt
particle_pressure[i] = preupdate(particle_density)
@ti.kernel
def update_image():
for i in ti.grouped(image):
image[i] = tl.vec3(0)
for i in range(n_particles[None]):
pos = particle_pos[i]
A = ti.floor(max(0, pos - kKernelSize)) * kResolution
B = ti.ceil(min(1, pos + kKernelSize + 1)) * kResolution
for pix in ti.grouped(ti.ndrange((A.x, B.x), (A.y, B.y))):
pix_pos = pix / kResolution
w = smooth(pix_pos - particle_pos[i])
image[pix].x += w
last_mouse = tl.vec2(0.0)
gui = ti.GUI('WCSPH', kResolution, background_color=kBackgroundColor)
while gui.running:
for e in gui.get_events():
if e.key == gui.ESCAPE:
gui.running = False
elif e.key == gui.LMB:
if e.type == gui.PRESS:
last_mouse = tl.vec(*gui.get_cursor_pos())
else:
mouse = tl.vec(*gui.get_cursor_pos())
diff = (mouse - last_mouse) * 2.0
add_particle_at(mouse.x, mouse.y, diff.x, diff.y)
elif e.key == 'r':
a = random.random() * math.tau
add_particle_at(math.cos(a) * 0.4 + 0.5, math.sin(a) * 0.4 + 0.5, 0, 0)
substep()
if kUseImage:
update_image()
gui.set_image(image)
else:
gui.circles(particle_pos.to_numpy()[:n_particles[None]],
radius=kParticleDisplaySize, color=kParticleColor)
gui.show()
|
[
"1931127624@qq.com"
] |
1931127624@qq.com
|
f15451932e3ba9e1a116e799caa28d8cafc0878c
|
28b0b8b51c81cf9e355919cd33937907c6b2ef9c
|
/src/pyvaillant/client_auth.py
|
b4576d3e428d15c6576ac911f9a18159b8312cbf
|
[
"MIT"
] |
permissive
|
bodiroga/vsmart2homie
|
99b4329d11b1bcc9de563eba8ee1678380b4c2f1
|
4a7db9cd6585ebccfc2bf164ca12873fcd36901b
|
refs/heads/master
| 2020-12-02T00:14:41.213023
| 2020-01-25T20:51:34
| 2020-01-25T20:51:34
| 230,826,105
| 3
| 1
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 3,771
|
py
|
# Python library for managing a Vaillant / Bulex MiGo Thermostat
# Based on the pyatmo library by Philippe Larduinat
# Revised July 2019
# Public domain source code
"""
This API provides access to the Vaillant / Bulex smart thermostat
This package can be used with Python3 applications
PythonAPI Vaillant/Bulex REST data access
"""
import logging
import time
from . import _BASE_URL, NoDevice, postRequest
LOG = logging.getLogger(__name__)
# Common definitions
_AUTH_REQ = _BASE_URL + "oauth2/token"
_WEBHOOK_URL_ADD = _BASE_URL + "api/addwebhook"
_WEBHOOK_URL_DROP = _BASE_URL + "api/dropwebhook"
_DEFAULT_SCOPE = "read_station read_camera access_camera read_thermostat write_thermostat read_presence access_presence"
_DEFAULT_APP_VERSION = "1.0.4.0"
_DEFAULT_USER_PREFIX = "vaillant"
class ClientAuth(object):
"""
Request authentication and keep access token available through token method. Renew it automatically if necessary
Args:
clientId (str): Application clientId delivered by Netatmo on dev.netatmo.com
clientSecret (str): Application Secret key delivered by Netatmo on dev.netatmo.com
username (str)
password (str)
scope (Optional[str]): Default value is 'read_station'
read_station: to retrieve weather station data (Getstationsdata, Getmeasure)
read_camera: to retrieve Welcome data (Gethomedata, Getcamerapicture)
access_camera: to access the camera, the videos and the live stream.
read_thermostat: to retrieve thermostat data (Getmeasure, Getthermostatsdata)
write_thermostat: to set up the thermostat (Syncschedule, Setthermpoint)
read_presence: to retrieve Presence data (Gethomedata, Getcamerapicture)
read_homecoach: to retrieve Home Coache data (Gethomecoachsdata)
access_presence: to access the live stream, any video stored on the SD card and to retrieve Presence's lightflood status
Several value can be used at the same time, ie: 'read_station read_camera'
"""
def __init__(
self, clientId, clientSecret, username, password, scope=_DEFAULT_SCOPE, app_version=_DEFAULT_APP_VERSION, user_prefix=_DEFAULT_USER_PREFIX
):
postParams = {
"grant_type": "password",
"client_id": clientId,
"client_secret": clientSecret,
"username": username,
"password": password,
"scope": scope,
}
if user_prefix:
postParams.update({"user_prefix": user_prefix})
if app_version:
postParams.update({"app_version": app_version})
resp = postRequest(_AUTH_REQ, postParams)
self._clientId = clientId
self._clientSecret = clientSecret
try:
self._accessToken = resp["access_token"]
except (KeyError):
LOG.error("Netatmo API returned %s", resp["error"])
raise NoDevice("Authentication against Netatmo API failed")
self.refreshToken = resp["refresh_token"]
self._scope = resp["scope"]
self.expiration = int(resp["expire_in"] + time.time() - 1800)
@property
def accessToken(self):
if self.expiration < time.time(): # Token should be renewed
postParams = {
"grant_type": "refresh_token",
"refresh_token": self.refreshToken,
"client_id": self._clientId,
"client_secret": self._clientSecret,
}
resp = postRequest(_AUTH_REQ, postParams)
self._accessToken = resp["access_token"]
self.refreshToken = resp["refresh_token"]
self.expiration = int(resp["expire_in"] + time.time() - 1800)
return self._accessToken
|
[
"riturrioz@gmail.com"
] |
riturrioz@gmail.com
|
82f8118697fc92a42d2c7448a0d8d17badaa4da5
|
17216898027c2b2ec895a3e266e920bcf63c618a
|
/setup.py
|
297dff8307bc2ef5086039d7eb9ca81b1d49b712
|
[
"MIT"
] |
permissive
|
Boolean263/python-markdown-latuni
|
2086444308af3263ef4010bd5fd2c5ca248ce89e
|
a88a6de1673b5e1c3b7eaf07d95c5a2799d544f2
|
refs/heads/master
| 2023-02-21T15:50:56.437850
| 2021-01-25T11:59:43
| 2021-01-25T11:59:43
| 261,772,125
| 2
| 1
|
MIT
| 2021-01-25T11:59:44
| 2020-05-06T13:47:43
|
Python
|
UTF-8
|
Python
| false
| false
| 2,658
|
py
|
#!/usr/bin/env python
# -*- coding: utf-8 -*-
#
# This was originally based on the wonderful example at
# https://github.com/navdeep-G/setup.py
# It's been changed since then, but that's still a good site to check out.
# Note: To use the 'upload' functionality of this file, you must:
# $ pipenv install twine --dev
import io
import os
import sys
from shutil import rmtree
from setuptools import find_packages, setup, Command
from mdx_latuni import __version__
with open("README.md", "r") as f:
long_description = f.read()
with open("TROVE.txt", "r") as f:
trove_classifiers = [x.rstrip() for x in f.readlines()
if x and x[0] != '#']
here = os.path.abspath(os.path.dirname(__file__))
class UploadCommand(Command):
"""Support setup.py upload."""
description = 'Build and publish the package.'
user_options = []
@staticmethod
def status(s):
"""Prints things in bold."""
print('\033[1m{0}\033[0m'.format(s))
def initialize_options(self):
pass
def finalize_options(self):
pass
def run(self):
try:
self.status('Removing previous builds…')
rmtree(os.path.join(here, 'dist'))
except OSError:
pass
self.status('Building Source and Wheel (universal) distribution…')
os.system('{0} setup.py sdist bdist_wheel --universal'.format(sys.executable))
self.status('Uploading the package to PyPI via Twine…')
os.system('twine upload dist/*')
self.status('Pushing git tags…')
os.system('git tag v{0}'.format(__version__))
os.system('git push --tags')
sys.exit()
# Where the magic happens:
setup(
name="python-markdown-latuni",
version=__version__,
description="Format markdown to unicode bold/italic/etc text",
long_description=long_description,
long_description_content_type='text/markdown',
author="David Perry",
author_email="boolean263@protonmail.com",
python_requires=">=3.6.0",
url='https://github.com/Boolean263/python-markdown-latuni',
# If the package has several modules:
#packages=find_packages(exclude=["tests", "*.tests", "*.tests.*", "tests.*"]),
# If the package is a single module:
py_modules=['mdx_latuni'],
entry_points={
'console_scripts': [
'md2latuni=mdx_latuni.__main__:main',
],
},
install_requires=[
'latuni',
'markdown',
],
include_package_data=True,
license='MIT',
classifiers=trove_classifiers,
# $ setup.py publish support.
cmdclass={
'upload': UploadCommand,
},
)
|
[
"d.perry@utoronto.ca"
] |
d.perry@utoronto.ca
|
6f92dc3b1e46aec56a6ea497917e884f922966d1
|
a23ec1e8470f87d1b3fa34b01506d6bdd63f6569
|
/algorithms/967. Numbers With Same Consecutive Differences.py
|
3750ace278b12334a762bdf37e95b48783d3f618
|
[] |
no_license
|
xiaohai0520/Algorithm
|
ae41d2137e085a30b2ac1034b8ea00e6c9de3ef1
|
96945ffadd893c1be60c3bde70e1f1cd51edd834
|
refs/heads/master
| 2023-04-14T17:41:21.918167
| 2021-04-20T13:57:09
| 2021-04-20T13:57:09
| 156,438,761
| 2
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 819
|
py
|
Dfs problem.
each time we add one digit, we make sure it satifiy the condition.
Code:
class Solution:
def numsSameConsecDiff(self, N, K):
"""
:type N: int
:type K: int
:rtype: List[int]
"""
if N == 1:
return [i for i in range(10)]
if K == 0:
return list(map(int,[str(i)*N for i in range(1,10)]))
res = []
def dfs(path,l):
if l == N:
res.append(path)
return
cur = path % 10
if cur + K < 10:
dfs(path * 10 + cur + K, l + 1)
if cur - K >= 0:
dfs(path * 10 + cur - K, l + 1)
for i in range(1,10):
dfs(i,1)
return res
|
[
"noreply@github.com"
] |
noreply@github.com
|
cfebfef778ac23b6285c76677175d328f20cb65a
|
2d5753c42f2c20e03be8a1cf5aeb2469c24263a1
|
/misc/LSTMTagger.py
|
19cba5f91f3757d1badc77e8c2bac6eefa22fcb4
|
[] |
no_license
|
jonathanhans31/seq-model
|
0c9ff91e888788e23b1f0f0565e93ac9efe78687
|
785f65d77c2e7d089e4d804f2136a2ccd417aa5e
|
refs/heads/master
| 2020-03-22T14:54:12.423105
| 2018-08-23T01:27:58
| 2018-08-23T01:27:58
| 140,213,792
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 1,386
|
py
|
import torch
import torch.nn as nn
import torch.nn.functional as F
import torch.optim as optim
class Model(nn.Module):
"""docstring for Model"""
def __init__(self, embedding_dim, hidden_dim, vocab_size, tagset_size):
super(Model, self).__init__()
self.hidden_dim = hidden_dim
self.word_embeddings = nn.Embedding(vocab_size, embedding_dim)
# The LSTM takes word embeddings as inputs and outputs hidden states with dimensionality hidden_dim
self.lstm = nn.LSTM(embedding_dim, hidden_dim)
# The linear layer that maps from hidden state space to tag space
self.hidden2tag = nn.Linear(hidden_dim, tagset_size)
self.hidden = self.init_hidden()
def init_hidden(self):
# The axes semantics are (num_layers, minibatch_size, hidden_dim)
return (torch.zeros(1, 1, self.hidden_dim),
torch.zeros(1, 1, self.hidden_dim))
def forward(self, sentence):
embeds = self.word_embeddings(sentence)
N_sequence = len(sentence)
inputs = embeds.view(N_sequence, 1, -1)
# Extract the feature in the sequence into lstm_out
lstm_out, self.hidden = self.lstm(inputs, self.hidden)
# Add a Linear Layer
tag_space = self.hidden2tag(lstm_out.view(N_sequence, -1))
tag_scores = F.log_softmax(tag_space, dim=1)
return tag_scores
|
[
"jonathanhans31@gmail.com"
] |
jonathanhans31@gmail.com
|
d75833b190a19259f80442cc1117191339c61d5b
|
1c1e4761a008868d3b071780fe5bdfd6325a6a8e
|
/whatsapp_web_bot.py
|
5e3de03530f5b739ddb68257aa810ed0f2ea1d04
|
[] |
no_license
|
dev-est/whatsapp_web_bot
|
8a368ef591a71ab44d1c1b90afddb393c8a4ce9f
|
cb115e68e4f5804d10bd736b0bd99d3a78e4cad7
|
refs/heads/master
| 2022-11-28T17:03:14.528441
| 2020-07-25T20:05:55
| 2020-07-25T20:05:55
| 282,511,695
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 1,457
|
py
|
import selenium
from selenium import webdriver
from selenium.webdriver.support.ui import WebDriverWait
from selenium.webdriver.common.by import By
from selenium.webdriver.support import expected_conditions as EC
from webdriver_manager.chrome import ChromeDriverManager
import time
class whatsapp:
def whatsapp_login(self):
chrome_options = webdriver.ChromeOptions()
chrome_options.add_argument("--window-size=1920,1080")
chrome_options.add_argument("user-data-dir=YOUR-DIRECTORY-HERE")
self.driver = webdriver.Chrome(ChromeDriverManager().install(),options=chrome_options)
base_url = "https://web.whatsapp.com/"
self.driver.get(base_url)
def whatsapp_message(self,name,message):
WebDriverWait(self.driver, 15).until(EC.presence_of_element_located((By.XPATH, f"//span[@title='{name}']"))).click()
self.driver.find_element_by_xpath('//*[@id="main"]/footer/div[1]/div[2]/div/div[2]').send_keys(message)
self.driver.find_element_by_xpath('//*[@id="main"]/footer/div[1]/div[3]/button').click()
def whatsapp_close(self):
self.driver.close()
if __name__ == "__main__":
#initialise login
whatsapp = whatsapp()
whatsapp.whatsapp_login()
receive = input("Who would you like to message? ")
message = input("Please enter your message ")
whatsapp.whatsapp_message(receive,message)
time.sleep(3)
whatsapp.whatsapp_close()
|
[
"devrishi.sagar@gmail.com"
] |
devrishi.sagar@gmail.com
|
6aec8a5f6568461bf58c30842b564a52615b417d
|
1a2ef374bca08dd879f9798bccfa8005cb7e08be
|
/apps/Configuration/migrations/0001_initial.py
|
ef159af27810426ac954b8ed169f716e9017eb50
|
[] |
no_license
|
littleyunyun16/Auto_test_platform
|
ee9abe9d17dc60a28a46b29e019e4dbc6cc05cb4
|
fc10379b832e5d52b14c5f03c67f76d8dc985191
|
refs/heads/master
| 2023-02-25T19:39:48.890230
| 2021-01-28T15:09:10
| 2021-01-28T15:09:10
| 333,119,849
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 893
|
py
|
# Generated by Django 3.1.3 on 2021-01-28 14:48
from django.conf import settings
from django.db import migrations, models
import django.db.models.deletion
class Migration(migrations.Migration):
initial = True
dependencies = [
migrations.swappable_dependency(settings.AUTH_USER_MODEL),
]
operations = [
migrations.CreateModel(
name='UserPower',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('power', models.CharField(max_length=255)),
('user', models.ForeignKey(null=True, on_delete=django.db.models.deletion.CASCADE, to=settings.AUTH_USER_MODEL)),
],
options={
'verbose_name': '用户权限',
'verbose_name_plural': '用户权限',
},
),
]
|
[
"1563115157@qq.com"
] |
1563115157@qq.com
|
3f933be9bb65ede470247841a0737d4ef523395d
|
8d8c276f32dbc3917bb64fc5d1d0e83e5c4884ce
|
/interviewBit/math/primeSum.py
|
844de1eb6c7c84cd983b9f2a7e18096b5f4e2c98
|
[] |
no_license
|
UddhavNavneeth/DSA-practice
|
a29b1ca27d72a1af36fb9e4d2e515ac00c99eb38
|
9f7d03145a8f026420a7e4672098f7c7a0361570
|
refs/heads/master
| 2021-06-22T08:09:08.590179
| 2021-03-12T07:11:10
| 2021-03-12T07:11:10
| 204,329,462
| 3
| 3
| null | 2020-10-01T07:06:15
| 2019-08-25T17:47:34
|
Java
|
UTF-8
|
Python
| false
| false
| 535
|
py
|
# Link to the question:
# https://www.interviewbit.com/problems/prime-sum/
def isPrime(a):
for i in range(2,int(math.sqrt(a))+1):
if a%i==0:
return False
return True
class Solution:
# @param A : integer
# @return a list of integers
def primesum(self, A):
ans=[]
for i in range(2,A//2+1):
if (isPrime(i) and isPrime(A-i)):
ans.append(i)
ans.append(A-i)
break
return ans
|
[
"uddhav.navneeth@gmail.com"
] |
uddhav.navneeth@gmail.com
|
fd340134c630935c8dff1c7e83d8d2b1a4bd61dc
|
fcdfe976c9ed60b18def889692a17dc18a8dd6d7
|
/python/qt/close_dialog.py
|
732b8043635aa9a35802bd6867ad50d908c18473
|
[] |
no_license
|
akihikoy/ay_test
|
4907470889c9bda11cdc84e8231ef3156fda8bd7
|
a24dfb720960bfedb94be3b4d147e37616e7f39a
|
refs/heads/master
| 2023-09-02T19:24:47.832392
| 2023-08-27T06:45:20
| 2023-08-27T06:45:20
| 181,903,332
| 6
| 3
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 1,098
|
py
|
#!/usr/bin/python
#\file close_dialog.py
#\brief certain python script
#\author Akihiko Yamaguchi, info@akihikoy.net
#\version 0.1
#\date Apr.01, 2017
# http://stackoverflow.com/questions/14834494/pyqt-clicking-x-doesnt-trigger-closeevent
import sys
from PyQt4 import QtGui, QtCore, uic
class MainWindow(QtGui.QWidget):
def __init__(self):
QtGui.QWidget.__init__(self)
# Set window size.
self.resize(320, 240)
# Set window title
self.setWindowTitle("Hello World!")
# Add a button
btn= QtGui.QPushButton('Hello World!', self)
btn.setToolTip('Click to quit!')
btn.clicked.connect(self.close)
btn.resize(btn.sizeHint())
btn.move(100, 80)
def closeEvent(self, event):
print("event")
reply = QtGui.QMessageBox.question(self, 'Message',
"Are you sure to quit?", QtGui.QMessageBox.Yes, QtGui.QMessageBox.No)
if reply == QtGui.QMessageBox.Yes:
event.accept()
else:
event.ignore()
if __name__ == "__main__":
app = QtGui.QApplication(sys.argv)
win = MainWindow()
win.show()
sys.exit(app.exec_())
|
[
"info@akihikoy.net"
] |
info@akihikoy.net
|
b9968479d3d506d21dff4da4876d0a85ef697e4a
|
15fca27f60ab7fd42fe21511da4f18f2dae51bc7
|
/applications/ks/ksData.py
|
8f3f11e57526eb15c59cd87c40677d2638a8d3ed
|
[] |
no_license
|
dingxiong/research
|
1bae45c54a0804c0a3fd4daccd4e8865b9ebebec
|
b7e82bec1cf7b23cfa840f3cb305a2682164d2f3
|
refs/heads/master
| 2021-03-13T01:50:57.594455
| 2017-08-30T06:42:46
| 2017-08-30T06:42:46
| 38,164,867
| 2
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 219
|
py
|
from ksHelp import *
case = 10
if case == 10:
ksp = KSplot()
fileName = '../../data/Ruslan/ks22h1t120.h5'
a, T, nstp, theta, err = ksp.readPO(fileName, ksp.toStr('ppo', 1), False, hasNstp=False)
|
[
"dingxiong203@gmail.com"
] |
dingxiong203@gmail.com
|
4852b83b2264cd75b2dfc36bc578fc47b1f9e399
|
cf5efed6bc1e9bd27f94663d2443c6bdd1cb472a
|
/1-pack_web_static.py
|
1688b66bfe9161d9b0827db23d9332f8638567fd
|
[] |
no_license
|
yulyzulu/AirBnB_clone_v2
|
593db702ede02ac17b6883b3e99b6e1eb36a33ee
|
1a40aec60996dc98ad9ff45f5e1224816ff6735b
|
refs/heads/master
| 2021-05-25T15:33:22.100621
| 2020-04-23T23:23:25
| 2020-04-23T23:23:25
| 253,810,650
| 0
| 0
| null | 2020-04-07T14:02:36
| 2020-04-07T14:02:35
| null |
UTF-8
|
Python
| false
| false
| 682
|
py
|
#!/usr/bin/python3
"""Module that execute functions"""
from fabric.api import local
from fabric.decorators import runs_once
from datetime import datetime
from os.path import getsize
@runs_once
def do_pack():
local("mkdir -p versions")
date_time = datetime.now().strftime("%Y%m%d%H%M%S")
command = local("tar -cvzf versions/web_static_{}.tgz ./web_stat\
ic".format(date_time))
if command.succeeded:
size = getsize('versions/web_static_{}.tgz'.format(date_time))
print("web_static packed: versions/web_static_{}.tgz -> {}Byt\
es".format(date_time, size))
return ('versions/web_static_{}.tgz'.format(date_time))
else:
return None
|
[
"yulyzulu05@gmail.com"
] |
yulyzulu05@gmail.com
|
c97b9d3e3131f7d9ab9e546f82002586e0c0d257
|
bd2900b3a3e77d3cf1f123ae2b5845391660b159
|
/tests/test_basic_elements.py
|
59559ec035ec12929a655847d089354b17424daf
|
[] |
no_license
|
YakunAlex/MIPT-testing-e2e
|
7c87245cf3ff48e9abd31fbc31842e135fe83a9e
|
64ee524cfa6bc5dc542a9f4319d75997589d5294
|
refs/heads/master
| 2022-07-31T00:19:43.570947
| 2020-05-21T20:08:56
| 2020-05-21T20:08:56
| null | 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 224
|
py
|
from pages.main_page import MainPage
def test_basic_elements(browser_is_opened):
main_page = MainPage(*browser_is_opened)
assert main_page.check_news_banner_exit()
assert main_page.check_sponsors_notes_exist()
|
[
"ihatecapslook@gmail.com"
] |
ihatecapslook@gmail.com
|
6e49e63174591b977f3dedd690bd4266cfc1453c
|
9ba9491d26187838dd318f07e17abdc6ccb48c64
|
/core/templatetags/extras.py
|
140ab3e208fd8520fd27c0b61a95fd2da405a3b2
|
[
"Apache-2.0"
] |
permissive
|
bugulin/gymgeek-web
|
dc4cfa819b6d13f306605d69ef0c0977768f0868
|
1def491392add2526fb0e8a53098d49ad2fdf983
|
refs/heads/master
| 2021-07-11T04:23:36.341115
| 2017-12-18T15:18:04
| 2017-12-18T15:18:04
| 95,215,550
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 428
|
py
|
from django import template
from django.template.defaultfilters import stringfilter
from django.utils.safestring import mark_safe
from docutils.core import publish_parts
register = template.Library()
@register.filter(name='rst')
@stringfilter
def rst_to_html5(text):
parts = publish_parts(text, writer_name='html5', settings_overrides={'initial_header_level': 2})
return mark_safe(parts['html_title'] + parts['body'])
|
[
"petriczech12@gmail.com"
] |
petriczech12@gmail.com
|
bb86d0390075919840304aeeec10106cc7c997ee
|
3a0ec993dc97c485c394fd17faac6e03627abec3
|
/client/icons.py
|
32b19e107b9f62b5a2430dd995a44d1f2d2a8382
|
[] |
no_license
|
hileamlakB/tuxcut
|
c49317bf8b02b9978caaee14a08debafbca3f191
|
a963f4fc64bac0935acef11f17f05f0aafada701
|
refs/heads/master
| 2022-12-10T15:20:15.301280
| 2020-08-27T11:57:00
| 2020-08-27T11:57:00
| 290,762,337
| 0
| 0
| null | 2020-08-27T11:54:15
| 2020-08-27T11:54:15
| null |
UTF-8
|
Python
| false
| false
| 20,527
|
py
|
#----------------------------------------------------------------------
# This file was generated by /home/ahmed/.virtualenvs/TuxCut/bin/img2py
#
from wx.lib.embeddedimage import PyEmbeddedImage
alias_32 = PyEmbeddedImage(
b'iVBORw0KGgoAAAANSUhEUgAAACAAAAAgCAYAAABzenr0AAAABmJLR0QA/wD/AP+gvaeTAAAA'
b'CXBIWXMAAA3XAAAN1wFCKJt4AAAAB3RJTUUH4QsMDi4LuoERgAAABE9JREFUWMPllW1MG3Uc'
b'x7937R2Uuz7QByktYAtjYqEtPjFnYpkxi8kijhcmxr1QEvcCcEhi9I3GxARnssS98aUvzNT5'
b'YhsvNDMx2WIUUMi2IsaFdXSkJ7Rot+FqHyi0/K/1zXW5HG2Bpiwm/pNv/pfL3e/z/d/v4YD/'
b'+1LtNWD0+dGGgy3e1zxm2x+zfwXTD9TAwIFj7c80d10//FTvUQtnG3E1dRh+Wvjl8gMxMHDg'
b'WPtzbT3+Q0/36sxmC93Z4WLojXxPh3mf+4fg1IW9NmB50u6+cqjnWbOmphYWkwWxWAwmo0nF'
b'gmlv0Jj+nhb8fgCg9wButlqtM46XXNaruiDoLi3mgzeQy+XAsiw8j3axXbaOjwsPV9uA2W63'
b'zw4ODrYaDAbK5/Ph0q0J/Lwxh3vJGCiKQjKVghoqpvCCuopwA03TE0NDQ82NjY2Uw+HAysoK'
b'NBoN8rY8VsU4qCiF4GIwe2Vp7lS1a8AAYNbr9e5PpVJUX18fIpEIYrEYOI4DTdO4OPk9LHHt'
b'5sTizMlPpz4fq6YBA4DZ7u7uVo7jYDabMT4+jkwmA5fLhXg8jrm5OUzPzCRWbq+8f+ba+VPV'
b'bEMDAL/X623leZ5qbm5GKBRCNptFOp2G0+lEIBDA5ORkfDm8fOK35fnPlAGoasA5jqNaWloQ'
b'CoWwubkJnuehVquxsbGBaDQaEwRhEMD5YkGoasM5jgPDMIhEIhAEIUEIOQ7gQqlAlbShHoDf'
b'4/EUhbMsi0gkglAolCKEDJeDV2LgPpzn+aLwcDgMQRBSoigOAfh6u4B0BfC2wskFQSgKJ4QM'
b'ATi7k6D0buBut7uN4zjK4XBAEARks9li8OGdwndqYAu80GpF4G8C+Go3Od2uC3QAZgtwp9O5'
b'HfzL3VZ0uS/AAbjW2dlZEi61WooQcqISeMmf0XujDzXcWsrP317Vm7JEC6fTuSXnslYbAfBF'
b'pdOsqIH+/n0f2Zv7jdE/f89MTQdU574NqTOZkvAzinRSMslXXlKu7L/Af/GJOo3edNra8np9'
b'valD3WTTigz8WFzS0jU1tXL4W9LJaZlUktSKnZaZypWtAdrAjBgbjthEkoBIEtDX25neQz7x'
b'Mdc9Eg6HC/C3pWpXS2IksQBqpL0gRvYcXbYI8x+CZlTcGxy/nxVJAqKYgEiSsDY0sZ4uNh8O'
b'C2uEkHclOKMAyYGMDEgr0lO6Bn71eV/W63qsopi8D8+RBFKpu2AYbOr5/Nj6Os5KIKpM8Lwi'
b'56K050oZoADg+k2MvfiIR1uAr94J5oIL/mgymQwsLKx+EL1LAtLpqBLAnOI6J7tX1gBeOWoc'
b'GH7nRvs/6UvwHVSvL9y8urqWSn93+cc7p899E48pilYJyxeBKU1Btm+ZhnR7GxfnOSbX5qxb'
b'++Tkw8ebmmAEUA/AKFO9NJp1ALTSsNIAqFUUnLLyy4/jvhf0j3e7OeHIYd2rUlCtBJJLB4AH'
b'UCdBayoF/qfWv8xJDtuX61LtAAAAAElFTkSuQmCC')
#----------------------------------------------------------------------
cut_32 = PyEmbeddedImage(
b'iVBORw0KGgoAAAANSUhEUgAAACAAAAAgCAYAAABzenr0AAAABmJLR0QA/wD/AP+gvaeTAAAA'
b'CXBIWXMAAA3XAAAN1wFCKJt4AAAAB3RJTUUH4QsMDjABjhXHQQAABklJREFUWMO9lltsFNcd'
b'xv9nLt6dmZ3Z2V0v6128xBcUOzgQ25uQmCqEIipEK/JQKVHUh0q9SEhJH4pbIVjRZNMiHAuH'
b'Vm1TlYaoqaqi1jw0TVo1RK1ICUmKzS4QTNQYsBdf8GUvszuXnd25nNOH1FYUpcWLnX6Po29G'
b'v/Od7/zPANxBqVTKe+zYwE5YoQYGBlqGho7cs1I/dSdDKBz4Lsdzrw0ODjav5IP+oPAyL8qv'
b'rwnA8PAwzTLMN760a7fok7gXV7D6jeFQuKu9tT0+9JOh7asGuDVz8/GOjs6YIPig5Z6WnXdK'
b'QZKFoZ7uRPS+zk0BkecHVg0gCNLXW1tafRgT6Nq0ufF/pXDk+JH1AVl+0OPxAsYEmpqiGwkh'
b'aFUAruOMq1oZI4SAomiIx+Nf/G8pBDh5MNGbWO+6GAAA8oXFMkKIrArAsZSBTObSDMPQAACw'
b'5f7usOjnhz7tO3r0aEj0+R7leREwxqCqJdcwzFdXvQX796dKqqb9pVDILacQjcZ2fDoFSfb9'
b'KJHobXYcFxBCkL6UnnYs/OM1OYaOpRxOZzLLKTywpSci+n3LKQwODoo+QdjjEyQKYwzVagXr'
b'uj7c399vrglAf3+qqOnqm4VCHiOEgKEZCIdDjy2lwAveQ93dPXHHcQEAYGR0ZNaxlIE1G0QA'
b'AGrJSKYzF2eXUkj0bm0S/b6hVCrl5TjvU7I/SBNCwHYsohvam/v3p0prCpBMJgtaxfirUlIw'
b'AABDMxAKBbbLAfm5np5Es23bAACQyVy8bWjVZ6EOUSs1qkUtOTJyYZZlGcAYw0OJh6MeD/ud'
b'UDDEEkKAEAyKUnrvwIED858LQDKZLOiGdkbVtI8POiBoDIeEclkFhAAuX0nPqWX9ANQpqh6z'
b'WjIOXhh5b5amacAYQ/cDCXT9xjhQFAX5fP7SoUOHsp8rQDKZLGiq+lalYhDLtoChGSCAIXM5'
b'ky+XlLpXXzcAAIA1vvCDC/84C67rgG1b0NOdgNziIj548Nlr/xcAcfzqIDU5gQjGkDt3Hi4d'
b'fh7Y354O/3z33t67AaDrMR/v6+P8lj3U6Zj+iakpuP3GGehgHYjwLCrnlchrs9N/qBfgjtfl'
b'Kx1fEBuauBc4v/iYU7MDsluNRCUvPVHQcuWK/X5HRNrLNzBoLKeXWH9gHgGpVlTt1clzf/9Z'
b'CgCvCuBEYlt7KNb0t/a22AahgaUIIZCdy4OzMGctqJXf26510O8RRoMSt56LxyHi9wEgBEWj'
b'ak5cv/WBVlzYuS+drtxVB17q2uGTI41n7muLtoDrwI3phYXFourGw34oE8aa4j3f2pdOz1Xs'
b'2q8Nr4DXiRxk5/Nudr6QE1mK67x3w4OCFPzjXZdQCqAX25ojLYZZrY5du3n29tXJTdmbt8Zc'
b'2wGvIJSfe/ttFwDAcsifJIHHBUWH2evZsRtXPnz06nh2nAWgY/How6888sjjdQO81LXDx8vS'
b'lzma0DcnZiY9jfLub197v1irmadMswYICHr+P9uHgRYYCqyybuCq5Zx4+oOLHxXyi7uuT8/P'
b'NQkNfk6Qflg3QANvfyUi8+FFRdfLpdL3nzx92gUA8DBshAIMjm3bSwWjwC3Zll310FQFAXUN'
b'AOCZ0dFpraj82axZIPiEdScSica6ADxedgdPUZ68ouaDrRvOLJtpzy4OATiWtVwsk1i3dKNS'
b'lVjaJ/DM15ae63rlF/mSUZQ8rIRd9v76OoAhTBEMbq1mLK3+lz3btvtFb8wwq8Qya2eXf9su'
b'Xy7p5UrOQwE0cN49J7v6gh9f2XjSNGtVmmAvASzXB0AwYNcBBOAdfuIJ+uUtW1tF0fubuN/b'
b'OJ0rzel25YVP2mt29diComttIamZ9bNvHO/r4whm1jOAWYxdTLEUVReAYztvqUbNjgWEWHUu'
b'd0UOiuc6o3KLolZMTTWHnxkdnf6k/5v/fPfUTK74LyCYurcpuDXCcGOiwL/eJHrCRUUrIGxf'
b'rAvArDScmlpQZkQacd0xuatjndis6qaZXVTOZy+8873PmGbE1qy9H04tjgN26M1RqW1zzN/u'
b'WDYpm9WP9qXTU3VPwl89tK27AaHfeRoYyXacmu3i02JL8+GlTnyWTnb1BRkBTrIM04soRNds'
b'+4ZZob/69NXzCtytjvf1cfW+kwKgfrpxj2cl3n8DvarlTOUwVg8AAAAASUVORK5CYII=')
#----------------------------------------------------------------------
exit_32 = PyEmbeddedImage(
b'iVBORw0KGgoAAAANSUhEUgAAACAAAAAgCAYAAABzenr0AAAABmJLR0QA/wD/AP+gvaeTAAAA'
b'CXBIWXMAAA3XAAAN1wFCKJt4AAAAB3RJTUUH4QsMDjAnXBhCvAAABidJREFUWMPtl12MXVUV'
b'x39rnzvDTNuI08YM1kJpoU5rpyQi0giNxmDEF3wgKjwYKBKIiYmPEAUlakw0MRgT5EFMiCQN'
b'iTwYU6OARkq0MVAJKU2n1TElnbGttB3S25k7955z9lrLh33uuee2M+XBB17cyco+n2v99399'
b'7Q3/H+/zkObN7J6Pfc1FHmiJZMNv5T3UOHi6svrR8AMH3C0S5NmP/nXm2cs0z9y2Y3p8840H'
b'rpqa3iBBCEGQECCAZAEJAUEGfzi4G26OazXXYlj/uTqmmmYHmzu+ULwz95mdB2eOArRqwGrb'
b'W9dt2ZAfO0IIQmgFwkgLaWWEVoa0MgiCiFTG+wYUj4qVESsVU8PVsFiJauPaWDO9YwOn3t4B'
b'DANQz0TcB8ZHRwijrQRipJVAZAEkUeCWDHllmCDpXRkxQBzEHfGABEeCIAZujnpWM18DKBTM'
b'HcmEMJIRRloJwOhIkpHEgoSQGDDl6KlzWFSmrl43cLQld0iQYZEE0M0pdBA9AwZI6IIIkmVI'
b'KyT6h4C0kCwDdywqm7/xLdydsO/nuBqiIf2rhojUgqTYERHcjIb9BgAFV60/RgSRRLmEgGQB'
b'C4FFjawfHwNgctsOANrVCs/3cj4okuJUBiGe7ivXqaMNBGGYAUvpk3IGd0+zGWfbSxxcEv5z'
b'w27OtZfx2NBizhmF7p1383q2lsUyVjoGnumnpVtcmYFCQc3J3KvIzvBMsSCcX+5xYfcdfOGe'
b'+xAR2gvz6Om363y0GPnwjpv40D1f5ea7v8Kff/xDNr75GuNIvYh+5qgOx0CDgQyPVb6WVVoV'
b'JUW34N2du7n13vuxsqCz/3n0xD/R5bxeouWRePgQ7d/+mtBq8blvP8GpbTtTLehLBcRUUbIV'
b'AChoTHls0bCixPKSecv45P0P4aosPvMky6+8iC73iMv5wAN5gfUKLr6wj/O/eAoJgT2PPs47'
b'HlK6NoBYtCvEQOwXDcVKRfOStZ/+PNnIKOde2k/38JvETo/Y6aHLvYpW0G6BFhGLxtKfXuLc'
b'Xw6wZmKCq+64E1NPi1KrrnUoBkIzBmIZk/FoaKloqUx+4lYA4isvE7s5upwnBro5HkuIJVpW'
b'gKNiUens/w0A19y+B4taVcwkWurqdSBWiupCosbVGz9CLHKKkyfrVOo3m3d/+qPEQBmrnpAy'
b'RmeO46qs37KVC7EqzZVojKvXAatWLY1KFrIMV6PII1mQoQa4+Mbfwaq+0GhEUUtiWTIyPlb3'
b'gGZ/0JUZyGraQx+ACMtnz/KBa69lYXScDZ2l4W5YMdGP8j6IC+NrGRkb4+L8fHJpA4AWq2RB'
b'oRDzMrFQRLSIxDLSfutwioGP30IsNCkotLqO9X1T4s23pAp55EgVH4aWCUAs4mp1IKVhn4W+'
b'svzlPwIwfd9eTuYlMY/EPAHUPBKLiJYVkFI5WUR2PfggAJ3f/aF2q0UlRqMwXzkLVEHzcrCS'
b'ionFv73GwuuHmNi0iU2PPMq/Fjs1QzrEQmR2qcPmxx9jw/WbWTj0Bu1XDyY9Ucmj0zXIC10t'
b'BqhXI5ICMDUkOPXE91i37zl23XUXaybWc+D7P2DN/DzrQvJlO0byLdfz2e9+h623fYrewgJz'
b'jzxGLJXoUDqUluYi6mq9IKNXOqOlkVWtU6q5O3eKf+x9mBuf/hk37LmdrS/+njNHZzg7O4uE'
b'wOTUFJPbpxAROnPzHHv4m1ycP0N0aindE4joFJqtzEC3NDJNfsnECQKBNJfHZzn8xS+z6aEH'
b'mLz3S2zcNc3GXdO1ot7Zc5x+/gVO/PI5ik4XdYjuaMVArFiI8Qr7gW4RITqZQBAhUO20+u29'
b'3aH9k6eYefJp1k1tY+yaSdydzr9Pc3H2BGqOkYxqZVSbLBjYlWKgGx2rtnf9lQcaexQGXy8e'
b'OY4fOZ52YVVNsMqgQg2iBmBpJvpg637pfqBTKmWsAFTGhxgYLoR1MbJqv2GVYfMVAFQukTIS'
b'TC4H0NXYDmXWKQlrg3u98iYDzYOEN84fxoABqxgYgPABCAJZ9CV3u3DpwSSMwXVfn7jpV6Mh'
b'bBeXAB4uKxYrDOMSVmiehJrPxdzdSuzYMxfe2tuDOcBkhaPa6HvY/F+GAcUlWN/f8V9nqN2Y'
b'CXQVoAAAAABJRU5ErkJggg==')
#----------------------------------------------------------------------
mac_32 = PyEmbeddedImage(
b'iVBORw0KGgoAAAANSUhEUgAAACAAAAAgCAYAAABzenr0AAAABmJLR0QA/wD/AP+gvaeTAAAA'
b'CXBIWXMAAA3XAAAN1wFCKJt4AAAAB3RJTUUH4QsMDjEFkGMyGQAABFFJREFUWMPtlk1vW0UU'
b'hp+5X3Zsp4nTJE2/kEigtCChqggJFqxZsYMfwI6PLoD2B/EbWIY9Eipi0aRpUoLdKG0TO40T'
b'O65v7secw2KuYycFiSUSOdLRzPXMPX7nPec9c+Hczu3czu3/bubmR5OfzS/M/VirTSYAxhhU'
b'9WSDIsVEUecqyskeVQsKYt0+qxYAsaKqiqKIKkjxPoqqkCRZOY2zLwM1Wr7z4e2Z3O8yBEAR'
b'XCiAiCIoWgQRFVBFBEQFEXHBrVtTUUQEUUVFEFFE3B9bEVSEQS/n+dO9cgAQBj4vj9oYA2/N'
b'ZgBs7ocjFhRQWLqYsj/wUFU6fb9gxLExM2FRD2Yqlo1WUIBlyBo35i2qyvqOe8/3PQACADwP'
b'UcOLh2W6UQUM9DN443YCngvU/iNk+7cqimI8uLgYU5q0oEp8EPHoYckxiCGaTrhwOXYsZR6d'
b'Zo1fn/gooL5l6noXjI4AiM0JjwxXpt6mWiljrYWDDv7RFvmkslC17PTmubW4SJomWGvZfbHB'
b'5Ts9VJWXa1Xev/EByXGCqLC5/SfXbr5i+9BQzUNqszdP4u519qnogA7pCECWZagFz/c4PDzE'
b'GIMxHjaHPBNXYOoxGLwijmMmJioupwXNiMHmlm6vS6lUAsywgkHPxvWBUaF7QwAzFTklD8/z'
b'qJeFPBMWJmwRrZCOgXKgTJeFetlSCsdkZQxGDVcvuMKbrfFa3LkaqMiIgSRNCK2e1icGFSXP'
b'LWLdSY0xY0oByYc60VMAgEIJnJI0BTcK5OMA0jSj1VPCsSBqlFZPyUNhq6Nn2wdxqrScconT'
b'15bZ2lfEQrurROPgDLS6guZ2jIEkxRS6rddnEBE63QPECjmCzV0yq9UaURSdSFPskAEhjELq'
b'03WXHxQris1dEzobV0XPMpDwyh4T76wzXXEUHsaWaiXBiNLYg8Rvs/LkCFXFoISzPXY7xdEm'
b'+/y+9gAweAbMxIBmW1CFAxsTt9fx1QcgJ6M8F590TgcgSRGxlObbvHnNLTx+7lRAkdNw6pBb'
b'tzq87LvnvZ4hz9z5TRhz/cYAVZibVNaee+RZURsK0WyLd6+4Nrz2zGAtiIz1geMkwQ9dBTze'
b'tuQ2h+EdYEapXd0aFdypqlDY2XfT9oHnWnDRPoc1uLIFiro7BZCi6AOj5nh/92DfD4JjPKI3'
b'rlfnrtYHNNsRi5dSGu2IpUspjVbxvBuxuODGpYWUzd3i91bE0nzKg82QwWH67J9uPx1WjeiE'
b'UXN8avG9T6Z++eaHWV352dO792bceH9GV5aN3r1f15Vlo19/X9eVZfSr76Z1ZRn99t7p8c6n'
b's/rOx7Uv/u117I/Ng4vXSp8PBrbW2PGyh5v0Vpt+ut7kaPVpkKw36a82g3S9Sf/R0yDdaJr+'
b'o60g2dyi39gN0rUGR42dIG1sa2xT/anzIt04m6m//R4YBwBEQKnwcMyDAqw3yjoC5IVnhaeF'
b'J8Uo559c5/aft78AszLoqEWuw/sAAAAASUVORK5CYII=')
#----------------------------------------------------------------------
ninja_32 = PyEmbeddedImage(
b'iVBORw0KGgoAAAANSUhEUgAAACAAAAAgCAYAAABzenr0AAAABGdBTUEAALGPC/xhBQAAACBj'
b'SFJNAAB6JgAAgIQAAPoAAACA6AAAdTAAAOpgAAA6mAAAF3CculE8AAAABmJLR0QA/wD/AP+g'
b'vaeTAAAACXBIWXMAAA7EAAAOxAGVKw4bAAAAB3RJTUUH4QUCDQEJGzo/ygAAB7hJREFUWMPF'
b'V1tsE9kZ/s6Mx7HHjh0b4thZAVoRCIlAqkrKLjdtdqnkFWqAEDZiy60I2AeQeKhU9aWqtvvS'
b't6JuVVDRSgja7XJpQVGEqLaVaKtIIQssYC4hhKhJILFjPMZ25uKZOZc+hGQDhJCtKu0vzcvM'
b'+c/3ne985//PAN9xkG8zeP/+H6PCK5OcZqiU8pAQwg8AhBDL45FK8+cFTNth4rPP/vz/I7B3'
b'73YkEiH09WXjjPF1nItmxvgKznlcCK5OEJBMSZIysizdliTyT1mWuurrY5l0uoQTJ07/bwQO'
b'H96L3t40QiFfDaVsp+uyXeVyudE0TcU0TbiuC8YYAECWZSiKAlVVoaqq6/P57imK/EePR/5T'
b'qVQea2hI4NNPT8ydwIcftiEc9pNMpvSu67JPDMNYnc/nJV3XQSmFEGLmyQiBx+NBMBhENBrl'
b'gUCgW1HkX8bj4cvFoim++OKvL+XIL774oH0rFK8ia5q+x7bdo7lcrjGTyRDDMKaACSEzPgDA'
b'OYdlWdB1nQghFnq9FUnLcjWfv+J2/bJ6ce9u76sJbN/ehrd/sJA86M/uKZed36TT6fm5XA5C'
b'iCmAORmLEHDOYRgGXNcN+v3qO5zxzLo1b96KRN/AnTu9LxP46KNdyGaLGBktbbBt9/fpdHp+'
b'sVhEIBCA67pzBp8eqqpC13W4rutT1cBbI6OlG4Zh/+e9997G9espAIA0OTibLcLv99a4LvtY'
b'07R4oVAAIQQbN25EbW0tOOdzBuaco6amBslkEoQQFAoFaJoWd132sd/vrck+KU2NlQBgz+5t'
b'GBvTQSnfaRjGWk3TAACUUjx69Aitra3w+XyvNN/0EELA5/OhtbUVo6OjoJQCADRNg2EYaynl'
b'O8cyOvbs3vYNgdK4g0SiMkEp25XP58mk5JIk4cqVK8hkMti0adOcfEAIwZYtW/DkyRP09PRA'
b'kiZEdl0X+XyeUMp2JRKVidK4M4Fx+PAHcBwGxvi6crncqOv6c0BCCHR2dmLevHlobm6edSs4'
b'59iwYQOi0Sg6OzufU4wQAl3XUS6XGxnj6xyH4fDhdkia5uLixS5wLppN01QmJZueaNs2zpw5'
b'g6amJqxcuXKqAE0PxhhWrVqFpqYmnD59GrZtv6QYpRSmaSqci+aLF7ugaQ7kJUvq0NCwKEgp'
b'/6mmaYssy3opkRAC0zTx+PFjtLe3I5vNIpvNTsnLGMPy5cuxdetWnDp1CplMZurbi/7weDwI'
b'hSrLK1a8eY5S7kiMCTAmwpzzxGzHTZIkDA4O4vz589ixYwfq6urAGANjDHV1ddixYwfOnTuH'
b'wcHBGcEnw3VdcM4TjPEwYwKeZ9ukci7UmaSdHrIsI5VKIRgMYv/+/Th27BiEEDhw4AA6OjqQ'
b'SqUgy/KsczDGwLlQhYAKAJ5JaeYasiyju7sbXq8X+/btg8/nw6VLl9Dd3f1a8Be3gxACD+cM'
b'QgiLEGLNdQIhBIaHh1FTUwPbtjE0NDTnRciyDEKIxTmzCCGQXNeB6zolSSIZRVFeOwFjDI2N'
b'jTh48CDOnj2LCxcu4NChQ2hsbMTrthAAFEWBJJGM6zol17UhBwIV6O295ixcuPQtSulKXddn'
b'Zb9+/Xq0tLSgo6MDXV1dGBwcRKlUQltbGzjnGBkZmbVdR6NRqKr6t56ev5+XJB/kbFZDS0s7'
b'HKccJkTaVCqVpJmKDeccyWQSu3fvxsmTJ3H16tVJOTE8PIxisYiDBw/CNE309/fPWDU9Hg+q'
b'q6upxyP9tqHh+6nLl/890Q0XLKiF4zjFioqK923bjk2vBZNmaWlpwerVq3HkyBHcv3//uaMm'
b'SRIymQxu3ryJzZs3IxgM4sGDB8+1cSEEwuEwIpGqXscp/5pSp/jw4cAEAUIErl27WVyypC6q'
b'KMq7uq6TSRW8Xi+2b9+OxYsX4+jRoxgZGXllT8jn80ilUkgmk1i0aBH6+vqmSreiKIjH40JR'
b'PL/78st/dBIikM8XJgjk8wUkkz+EZZpDqqquA/DG5A2ora0N1dXVOH78OAqFwqxFhhACwzBw'
b'69YtrFmzBgsWLMDdu3dBCEF1dTXC4dA109B/sWzZ0uJXX3094avJ5EIhj5/sPVDs7+/LBgLB'
b'DZTSgG3bKBQK6Orqgmmas4JPJ+E4DlKpFHK5HHRdR1VVFWKx2BNK3Z+9//6Pes6dOwPLKj9P'
b'wLLKGBkZwsBA/0A8nihXVlaupZRWZLNZUEq/9ZWMUorx8XFEIhHE4/FxIfivbty49nl/fx8f'
b'Hh755mRNT8zlNCxduoSn06O3IpHIeCgUbpJlWbVtG4yxOZMQQkBRFMRiMcRisRzn7JOBgf4/'
b'VFfHnOn3wZcIAMDYWBax2Hw6NDT4dTQa6Q+FQnWBQLAGAKGUgnP+2mt5OBxGPB7noVDlDdu2'
b'fn7nzu3PA4GAfe9e38s5r1pFIOCHYVhk5crv1UWj8/bIsmeb47iLTdP0WJYFx3HA2ITDZVmC'
b'1+uF3++HqqrU61UGGKV/yT/VTl6/fvNhIOAXhmHNTPp1ctbW1qBQKCr19fWLq6oi73gV7zoi'
b'kQYhxHwh8OzfEBYhJCe46HVcp6tQePqvvr6+gaqqsDs6Oja7X+bsrGfjg0HVl0jEI8FgZURR'
b'FBUAXNc1dV1/mk6nn+q6WQYw9/b6Xcd/AWCkDj4LMZGpAAAAJXRFWHRkYXRlOmNyZWF0ZQAy'
b'MDE3LTA1LTAyVDE0OjAwOjQ5KzAyOjAwQOfBFAAAACV0RVh0ZGF0ZTptb2RpZnkAMjAxNy0w'
b'NC0yOFQxNDoxMjoyNyswMjowMJX8rjwAAAAASUVORK5CYII=')
#----------------------------------------------------------------------
offline_24 = PyEmbeddedImage(
b'iVBORw0KGgoAAAANSUhEUgAAABgAAAATCAIAAAAF0lpsAAAABGdBTUEAALGPC/xhBQAAACBj'
b'SFJNAAB6JgAAgIQAAPoAAACA6AAAdTAAAOpgAAA6mAAAF3CculE8AAAABmJLR0QA/wD/AP+g'
b'vaeTAAAACXBIWXMAAAsTAAALEwEAmpwYAAAAB3RJTUUH4QQcAQ8zxwk7jgAAAypJREFUOMul'
b'lE1rXlUUhdf+OPczLzWpgwakRSoV6kAKGfgPMs1M/YuOCx04CggRTCxSakETq8U2KYlJTd+k'
b'ufees5eDt4mZd48PD2uvvc4Skviwmc/nZuYkReTXZ89+29vzlACIqpi5mafkyaNERHx88+bb'
b'09OnT5+KKksJEmSepq/W1tbW1kgKyfPz82+//ubl9k/LbVub95XP6mbWNDfadqnr1BNMP7l9'
b'+4ednR+3t81tmPJQShCH01itru7u7rZt6wCmnGMYvjC7laobyZZTtey+LDIrkUpYo/XS7PTV'
b'q8/enHz6+b2LiLHERUQB9udn35+fD8PQdZ0DgIiZJvc6eZ28SampqlTVue/Rt6VumNKTvb2j'
b'cVSzQmZyisjEkEcRQASALwwToDOdud1w/yj5zFPqWu9arWo3PTo8fP3PUZcqAMEYSQBGJNEg'
b'F+dyACBNtXdfMl9y7y1VbetdZ3UdpQTw/PVrFRURkirqjAyBQEVweXRdrOburVnn3plVdWV9'
b'p1VV8pRSOp7PT05Pk5mAIovnEIEAAiGwYOmC19R1UlPAoOZOsly8E1Ga/XVwkFQrVRc1WaAA'
b'gABBXObQAYhI27adWe/uptMwWIR1XSX4++Dg5clx5WnMk4gIhGAQQRbivUH/eyTSd52rAiik'
b'B0VUVadSfj/Yh0hmBBGIuNQwRQQk3uu6pqjvuol8O00u0tc13JLI7uHh4Xxeu+cIAiQIluAY'
b'HBkEhhJXZjsAFWnbNgMQoUiJqMzPpvHJq/0CDCUIBBlkEJmRySkY4EWUq4/qJCOiThXGEWBE'
b'5GmaVdUfZ2dvx6l2y6UAAhWKEAQEBBEEBABRcibpIjLr+5XVW9P9+42IuHtd//nmzXePH4+l'
b'QK2pGyIu3l0EI4hCBqOAhPw7DKzrlZUVEfGjo6Ofd3ae7++f3LljZhHRtO0vx8fbqmYmmmZL'
b'MxGeBiPK9fZQVXbdl/fubW5uPnjwQLa2tjY2NlRVVRfOkUwpNU0DIJdccgbE3c3sOmix2pTz'
b'MAwPHz6UnPOjR49evHiRUroqOV4FRHSRQTIWzXWdJSLTNN29e3d9fV0+vCEX8x+3qOCZOL1f'
b'KwAAAER0RVh0Q29tbWVudABDUkVBVE9SOiBnZC1qcGVnIHYxLjAgKHVzaW5nIElKRyBKUEVH'
b'IHY2MiksIGRlZmF1bHQgcXVhbGl0eQoQRg9QAAAAJXRFWHRkYXRlOmNyZWF0ZQAyMDE3LTA0'
b'LTI4VDAzOjA4OjM0KzAyOjAwLzOkpAAAACV0RVh0ZGF0ZTptb2RpZnkAMjAxNi0wNy0xOVQw'
b'OToyMDo1NyswMjowMJGBuG0AAAAASUVORK5CYII=')
#----------------------------------------------------------------------
online_24 = PyEmbeddedImage(
b'iVBORw0KGgoAAAANSUhEUgAAABgAAAATCAIAAAAF0lpsAAAABGdBTUEAALGPC/xhBQAAACBj'
b'SFJNAAB6JgAAgIQAAPoAAACA6AAAdTAAAOpgAAA6mAAAF3CculE8AAAABmJLR0QA/wD/AP+g'
b'vaeTAAAACXBIWXMAAAsTAAALEwEAmpwYAAAAB3RJTUUH4QQcAQ8ZHLLyWAAAAzdJREFUOMul'
b'lE+PVEUUxc+9Vbfq/ZkhyqAhwbDBuNVJJiFx4dKwZafxu/kpCEsNcYFRAsEEAWGCNsRBaUB6'
b'pnve61d1j4seJrrmpLb1y6lT9x4hiXfTarVS1UhSRO7f/3X/0QOLBlBEg2qIwcxiiO7u7jvn'
b'zh0t3ty7d09U3N2dANZT2bv8+d7eHkkhuVotv/r6m1u/ve7OvB/Ncts2Xdf1/fZW3/VdjKoi'
b'Fz+68P1Pv/x4646plnGs01q88tVf598b9h8/bts2AijTNE60C5ebnfPWdc32drvVd32X22xN'
b'ysn6Lj1dDrOdMxe//ALrCdPA8Vh9Ws3/KHe/Hceh67oIQEQ0hBjVkqYcUg4pBUsSTWJAVA91'
b'erg/L2+WIqBXekEZpU5lPYhAIAAiAIIiEps2tp11fep66zprmpQtWsgqz+fHs/louQFEvKKu'
b'CYoGxEwnwRMQCNVgubG2SW1Obc5NztnMolaSuH9wRFWEQAICMEIj6FAFNhzo5gujRcsx5WQ5'
b'W0opJ4sBhU0MB4vx+WJtFgiB/P9AyBOSbjLKOVvUKDRhCgheMdYIUPDw4FAVoiIBogQIOOgg'
b'gVMONmGja1uL2RqzKDqsMVFyyqazPxcv/j5MUTkRKhAISTpY6UXcQeA0IxHpui5WBFKLa6wx'
b'xiiopTx4+lJZWStP7hNexQvqCDq98u1mbEDa912YT7JchS0JranWJtRHB4uX/xzlFLwQ3Dyn'
b'ohYva0yDsGI6xomhU0dta76OKJEllslSGIbjh/vPYiVGAQj3jQXUgrpGGemF4xJvV1VJVveU'
b'Et19mnxal2Ew4smL5fJ4bULWglqFUFJJpSspdCVUhGCphWQUka2t7Q8/2Pl4cZgaM5O2jy9f'
b'P73z3Q/r4iMkNw3ow3BMr6DDK2uFFwXHo1cN/ezZHRGJ8/n89u3bz2a/N6vXYQzu7k0zu3vX'
b'nvycVaFxe2sbgsPFG3p92zgCgYr25CeffXrjxo3d3V25efPm1atXRUQ1bEaCZLKUmwygllJK'
b'3UxsCPEk2I0IEUzTNI7jtWvXpNZ6/fr12WxmZqclxxNBREQEAOmb5vpvpYnINE2XLl26cuWK'
b'vHtDbvQviCzzeCA1nyUAAAAldEVYdGRhdGU6Y3JlYXRlADIwMTctMDQtMjhUMDM6MDg6MzQr'
b'MDI6MDAvM6SkAAAAJXRFWHRkYXRlOm1vZGlmeQAyMDE2LTA3LTE5VDA5OjIwOjU3KzAyOjAw'
b'kYG4bQAAAABJRU5ErkJggg==')
#----------------------------------------------------------------------
refresh_32 = PyEmbeddedImage(
b'iVBORw0KGgoAAAANSUhEUgAAACAAAAAgCAYAAABzenr0AAAABmJLR0QA/wD/AP+gvaeTAAAA'
b'CXBIWXMAAA3XAAAN1wFCKJt4AAAAB3RJTUUH4QsMDjEc9Aia2QAABe9JREFUWMPtlmtsXEcV'
b'x/8z973v9TtxEzt2aImTPo1qN1EeArkFwgfqhijlA68PlUpVUCUISkGwCNFKUUEIJEBIFCQU'
b'QWshNYpIGlNhAS5pWtwiAkn6SpPYXru29+HdvXvv3rszhw+769jO2psg8YkeabR37s6c87tz'
b'zpxzgA/k/13YzSwe/NapfUxgf0vUHOqIBrboGg/4gvy8489cfj9/FpxOSI3+cDbxyRwA7EuM'
b'mSD/V5tbwgfmC6U3s0X74TPf23/upgEGj5wa7ogHnxr4UOttXW0haJzB8QmSJDhj0BQGhTMs'
b'5BxMvJeyz1/JHrV99oOgLr9yYGfPU+GADk1heP7lS+dPPfnR7ct1q+sZ3pcYi3FR/uXQPZ3D'
b'Pe0RLBQ8zGTdNdcrjGFv38bgvVtbvvvi68kvzWbti01hA5mCD0tX0BEPbFu9Z02A/sSJlqDB'
b'/vzQwNa+kiBcTRUbnpQEYXbRhaZwPLSzq+tP52Y3ETFIAiQBAGM3BPCJx08aQjXGDtzX3Zex'
b'y/CFXBk4DNAVDs4YiAiekBAVCwCAkhSYSgns3b6BSyLUBuh6W3UB8hH16MMf6dqRLvjwyteM'
b'qwpDyNSQKbiYnM8j7/jQNY62iImOpiA8n+B6Ymn9dMpBJKBCSoKUBKpDcB3AzidP77izt+lx'
b'cA7X95aoLV2B65dx4u/JS5mcc1QofDSg6pMllCLyPRo0VPXL/Vub9/e2R5AtlgFUtuacyrMk'
b'3NgJaCr79u2bmthcrrT0ztQUpAsuxs7N/DyrZb/676cPerX/7nvieQdm9A5PyOLfLs6dWVgs'
b'DfRvbeGLVYia00lS3bhZAbDr8PFwd3vk044nIeU1fzMAY+dmn3v5+/c/ulqBHoo9O3R356F4'
b'yFxxp1WFQciq7wFIIlCjE5CK+bGulpCWc/yljRFTw+vvzrm+ZI/V+4JNraEHLV3HQs5b94ZU'
b'PHA9wgoAYvKugKGi4IplmUri8rz9u1efvj9VT/F8znlXVdBnaRy0DoCmMMzlnAsNYoB1agqH'
b'kOVrN8L1ISHPrqU4V3IPnZyY/G1bxNq+3gmk7NL5Rcc51AjAFEtJoyJCAoyQW0txNbfv+G+L'
b'kbrKUWkhJOQyAkNRQIRb/lfVcFUM0NWi568E0BVYprofwNGbUbzr8HjYZQ7vuZQpjIwcFGvW'
b'j+WTzj2f85ss4xFTV+HLSt5iACxD2az3DZ+cHD+WbGQ4kSBe2nfvA7GwtjsW1DYW44bedven'
b'slOvjJTrrefLJ11vZd+4kiqkLV2FlICUQNYuo6c1ymJh67ndR062NuovRsujw7c1Nx2KW+od'
b'YUO9tTVu3tkcityKRII3BBgZOSgWcu4PPb+aPqs5PJl2sKdvw5ZQJPDq4JHTA3Wr5zf+GN39'
b'zdGv97ZHH+MK2wyGZiho45y1WzGrqx/9ZuMgBMB0+tk/J9Nf6+9ujc3lK+lYlAnJjIO9H97Q'
b'fWUhfybwnZcuFP3yRRCSxGSGE2/a0mEN9bZFw8lM0fYEZRkUnwkSBCbcEk3ri810wy3Z4JFT'
b'w32bmn/fHDKXiklNYgEN8ZAGBqAsCZwxMAA5x/NnM6WigLAJLE9SLgKU9iUuT2XtY+OJofGG'
b'QViTqfFjF4x7PhNoCxm7goYO15MgAogAx5NIFzykCz6yto+M7SNt+yi4QhHVTEtEjDEGQXCn'
b'Fuy/OrPx4zMTv5A3DAAAU3/5zUv8rgOBoK7sao2acDxZKSjr9LcEMIBYPKhzS+elN5PZ04su'
b'/fgfP9nj3mxXzGpj4PALD7bEos9u62wKK5wj55RXNClLwcQZLJ3B0FCeTtnzb01lnplbmPjp'
b'5V8nSvU7gZUArHojakMFYADQAWgt23a3du79wuc33tL9xZ6OeDhq6eCcVWobA0CEnO1gOpXz'
b'r04nR7NvTzzzzos/ugDAB1Cq/hIAWR20HgADoFUBtBoEAA26bvR+/ImBSNftn1U0cyPjaoRE'
b'OePmZ17zMrOvvf/G8VcWL/0rvcpwCUC5EcCaLlgFpyybs2WlvqZUrDKyfHwgdeU/IVu6JtkR'
b'bk4AAAAASUVORK5CYII=')
#----------------------------------------------------------------------
resume_32 = PyEmbeddedImage(
b'iVBORw0KGgoAAAANSUhEUgAAACAAAAAgCAYAAABzenr0AAAABmJLR0QA/wD/AP+gvaeTAAAA'
b'CXBIWXMAAA3XAAAN1wFCKJt4AAAAB3RJTUUH4QsMDjEzX9mngAAAA/NJREFUWMPtl+trW2UY'
b'wJ/3pDknp8nSLt2lztKsuW2mtqZr7drR0Qs6GMhgk3wYVuYYDNTp0GmLoOA3RQZ+cH7wHxBH'
b'GOqX7cOKDdYL2+o6pbS6tUmbNF3T5p7T05xz3osfanGRrPaS5NMeeOB94IXnx/s873MBeCL/'
b'yOnLrl0vf1JvK7dfbu2gaVqvde++P17/qul776e2+nIBVDxqvNR+tLLGbD4xNDZ6uPqK4adU'
b'KnPR9+FcpJQAurWD+4WdjW2ug95qcwy5rVaTx97izmH2an0XOtzQZRyZ/CEtlfwFGKMAwEAj'
b'MRB4BKe6nt0tye2nhu7d6bR8KQ7HZe3db9+fXiwdANA8SyMxMAgcOnmkaV8i6zk9NDbaY/lC'
b'fz2OcwPfvTOTKnoIWp0ub5UJo/wrDAhbBkEvo2ab09xobWrJZqSztm7e5eg2j0wMJZWiARxy'
b'Or1VJoIKX2VAqASCXkYtjmdMjfXNnpQs9TuO8nvqOvhf7/uz2vYBHA6v2UgQA4DHKwVMsyDw'
b'Mtdqd1c569xH0nL2rKPHYPF07Pjlnj+FtwzwnN3m3VGJEWMM/k8pJaCRNBh4mWtzNpvttQc7'
b'o0rqzIFe0VR7fOetqRsJsmmA5ob9XpOIEaUMNq4EVJwCUcjpWu1N1XW77V2ZePy1Az1GqO6M'
b'j8748zJ7fYBGa73XJBJEGYPNKqEYVJwEo0HTPe/0VFv32nolCZ9z9VQy17nE6IQP2AYA6rzG'
b'LQL8C6KBghMgCmpFm9NT9fSu/d2JED3j6qtUT3Ykxvz+fBDuUQMTUjRVNRky8gOoMSfF/r4X'
b'HSfaj30ef+rQn/2XHa8AA1QQgFAMhJCiqqpJIK1Mgb3WIh5v67NxHHfF+1mDq2AlJAQDJqxo'
b'ZRYhHYh8LUg5gd4cG4lGYhEfybCPfB8HM4UBKCkKAEIciPwekHIC/XF84mFoMXQ9xXDB8p0H'
b'gLcJgBAHBn0NKKrAhiamHoZi4eGMStdtYP8JgQbkcZV4PceAQOAtkFMF8E8GFsPx+RFZ1S74'
b'BmYWNtUNV3OA25RrQW8GRTPA7fHZhblE9GdFyb39zWB4fkvteOMhQMBXmABTAW7dj0TDscW7'
b'0op64doHocC25gFMNMCkYl3Hep0ImAjw20x0YS6+NC5p7I1rA4EHRRlIVv9u4RzQcQJQxsPv'
b'4fjSfCI5uayQ877B4F9FnYhWXyAfgOP0wKgeJiOp2HwiPato+PzVgdm7JRnJ1sro2pcilINg'
b'NB1bSC/PrKj0Td9g8HZJh1JKVwEo4yAUl5LRZG4OM7j49aXp4bLsBQohEIgup6IZHFY0esk3'
b'GLxZtsWEIcjNLikBAuitq+9N33iyrJZL/gbvoO9htzrf6gAAAABJRU5ErkJggg==')
|
[
"a.3talla@gmail.com"
] |
a.3talla@gmail.com
|
4a6dbdd4885cee44bd5fdc4be7108423b6b61ffd
|
e95322e4a14f3a0e6504ef3997f7fac1e2bce387
|
/utils.py
|
6220939a692f27077944fe4fac25f6e70f6044c4
|
[] |
no_license
|
redhat12345/adversarial-domain-adaptation
|
c3af6dc9a038723f715ab883bbf2610ac1ee3a42
|
47ea0b7eb9a3743796f877d4b5e190af226fcad9
|
refs/heads/master
| 2020-03-29T16:19:21.201889
| 2018-09-23T23:38:57
| 2018-09-23T23:38:57
| null | 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 1,484
|
py
|
import tensorflow as tf
import matplotlib.pyplot as plt
plt.switch_backend('agg')
def log(x, eps=1e-8):
return tf.log(x + eps)
def normalize(x, max_value):
""" If x takes its values between 0 and max_value, normalize it between -1 and 1"""
return (x / float(max_value)) * 2 - 1
def unnormalize(x):
return (x + 1) / 2
def leaky_relu(x, alpha=0.05):
return tf.maximum(x, alpha*x)
def plot_images(index, X_source, X_target, X_s2s, X_t2t, X_s2t, X_t2s, X_cycle_s2s, X_cycle_t2t, Y_source_predict, Y_target_predict):
plt.clf()
plt.rcParams['figure.figsize'] = (20, 10)
plt.subplot(2,4,1)
plt.title(Y_target_predict[index])
plt.imshow(unnormalize(X_target[index]))
plt.axis('off')
plt.subplot(2,4,2)
plt.imshow(X_t2s[index])
plt.axis('off')
plt.subplot(2,4,3)
plt.title("t2t direct")
plt.imshow(X_t2t[index].reshape(32,32,3))
plt.axis('off')
plt.subplot(2,4,4)
plt.title("t2t cycle")
plt.imshow(X_cycle_t2t[index].reshape(32,32,3))
plt.axis('off')
plt.subplot(2,4,5)
plt.title(Y_source_predict[index])
plt.imshow(unnormalize(X_source[index]))
plt.axis('off')
plt.subplot(2,4,6)
plt.imshow(X_s2t[index])
plt.axis('off')
plt.subplot(2,4,7)
plt.title("s2s direct")
plt.imshow(X_s2s[index])
plt.axis('off')
plt.subplot(2,4,8)
plt.title("s2s cycle")
plt.imshow(X_cycle_s2s[index].reshape(32,32,3))
plt.axis('off')
|
[
"arthur.pesah@gmail.com"
] |
arthur.pesah@gmail.com
|
ccf3b93947b537abb68556df332c82c96f72d2bb
|
d9fbf494fc537b933debd9bad073fa42d546c770
|
/oops/oop_concept.py
|
5611c55a64bb1037544beadf5a41e32ea5b47539
|
[] |
no_license
|
aks789/python-code-basics-to-expert
|
c125e9f37bdcf0928b4366b66df29f2eff5e881a
|
ff5e15f3fd7338bc8105e94a8b2d4877797d6156
|
refs/heads/main
| 2023-05-07T11:11:29.632261
| 2021-05-30T06:13:59
| 2021-05-30T06:13:59
| 371,897,106
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 577
|
py
|
class Dog():
species = 'mammal'
def __init__(self,breed,name):
self.my_attr=breed
self.name=name
def bark(self,number):
print('Woof!! My name is {} and number is {}'.format(self.name,number))
my_dog=Dog('Lab','akshay')
print(type(my_dog))
print(my_dog.my_attr)
print(my_dog.name)
print(my_dog.species)
my_dog.bark(12)
class Circle:
pi = 3.14
def __init__(self,radius=1):
self.radius=radius
def circumference(self):
return Circle.pi * self.radius * 2
my_circle = Circle()
print(my_circle.circumference())
|
[
"aks789@gmail.com"
] |
aks789@gmail.com
|
50be32c063b21f51fb59e29080e17d63f03faeea
|
77c2010bb9533ecbdfa46cd41c16ee5ae26e94fa
|
/library/migrations/0001_initial.py
|
d100e69ebfc03b3f1d153433b33548151de3b8ec
|
[] |
no_license
|
dimansion/portfolio-django
|
b2cbb28dff97dd03cdf795f0bc661d39bcfae83d
|
2dffe0e8579b2a426cb7aceb1ee085933b122d90
|
refs/heads/master
| 2020-05-23T08:15:38.205372
| 2017-03-05T14:44:14
| 2017-03-05T14:44:14
| 70,251,368
| 0
| 0
| null | null | null | null |
UTF-8
|
Python
| false
| false
| 1,605
|
py
|
# -*- coding: utf-8 -*-
# Generated by Django 1.9 on 2016-10-09 06:20
from __future__ import unicode_literals
from django.db import migrations, models
import django.db.models.deletion
import django.utils.timezone
class Migration(migrations.Migration):
initial = True
dependencies = [
]
operations = [
migrations.CreateModel(
name='Book',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('image', models.ImageField(blank=True, null=True, upload_to='')),
('author', models.CharField(max_length=128, unique=True)),
('title', models.CharField(max_length=200)),
('synopsis', models.TextField()),
('created_date', models.DateTimeField(default=django.utils.timezone.now)),
('published_date', models.DateTimeField(blank=True, null=True)),
('slug', models.SlugField()),
],
),
migrations.CreateModel(
name='Category',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('name', models.CharField(max_length=128, unique=True)),
('slug', models.SlugField()),
],
),
migrations.AddField(
model_name='book',
name='category',
field=models.ForeignKey(blank=True, null=True, on_delete=django.db.models.deletion.CASCADE, to='library.Category'),
),
]
|
[
"dimansional@gmail.com"
] |
dimansional@gmail.com
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.