{
"cells": [
{
"cell_type": "markdown",
"metadata": {},
"source": [
"# __Demonstrating the utility of machine learning innovations in address matching to spatial socio-economic applications__"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"# Abstract"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"The last decade has heralded an unprecedented rise in the number, frequency and availability of data sources. Yet they are often incomplete, meaning data fusion is required to enhance their quality and scope. In the context of spatial analysis, address matching is critical to enhancing household socio-economic and demographic characteristics. Matching administrative, commercial, or lifestyle data sources to items such as household surveys has the potential benefits of improving data quality, enabling spatial data visualisation, and the lowering of respondent burden in household surveys. Typically when a practitioner has high quality data, unique identifiers are used to facilitate a direct linkage between household addresses. However, real-world databases are often absent of unique identifiers to enable a one-to-one match. Moreover, irregularities between the text representations of potential matches mean extensive cleaning of the data is often required as a pre-processing step. For this reason, practitioners have traditionally relied on two linkage techniques for facilitating matches between the text representations of addresses that are broadly divided into deterministic or mathematical approaches. Deterministic matching consists of constructing hand-crafted rules that classify address matches and non-matches based on specialist domain knowledge, while mathematical approaches have increasingly adopted machine learning techniques for resolving pairs of addresses to a match. In this notebook we demonstrate methods of the latter by demonstrating the utility of machine learning approaches to the address matching work flow. To achieve this, we construct a predictive model that resolves matches between two small datasets of restaurant addresses in the US. While the problem case may seem trivial, the intention of the notebook is to demonstrate an approach that is reproducible and extensible to larger data challenges. Thus, in the present notebook, we document an end-to-end pipeline that is replicable and instructive towards assisting future address matching problem cases faced by the regional scientist."
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"# Road map\n",
"\n",
"1. [Packages and dependencies](#package_dependencies)\n",
"2. [Data loading, cleaning and segmentation](#section_standardisation)\n",
" 1. [Segmentation of address string into field columns](#section_segmentation)\n",
"3. [Creation of candidate address pairs using a full index](#section_fullindex)\n",
" 1. [Creation of comparison vectors from indexed addresses](#section_comp_vecs_full)\n",
" 2. [Classification and evaluation of match performance](#section_classification_fullindex)\n",
"4. [Creation of candidate address pairs by blocking on zipcode](#section_blocking)\n",
" 1. [Creation of synthetic non-matched addresses](#section_synthetic_nonmatches)\n",
" 2. [Blocking on postcode attribute](#section_blocking_postcode_attribute)\n",
" 3. [Classification and evaluation of match performance](#section_evaluation)\n",
"5. [Conclusion](#section_conclusion)\n",
"6. [Bibliography](#section_bibliography)"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Our overarching objective is to demonstrate how machine learning can be integrated into the address matching work flow. By definition, address matching pertains to the process of resolving pairs of records with a spatial footprint. While geospatial matching links the geometric representations of spatial objects, address matching typically involves linking the text-based representations of address pairs. The utility of address matching, and record linkage in general, lies in the ability to unlock attributes from sources of data that cannot be linked by traditional means. This is often because the datasets lack a common key to resolve a join between the address of a premise. Two example applications of address matching uses include: the linkage of historical censuses across time for exploring economic and geographic mobility across multiple generations (Ruggles et al. 2018), and exploring how early-life hazardous environmental exposure, socio-economic conditions, or natural disasters impact the health and economic outcomes of individuals living in particular residential locations (Cayo & Talbot, 2003; Reynolds et al., 2003; Baldovin et al., 2015).\n",
"\n",
"For demonstrative purposes, we rely on small a set of addresses from the Fodors and Zagat restaurant guides that contain 112 matched addresses for training a predictive model that resolves address pairs to matches and non-matches. In a real-world application, training a machine learning model on a small sample of matched addresses could be used to resolve matches between the remaining addresses of a larger dataset. While we use the example of restaurant addresses, these could easily be replaced by addresses from a far less trivial source and the work flow required to implement the address matching exercise would remain the same. Therefore, it is the intention of this guide to provide insight on how the work flow of a supervised address matching work flow proceeds, and to inspire interested users to scale the supplied code to larger and more interesting problems."
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"# Packages and dependencies"
]
},
{
"cell_type": "code",
"execution_count": 1,
"metadata": {},
"outputs": [],
"source": [
"%matplotlib inline\n",
"import os\n",
"import uuid\n",
"import warnings\n",
"from IPython.display import HTML\n",
"\n",
"# load external libraries\n",
"import pandas as pd\n",
"import matplotlib.pyplot as plt\n",
"import numpy as np\n",
"import jellyfish\n",
"import recordlinkage as rl\n",
"import seaborn as sns\n",
"from postal.parser import parse_address # CRF parser\n",
"from sklearn.ensemble import RandomForestClassifier\n",
"from sklearn.model_selection import cross_validate, train_test_split\n",
"from sklearn.metrics import precision_score, recall_score, f1_score, confusion_matrix\n",
"\n",
"# configure some settings\n",
"np.random.seed(123)\n",
"sns.set_style('whitegrid')\n",
"pd.set_option('display.max_colwidth', -1)\n",
"warnings.simplefilter(action='ignore', category=FutureWarning)\n",
"\n",
"def hover(hover_color=\"#add8e6\"):\n",
" return dict(selector=\"tbody tr:hover\",\n",
" props=[(\"background-color\", \"%s\" % hover_color)])\n",
"\n",
"# table CSS\n",
"styles = [\n",
" #table properties\n",
" dict(selector=\" \", \n",
" props=[(\"margin\",\"0\"),\n",
" (\"font-family\",'\"Helvetica\", \"Arial\", sans-serif'),\n",
" (\"border-collapse\", \"collapse\"),\n",
" (\"border\",\"none\"), (\"border-style\", \"hidden\")]),\n",
" dict(selector=\"td\", props = [(\"border-style\", \"hidden\"), \n",
" (\"border-collapse\", \"collapse\")]),\n",
"\n",
" #header color \n",
" dict(selector=\"thead\", \n",
" props=[(\"background-color\",\"#a4dbc8\")]),\n",
"\n",
" #background shading\n",
" dict(selector=\"tbody tr:nth-child(even)\",\n",
" props=[(\"background-color\", \"#fff\")]),\n",
" dict(selector=\"tbody tr:nth-child(odd)\",\n",
" props=[(\"background-color\", \"#eee\")]),\n",
"\n",
" #header cell properties\n",
" dict(selector=\"th\", \n",
" props=[(\"text-align\", \"center\"),\n",
" (\"border-style\", \"hidden\"), \n",
" (\"border-collapse\", \"collapse\")]),\n",
"\n",
" hover()\n",
"]"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"# Data loading, cleaning and segmentation"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"To begin our exercise we specify the file location that contains the entirety of the 112 Zagat and Fodor matched address pairs. This file can be downloaded from the dedicated Github repository that accompanies the paper (https://github.com/SamComber/address_matching_workflow) using the `wget` command."
]
},
{
"cell_type": "code",
"execution_count": 4,
"metadata": {},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"--2019-12-21 09:11:31-- https://raw.githubusercontent.com/SamComber/address_matching_workflow/master/zagat_fodor_matched.txt\n",
"Resolving raw.githubusercontent.com (raw.githubusercontent.com)... 199.232.56.133\n",
"Connecting to raw.githubusercontent.com (raw.githubusercontent.com)|199.232.56.133|:443... connected.\n",
"HTTP request sent, awaiting response... 200 OK\n",
"Length: 19939 (19K) [text/plain]\n",
"Saving to: ‘zagat_fodor_matched.txt’\n",
"\n",
"zagat_fodor_matched 100%[===================>] 19.47K --.-KB/s in 0.03s \n",
"\n",
"2019-12-21 09:11:32 (670 KB/s) - ‘zagat_fodor_matched.txt’ saved [19939/19939]\n",
"\n"
]
}
],
"source": [
"! wget https://raw.githubusercontent.com/SamComber/address_matching_workflow/master/zagat_fodor_matched.txt"
]
},
{
"cell_type": "code",
"execution_count": 2,
"metadata": {},
"outputs": [],
"source": [
"f = 'zagat_fodor_matched.txt'"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Address matching is principally a data quality challenge. Similar to other areas of data analysis, when the quality of input data to the match classification is low, the output generated will typically be of low accuracy (Christen, 2012). Problematically, most address databases we encounter in the real world are inconsistent, are missing of several values, and lack standardisation. Thus, a first step in the address matching work flow is to increase the quality of input data. In this way we increase the accuracy, completeness and consistency of our address records, which increases the ease in which they can be linked by the techniques we apply later on. Typically this stage begins by parsing the text representations of addresses into rows of a dataframe."
]
},
{
"cell_type": "code",
"execution_count": 3,
"metadata": {},
"outputs": [],
"source": [
"# load matched addresses, remove comment lines and reshape into two columns\n",
"data = pd.read_csv(f, comment='#', \n",
" header=None, \n",
" names=['address']).values.reshape(-1, 2)\n",
"\n",
"matched_address = pd.DataFrame(data, columns=['addr_zagat', 'addr_fodor'])"
]
},
{
"cell_type": "code",
"execution_count": 4,
"metadata": {},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"112 matched addresses loaded.\n"
]
},
{
"data": {
"text/html": [
" \n",
"
\n",
"
\n",
"
\n",
"
addr_zagat
\n",
"
addr_fodor
\n",
"
\n",
"
\n",
"
0
\n",
"
Arnie Morton's of Chicago 435 S. La Cienega Blvd. Los Angeles 90048 310-246-1501 Steakhouses
\n",
"
Arnie Morton's of Chicago 435 S. La Cienega Blvd. Los Angeles 90048 310/246-1501 American
\n",
"
\n",
"
1
\n",
"
Art's Deli 12224 Ventura Blvd. Studio City 91604 818-762-1221 Delis
\n",
"
Art's Delicatessen 12224 Ventura Blvd. Studio City 91604 818/762-1221 American
\n",
"
\n",
"
2
\n",
"
Bel-Air Hotel 701 Stone Canyon Rd. Bel Air 90077 310-472-1211 Californian
\n",
"
Hotel Bel-Air 701 Stone Canyon Rd. Bel Air 90077 310/472-1211 Californian
Cafe Bizou 14016 Ventura Blvd. Sherman Oaks 91423 818/788-3536 French
\n",
"
\n",
"
4
\n",
"
Campanile 624 S. La Brea Ave. Los Angeles 90036 213-938-1447 Californian
\n",
"
Campanile 624 S. La Brea Ave. Los Angeles 90036 213/938-1447 American
\n",
"
\n",
"
5
\n",
"
Chinois on Main 2709 Main St. Santa Monica 90405 310-392-9025 Pacific New Wave
\n",
"
Chinois on Main 2709 Main St. Santa Monica 90405 310/392-9025 French
\n",
"
\n",
"
6
\n",
"
Citrus 6703 Melrose Ave. Los Angeles 90038 213-857-0034 Californian
\n",
"
Citrus 6703 Melrose Ave. Los Angeles 90038 213/857-0034 Californian
\n",
"
\n",
"
7
\n",
"
Fenix at the Argyle 8358 Sunset Blvd. W. Hollywood 90069 213-848-6677 French (New)
\n",
"
Fenix 8358 Sunset Blvd. West Hollywood 90069 213/848-6677 American
\n",
"
\n",
"
8
\n",
"
Granita 23725 W. Malibu Rd. Malibu 90265 310-456-0488 Californian
\n",
"
Granita 23725 W. Malibu Rd. Malibu 90265 310/456-0488 Californian
\n",
"
\n",
"
9
\n",
"
Grill The 9560 Dayton Way Beverly Hills 90210 310-276-0615 American (Traditional)
\n",
"
Grill on the Alley 9560 Dayton Way Los Angeles 90210 310/276-0615 American
\n",
"
\n",
"
"
],
"text/plain": [
""
]
},
"execution_count": 4,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"print('{} matched addresses loaded.'.format(matched_address.shape[0]))\n",
"matched_address.head(10).style.set_table_styles(styles)"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"A series of data cleaning exercises will then modify the data in ways that support the application of the linkage techniques. This might involve writing data cleaning scripts that convert all letters to lowercase characters, delete leading and trailing whitespaces, remove unwanted characters and tokens such as punctuation, or using hard-coded look-up tables to find and replace particular tokens. All together coding these steps contributes towards a standard form between the two address databases the user is attempting to match. This is important because standards between the two sources of address data under consideration will typically differ due to different naming conventions.\n",
"\n",
"In the following cell blocks, we execute these steps by standardising our addresses. More specifically, we remove non-address components, convert all text to lower case and remove punctuation and non-alphanumeric characters."
]
},
{
"cell_type": "code",
"execution_count": 5,
"metadata": {},
"outputs": [],
"source": [
"# our rows contain non-address components such as phone number and \n",
"# restaurant type so lets parse these using regular expressions into new columns\n",
"zagat_pattern = r\"(?P.*?)(?P\\b\\d{3}\\-\\d{3}\\-\\d{4}\\b)(?P.*$)\"\n",
"fodor_pattern = r\"(?P.*?)(?P\\b\\d{3}\\/\\d{3}\\-\\d{4}\\b)(?P.*$)\"\n",
"\n",
"matched_address[[\"addr_zagat\", \"phone_number_zagat\", \"category_zagat\"]] = matched_address[\"addr_zagat\"].str.extract(zagat_pattern)\n",
"matched_address[[\"addr_fodor\", \"phone_number_fodor\", \"category_fodor\"]] = matched_address[\"addr_fodor\"].str.extract(fodor_pattern)"
]
},
{
"cell_type": "code",
"execution_count": 6,
"metadata": {},
"outputs": [],
"source": [
"# standardise dataframe by converting all strings to lower case\n",
"matched_address = matched_address.applymap(lambda row : row.lower() if type(row) == str else row)\n",
"\n",
"# remove punctuation and non-alphanumeric characters\n",
"matched_address['addr_zagat'] = matched_address['addr_zagat'].str.replace('[^\\w\\s]','')\n",
"matched_address['addr_fodor'] = matched_address['addr_fodor'].str.replace('[^\\w\\s]','')"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"### Segmentation of address string into field columns"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"After removing unwanted characters and tokens, our next step is to segment the entire address string into tagged attribute values. Addresses rarely come neatly formatted into sensible fields that identify each component, and so segmentation is a vital and often overlooked stage of the work flow. For example, an address might come in an unsegmented format such as \"19 Water St. New York 11201\". Our objective is then to segment (or label) this address into the appropriate columns for street number, street name, city and postcode. When we segment both sets of addresses from the datasets we intend to link, we build well-defined output fields that are suitable for matching. \n",
"\n",
"In our case we use a statistical segmentation tool called __Libpostal__ which is a Conditional Random Fields (CRFs) model trained on OpenStreetMap addresses. Before using the Python bindings, users are required to install the Libpostal C library first (see https://github.com/openvenues/pypostal#installation for installation instructions). CRFs are popular methods in natural language processing (NLP) for predicting sequence of labels across sequences of text inputs. Unlike discrete classifiers, CRFs model the probability of a transition between labels on \"neighbouring\" elements, meaning they take into account past and future address field states into the labelling of addresses into address fields. This mitigates a limitation of segmentation models such as hidden markov models (HMMs) called the _label bias problem_: \"transitions leaving a given state to compete only against each other, rather than against all transitions in the model\" (Lafferty et al., 2001). Take, for example, the business address for \"1st for Toys, 244 Ponce de Leon Ave. Atlanta 30308\". A naive segmentation model would incorrectly parse \"1st\" as a property number, whereas it actually completes the business name \"1st for Toys\", leading to an erroneous sequence of label predictions. When a CRFs has parsed \"1st\" and reaches the second token, \"for\", the model scores an $l\\times l$ matrix where $l$ is the maximal number of labels (or address fields) that can be assigned by the CRFs. In $L$, $l_{ij}$ reflects the probability of the current word being labelled as $i$ and the previous word labelled $j$ (Diesner & Carley, 2008). In a CRFs model, when the parser reaches the _actual_ property number, \"244\", high scoring in the matrix indicates the current label should be a property number, and the previous label revised to a business name. For a more detailed account, see Comber and Arribas-Bel (2019).\n",
"\n",
"To segment each address, we apply the `parse_address` function row-wise for both the Zagat and Fodors addresses. This generates a list of tuples (see below code block for an example of the first two addresses from the Zagat dataset) that we convert into dictionaries before finally reading these into a `pandas` dataframe."
]
},
{
"cell_type": "code",
"execution_count": 7,
"metadata": {},
"outputs": [
{
"data": {
"text/plain": [
"[[('arnie mortons of chicago', 'house'),\n",
" ('435', 'house_number'),\n",
" ('s la cienega blvd', 'road'),\n",
" ('los angeles', 'city'),\n",
" ('90048', 'postcode')],\n",
" [('arts deli', 'house'),\n",
" ('12224', 'house_number'),\n",
" ('ventura blvd', 'road'),\n",
" ('studio city', 'city'),\n",
" ('91604', 'postcode')]]"
]
},
"execution_count": 7,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"[[('arnie mortons of chicago', 'house'),\n",
" ('435', 'house_number'),\n",
" ('s la cienega blvd', 'road'),\n",
" ('los angeles', 'city'),\n",
" ('90048', 'postcode')],\n",
" [('arts deli', 'house'),\n",
" ('12224', 'house_number'),\n",
" ('ventura blvd', 'road'),\n",
" ('studio city', 'city'),\n",
" ('91604', 'postcode')]]"
]
},
{
"cell_type": "code",
"execution_count": 8,
"metadata": {},
"outputs": [],
"source": [
"# parse address string using libpostal CRF segmentation tool\n",
"addr_zagat_parse = [parse_address(addr, country='us') for addr in matched_address.addr_zagat]\n",
"addr_fodor_parse = [parse_address(addr, country='us') for addr in matched_address.addr_fodor]\n",
"\n",
"# convert to pandas dataframe\n",
"addr_zagat_parse = pd.DataFrame.from_records([{k: v for v, k in row} for row in addr_zagat_parse]).add_suffix('_zagat')\n",
"addr_fodor_parse = pd.DataFrame.from_records([{k: v for v, k in row} for row in addr_fodor_parse]).add_suffix('_fodor')\n",
"\n",
"# vertical join of CRF-parsed addresses between both dataframes\n",
"matched_address = matched_address.join(addr_zagat_parse).join(addr_fodor_parse)"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Given we know the match status of our training data, we can safely join the records back together once we have successfully segmented them. Moreover, as we know the match status in advance, we can assign unique IDs that we will use later to create a binary variable for indicating whether an address pair is matched or non-matched."
]
},
{
"cell_type": "code",
"execution_count": 9,
"metadata": {},
"outputs": [],
"source": [
"# create unique ID for matched addresses, these will be used later to create a match status\n",
"uids = [str(uuid.uuid4()) for i in matched_address.iterrows()]\n",
"\n",
"# the following two lines will assign the same uid to both columns, thus facilitating a match\n",
"addr_zagat_parse['uid'], addr_fodor_parse['uid'] = uids, uids\n",
"match_ids = pd.DataFrame({'zagat_id' : addr_fodor_parse['uid'], 'fodor_id' : addr_fodor_parse['uid']})"
]
},
{
"cell_type": "code",
"execution_count": 10,
"metadata": {},
"outputs": [
{
"data": {
"text/html": [
" \n",
"
\n",
"
\n",
"
\n",
"
addr_zagat
\n",
"
addr_fodor
\n",
"
phone_number_zagat
\n",
"
category_zagat
\n",
"
phone_number_fodor
\n",
"
category_fodor
\n",
"
city_zagat
\n",
"
city_district_zagat
\n",
"
house_zagat
\n",
"
house_number_zagat
\n",
"
postcode_zagat
\n",
"
road_zagat
\n",
"
suburb_zagat
\n",
"
city_fodor
\n",
"
city_district_fodor
\n",
"
house_fodor
\n",
"
house_number_fodor
\n",
"
postcode_fodor
\n",
"
road_fodor
\n",
"
state_fodor
\n",
"
suburb_fodor
\n",
"
zagat_id
\n",
"
fodor_id
\n",
"
\n",
"
\n",
"
0
\n",
"
arnie mortons of chicago 435 s la cienega blvd los angeles 90048
\n",
"
arnie mortons of chicago 435 s la cienega blvd los angeles 90048
\n",
"
310-246-1501
\n",
"
steakhouses
\n",
"
310/246-1501
\n",
"
american
\n",
"
los angeles
\n",
"
nan
\n",
"
arnie mortons of chicago
\n",
"
435
\n",
"
90048
\n",
"
s la cienega blvd
\n",
"
nan
\n",
"
los angeles
\n",
"
nan
\n",
"
arnie mortons of chicago
\n",
"
435
\n",
"
90048
\n",
"
s la cienega blvd
\n",
"
nan
\n",
"
nan
\n",
"
99bbcd03-ce45-40b5-907f-47f5ae16ae29
\n",
"
99bbcd03-ce45-40b5-907f-47f5ae16ae29
\n",
"
\n",
"
1
\n",
"
arts deli 12224 ventura blvd studio city 91604
\n",
"
arts delicatessen 12224 ventura blvd studio city 91604
\n",
"
818-762-1221
\n",
"
delis
\n",
"
818/762-1221
\n",
"
american
\n",
"
studio city
\n",
"
nan
\n",
"
arts deli
\n",
"
12224
\n",
"
91604
\n",
"
ventura blvd
\n",
"
nan
\n",
"
studio city
\n",
"
nan
\n",
"
arts delicatessen
\n",
"
12224
\n",
"
91604
\n",
"
ventura blvd
\n",
"
nan
\n",
"
nan
\n",
"
1b1e1ee1-c880-4722-abaa-4ec44c7d94a6
\n",
"
1b1e1ee1-c880-4722-abaa-4ec44c7d94a6
\n",
"
\n",
"
2
\n",
"
belair hotel 701 stone canyon rd bel air 90077
\n",
"
hotel belair 701 stone canyon rd bel air 90077
\n",
"
310-472-1211
\n",
"
californian
\n",
"
310/472-1211
\n",
"
californian
\n",
"
nan
\n",
"
nan
\n",
"
belair hotel
\n",
"
701
\n",
"
90077
\n",
"
stone canyon rd bel air
\n",
"
nan
\n",
"
nan
\n",
"
nan
\n",
"
hotel belair
\n",
"
701
\n",
"
90077
\n",
"
stone canyon rd bel air
\n",
"
nan
\n",
"
nan
\n",
"
f2548f68-2326-4706-bdc1-dbfc265ecbf3
\n",
"
f2548f68-2326-4706-bdc1-dbfc265ecbf3
\n",
"
\n",
"
3
\n",
"
cafe bizou 14016 ventura blvd sherman oaks 91423
\n",
"
cafe bizou 14016 ventura blvd sherman oaks 91423
\n",
"
818-788-3536
\n",
"
french bistro
\n",
"
818/788-3536
\n",
"
french
\n",
"
sherman oaks
\n",
"
nan
\n",
"
cafe bizou
\n",
"
14016
\n",
"
91423
\n",
"
ventura blvd
\n",
"
nan
\n",
"
sherman oaks
\n",
"
nan
\n",
"
cafe bizou
\n",
"
14016
\n",
"
91423
\n",
"
ventura blvd
\n",
"
nan
\n",
"
nan
\n",
"
936687e2-1161-4ecd-98c3-b5ac620d8776
\n",
"
936687e2-1161-4ecd-98c3-b5ac620d8776
\n",
"
\n",
"
4
\n",
"
campanile 624 s la brea ave los angeles 90036
\n",
"
campanile 624 s la brea ave los angeles 90036
\n",
"
213-938-1447
\n",
"
californian
\n",
"
213/938-1447
\n",
"
american
\n",
"
los angeles
\n",
"
nan
\n",
"
campanile
\n",
"
624
\n",
"
90036
\n",
"
s la brea ave
\n",
"
nan
\n",
"
los angeles
\n",
"
nan
\n",
"
campanile
\n",
"
624
\n",
"
90036
\n",
"
s la brea ave
\n",
"
nan
\n",
"
nan
\n",
"
20a05006-d08e-4245-b014-ab2d0f552662
\n",
"
20a05006-d08e-4245-b014-ab2d0f552662
\n",
"
\n",
"
"
],
"text/plain": [
""
]
},
"execution_count": 10,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"# join match ids to main dataframe\n",
"matched_address = matched_address.join(match_ids)\n",
"\n",
"# preview of our parsed dataframe with uids assigned\n",
"matched_address.head().style.set_table_styles(styles)"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"# Creation of candidate address pairs using a 'full index'"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Once our addresses have met a particular standard of quality and are segmented into the desired address fields, the next step requires us to create candidate pairs of addresses that potentially resolve to the same address. In record linkage, this step is typically called indexing or blocking, and is required to reduce the number of address pairs that are compared. In doing so we remove pairs that are unlikely to resolve to true matches. To demonstrate the utility of blocking and why it is so important to address matching, we first create a __full index__ which creates all possible combinations of address pairs. More concretely, a full index generates the Cartesian product between both sets of addresses. Conditional on the size of both dataframes, full blocking is highly computationally inefficient, and in our case we create $112\\times 112 = 12544$ candidate links; this has a complexity of $O(n^2)$. We demonstrate the full index method to motivate the desire for practitioners to implement more sophisticated blocking techniques. "
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"### Full index "
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Below, we instantiate an `Index` class before specifying the desired full index method for generating pairs of records. We then create the Cartesian join between the Zagat and Fodor addresses which creates a `MultiIndex` that links every Zagat address with every Fodor address."
]
},
{
"cell_type": "code",
"execution_count": 11,
"metadata": {},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"WARNING:recordlinkage:indexing - performance warning - A full index can result in large number of record pairs.\n"
]
}
],
"source": [
"indexer = rl.Index()\n",
"indexer.full()\n",
"\n",
"# create cartesian join between zagat and fodor restaurant addresses\n",
"candidate_links = indexer.index(matched_address.city_zagat, matched_address.city_fodor)"
]
},
{
"cell_type": "code",
"execution_count": 12,
"metadata": {},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"12544 candidate links created using full indexing.\n"
]
}
],
"source": [
"# this creates a two-level multiindex, so we name addresses from the zagat and fodor databases, respectively.\n",
"candidate_links.names = ['zagat', 'fodor']\n",
"\n",
"print('{} candidate links created using full indexing.'.format(len(candidate_links)))"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"In practice, a full index creates a dataframe with 12,544 rows and thus creates candidate address pairs between every possible combination of address from both the Zagat and Fodor datasets. Once we generate this dataframe of potential matches, we create a match status column and assign a 1 to actual matched addresses and 0 to non-matches based on the unique IDs created earlier."
]
},
{
"cell_type": "code",
"execution_count": 13,
"metadata": {},
"outputs": [],
"source": [
"# lets create a function we can reuse later on\n",
"def return_candidate_links_with_match_status(candidate_links):\n",
" \n",
" # we return a vector of label values for both the zagat and fodor restaurant IDs from the multiindex\n",
" zagat_ids = candidate_links.get_level_values('zagat')\n",
" fodor_ids = candidate_links.get_level_values('fodor')\n",
"\n",
" # now we create a new dataframe as long as the number of candidate links\n",
" zagat = matched_address.loc[zagat_ids][['city_zagat', 'house_zagat',\\\n",
" 'house_number_zagat', 'road_zagat', 'suburb_zagat', 'zagat_id']]\n",
" fodor = matched_address.loc[fodor_ids][['city_fodor','house_fodor', 'house_number_fodor',\\\n",
" 'road_fodor', 'suburb_fodor', 'fodor_id']]\n",
"\n",
" # vertically concateate addresses from both databases\n",
" candidate_link_df = pd.concat([zagat.reset_index(drop=True), fodor.reset_index(drop=True)], axis=1)\n",
"\n",
" # next we create a match status column that we will use to train a machine learning model\n",
" candidate_link_df['match_status'] = np.nan\n",
"\n",
" # assign 1 for matched, 0 non-matched\n",
" candidate_link_df.loc[candidate_link_df['zagat_id'] == candidate_link_df['fodor_id'], 'match_status'] = 1.\n",
" candidate_link_df.loc[ ~(candidate_link_df['zagat_id'] == candidate_link_df['fodor_id']), 'match_status'] = 0.\n",
" \n",
" return candidate_link_df\n",
"\n",
"candidate_link_df = return_candidate_links_with_match_status(candidate_links)"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"### Creation of comparison vectors from indexed addresses"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"To resolve addresses into matches and non-matches we generate comparison vectors between each candidate address pair. Each element of this comparison vector is a similarity metric used to assess the closeness of two address fields. In our case, we use __Jaro-Winkler similarity__ because it has been observed to perform best on attributes containing named values (e.g., property names, street names, or city names) (Christen, 2012; Yancey, 2005). The Jaro similarity of two given address components $a_1$ and $a_2$ is given by\n",
"\n",
"$$\n",
"jaro\\_sim =\\left\\{\n",
" \\begin{array}{ll}\n",
" 0 \\ \\ \\ \\ \\ \\ \\ \\ \\ \\ \\ \\ \\ \\ \\ \\ \\ \\ \\ \\ \\ \\ \\ \\ \\ \\ \\ \\ \\ \\ \\ \\ \\ if \\ \\ m = 0\\\\\n",
" \\frac{1}{3} (\\frac{m}{|a_1|} + \\frac{m}{|a_2|} + \\frac{m-t}{m}) \\ \\ otherwise\n",
" \\end{array}\n",
" \\right.\n",
" \\\n",
"$$\n",
"\n",
"where $|a_i|$ is the length of the address component string $a_i$, $m$ is the number of matching characters, and $t$ is the number of transpositions required to match the two address components. We will create a function that makes use of the `jellyfish` implementation of Jaro-winkler similarity. Several other string similarity metrics are available and are optimised for particular use cases and data types. See Chapter 5 of Concepts and Techniques for Record Linkage, Entity Resolution, and Duplicate Detection by Peter Christen for an excellent overview."
]
},
{
"cell_type": "code",
"execution_count": 13,
"metadata": {},
"outputs": [],
"source": [
"def jarowinkler_similarity(s1, s2):\n",
" \n",
" conc = pd.concat([s1, s2], axis=1, ignore_index=True)\n",
" \n",
" def jaro_winkler_apply(x):\n",
" \n",
" try:\n",
" return jellyfish.jaro_winkler(x[0], x[1])\n",
" # raise error if fields are empty\n",
" except Exception as err:\n",
" if pd.isnull(x[0]) or pd.isnull(x[1]):\n",
" return np.nan\n",
" else:\n",
" raise err\n",
" \n",
" # apply row-wise to concatenated columns\n",
" return conc.apply(jaro_winkler_apply, axis=1)"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Before applying Jaro-Winkler similarity we need to choose columns that were segmented in __both__ the Zagat and Fodor datasets."
]
},
{
"cell_type": "code",
"execution_count": 14,
"metadata": {},
"outputs": [
{
"data": {
"text/plain": [
"Index(['city_zagat', 'house_zagat', 'house_number_zagat', 'road_zagat',\n",
" 'suburb_zagat', 'zagat_id', 'city_fodor', 'house_fodor',\n",
" 'house_number_fodor', 'road_fodor', 'suburb_fodor', 'fodor_id',\n",
" 'match_status'],\n",
" dtype='object')"
]
},
"execution_count": 14,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"# lets take a look at the columns we have available\n",
"candidate_link_df.columns"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"As we can only match columns that were parsed in both address datasets, this means we lose two columns, `city_district_zagat` and `state_fodor`, that were parsed by the CRF segmentation model. Once we observe which address fields are common to both datasets, we create so-called comparison vectors from candidate address pairs of the Zagat and Fodor datasets. Each element of the comparison vector represents the string similarity between address fields contained in both databases. For example, `city_jaro` describes the string similarity between the columns `city_zagat` and `city_fodor`. Looking at the first two rows of our comparison vectors dataframe, a `city_jaro` value of 1.00 implies an exact match whereas a value of 0.4040 implies a number of modifications are required to match the two city names, and so these are less likely to correspond to a match."
]
},
{
"cell_type": "code",
"execution_count": 15,
"metadata": {},
"outputs": [
{
"data": {
"text/html": [
" \n",
"
\n",
"
\n",
"
\n",
"
city_jaro
\n",
"
house_jaro
\n",
"
house_number_jaro
\n",
"
road_jaro
\n",
"
suburb_jaro
\n",
"
match_status
\n",
"
\n",
"
\n",
"
0
\n",
"
1
\n",
"
1
\n",
"
1
\n",
"
1
\n",
"
0
\n",
"
1
\n",
"
\n",
"
1
\n",
"
0.40404
\n",
"
0.568301
\n",
"
0
\n",
"
0.629085
\n",
"
0
\n",
"
0
\n",
"
\n",
"
2
\n",
"
0
\n",
"
0.482143
\n",
"
0
\n",
"
0.674077
\n",
"
0
\n",
"
0
\n",
"
\n",
"
3
\n",
"
0.626263
\n",
"
0.502778
\n",
"
0.511111
\n",
"
0.629085
\n",
"
0
\n",
"
0
\n",
"
\n",
"
4
\n",
"
1
\n",
"
0.45463
\n",
"
0
\n",
"
0.831493
\n",
"
0
\n",
"
0
\n",
"
\n",
"
"
],
"text/plain": [
""
]
},
"execution_count": 15,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"# create a function for building comparison vectors we can reuse later\n",
"def return_comparison_vectors(candidate_link_df):\n",
" \n",
" candidate_link_df['city_jaro'] = jarowinkler_similarity(candidate_link_df.city_zagat, candidate_link_df.city_fodor)\n",
" candidate_link_df['house_jaro'] = jarowinkler_similarity(candidate_link_df.house_zagat, candidate_link_df.house_fodor)\n",
" candidate_link_df['house_number_jaro'] = jarowinkler_similarity(candidate_link_df.house_number_zagat, candidate_link_df.house_number_fodor)\n",
" candidate_link_df['road_jaro'] = jarowinkler_similarity(candidate_link_df.road_zagat, candidate_link_df.road_fodor)\n",
" candidate_link_df['suburb_jaro'] = jarowinkler_similarity(candidate_link_df.suburb_zagat, candidate_link_df.suburb_fodor)\n",
"\n",
" # now we build a dataframe that contains the jaro-winkler similarity between the address components and the matching status\n",
" comparison_vectors = candidate_link_df[['city_jaro', 'house_jaro', 'house_number_jaro',\\\n",
" 'road_jaro', 'suburb_jaro', 'match_status']]\n",
" \n",
" # set NaN values to 0 so the comparison vectors can work with the applied classifiers\n",
" comparison_vectors = comparison_vectors.fillna(0.)\n",
" \n",
" return comparison_vectors\n",
"\n",
"comparison_vectors = return_comparison_vectors(candidate_link_df)\n",
"\n",
"# lets preview this dataframe to build some intution as to how it looks\n",
"comparison_vectors.head().style.set_table_styles(styles)"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"### Classification and evaluation of match performance"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Once we obtain comparison vectors for each candidate address pair, we frame our approach as a binary classification problem by resolving the vectors into matches and non-matches. As the Zagat and Fodors dataframe has labels that describe our address pairs as matched, we use supervised classification to train a statistical model, a __random forest__, to classify address pairs with an unknown match status into matches and non-matches. As a reminder, a random forest is generated using a multitude of decision trees during training which then outputs the mode of the match status decision for the individual trees. \n",
"\n",
"In practice, we initialize a random forest object and split our `comparison_vectors` dataframe into features containing our Jaro-Winkler string similarity features, $X$, and a vector used to predict match status of the addresses, $y$."
]
},
{
"cell_type": "code",
"execution_count": null,
"metadata": {},
"outputs": [],
"source": [
"# create a random forest classifier that uses 100 trees and number of cores equal to those available on machine\n",
"rf = RandomForestClassifier(n_estimators = 100, \n",
" # Due to small number of features (5) we do not limit depth of trees\n",
" max_depth = None, \n",
" # max number of features to evaluate split is sqrt(n_features)\n",
" max_features = 'auto', \n",
" n_jobs = os.cpu_count())\n",
"\n",
"# define metrics we use to assess the model\n",
"scoring = ['precision', 'recall', 'f1']\n",
"folds = 10\n",
"\n",
"# extract the jaro-winkler string similarity and match label\n",
"X = comparison_vectors.iloc[:, 0:5]\n",
"y = comparison_vectors['match_status']"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"To evaluate the performance of our built classification model, we use 10-fold cross-validation meaning the performance measures are averaged across the test sets used within the 10 folds. We use three metrics that are commonly used to evaluate machine learning models. Recall measures the proportion of address pairs that should have been classified, or recalled, as matched (Christen, 2012). The precision (or, equivalently, the positive predictive value) calculates the proportion of the matched address pairs that are classified correctly as true matches (Christen, 2012). Finally, the F1 score reflects the harmonic mean between precision and recall. Our cross-validation exercise is executed in the following cell."
]
},
{
"cell_type": "code",
"execution_count": 16,
"metadata": {},
"outputs": [],
"source": [
"# 10-fold cross-validation procedure\n",
"scores = cross_validate(estimator = rf,\n",
" X = X,\n",
" y = y,\n",
" cv = folds, \n",
" scoring = scoring,\n",
" return_train_score = False)"
]
},
{
"cell_type": "code",
"execution_count": 17,
"metadata": {},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"Mean precision score is 0.9546 over 10 folds.\n",
"Mean recall score is 0.928 over 10 folds.\n",
"Mean F1 score is 0.9383 over 10 folds.\n"
]
}
],
"source": [
"print('Mean precision score is {} over {} folds.'.format( np.round(np.mean(scores['test_precision']), 4), folds))\n",
"print('Mean recall score is {} over {} folds.'.format( np.round(np.mean(scores['test_recall']), 4), folds))\n",
"print('Mean F1 score is {} over {} folds.'.format( np.round(np.mean(scores['test_f1']), 4), folds))"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Overall, the high precision value implies that 95% of true positives are successfully disambiguated from false positives. Moreover, our recall value implies that 93% of all potential matches were successfully returned, with the remaining 7% of correct matches incorrectly labelled as false negatives. Given the high values in both of these metrics, the accompanying F1 score is equally high."
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"# Creation of candidate address pairs by blocking on zipcode"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"While a Cartesian product could be useful in a linkage exercise where we have a very small number of matched addresses, in production environments more sophisticated techniques are generally required to create candidate address links. This is particularly the case when we have a large number of addresses. Thus, blocking is typically introduced to partition the set of all possible address comparisons to within mutually exclusive blocks. If we let $b$ equal the number of blocks, we reduce the complexity of the comparison exercise to $O(\\frac{n^2}{b})$, which is far more computationally tractable than the full index method used above.\n",
"\n",
"When deciding which column to use as a blocking key we generally need pay attention to two main considerations. Firstly, we pay attention to attribute data quality. Typically when identifying a blocking key, we choose a key that has a __low number of missing values__. This is because choosing a key with many missing values forces a large number of addresses into a block where the key is an empty value, which may lead to many misclassified address matches. And secondly we pay attention to the __frequency distribution__ of attribute values. We optimise towards a uniform distribution of values, as typically skewed distributions that result in some values occurring very frequently mean that these values will dominate the candidate pairs of address generated. \n",
"\n",
"These considerations are addressed in the following two code blocks."
]
},
{
"cell_type": "code",
"execution_count": 20,
"metadata": {},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"Missing postcodes for Zagat addresses: 1. \n",
"Missing postcodes for Fodor addresses: 0.\n"
]
}
],
"source": [
"print(\"Missing postcodes for Zagat addresses: {}. \\nMissing postcodes for Fodor addresses: {}.\"\n",
" .format(matched_address.postcode_zagat.isnull().sum(), matched_address.postcode_fodor.isnull().sum()))"
]
},
{
"cell_type": "code",
"execution_count": 21,
"metadata": {},
"outputs": [
{
"data": {
"image/png": "iVBORw0KGgoAAAANSUhEUgAAAlcAAAF8CAYAAADiuJ7sAAAABHNCSVQICAgIfAhkiAAAAAlwSFlz\nAAALEgAACxIB0t1+/AAAADl0RVh0U29mdHdhcmUAbWF0cGxvdGxpYiB2ZXJzaW9uIDIuMi4yLCBo\ndHRwOi8vbWF0cGxvdGxpYi5vcmcvhp/UCwAAIABJREFUeJzs3XtcVGXiBvDnzAzDbRAYrnJRkKvg\nBUHMO5qYXcxum6Ir22Vrt83V2s2trDbd1dzq89t2u2m7bu2ulUUqZbWZlzI1RdFRRERREBBRrnKR\nOwzz+4NlNlMZkBnemTnP9/PxQ8NwZp5zAnk873veIxkMBgOIiIiIyCwUogMQERER2ROWKyIiIiIz\nYrkiIiIiMiOWKyIiIiIzYrkiIiIiMiOWKyIiIiIzUokO0E2n04mOQERERNRrCQkJ1/y81ZQr4Poh\nb5ROpzP7a9oauR8D7r+89x/gMZD7/gM8BnLff8Ayx6Cnk0IcFiQiIiIyI5YrIiIiIjNiuSIiIiIy\nI5YrIiIiIjNiuSIiIiIyI5YrIiIiIjNiuSIiIiIyI5YrIiIiIjNiuSIiIiIyI5YrIiIiIjNiuSIi\nIiIyI5YrEqpd346vznyFszVnRUchIiIyC5YrEiajJAPxf4/HHRvuQMSbEbjvk/uwv2S/6FhERET9\nwnJFA66muQaPffkYJr43ETkVOZg5bCbCteFIP5mOSe9NwoR3J2BT7iboO/WioxIREfWZSnQAkpeP\ncz7Gk18/ifLGcoR4hOC3E36Lkb4jYTAYcKz8GDbmbkRGSQbu33g/5sXOw0f3fQRJkkTHJiIi6jWW\nKxow64+txwOfPQC1Uo1H4h/B3Ji5cFA6AAAkSUKcfxzi/ONQUleCV/a9grQTabg1/FY8GPeg2OBE\nRER9wGFBGhD1rfV4esfTcFQ6Yt2d6/DTkT81FqsfC3YPxgtTX4CrgysWb13Mye5ERGRTWK5oQLy0\n5yWUN5Zj/sj5GOI+xOTX+2v88cRNT6ChrQGpn6aio7NjAFISERH1H8sVWdyZ6jP4y4G/wM/VDymx\nKb3eLnlYMqaHTMf+kv145ftXLJiQiIjIfFiuyOKW7liK9s52PDb2MTiqHHu9nSRJ+M3438DHxQcr\ndq/AodJDFkxJRERkHixXZFHbC7bj87zPMdpvNJKGJvV5ezdHNzwz+Rl0dHZg4acL0djWaIGURERE\n5sNyRRbTrm/Hk18/CYWkwK/H/fqGl1RIGJyA+2Pux+nq01j2zTIzpyQiIjIvliuymLWH1+Jk1UnM\njpiNcG14v17rkfhHEOgWiL/p/oayhjIzJSQiIjI/liuyiMrGSiz/bjk0ag0eHvNwv19PrVRjbuxc\ntOnbsObQGjMkJCIisgyWK7KINzPfRG1LLR4Y/QDcndzN8pq3hN2CQY6DsPbwWjS3N5vlNYmIiMyN\n5YrMzmAw4P3s9+GscsbsyNlme10nlRPujLwTVU1V+CD7A7O9LhERkTmxXJHZ7S/Zj6LaIkwZOgVO\nKiezvvbd0XdDpVDhLwf+AoPBYNbXJiIiMgeWKzK77rNKM4fNNPtre7t4Y3rIdJysOoltBdvM/vpE\nRET9xXJFZtWmb0PaiTRonbUY4z/GIu9xf8z9AIDXMl6zyOsTERH1B8sVmdXWM1tR01KDGaEzoFQo\nLfIeEV4RiPOPw46zO5BTkWOR9yAiIrpRLFdkVh8ct9yQ4A91n736S8ZfLPo+REREfcVyRWZT21KL\nL/K+QIh7SL8XDTVlfNB4BA0KwgfHP0B5Q7lF34uIiKgvWK7IbDbnbkarvhXJYck3fKub3lJICtw3\n/D606duw9vBai74XERFRX7Bckdl0DwnOCJ0xIO83K2wW3NRuWHt4LTo6OwbkPYmIiExhuSKzOFd3\nDt8VfYdRfqPgr/EfkPd0dnDGzaE3o6KxArsKdw3IexIREZnCckVmseH4BgCWn8j+YzeH3gwA+Djn\n4wF9XyIiouthuaJ+677djYPCAUlDkwb0vUf4joCPiw/ST6WjtaN1QN+biIjoWliuqN+OlR9DbmUu\nxgeNh5uj24C+t0JSYHrIdNS21GJ7wfYBfW8iIqJrYbmifvvo+EcABn5IsFv30OBHOR8JeX8iIqIf\nYrmifvu64GuolWqMCxwn5P0jvSIR4BaALXlb0NjWKCQDERFRN5Yr6pfyhnJkl2djpO9IOKochWSQ\nJAk3h9yMpvYm/OfMf4RkICIi6sZyRf2y8+xOAEBCQILQHLxqkIiIrAXLFfXLjrM7AABjB48VmiPU\nMxShHqH46sxXqGupE5qFiIjkjeWKbpjBYMCOszvg7uiOMG2Y6Di4OfRmtOpb8dmpz0RHISIiGetV\nuVq9ejXmzZuHlJQUZGdnX/HcgQMHMHfuXKSkpGDZsmXo7OxETk4Opk6ditTUVKSmpmLlypUWCU9i\nnaw6iQuXLyB+cDwUkviePj1kOgDg4xMcGiQiInFUpr4gMzMTxcXFSEtLQ35+PpYtW4aNGzcan3/x\nxRexfv16+Pv7Y8mSJdi7dy+cnZ0xa9YsPP/88xYNT2LtKOgaEhQ936pb4KBARHtFY0fBDlQ1VcHb\nxVt0JCIikiGTpxsyMjKQnJwMAAgPD0d9fT0aGhqMz6enp8Pfv+teclqtFjU1NWhs5OXwcrCzsGsy\nu+j5Vj80PXQ69AY9NuduFh2FiIhkymS5qqqqgqenp/Gxl5cXKisrjY81Gg0AoKKiAvv370dSUhKa\nmpqg0+nwyCOP4Kc//SkOHDhggegkUru+Hd8VfYfgQcHw0/iJjmPUPTTIBUWJiEgUk8OCBoPhqseS\nJF3xuerqajz22GN48cUX4enpiejoaCxatAgzZsxAYWEhHnroIWzfvh1qtbrH99LpdDewCz2zxGva\nGkscg6PVR9HQ1oAEzwTk5eWZ/fX7I9wtHHuK92D7/u3wcvSS/feA3Pcf4DGQ+/4DPAZy339gYI+B\nyXLl5+eHqqoq4+OKigp4e/9vLktDQwMeffRRPPHEE5g8eTIAICwsDGFhXVePhYaGwtvbG+Xl5QgO\nDu7xvRISzDt3R6fTmf01bY2ljsGWXVsAAMkxyYgaEmX21++PmR0zkX84H6XOpfDq9JL19wB/BngM\n5L7/AI+B3PcfsMwx6KmsmRwWnDRpErZt2wYAyM3Nha+vr3EoEABefvllPPDAA0hKSjJ+btOmTVi/\nfj0AoLKyEtXV1fDzs56hI+q/HWd3QCkpEecfJzrKVSYETQAAfHnmS8FJiIhIjkyeuYqPj0dsbCxS\nUlIgSRKWL1+O9PR0uLm5YfLkyfjss89QXFyMTZs2AQBmz56NW2+9FUuXLsW2bdvQ1taGFStWmBwS\nJNtR21KLzNJMDPceDo1aY3qDARbsHoygQUHYXrAdS0OWio5DREQyY7JcAcDSpVf+goqOjjb+d05O\nzjW3WbduXT9ikTXbVbgLnYZOjA2wnqsEf2x80Hhsyt2EI5eOYAImiI5DREQyIn7lR7I53be8sZb1\nra5lYtBEAMDe8r2CkxARkdywXFGf7Ti7Ay4OLhjuPVx0lOsa6TcSrg6u2Fu+96orXomIiCyJ5Yr6\npKi2CPmX8hHnHweVolejykKoFCokBibiQvMF5Fbmio5DREQywnJFfdJ9yxtrWpX9erqHBr88zasG\niYho4LBcUZ98U/gNAOueb9VtXOA4SJDwxekvREchIiIZYbmiPvn+3PfQOmkRPKjnBWGtgbuTO4a5\nDUPG+QxUNVWZ3oCIiMgMWK6o10rqSlB6uRQxPjFX3QLJWo30GIlOQye+zv9adBQiIpIJlivqtYzz\nGQCAWN9YwUl6b5TnKADg0CAREQ0Ylivqtf0l+wEAsT62U64GOw+Gv8YfX+d/jXZ9u+g4REQkAyxX\n1GsZ5zOglJSI9IoUHaXXJEnChKAJqG+tx/fnvhcdh4iIZIDlinqlub0ZRy4eQYRXBBxVjqLj9En3\njZw5NEhERAOB5Yp6RXdRh47ODpsaEuw22n80nFXOXO+KiIgGBMsV9UpGie1NZu+mVqoxNmAszlw6\ng9PVp0XHISIiO8dyRb2y/7ztTWb/oXGB4wAA2/K3CU5CRET2juWKTDIYDMgoyYCPiw98XX1Fx7kh\nYwO6btezrYDlioiILIvlikwqrC1EeWM5YnxiREe5Yf4afwQPCsauol1o7WgVHYeIiOwYyxWZZJxv\nZaNDgt0SAxPR1N5kXK+LiIjIEliuyCRbXJn9WhIDEgFwaJCIiCyL5YpM2l+yH2qlGhHaCNFR+mW0\n32g4KBxYroiIyKJYrqhHDW0NyC7PRqRXJByUDqLj9IuzgzNG+o1EVlkWyhvKRcchIiI7xXJFPTpU\negh6g97m51t1675qcHvBdsFJiIjIXrFcUY+M863spFx1z7vafpblioiILIPlinpkL5PZu4V5hkHr\nrMX2gu3oNHSKjkNERHaI5Yquq3vxUH+NP7TOWtFxzEKSJIwNGIuKxgocKzsmOg4REdkhliu6rjOX\nzqC6udpuhgS7cUkGIiKyJJYruq7uxTbtrVwlDE4AwHJFRESWwXJF12Vcmd1O5lt183T2RIQ2AvvO\n7UNDW4PoOEREZGdYrui6Ms5nwEnlhDDPMNFRzC4xMBHtne34rug70VGIiMjOsFzRNTW1N+FE5QmE\na8OhVChFxzE747yrfA4NEhGRebFc0TUdKzuGTkMnoryiREexiFifWDirnDnvioiIzI7liq5Jd1EH\nAIj0ihScxDIclA4Y4z8GZy6dQWFNoeg4RERkR1iu6JoOXzgMAHZ75goAxgbyVjhERGR+LFd0TbqL\nOjirnBE0KEh0FIsZO7irXO04u0NwEiIisicsV3SVxrZG5Fbm2u1k9m5Bg4Lg5+qHbwu/hb5TLzoO\nERHZCZYrusqxcvuezN5NkiQkBCSgpqXGOMeMiIiov1iu6Cq6C/Y9mf2Huldr31HAoUEiIjIPliu6\nyuGL/53M7m3fZ66ArnIlQeK8KyIiMhuWK7qK7oL9T2bv5u7kjnBtOPaX7OetcIiIyCxYrugKjW2N\nOFl1EhHaCCgkeXx7jA0Yi/bOduwp3iM6ChER2QF5/PakXssqy0KnoROR3vY/36pbQgDnXRERkfmw\nXNEV7H1l9msZ6TsSaqWa866IiMgsWK7oCnJYmf3H1Eo1RvmNwonKE7h4+aLoOEREZONYrugKcliZ\n/Vq6V2vfeXan4CRERGTrelWuVq9ejXnz5iElJQXZ2dlXPHfgwAHMnTsXKSkpWLZsGTo7O01uQ9ap\noa0Bp6pOIcJLPpPZu40N4K1wiIjIPFSmviAzMxPFxcVIS0tDfn4+li1bho0bNxqff/HFF7F+/Xr4\n+/tjyZIl2Lt3L5ydnXvchqxT92R2OQ0JdhvmOQxaJy12nt0Jg8EASZJERyIiIhtl8vRERkYGkpOT\nAQDh4eGor69HQ8P/1gNKT0+Hv78/AECr1aKmpsbkNmSd5LQy+49JkoT4gHhcbLiIE5UnRMchIiIb\nZrJcVVVVwdPT0/jYy8sLlZWVxscajQYAUFFRgf379yMpKcnkNmSduldml2O5AngrHCIiMg+Tw4IG\ng+Gqxz8eMqmursZjjz2GF198EZ6enr3a5lp0OvPfPNcSr2lrensM9p3dByelExovNiKvLM/CqQZO\nXl7v9sWjzQMAsOnoJkxVT7VkpAHFnwEeA7nvP8BjIPf9Bwb2GJgsV35+fqiqqjI+rqiogLe3t/Fx\nQ0MDHn30UTzxxBOYPHlyr7a5noSEhD6FN0Wn05n9NW1Nb49BQ1sDir4swii/URgePXwAkg2MvLw8\nREX1fg7Z0IKhyKrNwojRI+CocrRgsoHBnwEeA7nvP8BjIPf9ByxzDHoqayaHBSdNmoRt27YBAHJz\nc+Hr62scCgSAl19+GQ888ACSkpJ6vQ1Zn6MXj8IAgywns//Q2ICxaGpvQsb5DNFRiIjIRpk8cxUf\nH4/Y2FikpKRAkiQsX74c6enpcHNzw+TJk/HZZ5+huLgYmzZtAgDMnj0b8+bNu2obsm5yXJn9WhIC\nErD55GbsKNiBaSHTRMchIiIbZLJcAcDSpUuveBwdHW3875ycnF5tQ9ate2V2uZerOL84qBQqbD+7\nHS/NeEl0HCIiskHyWimSrkt3UQdXB1cEDgoUHUUoZwdnjPAdAd0FHaqaqkxvQERE9CMsV4SGtgbk\nVeUhXBsuu5XZr2VswFgYYMA3Z78RHYWIiGwQf5MSssuzYYABEdoI0VGsQvetcLYXbBechIiIbBHL\nFeHoxaMAgHCvcMFJrEOENgLuju7Yfnb7VWu2ERERmcJyRcgqywIAnrn6L4WkQMLgBJyvP49TVadE\nxyEiIhvDckU4WnYUaqUaQ9yHiI5iNTg0SEREN4rlSuba9e04XnEcoR6hUCl6tTKHLBjL1VmWKyIi\n6huWK5k7WXUSbfo2hGs53+qHfFx9MNR9KL4r+g6tHa2i4xARkQ1huZI542R2lqurJAYkoqm9CftL\n9ouOQkRENoTlSuY4mf36OO+KiIhuBMuVzB0tOwoJEoZ5DhMdxeqM8hsFB4UD510REVGfsFzJmMFg\nQFZZFoIGBcHZwVl0HKvTfSucIxePoLKxUnQcIiKyESxXMlZYW4i61joOCfage2hw59mdgpMQEZGt\nYLmSMa7MbhqXZCAior5iuZIxTmY3LVwb3nUrnALeCoeIiHqH5UrGjpZxGQZTFJICCQEJuHD5AnIr\nc0XHISIiG8ByJWNHy47C28UbHk4eoqNYtcSARADAtoJtgpMQEZEtYLmSqYrGCly4fIFDgr3QPe/q\n6/yvBSchIiJbwHIlU1yZvfe8XbwR5hmG3cW70djWKDoOERFZOZYrmeJk9r65KfAmtOnbsKtol+go\nRERk5ViuZKp7MnuEF8tVb4wLHAcA2Hpmq+AkRERk7ViuZOpo2VFo1Br4ufqJjmITYn1j4ergiq35\nW7kkAxER9YjlSoYa2hpwpvoMwrXhkCRJdByboFKokBCQgMLaQpyuPi06DhERWTGWKxk6VnYMBhg4\nmb2PjEOD+RwaJCKi62O5kiFOZr8x4wJYroiIyDSWKxniyuw3xsfVp2tJhqLdaGpvEh2HiIisFMuV\nDB0tOwq1Uo0h7kNER7E5NwXehFZ9K3YVckkGIiK6NpYrmWnXtyOnIgehHqFQKVSi49ic7nlXX535\nSnASIiKyVixXMnOy6iTa9G0cErxBXJKBiIhMYbmSGd72pn+4JAMREZnCciUzxpXZeaXgDeOSDERE\n1BOWK5nJKsuCBAnDPIeJjmKzuCQDERH1hOVKRgwGA7LKshA0KAjODs6i49gsH1cfDPMcxiUZiIjo\nmliuZKSwthB1rXUcEjSD8YHjuSQDERFdE8uVjHSvzB7uxcns/cUlGYiI6HpYrmTEeKWgJ8tVf8X6\nxkKj1uDLM19ySQYiIroCy5WMGK8U9OKwYH+pFCrcFHgTztWdQ3Z5tug4RERkRViuZCSrLAveLt7w\ncPIQHcUuTAyeCADYkrdFcBIiIrImLFcyUdlYidLLpVw81IzGBY6DSqHC53mfi45CRERWhOVKJrh4\nqPlp1BrE+cVBd1GH8/XnRcchIiIrwXIlE8YrBXnmyqy6hwa/yPtCcBIiIrIWLFcy0X3miuXKvLrL\n1eenOTRIRERdWK5k4ujFo9A4aDBYM1h0FLvip/FDuDYc3xZ+i8utl0XHISIiK8ByJQONbY04XX0a\nYdowSJIkOo7dmRg8EW36Nmwr2CY6ChERWYFelavVq1dj3rx5SElJQXb2lWv6tLa24umnn8a9995r\n/FxOTg6mTp2K1NRUpKamYuXKleZNTX2SXZ4NAwwcErSQScGTAIBXDRIREQBAZeoLMjMzUVxcjLS0\nNOTn52PZsmXYuHGj8flXX30VMTExyM/PN36uqakJs2bNwvPPP2+Z1NQnnG9lWRHaCPi4+OA/Z/6D\njs4OqBQmf6yIiMiOmTxzlZGRgeTkZABAeHg46uvr0dDQYHz+N7/5jfH5bo2NjWaOSf3RfdsbLsNg\nGZIkYULwBFxqvoR95/aJjkNERIKZ/Cd2VVUVYmNjjY+9vLxQWVkJjUYDANBoNKitrb1im6amJuh0\nOjzyyCNobm7G4sWLMX78eJNhdDpdX/MLeU1bs//sfqgkFVrLW5FXmSc6zoDLy7P8Pg+VhgIA1u1d\nB021xuLv1xf8GeAxkPv+AzwGct9/YGCPgcly9eOb0hoMBpOToqOjo7Fo0SLMmDEDhYWFeOihh7B9\n+3ao1eoet0tISOhF5N7T6XRmf01bc/DQQRQ0FCDUMxQxw2NExxlweXl5iIqKsvj7hOpD8Y/8f+BA\nzQHEx8dbzYUD/BngMZD7/gM8BnLff8Ayx6CnsmZyWNDPzw9VVVXGxxUVFfD29u5xm7CwMMyYMQMA\nEBoaCm9vb5SXl/c2L5lRUUMRWvWtvFmzhamVaowLHIeCmgKcrDopOg4REQlkslxNmjQJ27Z1XWKe\nm5sLX19f45Dg9WzatAnr168HAFRWVqK6uhp+fn5miEt9lVffNSQW7snJ7JZmXFCUVw0SEcmayWHB\n+Ph4xMbGIiUlBZIkYfny5UhPT4ebmxtmzpyJJUuWoKysDIWFhUhNTcXcuXMxc+ZMLF26FNu2bUNb\nWxtWrFhhckiQLCOv7r/lyovlytLGB42HUlLis1Of4dnJz4qOQ0REgvTqmvGlS5de8Tg6Otr432+8\n8cY1t1m3bl0/YpG55NXnQYKEMM8w0VHs3iDHQRjtPxoHSw/iXN05DHEfIjoSEREJwBXa7ZjBYMDp\nutMIHBQIFwcX0XFkYVrINADAptxNYoMQEZEwLFd2rLiuGJc7LnPx0AE0ZcgUKCUlPjnxiegoREQk\nCMuVHTty8QgALh46kDycPBDnH4eDpQdRXFssOg4REQnAcmXHdBe61uCI9IoUnERekkKSAHBokIhI\nrliu7NiRMp65EqF7aHBj7kbTX0xERHaH5cpOGQwG6C7o4OXoBXcnd9FxZIVDg0RE8sZyZadKL5ei\nsqkSQ1y5HIAIvGqQiEi+WK7sVPd8K5YrMYxXDebyqkEiIrlhubJTuossVyK5O7ljjP8YZJZmoqi2\nSHQcIiIaQCxXdqp7GQaWK3E4NEhEJE8sV3ZKd1EHX1dfuDm4iY4iW5OHTOaCokREMsRyZYcuXL6A\nsoYyLsEgmLuTO8YMHoNDFw5xaJCISEZYruxQ95AgFw8Vb9rQaQCAjSe45hURkVywXNmh7isFI7x4\n5ko049AgrxokIpINlis71H2lYJRXlOAk5O7kjrEBY3H4wmHkVeWJjkNERAOA5coOHbl4BN4u3tA6\na0VHIQC3hN0CAPj3sX8LTkJERAOB5crOlDeUo/RyKSezW5FJwZOgUWvwfvb70HfqRcchIiILY7my\nM91DgpzMbj0cVY5IGpqE8/Xnsatol+g4RERkYSxXdoZXClqnWeGzAHBokIhIDliu7Ez3mSsOC1qX\nET4jEOgWiPST6bjcell0HCIisiCWKzuju6CD1kkLbxdv0VHoByRJwi1ht6CpvYm3wyEisnMsV3ak\nsrESJfUliPCKgCRJouPQj/CqQSIieWC5siOcb2Xd/DX+iPOPw+7i3SisKRQdh4iILITlyo7wSkHr\nd8uwrrNX72e/LzgJERFZCsuVHeGZK+uXFJIEJ5UT1h9bD4PBIDoOERFZAMuVHdFd1MHd0R0+Lj6i\no9B1uDi4YMqQKSioKcC+kn2i4xARkQWwXNmJS82XUFRbhEivSE5mt3Kzwv675lUWJ7YTEdkjlis7\n0T0kGOHF9a2sXZx/HHxcfPBJ7idobGsUHYeIiMyM5cpOZJZmAgCivaIFJyFTlAolbou4DfWt9dhw\nfIPoOEREZGYsV3biYOlBAMBwn+GCk1BvzI6YDaWkxJrDazixnYjIzrBc2QGDwYCD5w/Cx8WHK7Pb\nCB9XH0waMglZZVnIOJ8hOg4REZkRy5UdOFd3DuWN5TxrZWPujrobALDm0BrBSYiIyJxYruxA95Bg\ntDfnW9mSOP84DHUfio25G1HRWCE6DhERmQnLlR04eP6/8628eebKlkiShLui7kKbvg3/OPIP0XGI\niMhMWK7swMHSg1BICkR5RYmOQn10S9gtcFY5453D70DfqRcdh4iIzIDlysa169tx5OIRhHiEwNnB\nWXQc6iNXtStmDpuJkvoSfHn6S9FxiIjIDFiubFxORQ6aO5o5JGjD7o7umtj+9qG3BSchIiJzYLmy\ncVzfyvaFeoZilN8o7Di7A6erT4uOQ0RE/cRyZeO6y1WMd4zgJNQfd0XdBQBYe2it4CRERNRfLFc2\n7uD5g3BWOWOI+xDRUagfpgyZAq2zFv/M+ifvN0hEZONYrmxYXUsdTlWdQrR3NJQKpeg41A8OSgfM\niZyDutY6LstARGTjWK5s2KELh2CAgZPZ7cTd0XfDSeWE/8v4P7Tp20THISKiG8RyZcO6Fw/lyuz2\nwd3JHbMjZuN8/XlsOL5BdBwiIrpBvSpXq1evxrx585CSkoLs7OwrnmttbcXTTz+Ne++9t9fbkHnw\nSkH7c3/s/VApVHhl3yvoNHSKjkNERDfAZLnKzMxEcXEx0tLSsGrVKqxcufKK51999VXExMT0aRvq\nP4PBgMzSTPi4+MDbxVt0HDITX1dfJA9LxqmqU/js1Gei4xAR0Q0wWa4yMjKQnJwMAAgPD0d9fT0a\nGhqMz//mN78xPt/bbaj/ztWdQ3ljOc9a2aH5I+ZDgoQ/ff8nGAwG0XGIiKiPVKa+oKqqCrGxscbH\nXl5eqKyshEajAQBoNBrU1tb2aZvr0el0fQrfG5Z4TWuw48IOAIC3wRt5eXk9fq2p5+2dLe5/nDYO\nhy8cxjvb38E473H9ei17/RnoC7kfA7nvP8BjIPf9Bwb2GJgsVz/+l7PBYIAkSWbfBgASEhJMfk1f\n6HQ6s7+mtdhQ1TXheerwqYjyv/4Nm/Py8hAVJd8bOtvq/v/S65d47D+PYXP5Zvxq1q9u+HXs+Weg\nt+R+DOS+/wCPgdz3H7DMMeiprJkcFvTz80NVVZXxcUVFBby9e57jcyPbUN8cLD0IpaREpFek6Chk\nAVHeUUgYnIBvCr/BodJDouMQEVEfmCxXkyZNwrZt2wAAubm58PX1NTm8dyPbUO+169uhu6hDiEcI\nnB2cRcchC1kwcgEA4E/f/0kixSkcAAAgAElEQVRwEiIi6guTw4Lx8fGIjY1FSkoKJEnC8uXLkZ6e\nDjc3N8ycORNLlixBWVkZCgsLkZqairlz5+LOO++8ahsyn+MVx9HS0cLJ7HZujP8YRHtF49NTn+JE\nxQnE+saa3oiIiIQzWa4AYOnSpVc8jo7+36KVb7zxRq+2IfPh4qHyIEkSUken4vlvn8cLu17Ap/M+\nFR2JiIh6gSu026DvS74HAIz0HSk4CVnahKAJGOE7Ap+d+gwZJRmi4xARUS+wXNkYg8GA3UW74eHk\ngeBBwaLjkIVJkoRfxP8CAPDMzme47hURkQ1gubIxRbVFKL1cilF+o3q1vAXZvpF+IzExaCL2ntuL\nr858JToOERGZwHJlY/ae2wuAQ4Jy80j8I1BICiz7Zhn0nXrRcYiIqAcsVzZmT/EeAMBov9GCk9BA\nCvUMxS3DbsHxiuP48PiHouMQEVEPWK5szJ7iPXB1cMUwz2Gio9AAezDuQaiVavx+1+/R0tEiOg4R\nEV0Hy5UNKWsow5lLZzDCdwSUCqXoODTA/DR+uDvqbpyrO4e1h9aKjkNERNfBcmVD9hZ3zbca5TdK\ncBISZcHIBdCoNXhp70uoa6kTHYeIiK6B5cqGdM+3YrmSL3cnd8wfMR/VzdX44+4/io5DRETXwHJl\nQ/ac2wO1Uo0oryjRUUig+4bfh0C3QLx+8HVkl2eLjkNERD/CcmUjapprcLz8OGJ8YuCgdBAdhwRy\nVDliyU1LoDfo8av//Aqdhk7RkYiI6AdYrmzEvpJ9MMDAIUECAIwLHIekoUnYX7If/8r6l+g4RET0\nAyxXNoLzrejHFiUugrPKGU/veBrVTdWi4xAR0X+xXNmIPcV7oJSUiPGOER2FrISPqw8ejHsQ1c3V\neGbnM6LjEBHRf7Fc2YDGtkboLuoQ6RUJZwdn0XHIitw3/D6EeYbh3aPvYn/JftFxiIgILFc24cD5\nA+jo7OCQIF1FqVDiyfFPAgB+9Z9foaOzQ3AiIiJiubIBnG9FPRnhOwK3R9yO7PJsvJbxmug4RESy\nx3JlA/ae2wsJEkb6jhQdhazUL+J/Aa2TFr/f9XuufUVEJBjLlZVr07ch43wGQj1D4eboJjoOWSl3\nJ3csnbQUbfo2LExfiNaOVtGRiIhki+XKyh2+cBgtHS0Y5cshQerZhKAJmBM5B8crjuOFb18QHYeI\nSLZYrqyccb6VP8sVmfbY2McQNCgIf874M74r+k50HCIiWWK5snI7z+4EAIz2Gy04CdkCZwdnLJu8\nDApJgQc+ewAN7Q2iIxERyQ7LlRVraGvA3nN7EaGNgNZZKzoO2YgYnxgsHLUQ5+rO4dWcV0XHISKS\nHZYrK/Zd0Xdo07chMTBRdBSyMQtHLUS0dzS+Kv0Kn5z4RHQcIiJZYbmyYl/nfw0AGBcwTnASsjUq\nhQrPTX4OaoUaj3z+CE5VnRIdiYhINliurNjX+V/DxcEFsb6xoqOQDQp2D0bqsFRcbruMe9LuweXW\ny6IjERHJAsuVlcq/lI+CmgIkDE6ASqESHYdsVKJ3Iu6PuR+nqk7hwS0PwmAwiI5ERGT3WK6sVPeQ\nIOdbUX/9MuGXiPOPQ/rJdLy6jxPciYgsjeXKSm0r2AYASAxguaL+USqUeHHqi/Bx8cFz3z6HHQU7\nREciIrJrLFdWqLWjFd8Wfouh7kPhr/EXHYfsgKezJ1ZMWwGlpMT8zfNRVFskOhIRkd1iubJC35/7\nHk3tTRwSJLOK8YnB4psWo7q5Gnd9fBfqW+tFRyIiskssV1aISzCQpcyOmI05UXOQXZ6Ne9PuRZu+\nTXQkIiK7w3Jlhb4u+BqOSkeM9uctb8i8JEnCknFLMDF4Ir4p/AYPb3kYnYZO0bGIiOwKy5WVOV9/\nHjkVOYjzj4NaqRYdh+yQUqHE76f+HjE+Mfjw+Id47pvnREciIrIrLFdWZlt+11WCYwPGCk5C9sxJ\n5YTVN69G0KAgvLLvFbyd+bboSEREdoPlysp8XfDf+VaBnG9FluXu5I5Xkl+Bp5MnFm9djPST6aIj\nERHZBZYrK9LR2YEdBTvgr/FH8KBg0XFIBgLcAvCn5D/BSeWE+ZvnY+uZraIjERHZPJYrK5JZmom6\n1jqMCxgHSZJExyGZiPKKwqqbVwEA7km7xzg0TUREN4blyorwljckSvzgeLx080swwIC70+7GzrM7\nRUciIrJZLFdWZEveFjgoHBA/OF50FJKhsQFjsXL6Sug79Zjz0Rx8W/it6EhERDaJ5cpKnKo6hezy\nbCQGJsLFwUV0HJKpcYHj8Mfpf0RHZwdmb5iN3UW7RUciIrI5LFdWIi0nDQAwLWSa2CAke+ODxuMP\n0/6A9s523L7hds7BIiLqI5YrK/FJ7idQK9WYFDxJdBQiTAiegD9O6zqDdedHd+LjnI9FRyIishm9\nKlerV6/GvHnzkJKSguzs7Cue279/P37yk59g3rx5ePvtroUIc3JyMHXqVKSmpiI1NRUrV640f3I7\nklORg9zKXNwUeBOHBMlqTAiegFeTX4VaqcaCzQu40CgRUS+pTH1BZmYmiouLkZaWhvz8fCxbtgwb\nN240Pr9q1Sq8++678PPzw4IFCzBr1iw0NTVh1qxZeP755y0a3l5wSJCs1Wj/0fjrrX/F0zuexq+3\n/hpVTVV4MelFLhVCRNQDk2euMjIykJycDAAIDw9HfX09GhoaAAAlJSVwd3fH4MGDoVAokJSUhIyM\nDDQ2Nlo2tR0xGAz4JPcTOKmcMCFogug4RFcJ14bjzdvehL/GHyt2r8CSrUug79SLjkVEZLVMlquq\nqip4enoaH3t5eaGyshIAUFlZCa1Wa3zO29sblZWVaGpqgk6nwyOPPIKf/vSnOHDggAWi24dj5cdw\nuvo0xgeNh7ODs+g4RNcUOCgQb972JkI9QvHWobdw7yf3oqGtQXQsIiKrZHJY0GAwXPW4e0jgx88B\ngCRJiI6OxqJFizBjxgwUFhbioYcewvbt26FWq3t8L51O15fsvWKJ1zSnt06+BQCIdIhEXl6eRd7D\nUq9rK7j/5tv/xeGL8fczf8fneZ8j4e0E/CXxL/Bz9jPb61uKtf89YGly33+Ax0Du+w8M7DEwWa78\n/PxQVVVlfFxRUQFvb+9rPldeXg4fHx+EhYUhLCwMABAaGgpvb2+Ul5cjOLjn++UlJCTc0E5cj06n\nM/trmpPBYMCefXvgrHLGvePuhaPK0ezvkZeXh6ioKLO/rq3g/pt//98c/iZeP/g6vjz9JR45+Ag+\nn/85xgaMNet7mJO1/z1gaXLff4DHQO77D1jmGPRU1kwOC06aNAnbtnWtc5ObmwtfX19oNBoAQFBQ\nEBoaGnD+/Hl0dHRg165dmDRpEjZt2oT169cD6Bo6rK6uhp+f9f/rdqDpLupwtuYsJgZPtEixIrIE\nlUKF347/LR4f+zjKGsow9Z9TkX4yXXQsIiKrYfLMVXx8PGJjY5GSkgJJkrB8+XKkp6fDzc0NM2fO\nxIoVK/DUU08BAG6//XaEhoZCq9Vi6dKl2LZtG9ra2rBixQqTQ4JyxKsEyVZJkoT7Y+9H4KBArNqz\nCvd9ch+WJy3Hi0kvQiFx+TwikjeT5QoAli5desXj6Oho438nJiYiLS3tiufd3d2xbt06M8SzX91X\nCbo6uGJc4DjRcYhuyMTgiXjjtjfw+12/xx92/wGHLxzG+/e8D09nT9MbExHZKf4TU5CDpQdxru4c\nJg2ZBLWSZ/XIdoVrw/HOHe9gbMBY/OfMf5C4LhHHy4+LjkVEJAzLlSAcEiR74u7kjpdnvIwFIxeg\noKYA498dz1vmEJFssVwJ0KZvw0c5H8FN7Yaxg633KiuivlAqlHg0/lH8cdofAQDzN8/H4q8Wo7Wj\nVXAyIqKBxXIlwObczShvLMet4bfCQekgOg6RWU0ZOgVr71iLEI8QvHXoLUx8byLyL+WLjkVENGBY\nrgR469BbkCDhrqi7REchsogh7kOw9o61uD3idhy5eATxf4vnMCERyQbL1QA7cvEI9pfsx7jAcQgc\nFCg6DpHFOKmc8LuJv8NzU55DR2cH5m+ej19+8Us0tzeLjkZEZFEsVwPs7cy3AQD3RN8jOAnRwJg5\nbCb+NvtvCPMMw9+P/B1j141FVlmW6FhERBbDcjWAqpuqsSFnAwLcApAYmCg6DtGACXYPxpo71uCe\n6HuQW5mLcevG4f/2/x86DZ2ioxERmR3L1QB67+h7aOlowd1Rd3MVa5IdtVKNJTctwcszXoab2g2/\n2/E7zHx/Js7XnxcdjYjIrPgbfoDoO/VYc3gNnFROuDX8VtFxiIS5KegmvHvXu5gYPBHfFn6LUWtH\nGdd9IyKyByxXA+SrM1+hqLYIycOS4eboJjoOkVAeTh5YNX0Vfjvht2juaEbK5hTM2zQPVU1VoqMR\nEfUby9UAeevQWwCAu6PuFpyEyDpIkoQ7I+/EujvXIdYnFp+c+ASxa2Kx5dQW0dGIiPqF5WoAnK4+\nje0F2zHKbxTCtGGi4xBZlaBBQXj91tfxWMJjqGmuwd1pd+OBzx5AbUut6GhERDeE5WoArDm0BgCX\nXyC6HqVCiXkj5uFvs/+GSK9IrD+2HrFrYvF53ueioxER9RnLlYVVNlbivaPvwdvFG5OHTBYdh8iq\nhXqG4u3b38bDcQ+jorECd318F+Zvno/KxkrR0YiIeo3lysJW7VmFy22XMX/EfKgUKtFxiKyeSqFC\n6uhU/H323zHcezg+zvkYMWti8NHxj2AwGETHIyIyieXKgs7WnMXaw2sRoAnAnZF3io5DZFNCPUPx\n5m1v4vGxj+Ny62UsSF+AOR/Pwbm6c6KjERH1iOXKgp7/9nm0d7bj5/E/h4PSQXQcIpujVChxf+z9\neO+u9zDGfwy+PP0lYt6OwWsZr6Gjs0N0PCKia2K5spDDFw7j45yPEekViWkh00THIbJpAW4B+PMt\nf8Yzk56BSqHCU9ufwk3/uAm6CzrR0YiIrsJyZQEGgwHP7HwGAPDLhF/yVjdEZiBJEm4NvxX/vvvf\nmBU2C0cuHsG4f4zDE1ufQF1Lneh4RERG/K1vAdsKtuHbwm8xLnAc4gfHi45DZFfcndzx7ORn8dot\nryHALQBvZL6B6Lej8WH2h5zwTkRWgeXKzPSdejyz8xlIkPCL+F+IjkNkt8YMHoN357yLh+MexqXm\nS1j46UJM+/c05FTkiI5GRDLHcmVmG45vQHZ5NmaGzeRq7EQWplaqkTo6Ff+661+YFDwJe4r3IO6d\nODy17SkOFRKRMCxXZtTQ1oAXdr0AtVKNh+MeFh2HSDYGuw3GqptXYfWM1fDT+OG1A68h8q1IrNOt\ng96gFx2PiGSG5cqMlmxdgnN153B/zP3w0/iJjkMkOxOCJuCfd/0TPx/zc1xuvYxffPkLpO5Nxe6i\n3aKjEZGMsFyZSVpOGv6Z9U9EaCPwwOgHRMchki21Uo2FoxZi/T3rMStsFk7Xn8a0f0/DTz75CQou\nFYiOR0QywHJlBkW1Rfjll7+Es8oZv5/6ey4YSmQFvF288ezkZ/HMiGcQ6xOLzSc3I/rtaCzZuoT3\nKiQii2K56qeOzg4sTF+IutY6LB63GMHuwaIjEdEPhGq6bqOzPGk5fF198Wbmmwh7Iwwv7XkJjW2N\nouMRkR1iueqnVXtWYV/JPkwLmYZbw28VHYeIrkGSJEwLmYZ/3fUvLBm3BApJgRd2vYCINyOw5tAa\ntHa0io5IRHaE5aofvj/3PVbuWQk/Vz88NeEpSJIkOhIR9cBB6YB7ht+DD+/9EKmjUlHTUoNFXy0y\nXlnYrm8XHZGI7ADL1Q0qbyjHT9N/CgB4furz0Kg1ghMRUW+5ql3x8JiH8eG9H+InMT9BWUMZfvHl\nLxD1VhT+lfUv3hSaiPpFJTqALaporMCM9TNwru4cHop7CCN9R4qOREQ3QOusxaLERZgXOw8bjm/A\nl6e/xENbHsIfdv8Bv5v4OzwU9xCcHZxFxyQzade3o6S+BIU1hSiqLUJxXTEqGytR3Vzd9aepGpea\nL6GlowXtne3o6OxAu77ro4PSAS4OLnB1cO36qHaFh5MHBmsGd/1x6/oYNCgIkV6R8HX15WiGjLFc\n9VFVUxWS1yfjROUJ3Df8PqSOShUdiYj6ydvFG0tuWoKUESnYcHwDtuZvxaKvFuEPu/+AJ296Eo8n\nPg53J3fRMamXWjpacLLyJHIqcpBTkYPvz3yP0r2lKKkvQaeh87rbuTi4wE3tBhcHFygVSiglpfGj\nvlOPFn0LWjtaUdFYgZa6FjR3NF/3tQY5DkKkVyQitBGI9o5GnH8cxviPQdCgIJYuGWC56oPqpmok\nr0/G8YrjuCf6HixKXMQfEiI74uvqiyfHP4mfjf4ZNp/cjC2ntuC5b5/Dy/texqPxj2JR4iKEeoaK\njkk/0NHZgRMVJ5BZmtn150ImTlScuGplfi9nL8T6xMJf4w9/jT8GawbDX+MPDycPuDu5w03t1udl\ndNr0bbjUfAmXmi+huqnr7Fd5YzlK67uKXHZ5Ng5fOHxVjjj/OMQPjsf4oPGYEDQBg90G9/s4kHVh\nueqlS82XMPP9mThWfgxzouZg8bjFLFZEdkrrrMWj8Y9i/oj5+CLvC2zK3YQ/Z/wZr2W8Zvz5vzn0\nZv4dIMDl1svIOJ+BvcV7sffcXmSWZl5xBslR6Yho72iEeYYh1DMUoR6h0FfrER8bb/YsaqXaWNau\nRd+pR2VTJYpqi5B/KR9nLp1B/qV8fFP4Db4p/Mb4dUPdh2Ji8ERMCJqAqUOnYqTfSCgkTom2ZSxX\nvVDRWIHbP7wdR8uO4o6IO/DETU/wL1UiGdCoNZg/cj7ui7kP3xV9h09PfooteVuwJW8LYnxi8Kux\nv8KCkQugddaKjmq3altqsad4D74r+g67i3cjqyzLOLQnQUKoZyiGew9HtHc0or2jEeoRCqVCecVr\n5NXliYgOpUJpLF/jg8YbP9/Q1oAz1WdwovIEcitzkVuZi49yPsJHOR8BADydPDFl6BRMHTIVSSFJ\nGOM/5qp9IuvGcmXC1/lf44HPHkBFYwVuC78Nv53wW/6Lgkhm1Eo1bgm7BbeE3YLcylykn0zH7uLd\nWLx1MZ7a/hTujr4bD8c9jORhyfwl2E/1rfXYW7wXu4p2YVfRLhy9eBQGGAAADgoHxPjEYJTvKIz0\nG4kRviNs8kptjVqDMYPHYMzgMQAAg8GA0sulOF5+HNnl2ThWfgyf532Oz/M+BwC4O7ojKSQJN4fc\njOmh0zHCdwR/D1k5lqvraO1oxbM7n8VfD/4VDgoHPD72cdwXcx+/oYlkLsYnBjE+MXi8+XHsKNiB\nrflb8cmJT/DJiU8QNCgIC0cuxP2x92OM/xie4e6FpvYm7Du3D98WfotdRbtw+MJh43wplUKFkb4j\nETc4DnF+cYjxiYGjylFwYvOTJAlBg4IQNCgIt0XcBqBrxORY2TFklWch62LWFWXL28Ub00Om4+bQ\nm3Fz6M2I0Ebwe83KsFxdQ25lLhZsXoBj5ccwxH0IXpjyAiK8IkTHIiIronXWYt6IeZgbOxcnq05i\na/5W7CrchZf3vYyX972MMM8w3B9zP4vWjzS0NWB/yX7jMN+h0kNo7+xavFUpKRHtHY0x/mMQNzgO\nsT6xcFI5CU4shq+rL2aGzcTMsJkAgLKGMmSVZeHIxSPIKsvCxtyN2Ji7EQAQ6BaI6aHTMT1kOpKG\nJmGY5zB+vwnGcvUD1U3V+OuBv+LPGX9Gc0cz7oy8E48nPi7bH24iMk2SJOPZrF8n/hoHSw9id9Fu\nZJzPMBatEI8Q3BZ+G24NvxXTQ6bDzdFNdOwBU9FYgX3n9mFfyT58f+576C7qjIu0KiUlIrwiMNpv\nNOIHx2Ok70iuK3Yd/hp/3Bp+K24Nv9U4jNhdtI6WHcUH2R/gg+wPAABBg4KQNDQJSUOTMHXoVBgM\nBsHp5YflCkBlYyVey3gNbx16Cw1tDfB08sSyycswZegU0dGIyIY4qhwxdehUTB06Fa0drcgszcR3\nxd8hszQTaw+vxdrDa+GgcMDkIZNxS9gtmDxkMsYGjLWbf8C1dLTgWNkxHL5wGIcuHMK+kn3Iv5Rv\nfF4pKRHlHYXRfqMR5x+HEb4j4OLgIjCxbfrhMOKcqDkwGAwoqi1CVlkWjpUfw7HyY/jw+If48PiH\nAAB3B3dMPTMVk4InYWLwRIwNGMsSa2GyLleFNYVYc2gN1hxeg6b2JmidtXh87OO4M+pOu/nLjojE\ncFQ5YsrQKZgydAr0nXrkVuXiUOkhZJZmGidrA12TtBMCEoy/+OL84xDiEWL18zurm6qRU5GD4xXH\njes5Ha84fsWtgzRqDW4KvAkjfEdghO8IRHtH8+9WC5CkrqsmQz1Dcc/we2AwGFBcV4xjZcdwvOI4\nsi5k4YvTX+CL018A6JrLNsJ3BBIDErv+BCYi1ie2z+t80fXJrlzlX8rHptxN2JS7CbqLOgBdkwN/\nPubnuCPiDrucLElEYikVSoz0HYmRviPx8JiHUdNcg2Plx4wriB8qPYQD5w/gzxl/BtBVSrq/fqTf\nSIRrwxHqEYqhHkMHtJw0tTfhbM1ZFFwqQEFNAQouFeDMpTM4XnEcZQ1lV3ytWqk2rkYe5R2FKK8o\nDHEfYvUl0R5JkoQQjxCEeITgrui7kJeXB22QFicqTyCnIgcnq04itzIXWWVZWHdkHYCu9cFifGIw\nym8URvmNMn7v+bn6cf7WDZBNufq28Fs8tf0pZJVlAeg6PZ0YkIhpIdOQPCwZaqVacEIikgtPZ09M\nC5mGaSHTAADN7c04VXUKJ6tO4mzNWZytOYvM0kxknM+4atsAtwCEeoTCT+MHHxcf+Lj4wNvFGz6u\nPtCoNXBWOcPZwRlOKic4q5xx9vJZqMvV0Bv00HfqoTfo0dLRgvrW+iv+VDdV42LDxa4/l7s+Xmq+\ndM38fq5+GB80HqEeXYt0hnqGIsQjBCqFbH6l2BwfVx9Mc/3f91xHZweKaotwquoUTlWdwplLXetu\nHS07esV27o7uiPSKRJR3FCK1kYj0ijT+//Zx8WHxuo5e/SSsXr0ax44dgyRJeO655zBq1Cjjc/v3\n78drr70GpVKJqVOnYtGiRSa3EWHn2Z3IqcjB+KDxSBqahInBEzHIcZDQTEREAODs4HzFukdA102G\nz9WdQ2FtIcoayq4oPQfOH7jq9i492t23PBq1Bl7OXgj1CMVgt8EIcAtAgFsAAt0CEeAWwHlSdkCl\nUCFcG45wbThmR84G0LWifOnlUmPBL6otwrm6c8gqy8KhC4eueg1nlTOGegzFUPehCHALuOIG1oPd\nBsPHxQdeLl7wcPKQ3RlMk+UqMzMTxcXFSEtLQ35+PpYtW4aNGzcan1+1ahXeffdd+Pn5YcGCBZg1\naxYuXbrU4zYivHTzS5gTNQctHS1CcxAR9YaD0gFh2jCEacOuek7fqcfltsuobalFXUsdalu7PrZ0\ndN1YuE3fhlZ9K1r1raitqYXWUwuFQgGFpIBSUsJB4QBXtStcHFygUWuMNyz2cvGC1lnLM/kypVQo\nMcR9CIa4DzGe4QK6vt/KG8tRUleCkvoSlDeWo7yhvKv0X76IU1WnenxdhaSAp5MnvFy84OnkiUGO\ng+Du5I5B6kEY5DgIGrXG+P3o6tD10dnBGY5KRziqHOGkcoKj0hFqpRoOSoeujwoHOCgd4KBwMN5c\nW6VQQano+ii6zJksVxkZGUhOTgYAhIeHo76+Hg0NDdBoNCgpKYG7uzsGD+666WRSUhIyMjJw6dKl\n624jiiRJcFA4oE1qE5ZBBIWkEP5NJhL3X977D9jnMVAoFdA6a3t12528vDxERUUNQCrrZY/fA33R\n3/1XKBXGqxMnYMJVzze1N11x8+rqpmpcar6EutY61LXUoa61DvWt9ahorMDZmrNXXPRgCW5qN+z/\n+X6M8B1h0ffpiclyVVVVhdjYWONjLy8vVFZWQqPRoLKyElrt/364vb29UVJSgpqamutu0xOdTncj\n+9Cn13SFq9nfw5rFe8UDVaJTiMP9l/f+AzwGct9/gMfA0vvvClf4wKerUbj9908P2vRtaOhoQGNH\nIxraG9Ckb0KLvgUt+hY065vRom9Bq74V7Z3taOtsQ5u+DW2dbWjvbEeHoQMdnR1XfNQb9Og0dKLT\n0IkOQwdcVa64kH8BrSWtV7yvJTrG9ZgsVz9efMxgMBgnsF1rYTJJknrcpicJCQkmv6YvdDqd2V/T\n1sj9GHD/5b3/AI+B3Pcf4DGQ+/4DljkGPZU1k+XKz88PVVX/q7wVFRXw9va+5nPl5eXw8fGBSqW6\n7jZERERE9szkIOykSZOwbds2AEBubi58fX2Nw3tBQUFoaGjA+fPn0dHRgV27dmHSpEk9bkNERERk\nz0yeuYqPj0dsbCxSUlIgSRKWL1+O9PR0uLm5YebMmVixYgWeeuopAMDtt9+O0NBQhIaGXrUNERER\nkRz0ap2rpUuXXvE4Ojra+N+JiYlIS0szuQ0RERGRHMj32lQiIiIiC2C5IiIiIjIjlisiIiIiM2K5\nIiIiIjIjlisiIiIiM2K5IiIiIjIjlisiIiIiM2K5IiIiIjIjlisiIiIiM5IMBoNBdAig57tLExER\nEVmbhISEa37easoVERERkT3gsCARERGRGbFcEREREZkRyxURERGRGbFcEREREZkRyxURERGRGdl1\nuero6MAzzzyDBQsWYO7cuTh8+LDoSANm9erVmDdvHlJSUpCdnS06jhCvvvoq5s2bh/vuuw/bt28X\nHUeIlpYWzJgxA+np6aKjCPH5559jzpw5uPfee7F7927RcQZUY2Mjfv3rXyM1NRUpKSnYu3ev6EgD\n5vTp00hOTsYHH3wAALh48SJSU1OxYMECPPHEE2hraxOc0LKutf8PPvggFi5ciAcffBCVlZWCE1re\nj49Bt7179yIqKsri72/X5WrLli1wdnbGhg0b8NJLL+Hll18WHWlAZGZmori4GGlpaVi1ahVWrlwp\nOtKAO3DgAM6cOYO0tL1yjvQAABeuSURBVDT84x//wOrVq0VHEmLt2rXw8PAQHUOImpoavP3229iw\nYQPeeecd7Ny5U3SkAfXpp58iNDQU77//Pl5//XW89NJLoiMNiKamJqxcuRITJkwwfu6NN97AggUL\nsGHDBgQGBmLTpk0CE1rWtfb/r3/9K+bOnYsPPvgAM2fOxD//+U+BCS3vWscAAFpbW/H3v/8dPj4+\nFs9g1+Vqzpw5WLZsGQBAq9WitrZWcKKBkZGRgeTkZABAeHg46uvr0dDQIDjVwEpMTMTrr78OAHB3\nd0dzczP0er3gVAOroKAA+fn5mDZtmugoQmRkZGDChAnQaDTw9fWV3T8yPD09jX/n1dfXw9PTU3Ci\ngaFWq7Fu3Tr4+voaP3fw4EHMmDEDADBjxgxkZGSIimdx19r/5cuXY9asWQCu/L6wV9c6BgDwzjvv\nYMGCBVCr1RbPYNflysHBAY6OjgCAf//735g9e7bgRAOjqqrqir9Ivby8ZHEa+IeUSiVcXFwAABs3\nbsTUqVOhVCoFpxpYr7zyCp599lnRMYQ5f/48DAYDnnzySSxYsMCuf6Feyx133IELFy5g5syZWLhw\nIZ555hnRkQaESqWCk5PTFZ9rbm42/kL18fGx678Pr7X/Li4uUCqV0Ov12LBhA+68805B6QbGtY5B\nYWEhTp06hdtuu21gMgzIuwyAjRs3YuPGjVd8bvHixZgyZQo+/PBDnDhxAu+8846gdAPrx4vuGwwG\nSJIkKI1YO3fuxKZNm/Dee++JjjKgPvvsM8TFxSE4OFh0FKHKy8vx1ltv4cKFC/jZz36GXbt2yeZn\nYcuWLQgICMC7776LU6dO4fnnn8fmzZtFxxLih//P5XpTkv9v796jmrjyOIB/KSCitEVlxQdgVyUB\nWx8IuiggIqtolZ5WRDmgQOsDllIrxfqoEVBrFd9WCoKl2K4WxdJyfGCx6NGi6Pqo1u0qFKSCoiAK\nKAiEkNz9g5NpAkkmQiQVfp9zcg6ZmXvnd+/MkDtz78xIpVIsW7YMzs7OrbrLuoINGzZAJBJ12Po6\nTePK19cXvr6+raYfOnQIp06dQnx8PIyNjfUQWceztLTEw4cPue8PHjyAhYWFHiPSj5ycHOzevRtf\nfvklXn75ZX2H06FOnz6NO3fu4PTp0ygrK0O3bt3Qr18/jB8/Xt+hdZg+ffrAwcEBRkZGsLGxQc+e\nPVFZWYk+ffroO7QO8csvv8DV1RUAYGdnh/LycjQ1NcHIqNP829eaqakpGhoa0L17d5SXl7fqLuoK\nVq5ciUGDBiE8PFzfoXS48vJyFBUVYenSpQCafxPnzp3barC7LnXqbsE7d+7gwIEDiIuL47oHuwIX\nFxdkZWUBAG7cuIG+ffvCzMxMz1F1rJqaGmzatAmJiYldckD3jh07kJ6ejrS0NPj6+iIsLKxLNawA\nwNXVFRcuXIBMJkNlZSXq6uq6zLgjABg0aBB+/fVXAEBpaSl69uzZJRtWADB+/Hjuf+KJEyfg5uam\n54g61uHDh2FsbIzFixfrOxS9sLS0RHZ2NtLS0pCWloa+ffs+14YV0ImuXKly6NAhVFdXY9GiRdy0\n5OTkDhnMpk+jR4/G66+/Dj8/PxgYGCA6OlrfIXW4zMxMVFVVYcmSJdy02NhYDBgwQI9RkY5kaWkJ\nLy8vBAUFob6+HiKRCC+91KnPJ5XMmTMHn3zyCebOnYumpibExMToO6QO8dtvvyE2NhalpaUwMjJC\nVlYWtmzZghUrVuDgwYMYMGAA3n77bX2H+dyoKv+jR49gYmKCefPmAQCGDBnSqfcHVXWwa9euDj3R\nNmBdtQOaEEIIIeQ56DqncYQQQgghHYAaV4QQQgghOkSNK0IIIYQQHaLGFSGEEEKIDlHjihBCCCFE\nh6hxRQghhBCiQ9S4IoQQQgjRIWpcEUIIeS6OHz+O0NBQuLm5wcHBATNnzsTRo0efS7ry8nI4ODhA\nKBTi6dOnuirCc9HWegGAwsJCBAUFYeTIkXB1dcXOnTshlUpbLZednQ1vb2+88cYbmDRpElJSUnRd\nDKKBYUxnfkwr0SmhUIh+/frh9ddf12scRUVFCAwMxMaNGzF27FidPHW9qakJ9vb2GDhwIOzt7Z95\n/oto+PDh6NevX6cpz7PSxTblOyZ0ecy0JS+pVIrg4GDcunVLL68/EolEsLCwQGBgIGbNmgWpVIrY\n2FiYm5tj5MiROk0XHR2N8vJy1NXVISQk5C/9Jo621svjx48xe/Zs9OnTB1FRURAKhYiLi4NYLFZ6\nGfOVK1ewYMECeHh4ICIiAr1798bOnTvRs2dPjBo1Cps3b0ZiYiLeeuutLvXWgo7UqV9/0xnNmzcP\nly5dwv79++Ho6Kg0b8WKFQCAjRs36iO0DnPw4EHU1NTgwoULMDU11Xc4L6z//ve/+g5Bo8uXL0Mi\nkSj9aJBns2PHDtTV1Sm9BqojJSQkoHfv3tz3cePG4cGDB0hJSeFexaKLdJcvX0ZOTg5CQkKwadMm\n3RbiOWhrvRw4cABisRhxcXEwMzODi4sLamtrERcXh4ULF3LvkI2Pj4ejoyPWr18PoPk9m0+ePEF8\nfDz8/f0REREBPz8/7Nq1S2/7RmdHTdYXUK9evRAVFYXGxkZ9h6IXT548Qf/+/dGjRw8YGBjoOxzy\nnHz99de4cOGCvsN4Yd27dw8pKSn46KOPuBc2V1ZWQigUIjc3V2nZ9evXY/bs2TqPQbEBIWdvb4/K\nykqdpZNKpVi3bh3CwsLa9WLuiooKLF++HOPHj4ednR2EQiH3mTlzZpvzVaWt9fLzzz/D1dWVa0QB\nwPTp09HQ0ICLFy9y027evNnqpMTFxQWPHz/GtWvXYGRkhIiICCQnJ+P+/fvtLA1RhRpXLyBfX18A\nQFJSktplhEIhDh06xH1vamqCUCjE999/r7RMRkYG5s+fj1GjRmHq1Km4fv06UlNTMXHiRDg6OmLF\nihVK/fnV1dUICwuDg4MDJk2ahK+++kppvY8fP0Z0dDTc3d0xcuRIvPPOOzhz5ozSOvfu3QsvLy8E\nBwerjL2qqgorV67ExIkT4eTkhNmzZ+Ps2bMAgIULFyIjIwNXr17F8OHDcenSJZV5FBUVYdGiRXB2\ndoajoyMCAgLwv//9j5tfUFAAPz8/ODg4YOrUqcjJyVFKzzdfXVn4yn/s2DF4e3vDwcEBY8eORXh4\nOMrLy7Wa3968VcUv30eEQiGOHDmCxYsXw9HREa6urti9e7fatPI0+/fvx6JFizBq1Cg4OzsjOTmZ\nm69pO/LF7OfnhxMnTmDPnj1wcnICADx8+BCRkZEYM2YMnJ2dERkZqfRjxLc+vm3KV7/q8B0Tivhi\n5CujopiYGHh5eeHRo0cq5//73/+GjY2NUndgfn4+AMDOzk5p2fz8fAgEApX5MMbQ1NTE+9HW1atX\nMWTIEK2X50snv5oTEBDwzHnKicVivPvuu7h06RI+/vhj7N69m9vv5syZg/nz5ystr+s60VQ+RUVF\nRRg8eLDStAEDBsDU1BRFRUVK5WnZLSr/fuvWLQDNjS0bGxt88803zxQn0RIjL5S5c+eyzz//nF25\ncoUNHz6cFRYWcvOWL1/Oli9fzhhjTCAQsLS0NG6eRCJhAoGApaenc9MEAgGbMWMGu3nzJhOLxWzB\nggXM3d2dbdy4kdXX17OCggL2xhtvsJMnT3LLu7m5sdzcXNbY2MgyMzOZQCBgp06d4vL09/dnISEh\nrKKigonFYrZv3z42bNgwVlJSwuUxffp0VlBQwGQymdoyzp07l927d4/Lw87Ojv3+++9cOf38/DTW\n04wZM9jSpUtZfX09q6+vZ8uWLWMeHh6MMcZkMhmbMmUKCw8PZzU1NayiooKFhoZy9cM3X7H+WpZF\nU/nLysqYvb09O336NJPJZKyyspK9//777KOPPmKMMd757clbFcV9RCAQsClTprBLly6xpqYmdvDg\nQSYQCFh+fr7G9O7u7uzixYussbGRHTt2jAkEAnbu3DmttiNfzB4eHmzbtm3c+ubMmcPef/99VlVV\nxaqrq1lwcDALCgrSar/RZpvy7bvq6kDTMdHyOOSrE01lVMzriy++YO7u7qy0tFRtbDNmzGCffvqp\n0rTk5GTm4uLSatmxY8eyb775RmU+6enpTCAQ8H60kZuby4RCodJx1J50lZWVbMyYMez06dNKsdbW\n1j5T/tu2bWOjR49mZWVl3LTi4mImEAjYDz/80Gp5XdaJpvK1NGzYMJaSktJqupubG9u6dSv3/Z13\n3mHh4eFKyyQmJjKBQMASEhK4aZ999hmbPn261nES7dGYqxfU6NGjMXPmTIhEInz77bdt7h7z8PDg\nzmInTpyI8+fPY8mSJTAxMcHQoUMhFApRWFiISZMmAQAmTZrEXW6eNm0aEhMTkZ2dDQ8PD+Tl5eHy\n5cv48ccfYWFhAQAICAhAeno60tPTub59Nzc3DB06VGU8v//+Oy5evIjvvvsO/fv35/I4cOAA0tLS\nsGrVKq3KlZqaCiMjI3Tv3h0A8OabbyIjIwMVFRW4f/8+bt++jZ07d8LMzAxmZmYICwvDqVOnADSP\nRdI0X5FiWfjK7+3tDalUClNTUxgYGKBXr17YtWsXt+1qa2vVzm9v3trw9PTkzta9vb2xevVqjVc0\n5GnGjBnD1XFSUhKysrJgYWHBux01lbelvLw8XL16FYcPH4a5uTkAYM2aNbh58yYYYygoKNC4Pm9v\nb43bVNt9VxVNx4Qivn3bx8dHYxnl0tPTsX//fuzbt0/tzRxSqZS7q6xlPba8alVWVobq6moIhUKV\neXl4eOC7775TW35t3b17F5GRkfD09HymbjZN6bZv344RI0bA3d29XbEdOXIEs2fPhqWlJTfN2toa\nL730Empqalotr6s6AZ69XlQdH4wxpel+fn6IiYlBWloavLy8cP36de5uQcUB7HZ2dti7dy8kEgmM\njY11UBoiR42rF9jSpUsxbdo0pKamwt/fv015DBw4kPvb1NQUFhYWMDExUZomFou577a2tkrprays\nUFZWBgDcZem33npLaRnGmFJjysrKSm08JSUlKtczZMgQ3L17V6syAc2X2L/44gsUFhZCLBZzP05i\nsZgbY6AYh+L6+OYrUlyGr/xDhgxBYGAggoODIRAIMG7cOEydOpW7O0jT/PbmrY1BgwZxf8tvFGho\naNCYpmUXhbW1NcrKyrTajs8S8+3btwEo17eNjQ1sbGwA8O83fNtU231XFU3HhCK+GPnKCAA5OTk4\nefIkYmJi8Pe//11tTNXV1ZDJZK3GIOXl5WHChAmtpgFQ27gyNzfHyy+/rHZd2qiursbChQvRv39/\nbN68WSfpCgoK8P3332Pfvn148uQJAKC+vh5A84mKoaEhd3Klya1bt1BaWtpqjFJlZSVkMhn+9re/\ntUqjizoBnr1eXnnlFZWNvdraWqV4fHx8kJeXh5iYGKxevRqmpqZYunQp1q1bx508AH+O/aqqqkLf\nvn3bXR7yJ2pcvcDMzMwQFRWFFStWwNPTU+OyMplM5fSWt+Hy3Zbb8nkqjDGuL1/eKDt79ixeffVV\ntXloc4u04pk60By/RCLhTQcAf/zxB/71r39h3rx52L17N8zNzZGTk4MFCxYAAHcjgOKZnmL98M1X\nVxZtyr9q1SosWLAAZ8+exc8//4yAgADMnz8fERERGuePGDGi3Xnzacst2S3rpeUZNN921DZmQ0ND\nlfm1pG59fNtU231XFU3HxLPEqE0Z//Of/2Dy5Mn4/PPP4enpqXJgtCLF8jY2NqKoqKjV+KFffvkF\nlpaWasv9ww8/YOXKlRrXA/w5nqul+vp6hIaGQiKRICkpCT169ODNS5t0xcXFkEgkmDNnTqu0EyZM\nwKxZs7i75TSRj0vs06eP0vScnBwYGxvDxcWlVZr21gnQtnoZPHiw0tgqoPlksK6uTulEx9DQEFFR\nUfjwww9RVlYGKysrLp3iyQvf8UTajhpXL7jJkycjIyMDa9euVTpzMTExUbrqUFxcrJP1yc++5e7e\nvcs9EuK1114DANy4cUPpLPDOnTuwsrLSqotKfvUkPz8fo0aN4qYXFhZq/ZyeGzduQCKRICQkhOte\n+fXXX7n58i6Ze/fucVcRFP8J8s1Xh6/8jDE8efIElpaW8PHxgY+PDw4dOoQNGzYgIiICMplM7Xz5\nwPO25v28tNyvSkpK4OTkpNV21FTeljHL67aoqIhraJaUlCA7OxuBgYG86+Pbpu3ZdzUdE4r4YuQr\nIwBERERg1qxZCAgIwPLly5GUlKQyNnNzcxgYGCgNhr916xYkEolSI/rp06c4cuSI2qtWQPu6wJqa\nmvDhhx/i9u3bSE1NbdWAaU+60aNHtxqMnZOTgz179iApKQnW1tZarUv+f/OPP/7gniEmFouRkJCA\nadOmqbxC1d5uwbbWy4QJE5CcnIza2lrujsHMzEx0794dY8eObbX8q6++yjWav/32Wzg4OCgNmq+q\nqgKAdt1lSVSjuwU7gaioKFy4cEHp9urBgwcjOzsbdXV1qKysRHx8vE761LOzs7nnDx09ehR5eXl4\n8803ATR3b7i6uiI2NhbFxcWQSqX46aefMH36dFy5ckWr/G1tbTFu3Dhs2rQJDx48gFgsRkpKCoqL\nizFr1iyt8pD/U71y5QrEYjGOHz/O3VV4//59jBgxAhYWFkhISEBtbS3Ky8uRmJjI/UjxzVeHr/xH\njx7FjBkzcP36dTDG8PTpU/z222/cGaem+e3N+3lR3B+OHTuG/Px8TJs2TavtyBezqakpSkpKUFNT\ng8GDB2PMmDHYsWMHHj58iJqaGmzYsAFnzpyBkZER7/r4tml79l1Nx4QivhhtbW01lhFoviJhZGSE\nrVu34urVq/jyyy9VxmRoaAhbW1ulBmReXh4MDQ2RkJCAzMxMHD58GMHBwaioqEBDQwPXPdhSr169\nMHz4cN6PKmvWrMGZM2cQFhbGPQZA/lF8lExGRgaGDRuG0tJSrdP17t0b//jHP5Q+8n3HycmJ+3vr\n1q2IjIxUu/3s7e1hbW2NLVu24Pjx4/jxxx/h7++PxsZGiEQindeJtuVrWSdA81iqbt264YMPPkBu\nbi4OHjyIuLg4BAcHKz2e4dq1a0hOTkZubi5OnDiBxYsXIysrCy2fGZ6Xl4ehQ4dyvw18dUW0R1eu\nOgFLS0tERkZizZo13DSRSITo6Gg4OzvD2toaIpEI58+fb/e65s+fj6SkJFy8eBG9e/fGqlWruEHQ\nALB582Z89tln8PX1hUQiwaBBgxAbG6u0DJ/Nmzdj/fr18PHxQUNDA2xtbfH111+3GoirzogRIxAa\nGopPPvkEMpkM//znPxEXF4eQkBAsXLgQSUlJSEpKQnR0NFxdXWFpaYmVK1dyz1Tq1q2bxvl8sasr\nP2MMpaWlWLJkCR4+fIgePXrA0dER27ZtA9A8iFzT/Pbk/bz4+flx+4OpqSlEIhE3wJ1vO/KV19/f\nH1u2bIGnpycyMzMRFxeH6OhoTJkyBcbGxhg/fjzWrVunVPea1se3Tdu67/IdE4r4YuQro5yVlRXW\nrl2Ljz/+GE5OTnBwcGi1jKurq9LjJm7evAlbW1tMnjwZq1atgpmZGcLDw3Ht2jWcOnUKFRUVWh9j\n2jp37hwAqOyeO3nyJDe+TCaTQSqVct1U2qbTRkVFhcoxcHJGRkZISEhAdHQ0li1bhp49e3JPNn/W\nLmJtaVO+lnUCNF+J2rt3L9auXYvQ0FC88sorCAoKwgcffNCqTPJjxsDAAE5OTkhNTW11hfLcuXNK\nY/AqKipw7949XRa1yzJg1OlKCGkDoVCITz/9lHvuGvlrKS0thZeXF/bs2YNx48YhMDAQAwYM6PRv\ncGjp0aNHWL16NeLj4/Udyl/K+fPnsWjRImRlZenkFWJEGXULEkJIJzRw4EAEBQVh+/btkEqlyM/P\n1/mVqRdBZmamykHpXVlTUxO2b9+Od999lxpWzwl1CxJCSCcVERGB9957DyKRCNXV1V3yJd2a3tXX\nVe3YsQMmJiZYvHixvkPptKhbkBBCCCFEh6hbkBBCCCFEh6hxRQghhBCiQ9S4IoQQQgjRIWpcEUII\nIYToEDWuCCGEEEJ0iBpXhBBCCCE6RI0rQgghhBAdosYVIYQQQogO/R9vC3Qpvci8YwAAAABJRU5E\nrkJggg==\n",
"text/plain": [
"