From 95d048568aca9b984ab90b481d681f737486230d Mon Sep 17 00:00:00 2001 From: Oliver Sherouse Date: Wed, 1 Nov 2017 12:59:20 -0400 Subject: [PATCH 1/9] Inaugurated 0.4.0 dev series --- quantgov/__init__.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/quantgov/__init__.py b/quantgov/__init__.py index d3ab80b..9efd6ed 100644 --- a/quantgov/__init__.py +++ b/quantgov/__init__.py @@ -10,4 +10,4 @@ from .corpora.utils import load_driver -__version__ = '0.3.0' +__version__ = '0.4.0.dev' From e3f9c7a6007cb8feecd7e88f50644cac316ab6bb Mon Sep 17 00:00:00 2001 From: Jonathan Nelson Date: Tue, 28 Nov 2017 14:14:59 -0500 Subject: [PATCH 2/9] Sentiment analysis (#33) Closes #11 #12 #13 and adds Sentiment analysis! * complexity * complexity builtins * complexity builtins with tests * code review updates * option tests * added nltk requirement in setup.py * add pip install to .travis.yml * nltk fixes * another nltk fix * last nltk fix? * you know the drill * Update .travis.yml * nltk troubles * some final cleanup * if it aint broke... * textblob sentiment * tests and error raising * fixed install req * pep8 fixes * code review updates * fix travis file * import fixes * small fix --- .travis.yml | 2 + quantgov/corpora/builtins.py | 212 +++++++++++++++++++++++++++++++++++ setup.py | 7 +- tests/test_corpora.py | 62 ++++++++++ 4 files changed, 282 insertions(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index 0173ffb..75cc0ab 100644 --- a/.travis.yml +++ b/.travis.yml @@ -4,6 +4,8 @@ python: - '3.6' install: - pip install ".[testing]" +- pip install ".[nlp]" +- python -m nltk.downloader punkt stopwords wordnet script: pytest deploy: provider: pypi diff --git a/quantgov/corpora/builtins.py b/quantgov/corpora/builtins.py index 5dbf1d8..bb9b9b6 100644 --- a/quantgov/corpora/builtins.py +++ b/quantgov/corpora/builtins.py @@ -3,12 +3,46 @@ """ import re import collections +import math +from decorator import decorator import quantgov +try: + import nltk.corpus + NLTK = True +except ImportError: + NLTK = None + +try: + import textblob +except ImportError: + textblob = None + +if NLTK: + try: + nltk.corpus.wordnet.ensure_loaded() + except LookupError: + nltk.download('wordnet') + nltk.corpus.wordnet.ensure_loaded() + commands = {} +@decorator +def check_nltk(func, *args, **kwargs): + if NLTK is None: + raise RuntimeError('Must install NLTK to use {}'.format(func)) + return func(*args, **kwargs) + + +@decorator +def check_textblob(func, *args, **kwargs): + if textblob is None: + raise RuntimeError('Must install textblob to use {}'.format(func)) + return func(*args, **kwargs) + + class WordCounter(): cli = quantgov.utils.CLISpec( @@ -93,3 +127,181 @@ def process_document(doc, terms, pattern, total_label): commands['count_occurrences'] = OccurrenceCounter + + +class ShannonEntropy(): + lemmas = {} + cli = quantgov.utils.CLISpec( + help='Shannon Entropy', + arguments=[ + quantgov.utils.CLIArg( + flags=('--word_pattern', '-wp'), + kwargs={ + 'help': 'regular expression defining a "word"', + 'type': re.compile, + 'default': re.compile(r'\b\w+\b') + } + ), + quantgov.utils.CLIArg( + flags=('--stopwords', '-sw'), + kwargs={ + 'help': 'stopwords to ignore', + 'default': (nltk.corpus.stopwords.words('english') + if NLTK else None) + } + ), + quantgov.utils.CLIArg( + flags=('--precision'), + kwargs={ + 'help': 'decimal places to round', + 'default': 2 + } + ) + ] + ) + + @staticmethod + def get_columns(args): + return ('shannon_entropy',) + + @staticmethod + @check_nltk + @check_textblob + def process_document(doc, word_pattern, precision, stopwords, + textblob=textblob, nltk=NLTK): + words = word_pattern.findall(doc.text) + lemmas = [ + lemma for lemma in ( + ShannonEntropy.lemmatize(word) for word in words + ) + if lemma not in stopwords + ] + counts = collections.Counter(lemmas) + return doc.index + (round(sum( + -(count / len(lemmas) * math.log(count / len(lemmas), 2)) + for count in counts.values() + ), int(precision)),) + + def lemmatize(word): + if word in ShannonEntropy.lemmas: + lemma = ShannonEntropy.lemmas[word] + else: + lemma = textblob.Word(word).lemmatize() + ShannonEntropy.lemmas[word] = lemma + return lemma + + +commands['shannon_entropy'] = ShannonEntropy + + +class ConditionalCounter(): + cli = quantgov.utils.CLISpec( + help=('Count conditional words and phrases. Included terms are: ' + ' "if", "but", "except", "provided", "when", "where", ' + '"whenever", "unless", "notwithstanding", "in the event", ' + 'and "in no event"'), + arguments=[] + ) + pattern = re.compile( + r'\b(if|but|except|provided|when|where' + r'|whenever|unless|notwithstanding' + r'|in\s+the\s+event|in\s+no\s+event)\b' + ) + + @staticmethod + def get_columns(args): + return ('conditionals',) + + @staticmethod + def process_document(doc): + return doc.index + (len(ConditionalCounter.pattern.findall( + ' '.join((doc.text).splitlines()))),) + + +commands['count_conditionals'] = ConditionalCounter + + +class SentenceLength(): + + cli = quantgov.utils.CLISpec( + help='Sentence Length', + arguments=[ + quantgov.utils.CLIArg( + flags=('--precision'), + kwargs={ + 'help': 'decimal places to round', + 'default': 2 + } + ) + ] + ) + + @staticmethod + def get_columns(args): + return ('sentence_length',) + + @staticmethod + @check_nltk + @check_textblob + def process_document(doc, precision): + sentences = textblob.TextBlob(doc.text).sentences + # Allows for rounding to a specified number of decimals + if precision: + return doc.index + (round(sum(len( + sentence.words) for sentence in sentences) / + len(sentences), int(precision)),) + else: + return doc.index + (sum(len( + sentence.words) for sentence in sentences) / + len(sentences),) + + +commands['sentence_length'] = SentenceLength + + +class SentimentAnalysis(): + + cli = quantgov.utils.CLISpec( + help='Performs sentiment analysis on the text', + arguments=[ + quantgov.utils.CLIArg( + flags=('--backend'), + kwargs={ + 'help': 'which program to use for the analysis', + 'default': 'textblob' + } + ), + quantgov.utils.CLIArg( + flags=('--precision'), + kwargs={ + 'help': 'decimal places to round', + 'default': 2 + } + ) + ] + ) + + @staticmethod + def get_columns(args): + if args['backend'] == 'textblob': + return ('sentiment_polarity', 'sentiment_subjectivity',) + else: + raise NotImplementedError + + @staticmethod + @check_nltk + @check_textblob + def process_document(doc, backend, precision): + if backend == 'textblob': + sentiment = textblob.TextBlob(doc.text) + # Allows for rounding to a specified number of decimals + if precision: + return (doc.index + + (round(sentiment.polarity, int(precision)), + round(sentiment.subjectivity, int(precision)),)) + else: + return (doc.index + + (sentiment.polarity, sentiment.subjectivity,)) + + +commands['sentiment_analysis'] = SentimentAnalysis diff --git a/setup.py b/setup.py index b733fe1..3d424b1 100644 --- a/setup.py +++ b/setup.py @@ -52,6 +52,7 @@ def find_version(*file_paths): packages=find_packages( exclude=["*.tests", "*.tests.*", "tests.*", "tests"]), install_requires=[ + 'decorator', 'joblib', 'pandas', 'requests', @@ -60,7 +61,11 @@ def find_version(*file_paths): 'snakemake', ], extras_require={ - 'testing': ['pytest-flake8'] + 'testing': ['pytest-flake8'], + 'nlp': [ + 'textblob', + 'nltk', + ] }, entry_points={ 'console_scripts': [ diff --git a/tests/test_corpora.py b/tests/test_corpora.py index 5e89460..6863e36 100644 --- a/tests/test_corpora.py +++ b/tests/test_corpora.py @@ -126,3 +126,65 @@ def test_termcount_multiple_with_label(): 'lorem', 'dolor sit', '--total_label', 'bothofem'], ) assert output == 'file,lorem,dolor sit,bothofem\n1,1,1,2\n2,1,0,1\n' + + +def test_shannon_entropy(): + output = check_output( + ['quantgov', 'corpus', 'shannon_entropy', str(PSEUDO_CORPUS_PATH)], + ) + assert output == 'file,shannon_entropy\n1,7.14\n2,8.13\n' + + +def test_shannon_entropy_no_stopwords(): + output = check_output( + ['quantgov', 'corpus', 'shannon_entropy', str(PSEUDO_CORPUS_PATH), + '--stopwords', 'None'], + ) + assert output == 'file,shannon_entropy\n1,7.18\n2,8.09\n' + + +def test_shannon_entropy_4decimals(): + output = check_output( + ['quantgov', 'corpus', 'shannon_entropy', str(PSEUDO_CORPUS_PATH), + '--precision', '4'], + ) + assert output == 'file,shannon_entropy\n1,7.1413\n2,8.1252\n' + + +def test_conditionalcount(): + output = check_output( + ['quantgov', 'corpus', 'count_conditionals', str(PSEUDO_CORPUS_PATH)], + ) + assert output == 'file,conditionals\n1,0\n2,0\n' + + +def test_sentencelength(): + output = check_output( + ['quantgov', 'corpus', 'sentence_length', str(PSEUDO_CORPUS_PATH)], + ) + assert output == 'file,sentence_length\n1,9.54\n2,8.16\n' + + +def test_sentencelength_4decimals(): + output = check_output( + ['quantgov', 'corpus', 'sentence_length', str(PSEUDO_CORPUS_PATH), + '--precision', '4'], + ) + assert output == 'file,sentence_length\n1,9.5385\n2,8.1633\n' + + +def test_sentiment_analysis(): + output = check_output( + ['quantgov', 'corpus', 'sentiment_analysis', str(PSEUDO_CORPUS_PATH)], + ) + assert output == ('file,sentiment_polarity,sentiment_subjectivity' + '\n1,0.0,0.0\n2,0.0,0.0\n') + + +def test_sentiment_analysis_4decimals(): + output = check_output( + ['quantgov', 'corpus', 'sentiment_analysis', str(PSEUDO_CORPUS_PATH), + '--precision', '4'], + ) + assert output == ('file,sentiment_polarity,sentiment_subjectivity' + '\n1,0.0,0.0\n2,0.0,0.0\n') From c9956fb3a7938fe3f45b0bb4908088f41f4ebf5c Mon Sep 17 00:00:00 2001 From: Jonathan Nelson Date: Wed, 17 Jan 2018 15:46:27 -0500 Subject: [PATCH 3/9] Test corpora (#35) * complexity * complexity builtins * complexity builtins with tests * code review updates * option tests * added nltk requirement in setup.py * add pip install to .travis.yml * nltk fixes * another nltk fix * last nltk fix? * you know the drill * Update .travis.yml * nltk troubles * some final cleanup * if it aint broke... * new corpora in English!! --- tests/pseudo_corpus/data/clean/1.txt | 9 - tests/pseudo_corpus/data/clean/2.txt | 37 - tests/pseudo_corpus/data/clean/cfr.txt | 46153 ++++++++++++++++++++++ tests/pseudo_corpus/data/clean/moby.txt | 5157 +++ tests/test_corpora.py | 34 +- 5 files changed, 51328 insertions(+), 62 deletions(-) delete mode 100644 tests/pseudo_corpus/data/clean/1.txt delete mode 100644 tests/pseudo_corpus/data/clean/2.txt create mode 100644 tests/pseudo_corpus/data/clean/cfr.txt create mode 100644 tests/pseudo_corpus/data/clean/moby.txt diff --git a/tests/pseudo_corpus/data/clean/1.txt b/tests/pseudo_corpus/data/clean/1.txt deleted file mode 100644 index e91e77f..0000000 --- a/tests/pseudo_corpus/data/clean/1.txt +++ /dev/null @@ -1,9 +0,0 @@ -Lorem ipsum dolor sit amet, an dolor probatus deseruisse pri, ut nominati appellantur mel. His summo similique ei, ea eos bonorum tractatos, nam ex aperiam suscipit. Ex cum numquam signiferumque, cu eum etiam inermis dolores. Cu agam utamur debitis per, ipsum persequeris ut cum. Fuisset verterem et eum. - -Porro putent ex est, at vim nulla dolor reprimique, per cu esse salutandi scribentur. In case civibus sea, pro dicam option luptatum te, mel tota nullam possim ad. His ne wisi ipsum sanctus, in porro ludus ornatus pro. Doming complectitur eu quo, diam vidit vitae no vim, sed ne numquam omittantur complectitur. Usu ex accusamus scripserit, in duo putent labitur conceptam. - -Eu affert ubique eam, quod veri deserunt cu qui. Qui facilisi splendide definitionem at. Eam agam illum at, an urbanitas similique inciderint mel. An modus erant eleifend usu, veniam debitis eu sed. Cum ut zril dictas aperiri, ius ex deleniti conceptam elaboraret, usu putant epicurei gubergren et. - -Delectus perpetua instructior usu in, eam ne melius efficiendi, his dico scaevola cu. At clita eruditi lucilius sed, his fierent perpetua an. Probo everti cum cu. Posse veniam altera pri ex, ut iriure facilisis vis. Mea quem feugiat ne. - -Mea et nonumes neglegentur concludaturque. Duo te cetero iuvaret, cibo meis explicari usu ex. Postea voluptaria mea ex. Quo aperiri complectitur ex, et cibo consequat mediocritatem eum, mea ut animal intellegebat. Expetendis assueverit ut has, cum at agam meliore similique, ei mei laboramus aliquando concludaturque. At cum sint illud, prima paulo qui ea. diff --git a/tests/pseudo_corpus/data/clean/2.txt b/tests/pseudo_corpus/data/clean/2.txt deleted file mode 100644 index a6ab336..0000000 --- a/tests/pseudo_corpus/data/clean/2.txt +++ /dev/null @@ -1,37 +0,0 @@ -Sint quando iudicabit eu his, ne qui vide apeirian, meis nemore molestie duo ei. Et eum diam libris accommodare, pri audire aliquip consequat in. His ei tale platonem voluptatibus, ut mei altera tibique detracto, probo nulla ei nec. Vis habeo causae eu. Ei duo enim audire offendit. - -Cibo regione pertinacia an ius, at habeo erant sit? Fugit regione reformidans ea his. Nec possim molestie disputationi te, usu cu dolore volutpat, sonet partem cum et! Case latine interpretaris ad sit. Sed eu tamquam neglegentur. No nam esse cibo sale, et dicunt suavitate quo. - -Cu vel vero feugiat constituam, suscipit quaerendum nec id, nam everti dissentias conclusionemque in. Inimicus vituperatoribus in eam, per nobis nostro delectus te. Eu quo utamur scribentur, in munere latine ocurreret nec. Et vis inermis tibique, inermis oportere et mel? - -Modus facilisis maiestatis his in, error definiebas at mea! Choro delectus per cu? Pri facer noster dolorum ut, tation habemus reprehendunt ex mea? Et dico impetus mnesarchum vim. - -Impedit theophrastus cu eam? Vis id commune iracundia? Mel summo tincidunt forensibus ne? Nec vide choro menandri no? Te esse munere pro? - -Id usu doming inciderint, interesset delicatissimi et eam. Omittam intellegam quaerendum qui ad, quo vidit tantas essent id. Nam no nusquam apeirian, an mucius feugait persequeris pro. Et est duis vulputate? Nam no soluta graeco dignissim. - -Has quem choro ex. Facilis delicata consectetuer te per, his ei tation populo, dicant fabellas definiebas te mea. Ei quo impedit prodesset, probo utinam cu sit, ne cum ferri ullum molestiae? Eu vel argumentum omittantur. - -Legimus democritum cu quo? Feugait erroribus constituto ea has, eam esse mediocritatem et, at pro melius apeirian scripserit? Lorem albucius suscipit in nam? Sea munere assentior prodesset eu, phaedrum omittantur eum ut. Aliquam adipiscing te nam, mei doctus sanctus detraxit et, vis ei semper percipit nominati. Vis esse voluptua id. - -Vis an ridens nominati referrentur. Ea fierent molestie vivendum est, vel an saperet iudicabit? Mutat splendide eam ex. Vel et falli aliquid detraxit, quidam dissentias ea mei! Odio indoctum intellegebat est at. Debitis hendrerit dissentias per ne, equidem verterem aliquando te per? - -Ut diceret recteque eos? Vix ad albucius atomorum, mea ipsum habemus adipiscing at. Duis omnis volumus pri an, per dolorem sapientem at, adipisci salutatus intellegam eos in? Vivendum molestiae interpretaris in mel, no pri iusto noster. Eu eos vero probo ipsum, epicuri appetere iudicabit an pri, sed soluta voluptaria eu! - -Sea natum velit ludus te, putant docendi ea quo. Quas solum comprehensam ut duo, ea erat fabulas insolens cum, oratio molestiae vis cu? Ut eripuit laboramus philosophia eos, vix ceteros moderatius at. Vix enim senserit intellegat ne! In dolorum expetenda sit, veniam impetus at vis, ei ius tritani contentiones! Eu quem enim periculis vis? - -Ad nec mazim pertinax deseruisse, quidam laoreet praesent pro ad! Per no integre fuisset imperdiet! Cum malis voluptaria ne, appareat ponderum et sea. Amet magna definiebas per id, has viris dissentiet complectitur cu. Mel no utamur adversarium. - -Mundi solet nemore in qui. Has dicit vituperata ne. Ad vim eros percipitur concludaturque? Error legere facilisi vix eu, ad mutat soleat usu. Choro delenit persequeris nam ei, no sit movet consulatu. Id vivendum adipisci percipitur eos, vim te error altera impedit, labore virtute an quo. - -Quo primis vocibus at, choro alterum accusamus et ius? Pri etiam falli conclusionemque te, cum te erroribus disputando. Solum detraxit deseruisse ad eos, sit et tantas detraxit incorrupte, error errem quando ex nam. Duo et laudem officiis percipit, ad odio tacimates mei, mel eros concludaturque an. - -Te legimus consetetur honestatis vim. Tantas aliquip mel ea, reque salutandi mediocritatem ne nec. Latine graecis propriae per no, homero urbanitas te eam! Cu cum phaedrum explicari dissentiet, sea probo definiebas instructior et. His dictas partiendo no, no per utinam fuisset? Commune similique concludaturque per ei, has utinam commodo no, mel et movet libris platonem. Ut ius exerci vocent, te sea velit deserunt pertinacia, vel sale falli ceteros ut. - -Ad iuvaret denique sit. Mel etiam timeam disputando ne, vel eruditi copiosae eu. Ex ridens admodum deleniti qui, an philosophia consequuntur usu. Eos verterem pericula adversarium et, in mea accumsan omittantur, veri alienum appetere nam ex. Ex odio constituam est, te ius case dicunt tamquam. Vix cu error scaevola, mel epicurei consequat omittantur eu? - -Eirmod cotidieque ei ius. Iisque philosophia theophrastus sea eu! Sit meliore probatus ut. Nam ei nibh habemus consetetur, ad nec gloriatur moderatius. Mentitum rationibus eloquentiam his et, mel at cibo suavitate. Quidam recusabo ad ius. - -Sit modus voluptatibus ut, no eos platonem perpetua interesset? Et mei fugit impetus, pro no scaevola tacimates conceptam. Id justo convenire mei, ea debet conceptam mei, at mei reque praesent. Eos explicari definitiones te, accusam ancillae no quo. Dolorum nusquam sea at. - -Autem vituperatoribus sea ea, his ad duis accusamus neglegentur. Etiam consequat nam ea, appetere sensibus ad per? Interesset interpretaris nam ut, sale. diff --git a/tests/pseudo_corpus/data/clean/cfr.txt b/tests/pseudo_corpus/data/clean/cfr.txt new file mode 100644 index 0000000..4ec429a --- /dev/null +++ b/tests/pseudo_corpus/data/clean/cfr.txt @@ -0,0 +1,46153 @@ +[Title 21 CFR ] +[Code of Federal Regulations (annual edition) - April 1, 2016 Edition] +[From the U.S. Government Publishing Office] + + + +[[Page i]] + + + + Title 21 + +Food and Drugs + + +________________________ + +Parts 1 to 99 + + Revised as of April 1, 2016 + + Containing a codification of documents of general + applicability and future effect + + As of April 1, 2016 + Published by the Office of the Federal Register + National Archives and Records Administration as a + Special Edition of the Federal Register + +[[Page ii]] + + U.S. GOVERNMENT OFFICIAL EDITION NOTICE + + Legal Status and Use of Seals and Logos + + + The seal of the National Archives and Records Administration + (NARA) authenticates the Code of Federal Regulations (CFR) as + the official codification of Federal regulations established + under the Federal Register Act. Under the provisions of 44 + U.S.C. 1507, the contents of the CFR, a special edition of the + Federal Register, shall be judicially noticed. The CFR is + prima facie evidence of the original documents published in + the Federal Register (44 U.S.C. 1510). + + It is prohibited to use NARA's official seal and the stylized Code + of Federal Regulations logo on any republication of this + material without the express, written permission of the + Archivist of the United States or the Archivist's designee. + Any person using NARA's official seals and logos in a manner + inconsistent with the provisions of 36 CFR part 1200 is + subject to the penalties specified in 18 U.S.C. 506, 701, and + 1017. + + Use of ISBN Prefix + + This is the Official U.S. Government edition of this publication + and is herein identified to certify its authenticity. Use of + the 0-16 ISBN prefix is for U.S. Government Publishing Office + Official Editions only. The Superintendent of Documents of the + U.S. Government Publishing Office requests that any reprinted + edition clearly be labeled as a copy of the authentic work + with a new ISBN. + + [GRAPHIC(S) NOT AVAILABLE IN TIFF FORMAT] + + U . S . G O V E R N M E N T P U B L I S H I N G O F F I C E + + ------------------------------------------------------------------ + + U.S. Superintendent of Documents Washington, DC + 20402-0001 + + http://bookstore.gpo.gov + + Phone: toll-free (866) 512-1800; DC area (202) 512-1800 + +[[Page iii]] + + + + + Table of Contents + + + + Page + Explanation................................................. v + + Title 21: + Chapter I--Food and Drug Administration, Department + of Health and Human Services 3 + Finding Aids: + Table of CFR Titles and Chapters........................ 525 + Alphabetical List of Agencies Appearing in the CFR...... 545 + List of CFR Sections Affected........................... 555 + +[[Page iv]] + + + + + + ---------------------------- + + Cite this Code: CFR + To cite the regulations in + this volume use title, + part and section number. + Thus, 21 CFR 1.1 refers to + title 21, part 1, section + 1. + + ---------------------------- + +[[Page v]] + + + + EXPLANATION + + The Code of Federal Regulations is a codification of the general and +permanent rules published in the Federal Register by the Executive +departments and agencies of the Federal Government. The Code is divided +into 50 titles which represent broad areas subject to Federal +regulation. Each title is divided into chapters which usually bear the +name of the issuing agency. Each chapter is further subdivided into +parts covering specific regulatory areas. + Each volume of the Code is revised at least once each calendar year +and issued on a quarterly basis approximately as follows: + +Title 1 through Title 16.................................as of January 1 +Title 17 through Title 27..................................as of April 1 +Title 28 through Title 41...................................as of July 1 +Title 42 through Title 50................................as of October 1 + + The appropriate revision date is printed on the cover of each +volume. + +LEGAL STATUS + + The contents of the Federal Register are required to be judicially +noticed (44 U.S.C. 1507). The Code of Federal Regulations is prima facie +evidence of the text of the original documents (44 U.S.C. 1510). + +HOW TO USE THE CODE OF FEDERAL REGULATIONS + + The Code of Federal Regulations is kept up to date by the individual +issues of the Federal Register. These two publications must be used +together to determine the latest version of any given rule. + To determine whether a Code volume has been amended since its +revision date (in this case, April 1, 2016), consult the ``List of CFR +Sections Affected (LSA),'' which is issued monthly, and the ``Cumulative +List of Parts Affected,'' which appears in the Reader Aids section of +the daily Federal Register. These two lists will identify the Federal +Register page number of the latest amendment of any given rule. + +EFFECTIVE AND EXPIRATION DATES + + Each volume of the Code contains amendments published in the Federal +Register since the last revision of that volume of the Code. Source +citations for the regulations are referred to by volume number and page +number of the Federal Register and date of publication. Publication +dates and effective dates are usually not the same and care must be +exercised by the user in determining the actual effective date. In +instances where the effective date is beyond the cut-off date for the +Code a note has been inserted to reflect the future effective date. In +those instances where a regulation published in the Federal Register +states a date certain for expiration, an appropriate note will be +inserted following the text. + +OMB CONTROL NUMBERS + + The Paperwork Reduction Act of 1980 (Pub. L. 96-511) requires +Federal agencies to display an OMB control number with their information +collection request. + +[[Page vi]] + +Many agencies have begun publishing numerous OMB control numbers as +amendments to existing regulations in the CFR. These OMB numbers are +placed as close as possible to the applicable recordkeeping or reporting +requirements. + +PAST PROVISIONS OF THE CODE + + Provisions of the Code that are no longer in force and effect as of +the revision date stated on the cover of each volume are not carried. +Code users may find the text of provisions in effect on any given date +in the past by using the appropriate List of CFR Sections Affected +(LSA). For the convenience of the reader, a ``List of CFR Sections +Affected'' is published at the end of each CFR volume. For changes to +the Code prior to the LSA listings at the end of the volume, consult +previous annual editions of the LSA. For changes to the Code prior to +2001, consult the List of CFR Sections Affected compilations, published +for 1949-1963, 1964-1972, 1973-1985, and 1986-2000. + +``[RESERVED]'' TERMINOLOGY + + The term ``[Reserved]'' is used as a place holder within the Code of +Federal Regulations. An agency may add regulatory information at a +``[Reserved]'' location at any time. Occasionally ``[Reserved]'' is used +editorially to indicate that a portion of the CFR was left vacant and +not accidentally dropped due to a printing or computer error. + +INCORPORATION BY REFERENCE + + What is incorporation by reference? Incorporation by reference was +established by statute and allows Federal agencies to meet the +requirement to publish regulations in the Federal Register by referring +to materials already published elsewhere. For an incorporation to be +valid, the Director of the Federal Register must approve it. The legal +effect of incorporation by reference is that the material is treated as +if it were published in full in the Federal Register (5 U.S.C. 552(a)). +This material, like any other properly issued regulation, has the force +of law. + What is a proper incorporation by reference? The Director of the +Federal Register will approve an incorporation by reference only when +the requirements of 1 CFR part 51 are met. Some of the elements on which +approval is based are: + (a) The incorporation will substantially reduce the volume of +material published in the Federal Register. + (b) The matter incorporated is in fact available to the extent +necessary to afford fairness and uniformity in the administrative +process. + (c) The incorporating document is drafted and submitted for +publication in accordance with 1 CFR part 51. + What if the material incorporated by reference cannot be found? If +you have any problem locating or obtaining a copy of material listed as +an approved incorporation by reference, please contact the agency that +issued the regulation containing that incorporation. If, after +contacting the agency, you find the material is not available, please +notify the Director of the Federal Register, National Archives and +Records Administration, 8601 Adelphi Road, College Park, MD 20740-6001, +or call 202-741-6010. + +CFR INDEXES AND TABULAR GUIDES + + A subject index to the Code of Federal Regulations is contained in a +separate volume, revised annually as of January 1, entitled CFR Index +and Finding Aids. This volume contains the Parallel Table of Authorities +and Rules. A list of CFR titles, chapters, subchapters, and parts and an +alphabetical list of agencies publishing in the CFR are also included in +this volume. + +[[Page vii]] + + An index to the text of ``Title 3--The President'' is carried within +that volume. + The Federal Register Index is issued monthly in cumulative form. +This index is based on a consolidation of the ``Contents'' entries in +the daily Federal Register. + A List of CFR Sections Affected (LSA) is published monthly, keyed to +the revision dates of the 50 CFR titles. + +REPUBLICATION OF MATERIAL + + There are no restrictions on the republication of material appearing +in the Code of Federal Regulations. + +INQUIRIES + + For a legal interpretation or explanation of any regulation in this +volume, contact the issuing agency. The issuing agency's name appears at +the top of odd-numbered pages. + For inquiries concerning CFR reference assistance, call 202-741-6000 +or write to the Director, Office of the Federal Register, National +Archives and Records Administration, 8601 Adelphi Road, College Park, MD +20740-6001 or e-mail fedreg.info@nara.gov. + +SALES + + The Government Publishing Office (GPO) processes all sales and +distribution of the CFR. For payment by credit card, call toll-free, +866-512-1800, or DC area, 202-512-1800, M-F 8 a.m. to 4 p.m. e.s.t. or +fax your order to 202-512-2104, 24 hours a day. For payment by check, +write to: US Government Publishing Office - New Orders, P.O. Box 979050, +St. Louis, MO 63197-9000. + +ELECTRONIC SERVICES + + The full text of the Code of Federal Regulations, the LSA (List of +CFR Sections Affected), The United States Government Manual, the Federal +Register, Public Laws, Public Papers of the Presidents of the United +States, Compilation of Presidential Documents and the Privacy Act +Compilation are available in electronic format via www.ofr.gov. For more +information, contact the GPO Customer Contact Center, U.S. Government +Publishing Office. Phone 202-512-1800, or 866-512-1800 (toll-free). E- +mail, ContactCenter@gpo.gov. + The Office of the Federal Register also offers a free service on the +National Archives and Records Administration's (NARA) World Wide Web +site for public law numbers, Federal Register finding aids, and related +information. Connect to NARA's web site at www.archives.gov/federal- +register. + The e-CFR is a regularly updated, unofficial editorial compilation +of CFR material and Federal Register amendments, produced by the Office +of the Federal Register and the Government Publishing Office. It is +available at www.ecfr.gov. + + Oliver A. Potts, + Director, + Office of the Federal Register. + April 1, 2016. + + + + + + + +[[Page ix]] + + + + THIS TITLE + + Title 21--Food and Drugs is composed of nine volumes. The parts in +these volumes are arranged in the following order: Parts 1-99, 100-169, +170-199, 200-299, 300-499, 500-599, 600-799, 800-1299 and 1300 to end. +The first eight volumes, containing parts 1-1299, comprise Chapter I-- +Food and Drug Administration, Department of Health and Human Services. +The ninth volume, containing part 1300 to end, includes Chapter II--Drug +Enforcement Administration, Department of Justice, and Chapter III-- +Office of National Drug Control Policy. The contents of these volumes +represent all current regulations codified under this title of the CFR +as of April 1, 2016. + + For this volume, Kenneth R. Payne was Chief Editor. The Code of +Federal Regulations publication program is under the direction of John +Hyrum Martinez, assisted by Stephen J. Frattini. + +[[Page 1]] + + + + TITLE 21--FOOD AND DRUGS + + + + + (This book contains parts 1 to 99) + + -------------------------------------------------------------------- + Part + +chapter i--Food and Drug Administration, Department of + Health and Human Services................................. 1 + +[[Page 3]] + + + +CHAPTER I--FOOD AND DRUG ADMINISTRATION, DEPARTMENT OF HEALTH AND HUMAN + SERVICES + + + + + -------------------------------------------------------------------- + + + Editorial Note: Nomenclature changes to chapter I appear at 66 FR +56035, Nov. 6, 2001, 69 FR 13717, Mar. 24, 2004, and 69 FR 18803, Apr. +9, 2004. + + SUBCHAPTER A--GENERAL +Part Page +1 General enforcement regulations............. 5 +2 General administrative rulings and decisions 106 +3 Product jurisdiction........................ 111 +4 Regulation of combination products.......... 116 +5 Organization................................ 119 +7 Enforcement policy.......................... 125 +10 Administrative practices and procedures..... 135 +11 Electronic records; electronic signatures... 170 +12 Formal evidentiary public hearing........... 174 +13 Public hearing before a public board of + inquiry................................. 192 +14 Public hearing before a public advisory + committee............................... 196 +15 Public hearing before the Commissioner...... 224 +16 Regulatory hearing before the Food and Drug + Administration.......................... 226 +17 Civil money penalties hearings.............. 233 +19 Standards of conduct and conflicts of + interest................................ 248 +20 Public information.......................... 250 +21 Protection of privacy....................... 281 +25 Environmental impact considerations......... 297 +26 Mutual recognition of pharmaceutical good + manufacturing practice reports, medical + device quality system audit reports, and + certain medical device product + evaluation reports: United States and + the European Community.................. 309 +50 Protection of human subjects................ 340 +54 Financial disclosure by clinical + investigators........................... 352 +56 Institutional Review Boards................. 356 +58 Good laboratory practice for nonclinical + laboratory studies...................... 366 + +[[Page 4]] + +60 Patent term restoration..................... 379 +70 Color additives............................. 386 +71 Color additive petitions.................... 394 +73 Listing of color additives exempt from + certification........................... 401 +74 Listing of color additives subject to + certification........................... 454 +80 Color additive certification................ 491 +81 General specifications and general + restrictions for provisional color + additives for use in foods, drugs, and + cosmetics............................... 497 +82 Listing of certified provisionally listed + colors and specifications............... 504 +83-98 + +[Reserved] + +99 Dissemination of information on unapproved/ + new uses for marketed drugs, biologics, + and devices............................. 510 + +[[Page 5]] + + + + SUBCHAPTER A_GENERAL + + + + + +PART 1_GENERAL ENFORCEMENT REGULATIONS--Table of Contents + + + + Subpart A_General Provisions + +Sec. +1.1 General. +1.3 Definitions. +1.4 Authority citations. + + Subpart B_General Labeling Requirements + +1.20 Presence of mandatory label information. +1.21 Failure to reveal material facts. +1.23 Procedures for requesting variations and exemptions from required + label statements. +1.24 Exemptions from required label statements. + +Subparts C-D [Reserved] + + Subpart E_Imports and Exports + +1.83 Definitions. +1.90 Notice of sampling. +1.91 Payment for samples. +1.94 Hearing on refusal of admission or destruction. +1.95 Application for authorization to relabel and recondition. +1.96 Granting of authorization to relabel and recondition. +1.97 Bonds. +1.99 Costs chargeable in connection with relabeling and reconditioning + inadmissible imports. +1.101 Notification and recordkeeping. + +Subparts F-G [Reserved] + + Subpart H_Registration of Food Facilities + + General Provisions + +1.225 Who must register under this subpart? +1.226 Who does not have to register under this subpart? +1.227 What definitions apply to this subpart? + + Procedures for Registration of Food Facilities + +1.230 When must you register? +1.231 How and where do you register? +1.232 What information is required in the registration? +1.233 What optional items are included in the registration form? +1.234 How and when do you update your facility's registration + information? +1.235 How and when do you cancel your facility's registration + information? + + Additional Provisions + +1.240 What other registration requirements apply? +1.241 What are the consequences of failing to register, update, or + cancel your registration? +1.242 What does assignment of a registration number mean? +1.243 Is food registration information available to the public? + + Subpart I_Prior Notice of Imported Food + + General Provisions + +1.276 What definitions apply to this subpart? +1.277 What is the scope of this subpart? + + Requirements to Submit Prior Notice of Imported Food + +1.278 Who is authorized to submit prior notice? +1.279 When must prior notice be submitted to FDA? +1.280 How must you submit prior notice? +1.281 What information must be in a prior notice? +1.282 What must you do if information changes after you have received + confirmation of a prior notice from FDA? + + Consequences + +1.283 What happens to food that is imported or offered for import + without adequate prior notice? +1.284 What are the other consequences of failing to submit adequate + prior notice or otherwise failing to comply with this subpart? +1.285 What happens to food that is imported or offered for import from + unregistered facilities that are required to register under + subpart H of this part? + + Subpart J_Establishment, Maintenance, and Availability of Records + + General Provisions + +1.326 Who is subject to this subpart? +1.327 Who is excluded from all or part of the regulations in this + subpart? +1.328 What definitions apply to this subpart? +1.329 Do other statutory provisions and regulations apply? +1.330 Can existing records satisfy the requirements of this subpart? + +[[Page 6]] + + Requirements for Nontransporters To Establish and Maintain Records To + Identify the Nontransporter and Transporter Immediate Previous Sources + of Food + +1.337 What information must nontransporters establish and maintain to + identify the nontransporter and transporter immediate previous + sources of food? + + Requirements for Nontransporters To Establish and Maintain Records To + Identify the Nontransporter and Transporter Immediate Subsequent + Recipients of Food + +1.345 What information must nontransporters establish and maintain to + identify the nontransporter and transporter immediate + subsequent recipients of food? + + Requirements for Transporters To Establish and Maintain Records + +1.352 What information must transporters establish and maintain? + + General Requirements + +1.360 What are the record retention requirements? +1.361 What are the record availability requirements? +1.362 What records are excluded from this subpart? +1.363 What are the consequences of failing to establish or maintain + records or make them available to FDA as required by this + subpart? + + Compliance Dates + +1.368 What are the compliance dates for this subpart? + + Subpart K_Administrative Detention of Food for Human or Animal + Consumption + + General Provisions + +1.377 What definitions apply to this subpart? +1.378 What criteria does FDA use to order a detention? +1.379 How long may FDA detain an article of food? +1.380 Where and under what conditions must the detained article of food + be held? +1.381 May a detained article of food be delivered to another entity or + transferred to another location? +1.382 What labeling or marking requirements apply to a detained article + of food? +1.383 What expedited procedures apply when FDA initiates a seizure + action against a detained perishable food? +1.384 When does a detention order terminate? + + How does FDA order a detention? + +1.391 Who approves a detention order? +1.392 Who receives a copy of the detention order? +1.393 What information must FDA include in the detention order? + + What is the appeal process for a detention order? + +1.401 Who is entitled to appeal? +1.402 What are the requirements for submitting an appeal? +1.403 What requirements apply to an informal hearing? +1.404 Who serves as the presiding officer for an appeal, and for an + informal hearing? +1.405 When does FDA have to issue a decision on an appeal? +1.406 How will FDA handle classified information in an informal hearing? + + Subpart L_Foreign Supplier Verification Programs for Food Importers + +1.500 What definitions apply to this subpart? +1.501 To what foods do the regulations in this subpart apply? +1.502 What foreign supplier verification program (FSVP) must I have? +1.503 Who must develop my FSVP and perform FSVP activities? +1.504 What hazard analysis must I conduct? +1.505 What evaluation for foreign supplier approval and verification + must I conduct? +1.506 What foreign supplier verification and related activities must I + conduct? +1.507 What requirements apply when I import a food that cannot be + consumed without the hazards being controlled or for which the + hazards are controlled after importation? +1.508 What corrective actions must I take under my FSVP? +1.509 How must the importer be identified at entry? +1.510 How must I maintain records of my FSVP? +1.511 What FSVP must I have if I am importing a food subject to certain + dietary supplement current good manufacturing practice + regulations? +1.512 What FSVP may I have if I am a very small importer or if I am + importing certain food from certain small foreign suppliers? +1.513 What FSVP may I have if I am importing certain food from a country + with an officially recognized or equivalent food safety + system? + +[[Page 7]] + +1.514 What are some consequences of failing to comply with the + requirements of this subpart? + + Subpart M_Accreditation of Third-Party Certification Bodies To Conduct + Food Safety Audits and To Issue Certifications + +1.600 What definitions apply to this subpart? +1.601 Who is subject to this subpart? + + Recognition of Accreditation Bodies Under This Subpart + +1.610 Who is eligible to seek recognition? +1.611 What legal authority must an accreditation body have to qualify + for recognition? +1.612 What competency and capacity must an accreditation body have to + qualify for recognition? +1.613 What protections against conflicts of interest must an + accreditation body have to qualify for recognition? +1.614 What quality assurance procedures must an accreditation body have + to qualify for recognition? +1.615 What records procedures must an accreditation body have to qualify + for recognition? + + Requirements for Accreditation Bodies That Have Been Recognized Under + This Subpart + +1.620 How must a recognized accreditation body evaluate third-party + certification bodies seeking accreditation? +1.621 How must a recognized accreditation body monitor the performance + of third-party certification bodies it accredited? +1.622 How must a recognized accreditation body monitor its own + performance? +1.623 What reports and notifications must a recognized accreditation + body submit to FDA? +1.624 How must a recognized accreditation body protect against conflicts + of interest? +1.625 What records requirements must an accreditation body that has been + recognized meet? + + Procedures for Recognition of Accreditation Bodies Under This Subpart + +1.630 How do I apply to FDA for recognition or renewal of recognition? +1.631 How will FDA review my application for recognition or renewal of + recognition and what happens once FDA decides on my + application? +1.632 What is the duration of recognition? +1.633 How will FDA monitor recognized accreditation bodies? +1.634 When will FDA revoke recognition? +1.635 What if I want to voluntarily relinquish recognition or do not + want to renew recognition? +1.636 How do I request reinstatement of recognition? + + Accreditation of Third-Party Certification Bodies Under This Subpart + +1.640 Who is eligible to seek accreditation? +1.641 What legal authority must a third-party certification body have to + qualify for accreditation? +1.642 What competency and capacity must a third-party certification body + have to qualify for accreditation? +1.643 What protections against conflicts of interest must a third-party + certification body have to qualify for accreditation? +1.644 What quality assurance procedures must a third-party certification + body have to qualify for accreditation? +1.645 What records procedures must a third-party certification body have + to qualify for accreditation? + + Requirements for Third-Party Certification Bodies That Have Been + Accredited Under This Subpart + +1.650 How must an accredited third-party certification body ensure its + audit agents are competent and objective? +1.651 How must an accredited third-party certification body conduct a + food safety audit of an eligible entity? +1.652 What must an accredited third-party certification body include in + food safety audit reports? +1.653 What must an accredited third-party certification body do when + issuing food or facility certifications? +1.654 When must an accredited third-party certification body monitor an + eligible entity that it has issued a food or facility + certification? +1.655 How must an accredited third-party certification body monitor its + own performance? +1.656 What reports and notifications must an accredited third-party + certification body submit? +1.657 How must an accredited third-party certification body protect + against conflicts of interest? +1.658 What records requirements must a third-party certification body + that has been accredited meet? + + Procedures for Accreditation of Third-Party Certification Bodies Under + This Subpart + +1.660 Where do I apply for accreditation or renewal of accreditation by + a recognized accreditation body and what happens once the + recognized accreditation body decides on my application? + +[[Page 8]] + +1.661 What is the duration of accreditation by a recognized + accreditation body? +1.662 How will FDA monitor accredited third-party certification bodies? +1.663 How do I request an FDA waiver or waiver extension for the 13- + month limit for audit agents conducting regulatory audits? +1.664 When would FDA withdraw accreditation? +1.665 What if I want to voluntarily relinquish accreditation or do not + want to renew accreditation? +1.666 How do I request reaccreditation? + + Additional Procedures for Direct Accreditation of Third-Party + Certification Bodies Under This Subpart + +1.670 How do I apply to FDA for direct accreditation or renewal of + direct accreditation? +1.671 How will FDA review my application for direct accreditation or + renewal of direct accreditation and what happens once FDA + decides on my application? +1.672 What is the duration of direct accreditation? + + Requirements for Eligible Entities Under This Subpart + +1.680 How and when will FDA monitor eligible entities? +1.681 How frequently must eligible entities be recertified? + + General Requirements of This Subpart + +1.690 How will FDA make information about recognized accreditation + bodies and accredited third-party certification bodies + available to the public? +1.691 How do I request reconsideration of a denial by FDA of an + application or a waiver request? +1.692 How do I request internal agency review of a denial of an + application or waiver request upon reconsideration? +1.693 How do I request a regulatory hearing on a revocation of + recognition or withdrawal of accreditation? +1.694 Are electronic records created under this subpart subject to the + electronic records requirements of part 11 of this chapter? +1.695 Are the records obtained by FDA under this subpart subject to + public disclosure? + +Subparts N-P [Reserved] + +Subpart Q_Administrative Detention of Drugs Intended for Human or Animal + Use + +1.980 Administrative detention of drugs. + + Authority: 15 U.S.C. 1333, 1453, 1454, 1455, 4402; 19 U.S.C. 1490, +1491; 21 U.S.C. 321, 331, 332, 333, 334, 335a, 343, 350c, 350d, 350j, +352, 355, 360b, 360ccc, 360ccc-1, 360ccc-2, 362, 371, 374, 381, 382, +384a, 384b, 384d, 387, 387a, 387c, 393; 42 U.S.C. 216, 241, 243, 262, +264, 271. + + Source: 42 FR 15553, Mar. 22, 1977, unless otherwise noted. + + + + Subpart A_General Provisions + + + +Sec. 1.1 General. + + (a) The provisions of regulations promulgated under the Federal +Food, Drug, and Cosmetic Act with respect to the doing of any act shall +be applicable also to the causing of such act to be done. + (b) The definitions and interpretations of terms contained in +sections 201 and 900 of the Federal Food, Drug, and Cosmetic Act (21 +U.S.C. 321 and 387) shall be applicable also to such terms when used in +regulations promulgated under that act. + (c) The definition of package in Sec. 1.20 and of principal display +panel in Sec. Sec. 101.1, 201.60, 501.1, 701.10 and 801.60 of this +chapter; and the requirements pertaining to uniform location, lack of +qualification, and separation of the net quantity declaration in +Sec. Sec. 101.105(f), 201.62(e), 501.105(f), 701.13(f) and 801.62(e) of +this chapter to type size requirements for net quantity declaration in +Sec. Sec. 101.105(i), 201.62(h), 501.105(i), 701.13(i) and 801.62(h) of +this chapter, to initial statement of ounces in the dual declaration of +net quantity in Sec. Sec. 101.105(j) and (m), 201.62(i) and (k), +501.105(j) and (m), 701.13(j) and (m) and 801.62(i) and (k) of this +chapter, to initial statement of inches in declaration of net quantity +in Sec. Sec. 201.62(m), 701.13(o) and 801.62(m) of this chapter, to +initial statement of square inches in declaration of net quantity in +Sec. Sec. 201.62(n), 701.13(p) and 801.62(n) of this chapter, to +prohibition of certain supplemental net quantity statements in +Sec. Sec. 101.105(o), 201.62(o), 501.105(o), 701.13(q) and 801.62(o) of +this chapter, and to servings representations in Sec. 501.8 of this +chapter are provided for solely by the Fair Packaging and Labeling Act. +The other requirements of this part are issued under both the Fair +Packaging and Labeling Act and the Federal Food, Drug, and + +[[Page 9]] + +Cosmetic Act, or by the latter act solely, and are not limited in their +application by section 10 of the Fair Packaging and Labeling Act. + +[42 FR 15553, Mar. 22, 1977, as amended at 58 FR 17085, Apr. 1, 1993; 75 +FR 73953, Nov. 30, 2010; 78 FR 69543, Nov. 20, 2013] + + + +Sec. 1.3 Definitions. + + (a) Labeling includes all written, printed, or graphic matter +accompanying an article at any time while such article is in interstate +commerce or held for sale after shipment or delivery in interstate +commerce. + (b) Label means any display of written, printed, or graphic matter +on the immediate container of any article, or any such matter affixed to +any consumer commodity or affixed to or appearing upon a package +containing any consumer commodity. + + + +Sec. 1.4 Authority citations. + + (a) For each part of its regulations, the Food and Drug +Administration includes a centralized citation of all of the statutory +provisions that provide authority for any regulation that is included in +that part. + (b) The agency may rely on any one or more of the authorities that +are listed for a particular part in implementing or enforcing any +section in that part. + (c) All citations of authority in this chapter will list the +applicable sections in the organic statute if the statute is the Federal +Food, Drug, and Cosmetic Act, the Public Health Service Act, or the Fair +Packaging and Labeling Act. References to an act or a section thereof +include references to amendments to that act or section. These citations +will also list the corresponding United States Code (U.S.C.) sections. +For example, a citation to section 701 of the Federal Food, Drug, and +Cosmetic Act would be listed: Sec. 701 of the Federal Food, Drug, and +Cosmetic Act (21 U.S.C. 371). + (d) If the organic statute is one other than those specified in +paragraph (c) of this section, the citations of authority in this +chapter generally will list only the applicable U.S.C. sections. For +example, a citation to section 552 of the Administrative Procedure Act +would be listed: 5 U.S.C. 552. The agency may, where it determines that +such measures are in the interest of clarity and public understanding, +list the applicable sections in the organic statute and the +corresponding U.S.C. section in the same manner set out in paragraph (c) +of this section. References to an act or a section thereof include +references to amendments to that act or section. + (e) Where there is no U.S.C. provision, the agency will include a +citation to the U.S. Statutes at Large. Citations to the U.S. Statutes +at Large will refer to volume and page. + (f) The authority citations will include a citation to executive +delegations (i.e., Executive Orders), if any, necessary to link the +statutory authority to the agency. + +[54 FR 39630, Sept. 27, 1989] + + + + Subpart B_General Labeling Requirements + + + +Sec. 1.20 Presence of mandatory label information. + + In the regulations specified in Sec. 1.1(c) of this chapter, the +term package means any container or wrapping in which any food, drug, +device, or cosmetic is enclosed for use in the delivery or display of +such commodities to retail purchasers, but does not include: + (a) Shipping containers or wrappings used solely for the +transportation of any such commodity in bulk or in quantity to +manufacturers, packers, processors, or wholesale or retail distributors; + (b) Shipping containers or outer wrappings used by retailers to ship +or deliver any such commodity to retail customers if such containers and +wrappings bear no printed matter pertaining to any particular commodity; +or + (c) Containers subject to the provisions of the Act of August 3, +1912 (37 Stat. 250, as amended; 15 U.S.C. 231-233), the Act of March 4, +1915 (38 Stat. 1186, as amended; 15 U.S.C. 234-236), the Act of August +31, 1916 (39 Stat. 673, as amended; 15 U.S.C. 251-256), or the Act of +May 21, 1928 (45 Stat. 635, as amended; 15 U.S.C. 257-257i). + (d) Containers used for tray pack displays in retail establishments. + +[[Page 10]] + + (e) Transparent wrappers or containers which do not bear written, +printed, or graphic matter obscuring the label information required by +this part. + + +A requirement contained in this part that any word, statement, or other +information appear on the label shall not be considered to be complied +with unless such word, statement, or information also appears on the +outer container or wrapper of the retail package of the article, or, as +stated in paragraph (e) of this section, such information is easily +legible by virtue of the transparency of the outer wrapper or container. +Where a consumer commodity is marketed in a multiunit retail package +bearing the mandatory label information as required by this part and the +unit containers are not intended to be sold separately, the net weight +placement requirement of Sec. 101.105(f) applicable to such unit +containers is waived if the units are in compliance with all the other +requirements of this part. + +[42 FR 15553, Mar. 22, 1977, as amended at 75 FR 73953, Nov. 30, 2010; +78 FR 69543, Nov. 20, 2013] + + + +Sec. 1.21 Failure to reveal material facts. + + (a) Labeling of a food, drug, device, cosmetic, or tobacco product +shall be deemed to be misleading if it fails to reveal facts that are: + (1) Material in light of other representations made or suggested by +statement, word, design, device or any combination thereof; or + (2) Material with respect to consequences which may result from use +of the article under: (i) The conditions prescribed in such labeling or +(ii) such conditions of use as are customary or usual. + (b) Affirmative disclosure of material facts pursuant to paragraph +(a) of this section may be required, among other appropriate regulatory +procedures, by + (1) Regulations in this chapter promulgated pursuant to section +701(a) of the act; or + (2) Direct court enforcement action. + (c) Paragraph (a) of this section does not: + (1) Permit a statement of differences of opinion with respect to +warnings (including contraindications, precautions, adverse reactions, +and other information relating to possible product hazards) required in +labeling for food, drugs, devices, cosmetics, or tobacco products under +the Federal Food, Drug, and Cosmetic Act. + (2) Permit a statement of differences of opinion with respect to the +effectiveness of a drug unless each of the opinions expressed is +supported by substantial evidence of effectiveness as defined in +sections 505(d) and 512(d) of the act. + +[42 FR 15553, Mar. 22, 1977, as amended at 77 FR 5176, Feb. 2, 2012] + + + +Sec. 1.23 Procedures for requesting variations and exemptions +from required label statements. + + Section 403(e) of the act (in this part 1, the term act means the +Federal Food, Drug, and Cosmetic Act) provides for the establishment by +regulation of reasonable variations and exemptions for small packages +from the required declaration of net quantity of contents. Section +403(i) of the act provides for the establishment by regulation of +exemptions from the required declaration of ingredients where such +declaration is impracticable, or results in deception or unfair +competition. Section 502(b) of the act provides for the establishment by +regulation of reasonable variations and exemptions for small packages +from the required declaration of net quantity of contents. Section +602(b) of the act provides for the establishment by regulation of +reasonable variations and exemptions for small packages from the +required declaration of net quantity of contents. Section 5(b) of the +Fair Packaging and Labeling Act provides for the establishment by +regulation of exemptions from certain required declarations of net +quantity of contents, identity of commodity, identity and location of +manufacturer, packer, or distributor, and from declaration of net +quantity of servings represented, based on a finding that full +compliance with such required declarations is impracticable or not +necessary for the adequate protection of consumers, and a further +finding that the nature, form, or quantity of the packaged consumer +commodity or other good and sufficient reasons + +[[Page 11]] + +justify such exemptions. The Commissioner, on his own initiative or on +petition of an interested person, may propose a variation or exemption +based upon any of the foregoing statutory provisions, including proposed +findings if section 5(b) of the Fair Packaging and Labeling Act applies, +pursuant to parts 10, 12, 13, 14, 15, 16, and 19 of this chapter. + + + +Sec. 1.24 Exemptions from required label statements. + + The following exemptions are granted from label statements required +by this part: + (a) Foods. (1) While held for sale, a food shall be exempt from the +required declaration of net quantity of contents specified in this part +if said food is received in bulk containers at a retail establishment +and is accurately weighed, measured, or counted either within the view +of the purchaser or in compliance with the purchaser's order. + (2) Random food packages, as defined in Sec. 101.105(j) of this +chapter, bearing labels declaring net weight, price per pound or per +specified number of pounds, and total price shall be exempt from the +type size, dual declaration, and placement requirements of Sec. 101.105 +of this chapter if the accurate statement of net weight is presented +conspicuously on the principal display panel of the package. In the case +of food packed in random packages at one place for subsequent shipment +and sale at another, the price sections of the label may be left blank +provided they are filled in by the seller prior to retail sale. This +exemption shall also apply to uniform weight packages of cheese and +cheese products labeled in the same manner and by the same type of +equipment as random food packages exempted by this paragraph (a)(2) +except that the labels shall bear a declaration of price per pound and +not price per specified number of pounds. + (3) Individual serving-size packages of foods containing less than +\1/2\ ounce or less than \1/2\ fluid ounce for use in restaurants, +institutions, and passenger carriers, and not intended for sale at +retail, shall be exempt from the required declaration of net quantity of +contents specified in this part. + (4) Individually wrapped pieces of penny candy and other +confectionery of less than one-half ounce net weight per individual +piece shall be exempt from the labeling requirements of this part when +the container in which such confectionery is shipped is in conformance +with the labeling requirements of this part. Similarly, when such +confectionery items are sold in bags or boxes, such items shall be +exempt from the labeling requirements of this part, including the +required declaration of net quantity of contents specified in this part +when the declaration on the bag or box meets the requirements of this +part. + (5)(i) Soft drinks packaged in bottles shall be exempt from the +placement requirements for the statement of identity prescribed by Sec. +101.3 (a) and (d) of this chapter if such statement appears +conspicuously on the bottle closure. When such soft drinks are marketed +in a multiunit retail package, the multiunit retail package shall be +exempt from the statement of identity declaration requirements +prescribed by Sec. 101.3 of this chapter if the statement of identity +on the unit container is not obscured by the multiunit retail package. + (ii) A multiunit retail package for soft drinks shall be exempt from +the declaration regarding name and place of business required by Sec. +101.5 of this chapter if the package does not obscure the declaration on +unit containers or if it bears a statement that the declaration can be +found on the unit containers and the declaration on the unit containers +complies with Sec. 101.5 of this chapter. The declaration required by +Sec. 101.5 of this chapter may appear on the top or side of the closure +of bottled soft drinks if the statement is conspicuous and easily +legible. + (iii) Soft drinks packaged in bottles which display other required +label information only on the closure shall be exempt from the placement +requirements for the declaration of contents prescribed by Sec. +101.105(f) of this chapter if the required content declaration is blown, +formed, or molded into the surface of the bottle in close proximity to +the closure. + (iv) Where a trademark on a soft drink package also serves as, or +is, a statement of identity, the use of such + +[[Page 12]] + +trademark on the package in lines not parallel to the base on which the +package rests shall be exempted from the requirement of Sec. 101.3(d) +of this chapter that the statement be in lines parallel to the base so +long as there is also at least one statement of identity in lines +generally parallel to the base. + (v) A multiunit retail package for soft drinks in cans shall be +exempt from the declaration regarding name and place of business +required by Sec. 101.5 of this chapter if the package does not obscure +the declaration on unit containers or if it bears a statement that the +declaration can be found on the unit containers and the declaration on +the unit containers complies with Sec. 101.5 of this chapter. The +declaration required by Sec. 101.5 of this chapter may appear on the +top of soft drinks in cans if the statement is conspicuous and easily +legible, provided that when the declaration is embossed, it shall appear +in type size at least one-eighth inch in height, or if it is printed, +the type size shall not be less than one-sixteenth inch in height. The +declaration may follow the curvature of the lid of the can and shall not +be removed or obscured by the tab which opens the can. + (6)(i) Ice cream, french ice cream, ice milk, fruit sherbets, water +ices, quiescently frozen confections (with or without dairy +ingredients), special dietary frozen desserts, and products made in +semblance of the foregoing, when measured by and packaged in \1/2\- +liquid pint and \1/2\-gallon measure-containers, as defined in the +``Measure Container Code of National Bureau of Standards Handbook 44,'' +Specifications, Tolerances, and Other Technical Requirements for +Weighing and Measuring Devices, Sec. 4.45 ``Measure-Containers,'' which +is incorporated by reference, are exempt from the requirements of Sec. +101.105(b)(2) of this chapter to the extent that net contents of 8-fluid +ounces and 64-fluid ounces (or 2 quarts) may be expressed as \1/2\ pint +and \1/2\ gallon, respectively. Copies are available from the Center for +Food Safety and Applied Nutrition (HFS-150), Food and Drug +Administration, 5100 Paint Branch Pkwy., College Park, MD 20740, or at +the National Archives and Records Administration (NARA). For information +on the availability of this material at NARA, call 202-741-6030, or go +to: http://www.archives.gov/federal--register/code--of--federal-- +regulations/ibr--locations.html. + (ii) The foods named in paragraph (a)(6)(i) of this section, when +measured by and packaged in 1-liquid pint, 1-liquid quart, and \1/2\- +gallon measure-containers, as defined in the ``Measure Container Code of +National Bureau of Standards Handbook 44,'' Specifications, Tolerances, +and Other Technical Requirements for Weighing and Measuring Devices, +Sec. 4.45 ``Measure-Containers,'' which is incorporated by reference, +are exempt from the dual net-contents declaration requirement of Sec. +101.105(j) of this chapter. Copies are available from the Center for +Food Safety and Applied Nutrition (HFS-150), Food and Drug +Administration, 5100 Paint Branch Pkwy., College Park, MD 20740, or at +the National Archives and Records Administration (NARA). For information +on the availability of this material at NARA, call 202-741-6030, or go +to: http://www.archives.gov/federal--register/code--of--federal-- +regulations/ibr--locations.html. + (iii) The foods named in paragraph (a)(6)(i) of this section, when +measured by and packaged in \1/2\-liquid pint, 1-liquid pint, 1-liquid +quart, \1/2\-gallon, and 1-gallon measured-containers, as defined in the +``Measure Container Code of National Bureau of Standards Handbook 44,'' +Specifications, Tolerances, and Other Technical Requirements for +Weighing and Measuring Devices, Sec. 4.45 ``Measure-Containers,'' which +is incorporated by reference, are exempt from the requirement of Sec. +101.105(f) of this chapter that the declaration of net contents be +located within the bottom 30 percent of the principal display panel. +Copies are available from the Center for Food Safety and Applied +Nutrition (HFS-150), Food and Drug Administration, 5100 Paint Branch +Pkwy., College Park, MD 20740, or at the National Archives and Records +Administration (NARA). For information on the availability of this +material at NARA, call 202-741-6030, or go to: http://www.archives.gov/ +federal--register/code--of--federal--regulations/ibr--locations.html. + +[[Page 13]] + + (7)(i) Milk, cream, light cream, coffee or table cream, whipping +cream, light whipping cream, heavy or heavy whipping cream, sour or +cultured sour cream, half-and-half, sour or cultured half-and-half, +reconstituted or recombined milk and milk products, concentrated milk +and milk products, skim or skimmed milk, vitamin D milk and milk +products, fortified milk and milk products, homogenized milk, flavored +milk and milk products, buttermilk, cultured buttermilk, cultured milk +or cultured whole buttermilk, low-fat milk (0.5 to 2.0 percent +butterfat), and acidified milk and milk products, when packaged in +containers of 8- and 64-fluid-ounce capacity, are exempt from the +requirements of Sec. 101.105(b)(2) of this chapter to the extent that +net contents of 8 fluid ounces and 64 fluid ounces (or 2 quarts) may be +expressed as \1/2\ pint and \1/2\ gallon, respectively. + (ii) The products listed in paragraph (a)(7)(i) of this section, +when packaged in glass or plastic containers of \1/2\-pint, 1-pint, 1- +quart, \1/2\-gallon, and 1-gallon capacities are exempt from the +placement requirement of Sec. 101.105(f) of this chapter that the +declaration of net contents be located within the bottom 30 percent of +the principal display panel, provided that other required label +information is conspicuously displayed on the cap or outside closure and +the required net quantity of contents declaration is conspicuously +blown, formed, or molded into or permanently applied to that part of the +glass or plastic container that is at or above the shoulder of the +container. + (iii) The products listed in paragraph (a)(7)(i) of this section, +when packaged in containers of 1-pint, 1-quart, and \1/2\-gallon +capacities are exempt from the dual net-contents declaration requirement +of Sec. 101.105(j) of this chapter. + (8) Wheat flour products, as defined by Sec. Sec. 137.105, 137.155, +137.160, 137.165, 137.170, 137.175, 137.180, 137.185, 137.200, and +137.205 of this chapter, packaged: + (i) In conventional 2-, 5-, 10-, 25-, 50-, and 100-pound packages +are exempt from the placement requirement of Sec. 101.105(f) of this +chapter that the declaration of net contents be located within the +bottom 30 percent of the area of the principal display panel of the +label; and + (ii) In conventional 2-pound packages are exempt from the dual net- +contents declaration requirement of Sec. 101.105(j) of this chapter +provided the quantity of contents is expressed in pounds. + (9)(i) Twelve shell eggs packaged in a carton designed to hold 1 +dozen eggs and designed to permit the division of such carton by the +retail customer at the place of purchase into two portions of one-half +dozen eggs each are exempt from the labeling requirements of this part +with respect to each portion of such divided carton if the carton, when +undivided, is in conformance with the labeling requirements of this +part. + (ii) Twelve shell eggs packaged in a carton designed to hold 1 dozen +eggs are exempt from the placement requirements for the declaration of +contents prescribed by Sec. 101.105(f) of this chapter if the required +content declaration is otherwise placed on the principal display panel +of such carton and if, in the case of such cartons designed to permit +division by retail customers into two portions of one-half dozen eggs +each, the required content declaration is placed on the principal +display panel in such a manner that the context of the content +declaration is destroyed upon division of the carton. + (10) Butter as defined in 42 Stat. 1500 (excluding whipped butter): + (i) In 8-ounce and in 1-pound packages is exempt from the +requirements of Sec. 101.105(f) of this chapter that the net contents +declaration be placed within the bottom 30 percent of the area of the +principal display panel; + (ii) In 1-pound packages is exempt from the requirements of Sec. +101.105(j)(1) of this chapter that such declaration be in terms of +ounces and pounds, to permit declaration of ``1-pound'' or ``one +pound''; and + (iii) In 4-ounce, 8-ounce, and 1-pound packages with continuous +label copy wrapping is exempt from the requirements of Sec. Sec. 101.3 +and 101.105(f) of this chapter that the statement of identity and net +contents declaration appear in lines generally parallel to the base on +which the package rests as it is designed to be displayed, provided that +such statement and declaration are not + +[[Page 14]] + +so positioned on the label as to be misleading or difficult to read as +the package is customarily displayed at retail. + (11) Margarine as defined in Sec. 166.110 of this chapter and +imitations thereof in 1-pound rectangular packages, except for packages +containing whipped or soft margarine or packages that contain more than +four sticks, are exempt from the requirement of Sec. 101.105(f) of this +chapter that the declaration of the net quantity of contents appear +within the bottom 30 percent of the principal display panel and from the +requirement of Sec. 101.105(j)(1) of this chapter that such declaration +be expressed both in ounces and in pounds to permit declaration of ``1- +pound'' or ``one pound,'' provided an accurate statement of net weight +appears conspicuously on the principal display panel of the package. + (12) Corn flour and related products, as they are defined by +Sec. Sec. 137.211, 137.215, and Sec. Sec. 137.230 through 137.290 of +this chapter, packaged in conventional 5-, 10-, 25-, 50-, and 100-pound +bags are exempt from the placement requirement of Sec. 101.105(f) of +this chapter that the declaration of net contents be located within the +bottom 30 percent of the area of the principal display panel of the +label. + (13)(i) Single strength and less than single strength fruit juice +beverages, imitations thereof, and drinking water when packaged in glass +or plastic containers of \1/2\-pint, 1-pint, 1-quart, \1/2\-gallon, and +1-gallon capacities are exempt from the placement requirement of Sec. +101.105(f) of this chapter that the declaration of net contents be +located within the bottom 30 percent of the principal display panel: +Provided, That other required label information is conspicuously +displayed on the cap or outside closure and the required net quantity of +contents declaration is conspicuously blown, formed, or molded into or +permanently applied to that part of the glass or plastic container that +is at or above the shoulder of the container. + (ii) Single strength and less than single strength fruit juice +beverages, imitations thereof, and drinking water when packaged in +glass, plastic, or paper (fluid milk type) containers of 1-pint, 1- +quart, and \1/2\-gallon capacities are exempt from the dual net-contents +declaration requirement of Sec. 101.105(j) of this chapter. + (iii) Single strength and less than single strength fruit juice +beverages, imitations thereof, and drinking water when packaged in +glass, plastic, or paper (fluid milk type) containers of 8- and 64- +fluid-ounce capacity, are exempt from the requirements of Sec. +101.105(b)(2) of this chapter to the extent that net contents of 8 fluid +ounces and 64 fluid ounces (or 2 quarts) may be expressed as \1/2\ pint +(or half pint) and \1/2\ gallon (or half gallon), respectively. + (14) The unit containers in a multiunit or multicomponent retail +food package shall be exempt from regulations of section 403 (e)(1), +(g)(2), (i)(2), (k), and (q) of the act with respect to the requirements +for label declaration of the name and place of business of the +manufacturer, packer, or distributor; label declaration of ingredients; +and nutrition information when: + (i) The multiunit or multicomponent retail food package labeling +meets all the requirements of this part; + (ii) The unit containers are securely enclosed within and not +intended to be separated from the retail package under conditions of +retail sale; and + (iii) Each unit container is labeled with the statement ``This Unit +Not Labeled For Retail Sale'' in type size not less than one-sixteenth +of an inch in height. The word ``Individual'' may be used in lieu of or +immediately preceding the word ``Retail'' in the statement. + (b) Drugs. Liquid over-the-counter veterinary preparations intended +for injection shall be exempt from the declaration of net quantity of +contents in terms of the U.S. gallon of 231 cubic inches and quart, +pint, and fluid-ounce subdivisions thereof as required by Sec. 201.62 +(b), (i), and (j) of this chapter, and from the dual declaration +requirements of Sec. 201.62(i) of this chapter, if such declaration of +net quantity of contents is expressed in terms of the liter and +milliliter, or cubic centimeter, with the volume expressed at 68 [deg]F +(20 [deg]C). + (c) Cosmetics. Cosmetics in packages containing less than one-fourth +ounce avoirdupois or one-eighth fluid ounce shall be exempt from +compliance with + +[[Page 15]] + +the requirements of section 602(b)(2) of the Federal Food, Drug, and +Cosmetic Act and section 4(a)(2) of the Fair Packaging and Labeling Act: + (1) When such cosmetics are affixed to a display card labeled in +conformance with all labeling requirements of this part; or + (2) When such cosmetics are sold at retail as part of a cosmetic +package consisting of an inner and outer container and the inner +container is not for separate retail sale and the outer container is +labeled in conformance with all labeling requirements of this part. + +[42 FR 15553, Mar. 22, 1977, as amended at 47 FR 946, Jan. 8, 1982; 47 +FR 32421, July 27, 1982; 49 FR 13339, Apr. 4, 1984; 54 FR 9033, Mar. 3, +1989; 58 FR 2174, Jan. 6, 1993; 61 FR 14478, Apr. 2, 1996; 66 FR 56035, +Nov. 6, 2001] + +Subparts C-D [Reserved] + + + + Subpart E_Imports and Exports + + + +Sec. 1.83 Definitions. + + For the purposes of regulations prescribed under section 801(a), +(b), and (c) of the Federal Food, Drug, and Cosmetic Act: + (a) The term owner or consignee means the person who has the rights +of a consignee under the provisions of sections 483, 484, and 485 of the +Tariff Act of 1930, as amended (19 U.S.C. 1483, 1484, 1485). + (b) The term district director means the director of the district of +the Food and Drug Administration having jurisdiction over the port of +entry through which an article is imported or offered for import, or +such officer of the district as he may designate to act in his behalf in +administering and enforcing the provisions of section 801 (a), (b), and +(c). + + + +Sec. 1.90 Notice of sampling. + + When a sample of an article offered for import has been requested by +the district director, the collector of customs having jurisdiction over +the article shall give to the owner or consignee prompt notice of +delivery of, or intention to deliver, such sample. Upon receipt of the +notice, the owner or consignee shall hold such article and not +distribute it until further notice from the district director or the +collector of customs of the results of examination of the sample. + + + +Sec. 1.91 Payment for samples. + + The Food and Drug Administration will pay for all import samples +which are found to be in compliance with the requirements of the Federal +Food, Drug, and Cosmetic Act. Billing for reimbursement should be made +by the owner or consignee to the Food and Drug Administration district +headquarters in whose territory the shipment was offered for import. +Payment for samples will not be made if the article is found to be in +violation of the act, even though subsequently brought into compliance +under the terms of an authorization to bring the article into compliance +or rendered not a food, drug, device, or cosmetic as set forth in Sec. +1.95. + + + +Sec. 1.94 Hearing on refusal of admission or destruction. + + (a) If it appears that the article may be subject to refusal of +admission, or that the article is a drug that may be subject to +destruction under section 801(a) of the Federal Food, Drug, and Cosmetic +Act, the district director shall give the owner or consignee a written +notice to that effect, stating the reasons therefor. The notice shall +specify a place and a period of time during which the owner or consignee +shall have an opportunity to introduce testimony. Upon timely request +giving reasonable grounds therefor, such time and place may be changed. +Such testimony shall be confined to matters relevant to the +admissibility or destruction of the article, and may be introduced +orally or in writing. + (b) If such owner or consignee submits or indicates his or her +intention to submit an application for authorization to relabel or +perform other action to bring the article into compliance with the +Federal Food, Drug, and Cosmetic Act or to render it other than a food, +drug, device, or cosmetic, such testimony shall include evidence in +support of such application. If such application is not submitted at or +prior to the hearing on refusal of admission, the district director +shall specify a time limit, reasonable in the light of + +[[Page 16]] + +the circumstances, for filing such application. + (c) If the article is a drug that may be subject to destruction +under section 801(a) of the Federal Food, Drug, and Cosmetic Act, the +district director may give the owner or consignee a single written +notice that provides the notice on refusal of admission and the notice +on destruction of an article described in paragraph (a) of this section. +The district director may also combine the hearing on refusal of +admission with the hearing on destruction of the article described in +paragraph (a) of this section into a single proceeding. + +[80 FR 55242, Sept. 15, 2015] + + + +Sec. 1.95 Application for authorization to relabel and recondition. + + Application for authorization to relabel or perform other action to +bring the article into compliance with the act or to render it other +than a food, drug, device or cosmetic may be filed only by the owner or +consignee, and shall: + (a) Contain detailed proposals for bringing the article into +compliance with the act or rendering it other than a food, drug, device, +or cosmetic. + (b) Specify the time and place where such operations will be carried +out and the approximate time for their completion. + + + +Sec. 1.96 Granting of authorization to relabel and recondition. + + (a) When authorization contemplated by Sec. 1.95 is granted, the +district director shall notify the applicant in writing, specifying: + (1) The procedure to be followed; + (2) The disposition of the rejected articles or portions thereof; + (3) That the operations are to be carried out under the supervision +of an officer of the Food and Drug Administration or the U.S. Customs +Service, as the case may be; + (4) A time limit, reasonable in the light of the circumstances, for +completion of the operations; and + (5) Such other conditions as are necessary to maintain adequate +supervision and control over the article. + (b) Upon receipt of a written request for extension of time to +complete such operations, containing reasonable grounds therefor, the +district director may grant such additional time as he deems necessary. + (c) An authorization may be amended upon a showing of reasonable +grounds therefor and the filing of an amended application for +authorization with the district director. + (d) If ownership of an article covered by an authorization changes +before the operations specified in the authorization have been +completed, the original owner will be held responsible, unless the new +owner has executed a bond and obtained a new authorization. Any +authorization granted under this section shall supersede and nullify any +previously granted authorization with respect to the article. + +[42 FR 15553, Mar. 22, 1977, as amended at 54 FR 9033, Mar. 3, 1989] + + + +Sec. 1.97 Bonds. + + (a) The bonds required under section 801(b) of the act may be +executed by the owner or consignee on the appropriate form of a customs +single-entry or term bond, containing a condition for the redelivery of +the merchandise or any part thereof upon demand of the collector of +customs and containing a provision for the performance of conditions as +may legally be imposed for the relabeling or other action necessary to +bring the article into compliance with the act or rendering it other +than a food, drug, device, or cosmetic, in such manner as is prescribed +for such bond in the customs regulations in force on the date of request +for authorization. The bond shall be filed with the collector of +customs. + (b) The collector of customs may cancel the liability for liquidated +damages incurred under the above-mentioned provisions of such a bond, if +he receives an application for relief therefrom, upon the payment of a +lesser amount or upon such other terms and conditions as shall be deemed +appropriate under the law and in view of the circumstances, but the +collector shall not act under this regulation in any case unless the +district director is in full agreement with the action. + +[[Page 17]] + + + +Sec. 1.99 Costs chargeable in connection with relabeling and +reconditioning inadmissible imports. + + The cost of supervising the relabeling or other action in connection +with an import of food, drugs, devices, or cosmetics which fails to +comply with the Federal Food, Drug, and Cosmetic Act shall be paid by +the owner or consignee who files an application requesting such action +and executes a bond, pursuant to section 801(b) of the act, as amended. +The cost of such supervision shall include, but not be restricted to, +the following: + (a) Travel expenses of the supervising officer. + (b) Per diem in lieu of subsistence of the supervising officer when +away from his home station, as provided by law. + (c) The charge for the services of the supervising officer, which +shall include administrative support, shall be computed at a rate per +hour equal to 266 percent of the hourly rate of regular pay of a grade +GS-11/4 employee, except that such services performed by a customs +officer and subject to the provisions of the act of February 13, 1911, +as amended (sec. 5, 36 Stat. 901, as amended (19 U.S.C. 267)), shall be +calculated as provided in that act. + (d) The charge for the service of the analyst, which shall include +administrative and laboratory support, shall be computed at a rate per +hour equal to 266 percent of the hourly rate of regular pay of a grade +GS-12/4 employee. The rate per hour equal to 266 percent of the +equivalent hourly rate of regular pay of the supervising officer (GS-11/ +4) and the analyst (GS-12/4) is computed as follows: + + + Hours + +Gross number of working hours in 52 40-hr weeks................ 2,080 +Less: + 9 legal public holidays--New Years Day, Washington's 72 + Birthday, Memorial Day, Independence Day, Labor Day, + Columbus Day, Veterans Day, Thanksgiving Day, and Christmas + Day......................................................... + Annual leave--26 d........................................... 208 + Sick leave--13 d............................................. 104 + -------- + Total.................................................... 384 + Net number of working hours.............................. 1,696 +Gross number of working hours in 52 40-hr weeks................ 2,080 +Working hour equivalent of Government contributions for 176 + employee retirement, life insurance, and health benefits + computed at 8\1/2\ pct. of annual rate of pay of employee..... + -------- + Equivalent annual working hours.......................... 2,256 + -------- +Support required to equal to 1 man-year........................ 2,256 + Equivalent gross annual working hours charged to Food and 4,512 + Drug appropriation...................................... + + + Note: Ratio of equivalent gross annual number of working hours +charged to Food and Drug appropriation to net number of annual working +hours 4,512/1,696 = 266 pct. + + (e) The minimum charge for services of supervising officers and of +analysts shall be not less than the charge for 1 hour, and time after +the first hour shall be computed in multiples of 1 hour, disregarding +fractional parts less than \1/2\ hour. + + + +Sec. 1.101 Notification and recordkeeping. + + (a) Scope. This section pertains to notifications and records +required for human drug, biological product, device, animal drug, food, +cosmetic, and tobacco product exports under sections 801 or 802 of the +Federal Food, Drug, and Cosmetic Act or (21 U.S.C. 381 and 382) or +section 351 of the Public Health Service Act (42 U.S.C. 262). + (b) Recordkeeping requirements for human drugs, biological products, +devices, animal drugs, foods, cosmetics, and tobacco products exported +under or subject to section 801(e)(1) of the Federal Food, Drug, and +Cosmetic Act. Persons exporting an article under section 801(e)(1) of +the act or an article otherwise subject to section 801(e)(1) of the act +shall maintain records as enumerated in paragraphs (b)(1) through (b)(4) +of this section demonstrating that the product meets the requirements of +section 801(e)(1) of the act. Such records shall be maintained for the +same period of time as required for records subject to good +manufacturing practice or quality systems regulations applicable to the +product, except that records pertaining to the export of foods and +cosmetics under section 801(e)(1) of the act shall be kept for 3 years +after the date of exportation. The records shall be made available to +the Food and Drug Administration (FDA), upon request, during an +inspection for review and copying by FDA. + (1) Records demonstrating that the product meets the foreign +purchaser's + +[[Page 18]] + +specifications: The records must contain sufficient information to match +the foreign purchaser's specifications to a particular export; + (2) Records demonstrating that the product does not conflict with +the laws of the importing country: This may consist of either a letter +from an appropriate foreign government agency, department, or other +authorized body stating that the product has marketing approval from the +foreign government or does not conflict with that country's laws, or a +notarized certification by a responsible company official in the United +States that the product does not conflict with the laws of the importing +country and that includes a statement acknowledging that he or she is +subject to the provisions of 18 U.S.C. 1001; + (3) Records demonstrating that the product is labeled on the outside +of the shipping package that it is intended for export: This may consist +of copies of any labels or labeling statements, such as ``For export +only,'' that are placed on the shipping packages or, if the exported +product does not have a shipping package or container, on shipping +invoices or other documents accompanying the exported product; and + (4) Records demonstrating that the product is not sold or offered +for sale in the United States: This may consist of production and +shipping records for the exported product and promotional materials. + (c) Additional recordkeeping requirements for partially processed +biological products exported under section 351(h) of the Public Health +Service Act. In addition to the requirements in paragraph (b) of this +section, persons exporting a partially processed biological product +under section 351(h) of the Public Health Service Act shall maintain, +for the same period of time as required for records subject to good +manufacturing practice or quality systems regulations applicable to the +product, and make available to FDA, upon request, during an inspection +for review and copying by FDA, the following records: + (1) Records demonstrating that the product for export is a partially +processed biological product and not in a form applicable to the +prevention, treatment, or cure of diseases or injuries of man; + (2) Records demonstrating that the partially processed biological +product was manufactured in conformity with current good manufacturing +practice requirements; + (3) Records demonstrating the distribution of the exported partially +processed biological products; and + (4) Copies of all labeling that accompanies the exported partially +processed biological product and other records demonstrating that the +exported partially processed biological product is intended for further +manufacture into a final dosage form outside the United States; this may +include a container label with the statement, ``Caution: For Further +Manufacturing Use Only'' and any package insert. + (d) Notification requirements for drugs, biological products, and +devices exported under section 802 of the act. (1) Persons exporting a +human drug, biological product, or device under section 802 of the act, +other than a drug, biological product, or device for investigational use +exported under section 802(c) of the act, or a drug, biological product, +or device exported in anticipation of marketing authorization under +section 802(d) of the act, shall provide written notification to FDA. +The notification shall identify: + (i) The product's trade name; + (ii) If the product is a drug or biological product, the product's +abbreviated or proper name or, if the product is a device, the type of +device; + (iii) If the product is a drug or biological product, a description +of the product's strength and dosage form or, if the product is a +device, the product's model number; and + (iv) If the export is to a country not listed in section 802(b)(1) +of the act, the country that is to receive the exported article. The +notification may, but is not required to, identify countries listed in +section 802(b)(1) of the act or state that the export is intended for a +listed country without identifying the listed country. + (2) The notification shall be sent to the following addresses: + (i) For biological products and devices regulated by the Center for +Biologics Evaluation and Research--Food + +[[Page 19]] + +and Drug Administration, Center for Biologics Evaluation and Research, +Document Control Center, 10903 New Hampshire Ave., Bldg. 71, Rm. G112, +Silver Spring, MD 20993-0002. + (ii) For human drug products, biological products, and devices +regulated by the Center for Drug Evaluation and Research--Division of +New Drugs and Labeling Compliance, Center for Drug Evaluation and +Research, Food and Drug Administration, 10903 New Hampshire Ave., Silver +Spring, MD 20993-0002. + (iii) For devices--Food and Drug Administration, Center for Devices +and Radiological Health, Division of Program Operations, 10903 New +Hampshire Ave., Bldg. 66, rm. 5429, Silver Spring, MD 20993-0002. + (e) Recordkeeping requirements for products subject to section +802(g) of the act. (1) Any person exporting a product under any +provision of section 802 of the act shall maintain records of all drugs, +biological products, and devices exported and the countries to which the +products were exported. In addition to the requirements in paragraph (b) +of this section, such records include, but are not limited to, the +following: + (i) The product's trade name; + (ii) If the product is a drug or biological product, the product's +abbreviated or proper name or, if the product is a device, the type of +device; + (iii) If the product is a drug or biological product, a description +of its strength and dosage form and the product's lot or control number +or, if the product is a device, the product's model number; + (iv) The consignee's name and address; and + (v) The date on which the product was exported and the quantity of +product exported. + (2) These records shall be kept at the site from which the products +were exported or manufactured, and be maintained for the same period of +time as required for records subject to good manufacturing practice or +quality systems regulations applicable to the product. The records shall +be made available to FDA, upon request, during an inspection for review +and copying by FDA. + +[66 FR 65447, Dec. 19, 2001, as amended at 69 FR 48774, Aug. 11, 2004; +70 FR 14980, Mar. 24, 2005; 74 FR 13112, Mar. 26, 2009; 75 FR 20914, +Apr. 22, 2010; 77 FR 5176, Feb. 2, 2012; 80 FR 18090, Apr. 3, 2015] + +Subparts F-G [Reserved] + + + + Subpart H_Registration of Food Facilities + + Source: 68 FR 58960, Oct. 10, 2003, unless otherwise noted. + + General Provisions + + + +Sec. 1.225 Who must register under this subpart? + + (a) You must register your facility under this subpart if you are +the owner, operator, or agent in charge of either a domestic or foreign +facility, as defined in this subpart, and your facility is engaged in +the manufacturing/processing, packing, or holding of food for +consumption in the United States, unless your facility qualifies for one +of the exemptions in Sec. 1.226. + (b) If you are an owner, operator, or agent in charge of a domestic +facility, you must register your facility whether or not the food from +the facility enters interstate commerce. + (c) If you are the owner, operator, or agent in charge of a +facility, you may authorize an individual to register your facility on +your behalf. + + + +Sec. 1.226 Who does not have to register under this subpart? + + This subpart does not apply to the following facilities: + (a) A foreign facility, if food from such facility undergoes further +manufacturing/processing (including packaging) by another facility +outside the United States. A facility is not exempt under this provision +if the further manufacturing/processing (including packaging) conducted +by the subsequent facility consists of adding labeling or any similar +activity of a de minimis nature; + (b) Farms; + (c) Retail food establishments; + (d) Restaurants; + +[[Page 20]] + + (e) Nonprofit food establishments in which food is prepared for, or +served directly to, the consumer; + (f) Fishing vessels, including those that not only harvest and +transport fish but also engage in practices such as heading, +eviscerating, or freezing intended solely to prepare fish for holding on +board a harvest vessel. However, those fishing vessels otherwise engaged +in processing fish are subject to this subpart. For the purposes of this +section, ``processing'' means handling, storing, preparing, shucking, +changing into different market forms, manufacturing, preserving, +packing, labeling, dockside unloading, holding, or heading, +eviscerating, or freezing other than solely to prepare fish for holding +on board a harvest vessel; + (g) Facilities that are regulated exclusively, throughout the entire +facility, by the U.S. Department of Agriculture under the Federal Meat +Inspection Act (21 U.S.C. 601 et seq.), the Poultry Products Inspection +Act (21 U.S.C. 451 et seq.), or the Egg Products Inspection Act (21 +U.S.C. 1031 et seq.); + + + +Sec. 1.227 What definitions apply to this subpart? + + The definitions of terms in section 201 of the Federal Food, Drug, +and Cosmetic Act apply to such terms when used in this subpart. In +addition, for the purposes of this subpart: + Calendar day means every day shown on the calendar. + Facility means any establishment, structure, or structures under one +ownership at one general physical location, or, in the case of a mobile +facility, traveling to multiple locations, that manufactures/processes, +packs, or holds food for consumption in the United States. Transport +vehicles are not facilities if they hold food only in the usual course +of business as carriers. A facility may consist of one or more +contiguous structures, and a single building may house more than one +distinct facility if the facilities are under separate ownership. The +private residence of an individual is not a facility. Nonbottled water +drinking water collection and distribution establishments and their +structures are not facilities. + (1) Domestic facility means any facility located in any State or +Territory of the United States, the District of Columbia, or the +Commonwealth of Puerto Rico that manufactures/processes, packs, or holds +food for consumption in the United States. + (2) Foreign facility means a facility other than a domestic facility +that manufactures/processes, packs, or holds food for consumption in the +United States. + Farm means: + (1) Primary production farm. A primary production farm is an +operation under one management in one general (but not necessarily +contiguous) physical location devoted to the growing of crops, the +harvesting of crops, the raising of animals (including seafood), or any +combination of these activities. The term ``farm'' includes operations +that, in addition to these activities: + (i) Pack or hold raw agricultural commodities; + (ii) Pack or hold processed food, provided that all processed food +used in such activities is either consumed on that farm or another farm +under the same management, or is processed food identified in paragraph +(1)(iii)(B)(1) of this definition; and + (iii) Manufacture/process food, provided that: + (A) All food used in such activities is consumed on that farm or +another farm under the same management; or + (B) Any manufacturing/processing of food that is not consumed on +that farm or another farm under the same management consists only of: + (1) Drying/dehydrating raw agricultural commodities to create a +distinct commodity (such as drying/dehydrating grapes to produce +raisins), and packaging and labeling such commodities, without +additional manufacturing/processing (an example of additional +manufacturing/processing is slicing); + (2) Treatment to manipulate the ripening of raw agricultural +commodities (such as by treating produce with ethylene gas), and +packaging and labeling treated raw agricultural commodities, without +additional manufacturing/processing; and + (3) Packaging and labeling raw agricultural commodities, when these +activities do not involve additional manufacturing/processing (an +example of + +[[Page 21]] + +additional manufacturing/processing is irradiation); or + (2) Secondary activities farm. A secondary activities farm is an +operation, not located on a primary production farm, devoted to +harvesting (such as hulling or shelling), packing, and/or holding of raw +agricultural commodities, provided that the primary production farm(s) +that grows, harvests, and/or raises the majority of the raw agricultural +commodities harvested, packed, and/or held by the secondary activities +farm owns, or jointly owns, a majority interest in the secondary +activities farm. A secondary activities farm may also conduct those +additional activities allowed on a primary production farm as described +in paragraphs (1)(ii) and (iii) of this definition. + Food has the meaning given in section 201(f) of the Federal Food, +Drug, and Cosmetic Act: + (1) Except for purposes of this subpart, it does not include: + (i) Food contact substances as defined in section 409(h)(6) of the +Federal Food, Drug, and Cosmetic Act; or + (ii) Pesticides as defined in 7 U.S.C. 136(u). + (2) Examples of food include: Fruits, vegetables, fish, dairy +products, eggs, raw agricultural commodities for use as food or as +components of food, animal feed (including pet food), food and feed +ingredients, food and feed additives, dietary supplements and dietary +ingredients, infant formula, beverages (including alcoholic beverages +and bottled water), live food animals, bakery goods, snack foods, candy, +and canned foods. + Harvesting applies to farms and farm mixed-type facilities and means +activities that are traditionally performed on farms for the purpose of +removing raw agricultural commodities from the place they were grown or +raised and preparing them for use as food. Harvesting is limited to +activities performed on raw agricultural commodities, or on processed +foods created by drying/dehydrating a raw agricultural commodity without +additional manufacturing/processing, on a farm. Harvesting does not +include activities that transform a raw agricultural commodity into a +processed food as defined in section 201(gg) of the Federal Food, Drug, +and Cosmetic Act. Examples of harvesting include cutting (or otherwise +separating) the edible portion of the raw agricultural commodity from +the crop plant and removing or trimming part of the raw agricultural +commodity (e.g., foliage, husks, roots or stems). Examples of harvesting +also include cooling, field coring, filtering, gathering, hulling, +shelling, sifting, threshing, trimming of outer leaves of, and washing +raw agricultural commodities grown on a farm. + Holding means storage of food and also includes activities performed +incidental to storage of a food (e.g., activities performed for the safe +or effective storage of that food, such as fumigating food during +storage, and drying/dehydrating raw agricultural commodities when the +drying/dehydrating does not create a distinct commodity (such as drying/ +dehydrating hay or alfalfa)). Holding also includes activities performed +as a practical necessity for the distribution of that food (such as +blending of the same raw agricultural commodity and breaking down +pallets), but does not include activities that transform a raw +agricultural commodity into a processed food as defined in section +201(gg) of the Federal Food, Drug, and Cosmetic Act. Holding facilities +could include warehouses, cold storage facilities, storage silos, grain +elevators, and liquid storage tanks. + Manufacturing/processing means making food from one or more +ingredients, or synthesizing, preparing, treating, modifying or +manipulating food, including food crops or ingredients. Examples of +manufacturing/processing activities include: Baking, boiling, bottling, +canning, cooking, cooling, cutting, distilling, drying/dehydrating raw +agricultural commodities to create a distinct commodity (such as drying/ +dehydrating grapes to produce raisins), evaporating, eviscerating, +extracting juice, formulating, freezing, grinding, homogenizing, +irradiating, labeling, milling, mixing, packaging (including modified +atmosphere packaging), pasteurizing, peeling, rendering, treating to +manipulate ripening, trimming, washing, or waxing. For farms and + +[[Page 22]] + +farm mixed-type facilities, manufacturing/processing does not include +activities that are part of harvesting, packing, or holding. + Mixed-type facility means an establishment that engages in both +activities that are exempt from registration under section 415 of the +Federal Food, Drug, and Cosmetic Act and activities that require the +establishment to be registered. An example of such a facility is a +``farm mixed-type facility,'' which is an establishment that is a farm, +but also conducts activities outside the farm definition that require +the establishment to be registered. + Nonprofit food establishment means a charitable entity that prepares +or serves food directly to the consumer or otherwise provides food or +meals for consumption by humans or animals in the United States. The +term includes central food banks, soup kitchens, and nonprofit food +delivery services. To be considered a nonprofit food establishment, the +establishment must meet the terms of section 501(c)(3) of the U.S. +Internal Revenue Code (26 U.S.C. 501(c)(3)). + Packaging (when used as a verb) means placing food into a container +that directly contacts the food and that the consumer receives. + Packing means placing food into a container other than packaging the +food and also includes re-packing and activities performed incidental to +packing or re-packing a food (e.g., activities performed for the safe or +effective packing or re-packing of that food (such as sorting, culling, +grading, and weighing or conveying incidental to packing or re- +packing)), but does not include activities that transform a raw +agricultural commodity, as defined in section 201(r) of the Federal +Food, Drug, and Cosmetic Act, into a processed food as defined in +section 201(gg) of the Federal Food, Drug, and Cosmetic Act. + Restaurant means a facility that prepares and sells food directly to +consumers for immediate consumption. ``Restaurant'' does not include +facilities that provide food to interstate conveyances, central +kitchens, and other similar facilities that do not prepare and serve +food directly to consumers. + (1) Entities in which food is provided to humans, such as +cafeterias, lunchrooms, cafes, bistros, fast food establishments, food +stands, saloons, taverns, bars, lounges, catering facilities, hospital +kitchens, day care kitchens, and nursing home kitchens are restaurants; +and + (2) Pet shelters, kennels, and veterinary facilities in which food +is provided to animals are restaurants. + Retail food establishment means an establishment that sells food +products directly to consumers as its primary function. A retail food +establishment may manufacture/process, pack, or hold food if the +establishment's primary function is to sell from that establishment +food, including food that it manufactures/processes, packs, or holds, +directly to consumers. A retail food establishment's primary function is +to sell food directly to consumers if the annual monetary value of sales +of food products directly to consumers exceeds the annual monetary value +of sales of food products to all other buyers. The term ``consumers'' +does not include businesses. A ``retail food establishment'' includes +grocery stores, convenience stores, and vending machine locations. + Trade name means the name or names under which the facility conducts +business, or additional names by which the facility is known. A trade +name is associated with a facility, and a brand name is associated with +a product. + U.S. agent means a person (as defined in section 201(e) of the +Federal Food, Drug, and Cosmetic Act residing or maintaining a place of +business in the United States whom a foreign facility designates as its +agent for purposes of this subpart. A U.S. agent cannot be in the form +of a mailbox, answering machine or service, or other place where an +individual acting as the foreign facility's agent is not physically +present. + (1) The U.S. agent acts as a communications link between the Food +and Drug Administration (FDA) and the foreign facility for both +emergency and routine communications. The U.S. agent will be the person +FDA contacts when an emergency occurs, unless the registration specifies +under Sec. 1.233(e) another emergency contact. + +[[Page 23]] + + (2) FDA will treat representations by the U.S. agent as those of the +foreign facility, and will consider information or documents provided to +the U.S. agent the equivalent of providing the information or documents +to the foreign facility. + (3) Having a single U.S. agent for the purposes of this subpart does +not preclude facilities from having multiple agents (such as foreign +suppliers) for other business purposes. A firm's commercial business in +the United States need not be conducted through the U.S. agent +designated for purposes of this subpart. + You or registrant means the owner, operator, or agent in charge of a +facility that manufactures/processes, packs, or holds food for +consumption in the United States. + +[80 FR 56141, Sept. 17, 2015, as amended at 81 FR 3715, Jan. 22, 2016 + + Procedures for Registration of Food Facilities + + + +Sec. 1.230 When must you register? + + The owner, operator, or agent in charge of a facility that +manufactures/processes, packs or holds food for consumption in the +United States must register the facility no later than December 12, +2003. The owner, operator, or agent in charge of a facility that begins +to manufacture/process, pack, or hold food for consumption in the United +States on or after December 12, 2003, must register before the facility +begins such activities. An owner, operator, or agent in charge of a +facility may authorize an individual to register the facility on its +behalf. + + + +Sec. 1.231 How and where do you register? + + (a) Electronic registration. (1) To register electronically, you +must register at http://www.fda.gov/furls, which is available for +registration 24 hours a day, 7 days a week. This website is available +from wherever the Internet is accessible, including libraries, copy +centers, schools, and Internet cafes. An individual authorized by the +owner, operator, or agent in charge of a facility may also register a +facility electronically. + (2) FDA strongly encourages electronic registration for the benefit +of both FDA and the registrant. + (3) Once you complete your electronic registration, FDA will +automatically provide you with an electronic confirmation of +registration and a permanent registration number. + (4) You will be considered registered once FDA electronically +transmits your confirmation and registration number. + (b) Registration by mail or fax. If, for example, you do not have +reasonable access to the Internet through any of the methods described +in paragraph (a) of this section, you may register by mail or fax. + (1) You must register using Form 3537. You may obtain a copy of this +form by writing to the U.S. Food and Drug Administration (HFS-681), 5600 +Fishers Lane, Rockville, MD 20857 or by requesting a copy of this form +by phone at 1-800-216-7331 or 301-575-0156. + (2) When you receive the form, you must fill it out completely and +legibly and either mail it to the address in paragraph (b)(1) of this +section or fax it to 301-436-2804 or 1-800-573-0846. + (3) If any required information on the form is incomplete or +illegible when FDA receives it, FDA will return the form to you for +revision, provided that your mailing address or fax number is legible +and valid. When returning a registration form for revision, FDA will use +the means by which the form was received by the agency (i.e., by mail or +fax). + (4) FDA will enter complete and legible mailed and faxed +registration submissions into its registration system, along with CD-ROM +submissions, as soon as practicable, in the order FDA receives them. + (5) FDA will then mail to the address or fax to the fax number on +the registration form a copy of the registration as entered, +confirmation of registration, and your registration number. When +responding to a registration submission, FDA will use the means by which +the registration was received by the agency (i.e., by mail or fax). + (6) If any information you previously submitted was incorrect at the +time of + +[[Page 24]] + +submission, you must immediately update your facility's registration as +specified in Sec. 1.234. + (7) Your facility is considered registered once FDA enters your +facility's registration data into the registration system and the system +generates a registration number. + (c) Registration by CD-ROM for multiple submissions. If, for +example, you do not have reasonable access to the Internet through any +of the methods provided under paragraph (a) of this section, you may +register by CD-ROM. + (1) Registrants submitting their registrations in CD-ROM format must +use ISO 9660 (CD-R or CD-RW) data format. + (2) These files must be submitted on a portable document format +(PDF) rendition of the registration form (Form 3537) and be accompanied +by one signed copy of the certification statement that appears on the +registration form (Form 3537). + (3) Each submission on the CD-ROM must contain the same preferred +mailing address in the appropriate block on Form 3537. + (4) A CD-ROM may contain registrations for as many facilities as +needed up to the CD-ROM's capacity. + (5) The registration on the CD-ROM for each separate facility must +have a unique file name up to 32 characters long, the first part of +which may be used to identify the parent company. + (6) You must mail the CD-ROM to the U.S. Food and Drug +Administration (HFS-681), 5600 Fishers Lane, Rockville, MD 20857. + (7) If FDA receives a CD-ROM that does not comply with these +specifications, it will return the CD-ROM to the submitter unprocessed. + (8) FDA will enter CD-ROM submissions that comply with these +specifications into its registration system, along with the complete and +legible mailed and faxed submissions, as soon as practicable, in the +order FDA receives them. + (9) For each facility on the CD-ROM, FDA will mail to the preferred +mailing address a copy of the registration(s) as entered, confirmation +of registration, and each facility's assigned registration number. + (10) If any information you previously submitted was incorrect at +the time of submission, you must immediately update your facility's +registration as specified in Sec. 1.234. + (11) Your facility is considered registered once FDA enters your +facility's registration data into the registration system and the system +generates a registration number. + (d) Fees. No registration fee is required. + (e) Language. You must submit all registration information in the +English language except an individual's name, the name of a company, the +name of a street, and a trade name may be submitted in a foreign +language. All information, including these items, must be submitted +using the Latin (Roman) alphabet. + +[68 FR 58960, Oct. 10, 2003, as amended at 69 FR 29428, May 24, 2004; 73 +FR 15883, Mar. 26, 2008] + + + +Sec. 1.232 What information is required in the registration? + + Each registrant must submit the following information through one of +the methods described in Sec. 1.231: + (a) The name, full address, and phone number of the facility; + (b) The name, address, and phone number of the parent company, if +the facility is a subsidiary of the parent company; + (c) For domestic and foreign facilities, the names, addresses, and +phone numbers of the owner, operator, and agent in charge. + (d) For a foreign facility, the name, address, phone number, and, if +no emergency contact is designated under Sec. 1.233(e), the emergency +contact phone number of the foreign facility's U.S. agent; + (e) For a domestic facility, an emergency contact phone number; + (f) All trade names the facility uses; + (g) Applicable food product categories as identified in Sec. 170.3 +of this chapter, unless you check either ``most/all human food product +categories,'' according to Sec. 1.233(j), or ``none of the above +mandatory categories'' because your facility manufactures/processes, +packs, or holds a food that is not identified in Sec. 170.3 of this +chapter; + +[[Page 25]] + + (h) The name, address, and phone number for the owner, operator, or +agent in charge; + (i) A statement in which the owner, operator, or agent in charge +certifies that the information submitted is true and accurate. If the +individual submitting the form is not the owner, operator, or agent in +charge of the facility, the registration must also include a statement +in which the individual certifies that the information submitted is true +and accurate, certifies that he/she is authorized to submit the +registration, and identifies by name, address, and telephone number, the +individual who authorized submission of the registration. Each +registration must include the name of the individual registering the +facility submitting the registration, and the individual's signature +(for the paper and CD-ROM options). + +[68 FR 58960, Oct. 10, 2003, as amended at 69 FR 29428, May 24, 2004] + + + +Sec. 1.233 What optional items are included in the registration form? + + FDA encourages, but does not require, you to submit the following +items in your facility's registration. These data will enable FDA to +communicate more quickly with facilities that may be the target of a +terrorist threat or attack, or otherwise affected by an outbreak of +foodborne illness. This information includes: + (a) Fax number and e-mail address of the facility; + (b) Preferred mailing address, if different from that of the +facility; + (c) Fax number and e-mail address of the parent company, if the +facility is a subsidiary of the parent company; + (d) For a domestic facility, emergency contact name, title, and e- +mail address; + (e) For a foreign facility, an emergency contact name, title, phone +number and e-mail address. FDA will consider the facility's U.S. agent +the facility's emergency contact unless the facility chooses to +designate another person to serve as an emergency contact under this +section; + (f) For a foreign facility, title, fax number, and e-mail address of +the U.S. agent; + (g) Type of activity conducted at the facility (e.g., manufacturing/ +processing or holding); + (h) Food categories not identified in Sec. 170.3 of this chapter, +which are provided in Form 3537 sections 11a (e.g., infant formula, +animal byproducts and extracts) and 11b (e.g., grain products, amino +acids); + (i) Type of storage, if the facility is primarily a holding +facility; + (j) A food product category of ``most/all human food product +categories,'' if the facility manufactures/processes, packs, or holds +foods in most or all of the categories identified in Sec. 170.3 of this +chapter; + (k) Approximate dates of operation, if the facility's business is +seasonal; + (l) The fax number and e-mail address of the owner, operator, or +agent in charge; and + (m) The fax number and e-mail address of the individual who +authorized submission of the registration. + + + +Sec. 1.234 How and when do you update your facility's registration +information? + + (a) Update requirements. The owner, operator, or agent in charge +must submit an update to a facility's registration within 60 calendar +days of any change to any of the information previously submitted under +Sec. 1.232 (e.g., change of operator, agent in charge, or U.S. agent), +except a change of the owner. The owner, operator, or agent in charge +may authorize an individual to update a facility's registration. + (b) Cancellation due to ownership changes. If the reason for the +update is that the facility has a new owner, the former owner must +cancel the facility's registration as specified in Sec. 1.235 within 60 +calendar days of the change and the new owner must re-register the +facility as specified in Sec. 1.231. The former owner may authorize an +individual to cancel a facility's registration. + (c) Electronic update. (1) To update your registration +electronically, you must update at http://www.fda.gov/furls. + (2) Once you complete your electronic update, FDA will automatically +provide you with an electronic confirmation of your update. + (3) Your registration will be considered updated once FDA transmits +your + +[[Page 26]] + +update confirmation, unless notified otherwise. + (d) Update by mail or fax. If, for example, you do not have +reasonable access to the Internet through any of the methods described +in Sec. 1.231(a)), you may update your facility's registration by mail +or by fax: + (1) You must update your registration using Form 3537. You may +obtain a copy of this form by writing to the U.S. Food and Drug +Administration (HFS-681), 5600 Fishers Lane, Rockville, MD 20857 or by +requesting the form by phone at 1-877-FDA-3882 (1-877-332-3882). + (2) When you receive the form, you must legibly fill out the +sections of the form reflecting your updated information and either mail +it to the address in paragraph (d)(1) of this section or fax it to 301- +436-2804 or + +1-800-573-0846. + (3) If the information on the form is incomplete or illegible when +FDA receives it, FDA will return the form to you for revision, provided +that your mailing address or fax number is legible and valid. When +returning a registration form for revision, FDA will use the means by +which the registration was received by the agency (i.e., by mail or +fax). + (4) FDA will enter complete and legible updates into its +registration system, along with CD-ROM submissions, as soon as +practicable, in the order FDA receives them. + (5) FDA will then mail to the address or fax to the fax number on +the registration form a copy of the update as entered and confirmation +of the update. When responding to an update submission, FDA will use the +means by which the form was received by the agency (i.e., by mail or +fax). + (6) If any update information you previously submitted was incorrect +at the time of submission, you must immediately resubmit your update. + (7) Your registration will be considered updated once FDA enters +your facility's update data into the registration system and the system +generates an update confirmation. + (e) Update by CD-ROM for multiple submissions. If, for example, you +do not have reasonable access to the Internet through any of the methods +provided under Sec. 1.231(a), you may update your facilities' +registrations by CD-ROM. + (1) Registrants submitting their updates in CD-ROM format must use +ISO 9660 (CD-R or CD-RW) data format. + (2) Update files must be submitted on a PDF rendition of FDA's +registration form (Form 3537) and be accompanied by one signed copy of +the certification statement on the registration form (Form 3537). + (3) Each submission on the CD-ROM must contain the same preferred +mailing address in the appropriate block on Form 3537. + (4) The CD-ROM may contain updates for as many facilities as needed +up to the CD-ROM's capacity. + (5) The update for each facility on the CD-ROM must have a unique +file name up to 32 characters long, the first part of which may be used +to identify the parent company. + (6) You must mail the CD-ROM to U.S. Food and Drug Administration +(HFS-681), 5600 Fishers Lane, Rockville, MD 20857. + (7) If FDA receives an update CD-ROM that does not comply with these +specifications, it will return the CD-ROM to the registrant unprocessed. + (8) FDA will enter CD-ROM update submissions into its registration +system, along with the complete and legible mailed and faxed update +submissions, as soon as practicable, in the order FDA receives them. + (9) For each facility on the CD-ROM, FDA will mail to the preferred +mailing address a copy of the update(s) as entered and confirmation of +the update. + (10) If any update information you previously submitted was +incorrect at the time of submission, you must immediately resubmit your +update. + (11) Your registration will be considered updated once FDA enters +your facility's update data into the registration system and the system +generates an update confirmation. + +[68 FR 58960, Oct. 10, 2003, as amended at 73 FR 15883, Mar. 26, 2008] + + + +Sec. 1.235 How and when do you cancel your facility's registration +information? + + (a) Notification of registration cancellation. A facility canceling +its registration must do so within 60 calendar days + +[[Page 27]] + +of the reason for cancellation (e.g., facility ceases operations, ceases +providing food for consumption in the United States, or the facility is +sold to a new owner). + (b) Cancellation requirements. The cancellation of a facility's +registration must include the following information: + (1) The facility's registration number; + (2) Whether the facility is domestic or foreign; + (3) The facility name and address; + (4) The name, address, and e-mail address (if available) of the +individual submitting the cancellation; and + (5) A statement certifying that the information submitted is true +and accurate, and that the person submitting the cancellation is +authorized by the facility to cancel its registration. + (c) Electronic cancellation. (1) To cancel your registration +electronically, you must cancel at http://www.fda.gov/furls. + (2) Once you complete your electronic cancellation, FDA will +automatically provide you with an electronic confirmation of your +cancellation. + (3) Your registration will be considered cancelled once FDA +transmits your cancellation confirmation. + (d) Cancellation by mail or fax. If, for example, you do not have +reasonable access to the Internet through any of the methods described +in Sec. 1.231(a), you may cancel your facility's registration by mail +or fax. + (1) You must cancel your registration using Form 3537a. You may +obtain a copy of this form by writing to the U.S. Food and Drug +Administration (HFS-681), 5600 Fishers Lane, Rockville, MD 20857, or by +requesting the form by phone at 1-877-FDA-3882 (1-877-332-3882). + (2) When you receive the form, you must completely and legibly fill +out the form and either mail it to the address in paragraph (d)(1) of +this section or fax it to 301-436-2804 or 1-800-573-0846. + (3) If the information on the form is incomplete or illegible when +FDA receives it, FDA will return the form to you for revision, provided +that your mailing address or fax number is legible and valid. When +returning a cancellation form for revision, FDA will use the means by +which the cancellation was received by the agency (i.e., by mail or +fax). + (4) FDA will enter complete and legible mailed and faxed +cancellations into its registration system, along with CD-ROM +cancellations, as soon as practicable, in the order FDA receives them. + (5) FDA will then mail to the address or fax to the fax number on +the cancellation form a copy of the cancellation as entered and +confirmation of the cancellation. When responding to a cancellation, FDA +will use the means by which the form was received by the agency (i.e., +by mail or fax). + (6) If any information you previously submitted was incorrect at the +time of submission, you must immediately resubmit your cancellation. + (7) Your registration will be considered cancelled once FDA enters +your facility's cancellation data into the registration system and the +system generates a confirmation. + (e) Cancellation by CD-ROM for multiple submissions. If, for +example, you do not have reasonable access to the Internet through any +of the methods described in Sec. 1.231(a), you may cancel your +facilities' registrations using a CD-ROM. + (1) Registrants submitting their cancellations in CD-ROM format must +use ISO 9660 (CD-R or CD-RW) data format. + (2) Cancellation files must be submitted on a PDF rendition of the +cancellation form (Form 3537a) and be accompanied by one signed copy of +the certification statement on the cancellation form. + (3) Each submission on the CD-ROM must contain the same preferred +mailing address in the appropriate block on Form 3537. + (4) The CD-ROM may contain cancellations for as many facilities as +needed up to the CD-ROM's capacity. + (5) The cancellation for each facility on the CD-ROM must have a +unique file name up to 32 characters long, the first part of which may +be used to identify the parent company. + (6) You must mail the CD-ROM to U.S. Food and Drug Administration + +[[Page 28]] + +(HFS-681), 5600 Fishers Lane, Rockville, MD 20857. + (7) If FDA receives a CD-ROM that does not comply with these +specifications, it will return the CD-ROM to the registrant unprocessed. + (8) FDA will enter CD-ROM submissions that meet the specifications +into its registration system, along with complete and legible mailed and +faxed submissions, as soon as practicable, in the order FDA receives +them. + (9) For each facility on the CD-ROM, FDA will mail to the preferred +mailing address a copy of the cancellation(s) as entered and +confirmation of the cancellation. + (10) If any information you previously submitted was incorrect at +the time of submission, you must immediately resubmit your cancellation. + (11) Your registration will be considered cancelled once FDA enters +your facility's cancellation data into the registration system and the +system generates a confirmation. + +[68 FR 58960, Oct. 10, 2003, as amended at 73 FR 15883, Mar. 26, 2008] + + Additional Provisions + + + +Sec. 1.240 What other registration requirements apply? + + In addition to the requirements of this subpart, you must comply +with the registration regulations found in part 108 of this chapter, +related to emergency permit control, and any other Federal, State, or +local registration requirements that apply to your facility. + + + +Sec. 1.241 What are the consequences of failing to register, update, +or cancel your registration? + + (a) Section 301 of the Federal Food, Drug, and Cosmetic Act +prohibits the doing of certain acts or causing such acts to be done. +Under section 302 of the Federal Food, Drug, and Cosmetic Act, the +United States can bring a civil action in Federal court to enjoin a +person who commits a prohibited act. Under section 303 of the Federal +Food, Drug, and Cosmetic Act, the United States can bring a criminal +action in Federal court to prosecute a person who is responsible for the +commission of a prohibited act. Under section 306 of the Federal Food, +Drug, and Cosmetic Act, FDA can seek debarment of any person who has +been convicted of a felony relating to importation of food into the +United States. Failure of an owner, operator, or agent in charge of a +domestic or foreign facility to register its facility, to update +required elements of its facility's registration, or to cancel its +registration in accordance with the requirements of this subpart is a +prohibited act under section 301(dd) of the Federal Food, Drug, and +Cosmetic Act. + (b) FDA will cancel a registration if the agency independently +verifies that the facility is no longer in business or has changed +owners, and the owner, operator, or agent in charge of the facility +fails to cancel the registration, or if FDA determines that the +registration is for a facility that does not exist. If FDA cancels a +facility's registration, FDA will mail a confirmation of the +cancellation to the facility at the address provided in the facility's +registration. + (c) If an article of food is imported or offered for import into the +United States and a foreign facility that manufactured/processed, +packed, or held that article of food has not registered in accordance +with this subpart, the disposition of the article of food shall be +governed by the procedures set out in subpart I of this part. + +[68 FR 58960, Oct. 10, 2003, as amended at 80 FR 56143, Sept. 17, 2015 + + + +Sec. 1.242 What does assignment of a registration number mean? + + Assignment of a registration number to a facility means that the +facility is registered with FDA. Assignment of a registration number +does not in any way convey FDA's approval or endorsement of a facility +or its products. + + + +Sec. 1.243 Is food registration information available to the public? + + (a) The list of registered facilities and registration documents +submitted under this subpart are not subject to disclosure under 5 +U.S.C. 552 (the Freedom of Information Act). In addition, any +information derived from such list or registration documents that would +disclose the identity or location of a + +[[Page 29]] + +specific registered person, is not subject to disclosure under 5 U.S.C. +552 (the Freedom of Information Act). + (b) Paragraph (a) of this section does not apply to any information +obtained by other means or that has previously been disclosed to the +public as defined in Sec. 20.81 of this chapter. + + + + Subpart I_Prior Notice of Imported Food + + Source: 73 FR 66402, Nov. 7, 2008, unless otherwise noted. + + General Provisions + + + +Sec. 1.276 What definitions apply to this subpart? + + (a) The act means the Federal Food, Drug, and Cosmetic Act. + (b) The definitions of terms in section 201 of the act (21 U.S.C. +321) apply when the terms are used in this subpart, unless defined in +this section. + (1) Calendar day means every day shown on the calendar. + (2) Country from which the article originates means FDA Country of +Production. + (3) Country from which the article is shipped means the country in +which the article of food is loaded onto the conveyance that brings it +to the United States or, in the case of food sent by international mail, +the country from which the article is mailed. + (4) FDA Country of Production means: (i) For an article of food that +is in its natural state, the country where the article of food was +grown, including harvested or collected and readied for shipment to the +United States. If an article of food is wild fish, including seafood +that was caught or harvested outside the waters of the United States by +a vessel that is not registered in the United States, the FDA Country of +Production is the country in which the vessel is registered. If an +article of food that is in its natural state was grown, including +harvested or collected and readied for shipment, in a Territory, the FDA +Country of Production is the United States. + (ii) For an article of food that is no longer in its natural state, +the country where the article was made; except that, if an article of +food is made from wild fish, including seafood, aboard a vessel, the FDA +Country of Production is the country in which the vessel is registered. +If an article of food that is no longer in its natural state was made in +a Territory, the FDA Country of Production is the United States. + (5) Food has the meaning given in section 201(f) of the act, except +as provided in paragraph (b)(5)(i) of this section. + (i) For purposes of this subpart, food does not include: + (A) Food contact substances as defined in section 409(h)(6) of the +act (21 U.S.C. 348(h)(6)); or + (B) Pesticides as defined in 7 U.S.C. 136(u). + (ii) Examples of food include fruits, vegetables, fish, including +seafood, dairy products, eggs, raw agricultural commodities for use as +food or as components of food, animal feed (including pet food), food +and feed ingredients, food and feed additives, dietary supplements and +dietary ingredients, infant formula, beverages (including alcoholic +beverages and bottled water), live food animals, bakery goods, snack +foods, candy, and canned foods. + (6) Full address means the facility's street name and number; suite/ +unit number, as appropriate; city; Province or State as appropriate; +mail code as appropriate; and country. + (7) Grower means a person who engages in growing and harvesting or +collecting crops (including botanicals), raising animals (including +fish, which includes seafood), or both. + (8) International mail means foreign national mail services. +International mail does not include express consignment operators or +carriers or other private delivery services unless such service is +operating under contract as an agent or extension of a foreign mail +service. + (9) Manufacturer means the last facility, as that word is defined in +Sec. 1.227, that manufactured/processed the food. A facility is +considered the last facility even if the food undergoes further +manufacturing/processing that consists of adding labeling or any similar +activity of a de minimis nature. If the food undergoes further +manufacturing/processing that exceeds an activity of a de + +[[Page 30]] + +minimis nature, then the subsequent facility that performed the +additional manufacturing/processing is considered the manufacturer. + (10) No longer in its natural state means that an article of food +has been made from one or more ingredients or synthesized, prepared, +treated, modified, or manipulated. Examples of activities that render +food no longer in its natural state are cutting, peeling, trimming, +washing, waxing, eviscerating, rendering, cooking, baking, freezing, +cooling, pasteurizing, homogenizing, mixing, formulating, bottling, +milling, grinding, extracting juice, distilling, labeling, or packaging. +Crops that have been cleaned (e.g., dusted, washed), trimmed, or cooled +attendant to harvest or collection or treated against pests, or polished +are still in their natural state for purposes of this subpart. Whole +fish headed, eviscerated, or frozen attendant to harvest are still in +their natural state for purposes of this subpart. + (11) Port of arrival means the water, air, or land port at which the +article of food is imported or offered for import into the United +States. For an article of food arriving by water or air, this is the +port of unloading. For an article of food arriving by land, this is the +port where the article of food first crosses the border into the United +States. The port of arrival may be different than the port where +consumption or warehouse entry or foreign trade zone admission +documentation is presented to the U.S. Customs and Border Protection +(CBP). + (12) Port of entry, in section 801(m) and (l) of the act (21 U.S.C. +381(m) and (l)), means the port of entry as defined in 19 CFR 101.1. + (13) Registration number means the registration number assigned to a +facility by FDA under section 415 of the act (21 U.S.C. 350d) and +subpart H of this part. + (14) Shipper means the owner or exporter of the article of food who +consigns and ships the article from a foreign country or the person who +sends an article of food by international mail or express consignment +operators or carriers or other private delivery service to the United +States. + (15) United States means the Customs territory of the United States +(i.e., the 50 States, the District of Columbia, and the Commonwealth of +Puerto Rico), but not the Territories. + (16) You means the person submitting the prior notice, i.e., the +submitter or the transmitter, if any. + +[73 FR 66402, Nov. 7, 2008, as amended at 80 FR 56143, Sept. 17, 2015] + + + +Sec. 1.277 What is the scope of this subpart? + + (a) This subpart applies to all food for humans and other animals +that is imported or offered for import into the United States for use, +storage, or distribution in the United States, including food for gifts +and trade and quality assurance/quality control samples, food for +transshipment through the United States to another country, food for +future export, and food for use in a U.S. Foreign Trade Zone. + (b) Notwithstanding paragraph (a) of this section, this subpart does +not apply to: + (1) Food for an individual's personal use when it is carried by or +otherwise accompanies the individual when arriving in the United States; + (2) Food that was made by an individual in his/her personal +residence and sent by that individual as a personal gift (i.e., for +nonbusiness reasons) to an individual in the United States; + (3) Food that is imported then exported without leaving the port of +arrival until export; + (4) Meat food products that at the time of importation are subject +to the exclusive jurisdiction of the U.S. Department of Agriculture +(USDA) under the Federal Meat Inspection Act (21 U.S.C. 601 et seq.); + (5) Poultry products that at the time of importation are subject to +the exclusive jurisdiction of USDA under the Poultry Products Inspection +Act (21 U.S.C. 451 et seq.); + (6) Egg products that at the time of importation are subject to the +exclusive jurisdiction of USDA under the Egg Products Inspection Act (21 +U.S.C. 1031 et seq.); and + (7) Articles of food subject to Article 27(3) of The Vienna +Convention on Diplomatic Relations (1961), i.e., shipped as + +[[Page 31]] + +baggage or cargo constituting the diplomatic bag. + + Requirements To Submit Prior Notice of Imported Food + + + +Sec. 1.278 Who is authorized to submit prior notice? + + A prior notice for an article of food may be submitted by any person +with knowledge of the required information. This person is the +submitter. The submitter also may use another person to transmit the +required information on his/her behalf. The person who transmits the +information is the transmitter. The submitter and transmitter may be the +same person. + + + +Sec. 1.279 When must prior notice be submitted to FDA? + + (a) Except as provided in paragraph (c) of this section, you must +submit the prior notice to FDA and the prior notice submission must be +confirmed by FDA for review as follows: + (1) If the article of food is arriving by land by road, no less than +2 hours before arriving at the port of arrival; + (2) If the article of food is arriving by land by rail, no less than +4 hours before arriving at the port of arrival; + (3) If the article of food is arriving by air, no less than 4 hours +before arriving at the port of arrival; or + (4) If the article of food is arriving by water, no less than 8 +hours before arriving at the port of arrival. + (b) Except in the case of an article of food imported or offered for +import by international mail: + (1) If prior notice is submitted via Automated Broker Interface/ +Automated Commercial System (ABI/ACS), you may not submit prior notice +more than 30-calendar days before the anticipated date of arrival. + (2) If prior notice is submitted via the FDA Prior Notice System +Interface (FDA PNSI), you may not submit prior notice more than 15- +calendar days before the anticipated date of arrival. + (c) Notwithstanding paragraphs (a) and (b) of this section, if the +article of food is arriving by international mail, you must submit the +prior notice before the article of food is sent to the United States. + (d) FDA will notify you that your prior notice has been confirmed +for review with a reply message that contains a Prior Notice (PN) +Confirmation Number. Your prior notice will be considered submitted and +the prior notice time will start when FDA has confirmed your prior +notice for review. + (e) The PN Confirmation Number must accompany any article of food +arriving by international mail. The PN Confirmation Number must appear +on the Customs Declaration (e.g., CN22 or CN23 or U.S. equivalent) that +accompanies the package. + (f) A copy of the confirmation, including the PN Confirmation +Number, must accompany any article of food that is subject to this +subpart when it is carried by or otherwise accompanies an individual +when arriving in the United States. The copy of the confirmation must be +provided to U.S. Customs and Border Protection (CBP) or FDA upon +arrival. + (g) The PN Confirmation Number must accompany any article of food +for which the prior notice was submitted through the FDA PNSI when the +article arrives in the United States and must be provided to CBP or FDA +upon arrival. + + + +Sec. 1.280 How must you submit prior notice? + + (a) You must submit the prior notice electronically to FDA. You must +submit all prior notice information in the English language, except that +an individual's name, the name of a company, and the name of a street +may be submitted in a foreign language. All information, including the +items listed in the previous sentence, must be submitted using the Latin +(Roman) alphabet. Unless paragraph (c) of this section applies, you must +submit prior notice through: + (1) The U.S. Customs and Border Protection (CBP) Automated Broker +Interface of the Automated Commercial System (ABI/ACS); or + (2) The FDA PNSI at http://www.access.fda.gov. You must submit prior +notice through the FDA Prior Notice System Interface (FDA PNSI) for +articles of food imported or offered for import by international mail, +and other transaction types that cannot be made through ABI/ACS. Prior +notice for articles that have been refused + +[[Page 32]] + +under section 801(m)(1) of the act and under this subpart must be +submitted through the FDA PNSI until such time as FDA and CBP issue a +determination that ACS or its successor system can accommodate such +transactions. + (b) If a customhouse broker's or self-filer's system is not working +or if the ABI/ACS interface is not working, prior notice must be +submitted through the FDA PNSI. + (c) If FDA determines that FDA PNSI or the Operational and +Administration System for Import Support (OASIS) is not working, FDA +will post prominent notification and instructions at http://www.fda.gov. +FDA will accept prior notice submissions in the format it deems +appropriate during the system(s) outage. + + + +Sec. 1.281 What information must be in a prior notice? + + (a) General. For each article of food that is imported or offered +for import into the United States, except by international mail, you +must submit the information for the article that is required in +paragraphs (a)(1) through (a)(17) of this section: + (1) The name of the individual submitting the prior notice and his/ +her business address, phone number, and e-mail address, and the name and +address of the submitting firm, if applicable. If the business address +of the individual submitting the prior notice is a registered facility, +then the facility's registration number, city, and country may be +provided instead of the facility's full address; + (2) If different from the submitter, the name of the individual and +firm, if applicable, transmitting the prior notice on behalf of the +submitter and his/her business address, phone number, and e-mail +address. If the business address of the individual transmitting the +prior notice is a registered facility, then the facility's registration +number, city, and country may be provided instead of the facility's full +address; + (3) The entry type; + (4) The U.S. Customs and Border Protection (CBP) entry identifier +(e.g., CBP entry number or in-bond number), if available; + (5) The identity of the article of food being imported or offered +for import, as follows: + (i) The complete FDA product code; + (ii) The common or usual name or market name; + (iii) The estimated quantity of food that will be shipped, described +from largest container to smallest package size; and + (iv) The lot or code numbers or other identifier of the food if +required by the act or FDA regulations, e.g., low-acid canned foods, by +Sec. 113.60(c) of this chapter; acidified foods, by Sec. 114.80(b) of +this chapter; and infant formula, by Sec. 106.90 of this chapter; + (6) For an article of food that is no longer in its natural state, +the identity of the manufacturer, as follows: + (i) The name of the manufacturer; and + (ii) Either the registration number, city, and country of the +manufacturer or both the full address of the manufacturer and the reason +the registration number is not provided; + (7) For an article of food that is in its natural state, the name +and growing location address of the grower, if known. If the submitter +does not know the identity of the grower or, if the article has been +consolidated and the submitter does not know the identity of any of the +growers, you may provide the name and address of the firm that has +consolidated the articles of food from different growers or different +growing locations; + (8) The FDA Country of Production; + (9) If the shipper is different from the manufacturer, the identity +of the shipper, as follows: + (i) The name of the shipper; and + (ii) The full address of the shipper. If the address of the shipper +is a registered facility, you also may submit the registration number of +the shipper's registered facility; + (10) The country from which the article is shipped; + (11) Anticipated arrival information about the article of food being +imported or offered for import, as follows: + (i) The anticipated port of arrival; + (ii) The anticipated date on which the article of food will arrive +at the anticipated port of arrival; + +[[Page 33]] + + (iii) The anticipated time of that arrival; and + (iv) Notwithstanding paragraphs (a)(11)(i) through (a)(11)(iii) of +this section, if the article of food is arriving by express consignment +operator or carrier, and neither the submitter nor transmitter is the +express consignment operator or carrier, and prior notice is submitted +via the FDA PNSI, the express consignment operator or carrier tracking +number may be submitted in lieu of the information required in +paragraphs (a)(11)(i) through (a)(11)(iii) of this section. Until such +time as FDA and CBP issue a determination that ACS or its successor +system can accommodate such transactions, the tracking number may not be +submitted in lieu of information required in paragraphs (a)(11)(i) +through (a)(11)(iii) of this section, if the prior notice is submitted +via ABI/ACS. + (12) The name and full address of the importer. If the business +address of the importer is a registered facility, you also may submit +the registration number of the importer's registered facility. The +identity of the importer is not required for an article of food that is +imported or offered for import for transshipment through the United +States under a Transportation and Exportation entry; + (13) The name and full address of the owner if different from the +importer or ultimate consignee. If the business address of the owner is +a registered facility, you also may submit the registration number of +the owner's registered facility. The identity of the owner is not +required for an article of food that is imported or offered for import +for transshipment through the United States under a Transportation and +Exportation entry; + (14) The name and full address of the ultimate consignee. If the +business address of the ultimate consignee is a registered facility, you +also may submit the registration number of the ultimate consignee's +registered facility. The identity of the ultimate consignee is not +required for an article of food that is imported or offered for import +for transshipment through the United States under a Transportation and +Exportation entry; + (15) The mode of transportation; + (16) The Standard Carrier Abbreviation Code (SCAC) or International +Air Transportation Association (IATA) code of the carrier which is, or +will be, carrying the article of food from the country from which the +article is shipped to the United States to the port of arrival, or if +this code is not applicable, then the name of the carrier. If the +carrier is a privately owned vehicle, the license plate number of the +vehicle and the State or Province that issued the license plate number; + (17) Planned shipment information, as applicable to the mode of +transportation and when it exists: + (i) The Airway Bill number(s) or Bill of Lading number(s), as +applicable. This information is not required for an article of food when +carried by or otherwise accompanying an individual when entering the +United States. If the article of food is arriving by express consignment +operator or carrier, and neither the submitter nor transmitter is the +express consignment operator or carrier, and the prior notice is +submitted via the FDA PNSI, the express consignment operator or carrier +tracking number may be submitted in lieu of the Airway Bill number(s) or +Bill of Lading number(s), as applicable. Until such time as FDA and CBP +issue a determination that ACS or its successor system can accommodate +such transactions, the tracking number may not be submitted in lieu of +the Airway Bill number(s) or Bill of Lading number(s), if the prior +notice is submitted via ABI/ACS; + (ii) For food arriving by ocean vessel, the vessel name and voyage +number; + (iii) For food arriving by air carrier, the flight number. If the +article of food is arriving by express consignment operator or carrier, +and neither the submitter nor transmitter is the express consignment +operator or carrier, and the prior notice is submitted via the FDA PNSI, +the express consignment operator or carrier tracking number may be +submitted in lieu of the flight number. Until such time as FDA and CBP +issue a determination that ACS or its successor system can accommodate +such transactions, the tracking number may not be submitted in lieu of +the flight number, if the prior notice is submitted via ABI/ACS; + +[[Page 34]] + + (iv) For food arriving by truck, bus, or rail, the trip number; + (v) For food arriving as containerized cargo by water, air, or land, +the container number(s). This information is not required for an article +of food when carried by or otherwise accompanying an individual when +entering the United States; and + (vi) For food arriving by rail, the car number. This information is +not required for an article of food when carried by or otherwise +accompanying an individual. + (18) Any country to which the article has been refused entry. + (b) Articles arriving by international mail. For each article of +food that is imported or offered for import into the United States by +international mail, you must submit the information for the article that +is required in paragraphs (b)(1) through (b)(11) of this section: + (1) The name of the individual submitting the prior notice and his/ +her business address, phone number, and e-mail address, and the name and +address of the submitting firm, if applicable. If the business address +of the individual submitting the prior notice is a registered facility, +then the facility's registration number, city, and country may be +provided instead of the facility's full address; + (2) If different from the submitter, the name of the individual and +firm, if applicable, transmitting the prior notice on behalf of the +submitter and his/her business address, phone number, and e-mail +address. If the business address of the individual transmitting the +prior notice is a registered facility, then the facility's registration +number, city, and country may be provided instead of the facility's full +address; + (3) The entry type (which will be a mail entry); + (4) The identity of the article of food being imported or offered +for import, as follows: + (i) The complete FDA product code; + (ii) The common or usual name or market name; + (iii) The estimated quantity of food that will be shipped, described +from largest container to smallest package size; and + (iv) The lot or code numbers or other identifier of the food if +required by the act or FDA regulations, e.g., low-acid canned foods, by +Sec. 113.60(c) of this chapter; acidified foods, by Sec. 114.80(b) of +this chapter; and infant formula, Sec. 106.90 of this chapter; + (5) For an article of food that is no longer in its natural state, +the identity of the manufacturer, as follows: + (i) The name of the manufacturer; and + (ii) Either the registration number, city, and country of the +manufacturer or both the full address of the manufacturer and the reason +the registration number is not provided; + (6) For an article of food that is in its natural state, the name +and growing location address of the grower, if known. If the submitter +does not know the identity of the grower or, if the article has been +consolidated and the submitter does not know the identity of any of the +growers, you may provide the name and address of the firm that has +consolidated the articles of food from different growers or different +growing locations; + (7) The FDA Country of Production; + (8) If the shipper is different from the manufacturer, the identity +of the shipper, as follows: + (i) The name of the shipper; and + (ii) The full address of the shipper. If the address of the shipper +is a registered facility, you also may submit the registration number of +the shipper's registered facility; + (9) The country from which the article is shipped (i.e., mailed); + (10) The anticipated date of mailing; and + (11) The name and address of the U.S. recipient. + (12) Any country to which the article has been refused entry. + (c) Refused articles. If the article of food has been refused under +section 801(m)(1) of the act and under this subpart, you must submit the +information for the article that is required in paragraphs (c)(1) +through (c)(18) of this section. However, if the refusal is based on +Sec. 1.283(a)(1)(iii) (Untimely Prior Notice), you do not have to +resubmit any information previously submitted unless it has changed or +the article has been exported and the original prior + +[[Page 35]] + +notice was submitted through ABI/ACS. If the refusal is based on Sec. +1.283(a)(1)(ii), you should cancel the previous submission per Sec. +1.282(b) and (c). + (1) The name of the individual submitting the prior notice and his/ +her business address, phone number, and e-mail address, and the name and +address of the submitting firm, if applicable. If the business address +of the individual submitting the prior notice is a registered facility, +then the facility's registration number, city, and country may be +provided instead of the facility's full address; + (2) If different from the submitter, the name of the individual and +firm, if applicable, transmitting the prior notice on behalf of the +submitter and his/her business address, phone number, and e-mail +address. If the business address of the individual transmitting the +prior notice is a registered facility, then the facility's registration +number, city, and country may be provided instead of the facility's full +address; + (3) The entry type; + (4) The CBP entry identifier (e.g., CBP entry number or in-bond +number), if available; + (5) The identity of the article of food being imported or offered +for import, as follows: + (i) The complete FDA product code; + (ii) The common or usual name or market name; + (iii) The quantity of food that was shipped, described from largest +container to smallest package size; and + (iv) The lot or code numbers or other identifier of the food if +required by the act or FDA regulations, e.g., low-acid canned foods, by +Sec. 113.60(c) of this chapter; acidified foods, by Sec. 114.80(b) of +this chapter; and infant formula, by Sec. 106.90 of this chapter; + (6) For an article of food that is no longer in its natural state, +the identity of the manufacturer, as follows: + (i) The name of the manufacturer; and + (ii) Either the registration number, city, and country of the +manufacturer or both the full address of the manufacturer and the reason +the registration number is not provided; + (7) For an article of food that is in its natural state, the name +and growing location address of the grower, if known. If the submitter +does not know the identity of the grower or, if the article has been +consolidated and the submitter does not know any of the growers, you may +provide the name and address of the firm that has consolidated the +articles of food from different growers or different growing locations; + (8) The FDA Country of Production; + (9) If the shipper is different from the manufacturer, the identity +of the shipper, as follows: + (i) The name of the shipper; and + (ii) The full address of the shipper. If the address of the shipper +is a registered facility, you also may submit the registration number of +the shipper's registered facility; + (10) The country from which the article is shipped; + (11) Arrival information about the article of food being imported or +offered for import, as follows: + (i) The port of arrival; and + (ii) The date on which the article of food arrived at the port of +arrival. + (iii) Notwithstanding paragraph (c)(11) of this section, if the +article of food arrived by express consignment operator or carrier, and +neither the submitter nor transmitter is the express consignment +operator or carrier, and the prior notice is submitted via the FDA PNSI, +the express consignment operator or carrier tracking number may be +submitted in lieu of the information required in paragraph (c)(11) of +this section. Until such time as FDA and CBP issue a determination that +ACS or its successor system can accommodate such transactions, the +tracking number may not be submitted in lieu of information required in +paragraph (c)(11) of this section, if the prior notice is submitted via +ABI/ACS; + (12) The name and full address of the importer. If the business +address of the importer is a registered facility, you also may submit +the registration number of the importer's registered facility. The +identity of the importer is not required for an article of food that is +imported or offered for import for transshipment through the United +States under a Transportation and Exportation entry; + +[[Page 36]] + + (13) The name and full address of the owner, if different from the +importer or ultimate consignee. If the business address of the owner is +a registered facility, you also may submit the registration number of +the importer's registered facility. The identity of the owner is not +required for an article of food that is imported or offered for import +for transshipment through the United States under a Transportation and +Exportation entry; + (14) The name and full address of the ultimate consignee. If the +business address of the ultimate consignee is a registered facility, you +also may submit the registration number of the ultimate consignee's +registered facility. The identity of the ultimate consignee is not +required for an article of food that is imported or offered for import +for transshipment through the United States under a Transportation and +Exportation entry; + (15) The mode of transportation; + (16) The SCAC or IATA code of the carrier which carried the article +of food from the country from which the article is shipped to the United +States to the port of arrival, or if this code is not applicable, then +the name of the carrier. If the carrier is a privately owned vehicle, +the license plate number of the vehicle and the State or Province that +issued the license plate number; + (17) Shipment information, as applicable to the mode of +transportation and when it exists: + (i) The Airway Bill number(s) or Bill of Lading number(s), as +applicable; however, this information is not required for an article of +food when carried by or otherwise accompanying an individual when +entering the United States. If the article of food arrived by express +consignment operator or carrier, and neither the submitter nor +transmitter is the express consignment operator or carrier, and the +prior notice is submitted via the FDA PNSI, the express consignment +operator or carrier tracking number may be submitted in lieu of the +Airway Bill number(s) or Bill of Lading number(s), as applicable. Until +such time as FDA and CBP issue a determination that ACS or its successor +system can accommodate such transactions, the tracking number may not be +submitted in lieu of the Airway Bill number(s) or Bill of Lading +number(s), if the prior notice is submitted via ABI/ACS; + (ii) For food that arrived by ocean vessel, the vessel name and +voyage number; + (iii) For food that arrived by air carrier, the flight number. If +the article of food arrived by express consignment operator or carrier, +and neither the submitter nor transmitter is the express consignment +operator or carrier, and the prior notice is submitted via the FDA PNSI, +the express consignment operator or carrier tracking number may be +submitted in lieu of the flight number. Until such time as FDA and CBP +issue a determination that ACS or its successor system can accommodate +such transactions, the tracking number may not be submitted in lieu of +the flight number, if the prior notice is submitted via ABI/ACS; + (iv) For food that arrived by truck, bus, or rail, the trip number; + (v) For food that arrived as containerized cargo by water, air, or +land, the container number(s); however, this information is not required +for an article of food when carried by or otherwise accompanying an +individual when entering the United States; and + (vi) For food that arrived by rail, the car number; however, this +information is not required for an article of food when carried by or +otherwise accompanying an individual; + (18) The location and address where the article of refused food will +be or is being held, the date the article has arrived or will arrive at +that location, and identification of a contact at that location. + (19) Any country to which the article has been refused entry. + +[73 FR 66402, Nov. 7, 2008, as amended at 76 FR 25545, May 5, 2011] + + + +Sec. 1.282 What must you do if information changes after you have +received confirmation of a prior notice from FDA? + + (a)(1) If any of the information required in Sec. 1.281(a), except +the information required in: + (i) Section 1.281(a)(5)(iii) (quantity), + (ii) Section 1.281(a)(11) (anticipated arrival information), or + +[[Page 37]] + + (iii) Section 1.281(a)(17) (planned shipment information), changes +after you receive notice that FDA has confirmed your prior notice +submission for review, you must resubmit prior notice in accordance with +this subpart unless the article of food will not be offered for import +or imported into the United States. + (2) If any of the information required in Sec. 1.281(b), except the +information required in Sec. 1.281(b)(10) (the anticipated date of +mailing), changes after you receive notice that FDA has confirmed your +prior notice submission for review, you must resubmit prior notice in +accordance with this subpart, unless the article of food will not be +offered for import or imported into the United States. + (b) If you submitted the prior notice via the FDA PNSI, you should +cancel the prior notice via the FDA PNSI. + (c) If you submitted the prior notice via ABI/ACS, you should cancel +the prior notice via ACS by requesting that CBP cancel the entry. + + Consequences + + + +Sec. 1.283 What happens to food that is imported or offered for +import without adequate prior notice? + + (a) For each article of food that is imported or offered for import +into the United States, except for food arriving by international mail +or food carried by or otherwise accompanying an individual, the +consequences are: + (1) Inadequate prior notice--(i) No prior notice. If an article of +food arrives at the port of arrival and no prior notice has been +submitted and confirmed by FDA for review, the food is subject to +refusal of admission under section 801(m)(1) of the act (21 U.S.C. +381(m)(1)). If an article of food is refused for lack of prior notice, +unless U.S. Customs and Border Protection (CBP) concurrence is obtained +for export and the article is immediately exported from the port of +arrival under CBP supervision, it must be held within the port of entry +for the article unless directed by CBP or FDA. + (ii) Inaccurate prior notice. If prior notice has been submitted and +confirmed by FDA for review, but upon review of the notice or +examination of the article of food, the notice is determined to be +inaccurate, the food is subject to refusal of admission under section +801(m)(1) of the act. If the article of food is refused due to +inaccurate prior notice, unless CBP concurrence is obtained for export +and the article is immediately exported from the port of arrival under +CBP supervision, it must be held within the port of entry for the +article unless directed by CBP or FDA. + (iii) Untimely prior notice. If prior notice has been submitted and +confirmed by FDA for review, but the full time that applies under Sec. +1.279 for prior notice has not elapsed when the article of food arrives, +the food is subject to refusal of admission under section 801(m)(1) of +the act, unless FDA has already reviewed the prior notice, determined +its response to the prior notice, and advised CBP of that response. If +the article of food is refused due to untimely prior notice, unless CBP +concurrence is obtained for export and the article is immediately +exported from the port of arrival under CBP supervision, it must be held +within the port of entry for the article unless directed by CBP or FDA. + (2) Status and movement of refused food. (i) An article of food that +has been refused under section 801(m)(1) of the act and paragraph (a) of +this section shall be considered general order merchandise as described +in section 490 of the Tariff Act of 1930, as amended (19 U.S.C. 1490). + (ii) Refused food must be moved under appropriate custodial bond +unless immediately exported under CBP supervision. If the food is to be +held at the port, FDA must be notified of the location where the food is +held at that port before the food is moved there. If the food is to be +held at a secure facility outside the port, FDA must be notified of the +location of the secure facility before the food is moved there. The +refused food shall not be entered and shall not be delivered to any +importer, owner, or ultimate consignee. If the food is to be held at a +secure facility outside a port, the food must be taken directly to that +secure facility. + (3) Segregation of refused foods. If an article of food that is +refused is part of a shipment that contains articles of food that have +not been placed under hold or other merchandise not subject + +[[Page 38]] + +to this subpart, the refused article of food may be segregated from the +rest of the shipment. This segregation must take place where the article +is held. FDA or CBP may supervise segregation. If FDA or CBP determines +that supervision is necessary, segregation must not take place without +supervision. + (4) Costs. Neither FDA nor CBP are liable for transportation, +storage, or other expenses resulting from refusal. + (5) Export after refusal. An article of food that has been refused +under paragraph (a) of this section may be exported with CBP concurrence +and under CBP supervision unless it is seized or administratively +detained by FDA or CBP under other authority. If an article of food that +has been refused admission under paragraph (a) of this section is +exported, the prior notice should be cancelled within 5-business days of +exportation. + (6) No post-refusal submission or request for review. If an article +of food is refused under section 801(m)(1) of the act and no prior +notice is submitted or resubmitted, no request for FDA review is +submitted in accordance with paragraph (d) of this section, or export +has not occurred in accordance with paragraph (a)(5) of this section, +the article of food shall be dealt with as set forth in CBP regulations +relating to general order merchandise (19 CFR part 127), except that, +unless otherwise agreed to by CBP and FDA, the article may only be sold +for export or destroyed. + (b) Food carried by or otherwise accompanying an individual. If food +carried by or otherwise accompanying an individual arriving in the +United States is not for personal use and does not have adequate prior +notice or the individual cannot provide FDA or CBP with a copy of the +prior notice (PN) confirmation, the food is subject to refusal of +admission under section 801(m)(1) of the act. If before leaving the +port, the individual does not arrange to have the food held at the port +or exported, FDA or CBP may destroy the article of food. + (c) Post-Refusal prior notice submissions. (1) If an article of food +is refused under paragraph (a)(1)(i) of this section (no prior notice) +and the food is not exported, prior notice must be submitted in +accordance with Sec. Sec. 1.280 and 1.281(c). + (2) If an article of food is refused under paragraph (a)(1)(ii) of +this section (inaccurate prior notice) and the food is not exported, the +prior notice should be canceled in accordance with Sec. 1.282 and you +must resubmit prior notice in accordance with Sec. Sec. 1.280 and +1.281(c). + (3) Once the prior notice has been submitted or resubmitted and +confirmed by FDA for review, FDA will endeavor to review and respond to +the prior notice submission within the timeframes set out in Sec. +1.279. + (d) FDA review after refusal. (1) If an article of food has been +refused admission under section 801(m)(1) of the act, a request may be +submitted asking FDA to review whether the article is subject to the +requirements of this subpart under Sec. 1.277, or whether the +information submitted in a prior notice is complete and accurate. A +request for review may not be used to submit prior notice or to resubmit +an inaccurate prior notice. + (2) A request may be submitted only by the carrier, submitter, +importer, owner, or ultimate consignee. A request must identify which +one the requester is. + (3) A request must be submitted in writing to FDA and delivered by +fax or e-mail. The location for receipt of a request is listed at http:/ +/www.fda.gov--see Prior Notice. A request must include all factual and +legal information necessary for FDA to conduct its review. Only one +request for review may be submitted for each refused article. + (4) The request must be submitted within 5-calendar days of the +refusal. FDA will review and respond within 5-calendar days of receiving +the request. + (5) If FDA determines that the article is not subject to the +requirements of this subpart under Sec. 1.277 or that the prior notice +submission is complete and accurate, it will notify the requester, the +transmitter, and CBP that the food is no longer subject to refusal under +section 801(m)(1) of the act. + (e) International mail. If an article of food arrives by +international mail with inadequate prior notice or the PN confirmation +number is not affixed as required, the parcel will be held by CBP for 72 +hours for FDA inspection and disposition. If FDA refuses the article + +[[Page 39]] + +under section 801(m)(1) of the act and there is a return address, the +parcel may be returned to sender marked ``No Prior Notice--FDA +Refused.'' If the article is refused and there is no return address or +FDA determines that the article of food in the parcel appears to present +a hazard, FDA may dispose of or destroy the parcel at its expense. If +FDA does not respond within 72 hours of the CBP hold, CBP may return the +parcel to the sender or, if there is no return address, destroy the +parcel, at FDA expense. + (f) Prohibitions on delivery and transfer. (1) Notwithstanding +section 801(b) of the act, an article of food refused under section +801(m)(1) of the act may not be delivered to the importer, owner, or +ultimate consignee until prior notice is submitted to FDA in accordance +with this subpart, FDA has examined the prior notice, FDA has determined +that the prior notice is adequate, and FDA has notified CBP and the +transmitter that the article of food is no longer refused admission +under section 801(m)(1) of the act. + (2) During the time an article of food that has been refused under +section 801(m)(1) of the act is held, the article may not be transferred +by any person from the port or other designated secure facility until +prior notice is submitted to FDA in accordance with this subpart, FDA +has examined the prior notice, FDA has determined that the prior notice +is adequate, and FDA has notified CBP and the transmitter that the +article of food no longer is refused admission under section 801(m)(1) +of the act. After this notification by FDA to CBP and transmitter, entry +may be made in accordance with law and regulation. + (g) Relationship to other admissibility decisions. A determination +that an article of food is no longer refused under section 801(m)(1) of +the act is different than, and may come before, determinations of +admissibility under other provisions of the act or other U.S. laws. A +determination that an article of food is no longer refused under section +801(m)(1) of the act does not mean that it will be granted admission +under other provisions of the act or other U.S. laws. + + + +Sec. 1.284 What are the other consequences of failing to submit +adequate prior notice or otherwise failing to comply with this subpart? + + (a) The importing or offering for import into the United States of +an article of food in violation of the requirements of section 801(m) of +the act, including the requirements of this subpart, is a prohibited act +under section 301(ee) of the act (21 U.S.C. 331(ee)). + (b) Section 301 of the act prohibits the doing of certain acts or +causing such acts to be done. + (1) Under section 302 of the act (21 U.S.C. 332), the United States +can bring a civil action in Federal court to enjoin persons who commit a +prohibited act. + (2) Under sections 301 and 303 of the act (21 U.S.C. 331 and 333), +the United States can bring a criminal action in Federal court to +prosecute persons who are responsible for the commission of a prohibited +act. + (c) Under section 306 of the act (21 U.S.C. 335a), FDA can seek +debarment of any person who has been convicted of a felony relating to +importation of food into the United States or any person who has engaged +in a pattern of importing or offering for import adulterated food that +presents a threat of serious adverse health consequences or death to +humans or animals. + + + +Sec. 1.285 What happens to food that is imported or offered for +import from unregistered facilities that are required to register under +subpart H of this part? + + (a) Consequences. If an article of food from a foreign facility that +is not registered as required under section 415 of the act (21 U.S.C. +350d) and subpart H of this part is imported or offered for import into +the United States, the food is subject to being held under section +801(l) of the act (21 U.S.C. 381(l)). + (b) Hold. Unless CBP concurrence is obtained for export and the +article is immediately exported from the port of arrival, if an article +of food has been placed under hold under section 801(l) of the act, it +must be held within the port of entry for the article unless directed by +CBP or FDA. + (c) Status and movement of held food. (1) An article of food that +has been + +[[Page 40]] + +placed under hold under section 801(l) of the act shall be considered +general order merchandise as described in section 490 of the Tariff Act +of 1930, as amended (19 U.S.C. 1490). + (2) Food under hold under section 801(l) of the act must be moved +under appropriate custodial bond unless immediately exported under CBP +supervision. If the food is to be held at the port, FDA must be notified +of the location where the food is held at the port before the food is +moved there. If the food is to be held at a secure facility outside the +port, FDA must be notified of the location of the secure facility before +the food is moved there. The food subject to hold shall not be entered +and shall not be delivered to any importer, owner, or ultimate +consignee. If the food is to be held at a secure facility outside a +port, the food must be taken directly to that secure facility. + (d) Segregation of held foods. If an article of food that has been +placed under hold under section 801(l) of the act is part of a shipment +that contains articles that have not been placed under hold, the food +under hold may be segregated from the rest of the shipment. This +segregation must take place where the article is held. FDA or CBP may +supervise segregation. If FDA or CBP determine that supervision is +necessary, segregation must not take place without supervision. + (e) Costs. Neither FDA nor CBP will be liable for transportation, +storage, or other expenses resulting from any hold. + (f) Export after hold. An article of food that has been placed under +hold under section 801(l) of the act may be exported with CBP +concurrence and under CBP supervision unless it is seized or +administratively detained by FDA or CBP under other authority. + (g) No registration or request for review. If an article of food is +placed under hold under section 801(l) of the act and no registration +number or request for FDA review is submitted in accordance with +paragraph (j) of this section or export has not occurred in accordance +with paragraph (f) of this section, the food shall be dealt with as set +forth in CBP regulations relating to general order merchandise, except +that, unless otherwise agreed to by CBP and FDA, the article may only be +sold for export or destroyed. + (h) Food carried by or otherwise accompanying an individual. If an +article of food carried by or otherwise accompanying an individual +arriving in the United States is not for personal use and is placed +under hold under section 801(l) of the act because it is from a foreign +facility that is not registered as required under section 415 of the act +and subpart H of this part, the individual may arrange to have the food +held at the port or exported. If such arrangements cannot be made, the +article of food may be destroyed. + (i) Post-hold submissions. (1) To resolve a hold, if an article of +food is held under paragraph (b) of this section because it is from a +foreign facility that is not registered, the facility must be registered +and a registration number must be obtained. + (2) The FDA Prior Notice Center must be notified of the applicable +registration number in writing. The notification must provide the name +and contact information for the person submitting the information. The +notification may be delivered to FDA by fax or e-mail. The contact +information for these delivery methods is listed at http://www.fda.gov-- +see Prior Notice. The notification should include the applicable CBP +entry identifier. + (3) If FDA determines that the article is no longer subject to hold, +it will notify the person who provided the registration information and +CBP that the food is no longer subject to hold under section 801(l) of +the act. + (j) FDA review after hold. (1) If an article of food has been placed +under hold under section 801(l) of the act, a request may be submitted +asking FDA to review whether the facility associated with the article is +subject to the requirements of section 415 of the act. A request for +review may not be submitted to obtain a registration number. + (2) A request may be submitted only by the carrier, submitter, +importer, owner, or ultimate consignee of the article. A request must +identify which one the requestor is. + (3) A request must be submitted in writing to FDA and delivered by +fax or + +[[Page 41]] + +e-mail. The location for receipt of a request is listed at http:// +www.fda.gov--see Prior Notice. A request must include all factual and +legal information necessary for FDA to conduct its review. Only one +request for review may be submitted for each article under hold. + (4) The request must be submitted within 5-calendar days of the +hold. FDA will review and respond within 5-calendar days of receiving +the request. + (5) If FDA determines that the article is not from a facility +subject to the requirements of section 415 of the act, it will notify +the requestor and CBP that the food is no longer subject to hold under +section 801(l) of the act. + (k) International mail. If an article of food that arrives by +international mail is from a foreign facility that is not registered as +required under section 415 of the act and subpart H of this part, the +parcel will be held by CBP for 72 hours for FDA inspection and +disposition. If the article is placed under hold under section 801(l) of +the act and there is a return address, the parcel may be returned to +sender marked ``No Registration--No Admission Permitted.'' If the +article is under hold and there is no return address or FDA determines +that the article of food in the parcel appears to present a hazard, FDA +may dispose of or destroy the parcel at its expense. If FDA does not +respond within 72 hours of the CBP hold, CBP may return the parcel to +the sender marked ``No Registration--No Admission Permitted'' or, if +there is no return address, destroy the parcel, at FDA expense. + (l) Prohibitions on delivery and transfer. Notwithstanding section +801(b) of the act, while an article of food is under hold under section +801(l) of the act, it may not be delivered to the importer, owner, or +ultimate consignee. If an article of food is no longer subject to hold +under section 801(l) of the act, entry may be made in accordance with +law and regulation. + (m) Relationship to other admissibility provisions. A determination +that an article of food is no longer subject to hold under section +801(l) of the act is different than, and may come before, determinations +of admissibility under other provisions of the act or other U.S. laws. A +determination that an article of food is no longer under hold under +section 801(l) of the act does not mean that it will be granted +admission under other provisions of the act or other U.S. laws. + + + + Subpart J_Establishment, Maintenance, and Availability of Records + + Source: 69 FR 71651, Dec. 9, 2004, unless otherwise noted. + + General Provisions + + + +Sec. 1.326 Who is subject to this subpart? + + (a) Persons who manufacture, process, pack, transport, distribute, +receive, hold, or import food in the United States are subject to the +regulations in this subpart, unless you qualify for one of the +exclusions in Sec. 1.327. If you conduct more than one type of activity +at a location, you are required to keep records with respect to those +activities covered by this subpart, but are not required by this subpart +to keep records with respect to activities that fall within one of the +exclusions in Sec. 1.327. + (b) Persons subject to the regulations in this subpart must keep +records whether or not the food is being offered for or enters +interstate commerce. + + + +Sec. 1.327 Who is excluded from all or part of the regulations in +this subpart? + + (a) Farms are excluded from all of the requirements in this subpart. + (b) Restaurants are excluded from all of the requirements in this +subpart. A restaurant/retail facility is excluded from all of the +requirements in this subpart if its sales of food it prepares and sells +to consumers for immediate consumption are more than 90 percent of its +total food sales. + (c) Fishing vessels, including those that not only harvest and +transport fish but also engage in practices such as heading, +eviscerating, or freezing intended solely to prepare fish for holding on +board a harvest vessel, are excluded from all of the requirements in +this subpart, except Sec. Sec. 1.361 and 1.363. + +[[Page 42]] + +However, those fishing vessels otherwise engaged in processing fish are +subject to all of the requirements in this subpart. For the purposes of +this section, ``processing'' means handling, storing, preparing, +shucking, changing into different market forms, manufacturing, +preserving, packing, labeling, dockside unloading, holding or heading, +eviscerating, or freezing other than solely to prepare fish for holding +on board a harvest vessel. + (d) Persons who distribute food directly to consumers are excluded +from the requirements in Sec. 1.345 to establish and maintain records +to identify the nontransporter and transporter immediate subsequent +recipients as to those transactions. The term ``consumers'' does not +include businesses. + (e) Persons who operate retail food establishments that distribute +food to persons who are not consumers are subject to all of the +requirements in this subpart. However, the requirements in Sec. 1.345 +to establish and maintain records to identify the nontransporter and +transporter immediate subsequent recipients that are not consumers +applies as to those transactions only to the extent the information is +reasonably available. + (1) For purposes of this section, retail food establishment is +defined to mean an establishment that sells food products directly to +consumers as its primary function. The term ``consumers'' does not +include businesses. + (2) A retail food establishment may manufacture/process, pack, or +hold food if the establishment's primary function is to sell from that +establishment food, including food that it manufactures/processes, +packs, or holds, directly to consumers. + (3) A retail food establishment's primary function is to sell food +directly to consumers if the annual monetary value of sales of food +products directly to consumers exceeds the annual monetary value of +sales of food products to all other buyers. + (4) A ``retail food establishment'' includes grocery stores, +convenience stores, and vending machine locations. + (f) Retail food establishments that employ 10 or fewer full-time +equivalent employees are excluded from all of the requirements in this +subpart, except Sec. Sec. 1.361 and 1.363. The exclusion is based on +the number of full-time equivalent employees at each retail food +establishment and not the entire business, which may own numerous retail +stores. + (g) Persons who manufacture, process, pack, transport, distribute, +receive, hold, or import food in the United States that is within the +exclusive jurisdiction of the U.S. Department of Agriculture (USDA) +under the Federal Meat Inspection Act (21 U.S.C. 601 et seq.), the +Poultry Products Inspection Act (21 U.S.C. 451 et seq.), or the Egg +Products Inspection Act (21 U.S.C. 1031 et seq.) are excluded from all +of the requirements in this subpart with respect to that food while it +is under the exclusive jurisdiction of USDA. + (h) Foreign persons, except for foreign persons who transport food +in the United States, are excluded from all of the requirements of this +subpart. + (i) Persons who manufacture, process, pack, transport, distribute, +receive, hold, or import food are subject to Sec. Sec. 1.361 and 1.363 +with respect to its packaging (the outer packaging of food that bears +the label and does not contact the food). All other persons who +manufacture, process, pack, transport, distribute, receive, hold, or +import packaging are excluded from all of the requirements of this +subpart. + (j) Persons who manufacture, process, pack, transport, distribute, +receive, hold, or import food contact substances other than the finished +container that directly contacts food are excluded from all of the +requirements of this subpart, except Sec. Sec. 1.361 and 1.363. + (k) Persons who place food directly in contact with its finished +container are subject to all of the requirements of this subpart as to +the finished container that directly contacts that food. All other +persons who manufacture, process, pack, transport, distribute, receive, +hold, or import the finished container that directly contacts the food +are excluded from the requirements of this subpart as to the finished +container, except Sec. Sec. 1.361 and 1.363. + (l) Nonprofit food establishments are excluded from all of the +requirements in this subpart, except Sec. Sec. 1.361 and 1.363. + +[[Page 43]] + + (m) Persons who manufacture, process, pack, transport, distribute, +receive, hold, or import food for personal consumption are excluded from +all of the requirements of this subpart. + (n) Persons who receive or hold food on behalf of specific +individual consumers and who are not also parties to the transaction and +who are not in the business of distributing food are excluded from all +of the requirements of this subpart. + + + +Sec. 1.328 What definitions apply to this subpart? + + The definitions of terms in section 201 of the Federal Food, Drug, +and Cosmetic Act (the act) (21 U.S.C. 321) apply to such terms when used +in this subpart. In addition, for the purposes of this subpart: + Farm means: + (1) Primary production farm. A primary production farm is an +operation under one management in one general (but not necessarily +contiguous) physical location devoted to the growing of crops, the +harvesting of crops, the raising of animals (including seafood), or any +combination of these activities. The term ``farm'' includes operations +that, in addition to these activities: + (i) Pack or hold raw agricultural commodities; + (ii) Pack or hold processed food, provided that all processed food +used in such activities is either consumed on that farm or another farm +under the same management, or is processed food identified in paragraph +(1)(iii)(B)(1) of this definition; and + (iii) Manufacture/process food, provided that: + (A) All food used in such activities is consumed on that farm or +another farm under the same management; or + (B) Any manufacturing/processing of food that is not consumed on +that farm or another farm under the same management consists only of: + (1) Drying/dehydrating raw agricultural commodities to create a +distinct commodity (such as drying/dehydrating grapes to produce +raisins), and packaging and labeling such commodities, without +additional manufacturing/processing (an example of additional +manufacturing/processing is slicing); + (2) Treatment to manipulate the ripening of raw agricultural +commodities (such as by treating produce with ethylene gas), and +packaging and labeling treated raw agricultural commodities, without +additional manufacturing/processing; and + (3) Packaging and labeling raw agricultural commodities, when these +activities do not involve additional manufacturing/processing (an +example of additional manufacturing/processing is irradiation); or + (2) Secondary activities farm. A secondary activities farm is an +operation, not located on a primary production farm, devoted to +harvesting (such as hulling or shelling), packing, and/or holding of raw +agricultural commodities, provided that the primary production farm(s) +that grows, harvests, and/or raises the majority of the raw agricultural +commodities harvested, packed, and/or held by the secondary activities +farm owns, or jointly owns, a majority interest in the secondary +activities farm. A secondary activities farm may also conduct those +additional activities allowed on a primary production farm as described +in paragraphs (1)(ii) and (iii) of this definition. + Food has the meaning given in section 201(f) of the Federal Food, +Drug, and Cosmetic Act. Examples of food include, but are not limited to +fruits; vegetables; fish; dairy products; eggs; raw agricultural +commodities for use as food or as components of food; animal feed, +including pet food; food and feed ingredients and additives, including +substances that migrate into food from the finished container and other +articles that contact food; dietary supplements and dietary ingredients; +infant formula; beverages, including alcoholic beverages and bottled +water; live food animals; bakery goods; snack foods; candy; and canned +foods. + Full-time equivalent employee means all individuals employed by the +person claiming the exemption. The number of full-time equivalent +employees is determined by dividing the total number of hours of salary +or wages paid directly to employees of the person and of all of its +affiliates by the number of hours of work in 1 year, 2,080 hours (i.e., +40 hours x 52 weeks). + +[[Page 44]] + + Harvesting applies to farms and farm mixed-type facilities and means +activities that are traditionally performed on farms for the purpose of +removing raw agricultural commodities from the place they were grown or +raised and preparing them for use as food. Harvesting is limited to +activities performed on raw agricultural commodities, or on processed +foods created by drying/dehydrating a raw agricultural commodity without +additional manufacturing/processing, on a farm. Harvesting does not +include activities that transform a raw agricultural commodity into a +processed food as defined in section 201(gg) of the Federal Food, Drug, +and Cosmetic Act. Examples of harvesting include cutting (or otherwise +separating) the edible portion of the raw agricultural commodity from +the crop plant and removing or trimming part of the raw agricultural +commodity (e.g., foliage, husks, roots, or stems). Examples of +harvesting also include cooling, field coring, filtering, gathering, +hulling, shelling, sifting, threshing, trimming of outer leaves of, and +washing raw agricultural commodities grown on a farm. + Holding means storage of food and also includes activities performed +incidental to storage of a food (e.g., activities performed for the safe +or effective storage of that food, such as fumigating food during +storage, and drying/dehydrating raw agricultural commodities when the +drying/dehydrating does not create a distinct commodity (such as drying/ +dehydrating hay or alfalfa)). Holding also includes activities performed +as a practical necessity for the distribution of that food (such as +blending of the same raw agricultural commodity and breaking down +pallets), but does not include activities that transform a raw +agricultural commodity into a processed food as defined in section +201(gg) of the Federal Food, Drug, and Cosmetic Act. Holding facilities +could include warehouses, cold storage facilities, storage silos, grain +elevators, and liquid storage tanks. + Manufacturing/processing means making food from one or more +ingredients, or synthesizing, preparing, treating, modifying or +manipulating food, including food crops or ingredients. Examples of +manufacturing/processing activities include: Baking, boiling, bottling, +canning, cooking, cooling, cutting, distilling, drying/dehydrating raw +agricultural commodities to create a distinct commodity (such as drying/ +dehydrating grapes to produce raisins), evaporating, eviscerating, +extracting juice, formulating, freezing, grinding, homogenizing, +irradiating, labeling, milling, mixing, packaging (including modified +atmosphere packaging), pasteurizing, peeling, rendering, treating to +manipulate ripening, trimming, washing, or waxing. For farms and farm +mixed-type facilities, manufacturing/processing does not include +activities that are part of harvesting, packing, or holding. + Mixed-type facility means an establishment that engages in both +activities that are exempt from registration under section 415 of the +Federal Food, Drug, and Cosmetic Act and activities that require the +establishment to be registered. An example of such a facility is a +``farm mixed-type facility,'' which is an establishment that is a farm, +but also conducts activities outside the farm definition that require +the establishment to be registered. + Nonprofit food establishment means a charitable entity that prepares +or serves food directly to the consumer or otherwise provides food or +meals for consumption by humans or animals in the United States. The +term includes central food banks, soup kitchens, and nonprofit food +delivery services. To be considered a nonprofit food establishment, the +establishment must meet the terms of section 501(c)(3) of the U.S. +Internal Revenue Code (26 U.S.C. 501(c)(3)). + Nontransporter means a person who owns food or who holds, +manufactures, processes, packs, imports, receives, or distributes food +for purposes other than transportation. + Nontransporter immediate previous source means a person that last +had food before transferring it to another nontransporter. + Nontransporter immediate subsequent recipient means a nontransporter +that acquires food from another nontransporter. + Packaging (when used as a noun) means the outer packaging of food +that bears the label and does not contact + +[[Page 45]] + +the food. Packaging does not include food contact substances as they are +defined in section 409(h)(6) of the Federal Food, Drug, and Cosmetic +Act. + Packaging (when used as a verb) means placing food into a container +that directly contacts the food and that the consumer receives. + Packing means placing food into a container other than packaging the +food and also includes re-packing and activities performed incidental to +packing or re-packing a food (e.g., activities performed for the safe or +effective packing or re-packing of that food (such as sorting, culling, +grading, and weighing or conveying incidental to packing or re- +packing)), but does not include activities that transform a raw +agricultural commodity, as defined in section 201(r) of the Federal +Food, Drug, and Cosmetic Act, into a processed food as defined in +section 201(gg) of the Federal Food, Drug, and Cosmetic Act. + Person includes individual, partnership, corporation, and +association. + Recipe means the formula, including ingredients, quantities, and +instructions, necessary to manufacture a food product. Because a recipe +must have all three elements, a list of the ingredients used to +manufacture a product without quantity information and manufacturing +instructions is not a recipe. + Restaurant means a facility that prepares and sells food directly to +consumers for immediate consumption. ``Restaurant'' does not include +facilities that provide food to interstate conveyances, central +kitchens, and other similar facilities that do not prepare and serve +food directly to consumers. + (1) Facilities in which food is directly provided to humans, such as +cafeterias, lunchrooms, cafes, bistros, fast food establishments, food +stands, saloons, taverns, bars, lounges, catering facilities, hospital +kitchens, day care kitchens, and nursing home kitchens, are restaurants. + (2) Pet shelters, kennels, and veterinary facilities in which food +is directly provided to animals are restaurants. + Transporter means a person who has possession, custody, or control +of an article of food in the United States for the sole purpose of +transporting the food, whether by road, rail, water, or air. Transporter +also includes a foreign person that transports food in the United +States, regardless of whether that foreign person has possession, +custody, or control of that food for the sole purpose of transporting +that food. + Transporter's immediate previous source means a person from whom a +transporter received food. This source can be either another transporter +or a nontransporter. + Transporter's immediate subsequent recipient means a person to whom +a transporter delivered food. This recipient can be either another +transporter or a nontransporter. + You means a person subject to this subpart under Sec. 1.326. + +[69 FR 71651, Dec. 9, 2004, as amended at 80 FR 56143, Sept. 17, 2015; +81 FR 3715, Jan. 22, 2016] + + + +Sec. 1.329 Do other statutory provisions and regulations apply? + + (a) In addition to the regulations in this subpart, you must comply +with all other applicable statutory provisions and regulations related +to the establishment and maintenance of records for foods except as +described in paragraph (b) of this section. For example, the regulations +in this subpart are in addition to existing recordkeeping regulations +for low acid canned foods, juice, seafood, infant formula, color +additives, bottled water, animal feed, and medicated animal feed. + (b) Records established or maintained to satisfy the requirements of +this subpart that meet the definition of electronic records in Sec. +11.3(b)(6) (21 CFR 11.3 (b)(6)) of this chapter are exempt from the +requirements of part 11 of this chapter. Records that satisfy the +requirements of this subpart but that are also required under other +applicable statutory provisions or regulations remain subject to part 11 +of this chapter. + + + +Sec. 1.330 Can existing records satisfy the requirements of +this subpart? + + The regulations in this subpart do not require duplication of +existing records if those records contain all of the information +required by this subpart. If a covered person keeps records of all of +the information as required by + +[[Page 46]] + +this subpart to comply with other Federal, State, or local regulations, +or for any other reason, then those records may be used to meet these +requirements. Moreover, persons do not have to keep all of the +information required by this rule in one set of records. If they have +records containing some of the required information, they may keep those +existing records and keep, either separately or in a combined form, any +new information required by this rule. There is no obligation to create +an entirely new record or compilation of records containing both +existing and new information, even if the records containing some of the +required information were not created at the time the food was received +or released. + + Requirements for Nontransporters To Establish and Maintain Records To + Identify the Nontransporter and Transporter Immediate Previous Sources + of Food + + + +Sec. 1.337 What information must nontransporters establish and +maintain to identify the nontransporter and transporter immediate previous +sources of food? + + (a) If you are a nontransporter, you must establish and maintain the +following records for all food you receive: + (1) The name of the firm, address, telephone number and, if +available, the fax number and e-mail address of the nontransporter +immediate previous source, whether domestic or foreign; + (2) An adequate description of the type of food received, to include +brand name and specific variety (e.g., brand x cheddar cheese, not just +cheese; or romaine lettuce, not just lettuce); + (3) The date you received the food; + (4) For persons who manufacture, process, or pack food, the lot or +code number or other identifier of the food (to the extent this +information exists); + (5) The quantity and how the food is packaged (e.g., 6 count +bunches, 25 pound (lb) carton, 12 ounce (oz) bottle, 100 gallon (gal) +tank); and + (6) The name of the firm, address, telephone number, and, if +available, the fax number and e-mail address of the transporter +immediate previous source (the transporter who transported the food to +you). + + Requirements for Nontransporters To Establish and Maintain Records To + Identify the Nontransporter and Transporter Immediate Subsequent + Recipients of Food + + + +Sec. 1.345 What information must nontransporters establish and +maintain to identify the nontransporter and transporter immediate +subsequent recipients of food? + + (a) If you are a nontransporter, you must establish and maintain the +following records for food you release: + (1) The name of the firm, address, telephone number, and, if +available, the fax number and e-mail address of the nontransporter +immediate subsequent recipient, whether domestic or foreign; + (2) An adequate description of the type of food released, to include +brand name and specific variety (e.g., brand x cheddar cheese, not just +cheese; or romaine lettuce, not just lettuce); + (3) The date you released the food; + (4) For persons who manufacture, process, or pack food, the lot or +code number or other identifier of the food (to the extent this +information exists); + (5) The quantity and how the food is packaged (e.g., 6 count +bunches, 25 lb carton, 12 oz bottle, 100 gal tank); + (6) The name of the firm, address, telephone number, and, if +available, the fax number and e-mail address of the transporter +immediate subsequent recipient (the transporter who transported the food +from you); and + (b) Your records must include information reasonably available to +you to identify the specific source of each ingredient used to make +every lot of finished product. + + Requirements for Transporters To Establish and Maintain Records + + + +Sec. 1.352 What information must transporters establish and maintain? + + If you are a transporter, you must establish and maintain the +following records for each food you transport in the United States. You +may fulfill this requirement by either: + (a) Establishing and maintaining the following records: + (1) Names of the transporter's immediate previous source and +transporter's immediate subsequent recipient; + +[[Page 47]] + + (2) Origin and destination points; + (3) Date shipment received and date released; + (4) Number of packages; + (5) Description of freight; + (6) Route of movement during the time you transported the food; and + (7) Transfer point(s) through which shipment moved; or + (b) Establishing and maintaining records containing the following +information currently required by the Department of Transportation's +Federal Motor Carrier Safety Administration (of roadway interstate +transporters (49 CFR 373.101 and 373.103) as of December 9, 2004: + (1) Names of consignor and consignee; + (2) Origin and destination points; + (3) Date of shipment; + (4) Number of packages; + (5) Description of freight; + (6) Route of movement and name of each carrier participating in the +transportation; and + (7) Transfer points through which shipment moved; or + (c) Establishing and maintaining records containing the following +information currently required by the Department of Transportation's +Surface Transportation Board of rail and water interstate transporters +(49 CFR 1035.1 and 1035.2) as of December 9, 2004: + (1) Date received; + (2) Received from; + (3) Consigned to; + (4) Destination; + (5) State of; + (6) County of; + (7) Route; + (8) Delivering carrier; + (9) Car initial; + (10) Car no; + (11) Trailer initials/number; + (12) Container initials/number; + (13) No. packages; and + (14) Description of articles; or + (d) Establishing and maintaining records containing the following +information currently required by the Warsaw Convention of international +air transporters on air waybills: + (1) Shipper's name and address; + (2) Consignee's name and address; + (3) Customs reference/status; + (4) Airport of departure and destination; + (5) First carrier; and + (6) Description of goods; or + (e) Entering into an agreement with the nontransporter immediate +previous source located in the United States and/or the nontransporter +immediate subsequent recipient located in the United States to +establish, maintain, or establish and maintain, the information in Sec. +1.352(a), (b), (c), or (d). The agreement must contain the following +elements: + (1) Effective date; + (2) Printed names and signatures of authorized officials; + (3) Description of the records to be established and/or maintained; + (4) Provision for the records to be maintained in compliance with +Sec. 1.360, if the agreement provides for maintenance of records; + (5) Provision for the records to be available to FDA as required by +Sec. 1.361, if the agreement provides for maintenance of records; + (6) Acknowledgement that the nontransporter assumes legal +responsibility under Sec. 1.363 for establishing and/or maintaining the +records as required by this subpart; and + (7) Provision that if the agreement is terminated in writing by +either party, responsibility for compliance with the applicable +establishment, maintenance, and access provisions of this subpart +reverts to the transporter as of the date of termination. + + General Requirements + + + +Sec. 1.360 What are the record retention requirements? + + (a) You must create the required records when you receive and +release food, except to the extent that the information is contained in +existing records. + (b) If you are a nontransporter, you must retain for 6 months after +the dates you receive and release the food all required records for any +food having a significant risk of spoilage, loss of value, or loss of +palatability within 60 days after the date you receive or release the +food. + (c) If you are a nontransporter, you must retain for 1 year after +the dates you receive and release the food all required records for any +food for which a significant risk of spoilage, loss of value, or loss of +palatability occurs + +[[Page 48]] + +only after a minimum of 60 days, but within 6 months, after the date you +receive or release the food. + (d) If you are a nontransporter, you must retain for 2 years after +the dates you receive and release the food all required records for any +food for which a significant risk of spoilage, loss of value, or loss of +palatability does not occur sooner than 6 months after the date you +receive or release the food, including foods preserved by freezing, +dehydrating, or being placed in a hermetically sealed container. + (e) If you are a nontransporter, you must retain for 1 year after +the dates you receive and release the food all required records for +animal food, including pet food. + (f) If you are a transporter or nontransporter retaining records on +behalf of a transporter, you must retain for 6 months after the dates +you receive and release the food all required records for any food +having a significant risk of spoilage, loss of value, or loss of +palatability within 60 days after the date the transporter receives or +releases the food. If you are a transporter, or nontransporter retaining +records on behalf of a transporter, you must retain for 1 year after the +dates you receive and release the food, all required records for any +food for which a significant risk of spoilage, loss of value, or loss of +palatability occurs only after a minimum of 60 days after the date the +transporter receives or releases the food. + (g) You must retain all records at the establishment where the +covered activities described in the records occurred (onsite) or at a +reasonably accessible location. + (h) The maintenance of electronic records is acceptable. Electronic +records are considered to be onsite if they are accessible from an +onsite location. + + + +Sec. 1.361 What are the record availability requirements? + + When FDA has a reasonable belief that an article of food, and any +other article of food that FDA reasonably believes is likely to be +affected in a similar manner, is adulterated and presents a threat of +serious adverse health consequences or death to humans or animals, or +when FDA believes that there is a reasonable probability that the use of +or exposure to an article of food, and any other article of food that +FDA reasonably believes is likely to be affected in a similar manner, +will cause serious adverse health consequences or death to humans or +animals, any records and other information accessible to FDA under +section 414 or 704(a) of the Federal Food, Drug, and Cosmetic Act (21 +U.S.C. 350c and 374(a)) must be made readily available for inspection +and photocopying or other means of reproduction. Such records and other +information must be made available as soon as possible, not to exceed 24 +hours from the time of receipt of the official request, from an officer +or employee duly designated by the Secretary of Health and Human +Services who presents appropriate credentials and a written notice. + +[77 FR 10662, Feb. 23, 2012] + + + +Sec. 1.362 What records are excluded from this subpart? + + The establishment and maintenance of records as required by this +subpart does not extend to recipes for food as defined in Sec. 1.328; +financial data, pricing data, personnel data, research data, or sales +data (other than shipment data regarding sales). + + + +Sec. 1.363 What are the consequences of failing to establish or +maintain records or make them available to FDA as required by this +subpart? + + (a) The failure to establish or maintain records as required by +section 414(b) of the Federal Food, Drug, and Cosmetic Act and this +regulation or the refusal to permit access to or verification or copying +of any such required record is a prohibited act under section 301 of the +Federal Food, Drug, and Cosmetic Act. + (b) The failure of a nontransporter immediate previous source or a +nontransporter immediate subsequent recipient who enters an agreement +under Sec. 1.352(e) to establish, maintain, or establish and maintain, +records required under Sec. 1.352(a), (b), (c), or (d), or the refusal +to permit access to or verification or copying of any such required +record, is a prohibited act under section 301 of the Federal Food, Drug, +and Cosmetic Act. + +[[Page 49]] + + (c) The failure of any person to make records or other information +available to FDA as required by section 414 or 704(a) of the Federal +Food, Drug, and Cosmetic Act and this regulation is a prohibited act +under section 301 of the Federal Food, Drug, and Cosmetic Act. + +[80 FR 56144, Sept. 17, 2015 + + Compliance Dates + + + +Sec. 1.368 What are the compliance dates for this subpart? + + The compliance date for the requirements in this subpart is December +9, 2005. However, the compliance dates for small and very small +businesses are contained in paragraphs (a) and (b) of this section. The +size of the business is determined using the total number of full-time +equivalent employees in the entire business, not each individual +location or establishment. A full-time employee counts as one full-time +equivalent employee. Two part-time employees, each working half time, +count as one full-time equivalent employee. + (a) The compliance date for the requirements in this subpart is June +9, 2006, for small businesses employing fewer that 500, but more than 10 +full-time equivalent employees. + (b) The compliance date for the requirements in this subpart is +December 11, 2006, for very small businesses that employ 10 or fewer +full-time equivalent employees. + +[69 FR 71651, Dec. 9, 2004, as amended at 70 FR 8727, Feb. 23, 2005] + + + + Subpart K_Administrative Detention of Food for Human or Animal + Consumption + + Source: 69 FR 31701, June 4, 2004, unless otherwise noted. + + General Provisions + + + +Sec. 1.377 What definitions apply to this subpart? + + The definitions of terms that appear in section 201 of the act (21 +U.S.C. 321) apply when the terms are used in this subpart. In addition, +for the purposes of this subpart: + Act means the Federal Food, Drug, and Cosmetic Act. + Authorized FDA representative means an FDA District Director in +whose district the article of food involved is located or an FDA +official senior to such director. + Calendar day means every day shown on the calendar. + Food has the meaning given in section 201(f) of the act (21 U.S.C. +321(f)). Examples of food include, but are not limited to, fruits, +vegetables, fish, dairy products, eggs, raw agricultural commodities for +use as food or components of food, animal feed, including pet food, food +and feed ingredients and additives, including substances that migrate +into food from food packaging and other articles that contact food, +dietary supplements and dietary ingredients, infant formula, beverages, +including alcoholic beverages and bottled water, live food animals, +bakery goods, snack foods, candy, and canned foods. + Perishable food means food that is not heat-treated; not frozen; and +not otherwise preserved in a manner so as to prevent the quality of the +food from being adversely affected if held longer than 7 calendar days +under normal shipping and storage conditions. + We means the U.S. Food and Drug Administration (FDA). + Working day means any day from Monday through Friday, excluding +Federal holidays. + You means any person who received the detention order or that +person's representative. + + + +Sec. 1.378 What criteria does FDA use to order a detention? + + An officer or qualified employee of FDA may order the detention of +any article of food that is found during an inspection, examination, or +investigation under the act if the officer or qualified employee has +reason to believe that the article of food is adulterated or misbranded. + +[76 FR 25541, May 5, 2011] + + + +Sec. 1.379 How long may FDA detain an article of food? + + (a) FDA may detain an article of food for a reasonable period that +may not + +[[Page 50]] + +exceed 20 calendar days after the detention order is issued. However, an +article may be detained for 10 additional calendar days if a greater +period of time is required to institute a seizure or injunction action. +The authorized FDA representative may approve the additional 10-calendar +day detention period at the time the detention order is issued, or at +any time within the 20-calendar day period by amending the detention +order. + (b) The entire detention period may not exceed 30 calendar days. + (c) An authorized FDA representative may, in accordance with Sec. +1.384, terminate a detention order before the expiration of the +detention period. + + + +Sec. 1.380 Where and under what conditions must the detained article +of food be held? + + (a) You must hold the detained article of food in the location and +under the conditions specified by FDA in the detention order. + (b) If FDA determines that removal to a secure facility is +appropriate, the article of food must be removed to a secure facility. A +detained article of food remains under detention before, during, and +after movement to a secure facility. FDA will also state in the +detention order any conditions of transportation applicable to the +detained article. + (c) If FDA directs you to move the detained article of food to a +secure facility, you must receive a modification of the detention order +under Sec. 1.381(c) before you move the detained article of food to a +secure facility. + (d) You must ensure that any required tags or labels under Sec. +1.382 accompany the detained article during and after movement. The tags +or labels must remain with the article of food until FDA terminates the +detention order or the detention period expires, whichever occurs first, +unless otherwise permitted by the authorized FDA representative. + (e) The movement of an article of food in violation of a detention +order issued under Sec. 1.393 is a prohibited act under section 301 of +the act (21 U.S.C. 331). + + + +Sec. 1.381 May a detained article of food be delivered to another +entity or transferred to another location? + + (a) An article of food subject to a detention order under this +subpart may not be delivered under the execution of a bond. +Notwithstanding section 801(b) of the act (21 U.S.C. 381(b)), while any +article of food is subject to a detention order under section 304(h) of +the act (21 U.S.C. 334(h)), it may not be delivered to any of its +importers, owners, or consignees. This section does not preclude +movement at FDA's direction of imported food to a secure facility under +an appropriate Customs' bond when that bond is required by Customs' law +and regulation. + (b) Except as provided in paragraph (c) of this section, no person +may transfer a detained article of food within or from the place where +it has been ordered detained, or from the place to which it was removed, +until an authorized FDA representative releases the article of food +under Sec. 1.384 or the detention period expires under Sec. 1.379, +whichever occurs first. + (c) The authorized FDA representative may approve, in writing, a +request to modify a detention order to permit movement of a detained +article of food for any of the following purposes: + (1) To destroy the article of food, + (2) To move the detained article of food to a secure facility under +the terms of a detention order, + (3) To maintain or preserve the integrity or quality of the article +of food, or + (4) For any other purpose that the authorized FDA representative +believes is appropriate in the case. + (d) You must submit your request for modification of the detention +order in writing to the authorized FDA representative who approved the +detention order. You must state in your request the reasons for +movement; the exact address of and location in the new facility (or the +new location within the same facility) where the detained article of +food will be transferred; an explanation of how the new address and +location will be secure, if FDA has directed that the article be +detained in a secure facility; and how the article will be held under +any applicable conditions described in the detention order. If you + +[[Page 51]] + +are requesting modification of a detention order for the purpose of +destroying the detained article of food, you also must submit a verified +statement identifying the ownership or proprietary interest you have in +the detained article of food, in accordance with Supplemental Rule C to +the ``Federal Rules of Civil Procedure.'' + (e) If FDA approves a request for modification of a detention order, +the article may be transferred but remains under detention before, +during, and after the transfer. FDA will state any conditions of +transportation applicable to the detained article. You may not transfer +a detained article of food without FDA supervision unless FDA has +declined in writing to supervise the transfer. If FDA has declined in +writing to supervise the transfer of a detained article, you must +immediately notify in writing the authorized FDA representative who +approved the modification of the detention order that the article of +food has reached its new location, and the specific location of the +detained article within the new location. Such written notification may +be in the form of a fax, e-mail, or other form as agreed to by the +authorized FDA representative. + (f) You must ensure that any required tags or labels under Sec. +1.382 accompany the detained article during and after movement. The tags +or labels must remain with the article of food until FDA terminates the +detention order or the detention period expires, whichever occurs first, +unless otherwise permitted by the authorized FDA representative who +approves the modification of a detention order under this section. + (g) The transfer of an article of food in violation of a detention +order issued under Sec. 1.393 is a prohibited act under section 301 of +the act. + + + +Sec. 1.382 What labeling or marking requirements apply to a detained +article of food? + + The officer or qualified employee of FDA issuing a detention order +under Sec. 1.393 may label or mark the detained article of food with +official FDA tags or labels that include the following information: + (a) A statement that the article of food is detained by FDA in +accordance with section 304(h) of the act; + (b) A statement that the article of food must not be consumed, +moved, altered, or tampered with in any manner for the period shown, +without the written permission of an authorized FDA representative; + (c) A statement that the violation of a detention order or the +removal or alteration of the tag or label is a prohibited act, +punishable by fine or imprisonment or both; and + (d) The detention order number, the date and hour of the detention +order, the detention period, and the name of the officer or qualified +employee of FDA who issued the detention order. + + + +Sec. 1.383 What expedited procedures apply when FDA initiates a +seizure action against a detained perishable food? + + If FDA initiates a seizure action under section 304(a) of the act +against a perishable food subject to a detention order under this +subpart, FDA will send the seizure recommendation to the Department of +Justice (DOJ) within 4 calendar days after the detention order is +issued, unless extenuating circumstances exist. If the fourth calendar +day is not a working day, FDA will advise the DOJ of its plans to +recommend a seizure action on the last working day before the fourth +calendar day and send the recommendation as soon as practicable on the +first working day that follows. For purposes of this section, an +extenuating circumstance includes, but is not limited to, instances when +the results of confirmatory testing or other evidentiary development +requires more than 4 calendar days to complete. + + + +Sec. 1.384 When does a detention order terminate? + + If FDA terminates a detention order or the detention period expires, +an authorized FDA representative will issue a detention termination +notice releasing the article of food to any person who received the +detention order or that person's representative and will remove, or +authorize in writing the removal of, the required labels or tags. If + +[[Page 52]] + +FDA fails to issue a detention termination notice and the detention +period expires, the detention is deemed to be terminated. + + How Does FDA Order a Detention? + + + +Sec. 1.391 Who approves a detention order? + + An authorized FDA representative, i.e., the FDA District Director in +whose district the article of food involved is located or an FDA +official senior to such director, must approve a detention order. If +prior written approval is not feasible, prior oral approval must be +obtained and confirmed in writing as soon as possible. + + + +Sec. 1.392 Who receives a copy of the detention order? + + (a) FDA must issue the detention order to the owner, operator, or +agent in charge of the place where the article of food is located. If +the owner of the article of food is different from the owner, operator, +or agent in charge of the place where the article is detained, FDA must +provide a copy of the detention order to the owner of the article of +food if the owner's identity can be determined readily. + (b) If FDA issues a detention order for an article of food located +in a vehicle or other carrier used to transport the detained article of +food, FDA also must provide a copy of the detention order to the shipper +of record and the owner and operator of the vehicle or other carrier, if +their identities can be determined readily. + + + +Sec. 1.393 What information must FDA include in the detention order? + + (a) FDA must issue the detention order in writing, in the form of a +detention notice, signed and dated by the officer or qualified employee +of FDA who has reason to believe that such article of food is +adulterated or misbranded. + (b) The detention order must include the following information: + (1) The detention order number; + (2) The date and hour of the detention order; + (3) Identification of the detained article of food; + (4) The period of the detention; + (5) A statement that the article of food identified in the order is +detained for the period shown; + (6) A brief, general statement of the reasons for the detention; + (7) The address and location where the article of food is to be +detained and the appropriate storage conditions; + (8) Any applicable conditions of transportation of the detained +article of food; + (9) A statement that the article of food is not to be consumed, +moved, altered, or tampered with in any manner during the detention +period, unless the detention order is first modified under Sec. +1.381(c); + (10) The text of section 304(h) of the act and Sec. Sec. 1.401 and +1.402; + (11) A statement that any informal hearing on an appeal of a +detention order must be conducted as a regulatory hearing under part 16 +of this chapter, with certain exceptions described in Sec. 1.403; + (12) The mailing address, telephone number, e-mail address, and fax +number of the FDA district office and the name of the FDA District +Director in whose district the detained article of food is located; + (13) A statement indicating the manner in which approval of the +detention order was obtained, i.e., verbally or in writing; and + (14) The name and the title of the authorized FDA representative who +approved the detention order. + +[69 FR 31701, June 4, 2004, as amended at 76 FR 25541, May 5, 2011] + + What Is the Appeal Process for a Detention Order? + + + +Sec. 1.401 Who is entitled to appeal? + + Any person who would be entitled to be a claimant for the article of +food, if seized under section 304(a) of the act, may appeal a detention +order as specified in Sec. 1.402. Procedures for establishing +entitlement to be a claimant for purposes of section 304(a) of the act +are governed by Supplemental Rule C to the ``Federal Rules of Civil +Procedure.'' + +[[Page 53]] + + + +Sec. 1.402 What are the requirements for submitting an appeal? + + (a) If you want to appeal a detention order, you must submit your +appeal in writing to the FDA District Director, in whose district the +detained article of food is located, at the mailing address, e-mail +address, or fax number identified in the detention order according to +the following applicable timeframes: + (1) Perishable food: If the detained article is a perishable food, +as defined in Sec. 1.377, you must file an appeal within 2 calendar +days of receipt of the detention order. + (2) Nonperishable food: If the detained article is not a perishable +food, as defined in Sec. 1.377, you must file a notice of an intent to +request a hearing within 4 calendar days of receipt of the detention +order. If the notice of intent is not filed within 4 calendar days, you +will not be granted a hearing. If you have not filed a timely notice of +intent to request a hearing, you may file an appeal without a hearing +request. Whether or not it includes a request for hearing, your appeal +must be filed within 10 calendar days of receipt of the detention order. + (b) Your request for appeal must include a verified statement +identifying your ownership or proprietary interest in the detained +article of food, in accordance with Supplemental Rule C to the ``Federal +Rules of Civil Procedure.'' + (c) The process for the appeal of a detention order under this +section terminates if FDA institutes either a seizure action under +section 304(a) of the act or an injunction under section 302 of the act +(21 U.S.C. 276) regarding the article of food involved in the detention +order. + (d) As part of the appeals process, you may request an informal +hearing. Your request for a hearing must be in writing and must be +included in your request for an appeal specified in paragraph (a) of +this section. If you request an informal hearing, and FDA grants your +request, the hearing will be held within 2 calendar days after the date +the appeal is filed. + + + +Sec. 1.403 What requirements apply to an informal hearing? + + If FDA grants a request for an informal hearing on an appeal of a +detention order, FDA must conduct the hearing in accordance with part 16 +of this chapter, except that: + (a) The detention order under Sec. 1.393, rather than the notice +under Sec. 16.22(a) of this chapter, provides notice of opportunity for +a hearing under this section and is part of the administrative record of +the regulatory hearing under Sec. 16.80(a) of this chapter; + (b) A request for a hearing under this section must be addressed to +the FDA District Director in whose district the article of food involved +is located; + (c) The provision in Sec. 16.22(b) of this chapter, providing that +a person not be given less than 3 working days after receipt of notice +to request a hearing, does not apply to a hearing under this subpart; + (d) The provision in Sec. 16.24(e) of this chapter, stating that a +hearing may not be required to be held at a time less than 2 working +days after receipt of the request for a hearing, does not apply to a +hearing under this subpart; + (e) Section 1.406, rather than Sec. 16.24(f) of this chapter, +describes the statement that will be provided to an appellant where a +detention order is based on classified information; + (f) Section 1.404, rather than Sec. 16.42(a) of this chapter, +describes the FDA employees, e.g., Regional Food and Drug Directors or +other officials senior to a District Director, who preside at hearings +under this subpart; + (g) The presiding officer may require that a hearing conducted under +this section be completed within 1 calendar day, as appropriate; + (h) Section 16.60(e) and (f) of this chapter does not apply to a +hearing under this subpart. The presiding officer must prepare a written +report of the hearing. All written material presented at the hearing +will be attached to the report. The presiding officer must include as +part of the report of the hearing a finding on the credibility of +witnesses (other than expert witnesses) whenever credibility is a +material issue, and must include a proposed decision, with a statement +of reasons. The hearing participant may review and comment on the +presiding officer's report within 4 hours of issuance of the report. The +presiding officer will then issue the final agency decision. + +[[Page 54]] + + (i) Section 16.80(a)(4) of this chapter does not apply to a +regulatory hearing under this subpart. The presiding officer's report of +the hearing and any comments on the report by the hearing participant +under Sec. 1.403(h) are part of the administrative record. + (j) No party shall have the right, under Sec. 16.119 of this +chapter to petition the Commissioner of Food and Drugs for +reconsideration or a stay of the presiding officer's final agency +decision. + (k) If FDA grants a request for an informal hearing on an appeal of +a detention order, the hearing must be conducted as a regulatory hearing +pursuant to regulation in accordance with part 16 of this chapter, +except that Sec. 16.95(b) does not apply to a hearing under this +subpart. With respect to a regulatory hearing under this subpart, the +administrative record of the hearing specified in Sec. Sec. +16.80(a)(1), (a)(2), (a)(3), and (a)(5), and 1.403(i) constitutes the +exclusive record for the presiding officer's final decision on an +administrative detention. For purposes of judicial review under Sec. +10.45 of this chapter, the record of the administrative proceeding +consists of the record of the hearing and the presiding officer's final +decision. + + + +Sec. 1.404 Who serves as the presiding officer for an appeal, and +for an informal hearing? + + The presiding officer for an appeal, and for an informal hearing, +must be an FDA Regional Food and Drug Director or another FDA official +senior to an FDA District Director. + + + +Sec. 1.405 When does FDA have to issue a decision on an appeal? + + (a) The presiding officer must issue a written report that includes +a proposed decision confirming or revoking the detention by noon on the +fifth calendar day after the appeal is filed; after your 4 hour +opportunity for submitting comments under Sec. 1.403(h), the presiding +officer must issue a final decision within the 5-calendar day period +after the appeal is filed. If FDA either fails to provide you with an +opportunity to request an informal hearing, or fails to confirm or +terminate the detention order within the 5-calendar day period, the +detention order is deemed terminated. + (b) If you appeal the detention order, but do not request an +informal hearing, the presiding officer must issue a decision on the +appeal confirming or revoking the detention within 5 calendar days after +the date the appeal is filed. If the presiding officer fails to confirm +or terminate the detention order during such 5-calendar day period, the +detention order is deemed terminated. + (c) If you appeal the detention order and request an informal +hearing and your hearing request is denied, the presiding officer must +issue a decision on the appeal confirming or revoking the detention +within 5 calendar days after the date the appeal is filed. If the +presiding officer fails to confirm or terminate the detention order +during such 5-calendar day period, the detention order is deemed +terminated. + (d) If the presiding officer confirms a detention order, the article +of food continues to be detained until we terminate the detention under +Sec. 1.384 or the detention period expires under Sec. 1.379, whichever +occurs first. + (e) If the presiding officer terminates a detention order, or the +detention period expires, FDA must terminate the detention order as +specified under Sec. 1.384. + (f) Confirmation of a detention order by the presiding officer is +considered a final agency action for purposes of 5 U.S.C. 702. + + + +Sec. 1.406 How will FDA handle classified information in an +informal hearing? + + Where the credible evidence or information supporting the detention +order is classified under the applicable Executive order as requiring +protection from unauthorized disclosure in the interest of national +security (``classified information''), FDA will not provide you with +this information. The presiding officer will give you notice of the +general nature of the information and an opportunity to offer opposing +evidence or information, if he or she may do so consistently with +safeguarding the information and its source. If classified information +was used to support the detention, then any confirmation of such +detention will + +[[Page 55]] + +state whether it is based in whole or in part on that classified +information. + + + + Subpart L_Foreign Supplier Verification Programs for Food Importers + + Source: 80 FR 74340, Nov. 27, 2015, unless otherwise noted. + + + +Sec. 1.500 What definitions apply to this subpart? + + The following definitions apply to words and phrases as they are +used in this subpart. Other definitions of these terms may apply when +they are used in other subparts of this part. + Adequate means that which is needed to accomplish the intended +purpose in keeping with good public health practice. + Audit means the systematic, independent, and documented examination +(through observation, investigation, discussions with employees of the +audited entity, records review, and, as appropriate, sampling and +laboratory analysis) to assess an audited entity's food safety processes +and procedures. + Dietary supplement has the meaning given in section 201(ff) of the +Federal Food, Drug, and Cosmetic Act. + Dietary supplement component means any substance intended for use in +the manufacture of a dietary supplement, including those that may not +appear in the finished batch of the dietary supplement. Dietary +supplement components include dietary ingredients (as described in +section 201(ff) of the Federal Food, Drug, and Cosmetic Act) and other +ingredients. + Environmental pathogen means a pathogen that is capable of surviving +and persisting within the manufacturing, processing, packing, or holding +environment such that food may be contaminated and may result in +foodborne illness if that food is consumed without treatment to +significantly minimize or prevent the environmental pathogen. Examples +of environmental pathogens for the purposes of this subpart include +Listeria monocytogenes and Salmonella spp. but do not include the spores +of pathogenic sporeformers. + Facility means a domestic facility or a foreign facility that is +required to register under section 415 of the Federal Food, Drug, and +Cosmetic Act, in accordance with the requirements of subpart H of this +part. + Farm means farm as defined in Sec. 1.227. + Farm mixed-type facility means an establishment that is a farm but +that also conducts activities outside the farm definition that require +the establishment to be registered under section 415 of the Federal +Food, Drug, and Cosmetic Act. + Food has the meaning given in section 201(f) of the Federal Food, +Drug, and Cosmetic Act, except that food does not include pesticides (as +defined in 7 U.S.C. 136(u)). + Food allergen means a major food allergen as defined in section +201(qq) of the Federal Food, Drug, and Cosmetic Act. + Foreign supplier means, for an article of food, the establishment +that manufactures/processes the food, raises the animal, or grows the +food that is exported to the United States without further +manufacturing/processing by another establishment, except for further +manufacturing/processing that consists solely of the addition of +labeling or any similar activity of a de minimis nature. + Good compliance standing with a foreign food safety authority means +that the foreign supplier-- + (1) Appears on the current version of a list, issued by the food +safety authority of the country in which the foreign supplier is located +and which has regulatory oversight of the supplier, of food producers +that are in good compliance standing with the food safety authority; or + (2) Has otherwise been designated by such food safety authority as +being in good compliance standing. + Harvesting applies to farms and farm mixed-type facilities and means +activities that are traditionally performed on farms for the purpose of +removing raw agricultural commodities from the place they were grown or +raised and preparing them for use as food. Harvesting is limited to +activities performed on raw agricultural commodities on a farm. +Harvesting does not include activities that transform a raw agricultural +commodity into a processed food as defined in section 201(gg) + +[[Page 56]] + +of the Federal Food, Drug, and Cosmetic Act. Examples of harvesting +include cutting (or otherwise separating) the edible portion of the raw +agricultural commodity from the crop plant and removing or trimming part +of the raw agricultural commodity (e.g., foliage, husks, roots or +stems). Examples of harvesting also include cooling, field coring, +filtering, gathering, hulling, removing stems and husks from, shelling, +sifting, threshing, trimming of outer leaves of, and washing raw +agricultural commodities grown on a farm. + Hazard means any biological, chemical (including radiological), or +physical agent that is reasonably likely to cause illness or injury. + Hazard requiring a control means a known or reasonably foreseeable +hazard for which a person knowledgeable about the safe manufacturing, +processing, packing, or holding of food would, based on the outcome of a +hazard analysis (which includes an assessment of the probability that +the hazard will occur in the absence of controls or measures and the +severity of the illness or injury if the hazard were to occur), +establish one or more controls or measures to significantly minimize or +prevent the hazard in a food and components to manage those controls or +measures (such as monitoring, corrections or corrective actions, +verification, and records) as appropriate to the food, the facility, and +the nature of the control or measure and its role in the facility's food +safety system. + Holding means storage of food and also includes activities performed +incidental to storage of a food (e.g., activities performed for the safe +or effective storage of that food, such as fumigating food during +storage, and drying/dehydrating raw agricultural commodities when the +drying/dehydrating does not create a distinct commodity (such as drying/ +dehydrating hay or alfalfa)). Holding also includes activities performed +as a practical necessity for the distribution of that food (such as +blending of the same raw agricultural commodity and breaking down +pallets), but does not include activities that transform a raw +agricultural commodity into a processed food as defined in section +201(gg) of the Federal Food, Drug, and Cosmetic Act. Holding facilities +could include warehouses, cold storage facilities, storage silos, grain +elevators, and liquid storage tanks. + Importer means the U.S. owner or consignee of an article of food +that is being offered for import into the United States. If there is no +U.S. owner or consignee of an article of food at the time of U.S. entry, +the importer is the U.S. agent or representative of the foreign owner or +consignee at the time of entry, as confirmed in a signed statement of +consent to serve as the importer under this subpart. + Known or reasonably foreseeable hazard means a biological, chemical +(including radiological), or physical hazard that is known to be, or has +the potential to be, associated with a food or the facility in which it +is manufactured/processed. + Lot means the food produced during a period of time and identified +by an establishment's specific code. + Manufacturing/processing means making food from one or more +ingredients, or synthesizing, preparing, treating, modifying, or +manipulating food, including food crops or ingredients. Examples of +manufacturing/processing activities include: Baking, boiling, bottling, +canning, cooking, cooling, cutting, distilling, drying/dehydrating raw +agricultural commodities to create a distinct commodity (such as drying/ +dehydrating grapes to produce raisins), evaporating, eviscerating, +extracting juice, extruding (of animal food), formulating, freezing, +grinding, homogenizing, labeling, milling, mixing, packaging, +pasteurizing, peeling, pelleting (of animal food), rendering, treating +to manipulate ripening, trimming, washing, or waxing. For farms and farm +mixed-type facilities, manufacturing/processing does not include +activities that are part of harvesting, packing, or holding. + Microorganisms means yeasts, molds, bacteria, viruses, protozoa, and +microscopic parasites and includes species that are pathogens. + Packing means placing food into a container other than packaging the +food and also includes re-packing and activities performed incidental to + +[[Page 57]] + +packing or re-packing a food (e.g., activities performed for the safe or +effective packing or re-packing of that food (such as sorting, culling, +grading, and weighing or conveying incidental to packing or re- +packing)), but does not include activities that transform a raw +agricultural commodity into a processed food as defined in section +201(gg) of the Federal Food, Drug, and Cosmetic Act. + Pathogen means a microorganism of public health significance. + Qualified auditor means a person who is a qualified individual as +defined in this section and has technical expertise obtained through +education, training, or experience (or a combination thereof) necessary +to perform the auditing function as required by Sec. 1.506(e)(1)(i) or +Sec. 1.511(c)(5)(i)(A). Examples of potential qualified auditors +include: + (1) A government employee, including a foreign government employee; +and + (2) An audit agent of a certification body that is accredited in +accordance with subpart M of this part. + Qualified individual means a person who has the education, training, +or experience (or a combination thereof) necessary to perform an +activity required under this subpart, and can read and understand the +language of any records that the person must review in performing this +activity. A qualified individual may be, but is not required to be, an +employee of the importer. A government employee, including a foreign +government employee, may be a qualified individual. + Raw agricultural commodity has the meaning given in section 201(r) +of the Federal Food, Drug, and Cosmetic Act. + Ready-to-eat food (RTE food) means any food that is normally eaten +in its raw state or any food, including a processed food, for which it +is reasonably foreseeable that the food will be eaten without further +processing that would significantly minimize biological hazards. + Receiving facility means a facility that is subject to subparts C +and G of part 117 of this chapter, or subparts C and E of part 507 of +this chapter, and that manufactures/processes a raw material or other +ingredient that it receives from a supplier. + U.S. owner or consignee means the person in the United States who, +at the time of U.S. entry, either owns the food, has purchased the food, +or has agreed in writing to purchase the food. + Very small importer means: + (1) With respect to the importation of human food, an importer +(including any subsidiaries and affiliates) averaging less than $1 +million per year, adjusted for inflation, during the 3-year period +preceding the applicable calendar year, in sales of human food combined +with the U.S. market value of human food imported, manufactured, +processed, packed, or held without sale (e.g., imported for a fee); and + (2) With respect to the importation of animal food, an importer +(including any subsidiaries and affiliates) averaging less than $2.5 +million per year, adjusted for inflation, during the 3-year period +preceding the applicable calendar year, in sales of animal food combined +with the U.S. market value of animal food imported, manufactured, +processed, packed, or held without sale (e.g., imported for a fee). + You means a person who is subject to some or all of the requirements +in this subpart. + + + +Sec. 1.501 To what foods do the regulations in this subpart apply? + + (a) General. Except as specified otherwise in this section, the +requirements in this subpart apply to all food imported or offered for +import into the United States and to the importers of such food. + (b) Exemptions for juice and seafood--(1) Importers of certain juice +and seafood products. This subpart does not apply with respect to juice, +fish, and fishery products that are imported from a foreign supplier +that is required to comply with, and is in compliance with, the +requirements in part 120 or part 123 of this chapter. If you import +juice or fish and fishery products that are subject to part 120 or part +123, respectively, you must comply with the requirements applicable to +importers of those products under Sec. 120.14 or Sec. 123.12 of this +chapter, respectively. + (2) Certain importers of juice or seafood raw materials or other +ingredients subject to part 120 or part 123 of this chapter. + +[[Page 58]] + +This subpart does not apply with respect to any raw materials or other +ingredients that you import and use in manufacturing or processing juice +subject to part 120 or fish and fishery products subject to part 123, +provided that you are in compliance with the requirements in part 120 or +part 123 with respect to the juice or fish or fishery product that you +manufacture or process from the imported raw materials or other +ingredients. + (c) Exemption for food imported for research or evaluation. This +subpart does not apply to food that is imported for research or +evaluation use, provided that such food: + (1) Is not intended for retail sale and is not sold or distributed +to the public; + (2) Is labeled with the statement ``Food for research or evaluation +use''; + (3) Is imported in a small quantity that is consistent with a +research, analysis, or quality assurance purpose, the food is used only +for this purpose, and any unused quantity is properly disposed of; and + (4) Is accompanied, when filing entry with U.S. Customs and Border +Protection, by an electronic declaration that the food will be used for +research or evaluation purposes and will not be sold or distributed to +the public. + (d) Exemption for food imported for personal consumption. This +subpart does not apply to food that is imported for personal +consumption, provided that such food is not intended for retail sale and +is not sold or distributed to the public. Food is imported for personal +consumption only if it is purchased or otherwise acquired by a person in +a small quantity that is consistent with a non-commercial purpose and is +not sold or distributed to the public. + (e) Exemption for alcoholic beverages. (1) This subpart does not +apply with respect to alcoholic beverages that are imported from a +foreign supplier that is a facility that meets the following two +conditions: + (i) Under the Federal Alcohol Administration Act (27 U.S.C. 201 et +seq.) or chapter 51 of subtitle E of the Internal Revenue Code of 1986 +(26 U.S.C. 5001 et seq.), the facility is a foreign facility of a type +that, if it were a domestic facility, would require obtaining a permit +from, registering with, or obtaining approval of a notice or application +from the Secretary of the Treasury as a condition of doing business in +the United States; and + (ii) Under section 415 of the Federal Food, Drug, and Cosmetic Act, +the facility is required to register as a facility because it is engaged +in manufacturing/processing one or more alcoholic beverages. + (2) This subpart does not apply with respect to food that is not an +alcoholic beverage that is imported from a foreign supplier described in +paragraph (e)(1) of this section, provided such food: + (i) Is in prepackaged form that prevents any direct human contact +with such food; and + (ii) Constitutes not more than 5 percent of the overall sales of the +facility, as determined by the Secretary of the Treasury. + (3) This subpart does not apply with respect to raw materials and +other ingredients that are imported for use in alcoholic beverages +provided that: + (i) The imported raw materials and other ingredients are used in the +manufacturing/processing, packing, or holding of alcoholic beverages; + (ii) Such manufacturing/processing, packing, or holding is performed +by the importer; + (iii) The importer is required to register under section 415 of the +Federal Food, Drug, and Cosmetic Act; and + (iv) The importer is exempt from the regulations in part 117 of this +chapter in accordance with Sec. 117.5(i) of this chapter. + (f) Inapplicability to food that is transshipped or imported for +processing and export. This subpart does not apply to food: + (1) That is transshipped through the United States to another +country and is not sold or distributed to the public in the United +States; or + (2) That is imported for processing and future export and that is +not sold or distributed to the public in the United States. + (g) Inapplicability to U.S. food returned. This subpart does not +apply to food that is manufactured/processed, raised, or grown in the +United States, exported, and returned to the United + +[[Page 59]] + +States without further manufacturing/processing in a foreign country. + (h) Inapplicability to certain meat, poultry, and egg products. This +subpart does not apply with respect to: + (1) Meat food products that at the time of importation are subject +to the requirements of the U.S. Department of Agriculture (USDA) under +the Federal Meat Inspection Act (21 U.S.C. 601 et seq.); + (2) Poultry products that at the time of importation are subject to +the requirements of the USDA under the Poultry Products Inspection Act +(21 U.S.C. 451 et seq.); and + (3) Egg products that at the time of importation are subject to the +requirements of the USDA under the Egg Products Inspection Act (21 +U.S.C. 1031 et seq.). + + + +Sec. 1.502 What foreign supplier verification program (FSVP) must +I have? + + (a) General. Except as specified in paragraph (b) of this section, +for each food you import, you must develop, maintain, and follow an FSVP +that provides adequate assurances that your foreign supplier is +producing the food in compliance with processes and procedures that +provide at least the same level of public health protection as those +required under section 418 (regarding hazard analysis and risk-based +preventive controls for certain foods) or 419 (regarding standards for +produce safety), if either is applicable, and the implementing +regulations, and is producing the food in compliance with sections 402 +(regarding adulteration) and 403(w) (if applicable) (regarding +misbranding with respect to labeling for the presence of major food +allergens) of the Federal Food, Drug, and Cosmetic Act. + (b) Low-acid canned foods--(1) Importers of low-acid canned foods +not subject to further manufacturing or processing. With respect to +those microbiological hazards that are controlled by part 113 of this +chapter, if you import a thermally processed low-acid food packaged in a +hermetically sealed container (low-acid canned food), you must verify +and document that the food was produced in accordance with part 113. +With respect to all matters that are not controlled by part 113, you +must have an FSVP as specified in paragraph (a) of this section. + (2) Certain importers of raw materials or other ingredients subject +to part 113 of this chapter. With respect to microbiological hazards +that are controlled by part 113, you are not required to comply with the +requirements of this subpart for raw materials or other ingredients that +you import and use in the manufacturing or processing of low-acid canned +food provided that you are in compliance with part 113 with respect to +the low-acid canned food that you manufacture or process from the +imported raw materials or other ingredients. With respect to all hazards +other than microbiological hazards that are controlled by part 113, you +must have an FSVP as specified in paragraph (a) of this section for the +imported raw materials and other ingredients that you use in the +manufacture or processing of low-acid canned foods. + (c) Importers subject to section 418 of the Federal Food, Drug, and +Cosmetic Act. You are deemed to be in compliance with the requirements +of this subpart for a food you import, except for the requirements in +Sec. 1.509, if you are a receiving facility as defined in Sec. 117.3 +or Sec. 507.3 of this chapter and you are in compliance with the +following requirements of part 117 or part 507 of this chapter, as +applicable: + (1) You implement preventive controls for the hazards in the food in +accordance with Sec. 117.135 or Sec. 507.34 of this chapter; + (2) You are not required to implement a preventive control under +Sec. 117.136 or Sec. 507.36 of this chapter with respect to the food; +or + (3) You have established and implemented a risk-based supply-chain +program in compliance with subpart G of part 117 or subpart E of part +507 of this chapter with respect to the food. + + + +Sec. 1.503 Who must develop my FSVP and perform FSVP activities? + + (a) Qualified individual. A qualified individual must develop your +FSVP and perform each of the activities required under this subpart. A +qualified individual must have the education, training, or experience +(or a combination thereof) necessary to perform + +[[Page 60]] + +their assigned activities and must be able to read and understand the +language of any records that must be reviewed in performing an activity. + (b) Qualified auditor. A qualified auditor must conduct any audit +conducted in accordance with Sec. 1.506(e)(1)(i) or Sec. +1.511(c)(5)(i)(A). A qualified auditor must have technical expertise +obtained through education, training, or experience (or a combination +thereof) necessary to perform the auditing function. + + + +Sec. 1.504 What hazard analysis must I conduct? + + (a) Requirement for a hazard analysis. Except as specified in +paragraph (d) of this section, you must conduct a hazard analysis to +identify and evaluate, based on experience, illness data, scientific +reports, and other information, known or reasonably foreseeable hazards +for each type of food you import to determine whether there are any +hazards requiring a control. Your hazard analysis must be written +regardless of its outcome. + (b) Hazard identification. (1) Your analysis of the known or +reasonably foreseeable hazards in each food must include the following +types of hazards: + (i) Biological hazards, including microbiological hazards such as +parasites, environmental pathogens, and other pathogens; + (ii) Chemical hazards, including radiological hazards, pesticide and +drug residues, natural toxins, decomposition, unapproved food or color +additives, food allergens, and (in animal food) nutrient deficiencies or +toxicities; and + (iii) Physical hazards (such as stones, glass, and metal fragments). + (2) Your analysis must include known or reasonably foreseeable +hazards that may be present in a food for any of the following reasons: + (i) The hazard occurs naturally; + (ii) The hazard may be unintentionally introduced; or + (iii) The hazard may be intentionally introduced for purposes of +economic gain. + (c) Hazard evaluation. (1) Your hazard analysis must include an +evaluation of the hazards identified in paragraph (b) of this section to +assess the probability that the hazard will occur in the absence of +controls and the severity of the illness or injury if the hazard were to +occur. + (2) The hazard evaluation required by paragraph (c)(1) of this +section must include an evaluation of environmental pathogens whenever a +ready-to-eat food is exposed to the environment before packaging and the +packaged food does not receive a treatment or otherwise include a +control or measure (such as a formulation lethal to the pathogen) that +would significantly minimize the pathogen. + (3) Your hazard evaluation must consider the effect of the following +on the safety of the finished food for the intended consumer: + (i) The formulation of the food; + (ii) The condition, function, and design of the establishment and +equipment of a typical entity that manufactures/processes, grows, +harvests, or raises this type of food; + (iii) Raw materials and other ingredients; + (iv) Transportation practices; + (v) Harvesting, raising, manufacturing, processing, and packing +procedures; + (vi) Packaging and labeling activities; + (vii) Storage and distribution; + (viii) Intended or reasonably foreseeable use; + (ix) Sanitation, including employee hygiene; and + (x) Any other relevant factors, such as the temporal (e.g., weather- +related) nature of some hazards (e.g., levels of natural toxins). + (d) Review of another entity's hazard analysis. If another entity +(including your foreign supplier) has, using a qualified individual, +analyzed the known or reasonably foreseeable hazards for the food to +determine whether there are any hazards requiring a control, you may +meet your requirement to determine whether there are any hazards +requiring a control in a food by reviewing and assessing the hazard +analysis conducted by that entity. You must document your review and +assessment of that hazard analysis, including documenting that the +hazard analysis was conducted by a qualified individual. + +[[Page 61]] + + (e) Hazards in raw agricultural commodities that are fruits or +vegetables. If you are importing a raw agricultural commodity that is a +fruit or vegetable that is ``covered produce'' as defined in Sec. 112.3 +of this chapter, you are not required to determine whether there are any +biological hazards requiring a control in such food because the +biological hazards in such fruits or vegetables require a control and +compliance with the requirements in part 112 of this chapter +significantly minimizes or prevents the biological hazards. However, you +must determine whether there are any other types of hazards requiring a +control in such food. + (f) No hazards requiring a control. If you evaluate the known and +reasonably foreseeable hazards in a food and determine that there are no +hazards requiring a control, you are not required to conduct an +evaluation for foreign supplier approval and verification under Sec. +1.505 and you are not required to conduct foreign supplier verification +activities under Sec. 1.506. This paragraph (f) does not apply if the +food is a raw agricultural commodity that is a fruit or vegetable that +is ``covered produce'' as defined in Sec. 112.3 of this chapter. + + + +Sec. 1.505 What evaluation for foreign supplier approval and +verification must I conduct? + + (a) Evaluation of a foreign supplier's performance and the risk +posed by a food. (1) Except as specified in paragraphs (d) and (e) of +this section, in approving your foreign suppliers and determining the +appropriate supplier verification activities that must be conducted for +a foreign supplier of a type of food you import, you must consider the +following: + (i) The hazard analysis of the food conducted in accordance with +Sec. 1.504, including the nature of the hazard requiring a control. + (ii) The entity or entities that will be significantly minimizing or +preventing the hazards requiring a control or verifying that such +hazards have been significantly minimized or prevented, such as the +foreign supplier, the foreign supplier's raw material or other +ingredient supplier, or another entity in your supply chain. + (iii) Foreign supplier performance, including: + (A) The foreign supplier's procedures, processes, and practices +related to the safety of the food; + (B) Applicable FDA food safety regulations and information relevant +to the foreign supplier's compliance with those regulations, including +whether the foreign supplier is the subject of an FDA warning letter, +import alert, or other FDA compliance action related to food safety (or, +when applicable, the relevant laws and regulations of a country whose +food safety system FDA has officially recognized as comparable or +determined to be equivalent to that of the United States, and +information relevant to the supplier's compliance with those laws and +regulations); and + (C) The foreign supplier's food safety history, including available +information about results from testing foods for hazards, audit results +relating to the safety of the food, and responsiveness of the foreign +supplier in correcting problems. + (iv) Any other factors as appropriate and necessary, such as storage +and transportation practices. + (2) You must document the evaluation you conduct under paragraph +(a)(1) of this section. + (b) Approval of foreign suppliers. You must approve your foreign +suppliers on the basis of the evaluation that you conducted under +paragraph (a) of this section or that you review and assess under +paragraph (d) of this section, and document your approval. + (c) Reevaluation of a foreign supplier's performance and the risk +posed by a food. (1) Except as specified in paragraph (d) of this +section, you must promptly reevaluate the concerns associated with the +factors in paragraph (a)(1) of this section when you become aware of new +information about these factors, and the reevaluation must be +documented. If you determine that the concerns associated with importing +a food from a foreign supplier have changed, you must promptly determine +(and document) whether it is appropriate to continue to import the food +from the foreign supplier and whether the supplier verification +activities conducted under Sec. 1.506 or Sec. 1.511(c) need to be +changed. + +[[Page 62]] + + (2) If at the end of any 3-year period you have not reevaluated the +concerns associated with the factors in paragraph (a)(1) of this section +in accordance with paragraph (c)(1) of this section, you must reevaluate +those concerns and take other appropriate actions, if necessary, in +accordance with paragraph (c)(1). You must document your reevaluation +and any subsequent actions you take in accordance with paragraph (c)(1). + (d) Review of another entity's evaluation or reevaluation of a +foreign supplier's performance and the risk posed by a food. If an +entity other than the foreign supplier has, using a qualified +individual, performed the evaluation described in paragraph (a) of this +section or the reevaluation described in paragraph (c) of this section, +you may meet the requirements of the applicable paragraph by reviewing +and assessing the evaluation or reevaluation conducted by that entity. +You must document your review and assessment, including documenting that +the evaluation or reevaluation was conducted by a qualified individual. + (e) Inapplicability to certain circumstances. You are not required +to conduct an evaluation under this section or to conduct foreign +supplier verification activities under Sec. 1.506 if one of the +circumstances described in Sec. 1.507 applies to your importation of a +food and you are in compliance with that section. + + + +Sec. 1.506 What foreign supplier verification and related activities +must I conduct? + + (a) Use of approved foreign suppliers. (1) You must establish and +follow written procedures to ensure that you import foods only from +foreign suppliers you have approved based on the evaluation conducted +under Sec. 1.505 (or, when necessary and appropriate, on a temporary +basis from unapproved foreign suppliers whose foods you subject to +adequate verification activities before importing the food). You must +document your use of these procedures. + (2) You may rely on an entity other than your foreign supplier to +establish the procedures and perform and document the activities +required under paragraph (a)(1) of this section provided that you review +and assess that entity's documentation of the procedures and activities, +and you document your review and assessment. + (b) Foreign supplier verification procedures. You must establish and +follow adequate written procedures for ensuring that appropriate foreign +supplier verification activities are conducted with respect to the foods +you import. + (c) Requirement of supplier verification. The foreign supplier +verification activities must provide assurance that the hazards +requiring a control in the food you import have been significantly +minimized or prevented. + (d) Determination of appropriate foreign supplier verification +activities--(1)(i) General. Except as provided in paragraphs (d)(2) and +(3) of this section, before importing a food from a foreign supplier, +you must determine and document which verification activity or +activities listed in paragraphs (d)(1)(ii)(A) through (D) of this +section, as well as the frequency with which the activity or activities +must be conducted, are needed to provide adequate assurances that the +food you obtain from the foreign supplier is produced in accordance with +paragraph (c) of this section. Verification activities must address the +entity or entities that are significantly minimizing or preventing the +hazards or verifying that the hazards have been significantly minimized +or prevented (e.g., when an entity other than the grower of produce +subject to part 112 of this chapter harvests or packs the produce and +significantly minimizes or prevents the hazard or verifies that the +hazard has been significantly minimized or prevented, or when the +foreign supplier's raw material supplier significantly minimizes or +prevents a hazard). The determination of appropriate supplier +verification activities must be based on the evaluation of the food and +foreign supplier conducted under Sec. 1.505. + (ii) Appropriate verification activities. The following are +appropriate supplier verification activities: + (A) Onsite audits as specified in paragraph (e)(1)(i) of this +section; + (B) Sampling and testing of a food as specified in paragraph +(e)(1)(ii) of this section; + +[[Page 63]] + + (C) Review of the foreign supplier's relevant food safety records as +specified in paragraph (e)(1)(iii) of this section; and + (D) Other appropriate supplier verification activities as specified +in paragraph (e)(1)(iv) of this section. + (2) Verification activities for certain serious hazards. When a +hazard in a food will be controlled by the foreign supplier and is one +for which there is a reasonable probability that exposure to the hazard +will result in serious adverse health consequences or death to humans or +animals, you must conduct or obtain documentation of an onsite audit of +the foreign supplier before initially importing the food and at least +annually thereafter, unless you make an adequate written determination +that, instead of such initial and annual onsite auditing, other supplier +verification activities listed in paragraph (d)(1)(ii) of this section +and/or less frequent onsite auditing are appropriate to provide adequate +assurances that the foreign supplier is producing the food in accordance +with paragraph (c) of this section, based on the determination made +under Sec. 1.505. + (3) Reliance on a determination by another entity. You may rely on a +determination of appropriate foreign supplier verification activities in +accordance with paragraph (d)(1) or (2) of this section made by an +entity other than the foreign supplier if you review and assess whether +the entity's determination regarding appropriate activities (including +the frequency with which such activities must be conducted) is +appropriate. You must document your review and assessment, including +documenting that the determination of appropriate verification +activities was made by a qualified individual. + (e) Performance of foreign supplier verification activities--(1) +Verification activities. Except as provided in paragraph (e)(2) of this +section, based on the determination made in accordance with paragraph +(d) of this section, you must conduct (and document) or obtain +documentation of one or more of the supplier verification activities +listed in paragraphs (e)(1)(i) through (iv) of this section for each +foreign supplier before importing the food and periodically thereafter. + (i) Onsite audit of the foreign supplier. (A) An onsite audit of a +foreign supplier must be performed by a qualified auditor. + (B) If the food is subject to one or more FDA food safety +regulations, an onsite audit of the foreign supplier must consider such +regulations and include a review of the supplier's written food safety +plan, if any, and its implementation, for the hazard being controlled +(or, when applicable, an onsite audit may consider relevant laws and +regulations of a country whose food safety system FDA has officially +recognized as comparable or determined to be equivalent to that of the +United States). + (C) If the onsite audit is conducted solely to meet the requirements +of paragraph (e) of this section by an audit agent of a certification +body that is accredited in accordance with subpart M of this part, the +audit is not subject to the requirements in that subpart. + (D) You must retain documentation of each onsite audit, including +the audit procedures, the dates the audit was conducted, the conclusions +of the audit, any corrective actions taken in response to significant +deficiencies identified during the audit, and documentation that the +audit was conducted by a qualified auditor. + (E) The following inspection results may be substituted for an +onsite audit, provided that the inspection was conducted within 1 year +of the date by which the onsite audit would have been required to be +conducted: + (1) The written results of an appropriate inspection of the foreign +supplier for compliance with applicable FDA food safety regulations +conducted by FDA, representatives of other Federal Agencies (such as the +USDA), or representatives of State, local, tribal, or territorial +agencies; or + (2) The written results of an inspection of the foreign supplier by +the food safety authority of a country whose food safety system FDA has +officially recognized as comparable or determined to be equivalent to +that of the United States, provided that the food that is the subject of +the onsite audit is within the scope of the official recognition or +equivalence determination, + +[[Page 64]] + +and the foreign supplier is in, and under the regulatory oversight of, +such country. + (ii) Sampling and testing of the food. You must retain documentation +of each sampling and testing of a food, including identification of the +food tested (including lot number, as appropriate), the number of +samples tested, the test(s) conducted (including the analytical +method(s) used), the date(s) on which the test(s) were conducted and the +date of the report of the testing, the results of the testing, any +corrective actions taken in response to detection of hazards, +information identifying the laboratory conducting the testing, and +documentation that the testing was conducted by a qualified individual. + (iii) Review of the foreign supplier's relevant food safety records. +You must retain documentation of each record review, including the +date(s) of review, the general nature of the records reviewed, the +conclusions of the review, any corrective actions taken in response to +significant deficiencies identified during the review, and documentation +that the review was conducted by a qualified individual. + (iv) Other appropriate activity. (A) You may conduct (and document) +or obtain documentation of other supplier verification activities that +are appropriate based on foreign supplier performance and the risk +associated with the food. + (B) You must retain documentation of each activity conducted in +accordance with paragraph (e)(1)(iv) of this section, including a +description of the activity, the date on which it was conducted, the +findings or results of the activity, any corrective actions taken in +response to significant deficiencies identified, and documentation that +the activity was conducted by a qualified individual. + (2) Reliance upon performance of activities by other entities. (i) +Except as specified in paragraph (e)(2)(ii) of this section, you may +rely on supplier verification activities conducted in accordance with +paragraph (e)(1) of this section by another entity provided that you +review and assess the results of these activities in accordance with +paragraph (e)(3) of this section. + (ii) You may not rely on the foreign supplier itself or employees of +the foreign supplier to perform supplier verification activities, except +with respect to sampling and testing of food in accordance with +paragraph (e)(1)(ii) of this section. + (3) Review of results of verification activities. You must promptly +review and assess the results of the verification activities that you +conduct or obtain documentation of under paragraph (e)(1) of this +section, or that are conducted by other entities in accordance with +paragraph (e)(2) of this section. You must document your review and +assessment of the results of verification activities. If the results do +not provide adequate assurances that the hazards requiring a control in +the food you obtain from the foreign supplier have been significantly +minimized or prevented, you must take appropriate action in accordance +with Sec. 1.508(a). You are not required to retain documentation of +supplier verification activities conducted by other entities, provided +that you can obtain the documentation and make it available to FDA in +accordance with Sec. 1.510(b). + (4) Independence of qualified individuals conducting verification +activities. There must not be any financial conflicts of interests that +influence the results of the verification activities set forth in +paragraph (e)(1) of this section, and payment must not be related to the +results of the activity. + + + +Sec. 1.507 What requirements apply when I import a food that cannot +be consumed without the hazards being controlled or for which the +hazards are controlled after importation? + + (a) Circumstances. You are not required to conduct an evaluation of +a food and foreign supplier under Sec. 1.505 or supplier verification +activities under Sec. 1.506 when you identify a hazard requiring a +control (identified hazard) in a food and any of the following +circumstances apply: + (1) You determine and document that the type of food (e.g., raw +agricultural commodities such as cocoa beans and coffee beans) could not +be consumed without application of an appropriate control; + +[[Page 65]] + + (2) You rely on your customer who is subject to the requirements for +hazard analysis and risk-based preventive controls in subpart C of part +117 or subpart C of part 507 of this chapter to ensure that the +identified hazard will be significantly minimized or prevented and you: + (i) Disclose in documents accompanying the food, in accordance with +the practice of the trade, that the food is ``not processed to control +[identified hazard]''; and + (ii) Annually obtain from your customer written assurance, subject +to the requirements of paragraph (c) of this section, that the customer +has established and is following procedures (identified in the written +assurance) that will significantly minimize or prevent the identified +hazard; + (3) You rely on your customer who is not subject to the requirements +for hazard analysis and risk-based preventive controls in subpart C of +part 117 or subpart C of part 507 of this chapter to provide assurance +it is manufacturing, processing, or preparing the food in accordance +with the applicable food safety requirements and you: + (i) Disclose in documents accompanying the food, in accordance with +the practice of the trade, that the food is ``not processed to control +[identified hazard]''; and + (ii) Annually obtain from your customer written assurance that it is +manufacturing, processing, or preparing the food in accordance with +applicable food safety requirements; + (4) You rely on your customer to provide assurance that the food +will be processed to control the identified hazard by an entity in the +distribution chain subsequent to the customer and you: + (i) Disclose in documents accompanying the food, in accordance with +the practice of the trade, that the food is ``not processed to control +[identified hazard]''; and + (ii) Annually obtain from your customer written assurance, subject +to the requirements of paragraph (c) of this section, that your +customer: + (A) Will disclose in documents accompanying the food, in accordance +with the practice of the trade, that the food is ``not processed to +control [identified hazard]''; and + (B) Will only sell the food to another entity that agrees, in +writing, it will: + (1) Follow procedures (identified in a written assurance) that will +significantly minimize or prevent the identified hazard (if the entity +is subject to the requirements for hazard analysis and risk-based +preventive controls in subpart C of part 117 or subpart C of part 507 of +this chapter) or manufacture, process, or prepare the food in accordance +with applicable food safety requirements (if the entity is not subject +to the requirements for hazard analysis and risk-based preventive +controls in subpart C of part 117 or subpart C of part 507); or + (2) Obtain a similar written assurance from the entity's customer, +subject to the requirements of paragraph (c) of this section, as in +paragraphs (a)(4)(ii)(A) and (B) of this section, as appropriate; or + (5) You have established, documented, and implemented a system that +ensures control, at a subsequent distribution step, of the hazards in +the food you distribute and you document your implementation of that +system. + (b) Written assurances. Any written assurances required under this +section must contain the following: + (1) Effective date; + (2) Printed names and signatures of authorized officials; and + (3) The assurance specified in the applicable paragraph. + (c) Provision of assurances. The customer or other subsequent entity +in the distribution chain for a food that provides a written assurance +under paragraph (a)(2), (3), or (4) of this section must act +consistently with the assurance and document its actions taken to +satisfy the written assurance. + + + +Sec. 1.508 What corrective actions must I take under my FSVP? + + (a) You must promptly take appropriate corrective actions if you +determine that a foreign supplier of food you import does not produce +the food in compliance with processes and procedures that provide at +least the same level of public health protection as those required under +section 418 or 419 + +[[Page 66]] + +of the Federal Food, Drug, and Cosmetic Act, if either is applicable, +and the implementing regulations, or produces food that is adulterated +under section 402 or misbranded under section 403(w) (if applicable) of +the Federal Food, Drug, and Cosmetic Act. This determination could be +based on a review of consumer, customer, or other complaints related to +food safety, the verification activities conducted under Sec. 1.506 or +Sec. 1.511(c), a reevaluation of the risks posed by the food and the +foreign supplier's performance conducted under Sec. 1.505(c) or (d), or +any other relevant information you obtain. The appropriate corrective +actions will depend on the circumstances but could include discontinuing +use of the foreign supplier until the cause or causes of noncompliance, +adulteration, or misbranding have been adequately addressed. You must +document any corrective actions you take in accordance with this +paragraph. + (b) If you determine, by means other than the verification +activities conducted under Sec. 1.506 or Sec. 1.511(c) or a +reevaluation conducted under Sec. 1.505(c) or (d), that a foreign +supplier of food that you import does not produce food in compliance +with processes and procedures that provide at least the same level of +public health protection as those required under section 418 or 419 of +the Federal Food, Drug, and Cosmetic Act, if either is applicable, and +the implementing regulations, or produces food that is adulterated under +section 402 or misbranded under section 403(w) (if applicable) of the +Federal Food, Drug, and Cosmetic Act, you must promptly investigate to +determine whether your FSVP is adequate and, when appropriate, modify +your FSVP. You must document any investigations, corrective actions, and +changes to your FSVP that you undertake in accordance with this +paragraph. + (c) This section does not limit your obligations with respect to +other laws enforced by FDA, such as those relating to product recalls. + + + +Sec. 1.509 How must the importer be identified at entry? + + (a) You must ensure that, for each line entry of food product +offered for importation into the United States, your name, electronic +mail address, and unique facility identifier recognized as acceptable by +FDA, identifying you as the importer of the food, are provided +electronically when filing entry with U.S. Customs and Border +Protection. + (b) Before an article of food is imported or offered for import into +the United States, the foreign owner or consignee of the food (if there +is no U.S. owner or consignee) must designate a U.S. agent or +representative as the importer of the food for the purposes of the +definition of ``importer'' in Sec. 1.500. + + + +Sec. 1.510 How must I maintain records of my FSVP? + + (a) General requirements for records. (1) You must keep records as +original records, true copies (such as photocopies, pictures, scanned +copies, microfilm, microfiche, or other accurate reproductions of the +original records), or electronic records. + (2) You must sign and date records concerning your FSVP upon initial +completion and upon any modification of the FSVP. + (3) All records must be legible and stored to prevent deterioration +or loss. + (b) Record availability. (1) You must make all records required +under this subpart available promptly to an authorized FDA +representative, upon request, for inspection and copying. Upon FDA +request, you must provide within a reasonable time an English +translation of records maintained in a language other than English. + (2) Offsite storage of records, including records maintained by +other entities in accordance with Sec. 1.504, Sec. 1.505, or Sec. +1.506, is permitted if such records can be retrieved and provided onsite +within 24 hours of request for official review. Electronic records are +considered to be onsite if they are accessible from an onsite location. + (3) If requested in writing by FDA, you must send records to the +Agency electronically, or through another means that delivers the +records promptly, rather than making the records available for review at +your place of business. + +[[Page 67]] + + (c) Record retention. (1) Except as specified in paragraph (c)(2) of +this section, you must retain records referenced in this subpart until +at least 2 years after you created or obtained the records. + (2) You must retain records that relate to your processes and +procedures, including the results of evaluations and determinations you +conduct, for at least 2 years after their use is discontinued (e.g., +because you no longer import a particular food, you no longer use a +particular foreign supplier, you have reevaluated the risks associated +with a food and the foreign supplier, or you have changed your supplier +verification activities for a particular food and foreign supplier). + (d) Electronic records. Records that are established or maintained +to satisfy the requirements of this subpart and that meet the definition +of electronic records in Sec. 11.3(b)(6) of this chapter are exempt +from the requirements of part 11 of this chapter. Records that satisfy +the requirements of this subpart, but that also are required under other +applicable statutory provisions or regulations, remain subject to part +11. + (e) Use of existing records. (1) You do not need to duplicate +existing records you have (e.g., records that you maintain to comply +with other Federal, State, or local regulations) if they contain all of +the information required by this subpart. You may supplement any such +existing records as necessary to include all of the information required +by this subpart. + (2) You do not need to maintain the information required by this +subpart in one set of records. If existing records you have contain some +of the required information, you may maintain any new information +required by this subpart either separately or combined with the existing +records. + (f) Public disclosure. Records obtained by FDA in accordance with +this subpart are subject to the disclosure requirements under part 20 of +this chapter. + + + +Sec. 1.511 What FSVP must I have if I am importing a food subject +to certain dietary supplement current good manufacturing practice +regulations? + + (a) Importers subject to certain dietary supplement current good +manufacturing regulations. If you are required to establish +specifications under Sec. 111.70(b) or (d) of this chapter with respect +to a food that is a dietary supplement or dietary supplement component +you import for further manufacturing, processing, or packaging as a +dietary supplement, and you are in compliance with the requirements in +Sec. Sec. 111.73 and 111.75 of this chapter applicable to determining +whether the specifications you established are met for such food, then +for that food you must comply with the requirements in Sec. Sec. 1.503 +and 1.509, but you are not required to comply with the requirements in +Sec. 1.502, Sec. Sec. 1.504 through 1.508, or Sec. 1.510. This +requirement does not limit your obligations with respect to part 111 of +this chapter or any other laws enforced by FDA. + (b) Importers whose customer is subject to certain dietary +supplement current good manufacturing practice regulations. If your +customer is required to establish specifications under Sec. 111.70(b) +or (d) of this chapter with respect to a food that is a dietary +supplement or dietary supplement component you import for further +manufacturing, processing, or packaging as a dietary supplement, your +customer is in compliance with the requirements of Sec. Sec. 111.73 and +111.75 of this chapter applicable to determining whether the +specifications it established are met for such food, and you annually +obtain from your customer written assurance that it is in compliance +with those requirements, then for that food you must comply with the +requirements in Sec. Sec. 1.503, 1.509, and 1.510, but you are not +required to comply with the requirements in Sec. 1.502 or Sec. Sec. +1.504 through 1.508. + (c) Other importers of dietary supplements--(1) General. If the food +you import is a dietary supplement and neither paragraph (a) or (b) of +this section is applicable, you must comply with paragraph (c) of this +section and the requirements in Sec. Sec. 1.503, 1.505(a)(1)(ii) +through (iv), (a)(2), and (b) through (d), + +[[Page 68]] + +and 1.508 through 1.510, but you are not required to comply with the +requirements in Sec. Sec. 1.504, 1.505(a)(1)(i), 1.506, and 1.507. This +requirement does not limit your obligations with respect to part 111 of +this chapter or any other laws enforced by FDA. + (2) Use of approved foreign suppliers. (i) You must establish and +follow written procedures to ensure that you import foods only from +foreign suppliers that you have approved based on the evaluation +conducted under Sec. 1.505 (or, when necessary and appropriate, on a +temporary basis from unapproved foreign suppliers whose foods you +subject to adequate verification activities before importing the food). +You must document your use of these procedures. + (ii) You may rely on an entity other than the foreign supplier to +establish the procedures and perform and document the activities +required under paragraph (c)(2)(i) of this section provided that you +review and assess that entity's documentation of the procedures and +activities, and you document your review and assessment. + (3) Foreign supplier verification procedures. You must establish and +follow adequate written procedures for ensuring that appropriate foreign +supplier verification activities are conducted with respect to the foods +you import. + (4) Determination of appropriate foreign supplier verification +activities--(i) General. Except as provided in paragraph (c)(4)(iii) of +this section, before importing a dietary supplement from a foreign +supplier, you must determine and document which verification activity or +activities listed in paragraphs (c)(4)(ii)(A) through (D) of this +section, as well as the frequency with which the activity or activities +must be conducted, are needed to provide adequate assurances that the +foreign supplier is producing the dietary supplement in accordance with +processes and procedures that provide the same level of public health +protection as those required under part 111 of this chapter. This +determination must be based on the evaluation conducted under Sec. +1.505. + (ii) Appropriate verification activities. The following are +appropriate supplier verification activities: + (A) Onsite audits as specified in paragraph (c)(5)(i)(A) of this +section; + (B) Sampling and testing of a food as specified in paragraph +(c)(5)(i)(B) of this section; + (C) Review of the foreign supplier's relevant food safety records as +specified in paragraph (c)(5)(i)(C) of this section; and + (D) Other appropriate supplier verification activities as specified +in paragraph (c)(5)(i)(D) of this section. + (iii) Reliance upon determination by other entity. You may rely on a +determination of appropriate foreign supplier verification activities in +accordance with paragraph (c)(4)(i) of this section made by an entity +other than the foreign supplier if you review and assess whether the +entity's determination regarding appropriate activities (including the +frequency with which such activities must be conducted) is appropriate +based on the evaluation conducted in accordance with Sec. 1.505. You +must document your review and assessment, including documenting that the +determination of appropriate verification activities was made by a +qualified individual. + (5) Performance of foreign supplier verification activities. (i) +Except as provided in paragraph (c)(5)(ii) of this section, for each +dietary supplement you import under paragraph (c) of this section, you +must conduct (and document) or obtain documentation of one or more of +the verification activities listed in paragraphs (c)(5)(i)(A) through +(D) of this section before importing the dietary supplement and +periodically thereafter. + (A) Onsite auditing. You conduct (and document) or obtain +documentation of a periodic onsite audit of your foreign supplier. + (1) An onsite audit of a foreign supplier must be performed by a +qualified auditor. + (2) The onsite audit must consider the applicable requirements of +part 111 of this chapter and include a review of the foreign supplier's +written food safety plan, if any, and its implementation (or, when +applicable, an onsite audit may consider relevant laws and regulations +of a country whose food safety system FDA has officially recognized as +comparable or determined to be equivalent to that of the United States). + +[[Page 69]] + + (3) If the onsite audit is conducted solely to meet the requirements +of paragraph (c)(5) of this section by an audit agent of a certification +body that is accredited in accordance with subpart M of this part, the +audit is not subject to the requirements in that subpart. + (4) You must retain documentation of each onsite audit, including +the audit procedures, the dates the audit was conducted, the conclusions +of the audit, any corrective actions taken in response to significant +deficiencies identified during the audit, and documentation that the +audit was conducted by a qualified auditor. + (5) The following inspection results may be substituted for an +onsite audit, provided that the inspection was conducted within 1 year +of the date by which the onsite audit would have been required to be +conducted: + (i) The written results of appropriate inspection of the foreign +supplier for compliance with the applicable requirements in part 111 of +this chapter conducted by FDA, representatives of other Federal Agencies +(such as the USDA), or representatives of State, local, tribal, or +territorial agencies; or + (ii) The written results of an inspection by the food safety +authority of a country whose food safety system FDA has officially +recognized as comparable or determined to be equivalent to that of the +United States, provided that the food that is the subject of the onsite +audit is within the scope of the official recognition or equivalence +determination, and the foreign supplier is in, and under the regulatory +oversight of, such country. + (B) Sampling and testing of the food. You must retain documentation +of each sampling and testing of a dietary supplement, including +identification of the food tested (including lot number, as +appropriate), the number of samples tested, the test(s) conducted +(including the analytical method(s) used), the date(s) on which the +test(s) were conducted and the date of the report of the testing, the +results of the testing, any corrective actions taken in response to +detection of hazards, information identifying the laboratory conducting +the testing, and documentation that the testing was conducted by a +qualified individual. + (C) Review of the foreign supplier's food safety records. You must +retain documentation of each record review, including the date(s) of +review, the general nature of the records reviewed, the conclusions of +the review, any corrective actions taken in response to significant +deficiencies identified during the review, and documentation that the +review was conducted by a qualified individual. + (D) Other appropriate activity. (1) You may conduct (and document) +or obtain documentation of other supplier verification activities that +are appropriate based on foreign supplier performance and the risk +associated with the food. + (2) You must retain documentation of each activity conducted in +accordance with paragraph (c)(5)(i)(D)(1) of this section, including a +description of the activity, the date on which it was conducted, the +findings or results of the activity, any corrective actions taken in +response to significant deficiencies identified, and documentation that +the activity was conducted by a qualified individual. + (ii) Reliance upon performance of activities by other entities. (A) +Except as specified in paragraph (c)(5)(ii)(B) of this section, you may +rely on supplier verification activities conducted in accordance with +paragraph (c)(5)(i) by another entity provided that you review and +assess the results of these activities in accordance with paragraph +(c)(5)(iii) of this section. + (B) You may not rely on the foreign supplier or employees of the +foreign supplier to perform supplier verification activities, except +with respect to sampling and testing of food in accordance with +paragraph (c)(5)(i)(B) of this section. + (iii) Review of results of verification activities. You must +promptly review and assess the results of the verification activities +that you conduct or obtain documentation of under paragraph (c)(5)(i) of +this section, or that are conducted by other entities in accordance with +paragraph (c)(5)(ii) of this section. You must document your review and +assessment of the results of verification activities. If the results + +[[Page 70]] + +show that the foreign supplier is not producing the dietary supplement +in accordance with processes and procedures that provide the same level +of public health protection as those required under part 111 of this +chapter, you must take appropriate action in accordance with Sec. +1.508(a). You are not required to retain documentation of supplier +verification activities conducted by other entities, provided that you +can obtain the documentation and make it available to FDA in accordance +with Sec. 1.510(b). + (iv) Independence of qualified individuals conducting verification +activities. There must not be any financial conflicts of interest that +influence the results of the verification activities set forth in +paragraph (c)(5)(i) of this section, and payment must not be related to +the results of the activity. + + + +Sec. 1.512 What FSVP may I have if I am a very small importer or +I am importing certain food from certain small foreign suppliers? + + (a) Eligibility. This section applies only if: + (1) You are a very small importer; or + (2) You are importing certain food from certain small foreign +suppliers as follows: + (i) The foreign supplier is a qualified facility as defined by Sec. +117.3 or Sec. 507.3 of this chapter; + (ii) You are importing produce from a foreign supplier that is a +farm that grows produce and is not a covered farm under part 112 of this +chapter in accordance with Sec. 112.4(a) of this chapter, or in +accordance with Sec. Sec. 112.4(b) and 112.5 of this chapter; or + (iii) You are importing shell eggs from a foreign supplier that is +not subject to the requirements of part 118 of this chapter because it +has fewer than 3,000 laying hens. + (b) Applicable requirements--(1) Documentation of eligibility--(i) +Very small importer status. (A) If you are a very small importer and you +choose to comply with the requirements in this section, you must +document that you meet the definition of very small importer in Sec. +1.500 with respect to human food and/or animal food before initially +importing food as a very small importer and thereafter on an annual +basis by December 31 of each calendar year. + (B) For the purpose of determining whether you satisfy the +definition of very small importer with respect to human food and/or +animal food for a given calendar year, the relevant 3-year period of +sales (and U.S. market value of human or animal food, as appropriate) is +the period ending 1 year before the calendar year for which you intend +to import food as a very small importer. The baseline year for +calculating the adjustment for inflation is 2011. If you conduct any +food sales in currency other than U.S. dollars, you must use the +relevant currency exchange rate in effect on December 31 of the year in +which sales occurred to calculate the value of these sales. + (ii) Small foreign supplier status. If you are a importing food from +a small foreign supplier as specified in paragraph (a)(2) of this +section and you choose to comply with the requirements in this section, +you must obtain written assurance that your foreign supplier meets the +criteria in paragraph (a)(2)(i), (ii), or (iii) of this section before +first approving the supplier for an applicable calendar year and +thereafter on an annual basis by December 31 of each calendar year, for +the following calendar year. + (2) Additional requirements. If this section applies and you choose +to comply with the requirements in paragraph (b) of this section, you +also are required to comply with the requirements in Sec. Sec. 1.502, +1.503, and 1.509, but you are not required to comply with the +requirements in Sec. Sec. 1.504 through 1.508 or Sec. 1.510. + (3) Foreign supplier verification activities. (i) If you are a very +small importer, for each food you import, you must obtain written +assurance, before importing the food and at least every 2 years +thereafter, that your foreign supplier is producing the food in +compliance with processes and procedures that provide at least the same +level of public health protection as those required under section 418 or +419 of the Federal Food, Drug, and Cosmetic Act, if either is +applicable, and the implementing regulations, and is producing the food +in compliance with sections 402 and 403(w) (if applicable) of the +Federal Food, Drug, and Cosmetic Act. + +[[Page 71]] + + (ii) If your foreign supplier is a qualified facility as defined by +Sec. 117.3 or Sec. 507.3 of this chapter and you choose to comply with +the requirements in this section, you must obtain written assurance +before importing the food and at least every 2 years thereafter that the +foreign supplier is producing the food in compliance with applicable FDA +food safety regulations (or, when applicable, the relevant laws and +regulations of a country whose food safety system FDA has officially +recognized as comparable or determined to be equivalent to that of the +United States). The written assurance must include either: + (A) A brief description of the preventive controls that the supplier +is implementing to control the applicable hazard in the food; or + (B) A statement that the supplier is in compliance with State, +local, county, tribal, or other applicable non-Federal food safety law, +including relevant laws and regulations of foreign countries. + (iii) If your foreign supplier is a farm that grows produce and is +not a covered farm under part 112 of this chapter in accordance with +Sec. 112.4(a) of this chapter, or in accordance with Sec. Sec. +112.4(b) and 112.5 of this chapter, and you choose to comply with the +requirements in this section, you must obtain written assurance before +importing the produce and at least every 2 years thereafter that the +farm acknowledges that its food is subject to section 402 of the Federal +Food, Drug, and Cosmetic Act (or, when applicable, that its food is +subject to relevant laws and regulations of a country whose food safety +system FDA has officially recognized as comparable or determined to be +equivalent to that of the United States). + (iv) If your foreign supplier is a shell egg producer that is not +subject to the requirements of part 118 of this chapter because it has +fewer than 3,000 laying hens and you choose to comply with the +requirements in this section, you must obtain written assurance before +importing the shell eggs and at least every 2 years thereafter that the +shell egg producer acknowledges that its food is subject to section 402 +of the Federal Food, Drug, and Cosmetic Act (or, when applicable, that +its food is subject to relevant laws and regulations of a country whose +food safety system FDA has officially recognized as comparable or +determined to be equivalent to that of the United States) . + (4) Corrective actions. You must promptly take appropriate +corrective actions if you determine that a foreign supplier of food you +import does not produce the food consistent with the assurance provided +in accordance with Sec. 1.512(b)(3)(i) through (iv). The appropriate +corrective actions will depend on the circumstances but could include +discontinuing use of the foreign supplier until the cause or causes of +noncompliance, adulteration, or misbranding have been adequately +addressed. You must document any corrective actions you take in +accordance with this paragraph (b)(4). This paragraph (b)(4) does not +limit your obligations with respect to other laws enforced by FDA, such +as those relating to product recalls. + (5) Records--(i) General requirements for records. (A) You must keep +records as original records, true copies (such as photocopies, pictures, +scanned copies, microfilm, microfiche, or other accurate reproductions +of the original records), or electronic records. + (B) You must sign and date records concerning your FSVP upon initial +completion and upon any modification of the FSVP. + (C) All records must be legible and stored to prevent deterioration +or loss. + (ii) Availability. (A) You must make all records required under this +subpart available promptly to an authorized FDA representative, upon +request, for inspection and copying. Upon FDA request, you must provide +within a reasonable time an English translation of records maintained in +a language other than English. + (B) Offsite storage of records, including records retained by other +entities in accordance with paragraph (c) of this section, is permitted +if such records can be retrieved and provided onsite within 24 hours of +request for official review. Electronic records are considered to be +onsite if they are accessible from an onsite location. + +[[Page 72]] + + (C) If requested in writing by FDA, you must send records to the +Agency electronically or through another means that delivers the records +promptly, rather than making the records available for review at your +place of business. + (iii) Record retention. (A) Except as specified in paragraph +(b)(5)(iii)(B) or (C) of this section, you must retain records required +under this subpart for a period of at least 2 years after you created or +obtained the records. + (B) If you are subject to paragraph (c) of this section, you must +retain records that relate to your processes and procedures, including +the results of evaluations of foreign suppliers and procedures to ensure +the use of approved suppliers, for at least 2 years after their use is +discontinued (e.g., because you have reevaluated a foreign supplier's +compliance history or changed your procedures to ensure the use of +approved suppliers). + (C) You must retain for at least 3 years records that you rely on +during the 3-year period preceding the applicable calendar year to +support your status as a very small importer. + (iv) Electronic records. Records that are established or maintained +to satisfy the requirements of this subpart and that meet the definition +of electronic records in Sec. 11.3(b)(6) of this chapter are exempt +from the requirements of part 11 of this chapter. Records that satisfy +the requirements of this part, but that also are required under other +applicable statutory provisions or regulations, remain subject to part +11. + (v) Use of existing records. (A) You do not need to duplicate +existing records you have (e.g., records that you maintain to comply +with other Federal, State, or local regulations) if they contain all of +the information required by this subpart. You may supplement any such +existing records as necessary to include all of the information required +by this subpart. + (B) You do not need to maintain the information required by this +subpart in one set of records. If existing records you have contain some +of the required information, you may maintain any new information +required by this subpart either separately or combined with the existing +records. + (vi) Public disclosure. Records obtained by FDA in accordance with +this subpart are subject to the disclosure requirements under part 20 of +this chapter. + (c) Requirements for importers of food from certain small foreign +suppliers. The following additional requirements apply if you are +importing food from certain small foreign suppliers as specified in +paragraph (a)(2) of this section and you are not a very small importer: + (1) Evaluation of foreign supplier compliance history--(i) Initial +evaluation. In approving your foreign suppliers, you must evaluate the +applicable FDA food safety regulations and information relevant to the +foreign supplier's compliance with those regulations, including whether +the foreign supplier is the subject of an FDA warning letter, import +alert, or other FDA compliance action related to food safety, and +document the evaluation. You may also consider other factors relevant to +a foreign supplier's performance, including those specified in Sec. +1.505(a)(1)(iii)(A) and (C). + (ii) Reevaluation of foreign supplier compliance history. (A) Except +as specified in paragraph (c)(1)(iii) of this section, you must promptly +reevaluate the concerns associated with the foreign supplier's +compliance history when you become aware of new information about the +matters in paragraph (c)(1)(i) of this section, and the reevaluation +must be documented. If you determine that the concerns associated with +importing a food from a foreign supplier have changed, you must promptly +determine (and document) whether it is appropriate to continue to import +the food from the foreign supplier. + (B) If at the end of any 3-year period you have not reevaluated the +concerns associated with the foreign supplier's compliance history in +accordance with paragraph (c)(1)(ii)(A) of this section, you must +reevaluate those concerns and take other appropriate actions, if +necessary, in accordance with paragraph (c)(1)(ii)(A). You must document +your reevaluation and any subsequent actions you take in accordance with +paragraph (c)(1)(ii)(A). + +[[Page 73]] + + (iii) Review of another entity's evaluation or reevaluation of +foreign supplier compliance history. If an entity other than the foreign +supplier has, using a qualified individual, performed the evaluation +described in paragraph (c)(1)(i) of this section or the reevaluation +described in paragraph (c)(1)(ii), you may meet the requirements of the +applicable paragraph by reviewing and assessing the evaluation or +reevaluation conducted by that entity. You must document your review and +assessment, including documenting that the evaluation or reevaluation +was conducted by a qualified individual. + (2) Approval of foreign supplier. You must approve your foreign +suppliers on the basis of the evaluation you conducted under paragraph +(c)(1)(i) of this section or that you review and assess under paragraph +(c)(1)(iii) of this section, and document your approval. + (3) Use of approved foreign suppliers. (i) You must establish and +follow written procedures to ensure that you import foods only from +foreign suppliers you have approved based on the evaluation conducted +under paragraph (c)(1)(i) of this section (or, when necessary and +appropriate, on a temporary basis from unapproved foreign suppliers +whose foods you subject to adequate verification activities before +importing the food). You must document your use of these procedures. + (ii) You may rely on an entity other than the foreign supplier to +establish the procedures and perform and document the activities +required under paragraph (c)(3)(i) of this section provided that you +review and assess that entity's documentation of the procedures and +activities, and you document your review and assessment. + + + +Sec. 1.513 What FSVP may I have if I am importing certain food +from a country with an officially recognized or equivalent food +safety system? + + (a) General. (1) If you meet the conditions and requirements of +paragraph (b) of this section for a food of the type specified in +paragraph (a)(2) of this section that you are importing, then you are +not required to comply with the requirements in Sec. Sec. 1.504 through +1.508. You would still be required to comply with the requirements in +Sec. Sec. 1.503, 1.509, and 1.510. + (2) This section applies to food that is not intended for further +manufacturing/processing, including packaged food products and raw +agricultural commodities that will not be commercially processed further +before consumption. + (b) Conditions and requirements. (1) Before importing a food from +the foreign supplier and annually thereafter, you must document that the +foreign supplier is in, and under the regulatory oversight of, a country +whose food safety system FDA has officially recognized as comparable or +determined to be equivalent to that of the United States, and that the +food is within the scope of that official recognition or equivalency +determination. + (2) Before importing a food from the foreign supplier, you must +determine and document whether the foreign supplier of the food is in +good compliance standing with the food safety authority of the country +in which the foreign supplier is located. You must continue to monitor +whether the foreign supplier is in good compliance standing and promptly +review any information obtained. If the information indicates that food +safety hazards associated with the food are not being significantly +minimized or prevented, you must take prompt corrective action. The +appropriate corrective action will depend on the circumstances but could +include discontinuing use of the foreign supplier. You must document any +corrective actions that you undertake in accordance with this paragraph +(b)(2). + + + +Sec. 1.514 What are some consequences of failing to comply with +the requirements of this subpart? + + (a) Refusal of admission. An article of food is subject to refusal +of admission under section 801(a)(3) of the Federal Food, Drug, and +Cosmetic Act if it appears that the importer of that food fails to +comply with this subpart with respect to that food. If there is no U.S. +owner or consignee of an article of food at the time the food is offered +for entry into the United States, the article of food may not be +imported into the United States unless the foreign owner + +[[Page 74]] + +or consignee has appropriately designated a U.S. agent or representative +as the importer in accordance with Sec. 1.500. + (b) Prohibited act. The importation or offering for importation into +the United States of an article of food without the importer having an +FSVP that meets the requirements of section 805 of the Federal Food, +Drug, and Cosmetic Act, including the requirements of this subpart, is +prohibited under section 301(zz) of the Federal Food, Drug, and Cosmetic +Act. + + + + Subpart M_Accreditation of Third-Party Certification Bodies To Conduct + Food Safety Audits and To Issue Certifications + + Source: 80 FR 74650, Nov. 27, 2015, unless otherwise noted. + + + +Sec. 1.600 What definitions apply to this subpart? + + (a) The FD&C Act means the Federal Food, Drug, and Cosmetic Act. + (b) Except as otherwise defined in paragraph (c) of this section, +the definitions of terms in section 201 of the FD&C Act apply when the +terms are used in this subpart. + (c) In addition, for the purposes of this subpart: + Accreditation means a determination by a recognized accreditation +body (or, in the case of direct accreditation, by FDA) that a third- +party certification body meets the applicable requirements of this +subpart. + Accreditation body means an authority that performs accreditation of +third-party certification bodies. + Accredited third-party certification body means a third-party +certification body that a recognized accreditation body (or, in the case +of direct accreditation, FDA) has determined meets the applicable +requirements of this subpart and is accredited to conduct food safety +audits and to issue food or facility certifications to eligible +entities. An accredited third-party certification body has the same +meaning as accredited third-party auditor as defined in section +808(a)(4) of the FD&C Act. + Assessment means: + (i) With respect to an accreditation body, an evaluation by FDA of +the competency and capacity of the accreditation body under the +applicable requirements of this subpart for the defined scope of +recognition. An assessment of the competency and capacity of the +accreditation body involves evaluating the competency and capacity of +the operations of the accreditation body that are relevant to decisions +on recognition and, if recognized, an evaluation of its performance and +the validity of its accreditation decisions under the applicable +requirements of this subpart. + (ii) With respect to a third-party certification body, an evaluation +by a recognized accreditation body (or, in the case of direct +accreditation, FDA) of the competency and capacity of a third-party +certification body under the applicable requirements of this subpart for +the defined scope of accreditation. An assessment of the competency and +capacity of the third-party certification body involves evaluating the +competency and capacity of the operations of the third-party +certification body that are relevant to decisions on accreditation and, +if accredited, an evaluation of its performance and the validity of its +audit results and certification decisions under the applicable +requirements of this subpart. + Audit means the systematic and functionally independent examination +of an eligible entity under this subpart by an accredited third-party +certification body or by FDA. An audit conducted under this subpart is +not considered an inspection under section 704 of the FD&C Act. + Audit agent means an individual who is an employee or other agent of +an accredited third-party certification body who, although not +individually accredited, is qualified to conduct food safety audits on +behalf of an accredited third-party certification body. An audit agent +includes a contractor of the accredited third-party certification body +but excludes subcontractors or other agents under outsourcing +arrangements for conducting food safety audits without direct control by +the accredited third-party certification body. + Consultative audit means an audit of an eligible entity: + +[[Page 75]] + + (i) To determine whether such entity is in compliance with the +applicable food safety requirements of the FD&C Act, FDA regulations, +and industry standards and practices; + (ii) The results of which are for internal purposes only; and + (iii) That is conducted in preparation for a regulatory audit; only +the results of a regulatory audit may form the basis for issuance of a +food or facility certification under this subpart. + Direct accreditation means accreditation of a third-party +certification body by FDA. + Eligible entity means a foreign entity in the import supply chain of +food for consumption in the United States that chooses to be subject to +a food safety audit under this subpart conducted by an accredited third- +party certification body. Eligible entities include foreign facilities +required to be registered under subpart H of this part. + Facility means any structure, or structures of an eligible entity +under one ownership at one general physical location, or, in the case of +a mobile facility, traveling to multiple locations, that manufactures/ +processes, packs, holds, grows, harvests, or raises animals for food for +consumption in the United States. Transport vehicles are not facilities +if they hold food only in the usual course of business as carriers. A +facility may consist of one or more contiguous structures, and a single +building may house more than one distinct facility if the facilities are +under separate ownership. The private residence of an individual is not +a facility. Non-bottled water drinking water collection and distribution +establishments and their structures are not facilities. Facilities for +the purposes of this subpart are not limited to facilities required to +be registered under subpart H of this part. + Facility certification means an attestation, issued for purposes of +section 801(q) or 806 of the FD&C Act by an accredited third-party +certification body, after conducting a regulatory audit and any other +activities necessary to establish whether a facility complies with the +applicable food safety requirements of the FD&C Act and FDA regulations. + Food has the meaning given in section 201(f) of the FD&C Act, except +that food does not include pesticides (as defined in 7 U.S.C. 136(u)). + Food certification means an attestation, issued for purposes of +section 801(q) of the FD&C Act by an accredited third-party +certification body, after conducting a regulatory audit and any other +activities necessary to establish whether a food of an eligible entity +complies with the applicable food safety requirements of the FD&C Act +and FDA regulations. + Food safety audit means a regulatory audit or a consultative audit +that is conducted to determine compliance with the applicable food +safety requirements of the FD&C Act, FDA regulations, and for +consultative audits, also includes conformance with industry standards +and practices. An eligible entity must declare that an audit is to be +conducted as a regulatory audit or consultative audit at the time of +audit planning and the audit will be conducted on an unannounced basis +under this subpart. + Foreign cooperative means an autonomous association of persons, +identified as members, who are united through a jointly owned enterprise +to aggregate food from member growers or processors that is intended for +export to the United States. + Recognized accreditation body means an accreditation body that FDA +has determined meets the applicable requirements of this subpart and is +authorized to accredit third-party certification bodies under this +subpart. + Regulatory audit means an audit of an eligible entity: + (i) To determine whether such entity is in compliance with the +applicable food safety requirements of the FD&C Act and FDA regulations; +and + (ii) The results of which are used in determining eligibility for +certification under section 801(q) or under section 806 of the FD&C Act. + Relinquishment means: + (i) With respect to an accreditation body, a decision to cede +voluntarily its authority to accredit third-party certification bodies +as a recognized accreditation body prior to expiration of its +recognition under this subpart; and + +[[Page 76]] + + (ii) With respect to a third-party certification body, a decision to +cede voluntarily its authority to conduct food safety audits and to +issue food and facility certifications to eligible entities as an +accredited third-party certification body prior to expiration of its +accreditation under this subpart. + Self-assessment means an evaluation conducted by a recognized +accreditation body or by an accredited third-party certification body of +its competency and capacity under the applicable requirements of this +subpart for the defined scope of recognition or accreditation. For +recognized accreditation bodies this involves evaluating the competency +and capacity of the entire operations of the accreditation body and the +validity of its accreditation decisions under the applicable +requirements of this subpart. For accredited third-party certification +bodies this involves evaluating the competency and capacity of the +entire operations of the third-party certification body and the validity +of its audit results under the applicable requirements of this subpart. + Third-party certification body has the same meaning as third-party +auditor as that term is defined in section 808(a)(3) of the FD&C Act and +means a foreign government, agency of a foreign government, foreign +cooperative, or any other third party that is eligible to be considered +for accreditation to conduct food safety audits and to certify that +eligible entities meet the applicable food safety requirements of the +FD&C Act and FDA regulations. A third-party certification body may be a +single individual or an organization. Once accredited, a third-party +certification body may use audit agents to conduct food safety audits. + + + +Sec. 1.601 Who is subject to this subpart? + + (a) Accreditation bodies. Any accreditation body seeking recognition +from FDA to accredit third-party certification bodies to conduct food +safety audits and to issue food and facility certifications under this +subpart. + (b) Third-party certification bodies. Any third-party certification +body seeking accreditation from a recognized accreditation body or +direct accreditation by FDA for: + (1) Conducting food safety audits; and + (2) Issuing certifications that may be used in satisfying a +condition of admissibility of an article of food under section 801(q) of +the FD&C Act; or issuing a facility certification for meeting the +eligibility requirements for the Voluntary Qualified Importer Program +under section 806 of the FD&C Act. + (c) Eligible entities. Any eligible entity seeking a food safety +audit or a food or facility certification from an accredited third-party +certification body under this subpart. + (d) Limited exemptions from section 801(q) of the FD&C Act--(1) +Alcoholic beverages. (i) Any certification required under section 801(q) +of the FD&C Act does not apply with respect to alcoholic beverages from +an eligible entity that is a facility that meets the following two +conditions: + (A) Under the Federal Alcohol Administration Act (27 U.S.C. 201 et +seq.) or chapter 51 of subtitle E of the Internal Revenue Code of 1986 +(26 U.S.C. 5001 et seq.), the facility is a foreign facility of a type +that, if it were a domestic facility, would require obtaining a permit +from, registering with, or obtaining approval of a notice or application +from the Secretary of the Treasury as a condition of doing business in +the United States; and + (B) Under section 415 of the FD&C Act, the facility is required to +register as a facility because it is engaged in manufacturing/processing +one or more alcoholic beverages. + (ii) Any certification required under section 801(q) of the FD&C Act +does not apply with respect to food that is not an alcoholic beverage +that is received and distributed by a facility described in paragraph +(d)(1)(i) of this section, provided such food: + (A) Is received and distributed in prepackaged form that prevents +any direct human contact with such food; and + (B) Constitutes not more than 5 percent of the overall sales of the +facility, as determined by the Secretary of the Treasury. + (iii) Any certification required under section 801(q) of the FD&C +Act does not apply with respect to raw materials or other ingredients +that are imported for use in alcoholic beverages provided that: + +[[Page 77]] + + (A) The imported raw materials or other ingredients are used in the +manufacturing/processing, packing, or holding of alcoholic beverages; + (B) Such manufacturing/processing, packing, or holding is performed +by the importer; + (C) The importer is required to register under section 415 of the +Federal Food, Drug, and Cosmetic Act; and + (D) The importer is exempt from the regulations in part 117 of this +chapter in accordance with Sec. 117.5(i). + (2) Certain meat, poultry, and egg products. Any certification +required under section 801(q) of the FD&C Act does not apply with +respect to: + (i) Meat food products that at the time of importation are subject +to the requirements of the United States Department of Agriculture +(USDA) under the Federal Meat Inspection Act (21 U.S.C. 601 et seq.); + (ii) Poultry products that at the time of importation are subject to +the requirements of the USDA under the Poultry Products Inspection Act +(21 U.S.C. 451 et seq.); and + (iii) Egg products that at the time of importation are subject to +the requirements of the USDA under the Egg Products Inspection Act (21 +U.S.C. 1031 et seq.). + + Recognition of Accreditation Bodies Under This Subpart + + + +Sec. 1.610 Who is eligible to seek recognition? + + An accreditation body is eligible to seek recognition by FDA if it +can demonstrate that it meets the requirements of Sec. Sec. 1.611 +through 1.615. The accreditation body may use documentation of +conformance with International Organization for Standardization/ +International Electrotechnical Commission (ISO/IEC) 17011:2004, +supplemented as necessary, in meeting the applicable requirements of +this subpart. + + + +Sec. 1.611 What legal authority must an accreditation body have to +qualify for recognition? + + (a) An accreditation body seeking recognition must demonstrate that +it has the authority (as a governmental entity or as a legal entity with +contractual rights) to perform assessments of a third-party +certification body as are necessary to determine its capability to +conduct audits and certify food facilities and food, including authority +to: + (1) Review any relevant records; + (2) Conduct onsite assessments of the performance of third-party +certification bodies, such as by witnessing the performance of a +representative sample of its agents (or, in the case of a third-party +certification body that is an individual, such individual) conducting a +representative sample of audits; + (3) Perform any reassessments or surveillance necessary to monitor +compliance of accredited third-party certification bodies; and + (4) Suspend, withdraw, or reduce the scope of accreditation for +failure to comply with the requirements of accreditation. + (b) An accreditation body seeking recognition must demonstrate that +it is capable of exerting the authority (as a governmental entity or as +a legal entity with contractual rights) necessary to meet the applicable +requirements of this subpart, if recognized. + + + +Sec. 1.612 What competency and capacity must an accreditation body +have to qualify for recognition? + + An accreditation body seeking recognition must demonstrate that it +has: + (a) The resources required to adequately implement its accreditation +program, including: + (1) Adequate numbers of employees and other agents with relevant +knowledge, skills, and experience to effectively evaluate the +qualifications of third-party certification bodies seeking accreditation +and to effectively monitor the performance of accredited third-party +certification bodies; and + (2) Adequate financial resources for its operations; and + (b) The capability to meet the applicable assessment and monitoring +requirements, the reporting and notification requirements, and the +procedures of this subpart, if recognized. + + + +Sec. 1.613 What protections against conflicts of interest must an +accreditation body have to qualify for recognition? + + An accreditation body must demonstrate that it has: + +[[Page 78]] + + (a) Implemented written measures to protect against conflicts of +interest between the accreditation body (and its officers, employees, +and other agents involved in accreditation activities) and any third- +party certification body (and its officers, employees, and other agents +involved in auditing and certification activities) seeking accreditation +from, or accredited by, such accreditation body; and + (b) The capability to meet the applicable conflict of interest +requirements of this subpart, if recognized. + + + +Sec. 1.614 What quality assurance procedures must an accreditation +body have to qualify for recognition? + + An accreditation body seeking recognition must demonstrate that it +has: + (a) Implemented a written program for monitoring and evaluating the +performance of its officers, employees, and other agents and its +accreditation program, including procedures to: + (1) Identify areas in its accreditation program or performance where +deficiencies exist; and + (2) Quickly execute corrective actions that effectively address +deficiencies when identified; and + (b) The capability to meet the applicable quality assurance +requirements of this subpart, if recognized. + + + +Sec. 1.615 What records procedures must an accreditation body have +to qualify for recognition? + + An accreditation body seeking recognition must demonstrate that it +has: + (a) Implemented written procedures to establish, control, and retain +records (including documents and data) for the period of time necessary +to meet its contractual and legal obligations pertaining to this subpart +and to provide an adequate basis for evaluating its program and +performance; and + (b) The capability to meet the applicable reporting and notification +requirements of this subpart, if recognized. + + Requirements for Accreditation Bodies That Have Been Recognized Under + This Subpart + + + +Sec. 1.620 How must a recognized accreditation body evaluate +third-party certification bodies seeking accreditation? + + (a) Prior to accrediting a third-party certification body under this +subpart, a recognized accreditation body must perform, at a minimum, the +following: + (1) In the case of a foreign government or an agency of a foreign +government, such reviews and audits of the government's or agency's food +safety programs, systems, and standards as are necessary to determine +that it meets the eligibility requirements of Sec. 1.640(b). + (2) In the case of a foreign cooperative or any other third-party +seeking accreditation as a third-party certification body, such reviews +and audits of the training and qualifications of agents conducting +audits for such cooperative or other third party (or in the case of a +third-party certification body that is an individual, such individual) +and such reviews of internal systems and any other investigation of the +cooperative or other third party necessary to determine that it meets +the eligibility requirements of Sec. 1.640(c). + (3) In conducting a review and audit under paragraph (a)(1) or (2) +of this section, an observation of a representative sample of onsite +audits examining compliance with the applicable food safety requirements +of the FD&C Act and FDA regulations as conducted by the third-party +certification body or its agents (or, in the case of a third-party +certification body that is an individual, such individual). + (b) A recognized accreditation body must require a third-party +certification body, as a condition of accreditation under this subpart, +to comply with the reports and notification requirements of Sec. Sec. +1.652 and 1.656 and to agree to submit to FDA, electronically and in +English, any food or facility certifications it issues for purposes of +sections 801(q) or 806 of the FD&C Act. + (c) A recognized accreditation body must maintain records on any +denial of accreditation (in whole or in part) and + +[[Page 79]] + +on any withdrawal, suspension, or reduction in scope of accreditation of +a third-party certification body under this subpart. The records must +include the name and contact information for the third-party +certification body; the date of the action; the scope of accreditation +denied, withdrawn, suspended, or reduced; and the basis for such action. + (d) A recognized accreditation body must notify any third-party +certification body of an adverse decision associated with its +accreditation under this subpart, including denial of accreditation or +the withdrawal, suspension, or reduction in the scope of its +accreditation. The recognized accreditation body must establish and +implement written procedures for receiving and addressing appeals from +any third-party certification body challenging such an adverse decision +and for investigating and deciding on appeals in a fair and meaningful +manner. The appeals procedures must provide similar protections to those +offered by FDA under Sec. Sec. 1.692 and 1.693, and include +requirements to: + (1) Make the appeals procedures publicly available; + (2) Use competent persons, who may or may not be external to the +recognized accreditation body, who are free from bias or prejudice and +have not participated in the accreditation decision or be subordinate to +a person who has participated in the accreditation decision to +investigate and decide appeals; + (3) Advise third-party certification bodies of the final decisions +on their appeals; and + (4) Maintain records under Sec. 1.625 of appeals, final decisions +on appeals, and the bases for such decisions. + + + +Sec. 1.621 How must a recognized accreditation body monitor the +performance of third-party certification bodies it accredited? + + (a) A recognized accreditation body must annually conduct a +comprehensive assessment of the performance of each third-party +certification body it accredited under this subpart by reviewing the +accredited third-party certification body's self-assessments (including +information on compliance with the conflict of interest requirements of +Sec. Sec. 1.643 and 1.657); its regulatory audit reports and +notifications submitted to FDA under Sec. 1.656; and any other +information reasonably available to the recognized accreditation body +regarding the compliance history of eligible entities the accredited +third-party certification body certified under this subpart; or that is +otherwise relevant to a determination whether the accredited third-party +certification body is in compliance with this subpart. + (b) No later than 1 year after the initial date of accreditation of +the third-party certification body and every 2 years thereafter for +duration of its accreditation under this subpart, a recognized +accreditation body must conduct onsite observations of a representative +sample of regulatory audits performed by the third-party certification +body (or its audit agents) (or, in the case of a third-party +certification body that is an individual, such individual) accredited +under this subpart and must visit the accredited third-party +certification body's headquarters (or other location that manages audit +agents conducting food safety audits under this subpart, if different +than its headquarters). The recognized accreditation body will consider +the results of such observations and visits in the annual assessment of +the accredited third-party certification body required by paragraph (a) +of this section. + + + +Sec. 1.622 How must a recognized accreditation body monitor its +own performance? + + (a) A recognized accreditation body must annually, and as required +under Sec. 1.664(g), conduct a self-assessment that includes evaluation +of compliance with this subpart, including: + (1) The performance of its officers, employees, or other agents +involved in accreditation activities and the degree of consistency in +conducting accreditation activities; + (2) The compliance of the recognized accreditation body and its +officers, employees, and other agents involved in accreditation +activities, with the conflict of interest requirements of Sec. 1.624; +and + +[[Page 80]] + + (3) If requested by FDA, any other aspects of its performance +relevant to a determination whether the recognized accreditation body is +in compliance with this subpart. + (b) As a means to evaluate the recognized accreditation body's +performance, the self-assessment must include onsite observation of +regulatory audits of a representative sample of third-party +certification bodies it accredited under this subpart. In meeting this +requirement, the recognized accreditation body may use the results of +onsite observations performed under Sec. 1.621(b). + (c) Based on the evaluations conducted under paragraphs (a) and (b) +of this section, the recognized accreditation body must: + (1) Identify any area(s) where deficiencies exist; + (2) Quickly implement corrective action(s) that effectively address +those deficiencies; and + (3) Establish and maintain records of any such corrective action(s) +under Sec. 1.625. + (d) The recognized accreditation body must prepare, and as required +by Sec. 1.623(b) submit, a written report of the results of its self- +assessment that includes the following elements. Documentation of +conformance to ISO/IEC 17011:2004 may be used, supplemented as +necessary, in meeting the requirements of this paragraph. + (1) A description of any corrective actions taken under paragraph +(c) of this section; + (2) A statement disclosing the extent to which the recognized +accreditation body, and its officers, employees, and other agents +involved in accreditation activities, complied with the conflict of +interest requirements in Sec. 1.624; and + (3) A statement attesting to the extent to which the recognized +accreditation body complied with applicable requirements of this +subpart. + + + +Sec. 1.623 What reports and notifications must a recognized +accreditation body submit to FDA? + + (a) Reporting results of assessments of accredited third-party +certification body performance. A recognized accreditation body must +submit to FDA electronically, in English, a report of the results of any +assessment conducted under Sec. 1.621, no later than 45 days after +completing such assessment. The report must include an up-to-date list +of any audit agents used by the accredited third-party certification +body to conduct food safety audits under this subpart. + (b) Reporting results of recognized accreditation body self- +assessments. A recognized accreditation body must submit to FDA +electronically, in English: + (1) A report of the results of an annual self-assessment required +under Sec. 1.622, no later than 45 days after completing such self- +assessment; and + (2) For a recognized accreditation body subject to Sec. +1.664(g)(1), a report of such self-assessment to FDA within 60 days of +the third-party certification body's withdrawal. A recognized +accreditation body may use a report prepared for conformance to ISO/IEC +17011:2004, supplemented as necessary, in meeting the requirements this +section. + (c) Immediate notification to FDA. A recognized accreditation body +must notify FDA electronically, in English, immediately upon: + (1) Granting (including expanding the scope of) accreditation to a +third-party certification body under this subpart, and include: + (i) The name, address, telephone number, and email address of the +accredited third-party certification body; + (ii) The name of one or more officers of the accredited third-party +certification body; + (iii) A list of the accredited third-party certification body's +audit agents; and + (iv) The scope of accreditation, the date on which it was granted, +and its expiration date. + (2) Withdrawing, suspending, or reducing the scope of an +accreditation under this subpart, and include: + (i) The basis for such action; and + (ii) Any additional changes to accreditation information previously +submitted to FDA under paragraph (c)(1) of this section. + (3) Determining that a third-party certification body it accredited +failed to comply with Sec. 1.653 in issuing a food or facility +certification under this subpart, and include: + +[[Page 81]] + + (i) The basis for such determination; and + (ii) Any changes to accreditation information previously submitted +to FDA under paragraph (c)(1) of this section. + (d) Other notification to FDA. A recognized accreditation body must +notify FDA electronically, in English, within 30 days after: + (1) Denying accreditation (in whole or in part) under this subpart +and include: + (i) The name, address, telephone number, and email address of the +third-party certification body; + (ii) The name of one or more officers of the third-party +certification body; + (iii) The scope of accreditation requested; and + (iv) The scope and basis for such denial. + (2) Making any significant change that would affect the manner in +which it complies with the applicable requirements of this subpart and +include: + (i) A description of the change; and + (ii) An explanation for the purpose of the change. + + + +Sec. 1.624 How must a recognized accreditation body protect +against conflicts of interest? + + (a) A recognized accreditation body must implement a written program +to protect against conflicts of interest between the recognized +accreditation body (and its officers, employees, and other agents +involved in accreditation activities) and any third-party certification +body (and its officers, employees, and other agents involved in auditing +and certification activities) seeking accreditation from, or accredited +by, such recognized accreditation body, including the following: + (1) Ensuring that the recognized accreditation body (and its +officers, employees, or other agents involved in accreditation +activities) does not own or have a financial interest in, manage, or +otherwise control the third-party certification body (or any affiliate, +parent, or subsidiary); and + (2) Prohibiting officers, employees, or other agents involved in +accreditation activities of the recognized accreditation body from +accepting any money, gift, gratuity, or item of value from the third- +party certification body. + (3) The items specified in paragraph (a)(2) of this section do not +include: + (i) Money representing payment of fees for accreditation services +and reimbursement of direct costs associated with an onsite assessment +of the third-party certification body; or + (ii) Lunch of de minimis value provided during the course of an +assessment and on the premises where the assessment is conducted, if +necessary to facilitate the efficient conduct of the assessment. + (b) A recognized accreditation body may accept the payment of fees +for accreditation services and the reimbursement of direct costs +associated with assessment of a certification body only after the date +on which the report of such assessment was completed or the date of +which the accreditation was issued, whichever comes later. Such payment +is not considered a conflict of interest for purposes of paragraph (a) +of this section. + (c) The financial interests of the spouses and children younger than +18 years of age of a recognized accreditation body's officers, +employees, and other agents involved in accreditation activities will be +considered the financial interests of such officers, employees, and +other agents involved in accreditation activities. + (d) A recognized accreditation body must maintain on its Web site an +up-to-date list of the third-party certification bodies it accredited +under this subpart and must identify the duration and scope of each +accreditation and the date(s) on which the accredited third-party +certification body paid any fee or reimbursement associated with such +accreditation. If the accreditation of a certification body is +suspended, withdrawn, or reduced in scope, this list must also include +the date of suspension, withdrawal, or reduction in scope and maintain +that information for the duration of accreditation or until the +suspension is lifted, the certification body is reaccredited, or the +scope of accreditation is reinstated, whichever comes first. + +[[Page 82]] + + + +Sec. 1.625 What records requirements must an accreditation body +that has been recognized meet? + + (a) An accreditation body that has been recognized must maintain +electronically for 5 years records created while it is recognized +(including documents and data) demonstrating its compliance with this +subpart, including records relating to: + (1) Applications for accreditation and renewal of accreditation +under Sec. 1.660; + (2) Decisions to grant, deny, suspend, withdraw, or expand or reduce +the scope of an accreditation; + (3) Challenges to adverse accreditation decisions under Sec. +1.620(c); + (4) Its monitoring of accredited third-party certification bodies +under Sec. 1.621; + (5) Self-assessments and corrective actions under Sec. 1.622; + (6) Regulatory audit reports, including any supporting information, +that an accredited third-party certification body may have submitted; + (7) Any reports or notifications to FDA under Sec. 1.623, including +any supporting information; and + (8) Records of fee payments and reimbursement of direct costs. + (b) An accreditation body that has been recognized must make records +required by paragraph (a) of this section available for inspection and +copying promptly upon written request of an authorized FDA officer or +employee at the place of business of the accreditation body or at a +reasonably accessible location. If the records required by paragraph (a) +of this section are requested by FDA electronically, the records must be +submitted to FDA electronically not later than 10 business days after +the date of the request. Additionally, if the requested records are +maintained in a language other than English, the accreditation body must +electronically submit an English translation within a reasonable time. + (c) An accreditation body that has been recognized must not prevent +or interfere with FDA's access to its accredited third-party +certification bodies and the accredited third-party certification body +records required by Sec. 1.658. + + Procedures for Recognition of Accreditation Bodies Under This Subpart + + + +Sec. 1.630 How do I apply to FDA for recognition or renewal of +recognition? + + (a) Applicant for recognition. An accreditation body seeking +recognition must submit an application demonstrating that it meets the +eligibility requirements in Sec. 1.610. + (b) Applicant for renewal of recognition. An accreditation body +seeking renewal of its accreditation must submit a renewal application +demonstrating that it continues to meet the requirements of this +subpart. + (c) Submission. Recognition and renewal applications and any +documents provided as part of the application process must be submitted +electronically, in English. An applicant must provide any translation +and interpretation services needed by FDA during the processing of the +application, including during onsite assessments of the applicant by +FDA. + (d) Signature. Recognition and renewal applications must be signed +in the manner designated by FDA, by an individual authorized to act on +behalf of the applicant for purposes of seeking recognition or renewal +of recognition. + + + +Sec. 1.631 How will FDA review my application for recognition or +renewal of recognition and what happens once FDA decides on my +application? + + (a) Review of recognition or renewal application. FDA will examine +an accreditation body's recognition or renewal application for +completeness and notify the applicant of any deficiencies. FDA will +review an accreditation body's recognition or renewal application on a +first in, first out basis according to the date on which the completed +application was submitted; however, FDA may prioritize the review of +specific applications to meet the needs of the program. + (b) Evaluation of recognition or renewal. FDA will evaluate any +completed recognition or renewal application to determine whether the +applicant meets the applicable requirements of this subpart. Such +evaluation may include an onsite assessment of the accreditation body. +FDA will notify the + +[[Page 83]] + +applicant, in writing, regarding whether the application has been +approved or denied. FDA may make such notification electronically. If +FDA does not reach a final decision on a renewal application before an +accreditation body's recognition terminates by expiration, FDA may +extend such recognition for a specified period of time or until the +Agency reaches a final decision on the renewal application. + (c) Issuance of recognition. FDA will notify an applicant that its +recognition or renewal application has been approved through issuance of +recognition that will list any limitations associated with the +recognition. + (d) Issuance of denial of recognition or renewal application. FDA +will notify an applicant that its recognition or renewal application has +been denied through issuance of a denial of recognition or denial of a +renewal application that will state the basis for such denial and +provide the procedures for requesting reconsideration of the application +under Sec. 1.691. + (e) Notice of records custodian after denial of an application for +renewal of recognition. An applicant whose renewal application was +denied must notify FDA electronically, in English, within 10 business +days of the date of issuance of a denial of a renewal application, of +the name and contact information of the custodian who will maintain the +records required by Sec. 1.625(a) and make them available to FDA as +required by Sec. 1.625(b). The contact information for the custodian +must include, at a minimum, an email address and the physical address +where the records required by Sec. 1.625(a) will be located. + (f) Effect of denial of an application for renewal of recognition of +an accreditation body on accredited third-party certification bodies. +(1) FDA will issue a notice of the denial of a recognition renewal to +any third-party certification bodies accredited by the accreditation +body whose renewal application was denied. The third-party certification +body's accreditation will remain in effect so long as the third-party +certification body: + (i) No later than 60 days after FDA's issuance of the notice of the +denial of recognition renewal, conducts a self-assessment under Sec. +1.655 and reports the results of the self-assessment to FDA under Sec. +1.656(b); and + (ii) No later than 1 year after issuance of the notice of denial of +recognition renewal or the original date of the expiration of the +accreditation, whichever comes first, becomes accredited by another +recognized accreditation body or by FDA through direct accreditation. + (2) FDA may withdraw the accreditation of a third-party +certification body whenever FDA determines there is good cause for +withdrawal of accreditation under Sec. 1.664(c). + (g) Effect of denial of an application for renewal of recognition of +an accreditation body on food or facility certifications issued to +eligible entities. A food or facility certification issued by a third- +party certification body accredited by a recognized accreditation body +prior to issuance of a denial of the renewal application will remain in +effect until the certification expires. If FDA has reason to believe +that a certification issued for purposes of section 801(q) or 806 of the +FD&C Act is not valid or reliable, FDA may refuse to consider the +certification in determining the admissibility of the article of food +for which the certification was offered or in determining the importer's +eligibility for participation in the voluntary qualified importer +program (VQIP). + (h) Public notice of denial of an application for renewal of +recognition of an accreditation body. FDA will provide notice on the Web +site described in Sec. 1.690 of the date of issuance of a denial of a +renewal application and will describe the basis for the denial. + + + +Sec. 1.632 What is the duration of recognition? + + FDA may grant recognition of an accreditation body for a period not +to exceed 5 years from the date of recognition. + + + +Sec. 1.633 How will FDA monitor recognized accreditation bodies? + + (a) FDA will evaluate the performance of each recognized +accreditation body to determine its compliance with the applicable +requirements of this subpart. Such assessment must occur + +[[Page 84]] + +by at least 4 years after the date of recognition for a 5-year +recognition period, or by no later than the mid-term point for a +recognition period of less than 5 years. FDA may conduct additional +assessments of a recognized accreditation body at any time. + (b) An FDA assessment of a recognized accreditation body may include +onsite assessments of a representative sample of third-party +certification bodies the recognized accreditation body accredited and +onsite audits of a representative sample of eligible entities certified +by such third-party certification bodies under this subpart. These may +be conducted at any time and, as FDA determines necessary or +appropriate, may occur without the recognized accreditation body or, in +the case of an audit of an eligible entity, the accredited third-party +certification body present. + + + +Sec. 1.634 When will FDA revoke recognition? + + (a) Grounds for revocation of recognition. FDA will revoke the +recognition of an accreditation body found not to be in compliance with +the requirements of this subpart, including for any one or more of the +following: + (1) Refusal by the accreditation body to allow FDA to access records +required by Sec. 1.625, or to conduct an assessment or investigation of +the accreditation body or of a third-party certification body it +accredited to ensure the accreditation body's continued compliance with +the requirements of this subpart. + (2) Failure to take timely and necessary corrective action when: + (i) The accreditation of a third-party certification body it +accredited is withdrawn by FDA under Sec. 1.664(a); + (ii) A significant deficiency is identified through self-assessment +under Sec. 1.622, monitoring under Sec. 1.621, or self-assessment by +one or more of its accredited third-party certification bodies under +Sec. 1.655; or + (iii) Directed to do so by FDA to ensure compliance with this +subpart. + (3) A determination by FDA that the accreditation body has committed +fraud or has submitted material false statements to the Agency. + (4) A determination by FDA that there is otherwise good cause for +revocation, including: + (i) Demonstrated bias or lack of objectivity when conducting +activities under this subpart; or + (ii) Failure to adequately support one or more decisions to grant +accreditation under this subpart. + (b) Records request associated with revocation. To assist in +determining whether revocation is warranted under paragraph (a) of this +section, FDA may request records of the accreditation body required by +Sec. 1.625 or the records, required by Sec. 1.658, of one or more of +the third-party certification bodies it accredited under this subpart. + (c) Issuance of revocation of recognition. (1) FDA will notify an +accreditation body that its recognition has been revoked through +issuance of a revocation that will state the grounds for revocation, the +procedures for requesting a regulatory hearing under Sec. 1.693 on the +revocation, and the procedures for requesting reinstatement of +recognition under Sec. 1.636. + (2) Within 10 business days of the date of issuance of the +revocation, the accreditation body must notify FDA electronically, in +English, of the name of the custodian who will maintain the records and +make them available to FDA as required by Sec. 1.625. The contact +information for the custodian must provide, at a minimum, an email +address and the physical address where the records will be located. + (d) Effect of revocation of recognition of an accreditation body on +accredited third-party certification bodies. (1) FDA will issue a notice +of the revocation of recognition to any accredited third-party +certification body accredited by the accreditation body whose +recognition was revoked. The third-party certification body's +accreditation will remain in effect if the third-party certification +body: + (i) No later than 60 days after FDA's issuance of the notice of +revocation, conducts a self-assessment under Sec. 1.655 and reports the +results of the self-assessment to FDA under Sec. 1.656(b); and + (ii) No later than 1 year after issuance of the notice of the +revocation, or the original date of expiration of the accreditation, +whichever comes + +[[Page 85]] + +first, becomes accredited by another recognized accreditation body or by +FDA through direct accreditation. + (2) FDA may withdraw the accreditation of a third-party +certification body whenever FDA determines there is good cause for +withdrawal of accreditation under Sec. 1.664(c). + (e) Effect of revocation of recognition of an accreditation body on +food or facility certifications issued to eligible entities. A food or +facility certification issued by a third-party certification body +accredited by a recognized accreditation body prior to issuance of the +revocation of recognition will remain in effect until the certificate +terminates by expiration. If FDA has reason to believe that a +certification issued for purposes of section 801(q) or 806 of the FD&C +Act is not valid or reliable, FDA may refuse to consider the +certification in determining the admissibility of the article of food +for which the certification was offered or in determining the importer's +eligibility for participation in VQIP. + (f) Public notice of revocation of recognition. FDA will provide +notice on the Web site described in Sec. 1.690 of the issuance of the +revocation of recognition of an accreditation body and will describe the +basis for revocation. + + + +Sec. 1.635 What if I want to voluntarily relinquish recognition +or do not want to renew recognition? + + (a) Notice to FDA of intent to relinquish or not to renew +recognition. A recognized accreditation body must notify FDA +electronically, in English, at least 60 days before voluntarily +relinquishing recognition or before allowing recognition to expire +without seeking renewal. The recognized accreditation body must provide +the name and contact information of the custodian who will maintain the +records required under Sec. 1.625(a) after the date of relinquishment +or the date recognition expires, as applicable, and make them available +to FDA as required by Sec. 1.625(b). The contact information for the +custodian must include, at a minimum, an email address and the physical +address where the records required by Sec. 1.625(a) will be located. + (b) Notice to accredited third-party certification bodies of intent +to relinquish or not to renew recognition. No later than 15 business +days after notifying FDA under paragraph (a) of this section, the +recognized accreditation body must notify any currently accredited +third-party certification body that it intends to relinquish recognition +or to allow its recognition to expire, specifying the date on which +relinquishment or expiration will occur. The recognized accreditation +body must establish and maintain records of such notification under +Sec. 1.625. + (c)(1) Effect of voluntary relinquishment or expiration of +recognition on third-party certification bodies. The accreditation of a +third-party certification body issued prior to the relinquishment or +expiration of its accreditation body's recognition will remain in +effect, so long as the third-party certification body: + (i) No later than 60 days after the date of relinquishment or the +date of expiration of the recognition, conducts a self-assessment under +Sec. 1.655 and reports the results of the self-assessment to FDA under +Sec. 1.656(b); and + (ii) No later than 1 year after the date of relinquishment or the +date of expiration of recognition, or the original date of the +expiration of the accreditation, whichever comes first, becomes +accredited by another recognized accreditation body or by FDA through +direct accreditation. + (2) FDA may withdraw the accreditation of a third-party +certification body whenever FDA determines there is good cause for +withdrawal of accreditation under Sec. 1.664(c). + (d) Effect of voluntary relinquishment or expiration of recognition +of an accreditation body on food or facility certifications issued to +eligible entities. A food or facility certification issued by a third- +party certification body accredited by a recognized accreditation body +prior to relinquishment or expiration of its recognition will remain in +effect until the certification expires. If FDA has reason to believe +that a certification issued for purposes of section 801(q) or 806 of the +FD&C Act is not valid or reliable, FDA may refuse to consider the +certification in determining the admissibility of the article of food +for which the certification was + +[[Page 86]] + +offered or in determining the importer's eligibility for participation +in VQIP. + (e) Public notice of voluntary relinquishment or expiration of +recognition. FDA will provide notice on the Web site described in Sec. +1.690 of the voluntary relinquishment or expiration of recognition of an +accreditation body under this subpart. + + + +Sec. 1.636 How do I request reinstatement of recognition? + + (a) Application following revocation. An accreditation body that has +had its recognition revoked may seek reinstatement by submitting a new +application for recognition under Sec. 1.630. The accreditation body +must submit evidence that the grounds for revocation have been resolved, +including evidence addressing the cause or conditions that were the +basis for revocation and identifying measures that have been implemented +to help ensure that such cause(s) or condition(s) are unlikely to recur. + (b) Application following relinquishment. An accreditation body that +previously relinquished its recognition under Sec. 1.635 may seek +recognition by submitting a new application for recognition under Sec. +1.630. + + Accreditation of Third-Party Certification Bodies Under This Subpart + + + +Sec. 1.640 Who is eligible to seek accreditation? + + (a) A foreign government, agency of a foreign government, foreign +cooperative, or any other third party may seek accreditation from a +recognized accreditation body (or, where direct accreditation is +appropriate, FDA) to conduct food safety audits and to issue food and +facility certifications to eligible entities under this subpart. An +accredited third-party certification body may use documentation of +conformance with ISO/IEC 17021: 2011 or ISO/IEC 17065: 2012, +supplemented as necessary, in meeting the applicable requirements of +this subpart. + (b) A foreign government or an agency of a foreign government is +eligible for accreditation if it can demonstrate that its food safety +programs, systems, and standards meet the requirements of Sec. Sec. +1.641 through 1.645. + (c) A foreign cooperative or other third party is eligible for +accreditation if it can demonstrate that the training and qualifications +of its agents used to conduct audits (or, in the case of a third-party +certification body that is an individual, such individual) and its +internal systems and standards meet the requirements of Sec. Sec. 1.641 +through 1.645. + + + +Sec. 1.641 What legal authority must a third-party certification +body have to qualify for accreditation? + + (a) A third-party certification body seeking accreditation from a +recognized accreditation body or from FDA must demonstrate that it has +the authority (as a governmental entity or as a legal entity with +contractual rights) to perform such examinations of facilities, their +process(es), and food(s) as are necessary to determine compliance with +the applicable food safety requirements of the FD&C Act and FDA +regulations, and conformance with applicable industry standards and +practices and to issue certifications where appropriate based on a +review of the findings of such examinations. This includes authority to: + (1) Review any relevant records; + (2) Conduct onsite audits of an eligible entity; and + (3) Suspend or withdraw certification for failure to comply with +applicable requirements. + (b) A third-party certification body seeking accreditation must +demonstrate that it is capable of exerting the authority (as a +governmental entity or as legal entity with contractual rights) +necessary to meet the applicable requirements of accreditation under +this subpart if accredited. + + + +Sec. 1.642 What competency and capacity must a third-party +certification body have to qualify for accreditation? + + A third-party certification body seeking accreditation must +demonstrate that it has: + (a) The resources necessary to fully implement its certification +program, including: + +[[Page 87]] + + (1) Adequate numbers of employees and other agents with relevant +knowledge, skills, and experience to effectively examine for compliance +with applicable FDA food safety requirements of the FD&C Act and FDA +regulations, conformance with applicable industry standards and +practices, and issuance of valid and reliable certifications; and + (2) Adequate financial resources for its operations; and + (b) The competency and capacity to meet the applicable requirements +of this subpart, if accredited. + + + +Sec. 1.643 What protections against conflicts of interest must +a third-party certification body have to qualify for accreditation? + + A third-party certification body must demonstrate that it has: + (a) Implemented written measures to protect against conflicts of +interest between the third-party certification body (and its officers, +employees, and other agents involved in auditing and certification +activities) and clients seeking examinations or certification from, or +audited or certified by, such third-party certification body; and + (b) The capability to meet the conflict of interest requirements in +Sec. 1.657, if accredited. + + + +Sec. 1.644 What quality assurance procedures must a third-party +certification body have to qualify for accreditation? + + A third-party certification body seeking accreditation must +demonstrate that it has: + (a) Implemented a written program for monitoring and evaluating the +performance of its officers, employees, and other agents involved in +auditing and certification activities, including procedures to: + (1) Identify deficiencies in its auditing and certification program +or performance; and + (2) Quickly execute corrective actions that effectively address any +identified deficiencies; and + (b) The capability to meet the quality assurance requirements of +Sec. 1.655, if accredited. + + + +Sec. 1.645 What records procedures must a third-party certification +body have to qualify for accreditation? + + A third-party certification body seeking accreditation must +demonstrate that it: + (a) Implemented written procedures to establish, control, and retain +records (including documents and data) for a period of time necessary to +meet its contractual and legal obligations and to provide an adequate +basis for evaluating its program and performance; and + (b) Is capable of meeting the reporting, notification, and records +requirements of this subpart, if accredited. + + Requirements for Third-Party Certification Bodies That Have Been + Accredited Under This Subpart + + + +Sec. 1.650 How must an accredited third-party certification body +ensure its audit agents are competent and objective? + + (a) An accredited third-party certification body that uses audit +agents to conduct food safety audits must ensure that each such audit +agent meets the following requirements with respect to the scope of its +accreditation under this subpart. If the accredited third-party +certification body is an individual, that individual is also subject to +the following requirements, as applicable: + (1) Has relevant knowledge and experience that provides an adequate +basis for the audit agent to evaluate compliance with applicable food +safety requirements of the FD&C Act and FDA regulations and, for +consultative audits, also includes conformance with applicable industry +standards and practices; + (2) Has been determined by the accredited third-party certification +body, through observations of a representative sample of audits, to be +competent to conduct food safety audits under this subpart relevant to +the audits they will be assigned to perform; + (3) Has completed annual food safety training that is relevant to +activities conducted under this subpart; + (4) Is in compliance with the conflict of interest requirements of +Sec. 1.657 and has no other conflicts of interest with + +[[Page 88]] + +the eligible entity to be audited that might impair the audit agent's +objectivity; and + (5) Agrees to notify its accredited third-party certification body +immediately upon discovering, during a food safety audit, any condition +that could cause or contribute to a serious risk to the public health. + (b) In assigning an audit agent to conduct a food safety audit at a +particular eligible entity, an accredited third-party certification body +must determine that the audit agent is qualified to conduct such audit +under the criteria established in paragraph (a) of this section and +based on the scope and purpose of the audit and the type of facility, +its process(es), and food. + (c) An accredited third-party certification body cannot use an audit +agent to conduct a regulatory audit at an eligible entity if such audit +agent conducted a consultative audit or regulatory audit for the same +eligible entity in the preceding 13 months, except that such limitation +may be waived if the accredited third-party certification body +demonstrates to FDA, under Sec. 1.663, there is insufficient access to +audit agents in the country or region where the eligible entity is +located. If the accredited third-party certification body is an +individual, that individual is also subject to such limitations. + + + +Sec. 1.651 How must an accredited third-party certification body +conduct a food safety audit of an eligible entity? + + (a) Audit planning. Before beginning to conduct a food safety audit +under this subpart, an accredited third-party certification body must: + (1) Require the eligible entity seeking a food safety audit to: + (i) Identify the scope and purpose of the food safety audit, +including the facility, process(es), or food to be audited; whether the +food safety audit is to be conducted as a consultative or regulatory +audit subject to the requirements of this subpart, and if a regulatory +audit, the type(s) of certification(s) sought; and + (ii) Provide a 30-day operating schedule for such facility that +includes information relevant to the scope and purpose of the audit; and + (2) Determine whether the requested audit is within its scope of +accreditation. + (b) Authority to audit. In arranging a food safety audit with an +eligible entity under this subpart, an accredited third-party +certification body must ensure it has authority, whether contractual or +otherwise, to: + (1) Conduct an unannounced audit to determine whether the facility, +process(es), and food of the eligible entity (within the scope of the +audit) comply with the applicable food safety requirements of the FD&C +Act and FDA regulations and, for consultative audits, also includes +conformance with applicable industry standards and practices; + (2) Access any records and any area of the facility, process(es), +and food of the eligible entity relevant to the scope and purpose of +such audit; + (3) When, for a regulatory audit, sampling and analysis is +conducted, the accredited third-party certification body must use a +laboratory that is accredited in accordance with: + (i) ISO/IEC 17025:2005; or + (ii) Another laboratory accreditation standard that provides at +least a similar level of assurance in the validity and reliability of +sampling methodologies, analytical methodologies, and analytical +results. + (4) Notify FDA immediately if, at any time during a food safety +audit, the accredited third-party certification body (or its audit +agent, where applicable) discovers a condition that could cause or +contribute to a serious risk to the public health and provide +information required by Sec. 1.656(c); + (5) Prepare reports of audits conducted under this subpart as +follows: + (i) For consultative audits, prepare reports that contain the +elements specified in Sec. 1.652(a) and maintain such records, subject +to FDA access in accordance with section 414 of the FD&C Act; and + (ii) For regulatory audits, prepare reports that contain the +elements specified in Sec. 1.652(b) and submit them to FDA and to its +recognized accreditation body (where applicable) under Sec. 1.656(a); +and + (6) Allow FDA and the recognized accreditation body that accredited +such third-party certification body, if any, + +[[Page 89]] + +to observe any food safety audit conducted under this subpart for +purposes of evaluating the accredited third-party certification body's +performance under Sec. Sec. 1.621 and 1.662 or, where appropriate, the +recognized accreditation body's performance under Sec. Sec. 1.622 and +1.633. + (c) Audit protocols. An accredited third-party certification body +(or its audit agent, where applicable) must conduct a food safety audit +in a manner consistent with the identified scope and purpose of the +audit and within the scope of its accreditation. + (1) With the exception of records review, which may be scheduled, +the audit must be conducted without announcement during the 30-day +timeframe identified under paragraph (a)(1)(ii) of this section and must +be focused on determining whether the facility, its process(es), and +food are in compliance with applicable food safety requirements of the +FD&C Act and FDA regulations, and, for consultative audits, also +includes conformance with applicable industry standards and practices +that are within the scope of the audit. + (2) The audit must include records review prior to the onsite +examination; an onsite examination of the facility, its process(es), and +the food that results from such process(es); and where appropriate or +when required by FDA, environmental or product sampling and analysis. +When, for a regulatory audit, sampling and analysis is conducted, the +accredited third-party certification body must use a laboratory that is +accredited in accordance with paragraph (b)(3) of this section. The +audit may include any other activities necessary to determine compliance +with applicable food safety requirements of the FD&C Act and FDA +regulations, and, for consultative audits, also includes conformance +with applicable industry standards and practices. + (3) The audit must be sufficiently rigorous to allow the accredited +third-party certification body to determine whether the eligible entity +is in compliance with the applicable food safety requirements of the +FD&C Act and FDA regulations, and for consultative audits, also includes +conformance with applicable industry standards and practices, at the +time of the audit; and for a regulatory audit, whether the eligible +entity, given its food safety system and practices would be likely to +remain in compliance with the applicable food safety requirements of the +FD&C Act and FDA regulations for the duration of any certification +issued under this subpart. An accredited third-party certification body +(or its audit agent, where applicable) that identifies a deficiency +requiring corrective action may verify the effectiveness of a corrective +action once implemented by the eligible entity but must not recommend or +provide input to the eligible entity in identifying, selecting, or +implementing the corrective action. + (4) Audit observations and other data and information from the +examination, including information on corrective actions, must be +documented and must be used to support the findings contained in the +audit report required by Sec. 1.652 and maintained as a record under +Sec. 1.658. + + + +Sec. 1.652 What must an accredited third-party certification body +include in food safety audit reports? + + (a) Consultative audits. An accredited third-party certification +body must prepare a report of a consultative audit not later than 45 +days after completing such audit and must provide a copy of such report +to the eligible entity and must maintain such report under Sec. 1.658, +subject to FDA access in accordance with the requirements of section 414 +of the FD&C Act. A consultative audit report must include: + (1) The identity of the site or location where the consultative +audit was conducted, including: + (i) The name, address and the FDA Establishment Identifier of the +facility subject to the consultative audit and a unique facility +identifier, if designated by FDA; and + (ii) Where applicable, the FDA registration number assigned to the +facility under subpart H of this part; + (2) The identity of the eligible entity, if different from the +facility, including the name, address, the FDA Establishment Identifier +and unique facility identifier, if designated by FDA, and, where +applicable, registration number under subpart H of this part; + +[[Page 90]] + + (3) The name(s) and telephone number(s) of the person(s) responsible +for compliance with the applicable food safety requirements of the FD&C +Act and FDA regulations + (4) The dates and scope of the consultative audit; + (5) The process(es) and food(s) observed during such consultative +audit; and + (6) Any deficiencies observed that relate to or may influence a +determination of compliance with the applicable food safety requirements +of the FD&C Act and FDA regulations that require corrective action, the +corrective action plan, and the date on which such corrective actions +were completed. Such consultative audit report must be maintained as a +record under Sec. 1.658 and must be made available to FDA in accordance +with section 414 of the FD&C Act. + (b) Regulatory audits. An accredited third-party certification body +must, no later than 45 days after completing a regulatory audit, prepare +and submit electronically, in English, to FDA and to its recognized +accreditation body (or, in the case of direct accreditation, only to +FDA) and must provide to the eligible entity a report of such regulatory +audit that includes the following information: + (1) The identity of the site or location where the regulatory audit +was conducted, including: + (i) The name, address, and FDA Establishment Identifier of the +facility subject to the regulatory audit and a unique facility +identifier, if designated by FDA; and + (ii) Where applicable, the FDA registration number assigned to the +facility under subpart H of this part; + (2) The identity of the eligible entity, if different from the +facility, including the name, address, FDA Establishment Identifier, and +unique facility identifier, if designated by FDA, and, where applicable, +registration number under subpart H of this part; + (3) The dates and scope of the regulatory audit; + (4) The process(es) and food(s) observed during such regulatory +audit; + (5) The name(s) and telephone number(s) of the person(s) responsible +for the facility's compliance with the applicable food safety +requirements of the FD&C Act and FDA regulations; + (6) Any deficiencies observed during the regulatory audit that +present a reasonable probability that the use of or exposure to a +violative product: + (i) Will cause serious adverse health consequences or death to +humans and animals; or + (ii) May cause temporary or medically reversible adverse health +consequences or where the probability of serious adverse health +consequences or death to humans or animals is remote; + (7) The corrective action plan for addressing each deficiency +identified under paragraph (b)(6) of this section, unless corrective +action was implemented immediately and verified onsite by the accredited +third-party certification body (or its audit agent, where applicable); + (8) Whether any sampling and laboratory analysis (e.g., under a +microbiological sampling plan) is performed in or used by the facility; +and + (9) Whether the eligible entity has made significant changes to the +facility, its process(es), or food products during the 2 years preceding +the regulatory audit. + (c) Submission of regulatory audit report. An accredited third-party +certification body must submit a completed regulatory audit report as +required by paragraph (b) of this section, regardless of whether the +certification body issued a food or facility certification to the +eligible entity. + (d) Notice and appeals of adverse regulatory audit results. An +accredited third-party certification body must notify an eligible entity +of a denial of certification and must establish and implement written +procedures for receiving and addressing appeals from eligible entities +challenging such adverse regulatory audit results and for investigating +and deciding on appeals in a fair and meaningful manner. The appeals +procedures must provide similar protections to those offered by FDA +under Sec. Sec. 1.692 and 1.693, including requirements to: + (1) Make the appeals procedures publicly available; + (2) Use competent persons, who may or may not be external to the +accredited third-party certification body, who + +[[Page 91]] + +are free from bias or prejudice and have not participated in the +certification decision or be subordinate to a person who has +participated in the certification decision, to investigate and decide +appeals; + (3) Advise the eligible entity of the final decision on its appeal; +and + (4) Maintain records under Sec. 1.658 of the appeal, the final +decision, and the basis for such decision. + + + +Sec. 1.653 What must an accredited third-party certification body +do when issuing food or facility certifications? + + (a) Basis for issuance of a food or facility certification. (1) +Prior to issuing a food or facility certification to an eligible entity, +an accredited third-party certification body (or, where applicable, an +audit agent on its behalf) must complete a regulatory audit that meets +the requirements of Sec. 1.651 and any other activities that may be +necessary to determine compliance with the applicable food safety +requirements of the FD&C Act and FDA regulations. + (2) If, as a result of an observation during a regulatory audit, an +eligible entity must implement a corrective action plan to address a +deficiency, an accredited third-party certification body may not issue a +food or facility certification to such entity until after the accredited +third-party certification body verifies that eligible entity has +implemented the corrective action plan through methods that reliably +verify the corrective action was taken and as a result the identified +deficiency is unlikely to recur, except onsite verification is required +for corrective actions required to address deficiencies that are the +subject of a notification under Sec. 1.656(c). + (3) An accredited third-party certification body must consider each +observation and the data and other information from a regulatory audit +and other activities conducted under Sec. 1.651 to determine whether +the entity was in compliance with the applicable food safety +requirements of the FD&C Act and FDA regulations at the time of the +audit and whether the eligible entity, given its food safety system and +practices, would be likely to remain in compliance for the duration of +any certification issued under this subpart. + (4) A single regulatory audit may result in issuance of one or more +food or facility certifications under this subpart, provided that the +requirements of issuance are met as to each such certification. + (5) Where an accredited third-party certification body uses an audit +agent to conduct a regulatory audit of an eligible entity under this +subpart, the accredited third-party certification body (and not the +audit agent) must make the determination whether to issue a food or +facility certification based on the results of such regulatory audit. + (b) Issuance of a food or facility certification and submission to +FDA. (1) Any food or facility certification issued under this subpart +must be submitted to FDA electronically and in English. The accredited +third-party certification body may issue a food or facility +certification under this subpart for a term of up to 12 months. + (2) A food or facility certification must contain, at a minimum, the +following elements: + (i) The name and address of the accredited third-party certification +body and the scope and date of its accreditation under this subpart; + (ii) The name, address, FDA Establishment Identifier, and unique +facility identifier, if designated by FDA, of the eligible entity to +which the food or facility certification was issued; + (iii) The name, address, FDA Establishment Identifier, and unique +facility identifier, if designated by FDA, of the facility where the +regulatory audit was conducted, if different than the eligible entity; + (iv) The scope and date(s) of the regulatory audit and the +certification number; + (v) The name of the audit agent(s) (where applicable) conducting the +regulatory audit; and + (vi) The scope of the food or facility certification, date of +issuance, and date of expiration. + (3) FDA may refuse to accept any certification for purposes of +section 801(q) or 806 of the FD&C Act, if FDA determines, that such food +or facility certification is not valid or reliable because, for example: + +[[Page 92]] + + (i) The certification is offered in support of the admissibility of +a food that was not within the scope of the certification; + (ii) The certification was issued by an accredited third-party +certification body acting outside the scope of its accreditation under +this subpart; or + (iii) The certification was issued without reliable demonstration +that the requirements of paragraph (a) of this section were met. + + + +Sec. 1.654 When must an accredited third-party certification body +monitor an eligible entity that it has issued a food or facility +certification? + + If an accredited third-party certification body has reason to +believe that an eligible entity to which it issued a food or facility +certification may no longer be in compliance with the applicable food +safety requirements of the FD&C Act and FDA regulations, the accredited +third-party certification body must conduct any monitoring (including an +onsite audit) of such eligible entity necessary to determine whether the +entity is in compliance with such requirements. The accredited third- +party certification body must immediately notify FDA, under Sec. +1.656(d), if it withdraws or suspends a food or facility certification +because it determines that the entity is no longer in compliance with +the applicable food safety requirements of the FD&C Act and FDA +regulations. The accredited third-party certification body must maintain +records of such monitoring under Sec. 1.658. + + + +Sec. 1.655 How must an accredited third-party certification body +monitor its own performance? + + (a) An accredited third-party certification body must annually, upon +FDA request made for cause, or as required under Sec. 1.631(f)(1)(i), +Sec. 1.634(d)(1)(i), or Sec. 1.635(c)(1)(i), conduct a self-assessment +that includes evaluation of compliance with this subpart, including: + (1) The performance of its officers, employees, or other agents +involved in auditing and certification activities, including the +performance of audit agents in examining facilities, process(es), and +food using the applicable food safety requirements of the FD&C Act and +FDA regulations; + (2) The degree of consistency among its officers, employees, or +other agents involved in auditing and certification activities, +including evaluating whether its audit agents interpreted audit +protocols in a consistent manner; + (3) The compliance of the accredited third-party certification body +and its officers, employees, and other agents involved in auditing and +certification activities, with the conflict of interest requirements of +Sec. 1.657; + (4) Actions taken in response to the results of any assessments +conducted by FDA or, where applicable, the recognized accreditation body +under Sec. 1.621; and + (5) As requested by FDA, any other aspects of its performance +relevant to a determination of whether the accredited third-party +certification body is in compliance with this subpart. + (b) As a means to assess its performance, the accredited third-party +certification body may evaluate the compliance of one or more of +eligible entities to which a food or facility certification was issued +under this subpart. + (c) Based on the assessments and evaluations conducted under +paragraphs (a) and (b) of this section, the accredited third-party +certification body must: + (1) Identify any deficiencies in complying with the requirements of +this subpart; + (2) Quickly implement corrective action(s) that effectively address +the identified deficiencies; and + (3) Under Sec. 1.658, establish and maintain records of such +corrective action(s). + (d) The accredited third-party certification body must prepare a +written report of the results of its self-assessment that includes: + (1) A description of any corrective action(s) taken under paragraph +(c) of this section; + (2) A statement disclosing the extent to which the accredited third- +party certification body, and its officers, employees, and other agents +involved in auditing and certification activities, complied with the +conflict of interest requirements in Sec. 1.657; and + (3) A statement attesting to the extent to which the accredited +third-party certification body complied with + +[[Page 93]] + +the applicable requirements of this subpart. + (e) An accredited third-party certification body may use a report, +supplemented as necessary, on its conformance to ISO/IEC 17021: 2011 or +ISO/IEC 17065: 2012 in meeting the requirements of this section. + + + +Sec. 1.656 What reports and notifications must an accredited +third-party certification body submit? + + (a) Reporting results of regulatory audits. An accredited third- +party certification body must submit a regulatory audit report, as +described in Sec. 1.652(b), electronically, in English, to FDA and to +the recognized accreditation body that granted its accreditation (where +applicable), no later than 45 days after completing such audit. + (b) Reporting results of accredited third-party certification body +self-assessments. An accredited third-party certification body must +submit the report of its annual self-assessment required by Sec. 1.655 +electronically to its recognized accreditation body (or, in the case of +direct accreditation, electronically and in English, to FDA), within 45 +days of the anniversary date of its accreditation under this subpart. +For an accredited third-party certification body subject to an FDA +request for cause, or Sec. 1.631(f)(1)(i), Sec. 1.634(d)(1)(i), or +Sec. 1.635(c)(1)(i), the report of its self-assessment must be +submitted to FDA electronically, in English, within 60 days of the FDA +request, denial of renewal, revocation, or relinquishment of recognition +of the accreditation body that granted its accreditation. Such report +must include an up-to-date list of any audit agents it uses to conduct +audits under this subpart. + (c) Notification to FDA of a serious risk to public health. An +accredited third-party certification body must immediately notify FDA +electronically, in English, if during a regulatory or consultative +audit, any of its audit agents or the accredited third-party +certification body itself discovers a condition that could cause or +contribute to a serious risk to the public health, providing the +following information: + (1) The name, physical address, and unique facility identifier, if +designated by FDA, of the eligible entity subject to the audit, and, +where applicable, the registration number under subpart H of this part; + (2) The name, physical address, and unique facility identifier, if +designated by FDA, of the facility where the condition was discovered +(if different from that of the eligible entity) and, where applicable, +the registration number assigned to the facility under subpart H of this +part; and + (3) The condition for which notification is submitted. + (d) Immediate notification to FDA of withdrawal or suspension of a +food or facility certification. An accredited third-party certification +body must notify FDA electronically, in English, immediately upon +withdrawing or suspending any food or facility certification of an +eligible entity and the basis for such action. + (e) Notification to its recognized accreditation body or an eligible +entity. (1) After notifying FDA under paragraph (c) of this section, an +accredited third-party certification body must immediately notify the +eligible entity of such condition and must immediately thereafter notify +the recognized accreditation body that granted its accreditation, except +for third-party certification bodies directly accredited by FDA. Where +feasible and reliable, the accredited third-party certification body may +contemporaneously notify its recognized accreditation body and/or the +eligible entity when notifying FDA. + (2) An accredited third-party certification body must notify its +recognized accreditation body (or, in the case of direct accreditation, +FDA) electronically, in English, within 30 days after making any +significant change that would affect the manner in which it complies +with the requirements of this subpart and must include with such +notification the following information: + (i) A description of the change; and + (ii) An explanation for the purpose of the change. + + + +Sec. 1.657 How must an accredited third-party certification body +protect against conflicts of interest? + + (a) An accredited third-party certification body must implement a +written program to protect against conflicts of + +[[Page 94]] + +interest between the accredited third-party certification body (and its +officers, employees, and other agents involved in auditing and +certification activities) and an eligible entity seeking a food safety +audit or food or facility certification from, or audited or certified +by, such accredited third-party certification body, including the +following: + (1) Ensuring that the accredited third-party certification body and +its officers, employees, or other agents involved in auditing and +certification activities do not own, operate, have a financial interest +in, manage, or otherwise control an eligible entity to be certified, or +any affiliate, parent, or subsidiary of the entity; + (2) Ensuring that the accredited third-party certification body and, +its officers, employees, or other agents involved in auditing and +certification activities are not owned, managed, or controlled by any +person that owns or operates an eligible entity to be certified; + (3) Ensuring that an audit agent of the accredited third-party +certification body does not own, operate, have a financial interest in, +manage, or otherwise control an eligible entity or any affiliate, +parent, or subsidiary of the entity that is subject to a consultative or +regulatory audit by the audit agent; and + (4) Prohibiting an accredited third-party certification body's +officer, employee, or other agent involved in auditing and certification +activities from accepting any money, gift, gratuity, or other item of +value from the eligible entity to be audited or certified under this +subpart. + (5) The items specified in paragraph (a)(4) of this section do not +include: + (i) Money representing payment of fees for auditing and +certification services and reimbursement of direct costs associated with +an onsite audit by the third-party certification body; or + (ii) Lunch of de minimis value provided during the course of an +audit and on the premises where the audit is conducted, if necessary to +facilitate the efficient conduct of the audit. + (b) An accredited third-party certification body may accept the +payment of fees for auditing and certification services and the +reimbursement of direct costs associated with an audit of an eligible +entity only after the date on which the report of such audit was +completed or the date a food or facility certification was issued, +whichever is later. Such payment is not considered a conflict of +interest for purposes of paragraph (a) of this section. + (c) The financial interests of the spouses and children younger than +18 years of age of accredited third-party certification body's officers, +employees, and other agents involved in auditing and certification +activities will be considered the financial interests of such officers, +employees, and other agents involved in auditing and certification +activities. + (d) An accredited third-party certification body must maintain on +its Web site an up-to-date list of the eligible entities to which it has +issued food or facility certifications under this subpart. For each such +eligible entity, the Web site also must identify the duration and scope +of the food or facility certification and date(s) on which the eligible +entity paid the accredited third-party certification body any fee or +reimbursement associated with such audit or certification. + + + +Sec. 1.658 What records requirements must a third-party certification +body that has been accredited meet? + + (a) A third-party certification body that has been accredited must +maintain electronically for 4 years records created during its period of +accreditation (including documents and data) that document compliance +with this subpart, including: + (1) Any audit report and other documents resulting from a +consultative audit conducted under this subpart, including the audit +agent's observations, correspondence with the eligible entity, +verification of any corrective action(s) taken to address deficiencies +identified during the audit; + (2) Any request for a regulatory audit from an eligible entity; + (3) Any audit report and other documents resulting from a regulatory +audit conducted under this subpart, including the audit agent's +observations, + +[[Page 95]] + +correspondence with the eligible entity, verification of any corrective +action(s) taken to address deficiencies identified during the audit, +and, when sampling and analysis is conducted, laboratory testing records +and results from a laboratory that is accredited in accordance with +Sec. 1.651(b)(3), and documentation demonstrating such laboratory is +accredited in accordance with Sec. 1.651(b)(3); + (4) Any notification submitted by an audit agent to the accredited +third-party certification body in accordance with Sec. 1.650(a)(5); + (5) Any challenge to an adverse regulatory audit decision and the +disposition of the challenge; + (6) Any monitoring it conducted of an eligible entity to which food +or facility certification was issued; + (7) Its self-assessments and corrective actions taken to address any +deficiencies identified during a self-assessment; and + (8) Significant changes to its auditing or certification program +that might affect compliance with this subpart. + (b) An accredited third-party certification body must make the +records of a consultative audit required by paragraph (a)(1) of this +section available to FDA in accordance with section 414 of the FD&C Act. + (c) An accredited third-party certification body must make the +records required by paragraphs (a)(2) through (8) of this section +available for inspection and copying promptly upon written request of an +authorized FDA officer or employee at the place of business of the +accredited third-party certification body or at a reasonably accessible +location. If such records are requested by FDA electronically, the +records must be submitted electronically not later than 10 business days +after the date of the request. Additionally, if the records are +maintained in a language other than English, an accredited third-party +certification body must electronically submit an English translation +within a reasonable time. + + Procedures for Accreditation of Third-Party Certification Bodies Under + This Subpart + + + +Sec. 1.660 Where do I apply for accreditation or renewal of +accreditation by a recognized accreditation body and what happens once +the recognized accreditation body decides on my application? + + (a) Submission of accreditation or renewal application to a +recognized accreditation body. A third-party certification body seeking +accreditation must submit its request for accreditation or renewal of +accreditation by a recognized accreditation body identified on the Web +site described in Sec. 1.690. + (b) Notice of records custodian after denial of application for +renewal of accreditation. An applicant whose renewal application was +denied by a recognized accreditation body must notify FDA +electronically, in English, within 10 business days of the date of +issuance of a denial of accreditation or denial of the renewal +application, of the name and contact information of the custodian who +will maintain the records required by Sec. 1.658(a) and make them +available to FDA as required by Sec. 1.658(b) and (c). The contact +information for the custodian must include, at a minimum, an email +address and the physical address where the records required by Sec. +1.658(a) will be located. + (c) Effect of denial of an application for renewal of accreditation +on food or facility certifications issued to eligible entities. A food +or facility certification issued by an accredited third-party +certification body prior to issuance of the denial of its renewal +application l will remain in effect until the certification expires. If +FDA has reason to believe that a certification issued for purposes of +section 801(q) or 806 of the FD&C Act is not valid or reliable, FDA may +refuse to consider the certification in determining the admissibility of +the article of food for which the certification was offered or in +determining the importer's eligibility for participation in VQIP. + (d) Public notice of denial of an application for renewal of +accreditation. FDA will provide notice on the Web site described in +Sec. 1.690 of the date of issuance of a denial of renewal of +accreditation + +[[Page 96]] + +of a third-party certification body that had previous been accredited. + + + +Sec. 1.661 What is the duration of accreditation by a recognized +accreditation body? + + A recognized accreditation body may grant accreditation to a third- +party certification body under this subpart for a period not to exceed 4 +years. + + + +Sec. 1.662 How will FDA monitor accredited third-party +certification bodies? + + (a) FDA will periodically evaluate the performance of each +accredited third-party certification body to determine whether the +accredited third-party certification body continues to comply with the +applicable requirements of this subpart and whether there are +deficiencies in the performance of the accredited third-party +certification body that, if not corrected, would warrant withdrawal of +its accreditation under Sec. 1.664. FDA will evaluate each directly +accredited third-party certification body annually. For a third-party +certification body accredited by a recognized accreditation body, FDA +will evaluate an accredited third-party certification body not later +than 3 years after the date of accreditation for a 4-year term of +accreditation, or by no later than the mid-term point for accreditation +granted for less than 4 years. FDA may conduct additional performance +assessments of an accredited third-party certification body at any time. + (b) In evaluating the performance of an accredited third-party +certification body under paragraph (a) of this section, FDA may review +any one or more of the following: + (1) Regulatory audit reports and food and facility certifications; + (2) The accredited third-party certification body's self-assessments +under Sec. 1.655; + (3) Reports of assessments by a recognized accreditation body under +Sec. 1.621; + (4) Documents and other information relevant to a determination of +the accredited third-party certification body's compliance with the +applicable requirements of this subpart; and + (5) Information obtained by FDA, including during inspections, +audits, onsite observations, or investigations, of one or more eligible +entities to which a food or facility certification was issued by such +accredited third-party certification body. + (c) FDA may conduct its evaluation of an accredited third-party +certification body through a site visit to an accredited third-party +certification body's headquarters (or other location that manages audit +agents conducting food safety audits under this subpart, if different +than its headquarters), through onsite observation of an accredited +third party certification body's performance during a food safety audit +of an eligible entity, or through document review. + + + +Sec. 1.663 How do I request an FDA waiver or waiver extension for +the 13-month limit for audit agents conducting regulatory audits? + + (a) An accredited third-party certification body may submit a +request to FDA to waive the requirements of Sec. 1.650(c) preventing an +audit agent from conducting a regulatory audit of an eligible entity if +the audit agent (or, in the case that the third-party certification body +is an individual, the third-party certification body) has conducted a +food safety audit of such entity during the previous 13 months. The +accredited third-party certification body seeking a waiver or waiver +extension must demonstrate there is insufficient access to audit agents +and any third-party certification bodies that are comprised of an +individual in the country or region where the eligible entity is +located. + (b) Requests for a waiver or waiver extension and all documents +provided in support of the request must be submitted to FDA +electronically, in English. The requestor must provide such translation +and interpretation services as are needed by FDA to process the request. + (c) The request must be signed by the requestor or by any individual +authorized to act on behalf of the requestor for purposes of seeking +such waiver or waiver extension. + (d) FDA will review requests for waivers and waiver extensions on a +first in, first out basis according to the + +[[Page 97]] + +date on which the completed submission is received; however, FDA may +prioritize the review of specific requests to meet the needs of the +program. FDA will evaluate any completed waiver request to determine +whether the criteria for waiver have been met. + (e) FDA will notify the requestor whether the request for a waiver +or waiver extension is approved or denied. + (f) If FDA approves the request, issuance of the waiver will state +the duration of the waiver and list any limitations associated with it. +If FDA denies the request, the issuance of a denial of a waiver request +will state the basis for denial and will provide the address and +procedures for requesting reconsideration of the request under Sec. +1.691. + (g) Unless FDA notifies a requestor that its waiver request has been +approved, an accredited third-party certification body must not use the +audit agent to conduct a regulatory audit of such eligible entity until +the 13-month limit in Sec. 1.650(c) has elapsed. + + + +Sec. 1.664 When would FDA withdraw accreditation? + + (a) Mandatory withdrawal. FDA will withdraw accreditation from a +third-party certification body: + (1) Except as provided in paragraph (b) of this section, if the food +or facility certified under this subpart is linked to an outbreak of +foodborne illness or chemical or physical hazard that has a reasonable +probability of causing serious adverse health consequences or death in +humans or animals; + (2) Following an evaluation and finding by FDA that the third-party +certification body no longer complies with the applicable requirements +of this subpart; or + (3) Following its refusal to allow FDA to access records under Sec. +1.658 or to conduct an audit, assessment, or investigation necessary to +ensure continued compliance with this subpart. + (b) Exception. FDA may waive mandatory withdrawal under paragraph +(a)(1) of this section, if FDA: + (1) Conducts an investigation of the material facts related to the +outbreak of human or animal illness; + (2) Reviews the relevant audit records and the actions taken by the +accredited third-party certification body in support of its decision to +certify; and + (3) Determines that the accredited third-party certification body +satisfied the requirements for issuance of certification under this +subpart. + (c) Discretionary withdrawal. FDA may withdraw accreditation, in +whole or in part, from a third-party certification body when such third- +party certification body is accredited by an accreditation body for +which recognition is revoked under Sec. 1.634, if FDA determines there +is good cause for withdrawal, including: + (1) Demonstrated bias or lack of objectivity when conducting +activities under this subpart; or + (2) Performance that calls into question the validity or reliability +of its food safety audits or certifications. + (d) Records access. FDA may request records of the accredited third- +party certification body under Sec. 1.658 and, where applicable, may +request records under Sec. 1.625 of an accreditation body that has been +recognized under Sec. 1.625, when considering withdrawal under +paragraph (a)(1), (a)(2), or (c) of this section. + (e) Notice to the third-party certification body of withdrawal of +accreditation. (1) FDA will notify a third-party certification body of +the withdrawal of its accreditation through issuance of a withdrawal +that will state the grounds for withdrawal, the procedures for +requesting a regulatory hearing under Sec. 1.693 on the withdrawal, and +the procedures for requesting reaccreditation under Sec. 1.666. + (2) Within 10 business days of the date of issuance of the +withdrawal, the third-party certification body must notify FDA +electronically, in English, of the name of the custodian who will +maintain the records required by Sec. 1.658, and provide contact +information for the custodian, which will at least include an email +address, and the street address where the records will be located. + (f) Effect of withdrawal of accreditation on eligible entities. A +food or facility certification issued by a third-party certification +body prior to withdrawal + +[[Page 98]] + +will remain in effect until the certification terminates by expiration. +If FDA has reason to believe that a certification issued for purposes of +section 801(q) or 806 of the FD&C Act is not valid or reliable, FDA may +refuse to consider the certification in determining the admissibility of +the article of food for which the certification was offered or in +determining the importer's eligibility for participation in VQIP. + (g) Effect of withdrawal of accreditation on recognized +accreditation bodies. (1) FDA will notify a recognized accreditation +body if the accreditation of a third-party certification body it +accredited is withdrawn by FDA. Such accreditation body's recognition +will remain in effect if, no later than 60 days after withdrawal, the +accreditation body conducts a self-assessment under Sec. 1.622 and +reports the results of the self-assessment to FDA as required by Sec. +1.623(b). + (2) FDA may revoke the recognition of an accreditation body whenever +FDA determines there is good cause for revocation of recognition under +Sec. 1.634. + (h) Public notice of withdrawal accreditation. FDA will provide +notice on the Web site described in Sec. 1.690 of its withdrawal of +accreditation of a third-party certification body and provide a +description of the basis for withdrawal. + + + +Sec. 1.665 What if I want to voluntarily relinquish accreditation +or do not want to renew accreditation? + + (a) Notice to FDA of intent to relinquish or not to renew +accreditation. A third-party certification body must notify FDA +electronically, in English, at least 60 days before voluntarily +relinquishing accreditation or before allowing accreditation to expire +without seeking renewal. The certification body must provide the name +and contact information of the custodian who will maintain the records +required under Sec. 1.658(a) after the date of relinquishment or the +date accreditation expires, as applicable, and make them available to +FDA as required by Sec. 1.658(b) and (c). The contact information for +the custodian must include, at a minimum, an email address and the +physical address where the records required by Sec. 1.658(a) will be +located. + (b) Notice to recognized accreditation body and eligible entities of +intent to relinquish or not to renew accreditation. No later than 15 +business days after notifying FDA under paragraph (a) of this section, +the certification body must notify its recognized accreditation body and +any eligible entity with current certifications that it intends to +relinquish accreditation or to allow its accreditation to expire, +specifying the date on which relinquishment or expiration will occur. +The recognized accreditation body must establish and maintain records of +such notification under Sec. 1.625(a). + (c) Effect of voluntary relinquishment or expiration of +accreditation on food or facility certifications issued to eligible +entities. A food or facility certification issued by a third-party +certification body prior to relinquishment or expiration of its +accreditation will remain in effect until the certification expires. If +FDA has reason to believe that a certification issued for purposes of +section 801(q) or 806 of the FD&C Act is not valid or reliable, FDA may +refuse to consider the certification in determining the admissibility of +the article of food for which the certification was offered or in +determining the importer's eligibility for participation in VQIP. + (d) Public notice of voluntary relinquishment or expiration of +accreditation. FDA will provide notice on the Web site described in +Sec. 1.690 of the voluntary relinquishment or expiration of +accreditation of a certification body under this subpart. + + + +Sec. 1.666 How do I request reaccreditation? + + (a) Application following withdrawal. FDA will reinstate the +accreditation of a third-party certification body for which it has +withdrawn accreditation: + (1) If, in the case of direct accreditation, FDA determines, based +on evidence presented by the third-party certification body, that the +third-party certification body satisfies the applicable requirements of +this subpart and adequate grounds for withdrawal no longer exist; or + +[[Page 99]] + + (2) In the case of a third-party certification body accredited by an +accreditation body for which recognition has been revoked under Sec. +1.634: + (i) If the third-party certification body becomes accredited by +another recognized accreditation body or by FDA through direct +accreditation no later than 1 year after withdrawal of accreditation, or +the original date of the expiration of accreditation, whichever comes +first; or + (ii) Under such conditions as FDA may impose in withdrawing +accreditation. + (b) Application following voluntary relinquishment. A third-party +certification body that previously relinquished its accreditation under +Sec. 1.665 may seek accreditation by submitting a new application for +accreditation under Sec. 1.660 or, where applicable, Sec. 1.670. + + Additional Procedures for Direct Accreditation of Third-Party + Certification Bodies Under This Subpart + + + +Sec. 1.670 How do I apply to FDA for direct accreditation or +renewal of direct accreditation? + + (a) Eligibility. (1) FDA will accept applications from third-party +certification bodies for direct accreditation or renewal of direct +accreditation only if FDA determines that it has not identified and +recognized an accreditation body to meet the requirements of section 808 +of the FD&C Act within 2 years after establishing the accredited third- +party audits and certification program. Such FDA determination may +apply, as appropriate, to specific types of third-party certification +bodies, types of expertise, or geographic location; or through +identification by FDA of any requirements of section 808 of the FD&C Act +not otherwise met by previously recognized accreditation bodies. FDA +will only accept applications for direct accreditation and renewal +applications that are within the scope of the determination. + (2) FDA may revoke or modify a determination under paragraph (a)(1) +of this section if FDA subsequently identifies and recognizes an +accreditation body that affects such determination. + (3) FDA will provide notice on the Web site described in Sec. 1.690 +of a determination under paragraph (a)(1) of this section and of a +revocation or modification of the determination under paragraph (a)(1) +of this section, as described in paragraph (a)(2) of this section. + (b) Application for direct accreditation or renewal of direct +accreditation. (1) A third-party certification body seeking direct +accreditation or renewal of direct accreditation must submit an +application to FDA, demonstrating that it is within the scope of the +determination issued under paragraph (a)(1) of this section, and it +meets the eligibility requirements of Sec. 1.640. + (2) Applications and all documents provided as part of the +application process must be submitted electronically, in English. An +applicant must provide such translation and interpretation services as +are needed by FDA to process the application, including during an onsite +audit of the applicant. + (3) The application must be signed in the manner designated by FDA +by an individual authorized to act on behalf of the applicant for +purposes of seeking or renewing direct accreditation. + + + +Sec. 1.671 How will FDA review my application for direct accreditation +or renewal of direct accreditation and what happens once FDA decides on +my application? + + (a) Review of a direct accreditation or renewal application. FDA +will examine a third-party certification body's direct accreditation or +renewal application for completeness and notify the applicant of any +deficiencies. FDA will review applications for direct accreditation and +for renewal of direct accreditation on a first in, first out basis +according to the date the completed submission is received; however, FDA +may prioritize the review of specific applications to meet the needs of +the program. + (b) Evaluation of a direct accreditation or renewal application. FDA +will evaluate any completed application to determine whether the +applicant meets the requirements for direct accreditation under this +subpart. If FDA does not reach a final decision on a renewal application +before the expiration of the direct accreditation, FDA may extend + +[[Page 100]] + +the duration of such direct accreditation for a specified period of time +or until the Agency reaches a final decision on the renewal application. + (c) Notice of approval or denial. FDA will notify the applicant that +its direct accreditation or renewal application has been approved +through issuance of or denied. + (d) Issuance of direct accreditation. If an application has been +approved, the issuance of the direct accreditation that will list any +limitations associated with the accreditation. + (e) Issuance of denial of direct accreditation. If FDA issues a +denial of direct accreditation or denial of a renewal application, the +issuance of the denial of direct accreditation will state the basis for +such denial and provide the procedures for requesting reconsideration of +the application under Sec. 1.691. + (f) Notice of records custodian after denial of application for +renewal of direct accreditation. An applicant whose renewal application +was denied must notify FDA electronically, in English, within 10 +business days of the date of issuance of a denial of a renewal +application, of the name and contact information of the custodian who +will maintain the records required by Sec. 1.658(a) and make them +available to FDA as required by Sec. 1.658(b) and (c). The contact +information for the custodian must include, at a minimum, an email +address and the physical address where the records required by Sec. +1.658(b) will be located. + (g) Effect of denial of renewal of direct accreditation on food or +facility certifications issued to eligible entities. A food or facility +certification issued by an accredited third-party certification body +prior to issuance of the denial of its renewal application will remain +in effect until the certification expires. If FDA has reason to believe +that a certification issued for purposes of section 801(q) or 806 of the +FD&C Act is not valid or reliable, FDA may refuse to consider the +certification in determining the admissibility of the article of food +for which the certification was offered or in determining the importer's +eligibility for participation in VQIP. + (h) Public notice of denial of renewal of direct accreditation. FDA +will provide notice on the Web site described in Sec. 1.690 of the +issuance of a denial of renewal application for direct accreditation +under this subpart. + + + +Sec. 1.672 What is the duration of direct accreditation? + + FDA will grant direct accreditation of a third-party certification +body for a period not to exceed 4 years. + + Requirements for Eligible Entities Under This Subpart + + + +Sec. 1.680 How and when will FDA monitor eligible entities? + + FDA may, at any time, conduct an onsite audit of an eligible entity +that has received food or facility certification from an accredited +third-party certification body under this subpart. Where FDA determines +necessary or appropriate, the unannounced audit may be conducted with or +without the accredited third-party certification body or the recognized +accreditation body (where applicable) present. An FDA audit conducted +under this section will be conducted on an unannounced basis and may be +preceded by a request for a 30-day operating schedule. + + + +Sec. 1.681 How frequently must eligible entities be recertified? + + An eligible entity seeking recertification of a food or facility +certification under this subpart must apply for recertification prior to +the expiration of its certification. For certifications used in meeting +the requirements of section 801(q) or 806 of the FD&C Act, FDA may +require an eligible entity to apply for recertification at any time FDA +determines appropriate under such section. + + General Requirements of This Subpart + + + +Sec. 1.690 How will FDA make information about recognized +accreditation bodies and accredited third-party certification bodies +available to the public? + + FDA will place on its Web site a registry of recognized +accreditation bodies + +[[Page 101]] + +and accredited third-party certification bodies, including the name, +contact information, and scope and duration of recognition or +accreditation. The registry may provide information on third-party +certification bodies accredited by recognized accreditation bodies +through links to the Web sites of such recognized accreditation bodies. +FDA will also place on its Web site a list of accreditation bodies for +which it has denied renewal of recognition, for which FDA has revoked +recognition, and that have relinquished their recognition or have +allowed their recognition to expire. FDA will also place in its Web site +a list of certification bodies whose renewal of accreditation has been +denied, for which FDA has withdrawn accreditation, and that have +relinquished their accreditations or have allowed their accreditations +to expire. FDA will place on its Web site determinations under Sec. +1.670(a)(1) and modifications of such determinations under Sec. +1.670(a)(2). + + + +Sec. 1.691 How do I request reconsideration of a denial by FDA of +an application or a waiver request? + + (a) An accreditation body may seek reconsideration of the denial of +an application for recognition, renewal of recognition, or reinstatement +of recognition no later than 10 business days after the date of the +issuance of such denial. + (b) A third-party certification body may seek reconsideration of the +denial of an application for direct accreditation, renewal of direct +accreditation, reaccreditation of directly accredited third-party +certification body, a request for a waiver of the conflict of interest +requirement in Sec. 1.650(b), or a waiver extension no later than 10 +business days after the date of the issuance of such denial. + (c) A request to reconsider an application or waiver request under +paragraph (a) or (b) of this section must be signed by the requestor or +by an individual authorized to act on its behalf in submitting the +request for reconsideration. The request must be submitted +electronically in English and must comply with the procedures described +in the notice. + (d) After completing its review and evaluation of the request for +reconsideration, FDA will notify the requestor through the issuance of +the recognition, direct accreditation, or waiver upon reconsideration or +through the issuance of a denial of the application or waiver request +under paragraph (a) or (b) of this section upon reconsideration. + + + +Sec. 1.692 How do I request internal agency review of a denial of an +application or waiver request upon reconsideration? + + (a) No later than 10 business days after the date of issuance of a +denial of an application or waiver request upon reconsideration under +Sec. 1.691, the requestor may seek internal agency review of such +denial under Sec. 10.75(c)(1) of this chapter. + (b) The request for internal agency review under paragraph (a) of +this section must be signed by the requestor or by an individual +authorized to act on its behalf in submitting the request for internal +review. The request must be submitted electronically in English to the +address specified in the denial upon reconsideration and must comply +with procedures it describes. + (c) Under Sec. 10.75(d) of this chapter, internal agency review of +such denial must be based on the information in the administrative file, +which will include any supporting information submitted under Sec. +1.691(c). + (d) After completing the review and evaluation of the administrative +file, FDA will notify the requestor of its decision to overturn the +denial and grant the application or waiver request through issuance of +an application or waiver request upon reconsideration or to affirm the +denial of the application or waiver request upon reconsideration through +issuance of a denial of an application or waiver request upon +reconsideration. + (e) Issuance by FDA of a denial of an application or waiver request +upon reconsideration constitutes final agency action under 5 U.S.C. 702. + +[[Page 102]] + + + +Sec. 1.693 How do I request a regulatory hearing on a revocation of +recognition or withdrawal of accreditation? + + (a) Request for hearing on revocation. No later than 10 business +days after the date of issuance of a revocation of recognition of an +accreditation body under Sec. 1.634, an individual authorized to act on +the accreditation body's behalf may submit a request for a regulatory +hearing on the revocation under part 16 of this chapter. The issuance of +revocation issued under Sec. 1.634 will contain all of the elements +required by Sec. 16.22 of this chapter and will thereby constitute the +notice of an opportunity for hearing under part 16 of this chapter. + (b) Request for hearing on withdrawal. No later than 10 business +days after the date of issuance of a withdrawal of accreditation of a +third-party certification body under Sec. 1.664, an individual +authorized to act on the third-party certification body's behalf may +submit a request for a regulatory hearing on the withdrawal under part +16 of this chapter. The issuance of withdrawal under Sec. 1.664 will +contain all of the elements required by Sec. 16.22 of this chapter and +will thereby constitute the notice of opportunity of hearing under part +16 of this chapter. + (c) Submission of request for regulatory hearing. The request for a +regulatory hearing under paragraph (a) or (b) of this section must be +submitted with a written appeal that responds to the basis for the FDA +decision, as described in the issuance of revocation or withdrawal, as +appropriate, and includes any supporting information upon which the +requestor is relying. The request, appeal, and supporting information +must be submitted in English to the address specified in the notice and +must comply with the procedures it describes. + (d) Effect of submission of request on FDA decision. The submission +of a request for a regulatory hearing under paragraph (a) or (b) of this +section will not operate to delay or stay the effect of a decision by +FDA to revoke recognition of an accreditation body or to withdraw +accreditation of a third-party certification body unless FDA determines +that a delay or a stay is in the public interest. + (e) Presiding officer. The presiding officer for a regulatory +hearing for a revocation or withdrawal under this subpart will be +designated after a request for a regulatory hearing is submitted to FDA. + (f) Denial of a request for regulatory hearing. The presiding +officer may deny a request for regulatory hearing for a revocation or +withdrawal under Sec. 16.26(a) of this chapter when no genuine or +substantial issue of fact has been raised. + (g) Conduct of regulatory hearing. (1) If the presiding officer +grants a request for a regulatory hearing for a revocation or +withdrawal, the hearing will be held within 10 business days after the +date the request was filed or, if applicable, within a timeframe agreed +upon in writing by requestor, the presiding officer, and FDA. + (2) The presiding officer must conduct the regulatory hearing for +revocation or withdrawal under part 16 of this chapter, except that, +under Sec. 16.5(b) of this chapter, such procedures apply only to the +extent that the procedures are supplementary and do not conflict with +the procedures specified for regulatory hearings under this subpart. +Accordingly, the following requirements of part 16 are inapplicable to +regulatory hearings under this subpart: Sec. 16.22 (Initiation of a +regulatory hearing); Sec. 16.24(e) (timing) and (f) (contents of +notice); Sec. 16.40 (Commissioner); Sec. 16.60(a) (public process); +Sec. 16.95(b) (administrative decision and record for decision); and +Sec. 16.119 (Reconsideration and stay of action). + (3) A decision by the presiding officer to affirm the revocation of +recognition or the withdrawal of accreditation is considered a final +agency action under 5 U.S.C. 702. + + + +Sec. 1.694 Are electronic records created under this subpart subject +to the electronic records requirements of part 11 of this chapter? + + Records that are established or maintained to satisfy the +requirements of this subpart and that meet the definition of electronic +records in Sec. 11.3(b)(6) of this chapter are exempt from the +requirements of part 11 of this chapter. + +[[Page 103]] + +Records that satisfy the requirements of this subpart, but that also are +required under other applicable statutory provisions or regulations, +remain subject to part 11 of this chapter. + + + +Sec. 1.695 Are the records obtained by FDA under this subpart subject +to public disclosure? + + Records obtained by FDA under this subpart are subject to the +disclosure requirements under part 20 of this chapter. + +Subparts N-P [Reserved] + + + +Subpart Q_Administrative Detention of Drugs Intended for Human or Animal + Use + + + +Sec. 1.980 Administrative detention of drugs. + + (a) General. This section sets forth the procedures for detention of +drugs believed to be adulterated or misbranded. Administrative detention +is intended to protect the public by preventing distribution or use of +drugs encountered during inspections that may be adulterated or +misbranded, until the Food and Drug Administration (FDA) has had time to +consider what action it should take concerning the drugs, and to +initiate legal action, if appropriate. Drugs that FDA orders detained +may not be used, moved, altered, or tampered with in any manner by any +person during the detention period, except as authorized under paragraph +(h) of this section, until FDA terminates the detention order under +paragraph (j) of this section, or the detention period expires, +whichever occurs first. + (b) Criteria for ordering detention. Administrative detention of +drugs may be ordered in accordance with this section when an authorized +FDA representative, during an inspection under section 704 of the +Federal Food, Drug, and Cosmetic Act, has reason to believe that a drug, +as defined in section 201(g) of the Federal Food, Drug, and Cosmetic +Act, is adulterated or misbranded. + (c) Detention period. The detention is to be for a reasonable period +that may not exceed 20 calendar days after the detention order is +issued, unless the FDA District Director in whose district the drugs are +located determines that a greater period is required to seize the drugs, +to institute injunction proceedings, or to evaluate the need for legal +action, in which case the District Director may authorize detention for +10 additional calendar days. The additional 10-calendar-day detention +period may be ordered at the time the detention order is issued or at +any time thereafter. The entire detention period may not exceed 30 +calendar days, except when the detention period is extended under +paragraph (g)(6) of this section. An authorized FDA representative may, +in accordance with paragraph (j) of this section, terminate a detention +before the expiration of the detention period. + (d) Issuance of detention order. (1) The detention order must be +issued in writing, in the form of a detention notice, signed by the +authorized FDA representative who has reason to believe that the drugs +are adulterated or misbranded, and issued to the owner, operator, or +agent in charge of the place where the drugs are located. If the owner +or the user of the drugs is different from the owner, operator, or agent +in charge of the place where the drugs are detained, a copy of the +detention order must be provided to the owner or user of the drugs if +the owner's or user's identity can be readily determined. + (2) If detention of drugs in a vehicle or other carrier is ordered, +a copy of the detention order must be provided to the shipper of record +and the owner of the vehicle or other carrier, if their identities can +be readily determined. + (3) The detention order must include the following information: + (i) A statement that the drugs identified in the order are detained +for the period shown; + (ii) A brief, general statement of the reasons for the detention; + (iii) The location of the drugs; + (iv) A statement that these drugs are not to be used, moved, +altered, or tampered with in any manner during that period, except as +permitted under paragraph (h) of this section, without the written +permission of an authorized FDA representative; + (v) Identification of the detained drugs; + +[[Page 104]] + + (vi) The detention order number; + (vii) The date and hour of the detention order; + (viii) The period of the detention; + (ix) The text of section 304(g) of the Federal Food, Drug, and +Cosmetic Act and paragraphs (g)(1) and (g)(2) of this section; + (x) A statement that any informal hearing on an appeal of a +detention order must be conducted as a regulatory hearing under part 16 +of this chapter, with certain exceptions described in paragraph (g)(3) +of this section; and + (xi) The location and telephone number of the FDA district office +and the name of the FDA District Director. + (e) Approval of detention order. A detention order, before issuance, +must be approved by the FDA District Director in whose district the +drugs are located. If prior written approval is not feasible, prior oral +approval must be obtained and confirmed by written memorandum within FDA +as soon as possible. + (f) Labeling or marking a detained drug. An FDA representative +issuing a detention order under paragraph (d) of this section must label +or mark the drugs with official FDA tags that include the following +information: + (1) A statement that the drugs are detained by the U.S. Government +in accordance with section 304(g) of the Federal Food, Drug, and +Cosmetic Act (21 U.S.C. 334(g)). + (2) A statement that the drugs must not be used, moved, altered, or +tampered with in any manner for the period shown, without the written +permission of an authorized FDA representative, except as authorized in +paragraph (h) of this section. + (3) A statement that the violation of a detention order or the +removal or alteration of the tag is punishable by fine or imprisonment +or both (section 303 of the Federal Food, Drug, and Cosmetic Act (21 +U.S.C. 333)). + (4) The detention order number, the date and hour of the detention +order, the detention period, and the name of the FDA representative who +issued the detention order. + (g) Appeal of a detention order. (1) A person who would be entitled +to claim the drugs, if seized, may appeal a detention order. Any appeal +must be submitted in writing to the FDA District Director in whose +district the drugs are located within 5 working days of receipt of a +detention order. If the appeal includes a request for an informal +hearing, as defined in section 201(x) of the Federal Food, Drug, and +Cosmetic Act (21 U.S.C. 321(x)), the appellant must request either that +a hearing be held within 5 working days after the appeal is filed or +that the hearing be held at a later date, which must not be later than +20 calendar days after receipt of a detention order. + (2) The appellant of a detention order must state the ownership or +proprietary interest the appellant has in the detained drugs. If the +detained drugs are located at a place other than an establishment owned +or operated by the appellant, the appellant must include documents +showing that the appellant would have legitimate authority to claim the +drugs if seized. + (3) Any informal hearing on an appeal of a detention order must be +conducted as a regulatory hearing under regulation in accordance with +part 16 of this chapter, except that: + (i) The detention order under paragraph (d) of this section, rather +than the notice under Sec. 16.22(a) of this chapter, provides notice of +opportunity for a hearing under this section and is part of the +administrative record of the regulatory hearing under Sec. 16.80(a) of +this chapter; + (ii) A request for a hearing under this section should be addressed +to the FDA District Director; + (iii) The last sentence of Sec. 16.24(e) of this chapter, stating +that a hearing may not be required to be held at a time less than 2 +working days after receipt of the request for a hearing, does not apply +to a hearing under this section; + (iv) Paragraph (g)(4) of this section, rather than Sec. 16.42(a) of +this chapter, describes the FDA employees, i.e., regional food and drug +directors, who preside at hearings under this section. + (4) The presiding officer of a regulatory hearing on an appeal of a +detention order, who also must decide the appeal, must be a regional +food and drug director (i.e., a director of an FDA regional office +listed in part 5, subpart + +[[Page 105]] + +M of this chapter) who is permitted by Sec. 16.42(a) of this chapter to +preside over the hearing. + (5) If the appellant requests a regulatory hearing and requests that +the hearing be held within 5 working days after the appeal is filed, the +presiding officer must, within 5 working days, hold the hearing and +render a decision affirming or revoking the detention. + (6) If the appellant requests a regulatory hearing and requests that +the hearing be held at a date later than within 5 working days after the +appeal is filed, but not later than 20 calendar days after receipt of a +detention order, the presiding officer must hold the hearing at a date +agreed upon by FDA and the appellant. The presiding officer must decide +whether to affirm or revoke the detention within 5 working days after +the conclusion of the hearing. The detention period extends to the date +of the decision even if the 5-working-day period for making the decision +extends beyond the otherwise applicable 20-calendar-day or 30-calendar- +day detention period. + (7) If the appellant appeals the detention order but does not +request a regulatory hearing, the presiding officer must render a +decision on the appeal, affirming or revoking the detention within 5 +working days after the filing of the appeal. + (8) If the presiding officer affirms a detention order, the drugs +continue to be detained until FDA terminates the detention under +paragraph (j) of this section or the detention period expires, whichever +occurs first. + (9) If the presiding officer revokes a detention order, FDA must +terminate the detention under paragraph (j) of this section. + (h) Movement of detained drugs. (1) Except as provided in this +paragraph, no person may move detained drugs within or from the place +where they have been ordered detained until FDA terminates the detention +under paragraph (j) of this section or the detention period expires, +whichever occurs first. + (2) If detained drugs are not in final form for shipment, the +manufacturer may move them within the establishment where they are +detained to complete the work needed to put them in final form. As soon +as the drugs are moved for this purpose, the individual responsible for +their movement must orally notify the FDA representative who issued the +detention order, or another responsible district office official, of the +movement of the drugs. As soon as the drugs are put in final form, they +must be segregated from other drugs, and the individual responsible for +their movement must orally notify the FDA representative who issued the +detention order, or another responsible district office official, of +their new location. The drugs put in final form must not be moved +further without FDA approval. + (3) The FDA representative who issued the detention order, or +another responsible district office official, may approve, in writing, +the movement of detained drugs for any of the following purposes: + (i) To prevent interference with an establishment's operations or +harm to the drugs; + (ii) To destroy the drugs; + (iii) To bring the drugs into compliance; + (iv) For any other purpose that the FDA representative who issued +the detention order, or other responsible district office official, +believes is appropriate in the case. + (4) If an FDA representative approves the movement of detained drugs +under paragraph (h)(3) of this section, the detained drugs must remain +segregated from other drugs and the person responsible for their +movement must immediately orally notify the official who approved the +movement of the drugs, or another responsible FDA district office +official, of the new location of the detained drugs. + (5) Unless otherwise permitted by the FDA representative who is +notified of, or who approves, the movement of drugs under this +paragraph, the required tags must accompany the drugs during and after +movement and must remain with the drugs until FDA terminates the +detention or the detention period expires, whichever occurs first. + (i) Actions involving adulterated or misbranded drugs. If FDA +determines that the detained drugs, including any that have been put in +final form, are adulterated or misbranded, or both, it may initiate +legal action against the drugs + +[[Page 106]] + +or the responsible individuals, or both, or request that the drugs be +destroyed or otherwise brought into compliance with the Federal Food, +Drug, and Cosmetic Act under FDA's supervision. + (j) Detention termination. If FDA decides to terminate a detention +or when the detention period expires, whichever occurs first, an FDA +representative authorized to terminate a detention will issue a +detention termination notice releasing the drugs to any person who +received the original detention order or that person's representative +and will remove, or authorize in writing the removal of, the required +labels or tags. + (k) Recordkeeping requirements. (1) After issuance of a detention +order under paragraph (d) of this section, the owner, operator, or agent +in charge of any factory, warehouse, other establishment, or consulting +laboratory where detained drugs are manufactured, processed, packed, or +held, must have, or establish, and maintain adequate records relating to +how the detained drugs may have become adulterated or misbranded, +records on any distribution of the drugs before and after the detention +period, records on the correlation of any in-process detained drugs that +are put in final form under paragraph (h) of this section to the +completed drugs, records of any changes in, or processing of, the drugs +permitted under the detention order, and records of any other movement +under paragraph (h) of this section. Records required under this +paragraph must be provided to FDA on request for review and copying. Any +FDA request for access to records required under this paragraph must be +made at a reasonable time, must state the reason or purpose for the +request, and must identify to the fullest extent practicable the +information or type of information sought in the records to which access +is requested. + (2) Records required under this paragraph must be maintained for a +maximum period of 2 years after the issuance of the detention order or +for such other shorter period as FDA directs. When FDA terminates the +detention or when the detention period expires, whichever occurs first, +FDA will advise all persons required under this paragraph to keep +records concerning that detention whether further recordkeeping is +required for the remainder of the 2-year, or shorter, period. FDA +ordinarily will not require further recordkeeping if the Agency +determines that the drugs are not adulterated or misbranded or that +recordkeeping is not necessary to protect the public health, unless the +records are required under other regulations in this chapter (e.g., the +good manufacturing practice regulation in part 211 of this chapter). + +[79 FR 30719, May 29, 2014] + + + +PART 2_GENERAL ADMINISTRATIVE RULINGS AND DECISIONS--Table of Contents + + + + Subpart A_General Provisions + +Sec. +2.5 Imminent hazard to the public health. +2.10 Examination and investigation samples. +2.19 Methods of analysis. + + Subpart B_Human and Animal Foods + +2.25 Grain seed treated with poisonous substances; color identification + to prevent adulteration of human and animal food. +2.35 Use of secondhand containers for the shipment or storage of food + and animal feed. + +Subparts C-E [Reserved] + + Subpart F_Caustic Poisons + +2.110 Definition of ammonia under Federal Caustic Poison Act. + + Subpart G_Provisions Applicable to Specific Products Subject to the + Federal Food, Drug, and Cosmetic Act + +2.125 Use of ozone-depleting substances in foods, drugs, devices, or + cosmetics. + + Authority: 15 U.S.C. 402, 409; 21 U.S.C. 321, 331, 335, 342, 343, +346a, 348, 351, 352, 355, 360b, 361, 362, 371, 372, 374; 42 U.S.C. 7671 +et seq. + + Source: 42 FR 15559, Mar. 22, 1977, unless otherwise noted. + + + + Subpart A_General Provisions + + + +Sec. 2.5 Imminent hazard to the public health. + + (a) Within the meaning of the Federal Food, Drug, and Cosmetic Act +an imminent hazard to the public health + +[[Page 107]] + +is considered to exist when the evidence is sufficient to show that a +product or practice, posing a significant threat of danger to health, +creates a public health situation (1) that should be corrected +immediately to prevent injury and (2) that should not be permitted to +continue while a hearing or other formal proceeding is being held. The +imminent hazard may be declared at any point in the chain of events +which may ultimately result in harm to the public health. The occurrence +of the final anticipated injury is not essential to establish that an +imminent hazard of such occurrence exists. + (b) In exercising his judgment on whether an imminent hazard exists, +the Commissioner will consider the number of injuries anticipated and +the nature, severity, and duration of the anticipated injury. + + + +Sec. 2.10 Examination and investigation samples. + + (a)(1) When any officer or employee of the Department collects a +sample of a food, drug, or cosmetic for analysis under the act, the +sample shall be designated as an official sample if records or other +evidence is obtained by him or any other officer or employee of the +Department indicating that the shipment or other lot of the article from +which such sample was collected was introduced or delivered for +introduction into interstate commerce, or was in or was received in +interstate commerce, or was manufactured within a Territory. Only +samples so designated by an officer or employee of the Department shall +be considered to be official samples. + (2) For the purpose of determining whether or not a sample is +collected for analysis, the term analysis includes examinations and +tests. + (3) The owner of a food, drug, or cosmetic of which an official +sample is collected is the person who owns the shipment or other lot of +the article from which the sample is collected. + (b) When an officer or employee of the Department collects an +official sample of a food, drug, or cosmetic for analysis under the act, +he shall collect at least twice the quantity estimated by him to be +sufficient for analysis, unless: + (1) The amount of the article available and reasonably accessible +for sampling is less than twice the quantity so estimated, in which case +he shall collect as much as is available and reasonably accessible. + (2) The cost of twice the quantity so estimated exceeds $150. + (3) The sample cannot by diligent use of practicable preservation +techniques available to the Food and Drug Administration be kept in a +state in which it could be readily and meaningfully analyzed in the same +manner and for the same purposes as the Food and Drug Administration's +analysis. + (4) The sample is collected from a shipment or other lot which is +being imported or offered for import into the United States. + (5) The sample is collected from a person named on the label of the +article or his agent, and such person is also the owner of the article. + (6) The sample is collected from the owner of the article, or his +agent, and such article bears no label or, if it bears a label, no +person is named thereon. + +In addition to the quantity of sample set forth in this paragraph, the +officer or employee shall, if practicable, collect such further amount +as he estimates will be sufficient for use as trial exhibits. + (c) After the Food and Drug Administration has completed such +analysis of an official sample of a food, drug, or cosmetic as it +determines, in the course of analysis and interpretation of analytical +results, to be adequate to establish the respects, if any, in which the +article is adulterated or misbranded within the meaning of the act, or +otherwise subject to the prohibitions of the act, and has reserved an +amount of the article it estimates to be adequate for use as exhibits in +the trial of any case that may arise under the act based on the sample, +a part of the sample, if any remains available, shall be provided for +analysis, upon written request, by any person named on the label of the +article, or the owner thereof, or the attorney or agent of such person +or owner, except when: + +[[Page 108]] + + (1) After collection, the sample or remaining part thereof has +become decomposed or otherwise unfit for analysis, or + (2) The request is not made within a reasonable time before the +trial of any case under the act, based on the sample to which such +person or owner is a party. The person, owner, attorney, or agent who +requests the part of sample shall specify the amount desired. A request +from an owner shall be accompanied by a showing of ownership, and a +request from an attorney or agent by a showing of authority from such +person or owner to receive the part of sample. When two or more requests +for parts of the same sample are received the requests shall be complied +with in the order in which they were received so long as any part of the +sample remains available therefor. + (d) When an official sample of food, drug, or cosmetic is the basis +of a notice given under section 305 of the act, or of a case under the +act, and the person to whom the notice was given, or any person who is a +party to the case, has no right under paragraph (c) of this section to a +part of the sample, such person or his attorney or agent may obtain a +part of the sample upon request accompanied by a written waiver of right +under such paragraph (c) from each person named on the label of the +article and owner thereof, who has not exercised his right under such +paragraph (c). The operation of this paragraph shall be subject to the +exceptions, terms, and conditions prescribed in paragraph (c) of this +section. + (e) The Food and Drug Administration is authorized to destroy: + (1) Any official sample when it determines that no analysis of such +sample will be made; + (2) Any official sample or part thereof when it determines that no +notice under section 305 of the act, and no case under the act, is or +will be based on such sample; + (3) Any official sample or part thereof when the sample was the +basis of a notice under section 305 of the act, and when, after +opportunity for presentation of views following such notice, it +determines that no other such notice, and no case under the act, is or +will be based on such sample; + (4) Any official sample or part thereof when the sample was the +basis of a case under the act which has gone to final judgment, and when +it determines that no other such case is or will be based on such +sample; + (5) Any official sample or part thereof if the article is +perishable; + (6) Any official sample or part thereof when, after collection, such +sample or part has become decomposed or otherwise unfit for analysis; + (7) That part of any official sample which is in excess of three +times the quantity it estimates to be sufficient for analysis. + +[42 FR 15559, Mar. 22, 1977, as amended at 63 FR 51299, Sept. 25, 1998] + + + +Sec. 2.19 Methods of analysis. + + Where the method of analysis is not prescribed in a regulation, it +is the policy of the Food and Drug Administration in its enforcement +programs to utilize the methods of analysis of the AOAC INTERNATIONAL +(AOAC) as published in the latest edition (13th Ed., 1980) of their +publication ``Official Methods of Analysis of the Association of +Official Analytical Chemists,'' and the supplements thereto (``Changes +in Methods'' as published in the March issues of the ``Journal of the +Association of Official Analytical Chemists''), which are incorporated +by reference, when available and applicable. Copies are available from +the AOAC INTERNATIONAL, 481 North Frederick Ave., suite 500, +Gaithersburg, MD 20877, or at the National Archives and Records +Administration (NARA). For information on the availability of this +material at NARA, call 202-741-6030, or go to: http://www.archives.gov/ +federal--register/code--of--federal--regulations/ibr--locations.html. In +the absence of an AOAC method, the Commissioner will furnish a copy of +the particular method, or a reference to the published method, that the +Food and Drug Administration will use in its enforcement program. Other +methods may be used for quality control, specifications, contracts, +surveys, and similar nonregulatory functions, but it is expected that +they will be calibrated in terms of the method which the Food and Drug +Administration uses in its enforcement program. Use of an AOAC method +does + +[[Page 109]] + +not relieve the practioner of the responsibility to demonstrate that he +can perform the method properly through the use of positive and negative +controls and recovery and reproducibility studies. + +[42 FR 15559, Mar. 22, 1977, as amended at 47 FR 946, Jan. 8, 1982; 54 +FR 9034, Mar. 3, 1989; 70 FR 40880, July 15, 2005; 70 FR 67651, Nov. 8, +2005] + + + + Subpart B_Human and Animal Foods + + + +Sec. 2.25 Grain seed treated with poisonous substances; color +identification to prevent adulteration of human and animal food. + + (a) In recent years there has developed increasing use of poisonous +treatments on seed for fungicidal and other purposes. Such treated seed, +if consumed, presents a hazard to humans and livestock. It is not +unusual for stocks of such treated food seeds to remain on hand after +the planting season has passed. Despite the cautions required by the +Federal Seed Act (53 Stat. 1275, as amended 72 Stat. 476, 7 U.S.C. 1551 +et seq.) in the labeling of the treated seed, the Food and Drug +Administration has encountered many cases where such surplus stocks of +treated wheat, corn, oats, rye, barley, and sorghum seed had been mixed +with untreated seed and sent to market for food or feed use. This has +resulted in livestock injury and in legal actions under the Federal +Food, Drug, and Cosmetic Act against large quantities of food +adulterated through such admixture of poisonous treated seeds with good +food. Criminal cases were brought against some firms and individuals. +Where the treated seeds are prominently colored, buyers and users or +processors of agricultural food seed for food purposes are able to +detect the admixture of the poisonous seed and thus reject the lots; but +most such buyers, users, and processors do not have the facilities or +scientific equipment to determine the presence of the poisonous chemical +at the time crops are delivered, in cases where the treated seeds have +not been so colored. A suitable color for this use is one that is in +sufficient contrast to the natural color of the food seed as to make +admixture of treated, denatured seeds with good food easily apparent, +and is so applied that it is not readily removed. + (b) On and after December 31, 1964, the Food and Drug Administration +will regard as adulterated any interstate shipment of the food seeds +wheat, corn, oats, rye, barley, and sorghum bearing a poisonous +treatment in excess of a recognized tolerance or treatment for which no +tolerance or exemption from tolerance is recognized in regulations +promulgated pursuant to section 408 of the Federal Food, Drug, and +Cosmetic Act, unless such seeds have been adequately denatured by a +suitable color to prevent their subsequent inadvertent use as food for +man or feed for animals. + (c) Attention is called to the labeling requirements of the Federal +Hazardous Substances Act, where applicable to denatured seeds in +packages suitable for household use. + + + +Sec. 2.35 Use of secondhand containers for the shipment or storage +of food and animal feed. + + (a) Investigations by the Food and Drug Administration, the National +Communicable Disease Center of the U.S. Public Health Service, the +Consumer and Marketing Service of the U.S. Department of Agriculture, +and by various State public health agencies have revealed practices +whereby food and animal feed stored or shipped in secondhand containers +have been rendered dangerous to health. Such contamination has been the +result of the original use of these containers for the storage and +shipment of articles containing or bearing disease organisms or +poisonous or deleterious substances. + (b) The Commissioner concludes that such dangerous or potentially +dangerous practices include, but are not limited to, the following: + (1) Some vegetable growers and packers employ used poultry crates +for shipment of fresh vegetables, including cabbage and celery. +Salmonella organisms are commonly present on dressed poultry and in +excreta and fluid exudates from dressed birds. Thus wooden crates in +which dressed poultry has been iced and packed are potential sources of +Salmonella or other enteropathogenic microorganisms that + +[[Page 110]] + +may contaminate fresh vegetables which are frequently consumed without +heat treatment. + (2) Some potato growers and producers of animal feeds use secondhand +bags for shipment of these articles. Such bags may have originally been +used for shipping or storing pesticide-treated seed or other articles +bearing or containing poisonous substances. Thus these secondhand bags +are potential sources of contamination of the food or animal feed stored +or shipped therein. + (c) In a policy statement issued April 11, 1968, the Food and Drug +Administration declared adulterated within the meaning of section 402(a) +of the Federal Food, Drug, and Cosmetic Act shipments of vegetables or +other edible food in used crates or containers that may render the +contents injurious to health. This policy statement is extended so that +the Food and Drug Administration will regard as adulterated within the +meaning of section 402(a) of the act shipments of vegetables, other +edible food, or animal feed in used crates, bags, or other containers +that may render the contents injurious to health. + +Subparts C-E [Reserved] + + + + Subpart F_Caustic Poisons + + + +Sec. 2.110 Definition of ammonia under Federal Caustic Poison Act. + + For the purpose of determining whether an article containing ammonia +is subject to the Federal Caustic Poison Act, the ammonia content is to +be calculated as NH3. + + + + Subpart G_Provisions Applicable to Specific Products Subject to the + Federal Food, Drug, and Cosmetic Act + + + +Sec. 2.125 Use of ozone-depleting substances in foods, drugs, +devices, or cosmetics. + + (a) As used in this section, ozone-depleting substance (ODS) means +any class I substance as defined in 40 CFR part 82, appendix A to +subpart A, or class II substance as defined in 40 CFR part 82, appendix +B to subpart A. + (b) Except as provided in paragraph (c) of this section, any food, +drug, device, or cosmetic that is, consists in part of, or is contained +in an aerosol product or other pressurized dispenser that releases an +ODS is not an essential use of the ODS under the Clean Air Act. + (c) A food, drug, device, or cosmetic that is, consists in part of, +or is contained in an aerosol product or other pressurized dispenser +that releases an ODS is an essential use of the ODS under the Clean Air +Act if paragraph (e) of this section specifies the use of that product +as essential. For drugs, including biologics and animal drugs, and for +devices, an investigational application or an approved marketing +application must be in effect, as applicable. + (d) [Reserved] + (e) The use of ODSs in the following products is essential: + (1) Metered-dose corticosteroid human drugs for oral inhalation. +Oral pressurized metered-dose inhalers containing the following active +moieties: + (i)-(v) [Reserved] + (2) Metered-dose short-acting adrenergic bronchodilator human drugs +for oral inhalation. Oral pressurized metered-dose inhalers containing +the following active moieties: + (i)-(v) [Reserved] + (3) [Reserved] + (4) Other essential uses. (i)-(ii) [Reserved] + (iii) Anesthetic drugs for topical use on accessible mucous +membranes of humans where a cannula is used for application. + (iv)-(v) [Reserved] + (vi) Metered-dose atropine sulfate aerosol human drugs administered +by oral inhalation. + (vii)-(viii) [Reserved] + (ix) Sterile aerosol talc administered intrapleurally by +thoracoscopy for human use. + (f) Any person may file a petition under part 10 of this chapter to +request that FDA initiate rulemaking to amend paragraph (e) of this +section to add an essential use. FDA may initiate notice-and-comment +rulemaking to add an essential use on its own initiative or in response +to a petition, if granted. + +[[Page 111]] + + (1) If the petition is to add use of a noninvestigational product, +the petitioner must submit compelling evidence that: + (i) Substantial technical barriers exist to formulating the product +without ODSs; + (ii) The product will provide an unavailable important public health +benefit; and + (iii) Use of the product does not release cumulatively significant +amounts of ODSs into the atmosphere or the release is warranted in view +of the unavailable important public health benefit. + (2) If the petition is to add use of an investigational product, the +petitioner must submit compelling evidence that: + (i) Substantial technical barriers exist to formulating the +investigational product without ODSs; + (ii) A high probability exists that the investigational product will +provide an unavailable important public health benefit; and + (iii) Use of the investigational product does not release +cumulatively significant amounts of ODSs into the atmosphere or the +release is warranted in view of the high probability of an unavailable +important public health benefit. + (g) Any person may file a petition under part 10 of this chapter to +request that FDA initiate rulemaking to amend paragraph (e) of this +section to remove an essential use. FDA may initiate notice-and-comment +rulemaking to remove an essential use on its own initiative or in +response to a petition, if granted. If the petition is to remove an +essential use from paragraph (e) of this section, the petitioner must +submit compelling evidence of any one of the following criteria: + (1) The product using an ODS is no longer being marketed; or + (2) After January 1, 2005, FDA determines that the product using an +ODS no longer meets the criteria in paragraph (f) of this section after +consultation with a relevant advisory committee(s) and after an open +public meeting; or + (3) For individual active moieties marketed as ODS products and +represented by one new drug application (NDA): + (i) At least one non-ODS product with the same active moiety is +marketed with the same route of administration, for the same indication, +and with approximately the same level of convenience of use as the ODS +product containing that active moiety; + (ii) Supplies and production capacity for the non-ODS product(s) +exist or will exist at levels sufficient to meet patient need; + (iii) Adequate U.S. postmarketing use data is available for the non- +ODS product(s); and + (iv) Patients who medically required the ODS product are adequately +served by the non-ODS product(s) containing that active moiety and other +available products; or + (4) For individual active moieties marketed as ODS products and +represented by two or more NDAs: + (i) At least two non-ODS products that contain the same active +moiety are being marketed with the same route of delivery, for the same +indication, and with approximately the same level of convenience of use +as the ODS products; and + (ii) The requirements of paragraphs (g)(3)(ii), (g)(3)(iii), and +(g)(3)(iv) of this section are met. + +[67 FR 48384, July 24, 2002, as amended at 71 FR 70873, Dec. 7, 2006; 70 +FR 17192, Apr. 4, 2005; 75 FR 19241, Apr. 14, 2010; 73 FR 69552, Nov. +19, 2008; 75 FR 19241, Apr. 14, 2010] + + + +PART 3_PRODUCT JURISDICTION--Table of Contents + + + + Subpart A_Assignment of Agency Component for Review of Premarket + Applications + +Sec. +3.1 Purpose. +3.2 Definitions. +3.3 Scope. +3.4 Designated agency component. +3.5 Procedures for identifying the designated agency component. +3.6 Product jurisdiction officer. +3.7 Request for designation. +3.8 Letter of designation. +3.9 Effect of letter of designation. +3.10 Stay of review time. + +Subpart B [Reserved] + + Authority: 21 U.S.C. 321, 351, 353, 355, 360, 360c-360f, 360h-360j, +360gg-360ss, 360bbb-2, 371(a), 379e, 381, 394; 42 U.S.C. 216, 262, 264. + +[[Page 112]] + + + Source: 56 FR 58756, Nov. 21, 1991, unless otherwise noted. + + + + Subpart A_Assignment of Agency Component for Review of Premarket + Applications + + + +Sec. 3.1 Purpose. + + This regulation relates to agency management and organization and +has two purposes. The first is to implement section 503(g) of the act, +as added by section 16 of the Safe Medical Devices Act of 1990 (Public +Law 101-629) and amended by section 204 of the Medical Device User Fee +and Modernization Act of 2002 (Public Law 107-250), by specifying how +FDA will determine the organizational component within FDA designated to +have primary jurisdiction for the premarket review and regulation of +products that are comprised of any combination of a drug and a device; a +device and a biological; a biological and a drug; or a drug, a device +and a biological. This determination will eliminate, in most cases, the +need to receive approvals from more than one FDA component for such +combination products. The second purpose of this regulation is to +enhance the efficiency of agency management and operations by providing +procedures for determining which agency component will have primary +jurisdiction for any drug, device, or biological product where such +jurisdiction is unclear or in dispute. Nothing in this section prevents +FDA from using any agency resources it deems necessary to ensure +adequate review of the safety and effectiveness of any product, or the +substantial equivalence of any device to a predicate device. + +[56 FR 58756, Nov. 21, 1991, as amended at 68 FR 37077, June 23, 2003] + + + +Sec. 3.2 Definitions. + + For the purpose of this part: + (a) Act means the Federal Food, Drug, and Cosmetic Act. + (b) Agency component means the Center for Biologics Evaluation and +Research, the Center for Devices and Radiological Health, the Center for +Drug Evaluation and Research, or alternative organizational component of +the agency. + (c) Applicant means any person who submits or plans to submit an +application to the Food and Drug Administration for premarket review. +For purposes of this section, the terms ``sponsor'' and ``applicant'' +have the same meaning. + (d) Biological product has the meaning given the term in section +351(a) of the Public Health Service Act (42 U.S.C. 262(a)). + (e) Combination product includes: + (1) A product comprised of two or more regulated components, i.e., +drug/device, biologic/device, drug/biologic, or drug/device/biologic, +that are physically, chemically, or otherwise combined or mixed and +produced as a single entity; + (2) Two or more separate products packaged together in a single +package or as a unit and comprised of drug and device products, device +and biological products, or biological and drug products; + (3) A drug, device, or biological product packaged separately that +according to its investigational plan or proposed labeling is intended +for use only with an approved individually specified drug, device, or +biological product where both are required to achieve the intended use, +indication, or effect and where upon approval of the proposed product +the labeling of the approved product would need to be changed, e.g., to +reflect a change in intended use, dosage form, strength, route of +administration, or significant change in dose; or + (4) Any investigational drug, device, or biological product packaged +separately that according to its proposed labeling is for use only with +another individually specified investigational drug, device, or +biological product where both are required to achieve the intended use, +indication, or effect. + (f) Device has the meaning given the term in section 201(h) of the +act. + (g) Drug has the meaning given the term in section 201(g)(1) of the +act. + (h) FDA means Food and Drug Administration. + (i) Letter of designation means the written notice issued by the +product jurisdiction officer specifying the agency component with +primary jurisdiction for a combination product. + +[[Page 113]] + + (j) Letter of request means an applicant's written submission to the +product jurisdiction officer seeking the designation of the agency +component with primary jurisdiction. + (k) Mode of action is the means by which a product achieves an +intended therapeutic effect or action. For purposes of this definition, +``therapeutic'' action or effect includes any effect or action of the +combination product intended to diagnose, cure, mitigate, treat, or +prevent disease, or affect the structure or any function of the body. +When making assignments of combination products under this part, the +agency will consider three types of mode of action: The actions provided +by a biological product, a device, and a drug. Because combination +products are comprised of more than one type of regulated article +(biological product, device, or drug), and each constituent part +contributes a biological product, device, or drug mode of action, +combination products will typically have more than one identifiable mode +of action. + (1) A constituent part has a biological product mode of action if it +acts by means of a virus, therapeutic serum, toxin, antitoxin, vaccine, +blood, blood component or derivative, allergenic product, or analogous +product applicable to the prevention, treatment, or cure of a disease or +condition of human beings, as described in section 351(i) of the Public +Health Service Act. + (2) A constituent part has a device mode of action if it meets the +definition of device contained in section 201(h)(1) to (h)(3) of the +act, it does not have a biological product mode of action, and it does +not achieve its primary intended purposes through chemical action within +or on the body of man or other animals and is not dependent upon being +metabolized for the achievement of its primary intended purposes. + (3) A constituent part has a drug mode of action if it meets the +definition of drug contained in section 201(g)(1) of the act and it does +not have a biological product or device mode of action. + (l) Premarket review includes the examination of data and +information in an application for premarket review described in sections +505, 510(k), 513(f), 515, or 520(g) or 520(l) of the act or section 351 +of the Public Health Service Act of data and information contained in +any investigational new drug (IND) application, investigational device +exemption (IDE), new drug application (NDA), biologics license +application, device premarket notification, device reclassification +petition, and premarket approval application (PMA). + (m) Primary mode of action is the single mode of action of a +combination product that provides the most important therapeutic action +of the combination product. The most important therapeutic action is the +mode of action expected to make the greatest contribution to the overall +intended therapeutic effects of the combination product. + (n) Product means any article that contains any drug as defined in +section 201(g)(1) of the act; any device as defined in section 201(h) of +the act; or any biologic as defined in section 351(a) of the Public +Health Service Act (42 U.S.C. 262(a)). + (o) Product jurisdiction officer is the person or persons +responsible for designating the component of FDA with primary +jurisdiction for the premarket review and regulation of a combination +product or any product requiring a jurisdictional designation under this +part. + (p) Sponsor means ``applicant'' (see Sec. 3.2(c)). + +[56 FR 58756, Nov. 21, 1991, as amended at 64 FR 398, Jan. 5, 1999; 64 +FR 56447, Oct. 20, 1999; 68 FR 37077, June 23, 2003; 70 FR 49861, Aug. +25, 2005] + + + +Sec. 3.3 Scope. + + This section applies to: + (a) Any combination product, or + (b) Any product where the agency component with primary jurisdiction +is unclear or in dispute. + + + +Sec. 3.4 Designated agency component. + + (a) To designate the agency component with primary jurisdiction for +the premarket review and regulation of a combination product, the agency +shall determine the primary mode of action of the product. Where the +primary mode of action is that of: + +[[Page 114]] + + (1) A drug (other than a biological product), the agency component +charged with premarket review of drugs shall have primary jurisdiction; + (2) A device, the agency component charged with premarket review of +devices shall have primary jurisdiction; + (3) A biological product, the agency component charged with +premarket review of biological products shall have primary jurisdiction. + (b) In some situations, it is not possible to determine, with +reasonable certainty, which one mode of action will provide a greater +contribution than any other mode of action to the overall therapeutic +effects of the combination product. In such a case, the agency will +assign the combination product to the agency component that regulates +other combination products that present similar questions of safety and +effectiveness with regard to the combination product as a whole. When +there are no other combination products that present similar questions +of safety and effectiveness with regard to the combination product as a +whole, the agency will assign the combination product to the agency +component with the most expertise related to the most significant safety +and effectiveness questions presented by the combination product. + (c) The designation of one agency component as having primary +jurisdiction for the premarket review and regulation of a combination +product does not preclude consultations by that component with other +agency components or, in appropriate cases, the requirement by FDA of +separate applications. + +[56 FR 58756, Nov. 21, 1991, as amended at 70 FR 49861, Aug. 25, 2005] + + + +Sec. 3.5 Procedures for identifying the designated agency component. + + (a)(1) The Center for Biologics Evaluation and Research, the Center +for Devices and Radiological Health, and the Center for Drug Evaluation +and Research have entered into agreements clarifying product +jurisdictional issues. These guidance documents are on display in the +Division of Dockets Management (HFA-305), Food and Drug Administration, +5630 Fishers Lane, rm. 1061, Rockville, MD 20852, and are entitled +``Intercenter Agreement Between the Center for Drug Evaluation and +Research and the Center for Devices and Radiological Health;'' +``Intercenter Agreement Between the Center for Devices and Radiological +Health and the Center for Biologics Evaluation and Research;'' +``Intercenter Agreement Between the Center for Drug Evaluation and +Research and the Center for Biologics Evaluation and Research.'' The +availability of any amendments to these intercenter agreements will be +announced by Federal Register notice. + (2) These guidance documents describe the allocation of +responsibility for categories of products or specific products. These +intercenter agreements, and any amendments thereto, are nonbinding +determinations designed to provide useful guidance to the public. + (3) The sponsor of a premarket application or required +investigational filing for a combination or other product covered by +these guidance documents may contact the designated agency component +identified in the intercenter agreement before submitting an application +of premarket review or to confirm coverage and to discuss the +application process. + (b) For a combination product not covered by a guidance document or +for a product where the agency component with primary jurisdiction is +unclear or in dispute, the sponsor of an application for premarket +review should follow the procedures set forth in Sec. 3.7 to request a +designation of the agency component with primary jurisdiction before +submitting the application. + +[56 FR 58756, Nov. 21, 1991, as amended at 68 FR 24879, May 9, 2003] + + + +Sec. 3.6 Product jurisdiction officer. + + The Office of Combination Products (Food and Drug Administration, +10903 New Hampshire Ave., Bldg. 32, rm. 5129, Silver Spring, MD 20993- +0002, 301-796-8930,, e-mail: combination@fda.gov, is the designated +product jurisdiction officer. + +[68 FR 37077, June 23, 2003, as amended at 71 FR 16033, Mar. 30, 2006; +75 FR 13678, Mar. 23, 2010] + +[[Page 115]] + + + +Sec. 3.7 Request for designation. + + (a) Who should file: the sponsor of: + (1) Any combination product the sponsor believes is not covered by +an intercenter agreement; or + (2) Any product where the agency component with primary jurisdiction +is unclear or in dispute. + (b) When to file: a sponsor should file a request for designation +before filing any application for premarket review, whether an +application for marketing approval or a required investigational notice. +Sponsors are encouraged to file a request for designation as soon as +there is sufficient information for the agency to make a determination. + (c) What to file: an original and two copies of the request for +designation must be filed. The request for designation must not exceed +15 pages, including attachments, and must set forth: + (1) The identity of the sponsor, including company name and address, +establishment registration number, company contact person and telephone +number. + (2) A description of the product, including: + (i) Classification, name of the product and all component products, +if applicable; + (ii) Common, generic, or usual name of the product and all component +products; + (iii) Proprietary name of the product; + (iv) Identification of any component of the product that already has +received premarket approval, is marketed as not being subject to +premarket approval, or has received an investigational exemption, the +identity of the sponsors, and the status of any discussions or +agreements between the sponsors regarding the use of this product as a +component of a new combination product. + (v) Chemical, physical, or biological composition; + (vi) Status and brief reports of the results of developmental work, +including animal testing; + (vii) Description of the manufacturing processes, including the +sources of all components; + (viii) Proposed use or indications; + (ix) Description of all known modes of action, the sponsor's +identification of the single mode of action that provides the most +important therapeutic action of the product, and the basis for that +determination. + (x) Schedule and duration of use; + (xi) Dose and route of administration of drug or biologic; + (xii) Description of related products, including the regulatory +status of those related products; and + (xiii) Any other relevant information. + (3) The sponsor's recommendation as to which agency component should +have primary jurisdiction based on the mode of action that provides the +most important therapeutic action of the combination product. If the +sponsor cannot determine with reasonable certainty which mode of action +provides the most important therapeutic action of the combination +product, the sponsor's recommendation must be based on the assignment +algorithm set forth in Sec. 3.4(b) and an assessment of the assignment +of other combination products the sponsor wishes FDA to consider during +the assignment of its combination product. + (d) Where to file: all communications pursuant to this subpart shall +be addressed to the attention of the product jurisdiction officer. Such +a request, in its mailing cover should be plainly marked ``Request for +Designation.'' Concurrent submissions of electronic copies of Requests +for Designation may be addressed to combination@fda.gov. + +[56 FR 58756, Nov. 21, 1991, as amended at 68 FR 37077, June 23, 2003; +70 FR 49861, Aug. 25, 2005] + + + +Sec. 3.8 Letter of designation. + + (a) Each request for designation will be reviewed for completeness +within 5 working days of receipt. Any request for designation determined +to be incomplete will be returned to the applicant with a request for +the missing information. The sponsor of an accepted request for +designation will be notified of the filing date. + (b) Within 60 days of the filing date of a request for designation, +the product jurisdiction officer will issue a letter of designation to +the sponsor, with copies to the centers, specifying the agency component +designated to have primary jurisdiction for the premarket review and +regulation of the product at issue, + +[[Page 116]] + +and any consulting agency components. The product jurisdiction officer +may request a meeting with the sponsor during the review period to +discuss the request for designation. If the product jurisdiction officer +has not issued a letter of designation within 60 days of the filing date +of a request for designation, the sponsor's recommendation of the center +with primary jurisdiction, in accordance with Sec. 3.7(c)(3), shall +become the designated agency component. + (c) Request for reconsideration by sponsor: If the sponsor disagrees +with the designation, it may request the product jurisdiction officer to +reconsider the decision by filing, within 15 days of receipt of the +letter of designation, a written request for reconsideration not +exceeding 5 pages. No new information may be included in a request for +reconsideration. The product jurisdiction officer shall review and act +on the request in writing within 15 days of its receipt. + + + +Sec. 3.9 Effect of letter of designation. + + (a) The letter of designation constitutes an agency determination +that is subject to change only as provided in paragraph (b) of this +section. + (b) The product jurisdiction officer may change the designated +agency component with the written consent of the sponsor, or without its +consent to protect the public health or for other compelling reasons. A +sponsor shall be given 30 days written notice of any proposed +nonconsensual change in designated agency component. The sponsor may +request an additional 30 days to submit written objections, not to +exceed 15 pages, to the proposed change, and shall be granted, upon +request, a timely meeting with the product jurisdiction officer and +appropriate center officials. Within 30 days of receipt of the sponsor's +written objections, the product jurisdiction officer shall issue to the +sponsor, with copies to appropriate center officials, a written +determination setting forth a statement of reasons for the proposed +change in designated agency component. A nonconsensual change in the +designated agency component requires the concurrence of the Principal +Associate Commissioner. + +[56 FR 58756, Nov. 21, 1991, as amended at 68 FR 37077, June 23, 2003] + + + +Sec. 3.10 Stay of review time. + + Any filing with or review by the product jurisdiction officer stays +the review clock or other established time periods for agency action for +an application for marketing approval or required investigational notice +during the pendency of the review by the product jurisdiction officer. + +Subpart B [Reserved] + + + +PART 4_REGULATION OF COMBINATION PRODUCTS--Table of Contents + + + + Subpart A_Current Good Manufacturing Practice Requirements for + Combination Products + +Sec. +4.1 What is the scope of this subpart? +4.2 How does FDA define key terms and phrases in this subpart? +4.3 What current good manufacturing practice requirements apply to my + combination product? +4.4 How can I comply with these current good manufacturing practice + requirements for a co-packaged or single-entity combination + product? + +Subpart B [Reserved] + + Authority: 21 U.S.C. 321, 331, 351, 352, 353, 355, 360, 360b-360f, +360h-360j, 360l, 360hh-360ss, 360aaa-360bbb, 371(a), 372-374, 379e, 381, +383, 394; 42 U.S.C. 216, 262, 263a, 264, 271. + + Source: 78 FR 4321, Jan. 22, 2013, unless otherwise noted. + + + + Subpart A_Current Good Manufacturing Practice Requirements for + Combination Products + + + +Sec. 4.1 What is the scope of this subpart? + + This subpart applies to combination products. It establishes which +current good manufacturing practice requirements apply to these +products. This subpart clarifies the application of current good +manufacturing practice regulations to combination products, and provides +a regulatory framework for + +[[Page 117]] + +designing and implementing the current good manufacturing practice +operating system at facilities that manufacture co-packaged or single- +entity combination products. + + + +Sec. 4.2 How does FDA define key terms and phrases in this subpart? + + The terms listed in this section have the following meanings for +purposes of this subpart: + Biological product has the meaning set forth in Sec. 3.2(d) of this +chapter. A biological product also meets the definitions of either a +drug or device as these terms are defined under this section. + Combination product has the meaning set forth in Sec. 3.2(e) of +this chapter. + Constituent part is a drug, device, or biological product that is +part of a combination product. + Co-packaged combination product has the meaning set forth in Sec. +3.2(e)(2) of this chapter. + Current good manufacturing practice operating system means the +operating system within an establishment that is designed and +implemented to address and meet the current good manufacturing practice +requirements for a combination product. + Current good manufacturing practice requirements means the +requirements set forth under Sec. 4.3(a) through (d). + Device has the meaning set forth in Sec. 3.2(f) of this chapter. A +device that is a constituent part of a combination product is considered +a finished device within the meaning of the QS regulation. + Drug has the meaning set forth in Sec. 3.2(g) of this chapter. A +drug that is a constituent part of a combination product is considered a +drug product within the meaning of the drug CGMPs. + Drug CGMPs refers to the current good manufacturing practice +regulations set forth in parts 210 and 211 of this chapter. + HCT/Ps refers to human cell, tissue, and cellular and tissue-based +products, as defined in Sec. 1271.3(d) of this chapter. An HCT/P that +is not solely regulated under section 361 of the Public Health Service +Act may be a constituent part of a combination product. Such an HCT/P is +subject to part 1271 of this chapter and is also regulated as a drug, +device, and/or biological product. + Manufacture includes, but is not limited to, designing, fabricating, +assembling, filling, processing, testing, labeling, packaging, +repackaging, holding, and storage. + QS regulation refers to the quality system regulation in part 820 of +this chapter. + Single-entity combination product has the meaning set forth in Sec. +3.2(e)(1) of this chapter. + Type of constituent part refers to the category of the constituent +part, which can be either a biological product, a device, or a drug, as +these terms are defined under this section. + + + +Sec. 4.3 What current good manufacturing practice requirements apply +to my combination product? + + If you manufacture a combination product, the requirements listed in +this section apply as follows: + (a) The current good manufacturing practice requirements in parts +210 and 211 of this chapter apply to a combination product that includes +a drug constituent part; + (b) The current good manufacturing practice requirements in part 820 +of this chapter apply to a combination product that includes a device +constituent part; + (c) The current good manufacturing practice requirements among the +requirements (including standards) for biological products in parts 600 +through 680 of this chapter apply to a combination product that includes +a biological product constituent part to which those requirements would +apply if that constituent part were not part of a combination product; +and + (d) The current good tissue practice requirements including donor +eligibility requirements for HCT/Ps in part 1271 of this chapter apply +to a combination product that includes an HCT/P. + + + +Sec. 4.4 How can I comply with these current good manufacturing +practice requirements for a co-packaged or single-entity combination +product? + + (a) Under this subpart, for single entity or co-packaged combination +products, compliance with all applicable current good manufacturing +practice + +[[Page 118]] + +requirements for the combination product shall be achieved through the +design and implementation of a current good manufacturing practice +operating system that is demonstrated to comply with: + (1) The specifics of each set of current good manufacturing practice +regulations listed under Sec. 4.3 as they apply to each constituent +part included in the combination product; or + (2) Paragraph (b) of this section. + (b) If you elect to establish a current good manufacturing practice +operating system in accordance with paragraph (b) of this section, the +following requirements apply: + (1) If the combination product includes a device constituent part +and a drug constituent part, and the current good manufacturing practice +operating system has been shown to comply with the drug CGMPs, the +following provisions of the QS regulation must also be shown to have +been satisfied; upon demonstration that these requirements have been +satisfied, no additional showing of compliance with respect to the QS +regulation need be made: + (i) Section 820.20 of this chapter. Management responsibility. + (ii) Section 820.30 of this chapter. Design controls. + (iii) Section 820.50 of this chapter. Purchasing controls. + (iv) Section 820.100 of this chapter. Corrective and preventive +action. + (v) Section 820.170 of this chapter. Installation. + (vi) Section 820.200 of this chapter. Servicing. + (2) If the combination product includes a device constituent part +and a drug constituent part, and the current good manufacturing practice +operating system has been shown to comply with the QS regulation, the +following provisions of the drug CGMPs must also be shown to have been +satisfied; upon demonstration that these requirements have been +satisfied, no additional showing of compliance with respect to the drug +CGMPs need be made: + (i) Section 211.84 of this chapter. Testing and approval or +rejection of components, drug product containers, and closures. + (ii) Section 211.103 of this chapter. Calculation of yield. + (iii) Section 211.132 of this chapter. Tamper-evident packaging +requirements for over-the-counter (OTC) human drug products. + (iv) Section 211.137 of this chapter. Expiration dating. + (v) Section 211.165 of this chapter. Testing and release for +distribution. + (vi) Section 211.166 of this chapter. Stability testing. + (vii) Section 211.167 of this chapter. Special testing requirements. + (viii) Section 211.170 of this chapter. Reserve samples. + (3) In addition to being shown to comply with the other applicable +manufacturing requirements listed under Sec. 4.3, if the combination +product includes a biological product constituent part, the current good +manufacturing practice operating system must also be shown to implement +and comply with all manufacturing requirements identified under Sec. +4.3(c) that would apply to that biological product if that constituent +part were not part of a combination product. + (4) In addition to being shown to comply with the other applicable +current good manufacturing practice requirements listed under Sec. 4.3, +if the combination product includes an HCT/P, the current good +manufacturing practice operating system must also be shown to implement +and comply with all current good tissue practice requirements identified +under Sec. 4.3(d) that would apply to that HCT/P if it were not part of +a combination product. + (c) During any period in which the manufacture of a constituent part +to be included in a co-packaged or single entity combination product +occurs at a separate facility from the other constituent part(s) to be +included in that single-entity or co-packaged combination product, the +current good manufacturing practice operating system for that +constituent part at that facility must be demonstrated to comply with +all current good manufacturing practice requirements applicable to that +type of constituent part. + (d) When two or more types of constituent parts to be included in a +single-entity or co-packaged combination + +[[Page 119]] + +product have arrived at the same facility, or the manufacture of these +constituent parts is proceeding at the same facility, application of a +current good manufacturing process operating system that complies with +paragraph (b) of this section may begin. + (e) The requirements set forth in this subpart and in parts 210, +211, 820, 600 through 680, and 1271 of this chapter listed in Sec. 4.3, +supplement, and do not supersede, each other unless the regulations +explicitly provide otherwise. In the event of a conflict between +regulations applicable under this subpart to combination products, +including their constituent parts, the regulations most specifically +applicable to the constituent part in question shall supersede the more +general. + +Subpart B [Reserved] + + + +PART 5_ORGANIZATION--Table of Contents + + + +Subparts A-L [Reserved] + + Subpart M_Organization + +Sec. +5.1100 Headquarters. +5.1105 Chief Counsel, Food and Drug Administration. +5.1110 FDA Public Information Offices. + + Authority: 5 U.S.C. 552; 21 U.S.C. 301-397. + + Source: 77 FR 15962, Mar. 19, 2012, unless otherwise noted. + +Subparts A-L [Reserved] + + + + Subpart M_Organization + + + +Sec. 5.1100 Headquarters. + + The Food and Drug Administration consists of the following: + +Office of the Commissioner. +Office of Executive Secretariat. +Office of the Chief Counsel. +Office of the Counselor to the Commissioner. + Office of Crisis Management. + Office of Emergency Operations. +Office of Policy and Planning. + Office of Policy. + Policy Development and Coordination Staff. + Regulations Policy and Management Staff. + Regulations Editorial Section. + Office of Planning. + Planning Staff. + Program Evaluation and Process Improvement Staff. + Economics Staff. + Risk Communications Staff. +Office of Legislation. +Office of External Affairs. + Web Communications Staff. + Office of External Relations. + Communications Staff. + Office of Public Affairs. + Office of Special Health Issues. +Office of Minority Health. +Office of Women's Health. +Office of the Chief Scientist. +Office of Counter-Terrorism and Emerging Threats. +Office of Scientific Integrity. +Office of Regulatory Science and Innovation. + Division of Science Innovation and Critical Path. + Division of Scientific Computing and Medical Information. +Office of Scientific Professional Development. +National Center for Toxicological Research. + Office of the Center Director. + Office of Management. + Office of Scientific Coordination. + Office of Research. + Division of Biochemical Toxicology. + Division of Genetic and Molecular Toxicology. + Division of Personalized Nutrition and Medicine. + Biometry Branch. + Pharmacogenomics Branch. + Division of Microbiology. + Division of Neurotoxicology. + Division of Systems Biology. +Office of Operations. +Office of Equal Employment Opportunity. + Conflict Prevention and Resolution Staff. + Compliance Staff. + Diversity Staff. +Office of Finance, Budget, and Acquisitions. + Office of Budget. + Office of Acquisitions and Grants Services. + Division of Acquisition Operations. + Division of Acquisition Support and Grants. + Division of Acquisition Programs. + Division of Information Technology. + Office of Financial Operations. + Office of Financial Management. + User Fees Staff. + Division of Accounting. + Division of Budget Execution and Control. + Office of Financial Services. + Payroll Staff. + Division of Payment Services. + Division of Travel Services. +Office of Information Management. + Division of Business Partnership and Support. + Division of Chief Information Officer Support. + Division of Systems Management. + Division of Infrastructure Operations. + +[[Page 120]] + + Division of Technology. +Office of Management. + Ethics and Integrity Staff. + Office of Management Programs. + Office of Security Operations. + Office of Facilities, Engineering and Mission Support Services. + Jefferson Lab Complex Staff. + Business Operations and Initiatives Staff. + Division of Operations Management and Community Relations. + Auxiliary Program Management Branch. + Logistics and Transportation Management Branch. + Facilities Maintenance and Operations Branch. + Division of Planning, Engineering, and Space Management. + Planning and Space Management Branch. + Employee Safety and Environmental Management Branch. + Engineering Management Branch. + Office of Library and Employee Services. + Employee Resource and Information Center. + FDA Biosciences Library. + Public Services Branch. + Technical Services Branch. + FDA History Office. + Division of Freedom of Information. + Division of Dockets Management. +Office of Foods. +Center for Food Safety and Applied Nutrition. +Office of the Center Director. + Executive Operations Staff. + International Staff. +Office of Management. + Safety Staff. + Division of Planning and Budget and Planning. + Division of Program Services. +Office of Food Defense, Communication and Emergency Response. + Division of Education and Communication. + Division of Public Health and Biostatistics. +Office of Food Safety. + Retail Food and Cooperative Program Support Staff. + Division of Seafood Science and Technology. + Chemical Hazard Branch. + Microbiological Hazard Branch. + Division of Food Processing Science and Technology. + Process Engineering Branch. + Food Technology Branch. + Division of Plant and Dairy Food Safety. + Plant Products Branch. + Dairy and Egg Branch. + Division of Seafood Safety. + Shellfish and Aquaculture Policy Branch. + Seafood Processing and Technology Policy Branch. +Office of Cosmetics and Colors. + Cosmetic Staff. + Division of Color Certification and Technology. +Office of Regulatory Science. + Division of Analytical Chemistry. + Methods Branch. + Spectroscopy and Mass Spectrometry Branch. + Division of Microbiology. + Microbial Methods and Development Branch. + Molecular Methods and Subtyping Branch. + Division of Bioanalytical Chemistry. + Bioanalytical Methods Branch. + Chemical Contaminants Branch. + Office of Food Additive Safety. + Division of Food Contact Notifications. + Division of Biotechnology and GRAS Notice Review. + Division of Petition Review. +Office of Compliance. + Division of Enforcement. + Division of Field Programs and Guidance. +Office of Applied Research and Safety Assessment. + Division of Molecular Biology. + Division of Virulence Assessment. + Division of Toxicology. +Office of Regulations, Policy, and Social Sciences. + Regulations and Special Government Employees Management Staff. + Division of Social Sciences. +Office of Nutrition, Labeling, and Dietary Supplements. + Nutrition Programs Staff. + Division of Dietary Supplement Programs. +Center for Veterinary Medicine. +Office of the Center Director. +Office of Management. + Management Logistics Staff. + Human Capital Management Staff. + Program and Resource Management Staff. + Talent Development Staff. + Budget Planning and Evaluation Staff. +Office of New Animal Drug Evaluation. + Division of Therapeutic Drugs for Non-Food Animals. + Division of Biometrics and Production Drugs. + Division of Therapeutic Drugs for Food Animals. + Division of Human Food Safety. + Division of Manufacturing Technologies. + Division of Scientific Support. + Division of Generic Animal Drugs. +Office of Surveillance and Compliance. + Division of Surveillance. + Division of Animal Feeds. + Division of Compliance. + Division of Veterinary Product Safety. +Office of Research. + Division of Residue Chemistry. + Division of Animal Research. + Division of Animal and Food Microbiology. +Office of Minor Use and Minor Species Animal Drug Development. +Office of Medical Products and Tobacco. + +[[Page 121]] + +Office of Special Medical Programs. + Advisory Committee Oversight and Management Staff. + Good Clinical Practice Staff. + Office of Combination Products. + Office of Orphan Products Development. + Office of Pediatric Therapeutics. +Center for Biologics Evaluation and Research. +Office of the Center Director. + Regulations Policy Staff. + Quality Assurance Staff. +Office of Management. + Regulatory Information Management Staff. + Division of Planning, Evaluation, and Budget. + Division of Veterinary Services. + Division of Program Services. + Division of Scientific Advisors and Consultants. + Building Operations Staff. +Office of Compliance and Biologics Quality. + Division of Case Management. + Division of Inspections and Surveillance. + Division of Manufacturing and Product Quality. +Office of Biostatistics and Epidemiology. + Division of Biostatistics. + Division of Epidemiology. +Office of Information Management. + Division of Information Operations. + Division of Information Development. +Office of Blood Research and Review. + Policy and Publications Staff. + Division of Emerging and Transfusion Transmitted Diseases. + Division of Hematology. + Division of Blood Applications. +Office of Vaccines Research and Review. + Program Operation Staff. + Division of Product Quality. + Division of Bacterial, Parasitic, and Allergenic Products. + Division of Viral Products. + Division of Vaccines and Related Product Applications. +Office of Cellular, Tissue, and Gene Therapies. + Regulatory Management Staff. + Division of Cellular and Gene Therapies. + Division of Clinical Evaluation and Pharmacology/Toxicology. + Division of Human Tissues. +Office of Communication, Outreach and Development. + Division of Disclosure and Oversight Management. + Division of Manufacturers Assistance and Training. + Division of Communication and Consumer Affairs. +Center for Devices and Radiological Health. +Office of the Center Director. + Regulations Staff. +Office of Management Operations. + Division of Ethics and Management Operations. + Human Resource and Administrative Management Branch. + Integrity, Conference and Committee Management Branch. + Division of Planning, Analysis and Finance. + Planning Branch. + Financial Management Branch. +Office of Compliance. + Promotion and Advertising Policy Staff. + Program Management Staff. + Quality Management Program Staff. + Division of Bioresearch Monitoring. + Program Enforcement Branch A. + Program Enforcement Branch B. + Special Investigations Branch. + Division of Risk Management Operations. + Field Programs Branch. + Recall Branch. + Regulatory Policy Branch. + Division of Enforcement. + General Surgery Devices Branch. + Dental Ear, Nose, Throat and Ophthalmic Devices Branch. + Gastroenterology and Urology Branch. + General Hospital Devices Branch. + Division of Enforcement B. + Radiology, Anesthesiology, and Neurology Devices Branch. + Cardiac Rhythm and Electrophysiology Devices Branch. + Vascular and Circulatory Support Devices Branch. + Orthopedic and Physical Medicine Devices Branch. +Office of Device Evaluation. + Program Management Staff. + Program Operations Staff. + Pre-Market Approval Staff. + Investigational Device Exemption Staff. + Pre-Market Notification Section. + Division of Cardiovascular Devices. + Circulatory Support and Prosthetic Branch. + Interventional Cardiology Devices Branch. + Pacing, Defibrillators, and Leads Branch. + Cardiac Electrophysiology and Monitoring Devices Branch. + Peripheral Scads Vascular Devices Branch. + Division of Reproductive, Gastro-Renal, and Urological Devices. + Gynecology Devices Branch. + Urology and Lithotripsy Devices Branch. + Gastroenterology and Renal Devices Branch. + Division of Surgical, Orthopedic, and Restorative Devices. + General Surgery Devices Branch. + Restorative Devices Branch. + Plastic and Reconstructive Surgery Devices Branch. + Orthopedic Joint Devices Branch. + Orthopedic Spine Devices Branch. + Division of Ophthalmic, Neurological, and Ear, Nose, and Throat +Devices. + Intraocular, Corneal, and Neuromaterial Devices Branch. + +[[Page 122]] + + Ophthalmic Laser, Neuromuscular Stimulators, and Diagnostic Devices +Branch. + Neurodiagnostic and Neurotherapeutic Devices Branch. + Ear, Nose, and Throat Devices Branch. + Division of Anesthesiology, General Hospital, Infection Control, and +Dental Devices. + General Hospital Devices Branch. + Infection Control Devices Branch. + Dental Devices Branch. + Anesthesiology and Respiratory Devices Branch. +Office of Science and Engineering Laboratories. + Management Support Staff. + Division of Biology. + Division of Chemistry and Materials Science. + Division of Solid and Fluid Mechanics. + Division of Physics. + Division of Imaging and Applied Mathematics. + Division of Solid and Fluid Mechanics. + Division of Electrical and Software Engineering. +Office of Communication, Education and Radiation Programs. + Program Operations Staff. + Staff College. + Division of Health Communication. + Web Communication Branch. + Risk Communication Branch. + Division of Small Manufacturers International and Consumer +Assistance. + Technical Assistance Branch. + International Relations and External Affairs Staff. + Regulatory Assistance Branch. + Division of Mammography Quality and Radiation Programs. + Inspection and Compliance Branch. + Information Management Branch. + Diagnostic Devices Branch. + Electronic Devices Branch. + Division of Communication Media. + Television Design and Development Branch. + Division of Freedom of Information. + Freedom of Information Branch A. + Freedom of Information Branch B. +Office of Surveillance and Biometrics. + Program Management Staff. + Division of Biostatistics. + Cardiovascular and Ophthalmic Devices Branch. + Diagnostic Devices Branch. + General and Surgical Devices Branch. + Division of Postmarket Surveillance. + Product Evaluation Branch 1. + Product Evaluation Branch 2. + Information Analysis Branch. + MDR Policy Branch. + Division of Patient Safety Partnership. + Patient Safety Branch 1. + Patient Safety Branch 2. + Division of Epidemiology. + Epidemiology Evaluation and Research Branch 1. + Epidemiology Evaluation and Research Branch 2. +Office of In Vitro Diagnostic Device Evaluation and Safety. + Division of Chemistry and Toxicology Devices. + Division of Immunology and Hematology Devices. + Division of Microbiology Devices. + Division of Radiological Devices. +Center for Drug Evaluation and Research. +Office of the Center Director. + Controlled Substances Staff. + Safe Use Staff. +Office of Regulatory Policy. + Division of Regulatory Policy I. + Division of Regulatory Policy II. + Division of Regulatory Policy III. + Division of Information Disclosure Policy. +Office of Management. + Division of Management and Budget. + Planning and Resource Management Branch. + Management Analysis Branch. + Division of Management Services. + Program Management Services Branch. + Interface Management Branch. +Office of Communications. + Division of Online Communications. + Division of Health Communications. + Division of Drug Information. +Office of Surveillance and Epidemiology. + Regulatory Science Staff. + Regulatory Affairs Staff. + Executive Operations and Strategic Planning Staff. + Technical Information Staff. + Program Management and Analysis Staff. + Project Management Staff. + Office of Medication Error Prevention. + Division of Medication Error Prevention and Analysis. + Division of Risk Management. + Office of Pharmacovigilance and Epidemiology. + Division of Epidemiology I. + Division of Epidemiology II. + Division of Pharmacovigilance I. + Division of Pharmacovigilance II. +Office of Compliance. + Office of Drug Security, Integrity, and Recalls. + Division of Import Operations and Recalls. + Recall Coordination Branch. + Import Operations Branch. + Division of Supply Chain Integrity. + Office of Unapproved Drugs and Labeling Compliance. + Division of Prescription Drugs. + Prescription Drugs Branch. + Compounding and Pharmacy Practice Branch. + Division of Non-Prescription Drugs and Health Fraud. + +[[Page 123]] + + Over-the-Counter Drugs Branch. + Health Fraud and Consumer Outreach Branch. + Office of Manufacturing and Product Quality. + Division of International Drug Quality. + International Compliance Branch I. + International Compliance Branch II. + Division of Domestic Drug Quality. + Domestic Compliance Branch 1. + Domestic Compliance Branch 2. + Division of Policy, Collaboration, and Data Operations. + Regulatory Policy and Communications Branch. + Drug Surveillance and Data Reporting Branch. + Division of GMP Assessment. + Biotech Manufacturing Assessment Branch. + New Drug Manufacturing Assessment Branch. + Generic Drug Manufacturing Assessment Branch. + Office of Scientific Investigations. + Division of Bioequivalence and Good Laboratory Practice Compliance. + Good Laboratory Practice Branch. + Bioequivalence Branch. + Division of Good Clinical Practice Compliance. + Good Clinical Practice Enforcement Branch + Good Clinical Practice Assessment Branch + Division of Safety Compliance. + Post Market Safety Branch. + Human Subject Protection Branch. +Office of New Drugs. + Pediatric and Maternal Health Staff. + Program Management Analysis Staff. + Office of Drug Evaluation I. + Division of Cardiovascular and Renal Products. + Division of Neurology Products. + Division of Psychiatry Products. + Office of Drug Evaluation II. + Division of Metabolism and Endocrinology Products. + Division of Pulmonary, Allergy, and Rheumatology Products. + Division of Anesthesia, Analgesia, and Addiction Products. + Office of Drug Evaluation III. + Division of Gastroenterology and Inborn Effects Products. + Division of Reproductive and Urologic Products. + Division of Dermatology and Dental Products. + Office of Antimicrobial Products. + Division of Anti-Infective Products. + Division of Anti-Viral Products. + Division of Transplant and Ophthalmology Products. + Office of Drug Evaluation IV. + Division of Nonprescription Clinical Evaluation. + Division of Nonprescription Regulation Development. + Division of Medical Imaging Products. + Office of Hematology and Oncology Drug Products. + Division of Oncology Products 1. + Division of Oncology Products 2. + Division of Hematology Products. + Division of Hematology Oncology Toxicology. +Office of Pharmaceutical Science. + Program Activities Review Staff. + Operations Staff. + Science and Research Staff. + New Drug Microbiology Staff. + Office of Generic Drugs. + Division of Bioequivalence 1. + Division of Bioequivalence 2. + Division of Labeling and Program Support. + Labeling Review Branch. + Regulatory Branch. + Review Support Branch. + Division of Chemistry I. + Division of Chemistry II. + Division of Chemistry III. + Division of Chemistry IV. + Division of Clinical Review. + Division of Microbiology. + Office of New Drug Quality Assessment. + Division of New Drug Quality Assessment I. + Branch I. + Branch II. + Branch III. + Division of New Drug Quality Assessment II. + Branch IV. + Branch V. + Branch VI. + Division of New Drug Quality Assessment III. + Branch VII. + Branch VIII. + Branch IX. + Office of Testing and Research. + Division of Drug Safety Research. + Division of Pharmaceutical Analysis. + Division of Product Quality Research. + Office of Biotechnology Products. + Division of Monoclonal Antibodies. + Division of Therapeutic Protein. +Office of Medical Policy. + Office of Prescription Drug Promotion. + Division of Consumer Drug Promotion. + Division of Professional Drug Promotion. + Office of Medical Policy Initiatives. + Division of Medical Policy Development. + Division of Medical Policy Programs. +Office of Executive Programs. + Division of Training and Development. + Training and Development Branch I. + Training and Development Branch II. + Division of Executive Operations. + Division of Advisory Committee and Consultant Management. +Office of Translational Science. + Office of Biostatistics. + +[[Page 124]] + + Division of Biometrics I. + Division of Biometrics II. + Division of Biometrics III. + Division of Biometrics IV. + Division of Biometrics V. + Division of Biometrics VI. + Division of Biometrics VII. + Office of Clinical Pharmacology. + Division of Clinical Pharmacology I. + Division of Clinical Pharmacology II. + Division of Clinical Pharmacology III. + Division of Clinical Pharmacology IV. + Division of Clinical Pharmacology V. + Division of Pharmacometrics. +Office of Counter-Terrorism and Emergency Coordination. +Office of Planning and Informatics. + Office of Planning and Analysis. + Office of Business Informatics. + Division of Records Management. + Division of Regulatory Review Support. + Division of Business Analysis and Reporting. + Division of Project Development. +Center for Tobacco Products. + Office of the Center Director. + Office of Management. + Office of Policy. + Office of Regulations. + Office of Science. + Office of Health Communication and Education. + Office of Compliance and Enforcement. + Office of Global Regulatory Operations and Policy. + Office of International Programs. + Office of Regulatory Affairs. + Office of Resource Management. + Division of Planning, Evaluation, and Management. + Program Planning and Workforce Management Branch. + Program Evaluation Branch. + Division of Human Resource Development. + Division of Management Operations. +Office of Enforcement. + Division of Compliance Management and Operations. + Division of Compliance Policy. + Division of Compliance Information and Quality Assurance. +Office of Regional Operations. + Division of Federal-State Relations. + State Contracts Staff. + State Information Staff. + Public Affairs and Health Fraud Staff. + Division of Field Science. + FERN National Program Branch. + Scientific Compliance and Regulatory Review Branch. + Laboratory Operations Branch. + Division of Import Operations and Policy. + Systems Branch. + Operations and Policy Branch. + Division of Foreign Field Investigations. + International Operations Branch. + Foreign Food Branch. + Foreign Drug Branch. + Foreign Devices Branch. + Division of Domestic Field Investigations. + Team Biologics Staff. + National Expert Staff. + Domestic Operations Branch. + Division of Food Defense Targeting. +Office of Criminal Investigations. + Mid-Atlantic Area Office. + Midwest Area Office. + Northeast Area Office. + Pacific Area Office. + Southeast Area Office. + Southwest Area Office. +Regional Food and Drug Directors. + Regional Field Office, Central Region, Chicago, IL. + State Cooperative Programs Staff I. + State Cooperative Programs Staff II. + Regional Operations Staff. + District Office, Baltimore, MD. + Compliance Branch. + Investigations Branch. + District Office, Cincinnati, OH. + Compliance Branch. + Investigations Branch. + Forensic Chemistry Center. + Inorganic Chemistry Branch. + Organic Chemistry Branch. + District Office, Parsippany, NJ + Compliance Branch. + Investigations Branch. + District Office, Philadelphia, PA. + Compliance Branch. + Investigations Branch. + Laboratory Branch. + District Office, Chicago, IL. + Compliance Branch. + Investigations Branch. + District Office, Minneapolis, MN. + Compliance Branch. + Investigations Branch. + District Office, Detroit, MI. + Compliance Branch. + Investigations Branch. + Laboratory Branch. + Regional Field Office, Northeast Region, Jamaica, NY. + Operations Staff. + Intergovernmental Affairs Staff. + District Office, New York. + Domestic Compliance Branch. + Domestic Investigations Branch. + Import Operations Branch (Downstate). + Import Operations Branch (Upstate). + Northeast Regional Laboratory. + Microbiological Science Branch. + Food Chemistry Branch. + Drug Chemistry Branch. + District Office New England. + Compliance Branch. + Investigations Branch. + Winchester Engineering and Analytical Center. + Analytical Branch. + Engineering Branch. + Regional Field Office, Pacific Region, Oakland, CA. + +[[Page 125]] + + District Office, San Francisco, CA + Compliance Branch. + Investigations Branch. + Laboratory Branch. + District Office, Los Angeles, CA. + Compliance Branch. + Domestic Investigations Branch. + Import Operations Branch. + District Office, Seattle, WA. + Compliance Branch. + Investigations Branch. + Pacific Regional Laboratory Southwest Los Angeles, CA. + Food Chemistry Branch. + Drug Chemistry Branch. + Microbiology Branch. + Pacific Regional Laboratory Northwest Bothell, WA. + Chemistry Branch. + Microbiology Branch. + Seafood Products Research Center. + Regional Field Office, Southeast Region, Atlanta, GA. + District Office, Atlanta, GA. + Compliance Branch. + Investigations Branch. + District Office, FL. + Compliance Branch. + Investigations Branch. + District Office, New Orleans, LA. + Compliance Branch. + Investigations Branch. + Nashville Branch. + District Office, San Juan, PR. + Compliance Branch. + Investigations Branch. + Laboratory Branch. + Southeast Regional Laboratory, Atlanta, GA. + Chemistry Branch I. + Microbiology Branch. + Atlanta Center for Nutrient Analysis. + Chemistry Branch II. + Regional Field Office, Southwest Region. + District Office, Dallas, TX. + Compliance Branch. + Investigations Branch. + District Office, Kansas City, MO. + Compliance Branch. + Investigations Branch. + Science Operations Branch. + Total Diet and Pesticide Research Center. + District Office, Denver, CO. + Compliance Branch. + Investigations Branch. + Laboratory Branch. + Arkansas Regional Laboratory. + General Chemistry Branch. + Pesticide Chemistry Branch. + Microbiology Branch. + Southwest Import District Office, Dallas, TX. + Compliance Branch. + Investigations Branch. + + + +Sec. 5.1105 Chief Counsel, Food and Drug Administration. + + The Office of the Chief Counsel's mailing address is White Oak Bldg. +1, 10903 New Hampshire Ave., Silver Spring, MD 20993. + + + +Sec. 5.1110 FDA public information offices. + + (a) Division of Dockets Management. The Division of Dockets +Management public room is located in rm. 1061, 5630 Fishers Lane, +Rockville, MD 20852, Telephone: 301-827-6860. + (b) Freedom of Information Staff. The Freedom of Information Staff's +Public Reading Room is located at the address available on the agency's +web site at http://www.fda.gov. + (c) Press Relations Staff. Press offices are located in White Oak +Bldg. 1, 10903 New Hampshire Ave., Silver Spring, MD 20993, Telephone: +301-827-6242; and at 5100 Paint Branch Pkwy., College Park, MD 20740, +Telephone: 301-436-2335. + +[77 FR 15962, Mar. 19, 2012, as amended at 79 FR 68114, Nov. 14, 2014] + + + +PART 7_ENFORCEMENT POLICY--Table of Contents + + + + Subpart A_General Provisions + +Sec. +7.1 Scope. +7.3 Definitions. +7.12 Guaranty. +7.13 Suggested forms of guaranty. + +Subpart B [Reserved] + + Subpart C_Recalls (Including Product Corrections)_Guidance on Policy, + Procedures, and Industry Responsibilities + +7.40 Recall policy. +7.41 Health hazard evaluation and recall classification. +7.42 Recall strategy. +7.45 Food and Drug Administration-requested recall. +7.46 Firm-initiated recall. +7.49 Recall communications. +7.50 Public notification of recall. +7.53 Recall status reports. +7.55 Termination of a recall. +7.59 General industry guidance. + +Subpart D [Reserved] + +[[Page 126]] + + Subpart E_Criminal Violations + +7.84 Opportunity for presentation of views before report of criminal + violation. +7.85 Conduct of a presentation of views before report of criminal + violation. +7.87 Records related to opportunities for presentation of views + conducted before report of criminal violation. + + Authority: 21 U.S.C. 321-393; 42 U.S.C. 241, 262, 263b-263n, 264. + + Source: 42 FR 15567, Mar. 22, 1977, unless otherwise noted. + + + + Subpart A_General Provisions + + + +Sec. 7.1 Scope. + + This part governs the practices and procedures applicable to +regulatory enforcement actions initiated by the Food and Drug +Administration pursuant to the Federal Food, Drug, and Cosmetic Act (21 +U.S.C. 301 et seq.) and other laws that it administers. This part also +provides guidance for manufacturers and distributors to follow with +respect to their voluntary removal or correction of marketed violative +products. This part is promulgated to clarify and explain the regulatory +practices and procedures of the Food and Drug Administration, enhance +public understanding, improve consumer protection, and assure uniform +and consistent application of practices and procedures throughout the +agency. + +[43 FR 26218, June 16, 1978, as amended at 65 FR 56476, Sept. 19, 2000] + + + +Sec. 7.3 Definitions. + + (a) Agency means the Food and Drug Administration. + (b) Citation or cite means a document and any attachments thereto +that provide notice to a person against whom criminal prosecution is +contemplated of the opportunity to present views to the agency regarding +an alleged violation. + (c) Respondent means a person named in a notice who presents views +concerning an alleged violation either in person, by designated +representative, or in writing. + (d) Responsible individual includes those in positions of power or +authority to detect, prevent, or correct violations of the Federal Food, +Drug, and Cosmetic Act. + (e) [Reserved] + (f) Product means an article subject to the jurisdiction of the Food +and Drug Administration, including any food, drug, and device intended +for human or animal use, any cosmetic and biologic intended for human +use, any tobacco product intended for human use, and any item subject to +a quarantine regulation under part 1240 of this chapter. Product does +not include an electronic product that emits radiation and is subject to +parts 1003 and 1004 of this chapter. + (g) Recall means a firm's removal or correction of a marketed +product that the Food and Drug Administration considers to be in +violation of the laws it administers and against which the agency would +initiate legal action, e.g., seizure. Recall does not include a market +withdrawal or a stock recovery. + (h) Correction means repair, modification, adjustment, relabeling, +destruction, or inspection (including patient monitoring) of a product +without its physical removal to some other location. + (i) Recalling firm means the firm that initiates a recall or, in the +case of a Food and Drug Administration-requested recall, the firm that +has primary responsibility for the manufacture and marketing of the +product to be recalled. + (j) Market withdrawal means a firm's removal or correction of a +distributed product which involves a minor violation that would not be +subject to legal action by the Food and Drug Administration or which +involves no violation, e.g., normal stock rotation practices, routine +equipment adjustments and repairs, etc. + (k) Stock recovery means a firm's removal or correction of a product +that has not been marketed or that has not left the direct control of +the firm, i.e., the product is located on premises owned by, or under +the control of, the firm and no portion of the lot has been released for +sale or use. + (l) Recall strategy means a planned specific course of action to be +taken in conducting a specific recall, which addresses the depth of +recall, need for public warnings, and extent of effectiveness checks for +the recall. + +[[Page 127]] + + (m) Recall classification means the numerical designation, i.e., I, +II, or III, assigned by the Food and Drug Administration to a particular +product recall to indicate the relative degree of health hazard +presented by the product being recalled. + (1) Class I is a situation in which there is a reasonable +probability that the use of, or exposure to, a violative product will +cause serious adverse health consequences or death. + (2) Class II is a situation in which use of, or exposure to, a +violative product may cause temporary or medically reversible adverse +health consequences or where the probability of serious adverse health +consequences is remote. + (3) Class III is a situation in which use of, or exposure to, a +violative product is not likely to cause adverse health consequences. + (n) Consignee means anyone who received, purchased, or used the +product being recalled. + +[42 FR 15567, Mar. 22, 1977, as amended at 43 FR 26218, June 16, 1978; +44 FR 12167, Mar. 6, 1979; 77 FR 5176, Feb. 2, 2012] + + + +Sec. 7.12 Guaranty. + + In case of the giving of a guaranty or undertaking referred to in +section 303(c)(2) or (3) of the act, each person signing such guaranty +or undertaking shall be considered to have given it. + + + +Sec. 7.13 Suggested forms of guaranty. + + (a) A guaranty or undertaking referred to in section 303(c)(2) of +the act may be: + (1) Limited to a specific shipment or other delivery of an article, +in which case it may be a part of or attached to the invoice or bill of +sale covering such shipment or delivery, or + (2) General and continuing, in which case, in its application to any +shipment or other delivery of an article, it shall be considered to have +been given at the date such article was shipped or delivered by the +person who gives the guaranty or undertaking. + (b) The following are suggested forms of guaranty or undertaking +under section 303(c)(2) of the act: + (1) Limited form for use on invoice or bill of sale. + + (Name of person giving the guaranty or undertaking) hereby +guarantees that no article listed herein is adulterated or misbranded +within the meaning of the Federal Food, Drug, and Cosmetic Act, or is an +article which may not, under the provisions of section 404, 505, or 512 +of the act, be introduced into interstate commerce. + (Signature and post-office address of person giving the guaranty or +undertaking.) + + (2) General and continuing form. + + The article comprising each shipment or other delivery hereafter +made by (name of person giving the guaranty or undertaking) to, or in +the order of (name and post-office address of person to whom the +guaranty or undertaking is given) is hereby guaranteed, as of the date +of such shipment or delivery, to be, on such date, not adulterated or +misbranded within the meaning of the Federal Food, Drug, and Cosmetic +Act, and not an article which may not, under the provisions of section +404, 505, or 512 of the act, be introduced into interstate commerce. + (Signature and post-office address of person giving the guaranty of +undertaking.) + + (c) The application of a guaranty or undertaking referred to in +section 303(c)(2) of the act to any shipment or other delivery of an +article shall expire when such article, after shipment or delivery by +the person who gave such guaranty or undertaking, becomes adulterated or +misbranded within the meaning of the act, or becomes an article which +may not, under the provisions of section 404, 505, or 512 of the act, be +introduced into interstate commerce. + (d) A guaranty or undertaking referred to in section 303(c)(3) of +the act shall state that the shipment or other delivery of the color +additive covered thereby was manufactured by a signer thereof. It may be +a part of or attached to the invoice or bill of sale covering such +color. If such shipment or delivery is from a foreign manufacturer, such +guaranty or undertaking shall be signed by such manufacturer and by an +agent of such manufacturer who resides in the United States. + (e) The following are suggested forms of guaranty or undertaking +under section 303(c)(3) of the act: + (1) For domestic manufacturers: + + (Name of manufacturer) hereby guarantees that all color additives +listed herein were manufactured by him, and (where color additive +regulations require certification) are from batches certified in +accordance with the applicable regulations promulgated + +[[Page 128]] + +under the Federal Food, Drug, and Cosmetic Act. + (Signature and post-office address of manufacturer.) + + (2) For foreign manufacturers: + + (Name of manufacturer and agent) hereby severally guarantee that all +color additives listed herein were manufactured by (name of +manufacturer), and (where color additive regulations require +certification) are from batches certified in accordance with the +applicable regulations promulgated under the Federal Food, Drug, and +Cosmetic Act. + (Signature and post-office address of manufacturer.) + (Signature and post-office address of agent.) + + (f) For the purpose of a guaranty or undertaking under section +303(c)(3) of the act the manufacturer of a shipment or other delivery of +a color additive is the person who packaged such color. + (g) A guaranty or undertaking, if signed by two or more persons, +shall state that such persons severally guarantee the article to which +it applies. + (h) No representation or suggestion that an article is guaranteed +under the act shall be made in labeling. + +Subpart B [Reserved] + + + + Subpart C_Recalls (Including Product Corrections)_Guidance on Policy, + Procedures, and Industry Responsibilities + + Source: 43 FR 26218, June 16, 1978, unless otherwise noted. + + + +Sec. 7.40 Recall policy. + + (a) Recall is an effective method of removing or correcting consumer +products that are in violation of laws administered by the Food and Drug +Administration. Recall is a voluntary action that takes place because +manufacturers and distributors carry out their responsibility to protect +the public health and well-being from products that present a risk of +injury or gross deception or are otherwise defective. This section and +Sec. Sec. 7.41 through 7.59 recognize the voluntary nature of recall by +providing guidance so that responsible firms may effectively discharge +their recall responsibilities. These sections also recognize that recall +is an alternative to a Food and Drug Administration-initiated court +action for removing or correcting violative, distributed products by +setting forth specific recall procedures for the Food and Drug +Administration to monitor recalls and assess the adequacy of a firm's +efforts in recall. + (b) Recall may be undertaken voluntarily and at any time by +manufacturers and distributors, or at the request of the Food and Drug +Administration. A request by the Food and Drug Administration that a +firm recall a product is reserved for urgent situations and is to be +directed to the firm that has primary responsibility for the manufacture +and marketing of the product that is to be recalled. + (c) Recall is generally more appropriate and affords better +protection for consumers than seizure, when many lots of product have +been widely distributed. Seizure, multiple seizure, or other court +action is indicated when a firm refuses to undertake a recall requested +by the Food and Drug Administration, or where the agency has reason to +believe that a recall would not be effective, determines that a recall +is ineffective, or discovers that a violation is continuing. + +[43 FR 26218, June 16, 1978, as amended at 65 FR 56476, Sept. 19, 2000] + + + +Sec. 7.41 Health hazard evaluation and recall classification. + + (a) An evaluation of the health hazard presented by a product being +recalled or considered for recall will be conducted by an ad hoc +committee of Food and Drug Administration scientists and will take into +account, but need not be limited to, the following factors: + (1) Whether any disease or injuries have already occurred from the +use of the product. + (2) Whether any existing conditions could contribute to a clinical +situation that could expose humans or animals to a health hazard. Any +conclusion shall be supported as completely as possible by scientific +documentation and/or statements that the conclusion is the opinion of +the individual(s) making the health hazard determination. + (3) Assessment of hazard to various segments of the population, +e.g., children, surgical patients, pets, livestock, + +[[Page 129]] + +etc., who are expected to be exposed to the product being considered, +with particular attention paid to the hazard to those individuals who +may be at greatest risk. + (4) Assessment of the degree of seriousness of the health hazard to +which the populations at risk would be exposed. + (5) Assessment of the likelihood of occurrence of the hazard. + (6) Assessment of the consequences (immediate or long-range) of +occurrence of the hazard. + (b) On the basis of this determination, the Food and Drug +Administration will assign the recall a classification, i.e., Class I, +Class II, or Class III, to indicate the relative degree of health hazard +of the product being recalled or considered for recall. + + + +Sec. 7.42 Recall strategy. + + (a) General. (1) A recall strategy that takes into account the +following factors will be developed by the agency for a Food and Drug +Administration-requested recall and by the recalling firm for a firm- +initiated recall to suit the individual circumstances of the particular +recall: + (i) Results of health hazard evaluation. + (ii) Ease in identifying the product. + (iii) Degree to which the product's deficiency is obvious to the +consumer or user. + (iv) Degree to which the product remains unused in the market-place. + (v) Continued availability of essential products. + (2) The Food and Drug Administration will review the adequacy of a +proposed recall strategy developed by a recalling firm and recommend +changes as appropriate. A recalling firm should conduct the recall in +accordance with an approved recall strategy but need not delay +initiation of a recall pending review of its recall strategy. + (b) Elements of a recall strategy. A recall strategy will address +the following elements regarding the conduct of the recall: + (1) Depth of recall. Depending on the product's degree of hazard and +extent of distribution, the recall strategy will specify the level in +the distribution chain to which the recall is to extend, as follows: + (i) Consumer or user level, which may vary with product, including +any intermediate wholesale or retail level; or + (ii) Retail level, including any intermediate wholesale level; or + (iii) Wholesale level. + (2) Public warning. The purpose of a public warning is to alert the +public that a product being recalled presents a serious hazard to +health. It is reserved for urgent situations where other means for +preventing use of the recalled product appear inadequate. The Food and +Drug Administration in consultation with the recalling firm will +ordinarily issue such publicity. The recalling firm that decides to +issue its own public warning is requested to submit its proposed public +warning and plan for distribution of the warning for review and comment +by the Food and Drug Administration. The recall strategy will specify +whether a public warning is needed and whether it will issue as: + (i) General public warning through the general news media, either +national or local as appropriate, or + (ii) Public warning through specialized news media, e.g., +professional or trade press, or to specific segments of the population +such as physicians, hospitals, etc. + (3) Effectiveness checks. The purpose of effectiveness checks is to +verify that all consignees at the recall depth specified by the strategy +have received notification about the recall and have taken appropriate +action. The method for contacting consignees may be accomplished by +personal visits, telephone calls, letters, or a combination thereof. A +guide entitled ``Methods for Conducting Recall Effectiveness Checks'' +that describes the use of these different methods is available upon +request from the Division of Dockets Management (HFA-305), Food and Drug +Administration, 5630 Fishers Lane, rm. 1061, Rockville, MD 20852. The +recalling firm will ordinarily be responsible for conducting +effectiveness checks, but the Food and Drug Administration will assist +in this task where necessary and appropriate. The recall strategy will +specify the method(s) to be used for + +[[Page 130]] + +and the level of effectiveness checks that will be conducted, as +follows: + (i) Level A--100 percent of the total number of consignees to be +contacted; + (ii) Level B--Some percentage of the total number of consignees to +be contacted, which percentage is to be determined on a case-by-case +basis, but is greater that 10 percent and less than 100 percent of the +total number of consignees; + (iii) Level C--10 percent of the total number of consignees to be +contacted; + (iv) Level D--2 percent of the total number of consignees to be +contacted; or + (v) Level E--No effectiveness checks. + +[43 FR 26218, June 16, 1978, as amended at 46 FR 8455, Jan. 27, 1981; 59 +FR 14363, Mar. 28, 1994; 68 FR 24879, May 9, 2003] + + + +Sec. 7.45 Food and Drug Administration-requested recall. + + (a) The Commissioner of Food and Drugs or designee may request a +firm to initiate a recall when the following determinations have been +made: + (1) That a product that has been distributed presents a risk of +illness or injury or gross consumer deception. + (2) That the firm has not initiated a recall of the product. + (3) That an agency action is necessary to protect the public health +and welfare. + (b) The Commissioner or his designee will notify the firm of this +determination and of the need to begin immediately a recall of the +product. Such notification will be by letter or telegram to a +responsible official of the firm, but may be preceded by oral +communication or by a visit from an authorized representative of the +local Food and Drug Administration district office, with formal, written +confirmation from the Commissioner or his designee afterward. The +notification will specify the violation, the health hazard +classification of the violative product, the recall strategy, and other +appropriate instructions for conducting the recall. + (c) Upon receipt of a request to recall, the firm may be asked to +provide the Food and Drug Administration any or all of the information +listed in Sec. 7.46(a). The firm, upon agreeing to the recall request, +may also provide other information relevant to the agency's +determination of the need for the recall or how the recall should be +conducted. + +[43 FR 26218, June 16, 1978, as amended at 69 FR 17290, Apr. 2, 2004] + + + +Sec. 7.46 Firm-initiated recall. + + (a) A firm may decide of its own volition and under any +circumstances to remove or correct a distributed product. A firm that +does so because it believes the product to be violative is requested to +notify immediately the appropriate Food and Drug Administration district +office listed in Sec. 5.115 of this chapter. Such removal or correction +will be considered a recall only if the Food and Drug Administration +regards the product as involving a violation that is subject to legal +action, e.g., seizure. In such cases, the firm will be asked to provide +the Food and Drug Administration the following information: + (1) Identity of the product involved. + (2) Reason for the removal or correction and the date and +circumstances under which the product deficiency or possible deficiency +was discovered. + (3) Evaluation of the risk associated with the deficiency or +possible deficiency. + (4) Total amount of such products produced and/or the timespan of +the production. + (5) Total amount of such products estimated to be in distribution +channels. + (6) Distribution information, including the number of direct +accounts and, where necessary, the identity of the direct accounts. + (7) A copy of the firm's recall communication if any has issued, or +a proposed communication if none has issued. + (8) Proposed strategy for conducting the recall. + (9) Name and telephone number of the firm official who should be +contacted concerning the recall. + (b) The Food and Drug Administration will review the information +submitted, advise the firm of the assigned recall classification, +recommend any appropriate changes in the firm's strategy for the recall, +and advise the firm that its recall will be placed in the weekly FDA +Enforcement Report. + +[[Page 131]] + +Pending this review, the firm need not delay initiation of its product +removal or correction. + (c) A firm may decide to recall a product when informed by the Food +and Drug Administration that the agency has determined that the product +in question violates the law, but the agency has not specifically +requested a recall. The firm's action also is considered a firm- +initiated recall and is subject to paragraphs (a) and (b) of this +section. + (d) A firm that initiates a removal or correction of its product +which the firm believes is a market withdrawal should consult with the +appropriate Food and Drug Administration district office when the reason +for the removal or correction is not obvious or clearly understood but +where it is apparent, e.g., because of complaints or adverse reactions +regarding the product, that the product is deficient in some respect. In +such cases, the Food and Drug Administration will assist the firm in +determining the exact nature of the problem. + + + +Sec. 7.49 Recall communications. + + (a) General. A recalling firm is responsible for promptly notifying +each of its affected direct accounts about the recall. The format, +content, and extent of a recall communication should be commensurate +with the hazard of the product being recalled and the strategy developed +for that recall. In general terms, the purpose of a recall communication +is to convey: + (1) That the product in question is subject to a recall. + (2) That further distribution or use of any remaining product should +cease immediately. + (3) Where appropriate, that the direct account should in turn notify +its customers who received the product about the recall. + (4) Instructions regarding what to do with the product. + (b) Implementation. A recall communication can be accomplished by +telegrams, mailgrams, or first class letters conspicuously marked, +preferably in bold red type, on the letter and the envelope: ``drug [or +food, biologic, etc.] recall [or correction]''. The letter and the +envelope should be also marked: ``urgent'' for class I and class II +recalls and, when appropriate, for class III recalls. Telephone calls or +other personal contacts should ordinarily be confirmed by one of the +above methods and/or documented in an appropriate manner. + (c) Contents. (1) A recall communication should be written in +accordance with the following guidelines: + (i) Be brief and to the point; + (ii) Identify clearly the product, size, lot number(s), code(s) or +serial number(s) and any other pertinent descriptive information to +enable accurate and immediate identification of the product; + (iii) Explain concisely the reason for the recall and the hazard +involved, if any; + (iv) Provide specific instructions on what should be done with +respect to the recalled products; and + (v) Provide a ready means for the recipient of the communication to +report to the recalling firm whether it has any of the product, e.g., by +sending a postage-paid, self-addressed postcard or by allowing the +recipient to place a collect call to the recalling firm. + (2) The recall communication should not contain irrelevant +qualifications, promotional materials, or any other statement that may +detract from the message. Where necessary, followup communications +should be sent to those who fail to respond to the initial recall +communication. + (d) Responsibility of recipient. Consignees that receive a recall +communication should immediately carry out the instructions set forth by +the recalling firm and, where necessary, extend the recall to its +consignees in accordance with paragraphs (b) and (c) of this section. + + + +Sec. 7.50 Public notification of recall. + + The Food and Drug Administration will promptly make available to the +public in the weekly FDA Enforcement Report a descriptive listing of +each new recall according to its classification, whether it was Food and +Drug Administration-requested or firm-initiated, and the specific action +being taken by the recalling firm. The Food and Drug Administration will +intentionally delay public notification of recalls of + +[[Page 132]] + +certain drugs and devices where the agency determines that public +notification may cause unnecessary and harmful anxiety in patients and +that initial consultation between patients and their physicians is +essential. The report will not include a firm's product removals or +corrections which the agency determines to be market withdrawals or +stock recoveries. The report, which also includes other Food and Drug +Administration regulatory actions, e.g., seizures that were effected and +injunctions and prosecutions that were filed, is available upon request +from the Office of Public Affairs (HFI-1), Food and Drug Administration, +5600 Fishers Lane, Rockville, MD 20857. + + + +Sec. 7.53 Recall status reports. + + (a) The recalling firm is requested to submit periodic recall status +reports to the appropriate Food and Drug Administration district office +so that the agency may assess the progress of the recall. The frequency +of such reports will be determined by the relative urgency of the recall +and will be specified by the Food and Drug Administration in each recall +case; generally the reporting interval will be between 2 and 4 weeks. + (b) Unless otherwise specified or inappropriate in a given recall +case, the recall status report should contain the following information: + (1) Number of consignees notified of the recall, and date and method +of notification. + (2) Number of consignees responding to the recall communication and +quatity of products on hand at the time it was received. + (3) Number of consignees that did not respond (if needed, the +identity of nonresponding consignees may be requested by the Food and +Drug Administration). + (4) Number of products returned or corrected by each consignee +contacted and the quantity of products accounted for. + (5) Number and results of effectiveness checks that were made. + (6) Estimated time frames for completion of the recall. + (c) Recall status reports are to be discontinued when the recall is +terminated by the Food and Drug Administration. + + + +Sec. 7.55 Termination of a recall. + + (a) A recall will be terminated when the Food and Drug +Administration determines that all reasonable efforts have been made to +remove or correct the product in accordance with the recall strategy, +and when it is reasonable to assume that the product subject to the +recall has been removed and proper disposition or correction has been +made commensurate with the degree of hazard of the recalled product. +Written notification that a recall is terminated will be issued by the +appropriate Food and Drug Administration district office to the +recalling firm. + (b) A recalling firm may request termination of its recall by +submitting a written request to the appropriate Food and Drug +Adminstration district office stating that the recall is effective in +accordance with the criteria set forth in paragraph (a) of this section, +and by accompanying the request with the most current recall status +report and a description of the disposition of the recalled product. + + + +Sec. 7.59 General industry guidance. + + A recall can be disruptive of a firm's operation and business, but +there are several steps a prudent firm can take in advance to minimize +this disruptive effect. Notwithstanding similar specific requirements +for certain products in other parts of this chapter, the following is +provided by the Food and Drug Administration as guidance for a firm's +consideration: + (a) Prepare and maintain a current written contingency plan for use +in initiating and effecting a recall in accordance with Sec. Sec. 7.40 +through 7.49, 7.53, and 7.55. + (b) Use sufficient coding of regulated products to make possible +positive lot identification and to facilitate effective recall of all +violative lots. + (c) Maintain such product distribution records as are necessary to +facilitate location of products that are being recalled. Such records +should be maintained for a period of time that exceeds the shelf life +and expected use of the product and is at least the length of + +[[Page 133]] + +time specified in other applicable regulations concerning records +retention. + +Subpart D [Reserved] + + + + Subpart E_Criminal Violations + + + +Sec. 7.84 Opportunity for presentation of views before report of +criminal violation. + + (a)(1) Except as provided in paragraph (a) (2) and (3) of this +section, a person against whom criminal prosecution under the Federal +Food, Drug, and Cosmetic Act is contemplated by the Commissioner of Food +and Drugs shall be given appropriate notice and an opportunity to +present information and views to show cause why criminal prosecution +should not be recommended to a United States attorney. + (2) Notice and opportunity need not be provided if the Commissioner +has reason to believe that they may result in the alteration or +destruction of evidence or in the prospective defendant's fleeing to +avoid prosecution. + (3) Notice and opportunity need not be provided if the Commissioner +contemplates recommending further investigation by the Department of +Justice. + (b) If a statute enforced by the Commissioner does not contain a +provision for an opportunity to present views, the Commissioner need +not, but may in the Commissioner's discretion, provide notice and an +opportunity to present views. + (c) If an apparent violation of the Federal Food, Drug, and Cosmetic +Act also constitutes a violation of any other Federal statute(s), and +the Commissioner contemplates recommending prosecution under such other +statute(s) as well, the notice of opportunity to present views will +include all violations. + (d) Notice of an opportunity to present views may be by letter, +standard form, or other document(s) identifying the products and/or +conduct alleged to violate the law. The notice shall-- + (1) Be sent by registered or certified mail, telegram, telex, +personal delivery, or any other appropriate mode of written +communication; + (2) Specify the time and place where those named may present their +views; + (3) Summarize the violations that constitute the basis of the +contemplated prosecution; + (4) Describe the purpose and procedure of the presentation; and + (5) Furnish a form on which the legal status of any person named in +the notice may be designated. + (e) If more than one person is named in a notice, a separate +opportunity for presentation of views shall be scheduled on request. +Otherwise, the time and place specified in a notice may be changed only +upon a showing of reasonable grounds. A request for any change shall be +addressed to the Food and Drug Administration office that issued the +notice and shall be received in that office at least 3 working days +before the date set in the notice. + (f) A person who has received a notice is under no legal obligation +to appear or answer in any manner. A person choosing to respond may +appear personally, with or without a representative, or may designate a +representative to appear for him or her. Alternatively, a person may +respond in writing. If a person elects not to respond on or before the +time scheduled, the Commissioner will, without further notice, decide +whether to recommend criminal prosecution to a United States attorney on +the basis of the information available. + (g) If a respondent chooses to appear solely by designated +representative, that representative shall present a signed statement of +authorization. If a representative appears for more than one respondent, +the representative shall submit independent documentation of authority +to act for each respondent. If a representative appears without written +authorization, the opportunity to present views with respect to that +respondent may be provided at that time only if the authenticity of the +representative's authority is first verified by telephone or other +appropriate means. + +[44 FR 12167, Mar. 6, 1979] + + + +Sec. 7.85 Conduct of a presentation of views before report of +criminal violation. + + (a) The presentation of views shall be heard by a designated Food +and Drug Administration employee. Other Food + +[[Page 134]] + +and Drug Administration employees may be present. + (b) A presentation of views shall not be open to the public. The +agency employee designated to receive views will permit participation of +other persons only if they appear with the respondent or the +respondent's designated representative, and at the request of, and on +behalf of, the respondent. + (c) A respondent may present any information of any kind bearing on +the Commissioner's determination to recommend prosecution. Information +may include statements of persons appearing on the respondent's behalf, +letters, documents, laboratory analyses, if applicable, or other +relevant information or arguments. The opportunity to present views +shall be informal. The rules of evidence shall not apply. Any +information given by a respondent, including statements by the +respondent, shall become part of the agency's records concerning the +matter and may be used for any official purpose. The Food and Drug +Administration is under no obligation to present evidence or witnesses. + (d) If the respondent holds a ``guaranty or undertaking'' as +described in section 303(c) of the act (21 U.S.C. 333(c)) that is +applicable to the notice, that document, or a verified copy of it, may +be presented by the respondent. + (e) A respondent may have an oral presentation recorded and +transcribed at his or her expense, in which case a copy of the +transcription shall be furnished to the Food and Drug Administration +office from which the notice issued. The employee designated to receive +views may order a presentation of views recorded and transcribed at +agency expense, in which case a copy of such transcription shall be +provided to each respondent. + (f) If an oral presentation is not recorded and transcribed, the +agency employee designated to receive views shall dictate a written +summary of the presentation. A copy of the summary shall be provided to +each respondent. + (g) A respondent may comment on the summary or may supplement any +response by additional written or documentary evidence. Any comment or +addition shall be furnished to the Food and Drug Administration office +where the respondent's views were presented. If materials are submitted +within 10 calendar days after receipt of the copy of the summary or +transcription of the presentation, as applicable, they will be +considered before a final decision as to whether or not to recommend +prosecution. Any materials received after the supplemental response +period generally will be considered only if the final agency decision +has not yet been made. + (h)(1) When consideration of a criminal prosecution recommendation +involving the same violations is closed by the Commissioner with respect +to all persons named in the notice, the Commissioner will so notify each +person in writing. + (2) When it is determined that a person named in a notice will not +be included in the Commissioner's recommendation for criminal +prosecution, the Commissioner will so notify that person, if and when +the Commissioner concludes that notification will not prejudice the +prosecution of any other person. + (3) When a United States attorney informs the agency that no persons +recommended will be prosecuted, the Commissioner will so notify each +person in writing, unless the United States attorney has already done +so. + (4) When a United States attorney informs the agency of intent to +prosecute some, but not all, persons who had been provided an +opportunity to present views and were subsequently named in the +Commissioner's recommendation for criminal prosecution, the +Commissioner, after being advised by the United States attorney that the +notification will not prejudice the prosecution of any other person, +will so notify those persons eliminated from further consideration, +unless the United States attorney has already done so. + +[44 FR 12168, Mar. 6, 1979] + + + +Sec. 7.87 Records related to opportunities for presentation of +views conducted before report of criminal violation. + + (a) Records related to a section 305 opportunity for presentation of +views constitute investigatory records for + +[[Page 135]] + +law enforcement purposes and may include inter- and intra-agency +memorandums. + (1) Notwithstanding the rule established in Sec. 20.21 of this +chapter, no record related to a section 305 presentation is available +for public disclosure until consideration of criminal prosecution has +been closed in accordance with paragraph (b) of this section, except as +provided in Sec. 20.82 of this chapter. Only very rarely and only under +circumstances that demonstrate a compelling public interest will the +Commissioner exercise, in accordance with Sec. 20.82 of this chapter, +the authorized discretion to disclose records related to a section 305 +presentation before the consideration of criminal prosecution is closed. + (2) After consideration of criminal prosecution is closed, the +records are available for public disclosure in response to a request +under the Freedom of Information Act, except to the extent that the +exemptions from disclosure in subpart D of part 20 of this chapter are +applicable. No statements obtained through promises of confidentiality +shall be available for public disclosure. + (b) Consideration of criminal prosecution based on a particular +section 305 notice of opportunity for presentation of views shall be +deemed to be closed within the meaning of this section and Sec. 7.85 +when a final decision has been made not to recommend criminal +prosecution to a United States attorney based on charges set forth in +the notice and considered at the presentation, or when such a +recommendation has been finally refused by the United States attorney, +or when criminal prosecution has been instituted and the matter and all +related appeals have been concluded, or when the statute of limitations +has run. + (c) Before disclosure of any record specifically reflecting +consideration of a possible recommendation for criminal prosecution of +any individual, all names and other information that would identify an +individual whose prosecution was considered but not recommended, or who +was not prosecuted, shall be deleted, unless the Commissioner concludes +that there is a compelling public interest in the disclosure of the +names. + (d) Names and other information that would identify a Food and Drug +Administration employee shall be deleted from records related to a +section 305 presentation of views before public disclosure only under +Sec. 20.32 of this chapter. + +[44 FR 12168, Mar. 6, 1979] + + + +PART 10_ADMINISTRATIVE PRACTICES AND PROCEDURES--Table of Contents + + + + Subpart A_General Provisions + +Sec. +10.1 Scope. +10.3 Definitions. +10.10 Summaries of administrative practices and procedures. +10.19 Waiver, suspension, or modification of procedural requirements. + + Subpart B_General Administrative Procedures + +10.20 Submission of documents to Division of Dockets Management; + computation of time; availability for public disclosure. +10.25 Initiation of administrative proceedings. +10.30 Citizen petition. +10.33 Administrative reconsideration of action. +10.35 Administrative stay of action. +10.40 Promulgation of regulations for the efficient enforcement of the + law. +10.45 Court review of final administrative action; exhaustion of + administrative remedies. +10.50 Promulgation of regulations and orders after an opportunity for a + formal evidentiary public hearing. +10.55 Separation of functions; ex parte communications. +10.60 Referral by court. +10.65 Meetings and correspondence. +10.70 Documentation of significant decisions in administrative file. +10.75 Internal agency review of decisions. +10.80 Dissemination of draft Federal Register notices and regulations. +10.85 Advisory opinions. +10.90 Food and Drug Administration regulations, recommendations, and + agreements. +10.95 Participation in outside standard-setting activities. +10.100 Public calendar. +10.105 Representation by an organization. +10.110 Settlement proposals. + +[[Page 136]] + +10.115 Good guidance practices. + + Subpart C_Electronic Media Coverage of Public Administrative + Proceedings; Guideline on Policy and Procedures + +10.200 Scope. +10.203 Definitions. +10.204 General. +10.205 Electronic media coverage of public administrative proceedings. +10.206 Procedures for electronic media coverage of agency public + administrative proceedings. + + Authority: 5 U.S.C. 551-558, 701-706; 15 U.S.C. 1451-1461; 21 U.S.C. +141-149, 321-397, 467f, 679, 821, 1034; 28 U.S.C. 2112; 42 U.S.C. 201, +262, 263b, 264. + + Source: 44 FR 22323, Apr. 13, 1979, unless otherwise noted. + + Editorial Note: Nomenclature changes to part 10 appear at 68 FR +24879, May 9, 2003. + + + + Subpart A_General Provisions + + + +Sec. 10.1 Scope. + + (a) Part 10 governs practices and procedures for petitions, +hearings, and other administrative proceedings and activities conducted +by the Food and Drug Administration under the Federal Food, Drug, and +Cosmetic Act, the Public Health Service Act, and other laws which the +Commissioner of Food and Drugs administers. + (b) If a requirement in another part of title 21 differs from a +requirement in this part, the requirements of this part apply to the +extent that they do not conflict with the other requirements. + (c) References in this part and parts 12, 13, 14, 15, and 16 to +regulatory sections of the Code of Federal Regulations are to chapter I +of title 21 unless otherwise noted. + (d) References in this part and parts 12, 13, 14, 15, and 16 to +publication, or to the day or date of publication, or use of the phrase +to publish, refer to publication in the Federal Register unless +otherwise noted. + +[44 FR 22323, Apr. 13, 1979, as amended at 54 FR 9034, Mar. 3, 1989; 69 +FR 17290, Apr. 2, 2004] + + + +Sec. 10.3 Definitions. + + (a) The following definitions apply in this part and parts 12, 13, +14, 15, 16, and 19: + Act means the Federal Food, Drug, and Cosmetic Act unless otherwise +indicated. + Administrative action includes every act, including the refusal or +failure to act, involved in the administration of any law by the +Commissioner, except that it does not include the referral of apparent +violations to U.S. attorneys for the institution of civil or criminal +proceedings or an act in preparation of a referral. + Administrative file means the file or files containing all documents +pertaining to a particular administrative action, including internal +working memoranda, and recommendations. + Administrative record means the documents in the administrative file +of a particular administrative action on which the Commissioner relies +to support the action. + Agency means the Food and Drug Administration. + Chief Counsel means the Chief Counsel of the Food and Drug +Administration. + Commissioner means the Commissioner of Food and Drugs, Food and Drug +Administration, U.S. Department of Health and Human Services, or the +Commissioner's designee. + Department means the U.S. Department of Health and Human Services. + Division of Dockets Management means the Division of Dockets +Management, Office of Management and Operations of the Food and Drug +Administration, U.S. Department of Health and Human Services, 5630 +Fishers Lane, rm. 1061, Rockville, MD 20852. + Ex parte communication means an oral or written communication not on +the public record for which reasonable prior notice to all parties is +not given, but does not include requests for status reports on a matter. + FDA means the Food and Drug Administration. + Food and Drug Administration employee or Food and Drug +Administration representative includes members of the Food and Drug +Division of the office of the General Counsel of the Department of +Health and Human Services. + Formal evidentiary public hearing means a hearing conducted under +part 12. + +[[Page 137]] + + Interested person or any person who will be adversely affected means +a person who submits a petition or comment or objection or otherwise +asks to participate in an informal or formal administrative proceeding +or court action. + Meeting means any oral discussion, whether by telephone or in +person. + Office of the Commissioner includes the offices of the Associate +Commissioners but not the centers or the regional or district offices. + Order means the final agency disposition, other than the issuance of +a regulation, in a proceeding concerning any matter and includes action +on a new drug application, new animal drug application, or biological +license. + Participant means any person participating in any proceeding, +including each party and any other interested person. + Party means the center of the Food and Drug Administration +responsible for a matter involved and every person who either has +exercised a right to request or has been granted the right by the +Commissioner to have a hearing under part 12 or part 16 or who has +waived the right to a hearing to obtain the establishment of a Public +Board of Inquiry under part 13 and as a result of whose action a hearing +or a Public Board of Inquiry has been established. + Person includes an individual, partnership, corporation, +association, or other legal entity. + Petition means a petition, application, or other document requesting +the Commissioner to establish, amend, or revoke a regulation or order, +or to take or not to take any other form of administrative action, under +the laws administered by the Food and Drug Administration. + Presiding officer means the Commissioner or the Commissioner's +designee or an administrative law judge appointed as provided in 5 +U.S.C. 3105. + Proceeding and administrative proceeding means any undertaking to +issue, amend, or revoke a regulation or order, or to take or refrain +from taking any other form of administrative action. + Public advisory committee or advisory committee means any committee, +board, commission, council, conference, panel, task force, or other +similar group, or any subcommittee or other subgroup of an advisory +committee, that is not composed wholly of full-time employees of the +Federal Government and is established or utilized by the Food and Drug +Administration to obtain advice or recommendations. + Public Board of Inquiry or Board means an administrative law +tribunal constituted under part 13. + Public hearing before a public advisory committee means a hearing +conducted under part 14. + Public hearing before a Public Board of Inquiry means a hearing +conducted under part 13. + Public hearing before the Commissioner means a hearing conducted +under part 15. + Regulations means an agency rule of general or particular +applicability and future effect issued under a law administered by the +Commissioner or relating to administrative practices and procedures. In +accordance with Sec. 10.90(a), each agency regulation will be published +in the Federal Register and codified in the Code of Federal Regulations. + Regulatory hearing before the Food and Drug Administration means a +hearing conducted under part 16. + Secretary means the Secretary of Health and Human Services. + The laws administered by the Commissioner or the laws administered +by the Food and Drug Administration means all the laws that the +Commissioner is authorized to administer. + (b) A term that is defined in section 201 of the Federal Food, Drug, +and Cosmetic Act or part 1 has the same definition in this part. + (c) Words in the singular form include the plural, words in the +masculine form include the feminine, and vice versa. + (d) Whenever a reference is made in this part to a person in FDA, +e.g., the director of a center, the reference includes all persons to +whom that person has delegated the specific function involved. + +[44 FR 22323, Apr. 13, 1979, as amended at 46 FR 8455, Jan. 27, 1981; 50 +FR 8994, Mar. 6, 1985; 54 FR 6886, Feb. 15, 1989; 54 FR 9034, Mar. 3, +1989; 59 FR 14363, Mar. 28, 1994; 69 FR 17290, Apr. 2, 2004] + +[[Page 138]] + + + +Sec. 10.10 Summaries of administrative practices and procedures. + + To encourage public participation in all agency activities, the +Commissioner will prepare for public distribution summaries of FDA +administrative practices and procedures in readily understandable terms. + + + +Sec. 10.19 Waiver, suspension, or modification of procedural +requirements. + + The Commissioner or a presiding officer may, either voluntarily or +at the request of a participant, waive, suspend, or modify any provision +in parts 12 through 16 applicable to the conduct of a public hearing by +announcement at the hearing or by notice in advance of the hearing if no +participant will be prejudiced, the ends of justice will thereby be +served, and the action is in accordance with law. + + + + Subpart B_General Administrative Procedures + + + +Sec. 10.20 Submission of documents to Division of Dockets Management; +computation of time; availability for public disclosure. + + (a) A submission to the Division of Dockets Management of a +petition, comment, objection, notice, compilation of information, or any +other document is to be filed in four copies except as otherwise +specifically provided in a relevant Federal Register notice or in +another section of this chapter. The Division of Dockets Management is +the agency custodian of these documents. + (b) A submission is to be signed by the person making it, or by an +attorney or other authorized representative of that person. Submissions +by trade associations are also subject to the requirements of Sec. +10.105(b). + (c) Information referred to or relied upon in a submission is to be +included in full and may not be incorporated by reference, unless +previously submitted in the same proceeding. + (1) A copy of an article or other reference or source cited must be +included, except where the reference or source is: + (i) A reported Federal court case; + (ii) A Federal law or regulation; + (iii) An FDA document that is routinely publicly available; or + (iv) A recognized medical or scientific textbook that is readily +available to the agency. + (2) If a part of the material submitted is in a foreign language, it +must be accompanied by an English translation verified to be complete +and accurate, together with the name, address, and a brief statement of +the qualifications of the person making the translation. A translation +of literature or other material in a foreign language is to be +accompanied by copies of the original publication. + (3) Where relevant information is contained in a document also +containing irrelevant information, the irrelevant information is to be +deleted and only the relevant information is to be submitted. + (4) Under Sec. 20.63 (a) and (b), the names and other information +that would identify patients or research subjects are to be deleted from +any record before it is submitted to the Division of Dockets Management +in order to preclude a clearly unwarranted invasion of personal privacy. + (5) Defamatory, scurrilous, or intemperate matter is to be deleted +from a record before it is submitted to the Division of Dockets +Management. + (6) The failure to comply with the requirements of this part or with +Sec. 12.80 or Sec. 13.20 will result in rejection of the submission +for filing or, if it is filed, in exclusion from consideration of any +portion that fails to comply. If a submission fails to meet any +requirement of this section and the deficiency becomes known to the +Division of Dockets Management, the Division of Dockets Management shall +not file the submission but return it with a copy of the applicable +regulations indicating those provisions not complied with. A deficient +submission may be corrected or supplemented and subsequently filed. The +office of the Division of Dockets Management does not make decisions +regarding the confidentiality of submitted documents. + (d) The filing of a submission means only that the Division of +Dockets Management has identified no technical deficiencies in the +submission. The filing of a petition does not mean or imply + +[[Page 139]] + +that it meets all applicable requirements or that it contains reasonable +grounds for the action requested or that the action requested is in +accordance with law. + (e) All submissions to the Division of Dockets Management will be +considered as submitted on the date they are postmarked or, if delivered +in person during regular business hours, on the date they are delivered, +unless a provision in this part, an applicable Federal Register notice, +or an order issued by an administrative law judge specifically states +that the documents must be received by a specified date, e.g., Sec. +10.33(g) relating to a petition for reconsideration, in which case they +will be considered submitted on the date received. + (f) All submissions are to be mailed or delivered in person to the +Division of Dockets Management, Food and Drug Administration, 5630 +Fishers Lane, rm. 1061, Rockville, MD 20852. + (g) FDA ordinarily will not acknowledge or give receipt for +documents, except: + (1) Documents delivered in person or by certified or registered mail +with a return receipt requested; and + (2) Petitions for which acknowledgment of receipt of filing is +provided by regulation or by customary practice, e.g., Sec. 10.30(c) +relating to a citizen petition. + (h) Saturdays, Sundays, and Federal legal holidays are included in +computing the time allowed for the submission of documents, except that +when the time for submission expires on a Saturday, Sunday, or Federal +legal holiday, the period will be extended to include the next business +day. + (i) All submissions to the Division of Dockets Management are +representations that, to the best of the knowledge, information, and +belief of the person making the submission, the statements made in the +submission are true and accurate. All submissions are subject to the +False Reports to the Government Act (18 U.S.C. 1001) under which a +willfully false statement is a criminal offense. + (j) The availability for public examination and copying of +submissions to the Division of Dockets Management is governed by the +following rules: + (1) Except to the extent provided in paragraphs (j)(2) and (3) of +this section, the following submissions, including all supporting +material, will be on public display and will be available for public +examination between 9 a.m. and 4 p.m., Monday through Friday. Requests +for copies of submissions will be filed and handled in accordance with +subpart C of part 20: + (i) Petitions. + (ii) Comments on petitions, on documents published in the Federal +Register, and on similar public documents. + (iii) Objections and requests for hearings filed under part 12. + (iv) Material submitted at a hearing under Sec. 12.32(a)(2) and +parts 12, 13, and 15. + (v) Material placed on public display under the regulations in this +chapter, e.g., agency guidance documents developed under Sec. 10.115. + (2)(i) Material prohibited from public disclosure under Sec. 20.63 +(clearly unwarranted invasion of personal privacy) and, except as +provided in paragraph (j)(3) of this section, material submitted with +objections and requests for hearing filed under part 12, or at a hearing +under part 12 or part 13, or an alternative form of public hearing +before a public advisory committee or a hearing under Sec. 12.32(a) (2) +or (3), of the following types will not be on public display, will not +be available for public examination, and will not be available for +copying or any other form of verbatim transcription unless it is +otherwise available for public disclosure under part 20: + (a) Safety and effectiveness information, which includes all studies +and tests of an ingredient or product on animals and humans and all +studies and tests on the ingredient or product for identity, stability, +purity, potency, bioavailability, performance, and usefulness. + (b) A protocol for a test or study. + (c) Manufacturing methods or processes, including quality control +procedures. + (d) Production, sales distribution, and similar information, except +any compilation of information aggregated and prepared in a way that +does not reveal confidential information. + +[[Page 140]] + + (e) Quantitative or semiquantitative formulas. + (f) Information on product design or construction. + (ii) Material submitted under paragraph (j)(2) of this section is to +be segregated from all other submitted material and clearly so marked. A +person who does not agree that a submission is properly subject to +paragraph (j)(2) may request a ruling from the Associate Commissioner +for Public Affairs whose decision is final, subject to judicial review +under Sec. 20.48. + (3) Material listed in paragraph (j)(2)(i) (a) and (b) of this +section may be disclosed under a protective order issued by the +administrative law judge or other presiding officer at a hearing +referenced in paragraph (j)(2)(i). The administrative law judge or +presiding officer shall permit disclosure of the data only in camera and +only to the extent necessary for the proper conduct of the hearing. The +administrative law judge or presiding officer shall direct to whom the +information is to be made available (e.g., to parties or participants, +or only to counsel for parties or participants), and persons not +specifically permitted access to the data will be excluded from the in +camera part of the proceeding. The administrative law judge or other +presiding officer may impose other conditions or safeguards. The limited +availability of material under this paragraph does not constitute prior +disclosure to the public as defined in Sec. 20.81, and no information +subject to a particular order is to be submitted to or received or +considered by FDA in support of a petition or other request from any +other person. + +[44 FR 22323, Apr. 13, 1979, as amended at 46 FR 8455, Jan. 27, 1981; 49 +FR 7363, Feb. 29, 1984; 54 FR 9034, Mar. 3, 1989; 59 FR 14363, Mar. 28, +1994; 64 FR 69190, Dec. 10, 1999; 65 FR 56477, Sept. 19, 2000; 66 FR +56035, Nov. 6, 2001; 66 FR 66742, Dec. 27, 2001; 68 FR 25285, May 12, +2003] + + + +Sec. 10.25 Initiation of administrative proceedings. + + An administrative proceeding may be initiated in the following three +ways: + (a) An interested person may petition the Commissioner to issue, +amend, or revoke a regulation or order, or to take or refrain from +taking any other form of administrative action. A petition must be +either: + (1) In the form specified in other applicable FDA regulations, e.g., +the form for a color additive petition in Sec. 71.1, for a food +additive petition in Sec. 171.1, for a new drug application in Sec. +314.50, for a new animal drug application in Sec. 514.1, or + (2) in the form for a citizen petition in Sec. 10.30. + (b) The Commissioner may initiate a proceeding to issue, amend, or +revoke a regulation or order or take or refrain from taking any other +form of administrative action. FDA has primary jurisdiction to make the +initial determination on issues within its statutory mandate, and will +request a court to dismiss, or to hold in abeyance its determination of +or refer to the agency for administrative determination, any issue which +has not previously been determined by the agency or which, if it has +previously been determined, the agency concluded should be reconsidered +and subject to a new administrative determination. The Commissioner may +utilize any of the procedures established in this part in reviewing and +making a determination on any matter initiated under this paragraph. + (c) The Commissioner will institute a proceeding to determine +whether to issue, amend, or revoke a regulation or order, or take or +refrain from taking any other form of administrative action whenever any +court, on its own initiative, holds in abeyance or refers any matter to +the agency for an administrative determination and the Commissioner +concludes that an administrative determination is feasible within agency +priorities and resources. + +[44 FR 22323, Apr. 13, 1979, as amended at 54 FR 9034, Mar. 3, 1989] + + + +Sec. 10.30 Citizen petition. + + (a) This section applies to any petition submitted by a person +(including a person who is not a citizen of the United States) except to +the extent that other sections of this chapter apply different +requirements to a particular matter. + (b) A petition (including any attachments) must be submitted in +accordance with the following paragraphs, as applicable: + +[[Page 141]] + + (1) Electronic submission. Petitions (including any attachments) may +be electronically submitted in accordance with paragraph (b)(3) of this +section and Sec. 10.20 through http://www.regulations.gov at Docket No. +FDA 2013-S-0610. It is only necessary to submit one copy. + (2) Mail, delivery services, or other non-electronic submissions. A +petition (including any attachments), that is not electronically +submitted under paragraph (b)(1) of this section, must be submitted in +accordance with paragraph (b)(3) and Sec. 10.20 and delivered to this +address: Division of Dockets Management, Department of Health and Human +Services, Food and Drug Administration, 5630 Fishers Lane, Rm. 1061, +Rockville, MD 20852. It is only necessary to submit two copies. + (3) Petition format. A petition submitted under paragraphs (b)(1) or +(b)(2) of this section must be in accordance with Sec. 10.20 and in the +following format: + + Citizen Petition + + Date:__________________________________________________________________ + + The undersigned submits this petition under ---- (relevant statutory +sections, if known) of the ---- (Federal Food, Drug, and Cosmetic Act or +the Public Health Service Act or any other statutory provision for which +authority has been delegated to the Commissioner of Food and Drugs) to +request the Commissioner of Food and Drugs to---- (issue, amend, or +revoke a regulation or order or take or refrain from taking any other +form of administrative action). + + A. Action Requested + + ((1) If the petition requests the Commissioner to issue, amend, or +revoke a regulation, the exact wording of the existing regulation (if +any) and the proposed regulation or amendment requested.) + ((2) If the petition requests the Commissioner to issue, amend, or +revoke an order, a copy of the exact wording of the citation to the +existing order (if any) and the exact wording requested for the proposed +order.) + ((3) If the petition requests the Commissioner to take or refrain +from taking any other form of administrative action, the specific action +or relief requested.) + + B. Statement of Grounds + + (A full statement, in a well-organized format, of the factual and +legal grounds on which the petitioner relies, including all relevant +information and views on which the petitioner relies, as well as +representative information known to the petitioner which is unfavorable +to the petitioner's position.) + + C. Environmental Impact + + (A) Claim for categorical exclusion under Sec. Sec. 25.30, 25.31, +25.32, 25.33, or Sec. 25.34 of this chapter or an environmental +assessment under Sec. 25.40 of this chapter.) + + D. Economic Impact + + (The following information is to be submitted only when requested by +the Commissioner following review of the petition: A statement of the +effect of requested action on: (1) Cost (and price) increases to +industry, government, and consumers; (2) productivity of wage earners, +businesses, or government; (3) competition; (4) supplies of important +materials, products, or services; (5) employment; and (6) energy supply +or demand.) + + E. Certification + + The undersigned certifies, that, to the best knowledge and belief of +the undersigned, this petition includes all information and views on +which the petition relies, and that it includes representative data and +information known to the petitioner which are unfavorable to the +petition. + + (Signature)____________________________________________________________ + + (Name of petitioner)___________________________________________________ + + (Mailing address)______________________________________________________ + + (Telephone number)_____________________________________________________ + + (c) A petition which appears to meet the requirements of paragraph +(b)(3) of this section and Sec. 10.20 will be filed by the Division of +Dockets Management with the date of filing and assigned a unique docket +number. The unique docket number identifies the docket file established +by the Division of Dockets Management for all submissions relating to +the petition, as provided in this part. Subsequent submissions relating +to the matter must refer to the assigned docket number assigned in this +paragraph and will be filed in the established docket file. Related +petitions may be filed together and given the same docket number. The +Division of Dockets Management will promptly notify the petitioner of +the filing and unique docket number of the petition. + (d) An interested person may submit comments to the Division of +Dockets Management on a filed petition, which comments become part of +the docket file. The comments are to specify the docket number of the +petition and may support or oppose the petition in whole + +[[Page 142]] + +or in part. A request for alternative or different administrative action +must be submitted as a separate petition. + (e)(1) The Commissioner shall, in accordance with paragraph (e)(2), +rule upon each petition filed under paragraph (c) of this section, +taking into consideration (i) available agency resources for the +category of subject matter, (ii) the priority assigned to the petition +considering both the category of subject matter involved and the overall +work of the agency, and (iii) time requirements established by statute. + (2) Except as provided in paragraph (e)(4) of this section, the +Commissioner shall furnish a response to each petitioner within 180 days +of receipt of the petition. The response will either: + (i) Approve the petition, in which case the Commissioner shall +concurrently take appropriate action (e.g., publication of a Federal +Register notice) implementing the approval; + (ii) Deny the petition; or + (iii) Provide a tentative response, indicating why the agency has +been unable to reach a decision on the petition, e.g., because of the +existence of other agency priorities, or a need for additional +information. The tentative response may also indicate the likely +ultimate agency response, and may specify when a final response may be +furnished. + (3) The Commissioner may grant or deny such a petition, in whole or +in part, and may grant such other relief or take other action as the +petition warrants. The petitioner is to be notified of the +Commissioner's decision. The decision will be placed in the public +docket file and may also be in the form of a notice published in the +Federal Register. + (4) The Commissioner shall furnish a response to each petitioner +within 90 days of receipt of a petition filed under section 505(j)(2)(C) +of the act. The response will either approve or disapprove the petition. +Agency action on a petition shall be governed by Sec. 314.93 of this +chapter. + (f) If a petition filed under paragraph (c) of this section requests +the Commissioner to issue, amend, or revoke a regulation, Sec. 10.40 or +Sec. 10.50 also apply. + (g) A petitioner may supplement, amend, or withdraw a petition +without Agency approval and without prejudice to resubmission at any +time until the Commissioner rules on the petition, unless the petition +has been referred for a hearing under parts 12, 13, 14, or 15 of this +chapter. After a ruling or referral, a petition may be supplemented, +amended, or withdrawn only with the approval of the Commissioner. The +Commissioner may approve withdrawal, with or without prejudice against +resubmission of the petition. + (h) In reviewing a petition the Commissioner may use the following +procedures: + (1) Conferences, meetings, discussions, and correspondence under +Sec. 10.65. + (2) A hearing under parts 12, 13, 14, 15, or 16. + (3) A Federal Register notice requesting information and views. + (4) A proposal to issue, amend, or revoke a regulation, in +accordance with Sec. 10.40 or Sec. 12.20. + (5) Any other specific public procedure established in this chapter +and expressly applicable to the matter. + (i) The record of the administrative proceeding consists of the +following: + (1) The petition, including all information on which it relies, +filed by the Division of Dockets Management. + (2) All comments received on the petition, including all information +submitted as a part of the comments. + (3) If the petition resulted in a proposal to issue, amend, or +revoke a regulation, all of the documents specified in Sec. 10.40(g). + (4) The record, consisting of any transcripts, minutes of meetings, +reports, Federal Register notices, and other documents resulting from +the optional procedures specified in paragraph (h) of this section, +except a transcript of a closed portion of a public advisory committee +meeting. + (5) The Commissioner's decision on the petition, including all +information identified or filed by the Commissioner with the Division of +Dockets Management as part of the record supporting the decision. + (6) All documents filed with the Division of Dockets Management +under Sec. 10.65(h). + +[[Page 143]] + + (7) If a petition for reconsideration or for a stay of action is +filed under paragraph (j) of this section, the administrative record +specified in Sec. 10.33(k) or Sec. 10.35(h). + (j) The administrative record specified in paragraph (i) of this +section is the exclusive record for the Commissioner's decision. The +record of the administrative proceeding closes on the date of the +Commissioner's decision unless some other date is specified. Thereafter +any interested person may submit a petition for reconsideration under +Sec. 10.33 or a petition for stay of action under Sec. 10.35. A person +who wishes to rely upon information or views not included in the +administrative record shall submit them to the Commissioner with a new +petition to modify the decision in accordance with this section. + (k) This section does not apply to the referral of a matter to a +United States attorney for the initiation of court enforcement action +and related correspondence, or to requests, suggestions, and +recommendations made informally in routine correspondence received by +FDA. Routine correspondence does not constitute a petition within the +meaning of this section unless it purports to meet the requirements of +this section. Action on routine correspondence does not constitute final +administrative action subject to judicial review under Sec. 10.45. + (l) The Division of Dockets Management will maintain a chronological +list of each petition filed under this section and Sec. 10.85, but not +of petitions submitted elsewhere in the agency under Sec. 10.25(a)(1), +showing: + (1) The docket number; + (2) The date the petition was filed by the Division of Dockets +Management; + (3) The name of the petitioner; + (4) The subject matter involved; and + (5) The disposition of the petition. + +[44 FR 22323, Apr. 13, 1979, as amended at 46 FR 8455, Jan. 27, 1981; 50 +FR 16656, Apr. 26, 1985; 54 FR 9034, Mar. 3, 1989; 57 FR 17980, Apr. 28, +1992; 59 FR 14364, Mar. 28, 1994; 62 FR 40592, July 29, 1997; 66 FR +6467, Jan. 22, 2001; 66 FR 12848, Mar. 1, 2001; 78 FR 76749, Dec. 19, +2013] + + + +Sec. 10.33 Administrative reconsideration of action. + + (a) The Commissioner may at any time reconsider a matter, on the +Commissioner's own initiative or on the petition of an interested +person. + (b) An interested person may request reconsideration of part or all +of a decision of the Commissioner on a petition submitted under Sec. +10.25. Each request for reconsideration must be submitted in accordance +with Sec. 10.20 and in the following form no later than 30 days after +the date of the decision involved. The Commissioner may, for good cause, +permit a petition to be filed after 30 days. In the case of a decision +published in the Federal Register, the day of publication is the day of +decision. + +(Date)__________________________________________________________________ + + Division of Dockets Management, Food and Drug Administration, +Department of Health and Human Services, rm. 1-23, 5630 Fishers Lane, +rm. 1061, Rockville, MD 20852. + + Petition for Reconsideration + + [Docket No.] + + The undersigned submits this petition for reconsideration of the +decision of the Commissioner of Food and Drugs in Docket No. ----. + + A. Decision involved + + (A concise statement of the decision of the Commissioner which the +petitioner wishes to have reconsidered.) + + B. Action requested + + (The decision which the petitioner requests the Commissioner to make +upon reconsideration of the matter.) + + C. Statement of grounds + + (A full statement, in a well-organized format, of the factual and +legal grounds upon which the petitioner relies. The grounds must +demonstrate that relevant information and views contained in the +administrative record were not previously or not adequately considered +by the Commissioner. + (No new information or views may be included in a petition for +reconsideration.) + +(Signature)_____________________________________________________________ +(Name of petitioner)____________________________________________________ +(Mailing address)_______________________________________________________ +(Telephone number)______________________________________________________ + + (c) A petition for reconsideration relating to a petition submitted +under Sec. 10.25(a)(2) is subject to the requirements of Sec. 10.30 +(c) and (d), except that it is filed in the same docket file as the +petition to which it relates. + +[[Page 144]] + + (d) The Commissioner shall promptly review a petition for +reconsideration. The Commissioner may grant the petition when the +Commissioner determines it is in the public interest and in the interest +of justice. The Commissioner shall grant a petition for reconsideration +in any proceeding if the Commissioner determines all of the following +apply: + (1) The petition demonstrates that relevant information or views +contained in the administrative record were not previously or not +adequately considered. + (2) The petitioner's position is not frivolous and is being pursued +in good faith. + (3) The petitioner has demonstrated sound public policy grounds +supporting reconsideration. + (4) Reconsideration is not outweighed by public health or other +public interests. + (e) A petition for reconsideration may not be based on information +and views not contained in the administrative record on which the +decision was made. An interested person who wishes to rely on +information or views not included in the administrative record shall +submit them with a new petition to modify the decision under Sec. +10.25(a). + (f) The decision on a petition for reconsideration is to be in +writing and placed on public display as part of the docket file on the +matter in the office of the Division of Dockets Management. A +determination to grant reconsideration will be published in the Federal +Register if the Commissioner's original decision was so published. Any +other determination to grant or deny reconsideration may also be +published in the Federal Register. + (g) The Commissioner may consider a petition for reconsideration +only before the petitioner brings legal action in the courts to review +the action, except that a petition may also be considered if the +Commissioner has denied a petition for stay of action and the petitioner +has petitioned for judicial review of the Commissioner's action and +requested the reviewing court to grant a stay pending consideration of +review. A petition for reconsideration submitted later than 30 days +after the date of the decision involved will be denied as untimely +unless the Commissioner permits the petition to be filed after 30 days. +A petition for reconsideration will be considered as submitted on the +day it is received by the Division of Dockets Management. + (h) The Commissioner may initiate the reconsideration of all or part +of a matter at any time after it has been decided or action has been +taken. If review of the matter is pending in the courts, the +Commissioner may request that the court refer the matter back to the +agency or hold its review in abeyance pending administrative +reconsideration. The administrative record of the proceeding is to +include all additional documents relating to such reconsideration. + (i) After determining to reconsider a matter, the Commissioner shall +review and rule on the merits of the matter under Sec. 10.30(e). The +Commissioner may reaffirm, modify, or overrule the prior decision, in +whole or in part, and may grant such other relief or take such other +action as is warranted. + (j) The Commissioner's reconsideration of a matter relating to a +petition submitted under Sec. 10.25(a)(2) is subject to Sec. 10.30 (f) +through (h), (j), and (k). + (k) The record of the administrative proceeding consists of the +following: + (1) The record of the original petition specified in Sec. 10.30(i). + (2) The petition for reconsideration, including all information on +which it relies, filed by the Division of Dockets Management. + (3) All comments received on the petition, including all information +submitted as a part of the comments. + (4) The Commissioner's decision on the petition under paragraph (f) +of this section, including all information identified or filed by the +Commissioner with the Division of Dockets Management as part of the +record supporting the decision. + (5) Any Federal Register notices or other documents resulting from +the petition. + (6) All documents filed with the Division of Dockets Management +under Sec. 10.65(h). + (7) If the Commissioner reconsiders the matter, the administrative +record + +[[Page 145]] + +relating to reconsideration specified in Sec. 10.30(i). + +[44 FR 22323, Apr. 13, 1979, as amended at 46 FR 8455, Jan. 27, 1981; 59 +FR 14364, Mar. 28, 1994; 66 FR 6467, Jan. 22, 2001; 66 FR 12848, Mar. 1, +2001] + + + +Sec. 10.35 Administrative stay of action. + + (a) The Commissioner may at any time stay or extend the effective +date of an action pending or following a decision on any matter. + (b) An interested person may request the Commissioner to stay the +effective date of any administrative action. A stay may be requested for +a specific time period or for an indefinite time period. A request for +stay must be submitted in accordance with Sec. 10.20 and in the +following form no later than 30 days after the date of the decision +involved. The Commissioner may, for good cause, permit a petition to be +filed after 30 days. In the case of a decision published in the Federal +Register, the day of publication is the date of decision. + +(Date)__________________________________________________________________ + + Division of Dockets Management, Food and Drug Administration, +Department of Health and Human Services, 5630 Fishers Lane, rm. 1061, +Rockville, MD 20852. + + Petition for Stay of Action + + The undersigned submits this petition requesting that the +Commissioner of Food and Drugs stay the effective date of the following +matter. + + A. Decision involved + + (The specific administrative action being taken by the Commissioner +for which a stay is requested, including the docket number or other +citation to the action involved.) + + B. Action requested + + (The length of time for which the stay is requested, which may be +for a specific or indefinite time period.) + + C. Statement of grounds + + (A full statement, in a well-organized format, of the factual and +legal grounds upon which the petitioner relies for the stay.) + +(Signature)_____________________________________________________________ +(Name of petitioner)____________________________________________________ +(Mailing address)_______________________________________________________ +(Telephone number)______________________________________________________ + + (c) A petition for stay of action relating to a petition submitted +under Sec. 10.25(a)(2) is subject to the requirements of Sec. 10.30 +(c) and (d), except that it will be filed in the same docket file as the +petition to which it relates. + (d) Neither the filing of a petition for a stay of action nor action +taken by an interested person in accordance with any other +administrative procedure in this part or in any other section of this +chapter, e.g., the filing of a citizen petition under Sec. 10.30 or a +petition for reconsideration under Sec. 10.33 or a request for an +advisory opinion under Sec. 10.85, will stay or otherwise delay any +administrative action by the Commissioner, including enforcement action +of any kind, unless one of the following applies: + (1) The Commissioner determines that a stay or delay is in the +public interest and stays the action. + (2) A statute requires that the matter be stayed. + (3) A court orders that the matter be stayed. + (e) The Commissioner shall promptly review a petition for stay of +action. The Commissioner may grant or deny a petition, in whole or in +part; and may grant such other relief or take such other action as is +warranted by the petition. The Commissioner may grant a stay in any +proceeding if it is in the public interest and in the interest of +justice. The Commissioner shall grant a stay in any proceeding if all of +the following apply: + (1) The petitioner will otherwise suffer irreparable injury. + (2) The petitioner's case is not frivolous and is being pursued in +good faith. + (3) The petitioner has demonstrated sound public policy grounds +supporting the stay. + (4) The delay resulting from the stay is not outweighted by public +health or other public interests. + (f) The Commissioner's decision on a petition for stay of action is +to be in writing and placed on public display as part of the file on the +matter in the office of the Division of Dockets Management. A +determination to grant a stay will be published in the Federal Register +if the Commissioner's original decision was so published. Any other +determination to grant or to deny a stay may also be published in the +Federal Register. + +[[Page 146]] + + (g) A petition for a stay of action submitted later than 30 days +after the date of the decision involved will be denied as untimely +unless the Commissioner permits the petition to be filed after 30 days. +A petition for a stay of action is considered submitted on the day it is +received by the Division of Dockets Management. + (h) The record of the administrative proceeding consists of the +following: + (1) The record of the proceeding to which the petition for stay of +action is directed. + (2) The petition for stay of action, including all information on +which it relies, filed by the Division of Dockets Management. + (3) All comments received on the petition, including all information +submitted as a part of the comments. + (4) The Commissioner's decision on the petition under paragraph (e) +of this section, including all information identified or filed by the +Commissioner with the Division of Dockets Management as part of the +record supporting the decision. + (5) Any Federal Register notices or other documents resulting from +the petition. + (6) All documents filed with the Division of Dockets Management +under Sec. 10.65(h). + +[44 FR 22323, Apr. 13, 1979, as amended at 46 FR 8455, Jan. 27, 1981; 54 +FR 9034, Mar. 3, 1989; 59 FR 14364, Mar. 28, 1994; 66 FR 6468, Jan. 22, +2001; 66 FR 12848, Mar. 1, 2001] + + + +Sec. 10.40 Promulgation of regulations for the efficient enforcement +of the law. + + (a) The Commissioner may propose and promulgate regulations for the +efficient enforcement of the laws administered by FDA whenever it is +necessary or appropriate to do so. The issuance, amendment, or +revocation of a regulation may be initiated in any of the ways specified +in Sec. 10.25. + (1) This section applies to any regulation: (i) Not subject to Sec. +10.50 and part 12, or (ii) if it is subject to Sec. 10.50 and part 12, +to the extent that those provisions make this section applicable. + (2) A regulation proposed by an interested person in a petition +submitted under Sec. 10.25(a) will be published in the Federal Register +as a proposal if: + (i) The petition contains facts demonstrating reasonable grounds for +the proposal; and + (ii) The petition substantially shows that the proposal is in the +public interest and will promote the objectives of the act and the +agency. + (3) Two or more alternative proposed regulations may be published on +the same subject to obtain comment on the different alternatives. + (4) A regulation proposed by an interested person in a petition +submitted under Sec. 10.25(a) may be published together with the +Commissioner's preliminary views on the proposal and any alternative +proposal. + (b) Except as provided in paragraph (e) of this section, each +regulation must be the subject of a notice of proposed rulemaking +published in the Federal Register. (1) The notice will contain: + (i) The name of the agency; + (ii) The nature of the action, e.g., proposed rule, or notice; + (iii) A summary in the first paragraph describing the substance of +the document in easily understandable terms; + (iv) Relevant dates, e.g., comment closing date, and proposed +effective date(s); + (v) The name, business address, and phone number of an agency +contact person who can provide further information to the public about +the notice; + (vi) An address for submitting written comments; + (vii) Supplementary information about the notice in the form of a +preamble that summarizes the proposal and the facts and policy +underlying it, includes references to all information on which the +Commissioner relies for the proposal (copies or a full list of which are +a part of the docket file on the matter in the office of the Division of +Dockets Management), and cites the authority under which the regulation +is proposed; + (viii) Either the terms or substance of the proposed regulation or a +description of the subjects and issues involved; + (ix) A reference to the existence or lack of need for an +environmental impact statement under Sec. 25.52 of this chapter; and + +[[Page 147]] + + (x) The docket number of the matter, which identifies the docket +file established by the Division of Dockets Management for all relevant +submissions. + (2) The proposal will provide 60 days for comment, although the +Commissioner may shorten or lengthen this time period for good cause. In +no event is the time for comment to be less than 10 days. + (3) After publication of the proposed rule, any interested person +may request the Commissioner to extend the comment period for an +additional specified period by submitting a written request to the +Division of Dockets Management stating the grounds for the request. The +request is submitted under Sec. 10.35 but should be headed ``REQUEST +FOR EXTENSION OF COMMENT PERIOD.'' + (i) A request must discuss the reason comments could not feasibly be +submitted within the time permitted, or that important new information +will shortly be available, or that sound public policy otherwise +supports an extension of the time for comment. The Commissioner may +grant or deny the request or may grant an extension for a time period +different from that requested. An extension may be limited to specific +persons who have made and justified the request, but will ordinarily +apply to all interested persons. + (ii) A comment time extension of 30 days or longer will be published +in the Federal Register and will be applicable to all interested +persons. A comment time extension of less than 30 days will be the +subject either of a letter or memorandum filed with the Division of +Dockets Management or of a notice published in the Federal Register. + (4) A notice of proposed rulemaking will request that four copies of +all comments be submitted to the Division of Dockets Management, except +that individuals may submit single copies. Comments will be stamped with +the date of receipt and will be numbered chronologically. + (5) Persons submitting comments critical of a proposed regulation +are encouraged to include their preferred alternative wording. + (c) After the time for comment on a proposed regulation has expired, +the Commissioner will review the entire administrative record on the +matter, including all comments and, in a notice published in the Federal +Register, will terminate the proceeding, issue a new proposal, or +promulgate a final regulation. + (1) The quality and persuasiveness of the comments will be the basis +for the Commissioner's decision. The number or length of comments will +not ordinarily be a significant factor in the decision unless the number +of comments is material where the degree of public interest is a +legitimate factor for consideration. + (2) The decision of the Commissioner on the matter will be based +solely upon the administrative record. + (3) A final regulation published in the Federal Register will have a +preamble stating: (i) The name of the agency, (ii) the nature of the +action e.g., final rule, notice, (iii) a summary first paragraph +describing the substance of the document in easily understandable terms, +(iv) relevant dates, e.g., the rule's effective date and comment closing +date, if an opportunity for comment is provided, (v) the name, business +address, and phone number of an agency contact person who can provide +further information to the public about the notice, (vi) an address for +the submission of written comments when they are permitted, (vii) +supplementary information about the regulation in the body of the +preamble that contains references to prior notices relating to the same +matter and a summary of each type of comment submitted on the proposal +and the Commissioner's conclusions with respect to each. The preamble is +to contain a thorough and comprehensible explanation of the reasons for +the Commissioner's decision on each issue. + (4) The effective date of a final regulation may not be less than 30 +days after the date of publication in the Federal Register, except for: + (i) A regulation that grants an exemption or relieves a restriction; +or + (ii) A regulation for which the Commissioner finds, and states in +the notice good cause for an earlier effective date. + (d) The provisions for notice and comment in paragraphs (b) and (c) +of + +[[Page 148]] + +this section apply only to the extent required by the Administrative +Procedure Act (5 U.S.C. 551, 552, and 553). As a matter of discretion, +however, the Commissioner may voluntarily follow those provisions in +circumstances in which they are not required by the Administrative +Procedure Act. + (e) The requirements of notice and public procedure in paragraph (b) +of this section do not apply in the following situations: + (1) When the Commissioner determines for good cause that they are +impracticable, unnecessary, or contrary to the public interest. In these +cases, the notice promulgating the regulation will state the reasons for +the determination, and provide an opportunity for comment to determine +whether the regulation should subsequently be modified or revoked. A +subsequent notice based on those comments may, but need not, provide +additional opportunity for public comment. + (2) Food additive and color additive petitions, which are subject to +the provisions of Sec. 12.20(b)(2). + (3) New animal drug regulations, which are promulgated under section +512(i) of the act. + (f) In addition to the notice and public procedure required under +paragraph (b) of this section, the Commissioner may also subject a +proposed or final regulation, before or after publication in the Federal +Register, to the following additional procedures: + (1) Conferences, meetings, discussions, and correspondence under +Sec. 10.65. + (2) A hearing under parts 12, 13, 14, or 15. + (3) A notice published in the Federal Register requesting +information and views before the Commissioner determines whether to +propose a regulation. + (4) A draft of a proposed regulation placed on public display in the +office of the Division of Dockets Management. If this procedure is used, +the Commissioner shall publish an appropriate notice in the Federal +Register stating that the document is available and specifying the time +within which comments on the draft proposal may be submitted orally or +in writing. + (5) A revised proposal published in the Federal Register, which +proposal is subject to all the provisions in this section relating to +proposed regulations. + (6) A tentative final regulation or tentative revised final +regulation placed on public display in the office of the Division of +Dockets Management and, if deemed desirable by the Commissioner, +published in the Federal Register. If the tentative regulation is placed +on display only, the Commissioner shall publish an appropriate notice in +the Federal Register stating that the document is available and +specifying the time within which comments may be submitted orally or in +writing on the tentative final regulation. The Commissioner shall mail a +copy of the tentative final regulation and the Federal Register notice +to each person who submitted comments on the proposed regulation if one +has been published. + (7) A final regulation published in the Federal Register that +provides an opportunity for the submission of further comments, in +accordance with paragraph (e)(1) of this section. + (8) Any other public procedure established in this chapter and +expressly applicable to the matter. + (g) The record of the administrative proceeding consists of all of +the following: + (1) If the regulation was initiated by a petition, the +administrative record specified in Sec. 10.30(i). + (2) If a petition for reconsideration or for a stay of action is +filed, the administrative record specified in Sec. Sec. 10.33(k) and +10.35(h). + (3) The proposed rule published in the Federal Register, including +all information identified or filed by the Commissioner with the +Division of Dockets Management on the proposal. + (4) All comments received on the proposal, including all information +submitted as a part of the comments. + (5) The notice promulgating the final regulation, including all +information identified or filed by the Commissioner with the Division of +Dockets Management as part of the administrative record of the final +regulation. + (6) The transcripts, minutes of meetings, reports, Federal Register +notices, and other documents resulting from the procedures specified in +paragraph (f) of this section, but not the + +[[Page 149]] + +transcript of a closed portion of a public advisory committee meeting. + (7) All documents submitted to the Division of Dockets Management +under Sec. 10.65(h). + (h) The record of the administrative proceeding closes on the date +of publication of the final regulation in the Federal Register unless +some other date is specified. Thereafter, any interested person may +submit a petition for reconsideration under Sec. 10.33 or a petition +for stay of action under Sec. 10.35. A person who wishes to rely upon +information or views not included in the administrative record shall +submit it to the Commissioner with a new petition to modify the final +regulation. + (i) The Division of Dockets Management shall maintain a +chronological list of all regulations proposed and promulgated under +this section and Sec. 10.50 (which list will not include regulations +resulting from petitions filed and assigned a docket number under Sec. +10.30) showing-- + (1) The docket number (for a petition submitted directly to a +center, the list also includes the number or other designation assigned +by the center, e.g., the number assigned to a food additive petition); + (2) The name of the petitioner, if any; + (3) The subject matter involved; and + (4) The disposition of the petition. + +[44 FR 22323, Apr. 13, 1979, as amended at 52 FR 36401, Sept. 29, 1987; +54 FR 9034, Mar. 3, 1989; 56 FR 13758, Apr. 4, 1991; 62 FR 40592, July +29, 1997; 66 FR 6468, Jan. 22, 2001; 66 FR 12848, Mar. 1, 2001] + + + +Sec. 10.45 Court review of final administrative action; exhaustion +of administrative remedies. + + (a) This section applies to court review of final administrative +action taken by the Commissioner, including action taken under +Sec. Sec. 10.25 through 10.40 and Sec. 16.1(b), except action subject +to Sec. 10.50 and part 12. + (b) A request that the Commissioner take or refrain from taking any +form of administrative action must first be the subject of a final +administrative decision based on a petition submitted under Sec. +10.25(a) or, where applicable, a hearing under Sec. 16.1(b) before any +legal action is filed in a court complaining of the action or failure to +act. If a court action is filed complaining of the action or failure to +act before the submission of the decision on a petition under Sec. +10.25(a) or, where applicable, a hearing under Sec. 16.1(b), the +Commissioner shall request dismissal of the court action or referral to +the agency for an initial administrative determination on the grounds of +a failure to exhaust administrative remedies, the lack of final agency +action as required by 5 U.S.C. 701 et seq., and the lack of an actual +controversy as required by 28 U.S.C. 2201. + (c) A request that administrative action be stayed must first be the +subject of an administrative decision based upon a petition for stay of +action submitted under Sec. 10.35 before a request is made that a court +stay the action. If a court action is filed requesting a stay of +administrative action before the Commissioner's decision on a petition +submitted in a timely manner pursuant to Sec. 10.35, the Commissioner +shall request dismissal of the court action or referral to the agency +for an initial determination on the grounds of a failure to exhaust +administrative remedies, the lack of final agency action as required by +5 U.S.C. 701 et seq., and the lack of an actual controversy as required +by 28 U.S.C. 2201. If a court action is filed requesting a stay of +administrative action after a petition for a stay of action is denied +because it was submitted after expiration of the time period provided +under Sec. 10.35, or after the time for submitting such a petition has +expired, the Commissioner will request dismissal of the court action on +the ground of a failure to exhaust administrative remedies. + (d) Unless otherwise provided, the Commissioner's final decision +constitutes final agency action (reviewable in the courts under 5 U.S.C. +701 et seq. and, where appropriate, 28 U.S.C. 2201) on a petition +submitted under Sec. 10.25(a), on a petition for reconsideration +submitted under Sec. 10.33, on a petition for stay of action submitted +under Sec. 10.35, on an advisory opinion issued under Sec. 10.85, on a +matter involving administrative action which is the subject of an +opportunity for a hearing under Sec. 16.1(b) of this chapter, or on the +issuance of a final regulation published in accordance with Sec. 10.40, +except that + +[[Page 150]] + +the agency's response to a petition filed under section 505(j)(2)(C) of +the act (21 U.S.C. 355(j)(2)(C)) and Sec. 314.93 of this chapter will +not constitute final agency action until any petition for +reconsideration submitted by the petitioner is acted on by the +Commissioner. + (1) It is the position of FDA except as otherwise provided in +paragraph (d)(2) of this section, that: + (i) Final agency action exhausts all administrative remedies and is +ripe for preenforcement judicial review as of the date of the final +decision, unless applicable law explicitly requires that the petitioner +take further action before judicial review is available; + (ii) An interested person is affected by, and thus has standing to +obtain judicial review of final agency action; and + (iii) It is not appropriate to move to dismiss a suit for +preenforcement judicial review of final agency action on the ground that +indispenable parties are not joined or that it is an unconsented suit +against the United States if the defect could be cured by amending the +complaint. + (2) The Commissioner shall object to judicial review of a matter if: + (i) The matter is committed by law to the discretion of the +Commissioner, e.g., a decision to recommend or not to recommend civil or +criminal enforcement action under sections 302, 303, and 304 of the act; +or + (ii) Review is not sought in a proper court. + (e) An interested person may request judicial review of a final +decision of the Commissioner in the courts without first petitioning the +Commissioner for reconsideration or for a stay of action, except that in +accordance with paragraph (c) of this section, the person shall request +a stay by the Commissioner under Sec. 10.35 before requesting a stay by +the court. + (f) The Commissioner shall take the position in an action for +judicial review under 5 U.S.C. 701 et seq., whether or not it includes a +request for a declaratory judgment under 28 U.S.C. 2201, or in any other +case in which the validity of administrative action is properly +challenged, that the validity of the action must be determined solely on +the basis of the administrative record specified in Sec. Sec. 10.30(i), +10.33(k), 10.35(h), 10.40(g), and 16.80(a) or the administrative record +applicable to any decision or action under the regulations referenced in +Sec. 16.1(b), and that additional information or views may not be +considered. An interested person who wishes to rely upon information or +views not included in the administrative record shall submit them to the +Commissioner with a new petition to modify the action under Sec. +10.25(a). + (g) The Commissioner requests that all petitions for judicial review +of a particular matter be filed in a single U.S. District court. If +petitions are filed in more than one jurisdiction, the Commissioner will +take appropriate action to prevent a multiplicity of suits in various +jurisdictions, such as: + (1) A request for transfer of one or more suits to consolidate +separate actions, under 28 U.S.C. 1404(a) or 28 U.S.C. 2112(a); + (2) A request that actions in all but one jurisdiction be stayed +pending the conclusion of one proceeding; + (3) A request that all but one action be dismissed pending the +conclusion of one proceeding, with the suggestion that the other +plaintiffs intervene in that one suit; or + (4) A request that one of the suits be maintained as a class action +in behalf of all affected persons. + (h)(1) For the purpose of 28 U.S.C. 2112(a), a copy of any petition +filed in any U.S. Court of Appeals challenging a final action of the +Commissioner shall be sent by certified mail, return receipt requested, +or by personal delivery to the Chief Counsel of FDA. The petition copy +shall be time-stamped by the clerk of the court when the original is +filed with the court. The petition copy should be addressed to: Office +of the Chief Counsel (GCF-1), Food and Drug Administration, 5600 Fishers +Lane, Rockville, MD 20857. The Chief Counsel requests that the purpose +of all petitions mailed or delivered to the Office of Chief Counsel to +satisfy 28 U.S.C. 2112(a) be clearly identified in a cover letter. + (2) If the Chief Counsel receives two or more petitions filed in two +or more U.S. Courts of Appeals for review of any agency action within 10 +days of the + +[[Page 151]] + +effective date of that action for the purpose of judicial review, the +Chief Counsel will notify the U.S. Judicial Panel on Multidistrict +Litigation of any petitions that were received within the 10-day period, +in accordance with the applicable rule of the panel. + (3) For the purpose of determining whether a petition for review has +been received within the 10-day period under paragraph (h)(2) of this +section, the petition shall be considered to be received on the date of +delivery, if personally delivered. If the delivery is accomplished by +mail, the date of receipt shall be the date noted on the return receipt +card. + (i) Upon judicial review of administrative action under this +section: + (1) If a court determines that the administrative record is +inadequate to support the action, the Commissioner shall determine +whether to proceed with such action. (i) If the Commissioner decides to +proceed with the action, the court will be requested to remand the +matter to the agency to reopen the administrative proceeding and record, +or on the Commissioner's own initiative the administrative proceeding +and record may be reopened upon receipt of the court determination. A +reopened administrative proceeding will be conducted under the +provisions of this part and in accordance with any directions of the +court. + (ii) If the Commissioner concludes that the public interest requires +that the action remain in effect pending further administrative +proceedings, the court will be requested not to stay the matter in the +interim and the Commissioner shall expedite the further administrative +proceedings. + (2) If a court determines that the administrative record is +adequate, but the rationale for the action must be further explained: + (i) The Commissioner shall request either that further explanation +be provided in writing directly to the court without further +administrative proceedings, or that the administrative proceeding be +reopened in accordance with paragraph (i)(1)(i) of this section; and + (ii) If the Commissioner concludes that the public interest requires +that the action remain in effect pending further court or administrative +proceedings, the court will be requested not to stay the matter in the +interim and the Commissioner shall expedite the further proceedings. + +[44 FR 22323, Apr. 13, 1979, as amended at 54 FR 6886, Feb. 15, 1989; 54 +FR 9034, Mar. 3, 1989; 57 FR 17980, Apr. 28, 1992; 65 FR 56477, Sept. +19, 2000; 69 FR 31705, June 4, 2004] + + + +Sec. 10.50 Promulgation of regulations and orders after an +opportunity for a formal evidentiary public hearing. + + (a) The Commissioner shall promulgate regulations and orders after +an opportunity for a formal evidentiary public hearing under part 12 +whenever all of the following apply: + (1) The subject matter of the regulation or order is subject by +statute to an opportunity for a formal evidentiary public hearing. + (2) The person requesting the hearing has a right to an opportunity +for a hearing and submits adequate justification for the hearing as +required by Sec. Sec. 12.20 through 12.22 and other applicable +provisions in this chapter, e.g., Sec. Sec. 314.200, 514.200, and +601.7(a). + (b) The Commissioner may order a formal evidentiary public hearing +on any matter whenever it would be in the public interest to do so. + (c) The provisions of the act, and other laws, that afford a person +who would be adversely affected by administrative action an opportunity +for a formal evidentiary public hearing as listed below. The list +imparts no right to a hearing where the statutory section provides no +opportunity for a hearing. + (1) Section 401 on any action for the amendment or repeal of any +definition and standard of identity for any dairy product (including +products regulated under parts 131, 133, and 135 of this chapter) or +maple sirup (regulated under Sec. 168.140 of this chapter). + (2) Section 403(j) on regulations for labeling of foods for special +dietary uses. + (3) Section 404(a) on regulations for emergency permit control. + (4) Section 406 on tolerances for poisonous substances in food. + (5) Section 409 (c), (d), and (h) on food additive regulations. + +[[Page 152]] + + (6) Section 501(b) on tests or methods of assay for drugs described +in official compendia. + (7) [Reserved] + (8) Section 502(h) on regulations designating requirements for drugs +liable to deterioration. + (9) Section 502(n) on prescription drug advertising regulations. + (10)-(11) [Reserved] + (12) Section 512(n)(5) on regulations for animal antibiotic drugs +and certification requirements. + (13) Section 721 (b) and (c) on regulations for color additive +listing and certification. + (14) Section 4(a) of the Fair Packaging and Labeling Act on food, +drug, device, and cosmetic labeling. + (15) Section 5(c) of the Fair Packaging and Labeling Act on +additional economic regulations for food, drugs, devices, and cosmetics. + (16) Section 505 (d) and (e) on new drug applications. + (17) Section 512 (d), (e) and (m) (3) and (4) on new animal drug +applications. + (18) Section 515(g) on device premarket approval applications and +product development protocols. + (19) Section 351(a) of the Public Health Service Act on a biologics +license for a biological product. + (20) Section 306 on debarment, debarment period and considerations, +termination of debarment under section 306(d)(3), suspension, and +termination of suspension. + +[44 FR 22323, Apr. 13, 1979, as amended at 54 FR 9034, Mar. 3, 1989; 58 +FR 49190, Sept. 22, 1993; 60 FR 38626, July 27, 1995; 63 FR 26697, May +13, 1998; 64 FR 398, Jan. 5, 1999; 64 FR 56448, Oct. 20, 1999; 67 FR +4906, Feb. 1, 2002] + + + +Sec. 10.55 Separation of functions; ex parte communications. + + (a) This section applies to any matter subject by statute to an +opportunity for a formal evidentiary public hearing, as listed in Sec. +10.50(c), and any matter subject to a hearing before a Public Board of +Inquiry under part 13. + (b) In the case of a matter listed in Sec. 10.50(c) (1) through +(10) and (12) through (15): + (1) An interested person may meet or correspond with any FDA +representative concerning a matter prior to publication of a notice +announcing a formal evidentiary public hearing or a hearing before a +Public Board of Inquiry on the matter; the provisions of Sec. 10.65 +apply to the meetings and correspondence; and + (2) Upon publication of a notice announcing a formal evidentiary +public hearing or a hearing before a Public Board of Inquiry, the +following separation of functions apply: + (i) The center responsible for the matter is, as a party to the +hearing, responsible for all investigative functions and for +presentation of the position of the center at the hearing and in any +pleading or oral argument before the Commissioner. Representatives of +the center may not participate or advise in any decision except as +witness or counsel in public proceedings. There is to be no other +communication between representatives of the center and representatives +of the office of the Commissioner concerning the matter before the +decision of the Commissioner. The Commissioner may, however, designate +representatives of a center to advise the office of the Commissioner, or +designate members of that office to advise a center. The designation +will be in writing and filed with the Division of Dockets Management no +later than the time specified in paragraph (b)(2) of this section for +the application of separation of functions. All members of FDA other +than representatives of the involved center (except those specifically +designated otherwise) shall be available to advise and participate with +the office of the Commissioner in its functions relating to the hearing +and the final decision. + (ii) The Chief Counsel for FDA shall designate members of the office +of General Counsel to advise and participate with the center in its +functions in the hearing and members who are to advise the office of the +Commissioner in its functions related to the hearing and the final +decision. The members of the office of General Counsel designated to +advise the center may not participate or advise in any decision of the +Commissioner except as counsel in public proceedings. The designation is +to be in the form of a memorandum filed with the Division of Dockets +Management and made a part of the administrative record in the +proceeding. There may be + +[[Page 153]] + +no other communication between those members of the office of General +Counsel designated to advise the office of the Commissioner and any +other persons in the office of General Counsel or in the involved center +with respect to the matter prior to the decision of the Commissioner. +The Chief Counsel may assign new attorneys to advise either the center +or the office of the Commissioner at any stage of the proceedings. The +Chief Counsel will ordinarily advise and participate with the office of +the Commissioner in its functions relating to the hearing and the final +decision. + (iii) The office of the Commissioner is responsible for the agency +review and final decision of the matter, with the advice and +participation of anyone in FDA other than representatives of the +involved center and those members of the office of General Counsel +designated to assist in the center's functions in the hearing. + (c) In a matter listed in Sec. 10.50(c) (11) and (16) through (19), +the provisions relating to separation of functions set forth in +Sec. Sec. 314.200(f), 514.200, and 601.7(a) are applicable before +publication of a notice announcing a formal evidentiary public hearing +or a hearing before a Public Board of Inquiry. Following publication of +the notice of hearing, the rules in paragraph (b)(2) of this section +apply. + (d) Except as provided in paragraph (e) of this section, between the +date that separation of functions applies under paragraph (b) or (c) of +this section and the date of the Commissioner's decision on the matter, +communication concerning the matter involved in the hearing will be +restricted as follows: + (1) No person outside the agency may have an ex parte communication +with the presiding officer or any person representing the office of the +Commissioner concerning the matter in the hearing. Neither the presiding +officer nor any person representing the office of the Commissioner may +have any ex parte communication with a person outside the agency +concerning the matter in the hearing. All communications are to be +public communications, as witness or counsel, under the applicable +provisions of this part. + (2) A participant in the hearing may submit a written communication +to the office of the Commissioner with respect to a proposal for +settlement. These communications are to be in the form of pleadings, +served on all other participants, and filed with the Division of Dockets +Management like any other pleading. + (3) A written communication contrary to this section must be +immediately served on all other participants and filed with the Division +of Dockets Management by the presiding officer at the hearing, or by the +Commissioner, depending on who received the communication. An oral +communication contrary to this section must be immediately recorded in a +written memorandum and similarly served on all other participants and +filed with the Division of Dockets Management. A person, including a +representative of a participant in the hearing, who is involved in an +oral communication contrary to this section, must, if possible, be made +available for cross-examination during the hearing with respect to the +substance of that conversation. Rebuttal testimony pertinent to a +written or oral communication contrary to this section will be +permitted. Cross-examination and rebuttal testimony will be transcribed +and filed with the Division of Dockets Management. + (e) The prohibitions specified in paragraph (d) of this section +apply to a person who knows of a notice of hearing in advance of its +publication from the time the knowledge is acquired. + (f) The making of a communication contrary to this section may, +consistent with the interests of justice and the policy of the +underlying statute, result in a decision adverse to the person knowingly +making or causing the making of such a communication. + +[44 FR 22323, Apr. 13, 1979, as amended at 50 FR 8994, Mar. 6, 1985; 54 +FR 9035, Mar. 3, 1989; 64 FR 398, Jan. 5, 1999] + + + +Sec. 10.60 Referral by court. + + (a) This section applies when a Federal, State, or local court holds +in abeyance, or refers to the Commissioner, any matter for an initial +administrative determination under Sec. 10.25(c) or Sec. 10.45(b). + +[[Page 154]] + + (b) The Commissioner shall promptly agree or decline to accept a +court referral. Whenever feasible in light of agency priorities and +resources, the Commissioner shall agree to accept a referral and shall +proceed to determine the matter referred. + (c) In reviewing the matter, the Commissioner may use the following +procedures: + (1) Conferences, meetings, discussions, and correspondence under +Sec. 10.65. + (2) A hearing under parts 12, 13, 14, 15, or 16. + (3) A notice published in the Federal Register requesting +information and views. + (4) Any other public procedure established in other sections of this +chapter and expressly applicable to the matter under those provisions. + (d) If the Commissioner's review of the matter results in a proposed +rule, the provisions of Sec. 10.40 or Sec. 10.50 also apply. + + + +Sec. 10.65 Meetings and correspondence. + + (a) In addition to public hearings and proceedings established under +this part and other sections of this chapter, meetings may be held and +correspondence may be exchanged between representatives of FDA and an +interested person outside FDA on a matter within the jurisdiction of the +laws administered by the Commissioner. Action on meetings and +correspondence does not constitute final administrative action subject +to judicial review under Sec. 10.45. + (b) The Commissioner may conclude that it would be in the public +interest to hold an open public meeting to discuss a matter (or class of +matters) pending before FDA, in which any interested person may +participate. + (1) The Commissioner shall inform the public of the time and place +of the meeting and of the matters to be discussed. + (2) The meeting will be informal, i.e., any interested person may +attend and participate in the discussion without prior notice to the +agency unless the notice of the meeting specifies otherwise. + (c) Every person outside the Federal Government may request a +private meeting with a representative of FDA in agency offices to +discuss a matter. FDA will make reasonable efforts to accommodate such +requests. + (1) The person requesting a meeting may be accompanied by a +reasonable number of employees, consultants, or other persons with whom +there is a commercial arrangement within the meaning of Sec. 20.81(a) +of this chapter. Neither FDA nor any other person may require the +attendance of a person who is not an employee of the executive branch of +the Federal Government without the agreement of the person requesting +the meeting. Any person may attend by mutual consent of the person +requesting the meeting and FDA. + (2) FDA will determine which representatives of the agency will +attend the meeting. The person requesting the meeting may request, but +not require or preclude, the attendance of a specific FDA employee. + (3) A person who wishes to attend a private meeting, but who is not +invited to attend either by the person requesting the meeting or by FDA, +or who otherwise cannot attend the meeting, may request a separate +meeting with FDA to discuss the same matter or an additional matter. + (d) FDA employees have a responsibility to meet with all segments of +the public to promote the objectives of the laws administered by the +agency. In pursuing this responsibility, the following general policy +applies where agency employees are invited by persons outside the +Federal Government to attend or participate in meetings outside agency +offices as representatives of the agency. + (1) A person outside the executive branch may invite an agency +representative to attend or participate in a meeting outside agency +offices. The agency representative is not obligated to attend or +participate, but may do so where it is in the public interest and will +promote the objectives of the act. + (2) The agency representative may request that the meeting be open +if that would be in the public interest. The agency representative may +decline to participate in a meeting held as a private meeting if that +will best serve the public interest. + (3) An agency representative may not knowingly participate in a +meeting + +[[Page 155]] + +that is closed on the basis of gender, race, or religion. + (e) An official transcript, recording, or memorandum summarizing the +substance of any meeting described in this section will be prepared by a +representative of FDA when the agency determines that such documentation +will be useful. + (f) FDA promptly will file in the appropriate administrative file +memoranda of meetings prepared by FDA representatives and all +correspondence, including any written summary of a meeting from a +participant, that relate to a matter pending before the agency. + (g) Representatives of FDA may initiate a meeting or correspondence +on any matter concerning the laws administered by the Commissioner. +Unless otherwise required by law, meetings may be public or private at +FDA's discretion. + (h) A meeting of an advisory committee is subject to the +requirements of part 14 of this chapter. + +[66 FR 6468, Jan. 22, 2001] + + + +Sec. 10.70 Documentation of significant decisions in administrative file. + + (a) This section applies to every significant FDA decision on any +matter under the laws administered by the Commissioner, whether it is +raised formally, for example, by a petition or informally, for example, +by correspondence. + (b) FDA employees responsible for handling a matter are responsible +for insuring the completeness of the administrative file relating to it. +The file must contain: + (1) Appropriate documentation of the basis for the decision, +including relevant evaluations, reviews, memoranda, letters, opinions of +consultants, minutes of meetings, and other pertinent written documents; +and + (2) The recommendations and decisions of individual employees, +including supervisory personnel, responsible for handling the matter. + (i) The recommendations and decisions are to reveal significant +controversies or differences of opinion and their resolution. + (ii) An agency employee working on a matter and, consistent with the +prompt completion of other assignments, an agency employee who has +worked on a matter may record individual views on that matter in a +written memorandum, which is to be placed in the file. + (c) A written document placed in an administrative file must: + (1) Relate to the factual, scientific, legal or related issues under +consideration; + (2) Be dated and signed by the author; + (3) Be directed to the file, to appropriate supervisory personnel, +and to other appropriate employees, and show all persons to whom copies +were sent; + (4) Avoid defamatory language, intemperate remarks, undocumented +charges, or irrelevant matters (e.g., personnel complaints); + (5) If it records the views, analyses, recommendations, or decisions +of an agency employee in addition to the author, be given to the other +employees; and + (6) Once completed (i.e., typed in final form, dated, and signed) +not be altered or removed. Later additions to or revisions of the +document must be made in a new document. + (d) Memoranda or other documents that are prepared by agency +employees and are not in the administrative file have no status or +effect. + (e) FDA employees working on a matter have access to the +administrative file on that matter, as appropriate for the conduct of +their work. FDA employees who have worked on a matter have access to the +administrative file on that matter so long as attention to their +assignments is not impeded. Reasonable restrictions may be placed upon +access to assure proper cataloging and storage of documents, the +availability of the file to others, and the completeness of the file for +review. + + + +Sec. 10.75 Internal agency review of decisions. + + (a) A decision of an FDA employee, other than the Commissioner, on a +matter, is subject to review by the employee's supervisor under the +following circumstances: + (1) At the request of the employee. + (2) On the initiative of the supervisor. + +[[Page 156]] + + (3) At the request of an interested person outside the agency. + (4) As required by delegations of authority. + (b)(1) The review will be made by consultation between the employee +and the supervisor or by review of the administrative file on the +matter, or both. The review will ordinarily follow the established +agency channels of supervision or review for that matter. + (2) A sponsor, applicant, or manufacturer of a drug or device +regulated under the act or the Public Health Service Act (42 U.S.C. +262), may request review of a scientific controversy by an appropriate +scientific advisory panel as described in section 505(n) of the act, or +an advisory committee as described in section 515(g)(2)(B) of the act. +The reason(s) for any denial of a request for such review shall be +briefly set forth in writing to the requester. Persons who receive a +Center denial of their request under this section may submit a request +for review of the denial. The request should be sent to the Chief +Mediator and Ombudsman. + (c) An interested person outside the agency may request internal +agency review of a decision through the established agency channels of +supervision or review. Personal review of these matters by center +directors or the office of the Commissioner will occur for any of the +following purposes: + (1) To resolve an issue that cannot be resolved at lower levels +within the agency (e.g., between two parts of a center or other +component of the agency, between two centers or other components of the +agency, or between the agency and an interested person outside the +agency). + (2) To review policy matters requiring the attention of center or +agency management. + (3) In unusual situations requiring an immediate review in the +public interest. + (4) As required by delegations of authority. + (d) Internal agency review of a decision must be based on the +information in the administrative file. If an interested person presents +new information not in the file, the matter will be returned to the +appropriate lower level in the agency for reevaluation based on the new +information. + +[44 FR 22323, Apr. 13, 1979, as amended at 50 FR 8994, Mar. 6, 1985; 63 +FR 63982, Nov. 18, 1998] + + + +Sec. 10.80 Dissemination of draft Federal Register notices and +regulations. + + (a) A representative of FDA may discuss orally or in writing with an +interested person ideas and recommendations for notices or regulations. +FDA welcomes assistance in developing ideas for, and in gathering the +information to support, notices and regulations. + (b) Notices and proposed regulations. (1) Once it is determined that +a notice or proposed regulation will be prepared, the general concepts +may be discussed by a representative of FDA with an interested person. +Details of a draft of a notice or proposed regulation may be discussed +with a person outside the executive branch only with the specific +permission of the Commissioner. The permission must be in writing and +filed with the Division of Dockets Management. + (2) A draft of a notice or proposed regulation or its preamble, or a +portion of either, may be furnished to an interested person outside the +executive branch only if it is made available to all interested persons +by a notice published in the Federal Register. A draft of a notice or +proposed regulation made available in this manner may, without the prior +permission of the Commissioner, be discussed with an interested person +to clarify and resolve questions raised and concerns expressed about the +draft. + (c) After publication of a notice or proposed regulation in the +Federal Register, and before preparation of a draft of the final notice +or regulation, a representative of FDA may discuss the proposal with an +interested person as provided in paragraph (b)(2) of this section. + (d) Final notices and regulations. (1) Details of a draft of a final +notice or regulation may be discussed with an interested person outside +the executive branch only with the specific permission of the +Commissioner. The permission must be in writing and filed with the +Division of Dockets Management. + +[[Page 157]] + + (2) A draft of a final notice or regulation or its preamble, or any +portion of either, may be furnished to an interested person outside the +executive branch only if it is made available to all interested persons +by a notice published in the Federal Register, except as otherwise +provided in paragraphs (g) and (j) of this section. A draft of a final +notice or regulation made available to an interested person in this +manner may, without the prior permission of the Commissioner, be +discussed as provided in paragraph (b)(2) of this section. + (i) The final notice or regulation and its preamble will be prepared +solely on the basis of the administrative record. + (ii) If additional technical information from a person outside the +executive branch is necessary to draft the final notice or regulation or +its preamble, it will be requested by FDA in general terms and furnished +directly to the Division of Dockets Management to be included as part of +the administrative record. + (iii) If direct discussion by FDA of a draft of a final notice or +regulation or its preamble is required with a person outside the +executive branch, appropriate protective procedures will be undertaken +to make certain that a full and impartial administrative record is +established. Such procedures may include either: + (a) The scheduling of an open public meeting under Sec. 10.65(b) at +which interested persons may participate in review of and comment on the +draft document; or + (b) The preparation of a tentative final regulation or tentative +revised final regulation under Sec. 10.40(f)(6), on which interested +persons will be given an additional period of time for oral and written +comment. + (e) After a final regulation is published, an FDA representative may +discuss any aspect of it with an interested person. + (f) In addition to the requirements of this section, the provisions +of Sec. 10.55 apply to the promulgation of a regulation subject to +Sec. 10.50 and part 12. + (g) A draft of a final food additive color additive, or new animal +drug regulation may be furnished to the petitioner for comment on the +technical accuracy of the regulation. Every meeting with a petitioner +relating to the draft will be recorded in a written memorandum, and all +memoranda and correspondence will be filed with the Division of Dockets +Management as part of the administrative record of the regulation under +the provisions of Sec. 10.65. + (h) In accordance with 42 U.S.C 263f, the Commissioner shall consult +with interested persons and with the Technical Electronic Product +Radiation Safety Standards Committee (TEPRSSC) before prescribing any +performance standard for an electronic product. Accordingly, the +Commissioner shall publish in the Federal Register an announcement when +a proposed or final performance standard, including any amendment, is +being considered for an electronic product, and any draft of any +proposed or final standard will be furnished to an interested person +upon request and may be discussed in detail. + (i) The provisions of Sec. 10.65 apply to meetings and +correspondence relating to draft notices and regulations. + (j) The provisions of this section restricting discussion and +disclosure of draft notices and regulations do not apply to situations +covered by Sec. Sec. 20.83 through 20.89. + +[44 FR 22323, Apr. 13, 1979, as amended at 54 FR 9035, Mar. 3, 1989; 64 +FR 398, Jan. 5, 1999] + + + +Sec. 10.85 Advisory opinions. + + (a) An interested person may request an advisory opinion from the +Commissioner on a matter of general applicability. + (1) The request will be granted whenever feasible. + (2) The request may be denied if: + (i) The request contains incomplete information on which to base an +informed advisory opinion; + (ii) The Commissioner concludes that an advisory opinion cannot +reasonably be given on the matter involved; + (iii) The matter is adequately covered by a prior advisory opinion +or a regulation; + (iv) The request covers a particular product or ingredient or label +and does not raise a policy issue of broad applicability; or + +[[Page 158]] + + (v) The Commissioner otherwise concludes that an advisory opinion +would not be in the public interest. + (b) A request for an advisory opinion is to be submitted in +accordance with Sec. 10.20, is subject to the provisions of Sec. 10.30 +(c) through (l), and must be in the following form: + +(Date)__________________________________________________________________ + + Division of Dockets Management, Food and Drug Administration, +Department of Health and Human Services, 5630 Fishers Lane, rm. 1061, +Rockville, MD 20852. + + Request for Advisory Opinion + + The undersigned submits this request for an advisory opinion of the +Commissioner of Food and Drugs with respect to ------ (the general +nature of the matter involved). + A. Issues involved. + (A concise statement of the issues and questions on which an opinion +is requested.) + B. Statement of facts and law. + (A full statement of all facts and legal points relevant to the +request.) + The undersigned certifies that, to the best of his/her knowledge and +belief, this request includes all data, information, and views relevant +to the matter, whether favorable or unfavorable to the position of the +undersigned, which is the subject of the request. + +(Signature)_____________________________________________________________ +(Person making request)_________________________________________________ +(Mailing address)_______________________________________________________ +(Telephone number)______________________________________________________ + + (c) The Commissioner may respond to an oral or written request to +the agency as a request for an advisory opinion, in which case the +request will be filed with the Division of Dockets Management and be +subject to this section. + (d) A statement of policy or interpretation made in the following +documents, unless subsequently repudiated by the agency or overruled by +a court, will constitute an advisory opinion: + (1) Any portion of a Federal Register notice other than the text of +a proposed or final regulation, e.g., a notice to manufacturers or a +preamble to a proposed or final regulation. + (2) Trade Correspondence (T.C. Nos. 1-431 and 1A-8A) issued by FDA +between 1938 and 1946. + (3) Compliance policy guides issued by FDA beginning in 1968 and +codified in the Compliance Policy Guides manual. + (4) Other documents specifically identified as advisory opinions, +e.g., advisory opinions on the performance standard for diagnostic X-ray +systems, issued before July 1, 1975, and filed in a permanent public +file for prior advisory opinions maintained by the Division of Freedom +of Information (ELEM-1029)'' and adding in its place ``(the Freedom of +Information Staff's address is available on the agency's web site at +http://www.fda.gov.) + (e) An advisory opinion represents the formal position of FDA on a +matter and except as provided in paragraph (f) of this section, +obligates the agency to follow it until it is amended or revoked. The +Commissioner may not recommend legal action against a person or product +with respect to an action taken in conformity with an advisory opinion +which has not been amended or revoked. + (f) In unusual situations involving an immediate and significant +danger to health, the Commissioner may take appropriate civil +enforcement action contrary to an advisory opinion before amending or +revoking the opinion. This action may be taken only with the approval of +the Commissioner, who may not delegate this function. Appropriate +amendment or revocation of the advisory opinion involved will be +expedited. + (g) An advisory opinion may be amended or revoked at any time after +it has been issued. Notice of amendment or revocation will be given in +the same manner as notice of the advisory opinion was originally given +or in the Federal Register, and will be placed on public display as part +of the file on the matter in the office of the Division of Dockets +Management. The Division of Dockets Management shall maintain a separate +chronological index of all advisory opinions filed. The index will +specify the date of the request for the advisory opinion, the date of +the opinion, and identification of the appropriate file. + (h) Action undertaken or completed in conformity with an advisory +opinion which has subsequently been amended or revoked is acceptable to +FDA unless the Commissioner determines that substantial public interest +considerations preclude continued acceptance. Whenever possible, an +amended or revoked advisory opinion will state when action previously +undertaken or completed + +[[Page 159]] + +does not remain acceptable, and any transition period that may be +applicable. + (i) An interested person may submit written comments on an advisory +opinion or modified advisory opinion. Four copies of any comments are to +be sent to the Division of Dockets Management for inclusion in the +public file on the advisory opinion. Individuals may submit only one +copy. Comments will be considered in determining whether further +modification of an advisory opinion is warranted. + (j) An advisory opinion may be used in administrative or court +proceedings to illustrate acceptable and unacceptable procedures or +standards, but not as a legal requirement. + (k) A statement made or advice provided by an FDA employee +constitutes an advisory opinion only if it is issued in writing under +this section. A statement or advice given by an FDA employee orally, or +given in writing but not under this section or Sec. 10.90, is an +informal communication that represents the best judgment of that +employee at that time but does not constitute an advisory opinion, does +not necessarily represent the formal position of FDA, and does not bind +or otherwise obligate or commit the agency to the views expressed. + +[44 FR 22323, Apr. 13, 1979, as amended at 46 FR 8455, Jan. 27, 1981; 59 +FR 14364, Mar. 28, 1994; 65 FR 56477, Sept. 19, 2000; 76 FR 31469, June +1, 2011; 79 FR 68114, Nov. 14, 2014] + + + +Sec. 10.90 Food and Drug Administration regulations, recommendations, +and agreements. + + (a) Regulations. FDA regulations are issued in the Federal Register +under Sec. 10.40 or Sec. 10.50 and codified in the Code of Federal +Regulations. Regulations may contain provisions that will be enforced as +legal requirements, or which are intended only as guidance documents and +recommendations, or both. The dissemination of draft notices and +regulations is subject to Sec. 10.80. + (b) [Reserved] + (c) Recommendations. In addition to the guidance documents subject +to Sec. 10.115, FDA often formulates and disseminates recommendations +about matters which are authorized by, but do not involve direct +regulatory action under, the laws administered by the Commissioner, +e.g., model State and local ordinances, or personnel practices for +reducing radiation exposure, issued under 42 U.S.C. 243 and 21 U.S.C. +360ii. These recommendations may, in the discretion of the Commissioner, +be handled under the procedures established in Sec. 10.115, except that +the recommendations will be included in a separate public file of +recommendations established by the Division of Dockets Management and +will be separated from the guidance documents in the notice of +availability published in the Federal Register, or be published in the +Federal Register as regulations under paragraph (a) of this section. + (d) Agreements. Formal agreements, memoranda of understanding, or +other similar written documents executed by FDA and another person will +be included in the public file on agreements established by the Division +of Freedom of Information (ELEM-1029)'' and adding in its place ``(the +Freedom of Information Staff's address is available on the agency's web +site at http://www.fda.gov) under Sec. 20.108. A document not included +in the public file is deemed to be rescinded and has no force or effect +whatever. + +[44 FR 22323, Apr. 13, 1979, as amended at 54 FR 9035, Mar. 3, 1989; 65 +FR 56477, Sept. 19, 2000; 75 FR 16346, Apr. 1, 2010; 79 FR 68114, Nov. +14, 2014] + + + +Sec. 10.95 Participation in outside standard-setting activities. + + (a) General. This section applies to participation by FDA employees +in standard-setting activities outside the agency. Standard-setting +activities include matters such as the development of performance +characteristics, testing methodology, manufacturing practices, product +standards, scientific protocols, compliance criteria, ingredient +specifications, labeling, or other technical or policy criteria. FDA +encourages employee participation in outside standard-setting activities +that are in the public interest. + (b) Standard-setting activities by other Federal Government +agencies. (1) An FDA employee may participate in these activities after +approval of the activity + +[[Page 160]] + +under procedures specified in the current agency Staff Manual Guide. + (2) Approval forms and all pertinent background information +describing the activity will be included in the public file on standard- +setting activities established by the Division of Freedom of Information +(ELEM-1029)'' and adding in its place ``(the Freedom of Information +Staff's address is available on the agency's web site at http:// +www.fda.gov). + (3) If a member of the public is invited by FDA to present views to, +or to accompany, the FDA employee at a meeting, the invitations will be +extended to a representative sampling of the public, including consumer +groups, industry associations, professional societies, and academic +institutions. + (4) An FDA employee appointed as the liaison representative to an +activity shall refer all requests for information about or participation +in the activity to the group or organization responsible for the +activity. + (c) Standard-setting activities by State and local government +agencies and by United Nations organizations and other international +organizations and foreign governments pursuant to treaty. (1) An FDA +employee may participate in these activities after approval of the +activity under procedures specified in the current agency Staff Manual +Guide. + (2) Approval forms and all pertinent background information +describing the activity will be included in the public file on standard- +setting activities established by the Division of Freedom of Information +(ELEM-1029)'' and adding in its place ``(the Freedom of Information +Staff's address is available on the agency's web site at http:// +www.fda.gov). + (3) The availability for public disclosure of records relating to +the activity will be governed by part 20. + (4) If a member of the public is invited by FDA to present views to, +or to accompany, the FDA employee at a meeting, the invitation will be +extended to a representative sampling of the public, including consumer +groups, industry associations, professional societies, and academic +institutions. + (5) An FDA employee appointed as the liaison representative to an +activity shall refer all requests for information about or participation +in the activity to the group or organization responsible for the +activity. + (d) Standard-setting activities by private groups and organizations. +(1) An FDA employee may engage in these activities after approval of the +activity under procedures specified in the current agency Staff Manual +Guide. A request for official participation must be made by the group or +organization in writing, must describe the scope of the activity, and +must demonstrate that the minimum standards set out in paragraph (d)(5) +of this section are met. Except as provided in paragraph (d)(7) of this +section, a request that is granted will be the subject of a letter from +the Commissioner or the center director to the organization stating-- + (i) Whether participation by the individual will be as a voting or +nonvoting liaison representative; + (ii) That participation by the individual does not connote FDA +agreement with, or endorsement of, any decisions reached; and + (iii) That participation by the individual precludes service as the +deciding official on the standard involved if it should later come +before FDA. The deciding official is the person who signs a document +ruling upon the standard. + (2) The letter requesting official FDA participation, the approval +form, and the Commissioner's or center director's letter, together with +all pertinent background information describing the activities involved, +will be included in the public file on standard-setting activities +established by the Division of Freedom of Information (ELEM-1029)'' and +adding in its place ``(the Freedom of Information Staff's address is +available on the agency's web site at http://www.fda.gov). + (3) The availability for public disclosure of records relating to +the activities will be governed by part 20. + (4) An FDA employee appointed as the liaison representative to an +activity shall refer all requests for information about or participation +in the activity to the group or organization responsible for the +activity. + (5) The following minimum standards apply to an outside private +standard- + +[[Page 161]] + +setting activity in which FDA employees participate: + (i) The activity will be based upon consideration of sound +scientific and technological information, will permit revision on the +basis of new information, and will be designed to protect the public +against unsafe, ineffective, or deceptive products or practices. + (ii) The activity and resulting standards will not be designed for +the economic benefit of any company, group, or organization, will not be +used for such antitrust violations as fixing prices or hindering +competition, and will not involve establishment of certification or +specific approval of individual products or services. + (iii) The group or organization responsible for the standard-setting +activity must have a procedure by which an interested person will have +an opportunity to provide information and views on the activity and +standards involved, without the payment of fees, and the information and +views will be considered. How this is accomplished, including whether +the presentation will be in person or in writing, will be decided by the +group or organization responsible for the activity. + (6) Membership of an FDA employee in an organization that also +conducts a standard-setting activity does not invoke the provisions of +this section unless the employee participates in the standard-setting +activity. Participation in a standard-setting activity is subject to +this section. + (7) The Commissioner may determine in writing that, because direct +involvement by FDA in a particular standard-setting activity is in the +public interest and will promote the objectives of the act and the +agency, the participation is exempt from the requirements of paragraph +(d)(1) (ii) and/or (iii) of this section. This determination will be +included in the public file on standard-setting activities established +by the Division of Freedom of Information (ELEM-1029)'' and adding in +its place ``(the Freedom of Information Staff's address is available on +the agency's web site at http://www.fda.gov) and in any relevant +administrative file. The activity may include the establishment and +validation of analytical methods for regulatory use, drafting uniform +laws and regulations, and the development of recommendations concerning +public health and preventive medicine practices by national and +international organizations. + (8) Because of the close daily cooperation between FDA and the +associations of State and local government officials listed below in +this paragraph, and the large number of agency employees who are members +of or work with these associations, participation in the activities of +these associations is exempt from paragraphs (d)(1) through (7) of this +section, except that a list of the committees and other groups of these +associations will be included in the public file on standard-setting +activities established by the Division of Freedom of Information (ELEM- +1029)'' and adding in its place ``(the Freedom of Information Staff's +address is available on the agency's web site at http://www.fda.gov). + (i) American Association of Food Hygiene Veterinarians (AAFHV). + (ii) American Public Health Association (APHA). + (iii) Association of American Feed Control Officials, Inc. (AAFCO). + (iv) Association of Food and Drug Officials (AFDO). + (v) AOAC INTERNATIONAL (AOAC). + (vi) Association of State and Territorial Health Officials (ASTHO). + (vii) Conference for Food Protection (CFP). + (viii) Conference of State Health and Environmental Managers +(COSHEM). + (ix) Conference of Radiation Control Program Directors (CRCPD). + (x) International Association of Milk, Food, and Environmental +Sanitation, Inc. (IAMFES). + (xi) Interstate Shellfish Sanitation Conference (ISSC). + (xii) National Association of Boards of Pharmacy (NABP). + (xiii) National Association of Departments of Agriculture (NADA). + (xiv) National Conference on Interstate Milk Shipments (NCIMS). + (xv) National Conference of Local Environmental Health +Administrators (NCLEHA). + (xvi) National Conference on Weights and Measures (NCWW). + (xvii) National Environmental Health Association (NEHA). + +[[Page 162]] + + (xviii) National Society of Professional Sanitarians (NSPS). + +[44 FR 22323, Apr. 13, 1979, as amended at 46 FR 8455, Jan. 27, 1981; 52 +FR 35064, Sept. 17, 1987; 54 FR 9035, Mar. 3, 1989; 70 FR 40880, July +15, 2005; 70 FR 67651, Nov. 8, 2005; 76 FR 31469, June 1, 2011; 79 FR +68114, Nov. 14, 2014] + + + +Sec. 10.100 Public calendar. + + (a) Public calendar. A public calendar will be prepared and made +publicly available by FDA each week showing, to the extent feasible, +significant events of the previous week, including significant meetings +with persons outside the executive branch, that involve the +representatives of FDA designated under paragraph (c) of this section. + (1) Public calendar entries will include: + (i) Significant meetings with members of the judiciary, +representatives of Congress, or staffs of congressional committees when +the meeting relates to a pending court case, administrative hearing, or +other regulatory action or decision; + (ii) Significant meetings, conferences, seminars, and speeches; and + (iii) Social events sponsored by the regulated industry. + (2) The public calendar will not include reports of meetings that +would prejudice law enforcement activities (e.g., a meeting with an +informant) or invade privacy (e.g., a meeting with a candidate for +possible employment at FDA), meetings with members of the press, or +meetings with onsite contractors. + (b) Calendar entries. The calendar will specify for each entry the +date, person(s), and subject matter involved. If a large number of +persons are in attendance, the name of each individual need not be +specified. When more than one FDA representative is in attendance, the +most senior agency official will report the meeting on the public +calendar. + (c) Affected persons. The following FDA representatives are subject +to the requirements of this section: + (1) Commissioner of Food and Drugs. + (2) Senior Associate Commissioners. + (3) Deputy Commissioners. + (4) Associate Commissioner for Regulatory Affairs. + (5) Center Directors. + (6) Chief Counsel for the Food and Drug Administration. + (d) Public display. The public calendar will be placed on public +display at the following locations: + (1) Division of Dockets Management. + (2) Office of the Associate Commissioner for Public Affairs. + (3) The FDA home page, to the extent feasible. + +[66 FR 6468, Jan. 22, 2001] + + + +Sec. 10.105 Representation by an organization. + + (a) An organization may represent its members by filing petitions, +comments, and objections, and otherwise participating in an +administrative proceeding subject to this part. + (b) A petition, comment, objection, or other representation by an +organization will not abridge the right of a member to take individual +action of a similar type, in the member's own name. + (c) It is requested that each organization participating in FDA +administrative proceedings file annually with the Division of Dockets +Management a current list of all of the members of the organization. + (d) The filing by an organization of an objection or request for +hearing under Sec. Sec. 12.20 through 12.22 does not provide a member a +legal right with respect to the objection or request for hearing that +the member may individually exercise. A member of an organization +wishing to file an objection or request for hearing must do so +individually. + (e) In a court proceeding in which an organization participates, the +Commissioner will take appropriate legal measures to have the case +brought or considered as a class action or otherwise as binding upon all +members of the organization except those specifically excluded by name. +Regardless of whether the case is brought or considered as a class +action or as otherwise binding upon all members of the organization +except those specifically excluded by name, the Commissioner will take +the position in any subsequent suit involving the same issues and a +member of the organization that the + +[[Page 163]] + +issues are precluded from further litigation by the member under the +doctrines of collateral estoppel or res judicata. + + + +Sec. 10.110 Settlement proposals. + + At any time in the course of a proceeding subject to this part, a +person may propose settlement of the issues involved. A participant in a +proceeding will have an opportunity to consider a proposed settlement. +Unaccepted proposals of settlement and related matters, e.g., proposed +stipulations not agreed to, will not be admissible in evidence in an FDA +administrative proceeding. FDA will oppose the admission in evidence of +settlement information in a court proceeding or in another +administrative proceeding. + + + +Sec. 10.115 Good guidance practices. + + (a) What are good guidance practices? Good guidance practices +(GGP's) are FDA's policies and procedures for developing, issuing, and +using guidance documents. + (b) What is a guidance document? (1) Guidance documents are +documents prepared for FDA staff, applicants/sponsors, and the public +that describe the agency's interpretation of or policy on a regulatory +issue. + (2) Guidance documents include, but are not limited to, documents +that relate to: The design, production, labeling, promotion, +manufacturing, and testing of regulated products; the processing, +content, and evaluation or approval of submissions; and inspection and +enforcement policies. + (3) Guidance documents do not include: Documents relating to +internal FDA procedures, agency reports, general information documents +provided to consumers or health professionals, speeches, journal +articles and editorials, media interviews, press materials, warning +letters, memoranda of understanding, or other communications directed to +individual persons or firms. + (c) What other terms have a special meaning? (1) ``Level 1 guidance +documents'' include guidance documents that: + (i) Set forth initial interpretations of statutory or regulatory +requirements; + (ii) Set forth changes in interpretation or policy that are of more +than a minor nature; + (iii) Include complex scientific issues; or + (iv) Cover highly controversial issues. + (2) ``Level 2 guidance documents'' are guidance documents that set +forth existing practices or minor changes in interpretation or policy. +Level 2 guidance documents include all guidance documents that are not +classified as Level 1. + (3) ``You'' refers to all affected parties outside of FDA. + (d) Are you or FDA required to follow a guidance document? (1) No. +Guidance documents do not establish legally enforceable rights or +responsibilities. They do not legally bind the public or FDA. + (2) You may choose to use an approach other than the one set forth +in a guidance document. However, your alternative approach must comply +with the relevant statutes and regulations. FDA is willing to discuss an +alternative approach with you to ensure that it complies with the +relevant statutes and regulations. + (3) Although guidance documents do not legally bind FDA, they +represent the agency's current thinking. Therefore, FDA employees may +depart from guidance documents only with appropriate justification and +supervisory concurrence. + (e) Can FDA use means other than a guidance document to communicate +new agency policy or a new regulatory approach to a broad public +audience? The agency may not use documents or other means of +communication that are excluded from the definition of guidance document +to informally communicate new or different regulatory expectations to a +broad public audience for the first time. These GGP's must be followed +whenever regulatory expectations that are not readily apparent from the +statute or regulations are first communicated to a broad public +audience. + (f) How can you participate in the development and issuance of +guidance documents? (1) You can provide input on + +[[Page 164]] + +guidance documents that FDA is developing under the procedures described +in paragraph (g) of this section. + (2) You can suggest areas for guidance document development. Your +suggestions should address why a guidance document is necessary. + (3) You can submit drafts of proposed guidance documents for FDA to +consider. When you do so, you should mark the document ``Guidance +Document Submission'' and submit it to Division of Dockets Management +(HFA-305), 5630 Fishers Lane, rm. 1061, Rockville, MD 20852. + (4) You can, at any time, suggest that FDA revise or withdraw an +already existing guidance document. Your suggestion should address why +the guidance document should be revised or withdrawn and, if applicable, +how it should be revised. + (5) Once a year, FDA will publish, both in the Federal Register and +on the Internet, a list of possible topics for future guidance document +development or revision during the next year. You can comment on this +list (e.g., by suggesting alternatives or making recommendations on the +topics that FDA is considering). + (6) To participate in the development and issuance of guidance +documents through one of the mechanisms described in paragraphs (f)(1), +(f)(2), or (f)(4) of this section, you should contact the center or +office that is responsible for the regulatory activity covered by the +guidance document. + (7) If FDA agrees to draft or revise a guidance document, under a +suggestion made under paragraphs (f)(1), (f)(2), (f)(3) or (f)(4) of +this section, you can participate in the development of that guidance +document under the procedures described in paragraph (g) of this +section. + (g) What are FDA's procedures for developing and issuing guidance +documents? (1) FDA's procedures for the development and issuance of +Level 1 guidance documents are as follows: + (i) Before FDA prepares a draft of a Level 1 guidance document, FDA +can seek or accept early input from individuals or groups outside the +agency. For example, FDA can do this by participating in or holding +public meetings and workshops. + (ii) After FDA prepares a draft of a Level 1 guidance document, FDA +will: + (A) Publish a notice in the Federal Register announcing that the +draft guidance document is available; + (B) Post the draft guidance document on the Internet and make it +available in hard copy; and + (C) Invite your comment on the draft guidance document. Paragraph +(h) of this section tells you how to submit your comments. + (iii) After FDA prepares a draft of a Level 1 guidance document, FDA +also can: + (A) Hold public meetings or workshops; or + (B) Present the draft guidance document to an advisory committee for +review. + (iv) After providing an opportunity for public comment on a Level 1 +guidance document, FDA will: + (A) Review any comments received and prepare the final version of +the guidance document that incorporates suggested changes, when +appropriate; + (B) Publish a notice in the Federal Register announcing that the +guidance document is available; + (C) Post the guidance document on the Internet and make it available +in hard copy; and + (D) Implement the guidance document. + (v) After providing an opportunity for comment, FDA may decide that +it should issue another draft of the guidance document. In this case, +FDA will follow the steps in paragraphs (g)(1)(ii), (g)(1)(iii), and +(g)(1)(iv) of this section. + (2) FDA will not seek your comment before it implements a Level 1 +guidance document if the agency determines that prior public +participation is not feasible or appropriate. + (3) FDA will use the following procedures for developing and issuing +Level 1 guidance documents under the circumstances described in +paragraph (g)(2) of this section: + (i) After FDA prepares a guidance document, FDA will: + (A) Publish a notice in the Federal Register announcing that the +guidance document is available; + (B) Post the guidance document on the Internet and make it available +in hard copy; + +[[Page 165]] + + (C) Immediately implement the guidance document; and + (D) Invite your comment when it issues or publishes the guidance +document. Paragraph (h) of this section tells you how to submit your +comments. + (ii) If FDA receives comments on the guidance document, FDA will +review those comments and revise the guidance document when appropriate. + (4) FDA will use the following procedures for developing and issuing +Level 2 guidance documents: + (i) After it prepares a guidance document, FDA will: + (A) Post the guidance document on the Internet and make it available +in hard copy; + (B) Immediately implement the guidance document, unless FDA +indicates otherwise when the document is made available; and + (C) Invite your comment on the Level 2 guidance document. Paragraph +(h) of this section tells you how to submit your comments. + (ii) If FDA receives comments on the guidance document, FDA will +review those comments and revise the document when appropriate. If a +version is revised, the new version will be placed on the Internet. + (5) You can comment on any guidance document at any time. Paragraph +(h) of this section tells you how to submit your comments. FDA will +revise guidance documents in response to your comments when appropriate. + (h) How should you submit comments on a guidance document? (1) If +you choose to submit comments on any guidance document under paragraph +(g) of this section, you must send them to the Division of Dockets +Management (HFA-305), 5630 Fishers Lane, rm. 1061, Rockville, MD 20852. + (2) Comments should identify the docket number on the guidance +document, if such a docket number exists. For documents without a docket +number, the title of the guidance document should be included. + (3) Comments will be available to the public in accordance with +FDA's regulations on submission of documents to the Division of Dockets +Management specified in Sec. 10.20(j). + (i) What standard elements must FDA include in a guidance document? +(1) A guidance document must: + (i) Include the term ``guidance,'' + (ii) Identify the center(s) or office(s) issuing the document, + (iii) Identify the activity to which and the people to whom the +document applies, + (iv) Prominently display a statement of the document's nonbinding +effect, + (v) Include the date of issuance, + (vi) Note if it is a revision to a previously issued guidance and +identify the document that it replaces, and + (vii) Contain the word ``draft'' if the document is a draft +guidance. + (2) Guidance documents must not include mandatory language such as +``shall,'' ``must,'' ``required,'' or ``requirement,'' unless FDA is +using these words to describe a statutory or regulatory requirement. + (3) When issuing draft guidance documents that are the product of +international negotiations (e.g., guidances resulting from the +International Conference on Harmonisation), FDA need not apply +paragraphs (i)(1) and (i)(2) of this section. However, any final +guidance document issued according to this provision must contain the +elements in paragraphs (i)(1) and (i)(2) of this section. + (j) Who, within FDA, can approve issuance of guidance documents? +Each center and office must have written procedures for the approval of +guidance documents. Those procedures must ensure that issuance of all +documents is approved by appropriate senior FDA officials. + (k) How will FDA review and revise existing guidance documents? (1) +The agency will periodically review existing guidance documents to +determine whether they need to be changed or withdrawn. + (2) When significant changes are made to the statute or regulations, +the agency will review and, if appropriate, revise guidance documents +relating to that changed statute or regulation. + (3) As discussed in paragraph (f)(3) of this section, you may at any +time suggest that FDA revise a guidance document. + (l) How will FDA ensure that FDA staff are following GGP's? (1) All +current and + +[[Page 166]] + +new FDA employees involved in the development, issuance, or application +of guidance documents will be trained regarding the agency's GGP's. + (2) FDA centers and offices will monitor the development and +issuance of guidance documents to ensure that GGP's are being followed. + (m) How can you get copies of FDA's guidance documents? FDA will +make copies available in hard copy and, as feasible, through the +Internet. + (n) How will FDA keep you informed of the guidance documents that +are available? (1) FDA will maintain on the Internet a current list of +all guidance documents. New documents will be added to this list within +30 days of issuance. + (2) Once a year, FDA will publish in the Federal Register its +comprehensive list of guidance documents. The comprehensive list will +identify documents that have been added to the list or withdrawn from +the list since the previous comprehensive list. + (3) FDA's guidance document lists will include the name of the +guidance document, issuance and revision dates, and information on how +to obtain copies of the document. + (o) What can you do if you believe that someone at FDA is not +following these GGP's? If you believe that someone at FDA did not follow +the procedures in this section or that someone at FDA treated a guidance +document as a binding requirement, you should contact that person's +supervisor in the center or office that issued the guidance document. If +the issue cannot be resolved, you should contact the next highest +supervisor. You can also contact the center or office ombudsman for +assistance in resolving the issue. If you are unable to resolve the +issue at the center or office level or if you feel that you are not +making progress by going through the chain of command, you may ask the +Office of the Chief Mediator and Ombudsman to become involved. + +[65 FR 56477, Sept. 19, 2000] + + + + Subpart C_Electronic Media Coverage of Public Administrative + Proceedings; Guideline on Policy and Procedures + + Source: 49 FR 14726, Apr. 13, 1984, unless otherwise noted. + + + +Sec. 10.200 Scope. + + This guideline describes FDA's policy and procedures applicable to +electronic media coverage of agency public administrative proceedings. +It is a guideline intended to clarify and explain FDA's policy on the +presence and operation of electronic recording equipment at such +proceedings and to assure uniform and consistent application of +practices and procedures throughout the agency. + + + +Sec. 10.203 Definitions. + + (a) Public administrative proceeding as used in this guideline means +any FDA proceeding which the public has a right to attend. This includes +a formal evidentiary public hearing as set forth in part 12, a public +hearing before a Public Board of Inquiry as set forth in part 13, a +public hearing before a Public Advisory Committee as set forth in part +14, a public hearing before the Commissioner as set forth in part 15, a +regulatory hearing before FDA as set forth in part 16, consumer exchange +meetings, and Commissioner's public meetings with health professionals. + (b) Advance notice as used in this guideline means written or +telephone notification to FDA's Office of Public Affairs (Press +Relations Staff) of intent to electronically record an agency public +administrative proceeding. + (c) Electronic recording as used in this guideline means any visual +or audio recording made by videotape recording equipment or moving film +camera, and/or other electronic recording equipment. + +[49 FR 14726, Apr. 13, 1984, as amended at 54 FR 9035, Mar. 3, 1989] + + + +Sec. 10.204 General. + + (a) FDA has for many years willingly committed itself to a policy of +openness. In many instances FDA has sought to make the open portions of + +[[Page 167]] + +agency public administrative proceedings more accessible to public +participation. Similarly, FDA has sought, wherever possible, to allow +full written media access to its proceedings, so that members of the +press would have the opportunity to provide first-hand reports. However, +because electronic media coverage presents certain difficulties that are +easier to resolve with advance notice to the agency and all +participants, FDA believes that codification of its policy will +facilitate and further increase media access to its public +administrative proceedings. The agency intends to refer to this +guideline when notices of hearing, or individual advisory committee +meetings, are published in the Federal Register. Thus, all parties to a +proceeding will be on notice that the proceeding may be recorded +electronically and any person interested in videotaping or otherwise +recording the proceeding will be notified that there are established +procedures to be followed. + (b) The designated presiding officer of a public administrative +proceeding retains the existing discretionary authority set forth in +specific regulations pertaining to each type of administrative +proceeding to regulate the conduct of the proceeding over which he or +she presides. The responsibilities of the presiding officer, established +elsewhere in parts 10 through 16, include an obligation to be concerned +with the timely conduct of a hearing, the limited availability of +certain witnesses, and reducing disruptions to the proceeding which may +occur. Each proceeding varies, and the presiding officer cannot +anticipate all that might occur. Discretionary authority to regulate +conduct at a proceeding has traditionally been granted to presiding +officers to enable them to fulfill their responsibility to maintain a +fair and orderly hearing conducted in an expeditious manner. + (c) This guideline provides the presiding officer with a degree of +flexibility in that it sets forth the agency's policy as well as the +procedures that presiding officers should ordinarily follow, but from +which they may depart in particular situations if necessary, subject to +the presumption of openness of public proceedings to electronic media +coverage. The presiding officer's discretion to establish additional +procedures or to limit electronic coverage is to be exercised only in +the unusual circumstances defined in this guideline. Even though a +presiding officer may establish additional procedures or limits as may +be required in a particular situation, he or she will be guided by the +policy expressed in this guideline in establishing these conditions. The +presiding officer may also be less restrictive, taking into account such +factors as the duration of a hearing and the design of the room. + (d) If a portion or all of a proceeding is closed to the public +because material is to be discussed that is not disclosable to the +public under applicable laws, the proceeding also will be closed to +electronic media coverage. + (e) The agency requests advance notice of intent to record a +proceeding electronically to facilitate the orderly conduct of the +proceeding. Knowledge of anticipated media coverage will allow the +presiding officer to make any special arrangements required by the +circumstances of the proceeding. The agency believes that this guideline +establishes sufficiently specific criteria to promote uniformity. + (f) The agency would like to allow all interested media +representatives to videotape a proceeding in which they have an +interest. However, should space limitations preclude a multitude of +cameras, the presiding officer may require pool sharing. In such a case, +pool sharing arrangements of the resulting videotape should be made +between those allowed to film and those who were excluded. Arrangements +for who is designated to present the pool and a method of distributing +the resulting film or tape may be determined by the established +networks' pooling system. However, the agency has a strong commitment to +ensuring that media representatives other than the major networks also +be able to obtain a copy of the tape at cost. FDA is concerned that if +the network pool representative wishes to record only a short portion of +a proceeding, but an excluded party wishes to record the entire +proceeding, confusion will result. The agency expects the interested +media representatives to negotiate a suitable agreement among themselves + +[[Page 168]] + +before commencement of the proceeding. For example, the network pool +representatives might agree to record a portion of the proceeding up to +a break in the proceeding, at which time, while the network +representative is disassembling equipment, another media representative +might set up to continue recording. If an agreement cannot be reached +before the proceeding, the agency will use the time of receipt of any +advance notice to determine the representation for each category of +media, e.g., one network reporter, one independent reporter. The agency +recommends that parties intending to videotape provide as much advance +notice as possible, so that the agency may best respond to the needs of +the electronic media. + (g) To ensure the timely conduct of agency hearings and to prevent +disruptions, equipment is to be stationary during a proceeding and +should be set up and taken down when the proceeding is not in progress. +As noted previously, the presiding officer may, at his or her +discretion, be less restrictive if appropriate. + (h) The agency recognizes that electronic media representatives may +desire only short footage of a proceeding, a facsimile of the +proceeding, and/or interview opportunities and may be unnecessarily +restricted by requirements for setting up before a proceeding and then +waiting until a break in the proceeding before being permitted to take +down their equipment. To accommodate this possibility, FDA's Press +Relations Staff will attempt to make arrangements to respond to such +needs by, for example, requesting that the presiding officer provide a +break shortly after commencement of the proceeding to permit take down +of equipment. + (i) The agency is making a full commitment to allowing, whenever +possible, electronic coverage of its public administrative proceedings +subject to the limited restrictions established in this guideline. + + + +Sec. 10.205 Electronic media coverage of public administrative +proceedings. + + (a) A person may record electronically any open public +administrative proceeding, subject to the procedures specified in this +guideline. The procedures include a presumption that agency public +proceedings are open to the electronic media. Whenever possible, FDA +will permit all interested persons access to record agency public +administrative proceedings. Restrictions other than those listed in +Sec. 10.206 will be imposed only under exceptional circumstances. + (b) A videotape recording of an FDA public administrative proceeding +is not an official record of the proceeding. The only official record is +the written transcript of the proceeding, which is taken by the official +reporter. + + + +Sec. 10.206 Procedures for electronic media coverage of agency +public administrative proceedings. + + (a) To facilitate the agency's response to media needs, a person +intending to videotape an FDA public administrative proceeding should, +whenever possible, provide advance notice to the Press Relations Staff +(HFI-20), Office of Public Affairs, Food and Drug Administration, 5600 +Fishers Lane, Rockville, MD 20857, in writing or by telephone (telephone +301-443-4177), at least 48 hours in advance of the proceeding. The Press +Relations Staff will inform the presiding officer that the proceeding +will be attended by representatives of the electronic media, and +ascertain whether any special provisions in addition to those set forth +in this subpart are required by the presiding officer. If so, the Press +Relations Staff will function as a liaison between the presiding officer +and the person intending to record the proceeding in facilitating any +procedures in addition to those outlined in this subpart. The presiding +officer will not deny access for failure to provide a 48-hour advance +notice. Any advance notice may describe the intended length of recording +if known, the amount and type of equipment to be used, and any special +needs such as interviews. + (b) Cameras should be completely set up before a proceeding is +scheduled to begin or during a break in the proceeding and should remain +standing in the area designated for electronic media equipment. Cameras +may be taken down only during breaks or after the hearing is over. +Roving cameras + +[[Page 169]] + +will not be permitted during the proceeding. Any artificial lighting +should be unobtrusive. Microphones, like cameras, should be in place +before the start of a proceeding and may be taken down as indicated in +this paragraph. + (c) When space in the hearing room is limited, the presiding officer +may restrict the number of cameras or the equipment present. Should such +a restriction become necessary, the pool arrangements are the +responsibility of the participating media. The agency encourages the +network pool to make copies of the tape, film, or other product +available at cost to nonpool participants. However, if this is not +possible, the agency may need to use the time of receipt of any advance +notice to determine the representation for each category, e.g., one +network reporter, one independent reporter, etc. + (d) Off the record portions of a proceeding may not be videotaped. + (e) Before or during the proceeding, the presiding officer may +establish other conditions specific to the proceeding for which the +request is being made. These conditions may be more or less restrictive +than those stated in this guideline, except that the presiding officer +shall observe the agency's presumption of openness of its public +proceedings to the electronic media. Only a substantial and clear threat +to the agency's interests in order, fairness, and timeliness authorizes +the presiding officer to impose additional restrictions. This threat +must outweigh the public interest in electronic media coverage of agency +proceedings. Additional restrictions shall be narrowly drawn to the +particular circumstances. The following factors are listed to assist +presiding officers in determining whether the agency's interest is +sufficiently compelling to call for the unusual step of imposing +additional restrictions. Generally this step is justified when one of +the following factors is met: + (1) Electronic recording would result in a substantial likelihood of +disruption that clearly cannot be contained by the procedures +established in paragraphs (a) through (d) of this section. + (2) Electronic recording would result in a substantial likelihood of +prejudicial impact on the fairness of the proceeding or the substantive +discussion in a proceeding. + (3) There is a substantial likelihood that a witness' ability to +testify may be impaired due to unique personal circumstances such as the +age or psychological state of the witness or the particularly personal +or private nature of the witness' testimony, if the witness' testimony +were electronically recorded. + (f) Before the proceeding, the Press Relations Staff will, upon +request, provide written copies of any additional conditions imposed by +the presiding officer (as described in paragraph (e) of this section) to +requesting members of the media. Any appeals should be made in +accordance with paragraph (h) of this section. + (g) The presiding officer retains authority to restrict or +discontinue videotaping or other recording of a proceeding, or parts of +a proceeding, should such a decision become necessary. The presiding +officer's responsibility to conduct the hearing includes the right and +duty to remove a source of substantial disruption. In exercising his or +her authority, the presiding officer shall observe the presumption that +agency public proceedings are open to the electronic media. The +presiding officer shall exercise his or her discretion to restrict or +discontinue electronic coverage of a public proceeding, or portions of a +public proceeding, only if he or she determines that the agency's +interest in the fair and orderly administrative process is substantially +threatened. A clear and substantial threat to the integrity of agency +proceedings must clearly outweigh the public interest in electronic +media coverage of the proceedings before additional restrictions are +imposed on the electronic media during the course of the proceedings. +The factors noted in paragraph (e) of this section indicate the kind of +substantial threat to the agency interests that may require imposing +additional restrictions during the course of the proceedings. If +additional requirements are established during the hearing, the +presiding officer shall notify immediately the Deputy Commissioner of +Food and Drugs of that fact by telephone and submit a written +explanation of the circumstances that + +[[Page 170]] + +necessitated such an action within 24 hours or sooner if requested by +the Deputy Commissioner. In the absence or unavailability of the Deputy +Commissioner, the presiding officer shall notify the Associate +Commissioner for Regulatory Affairs. + (h) A decision by a presiding officer, made either before the +proceeding or during the course of a proceeding, to establish +requirements in addition to the minimum standards set forth in this +guideline may be appealed by any adversely affected person who intends +to record the proceeding electronically. Appeals may be made in writing +or by phone to the Deputy Commissioner or, in his or her absence, to the +Associate Commissioner for Regulatory Affairs. The filing of an appeal, +whether before or during a proceeding, does not require the presiding +officer to interrupt the proceeding. However, the Deputy Commissioner +or, in his or her absence, the Associate Commissioner for Regulatory +Affairs will resolve an appeal as expeditiously as possible so as to +preserve, to the extent possible, the reporters' opportunity to record +the proceedings. + +[49 FR 14726, Apr. 13, 1984, as amended at 54 FR 9035, Mar. 3, 1989] + + + +PART 11_ELECTRONIC RECORDS; ELECTRONIC SIGNATURES--Table of Contents + + + + Subpart A_General Provisions + +Sec. +11.1 Scope. +11.2 Implementation. +11.3 Definitions. + + Subpart B_Electronic Records + +11.10 Controls for closed systems. +11.30 Controls for open systems. +11.50 Signature manifestations. +11.70 Signature/record linking. + + Subpart C_Electronic Signatures + +11.100 General requirements. +11.200 Electronic signature components and controls. +11.300 Controls for identification codes/passwords. + + Authority: 21 U.S.C. 321-393; 42 U.S.C. 262. + + Source: 62 FR 13464, Mar. 20, 1997, unless otherwise noted. + + + + Subpart A_General Provisions + + + +Sec. 11.1 Scope. + + (a) The regulations in this part set forth the criteria under which +the agency considers electronic records, electronic signatures, and +handwritten signatures executed to electronic records to be trustworthy, +reliable, and generally equivalent to paper records and handwritten +signatures executed on paper. + (b) This part applies to records in electronic form that are +created, modified, maintained, archived, retrieved, or transmitted, +under any records requirements set forth in agency regulations. This +part also applies to electronic records submitted to the agency under +requirements of the Federal Food, Drug, and Cosmetic Act and the Public +Health Service Act, even if such records are not specifically identified +in agency regulations. However, this part does not apply to paper +records that are, or have been, transmitted by electronic means. + (c) Where electronic signatures and their associated electronic +records meet the requirements of this part, the agency will consider the +electronic signatures to be equivalent to full handwritten signatures, +initials, and other general signings as required by agency regulations, +unless specifically excepted by regulation(s) effective on or after +August 20, 1997. + (d) Electronic records that meet the requirements of this part may +be used in lieu of paper records, in accordance with Sec. 11.2, unless +paper records are specifically required. + (e) Computer systems (including hardware and software), controls, +and attendant documentation maintained under this part shall be readily +available for, and subject to, FDA inspection. + (f) This part does not apply to records required to be established +or maintained by Sec. Sec. 1.326 through 1.368 of this chapter. Records +that satisfy the requirements of part 1, subpart J of this chapter, but +that also are required under other applicable statutory provisions or +regulations, remain subject to this part. + +[[Page 171]] + + (g) This part does not apply to electronic signatures obtained under +Sec. 101.11(d) of this chapter. + (h) [Reserved] + (i) This part does not apply to records required to be established +or maintained by part 117 of this chapter. Records that satisfy the +requirements of part 117 of this chapter, but that also are required +under other applicable statutory provisions or regulations, remain +subject to this part. + (j) This part does not apply to records required to be established +or maintained by part 507 of this chapter. Records that satisfy the +requirements of part 507 of this chapter, but that also are required +under other applicable statutory provisions or regulations, remain +subject to this part. + (k) This part does not apply to records required to be established +or maintained by part 112 of this chapter. Records that satisfy the +requirements of part 112 of this chapter, but that also are required +under other applicable statutory provisions or regulations, remain +subject to this part. + (l) This part does not apply to records required to be established +or maintained by subpart L of part 1 of this chapter. Records that +satisfy the requirements of subpart L of part 1 of this chapter, but +that also are required under other applicable statutory provisions or +regulations, remain subject to this part. + (m) This part does not apply to records required to be established +or maintained by subpart M of part 1 of this chapter. Records that +satisfy the requirements of subpart M of part 1 of this chapter, but +that also are required under other applicable statutory provisions or +regulations, remain subject to this part. + +[62 FR 13464, Mar. 20, 1997, as amended at 69 FR 71655, Dec. 9, 2004; 79 +FR 71253, Dec. 1, 2014; 80 FR 71253, June 19, 2015; 80 FR 56144, 56336, +Sept. 17, 2015; 80 FR 74352, 74547, 74667, Nov. 27, 2015] + + Effective Date Note: At 79 FR 71291, Dec. 1, 2014,Sec. 11.1 was +amended by adding paragraph (h), effective Dec. 1, 2016. For the +convenience of the user, the revised text is set forth as follows: + + + +Sec. 11.1 Scope. + + * * * * * + + (h) This part does not apply to electronic signatures obtained under +Sec. 101.8(d) of this chapter. + + + +Sec. 11.2 Implementation. + + (a) For records required to be maintained but not submitted to the +agency, persons may use electronic records in lieu of paper records or +electronic signatures in lieu of traditional signatures, in whole or in +part, provided that the requirements of this part are met. + (b) For records submitted to the agency, persons may use electronic +records in lieu of paper records or electronic signatures in lieu of +traditional signatures, in whole or in part, provided that: + (1) The requirements of this part are met; and + (2) The document or parts of a document to be submitted have been +identified in public docket No. 92S-0251 as being the type of submission +the agency accepts in electronic form. This docket will identify +specifically what types of documents or parts of documents are +acceptable for submission in electronic form without paper records and +the agency receiving unit(s) (e.g., specific center, office, division, +branch) to which such submissions may be made. Documents to agency +receiving unit(s) not specified in the public docket will not be +considered as official if they are submitted in electronic form; paper +forms of such documents will be considered as official and must +accompany any electronic records. Persons are expected to consult with +the intended agency receiving unit for details on how (e.g., method of +transmission, media, file formats, and technical protocols) and whether +to proceed with the electronic submission. + + + +Sec. 11.3 Definitions. + + (a) The definitions and interpretations of terms contained in +section 201 of the act apply to those terms when used in this part. + (b) The following definitions of terms also apply to this part: + (1) Act means the Federal Food, Drug, and Cosmetic Act (secs. 201- +903 (21 U.S.C. 321-393)). + (2) Agency means the Food and Drug Administration. + +[[Page 172]] + + (3) Biometrics means a method of verifying an individual's identity +based on measurement of the individual's physical feature(s) or +repeatable action(s) where those features and/or actions are both unique +to that individual and measurable. + (4) Closed system means an environment in which system access is +controlled by persons who are responsible for the content of electronic +records that are on the system. + (5) Digital signature means an electronic signature based upon +cryptographic methods of originator authentication, computed by using a +set of rules and a set of parameters such that the identity of the +signer and the integrity of the data can be verified. + (6) Electronic record means any combination of text, graphics, data, +audio, pictorial, or other information representation in digital form +that is created, modified, maintained, archived, retrieved, or +distributed by a computer system. + (7) Electronic signature means a computer data compilation of any +symbol or series of symbols executed, adopted, or authorized by an +individual to be the legally binding equivalent of the individual's +handwritten signature. + (8) Handwritten signature means the scripted name or legal mark of +an individual handwritten by that individual and executed or adopted +with the present intention to authenticate a writing in a permanent +form. The act of signing with a writing or marking instrument such as a +pen or stylus is preserved. The scripted name or legal mark, while +conventionally applied to paper, may also be applied to other devices +that capture the name or mark. + (9) Open system means an environment in which system access is not +controlled by persons who are responsible for the content of electronic +records that are on the system. + + + + Subpart B_Electronic Records + + + +Sec. 11.10 Controls for closed systems. + + Persons who use closed systems to create, modify, maintain, or +transmit electronic records shall employ procedures and controls +designed to ensure the authenticity, integrity, and, when appropriate, +the confidentiality of electronic records, and to ensure that the signer +cannot readily repudiate the signed record as not genuine. Such +procedures and controls shall include the following: + (a) Validation of systems to ensure accuracy, reliability, +consistent intended performance, and the ability to discern invalid or +altered records. + (b) The ability to generate accurate and complete copies of records +in both human readable and electronic form suitable for inspection, +review, and copying by the agency. Persons should contact the agency if +there are any questions regarding the ability of the agency to perform +such review and copying of the electronic records. + (c) Protection of records to enable their accurate and ready +retrieval throughout the records retention period. + (d) Limiting system access to authorized individuals. + (e) Use of secure, computer-generated, time-stamped audit trails to +independently record the date and time of operator entries and actions +that create, modify, or delete electronic records. Record changes shall +not obscure previously recorded information. Such audit trail +documentation shall be retained for a period at least as long as that +required for the subject electronic records and shall be available for +agency review and copying. + (f) Use of operational system checks to enforce permitted sequencing +of steps and events, as appropriate. + (g) Use of authority checks to ensure that only authorized +individuals can use the system, electronically sign a record, access the +operation or computer system input or output device, alter a record, or +perform the operation at hand. + (h) Use of device (e.g., terminal) checks to determine, as +appropriate, the validity of the source of data input or operational +instruction. + (i) Determination that persons who develop, maintain, or use +electronic record/electronic signature systems have the education, +training, and experience to perform their assigned tasks. + (j) The establishment of, and adherence to, written policies that +hold individuals accountable and responsible for actions initiated under +their electronic + +[[Page 173]] + +signatures, in order to deter record and signature falsification. + (k) Use of appropriate controls over systems documentation +including: + (1) Adequate controls over the distribution of, access to, and use +of documentation for system operation and maintenance. + (2) Revision and change control procedures to maintain an audit +trail that documents time-sequenced development and modification of +systems documentation. + + + +Sec. 11.30 Controls for open systems. + + Persons who use open systems to create, modify, maintain, or +transmit electronic records shall employ procedures and controls +designed to ensure the authenticity, integrity, and, as appropriate, the +confidentiality of electronic records from the point of their creation +to the point of their receipt. Such procedures and controls shall +include those identified in Sec. 11.10, as appropriate, and additional +measures such as document encryption and use of appropriate digital +signature standards to ensure, as necessary under the circumstances, +record authenticity, integrity, and confidentiality. + + + +Sec. 11.50 Signature manifestations. + + (a) Signed electronic records shall contain information associated +with the signing that clearly indicates all of the following: + (1) The printed name of the signer; + (2) The date and time when the signature was executed; and + (3) The meaning (such as review, approval, responsibility, or +authorship) associated with the signature. + (b) The items identified in paragraphs (a)(1), (a)(2), and (a)(3) of +this section shall be subject to the same controls as for electronic +records and shall be included as part of any human readable form of the +electronic record (such as electronic display or printout). + + + +Sec. 11.70 Signature/record linking. + + Electronic signatures and handwritten signatures executed to +electronic records shall be linked to their respective electronic +records to ensure that the signatures cannot be excised, copied, or +otherwise transferred to falsify an electronic record by ordinary means. + + + + Subpart C_Electronic Signatures + + + +Sec. 11.100 General requirements. + + (a) Each electronic signature shall be unique to one individual and +shall not be reused by, or reassigned to, anyone else. + (b) Before an organization establishes, assigns, certifies, or +otherwise sanctions an individual's electronic signature, or any element +of such electronic signature, the organization shall verify the identity +of the individual. + (c) Persons using electronic signatures shall, prior to or at the +time of such use, certify to the agency that the electronic signatures +in their system, used on or after August 20, 1997, are intended to be +the legally binding equivalent of traditional handwritten signatures. + (1) The certification shall be submitted in paper form and signed +with a traditional handwritten signature, to the Office of Regional +Operations (HFC-100), 5600 Fishers Lane, Rockville, MD 20857. + (2) Persons using electronic signatures shall, upon agency request, +provide additional certification or testimony that a specific electronic +signature is the legally binding equivalent of the signer's handwritten +signature. + + + +Sec. 11.200 Electronic signature components and controls. + + (a) Electronic signatures that are not based upon biometrics shall: + (1) Employ at least two distinct identification components such as +an identification code and password. + (i) When an individual executes a series of signings during a +single, continuous period of controlled system access, the first signing +shall be executed using all electronic signature components; subsequent +signings shall be executed using at least one electronic signature +component that is only executable by, and designed to be used only by, +the individual. + (ii) When an individual executes one or more signings not performed +during a single, continuous period of controlled system access, each +signing + +[[Page 174]] + +shall be executed using all of the electronic signature components. + (2) Be used only by their genuine owners; and + (3) Be administered and executed to ensure that attempted use of an +individual's electronic signature by anyone other than its genuine owner +requires collaboration of two or more individuals. + (b) Electronic signatures based upon biometrics shall be designed to +ensure that they cannot be used by anyone other than their genuine +owners. + + + +Sec. 11.300 Controls for identification codes/passwords. + + Persons who use electronic signatures based upon use of +identification codes in combination with passwords shall employ controls +to ensure their security and integrity. Such controls shall include: + (a) Maintaining the uniqueness of each combined identification code +and password, such that no two individuals have the same combination of +identification code and password. + (b) Ensuring that identification code and password issuances are +periodically checked, recalled, or revised (e.g., to cover such events +as password aging). + (c) Following loss management procedures to electronically +deauthorize lost, stolen, missing, or otherwise potentially compromised +tokens, cards, and other devices that bear or generate identification +code or password information, and to issue temporary or permanent +replacements using suitable, rigorous controls. + (d) Use of transaction safeguards to prevent unauthorized use of +passwords and/or identification codes, and to detect and report in an +immediate and urgent manner any attempts at their unauthorized use to +the system security unit, and, as appropriate, to organizational +management. + (e) Initial and periodic testing of devices, such as tokens or +cards, that bear or generate identification code or password information +to ensure that they function properly and have not been altered in an +unauthorized manner. + + + +PART 12_FORMAL EVIDENTIARY PUBLIC HEARING--Table of Contents + + + + Subpart A_General Provisions + +Sec. +12.1 Scope. + + Subpart B_Initiation of Proceedings + +12.20 Initiation of a hearing involving the issuance, amendment, or + revocation of a regulation. +12.21 Initiation of a hearing involving the issuance, amendment, or + revocation of an order. +12.22 Filing objections and requests for a hearing on a regulation or + order. +12.23 Notice of filing of objections. +12.24 Ruling on objections and requests for hearing. +12.26 Modification or revocation of regulation or order. +12.28 Denial of hearing in whole or in part. +12.30 Judicial review after waiver of hearing on a regulation. +12.32 Request for alternative form of hearing. +12.35 Notice of hearing; stay of action. +12.37 Effective date of a regulation. +12.38 Effective date of an order. + + Subpart C_Appearance and Participation + +12.40 Appearance. +12.45 Notice of participation. +12.50 Advice on public participation in hearings. + + Subpart D_Presiding Officer + +12.60 Presiding officer. +12.62 Commencement of functions. +12.70 Authority of presiding officer. +12.75 Disqualification of presiding officer. +12.78 Unavailability of presiding officer. + + Subpart E_Hearing Procedures + +12.80 Filing and service of submissions. +12.82 Petition to participate in forma pauperis. +12.83 Advisory opinions. +12.85 Disclosure of data and information by the participants. +12.87 Purpose; oral and written testimony; burden of proof. +12.89 Participation of nonparties. +12.90 Conduct at oral hearings or conferences. +12.91 Time and place of prehearing conference. +12.92 Prehearing conference procedure. +12.93 Summary decisions. +12.94 Receipt of evidence. +12.95 Official notice. +12.96 Briefs and argument. + +[[Page 175]] + +12.97 Interlocutory appeal from ruling of presiding officer. +12.98 Official transcript. +12.99 Motions. + + Subpart F_Administrative Record + +12.100 Administrative record of a hearing. +12.105 Examination of record. + + Subpart G_Initial and Final Decisions + +12.120 Initial decision. +12.125 Appeal from or review of initial decision. +12.130 Decision by Commissioner on appeal or review of initial decision. +12.139 Reconsideration and stay of action. + + Subpart H_Judicial Review + +12.140 Review by the courts. +12.159 Copies of petitions for judicial review. + + Authority: 21 U.S.C. 141-149, 321-393, 467f, 679, 821, 1034; 42 +U.S.C. 201, 262, 263b-263n, 264; 15 U.S.C. 1451-1461; 5 U.S.C. 551-558, +701-721; 28 U.S.C. 2112. + + Source: 44 FR 22339, Apr. 13, 1979, unless otherwise noted. + + + + Subpart A_General Provisions + + + +Sec. 12.1 Scope. + + The procedures in this part apply when-- + (a) A person has a right to an opportunity for a hearing under the +laws specified in Sec. 10.50; or + (b) The Commissioner concludes that it is in the public interest to +hold a formal evidentiary public hearing on any matter before FDA. + + + + Subpart B_Initiation of Proceedings + + + +Sec. 12.20 Initiation of a hearing involving the issuance, amendment, +or revocation of a regulation. + + (a) A proceeding under section 409(f), 502(n), 512(n)(5), 701(e), or +721(d) of the act or section 4 or 5 of the Fair Packaging and Labeling +Act may be initiated-- + (1) By the Commissioner on the Commissioner's own initiative, e.g., +as provided in Sec. 170.15 for food additives; or + (2) By a petition-- + (i) In the form specified elsewhere in this chapter, e.g., the form +for a color additive petition in Sec. 71.1; or + (ii) If no form is specified, by a petition under Sec. 10.30. + (b) If the Commissioner receives a petition under paragraph (a)(2) +of this section, the Commissioner will-- + (1) If it involves any matter subject to section 701(e) of the act +or section 4 or 5 of the Fair Packaging and Labeling Act, and meets the +requirements for filing, follow the provisions of Sec. 10.40 (b) +through (f); + (2) If it involves a color additive or food additive, and meets the +requirements for filing in Sec. Sec. 71.1 and 71.2, or in Sec. Sec. +171.1, 171.6, 171.7, and 171.100, publish a notice of filing of the +petition within 30 days after the petition is filed instead of a notice +of proposed rulemaking. + (c) [Reserved] + (d) The notice promulgating the regulation will describe how to +submit objections and requests for hearing. + (e) On or before the 30th day after the date of publication of a +final regulation, or of a notice withdrawing a proposal initiated by a +petition under Sec. 10.25(a), a person may submit to the Commissioner +written objections and a request for a hearing. The 30-day period may +not be extended except that additional information supporting an +objection may be received after 30 days upon a showing of inadvertent +omission and hardship, and if review of the objection and request for +hearing will not thereby be impeded. If, after a final color additive +regulation is published, a petition or proposal relating to the +regulation is referred to an advisory committee in accordance with +section 721(b)(5)(C) of the act, objections and requests for a hearing +may be submitted on or before the 30th day after the date on which the +order confirming or modifying the Commissioner's previous order is +published. + +[44 FR 22339, Apr. 13, 1979, as amended at 64 FR 399, Jan. 5, 1999] + + + +Sec. 12.21 Initiation of a hearing involving the issuance, amendment, +or revocation of an order. + + (a) A proceeding under section 505 (d) or (e), 512 (d), (e), (m) (3) +or (4), of section 515(g)(1) of the act, or section 351(a) of the Public +Health Service Act, may be initiated-- + +[[Page 176]] + + (1) By the Commissioner on the Commissioner's own initiative; + (2) By a petition in the form specified elsewhere in this chapter, +e.g., Sec. 314.50 for new drug applications, Sec. 514.1 for new animal +drug applications, Sec. 514.2 for applications for animal feeds, or +Sec. 601.3 for licenses for biologic products; or + (3) By a petition under Sec. 10.30. + (b) A notice of opportunity for hearing on a proposal to deny or +revoke approval of all or part of an order will be published together +with an explanation of the grounds for the proposed action. The notice +will describe how to submit requests for hearing. A person subject to +the notice has 30 days after its issuance to request a hearing. The 30- +day period may not be extended. + (c) The Commissioner may use an optional procedure specified in +Sec. 10.30(h) to consider issuing, amending, or revoking an order. + (d) In a proceeding under sections 505(e), 512(e) or (m), or 515(e) +of the act in which a party wishes to apply for reimbursement of certain +expenses under the Equal Access to Justice Act (5 U.S.C. 504 and 504 +note), FDA will follow the Department of Health and Human Services' +regulations in 45 CFR part 13. + +[44 FR 22339, Apr. 13, 1979, as amended at 47 FR 25734, June 15, 1982; +54 FR 9035, Mar. 3, 1989] + + + +Sec. 12.22 Filing objections and requests for a hearing on a +regulation or order. + + (a) Objections and requests for a hearing under Sec. 12.20(d) must +be submitted to the Division of Dockets Management and will be accepted +for filing if they meet the following conditions: + (1) They are submitted within the time specified in Sec. 12.20(e). + (2) Each objection is separately numbered. + (3) Each objection specifies with particularity the provision of the +regulation or proposed order objected to. + (4) Each objection on which a hearing is requested specifically so +states. Failure to request a hearing on an objection constitutes a +waiver of the right to a hearing on that objection. + (5) Each objection for which a hearing is requested includes a +detailed description and analysis of the factual information to be +presented in support of the objection. Failure to include a description +and analysis for an objection constitutes a waiver of the right to a +hearing on that objection. The description and analysis may be used only +for the purpose of determining whether a hearing has been justified +under Sec. 12.24, and do not limit the evidence that may be presented +if a hearing is granted. + (i) A copy of any report, article, survey, or other written document +relied upon must be submitted, except if the document is-- + (a) An FDA document that is routinely publicly available; or + (b) A recognized medical or scientific textbook that is readily +available to the agency. + (ii) A summary of the nondocumentary testimony to be presented by +any witnesses relied upon must be submitted. + (b) Requests for hearing submitted under Sec. 12.21 will be +submitted to the Division of Dockets Management and will be accepted for +filing if they meet the following conditions: + (1) They are submitted on or before the 30th day after the date of +publication of the notice of opportunity for hearing. + (2) They comply with Sec. Sec. 314.200, 514.200, or 601.7(a). + (c) If an objection or request for a public hearing fails to meet +the requirements of this section and the deficiency becomes known to the +Division of Dockets Management, the Division of Dockets Management shall +return it with a copy of the applicable regulations, indicating those +provisions not complied with. A deficient objection or request for a +hearing may be supplemented and subsequently filed if submitted within +the 30-day time period specified in Sec. 12.20(e) or Sec. 12.21(b). + (d) If another person objects to a regulation issued in response to +a petition submitted under Sec. 12.20(a)(2), the petitioner may submit +a written reply to the Division of Dockets Management. + +[44 FR 22339, Apr. 13, 1979, as amended at 54 FR 9035, Mar. 3, 1989; 64 +FR 69190, Dec. 10, 1999] + +[[Page 177]] + + + +Sec. 12.23 Notice of filing of objections. + + As soon as practicable after the expiration of the time for filing +objections to and requests for hearing on agency action involving the +issuance, amendment, or revocation of a regulation under sections +502(n), 701(e), or 721(d) of the act or sections 4 or 5 of the Fair +Packaging and Labeling Act, the Commissioner shall publish a notice in +the Federal Register specifying those parts of the regulation that have +been stayed by the filing of proper objections and, if no objections +have been filed, stating that fact. The notice does not constitute a +determination that a hearing is justified on any objections or requests +for hearing that have been filed. When to do so will cause no undue +delay, the notice required by this section may be combined with the +notices described in Sec. Sec. 12.28 and 12.35. + + + +Sec. 12.24 Ruling on objections and requests for hearing. + + (a) As soon as possible the Commissioner will review all objections +and requests for hearing filed under Sec. 12.22 and determine-- + (1) Whether the regulation should be modified or revoked under Sec. +12.26; + (2) Whether a hearing has been justified; and + (3) Whether, if requested, a hearing before a Public Board of +Inquiry under part 13 or before a public advisory committee under part +14 or before the Commissioner under part 15 has been justified. + (b) A request for a hearing will be granted if the material +submitted shows the following: + (1) There is a genuine and substantial issue of fact for resolution +at a hearing. A hearing will not be granted on issues of policy or law. + (2) The factual issue can be resolved by available and specifically +identified reliable evidence. A hearing will not be granted on the basis +of mere allegations or denials or general descriptions of positions and +contentions. + (3) The data and information submitted, if established at a hearing, +would be adequate to justify resolution of the factual issue in the way +sought by the person. A hearing will be denied if the Commissioner +concludes that the data and information submitted are insufficient to +justify the factual determination urged, even if accurate. + (4) Resolution of the factual issue in the way sought by the person +is adequate to justify the action requested. A hearing will not be +granted on factual issues that are not determinative with respect to the +action requested, e.g., if the Commissioner concludes that the action +would be the same even if the factual issue were resolved in the way +sought, or if a request is made that a final regulation include a +provision not reasonably encompassed by the proposal. A hearing will be +granted upon proper objection and request when a food standard or other +regulation is shown to have the effect of excluding or otherwise +affecting a product or ingredient. + (5) The action requested is not inconsistent with any provision in +the act or any regulation in this chapter particularizing statutory +standards. The proper procedure in those circumstances is for the person +requesting the hearing to petition for an amendment or waiver of the +regulation involved. + (6) The requirements in other applicable regulations, e.g., +Sec. Sec. 10.20, 12.21, 12.22, 314.200, 514.200, and 601.7(a), and in +the notice promulgating the final regulation or the notice of +opportunity for hearing are met. + (c) In making the determination in paragraph (a) of this section, +the Commissioner may use any of the optional procedures specified in +Sec. 10.30(h) or in other applicable regulations, e.g., Sec. Sec. +314.200, 514.200, and 601.7(a). + (d) If it is uncertain whether a hearing has been justified under +the principles in paragraph (b) of this section, and the Commissioner +concludes that summary decision against the person requesting a hearing +should be considered, the Commissioner may serve upon the person by +registered mail a proposed order denying a hearing. The person has 30 +days after receipt of the proposed order to demonstrate that the +submission justifies a hearing. + +[44 FR 22339, Apr. 13, 1979, as amended at 54 FR 9035, Mar. 3, 1989; 64 +FR 399, Jan. 5, 1999] + + + +Sec. 12.26 Modification or revocation of regulation or order. + + If the Commissioner determines upon review of an objection or +request for + +[[Page 178]] + +hearing that the regulation or order should be modified or revoked, the +Commissioner will promptly take such action by notice in the Federal +Register. Further objections to or requests for hearing on the +modification or revocation may be submitted under Sec. Sec. 12.20 +through 12.22 but no further issue may be taken with other provisions in +the regulation or order. Objections and requests for hearing that are +not affected by the modification or revocation will remain on file and +be acted upon in due course. + + + +Sec. 12.28 Denial of hearing in whole or in part. + + If the Commissioner determines upon review of the objections or +requests for hearing that a hearing is not justified, in whole or in +part, a notice of the determination will be published. + (a) The notice will state whether the hearing is denied in whole or +in part. If the hearing is denied in part, the notice will be combined +with the notice of hearing required by Sec. 12.35, and will specify the +objections and requests for hearing that have been granted and denied. + (1) Any denial will be explained. A denial based on an analysis of +the information submitted to justify a hearing will explain the +inadequacy of the information. + (2) The notice will confirm or modify or stay the effective date of +the regulation or order involved. + (b) The record of the administrative proceeding relating to denial +of a public hearing in whole or in part on an objection or request for +hearing consists of the following: + (1) If the proceeding involves a regulation-- + (i) The documents specified in Sec. 10.40(g); + (ii) The objections and requests for hearing filed by the Division +of Dockets Management; + (iii) If the proceeding involves a color additive regulation +referred to an advisory committee in accordance with section +721(b)(5)(C) of the act, the committee's report and the record of the +committee's proceeding; and + (iv) The notice denying a formal evidentiary public hearing. + (2) If the proceeding involves an order-- + (i) The notice of opportunity for hearing; + (ii) The requests for hearing filed by the Division of Dockets +Management; + (iii) The transcripts, minutes of meetings, reports, Federal +Register notices, and other documents constituting the record of any of +the optional procedures specified in Sec. 12.24(c) used by the +Commissioner, but not the transcript of a closed portion of a public +advisory committee meeting; and + (iv) The notice denying the hearing. + (c) The record specified in paragraph (b) of this section is the +exclusive record for the Commissioner's decision on the complete or +partial denial of a hearing. The record of the proceeding will be closed +as of the date of the Commissioner's decision unless another date is +specified. A person who requested and was denied a hearing may submit a +petition for reconsideration under Sec. 10.33 or a petition for stay of +action under Sec. 10.35. A person who wishes to rely upon information +or views not included in the administrative record shall submit them to +the Commissioner with a petition under Sec. 10.25(a) to modify the +final regulation or order. + (d) Denial of a request for a hearing in whole or in part is final +agency action reviewable in the courts, under the statutory provisions +governing the matter involved, as of the date of publication of the +denial in the Federal Register. + (1) Before requesting a court for a stay of action pending review, a +person shall first submit a petition for a stay of action under Sec. +10.35. + (2) Under 28 U.S.C. 2112(a), FDA will request consolidation of all +petitions on a particular matter. + (3) The time for filing a petition for judicial review of a denial +of a hearing on an objection or issue begins on the date the denial is +published in the Federal Register, (i) When an objection or issues +relates to a regulation, if a hearing is denied on all objections and +issues concerning a part of the proposal the effectiveness of which has +not been deferred pending a hearing on other parts of the proposal; or +(ii) when an issue relates to an order, if a hearing is + +[[Page 179]] + +denied on all issues relating to a particular new drug application, new +animal drug application, device premarket approval application or +product development protocol, or biologics license. The failure to file +a petition for judicial review within the period established in the +statutory provision governing the matter involved constitutes a waiver +of the right to judicial review of the objection or issue, regardless +whether a hearing has been granted on other objections and issues. + + + +Sec. 12.30 Judicial review after waiver of hearing on a regulation. + + (a) A person with a right to submit objections and a request for +hearing under Sec. 12.20(d) may submit objections and waive the right +to a hearing. The waiver may be either an explicit statement, or a +failure to request a hearing, as provided in 12.22(a)(4). + (b) If a person waives the right to a hearing, the Commissioner will +rule upon the person's objections under Sec. Sec. 12.24 through 12.28. +As a matter of discretion, the Commissioner may also order a hearing on +the matter under any of the provisions of this part. + (c) If the Commissioner rules adversely on a person's objection, the +person may petition for judicial review in a U.S. Court of Appeals under +the act. + (1) The record for judicial review is the record designated in Sec. +12.28(b)(1). + (2) The time for filing a petition for judicial review begins as of +the date of publication of the Commissioner's ruling on the objections. + + + +Sec. 12.32 Request for alternative form of hearing. + + (a) A person with a right to request a hearing may waive that right +and request one of the following alternatives: + (1) A hearing before a Public Board of Inquiry under part 13. + (2) A hearing before a public advisory committee under part 14. + (3) A hearing before the Commissioner under part 15. + (b) The request-- + (1) May be on the person's own initiative or at the suggestion of +the Commissioner. + (2) Must be submitted in the form of a citizen petition under Sec. +10.30 before publication of a notice of hearing under Sec. 12.35 or a +denial of hearing under Sec. 12.28; and + (3) Must be-- + (i) In lieu of a request for a hearing under this part; or + (ii) If submitted after or with a request for hearing, in the form +of a waiver of the right to request a hearing conditioned on an +alternative form of hearing. Upon acceptance by the Commissioner, the +waiver becomes binding and may be withdrawn only by waiving any right to +any form of hearing unless the Commissioner determines otherwise. + (c) When more than one person requests and justifies a hearing under +this part, an alternative form of hearing may by used only if all the +persons concur and waive their right to request a hearing under this +part. + (d) The Commissioner will determine whether an alternative form of +hearing should be used, and if so, which alternative is acceptable, +after considering the requests submitted and the appropriateness of the +alternatives for the issues raised in the objections. The Commissioner's +acceptance is binding unless, for good cause, the Commissioner +determines otherwise. + (e) The Commissioner will publish a notice of an alternative form of +hearing setting forth the following information: + (1) The regulation or order that is the subject of the hearing. + (2) A statement specifying any part of the regulation or order that +has been stayed by operation of law or in the Commissioner's discretion. + (3) The time, date, and place of the hearing, or a statment that +such information will be contained in a later notice. + (4) The parties to the hearing. + (5) The issues at the hearing. The statement of issues determines +the scope of the hearing. + (6) If the hearing will be conducted by a Public Board of Inquiry, +the time within which-- + (i) The parties should submit nominees for the Board under Sec. +13.10(b); + (ii) A notice of participation under Sec. 12.45 should be filed; +and + +[[Page 180]] + + (iii) Participants should submit written information under Sec. +13.25. The notice will list the contents of the portions of the +administrative record relevant to the issues at the hearing before the +Board. The portions listed will be placed on public display in the +office of the Division of Dockets Management before the notice is +published. Additional copies of material already submitted under Sec. +13.25 need not be included with any later submissions. + (f)(1) The decision of a hearing before a Public Board of Inquiry or +a public advisory committee under this section has legal status of and +will be handled as an initial decision under Sec. 12.120. + (2) The decision of a public hearing before the Commissioner under +this section will be issued as a final order. The final order will have +the same content as an initial decision, as specified in Sec. 12.120 +(b) and (c). + (3) Thereafter, the participants in the proceeding may pursue the +administrative and court remedies specified in Sec. Sec. 12.120 through +12.159. + (g) If a hearing before a public advisory committee or a hearing +before the Commissioner is used as an alternative form of hearing, all +submissions will be made to the Division of Dockets Management, and +Sec. 10.20(j) governs their availability for public examination and +copying. + (h) This section does not affect the right to an opportunity for a +hearing before a public advisory committee under section 515(g)(2) of +the act regarding device premarket approval applications and product +development protocols. Advisory committee hearing procedures are found +in part 14. + + + +Sec. 12.35 Notice of hearing; stay of action. + + (a) If the Commissioner determines upon review of the objections and +requests for hearing that a hearing is justified on any issue, the +Commissioner will publish a notice setting forth the following: + (1) The regulation or order that is the subject of the hearing. + (2) A statement specifying any part of the regulation or order that +has been stayed by operation of law or in the Commissioner's discretion. + (3) The parties to the hearing. + (4) The issues of fact on which a hearing has been justified. + (5) A statement of any objections or requests for hearing for which +a hearing has not been justified, which are subject to Sec. 12.28. + (6) The presiding officer, or a statement that the presiding officer +will be designated in a later notice. + (7) The time within which notices of participation should be filed +under Sec. 12.45. + (8) The date, time, and place of the prehearing conference, or a +statement that the date, time, and place will be announced in a later +notice. The pre-hearing conference may not commence until after the time +expires for filing the notice of participation required by Sec. +12.45(a). + (9) The time within which participants should submit written +information and views under Sec. 12.85. The notice will list the +contents of the portions of the administrative record relevant to the +issues at the hearing. The portions listed will be placed on public +display in the office of the Division of Dockets Management before the +notice is published. Additional copies of material already submitted +under Sec. 12.85 need not be included with any later submissions. + (b) The statement of the issues determines the scope of the hearing +and the matters on which evidence may be introduced. The issues may be +revised by the presiding officer. A participant may obtain interlocutory +review by the Commissioner of a decision by the presiding officer to +revise the issues to include an issue on which the Commissioner has not +granted a hearing or to eliminate an issue on which a hearing has been +granted. + (c) A hearing is deemed to begin on the date of publication of the +notice of hearing. + +[44 FR 22339, Apr. 13, 1979, as amended at 47 FR 26375, June 18, 1982] + + + +Sec. 12.37 Effective date of a regulation. + + (a) If no objections are filed and no hearing is requested on a +regulation under Sec. 12.20(e), the regulation is effective on the date +specified in the regulation as promulgated. + (b) The Commissioner shall publish a confirmation of the effective +date of + +[[Page 181]] + +the regulation. The Federal Register document confirming the effective +date of the regulation may extend the time for compliance with the +regulation. + + + +Sec. 12.38 Effective date of an order. + + (a) If a person who is subject to a notice of opportunity for +hearing under Sec. 12.21(b) does not request a hearing, the +Commissioner will-- + (1) Publish a final order denying or withdrawing approval of an NDA, +NADA, device premarket approval application, or biologics license, in +whole or in part, or revoking a device product development protocol or +notice of completion, or declaring that such a protocol has not been +completed, and stating the effective date of the order; and + (2) If the order involves withdrawal of approval of an NADA, +forthwith revoke, in whole or in part, the applicable regulation, under +section 512(i) of the act. + (b) If a person who is subject to a notice of opportunity for +hearing under Sec. 12.21(b) requests a hearing and others do not, the +Commissioner may issue a final order covering all the drug or device +products at once or may issue more than one final order covering +different drug or device products at different times. + + + + Subpart C_Appearance and Participation + + + +Sec. 12.40 Appearance. + + (a) A person who has filed a notice of participation under Sec. +12.45 may appear in person or by counsel or other representative in any +hearing and, subject to Sec. 12.89, may be heard concerning all +relevant issues. + (b) The presiding officer may strike a person's appearance for +violation of the rules of conduct in Sec. 12.90. + + + +Sec. 12.45 Notice of participation. + + (a) Within 30 days after publication of the notice of hearing under +Sec. 12.35, a person desiring to participate in a hearing is to file +with the Division of Dockets Management under Sec. 10.20 a notice of +participation in the following form: + + (Date) + + Division of Dockets Management, Food and Drug Administration, +Department of Health and Human Services, 5630 Fishers Lane, rm. 1061, +Rockville, MD 20852. + + Notice of Participation + + Docket No. ---- + + Under 21 CFR part 12, please enter the participation of: + + (Name)_________________________________________________________________ + (Street address)_______________________________________________________ + (City and State)_______________________________________________________ + (Telephone number)_____________________________________________________ + + Service on the above will be accepted by: + + (Name)_________________________________________________________________ + (Street address)_______________________________________________________ + (City and State)_______________________________________________________ + (Telephone number)_____________________________________________________ + + The following statements are made as part of this notice of +participation: + A. Specific interests. (A statement of the specific interest of the +person in the proceeding, including the specific issues of fact +concerning which the person desires to be heard. This part need not be +completed by a party to the proceeding.) + B. Commitment to participate. (A statement that the person will +present documentary evidence or testimony at the hearing and will comply +with the requirements of 21 CFR 12.85, or, in the case of a hearing +before a Public Board of Inquiry, with the requirements of 21 CFR +13.25.) + + (Signed)_______________________________________________________________ + + (b) An amendment to a notice of participation should be filed with +the Division of Dockets Management and served on all participants. + (c) No person may participate in a hearing who has not filed a +written notice of participation or whose participation has been stricken +under paragraph (e) of this section. + (d) The presiding officer may permit the late filing of a notice of +participation upon a showing of good cause. + (e) The presiding officer may strike the participation of a person +for nonparticipation in the hearing or failure to comply with any +requirement of this subpart, e.g., disclosure of information as required +by Sec. 12.85 or the prehearing order issued under Sec. 12.92. Any +person whose participation is stricken may petition the Commissioner for +interlocutory review. + +[44 FR 22339, Apr. 13, 1979, as amended at 46 FR 8456, Jan. 27, 1981; 59 +FR 14364, Mar. 28, 1994; 68 FR 24879, May 9, 2003] + +[[Page 182]] + + + +Sec. 12.50 Advice on public participation in hearings. + + (a) Designated agency contact. All inquiries from the public about +scheduling, location, and general procedures should be addressed to the +Deputy Commissioner for Policy (HF-22), Food and Drug Administration, +5600 Fishers Lane, Rockville, MD 20857, or telephone 301-443-3480. The +staff of the Associate Commissioner for Regulatory Affairs will attempt +to respond promptly to all inquiries from members of the public, as well +as to simple requests for information from participants in hearings. + (b) Hearing schedule changes. Requests by hearing participants for +changes in the schedule of a hearing or for filing documents, briefs, or +other pleadings should be made in writing directly to the Administrative +Law Judge (HF-3), Food and Drug Administration, 5600 Fishers Lane, +Rockville, MD 20857. + (c) Legal advice to individuals. FDA does not have the resources to +provide legal advice to members of the public concerning participation +in hearings. Furthermore, to do so would compromise the independence of +the Commissioner's office and invite charges of improper interference in +the hearing process. Accordingly, the Deputy Commissioner for Policy +(HF-22) will not answer questions about the strengths or weaknesses of a +party's position at a hearing, litigation strategy, or similar matters. + (d) Role of the office of the Chief Counsel. Under no circumstances +will the office of the Chief Counsel of FDA directly provide advice +about a hearing to any person who is participating or may participate in +the hearing. In every hearing, certain attorneys in the office are +designated to represent the center or centers whose action is the +subject of the hearing. Other members of the office, including +ordinarily the Chief Counsel, are designated to advise the Commissioner +on a final decision in the matter. It is not compatible with these +functions, nor would it be professionally responsible, for the attorneys +in the office of the Chief Counsel also to advise other participants in +a hearing, or for any attorney who may be called on to advise the +Commissioner to respond to inquiries from other participants in the +hearing, for such participants may be urging views contrary to those of +the center involved or to what may ultimately be the final conclusions +of the Commissioner. Accordingly, members of the office of the Chief +Counsel, other than the attorneys responsible for representing the +center whose action is the subject of the hearing, will not answer +questions about the hearing from any participant or potential +participant. + (e) Communication between participants and attorneys. Participants +in a hearing may communicate with the attorneys responsible for +representing the center whose action is the subject of the hearing, in +the same way that they may communicate with counsel for any other party +in interest about the presentation of matters at the hearing. It would +be inappropriate to bar discussion of such matters as stipulations of +fact, joint presentation of witnesses, or possible settlement of hearing +issues. Members of the public, including participants at hearings, are +advised, however, that all such communications, including those by +telephone, will be recorded in memoranda that can be filed with the +Division of Dockets Management. + +[44 FR 22329, Apr. 13, 1979, as amended at 50 FR 8994, Mar. 6, 1985; 54 +FR 9035, Mar. 3, 1989; 58 FR 17096, Apr. 1, 1993] + + + + Subpart D_Presiding Officer + + + +Sec. 12.60 Presiding officer. + + The presiding officer in a hearing will be the Commissioner, a +member of the Commissioner's office to whom the responsibility for the +matter involved has been delegated, or an administrative law judge +qualified under 5 U.S.C. 3105. + + + +Sec. 12.62 Commencement of functions. + + The functions of the presiding officer begin upon designation and +end upon the filing of the initial decision. + + + +Sec. 12.70 Authority of presiding officer. + + The presiding officer has all powers necessary to conduct a fair, +expeditious, and orderly hearing, including the power to-- + +[[Page 183]] + + (a) Specify and change the date, time, and place of oral hearings +and conferences; + (b) Establish the procedures for use in developing evidentiary +facts, including the procedures in Sec. 12.92(b) and to rule on the +need for oral testimony and cross-examination under Sec. 12.87(b); + (c) Prepare statements of the areas of factual disagreement among +the participants; + (d) Hold conferences to settle, simplify, or determine the issues in +a hearing or to consider other matters that may expedite the hearing; + (e) Administer oaths and affirmations; + (f) Control the course of the hearing and the conduct of the +participants; + (g) Examine witnesses and strike their testimony if they fail to +respond fully to proper questions; + (h) Rule on, admit, exclude, or limit evidence; + (i) Set the time for filing pleadings; + (j) Rule on motions and other procedural matters; + (k) Rule on motions for summary decision under Sec. 12.93; + (l) Conduct the hearing in stages if the number of parties is large +or the issues are numerous and complex; + (m) Waive, suspend, or modify any rule in this subpart under Sec. +10.19 if the presiding officer determines that no party will be +prejudiced, the ends of justice will be served, and the action is in +accordance with law; + (n) Strike the participation of any person under Sec. 12.45(e) or +exclude any person from the hearing under Sec. 12.90, or take other +reasonable disciplinary action; and + (o) Take any action for the fair, expeditious, and orderly conduct +of the hearing. + + + +Sec. 12.75 Disqualification of presiding officer. + + (a) A participant may request the presiding officer to disqualify +himself/herself and withdraw from the proceeding. The ruling on any such +request may be appealed in accordance with Sec. 12.97(b). + (b) A presiding officer who is aware of grounds for disqualification +shall withdraw from the proceeding. + + + +Sec. 12.78 Unavailability of presiding officer. + + (a) If the presiding officer is unable to act for any reason, the +Commissioner will assign the powers and duties to another presiding +officer. The substitution will not affect the hearing, except as the new +presiding officer may order. + (b) Any motion based on the substitution must be made within 10 +days. + + + + Subpart E_Hearing Procedures + + + +Sec. 12.80 Filing and service of submissions. + + (a) Submissions, including pleadings in a hearing, are to be filed +with the Division of Dockets Management under Sec. 10.20 except that +only two copies need be filed. To determine compliance with filing +deadlines in a hearing, a submission is considered submitted on the date +it is actually received by the Division of Dockets Management. When this +part allows a response to a submission and prescribes a period of time +for the filing of the response, an additional 3 days are allowed for the +filing of the response if the submission is served by mail. + (b) The person making a submission shall serve copies of it on the +other participants. Submissions of documentary data and information are +not required to be served on each participant, but any accompanying +transmittal letter, pleading, summary, statement of position, +certification under paragraph (d) of this section, or similar document +must be served on each participant. + (c) Service is accomplished by mailing a submission to the address +shown in the notice of participation or by personal delivery. + (d) All submissions are to be accompanied by a certificate of +service, or a statement that service is not required. + (e) No written submission or other portion of the administrative +record may be held in confidence, except as provided in Sec. 12.105. + + + +Sec. 12.82 Petition to participate in forma pauperis. + + (a) A participant who believes that compliance with the filing and +service + +[[Page 184]] + +requirements of this section constitutes an unreasonable financial +burden may submit to the Commissioner a petition to participate in forma +pauperis. + (b) The petition will be in the form specified in Sec. 10.30 except +that the heading will be ``Request to Participate in Forma Pauperis, +Docket No. ----.'' Filing and service requirements for the petition are +described in paragraph (c) of this section, whether or not the petition +is granted. The petition must demonstrate that either: (1) The person is +indigent and a strong public interest justifies participation, or (2) +the person's participation is in the public interest because it can be +considered of primary benefit to the general public. + (c) The Commissioner may grant or deny the petition. If the petition +is granted, the participant need file only one copy of each submission +with the Division of Dockets Management. The Division of Dockets +Management will make sufficient additional copies for the administrative +record, and serve a copy on each other participant. + + + +Sec. 12.83 Advisory opinions. + + Before or during a hearing, a person may, under Sec. 10.85, request +the Commissioner for an advisory opinion on whether any regulation or +order under consideration in the proceeding applies to a specific +situation. + + + +Sec. 12.85 Disclosure of data and information by the participants. + + (a) Before the notice of hearing is published under Sec. 12.35, the +director of the center responsible for the matters involved in the +hearing shall submit the following to the Division of Dockets +Management: + (1) The relevant portions of the administrative record of the +proceeding. Portions of the administrative record not relevant to the +issues in the hearing are not part of the administrative record. + (2) All documents in the director's files containing factual +information, whether favorable or unfavorable to the director's +position, which relate to the issues involved in the hearing. Files +means the principal files in the center in which documents relating to +the issues in the hearing are ordinarily kept, e.g., the food additive +master file and the food additive petition in the case of issues +concerning a food additive, or the new drug application in the case of +issues concerning a new drug. Internal memoranda reflecting the +deliberative process, and attorney work product and material prepared +specifically for use in connection with the hearing, are not required to +be submitted. + (3) All other documentary data and information relied upon. + (4) A narrative position statement on the factual issues in the +notice of hearing and the type of supporting evidence the director +intends to introduce. + (5) A signed statement that, to the director's best knowledge and +belief, the submission complies with this section. + (b) Within 60 days of the publication of the notice of hearing or, +if no participant will be prejudiced, within another period of time set +by the presiding officer, each participant shall submit to the Division +of Dockets Management all data and information specified in paragraph +(a)(2) through (5) of this section, and any objections that the +administrative record filed under paragraph (a)(1) of this section is +incomplete. With respect to the data and information specified in +paragraph (a)(2) of this section, participants shall exercise reasonable +diligence in identifying documents in files comparable to those +described in that paragraph. + (c) Submissions required by paragraphs (a) and (b) of this section +may be supplemented later in the proceeding, with the approval of the +presiding officer, upon a showing that the material contained in the +supplement was not reasonably known or available when the submission was +made or that the relevance of the material contained in the supplement +could not reasonably have been forseen. + (d) A participant's failure to comply substantially and in good +faith with this section constitutes a waiver of the right to participate +further in the hearing; failure of a party to comply constitutes a +waiver of the right to a hearing. + +[[Page 185]] + + (e) Participants may reference each other's submissions. To reduce +duplicative submissions, participants are encouraged to exchange and +consolidate lists of documentary evidence. If a particular document is +bulky or in limited supply and cannot reasonably be reproduced, and it +constitutes relevant evidence, the presiding officer may authorize +submission of a reduced number of copies. + (f) The presiding officer will rule on questions relating to this +section. + +[44 FR 22339, Apr. 13, 1979, as amended at 54 FR 9035, Mar. 3, 1989] + + + +Sec. 12.87 Purpose; oral and written testimony; burden of proof. + + (a) The objective of a formal evidentiary hearing is the fair +determination of relevant facts consistent with the right of all +interested persons to participate and the public interest in promptly +settling controversial matters affecting the public health and welfare. + (b) Accordingly, the evidence at a hearing is to be developed to the +maximum extent through written submissions, including written direct +testimony, which may be in narrative or in question-and-answer form. + (1) In a hearing, the issues may have general applicability and +depend on general facts that do not concern particular action of a +specific party, e.g., the safety or effectiveness of a class of drug +products, the safety of a food or color additive, or a definition and +standard of identity for a food; or the issues may have specific +applicability to past action and depend upon particular facts concerning +only that party, e.g., the applicability of a grandfather clause to a +particular brand of a drug or the failure of a particular manufacturer +to meet required manufacturing and processing specifications or other +general standards. + (i) If the proceeding involves general issues, direct testimony will +be submitted in writing, except on a showing that written direct +testimony is insufficient for a full and true disclosure of relevant +facts and that the participant will be prejudiced if unable to present +oral direct testimony. If the proceeding involves particular issues, +each party may determine whether, and the extent to which, each wishes +to present direct testimony orally or in writing. + (ii) Oral cross-examination of witnesses will be permitted if it +appears that alternative means of developing the evidence are +insufficient for a full and true disclosure of the facts and that the +party requesting oral cross-examination will be prejudiced by denial of +the request or that oral cross-examination is the most effective and +efficient means to clarify the matters at issue. + (2) Witnesses shall give testimony under oath. + (c) Except as provided in paragraph (d) of this section, in a +hearing involving issuing, amending, or revoking a regulation or order, +the originator of the proposal or petition or of any significant +modification will be, within the meaning of 5 U.S.C. 556(d), the +proponent of the regulation or order, and will have the burden of proof. +A participant who proposes to substitute a new provision for a provision +objected to has the burden of proof in relation to the new provision. + (d) At a hearing involving issuing, amending, or revoking a +regulation or order relating to the safety or effectiveness of a drug, +device, food additive, or color additive, the participant who is +contending that the product is safe or effective or both and who is +requesting approval or contesting withdrawal of approval has the burden +of proof in establishing safety or effectiveness or both and thus the +right to approval. The burden of proof remains on that participant in an +amendment or revocation proceeding. + +[44 FR 22339, Apr. 13, 1979, as amended at 64 FR 399, Jan. 5, 1999] + + + +Sec. 12.89 Participation of nonparties. + + (a) A nonparty participant may-- + (1) Attend all conferences (including the prehearing conference), +oral proceedings, and arguments; + (2) Submit written testimony and documentary evidence for inclusion +in the record; + (3) File written objections, briefs, and other pleadings; and + (4) Present oral argument. + (b) A nonparty participant may not-- + (1) Submit written interrogatories; and + +[[Page 186]] + + (2) Conduct cross-examination. + (c) A person whose petition is the subject of the hearing has the +same right as a party. + (d) A nonparty participant will be permitted additional rights if +the presiding officer concludes that the participant's interests would +not be adequately protected otherwise or that broader participation is +required for a full and true disclosure of the facts, but the rights of +a nonparty participant may not exceed the rights of a party. + +[44 FR 22339, Apr. 13, 1979, as amended at 48 FR 51770, Nov. 14, 1983] + + + +Sec. 12.90 Conduct at oral hearings or conferences. + + All participants in a hearing will conduct themselves with dignity +and observe judicial standards of practice and ethics. They may not +indulge in personal attacks, unseemly wrangling, or intemperate +accusations or characterizations. Representatives of parties shall, to +the extent possible, restrain clients from improprieties in connection +with any proceeding. Disrespectful, disorderly, or contumacious language +or conduct, refusal to comply with directions, use of dilatory tactics, +or refusal to adhere to reasonable standards of orderly and ethical +conduct during any hearing, constitute grounds for immediate exclusion +from the proceeding by the presiding officer. + + + +Sec. 12.91 Time and place of prehearing conference. + + A prehearing conference will commence at the date, time, and place +announced in the notice of hearing, or in a later notice, or as +specified by the presiding officer in a notice modifying a prior notice. +At that conference the presiding officer will establish the methods and +procedures to be used in developing the evidence, determine reasonable +time periods for the conduct of the hearing, and designate the times and +places for the production of witnesses for direct and cross-examination +if leave to conduct oral examination is granted on any issue, as far as +practicable at that time. + + + +Sec. 12.92 Prehearing conference procedure. + + (a) Participants in a hearing are to appear at the prehearing +conference prepared to discuss and resolve all matters specified in +paragraph (b) of this section. + (1) To expedite the hearing, participants are encouraged to prepare +in advance for the prehearing conference. Participants should cooperate +with each other, and request information and begin preparation of +testimony at the earliest possible time. Failure of a participant to +appear at the prehearing conference or to raise matters that could +reasonably be anticipated and resolved at that time will not delay the +progress of the hearing, and constitutes a waiver of the rights of the +participant regarding such matters as objections to the agreements +reached, actions taken, or rulings issued by the presiding officer and +may be grounds for striking the participation under Sec. 12.45. + (2) Participants shall bring to the prehearing conference the +following specific information, which will be filed with the Division of +Dockets Management under Sec. 12.80: + (i) Any additional information to supplement the submission filed +under Sec. 12.85, which may be filed if approved under Sec. 12.85(c). + (ii) A list of all witnesses whose testimony will be offered, orally +or in writing, at the hearing, with a full curriculum vitae for each. +Additional witnesses may later be identified, with the approval of the +presiding officer, on a showing that the witness was not reasonably +available at the time of the prehearing conference or the relevance of +the witness' views could not reasonably have been foreseen at that time. + (iii) All prior written statements including articles and any +written statement signed or adopted, or a recording or transcription of +an oral statement made, by persons identified as witnesses if-- + (a) The statement is available without making request of the witness +or any other person; + (b) The statement relates to the subject matter of the witness' +testimony; and + +[[Page 187]] + + (c) The statement either was made before the time the person agreed +to become a witness or has been made publicly available by the person. + (b) The presiding officer will conduct a prehearing conference for +the following purposes: + (1) To determine the areas of factual disagreement to be considered +at the hearing. The presiding officer may hold conferences off the +record in an effort to reach agreement on disputed factual questions. + (2) To identify the most appropriate techniques for developing +evidence on issues in controversy and the manner and sequence in which +they will be used, including, where oral examination is to be conducted, +the sequence in which witnesses will be produced for, and the time and +place of, oral examination. The presiding officer may consider-- + (i) Submission of narrative statements of position on factual issues +in controversy; + (ii) Submission of evidence or identification of previously +submitted evidence to support such statements, such as affidavits, +verified statements of fact, data, studies, and reports; + (iii) Exchange of written interrogatories directed to particular +witnesses; + (iv) Written requests for the production of additional +documentation, data, or other relevant information; + (v) Submission of written questions to be asked by the presiding +officer of a specific witness; and + (vi) Identification of facts for which oral examination and/or +cross-examination is appropriate. + (3) To group participants with substantially like interests for +presenting evidence, making motions and objections, including motions +for summary decision, filing briefs, and presenting oral argument. + (4) To hear and rule on objections to admitting into evidence +information submitted under Sec. 12.85. + (5) To obtain stipulations and admissions of facts. + (6) To take other action that may expedite the hearing. + (c) The presiding officer shall issue, orally or in writing, a +prehearing order reciting the actions taken at the prehearing conference +and setting forth the schedule for the hearing. The order will control +the subsequent course of the hearing unless modified by the presiding +officer for good cause. + + + +Sec. 12.93 Summary decisions. + + (a) After the hearing commences, a participant may move, with or +without supporting affidavits, for a summary decision on any issue in +the hearing. Any other participant may, within 10 days after service of +the motion, which time may be extended for an additional 10 days for +good cause, serve opposing affidavits or countermove for summary +decision. The presiding officer may set the matter for argument and call +for the submission of briefs. + (b) The presiding officer will grant the motion if the objections, +requests for hearing, other pleadings, affidavits, and other material +filed in connection with the hearing, or matters officially noticed, +show that there is no genuine issue as to any material fact and that a +participant is entitled to summary decision. + (c) Affidavits should set forth facts that would be admissible in +evidence and show affirmatively that the affiant is competent to testify +to the matters stated. When a properly supported motion for summary +decision is made, a participant opposing the motion may not rest upon +mere allegations or denials or general descriptions of positions and +contentions; affidavits or other responses must set forth specific facts +showing that there is a genuine issue of fact for the hearing. + (d) Should it appear from the affidavits of a participant opposing +the motion that for sound reasons stated, facts essential to justify the +opposition cannot be presented by affidavit, the presiding officer may +deny the motion for summary decision, order a continuance to permit +affidavits or additional evidence to be obtained, or issue other just +order. + (e) If on motion under this section a summary decision is not +rendered upon the whole case or for all the relief asked. and +evidentiary facts need to be developed, the presiding officer will issue +an order specifying the facts that appear without substantial +controversy + +[[Page 188]] + +and directing further evidentiary proceedings. The facts so specified +will be deemed established. + (f) A participant may obtain interlocutory review by the +Commissioner of a summary decision of the presiding officer. + + + +Sec. 12.94 Receipt of evidence. + + (a) A hearing consists of the development of evidence and the +resolution of factual issues as set forth in this subpart and in the +prehearing order. + (b) All orders, transcripts, written statements of position, written +direct testimony, written interrogatories and responses, and any other +written material submitted in the proceeding is a part of the +administrative record of the hearing, and will be promptly placed on +public display in the office of the Division of Dockets Management, +except as provided in Sec. 12.105. + (c) Written evidence, identified as such, is admissible unless a +participant objects and the presiding officer excludes it on objection +of a participant or on the presiding officer's own initiative. + (1) The presiding officer may exclude written evidence as +inadmissible only if-- + (i) The evidence is irrelevant, immaterial, unreliable, or +repetitive; + (ii) Exclusion of part or all of the written evidence of a +participant is necessary to enforce the requirements of this subpart; or + (iii) The evidence was not submitted as required by Sec. 12.85. + (2) Items of written evidence are to be submitted as separate +documents, sequentially numbered, except that a voluminous document may +be submitted in the form of a cross-reference to the documents filed +under Sec. 12.85. + (3) Written evidence excluded by the presiding officer as +inadmissible remains a part of the administrative record, as an offer of +proof, for judicial review. + (d) Testimony, whether on direct or on cross-examination, is +admissible as evidence unless a participant objects and the presiding +officer excludes it. + (1) The presiding officer may exclude oral evidence as inadmissible +only if-- + (i) The evidence is irrelevant, immaterial, unreliable, or +repetitive; or + (ii) Exclusion of part or all of the evidence is necessary to +enforce the requirements of this part. + (2) If oral evidence is excluded as inadmissible, the participant +may take written exception to the ruling in a brief to the Commissioner, +without taking oral exception at the hearing. Upon review, the +Commissioner may reopen the hearing to permit the evidence to be +admitted if the Commissioner determines that its exclusion was erroneous +and prejudicial. + (e) The presiding officer may schedule conferences as needed to +monitor the program of the hearing, narrow and simplify the issues, and +consider and rule on motions, requests, and other matters concerning the +development of the evidence. + (f) The presiding officer will conduct such proceedings as are +necessary for the taking of oral testimony, for the oral examination of +witnesses by the presiding officer on the basis of written questions +previously submitted by the parties, and for the conduct of cross- +examination of witnesses by the parties. The presiding officer shall +exclude irrelevant or repetitious written questions and limit oral +cross-examination to prevent irrelevant or repetitious examination. + (g) The presiding officer shall order the proceedings closed for the +taking of oral testimony relating to matters specified in Sec. +10.20(j)(2)(i) (a) and (b). Such closed proceedings will be conducted in +accordance with Sec. 10.20(j)(3). Participation in closed proceedings +will be limited to the witness, the witness' counsel, and Federal +Government executive branch employees and special government employees. +Closed proceedings will be permitted only for, and will be limited to, +oral testimony directly relating to matters specified in Sec. +10.20(j)(3). + + + +Sec. 12.95 Official notice. + + (a) Official notice may be taken of such matters as might be +judicially noticed by the courts of the United States or of any other +matter peculiarly within the general knowledge of FDA as an expert +agency. + +[[Page 189]] + + (b) If official notice is taken of a material fact not appearing in +the evidence of record, a participant, on timely request, will be +afforded an opportunity to show the contrary. + + + +Sec. 12.96 Briefs and arguments. + + (a) Promptly after the taking of evidence is completed, the +presiding officer will announce a schedule for the filing of briefs. +Briefs are to be filed ordinarily within 45 days of the close of the +hearing. Briefs must include a statement of position on each issue, with +specific and complete citations to the evidence and points of law relied +on. Briefs must contain proposed findings of fact and conclusions of +law. + (b) The presiding officer may, as a matter of discretion, permit +oral argument after the briefs are filed. + (c) Briefs and oral argument are to refrain from disclosing specific +details of written and oral testimony and documents relating to matters +specified in Sec. 10.20(j)(2)(i)(a) and (b), except as specifically +authorized in a protective order issued under Sec. 10.20(j)(3). + + + +Sec. 12.97 Interlocutory appeal from ruling of presiding officer. + + (a) Except as provided in paragraph (b) of this section and in +Sec. Sec. 12.35(b), 12.45(e), 12.93(f), and 12.99(d), when an +interlocutory appeal is specifically authorized by this subpart, rulings +of the presiding officer may not be appealed to the Commissioner before +the Commissioner's consideration of the entire record of the hearing. + (b) A ruling of the presiding officer is subject to interlocutory +appeal to the Commissioner if the presiding officer certifies on the +record or in writing that immediate review is necessary to prevent +exceptional delay, expense, or prejudice to any participant, or +substantial harm to the public interest. + (c) When an interlocutory appeal is made to the Commissioner, a +participant may file a brief with the Commissioner only if specifically +authorized by the presiding officer or the Commissioner, and if such +authorization is granted, within the period the Commissioner directs. If +a participant is authorized to file a brief, any other participant may +file a brief in opposition, within the period the Commissioner directs. +If no briefs are authorized, the appeal will be presented as an oral +argument to the Commissioner. The oral argument will be transcribed. If +briefs are authorized, oral argument will be heard only at the +discretion of the Commissioner. + + + +Sec. 12.98 Official transcript. + + (a) The presiding officer will arrange for a verbatim stenographic +transcript of oral testimony and for necessary copies of the transcript. + (b) One copy of the transcript will be placed on public display in +the office of the Division of Dockets Management upon receipt. + (c) Except as provided in Sec. 12.105, copies of the transcript may +be obtained by application to the official reporter and payment of costs +thereof or under part 20. + (d) Witnesses, participants, and counsel have 30 days from the time +the transcript becomes available to propose corrections in the +transcript of oral testimony. Corrections are permitted only for +transcription errors. The presiding officer shall promptly order +justified corrections. + + + +Sec. 12.99 Motions. + + (a) A motion on any matter relating to the proceeding is to be filed +under Sec. 12.80, and must include a draft order, except one made in +the course of an oral hearing before the presiding officer. + (b) A response may be filed within 10 days of service of a motion. +The time may be shortened or extended by the presiding officer for good +cause shown. + (c) The moving party has no right to reply, except as permitted by +the presiding officer. + (d) The presiding officer shall rule upon the motion and may certify +that ruling to the Commissioner for interlocutory review. + + + + Subpart F_Administrative Record + + + +Sec. 12.100 Administrative record of a hearing. + + (a) The record of a hearing consists of-- + (1) The order or regulation or notice of opportunity for hearing +that gave rise to the hearing; + +[[Page 190]] + + (2) All objections and requests for hearing filed by the Division of +Dockets Management under Sec. Sec. 12.20 through 12.22; + (3) The notice of hearing published under Sec. 12.35; + (4) All notices of participation filed under Sec. 12.45; + (5) All Federal Register notices pertinent to the proceeding; + (6) All submissions filed under Sec. 12.82, e.g., the submissions +required by Sec. 12.85, all other documentary evidence and written +testimony, pleadings, statements of position, briefs, and other similar +documents; + (7) The transcript, written order, and all other documents relating +to the prehearing conference, prepared under Sec. 12.92; + (8) All documents relating to any motion for summary decision under +Sec. 12.93; + (9) All documents of which official notice is taken under Sec. +12.95; + (10) All pleadings filed under Sec. 12.96; + (11) All documents relating to any interlocutory appeal under Sec. +12.97; + (12) All transcripts prepared under Sec. 12.98; and + (13) Any other document relating to the hearing and filed with the +Division of Dockets Management by the presiding officer or any +participant; + (b) The record of the administrative proceeding is closed-- + (1) With respect to the taking of evidence, when specified by the +presiding officer; and + (2) With respect to pleadings, at the time specified in Sec. +12.96(a) for the filing of briefs. + (c) The presiding officer may reopen the record to receive further +evidence at any time before the filing of the initial decision. + + + +Sec. 12.105 Examination of record. + + Documents in the record will be publicly available in accordance +with Sec. 10.20(j). Documents available for examination or copying will +be placed on public display in the office of the Division of Dockets +Management promptly upon receipt in that office. + + + + Subpart G_Initial and Final Decisions + + + +Sec. 12.120 Initial decision. + + (a) The presiding officer shall prepare and file an initial decision +as soon as possible after the filing of briefs and oral argument. + (b) The initial decision must contain-- + (1) Findings of fact based issued upon relevant, material, and +reliable evidence of record; + (2) Conclusions of law; + (3) A discussion of the reasons for the findings and conclusions, +including a discussion of the significant contentions made by any +participant; + (4) Citations to the record supporting the findings and conclusions; + (5) An appropriate regulation or order supported by substantial +evidence of record and based upon the findings of fact and conclusions +of law; and + (6) An effective date for the regulation or order. + (c) The initial decision must refrain from disclosing specific +details of matters specified in Sec. 10.20(j)(2)(i) (a) and (b), except +as specifically authorized in a protective order issued pursuant to +Sec. 10.20(j)(3). + (d) The initial decision is to be filed with the Division of Dockets +Management and served upon all participants. Once the initial decision +is filed with the Division of Dockets Management, the presiding officer +has no further jurisdiction over the matter, and any motions or requests +filed with the Division of Dockets Management will be decided by the +Commissioner. + (e) The initial decision becomes the final decision of the +Commissioner by operation of law unless a participant files exceptions +with the Division of Dockets Management under Sec. 12.125(a) or the +Commissioner files a notice of review under Sec. 12.125(f). + (f) Notice that an initial decision has become the decision of the +Commissioner without appeal to or review by the Commissioner will be +published in the Federal Register, or the Commissioner may publish the +decision when it is of widespread interest. + +[[Page 191]] + + + +Sec. 12.125 Appeal from or review of initial decision. + + (a) A participant may appeal an initial decision to the Commissioner +by filing exceptions with the Division of Dockets Management, and +serving them on the other participants, within 60 days of the date of +the initial decision. + (b) Exceptions must specifically identify alleged errors in the +findings of fact or conclusions of law in the initial decision, and +provide supporting citations to the record. Oral argument before the +Commissioner may be requested in the exceptions. + (c) Any reply to the exceptions is to be filed and served within 60 +days of the end of the period for filing exceptions. + (d) The Commissioner may extend the time for filing exceptions under +paragraph (a) of this section or replies to exceptions under paragraph +(c) of this section only upon a showing by a participant of +extraordinary circumstances. Such an extension shall be requested by +filing a written request with the Commissioner's Executive Secretariat +(HF-40) and serving copies of the request on the Division of Dockets +Management (HFA-305), the Chief Counsel (GCF-1), and all hearing +participants. + (e) If the Commissioner decides to hear oral argument, the +participants will be informed of the date, time, and place, the amount +of time allotted to each participant, and the issues to be addressed. + (f) Within 10 days following the expiration of the time for filing +exceptions (including any extensions), the Commissioner may file with +the Division of Dockets Management, and serve on the participants, a +notice of the Commissioner's determination to review the initial +decision. The Commissioner may invite the participants to file briefs or +present oral argument on the matter. The time for filing briefs or +presenting oral argument will be specified in that or a later notice. + +[44 FR 22339, Apr. 13, 1979, as amended at 53 FR 29453, Aug. 5, 1988] + + + +Sec. 12.130 Decision by Commissioner on appeal or review of +initial decision. + + (a) On appeal from or review of the initial decision, the +Commissioner has all the powers given to make the initial decision. On +the Commissioner's own initiative or on motion, the Commissioner may +remand the matter to the presiding officer for any further action +necessary for a proper decision. + (b) The scope of the issues on appeal is the same as the scope of +the issues at the public hearing unless the Commissioner specifies +otherwise. + (c) As soon as possible after the filing of briefs and any oral +argument, the Commissioner will issue a final decision in the +proceeding, which meets the requirements established in Sec. 12.120 (b) +and (c). + (d) The Commissioner may adopt the initial decision as the final +decision. + (e) Notice of the Commissioner's decision will be published in the +Federal Register, or the Commissioner may publish the decision when it +is of widespread interest. + + + +Sec. 12.139 Reconsideration and stay of action. + + Following notice or publication of the final decisions, a +participant may petition the Commissioner for reconsideration of any +part or all of the decision under Sec. 10.33 or may petition for a stay +of the decision under Sec. 10.35. + + + + Subpart H_Judicial Review + + + +Sec. 12.140 Review by the courts. + + (a) The Commissioner's final decision constitutes final agency +action from which a participant may petition for judicial review under +the statutes governing the matter involved. Before requesting an order +from a court for a stay of action pending review, a participant shall +first submit a petition for a stay of action under Sec. 10.35. + (b) Under 28 U.S.C. 2112(a), FDA will request consolidation of all +petitions related to a particular matter. + +[[Page 192]] + + + +Sec. 12.159 Copies of petitions for judicial review. + + The Chief Counsel for FDA has been designated by the Secretary as +the officer on whom copies of petitions of judicial review are to be +served. This officer is responsible for filing the record on which the +final decision is based. The record of the proceeding is certified by +the Commissioner. + + + +PART 13_PUBLIC HEARING BEFORE A PUBLIC BOARD OF INQUIRY +--Table of Contents + + + + Subpart A_General Provisions + +Sec. +13.1 Scope. +13.5 Notice of a hearing before a Board. +13.10 Members of a Board. +13.15 Separation of functions; ex parte communications; administrative + support. + + Subpart B_Hearing Procedures + +13.20 Submissions to a Board. +13.25 Disclosure of data and information by the participants. +13.30 Proceedings of a Board. + + Subpart C_Records of a Hearing Before a Board + +13.40 Administrative record of a Board. +13.45 Examination of administrative record. +13.50 Record for administrative decision. + + Authority: 5 U.S.C. 551-558, 701-721; 15 U.S.C. 1451-1461; 21 U.S.C. +141-149, 321-393, 467f, 679, 821, 1034; 28 U.S.C. 2112; 42 U.S.C. 201, +262, 263b-263n, 264. + + Source: 44 FR 22348, Apr. 13, 1979, unless otherwise noted. + + + + Subpart A_General Provisions + + + +Sec. 13.1 Scope. + + The procedures in this part apply when-- + (a) The Commissioner concludes, as a matter of discretion, that it +is in the public interest to hold a public hearing before a Public Board +of Inquiry (Board) with respect to any matter before FDA; + (b) Under specific sections of this chapter a matter before FDA is +subject to a hearing before a Board; or + (c) Under Sec. 12.32, a person who has a right to an opportunity +for a formal evidentiary public hearing waives that opportunity and +requests that a Board act as an administrative law tribunal concerning +the matters involved, and the Commissioner decides to accept this +request. + + + +Sec. 13.5 Notice of a hearing before a Board. + + If the Commissioner determines that a Board should be established to +conduct a hearing on any matter, a notice of hearing will be published +in the Federal Register setting forth the following information: + (a) If the hearing is under Sec. 13.1 (a) or (b), all applicable +information described in Sec. 12.32(e). + (1) Any written document that is to be the subject matter of the +hearing will be published as a part of the notice, or the notice will +refer to it if the document has already been published in the Federal +Register or state that the document is available from the Division of +Dockets Management or an agency employee designated in the notice. + (2) For purposes of a hearing under Sec. 13.1 (a) or (b), all +participants who file a notice of participation under Sec. +12.32(e)(6)(ii) are deemed to be parties and entitled to participate in +selection of the Board under Sec. 13.15(b). + (b) If the hearing is in lieu of a formal evidentiary hearing, as +provided in Sec. 13.1(c), all of the information described in Sec. +12.32(e). + +[44 FR 22348, Apr. 13, 1979, as amended at 47 FR 26375, June 18, 1982] + + + +Sec. 13.10 Members of a Board. + + (a) All members of a Board are to have medical, technical, +scientific, or other qualifications relevant to the issues to be +considered, are subject to the conflict of interest rules applicable to +special Government employees, and are to be free from bias or prejudice +concerning the issues involved. A member of a Board may be a full-time +or part-time Federal Government employee or may serve on an FDA advisory +committee but, except with the agreement of all parties, may not +currently be a full-time or part-time employee of FDA or otherwise act +as a special Government employee of FDA. + (b) Within 30 days of publication of the notice of hearing, the +director of the center of FDA responsible for a + +[[Page 193]] + +matter before a Board, the other parties to the proceeding, and any +person whose petition was granted and is the subject of the hearing, +shall each submit to the Division of Dockets Management the names and +full curricula vitae of five nominees for members of the Board. +Nominations are to state that the nominee is aware of the nomination, is +interested in becoming a member of the Board, and appears to have no +conflict of interest. + (1) Any two or more persons entitled to nominate members may agree +upon a joint list of five qualified nominees. + (2) The lists of nominees must be submitted to the persons entitled +to submit a list of nominees under this paragraph but not to all +participants. Within 10 days of receipt of the lists of nominees, such +persons may submit comments to the Division of Dockets Management on +whether the nominees of the other persons meet the criteria established +in paragraph (a) of this section. A person submitting comments to the +Division of Dockets Management shall submit them to all persons entitled +to submit a list of nominees. + (3) The lists of nominees and comments on them are to be held in +confidence by the Division of Dockets Management as part of the +administrative record of the proceeding and are not to be made available +for public disclosure, and all persons who submit or receive them shall +similarly hold them in confidence. This portion of the administrative +record remains confidential but is available for judicial review in the +event that it becomes relevant to any issue before a court. + (c) After reviewing the lists of nominees and any comments, the +Commissioner will choose three qualified persons as members of a Board. +One member will be from the lists of nominees submitted by the director +of the center and by any person whose petition was granted and is the +subject of the hearing. The second will be from the lists of nominees +submitted by the other parties. The Commissioner may choose the third +member from any source. That member is the Chairman of the Board. + (1) If the Commissioner is unable to find a qualified person with no +conflict of interest from among a list of nominees or if additional +information is needed, the Commissioner will request the submission of +the required additional nominees or information. + (2) If a person fails to submit a list of nominees as required by +paragraph (b) of this section, the Commissioner may choose a qualified +member without further consultation with that person. + (3) The Commissioner will announce the members of a Board by filing +a memorandum in the record of the proceeding and sending a copy to all +participants. + (d) Instead of using the selection method in paragraphs (b) and (c) +of this section, the director of the center, the other parties to the +proceeding, and any person whose petition was granted and is the subject +of the hearing, may, with the approval of the Commissioner, agree that a +standing advisory committee listed in Sec. 14.80 constitutes the Board +for a particular proceeding, or that another procedure is to be used for +selection of the members of the Board, or that the Board consists of a +larger number of members. + (e) The members of a Board serve as consultants to the Commissioner +and are special Government employees or Government employees. A Board +functions as an administrative law tribunal in the proceeding and is not +an advisory committee subject to the requirements of the Federal +Advisory Committee Act or part 14. + (f) The Chairman of the Board has the authority of a presiding +officer set out in Sec. 12.70. + +[44 FR 22348, Apr. 13, 1979, as amended at 50 FR 8994, Mar. 6, 1985] + + + +Sec. 13.15 Separation of functions; ex parte communications; +administrative support. + + (a) The proceeding of a Board are subject to the provisions of Sec. +10.55 relating to separation of functions and ex parte communications. +Representatives of the participants in any proceeding before a Board, +including any members of the office of the Chief Counsel of FDA assigned +to advise the center responsible for the matter, may have no contact +with the members of the Board, except as participants in the proceeding, +and may not participate in the deliberations of the Board. + +[[Page 194]] + + (b) Administrative support for a Board is to be provided only by the +office of the Commissioner and the office of the Chief Counsel for FDA. + +[44 FR 22348, Apr. 13, 1979, as amended at 54 FR 9035, Mar. 3, 1989] + + + + Subpart B_Hearing Procedures + + + +Sec. 13.20 Submissions to a Board. + + (a) Submissions are to be filed with the Division of Dockets +Management under Sec. 10.20. + (b) The person making a submission shall serve copies of it on each +participant in the proceeding, except as provided in Sec. Sec. +13.10(b)(2) and 13.45. Submissions of documentary data and information +need not be sent to each participant, but any accompanying transmittal +letter, summary, statement of position, certification under paragraph +(d) of this section, or similar document must be. + (c) A submission must be mailed to the address shown in the notice +of appearance or personally delivered. + (d) All submissions are to be accompanied by a certificate of +service, or a statement that service is not required. + (e) No written submission or other portion of the administrative +record may be held in confidence, except as provided in Sec. Sec. +13.10(b)(2) and 13.45. + (f) A participant who believes that compliance with the requirements +of this section constitutes an unreasonable financial burden may submit +to the Commissioner a petition to participate in forma pauperis in the +form and manner specified in Sec. 12.82. + + + +Sec. 13.25 Disclosure of data and information by the participants. + + (a) Before the notice of hearing is published under Sec. 13.5, the +director of the center responsible for the matters involved in the +hearing must submit to the Division of Dockets Management-- + (1) The relevant portions of the existing administrative record of +the proceeding. Portions of the administrative record not relevant to +the issues in the hearing are not part of the administrative record; + (2) A list of all persons whose views will be presented orally or in +writing at the hearing; + (3) All documents in the director's files containing factual +information, whether favorable or unfavorable to the director's +position, which relate to the issues involved in the hearing. Files +means the principal files in the center in which documents relating to +the issues in the hearing are ordinarily kept, e.g., the food additive +master file and the food additive petition in the case of issues +concerning a food additive, or the new drug application in the case of +issues concerning a new drug. Internal memoranda reflecting the +deliberative process, and attorney work product and material prepared +specifically for use in connection with the hearing, are not required to +be submitted; + (4) All other documentary information relied on; and + (5) A signed statement that, to the best of the director's knowledge +and belief, the submission complies with this section. + (b) Within the time prescribed in the notice of hearing published +under Sec. 13.5, each participant shall submit to the Division of +Dockets Management all information specified in paragraph (a)(2) through +(5) of this section and any objections that the administrative record +filed under paragraph (a)(1) of this section is incomplete. With respect +to the information specified in paragraph (a)(3) of this section, +participants are to exercise reasonable diligence in identifying +documents in files comparable to those described in that paragraph. + (c) The submissions required by paragraphs (a) and (b) of this +section may be supplemented later in the proceeding, with the approval +of the Board, on a showing that the views of the persons or the material +contained in the supplement was not known or reasonably available when +the initial submission was made or that the relevance of the views of +the persons or the material contained in the supplement could not +reasonably have been foreseen. + (d) The failure to comply substantially and in good faith with this +section in the case of a participant constitutes a waiver of the right +to participate further in the hearing and in + +[[Page 195]] + +the case of a party constitutes a waiver of the right to a hearing. + (e) The Chairman rules on questions relating to this section. Any +participant dissatisfied with a ruling may petition the Commissioner for +interlocutory review. + +[44 FR 22348, Apr. 13, 1979, as amended at 50 FR 8994, Mar. 6, 1985; 54 +FR 9035, Mar. 3, 1989] + + + +Sec. 13.30 Proceedings of a Board. + + (a) The purpose of a Board is to review medical, scientific, and +technical issues fairly and expeditiously. The proceedings of a Board +are conducted as a scientific inquiry rather than a legal trial. + (b) A Board may not hold its first hearing until after all +participants have submitted the information required by Sec. 13.25. + (c) The Chairman calls the first hearing of the Board. Notice of the +time and location of the first hearing is to be published at least 15 +days in advance and the hearing will be open to the public. All +participants will have an opportunity at the first hearing to make an +oral presentation of the information and views which in their opinion +are pertinent to the resolution of the issues being considered by a +Board. A participant's presentation may be made by more than one person. +The Chairman determines the order of the presentation. Participants may +not interrupt a presentation, but members of the Board may ask +questions. At the conclusion of a presentation, each of the other +participants may briefly comment on the presentation and may request +that the Board conduct further questioning on specified matters. Members +of the Board may then ask further questions. Any other participant may +be permitted to ask questions if the Chairman determines that it will +help resolve the issues. + (d) The hearing is informal and the rules of evidence do not apply. +No motions or objections relating to the admissibility of information +and views may be made or considered, but other participants may comment +upon or rebut all such information and views. No participant may +interrupt the presentation of another participant for any reason. + (e) Within the time specified by the Board after its first hearing, +participants may submit written rebuttal information and views in +accordance with Sec. 13.20. The Chariman will then schedule a second +hearing, if requested and justified by a participant. A second hearing, +and any subsequent hearing, will be called only if the Chairman +concludes that it is needed to fully and fairly present information that +cannot otherwise adequately be considered and to properly resolve the +issues. Notice of the time and location of any hearing is to be +published at least 15 days in advance. The hearing is open to the +public. + (f) A Board may consult with any person who it concludes may have +information or views relevant to the issues. + (1) The consultation may occur only at an announced hearing of a +Board. Participants have the right to suggest or, with the permission of +the Chairman, ask questions of the consultant and present rebuttal +information and views, as provided in paragraphs (c) and (d) of this +section except that written statements may be submitted to the Board +with the consent of all participants. + (2) A participant may submit a request that the Board consult with a +specific person who may have information or views relevant to the +issues. The request will state why the person should be consulted and +why the person's views cannot be furnished to the Board by means other +than having FDA arrange for the person's appearance. The Board may, in +its discretion, grant or deny the request. + (g) All hearings are to be transcribed. All hearings are open to the +public, except that a hearing under Sec. 10.20(j)(3) is closed to all +persons except those persons making and participating in the +presentation and Federal Government executive branch employees and +special Government employees. At least a majority of Board members are +to be present at every hearing. The executive sessions of a Board, +during which a Board deliberates on the issues, are to be closed and are +not transcribed. All members of the Board shall vote on the report of +the Board. + +[[Page 196]] + + (h) All legal questions are to be referred to the Chief counsel for +FDA for resolution. The Chief Counsel's advice on any matter of +procedure or legal authority is to be transmitted in writing and made a +part of the record or presented in open session and transcribed. + (i) At the conclusion of all public hearings the Board will announce +that the record is closed to receiving information. The Board will +provide an opportunity for participants to submit written statements of +their positions, with proposed findings and conclusions, and may in its +discretion, provide an opportunity for participants to summarize their +positions orally. + (j) The Board will prepare a decision on all issues. The decision is +to include specific findings and references supporting and explaining +the Board's conclusions, and a detailed statement of the reasoning on +which the conclusions are based. Any member of the Board may file a +separate report stating additional or dissenting views. + + + + Subpart C_Records of a Hearing Before a Board + + + +Sec. 13.40 Administrative record of a Board. + + (a) The administrative record of a hearing before a Board consists +of the following: + (1) All relevant Federal Register notices. + (2) All written submissions under Sec. 13.20. + (3) The transcripts of all hearings of the Board. + (4) The initial decision of the Board. + (b) The record of the administrative proceeding is closed-- + (1) Relevant to receiving information and data, at the time +specified in Sec. 13.30(i); and + (2) Relevant to pleadings, at the time specified in Sec. 13.30(i) +for filing a written statement of position with proposed findings and +conclusions. + (c) The Board may, in its discretion, reopen the record to receive +further evidence at any time before filing an initial decision. + + + +Sec. 13.45 Examination of administrative record. + + (a) The availability for public examination and copying of each +document which is a part of the administrative record of the hearing is +governed by Sec. 10.20(j). Each document available for public +examination or copying is placed on public display in the office of the +Division of Dockets Management promptly upon receipt in that office. + (b) Lists of nominees and comments submitted on them under Sec. +13.10(b)(3) are not subject to disclosure unless they become an issue in +a court proceeding. + + + +Sec. 13.50 Record for administrative decision. + + The administrative record of the hearing specified in Sec. 13.40(a) +constitutes the exclusive record for decision. + + + +PART 14_PUBLIC HEARING BEFORE A PUBLIC ADVISORY COMMITTEE +--Table of Contents + + + + Subpart A_General Provisions. + +Sec. +14.1 Scope. +14.5 Purpose of proceedings before an advisory committee. +14.7 Administrative remedies. +14.10 Applicability to Congress. +14.15 Committees working under a contract with FDA. + + Subpart B_Meeting Procedures + +14.20 Notice of hearing before an advisory committee. +14.22 Meetings of an advisory committee. +14.25 Portions of advisory committee meetings. +14.27 Determination to close portions of advisory committee meetings. +14.29 Conduct of a hearing before an advisory committee. +14.30 Chairperson of an advisory committee. +14.31 Consultation by an advisory committee with other persons. +14.33 Compilation of materials for members of an advisory committee. +14.35 Written submissions to an advisory committee. +14.39 Additional rules for a particular advisory committee. + +[[Page 197]] + + Subpart C_Establishment of Advisory Committees + +14.40 Establishment and renewal of advisory committees. +14.55 Termination of advisory committees. + + Subpart D_Records of Meetings and Hearings Before Advisory Committees + +14.60 Minutes and reports of advisory committee meetings. +14.61 Transcripts of advisory committee meetings. +14.65 Public inquiries and requests for advisory committee records. +14.70 Administrative record of a public hearing before an advisory + committee. +14.75 Examination of administrative record and other advisory committee + records. + + Subpart E_Members of Advisory Committees + +14.80 Qualifications for members of standing policy and technical + advisory committees. +14.82 Nominations of voting members of standing advisory committees. +14.84 Nominations and selection of nonvoting members of standing + technical advisory committees. +14.86 Rights and responsibilities of nonvoting members of advisory + committees. +14.90 Ad hoc advisory committee members. +14.95 Compensation of advisory committee members. + + Subpart F_Standing Advisory Committees + +14.100 List of standing advisory committees. + + Subpart G_Technical Electronic Products Radiation Safety Standards + Committee + +14.120 Establishment of the Technical Electronic Product Radiation + Safety Standards Committee (TEPRSSC). +14.122 Functions of TEPRSSC. +14.125 Procedures of TEPRSSC. +14.127 Membership of TEPRSSC. +14.130 Conduct of TEPRSSC meetings; availability of TEPRSSC records. + + Subpart H_Color Additive Advisory Committees + +14.140 Establishment of a color additive advisory committee. +14.142 Functions of a color additive advisory committee. +14.145 Procedures of a color additive advisory committee. +14.147 Membership of a color additive advisory committee. +14.155 Fees and compensation pertaining to a color additive advisory + committee. + + Subpart I_Advisory Committees for Human Prescription Drugs + +14.160 Establishment of standing technical advisory committees for human + prescription drugs. +14.171 Utilization of an advisory committee on the initiative of FDA. +14.172 Utilization of an advisory committee at the request of an + interested person. +14.174 Advice and recommendations in writing. + + Authority: 5 U.S.C. App. 2; 15 U.S.C. 1451-1461, 21 U.S.C. 41-50, +141-149, 321-394, 467f, 679, 821, 1034; 28 U.S.C. 2112; 42 U.S.C. 201, +262, 263b, 264; Pub. L. 107-109; Pub. L. 108-155; Pub. L. 113-54. + + Source: 44 FR 22351, Apr. 13, 1979, unless otherwise noted. + + + + Subpart A_General Provisions + + + +Sec. 14.1 Scope. + + (a) This part governs the procedures when any of the following +applies: + (1) The Commissioner concludes, as a matter of discretion, that it +is in the public interest for a standing or ad hoc policy or technical +public advisory committee (advisory committee or committee) to hold a +public hearing and to review and make recommendations on any matter +before FDA and for interested persons to present information and views +at an oral public hearing before the advisory committee. + (2) Under specific provisions in the FD&C Act or other sections of +this chapter, a matter is subject to a hearing before an advisory +committee. The specific provisions are-- + (i) Section 14.120 on review of a performance standard for an +electronic product by the Technical Electronic Product Radiation Safety +Standards Committee (TEPRSSC); + (ii) Section 14.140 on review of the safety of color additives; + (iii) Section 14.160 on review of the safety and effectiveness of +human prescription drugs; + (iv) Section 330.10 on review of the safety and effectiveness of +over-the-counter drugs; + (v) Section 601.25 on review of the safety and effectiveness of +biological drugs; + (vi) Part 860, on classification of devices; + +[[Page 198]] + + (vii) Section 514(b)(5) of the FD&C Act on establishment, amendment, +or revocation of a device performance standard; + (viii) Section 515 of the FD&C Act on review of device premarket +approval applications and product development protocols; and + (ix) Section 520(f) of the FD&C Act on review of device good +manufacturing practice regulations. + (3) A person who has a right to an opportunity for a formal +evidentiary public hearing under part 12 waives that opportunity and +instead under Sec. 12.32 requests a hearing before an advisory +committee, and the Commissioner, as a matter of discretion, accepts the +request. + (b) In determining whether a group is a public advisory committee as +defined in Sec. 10.3(a) and thus subject to this part and to the +Federal advisory Committee Act, the following guidelines will be used: + (1) An advisory committee may be a standing advisory committee or an +ad hoc advisory committee. All standing advisory committees are listed +in Sec. 14.100. + (2) An advisory committee may be a policy advisory committee or a +technical advisory committee. A policy advisory committee advises on +broad and general matters. A technical advisory committee advises on +specific technical or scientific issues, which may relate to regulatory +decisions before FDA. + (3) An advisory committee includes any of its subgroups when the +subgroup is working on behalf of the committee. Section 14.40(d) +describes when a subgroup will be established as an advisory committee +separate from the parent committee. + (4) A committee composed entirely of full-time Federal Government +employees is not an advisory committee. + (5) An advisory committee ordinarily has a fixed membership, a +defined purpose of providing advice to the agency on a particular +subject, regular or periodic meetings, and an organizational structure, +for example, a Chairperson and staff, and serves as a source of +independent expertise and advice rather than as a representative of or +advocate for any particular interest. The following groups are not +advisory committees: + (i) A group of persons convened on an ad hoc basis to discuss a +matter of current interest to FDA, but which has no continuing function +or organization and does not involve substantial special preparation. + (ii) A group of two or more FDA consultants meeting with the agency +on an ad hoc basis. + (iii) A group of experts who are employed by a private company or a +trade association which has been requested by FDA to provide its views +on a regulatory matter pending before FDA. + (iv) A consulting firm hired by FDA to provide advice regarding a +matter. + (6) An advisory committee that is utilized by FDA is subject to this +subpart even though it was not established by FDA. In general, a +committee is utilized when FDA requests advice or recommendations from +the committee on a specific matter in order to obtain an independent +review and consideration of the matter, and not when FDA is merely +seeking the comments of all interested persons or of persons who have a +specific interest in the matter. + (i) A committee formed by an independent scientific or technical +organization is utilized if FDA requests advice of that committee rather +than of the parent organization, or if the circumstances show that the +advice given is that of the committee and not of the parent +organization. A committee formed by an independent scientific or +technical organization is not utilized if FDA requests advice of the +organization rather than of a committee and if the recommendations of +any committee formed in response to the request are subject to +substantial independent policy and factual review by the governing body +of the parent organization. + (ii) A committee is not utilized by FDA if it provides only +information, as contrasted with advice or opinions or recommendations. + (iii) FDA is charged with seeking out the views of all segments of +the public on enforcement of the laws administered by the Commissioner. +The fact that a group of individuals or a committee meets regularly with +FDA, for + +[[Page 199]] + +example, a monthly meeting with consumer representatives, does not make +that group or committee an advisory committee. Thus, this subpart does +not apply to routine meetings, discussions, and other dealings, +including exchanges of views, between FDA and any committee representing +or advocating the particular interests of consumers, industry, +professional organizations, or others. + (7) The inclusion of one or two FDA consultants who are special +Government employees on an internal FDA committee does not make that +committee an advisory committee. + (8) A Public Board of Inquiry established under part 13, or other +similar group convened by agreement between the parties to a regulatory +proceeding pending before FDA to review and prepare an initial decision +on the issues in lieu of a formal evidentiary public hearing, is acting +as an administrative law tribunal and is not an advisory committee. + (9) An open public conference or meeting conducted under Sec. +10.65(b) is not an advisory committee meeting. + (10) An FDA committee that primarily has operational responsibility +rather than that of providing advice and recommendations is not an +advisory committee, for example, the Research Involving Human Subjects +Committee (RIHSC). + (c) This part applies only when a committee convenes to conduct +committee business. Site visits, social gatherings, informal discussions +by telephone or during meals or while traveling or at other professional +functions, or other similar activities do not constitute a meeting. + (d) An advisory committee that is utilized but not established by +FDA is subject to this part only to the extent of such utilization, and +not concerning any other activities of such committee. + (e) Any conference or meeting between an employee of FDA and a +committee or group which is not an advisory committee shall be subject +to Sec. 10.65 or other provisions specifically applicable to the +committee or group, for example, part 13 for a Public Board of Inquiry. + (f) This part applies to all FDA advisory committees, except to the +extent that specific statutes require otherwise for a particular +committee, for example, TEPRSSC and advisory committees established +under the Medical Device Amendments of 1976. + +[44 FR 22351, Apr. 13, 1979, as amended at 54 FR 9035, Mar. 3, 1989; 78 +FR 17087, Mar. 20, 2013] + + + +Sec. 14.5 Purpose of proceedings before an advisory committee. + + (a) An advisory committee is utilized to conduct public hearings on +matters of importance that come before FDA, to review the issues +involved, and to provide advice and recommendations to the Commissioner. + (b) The Commissioner has sole discretion concerning action to be +taken and policy to be expressed on any matter considered by an advisory +committee. + + + +Sec. 14.7 Administrative remedies. + + A person who alleges noncompliance by the Commissioner or an +advisory committee with any provision of this part or the Federal +Advisory Committee Act may pursue the following administrative remedies: + (a) If the person objects to any action, including a failure to act, +other than denial of access to an advisory committee document, the +person shall submit a petition in the form and in accordance with the +requirements of Sec. 10.30. The provisions of Sec. 10.45 relating to +exhaustion of administrative remedies are applicable. + (1) If the person objects to past action, the person shall submit +the petition within 30 days after the action objected to. If the +Commissioner determines that there was noncompliance with any provision +of this subpart or of the Federal Advisory Committee Act, the +Commissioner will grant any appropriate relief and take appropriate +steps to prevent its future recurrence. + (2) If the person objects to proposed future action, the +Commissioner will expedite the review of the petition and make a +reasonable effort to render a decision before the action concerned in +the petition. + (3) If the person objects to action that is imminent or occurring +and which could not reasonably have been anticipated, e.g., the closing +of a portion of a meeting which is made known + +[[Page 200]] + +for the first time on the day of the meeting, the matter may be handled +by an oral petition in lieu of a written petition. + (b) If the person objects to a denial of access to an advisory +committee document, administrative review is in accordance with the +procedures established by the Department of Health and Human Services +under 45 CFR 5.34. + +[44 FR 22351, Apr. 13, 1979, as amended at 55 FR 1404, Jan. 16, 1990] + + + +Sec. 14.10 Applicability to Congress. + + This part applies to Congress, individual Members of Congress, and +other employees or representatives of Congress in the same way that they +apply to any other member of the public, except that disclosure of +advisory committee records to Congress is governed by Sec. 20.87. + + + +Sec. 14.15 Committees working under a contract with FDA. + + (a) FDA may enter into contracts with independent scientific or +technical organizations to obtain advice and recommendations on +particular matters, and these organizations may in turn undertake such +work through existing or new committees. Whether a particular committee +working under such a contract is an advisory committee subject to the +Federal Advisory Committee Act and this subpart depends upon application +of the criteria and principles in Sec. 14.1(b). + (b) The following minimum standards apply to any committee of an +independent scientific or technical organization which is working under +a contract initially executed with FDA after July 1, 1975, but which is +determined not to be an advisory committee: + (1) The committee shall give public notice of its meetings and +agenda, and provide interested persons an opportunity to submit relevant +information and views in writing at any time, and orally at specified +times. The notice may be published in the Federal Register or +disseminated by other reasonable means. It is in any event to be filed +with the Division of Dockets Management not less than 15 days before the +meeting. The time for oral presentations and the extent to which the +committee meets in open session other than for such oral presentations +is in the discretion of the committee. + (2) Minutes of open sessions are to be maintained, with all written +submissions attached which were made to the committee in open session. +After approval, the minutes are to be forwarded to the Division of +Dockets Management and placed on public display. The extent to which the +committee maintains minutes of closed sessions is in the discretion of +the committee. + (3) In selecting the members of the committee, the organization +involved is to apply the principles relating to conflicts of interest +that FDA uses in establishing a public advisory committee. Those +principles are set out or cross-referenced in this part and in part 19. +Upon request, FDA will assist or provide guidance to any organization in +meeting this requirement. + + + + Subpart B_Meeting Procedures + + + +Sec. 14.20 Notice of hearing before an advisory committee. + + (a) Before the first of each month, and at least 15 days in advance +of a meeting, the Commissioner will publish a notice in the Federal +Register of all advisory committee meetings to be held during the month. +Any advisory committee meetings for that month called after the +publication of the general monthly notice are to be announced in the +Federal Register on an individual basis at least 15 days in advance. The +Commissioner may authorize an exception to these notice requirements in +an emergency or for other reasons requiring an immediate meeting of an +advisory committee, in which case public notice will be given at the +earliest time and in the most accessible form feasible including, +whenever possible, publication in the Federal Register. + (b) The Federal Register notice will include-- + (1) The name of the committee; + (2) The date, time, and place of the meeting; + (3) The general function of the committee; + (4) A list of all agenda items, showing whether each will be +discussed in an open or closed portion of the meeting; + +[[Page 201]] + + (5) If any portion of the meeting is closed, a statement of the time +of the open and closed portions; + (6) The nature of the subjects to be discussed during, and the +reasons for closing, any closed portion of the meeting; + (7) The time set aside for oral statements and other public +participation; + (8) The name, address, and telephone number of the advisory +committee Designated Federal Officer and any other agency employee +designated as responsible for the administrative support for the +advisory committee; + (9) A statement that written submissions may be made to the advisory +committee through the Designated Federal Officer at any time, unless a +cutoff date has been established under Sec. 14.35(d)(2); + (10) When a notice is published in the Federal Register less than 15 +days before a meeting, an explanation for the lateness of the notice; +and + (c) If a public hearing before an advisory committee is used in lieu +of a formal evidentiary public hearing under Sec. 14.1(a)(3), an +initial notice of hearing is to be published separately in the Federal +Register containing all the information described in Sec. 12.32(e). +This procedure may be used for any other hearing before an advisory +committee when the Commissioner concludes, as a matter of discretion, +that it would be informative to the public. + (d) A list of advisory committee meetings will be distributed to the +press by the Associate Commissioner for Public Affairs. + +[44 FR 22351, Apr. 13, 1979, as amended at 47 FR 26375, June 1, 1982; 54 +FR 9035, Mar. 3, 1989; 66 FR 6469, Jan. 22, 2001; 66 FR 12850, Mar. 1, +2001] + + + +Sec. 14.22 Meetings of an advisory committee. + + (a) No advisory committee may conduct a meeting except at the call +or with the advance approval of, and with an agenda approved by, the +designated Federal employee or alternate. No meeting may be held in the +absence of the designated Federal employee. + (1) If any matter is added to the agenda after its publication in +the Federal Register under Sec. 14.20(b)(4), an attempt is to be made +to inform persons known to be interested in the matter, and the change +is to be announced at the beginning of the open portion of the meeting. + (2) The advisory committee meeting is to be conducted in accordance +with the approved final agenda insofar as practical. + (b) Advisory committee meetings will be held at places that are +reasonably accessible to the public. All advisory committee meetings +will be held in Washington, DC, or Rockville, MD, or the immediate +vicinity, unless the Commissioner receives and approves a written +request from the advisory committee for a different location. A +different location may be approved when one or more of the following +applies: + (1) The total cost of the meeting to the Government will be reduced. + (2) A substantial number of the committee members will be at the +location at no expense to FDA for other reasons, e.g., for a meeting of +a professional association. + (3) It is a central location more readily accessible to committee +members. + (4) There is a need for increased participation available at that +location. + (5) The committee wishes to review work or facilities in a specific +location. + (6) The committee is concerned with matters that functionally or +historically occur in some other location, e.g., the Science Advisory +Board of the National Center for Toxicological Research will generally +hold meetings in the Little Rock, AR, vicinity. + (c) Advisory committee members may, with the approval of FDA, +conduct onsite visits relevant to their work. + (d) Unless the committee charter provides otherwise, a quorum for an +advisory committee is a majority of the current voting members of the +committee, except as provided in Sec. 14.125(c) for TEPRSSC. Any matter +before the advisory committee is to be decided by a majority vote of the +voting members present at the time, except that the designated Federal +official may require that any final report be voted upon by all current +voting members of the committee. Any current voting member of the +committee may file a separate report with additional or minority views. + +[[Page 202]] + + (e) If space is available, any interested person may attend any +portion of any advisory committee meeting which is not closed. + (f) Whenever feasible, meetings are to be held in government +facilities or other facilities involving the least expense to the +public. The size of the meeting room is to be reasonable, considering +such factors as the size of the committee, the number of persons +expected to attend a meeting, and the resources and facilities +available. + (g) The Commissioner may authorize a meeting to be held by +conference telephone call. For these meetings, a speaker phone will be +provided in a conference room located in Washington, DC, or Rockville, +MD, or the immediate vicinity, to permit public participation in open +portions of the meetings, as provided in Sec. Sec. 14.25 and 14.29. +These meetings generally will be brief, and authorized-- + (1) For the purpose of taking final votes or otherwise confirming +actions taken by the committee at other meetings; or + (2) Where time does not permit a meeting to be held at a central +location. + (h) Any portion of a meeting will be closed by the committee +Chairperson only when matters are to be discussed which the Commissioner +has determined may be considered in closed session under Sec. 14.27(b). +If a portion of the meeting is closed, the closed portion will be held +after the conclusion of the open portion whenever practicable. + (i) Any committee member may take notes during meetings and report +and discuss committee deliberations after a meeting is completed and +before official minutes or a report are available, within the rules and +regulations adopted by FDA and by the advisory committee with the +concurrence of FDA, including all of the following: + (1) There may be no attribution of individual views expressed in a +closed session or revealing of numerical votes. + (2) There may be no reporting or discussion of any particular matter +if the committee or FDA specifically so directs, e.g., where +deliberations are incomplete or involve a sensitive regulatory decision +that requires preparation or implementation. + (3) There may be no reporting or discussion of information +prohibited from public disclosure under Sec. 14.75. + (4) Notes or minutes kept or reports prepared by a committee member +have no status or effect unless adopted into the official minutes or +report by the committee. + +[44 FR 22351, Apr. 13, 1979; 48 FR 40887, Sept. 12, 1983, as amended at +54 FR 9035, Mar. 3, 1989; 78 FR 17087, Mar. 20, 2013] + + + +Sec. 14.25 Portions of advisory committee meetings. + + An advisory committee meeting has the following portions: + (a) The open public hearing. Every committee meeting includes an +open portion, which constitutes a public hearing during which interested +persons may present relevant information or views orally or in writing. +The hearing is conducted in accordance with Sec. 14.29. + (b) The open committee discussion. A committee discusses any matter +pending before it in an open portion of its meeting unless the meeting +has been closed for that matter under Sec. 14.27. To the maximum extent +feasible, consistent with the policy expressed in Sec. 14.27, a +committee conducts its discussion of pending matters in an open portion. +No public participation is permissible during this portion of the +meeting except with the consent of the committee Chairperson. + (c) The closed presentation of data. Information prohibited from +public disclosure under part 20 and the regulations referenced therein +is presented to the committee in a closed portion of its meeting. +However, if information is in the form of a summary that is not +prohibited from public disclosure, the presentation is to be made in an +open portion of a meeting. + (d) The closed committee deliberations. Deliberations about matters +before an advisory committee may be held in a closed portion of a +meeting only upon an appropriate determination by the Commissioner under +Sec. 14.27. + + + +Sec. 14.27 Determination to close portions of advisory committee +meetings. + + (a) No committee meeting may be entirely closed. A portion of a +meeting may be closed only in accordance with + +[[Page 203]] + +a written determination by the Commissioner under this section. + (b) The Designated Federal Officer or other designated agency +employee shall prepare the initial request for a determination to close +a portion of a meeting, specifying the matter(s) to be discussed during +the closed portion and the reasons why the portion should be closed. The +Commissioner, based upon this request and with the concurrence of the +Chief Counsel, will determine whether to close a portion of a meeting. +The reasons for closing a portion of a meeting will be announced in the +Federal Register notice of the meeting under Sec. 14.20 in accordance +with the following rules: + (1) Any determination to close a portion of a meeting restricts the +closing to the shortest possible time consistent with the policy in this +section. + (2) A portion of a meeting may be closed only if the Commissioner +determines that the closing is permitted under 5 U.S.C. 552b(c), and +that the closing is necessary. + (3) Portions of meetings may ordinarily be closed if they concern +the review, discussion, and evaluation of drafts or regulations, +guidance documents or similar preexisting internal agency documents, but +only if their premature disclosure would significantly impede proposed +agency action; review of trade secrets and confidential commercial or +financial information; consideration of matters involving investigatory +files compiled for law enforcement purposes; and review of matters, the +disclosure of which would constitute a clearly unwarranted invasion of +personal privacy. + (4) Portions of meetings ordinarily may not be closed if they +concern review, discussion, and evaluation of general preclinical and +clinical test protocols and procedures for a class of drugs or devices; +consideration of labeling requirements for a class of marketed drugs and +devices; review of information on specific investigational or marketed +drugs and devices that have previously been made public; presentation of +any other information not exempt from public disclosure under 5 U.S.C. +552b(c); the formulation of advice and recommendations to FDA on matters +that do not independently justify closing. + (5) No portion of a meeting devoted to matters other than those +designated in paragraph (b) (1) through (3) of this section may be +closed. + (6) A matter which is properly considered in an open portion of a +meeting may instead be considered in a closed portion only if it is so +inextricably intertwined with matters to be discussed in a closed +portion that it is not feasible to separate them or discussion of the +matter in an open portion would compromise the matters to be discussed +in the closed portion. + (c) Attendance at a closed portion of a meeting is governed by the +following rules: + (1) A portion of a meeting closed for the presentation or discussion +of information that constitutes a trade secret or confidential +commercial or financial information as defined in Sec. 20.61 may be +attended only by voting advisory committee members, nonvoting members +representing consumer interests who are also special government +employees as provided in Sec. 14.80(b), the Designated Federal Officer +of the advisory committee, a transcriber, consultants, and such other +regular employees of FDA (including members of the Office of the Chief +Counsel) as the Chairperson of the advisory committee may invite, and by +those persons authorized to be present under Sec. 14.25(c), for +presentation of information prohibited from public disclosure. A person +making a presentation described in Sec. 14.25(c) may be accompanied by +a reasonable number of employees, consultants, or other persons in a +commercial arrangement within the meaning of Sec. 20.81(a). + (2) A portion of a meeting that has been closed for consideration of +existing internal agency documents falling within Sec. 20.62 where +premature disclosure is likely to significantly impede proposed agency +action; personnel, medical, and similar files, disclosure of which would +be a clearly unwarranted invasion of personal privacy within the meaning +of Sec. 20.63; or investigatory records compiled for law enforcement +purposes as defined in Sec. 20.64 may be attended only by committee +members (voting and nonvoting), the Designated Federal Officer of the +committee, a + +[[Page 204]] + +transcriber, and other regular employees of FDA (including members of +the Office of the Chief Counsel) whom the Chairperson of the committee +may invite. Consultants, individuals performing personal service +contracts, employees of other Federal agencies, and the general public +may not attend such portions. + (3) If a person other than a person permitted to attend in +accordance with paragraph (c) (1) and (2) of this section attempts to +attend a closed portion of a meeting without the approval of the +Designated Federal Officer and the Chairperson, and the matter is +brought to their attention, the person will be required to leave the +meeting immediately. This inadvertent and unauthorized attendance does +not enable other unauthorized persons to attend, nor does it, of itself, +constitute grounds for release of transcripts of closed portions or any +other documents otherwise exempt from disclosure under Sec. 14.75 and +part 20. + (4) If a person other than a person permitted to attend in +accordance with paragraphs (c) (1) and (2) of this section is allowed by +the Designated Federal Officer and the Chairperson to attend a closed +portion of a meeting, that portion is open to attendance by any +interested person. + +[44 FR 22351, Apr. 13, 1979, as amended at 65 FR 56479, Sept. 19, 2000] + + + +Sec. 14.29 Conduct of a hearing before an advisory committee. + + (a) For each meeting, the open portion for public participation, +which constitutes a public hearing under Sec. 14.25(a), will be at +least 1 hour, unless public participation does not last that long, and +may last for whatever longer time the committee Chairperson determines +will facilitate the work of the committee. The Federal Register notice +published under Sec. 14.20 will designate the time specifically +reserved for the hearing, which is ordinarily the first portion of the +meeting. Further public participation in any open portion of the meeting +under Sec. 14.25(b) is solely at the discretion of the Chairperson. + (b) An interested person who wishes to be assured of the right to +make an oral presentation at a meeting shall inform the Designated +Federal Officer or other designated agency employee, orally or in +writing, before the meeting. + (1) The person shall state the general nature of the presentation +and the approximate time desired. Whenever possible, all written +information to be discussed by that person at the meeting should be +furnished in advance to the Designated Federal Officer or other +designated agency employee. This material may be distributed or mailed +by FDA to the committee members in advance of the meeting if time +permits, and otherwise will be distributed to the members when they +arrive for the meeting. The mailing or distribution may be undertaken +only by FDA unless FDA grants permission to a person to mail or +distribute the material + (2) Before the meeting, the Designated Federal Officer or other +designated agency employee shall determine the amount of time allocated +to each person for oral presentation and the time that the presentation +is to begin. Each person will be so informed in writing, if time +permits, or by telephone. FDA may require persons with common interests +to make joint presentations. + (c) The Chairperson of the committee shall preside at the meeting in +accordance with Sec. 14.30 and be accompanied by other committee +members, who serve as a panel in conducting the hearing portion of the +meeting. + (d) Each person may use the allotted time as desired, consistent +with an orderly hearing. A person may be accompanied by additional +persons, and may present any written information or views for inclusion +in the record of the hearing, subject to the requirements of Sec. +14.35(c). + (e) If a person is absent at the time specified for that person's +presentation, the persons following will appear in order. An attempt +will be made to hear the person at the conclusion of the hearing. +Interested persons attending the hearing who did not request an +opportunity to make an oral presentation may be given an opportunity to +do so at the discretion of the Chairperson. + (f) The Chairperson and other members may question a person +concerning + +[[Page 205]] + +that person's presentation. No other person, however, may question the +person. The Chairperson may allot additional time when it is in the +public interest, but may not reduce the time allotted without consent of +the person. + (g) Participants may question a committee member only with that +member's permission and only about matters before the committee. + (h) The hearing is informal, and the rules of evidence do not apply. +No motions or objections relating to the admissibility of information +and views may be made or considered, but other participants may comment +upon or rebut matters presented. No participant may interrupt the +presentation of another participant. + + + +Sec. 14.30 Chairperson of an advisory committee. + + (a) The advisory committee Chairperson has the authority to conduct +hearings and meetings, including the authority to adjourn a hearing or +meeting if the Chairperson determines that adjournment is in the public +interest, to discontinue discussion of a matter, to conclude the open +portion of a meeting, or to take any other action to further a fair and +expeditious hearing or meeting. + (b) If the Chairperson is not a full-time employee of FDA, the +Designated Federal Officer or other designated agency employee, or +alternate, is to be the designated Federal employee who is assigned to +the advisory committee. The designated Federal employee is also +authorized to adjourn a hearing or meeting if the employee determines +adjournment to be in the public interest. + + + +Sec. 14.31 Consultation by an advisory committee with other persons. + + (a) A committee may confer with any person who may have information +or views relevant to any matter pending before the committee. + (b) An interested person may submit to the committee a written +request that it confer with specific persons about any matter pending +before the committee. The request is to contain adequate justification. +The committee may, in its discretion, grant the request. + (c) A committee may confer with a person who is not a Federal +Government executive branch employee only during the open portions of a +meeting. The person may, however, submit views in writing to the +committee as part of the administrative record under Sec. 14.70. The +person may participate at the closed portions of a meeting only if +appointed as a special Government employee by the Commissioner as +provided in paragraph (e) of this section. This paragraph (c) is not +intended to bar the testimony of a person during a closed portion of a +meeting about matters prohibited from public disclosure under Sec. Sec. +14.25(c) and 14.27(c). + (d) To prevent inadvertent violation of Federal conflict of interest +laws and laws prohibiting disclosure of trade secrets (18 U.S.C. 208, 21 +U.S.C. 331(j), 18 U.S.C. 1905), Federal executive branch employees who +are not employees of the Department may not confer, testify, or +otherwise participate (other than as observers) at any portion of an +advisory committee meeting unless they are appointed as special +Government employees by the Commissioner under paragraph (e) of this +section. this paragraph does not apply to Federal executive branch +employees who are appointed as members of TEPRSSC, as provided in Sec. +14.127. + (e) The Commissioner may appoint persons as special Government +employees to be consultants to an advisory committee. Consultants may be +appointed to provide expertise, generally concerning a highly technical +matter, not readily available from the members of the committee. +Consultants may be either from outside the Government or from agencies +other than the Food and Drug Administration. Reports, data, information, +and other written submissions made to a public advisory committee by a +consultant are part of the administrative record itemized in Sec. +14.70. + +[44 FR 22351, Apr. 13, 1979, as amended at 55 FR 42703, Oct. 23, 1990] + + + +Sec. 14.33 Compilation of materials for members of an advisory committee. + + The Commissioner shall prepare and provide to all committee members +a compilation of materials bearing upon + +[[Page 206]] + +members' duties and responsibilities, including-- + (a) All applicable conflict of interest laws and regulations and a +summary of their principal provisions; + (b) All applicable laws and regulations relating to trade secrets +and confidential commercial or financial information that may not be +disclosed publicly and a summary of their principal provisions; + (c) All applicable laws, regulations, and guidance documents +relating to the subject matter covered by the advisory committee and a +summary of their principal provisions; + (d) All applicable laws, regulations, including the regulations in +part 20 of this chapter, advisory committee charters, Federal Register +notices, curricula vitae, rules adopted by the advisory committee, and +other material relating to the formation, composition, and operation of +the advisory committee, and a summary of their principal provisions; + (e) Instructions on whom to contact when questions arise; and + (f) Other material relating to FDA and the subject matter covered by +the committee which may facilitate the work of the committee. + +[44 FR 22351, Apr. 13, 1979, as amended at 65 FR 56479, Sept. 19, 2000] + + + +Sec. 14.35 Written submissions to an advisory committee. + + (a) Ten copies of written submissions to a committee are to be sent +to the Designated Federal Officer unless an applicable Federal Register +notice or other regulations in this chapter specify otherwise. +Submissions are subject to the provisions of Sec. 10.20, except that it +is not necessary to send copies to the Division of Dockets Management. + (b) At the request of a committee, or on the Commissioner's own +initiative, the Commissioner may issue in the Federal Register a notice +requesting the submission to the committee of written information and +views pertinent to a matter being reviewed by the committee. The notice +may specify the manner in which the submission should be made. + (c) At the request of a committee, or on the Commissioner's own +initiative, the Commissioner may at any time request the applicant or +sponsor of an application or petition about a specific product on which +action is pending before FDA, and is being reviewed by an advisory +committee, to present or discuss safety, effectiveness, or other data +concerning the product during a regularly scheduled meeting of the +committee. The request may be for an oral presentation or for a concise, +well-organized written summary of pertinent information for review by +the committee members before the meeting, or both. Unless specified +otherwise, one copy of the written summary along with a proposed agenda +outlining the topics to be covered and identifying the participating +industry staff members or consultants that will present each topic is to +be submitted to the Designated Federal Officer or other designated +agency employee at least 3 weeks before the meeting. + (d) An interested person may submit to a committee written +information or views on any matter being reviewed. Voluminous data is to +be accompanied by a summary. A submission is to be made to the +Designated Federal Officer and not directly to a committee member. + (1) FDA will distribute submissions to each member, either by mail +or at the next meeting. Submissions will be considered by the committee +in its review of the matter. + (2) A committee may establish, and give public notice of, a cutoff +date after which submissions about a matter will no longer be received +or considered. + (e) The Commissioner will provide the committee all information the +Commissioner deems relevant. A member will, upon request, also be +provided any material available to FDA which the member believes +appropriate for an independent judgment on the matter, e.g., raw data +underlying a summary or report, or a briefing on the legal aspects of +the matter. + + + +Sec. 14.39 Additional rules for a particular advisory committee. + + (a) In addition to these rules, an advisory committee may, with the +concurrence of the designated Federal employee, adopt additional rules +which + +[[Page 207]] + +are not inconsistent with this subpart or with other legal requirements. + (b) Any additional rules will be included in the minutes of the +meeting when adopted and in the materials compiled under Sec. 14.33 and +will be available for public disclosure under Sec. 14.65(c). + + + + Subpart C_Establishment of Advisory Committees + + + +Sec. 14.40 Establishment and renewal of advisory committees. + + (a) An advisory committee may be established or renewed whenever it +is necessary or appropriate for the committee to hold a public hearing +and to review and make recommendations on any matter pending before FDA. +Except for committees established by statute, before a committee is +established or renewed it must first be approved by the Department +pursuant to 45 CFR part 11 and by the General Services Administration. + (b) When an advisory committee is established or renewed, the +Commissioner will issue a Federal Register notice certifying that the +establishment or renewal is in the public interest and stating the +structure, function, and purposes of the committee and, if it is a +standing advisory committee, shall amend Sec. 14.100 to add it to the +list of standing advisory committees. A notice of establishment will be +published at least 15 days before the filing of the advisory committee +charter under paragraph (c) of this section. A notice of renewal does +not require the 15-day notice. + (c) No committee may meet or take action until its charter is +prepared and filed as required by section 9(c) of the Federal Advisory +Committee Act. This requirement is to be met by an advisory committee +utilized by FDA, even though it is not established by the agency, prior +to utilization. + (d) The regulations of the Department cited in paragraph (a) of this +section provide that the charter of a parent committee may incorporate +information concerning activities of a subgroup. In such instances, a +subgroup will not be established as a committee distinct from the parent +committee. However, a subgroup will be established as a separate +committee when the charter of the parent committee does not incorporate +the activities of the subgroup, or when the subgroup includes members +who are not all drawn from the parent committee. + (e) An advisory committee not required to be established by law will +be established or utilized only if it is in the public interest and only +if its functions cannot reasonably be performed by other existing +advisory committees or by FDA. + (f) An advisory committee must meet the following standards: + (1) Its purpose is clearly defined. + (2) Its membership is balanced fairly in terms of the points of view +represented in light of the functions to be performed. Although +proportional representation is not required, advisory committee members +are selected without regard to race, color, national origin, religion, +age, or sex. + (3) It is constituted and utilizes procedures designed to assure +that its advice and recommendations are the result of the advisory +committee's independent judgment. + (4) Its staff is adequate. The Commissioner designates an Designated +Federal Officer and alternate for every advisory committee, who are +employees of FDA. The Designated Federal Officer is responsible for all +staff support unless other agency employees are designated for this +function. + (5) Whenever feasible, or required by statute, it includes +representatives of the public interest. + +[44 FR 22351, Apr. 13, 1979, as amended at 55 FR 42703, Oct. 23, 1990] + + + +Sec. 14.55 Termination of advisory committees. + + (a) Except as provided in paragraph (c) of this section, a standing +advisory committee is terminated when it is no longer needed, or not +later than 2 years after its date of establishment unless it is renewed +for an additional 2-year period. A committee may be renewed for as many +2-year periods as the public interest requires. The requirements for +establishment of a committee under Sec. 14.40 also apply to its +renewal. + (b) FDA will issue a Federal Register notice announcing the reasons +for terminating a committee and, if it + +[[Page 208]] + +is a standing committee, amending Sec. 14.100 to delete it from the +list. + (c) TEPRSSC is a permanent statutory advisory committee established +by section 358(f)(1)(A) of the Public Health Service Act, as added by +the Radiation Control for Health and Safety Act of 1968, transferred to +the FD&C Act (21 U.S.C. 360kk(f)(1)(A)), and is not subject to +termination and renewal under paragraph (a) of this section, except that +a new charter is prepared and filed at the end of each 2-year period as +provided in Sec. 14.40(c). Also, the statutory medical device +classification panels established under section 513(b)(1) of the FD&C +Act (21 U.S.C. 360c(b)(1)) and part 860, and the statutory medical +device good manufacturing practice advisory committees established under +section 520(f)(3) of the FD&C Act (21 U.S.C. 360j(f)(3)), are +specifically exempted from the normal 2-year duration period. + (d) Color additive advisory committees are required to be +established under the circumstances specified in sections 721(b)(5)(C) +and (D) of the FD&C Act (21 U.S.C. 379e(b)(5)(C) and (D)). A color +additive advisory committee is subject to the termination and renewal +requirements of the Federal Advisory Committee Act and of this part. + (e) The Tobacco Products Scientific Advisory Committee is a +permanent statutory advisory committee established by section 917 of the +Family Smoking Prevention and Tobacco Control Act (21 U.S.C. 387q) (Pub. +L. 111-31) and is not subject to termination and renewal under paragraph +(a) of this section. + +[44 FR 22351, Apr. 13, 1979, as amended at 75 FR 73953, Nov. 30, 2010; +78 FR 17087, Mar. 20, 2013] + + + + Subpart D_Records of Meetings and Hearings Before Advisory Committees + + + +Sec. 14.60 Minutes and reports of advisory committee meetings. + + (a) The Designated Federal Officer or other designated agency +employee prepares detailed minutes of all advisory committee meetings, +except that less detailed minutes may be prepared for open portions of +meetings which under Sec. 14.61, must be transcribed or recorded by the +agency. Their accuracy is approved by the committee and certified by the +Chairperson. The approval and certification may be accomplished by mail +or by telephone. + (b) The minutes include the following: + (1) The time and place of the meeting. + (2) The members, committee staff, and agency employees present, and +the names and affiliations or interests of public participants. + (3) A copy of or reference to all written information made available +for consideration by the committee at the proceedings. + (4) A complete and accurate description of matters discussed and +conclusions reached. A description is to be kept separately for the +following portions of the meeting to facilitate their public disclosure: +The open portions specified in Sec. 14.25 (a) and (b), any closed +portion during which a presentation is made under Sec. 14.25(c), and +any closed deliberative portion under Sec. 14.25(d). The minutes of a +closed deliberative portion of a meeting may not refer to members by +name, except upon their request, or to data or information described in +Sec. 14.75(b). Any inadvertent references that occur are to be deleted +before public disclosure. + (5) A copy of or reference to all reports received, issued, or +approved by the committee. + (6) The extent to which the meeting was open to the public. + (7) The extent of public participation, including a list of members +of the public who presented oral or written statements. + (c) For a meeting that has a closed portion, either (1) the minutes +of the closed portion are available for public disclosure under Sec. +14.75(a)(6)(i), or (2) if under Sec. 14.75(a)(6)(ii) they are not +promptly available, the Designated Federal Officer or other designated +agency employee shall prepare a brief summary of the matters considered +in an informative manner to the public, consistent with 5 U.S.C. 552(b). + (d) Where a significant portion of the meeting of a committee is +closed, the committee will issue a report at least annually setting +forth a summary of + +[[Page 209]] + +its activities and related matters informative to the public consistent +with 5 U.S.C. 552(b). This report is to be a compilation of or be +prepared from the individual reports on closed portions of meeting +prepared under paragraph (c) of this section. + +[44 FR 22351, Apr. 13, 1979, as amended at 45 FR 85725, Dec. 30, 1980] + + + +Sec. 14.61 Transcripts of advisory committee meetings. + + (a) The agency will arrange for a transcript or recording to be made +for each portion of a meeting. + (b) A transcript or recording of an open portion of a meeting made +by FDA is to be included in the record of the committee proceedings. + (c) A transcript or recording of any closed portion of a meeting +made by FDA will not be included in the administrative record of the +committee proceedings. The transcript or recording will be retained as +confidential by FDA, and will not be discarded or erased. + (d) Any transcript or recording of a meeting or portion thereof +which is publicly available under this section will be available at +actual cost of duplication, which will be, where applicable, the fees +established in Sec. 20.45. FDA may furnish the requested transcript or +recording for copying to a private contractor who shall charge directly +for the cost of copying under Sec. 20.53. + (e) A person attending any open portion of a meeting may, consistent +with the orderly conduct of the meeting, record or otherwise take a +transcript of the meeting. This transcription will not be part of the +administrative record. + (f) Only FDA may make a transcript or recording of a closed portion +of a meeting. + +[44 FR 22351, Apr. 13, 1979, as amended at 68 FR 25285, May 12, 2003] + + + +Sec. 14.65 Public inquiries and requests for advisory committee +records. + + (a) Public inquiries on general committee matters, except requests +for records, are to be directed to the Committee Management Officer in +the Advisory Committee Oversight and Management Staff, Food and Drug +Administration, 10903 New Hampshire Ave., Bldg. 32, Rm. 5103, Silver +Spring, MD 20993. + (b) Public inquiries on matters relating to a specific committee, +except requests for records, are to be directed to the Designated +Federal Officer or the designated agency employee listed in the Federal +Register notices published under Sec. 14.20. + (c) Requests for public advisory committee records, including +minutes, are to be made, to FDA's Division of Freedom of Information +(the Freedom of Information Staff's address is available on the agency's +web site at http://www.fda.gov) under Sec. 20.40 and the related +provisions of part 20. + +[44 FR 22351, Apr. 13, 1979, as amended at 46 FR 8456, Jan. 27, 1981; 76 +FR 31469, June 1, 2011; 78 FR 17087, Mar. 20, 2013; 79 FR 68114, Nov. +14, 2014] + + + +Sec. 14.70 Administrative record of a public hearing before an +advisory committee. + + (a) Advice or recommendations of an advisory committee may be given +only on matters covered in the administrative record of the committee's +proceedings. Except as specified in other FDA regulations, the +administrative record consists of all the following items relating to +the matter: + (1) Any transcript or recording of an open portion of a meeting. + (2) The minutes of all portions of all meetings, after any deletions +under Sec. 14.60(b)(4). + (3) All written submissions to and information considered by the +committee. + (4) All reports made by the committee. + (5) Any reports prepared by a consultant under Sec. 14.31(e). + (b) The record of the proceeding is closed at the time the advisory +committee renders its advice or recommendations or at any earlier time +specified by the committee or in other sections in this chapter. + + + +Sec. 14.75 Examination of administrative record and other advisory +committee records. + + (a) The administrative record and other committee records are +available + +[[Page 210]] + +for public disclosure under part 20, except as provided in paragraph (b) +of this section, at the following times: + (1) The written information for consideration by the committee at +any meeting: at the same time it is made available to the committee. + (2) The transcript or recording of any open portion of a meeting: as +soon as it is available. + (3) The minutes of any open portion of a meeting: after they have +been approved by the committee and certified by the Chairperson. + (4) The brief summary of any closed portion of a meeting prepared +under Sec. 14.60(c): as soon as it is available. + (5) All written information or views submitted to the committee at +an open portion of a meeting: as soon as they are submitted. + (6) The minutes or portions thereof of a closed portion of a +meeting-- + (i) For a matter not directed to be maintained as confidential under +Sec. 14.22(i)(2): After they have been approved by the committee and +certified by the Chairperson; and + (ii) For a matter directed to be maintained as confidential under +Sec. 14.22(i)(2): After the advice or report of the committee relevant +to those minutes or portions thereof is acted upon by the Commissioner, +or upon a determination by the Commissioner that such minutes or +portions thereof may be made available for public disclosure without +undue interference with agency or advisory committee operations. + (7) Formal advice or a report of the committee: After it has been +acted upon, i.e., approved, disapproved, or rejected as inadequate, by +the Commissioner, or upon a determination by the Commissioner that such +formal advice or report may be made available for public disclosure +without undue interference with agency or committee operations. Such +formal advice or report may be retained as confidential while it is +under active advisement. + (8) Any other committee records relating to the matter, except +transcripts and recordings of closed portions of meetings: After the +advice or report of the committee relevant to those records is acted +upon by the Commissioner, or upon a determination by the Commissioner +that the records may be made available for public disclosure without +undue interference with agency or committee operations. + (b) The following information contained in the administrative record +is not available for public examination or copying except as provided in +Sec. 12.32(g): + (1) Material provided to the committee by FDA that is exempt from +public disclosure under part 20 and the regulations referenced there. + (2) Material provided to the advisory committee by a person making a +presentation described in Sec. 14.25(c) and which is prohibited from +public disclosure under part 20 and the regulations referenced there. + (c) The Division of Dockets Management (HFA-305) will maintain a +file for each committee containing the following principal records for +ready access by the public: + (1) The committee charter. + (2) A list of committee members and their curricula vitae. + (3) The minutes of committee meetings. + (4) Any formal advice or report of the committee. + +[44 FR 22351, Apr. 13, 1979, as amended at 54 FR 9035, Mar. 3, 1989] + + + + Subpart E_Members of Advisory Committees + + + +Sec. 14.80 Qualifications for members of standing policy and +technical advisory committees. + + (a) Members of a policy advisory committee-- + (1) Shall have diverse interests, education, training, and +experience; specific technical expertise is not a requirement; + (2) Are subject to the conflict of interest laws and regulations +either as special Government employees or as members of the uniformed +services, including the Commissioned Corps of the Public Health Service +(the Commissioner has determined that, because members representing +particular interests, e.g., a representative of labor, industry, +consumers, or agriculture, are included on advisory committees +specifically for the purpose of representing these interests, any +financial interest covered by 18 U.S.C. 208(a) in the class which the +member represents + +[[Page 211]] + +is irrelevant to the services which the Government expects from them and +thus is hereby exempted under 18 U.S.C. 208(b) as too remote and +inconsequential to affect the integrity of their services); and + (3) Shall be voting members. + (b) Technical advisory committee. (1) Voting members of technical +advisory committees-- + (i) Shall have expertise in the subject matter with which the +committee is concerned and have diverse professional education, +training, and experience so that the committee will reflect a balanced +composition of sufficient scientific expertise to handle the problems +that come before it; and + (ii) Except for members of the Technical Electronic Product +Radiation Safety Standards Committee (TEPRSSC), are subject to the +conflict of interest laws and regulations either as special Government +employees or as members of the uniformed services, including the +Commissioned Corps of the Public Health Service. + (2) The Commissioner shall, when required by statute, and may when +not required by statute, provide for nonvoting members of a technical +advisory committee to serve as representatives of and liaison with +interested organizations. Nonvoting members-- + (i) Shall be selected by the interested organizations, as provided +in Sec. 14.84; technical expertise in the subject matter with which the +committee is involved is not a requirement; and + (ii) May be special Government employees subject to the conflict of +interest laws and regulations, except as provided in Sec. 14.84(e). + (c) A person may serve as a voting or nonvoting member on only one +FDA advisory committee unless the Commissioner determines in writing +that dual membership will aid the work of the committees involved and is +in the public interest. + (d) Members of FDA advisory committees, and the Chairperson, are +appointed from among those nominated under Sec. Sec. 14.82 and 14.84 +and from any other sources by the Secretary, or, by delegation of +authority, by the Assistant Secretary for Health, or the Commissioner. + (e) Members appointed to an advisory committee serve for the +duration of the committee, or until their terms of appointment expire, +they resign, or they are removed from membership by the Commissioner. + (f) A committee member may be removed from membership for good +cause. Good cause includes excessive absenteeism from committee +meetings, a demonstrated bias that interferes with the ability to render +objective advice, failure to abide by the procedures established in this +subpart, or violation of other applicable rules and regulations, e.g., +for nonvoting members, the provisions of Sec. 14.86(c). + (g) Consultants appointed under Sec. 14.31(e) are not members of +advisory committees. + +[44 FR 22351, Apr. 13, 1979, as amended at 53 FR 50949, Dec. 19, 1988; +54 FR 9035, Mar. 3, 1989] + + + +Sec. 14.82 Nominations of voting members of standing advisory committees. + + (a) The Commissioner will publish one or more notices in the Federal +Register each year requesting nominations for voting members of all +existing standing advisory committees. The notice will invite the +submission of nominations for voting members from both individuals and +organizations. + (b) The notice announcing the establishment of a new committee under +Sec. 14.40(b) will invite the submission of nominations for voting +members. + (c) A person may nominate one or more qualified persons to an +advisory committee. Nominations will specify the advisory committee for +which the nominee is recommended and will include a complete curriculum +vitae of the nominee. Nominations are to state that the nominee is aware +of the nomination, is willing to serve as a member of the advisory +committee, and appears to have no conflict of interest that would +preclude membership. + (d) Voting members serve as individuals and not as representatives +of any group or organization which nominated them or with which they may +be affiliated. + +[[Page 212]] + + + +Sec. 14.84 Nominations and selection of nonvoting members of +standing technical advisory committees. + + (a) This section applies when the Commissioner concludes that a +technical advisory committee should include nonvoting members to +represent and serve as a liaison with interested individuals and +organizations. + (b) Except when the Commissioner concludes otherwise, nonvoting +members of a technical advisory committee are selected in accordance +with paragraphs (c) and (d) of this section and are normally limited to +one person selected by consumer groups and organizations and one person +selected by industry groups and organizations. + (c) To select a nonvoting member to represent consumer interests, +except as provided in paragraph (c)(5) of this section, the Commissioner +publishes a notice in the Federal Register requesting nominations for +each specific committee, or subcommittee, for which nonvoting members +are to be appointed. + (1) A period of 30 days will be permitted for submission of +nominations for that committee or subcommittee. Interested persons may +nominate one or more qualified persons to represent consumer interests. +Although nominations from individuals will be accepted, individuals are +encouraged to submit their nominations through consumer organizations as +defined in paragraph (c)(3) of this section. Nominations of qualified +persons for general consideration as nonvoting members of unspecified +advisory committees or subcommittees may be made at any time. All +nominations are to be submitted in writing to Advisory Committee +Oversight and Management Staff, Food and Drug Administration, 10903 New +Hampshire Ave., Bldg. 32, rm. 1503, Silver Spring, MD 20993. + (2) A complete curriculum vitae of any nominee is to be included. +Nominations must state that the nominee is aware of the nomination, is +willing to serve as a member of an advisory committee, and appears to +have no conflict of interest. The nomination must state whether a +nominee is interested only in a particular advisory committee or +subcommittee, or whether the nominee is interested in becoming a member +of any advisory committee or subcommittee. Nominations that do not +comply with the requirements of this paragraph will not be considered. + (3) The Advisory Committee Oversight and Management Staff will +compile a list of organizations whose objectives are to promote, +encourage, and contribute to the advancement of consumer education and +to the resolution of consumer problems. All organizations listed are +entitled to vote upon the nominees. The list will include organizations +representing the public interest, consumer advocacy groups, and +consumer/health branches of Federal, State, and local governments. Any +organization that meets the criteria may be included on such list on +request. + (4) The executive secretary, or other designated agency employee, +will review the list of nominees and select three to five qualified +nominees to be placed on a ballot. Names not selected will remain on a +list of eligible nominees and be reviewed periodically by the Advisory +Committee Oversight and Management Staff to determine continued +interest. Upon selection of the nominees to be placed on the ballot, the +curriculum vitae for each of the nominees will be sent to each of the +organizations on the list complied under paragraph (c)(3) of this +section, together with a ballot to be filled out and returned within 30 +days. After the time for return of the ballots has expired, the ballots +will be counted and the nominee who has received the highest number of +votes will be selected as the nonvoting member representing consumer +interests for that particular advisory committee or subcommittee. In the +event of a tie, the Commissioner will select the winner by lot from +among those tied for the highest number of votes + (5) If a member representing consumer interests resigns or is +removed before termination of the committee on which the member is +serving, the following procedures will be used to appoint a replacement +to serve out the term of the former member: + (i) The Commissioner will appoint the runner-up, in order of number +of ballots received, on the original ballot submitted under paragraph +(c)(4) of this section to fill the vacancy. If the + +[[Page 213]] + +runner-up is no longer willing to serve as a member, then the next +runner-up will be appointed. + (ii) If none of the nominees on the original ballot is willing to +serve, or if there was only one nominee on the original ballot, the +Advisory Committee Oversight and Management Staff will contact by +telephone eligible individuals whose names have been submitted in the +past as candidates for membership as representatives of consumer +interests. A list of persons who are interested in serving on an +advisory committee will then be prepared. The curricula vitae of these +persons, together with a ballot, will be sent to a representative number +of consumer organizations that have been determined to be eligible to +vote for consumer representatives in accordance with paragraph (c)(3) of +this section. After 4 days have elapsed, the Advisory Committee +Oversight and Management Staff will contact the consumer organizations +by telephone and elicit their votes. The candidate who has received the +highest number of votes will be selected. In the event of a tie, the +Commissioner will select the winner by lot from among those tied for the +highest number of votes. + (d) To select a nonvoting member to represent industry interests, +the Commissioner will publish, for each committee for which the +Commissioner has determined to appoint a nonvoting member, a notice +requesting that, within 30 days, any industry organization interested in +participating in the selection of an appropriate nonvoting member to +represent industry interests send a letter stating that interest to the +FDA employee designated in the notice. After 30 days, a letter will be +sent to each organization that has expressed an interest, attaching a +complete list of all such organizations, and stating that it is their +responsibility to consult with each other in selecting, within 60 days +after receipt of the letter, a single nonvoting member to represent +industry interests for that committee. If no individual is selected +within 60 days, the Commissioner will select the nonvoting member +representing industry interests. + (e) The Commissioner has determined that, because nonvoting members +representing consumer and industry interests are included on advisory +committees specifically for the purpose of representing such interests +and have no vote, any financial interest covered by 18 U.S.C. 208(a) in +the class which the member represents is irrelevant to the services the +Government expects from them and thus is hereby exempted under 18 U.S.C. +208(b) as too remote and inconsequential to affect the integrity of +their services. + +[44 FR 22351, Apr. 13, 1979, as amended at 54 FR 9035, Mar. 3, 1989; 75 +FR 15342, Mar. 29, 2010] + + + +Sec. 14.86 Rights and responsibilities of nonvoting members of +advisory committees. + + (a) A nonvoting member of an advisory committee selected to +represent and serve as a liaison with interested individuals, +associations, and organizations has the same rights as any other +committee member except that-- + (1) A nonvoting member may vote only on procedural matters such as +additional rules adopted under Sec. 14.39(a), approval of minutes under +Sec. 14.60(a), decisions on transcripts under Sec. 14.61(b), and +future meeting dates; + (2) A nonvoting member who is a representative of industry interest +may have access to data and information that constitute a trade secret +or confidential commercial or financial information as defined in Sec. +20.61 only if the person has been appointed as a special Government +employee under Sec. 14.80(b). + (b) A nonvoting member of an advisory committee is subject to, and +shall abide by, all rules and regulations adopted by FDA and the +committee. + (c) It is the responsibility of the nonvoting consumer and industry +members of an advisory committee to represent the consumer and industry +interests in all deliberations. + (1) A nonvoting member does not represent any particular +organization or group, but rather represents all interested persons +within the class which the member is selected to represent. Accordingly, +an interested person within the class represented by that nonvoting +member may, upon request, have access to all written statements or oral +briefings concerning the committee prepared by the nonvoting + +[[Page 214]] + +member for distribution to any person outside the committee. When +documents are prepared with non-Government funds, persons desiring +copies may be required to pay a reasonable fee to cover printing and +similar costs. + (2) The nonvoting member reviews all official committee minutes to +assure their completeness and accuracy. + (3) The nonvoting member acts as a liaison between the committee and +the interested persons whom that member represents, and transmits +requests for information from the committee and relevant information and +views to the committee. The nonvoting member takes the initiative in +contacting interested persons whom the member represents to seek out +relevant information and views and to relate the progress of the +advisory committee. + (4) A nonvoting industry member represents all members of the +industry, and not any particular association, company, product, or +ingredient. If a matter comes before the committee that directly or +indirectly affects the company employing the nonvoting industry member, +the member shall so inform the committee but need not be absent during +the discussion or decline to participate in the discussion. a nonvoting +industry member may not discuss the company's position as such, but may +discuss any matter in general terms. All presentations and discussions +of scientific data and their interpretation on behalf of a company will +occur in open session, except as provided in Sec. 14.25(c). + (5) A nonvoting member of an advisory committee may not make any +presentation to that advisory committee during a hearing conducted by +that committee. + (6) Although a nonvoting member serves in a representative capacity, +the nonvoting member shall exercise restraint in performing such +functions and may not engage in unseemly advocacy or attempt to exert +undue influence over the other members of the committee. + (d) A nonvoting member of an advisory committee may be removed by +the Commissioner for failure to comply with this section as well as +Sec. 14.80(f). + + + +Sec. 14.90 Ad hoc advisory committee members. + + In selecting members of an ad hoc advisory committee, the +Commissioner may use the procedures in Sec. Sec. 14.82 and 14.84 or any +other procedure deemed appropriate. + + + +Sec. 14.95 Compensation of advisory committee members. + + (a)(1) Except as provided in paragraphs (a) (2) and (3) of this +section, all voting advisory committee members shall, and nonvoting +members may, be appointed as special Government employees and receive a +consultant fee and be reimbursed for travel expenses, including per diem +in lieu of subsistence, unless such compensation and reimbursement are +waived. + (2) Members of the Technical Electronic Product Radiation Safety +Standards Committee (TEPRSSC) are not appointed as special Government +employees. Any member of TEPRSSC who is not a Federal employee or member +of the uniformed services, including the Commissioned Corps of the +Public Health Service, shall receive a consultant fee and be reimbursed +for travel expenses, including per diem in lieu of subsistence, unless +such compensation and reimbursement are waived. + (3) Voting and nonvoting advisory committee members who are members +of the uniformed services, including the Commissioned Corps of the +Public Health Service, provide service on Food and Drug Administration +advisory committees as part of their assigned functions, are not +appointed as special government employees, but are reimbursed by the +Food and Drug Administration for travel expenses. + (b) Notwithstanding the member's primary residence, an advisory +committee member, while attending meetings of the full committee or a +subcommittee, will be paid whether the meetings are held in the +Washington, DC, area or elsewhere. + (c) A committee member who participates in any agency-directed +assignment will be paid at an hourly rate when doing assigned work at +home, a place of business, or in an FDA facility located within the +member's commuting area, and at a daily rate when + +[[Page 215]] + +required to travel outside of that commuting area to perform the +assignment. A committee member will not be paid for time spent on normal +preparation for a committee meeting. + (1) An agency-directed assignment is an assignment that meets the +following criteria: + (i) An activity that requires undertaking a definitive study. The +activity must produce a tangible end product, usually a written report. +Examples are: + (a) An analysis of the risks and benefits of the use of a class of +drugs or a report on a specific problem generated by an IND or NDA; + (b) The performance of similar investigations or analysis of complex +industry submissions to support advisory committee deliberations other +than normal meeting preparation; + (c) The preparation of a statistical analysis leading to an estimate +of toxicologically safe dose levels; and + (d) The design or analysis of animal studies of toxicity, +mutagenicity, teratogenicity, or carcinogenicity. + (ii) The performance of an IND or NDA review or similar review. + (2) A committee member who undertakes a special assignment, the end +product of which does not represent the end product of the advisory +committee, but rather of the committee member's own assignment, can be +compensated. Should this preparatory work by members collectively result +in an end product of the committee, this is to be considered normal +meeting preparation and committee members are not to be compensated for +this work. + (d) Salary while in travel status is authorized when a committee +member's ordinary pursuits are interrupted for the substantial portion +of an additional day beyond the day or days spent in performing those +services, and as a consequence the committee member loses some regular +compensation. This applies on weekends and holidays if the special +Government employee loses income that would otherwise be earned on that +day. For travel purposes, a substantial portion of a day is defined as +50 percent of the working day, and the traveler will be paid at a daily +rate. + +[44 FR 22351, Apr. 13, 1979, as amended at 53 FR 50949, Dec. 19, 1988] + + + + Subpart F_Standing Advisory Committees + + + +Sec. 14.100 List of standing advisory committees. + + Standing advisory committees and the dates of their establishment +are as follows: + (a) Office of the Commissioner-- + (1) Board of Tea Experts. + (i) Date established: March 2, 1897. + (ii) Function: Advises on establishment of uniform standards of +purity, quality, and fitness for consumption of all tea imported into +the United States under 21 U.S.C. 42. + (2) Science Board to the Food and Drug Administration. + (i) Date established: June 26, 1992. + (ii) Function: The board shall provide advice primarily to the +agency's Senior Science Advisor and, as needed, to the Commissioner and +other appropriate officials on specific complex and technical issues as +well as emerging issues within the scientific community in industry and +academia. Additionally, the board will provide advice to the agency on +keeping pace with technical and scientific evolutions in the fields of +regulatory science; on formulating an appropriate research agenda; and +on upgrading its scientific and research facilities to keep pace with +these changes. It will also provide the means for critical review of +agency sponsored intramural and extramural scientific research programs. + (3) Pediatric Advisory Committee. + (i) Date established: June 18, 2004. + (ii) Function: Advises on pediatric therapeutics, pediatric +research, and other matters involving pediatrics for which the Food and +Drug Administration has regulatory responsibility. + (4) Risk Communication Advisory Committee. + (i) Date rechartered: July 9, 2009. + (ii) Function: The committee reviews and evaluates strategies and +programs designed to communicate with the public about the risks and +benefits of FDA-regulated products so as to facilitate optimal use of +these products. The committee also reviews and evaluates research +relevant to such communication to the public by both FDA and + +[[Page 216]] + +other entities. It also facilitates interactively sharing risk and +benefit information with the public to enable people to make informed +independent judgments about use of FDA-regulated products. + (5) Tobacco Products Scientific Advisory Committee. + (i) Date Established: August 12, 2009. + (ii) Function: The committee reviews and evaluates safety, +dependence, and health issues relating to tobacco products and provides +appropriate advice, information, and recommendations to the Commissioner +of Food and Drugs. Specifically, the committee will submit reports and +recommendations on tobacco-related topics, including: The impact of the +use of menthol in cigarettes on the public health, including such use +among children, African Americans, Hispanics and other racial and ethnic +minorities; the nature and impact of the use of dissolvable tobacco +products on the public health, including such use on children; the +effects of the alteration of nicotine yields from tobacco products and +whether there is a threshold level below which nicotine yields do not +produce dependence on the tobacco product involved; and any application +submitted by a manufacturer for a modified risk tobacco product. The +committee may provide recommendations to the Secretary of Health and +Human Services regarding any regulations to be issued under the Federal +Food, Drug, and Cosmetic Act and may review any applications for new +tobacco products or petitions for exemption under section 906(e) of the +Family Smoking Prevention and Tobacco Control Act. The committee may +consider and provide recommendations on any other matter as provided in +the Family Smoking Prevention and Tobacco Control Act. + (b) Center for Biologics Evaluation and Research-- + (1) Allergenic Products Advisory Committee. + (i) Date established: July 9, 1984. + (ii) Function: Reviews and evaluates data on the safety and +effectiveness of allergenic biological products intended for use in the +diagnosis, prevention, or treatment of human disease. + (2) Cellular, Tissue and Gene Therapies Advisory Committee. + (i) Date established: October 28, 1988. + (ii) Function: Reviews and evaluates available data relating to the +safety, effectiveness, and appropriate use of human cells, human +tissues, gene transfer therapies and xenotransplantation products which +are intended for transplantation, implantation, infusion, and transfer +in the prevention and treatment of a broad spectrum of human diseases +and in the reconstruction, repair or replacement of tissues for various +conditions. The Committee also considers the quality and relevance of +FDA's research program which provides scientific support for the +regulation of these products, and makes appropriate recommendations to +the Commissioner of Food and Drugs. + (3) Blood Products Advisory Committee. + (i) Date established: May 13, 1980. + (ii) Function: Reviews and evaluates data on the safety and +effectiveness, and appropriate use of blood products intended for use in +the diagnosis, prevention, or treatment of human diseases. + (4) [Reserved] + (5) Vaccines and Related Biological Products Advisory Committee-- + (i) Date established: December 31, 1979. + (ii) Function: Reviews and evaluates data on the safety and +effectiveness of vaccines intended for use in the diagnosis, prevention, +or treatment of human diseases. + (6) Transmissible Spongiform Encephalopathies Advisory Committee-- + (i) Date established: June 21, 1995. + (ii) Function: Reviews and evaluates available scientific data +concerning the safety of products which may be at risk for transmission +of spngiform encephalopathies having an impact on the public health. + (c) Center for Drug Evaluation and Research-- + (1) Anesthetic and Analgesic Drug Products Advisory Committee. + (i) Date established: May 1, 1978. + (ii) Function: Reviews and evaluates data concerning the safety and +effectiveness of marketed and investigational human drug products +including analgesics, e.g., abuse-deterrent + +[[Page 217]] + +opioids, novel analgesics, and issues related to opioid abuse, and those +for use in anesthesiology. + (2) Antimicrobial Drugs Advisory Committee. + (i) Date established: October 7, 1980. + (ii) Function: Reviews and evaluates available data concerning the +safety and effectiveness of marketed and investigational human drug +products for use in the treatment of infectious diseases and disorders. + (3) Arthritis Advisory Committee. + (i) Date established: April 5, 1974. + (ii) Function: Reviews and evaluates data on the safety and +effectiveness of marketed and investigational human drugs for use in +arthritic conditions. + (4) Cardiovascular and Renal Drugs Advisory Committee. + (i) Date established: August 27, 1970. + (ii) Function: Reviews and evaluates data on the safety and +effectiveness of marketed and investigational human drugs for use in +cardiovascular and renal disorders. + (5) Dermatologic and Ophthalmic Drugs Advisory Committee. + (i) Date established: October 7, 1980. + (ii) Function: Reviews and evaluates available data concerning the +safety and effectiveness of marketed and investigational human drug +products for use in the treatment of dermatologic and ophthalmic +disorders. + (6) Drug Safety and Risk Management Advisory Committee. + (i) Date established: May 31, 1978. + (ii) Function: Reviews and evaluates data on risk management plans, +provides active surveillance methodologies, trademark studies, +methodologies for risk management communication, and related issues. + (7) Endocrinologic and Metabolic Drugs Advisory Committee. + (i) Date established: August 27, 1970. + (ii) Function: Reviews and evaluates data on the safety and +effectiveness of marketed and investigational human drugs for use in +endocrine and metabolic disorders. + (8) Bone, Reproductive and Urologic Drugs Advisory Committee. + (i) Date established: March 23, 1978. + (ii) Function: Advises the Commissioner or designee in discharging +responsibilities as they relate to helping to ensure safe and effective +drugs for human use and, as required, any other product for which the +Food and Drug Administration has regulatory responsibility. + (9) Gastrointestinal Drugs Advisory Committee. + (i) Date established: March 3, 1978. + (ii) Function: Reviews and evaluates data on the safety and +effectiveness of marketed and investigational human drugs for use in +gastrointestinal diseases. + (10) Oncologic Drugs Advisory Committee. + (i) Date established: September 1, 1978. + (ii) Function: Reviews and evaluates data on the safety and +effectiveness of marketed and investigational human drugs for use in +treatment of cancer. + (11) Peripheral and Central Nervous System Drugs Advisory Committee. + (i) Date established: June 4, 1974. + (ii) Function: Reviews and evaluates data on the safety and +effectiveness of marketed and investigational human drugs for use in +neurological disease. + (12) Psychopharmacologic Drugs Advisory Committee. + (i) Date established: June 4, 1974. + (ii) Function: Reviews and evaluates data on the safety and +effectiveness of marketed and investigational human drugs for use in the +practice of psychiatry and related fields. + (13) Pulmonary-Allergy Drugs Advisory Committee. + (i) Date established: February 17, 1972. + (ii) Function: Reviews and evaluates data on the safety and +effectiveness of marketed and investigational human drugs for use in the +treatment of pulmonary disease and diseases with allergic and/or +immunologic mechanisms. + (14) Medical Imaging Drugs Advisory Committee. + (i) Date established: May 18, 2011. + (ii) Function: Reviews and evaluates data concerning the safety and +effectiveness of marketed and investigational human drug products for +use in diagnostic and therapeutic procedures using radioactive +pharmaceuticals and contrast media used in diagnostic radiology. + (15) Pharmaceutical Science and Clinical Pharmacology Advisory +Committee. + (i) Date established: January 22, 1990. + +[[Page 218]] + + (ii) Function: The committee shall provide advice on scientific, +clinical and technical issues related to safety and effectiveness of +drug products for use in the treatment of a broad spectrum of human +diseases, the quality characteristics which such drugs purport or are +represented to have and as required, any other product for which the +Food and Drug Administration has regulatory responsibility, and make +appropriate recommendations to the Commissioner of Food and Drugs. The +Committee may also review agency sponsored intramural and extramural +biomedical research programs in support of FDA's drug regulatory +responsibilities and its critical path initiatives related to improving +the efficacy and safety of drugs and improving the efficiency of drug +development. + (16) Nonprescription Drugs Advisory Committee. + (i) Date established: August 27, 1991. + (ii) Functions: The committee reviews and evaluates available data +concerning the safety and effectiveness of over-the-counter +(nonprescription) human drug products for use in the treatment of a +broad spectrum of human symptoms and diseases. + (17) Pharmacy Compounding Advisory Committee. + (i) Date re-established: April 25, 2012. + (ii) Function: Provides advice on scientific, technical, and medical +issues concerning drug compounding under sections 503A and 503B of the +Federal Food, Drug, and Cosmetic Act and, as required, any other product +for which the Food and Drug Administration has regulatory +responsibility, and makes appropriate recommendations to the +Commissioner of Food and Drugs. + (d) Center for Devices and Radiological Health-- + (1) Medical Devices Advisory Committee. + (i) Date established: October 27, 1990. + (ii) Function: Reviews and evaluates data on the safety and +effectiveness of marketed and investigational devices and makes +recommendations for their regulation. + (2) Device Good Manufacturing Practice Advisory Committee. + (i) Date established: May 17, 1987. + (ii) Function: Reviews proposed regulations for good manufacturing +practices governing the methods used in, and the facilities and controls +used for, the manufacture, packing, storage, and installation of +devices, and makes recommendations on the feasibility and reasonableness +of the proposed regulations. + (3) Technical Electronic Product Radiation Safety Standards +Committee. + (i) Date established: October 18, 1968. + (ii) Function: Advises on technical feasibility, reasonableness, and +practicability of performance standards for electronic products to +control the emission of radiation under 42 U.S.C. 263f(f)(1)(A). + (4) National Mammography Quality Assurance Advisory Committee. + (i) Date established: July 6, 1993. + (ii) Function: Advises on developing appropriate quality standards +and regulations for the use of mammography facilities. + (5) Patient Engagement Advisory Committee. + (i) Date Established: October 6, 2015. + (ii) Function: Provides advice to the Commissioner on complex issues +relating to medical devices, the regulation of devices, and their use by +patients. Agency guidance and policies, clinical trial or registry +design, patient preference study design, benefit-risk determinations, +device labeling, unmet clinical needs, available alternatives, patient +reported outcomes, and device-related quality of life or health status +issues are among the topics that may be considered by the Committee. The +Committee provides relevant skills and perspectives in order to improve +communication of benefits, risks, and clinical outcomes, and increase +integration of patient perspectives into the regulatory process for +medical devices. It performs its duties by identifying new approaches, +promoting innovation, recognizing unforeseen risks or barriers, and +identifying unintended consequences that could result from FDA policy. + (e) National Center for Toxicological Research--Science Advisory +Board. + (1) Date established: June 2, 1973. + (2) Function: Advises on establishment and implementation of a +research program that will assist the Commissioner of Food and Drugs to +fulfill regulatory responsibilities. + +[[Page 219]] + + (f) Center for Food Safety and Applied Nutrition--Food Advisory +Committee. + (1) Date established: December 15, 1991. + (2) Function: The committee provides advice on emerging food safety, +food science, and nutrition issues that FDA considers of primary +importance in the next decade. + +[54 FR 9036, Mar. 3, 1989] + + Editorial Note: For Federal Register citations affecting Sec. +14.100, see the List of CFR Sections Affected, which appears in the +Finding Aids section of the printed volume and at www.fdsys.gov. + + + + Subpart G_Technical Electronic Products Radiation Safety Standards + Committee + + + +Sec. 14.120 Establishment of the Technical Electronic Product +Radiation Safety Standards Committee (TEPRSSC). + + The Technical Electronic Product Radiation Safety Standards +Committee (TEPRSSC), consisting of 15 members, is established in +accordance with the Federal Food, Drug, and Cosmetic Act (21 U.S.C. +360kk(f)(1)(A)) to provide consultation before the Commissioner +prescribes any performance standard for an electronic product. + +[44 FR 22351, Apr. 13, 1979, as amended at 78 FR 17087, Mar. 20, 2013] + + + +Sec. 14.122 Functions of TEPRSSC. + + (a) In performing its function of advising the Commissioner, +TEPRSSC-- + (1) May propose electronic product radiation safety standards to the +Commissioner for consideration; + (2) Provides consultation to the Commissioner on all performance +standards proposed for consideration under 21 U.S.C. 360kk; and + (3) May make recommendations to the Commissioner on any other +matters it deems necessary or appropriate in fulfilling the purposes of +the act. + (b) Responsibility for action on performance standards under 21 +U.S.C. 360kk rests with the Commissioner, after receiving the advice of +TEPRSSC. + +[44 FR 22351, Apr. 13, 1979, as amended at 78 FR 17087, Mar. 20, 2013] + + + +Sec. 14.125 Procedures of TEPRSSC. + + (a) When the Commissioner is considering promulgation of a +performance standard for an electronic product, or an amendment of an +existing standard, before issuing a proposed regulation in the Federal +Register the Commissioner will submit to TEPRSSC the proposed standard +or amendment under consideration, together with other relevant +information to aid TEPRSSC in its deliberations. + (b) The agenda and other material to be considered at any meeting +will be sent to members whenever possible at least 2 weeks before the +meeting. + (c) Ten members constitute a quorum, provided at least three members +are present from each group specified in 21 U.S.C. 360kk(f)(1)(A) and in +Sec. 14.127(a), i.e., Government, industry, and the public. + (d) The Chairperson of TEPRSSC will ordinarily submit a report to +the Commissioner of the committee's consideration of any proposed +performance standard for an electronic product within 60 days after +consideration. If the Chairperson believes that more time is needed, the +Chairperson will inform the Director of the Center for Devices and +Radiological Health in writing, in which case an additional 30 days will +be allowed to make the report. + (e) Sections 14.1 through 14.7 apply to TEPRSSC, except where other +provisions are specifically included in Sec. Sec. 14.120 through +14.130. + +[44 FR 22351, Apr. 13, 1979, as amended at 54 FR 9037, Mar. 3, 1989; 78 +FR 17087, Mar. 20, 2013] + + + +Sec. 14.127 Membership of TEPRSSC. + + (a) The Commissioner will appoint the members after consultation +with public and private organizations concerned with the technical +aspect of electronic product radiation safety. TEPRSSC consists of 15 +members, each of whom is technically qualified by training and +experienced in one or more fields of science or engineering applicable +to electronic product radiation safety, as follows: + (1) Five members selected from government agencies, including State +and Federal Governments. + +[[Page 220]] + + (2) Five members selected from the affected industries after +consultation with industry representatives. + (3) Five members selected from the general public, of whom at least +one shall be a representative of organized labor. + (b) The Commissioner will appoint a committee member as Chairperson +of TEPRSSC. + (c) Appointments of members are for a term of 3 years or as +specified by the Commissioner. + (1) The Chairperson is appointed for a term concurrent with the +Chairperson's term as a member of TEPRSSC. If the Chairpersonship +becomes vacant without adequate notice, the Designated Federal Officer +may appoint a committee member as temporary Chairperson pending +appointment of a new Chairperson by the Commissioner. + (2) Members may not be reappointed for a second consecutive full +term. + (d) A person otherwise qualified for membership is not eligible for +selection as a member of TEPRSSC from Government agencies or the general +public if the Commissioner determines that the person does not meet the +requirements of the conflict of interest laws and regulations. + (e) Retention of membership is conditioned upon the following: + (1) Continued status as a member of the group from which the member +was selected as specified in paragraph (a) of this section. + (2) Absence of any conflict of interest during the term of +membership as specified in paragraph (d) of this section. + (3) Active participation in TEPRSSC activities. + (f) Appointment as a member of TEPRSSC is conditioned on +certification that the prospective member: + (1) Agrees to the procedures and criteria specified in this subpart. + (2) Has no conflict of interest as specified in paragraph (d) of +this section. + (3) Will notify the Designated Federal Officer of TEPRSSC before any +change in representative status on TEPRSSC which may be contrary to the +conditions of the appointment. + (g) Members of TEPRSSC who are not full-time officers or employees +of the United States receive compensation under Sec. 14.95, in +accordance with 42 U.S.C. 210(c). + + + +Sec. 14.130 Conduct of TEPRSSC meeting; availability of TEPRSSC records. + + (a) In accordance with 21 U.S.C. 360kk(f)(1)(B), all proceedings of +TEPRSSC are recorded, and the record of each proceeding is available for +public inspection. + (b) All proceedings of TEPRSSC are open except when the Commissioner +has determined, under Sec. 14.27, that a portion of a meeting may be +closed. + +[44 FR 22351, Apr. 13, 1979, as amended at 78 FR 17087, Mar. 20, 2013] + + + + Subpart H_Color Additive Advisory Committees + + + +Sec. 14.140 Establishment of a color additive advisory committee. + + The Commissioner will establish a color additive advisory committee +under the following circumstances: + (a) The Commissioner concludes, as a matter of discretion, that it +would be in the public interest for a color additive advisory committee +to review and make recommendations about the safety of a color additive +on which important issues are pending before FDA and for interested +persons to present information and views at an oral public hearing +before a color additive advisory committee. + (b) There is an issue arising under section 721(b)(5)(B) of the FD&C +Act concerning the safety of a color additive, including its potential +or actual carcinogenicity, that requires the exercise of scientific +judgment and a person who would be adversely affected by the issuance, +amendment, or repeal of a regulation listing a color additive requests +that the matter, or the Commissioner as a matter of discretion +determines that the matter should, be referred to a color additive +advisory committee. + (1) Paragraph (b) does not apply to any issue arising under the +transitional provisions in section 203 of the Color Additive Amendments +of 1960 relating to provisional listing of commercially established +colors. A color + +[[Page 221]] + +additive advisory committee to consider any such matter will be +established under paragraph (a) of this section. + (2) A request for establishment of a color additive advisory +committee is to be made in accordance with Sec. 10.30. The Commissioner +may deny any petition if inadequate grounds are stated for establishing +a color additive advisory committee. A request for establishment of a +color additive advisory committee may not rest on mere allegations or +denials, but must set forth specific facts showing that there is a +genuine and substantial issue of fact that requires scientific judgment +and justifies a hearing before a color additive advisory committee. When +it conclusively appears from the request for a color additive advisory +committee that the matter is premature or that it does not involve an +issue arising under section 721(b)(5)(B) of the FD&C Act or that there +is no genuine and substantial issue of fact requiring scientific +judgment, or for any other reason a color additive advisory committee is +not justified, the Commissioner may deny the establishment of a color +additive advisory committee. + (3) Establishment of a color additive advisory committee on the +request of an interested person is conditioned upon receipt of the +application fee specified in Sec. 14.155. + (4) Any person adversely affected may request referral of the matter +to a color additive advisory committee at any time before, or within 30 +days after, publication of an order of the Commissioner acting upon a +color additive petition or proposal. + + + +Sec. 14.142 Functions of a color additive advisory committee. + + (a) A color additive advisory committee reviews all available +information relating to the matter referred to it, including all +information contained in any pertinent color additive petition and in +FDA files. All information reviewed is placed on public display and is +available for review at the office of the Division of Dockets +Management. + (b) The Commissioner specifies to the color additive advisory +committee, in writing, the issues on which review and recommendations +are requested. + (c) The date of the first meeting of a color additive advisory +committee, following receipt of the administrative record by each of the +committee members, is designated as the beginning of the period allowed +for consideration of the matter by the committee. Within 60 days after +the first meeting, unless the time is extended as provided in paragraph +(d) of this section, the Chairperson of the committee shall certify to +the Commissioner the report containing the recommendations of the +committee, including any minority report. The report states the +recommendations of the committee and the reasons or basis for them. The +report includes copies of all material considered by the committee in +addition to the administrative record furnished to it. + (d) If the Chairperson concludes that the color additive advisory +committee needs additional time, the Chairperson shall so inform the +Commissioner in writing and may certify the report of the committee to +the Commissioner within 90 days instead of 60 days. + (e) More than one matter may be handled concurrently by a color +additive advisory committee. + + + +Sec. 14.145 Procedures of a color additive advisory committee. + + (a) A color additive advisory committee is subject to all the +requirements of the Federal Advisory Committee Act and this part. + (b) All interested persons have a right to consult with the color +additive advisory committee reviewing a matter and to submit information +and views to a color additive advisory committee, in accordance with the +procedures in this part. + + + +Sec. 14.147 Membership of a color additive advisory committee. + + (a) The members of a color additive advisory committee are selected +in the following manner: + (1) If a color additive advisory committee is established for +purposes that do not include review of an issue arising under section +721(b)(5)(B) of the act, or is established on the initiative of the +Commissioner, the Commissioner may use the procedure in paragraph + +[[Page 222]] + +(a)(2) of this section to select the members or may use an existing +standing advisory committee listed in Sec. 14.100, or may establish a +new advisory committee under this subpart. Once the Commissioner has +established a color additive advisory committee under this paragraph and +has referred to it a matter relating to a color additive, no interested +person may subsequently request that an additional or different color +additive advisory committee be established to review and make +recommendations about that color additive. + (2) If the Commissioner established a color additive advisory +committee to review an issue arising under section 721(b)(5)(B) of the +FD&C Act on the request of an interested person, it shall be established +under the following requirements: + (i) Except as provided in paragraph (a)(2) (ii) and (iii) of this +section, the Commissioner will request the National Academy of Sciences +to select the members of a color additive advisory committee from among +experts qualified in the subject matter to be reviewed by the committee, +and of adequately diversified professional backgrounds. The Commissioner +will appoint one of the members as the Chairperson. + (ii) If the National Academy of Sciences is unable or refuses to +select the members of a color additive advisory committee, the +Commissioner will select the members. + (iii) If the Commissioner and the requesting party agree, section +721(b)(5)(D) of the FD&C Act may be waived and the matter may be +referred to any standing advisory committee listed in Sec. 14.100 or to +any advisory committee established under any other procedure that is +mutually agreeable. Once the Commissioner has established a color +additive advisory committee and has referred to it a matter relating to +a color additive, no interested person may subsequently request that an +additional or different color additive advisory committee be established +to review and make recommendations about that color additive. + (b) Members of a color additive advisory committee are subject to +the requirements of the Federal Advisory Committee Act and this subpart, +except that no member of a color additive advisory committee may by +reason of such membership alone be a special government employee or be +subject to the conflict of interest laws and regulations. + + + +Sec. 14.155 Fees and compensation pertaining to a color additive +advisory committee. + + (a) When a matter is referred to a color additive advisory +committee, all related costs, including personal compensation of +committee members, travel, materials, and other costs, are borne by the +person requesting the referral, such costs to be assessed on the basis +of actual cost to the government. The compensation of such costs +includes personal compensation of committee members at a rate not to +exceed $128.80 per member per day. + (b) In the case of a request for referral to a color additive +advisory committee, a special advance deposit is to be made in the +amount of $2,500. Where required, further advances in increments of +$2,500 each are to be made upon request of the Commissioner. All +deposits for referrals to a color additive advisory committee in excess +of actual expenses will be refunded to the depositor. + (c) All deposits and fees required by this section are to be paid by +money order, bank draft, or certified check drawn to the order of the +Food and Drug Administration, collectible at par in Washington, DC. All +deposits and fees are to be forwarded to the Associate Commissioner for +Management and Operations, Food and Drug Administration, 5600 Fishers +Lane, Rockville, MD 20857, and after appropriate record of them is made, +they will be transmitted to the Treasurer of the United States for +deposit in the special account ``Salaries and Expenses, Certification, +Inspection, and Other Services, Food and Drug Administration.'' + (d) The Commissioner may waive or refund such fees in whole or in +part when, in the Commissioner's judgment, such action will promote the +public interest. Any person who believes that payment of these fees will +be a hardship may petition the Commissioner + +[[Page 223]] + +under Sec. 10.30 to waive or refund the fees. + + + + Subpart I_Advisory Committees for Human Prescription Drugs + + + +Sec. 14.160 Establishment of standing technical advisory committees +for human prescription drugs. + + The standing technical advisory committees for human prescription +drugs are established to advise the Commissioner: + (a) Generally on the safety and effectiveness, including the +labeling and advertising, and regulatory control of the human +prescription drugs falling within the pharmacologic class covered by the +advisory committee and on the scientific standards appropriate for a +determination of safety and effectiveness in that class of drugs. + (b) Specifically on any particular matter involving a human +prescription drug pending before FDA, including whether the available +information is adequate to support a determination that-- + (1) A particular IND study may properly be conducted; + (2) A particular drug meets the statutory standard for proof of +safety and effectiveness necessary for approval or continued approval +for marketing; or + (3) A particular drug is properly classified as a new drug, an old +drug, or a banned drug. + + + +Sec. 14.171 Utilization of an advisory committee on the initiative +of FDA. + + (a) Any matter involving a human prescription drug under review +within the agency may, in the discretion of the Commissioner, be the +subject of a public hearing and continuing or periodic review by the +appropriate standing technical advisory committee for human prescription +drugs. The Commissioner's determinations on the agenda of the committee +are based upon the priorities of the various matters pending before the +agency which fall within the pharmacologic class covered by that +committee. + (b) High priority for such hearing and review by the appropriate +standing technical advisory committee for human prescription drugs are +given to the following types of human prescription drugs: + (1) Investigational drugs which are potential therapeutic advances +over currently marketed products from the standpoint of safety or +effectiveness, or which pose significant safety hazards, or which +present narrow benefit-risk considerations requiring a close judgmental +decision on approval for marketing, or which have a novel delivery +system or formulation, or which are the subject of major scientific or +public controversy, or which may be subject to special regulatory +requirements such as a limitation on clinical trials, a patient followup +requirement, postmarketing Phase IV studies, distributional controls, or +boxed warnings. + (2) Marketed drugs for which an important new use has been +discovered or which pose newly discovered safety hazards, or which are +the subject of major scientific or public controversy, or which may be +subject to important regulatory actions such as withdrawal of approval +for marketing, boxed warnings, distributional controls, or newly +required scientific studies. + (c) The committee may request the Commissioner for an opportunity to +hold a public hearing and to review any matter involving a human +prescription drug which falls within the pharmacologic class covered by +the committee. The Commissioner may, after consulting with the committee +on such request, grant or deny the request in light of the priorities of +the other matters pending before the committee. Whenever feasible, +consistent with the other work of the committee, the request will be +granted. + (d) For a drug that meets any of the criteria established in +paragraph (b) of this section, one or more members of or consultants to +the appropriate advisory committee may be selected for more detailed +monitoring of the matter and consultation with FDA on behalf of the +committee. The member or consultant may be invited to attend appropriate +meetings and shall assist the center in any briefing of the committee on +that matter. + (e) An advisory committee may obtain advice and recommendations from +other agency advisory committees, + +[[Page 224]] + +consultants, and experts which the advisory committee and the center +conclude would facilitate the work of the advisory committee. + (f) Presentation of all relevant information about the matter will +be made in open session unless it relates to an IND the existence of +which has not previously been disclosed to the public as defined in +Sec. 20.81 or is otherwise prohibited from public disclosure under part +20 and the regulations referenced therein. Sections 314.430 and 601.51 +determine whether, and the extent to which, relevant information may be +made available for public disclosure, summarized and discussed in open +session but not otherwise made available for public disclosure, or not +in any way discussed or disclosed in open session or otherwise disclosed +to the public. + +[44 FR 22351, Apr. 13, 1979, as amended at 54 FR 9037, Mar. 3, 1989] + + + +Sec. 14.172 Utilization of an advisory committee at the request of +an interested person. + + Any interested person may request, under Sec. 10.30, that a +specific matter relating to a particular human prescription drug be +submitted to an appropriate advisory committee for a hearing and review +and recommendations. The request must demonstrate the importance of the +matter and the reasons why it should be submitted for a hearing at that +time. The Commissioner may grant or deny the request. + + + +Sec. 14.174 Advice and recommendations in writing. + + Advice and recommendations given by a committee on a specific drug +or a class of drugs are ordinarily in the form of a written report. The +report may consist of the approved minutes of the meeting or a separate +written report. The report responds to the specific issues or questions +which the Commissioner has addressed to the advisory committee, and +states the basis of the advice and recommendations of the committee. + + + +PART 15_PUBLIC HEARING BEFORE THE COMMISSIONER--Table of Contents + + + + Subpart A_General Provisions + +Sec. +15.1 Scope. + + Subpart B_Procedures for Public Hearing Before the Commissioner + +15.20 Notice of a public hearing before the Commissioner. +15.21 Notice of participation; schedule for hearing. +15.25 Written submissions. +15.30 Conduct of a public hearing before the Commissioner. + + Subpart C_Records of a Public Hearing Before the Commissioner + +15.40 Administrative record. +15.45 Examination of administrative record. + + Authority: 5 U.S.C. 553; 15 U.S.C. 1451-1461; 21 U.S.C. 141-149, +321-393, 467f, 679, 821, 1034; 28 U.S.C. 2112; 42 U.S.C. 201, 262, 263b- +263n, 264. + + Source: 44 FR 22366, Apr. 13, 1979, unless otherwise noted. + + + + Subpart A_General Provisions + + + +Sec. 15.1 Scope. + + The procedures in this part apply when: + (a) The Commissioner concludes, as a matter of discretion, that it +is in the public interest to permit persons to present information and +views at a public hearing on any matter pending before the Food and Drug +Administation. + (b) The act or regulation specifically provides for a public hearing +before the Commissioner on a matter, e.g., Sec. 330.10(a)(8) relating +to over-the-counter drugs and sections 520 (b) and (f)(1)(B), and 521 of +the act relating to proposals to allow persons to order custom devices, +to proposed device good manufacturing practice regulations, and to +proposed exemptions from preemption of State and local device +requirements under Sec. 808.25(e). + (c) A person who has right to an opportunity for a formal +evidentiary public hearing under part 12 waives that opportunity and +instead requests under Sec. 12.32 a public hearing before the +Commissioner, and the Commissioner, as a + +[[Page 225]] + +matter of discretion, accepts the request. + + + + Subpart B_Procedures for Public Hearing Before the Commissioner + + + +Sec. 15.20 Notice of a public hearing before the Commissioner. + + (a) If the Commissioner determines that a public hearing should be +held on a matter, the Commissioner will publish a notice of hearing in +the Federal Register setting forth the following information: + (1) If the hearing is under Sec. 15.1 (a) or (b), the notice will +state the following: + (i) The purpose of the hearing and the subject matter to be +considered. If a written document is to be the subject matter of the +hearing, it will be published as part of the notice, or reference made +to it if it has already been published in the Federal Register, or the +notice will state that the document is available from an agency office +identified in the notice. + (ii) The time, date, and place of the hearing, or a statement that +the information will be contained in a subsequent notice. + (2) If the hearing is in lieu of a formal evidentiary public hearing +under Sec. 15.1(c), all of the information described in Sec. 12.32(e). + (b) The scope of the hearing is determined by the notice of hearing +and any regulation under which the hearing is held. If a regulation, +e.g., Sec. 330.10(a)(10), limits a hearing to review of an existing +administrative record, information not already in the record may not be +considered at the hearing. + (c) The notice of hearing may require participants to submit the +text of their presentations in advance of the hearing if the +Commissioner determines that advance submissions are necessary for the +panel to formulate useful questions to be posed at the hearing under +Sec. 15.30(e). The notice may provide for the submission of a +comprehensive outline as an alternative to the submission of the text if +the Commissioner determines that submission of an outline will be +sufficient. + +[44 FR 22366, Apr. 13, 1979, as amended at 47 FR 26375, June 18, 1982] + + + +Sec. 15.21 Notice of participation; schedule for hearing. + + (a) The notice of hearing will provide persons an opportunity to +file a written notice of participation with the Division of Dockets +Management within a specified period of time containing the information +specified in the notice, e.g., name of participant, address, phone +number, affiliation, if any, topic of presentation and approximate +amount of time requested for the presentation. If the public interest +requires, e.g., a hearing is to be conducted within a short period of +time or is to be primarily attended by individuals without an +organizational affiliation, the notice may name a specific FDA employee +and telephone number to whom an oral notice of participation may be +given or provide for submitting notices of participation at the time of +the hearing. A written or oral notice of participation must be received +by the designated person by the close of business of the day specified +in the notice. + (b) Promptly after expiration of the time for filing a notice, the +Commissioner will determine the amount of time allotted to each person +and the approximate time that oral presentation is scheduled to begin. +If more than one hearing is held on the same subject, a person will +ordinarily be allotted time for a presentation at only one hearing. + (c) Individuals and organizations with common interests are urged to +consolidate or coordinate their presentations and to request time for a +joint presentation. The Commissioner may require joint presentations by +persons with common interests. + (d) The Commissioner will prepare a hearing schedule showing the +persons making oral presentations and the time alloted to each person, +which will be filed with the Division of Dockets Management and mailed +or telephoned before the hearing to each participant. + (e) The hearing schedule will state whether participants must be +present by a specified time to be sure to be heard in case the absence +of participants advances the schedule. + + + +Sec. 15.25 Written submissions. + + A person may submit information or views on the subject of the +hearing in + +[[Page 226]] + +writing to the Division of Dockets Management, under Sec. 10.20. The +record of the hearing will remain open for 15 days after the hearing is +held for any additional written submissions, unless the notice of the +hearing specifies otherwise or the presiding officer rules otherwise. + + + +Sec. 15.30 Conduct of a public hearing before the Commissioner. + + (a) The Commissioner or a designee may preside at the hearing, +except where a regulation provides that the Commissioner will preside +personally. The presiding officer may be accompanied by other FDA +employees or other Federal Government employees designated by the +Commissioner, who may serve as a panel in conducting the hearing. + (b) The hearing will be transcribed. + (c) Persons may use their alloted time in whatever way they wish, +consistent with a reasonable and orderly hearing. A person may be +accompanied by any number of additional persons, and may present any +written information or views for inclusion in the record of the hearing, +subject to the requirements of Sec. 15.25. The presiding officer may +allot additional time to any person when the officer concludes that it +is in the public interest, but may not reduce the time allotted for any +person without the consent of the person. + (d) If a person is not present at the time specified for the +presentation, the persons following will appear in order, with +adjustments for those appearing at their scheduled time. An attempt will +be made to hear any person who is late at the conclusion of the hearing. +Other interested persons attending the hearing who did not request an +opportunity to make an oral presentation will be given an opportunity to +make an oral presentation at the conclusion of the hearing, in the +discretion of the presiding officer, to the extent that time permits. + (e) The presiding officer and any other persons serving on a panel +may question any person during or at the conclusion of the presentation. +No other person attending the hearing may question a person making a +presentation. The presiding officer may, as a matter of discretion, +permit questions to be submitted to the presiding officer or panel for +response by them or by persons attending the hearing. + (f) The hearing is informal in nature, and the rules of evidence do +not apply. No motions or objections relating to the admissibility of +information and views may be made or considered, but other participants +may comment upon or rebut all such information and views. No participant +may interrupt the presentation of another participant at any hearing for +any reason. + (g) The hearing may end early only if all persons scheduled for a +later presentation have already appeared or it is past the time +specified in the hearing schedule, under Sec. 15.21(e), by which +participants must be present. + (h) The Commissioner or the presiding officer may, under Sec. +10.19, suspend, modify, or waive any provision of this part. + + + + Subpart C_Records of a Public Hearing Before the Commissioner + + + +Sec. 15.40 Administrative record. + + (a) The administrative record of a public hearing before the +Commissioner consists of the following: + (1) All relevant Federal Register notices, including any documents +to which they refer. + (2) All written submissions under Sec. 15.25. + (3) The transcript of the oral hearing. + (b) The record of the administrative proceeding will be closed at +the time specified in Sec. 15.25. + + + +Sec. 15.45 Examination of administrative record. + + Section 10.20(j) governs the availability for public examination and +copying of each document in the administrative record of the hearing + + + +PART 16_REGULATORY HEARING BEFORE THE FOOD AND DRUG ADMINISTRATION +--Table of Contents + + + + Subpart A_General Provisions + +Sec. +16.1 Scope. +16.5 Inapplicability and limited applicability. + +[[Page 227]] + + Subpart B_Initiation of Proceedings + +16.22 Initiation of regulatory hearing. +16.24 Regulatory hearing required by the act or a regulation. +16.26 Denial of hearing and summary decision. + + Subpart C_Commissioner and Presiding Officer + +16.40 Commissioner. +16.42 Presiding officer. +16.44 Communication to presiding officer and Commissioner. + + Subpart D_Procedures for Regulatory Hearing + +16.60 Hearing procedure. +16.62 Right to counsel. + + Subpart E_Administrative Record and Decision + +16.80 Administrative record of a regulatory hearing. +16.85 Examination of administrative record. +16.95 Administrative decision and record for decision. + + Subpart F_Reconsideration and Stay + +16.119 Reconsideration and stay of action. + + Subpart G_Judicial Review + +16.120 Judicial review. + + Authority: 15 U.S.C. 1451-1461; 21 U.S.C. 141-149, 321-394, 467f, +679, 821, 1034; 28 U.S.C. 2112; 42 U.S.C. 201-262, 263b, 364. + + Source: 44 FR 22367, Apr. 13, 1979, unless otherwise noted. + + + + Subpart A_General Provisions + + + +Sec. 16.1 Scope. + + The procedures in this part apply when: + (a) The Commissioner is considering any regulatory action, including +a refusal to act, and concludes, as a matter of discretion, on the +Commissioner's initiative or at the suggestion of any person, to offer +an opportunity for a regulatory hearing to obtain additional information +before making a decision or taking action. + (b) The act or a regulation provides a person with an opportunity +for a hearing on a regulatory action, including proposed action, and the +act or a regulation either specifically provides an opportunity for a +regulatory hearing under this part or provides an opportunity for a +hearing for which no procedures are specified by regulation. Listed +below are the statutory and regulatory provisions under which regulatory +hearings are available: + (1) Statutory provisions: + +Section 304(g) of the act relating to the administrative detention of +devices and drugs (see Sec. Sec. 800.55(g) and 1.980(g) of this +chapter). +Section 304(h) of the act relating to the administrative detention of +food for human or animal consumption (see part 1, subpart k of this +chapter). +Section 419(c)(2)(D) of the Federal Food, Drug, and Cosmetic Act +relating to the modification or revocation of a variance from the +requirements of section 419 (see part 112, subpart P of this chapter). +Section 515(e)(1) of the act relating to the proposed withdrawal of +approval of a device premarket approval application. +Section 515(e)(3) of the act relating to the temporary suspension of +approval of a premarket approval application. +Section 515(f)(6) of the act relating to a proposed order revoking a +device product development protocol or declaring a protocol not +completed. +Section 515(f)(7) of the act relating to revocation of a notice of +completion of a product development protocol. +Section 516 of the act relating to a proposed banned device regulations +(see Sec. 895.21(d) of this chapter). +Section 518(b) of the act relating to a determination that a device is +subject to a repair, replacement, or refund order or that a correction +plan, or revised correction plan, submitted by a manufacturer, importer, +or distributor is inadequate. +Section 518(e) of the act relating to a cease distribution and +notification order or mandatory recall order concerning a medical device +for human use. +Section 520(f)(2)(D) of the act relating to exemptions or variances from +device current good manufacturing practice requirements (see Sec. +820.1(d)). +Section 520(g)(4) and (g)(5) of the act relating to disapproval and +withdrawal of approval of an application from an investigational device +exemption (see Sec. Sec. 812.19(c), 812.30(c), 813.30(d), and 813.35(c) +of this chapter). +Section 903(a)(8)(B)(ii) of the Federal Food, Drug, and Cosmetic Act +relating to the misbranding of tobacco products. +Section 906(e)(1)(B) of the Federal Food, Drug, and Cosmetic Act +relating to the establishment of good manufacturing practice +requirements for tobacco products. +Section 910(d)(1) of the Federal Food, Drug, and Cosmetic Act relating +to the withdrawal of an order allowing a new tobacco + +[[Page 228]] + +product to be introduced or delivered for introduction into interstate +commerce. +Section 911(j) of the Federal Food, Drug, and Cosmetic Act relating to +the withdrawal of an order allowing a modified risk tobacco product to +be introduced or delivered for introduction into interstate commerce. + + (2) Regulatory provisions: + +Sec. Sec. 1.634 and 1.664, relating to revocation of recognition of an +accreditation body and withdrawal of accreditation of third-party +certification bodies that conduct food safety audits of eligible +entities in the food import supply chain and issue food and facility +certifications. +Sec. 56.121(a), relating to disqualifying an institutional review board +or an institution. +Sec. 58.204(b), relating to disqualifying a testing facility. +Sec. 71.37(a), relating to use of food containing a color additive. +Sec. 80.31(b), relating to refusal to certify a batch of a color +additive. +Sec. 80.34(b), relating to suspension of certification service for a +color additive. +Sec. 99.401(c), relating to a due diligence determination concerning +the conduct of studies necessary for a supplemental application for a +new use of a drug or device. + Sec. Sec. 112.201 through 112.213, (see part 112, subpart R of this +chapter), relating to withdrawal of a qualified exemption. +Sec. Sec. 117.251 through 117.287 (part 117, subpart E of this +chapter), relating to withdrawal of a qualified facility exemption. +Sec. 130.17(1), relating to a temporary permit to vary from a food +standard. +Sec. 170.17(b), relating to use of food containing an investigational +food additive. +Sec. 202.1(j)(5), relating to approval of prescription drug +advertisements. +Sec. 312.70, relating to whether an investigator is eligible to receive +test articles under part 312 of this chapter and eligible to conduct any +clinical investigation that supports an application for a research or +marketing permit for products regulated by FDA, including drugs, +biologics, devices, new animal drugs, foods, including dietary +supplements, that bear a nutrient content claim or a health claim, +infant formulas, food and color additives, and tobacco products. +Sec. 312.70(d) and 312.44, relating to termination of an IND for a +sponsor. +Sec. 312.160(b), relating to termination of an IND for tests in vitro +and in laboratory research animals for a sponsor. +Sec. Sec. 507.60 through 507.85 (part 507, subpart D of this chapter) +relating to withdrawal of a qualified facility exemption. +Sec. 511.1(b)(5), relating to use of food containing an investigational +new animal drug. +Sec. 511.1(c)(1), relating to whether an investigator is eligible to +receive test articles under part 511 of this chapter and eligible to +conduct any clinical investigation that supports an application for a +research or marketing permit for products regulated by FDA including +drugs, biologics, devices, new animal drugs, foods, including dietary +supplements, that bear a nutrient content claim or a health claim, +infant formulas, food and color additives, and tobacco products. +Sec. 511.1(c) (4) and (d), relating to termination of an INAD for a +sponsor. +Sec. 812.119, relating to whether an investigator is eligible to +receive test articles under part 812 of this chapter and eligible to +conduct any clinical investigation that supports an application for a +research or marketing permit for products regulated by FDA including +drugs, biologics, devices, new animal drugs, foods, including dietary +supplements, that bear a nutrient content claim or a health claim, +infant formulas, food and color additives, and tobacco products. +Sec. 814.46(c) relating to withdrawal of approval of a device premarket +approval application. +Sec. 822.7(a)(3), relating to an order to conduct postmarket +surveillance of a medical device under section 522 of the act. +Sec. 830.130, relating to suspension or revocation of the accreditation +of an issuing agency. +Sec. 900.7, relating to approval, reapproval, or withdrawal of approval +of mammography accreditation bodies or rejection of a proposed fee for +accreditation. +Sec. 900.14, relating to suspension or revocation of a mammography +certificate. +Sec. 900.25, relating to approval or withdrawal of approval of +certification agencies. +Sec. 1003.11(a)(3), relating to the failure of an electronic product to +comply with an applicable standard or to a defect in an electronic +product. +Sec. 1003.31(d), relating to denial of an exemption from notification +requirements for an electronic product which fails to comply with an +applicable standard or has a defect. +Sec. 1004.6, relating to plan for repurchase, repair, or replacement of +an electronic product. +Sec. 1107.1(d), relating to rescission of an exemption from the +requirement of demonstrating substantial equivalence for a tobacco +product. +Sec. 1210.30, relating to denial, suspension, or revocation of a permit +under the Federal Import Milk Act. +Sec. 1270.43(e), relating to the retention, recall, and destruction of +human tissue. +Sec. 1271.440(e) relating to the retention, recall, and destruction of +human cells, tissues, and cellular and tissue-based products (HCT/Ps), +and/or the cessation of manufacturing HCT/Ps. + +[44 FR 22367, Apr. 13, 1979] + +[[Page 229]] + + + Editorial Note: For Federal Register citations affecting Sec. 16.1, +see the List of CFR Sections Affected, which appears in the Finding Aids +section of the printed volume and at www.fdsys.gov. + + + +Sec. 16.5 Inapplicability and limited applicability. + + (a) This part does not apply to the following: + (1) Informal presentation of views before reporting a criminal +violation under section 305 of the act and section 5 of the Federal +Import Milk Act and Sec. 1210.31. + (2) A hearing on a refusal of admission of a food, drug, device, or +cosmetic under section 801(a) of the act and Sec. 1.94, or of an +electronic product under section 360(a) of the Public Health Service Act +and Sec. 1005.20. + (3) Factory inspections, recalls (except mandatory recalls of +medical devices intended for human use), regulatory letters, and similar +compliance activities related to law enforcement. + (4) A hearing on an order for relabeling, diversion, or destruction +of shell eggs under section 361 of the Public Health Service Act (42 +U.S.C. 264) and Sec. Sec. 101.17(h) and 115.50 of this chapter. + (5) A hearing on an order for diversion or destruction of shell eggs +under section 361 of the Public Health Service Act (42 U.S.C. 264), and +Sec. 118.12 of this chapter. + (b) If a regulation provides a person with an opportunity for +hearing and specifies some procedures for the hearing but not a +comprehensive set of procedures, the procedures in this part apply to +the extent that they are supplementary and not in conflict with the +other procedures specified for the hearing. Thus, the procedures in +subpart A of part 108 relating to emergency permit control are +supplemented by the nonconflicting procedures in this part, e.g., the +right to counsel, public notice of the hearing, reconsideration and +stay, and judicial review. + +[44 FR 22367, Apr. 13, 1979, as amended at 57 FR 58403, Dec. 10, 1992; +65 FR 76110, Dec. 5, 2000; 74 FR 33095, July 9, 2009] + + + + Subpart B_Initiation of Proceedings + + + +Sec. 16.22 Initiation of regulatory hearing. + + (a) A regulatory hearing is initiated by a notice of opportunity for +hearing from FDA. The notice will-- + (1) Be sent by mail, telegram, telex, personal delivery, or any +other mode of written communication; + (2) Specify the facts and the action that are the subject of the +opportunity for a hearing; + (3) State that the notice of opportunity for hearing and the hearing +are governed by this part; and + (4) State the time within which a hearing may be requested, and +state the name, address, and telephone number of the FDA employee to +whom any request for hearing is to be addressed. + (5) Refer to FDA's guideline on electronic media coverage of its +administrative proceedings (21 CFR part 10, subpart C). + (b) A person offered an opportunity for a hearing has the amount of +time specified in the notice, which may not be less than 3 working days +after receipt of the notice, within which to request a hearing. The +request may be filed by mail, telegram, telex, personal delivery, or any +other mode of written communication, addressed to the designated FDA +employee. If no response is filed within that time, the offer is deemed +to have been refused and no hearing will be held. + (c) If a hearing is requested, the Commissioner will designate a +presiding officer, and the hearing will take place at a time and +location agreed upon by the party requesting the hearing, the FDA, and +the presiding officer or, if agreement cannot be reached, at a +reasonable time and location designated by the presiding officer. + (d) A notice of opportunity for hearing under this section will not +operate to delay or stay any administrative action, including +enforcement action by the agency unless the Commissioner, as a matter of +discretion, determines that delay or a stay is in the public interest. + +[44 FR 22367, Apr. 13, 1979, as amended at 49 FR 32173, Aug. 13, 1984] + +[[Page 230]] + + + +Sec. 16.24 Regulatory hearing required by the act or a regulation. + + (a) A regulatory hearing required by the act or a regulation under +Sec. 16.1(b) will be initiated in the same manner as other regulatory +hearings subject to the additional procedures in this section. + (b) [Reserved] + (c) The notice will state whether any action concerning the matter +that is the subject of the opportunity for hearing is or is not being +taken pending the hearing under paragraph (d) of this section. + (d) The Commissioner may take such action pending a hearing under +this section as the Commissioner concludes is necessary to protect the +public health, except where expressly prohibited by statute or +regulation. A hearing to consider action already taken, and not stayed +by the Commissioner, will be conducted on an expedited basis. + (e) The hearing may not be required to be held at a time less than 2 +working days after receipt of the request for hearing. + (f) Before the hearing, FDA will give to the party requesting the +hearing reasonable notice of the matters to be considered at the +hearing, including a comprehensive statement of the basis for the +decision or action taken or proposed that is the subject of the hearing +and a general summary of the information that will be presented by FDA +at the hearing in support of the decision or action. This information +may be given orally or in writing, in the discretion of FDA. + (g) FDA and the party requesting the hearing will, if feasible, at +least 1 day before the hearing provide to each other written notice of +any published articles or written information to be presented at or +relied on at the hearing. A copy will also be provided in advance if the +other participant could not reasonably be expected to have or be able to +obtain a copy. If written notice or a copy is not provided, the +presiding officer may, if time permits, allow the party who did not +receive the notice or copy additional time after the close of the +hearing to make a submission concerning the article or information. + +[44 FR 22367, Apr. 13, 1979, as amended at 47 FR 26375, June 18, 1982; +54 FR 9037, Mar. 3, 1989] + + + +Sec. 16.26 Denial of hearing and summary decision. + + (a) A request for a hearing may be denied, in whole or in part, if +the Commissioner or the FDA official to whom authority is delegated to +make the final decision on the matter determines that no genuine and +substantial issue of fact has been raised by the material submitted. If +the Commissioner or his or her delegate determines that a hearing is not +justified, written notice of the determination will be given to the +parties explaining the reason for denial. + (b) After a hearing commences, the presiding officer may issue a +summary decision on any issue in the hearing if the presiding officer +determines from the material submitted in connection with the hearing, +or from matters officially noticed, that there is no genuine and +substantial issue of fact respecting that issue. For the purpose of this +paragraph, a hearing commences upon the receipt by FDA of a request for +hearing submitted under Sec. 16.22(b). + (c) The Commissioner or his or her delegate may review any summary +decision of the presiding officer issued under paragraph (b) of this +section at the request of a party or on the Commissioner's or his or her +delegate's own initiative. + +[53 FR 4615, Feb. 17, 1988, as amended at 69 FR 17290, Apr. 2, 2004] + + + + Subpart C_Commissioner and Presiding Officer + + + +Sec. 16.40 Commissioner. + + Whenever the Commissioner has delegated authority on a matter for +which a regulatory hearing is available under this part, the functions +of the Commissioner under this part may be performed by any of the +officials to whom the authority has been delegated, e.g., a center +director. + +[69 FR 17290, Apr. 2, 2004] + +[[Page 231]] + + + +Sec. 16.42 Presiding officer. + + (a) An FDA employee to whom the Commissioner delegates such +authority, or any other agency employee designated by an employee to +whom such authority is delegated, or, consistent with 5 CFR 930.209(b) +or (c), an administrative law judge to whom such authority is delegated, +may serve as the presiding officer and conduct a regulatory hearing +under this part. + (b) In a regulatory hearing required by the act or a regulation, the +presiding officer is to be free from bias or prejudice and may not have +participated in the investigation or action that is the subject of the +hearing or be subordinate to a person, other than the Commissioner, who +has participated in such investigation or action. + (c)(1) The Commissioner or the delegate under Sec. 16.40 is not +precluded by this section from prior participation in the investigation +or action that is the subject of the hearing. If there has been prior +participation, the Commissioner or the delegate should, if feasible, +designate a presiding officer for the hearing who is not a subordinate. +Thus, if the Commissioner's authority to make a final decision has been +delegated to a center director, the presiding officer may be an official +in another center or the office of the Commissioner. The exercise of +general supervisory responsibility, or the designation of the presiding +officer, does not constitute prior participation in the investigation or +action that is the subject of the hearing so as to preclude the +Commissioner or delegate from designating a subordinate as the presiding +officer. + (2) The party requesting a hearing may make a written request to +have the Commissioner or the delegate under Sec. 16.40 be the presiding +officer, notwithstanding paragraph (c)(1) of this section. If accepted, +as a matter of discretion, by the Commissioner or the delegate, the +request is binding upon the party making the request. + (3) A different presiding officer may be substituted for the one +originally designated under Sec. 16.22 without notice to the parties. + +[44 FR 22367, Apr. 13, 1979, as amended at 54 FR 9037, Mar. 3, 1989; 67 +FR 53306, Aug. 15, 2002] + + + +Sec. 16.44 Communication to presiding officer and Commissioner. + + (a) Regulatory hearings are not subject to the separation of +functions rules in Sec. 10.55. + (b) Those persons who are directly involved in the investigation or +presentation of the position of FDA or any party at a regulatory hearing +that is required by the act or a regulation should avoid any off-the- +record communication on the matter to the presiding officer or the +Commissioner or their advisors if the communication is inconsistent with +the requirement of Sec. 16.95(b)(1) that the administrative record be +the exclusive record for decision. If any communication of this type +occurs, it is to be reduced to writing and made part of the record, and +the other party provided an opportunity to respond. + (c) A copy of any letter or memorandum of meeting between a +participant in the hearing and the presiding officer or the +Commissioner, e.g., a response by the presiding officer to a request for +a change in the time of the hearing, is to be sent to all participants +by the person writing the letter or the memorandum. + + + + Subpart D_Procedures for Regulatory Hearing + + + +Sec. 16.60 Hearing procedure. + + (a) A regulatory hearing is public, except when the Commissioner +determines that all or part of a hearing should be closed to prevent a +clearly unwarranted invasion of personal privacy; to prevent the +disclosure of a trade secret or confidential commercial or financial +information that is not available for public disclosure under Sec. +20.61; or to protect investigatory records complied for law enforcement +purposes that are not available for public disclosure under Sec. 20.64. + (1) The Commissioner may determine that a regulatory hearing is +closed either on the Commissioner's initiative or on a request by the +party asking for a regulatory hearing, in the request for the hearing. + +[[Page 232]] + + (2) If the hearing is a private hearing, no persons other than the +party requesting the hearing, counsel and witnesses, and an employee or +consultant or other person subject to a commercial arrangement as +defined in Sec. 20.81(a) and FDA representatives with a direct +professional interest in the subject matter of the proceeding are +entitled to attend. + (b) A regulatory hearing will be conducted by a presiding officer. +Employees of FDA will first give a full and complete statement of the +action which is the subject of the hearing, together with the +information and reasons supporting it, and may present any oral or +written information relevant to the hearing. The party requesting the +hearing may then present any oral or written information relevant to the +hearing. All parties may confront and conduct reasonable cross- +examination of any person (except for the presiding officer and counsel +for the parties) who makes any statement on the matter at the hearing. + (c) The hearing is informal in nature, and the rules of evidence do +not apply. No motions or objections relating to the admissibility of +information and views will be made or considered, but any other party +may comment upon or rebut all such data, information, and views. + (d) The presiding officer may order the hearing to be transcribed. +The party requesting the hearing may have the hearing transcribed, at +the party's expense, in which case a copy of the transcript is to be +furnished to FDA. Any transcript of the hearing will be included with +the presiding officer's report of the hearing. + (e) The presiding officer shall prepare a written report of the +hearing. All written material presented at the hearing will be attached +to the report. Whenever time permits, the parties to the hearing will be +given the opportunity to review and comment on the presiding officer's +report of the hearing. + (f) The presiding officer shall include as part of the report of the +hearing a finding on the credibility of witnesses (other than expert +witnesses) whenever credibility is a material issue, and shall include a +recommended decision, with a statement of reasons, unless the +Commissioner directs otherwise. + (g) The presiding officer has the power to take such actions and +make such rulings as are necessary or appropriate to maintain order and +to conduct a fair, expeditious, and impartial hearing, and to enforce +the requirements of this part concerning the conduct of hearings. The +presiding officer may direct that the hearing be conducted in any +suitable manner permitted by law and these regulations. + (h) The Commissioner or the presiding officer has the power under +Sec. 10.19 to suspend, modify, or waive any provision of this part. + +[44 FR 22367, Apr. 13, 1979, as amended at 66 FR 6469, Jan. 22, 2001; 66 +FR 12850, Mar. 1, 2001] + + + +Sec. 16.62 Right to counsel. + + Any party to a hearing under this part has the right at all times to +be advised and accompanied by counsel. + + + + Subpart E_Administrative Record and Decision + + + +Sec. 16.80 Administrative record of a regulatory hearing. + + (a) The administrative record of the regulatory hearing consists of +the following: + (1) The notice of opportunity for hearing and the response. + (2) All written information and views submitted to the presiding +officer at the hearing or after if specifically permitted by the +presiding officer. + (3) Any transcript of the hearing. + (4) The presiding officer's report of the hearing and comments on +the report under Sec. 16.60(e). + (5) All letters and memoranda of meetings or communications between +participants and the presiding officer or the Commissioner referred to +in Sec. 16.44(c). + (b) The record of the regulatory hearing is closed to the submission +of information and views, at the close of the hearing, unless the +presiding officer specifically permits additional time for a further +submission. + +[[Page 233]] + + + +Sec. 16.85 Examination of administrative record. + + Part 20 governs the availability for public disclosure of each +document that is a part of the administrative record of a regulatory +hearing. + + + +Sec. 16.95 Administrative decision and record for decision. + + (a) With respect to a regulatory hearing at the Commissioner's +initiative under Sec. 16.1(a), the Commissioner shall consider the +administrative record of the hearing specified in Sec. 16.80(a) +together with all other relevant information and views available to FDA +in determining whether regulatory action should be taken and, if so, in +what form. + (b) With respect to a regulatory hearing required by the act or a +regulation under Sec. 16.1(b)-- + (1) The administrative record of the hearing specified in Sec. +16.80(a) constitutes the exclusive record for decision; + (2) On the basis of the administrative record of the hearing, the +Commissioner shall issue a written decision stating the reasons for the +Commissioner's administrative action and the basis in the record; and + (3) For purposes of judicial review under Sec. 10.45, the record of +the administrative proceeding consists of the record of the hearing and +the Commissioner's decision. + + + + Subpart F_Reconsideration and Stay + + + +Sec. 16.119 Reconsideration and stay of action. + + After any final administrative action that is the subject of a +hearing under this part, any party may petition the Commissioner for +reconsideration of any part or all of the decision or action under Sec. +10.33 or may petition for a stay of the decision or action under Sec. +10.35. + +[44 FR 22367, Apr. 13, 1979, as amended at 54 FR 9037, Mar. 3, 1989] + + + + Subpart G_Judicial Review + + + +Sec. 16.120 Judicial review. + + Section 10.45 governs the availability of judicial review concerning +any regulatory action which is the subject of a hearing under this part + + + +PART 17_CIVIL MONEY PENALTIES HEARINGS--Table of Contents + + + +Sec. +17.1 Scope. +17.2 Maximum penalty amounts. +17.3 Definitions. +17.5 Complaint. +17.7 Service of complaint. +17.9 Answer. +17.11 Default upon failure to file an answer. +17.13 Notice of hearing. +17.15 Parties to the hearing. +17.17 Summary decisions. +17.18 Interlocutory appeal from ruling of presiding officer. +17.19 Authority of the presiding officer. +17.20 Ex parte contacts. +17.21 Prehearing conferences. +17.23 Discovery. +17.25 Exchange of witness lists, witness statements, and exhibits. +17.27 Hearing subpoenas. +17.28 Protective order. +17.29 Fees. +17.30 Computation of time. +17.31 Form, filing, and service of papers. +17.32 Motions. +17.33 The hearing and burden of proof. +17.34 Determining the amount of penalties and assessments. +17.35 Sanctions. +17.37 Witnesses. +17.39 Evidence. +17.41 The administrative record. +17.43 Posthearing briefs. +17.45 Initial decision. +17.47 Appeals. +17.48 Harmless error. +17.51 Judicial review. +17.54 Deposit in the Treasury of the United States. + + Authority: 21 U.S.C. 331, 333, 337, 351, 352, 355, 360, 360c, 360f, +360i, 360j, 371; 42 U.S.C. 262, 263b, 300aa-28; 5 U.S.C. 554, 555, 556, +557. + + Source: 60 FR 38626, July 27, 1995, unless otherwise noted. + + Editorial Note: Nomenclature changes to part 17 appear at 68 FR +24879, May 9, 2003. + + + +Sec. 17.1 Scope. + + This part sets forth practices and procedures for hearings +concerning the administrative imposition of civil money penalties by +FDA. Listed below are the statutory provisions that authorize civil +money penalties that are governed by these procedures. + (a) Section 303(b)(2) and (b)(3) of the Federal Food, Drug, and +Cosmetic Act + +[[Page 234]] + +(the act) authorizing civil money penalties for certain violations of +the act that relate to prescription drug marketing practices. + (b) Section 303(f)(1) of the act authorizing civil money penalties +for certain violations of the act that relate to medical devices and +section 303(f)(2) of the act authorizing civil money penalties for +certain violations of the act that relate to pesticide residues. + (c) Section 303(f)(3) of the act authorizing civil money penalties +for certain violations relating to the submission of certifications and/ +or clinical trial information to the clinical trial data bank and +section 303(f)(4) of the act authorizing civil money penalties for +certain violations of the act relating to postmarket studies, clinical +trial requirements, and risk evaluation and mitigation strategies for +drugs. + (d) Section 303(g)(1) of the act authorizing civil money penalties +for certain violations of the act that relate to dissemination of +direct-to-consumer advertisements for approved drugs or biological +products. + (e) Section 307 of the act authorizing civil money penalties for +certain actions in connection with an abbreviated new drug application +or certain actions in connection with a person or individual debarred +under section 306 of the act. + (f) Section 539(b)(1) of the act authorizing civil money penalties +for certain violations of the act that relate to electronic products. + (g) Section 351(d)(2) of the Public Health Service Act (the PHS Act) +authorizing civil money penalties for violations of biologic recall +orders. + (h) Section 354(h)(3) of the PHS Act, as amended by the Mammography +Quality Standards Act of 1992 and the Mammography Quality Standards Act +of 1998, authorizing civil money penalties for failure to obtain a +certificate and failure to comply with established standards, among +other things. + (i) Section 2128(b)(1) of the PHS Act authorizing civil money +penalties for intentionally destroying, altering, falsifying, or +concealing any record or report required to be prepared, maintained, or +submitted by vaccine manufacturers under section 2128 of the PHS Act. + (j) Section 303(f) of the act authorizing civil money penalties for +any person who violates a requirement of the Family Smoking Prevention +and Tobacco Control Act which relates to tobacco products. + +[60 FR 38626, July 27, 1995, as amended at 69 FR 43301, July 20, 2004; +73 FR 66752, Nov. 12, 2008; 75 FR 73953, Nov. 30, 2010] + + + +Sec. 17.2 Maximum penalty amounts. + + The following table shows maximum civil monetary penalties +associated with the statutory provisions authorizing civil monetary +penalties under the Federal Food, Drug, and Cosmetic Act or the Public +Health Service Act. + + Civil Monetary Penalties Authorities Administered by FDA and Adjusted Maximum Penalty Amounts +---------------------------------------------------------------------------------------------------------------- + Former maximum Date of last Adjusted maximum + U.S.C. Section penalty amount Assessment method penalty figure or penalty amount + (in dollars) adjustment (in dollars) +---------------------------------------------------------------------------------------------------------------- + 21 U.S.C. +---------------------------------------------------------------------------------------------------------------- +333(b)(2)(A).................... 60,000............ For each of the 2013.............. 65,000. + first two + violations in any + 10-year period. +333(b)(2)(B).................... 1,200,000......... For each violation 2013.............. 1,275,000. + after the second + conviction in any + 10-year period. +333(b)(3)....................... 120,000........... Per violation..... 2013.............. 130,000. +333(f)(1)(A).................... 16,500............ Per violation..... 2008.............. 16,500 (not + adjusted). +333(f)(1)(A).................... 1,200,000......... For the aggregate 2013.............. 1,275,000. + of violations. +333(f)(2)(A).................... 55,000............ Per individual.... 2013.............. 60,000. +333(f)(2)(A).................... 300,000........... Per ``any other 2013.............. 325,000. + person''. +333(f)(2)(A).................... 600,000........... For all violations 2013.............. 650,000. + adjudicated in a + single proceeding. + +[[Page 235]] + + +333(f)(3)(A).................... 10,000............ For all violations 2013.............. 11,000. + adjudicated in a + single proceeding. +333(f)(3)(B).................... 10,000............ For each day the 2013.............. 11,000. + violation is not + corrected after a + 30-day period + following + notification + until the + violation is + corrected. +333(f)(4)(A)(i)................. 250,000........... Per violation..... 2013.............. 275,000. +333(f)(4)(A)(i)................. 1,000,000......... For all violations 2013.............. 1,075,000. + adjudicated in a + single proceeding. +333(f)(4)(A)(ii)................ 250,000........... For the first 30- 2013.............. 275,000. + day period (or + any portion + thereof) of + continued + violation + following + notification. +333(f)(4)(A)(ii)................ 1,000,000......... For any 30-day 2013.............. 1,075,000. + period, where the + amount doubles + for every 30-day + period of + continued + violation after + the first 30-day + violation. +333(f)(4)(A)(ii)................ 10,000,000........ For all violations 2013.............. 10,850,000. + adjudicated in a + single proceeding. +333(f)(9)(A).................... 15,000............ Per violation..... 2009.............. 15,000 (not + adjusted). +333(f)(9)(A).................... 1,000,000......... For all violations 2013.............. 1,050,000. + adjudicated in a + single proceeding. +333(f)(9)(B)(i)(I).............. 250,000........... Per violation..... 2013.............. 275,000. +333(f)(9)(B)(i)(I).............. 1,000,000......... For all violations 2013.............. 1,050,000. + adjudicated in a + single proceeding. +333(f)(9)(B)(i)(II)............. 250,000........... For the first 30- 2013.............. 275,000. + day period (or + any portion + thereof) of + continued + violation + following + notification. +333(f)(9)(B)(i)(II)............. 1,000,000......... For any 30-day 2013.............. 1,050,000. + period, where the + amount doubles + for every 30-day + period of + continued + violation after + the first 30-day + violation. +333(f)(9)(B)(i)(II)............. 10,000,000........ For all violations 2013.............. 10,525,000. + adjudicated in a + single proceeding. +333(f)(9)(B)(ii)(I)............. 250,000........... Per violation..... 2013.............. 275,000. +333(f)(9)(B)(ii)(I)............. 1,000,000......... For all violations 2013.............. 1,050,000. + adjudicated in a + single proceeding. +333(f)(9)(B)(ii)(II)............ 250,000........... For the first 30- 2013.............. 275,000. + day period (or + any portion + thereof) of + continued + violation + following + notification. +333(f)(9)(B)(ii)(II)............ 1,000,000......... For any 30-day 2013.............. 1,050,000. + period, where the + amount doubles + for every 30-day + period of + continued + violation after + the first 30-day + violation. +333(f)(9)(B)(ii)(II)............ 10,000,000........ For all violations 2013.............. 10,525,000. + adjudicated in a + single proceeding. +333(g)(1)....................... 250,000........... For the first 2013.............. 275,000. + violation in any + 3-year period. +333(g)(1)....................... 500,000........... For each 2013.............. 550,000. + subsequent + violation in any + 3-year period. +333 note........................ 250............... For the second 2009.............. 250 (not + violation adjusted). + (following a + first violation + with a warning) + within a 12-month + period by a + retailer with an + approved training + program. +333 note........................ 500............... For the third 2009.............. 500 (not + violation within adjusted). + a 24-month period + by a retailer + with an approved + training program. +333 note........................ 2,000............. For the fourth 2009.............. 2,000 (not + violation within adjusted). + a 24-month period + by a retailer + with an approved + training program. +333 note........................ 5,000............. For the fifth 2009.............. 5,000 (not + violation within adjusted). + a 36-month period + by a retailer + with an approved + training program. +333 note........................ 10,000............ For the sixth or 2013.............. 11,000. + subsequent + violation within + a 48-month period + by a retailer + with an approved + training program. + +[[Page 236]] + + +333 note........................ 250............... For the first 2009.............. 250 (not + violation by a adjusted). + retailer without + an approved + training program. +333 note........................ 500............... For the second 2009.............. 500 (not + violation within adjusted). + a 12-month period + by a retailer + without an + approved training + program. +333 note........................ 1,000............. For the third 2013.............. 1,100. + violation within + a 24-month period + by a retailer + without an + approved training + program. +333 note........................ 2,000............. For the fourth 2009.............. 2,000 (not + violation within adjusted). + a 24-month period + by a retailer + without an + approved training + program. +333 note........................ 5,000............. For the fifth 2009.............. 5,000 (not + violation within adjusted). + a 36-month period + by a retailer + without an + approved training + program. +333 note........................ 10,000............ For the sixth or 2013.............. 11,000. + subsequent + violation within + a 48-month period + by a retailer + without an + approved training + program. +335b(a)......................... 300,000........... Per violation for 2013.............. 325,000. + an individual. +335b(a)......................... 1,200,000......... Per violation for 2013.............. 1,275,000. + ``any other + person''. +360pp(b)(1)..................... 1,100............. Per violation per 2008.............. 1,100 (not + person. adjusted). +360pp(b)(1)..................... 355,000........... For any related 2013.............. 375,000. + series of + violations. +---------------------------------------------------------------------------------------------------------------- + 42 U.S.C. +---------------------------------------------------------------------------------------------------------------- +263b(h)(3)...................... 11,000............ Per violation..... 2008.............. 11,000 (not + adjusted). +300aa-28(b)(1).................. 120,000........... Per occurrence.... 2013.............. 130,000. +---------------------------------------------------------------------------------------------------------------- + + +[79 FR 6090, Feb. 3, 2014] + + + +Sec. 17.3 Definitions. + + The following definitions are applicable in this part: + (a) For specific acts giving rise to civil money penalty actions +brought under 21 U.S.C. 333(g)(1): + (1) Significant departure, for the purpose of interpreting 21 U.S.C. +333(g)(1)(B)(i), means a departure from requirements that is either a +single major incident or a series of incidents that collectively are +consequential. + (2) Knowing departure, for the purposes of interpreting 21 U.S.C. +333(g)(1)(B)(i), means a departure from a requirement taken: (a) With +actual knowledge that the action is such a departure, or (b) in +deliberate ignorance of a requirement, or (c) in reckless disregard of a +requirement. + (3) Minor violations, for the purposes of interpreting 21 U.S.C. +333(g)(1)(B)(ii), means departures from requirements that do not rise to +a level of a single major incident or a series of incidents that are +collectively consequential. + (4) Defective, for the purposes of interpreting 21 U.S.C. +333(g)(1)(B)(iii), includes any defect in performance, manufacture, +construction, components, materials, specifications, design, +installation, maintenance, or service of a device, or any defect in +mechanical, physical, or chemical properties of a device. + (b) Person or respondent includes an individual, partnership, +corporation, association, scientific or academic establishment, +government agency or organizational unit thereof, or other legal entity, +or as may be defined in the act or regulation pertinent to the civil +penalty action being brought. + (c) Presiding officer means an administrative law judge qualified +under 5 U.S.C. 3105. + (d) Any term that is defined in the act has the same definition for +civil money penalty actions that may be brought under that act. + (e) Any term that is defined in Title 21 of the Code of Federal +Regulations + +[[Page 237]] + +has the same definition for civil money penalty actions that may arise +from the application of the regulation(s). + (f) Any term that is defined in the PHS Act has the same definition +for civil money penalty actions that may be brought under that act. + (g) Departmental Appeals Board (DAB) means the Departmental Appeals +Board of the Department of Health and Human Services. + + + +Sec. 17.5 Complaint. + + (a) The Center with principal jurisdiction over the matter involved +shall begin all administrative civil money penalty actions by serving on +the respondent(s) a complaint signed by the Office of the Chief Counsel +attorney for the Center and by filing a copy of the complaint with the +Division of Dockets Management (HFA-305), Food and Drug Administration, +5630 Fishers Lane, Rm. 1061, Rockville, MD 20852. For a civil money +penalty action against retailers of tobacco products, the complaint may +be signed by any Agency employee designated by the Chief Counsel. + (b) The complaint shall state: + (1) The allegations of liability against the respondent, including +the statutory basis for liability, the identification of violations that +are the basis for the alleged liability, and the reasons that the +respondent is responsible for the violations; + (2) The amount of penalties and assessments that the Center is +seeking; + (3) Instructions for filing an answer to request a hearing, +including a specific statement of the respondent's right to request a +hearing by filing an answer and to retain counsel to represent the +respondent; and + (4) That failure to file an answer within 30 days of service of the +complaint will result in the imposition of the proposed amount of +penalties and assessments, as provided in Sec. 17.11. + (c) The Center may, on motion, subsequently amend its complaint to +conform with the evidence adduced during the administrative process, as +justice may require. + (d) The presiding officer will be assigned to the case upon the +filing of the complaint under this part. + +[60 FR 38626, July 27, 1995, as amended at 79 FR 6091, Feb. 3, 2014] + + + +Sec. 17.7 Service of complaint. + + (a) Service of a complaint may be made by: + (1) Certified or registered mail or similar mail delivery service +with a return receipt record reflecting receipt; or + (2) Delivery in person to: + (i) An individual respondent; or + (ii) An officer or managing or general agent in the case of a +corporation or unincorporated business. + (b) Proof of service, stating the name and address of the person on +whom the complaint was served, and the manner and date of service, may +be made by: + (1) Affidavit or declaration under penalty of perjury of the +individual serving the complaint by personal delivery; + (2) A United States Postal Service or similar mail delivery service +return receipt record reflecting receipt; or + (3) Written acknowledgment of receipt by the respondent or by the +respondent's counsel or authorized representative or agent. + + + +Sec. 17.9 Answer. + + (a) The respondent may request a hearing by filing an answer with +the Division of Dockets Management (HFA-305), Food and Drug +Administration, 5630 Fishers Lane, rm. 1061, Rockville, MD 20852, within +30 days of service of the complaint. Unless stated otherwise, an answer +shall be deemed to be a request for hearing. + (b) In the answer, the respondent: + (1) Shall admit or deny each of the allegations of liability made in +the complaint; allegations not specifically denied in an answer are +deemed admitted; + (2) Shall state all defenses on which the respondent intends to +rely; + (3) Shall state all reasons why the respondent contends that the +penalties and assessments should be less than the requested amount; and + (4) Shall state the name, address, and telephone number of the +respondent's counsel, if any. + (c) If the respondent is unable to file an answer meeting the +requirements of paragraph (b) of this section within the time provided, +the respondent shall, before the expiration of 30 days from service of +the complaint, file a request + +[[Page 238]] + +for an extension of time within which to file an answer that meets the +requirements of paragraph (b) of this section. The presiding officer +may, for good cause shown, grant the respondent up to 30 additional days +within which to file an answer that meets the requirements of paragraph +(b) of this section. + (d) The respondent may, on motion, amend its answer to conform with +the evidence as justice may require. + + + +Sec. 17.11 Default upon failure to file an answer. + + (a) If the respondent does not file an answer within the time +prescribed in Sec. 17.9 and if service has been effected as provided in +Sec. 17.7, the presiding officer shall assume the facts alleged in the +complaint to be true, and, if such facts establish liability under the +relevant statute, the presiding officer shall issue an initial decision +within 30 days of the time the answer was due, imposing: + (1) The maximum amount of penalties provided for by law for the +violations alleged; or + (2) The amount asked for in the complaint, whichever amount is +smaller. + (b) Except as otherwise provided in this section, by failing to file +a timely answer, the respondent waives any right to a hearing and to +contest the amount of the penalties and assessments imposed under +paragraph (a) of this section, and the initial decision shall become +final and binding upon the parties 30 days after it is issued. + (c) If, before such a decision becomes final, the respondent files a +motion seeking to reopen on the grounds that extraordinary circumstances +prevented the respondent from filing an answer, the initial decision +shall be stayed pending a decision on the motion. + (d) If, on such motion, the respondent can demonstrate extraordinary +circumstances excusing the failure to file an answer in a timely manner, +the presiding officer may withdraw the decision under paragraph (a) of +this section, if such a decision has been issued, and shall grant the +respondent an opportunity to answer the complaint as provided in Sec. +17.9(a). + (e) If the presiding officer decides that the respondent's failure +to file an answer in a timely manner is not excused, he or she shall +affirm the decision under paragraph (a) of this section, and the +decision shall become final and binding upon the parties 30 days after +the presiding officer issues the decision on the respondent's motion +filed under paragraph (c) of this section. + + + +Sec. 17.13 Notice of hearing. + + After an answer has been filed, the Center shall serve a notice of +hearing on the respondent. Such notice shall include: + (a) The date, time, and place of a prehearing conference, if any, or +the date, time, and place of the hearing if there is not to be a +prehearing conference; + (b) The nature of the hearing and the legal authority and +jurisdiction under which the hearing is to be held; + (c) A description of the procedures for the conduct of the hearing; + (d) The names, addresses, and telephone numbers of the +representatives of the government and of the respondent, if any; and + (e) Such other matters as the Center or the presiding officer deems +appropriate. + + + +Sec. 17.15 Parties to the hearing. + + (a) The parties to the hearing shall be the respondent and the +Center(s) with jurisdiction over the matter at issue. No other person +may participate. + (b) The parties may at any time prior to a final decision by the +entity deciding any appeal agree to a settlement of all or a part of the +matter. The settlement agreement shall be filed in the docket and shall +constitute complete or partial resolution of the administrative case as +so designated by the settlement agreement. The settlement document shall +be effective upon filing in the docket and need not be ratified by the +presiding officer or the Commissioner of Food and Drugs. + (c) The parties may be represented by counsel, who may be present at +the hearing. + + + +Sec. 17.17 Summary decisions. + + (a) At any time after the filing of a complaint, a party may move, +with or without supporting affidavits (which, for purposes of this part, +shall include + +[[Page 239]] + +declarations under penalty of perjury), for a summary decision on any +issue in the hearing. The other party may, within 30 days after service +of the motion, which may be extended for an additional 10 days for good +cause, serve opposing affidavits or countermove for summary decision. + The presiding officer may set the matter for argument and call for +the submission of briefs. + (b) The presiding officer shall grant the motion if the pleadings, +affidavits, and other material filed in the record, or matters +officially noticed, show that there is no genuine issue as to any +material fact and that the party is entitled to summary decision as a +matter of law. + (c) Affidavits shall set forth only such facts as would be +admissible in evidence and shall show affirmatively that the affiant is +competent to testify to the matters stated. When a motion for summary +decision is made and supported as provided in this regulation, a party +opposing the motion may not rest on mere allegations or denials or +general descriptions of positions and contentions; affidavits or other +responses must set forth specific facts showing that there is a genuine +issue of material fact for the hearing. + (d) If, on motion under this section, a summary decision is not +rendered on all issues or for all the relief asked, and if additional +facts need to be developed, the presiding officer will issue an order +specifying the facts that appear without substantial controversy and +directing further evidentiary proceedings on facts still at issue. The +facts specified not to be at issue shall be deemed established. + (e) Except as provided in Sec. 17.18, a party may not obtain +interlocutory review by the entity deciding the appeal (currently the +DAB) of a partial summary decision of the presiding officer. A review of +final summary decisions on all issues may be had through the procedure +set forth in Sec. 17.47. + + + +Sec. 17.18 Interlocutory appeal from ruling of presiding officer. + + (a) Except as provided in paragraph (b) of this section, rulings of +the presiding officer may not be appealed before consideration on appeal +of the entire record of the hearing. + (b) A ruling of the presiding officer is subject to interlocutory +appeal to the entity deciding the appeal (currently the DAB) if the +presiding officer certifies on the record or in writing that immediate +review is necessary to prevent exceptional delay, expense, or prejudice +to any participant, or substantial harm to the public interest. + (c) When an interlocutory appeal is made, a participant may file a +brief on the appeal only if specifically authorized by the presiding +officer or the entity deciding the appeal (currently the DAB), and if +such authorization is granted, only within the period allowed by the +presiding officer or the entity deciding the appeal. If a participant is +authorized to file a brief, any other participant may file a brief in +opposition, within the period allowed by the entity deciding the appeal +(currently the DAB). The deadline for filing an interlocutory appeal is +subject to the discretion of the presiding officer. + + + +Sec. 17.19 Authority of the presiding officer. + + (a) The presiding officer shall conduct a fair and impartial +hearing, avoid delay, maintain order, and assure that a record of the +proceeding is made. + (b) The presiding officer has the authority to: + (1) Set and change the date, time, and place of the hearing on +reasonable notice to the parties; + (2) Continue or recess the hearing in whole or in part for a +reasonable time; + (3) Require parties to attend conferences for settlement, to +identify or simplify the issues, or to consider other matters that may +aid in the expeditious disposition of the proceeding; + (4) Administer oaths and affirmations; + (5) Issue subpoenas requiring the attendance and testimony of +witnesses and the production of evidence that relates to the matter +under investigation; + (6) Rule on motions and other procedural matters; + (7) Regulate the scope and timing of discovery consistent with Sec. +17.23; + (8) Regulate the course of the hearing and the conduct of the +parties; + +[[Page 240]] + + (9) Examine witnesses; + (10) Upon motion of a party for good cause shown, the presiding +officer may allow a witness to be recalled for additional testimony; + (11) Receive, rule on, exclude, or limit evidence; + (12) Upon motion of a party or on the presiding officer's own +motion, take official notice of facts; + (13) Upon motion of a party, decide cases, in whole or in part, by +summary decision when there is no genuine issue of material fact; + (14) Conduct any conference, argument, or hearing on motions in +person or by telephone; + (15) Consolidate related or similar proceedings or sever unrelated +matters; + (16) Limit the length of pleadings; + (17) Waive, suspend, or modify any rule in this part if the +presiding officer determines that no party will be prejudiced, the ends +of justice will be served, and the action is in accordance with law; + (18) Issue protective orders pursuant to Sec. 17.28; and + (19) Exercise such other authority as is necessary to carry out the +responsibilities of the presiding officer under this part. + (c) The presiding officer does not have the authority to find +Federal statutes or regulations invalid. + + + +Sec. 17.20 Ex parte contacts. + + No party or person (except employees of the presiding officer's +office) shall communicate in any way with the presiding officer on any +matter at issue in a case, unless on notice and opportunity for all +parties to participate. This provision does not prohibit a person or +party from inquiring about the status of a case or asking routine +questions concerning administrative functions or procedures. + + + +Sec. 17.21 Prehearing conferences. + + (a) The presiding officer may schedule prehearing conferences as +appropriate. + (b) Upon the motion of any party, the presiding officer shall +schedule at least one prehearing conference at a reasonable time in +advance of the hearing. + (c) The presiding officer may use a prehearing conference to discuss +the following: + (1) Simplification of the issues; + (2) The necessity or desirability of amendments to the pleadings, +including the need for a more definite statement; + (3) Stipulations and admissions of fact as to the contents and +authenticity of documents; + (4) Whether the parties can agree to submission of the case on a +stipulated record; + (5) Whether a party chooses to waive appearance at an oral hearing +and to submit only documentary evidence (subject to the objection of the +other party) and written argument; + (6) Limitation of the number of witnesses; + (7) Scheduling dates for the exchange of witness lists and of +proposed exhibits; + (8) Discovery and scheduling dates for completion of discovery; + (9) The date, time, and place for the hearing; and + (10) Such other matters as may tend to expedite the fair and just +disposition of the proceedings. + (d) The presiding officer shall issue an order containing all +matters agreed upon by the parties or ordered by the presiding officer +at a prehearing conference. + + + +Sec. 17.23 Discovery. + + (a) No later than 60 days prior to the hearing, unless otherwise +ordered by the presiding officer, a party may make a request to another +party for production, inspection, and copying of documents that are +relevant to the issues before the presiding officer. Documents must be +provided no later than 30 days after the request has been made. + (b) For the purpose of this part, the term documents includes +information, reports, answers, records, accounts, papers and other data +and documentary evidence. Nothing contained in this section may be +interpreted to require the creation of a document, except that requested +data stored in an electronic data storage system must be produced in a +form readily accessible to the requesting party. + +[[Page 241]] + + (c) Requests for documents, requests for admissions, written +interrogatories, depositions, and any forms of discovery, other than +those permitted under paragraphs (a) and (e) of this section, are not +authorized. + (d)(1) Within 10 days of service of a request for production of +documents, a party may file a motion for a protective order. + (2) The presiding officer may grant a motion for a protective order, +in whole or in part, if he or she finds that the discovery sought: + (i) Is unduly costly or burdensome, + (ii) Will unduly delay the proceeding, or + (iii) Seeks privileged information. + (3) The burden of showing that a protective order is necessary shall +be on the party seeking the order. + (4) The burden of showing that documents should be produced is on +the party seeking their production. + (e) The presiding officer shall order depositions upon oral +questions only upon a showing that: + (1) The information sought cannot be obtained by alternative +methods, and + (2) There is a substantial reason to believe that relevant and +probative evidence may otherwise not be preserved for presentation by a +witness at the hearing. + + + +Sec. 17.25 Exchange of witness lists, witness statements, and exhibits. + + (a) At least 30 days before the hearing, or by such other time as is +specified by the presiding officer, the parties shall exchange witness +lists, copies of prior written statements of proposed witnesses, and +copies of proposed hearing exhibits, including written testimony. + (b)(1) If a party objects to the proposed admission of evidence not +exchanged in accordance with paragraph (a) of this section, the +presiding officer will exclude such evidence if he or she determines +that the failure to comply with paragraph (a) of this section should +result in its exclusion. + (2) Unless the presiding officer finds that extraordinary +circumstances justified the failure to make a timely exchange of witness +lists under paragraph (a) of this section, he or she must exclude from +the party's hearing evidence the testimony of any witness whose name +does not appear on the witness list. + (3) If the presiding officer finds that extraordinary circumstances +existed, the presiding officer must then determine whether the admission +of the testimony of any witness whose name does not appear on the +witness lists exchanged under paragraph (a) of this section would cause +substantial prejudice to the objecting party. If the presiding officer +finds that there is not substantial prejudice, the evidence may be +admitted. If the presiding officer finds that there is substantial +prejudice, the presiding officer may exclude the evidence, or at his or +her discretion, may postpone the hearing for such time as is necessary +for the objecting party to prepare and respond to the evidence. + (c) Unless a party objects within 5 days prior to the hearing, +documents exchanged in accordance with paragraph (a) of this section +will be deemed to be authentic for the purpose of admissibility at the +hearing. + + + +Sec. 17.27 Hearing subpoenas. + + (a) A party wishing to procure the appearance and testimony of any +individual at the hearing may, when authorized by law, request that the +presiding officer issue a subpoena. + (b) A subpoena requiring the attendance and testimony of an +individual may also require the individual to produce documents at the +hearing. + (c) A party seeking a subpoena shall file a written request therefor +not less than 20 days before the date fixed for the hearing unless +otherwise allowed by the presiding officer, upon a showing by the party +of good cause. Such request shall specify any documents to be produced +and shall designate the witnesses and describe the address and location +thereof with sufficient particularity to permit such witnesses to be +found. + (d) The subpoena shall specify the time and place at which the +witness is to appear and any documents the witness is to produce. + (e) The party seeking the subpoena shall serve it in the manner +prescribed for service of a complaint in Sec. 17.7. + +[[Page 242]] + + (f) If a party or the individual to whom the subpoena is directed +believes a subpoena to be unreasonable, oppressive, excessive in scope, +or unduly burdensome, or if it wishes to raise any other objection or +privilege recognized by law, the party or individual may file a motion +to quash the subpoena within 10 days after service or on or before the +time specified in the subpoena for compliance if it is less than 10 days +after service. Such a filing will state the basis for the motion to +quash. The presiding officer may quash or modify the subpoena or order +it implemented, as justice may require. + + + +Sec. 17.28 Protective order. + + (a) A party or a prospective witness may file a motion for a +protective order with respect to discovery sought by a party or with +respect to the hearing, seeking to limit the availability or disclosure +of evidence. + (b) When issuing a protective order, the presiding officer may make +any order which justice requires to protect a party or person from +oppression or undue burden or expense, or to protect trade secrets or +confidential commercial information, as defined in Sec. 20.61 of this +chapter, information the disclosure of which would constitute a clearly +unwarranted invasion of personal privacy, or other information that +would be withheld from public disclosure under 21 CFR part 20. Such +orders may include, but are not limited to, one or more of the +following: + (1) That the discovery not be had; + (2) That the discovery may be had only on specified terms and +conditions, including a designation of the time or place; + (3) That the discovery may be had only through a method of discovery +provided for by this part other than that requested; + (4) That certain matters not be inquired into, or that the scope of +discovery be limited to certain matters; + (5) That the contents of discovery or evidence be sealed; + (6) That the information not be disclosed to the public or be +disclosed only in a designated way; or + (7) That the parties simultaneously file specified documents or +information enclosed in sealed envelopes to be opened as directed by the +presiding officer. + + + +Sec. 17.29 Fees. + + The party requesting a subpoena shall pay the cost of the fees and +mileage of any witness subpoenaed in the amounts that would be payable +to a witness in a proceeding in a United States District Court. A check +for witness fees and mileage shall accompany the subpoena when served. + + + +Sec. 17.30 Computation of time. + + (a) In computing any period of time under this part or in an order +issued thereunder, the time begins with the day following the act or +event, and includes the last day of the period, unless either such day +is a Saturday, Sunday, or Federal holiday, in which event the time +includes the next business day. + (b) When the period of time allowed is less than 7 days, +intermediate Saturdays, Sundays, and Federal holidays shall be excluded +from the computation. + (c) When a document has been served or issued by placing it in the +mail, an additional 5 days will be added to the time permitted for any +response. + + + +Sec. 17.31 Form, filing, and service of papers. + + (a) Form. (1) Documents filed with the Division of Dockets +Management (HFA-305), Food and Drug Administration, 5630 Fishers Lane, +rm. 1061, Rockville, MD 20852, shall include an original and two copies. + (2) The first page of every pleading and paper filed in the +proceeding shall contain a caption setting forth the title of the +action, the case number assigned by the Office of the Chief Counsel, and +designation of the pleading or paper (e.g., ``motion to quash +subpoena''). + (3) Every pleading shall be signed by, and shall contain the address +and telephone number of, the party or the person on whose behalf the +pleading was filed, or his or her counsel. + (4) Pleadings or papers are considered filed when they are received +by the Division of Dockets Management. + (b) Service. A party filing a document with the Division of Dockets +Management under this part shall, no later + +[[Page 243]] + +than the time of filing, serve a copy of such document on every other +party. Service upon any party of any document, other than service of a +complaint, shall be made by delivering a copy personally or by placing a +copy of the document in the United States mail or express delivery +service, postage prepaid and addressed, to the party's last known +address. When a party is represented by counsel, service shall be made +on such counsel in lieu of the actual party. + (c) Proof of service. A certificate of the individual serving the +document by personal delivery or by mail, setting forth the time and +manner of service, shall be proof of service. + + + +Sec. 17.32 Motions. + + (a) Any application to the presiding officer for an order or ruling +shall be by motion. Motions shall state the relief sought, the authority +relied upon, and the facts alleged, and shall be filed with the Division +of Dockets Management (HFA-305), Food and Drug Administration, 5630 +Fishers Lane, rm. 1061, Rockville, MD 20852, delivered to the presiding +officer, and served on all other parties. + (b) Except for motions made during a prehearing conference or at the +hearing, all motions shall be in writing. The presiding officer may +require that oral motions be reduced to writing. + (c) Within 15 days after a written motion is served, or such other +time as may be fixed by the presiding officer, any party may file a +response to such motion. + (d) The presiding officer may not grant a written motion before the +time for filing responses thereto has expired, except upon consent of +the parties or following a hearing on the motion, but may overrule or +deny such motion without awaiting a response. + + + +Sec. 17.33 The hearing and burden of proof. + + (a) The presiding officer shall conduct a hearing on the record to +determine whether the respondent is liable for a civil money penalty +and, if so, the appropriate amount of any such civil money penalty +considering any aggravating or mitigating factors. + (b) In order to prevail, the Center must prove respondent's +liability and the appropriateness of the penalty under the applicable +statute by a preponderance of the evidence. + (c) The respondent must prove any affirmative defenses and any +mitigating factors by a preponderance of the evidence. + (d) The hearing shall be open to the public unless otherwise ordered +by the presiding officer, who may order closure only to protect trade +secrets or confidential commercial information, as defined in Sec. +20.61 of this chapter, information the disclosure of which would +constitute a clearly unwarranted invasion of personal privacy, or other +information that would be withheld from public disclosure under part 20 +of this chapter. + + + +Sec. 17.34 Determining the amount of penalties and assessments. + + (a) When determining an appropriate amount of civil money penalties +and assessments, the presiding officer and the Commissioner of Food and +Drugs or entity designated by the Commissioner to decide the appeal +(currently the DAB) shall evaluate any circumstances that mitigate or +aggravate the violation and shall articulate in their opinions the +reasons that support the penalties and assessments imposed. + (b) The presiding officer and the entity deciding the appeal shall +refer to the factors identified in the statute under which the penalty +is assessed for purposes of determining the amount of penalty. + (c) Nothing in this section shall be construed to limit the +presiding officer or the entity deciding the appeal from considering any +other factors that in any given case may mitigate or aggravate the +offense for which penalties and assessments are imposed. + + + +Sec. 17.35 Sanctions. + + (a) The presiding officer may sanction a person, including any party +or counsel for: + (1) Failing to comply with an order, subpoena, rule, or procedure +governing the proceeding; + (2) Failing to prosecute or defend an action; or + +[[Page 244]] + + (3) Engaging in other misconduct that interferes with the speedy, +orderly, or fair conduct of the hearing. + (b) Any such sanction, including, but not limited to, those listed +in paragraphs (c), (d), and (e) of this section, shall reasonably relate +to the severity and nature of the failure or misconduct. + (c) When a party fails to comply with a discovery order, including +discovery and subpoena provisions of this part, the presiding officer +may: + (1) Draw an inference in favor of the requesting party with regard +to the information sought; + (2) Prohibit the party failing to comply with such order from +introducing evidence concerning, or otherwise relying upon, testimony +relating to the information sought; and + (3) Strike any part of the pleadings or other submissions of the +party failing to comply with such request. + (d) The presiding officer may exclude from participation in the +hearing any legal counsel, party, or witness who refuses to obey an +order of the presiding officer. In the case of repeated refusal, the +presiding officer may grant judgment to the opposing party. + (e) If a party fails to prosecute or defend an action under this +part after service of a notice of hearing, the presiding officer may +dismiss the action or may issue an initial decision imposing penalties +and assessments. + (f) The presiding officer may refuse to consider any motion, +request, response, brief, or other document that is not filed in a +timely fashion or in compliance with the rules of this part. + (g) Sanctions imposed under this section may be the subject of an +interlocutory appeal as allowed in Sec. 17.18(b), provided that no such +appeal will stay or delay a proceeding. + + + +Sec. 17.37 Witnesses. + + (a) Except as provided in paragraph (b) of this section, testimony +at the hearing shall be given orally by witnesses under oath or +affirmation. + (b) Direct testimony shall be admitted in the form of a written +declaration submitted under penalty of perjury. Any such written +declaration must be provided to all other parties along with the last +known address of the witness. Any prior written statements of witnesses +proposed to testify at the hearing shall be exchanged as provided in +Sec. 17.25(a). + (c) The presiding officer shall exercise reasonable control over the +manner and order of questioning witnesses and presenting evidence so as +to: + (1) Make the examination and presentation effective for the +ascertainment of the truth; + (2) Avoid undue consumption of time; and + (3) Protect witnesses from harassment or undue embarrassment. + (d) The presiding officer shall permit the parties to conduct such +cross-examination as may be required for a full disclosure of the facts. + (e) At the discretion of the presiding officer, a witness may be +cross-examined on relevant matters without regard to the scope of his or +her direct examination. To the extent permitted by the presiding +officer, a witness may be cross-examined on relevant matters with regard +to the scope of his or her direct examination. To the extent permitted +by the presiding officer, cross-examination on matters outside the scope +of direct examination shall be conducted in the manner of direct +examination and may proceed by leading questions only if the witness is +a hostile witness, an adverse party, or a witness identified with an +adverse party. + (f) Upon motion of any party, the presiding officer may order +witnesses excluded so that they cannot hear the testimony of the other +witnesses. This rule does not authorize exclusion of: + (1) A party who is an individual; + (2) In the case of a party that is not an individual, an officer or +employee of the party designated to be the party's sole representative +for purposes of the hearing; or + (3) An individual whose presence is shown by a party to be essential +to the presentation of its case, including an individual employed by a +party engaged in assisting counsel for the party. + (g) If a witness' testimony is submitted in writing prior to cross- +examination, the cross-examining party need not subpoena the witness or +pay for his or her travel to the hearing. The + +[[Page 245]] + +sponsoring party is responsible for producing the witness at its own +expense, and failure to do so shall result in the striking of the +witness' testimony. + + + +Sec. 17.39 Evidence. + + (a) The presiding officer shall determine the admissibility of +evidence. + (b) Except as provided in this part, the presiding officer shall not +be bound by the ``Federal Rules of Evidence.'' However, the presiding +officer may apply the ``Federal Rules of Evidence'' when appropriate, +e.g., to exclude unreliable evidence. + (c) The presiding officer shall exclude evidence that is not +relevant or material. + (d) Relevant evidence may be excluded if its probative value is +substantially outweighed by the danger of unfair prejudice, confusion of +the issues, or by considerations of undue delay or needless presentation +of cumulative evidence. + (e) Relevant evidence may be excluded if it is privileged under +Federal law. + (f) Evidence of furnishing or offering or promising to furnish, or +accepting or offering or promising to accept, a valuable consideration +in settling or attempting to settle a civil money penalty assessment +which was disputed as to either validity or amount, is not admissible to +prove liability for or invalidity of the civil money penalty or its +amount. Evidence of conduct or statements made in settlement +negotiations is likewise not admissible. This rule does not require the +exclusion of any evidence otherwise discoverable merely because it is +presented in the course of settlement negotiations. This rule also does +not require exclusion when the evidence is offered for another purpose, +such as proving bias or prejudice of a witness or opposing a contention +of undue delay. + (g) The presiding officer may in his or her discretion permit the +parties to introduce rebuttal witnesses and evidence. + (h) All documents and other evidence offered or taken for the record +shall be open to examination by all parties, unless otherwise ordered by +the presiding officer pursuant to Sec. 17.28. + + + +Sec. 17.41 The administrative record. + + (a) The hearing will be recorded and transcribed. Witnesses, +participants, and counsel have 30 days from the time the transcript +becomes available to propose corrections in the transcript of oral +testimony. Corrections are permitted only for transcription errors. The +presiding officer shall promptly order justified corrections. +Transcripts may be obtained following the hearing from the Division of +Dockets Management at a cost not to exceed the actual cost of +duplication. + (b) The transcript of testimony, exhibits, and other evidence +admitted at the hearing and all papers and requests filed in the +proceeding constitute the administrative record for the decision by the +presiding officer and the entity designated by the Commissioner of Food +and Drugs to decide the appeal, currently the DAB. + (c) The administrative record may be inspected and copied (upon +payment of a reasonable fee) by anyone unless otherwise ordered by the +presiding officer, who shall upon motion of any party order otherwise +when necessary to protect trade secrets or confidential commercial +information, as defined in Sec. 20.61 of this chapter, information the +disclosure of which would constitute a clearly unwarranted invasion of +personal privacy, or other information that would be withheld from +public disclosure under part 20. + + + +Sec. 17.43 Posthearing briefs. + + Any party may file a posthearing brief. The presiding officer shall +fix the time for filing such briefs (which shall be filed +simultaneously), which shall not exceed 60 days from the date the +parties received the transcript of the hearing or, if applicable, the +stipulated record. Such briefs may be accompanied by proposed findings +of fact and conclusions of law. The presiding officer may permit the +parties to file responsive briefs. No brief may exceed 30 pages +(exclusive of proposed findings and conclusions) unless the presiding +officer has previously found that the issues in the proceeding are so +complex, or the administrative record is so voluminous, as to justify +longer briefs, in which case the presiding officer may + +[[Page 246]] + +set a longer page limit. Proposed findings of fact and conclusions of +law shall not exceed 30 pages unless the presiding officer has +previously found that the issues in the proceeding are so complex, or +the administrative record is so voluminous, as to justify longer +proposed findings and conclusions, in which case the presiding officer +may set a longer page limit. + + + +Sec. 17.45 Initial decision. + + (a) The presiding officer shall issue an initial decision based only +on the administrative record. The decision shall contain findings of +fact, conclusions of law, and the amount of any penalties and +assessments imposed. + (b) The findings of fact shall include a finding on each of the +following issues: + (1) Whether the allegations in the complaint are true, and, if so, +whether respondent's actions identified in the complaint violated the +law; + (2) Whether any affirmative defenses are meritorious; and + (3) If the respondent is liable for penalties or assessments, the +appropriate amount of any such penalties or assessments, considering any +mitigating or aggravating factors that he or she finds in the case. + (c) The presiding officer shall serve the initial decision or the +decision granting summary decision on all parties within 90 days after +the time for submission of posthearing briefs and responsive briefs (if +permitted) has expired. If the presiding officer believes that he or she +cannot meet the 90-day deadline, he or she shall notify the Commissioner +of Food and Drugs or other entity designated by the Commissioner to +decide the appeal of the reason(s) therefor, and the Commissioner or +that entity may then set a new deadline. + (d) Unless the initial decision or the decision granting summary +decision of the presiding officer is timely appealed, the initial +decision or the decision granting summary decision shall constitute the +final decision of FDA and shall be final and binding on the parties 30 +days after it is issued by the presiding officer. + + + +Sec. 17.47 Appeals. + + (a) Either the Center or any respondent may appeal an initial +decision, including a decision not to withdraw a default judgment, or a +decision granting summary decision to the Commissioner of Food and Drugs +or other entity the Commissioner designates to decide the appeal. The +Commissioner has currently designated the Departmental Appeals Board +(DAB) to decide appeals under this part. Parties may appeal to the DAB +by filing a notice of appeal with the DAB, Appellate Division MS6127, +Departmental Appeals Board, United States Department of Health and Human +Services, 330 Independence Ave. SW., Cohen Bldg., rm. G-644, Washington, +DC 20201, and the Division of Dockets Management (HFA-305), Food and +Drug Administration, 5630 Fishers Lane, rm. 1061, Rockville, MD 20852, +in accordance with this section. + (b)(1) A notice of appeal may be filed at any time within 30 days +after the presiding officer issues an initial decision or decision +granting summary decision. + (2) The Commissioner or the entity designated by the Commissioner to +hear appeals may, within his or her discretion, extend the initial 30- +day period for an additional period of time if the Center or any +respondent files a request for an extension within the initial 30-day +period and shows good cause. + (c) A notice of appeal shall be accompanied by a written brief of no +greater length than that allowed for the posthearing brief. The notice +must identify specific exceptions to the initial decision, must support +each exception with citations to the record, and must explain the basis +for each exception. + (d) The opposing party may file a brief of no greater length than +that allowed for the posthearing brief in opposition to exceptions +within 30 days of receiving the notice of appeal and accompanying brief, +unless such time period is extended by the Commissioner or the entity +designated by the Commissioner to hear appeals on request of the +opposing party for good cause + +[[Page 247]] + +shown. Any brief in opposition to exceptions shall be filed with the +Division of Dockets Management and the DAB (addresses above). + (e) The appellant may file a reply brief not more than 10 pages in +length within 10 days of being served with appellee's brief. + (f) There is no right to appear personally before the Commissioner +of Food and Drugs or other entity deciding the appeal (currently the +DAB). + (g) The entity deciding the appeal will consider only those issues +raised before the presiding officer, except that the appellee may make +any argument based on the record in support of the initial decision or +decision granting summary decision. + (h) If on appeal the entity deciding the appeal considers issues not +adequately briefed by the parties, the entity may ask for additional +briefing. However, no such additional briefs will be considered unless +so requested. + (i) If any party demonstrates to the satisfaction of the entity +deciding the appeal (currently the DAB) that additional evidence not +presented at the hearing is relevant and material and that there were +reasonable grounds for the failure to adduce such evidence at the +hearing, the entity deciding the appeal may remand the matter to the +presiding officer for consideration of the additional evidence. + (j) The Commissioner of Food and Drugs or other entity deciding the +appeal (currently the DAB) will issue a decision on the appeal within 60 +days, if practicable, of the due date for submission of the appellee's +brief. In the decision, the entity deciding the appeal may decline to +review the case, affirm the initial decision or decision granting +summary decision (with or without an opinion), or reverse the initial +decision or decision granting summary decision, or increase, reduce, +reverse, or remand any civil money penalty determined by the presiding +officer in the initial decision. If the entity deciding the appeal +declines to review the case, the initial decision or the decision +granting summary decision shall constitute the final decision of FDA and +shall be final and binding on the parties 30 days after the declination +by the entity deciding the appeal. + (k) The standard of review on a disputed issue of fact is whether +the initial decision is supported by substantial evidence on the whole +record. The standard of review on a disputed issue of law is whether the +initial decision is erroneous. + +[60 FR 38626, July 27, 1995, as amended at 71 FR 5979, Feb. 6, 2006] + + + +Sec. 17.48 Harmless error. + + No error in either the admission or the exclusion of evidence, and +no error or defect in any ruling or order or in any act done or omitted +by the presiding officer or by any of the parties is grounds for +vacating, modifying, or otherwise disturbing an otherwise appropriate +ruling or order or act, unless refusal to take such action appears to +the presiding officer or the Commissioner of Food and Drugs or other +entity deciding the appeal (currently the DAB) to be inconsistent with +substantial justice. The presiding officer and the entity deciding the +appeal at every stage of the proceeding will disregard any error or +defect in the proceeding that does not affect the substantial rights of +the parties. + + + +Sec. 17.51 Judicial review. + + (a) The final decision of the Commissioner of Food and Drugs or +other entity deciding the appeal (currently the DAB) constitutes final +agency action from which a respondent may petition for judicial review +under the statutes governing the matter involved. Although the filing of +a petition for judicial review does not stay a decision under this part, +a respondent may file a petition for stay of such decision under Sec. +10.35 of this chapter. + (b) The Chief Counsel of FDA has been designated by the Secretary of +Health and Human Services as the officer on whom copies of petitions for +judicial review are to be served. This officer is responsible for filing +the record on which the final decision is based. The record of the +proceeding is certified by the entity deciding the appeal (currently the +DAB). + (c) Exhaustion of an appeal to the entity deciding the appeal +(currently the DAB) is a jurisdictional prerequisite to judicial review. + +[[Page 248]] + + + +Sec. 17.54 Deposit in the Treasury of the United States. + + All amounts assessed pursuant to this part shall be delivered to the +Director, Division of Financial Management (HFA-100), Food and Drug +Administration, rm. 11-61, 5600 Fishers Lane, Rockville, MD 20857, and +shall be deposited as miscellaneous receipts in the Treasury of the +United States. + + + +PART 19_STANDARDS OF CONDUCT AND CONFLICTS OF INTEREST--Table of Contents + + + + Subpart A_General Provisions + +Sec. +19.1 Scope. +19.5 Reference to Department regulations. +19.6 Code of ethics for government service. +19.10 Food and Drug Administration Conflict of Interest Review Board. + + Subpart B_Reporting of Violations + +19.21 Duty to report violations. + + Subpart C_Disqualification Conditions + +19.45 Temporary disqualification of former employees. +19.55 Permanent disqualification of former employees. + + Authority: 21 U.S.C. 371. + + Source: 42 FR 15615, Mar. 22, 1977, unless otherwise noted. + + + + Subpart A_General Provisions + + + +Sec. 19.1 Scope. + + This part governs the standards of conduct for, and establishes +regulations to prevent conflicts of interest by, all Food and Drug +Administration employees. + + + +Sec. 19.5 Reference to Department regulations. + + (a) The provisions of 45 CFR part 73, establishing standards of +conduct for all Department employees, are fully applicable to all Food +and Drug Administration employees, except that such regulations shall be +applicable to special government employees, i.e., consultants to the +Food and Drug Administration, only to the extent stated in subpart L of +45 CFR part 73. + (b) The provisions of 45 CFR part 73a supplement the Department +standards of conduct and apply only to Food and Drug Administration +employees except special government employees. + + + +Sec. 19.6 Code of ethics for government service. + + The following code of ethics, adopted by Congress on July 11, 1958, +shall apply to all Food and Drug Administration employees: + + Code of Ethics for Government Service + + Any person in Government service should: + 1. Put loyalty to the highest moral principles and to country above +loyalty to persons, party, or Government department. + 2. Uphold the Constitution, laws, and legal regulations of the +United States and of all governments therein and never be a party to +their evasion. + 3. Give a full day's labor for a full day's pay; giving to the +performance of his duties his earnest effort and best thought. + 4. Seek to find and employ more efficient and economical ways of +getting tasks accomplished. + 5. Never discriminate unfairly by the dispensing of special favors +or privileges to anyone, whether for remuneration or not; and never +accept, for himself or his family, favors or benefits under +circumstances which might be construed by reasonable persons as +influencing the performance of his governmental duties. + 6. Make no private promises of any kind binding upon the duties of +office, since a Government employee has no private word which can be +binding on public duty. + 7. Engage in no business with the Government, either directly or +indirectly, which is inconsistent with the conscientious performance of +his governmental duties. + 8. Never use any information coming to him confidentially in the +performance of governmental duties as a means for making private profit. + 9. Expose corruption wherever discovered. + 10. Uphold these principles, ever conscious that public office is a +public trust. + + + +Sec. 19.10 Food and Drug Administration Conflict of Interest Review Board. + + (a) The Commissioner shall establish a permanent five-member +Conflict of Interest Review Board, which shall review and make +recommendations to the Commissioner on all specific or policy matters +relating to conflicts of interest arising within the Food and + +[[Page 249]] + +Drug Administration that are forwarded to it by: (1) The Associate +Commissioner for Management and Operations or (2) anyone who is the +subject of an adverse determination by the Associate Commissioner for +Management and Operations on any matter arising under the conflict of +interest laws, except a determination of an apparent violation of law. +The Director, Division of Ethics and Program Integrity, Office of +Management and Operations, shall serve as executive secretary of the +Review Board. + (b) It shall be the responsibility of every Food and Drug +Administration employee with whom any specific or policy issue relating +to conflicts of interest is raised, or who otherwise wishes to have any +such matter resolved, to forward the matter to the Associate +Commissioner for Management and Operations for resolution, except that +reporting of apparent violations of law are governed by Sec. 19.21. + (c) All general policy relating to conflicts of interest shall be +established in guidance documents pursuant to the provisions of Sec. +10.90(b) of this chapter and whenever feasible shall be incorporated in +regulations in this subpart. + (d) All decisions relating to specific individuals shall be placed +in a public file established for this purpose by the Division of Freedom +of Information, e.g., a determination that a consultant may serve on an +advisory committee with specific limitations or with public disclosure +of stock holdings, except that such determination shall be written in a +way that does not identify the individual in the following situations: + (1) A determination that an employee must dispose of prohibited +financial interests or refrain from incompatible outside activities in +accordance with established Department or agency regulations. + (2) A determination that a proposed consultant is not eligible for +employment by the agency. + (3) A determination that public disclosure of any information would +constitute an unwarranted invasion of personal privacy in violation of +Sec. 20.63 of this chapter. + +[42 FR 15615, Mar. 22, 1977, as amended at 46 FR 8456, Jan. 27, 1981; 50 +FR 52278, Dec. 23, 1985; 55 FR 1404, Jan. 16, 1990; 65 FR 56479, Sept. +19, 2000; 76 FR 31469, June 1, 2011] + + + + Subpart B_Reporting of Violations + + + +Sec. 19.21 Duty to report violations. + + (a) The Office of Internal Affairs, Office of the Commissioner, is +responsible for obtaining factual information for the Food and Drug +Administration on any matter relating to allegations of misconduct, +impropriety, conflict of interest, or other violations of Federal +statutes by agency personnel. + (b) Any Food and Drug Administration employee who has factual +information showing or who otherwise believes that any present or former +Food and Drug Administration employee has violated or is violating any +provision of this subpart or of 45 CFR parts 73 or 73a or of any statute +listed in appendix A to 45 CFR part 73 should report such information +directly to the Office of Internal Affairs. Any such reports shall be in +writing or shall with the assistance of the Office of Internal Affairs, +be reduced to writing, and shall be promptly investigated. + (c) Any report pursuant to paragraph (b) of this section and any +records relating to an investigation of such reports shall be maintained +in strict confidence in the files of the Office of Internal Affairs, +shall be exempt from public disclosure, and may be reviewed only by +authorized Food and Drug Administration employees who are required to do +so in the performance of their duties. + +[42 FR 15615, Mar. 22, 1977, as amended at 46 FR 8456, Jan. 27, 1981; 50 +FR 52278, Dec. 23, 1985; 60 FR 47478, Sept. 13, 1995] + + + + Subpart C_Disqualification Conditions + + + +Sec. 19.45 Temporary disqualification of former employees. + + Within 1 year after termination of employment with the Food and Drug +Administration, no former Food and Drug Administration employee, +including a special government employee, + +[[Page 250]] + +shall appear personally before the Food and Drug Administration or other +federal agency or court as agent or attorney for any person other than +the United States in connection with any proceeding or matter in which +the United States is a party or has a direct and substantial interest +and which was under his official responsibility at any time within one +year preceding termination of such responsibility. The term official +responsibility means the direct administrative or operating authority, +whether intermediate or final, and either exercisable alone or with +others, and either personally or through subordinates, to approve, +disapprove, or otherwise direct government action. + + + +Sec. 19.55 Permanent disqualification of former employees. + + No former Food and Drug Administration employee, including a special +government employee, shall knowingly act as agent or attorney for anyone +other than United States in connection with any judicial or other +proceeding, application, request for a ruling or other determination, +contract, claim, controversy, charge, accusation, or other particular +matter involving a specific party or parties in which the United States +is a party or has a direct and substantial interest and in which he +participated personally and substantially through decision, approval, +disapproval, recommendation, rendering of advice, investigation, or +otherwise as a Food and Drug Administration employee. + + + +PART 20_PUBLIC INFORMATION--Table of Contents + + + + Subpart A_Official Testimony and Information + +Sec. +20.1 Testimony by Food and Drug Administration employees. +20.2 Production of records by Food and Drug Administration employees. +20.3 Certification and authentication of Food and Drug Administration + records. + + Subpart B_General Policy + +20.20 Policy on disclosure of Food and Drug Administration records. +20.21 Uniform access to records. +20.22 Partial disclosure of records. +20.23 Request for existing records. +20.24 Preparation of new records. +20.25 Retroactive application of regulations. +20.26 Indexes of certain records. +20.27 Submission of records marked as confidential. +20.28 Food and Drug Administration determinations of confidentiality. +20.29 Prohibition on withdrawal of records from Food and Drug + Administration files. +20.30 Food and Drug Administration Freedom of Information Staff. +20.31 Retention schedule of requests for Food and Drug Administration + records. +20.32 Disclosure of Food and Drug Administration employee names. +20.33 Form or format of response. +20.34 Search for records. + + Subpart C_Procedures and Fees + +20.40 Filing a request for records. +20.41 Time limitations. +20.42 Aggregation of certain requests. +20.43 Multitrack processing. +20.44 Expedited processing. +20.45 Fees to be charged. +20.46 Waiver or reduction of fees. +20.47 Situations in which confidentiality is uncertain. +20.48 Judicial review of proposed disclosure. +20.49 Denial of a request for records. +20.50 Nonspecific and overly burdensome requests. +20.51 Referral to primary source of records. +20.52 Availability of records at National Technical Information Service. +20.53 Use of private contractor for copying. +20.54 Request for review without copying. +20.55 Indexing trade secrets and confidential commercial or financial + information. + + Subpart D_Exemptions + +20.60 Applicability of exemptions. +20.61 Trade secrets and commercial or financial information which is + privileged or confidential. +20.62 Inter- or intra-agency memoranda or letters. +20.63 Personnel, medical, and similar files, disclosure of which + constitutes a clearly unwarranted invasion of personal + privacy. +20.64 Records or information compiled for law enforcement purposes. +20.65 National defense and foreign policy. +20.66 Internal personnel rules and practices. +20.67 Records exempted by other statutes. + + Subpart E_Limitations on Exemptions + +20.80 Applicability of limitations on exemptions. +20.81 Data and information previously disclosed to the public. +20.82 Discretionary disclosure by the Commissioner. + +[[Page 251]] + +20.83 Disclosure required by court order. +20.84 Disclosure to consultants, advisory committees, State and local + government officials commissioned pursuant to 21 U.S.C. + 372(a), and other special government employees. +20.85 Disclosure to other Federal government departments and agencies. +20.86 Disclosure in administrative or court proceedings. +20.87 Disclosure to Congress. +20.88 Communications with State and local government officials. +20.89 Communications with foreign government officials. +20.90 Disclosure to contractors. +20.91 Use of data or information for administrative or court enforcement + action. + + Subpart F_Availability of Specific Categories of Records + +20.100 Applicability; cross-reference to other regulations. +20.101 Administrative enforcement records. +20.102 Court enforcement records. +20.103 Correspondence. +20.104 Summaries of oral discussions. +20.105 Testing and research conducted by or with funds provided by the + Food and Drug Administration. +20.106 Studies and reports prepared by or with funds provided by the + Food and Drug Administration. +20.107 Food and Drug Administration manuals. +20.108 Agreements between the Food and Drug Administration and other + departments, agencies, and organizations. +20.109 Data and information obtained by contract. +20.110 Data and information about Food and Drug Administration + employees. +20.111 Data and information submitted voluntarily to the Food and Drug + Administration. +20.112 Voluntary drug experience reports submitted by physicians and + hospitals. +20.113 Voluntary product defect reports. +20.114 Data and information submitted pursuant to cooperative quality + assurance agreements. +20.115 Product codes for manufacturing or sales dates. +20.116 Drug and device listing information. +20.117 New drug information. +20.118 Advisory committee records. +20.119 Lists of names and addresses. +20.120 Records available in Food and Drug Administration Public Reading + Rooms. + + Authority: 5 U.S.C. 552; 18 U.S.C. 1905; 19 U.S.C. 2531-2582; 21 +U.S.C. 321-393, 1401-1403; 42 U.S.C. 241, 242, 242a, 242l, 242n, 243, +262, 263, 263b-263n, 264, 265, 300u-300u-5, 300aa-1. + + Source: 42 FR 15616, Mar. 22, 1977, unless otherwise noted. + + + + Subpart A_Official Testimony and Information + + + +Sec. 20.1 Testimony by Food and Drug Administration employees. + + (a) No officer or employee of the Food and Drug Administration or of +any other office or establishment in the Department of Health and Human +Services, except as authorized by the Commissioner of Food and Drugs +pursuant to this section or in the discharge of his official duties +under the laws administered by the Food and Drug Administration, shall +give any testimony before any tribunal pertaining to any function of the +Food and Drug Administration or with respect to any information acquired +in the discharge of his official duties. + (b) Whenever a subpoena, in appropriate form, has been lawfully +served upon an officer or employee of the Food and Drug Administration +commanding the giving of any testimony, such officer or employee shall, +unless otherwise authorized by the Commissioner, appear in response +thereto and respectfully decline to testify on the grounds that it is +prohibited by this section. + (c) A person who desires testimony from any employee may make +written request therefor, verified by oath, directed to the Commissioner +setting forth his interest in the matter sought to be disclosed and +designating the use to which such testimony will be put in the event of +compliance with such request: Provided, That a written request therefor +made by a health, food, or drug officer, prosecuting attorney, or member +of the judiciary of any State, Territory, or political subdivision +thereof, acting in his official capacity, need not be verified by oath. +If it is determined by the Commissioner, or any other officer or +employee of the Food and Drug Administration whom he may designate to +act on his behalf for the purpose, that such testimony will be in the +public interest and will promote the objectives of the act and the +agency, the request may be granted. Where a request for testimony is +granted, one or more employees of the Food and Drug Administration may +be designated to appear, in response to a subpoena, and testify with +respect thereto. + +[[Page 252]] + + + +Sec. 20.2 Production of records by Food and Drug Administration employees. + + (a) Any request for records of the Food and Drug Administration, +whether it be by letter or by a subpena duces tecum or by any other +writing, shall be handled pursuant to the procedures established in +subpart B of this part, and shall comply with the rules governing public +disclosure established in subparts C, D, E, and F of this part and in +other regulations cross-referenced in Sec. 20.100(c). + (b) Whenever a subpoena duces tecum, in appropriate form, has been +lawfully served upon an officer or employee of the Food and Drug +Administration commanding the production of any record, such officer or +employee shall appear in response thereto, respectfully decline to +produce the record on the ground that it is prohibited by this section, +and state that the production of the record(s) involved will be handled +by the procedures established in this part. + + + +Sec. 20.3 Certification and authentication of Food and Drug +Administration records. + + (a) Upon request, the Food and Drug administration will certify the +authenticity of copies of records that are requested to be disclosed +pursuant to this part or will authenticate copies of records previously +disclosed. + (b) A request for certified copies of records or for authentication +of records shall be sent in writing to the Division of Freedom of +Information at the address located on the agency's web site at http:// +www.fda.gov. + +[42 FR 15616, Mar. 22, 1977, as amended at 46 FR 8456, Jan. 27, 1981; 76 +FR 31469, June 1, 2011; 79 FR 68114, Nov. 14, 2014] + + + + Subpart B_General Policy + + + +Sec. 20.20 Policy on disclosure of Food and Drug Administration records. + + (a) The Food and Drug Administration will make the fullest possible +disclosure of records to the public, consistent with the rights of +individuals to privacy, the property rights of persons in trade secrets +and confidential commercial or financial information, and the need for +the agency to promote frank internal policy deliberations and to pursue +its regulatory activities without disruption. + (b) Except where specifically exempt pursuant to the provisions of +this part, all Food and Drug Administration records shall be made +available for public disclosure. + (c) Except as provided in paragraph (d) of this section, all +nonexempt records shall be made available for public disclosure upon +request regardless whether any justification or need for such records +have been shown. + (d) Under Sec. 21.71 of this chapter, a statement of the purposes +to which the record requested is to be put, and a certification that the +record will be so used, may be requested when: + (1) The requested record is contained in a Privacy Act Record System +as defined in Sec. 21.3(c) of this chapter; + (2) The requester is a person other than the individual who is the +subject of the record that is so retrieved or a person acting on his +behalf; and + (3) The disclosure is one that is discretionary, i.e., not required +under this part. + (e) ``Record'' and any other term used in this section in reference +to information includes any information that would be an agency record +subject to the requirements of this part when maintained by the agency +in any format, including an electronic format. + +[42 FR 15616, Mar. 22, 1977, as amended at 68 FR 25285, May 12, 2003] + + + +Sec. 20.21 Uniform access to records. + + Any record of the Food and Drug Administration that is disclosed in +an authorized manner to any member of the public is available for +disclosure to all members of the public, except that: + (a) Data and information subject to the exemptions established in +Sec. 20.61 for trade secrets and confidential commercial or financial +information, and in Sec. 20.63 for personal privacy, shall be disclosed +only to the persons for the protection of whom these exemptions exist. + (b) The limited disclosure of records permitted in Sec. 7.87(c) of +this chapter for section 305 hearing records, in Sec. 20.80(b) + +[[Page 253]] + +regarding certain limitations on exemptions, in Sec. 20.103(b) for +certain correspondence, and in Sec. 20.104(b) for certain summaries of +oral discussions, shall be subject to the special rules stated therein. + (c) Disclosure of a record about an individual, as defined in Sec. +21.3(a) of this chapter, that is retrieved by the individual's name or +other personal identifier and is contained in a Privacy Act Record +System, as defined in Sec. 21.3(c) of this chapter, shall be subject to +the special requirements of part 21 of this chapter. Disclosure of such +a record to an individual who is the subject of the record does not +invoke the rule established in this section that such records shall be +made available for disclosure to all members of the public. + +[42 FR 15616, Mar. 22, 1977, as amended at 54 FR 9037, Mar. 3, 1989] + + + +Sec. 20.22 Partial disclosure of records. + + (a) If a record contains both disclosable and nondisclosable +information, the nondisclosable information will be deleted and the +remaining record will be disclosed unless the two are so inextricably +intertwined that it is not feasible to separate them or release of the +disclosable information would compromise or impinge upon the +nondisclosable portion of the record. + (b)(1) Whenever information is deleted from a record that contains +both disclosable and nondisclosable information, the amount of +information deleted shall be indicated on the portion of the record that +is made available, unless including that indication would harm an +interest protected by an exemption under the Freedom of Information Act. + (2) When technically feasible, the amount of information deleted +shall be indicated at the place in the record where the deletion is +made. + +[42 FR 15616, Mar. 22, 1977, as amended at 68 FR 25285, May 12, 2003] + + + +Sec. 20.23 Request for existing records. + + (a) Any written request to the Food and Drug Administration for +existing records not prepared for routine distribution to the public +shall be deemed to be a request for records pursuant to the Freedom of +Information Act, whether or not the Freedom of Information Act is +mentioned in the request, and shall be governed by the provisions of +this part. + (b) Records or documents prepared by the Food and Drug +Administration for routine public distribution, e.g., pamphlets, +speeches, and educational materials, shall be furnished free of charge +upon request as long as the supply lasts. The provisions of this part +shall not be applicable to such requests except when the supply of such +material is exhausted and it is necessary to reproduce individual copies +upon specific request. + (c) All existing Food and Drug Administration records are subject to +routine destruction according to standard record retention schedules. + + + +Sec. 20.24 Preparation of new records. + + (a) The Freedom of Information Act and the provisions of this part +apply only to existing records that are reasonably described in a +request filed with the Food and Drug Administration pursuant to the +procedures established in subpart C of this part. + (b) The Commissioner may, in his discretion, prepare new records in +order to respond adequately to a request for information when he +concludes that it is in the public interest and promotes the objectives +of the act and the agency. + + + +Sec. 20.25 Retroactive application of regulations. + + The provisions of this part apply to all records in Food and Drug +Administration files. + + + +Sec. 20.26 Indexes of certain records. + + (a) Indexes shall be maintained, and revised at least quarterly, for +the following Food and Drug Administration records: + (1) Final orders published in the FEDERAL REGISTER with respect to +every denial or withdrawal of approval of a new drug application or a +new animal drug application for which a public hearing has been +requested. + (2) Statements of policy and interpretation adopted by the agency +and still in force and not published in the Federal Register. + +[[Page 254]] + + (3) Administrative staff manuals and instructions to staff that +affect a member of the public. + (4) Records that have been released to any person in response to a +Freedom of Information request and that the agency has determined have +become, or are likely to become, the subject of subsequent requests for +substantially the same records. + (b) Each such index will be made available by accessing the agency's +web site at http://www.fda.gov. A printed copy of each index is +available by writing or visiting the Freedom of Information Staff's +address on the agency's web site at http://www.fda.gov. + +[42 FR 15616, Mar. 22, 1977, as amended at 46 FR 8456, Jan. 27, 1981; 68 +FR 25285, May 12, 2003; 76 FR 31469, June 1, 2011; 79 FR 68114, Nov. 14, +2014] + + + +Sec. 20.27 Submission of records marked as confidential. + + Marking records submitted to the Food and Drug Administration as +confidential, or with any other similar term, raises no obligation by +the Food and Drug Administration to regard such records as confidential, +to return them to the person who has submitted them, to withhold them +from disclosure to the public, or to advise the person submitting them +when a request for their public disclosure is received or when they are +in fact disclosed. + +[42 FR 15616, Mar. 22, 1977, as amended at 68 FR 25285, May 12, 2003] + + + +Sec. 20.28 Food and Drug Administration determinations of +confidentiality. + + A determination that data or information submitted to the Food and +Drug Administration will be held in confidence and will not be available +for public disclosure shall be made only in the form of a regulation +published or cross-referenced in this part. + +[42 FR 15616, Mar. 22, 1977, as amended at 68 FR 25285, May 12, 2003] + + + +Sec. 20.29 Prohibition on withdrawal of records from Food and +Drug Administration files. + + No person may withdraw records submitted to the Food and Drug +Administration. All Food and Drug Administration records shall be +retained by the agency until disposed of pursuant to routine record +disposal procedures. + +[42 FR 15616, Mar. 22, 1977, as amended at 68 FR 25285, May 12, 2003] + + + +Sec. 20.30 Food and Drug Administration Division of Freedom of Information. + + (a) The office responsible for Agency compliance with the Freedom of +Information Act and this part is the Division of Freedom of +Informationat the address located on the agency's web site at http:// +www.fda.gov. + (b) All requests for Agency records shall be sent in writing to this +office. + +[76 FR 31469, June 1, 2011, as amended at 79 FR 68114, Nov. 14, 2014] + + + +Sec. 20.31 Retention schedule of requests for Food and Drug +Administration records. + + (a) Unless unusual circumstances dictate otherwise, the Food and +Drug Administration shall maintain and dispose of files of requests and +reponses furnished thereto within the time limits authorized by GSA +General Records Schedule 14, FPMR 101-11-4, January 10, 1977, as +follows: + (1) Files created by the receipt of and response to freedom of +information requests, except denials and/or appeals, may be destroyed 2 +years from date of final response. + (2) Files created by a freedom of information request which was +wholly or partially denied may be destroyed 5 years after the denial +letter was issued. + (3) Files created by a freedom of information request which was +wholly or partially denied and which denial was subsequently appealed to +the Department of Health and Human Services may be destroyed 4 years +after final determination by FDA or 3 years after final adjudication by +courts, whichever is later. + (b) This destruction schedule will automatically be revised whenever +the time limits pertaining to these records are revised by the GSA +General Records Schedule. + +[47 FR 24277, June 4, 1982] + + + +Sec. 20.32 Disclosure of Food and Drug Administration employee names. + + The names of Food and Drug Administration employees will not be +deleted + +[[Page 255]] + +from disclosable records except where such deletion is necessary to +prevent disclosure of an informant or danger to the life or physical +safety of the employee or under other extraordinary circumstances. + + + +Sec. 20.33 Form or format of response. + + (a) The Food and Drug Administration shall make reasonable efforts +to provide a record in any requested form or format if the record is +readily reproducible by the agency in that form or format. + (b) If the agency determines that a record is not readily +reproducible in the requested form or format, the agency may notify the +requester of alternative forms and formats that are available. If the +requester does not express a preference for an alternative in response +to such notification, the agency may provide its response in the form +and format of the agency's choice. + +[68 FR 25285, May 12, 2003] + + + +Sec. 20.34 Search for records. + + (a) In responding to a request for records, the Food and Drug +Administration shall make reasonable efforts to search for records kept +in electronic form or format, except when such efforts would +significantly interfere with the operation of the agency's automated +information systems. + (b) The term ``search'' means to review, manually or by automated +means, agency records for the purpose of locating those records that are +responsive to the request. + +[68 FR 25285, May 12, 2003] + + + + Subpart C_Procedures and Fees + + + +Sec. 20.40 Filing a request for records. + + (a) All requests for Food and Drug Administration records shall be +made in writing by mailing or delivering the request to the Freedom of +Information Staff at the address on the agency's web site at http:// +www.fda.gov or by faxing it to the fax number listed on the agency's web +site at http://www.fda.gov. All requests must contain the postal address +and telephone number of the requester and the name of the person +responsible for payment of any fees that may be charged. + (b) A request for Food and Drug Administration records shall +reasonably describe the records being sought, in a way that they can be +identified and located. A request should include all pertinent details +that will help identify the records sought. + (1) If the description is insufficient to locate the records +requested, the Food and Drug Administration will so notify the person +making the request and indicate the additional information needed to +identify the records requested. + (2) Every reasonable effort shall be made by the Food and Drug +Administration to assist in the identification and location of the +records sought. + (c) Upon receipt of a request for records, the Division of Freedom +of Information shall enter it in a public log. The log shall state the +date received, the name of the person making the request, the nature of +the record requested, the action taken on the request, the date of +determination letter sent pursuant to Sec. 20.41(b), and the date(s) +any records are subsequently furnished. + (d) A request by an individual, as defined in Sec. 21.3(a) of this +chapter, for a record about himself shall be subject to: + (1) The special requirements of part 21 of this chapter (the privacy +regulations), and not to the provisions of this subpart, if the record +requested is retrieved by the individual's name or other personal +identifier and is contained in a Privacy Act Record System, as defined +in Sec. 21.3(c) of this chapter. + (2) The provisions of this subpart if the record requested is not +retrieved by the individual's name or other personal identifier, whether +or not the record is contained in a Privacy Act Record System. + +[42 FR 15616, Mar. 22, 1977, as amended at 46 FR 8456, Jan. 27, 1981; 68 +FR 25285, May 12, 2003; 76 FR 31469, June 1, 2011; 79 FR 68114, Nov. 14, +2014] + + + +Sec. 20.41 Time limitations. + + (a) All time limitations prescribed pursuant to this section shall +begin as of the time at which a request for records is logged in by the +Division of Freedom of Information pursuant to Sec. 20.40(c). An oral +request for records + +[[Page 256]] + +shall not begin any time requirement. A written request for records sent +elsewhere within the agency shall not begin any time requirement until +it is redirected to the Division of Freedom of Information and is logged +in there in accordance with Sec. 20.40(c). + (b) Within 20 working days (excluding Saturdays, Sundays, and legal +public holidays) after a request for records is logged in at the +Division of Freedom of Information, the agency shall send a letter to +the requester providing the agency's determination as to whether, or the +extent to which, the agency will comply with the request, and, if any +records are denied, the reasons for the denial. + (1) If all of the records requested have been located and a final +determination has been made with respect to disclosure of all of the +records requested, the letter shall so state. + (2) If all of the records have not been located or a final +determination has not yet been made with respect to disclosure of all of +the records requested, e.g., because it is necessary to consult the +person affected pursuant to Sec. 20.47, the letter shall state the +extent to which the records involved shall be disclosed pursuant to the +rules established in this part. + (3)(i) In unusual circumstances, the agency may extend the time for +sending the letter for an additional period. + (A) The agency may provide for an extension of up to 10 working days +by providing written notice to the requester setting out the reasons for +the extension and the date by which a determination is expected to be +sent. + (B) The agency may provide for an extension of more than 10 working +days by providing written notice to the requester setting out the +reasons for the extension. The notice also will give the requester an +opportunity to limit the scope of the request so that it may be +processed in a shorter time and/or an opportunity to agree on a +timeframe longer than the 10 extra working days for processing the +request. + (ii) Unusual circumstances may exist under any of the following +conditions: + (A) There is a need to search for and collect the requested records +from field facilities or other components that are separate from the +agency component responsible for processing the request; + (B) There is a need to search for, collect, and appropriately +examine a voluminous amount of separate and distinct records that are +demanded in a single request; or + (C) There is need for consultation, which shall be conducted with +all practicable speed, with another agency having a substantial interest +in the determination of the request, or among two or more components of +the Food and Drug Administration having substantial subject-matter +interest in the determination. + (4) If any record is denied, the letter shall state the right of the +person requesting such records to appeal any adverse determination to +the Assistant Secretary for Health, Department of Health and Human +Services, in accordance with the provisions of 45 CFR 5.34. + (c) The Food and Drug Administration shall provide a determination +of whether to provide expedited processing within 10 calendar days of +receipt by the Division of Freedom of Information of the request and the +required documentation of compelling need in accordance with Sec. +20.44(b). + +[42 FR 15616, Mar. 22, 1977, as amended at 46 FR 8456, Jan. 27, 1981; 55 +FR 1405, Jan. 16, 1990; 59 FR 533, Jan. 5, 1994; 68 FR 25285, May 12, +2003; 76 FR 31469, June 1, 2011] + + + +Sec. 20.42 Aggregation of certain requests. + + The Food and Drug Administration may aggregate certain requests by +the same requester, or by a group of requesters acting in concert, if +the requests involve clearly related matters and the agency reasonably +believes that such requests actually constitute a single request which +would otherwise satisfy the unusual circumstances specified in Sec. +20.41(b)(3)(ii)(B). FDA may extend the time for processing aggregated +requests in accordance with the unusual circumstances provisions of +Sec. 20.41. + +[68 FR 25286, May 12, 2003] + + + +Sec. 20.43 Multitrack processing. + + (a) Each Food and Drug Administration component is responsible for +determining whether to use a multitrack system to process requests for +records + +[[Page 257]] + +maintained by that component. A multitrack system provides two or more +tracks for processing requests, based on the amount of work and/or time +required for a request to be processed. The availability of multitrack +processing does not affect expedited processing in accordance with Sec. +20.44. + (b) If multitrack processing is not adopted by a particular agency +component, that component will process all requests in a single track, +ordinarily on a first-in, first-out basis. + (c) If a multitrack processing system is established by a particular +agency component, that component may determine how many tracks to +establish and the specific criteria for assigning requests to each +track. Multiple tracks may be established for requests based on the +amount of work and/or time required for a request to be processed. + (d) Requests assigned to a given track will ordinarily be processed +on a first-in, first-out basis within that track. + (e) If a request does not qualify for the fastest processing track, +the requester may be provided an opportunity to limit the scope of the +request in order to qualify for faster processing. + +[68 FR 25286, May 12, 2003] + + + +Sec. 20.44 Expedited processing. + + (a) The Food and Drug Administration will provide expedited +processing of a request for records when the requester demonstrates a +compelling need, or in other cases as determined by the agency. A +compelling need exists when: + (1) A failure to obtain requested records on an expedited basis +could reasonably be expected to pose an imminent threat to the life or +physical safety of an individual; or + (2) With respect to a request made by a person primarily engaged in +disseminating information, there is a demonstrated urgency to inform the +public concerning actual or alleged Federal Government activity. + (b) A request for expedited processing made under paragraph (a)(1) +of this section must be made by the specific individual who is subject +to an imminent threat, or by a family member, medical or health care +professional, or other authorized representative of the individual, and +must demonstrate a reasonable basis for concluding that failure to +obtain the requested records on an expedited basis could reasonably be +expected to pose a specific and identifiable imminent threat to the life +or safety of the individual. + (c) A request for expedited processing made under paragraph (a)(2) +of this section must demonstrate that: + (1) The requester is primarily engaged in disseminating information +to the general public and not merely to a narrow interest group; + (2) There is an urgent need for the requested information and that +it has a particular value that will be lost if not obtained and +disseminated quickly; however, a news media publication or broadcast +deadline alone does not qualify as an urgent need, nor does a request +for historical information; and + (3) The request for records specifically concerns identifiable +operations or activities of the Federal Government. + (d) All requests for expedited processing shall be filed in writing +as provided by Sec. 20.40. Each such request shall include information +that demonstrates a reasonable basis for concluding that a compelling +need exists within the meaning of paragraph (a) of this section and a +certification that the information provided in the request is true and +correct to the best of the requester's knowledge and belief. Any +statements made in support of a request for expedited processing are +subject to the False Reports to the Government Act (18 U.S.C. 1001). + (e) The Assistant Commissioner for Public Affairs (or delegatee) +will determine whether to grant a request for expedited processing +within 10 days of receipt by the Division of Freedom of Information of +all information required to make a decision. + (f) If the agency grants a request for expedited processing, the +agency shall process the request as soon as practicable. + (g) If the agency denies a request for expedited processing, the +agency shall process the request with other nonexpedited requests. + (h) If the agency denies a request for expedited processing, the +requester + +[[Page 258]] + +may appeal the agency's decision by writing to the official identified +in the denial letter. + +[68 FR 25286, May 12, 2003, as amended at 76 FR 31469, June 1, 2011] + + + +Sec. 20.45 Fees to be charged. + + (a) Categories of requests. Paragraphs (a) (1) through (3) of this +section state, for each category of request, the type of fees that the +Food and Drug Administration will generally charge. However, for each of +these categories, the fees may be limited, waived, or reduced for the +reasons given in paragraphs (b) and (c) of this section and in Sec. +20.46 or for other reasons. + (1) Commercial use request. If the request is for a commercial use, +the Food and Drug Administration will charge for the costs of search, +review, and duplication. + (2) Educational and scientific institutions and news media. If the +request is from an educational institution or a noncommercial scientific +institution, operated primarily for scholarly or scientific research, or +a representative of the news media, and the request is not for a +commercial use, the Food and Drug Administration will charge only for +the duplication of documents. Also, the Food and Drug Administration +will not charge the copying costs for the first 100 pages of +duplication. + (3) Other requests. If the request is not the kind described in +paragraph (a)(1) or (a)(2) of this section, then the Food and Drug +Administration will charge only for the search and the duplication. +Also, the Food and Drug Administration will not charge for the first 2 +hours of search time or for the copying costs of the first 100 pages of +duplication. + (b) General provisions. (1) The Food and Drug Administration may +charge search fees even if the records found are exempt from disclosure +or if no records are found. + (2) If, under paragraph (a)(3) of this section, there is no charge +for the first 2 hours of search time, and those 2 hours are spent on a +computer search, then the 2 free hours are the first 2 hours of the +operator's own operation. If the operator spends less than 2 hours on +the search, the total search fees will be reduced by the average hourly +rate for the operator's time, multiplied by 2. + (3) If, under paragraph (a)(2) or (a)(3) of this section, there is +no charge for the first 100 pages of duplication, then those 100 pages +are the first 100 pages of photocopies of standard size pages, or the +first 100 pages of computer printout. If this method to calculate the +fee reduction cannot be used, then the total duplication fee will be +reduced by the normal charge for photocopying a standard size page, +multiplied by 100. + (4) No charge will be made if the costs of routine collection and +processing of the fee are likely to equal or exceed the amount of the +fee. + (5) If it is determined that a requester (acting either alone or +together with others) is breaking down a single request into a series of +requests in order to avoid (or reduce) the fees charged, all these +requests may be aggregated for purposes of calculating the fees charged. + (6) Interest will be charged on unpaid bills beginning on the 31st +day following the day the bill was sent. Provisions in 45 CFR part 30, +the Department of Health and Human Services regulations governing claims +collection, will be used in assessing interest, administrative costs, +and penalties, and in taking actions to encourage payment. + (c) Fee schedule. The Food and Drug Administration charges the +following fees in accordance with the regulations of the Department of +Health and Human Services at 45 CFR part 5. + (1) Manual searching for or reviewing of records. When the search or +review is performed by employees at grade GS-1 through GS-8, an hourly +rate based on the salary of a GS-5, step 7, employee; when done by a GS- +9 through GS-14, an hourly rate based on the salary of a GS-12, step 4, +employee; and when done by a GS-15 or above, an hourly rate based on the +salary of a GS-15, step 7, employee. In each case, the hourly rate will +be computed by taking the current hourly rate for the specified grade +and step, adding 16 percent of that rate to cover benefits, and rounding +to the nearest whole dollar. When a search involves employees at more +than one of + +[[Page 259]] + +these levels, the Food and Drug Administration will charge the rate +appropriate for each. + (2) Computer searching and printing. The actual cost of operating +the computer plus charges for the time spent by the operator, at the +rates given in paragraph (c)(1) of this section. + (3) Photocopying standard size pages. $0.10 per page. Freedom of +Information Officers may charge lower fees for particular documents +where: + (i) The document has already been printed in large numbers; + (ii) The program office determines that using existing stock to +answer this request, and any other anticipated Freedom of Information +requests, will not interfere with program requirements; and + (iii) The Freedom of Information Officer determines that the lower +fee is adequate to recover the prorated share of the original printing +costs. + (4) Photocopying odd-size documents (such as punchcards or +blueprints), or reproducing other records (such as tapes). The actual +costs of operating the machine, plus the actual cost of the materials +used, plus charges for the time spent by the operator, at the rates +given in paragraph (c)(1) of this section. + (5) Certifying that records are true copies. This service is not +required by the Freedom of Information Act. If the Food and Drug +Administration agrees to provide certification, there is a $10 charge +per certification. + (6) Sending records by express mail or other special methods. This +service is not required by the Freedom of Information Act. If the Food +and Drug Administration agrees to provide this service, the requester +will be required to directly pay, or be directly charged by, the +courier. The agency will not agree to any special delivery method that +does not permit the requester to directly pay or be directly charged for +the service. + (7) Performing any other special service in connection with a +request to which the Food and Drug Administration has agreed. Actual +costs of operating any machinery, plus actual cost of any materials +used, plus charges for the time of the Food and Drug Administration's +employees, at the rates given in paragraph (c)(1) of this section. + (d) Procedures for assessing and collecting fees--(1) Agreement to +pay. The Food and Drug Administration generally assumes that a requester +is willing to pay the fees charged for services associated with the +request. The requester may specify a limit on the amount to be spent. If +it appears that the fees will exceed the limit, the Food and Drug +Administration will consult the requester to determine whether to +proceed with the search. + (2) Advance payment. If a requester has failed to pay previous bills +in a timely fashion, or if the Food and Drug Administration's initial +review of the request indicates that the charges will exceed $250, the +requester will be required to pay past due fees and/or the estimated +fees, or a deposit, before the search for the requested records begins. +In such cases, the requester will be notified promptly upon receipt of +the request, and the administrative time limits prescribed in Sec. +20.41 will begin only after there is an agreement with the requester +over payment of fees, or a decision that fee waiver or reduction is +appropriate. + (3) Billing and payment. Ordinarily, the requester will be required +to pay all fees before the Food and Drug Administration will furnish the +records. At its discretion, the Food and Drug Administration may send +the requester a bill along with or following the records. For example, +the Food and Drug Administration may do this if the requester has a +history of prompt payment. The Food and Drug Administration may also, at +its discretion, aggregate the charges for certain time periods in order +to avoid sending numerous small bills to frequent requesters, or to +businesses or agents representing requesters. For example, the Food and +Drug Administration might send a bill to such a requester once a month. +Fees should be paid in accordance with the instructions furnished by the +person who responds to the request. + +[59 FR 533, Jan. 5, 1994. Redesignated and amended at 68 FR 25286, May +12, 2003] + + + +Sec. 20.46 Waiver or reduction of fees. + + (a) Standard. The Assistant Commissioner for Public Affairs (or +delegatee) + +[[Page 260]] + +will waive or reduce the fees that would otherwise be charged if +disclosure of the information meets both of the following tests: + (1) Is in the public interest because it is likely to contribute +significantly to public understanding of the operations or activities of +the Government; and + (2) It is not primarily in the commercial interest of the requester. +These two tests are explained in paragraphs (b) and (c) of this section. + (b) Public interest. Disclosure of information satisfies the first +test only if it furthers the specific public interest of being likely to +contribute significantly to public understanding of Government +operations or activities, regardless of any other public interest it may +further. In analyzing this question, the Food and Drug Administration +will consider the following factors: + (1) Whether the records to be disclosed pertain to the operations or +activities of the Federal Government; + (2) Whether disclosure of the records would reveal any meaningful +information about Government operations or activities that is not +already public knowledge; + (3) Whether disclosure will advance the understanding of the general +public as distinguished from a narrow segment of interested persons. +Under this factor, the Food and Drug Administration may consider whether +the requester is in a position to contribute to public understanding. +For example, the Food and Drug Administration may consider whether the +requester has such knowledge or expertise as may be necessary to +understand the information, and whether the requester's intended use of +the information would be likely to disseminate the information to the +public. An unsupported claim to be doing research for a book or article +does not demonstrate that likelihood, while such a claim by a +representative of the news media is better evidence; and + (4) Whether the contribution to public understanding will be a +significant one, i.e., will the public's understanding of the +Government's operations be substantially greater as a result of the +disclosure. + (c) Not primarily in the requester's commercial interest. If +disclosure passes the test of furthering the specific public interest +described in paragraph (b) of this section, the Food and Drug +Administration will determine whether disclosure also furthers the +requester's commercial interest and, if so, whether this effect +outweighs the advancement of that public interest. In applying this +second test, the Food and Drug Administration will consider the +following factors: + (1) Whether disclosure would further a commercial interest of the +requester, or of someone on whose behalf the requester is acting. +Commercial interests include interests relating to business, trade, and +profit. Both profit and nonprofit-making corporations have commercial +interests, as well as individuals, unions, and other associations. The +interest of a representative of the news media in using the information +for news dissemination purposes will not be considered a commercial +interest. + (2) If disclosure would further a commercial interest of the +requester, whether that effect outweighs the advancement of the public +interest as defined in paragraph (b) of this section. + (d) Deciding between waiver and reduction. If the disclosure of the +information requested passes both tests described in paragraphs (b) and +(c) of this section, the Food and Drug Administration will normally +waive fees. However, in some cases the Food and Drug Administration may +decide only to reduce the fees. For example, the Food and Drug +Administration may do this when disclosure of some but not all of the +requested records passes the tests. + (e) Procedure for requesting a waiver or reduction. A requester must +request a waiver or reduction of fees at the same time as the request +for records. The requester should explain why a waiver or reduction is +proper under the factors set forth in paragraphs (a) through (d) of this +section. Only the Associate Commissioner for Public Affairs may make the +decision whether to waive or reduce the fees. If the Food and Drug +Administration does not completely grant the request for a waiver or +reduction, the denial letter will designate a review official. The +requester may appeal the denial to that official. The appeal letter +should address reasons for + +[[Page 261]] + +the Associate Commissioner's decision that are set forth in the denial +letter. + +[59 FR 534, Jan. 5, 1994. Redesignated and amended at 68 FR 25286, +25287, May 12, 2003] + + + +Sec. 20.47 Situations in which confidentiality is uncertain. + + In situations where the confidentiality of data or information is +uncertain and there is a request for public disclosure, the Food and +Drug Administration will consult with the person who has submitted or +divulged the data or information or who would be affected by disclosure +before determining whether or not such data or information is available +for public disclosure. + +[42 FR 15616, Mar. 22, 1977. Redesignated at 68 FR 25286, May 12, 2003] + + + +Sec. 20.48 Judicial review of proposed disclosure. + + Where the Food and Drug Administration consults with a person who +will be affected by a proposed disclosure of data or information +contained in Food and Drug Administration records pursuant to Sec. +20.47, and rejects the person's request that part or all of the records +not be made available for public disclosure, the decision constitutes +final agency action that is subject to judicial review pursuant to 5 +U.S.C. chapter 7. The person affected will be permitted 5 days after +receipt of notification of such decision within which to institute suit +in a United States District Court to enjoin release of the records +involved. If suit is brought, the Food and Drug Administration will not +disclose the records involved until the matter and all related appeals +have been concluded. + +[42 FR 15616, Mar. 22, 1977. Redesignated and amended at 68 FR 25286, +25287, May 12, 2003] + + + +Sec. 20.49 Denial of a request for records. + + (a) A denial of a request for records, in whole or in part, shall be +signed by the Assistant Commissioner for Public Affairs (or delegatee). + (b) The name and title or position of each person who participated +in the denial of a request for records shall be set forth in the letter +denying the request. This requirement may be met by attaching a list of +such individuals to the letter. + (c) A letter denying a request for records, in whole or in part, +shall state the reasons for the denial and shall state that an appeal +may be made to the Deputy Assistant Secretary for Public Affairs +(Media), Department of Health and Human Services. The agency will also +make a reasonable effort to include in the letter an estimate of the +volume of the records denied, unless providing such an estimate would +harm an interest protected by an exemption under the Freedom of +Information Act. This estimate will ordinarily be provided in terms of +the approximate number of pages or some other reasonable measure. This +estimate will not be provided if the volume of records denied is +otherwise indicated through deletions on records disclosed in part. + (d) Minor deletions of nondisclosable data and information from +disclosable records shall not be deemed to be a denial of a request for +records. + +[42 FR 15616, Mar. 22, 1977, as amended at 46 FR 8457, Jan. 27, 1981; 55 +FR 1405, Jan. 16, 1990. Redesignated and amended at 68 FR 25286, 25287, +May 12, 2003] + + + +Sec. 20.50 Nonspecific and overly burdensome requests. + + The Food and Drug Administration will make every reasonable effort +to comply fully with all requests for disclosure of nonexempt records. +Nonspecific requests or requests for a large number of documents that +require the deployment of a substantial amount of agency man-hours to +search for and compile will be processed taking into account the staff- +hours required, the tasks from which these resources must be diverted, +the impact that this diversion will have upon the agency's consumer +protection activities, and the public policy reasons justifying the +requests. A decision on the processing of such a request for information +shall be made after balancing the public benefit to be gained by the +disclosure against the public loss that will result from diverting +agency personnel from their other responsibilities. In any situation in +which it is determined that a request for voluminous records would +unduly burden and interfere with the operations of the Food and Drug +Administration, the person making the request will be asked to be more +specific + +[[Page 262]] + +and to narrow the request, and to agree on an orderly procedure for the +production of the requested records, in order to satisfy the request +without disproportionate adverse effects on agency operations. + +[42 FR 15616, Mar. 22, 1977. Redesignated at 68 FR 25286, May 12, 2003] + + + +Sec. 20.51 Referral to primary source of records. + + Upon receipt of a request for a record or document which is +contained in Food and Drug Administration files but which is available +elsewhere at a lower cost, the person requesting the record or document +shall be referred to the primary source of the record or document. + +[42 FR 15616, Mar. 22, 1977. Redesignated at 68 FR 25286, May 12, 2003] + + + +Sec. 20.52 Availability of records at National Technical Information +Service. + + The Food and Drug Administration is furnishing a number of records +to the National Technical Information Service (NTIS), 5285 Port Royal +Rd., Springfield, VA 22162, which reproduces and distributes such +information to the public at cost. A single copy of each such record +shall be available for public review at the Food and Drug +Administration. All persons requesting copies of such records shall be +answered by referring the person requesting the records to NTIS. + +[42 FR 15616, Mar. 22, 1977, as amended at 54 FR 9038, Mar. 3, 1989. +Redesignated at 68 FR 25286, May 12, 2003] + + + +Sec. 20.53 Use of private contractor for copying. + + The Food and Drug Administration may furnish requested records to a +private contractor for copying after deletion of all nondisclosable data +and information. Under these circumstances, the Food and Drug +Administration will charge the person requesting the records for all of +the fees involved pursuant to Sec. 20.45. + +[42 FR 15616, Mar. 22, 1977. Redesignated and amended at 68 FR 25286, +25287, May 12, 2003] + + + +Sec. 20.54 Request for review without copying. + + (a) A person requesting disclosure of records shall be permitted an +opportunity to review them without the necessity for copying them where +the records involved contain only disclosable data and information. +Under these circumstances, the Food and Drug Administration will charge +only for the costs of searching for the records. + (b) Where a request is made for review of records without copying, +and the records involved contain both disclosable and nondisclosable +information, the records containing nondisclosable information shall +first be copied with the nondisclosable information blocked out and the +Food and Drug Administration will charge for the costs of searching and +copying. + +[42 FR 15616, Mar. 22, 1977. Redesignated at 68 FR 25286, May 12, 2003] + + + +Sec. 20.55 Indexing trade secrets and confidential commercial or +financial information. + + Whenever the Food and Drug Administration denies a request for a +record or portion thereof on the grounds that the record or portion +thereof is exempt from public disclosure as trade secret or confidential +commercial or financial data and information under Sec. 20.61, and the +person requesting the record subsequently contests the denial in the +courts, the Food and Drug Administration will so inform the person +affected, i.e., the person who submitted the record, and will require +that such person intervene to defend the exempt status of the record. If +a court requires the Food and Drug Administration to itemize and index +such records, the Food and Drug Administration will so inform the person +affected and will require that such person undertake the itemization and +indexing of the records. If the affected person fails to intervene to +defend the exempt status of the records and to itemize and index the +disputed records, the Food and Drug Administration will take this +failure into consideration in deciding whether that person has waived +such exemption so as to require the Food and Drug Administration to +promptly + +[[Page 263]] + +make the records available for public disclosure. + +[42 FR 15616, Mar. 22, 1977, as amended at 59 FR 535, Jan. 5, 1994. +Redesignated at 68 FR 25286, May 12, 2003] + + + + Subpart D_Exemptions + + + +Sec. 20.60 Applicability of exemptions. + + (a) The exemptions established in this subpart shall apply to all +Food and Drug Administration records, except as provided in subpart E of +this part. Accordingly, a record that is ordinarily available for public +disclosure in accordance with the provisions in subpart F of this part +or of another regulation cross-referenced in Sec. 20.100(c) is not +available for such disclosure to the extent that it falls within an +exemption contained in this subpart, except as provided by the +limitations on exemptions specified in subpart E of this part. For +example, correspondence that is ordinarily disclosable under Sec. +20.103 is not disclosable to the extent that it contains trade secrets +exempt from disclosure under Sec. 20.61 and is not subject to +discretionary release under Sec. 20.82. + (b) Where application of one or more exemptions results in a record +being disclosable in part and nondisclosable in part, the rule +established in Sec. 20.22 shall apply. + + + +Sec. 20.61 Trade secrets and commercial or financial information +which is privileged or confidential. + + (a) A trade secret may consist of any commercially valuable plan, +formula, process, or device that is used for the making, preparing, +compounding, or processing of trade commodities and that can be said to +be the end product of either innovation or substantial effort. There +must be a direct relationship between the trade secret and the +productive process. + (b) Commercial or financial information that is privileged or +confidential means valuable data or information which is used in one's +business and is of a type customarily held in strict confidence or +regarded as privileged and not disclosed to any member of the public by +the person to whom it belongs. + (c) Data and information submitted or divulged to the Food and Drug +Administration which fall within the definitions of a trade secret or +confidential commercial or financial information are not available for +public disclosure. + (d) A person who submits records to the Government may designate +part or all of the information in such records as exempt from disclosure +under exemption 4 of the Freedom of Information Act. The person may make +this designation either at the time the records are submitted to the +Government or within a reasonable time thereafter. The designation must +be in writing. Where a legend is required by a request for proposals or +request for quotations, pursuant to 48 CFR 352.215-12, then that legend +is necessary for this purpose. Any such designation will expire 10 years +after the records were submitted to the Government. + (e) The procedures in this paragraph apply to records on which the +submitter has designated information as provided in paragraph (d) of +this section. These procedures also apply to records that were submitted +to the Food and Drug Administration when the agency has substantial +reason to believe that information in the records could reasonably be +considered exempt under exemption 4 of the Freedom of Information Act. +Certain exceptions to these procedures are set forth in paragraph (f) of +this section. + (1) When the Food and Drug Administration receives a request for +such records and determines that disclosure may be required, the Food +and Drug Administration will make reasonable efforts to notify the +submitter about these facts. The notice will include a copy of the +request, and it will inform the submitter about the procedures and time +limits for submission and consideration of objections to disclosure. If +the Food and Drug Administration must notify a large number of +submitters, notification may be done by posting or publishing a notice +in a place where the submitters are reasonably likely to become aware of +it. + (2) The submitter has 5 working days from receipt of the notice to +object to disclosure of any part of the records and to state all bases +for its objections. + (3) The Food and Drug Administration will give consideration to all +bases + +[[Page 264]] + +that have been stated in a timely manner by the submitter. If the Food +and Drug Administration decides to disclose the records, the Food and +Drug Administration will notify the submitter in writing. This notice +will briefly explain why the agency did not sustain the submitter's +objections. The Food and Drug Administration will include with the +notice a copy of the records about which the submitter objected, as the +agency proposes to disclose them. The notice will state that the Food +and Drug Administration intends to disclose the records 5 working days +after the submitter receives the notice unless a U.S. District Court +orders the agency not to release them. + (4) If a requester files suit under the Freedom of Information Act +to obtain records covered by this paragraph, the Food and Drug +Administration will promptly notify the submitter. + (5) Whenever the Food and Drug Administration sends a notice to a +submitter under paragraph (e)(1) of this section, the Food and Drug +Administration will notify the requester that the Food and Drug +Administration is giving the submitter a notice and an opportunity to +object. Whenever the Food and Drug Administration sends a notice to a +submitter under paragraph (e)(3) of this section, the Food and Drug +Administration will notify the requester of this fact. + (f) The notice requirements in paragraph (e) of this section do not +apply in the following situations: + (1) The Food and Drug Administration decided not to disclose the +records; + (2) The information has previously been published or made generally +available; + (3) Disclosure is required by a regulation issued after notice and +opportunity for public comment, that specifies narrow categories of +records that are to be disclosed under the Freedom of Information Act, +but in this case a submitter may still designate records as described in +paragraph (d) of this section, and in exceptional cases, the Food and +Drug Administration may, at its discretion, follow the notice procedures +in paragraph (e) of this section; + (4) The information requested has not been designated by the +submitter as exempt from disclosure when the submitter had an +opportunity to do so at the time of submission of the information or +within a reasonable time thereafter, unless the Food and Drug +Administration has substantial reason to believe that disclosure of the +information would result in competitive harm; or + (5) The designation appears to be obviously frivolous, but in this +case the Food and Drug Administration will still give the submitter the +written notice required by paragraph (e)(3) of this section (although +this notice need not explain our decision or include a copy of the +records), and the Food and Drug Administration will notify the requester +as described in paragraph (e)(5) of this section. + +[42 FR 15616, Mar. 22, 1977, as amended at 59 FR 535, Jan. 5, 1994] + + + +Sec. 20.62 Inter- or intra-agency memoranda or letters. + + All communications within the Executive Branch of the Federal +government which are in written form or which are subsequently reduced +to writing may be withheld from public disclosure except that factual +information which is reasonably segregable in accordance with the rule +established in Sec. 20.22 is available for public disclosure. + + + +Sec. 20.63 Personnel, medical, and similar files, disclosure of +which constitutes a clearly unwarranted invasion of personal privacy. + + (a) The names or other information which would identify patients or +research subjects in any medical or similar report, test, study, or +other research project shall be deleted before the record is made +available for public disclosure. + (b) The names and other information which would identify patients or +research subjects should be deleted from any record before it is +submitted to the Food and Drug Administration. If the Food and Drug +Administration subsequently needs the names of such individuals, a +separate request will be made. + (c) Requests for deletion of business or product names prior to +disclosure of any record to the public shall not be granted on the +ground of privacy, but such deletion may be justified under + +[[Page 265]] + +another exemption established in this subpart, e.g., the exemption for +trade secrets and confidential commercial or financial information under +Sec. 20.61. + (d) Names of individuals conducting investigations, studies, or +tests on products or ingredients shall not be deleted prior to +disclosure of any record to the public unless extraordinary +circumstances are shown. + (e) A request for all records relating to a specific individual will +be denied as a clearly unwarranted invasion of personal privacy unless +accompanied by the written consent of the individual named. + (f) The names and any information that would identify the voluntary +reporter or any other person associated with an adverse event involving +a human drug, biologic, or medical device product shall not be disclosed +by the Food and Drug Administration or by a manufacturer in possession +of such reports in response to a request, demand, or order. Information +that would identify the voluntary reporter or persons identified in the +report includes, but is not limited to, the name, address, institution, +or any other information that would lead to the identities of the +reporter or persons identified in a report. This provision does not +affect disclosure of the identities of reporters required by a Federal +statute or regulation to make adverse event reports. Disclosure of the +identities of such reporters is governed by the applicable Federal +statutes and regulations. + (1) Exceptions. (i) Identities may be disclosed if both the +voluntary reporter and the person identified in an adverse event report +or that person's legal representative consent in writing to disclosure, +but neither FDA nor any manufacturer in possession of such reports shall +be required to seek consent for disclosure from the voluntary reporter +or the person identified in the adverse event report or that person's +legal representative; or + (ii) Identities of the voluntary reporter and the person who +experienced the reported adverse event may be disclosed pursuant to a +court order in the course of medical malpractice litigation involving +both parties; or (iii) The report, excluding the identities of any other +individuals, shall be disclosed to the person who is the subject of the +report upon request. + (2) Preemption. No State or local governing entity shall establish +or continue in effect any law, rule, regulation, or other requirement +that permits or requires disclosure of the identities of the voluntary +reporter or other person identified in an adverse event report except as +provided in this section. + +[42 FR 15616, Mar. 22, 1977, as amended at 60 FR 16968, Apr. 3, 1995] + + + +Sec. 20.64 Records or information compiled for law enforcement purposes. + + (a) Records or information compiled for law enforcement purposes may +be withheld from public disclosure pursuant to the provisions of this +section to the extent that disclosure of such records or information: + (1) Could reasonably be expected to interfere with enforcement +proceedings; + (2) Would deprive a person to a right to a fair trial or an +impartial adjudication; + (3) Could reasonably be expected to constitute an unwarranted +invasion of personal privacy; + (4) Could reasonably be expected to disclose the identity of a +confidential source, including a State, local, or foreign agency or +authority or any private institution which furnished information on a +confidential basis; and information furnished by a confidential source +in the case of a record compiled by the Food and Drug Administration or +any other criminal law enforcement authority in the course of a criminal +investigation or by an agency conducting a lawful national security +intelligence investigation; + (5) Would disclose techniques and procedures for law enforcement +investigations or prosecutions or would disclose guidelines for law +enforcement investigations or prosecutions, if such disclosure could +reasonably be expected to risk circumvention of the law; or + (6) Could reasonably be expected to endanger the life or physical +safety of any individual. + (b) Records include all records relating to regulatory enforcement +action, including both administrative and + +[[Page 266]] + +court action, which have not been disclosed to any member of the public, +including any person who is the subject of the investigation. + (c) Any record which is disclosed to any person, including any +person who is the subject of a Food and Drug Administration +investigation, and any data or information received from any person who +is the subject of a Food and Drug Administration investigation relating +to such investigation, is available for public disclosure at that time +in accordance with the rule established in Sec. 20.21, except that: + (1) Disclosure of such records shall be subject to the other +exemptions established in this subpart and to the limitations on +exemptions established in subpart E of this part. + (2) The record of a section 305 hearing shall be available for +public disclosure only in accordance with the provisions of Sec. 7.87 +of this chapter. + (d) Records for law enforcement purposes shall be subject to the +following rules: + (1) No such record is available for public disclosure prior to the +consideration of regulatory enforcement action based upon that record's +being closed, except as provided in Sec. 20.82. The Commissioner will +exercise his discretion to disclose records relating to possible +criminal prosecution pursuant to Sec. 20.82 prior to consideration of +criminal prosecution being closed only very rarely and only under +circumstances that demonstrate a compelling public interest. + (2) After the consideration of regulatory enforcement action is +closed, such records shall be made available for public disclosure +except to the extent that other exemptions from disclosure in this +subpart are applicable. No statements of witnesses obtained through +promises of confidentiality are available for public disclosure. + (3) The consideration of regulatory enforcement action based upon a +particular record shall be deemed to be closed within the meaning of +this section: + (i) If it relates to administrative action, when a final decision +has been made not to take such action or such action has been taken and +the matter has been concluded. + (ii) If it relates to court action, when a final decision has been +made not to recommend such action to a United States attorney based upon +that record, or a recommendation has been finally refused by a United +States attorney, or court action has been instituted and the matter and +all related appeals have been concluded, or the statute of limitations +runs. + (iii) If it relates to both administrative and court action, when +the events described in both paragraph (d)(3) (i) and (ii) of this +section have occurred. + (4) Prior to disclosure of any record specifically reflecting +consideration of possible criminal prosecution of any individual, all +names and other information that would identify an individual who was +considered for criminal prosecution but who was not prosecuted shall be +deleted unless the Commissioner concludes that there is a compelling +public interest in the disclosure of such names. + (e) Names and other information that would identify a Food and Drug +Administration employee shall be deleted from records prior to public +disclosure only pursuant to Sec. 20.32. + +[42 FR 15616, Mar. 22, 1977, as amended at 59 FR 536, Jan. 5, 1994] + + + +Sec. 20.65 National defense and foreign policy. + + (a) Records or information may be withheld from public disclosure if +they are: + (1) Specifically authorized under criteria established by an +Executive order to be kept secret in the interest of national defense or +foreign policy; and + (2) In fact properly classified under such Executive order. + (b) [Reserved] + +[70 FR 41958, July 21, 2005] + + + +Sec. 20.66 Internal personnel rules and practices. + + Records or information may be withheld from public disclosure if +they are related solely to the internal personnel rules and practices of +the Food and Drug Administration (FDA). Under this exemption, FDA may +withhold records or information about routine internal agency practices +and procedures. Under this exemption, the agency may also + +[[Page 267]] + +withhold internal records whose release would help some persons +circumvent the law. + +[70 FR 41958, July 21, 2005] + + + +Sec. 20.67 Records exempted by other statutes. + + Records or information may be withheld from public disclosure if a +statute specifically allows the Food and Drug Administration (FDA) to +withhold them. FDA may use another statute to justify withholding +records and information only if it absolutely prohibits disclosure, sets +forth criteria to guide our decision on releasing material, or +identifies particular types of matters to be withheld. + +[70 FR 41958, July 21, 2005] + + + + Subpart E_Limitations on Exemptions + + + +Sec. 20.80 Applicability of limitations on exemptions. + + (a) The limitations on exemptions established in this subpart shall +apply to all Food and Drug Administration records, except as +specifically provided herein. Accordingly, a record that is ordinarily +exempt from public disclosure in accordance with the provisions in +subpart D of this part is available for such disclosure to the extent +that it falls within a limitation on the exemption contained in this +subpart. For example, an investigatory record that is ordinarily exempt +from disclosure under Sec. 20.64 is disclosable to Congress in +accordance with the provisions of Sec. 20.87. + (b) Disclosure of a record to any member of the public pursuant to +the provisions in Sec. 20.81, data and information previously disclosed +to the public, in Sec. 20.82, discretionary disclosure by the +Commissioner, and in Sec. 20.83, disclosure pursuant to a court order, +shall involve the rule established in Sec. 20.21 that the record shall +be made available for disclosure to all members of the public who +request it. Disclosure of a record only to the limited categories of +persons and under the conditions specified in Sec. 20.84, special +government employees, in Sec. 20.85, other Federal government +departments and agencies, in Sec. 20.86, in camera disclosure in +administrative or court proceedings, in Sec. 20.87(b), Congress, in +Sec. 20.88, State and local government officials, in Sec. 20.89, +foreign government officials, and in Sec. 20.90, contractors, which +does not result in disclosure of the record to any member of the public +in an authorized manner, shall not invoke the rule established in Sec. +20.21. + (c) Disclosure to government employees and special government +employees of records exempt from public disclosure shall subject those +persons to the same restrictions with respect to the disclosure of such +records as any Food and Drug Administration employee. + (d) In the case of a record in a Privacy Act Record System, as +defined in Sec. 21.3(c) of this chapter: + (1) The availability to an individual, as defined in Sec. 21.3(a), +of a record about himself that is retrieved by the individual's name or +other personal identifier and is contained in a Privacy Act Record +System shall be subject to the special requirements of part 21 of this +chapter (the privacy regulations) and shall not be subject to the +exemptions in subpart D of this part except that where the system is +exempt and the requested record is not available under Sec. 21.61 of +this chapter, the provisions of this part shall apply. + (2) The availability of a record about an individual to persons +other than the individual who is the subject of the record shall be +subject to the special requirements of part 21, subpart G, of this +chapter (restrictions on disclosure in the privacy regulations), and +shall not be subject to the limitations on exemptions in this subpart +except as provided in part 21, subpart G, of this chapter. + + + +Sec. 20.81 Data and information previously disclosed to the public. + + (a) Any Food and Drug Administration record that is otherwise exempt +from public disclosure pursuant to subpart D of this part is available +for public disclosure to the extent that it contains data or information +that have previously been disclosed in a lawful manner to any member of +the public, other than an employee or consultant or pursuant to other +commerical arrangements with appropriate safeguards for secrecy. + +[[Page 268]] + + (1) For purposes of this section, an individual shall be deemed to +be a consultant only if disclosure of the information was necessary in +order to perform that specific consulting service and the purpose of the +disclosure was solely to obtain that service. The number of consultants +who have received such information shall have been limited to the number +reasonably needed to perform that particular consulting service. + (2) For purposes of this section, other commercial arrangements +shall include licenses, contracts, and similar legal relationships +between business associates. + (3) For purposes of this section, data and information disclosed to +clinical investigators or members of institutional review committees, +whether required by regulations of the Food and Drug Administration, or +made voluntarily, if accompanied by appropriate safeguards to assure +secrecy and otherwise in accordance with this section, are not deemed to +have been previously disclosed to any member of the public within the +meaning of paragraph (a) of this section. + (b) Any statement relating to prior public disclosure is subject to +the False Reports to the Government Act, 18 U.S.C. 1001. + +[42 FR 15616, Mar. 22, 1977, as amended at 54 FR 9038, Mar. 3, 1989; 59 +FR 536, Jan. 5, 1994; 68 FR 25287, May 12, 2003] + + + +Sec. 20.82 Discretionary disclosure by the Commissioner. + + (a) Except as provided in paragraph (b) of this section, the +Commissioner may, in his discretion, disclose part or all of any Food +and Drug Administration record that is otherwise exempt from disclosure +pursuant to subpart D of this part. The Commissioner shall exercise his +discretion to disclose such records whenever he determines that such +disclosure is in the public interest, will promote the objectives of the +act and the agency, and is consistent with the rights of individuals to +privacy, the property rights of persons in trade secrets, and the need +for the agency to promote frank internal policy deliberations and to +pursue its regulatory activities without disruption. + (b) The Commissioner shall not make available for public disclosure +any record that is: + (1) Exempt from public disclosure pursuant to Sec. 20.61. + (2) Exempt from public disclosure pursuant to Sec. 20.63. + (3) Prohibited from public disclosure under statute. + (4) Contained in a Privacy Act Record System where disclosure would +constitute a clearly unwarranted invasion of personal privacy or is +otherwise in violation of 5 U.S.C. 552a(b), as applied in part 21, +subpart G, of this chapter (restrictions on disclosure in the privacy +regulations). + (c) Discretionary disclosure of a record pursuant to this section +shall invoke the requirement that the record shall be disclosed to any +person who requests it pursuant to Sec. 20.21, but shall not set a +precedent for discretionary disclosure of any similar or related record +and shall not obligate the Commissioner to exercise his discretion to +disclose any other record that is exempt from disclosure. + +[42 FR 15616, Mar. 22, 1977, as amended at 70 FR 41958, July 21, 2005] + + + +Sec. 20.83 Disclosure required by court order. + + (a) Records of the Food and Drug Administration which the +Commissioner has determined are not available for public disclosure, in +the form of a regulation published or cross-referenced in this part, +shall nevertheless be made available for public disclosure in compliance +with a final court order requiring such disclosure. + (b) Where the Food and Drug Administration record ordered disclosed +under paragraph (a) of this section is a record about an individual that +is not available for public disclosure under Sec. 20.63, the Food and +Drug Administration shall attempt to notify the individual who is the +subject of the record of the disclosure, by sending a notice to the +individual's last known address. + (c) Paragraph (b) of this section shall not apply where the name or +other personal identifying information is deleted prior to disclosure. + +[42 FR 15616, Mar. 22, 1977, as amended at 68 FR 25287, May 12, 2003] + +[[Page 269]] + + + +Sec. 20.84 Disclosure to consultants, advisory committees, State +and local government officials commissioned pursuant to 21 U.S.C. 372(a), +and other special government employees. + + Data and information otherwise exempt from public disclosure may be +disclosed to Food and Drug Administration consultants, advisory +committees, State and local government officials commissioned pursuant +to 21 U.S.C. 372(a), and other special government employees for use only +in their work with the Food and Drug Administration. Such persons are +thereafter subject to the same restrictions with respect to the +disclosure of such data and information as any other Food and Drug +Administration employee. + + + +Sec. 20.85 Disclosure to other Federal government departments +and agencies. + + Any Food and Drug Administration record otherwise exempt from public +disclosure may be disclosed to other Federal government departments and +agencies, except that trade secrets and confidential commercial or +financial information prohibited from disclosure by 21 U.S.C. 331(j), 21 +U.S.C. 360(j)(c), 42 U.S.C. 263g(d) and 42 U.S.C. 263i(e) may be +released only as provided by those sections. Any disclosure under this +section shall be pursuant to a written agreement that the record shall +not be further disclosed by the other department or agency except with +the written permission of the Food and Drug Administration. + +[47 FR 10804, Mar. 12, 1982, as amended at 59 FR 536, Jan. 5, 1994] + + + +Sec. 20.86 Disclosure in administrative or court proceedings. + + Data and information otherwise exempt from public disclosure may be +revealed in Food and Drug Administration administrative proceedings +pursuant to parts 10, 12, 13, 14, 15, 17, and 19 of this chapter or +court proceedings, where data or information are relevant. The Food and +Drug Administration will take appropriate measures, or request that +appropriate measures be taken, to reduce disclosure to the minimum +necessary under the circumstances. + +[42 FR 15616, Mar. 22, 1977, as amended at 60 FR 38633, July 27, 1995] + + + +Sec. 20.87 Disclosure to Congress. + + (a) All records of the Food and Drug Administration shall be +disclosed to Congress upon an authorized request. + (b) An authorized request for Food and Drug Administration records +by Congress shall be made by the chairman of a committee or subcommittee +of Congress acting pursuant to committee business. + (c) An individual member of Congress who requests a record for his +own use or on behalf of any constituent shall be subject to the same +rules in this part that apply to any other member of the public. + +[42 FR 15616, Mar. 22, 1977, as amended at 59 FR 536, Jan. 5, 1994] + + + +Sec. 20.88 Communications with State and local government officials. + + (a) A State or local government official commissioned by the Food +and Drug Administration pursuant to 21 U.S.C. 372(a) shall have the same +status with respect to disclosure of Food and Drug Administration +records as any special government employee. + (b) Communications with State and local government officials with +respect to law enforcement activities undertaken pursuant to a contract +between the Food and Drug Administration and such officials shall be +subject to the rules for public disclosure established in Sec. 20.64. + (c) Communications with State and local government officials who are +not commissioned pursuant to 21 U.S.C. 372(a) or under a contract to +perform law enforcement activities shall have the same status as +communications with any member of the public, except that: + (1) Investigatory records compiled for law enforcement purposes by +State and local government officials who perform counterpart functions +to the Food and Drug Administration at the State and local level, and +trade secrets and confidential commercial or financial information +obtained by such officials, which are voluntarily disclosed to the + +[[Page 270]] + +Food and Drug Administration as part of cooperative law enforcement and +regulatory efforts, shall be exempt from public disclosure to the same +extent to which the records would be so exempt pursuant to Sec. Sec. +20.61 and 20.64, as if they had been prepared by or submitted directly +to Food and Drug Administration employees, except that investigatory +records shall be exempt from disclosure for a longer period of time if +the State or local government officials so require as a condition of +their furnishing the information to the Food and Drug Administration. + (2) Disclosure of investigatory records compiled for law enforcement +purposes by the Food and Drug Administration to State and local +government officials who perform counterpart functions to the Food and +Drug Administratrion at the State and local level as part of cooperative +law enforcement efforts does not invoke the rule established in Sec. +20.21 that such records shall be made available for disclosure to all +members of the public. + (d)(1) The Commissioner of Food and Drugs, or any other officer or +employee of the Food and Drug Administration whom the Commissioner may +designate to act on his or her behalf for the purpose, may authorize the +disclosure of confidential commercial information submitted to the Food +and Drug Administration, or incorporated into agency-prepared records, +to State government officials as part of cooperative law enforcement or +regulatory efforts, provided that: + (i) The State government agency has provided both a written +statement establishing its authority to protect confidential commercial +information from public disclosure and a written commitment not to +disclose any such information provided without the written permission of +the sponsor or written confirmation by the Food and Drug Administration +that the information no longer has confidential status; and + (ii) The Commissioner of Food and Drugs or the Commissioner's +designee makes one or more of the following determinations: + (A) The sponsor of the product application has provided written +authorization for the disclosure; + (B) Disclosure would be in the interest of public health by reason +of the State government's possessing information concerning the safety, +effectiveness, or quality of a product or information concerning an +investigation, or by reason of the State government being able to +exercise its regulatory authority more expeditiously than the Food and +Drug Administration; or + (C) The disclosure is to a State government scientist visiting the +Food and Drug Administration on the agency's premises as part of a joint +review or long-term cooperative training effort authorized under section +708 of the Federal Food, Drug, and Cosmetic Act (the act), the review is +in the interest of public health, the Food and Drug Administration +retains physical control over the information, the Food and Drug +Administration requires the visiting State government scientist to sign +a written commitment to protect the confidentiality of the information, +and the visiting State government scientist provides a written assurance +that he or she has no financial interest in the regulated industry of +the type that would preclude participation in the review of the matter +if the individual were subject to the conflict of interest rules +applicable to the Food and Drug Administration advisory committee +members under Sec. 14.80(b)(1) of this chapter. Subject to all the +foregoing conditions, a visiting State government scientist may have +access to trade secret information, entitled to protection under section +301(j) of the act, in those cases where such disclosures would be a +necessary part of the joint review or training. + (2) Except as provided under paragraph (d)(1)(ii)(C) of this +section, this provision does not authorize the disclosure to State +government officials of trade secret information concerning +manufacturing methods and processes prohibited from disclosure by +section 301(j) of the act, unless pursuant to an express written +authorization provided by the submitter of the information. + (3) Any disclosure under this section of information submitted to +the Food and Drug Administration or incorporated into agency-prepared +records does not invoke the rule established in + +[[Page 271]] + +Sec. 20.21 that such records shall be made available to all members of +the public. + (e)(1) The Senior Associate Commissioner for Policy, Planning, and +Legislation, or the Deputy Commissioner for International and +Constituent Relations, or any other officer or employee of the Food and +Drug Administration whom the Senior Associate Commissioner for Policy, +Planning, and Legislation or the Deputy Commissioner for International +and Constituent Relations may designate to act on their behalf for the +purpose, may authorize the disclosure to, or receipt from, an official +of a State government agency of nonpublic, predecisional documents +concerning the Food and Drug Administration's or the other government +agency's regulations or other regulatory requirements, or other +nonpublic information relevant to either agency's activities, as part of +efforts to improve Federal-State uniformity, cooperative regulatory +activities, or implementation of Federal-State agreements, provided +that: + (i) The State government agency has the authority to protect such +nonpublic documents from public disclosure and will not disclose any +such documents provided without the written confirmation by the Food and +Drug Administration that the documents no longer have nonpublic status; +and + (ii) The Senior Associate Commissioner for Policy, Planning, and +Legislation or the Deputy Commissioner for International and Constituent +Relations or their designee makes the determination that the exchange is +reasonably necessary to improve Federal-State uniformity, cooperative +regulatory activities, or implementation of Federal-State agreements. + (2) Any exchange under this section of nonpublic documents does not +invoke the rule established at Sec. 20.21 that such records shall be +made available to all members of the public. + (3) For purposes of this paragraph, the term official of a State +government agency includes, but is not limited to, an agent contracted +by the State government, and an employee of an organization of State +officials having responsibility to facilitate harmonization of State +standards and requirements in FDA's areas of responsibility. For such +officials, the statement and commitment required by paragraph (e)(1)(i) +of this section shall be provided by both the organization and the +individual. + +[42 FR 15616, Mar. 22, 1977, as amended at 60 FR 63381, Dec. 8, 1995; 65 +FR 11887, Mar. 7, 2000] + + + +Sec. 20.89 Communications with foreign government officials. + + Communications with foreign government officials shall have the same +status as communications with any member of the public, except that: + (a) Investigatory records compiled for law enforcement purposes by +foreign government officials who perform counterpart functions to the +Food and Drug Administration in a foreign country, and trade secrets and +confidential commercial or financial information obtained by such +officials, which are voluntarily disclosed to the Food and Drug +Administration as part of cooperative law enforcement and regulatory +efforts, shall be exempt from public disclosure to the same extent to +which the records would be so exempt pursuant to Sec. Sec. 20.61 and +20.64, as if they had been prepared by or submitted directly to Food and +Drug Administration employees, except that investigatory records shall +be exempt from disclosure for a longer period of time if the foreign +government officials so require as a condition of their furnishing the +information to the Food and Drug Administration. + (b) Disclosure of investigatory records compiled for law enforcement +purposes by the Food and Drug Administration to foreign government +officials who perform counterpart functions to the Food and Drug +Administration in a foreign country as part of cooperative law +enforcement efforts does not invoke the rule established in Sec. 20.21 +that such records shall be made available for disclosure to all members +of the public. + (c)(1) The Commissioner of Food and Drugs, or any other officer or +employee of the Food and Drug Administration whom the Commissioner may +designate to act on his or her behalf for the purpose, may authorize the +disclosure of confidential commercial information + +[[Page 272]] + +submitted to the Food and Drug Administration, or incorporated into +agency-prepared records, to foreign government officials who perform +counterpart functions to the Food and Drug Administration as part of +cooperative law enforcement or regulatory efforts, provided that: + (i) The foreign government agency has provided both a written +statement establishing its authority to protect confidential commercial +information from public disclosure and a written commitment not to +disclose any such information provided without the written permission of +the sponsor or written confirmation by the Food and Drug Administration +that the information no longer has confidential status; and + (ii) The Commissioner of Food and Drugs or the Commissioner's +designee makes one or more of the following determinations: + (A) The sponsor of the product application has provided written +authorization for the disclosure; + (B) Disclosure would be in the interest of public health by reason +of the foreign government's possessing information concerning the +safety, efficacy, or quality of a product or information concerning an +investigation; or + (C) The disclosure is to a foreign scientist visiting the Food and +Drug Administration on the agency's premises as part of a joint review +or long-term cooperative training effort authorized under section 708 of +the act, the review is in the interest of public health, the Food and +Drug Administration retains physical control over the information, the +Food and Drug Administration requires the visiting foreign scientist to +sign a written commitment to protect the confidentiality of the +information, and the scientist provides a written assurance that he or +she has no financial interest in the regulated industry of the type that +would preclude participation in the review of the matter if the +individual were subject to the conflict of interest rules applicable to +the Food and Drug Administration advisory committee members under Sec. +14.80(b)(1) of this chapter. Subject to all of the foregoing conditions, +visiting foreign scientists may have access to trade secret information, +entitled to protection under section 301(j) of the Federal Food, Drug, +and Cosmetic Act (the act), in those cases where such disclosures would +be a necessary part of the joint review or training. + (2) Except as provided under paragraph (c)(1)(ii)(C) of this +section, this provision does not authorize the disclosure to foreign +government officials of other countries of trade secret information +concerning manufacturing methods and processes prohibited from +disclosure by section 301(j) of the act, unless pursuant to an express +written authorization provided by the submitter of the information. + (3) Any disclosure under this section of information submitted to +the Food and Drug Administration or incorporated into agency-prepared +records does not invoke the rule established in Sec. 20.21 that such +records shall be made available to all members of the public. + (d)(1) The Senior Associate Commissioner for Policy, Planning, and +Legislation, or the Deputy Commissioner for International and +Constituent Relations, or any other officer or employee of the Food and +Drug Administration whom the Senior Associate Commissioner for Policy, +Planning, and Legislation or the Deputy Commissioner for International +and Constituent Relations may designate to act on their behalf for the +purpose, may authorize the disclosure to, or receipt from, an official +of a foreign government agency of nonpublic, predecisional documents +concerning the Food and Drug Administration's or the other government +agency's regulations or other regulatory requirements, or other +nonpublic information relevant to either agency's activities, as part of +cooperative efforts to facilitate global harmonization of regulatory +requirements, cooperative regulatory activities, or implementation of +international agreements, provided that: + (i) The foreign government agency has the authority to protect such +nonpublic documents from public disclosure and will not disclose any +such documents provided without the written confirmation by the Food and +Drug Administration that the documents no longer have nonpublic status; +and + (ii) The Senior Associate Commissioner for Policy, Planning, and +Legislation or the Deputy Commissioner for + +[[Page 273]] + +International and Constituent Relations or their designee makes the +determination that the exchange is reasonably necessary to facilitate +global harmonization of regulatory requirements, cooperative regulatory +activities, or implementation of international agreements. + (2) Any exchange under this section of nonpublic documents does not +invoke the rule established in Sec. 20.21 that such records shall be +made available to all members of the public. + (e) For purposes of this section, the term ``official of a foreign +government agency'' includes, but is not limited to, employees (whether +temporary or permanent) of and agents contracted by the foreign +government, or by an international organization established by law, +treaty, or other governmental action and having responsibility to +facilitate global or regional harmonization of standards and +requirements in FDA's areas of responsibility or to promote and +coordinate public health efforts. For such officials, the statement and +commitment required by paragraph (c)(1)(i) of this section shall be +provided on behalf of both the organization and the individual. + +[42 FR 15616, Mar. 22, 1977, as amended at 58 FR 61603, Nov. 19, 1993; +60 FR 63382, Dec. 8, 1995; 65 FR 11888, Mar. 7, 2000] + + + +Sec. 20.90 Disclosure to contractors. + + (a) Data and information otherwise exempt from public disclosure may +be disclosed to contractors with the Food and Drug Administration and +their employees for use only in their work for the Food and Drug +Administration. Contractors and their employees are thereafter subject +to the same legal restrictions and penalties with respect to the +disclosure of such data and information as Food and Drug Administration +employees. + (b) A written agreement between the Food and Drug Administration and +any contractor shall be entered into before data and information +otherwise exempt from public disclosure may be disclosed to the +contractor. The contractor shall agree to establish and follow security +precautions considered by the Food and Drug Administration to be +necessary to ensure proper and confidential handling of the data and +information. The written agreement shall include, where appropriate, +provisions establishing: + (1) Restrictions on access to the data and information by the +contractor, its employees, or other persons; + (2) Physical storage requirements; + (3) Requirements for the handling and accountability of the data and +information by the contractor and its employees; + (4) Limitations on reproduction, transmission, and disclosure of the +data and information; + (5) A requirement of advance approval by the Food and Drug +Administration of the use by the contractor of subcontractors, vendors, +or suppliers; + (6) Procedures to be followed when the contractor employs time- +shared computer operations; + (7) Methods of destroying source documents or related waste +material; and + (8) The period during which the contractor may retain such data and +information. + + + +Sec. 20.91 Use of data or information for administrative or court +enforcement action. + + Nothing in this part or this chapter shall prevent the Food and Drug +Administration from using any data or information, whether obtained +voluntarily or involuntarily and whether or not it is available for +public disclosure, as the basis for taking any administrative or court +enforcement action within its jurisdiction. Data and information +otherwise exempt from public disclosure are nevertheless available for +public disclosure to the extent necessary to effectuate such action, +e.g., the brand name, code designation, and distribution information are +released when a product is recalled. + + + + Subpart F_Availability of Specific Categories of Records + + + +Sec. 20.100 Applicability; cross-reference to other regulations. + + (a) The provisions set forth in this subpart or cross-referenced in +paragraph (c) of this section state the way in which specific categories +of Food and Drug Administration records are handled upon a request for +public disclosure. The exemptions established in + +[[Page 274]] + +subpart D of this part and the limitations on exemptions established in +subpart E of this part shall be applicable to all Food and Drug +Administration records, as provided in Sec. Sec. 20.60 and 20.80. +Accordingly, a record that is ordinarily available for public disclosure +in accordance with this part or under other regulations is not available +for such disclosure to the extent that it falls within an exemption +contained in subpart D of this part except as provided by the +limitations on exemptions specified in subpart E of this part. + (b) The Commissioner, on his own initiative or on the petition of +any interested person, may amend this subpart or promulgate and cross- +reference additional regulations to state the status of additional +categories of documents to settle pending questions or to reflect court +decisions. + (c) In addition to the provisions of this part, rules on the +availability of the following specific categories of Food and Drug +Administration records are established by regulations in this chapter: + (1) Section 305 hearing records, in Sec. 7.87(c) of this chapter. + (2) Flavor ingredient records and notes, in Sec. 101.22(i)(4)(iv) +of this chapter. + (3) Environmental assessments; finding of no significant impact, in +Sec. 25.51 of this chapter, or draft and final environmental impact +statements, in Sec. 25.52 of this chapter. + (4) Color additive petitions, in Sec. 71.15 of this chapter. + (5) Food standard temporary permits, in Sec. 130.17(k) of this +chapter. + (6) Information on thermal processing of low-acid foods packaged in +hermetically sealed containers, in Sec. 108.35(l) of this chapter. + (7) Food additive petitions, in Sec. Sec. 171.1(h) and 571.1(h) of +this chapter. + (8) Action levels for natural and unavoidable defects in food for +human use, in Sec. 110.110(e) of this chapter. + (9) Drug establishment registrations and drug listings, in Sec. +207.37 of this chapter. + (10) Investigational new animal drug notices, in Sec. 514.12 of +this chapter. + (11) New animal drug application files, in Sec. 514.11 of this +chapter. + (12) Investigational new animal drug notice and a new animal drug +application file for an antibiotic drug, in Sec. 514.10 of this +chapter. + (13) Methadone patient records, in Sec. 291.505(g) of this chapter. + (14) Investigational new drug notice, in Sec. 312.130 of this +chapter. + (15) Labeling for and lists of approved new drug applications, in +Sec. 314.430 of this chapter. + (16) Master file for a new drug application, in Sec. 312.420 of +this chapter. + (17) New drug application file, in Sec. 314.430 of this chapter. + (18) Data and information submitted for in vitro diagnostic +products, in Sec. 809.4 of this chapter. + (19) Data and information submitted for OTC drug review, in Sec. +330.10(a)(2) of this chapter. + (20) Investigational new drug notice for an antibiotic drug, in +Sec. 431.70 of this chapter. + (21) Antibiotic drug file, in Sec. 314.430 of this chapter. + (22) Data and information submitted for biologics review, in Sec. +601.25(b)(2) of this chapter. + (23) Investigational new drug notice for a biological product, in +Sec. 601.50 of this chapter. + (24) Applications for biologics licenses for biological products, in +Sec. 601.51 of this chapter. + (25) Cosmetic establishment registrations, in Sec. 710.7 of this +chapter. + (26) Cosmetic product ingredient and cosmetic raw material +composition statements, Sec. 720.8 of this chapter. + (27) Cosmetic product experience reports, in Sec. 730.7 of this +chapter. + (28) Device premarket notification submissions, in Sec. 807.95 of +this chapter. + (29) Electronic product information, in Sec. Sec. 1002.4 and +1002.42 of this chapter. + (30) Data and information submitted to the Commissioner or to +classification panels in connection with the classification or +reclassification of devices intended for human use, in Sec. 860.5 of +this chapter. + (31) Data and information submitted in offers to develop a proposed +performance standard for medical devices, in Sec. 861.26 of this +chapter. + (32) Investigational device exemptions in Sec. 812.38 of this +chapter. + +[[Page 275]] + + (33) Health claims petitions, in Sec. 101.70 of this chapter. + (34) Premarket approval application, in Sec. 814.9 of this chapter. + (35) Report of certain adverse experiences with a medical device, in +Sec. 803.9 of this chapter. + (36) Disqualification determination of an institutional review +board, in Sec. 56.122 of this chapter. + (37) Disqualification determination of a nonclinical laboratory, in +Sec. 58.213 of this chapter. + (38) Minutes or records regarding a public advisory committee, in +Sec. 14.65(c) of this chapter. + (39) Data submitted regarding persons receiving an implanted +pacemaker device or lead, in Sec. 805.25 of this chapter. + (40) Humanitarian device exemption application, in Sec. 814.122 of +this chapter. + (41) Premarket notifications for food contact substances, in Sec. +170.102 of this chapter. + (42) Registration of food facilities, in Sec. 1.243 of this +chapter. + (43) Minor-use or minor-species (MUMS) drug designations, in Sec. +516.52 of this chapter. + (44) Minor-species drug index listings, in Sec. 516.171 of this +chapter. + (45) Postmarket notifications of a permanent discontinuance or an +interruption in manufacturing of certain drugs or biological products, +in Sec. Sec. 310.306, 314.81(b)(3)(iii), and 600.82 of this chapter. + +[42 FR 15616, Mar. 22, 1977, as amended at 42 FR 19989, Apr. 15, 1977; +42 FR 42526, Aug. 28, 1977; 42 FR 58889, Nov. 11, 1977; 43 FR 32993, +July 28, 1978; 51 FR 22475, June 19, 1986; 54 FR 9038, Mar. 3, 1989; 58 +FR 2533, Jan. 6, 1993; 59 FR 536, Jan. 5, 1994; 61 FR 33244, June 26, +1996; 62 FR 40592, July 29, 1997; 64 FR 56448, Oct. 20, 1999; 67 FR +13717, Mar. 26, 2002; 67 FR 35729, May 21, 2002; 68 FR 58965, Oct. 10, +2003; 72 FR 41017, July 26, 2007; 72 FR 69118, Dec. 6, 2007; 80 FR +38938, July 8, 2015] + + + +Sec. 20.101 Administrative enforcement records. + + (a) All Food and Drug Administration records relating to +administrative enforcement action disclosed to any member of the public, +including the person who is the subject of such action, are available +for public disclosure at the time such disclosure is first made. Such +records include correspondence with companies following factory +inspection, recall or detention requests, notice of refusal of admission +of an imported product, regulatory letters, information letters, Forms +FD-483 and FD-2275 furnished to companies after factory inspection, and +similar records. + (b) To the extent that any of such records fall within the exemption +for investigatory records established in Sec. 20.64, the Commissioner +determines that they are subject to discretionary release pursuant to +Sec. 20.82. + (c) Records relating to administrative enforcement action that are +not disclosed to any member of the public constitute investigatory +records that are subject to the rules for disclosure established in +Sec. 20.64. For example, an establishment inspection report is an +investigatory record and thus subject to Sec. 20.64 except insofar as +the Commissioner exercises his discretion to release it pursuant to +Sec. 20.82. + + + +Sec. 20.102 Court enforcement records. + + (a) All records and documents filed in the courts are available for +public disclosure unless the court orders otherwise. The Food and Drug +Administration will make available for public disclosure such records or +documents if the agency can determine that it has an accurate copy of +the actual record or document filed in the court. If the Food and Drug +Administration cannot determine whether it has an accurate copy of such +a record or document, the person requesting a copy shall be referred to +the court involved. + (b) After a recommendation for court action has been finally refused +by a United States attorney, the correspondence with the United States +attorney and the Department of Justice with respect to that +recommendation, including the pleadings recommended for filing with the +court, is available for public disclosure. Prior to disclosure of any +record specifically reflecting consideration of possible criminal +prosecution of any individual, all names and other information that +would identify an individual who was considered for criminal prosecution +but who was not prosecuted shall be deleted unless the Commissioner +concludes that there is a compelling public + +[[Page 276]] + +interest in the disclosure of such names. + + + +Sec. 20.103 Correspondence. + + (a) All correspondence to and from members of the public, members of +Congress, organization or company officials, or other persons, except +members of the Executive Branch of the Federal Government and special +government employees, is available for public disclosure. + (b) Any such correspondence is available for public disclosure at +the time that it is sent or received by the Food and Drug Administration +unless a different time for such disclosure is specified in other rules +established or cross-referenced in this part, e.g., correspondence +relating to an IND notice or an NDA in Sec. 314.430 of this chapter. + +[42 FR 15616, Mar. 22, 1977, as amended at 54 FR 9038, Mar. 3, 1989] + + + +Sec. 20.104 Summaries of oral discussions. + + (a) All written summaries of oral discussions, whether in person or +by telephone, with members of the public, members of Congress, +organization or company officials, or other persons, except members of +the Executive Branch of the Federal government or special government +employees, are available for public disclosure. + (b) Any such summary is available for public disclosure at the time +that it is prepared by the Food and Drug Administration unless a +different time for such disclosure is specified in other rules +established or cross-referenced in this part, e.g., summaries of oral +discussions relating to a food additive petition in Sec. 171.1(h)(3) of +this chapter. + (c) If more than one summary of an oral discussion exists in a Food +and Drug Administration file, all such summaries shall be disclosed in +response to any request for such summary. + + + +Sec. 20.105 Testing and research conducted by or with funds +provided by the Food and Drug Administration. + + (a) Any list that may be prepared by the Food and Drug +Administration of testing and research being conducted by or with funds +provided by the Food and Drug Administration is available for public +disclosure. + (b) Any contract relating to agency testing and research, and any +progress report relating thereto, is available for public disclosure. + (c) The results of all testing or research conducted by or with +funds provided by the Food and Drug Administration, such as +toxicological testing, compliance assays, methodology studies, and +product testing, are available for public disclosure when the final +report is complete and accepted by the responsible Food and Drug +Administration official, after deletion of any information that would +reveal confidential investigative techniques and procedures, e.g., the +use of ``markers'' to document adulteration of a product. If such +results are disclosed in an authorized manner to any member of the +public before the final report is available, they are immediately +available for public disclosure to any member of the public who requests +them. + (d) Access to all raw data, slides, worksheets, and other similar +working materials shall be provided at the same time that the final +report is disclosed. + + + +Sec. 20.106 Studies and reports prepared by or with funds provided +by the Food and Drug Administration. + + (a) The following types of reports and studies prepared by or with +funds provided by the Food and Drug Administration are available for +public disclosure upon their acceptance by the responsible agency +official: + (1) Quarterly and annual reports of the agency. + (2) External investigations or review of agency needs and +performance. + (3) Surveys, compilations, and summaries of data and information. + (4) Consumer surveys. + (5) Compliance surveys. + (6) Compliance programs, except that names of specific firms, the +location of specific activities, and details about sampling numbers or +sizes shall be deleted until implementation of the program is completed. + (7) Work plans prepared by Food and Drug Administration centers, +field offices, and other components, except that names of specific +firms, the location of specific activities, and details about sampling +numbers or sizes shall + +[[Page 277]] + +be deleted until implementation of the plan is completed. + (b) The following types of reports and studies prepared by or with +funds provided by the Food and Drug Administration are not available for +public disclosure: + (1) Internal audits of agency needs and performance. + (2) Records relating to the internal planning and budget process. + (3) Legislative proposals or comments prior to submission to +Congress. + +[42 FR 15616, Mar. 22, 1977, as amended at 50 FR 8995, Mar. 6, 1985] + + + +Sec. 20.107 Food and Drug Administration manuals. + + (a) Food and Drug Administration administrative staff manuals and +instructions that affect a member of the public are available for public +disclosure. An index of all such manuals is available by writing to the +Division of Freedom of Informationat the address located on the agency's +web site at http://www.fda.gov.; or by visiting the Division of Freedom +of Information Public Reading Room, located in rm. 1050, at the same +address. The index and all manuals created by the agency on or after +November 1, 1996, will be made available through the Internet at http:// +www.fda.gov. + (b) Manuals relating solely to internal personnel rules and +practices are not available for public disclosure except to the extent +that the Commissioner determines that they should be disclosed pursuant +to Sec. 20.82. + (c) All Food and Drug Administration action levels which are used to +determine when the agency will take regulatory action against a +violative product, limits of sensitivity and variability of analytical +methods which are used in determining whether a product violates the +law, and direct reference levels above which Food and Drug +Administration field offices may request legal action directly to the +office of the General Counsel, are available for public disclosure. + +[42 FR 15616, Mar. 22, 1977, as amended at 46 FR 8457, Jan. 27, 1981; 46 +FR 14340, Feb. 27, 1981; 68 FR 25287, May 12, 2003; 76 FR 31469, June 1, +2011; 79 FR 68115, Nov. 14, 2014] + + + +Sec. 20.108 Agreements between the Food and Drug Administration and +other departments, agencies, and organizations. + + (a) All written agreements and understandings signed by the Food and +Drug Administration and other departments, agencies, and organizations +are available for public disclosure. + (b) All written agreements and memoranda of understanding between +FDA and any entity, including, but not limited to other departments, +Agencies, and organizations will be made available through the Food and +Drug Administration Web site at http://www.fda.gov once finalized. + (c) Agreements and understandings signed by officials of FDA with +respect to activities of the Office of Criminal Investigations are +exempt from the requirements set forth in paragraph (b) of this section. +Although such agreements and understandings will not be made available +through the FDA Web site, these agreements will be available for +disclosure in response to a request from the public after deletion of +information that would disclose confidential investigative techniques or +procedures, or information that would disclose guidelines for law +enforcement investigations if such disclosure could reasonably be +expected to risk circumvention of the law. + +[42 FR 15616, Mar. 22, 1977, as amended at 46 FR 8457, Jan. 27, 1981; 58 +FR 48794, 48796, Sept. 20, 1993; 76 FR 31470, June 1, 2011; 77 FR 50591, +Aug. 22, 2012] + + + +Sec. 20.109 Data and information obtained by contract. + + (a) All data and information obtained by the Food and Drug +Administration by contract, including all progress reports pursuant to a +contract, are available for public disclosure when accepted by the +responsible agency official except to the extent that they remain +subject to an exemption established in subpart D of this part, e.g., +they relate to law enforcement matters as provided in Sec. 20.88(b). + (b) Upon the awarding of a contract by the Food and Drug +Administration, the technical proposal submitted by the successful +offeror will be available for public disclosure. All cost proposals + +[[Page 278]] + +and the technical proposals of unsuccessful offerors submitted in +response to a request for proposals are exempt from disclosure as +confidential commercial or financial information pursuant to Sec. +20.61. + + + +Sec. 20.110 Data and information about Food and Drug Administration +employees. + + (a) The name, title, grade, position description, salary, work +address, and work telephone number for every Food and Drug +Administration employee are available for public disclosure. The home +address and home telephone number of any such employee are not available +for public disclosure. + (b) Statistics on the prior employment experience of present agency +employees, and subsequent employment of past agency employees, are +available for public disclosure. + + + +Sec. 20.111 Data and information submitted voluntarily to the +Food and Drug Administration. + + (a) The provisions of this section shall apply only to data and +information submitted voluntarily to the Food and Drug Administration, +whether in the course of a factory inspection or at any other time, and +not as a part of any petition, application, master file, or other +required submission or request for action. Data and information that may +be required to be submitted to the Food and Drug Administration but that +are submitted voluntarily instead are not subject to the provisions of +this section and will be handled as if they had been required to be +submitted. + (b) A determination that data or information submitted voluntarily +will be held in confidence and will not be available for public +disclosure shall be made only in the form of a regulation published or +cross-referenced in this part. + (c) The following data and information submitted voluntarily to the +Food and Drug Administration are available for public disclosure unless +extraordinary circumstances are shown: + (1) All safety, effectiveness, and functionality data and +information for a marketed ingredient or product, except as provided in +Sec. 330.10(a)(2) of this chapter for OTC drugs. + (2) A protocol for a test or study, unless it is shown to fall +within the exemption established in Sec. 20.61 for trade secrets and +confidential commercial or financial information. + (3) Adverse reaction reports, product experience reports, consumer +complaints, and other similar data and information shall be disclosed as +follows: + (i) If submitted by a consumer or user of the product, the record is +available for public disclosure after deletion of names and other +information that would identify the person submitting the information. + (ii) If submitted by the manufacturer of the product, the record is +available for public disclosure after deletion of: + (a) Names and any information that would identify the person using +the product. + (b) Names and any information that would identify any third party +involved with the report, such as a physician or hospital or other +institution. + (c) Names and any other information that would identify the +manufacturer or the brand designation of the product, but not the type +of product or its ingredients. + (iii) If submitted by a third party, such as a physician or hospital +or other institution, the record is available for public disclosure +after deletion of: + (a) Names and any information that would identify the person using +the product. + (b) Names and any information that would identify any third party +involved with the report, such as a physician or hospital or other +institution. + (iv) If obtained through a Food and Drug Administration +investigation, the record shall have the same status as the initial +report which led to the investigation, i.e., it shall be disclosed in +accordance with paragraph (c)(3)(i) through (iii) of this section. + (v) Any compilation of data, information, and reports prepared in a +way that does not reveal data or information which is not available for +public disclosure under this section is available for public disclosure. + (vi) If a person requests a copy of any such record relating to a +specific individual or a specific incident, such request will be denied +unless accompanied by the written consent to such + +[[Page 279]] + +disclosure of the person who submitted the report to the Food and Drug +Administration and the individual who is the subject of the report. The +record will be disclosed to the individual who is the subject of the +report upon request. + (4) A list of all ingredients contained in a food or cosmetic, +whether or not it is in descending order of predominance, or a list of +all active ingredients and any inactive ingredients previously disclosed +to the public as defined in Sec. 20.81 contained in a drug, or a list +of all ingredients or components in a device. + (5) An assay method or other analytical method, unless it serves no +regulatory or compliance purpose and is shown to fall within the +exemption established in Sec. 20.61. + (d) The following data and information submitted voluntarily to the +Food and Drug Administration are not available for public disclosure +unless they have been previously disclosed to the public as defined in +Sec. 20.81 or they relate to a product or ingredient that has been +abandoned and they no longer represent a trade secret or confidential +commercial or financial information as defined in Sec. 20.61: + (1) All safety, effectiveness, and functionality data and +information for a developmental ingredient or product that has not +previously been disclosed to the public as defined in Sec. 20.81. + (2) Manufacturing methods or processes, including quality control +procedures. + (3) Production, sales, distribution, and similar data and +information, except that any compilation of such data and information +aggregated and prepared in a way that does not reveal data or +information which is not available for public disclosure under this +provision is available for public disclosure. + (4) Quantitative or semiquantitative formulas. + (e) For purposes of this regulation, safety, effectiveness, and +functionality data include all studies and tests of an ingredient or a +product on animals and humans and all studies and tests on the +ingredient or product for identity, stability, purity, potency, +bioavailability, performance, and usefulness. + +[42 FR 15616, Mar. 22, 1977, as amended at 68 FR 25287, May 12, 2003] + + + +Sec. 20.112 Voluntary drug experience reports submitted by +physicians and hospitals. + + (a) A voluntary drug experience report to the Food and Drug +Administration on FDA Form 3500 shall be handled in accordance with the +rules established in Sec. 20.111(c)(3)(iii). + (b) If a person requests a copy of any such record relating to a +specific individual or a specific incident, such request will be denied +unless accompanied by the written consent to such disclosure of the +person who submitted the report to the Food and Drug Administration and +the individual who is the subject of the report. + +[42 FR 15616, Mar. 22, 1977, as amended at 54 FR 9038, Mar. 3, 1989; 62 +FR 52249, Oct. 7, 1997] + + + +Sec. 20.113 Voluntary product defect reports. + + Voluntary reports of defects in products subject to the jurisdiction +of the Food and Drug Administration are available for public disclosure: + (a) If the report is submitted by the manufacturer, after deletion +of data and information falling within the exemptions established in +Sec. 20.61 for trade secrets and confidential commercial or financial +information and in Sec. 20.63 for personal privacy. + (b) If the report is submitted by any person other than the +manufacturer, after deletion of names and other information that would +identify the person submitting the report and any data or information +falling within the exemption established in Sec. 20.63 for personal +privacy. + + + +Sec. 20.114 Data and information submitted pursuant to cooperative +quality assurance agreements. + + Data and information submitted to the Food and Drug Administration +pursuant to a cooperative quality assurance agreement shall be handled +in accordance with the rules established in Sec. 20.111. + +[[Page 280]] + + + +Sec. 20.115 Product codes for manufacturing or sales dates. + + Data or information in Food and Drug Administration files which +provide a means for deciphering or decoding a manufacturing date or +sales date or use date contained on the label or in labeling or +otherwise used in connection with a product subject to the jurisdiction +of the Food and Drug Administration are available for public disclosure. + + + +Sec. 20.116 Drug and device listing information. + + Information submitted to the Food and Drug Administration pursuant +to section 510 (a)-(j) of the act shall be subject only to the special +disclosure provisions established in Sec. Sec. 207.37 and 807.37 of +this chapter. + +[42 FR 42526, Aug. 23, 1977] + + + +Sec. 20.117 New drug information. + + (a) The following computer printouts are available for public +inspection in the Food and Drug Administration's Freedom of Information +Public Room: + (1) A numerical listing of all new drug applications and abbreviated +new drug applications approved since 1938, showing the NDA number, the +trade name, the applicant, the approval date, and, where applicable, the +date the approval was withdrawn and the date the Food and Drug +Administration was notified that marketing of the product was +discontinued. + (2) A numerical listing of all new drug applications and abbreviated +new drug applications approved since 1938 which are still approved, +showing the same information as is specified in paragraph (a)(1) of this +section except that it does not show a withdrawal date. + (3) A listing of new drug applications, abbreviated new drug +applications, which were approved since 1938 and which are still +approved, covering marketed prescription drug products except +prescription drug products covered by applications deemed approved under +the Drug Amendments of 1962 and not yet determined to be effective in +the Drug Efficacy Study Implementation program. The listing includes the +name of the active ingredient, the type of dosage form, the route of +administration, the trade name of the product, the name of the +application holder, and the strength or potency of the product. The +listing also includes, for each active ingredient in a particular dosage +form for which there is more than one approved application, an +evaluation of the therapeutic equivalence of the drug products covered +by such applications. + (b) Other computer printouts containing IND and NDA information are +available to the extent that they do not reveal data or information +prohibited from disclosure under Sec. Sec. 20.61, 312.130, and 314.430 +of this chapter. + +[42 FR 15616, Mar. 22, 1977, as amended at 45 FR 72608, Oct. 31, 1980; +46 FR 8457, Jan. 27, 1981; 54 FR 9038, Mar. 3, 1989; 64 FR 399, Jan. 5, +1999] + + + +Sec. 20.118 Advisory committee records. + + All advisory committee records shall be handled in accordance with +the rules established in parts 10, 12, 13, 14, 15, 16, and 19 of this +chapter. + + + +Sec. 20.119 Lists of names and addresses. + + Names and addresses of individuals in Food and Drug Administration +records shall not be sold or rented. Names and addresses shall not be +disclosed if disclosure is prohibited as a clearly unwarranted invasion +of personal privacy, e.g., lists of names and home addresses of Food and +Drug Administration employees, which shall not be disclosed under Sec. +20.110. + + + +Sec. 20.120 Records available in Food and Drug Administration Public +Reading Rooms. + + (a) The Freedom of Information Staff and the Division of Dockets +Management Public Reading Room are located at the same address. Both are +located in rm. 1061, 5630 Fishers Lane, Rockville, MD 20852. The +telephone number for the Division of Docket Management is 301-827-6860; +the telephone number for the Freedom of Information Staff's Public +Reading Room is located at the address on the agency's web site at +http://www.fda.gov. Both public reading rooms are open from 9 a.m. to 4 +p.m., Monday through Friday, excluding legal public holidays. + +[[Page 281]] + + (b) The following records are available at the Division of Freedom +of Information Public Reading Room: + (1) A guide for making requests for records or information from the +Food and Drug Administration; + (2) Administrative staff manuals and instructions to staff that +affect a member of the public; + (3) Food and Drug Administration records which have been released to +any person in response to a Freedom of Information request and which the +agency has determined have become or are likely to become the subject of +subsequent requests for substantially the same records; + (4) Indexes of records maintained in the Division of Freedom of +Information Public Reading Room; and + (5) Such other records and information as the agency determines are +appropriate for inclusion in the public reading room. + (c) The following records are available in the Division of Dockets +Management's Public Reading Room: + (1) Final opinions, including concurring and dissenting opinions, as +well as orders, made in the adjudication of cases; + (2) Statements of policy and interpretation adopted by the agency +that are still in force and not published in the Federal Register; + (3) Indexes of records maintained in the Division of Dockets +Management's Public Reading Room; and + (4) Such other records and information as the agency determines are +appropriate for inclusion in the public reading room. + (d) The agency will make reading room records created by the Food +and Drug Administration on or after November 1, 1996, available +electronically through the Internet at the agency's World Wide Web site +which can be found at http://www.fda.gov. At the agency's discretion, +the Food and Drug Administration may also make available through the +Internet such additional records and information it believes will be +useful to the public. + +[68 FR 25287, May 12, 2003; 68 FR 65392, Nov. 20, 2003, as amended at 76 +FR 31470, June 1, 2011; 79 FR 68115, Nov. 14, 2014] + + + +PART 21_PROTECTION OF PRIVACY--Table of Contents + + + + Subpart A_General Provisions + +Sec. +21.1 Scope. +21.3 Definitions. +21.10 Policy concerning records about individuals. + + Subpart B_Food and Drug Administration Privacy Act Record Systems + +21.20 Procedures for notice of Food and Drug Administration Privacy Act + Record Systems. +21.21 Changes in systems and new systems. + + Subpart C_Requirements for Specific Categories of Records + +21.30 Records of contractors. +21.31 Records stored by the National Archives and Records + Administration. +21.32 Personnel records. +21.33 Medical records. + + Subpart D_Procedures for Notification of and Access to Records in + Privacy Act Record Systems + +21.40 Procedures for submitting requests for notification and access. +21.41 Processing of requests. +21.42 Responses to requests. +21.43 Access to requested records. +21.44 Verification of identity. +21.45 Fees. + + Subpart E_Procedures for Requests for Amendment of Records + +21.50 Procedures for submitting requests for amendment of records. +21.51 Responses to requests for amendment of records. +21.52 Administrative appeals of refusals to amend records. +21.53 Notation and disclosure of disputed records. +21.54 Amended or disputed records received from other agencies. + + Subpart F_Exemptions + +21.60 Policy. +21.61 Exempt systems. +21.65 Access to records in exempt systems. + +Subpart G_Disclosure of Records in Privacy Act Record Systems to Persons + Other Than the Subject Individual + +21.70 Disclosure and intra-agency use of records in Privacy Act Record + Systems; no accounting required. + +[[Page 282]] + +21.71 Disclosure of records in Privacy Act Record Systems; accounting + required. +21.72 Individual consent to disclosure of records to other persons. +21.73 Accuracy, completeness, timeliness, and relevance of records + disclosed from Privacy Act Record Systems. +21.74 Providing notice that a record is disputed. +21.75 Rights of legal guardians. + + Authority: 21 U.S.C. 371; 5 U.S.C. 552, 552a. + + Source: 42 FR 15626, Mar. 22, 1977, unless otherwise noted. + + + + Subpart A_General Provisions + + + +Sec. 21.1 Scope. + + (a) This part establishes procedures to implement the Privacy Act of +1974 (5 U.S.C. 552a). It applies to records about individuals that are +maintained, collected, used, or disclosed by the Food and Drug +Administration and contained in Privacy Act Record Systems. + (b) This part does not: + (1) Apply to Food and Drug Administration record systems that are +not Privacy Act Record Systems or make available to an individual +records that may include references to him but that are not retrieved by +his name or other personal identifier, whether or not contained in a +Privacy Act Record System. part 20 of this chapter (the public +information regulations) and other regulations referred to therein +determine when records are made available in such cases. + (2) Make any records available to persons other than (i) individuals +who are the subjects of the records, (ii) persons accompanying such +individuals under Sec. 21.43, (iii) persons provided records pursuant +to individual consent under Sec. 21.72, or (iv) persons acting on +behalf of such individuals as legal guardians under Sec. 21.75. Part 20 +of this chapter (the public information regulations) and other +regulations referred to therein determine when Food and Drug +Administration records are disclosable to members of the public +generally. Subpart G of this part limits the provisions of part 20 of +this chapter with respect to disclosures of records about individuals +from Privacy Act Record Systems to persons other than individuals who +are the subjects of the records. + (3) Make available information compiled by the Food and Drug +Administration in reasonable anticipation of court litigation or formal +administrative proceedings. The availability of such information to any +member of the public, including any subject individual or party to such +litigation or proceeding shall be governed by applicable constitutional +principles, rules of discovery, and part 20 of this chapter (the public +information regulations). + (4) Apply to personnel records maintained by the Division of Human +Resources Management, Food and Drug Administration, except as provided +in Sec. 21.32. Such records are subject to regulations of the Office of +Personnel Management in 5 CFR parts 293, 294, and 297. + +[42 FR 15626, Mar. 22, 1977, as amended at 46 FR 8457, Jan. 27, 1981; 50 +FR 52278, Dec. 23, 1985] + + + +Sec. 21.3 Definitions. + + As used in this part: + (a) Individual means a natural living person who is a citizen of the +United States or an alien lawfully admitted for permanent residence. +Individual does not include sole proprietorships, partnerships, or +corporations engaged in the production or distribution of products +regulated by the Food and Drug Administration or with which the Food and +Drug Administration has business dealings. Any such business enterprise +that is identified by the name of one or more individuals is not an +individual within the meaning of this part. Employees of regulated +business enterprises are considered individuals. Accordingly, physicians +and other health professionals who are engaged in business as +proprietors of establishments regulated by the Food and Drug +Administration are not considered individuals; however, physicians and +other health professionals who are engaged in clinical investigations, +employed by regulated enterprises, or the subjects of records concerning +their own health, e.g., exposure to excessive radiation, are considered +individuals. Food and Drug Administration employees, consultants, and +advisory committee members, State and local officials, and consumers are +considered individuals. + +[[Page 283]] + + (b) Records about individuals means items, collections, or groupings +of information about individuals contained in Privacy Act Record +Systems, including, but not limited to education, financial +transactions, medical history, criminal history, or employment history, +that contain names or personal identifiers. + (c) Privacy Act Record System means a system of records about +individuals under the control of the Food and Drug Administration from +which information is retrieved by individual names or other personal +identifiers. The term includes such a system of records whether subject +to a notice published by the Food and Drug Administration, the +Department, or another agency. Where records are retrieved only by +personal identifiers other than individual names, a system of records is +not a Privacy Act Record System if the Food and Drug Administration +cannot, by reference to information under its control, or by reference +to records of contractors that are subject to this part under Sec. +21.30, ascertain the identity of individuals who are the subjects of the +records. + (d) Personal identifiers includes individual names, identifying +numbers, symbols, or other identifying designations assigned to +individuals. Personal identifiers does not include names, numbers, +symbols, or other identifying designations that identify products, +establishments, or actions. + (e) Personnel records means any personal information maintained in a +Privacy Act Record System that is needed for personnel management +programs or processes such as staffing, employee development, +retirement, and grievances and appeals. + (f) Department means Department of Health and Human Services. + + + +Sec. 21.10 Policy concerning records about individuals. + + Information about individuals in Food and Drug Administration +records shall be collected, maintained, used, and disseminated so as to +protect the right to privacy of the individual to the fullest possible +extent consistent with laws relating to disclosure of information to the +general public, the law enforcement responsibilities of the agency, and +administrative and program management needs. + + + + Subpart B_Food and Drug Administration Privacy Act Record Systems + + + +Sec. 21.20 Procedures for notice of Food and Drug Administration +Privacy Act Record Systems. + + (a) The Food and Drug Administration shall issue in the Federal +Register on or before August 30 of each year a notice concerning each +Privacy Act Record System as defined in Sec. 21.3(c) that is not +covered by a notice published by the Department, the Office of Personnel +Management, or another agency. + (b) The notice shall include the following information: + (1) The name and location(s) of the system. + (2) The categories of individuals about whom records are maintained +in the system. + (3) The categories of records maintained in the system. + (4) The authority for the system. + (5) Each routine use of the records contained in the system (i.e., +use outside the Department of Health and Human Services that is +compatible with the purpose for which the records were collected and +described in the notice) including the categories of users and the +purposes of such use. + (6) The policies and practices of the Food and Drug Administration +regarding storage, retrievability (i.e., how the records are indexed and +what intra-agency uses are made of the records), access controls, +retention, and disposal of the records in that system. + (7) The title and business address of the official who is +responsible for the system of records. + (8) The notification procedure, i.e., the address of the FDA Privacy +Act Coordinator, whom any individual can contact to seek notification +whether the system contains a record about him/her. + (9) The record access and contest procedures, which shall be the +same as the notification procedure except that a reference shall be +included to any exemption from access and contest. + +[[Page 284]] + + (10) Where any records in the system are subject to an exemption +under Sec. 21.61, a reference to this exemption. + (11) The categories of sources of records in the system. + +[42 FR 15626, Mar. 22, 1977, as amended at 46 FR 8457, Jan. 27, 1981] + + + +Sec. 21.21 Changes in systems and new systems. + + (a) The Food and Drug Administration shall notify the designated +Department official, the Office of Management and Budget (Information +Systems Division), and the Congress of proposals to change or establish +Privacy Act Record Systems in accordance with procedures of the +Department and the Office of Management and Budget. + (b) The Food and Drug Administration shall issue a notice, in +accordance with paragraph (d) of this section and Sec. 21.20(b), of any +change in a Privacy Act Record System which: + (1) Increases the number or types of individuals about whom records +are maintained; + (2) Expands the type or amount of information about individuals that +is maintained; + (3) Increases the number of categories of agencies or other persons +who may have access to those records; + (4) Alters the manner in which the records are organized so as to +change the nature or scope of those records, such as the combining of +two or more existing systems; + (5) Modifies the way in which the system operates or its location(s) +in a manner that alters the process by which individuals can exercise +their rights under this part, such as the ways in which they seek access +or request amendment of a record; or + (6) Changes the equipment configuration on which the system is +operated so as to create the potential for greater access, such as +adding a telecommunications capability. + (c) The Food and Drug Administration shall issue a notice of its +intention to establish new Privacy Act Record Systems in accordance with +paragraph (d) of this section and Sec. 21.20(b). + (d) Notices under paragraphs (b) and (c) of this section shall be +published in the Federal Register for comment at least 30 days prior to +implementation of the proposed changes or establishment of new systems. +Interested persons shall have the opportunity to submit written data, +views, or arguments on such proposed new uses or systems. + + + + Subpart C_Requirements for Specific Categories of Records + + + +Sec. 21.30 Records of contractors. + + (a) Systems of records that are required to be operated, or as a +matter of practical necessity must be operated, by contractors to +accomplish Food and Drug Administration functions, from which +information is retrieved by individual names or other personal +identifiers, may be subject to the provisions of this part. If the +contract is agreed to on or after September 27, 1975, the criminal +penalties set forth in 5 U.S.C. 552a(i) are applicable to such +contractor, and any employee of such contractor, for disclosures +prohibited in Sec. 21.71 or for maintenance of a system of records +without notice as required in Sec. 21.20. + (b) A contract is considered to accomplish a Food and Drug +Administration function if the proposal or activity it supports is +principally operated on behalf of and is under the direct management of +the Food and Drug Administration. Systems of records from which +information is retrieved by individual names or other personal +identifiers and that are operated under contracts to accomplish Food and +Drug Administration functions are deemed to be maintained by the agency +and shall be subject to the procedures and requirements of this part. + (c) A contract is not considered to accomplish a Food and Drug +Administration function if the program or activity it supports is not +principally operated on behalf of, or is not under the direct management +of, the Food and Drug Administration. For example, this part does not +apply to systems of records: + (1) Operated under contract with the Food and Drug Administration by +State or local government agencies, or organizations representing such +agencies, when such agencies or organizations are also performing State +or local government functions. + +[[Page 285]] + + (2) Operated by contractors with the Food and Drug Administration by +individuals or organizations whose primary function is delivery of +health services, such as hospitals, physicians, pharmacists, and other +health professionals, and that report information concerning products, +e.g., injuries or product defects, to the Food and Drug Administration. +Before such contractors submit information to the Food and Drug +Administration, the names and other personal identifiers of patients or +research subjects in any medical or similar report, test, study, or +other research project shall be deleted, unless the contract provides +otherwise. If the Food and Drug Administration subsequently needs the +names of such individuals, a separate request will be made. + (3) Relating to individuals whom the contractor employs, or with +whom the contractor otherwise deals, in the course of providing goods +and services to the Food and Drug Administration. + (4) Operated under grants. + (d) The requirements of this part shall apply when a contractor who +operates a system of records not subject to this part reports to the +Food and Drug Administration information that is a system of records +about individuals from which personal information is retrieved by names +or other personal identifiers. Where the information would be a new +Privacy Act Record System, or a change in an existing Privacy Act Record +System of a type described in Sec. 21.21, the Food and Drug +Administration shall comply with the requirements of Sec. 21.21. + (e) The Food and Drug Administration will review all contracts +before award to determine whether operation of a system from which +information is retrieved by individual names or other personal +identifiers will be required of the contractor, by the terms of the +contract or as a matter of practical necessity. If such operation will +be required, the solicitation and contract shall include the following +clause, or a clause of similar effect: + + Whenever the contractor or any of his employees is required by this +contract to operate a system of records from which information is +retrieved by individual names or other personal identifiers in order to +accomplish a Food and Drug Administration function, the contractor and +every employee is considered to be an employee of the Food and Drug +Administration and shall operate such system of records in accordance +with the Privacy Act of 1974 (5 U.S.C. 552a), regulations of the Food +and Drug Administration in 21 CFR part 21, and rules of conduct that +apply to Food and Drug Administration employees who work with such +systems of records. The contractor and his employees are subject to the +criminal penalties set forth in 5 U.S.C. 552a(i) for violations of the +Privacy Act. + + + +Sec. 21.31 Records stored by the National Archives and Records +Administration. + + (a) Food and Drug Administration records that are stored, processed, +and serviced by the National Archives and Records Administration in +accordance with 44 U.S.C. 3103 shall be considered to be maintained by +the Food and Drug Administration. The National Archives and Records +Administration shall not disclose the record except to authorized Food +and Drug Administration employees. + (b) Each Food and Drug Administration record pertaining to an +identifiable individual that was transferred to the National Archives of +the United States as a record determined by the National Archives to +have sufficient historical or other value to warrant its continued +preservation shall be considered to be maintained by the National +Archives and shall not be subject to the provisions of this part. + +[42 FR 15626, Mar. 22, 1977, as amended at 50 FR 52278, Dec. 23, 1985] + + + +Sec. 21.32 Personnel records. + + (a) Present and former Food and Drug Administration employees +desiring access to personnel records about themselves should consult +system notices applicable to the agency's personnel records that are +published by the Office of Personnel Management and the Department as +well as any notice issued by the Food and Drug Administration. + (b)(1) The procedures of the Office of Personnel Management at 5 CFR +parts 293, 294, and 297 rather than the procedures in Sec. 21.33 and +subparts D through F of this part, govern systems of personnel records +about Food and Drug + +[[Page 286]] + +Administration employees that are subject to notice published by the +Office of Personnel Management, i.e., systems that: + (i) The Office of Personnel Management maintains. + (ii) Are maintained by the Division of Human Resources Management, +Food and Drug Administration. + (iii) Are maintained by Department Regional Offices, concerning +field employees. + (2) The Office of Personnel Management's procedures may, if +necessary, be supplemented in the Food and Drug Administration Staff +Manual Guide. Current Food and Drug Administration employees should mail +or deliver written requests under the Privacy Act for access to +personnel records described in this paragraph to the Office of Personnel +Management in accordance with 5 CFR 297.106, the Director, Division of +Human Resources Management HR-BETHPL RM7114, HFA-705, 7700 Wisconsin +Ave., 7th & 8th floors, Bethesda, MD 20814, or the personnel officer in +the servicing HHS Regional Personnel Office. An employee may consult +with or direct his or her request to the FDA Privacy Act Coordinator +(the Privacy Act Coordinator is part of the Freedom of Information +Staff, the address for which is located on the Agency Web site at http:/ +/www.fda.gov). Requests for access to personnel records of former +employees that are located in Federal Records Centers should be directed +to the Office of Personnel Management. Requests under the Privacy Act +for amendment of personnel records should be directed to these same +officials who are responsible for access to personnel records under this +paragraph. + (3) With respect to records subject to paragraph (b)(1) of this +section: + (i) Refusal to grant access to a record, or refusal to amend a +record upon request of an employee, shall only be made by the Associate +Commissioner for Management and Operations or his or her designate; and + (ii) Appeals of refusals under paragraph (b)(3)(i) of this section +may be made to the Office of Personnel Management in accordance with 5 +CFR 297.108(g)(3) and 297.113(b). + (c) Any other Privacy Act Record Systems that contain personnel +records, or records that otherwise concern agency employees, that are +maintained by offices of the Food and Drug Administration rather than +the Division of Human Resources Management but which are not subject to +the Department's notice for personnel records in operating offices are +subject to this part, except that refusals under this part to grant +access to or amend records about present or former employees shall be +made by the Associate Commissioner for Management and Operations rather +than the Associate Commissioner for Public Affairs. + (d) The following procedures shall govern requests under the Privacy +Act for personnel records that are maintained by the operating offices +of the Food and Drug Administration in which employees work: + (1) An employee shall upon request be told whether records about him +are maintained. An employee shall be given access to records about +himself that are subject to this paragraph in response to an oral or +written request and through informal procedures, rather than the +procedures specified in Sec. Sec. 21.40 through 21.43. + (2) Employee identity may be verified, if necessary, by an FDA ID +card rather than in accordance with Sec. 21.44. + (3) Generally no fee shall be charged for records requested under +this paragraph. However, in cases where the records requested are +voluminous, a fee may be charged in accordance with Sec. 21.45. + (4) Records that are subject to this paragraph shall be available +for access to an individual, except to the extent that access is refused +by the Associate Commissioner for Management and Operations or his or +her designate on the grounds that the record is subject to an exemption +under Sec. 21.61 or 5 CFR 297.111. + (5) Requests under the Privacy Act for amendment of records subject +to this paragraph should be directed to the Director, Division of Human +Resources Management (HFA-400). Such requests shall be reviewed in +accordance with subpart E of this part. Refusal to amend a record +subject to this paragraph (d)(5) shall only be made by + +[[Page 287]] + +the Associate Commissioner for Management and Operations or his or her +designate. + (6) Appeals of refusals under paragraph (d) (4) or (5) of this +section may be made to the Commissioner of Food and Drugs, except where +the Associate Commissioner for Management and Operations or his or her +designate indicates with his or her refusal that the appeal should be +made to the Office of Personnel Management. + (7) Disclosures of records subject to this paragraph are subject to +subpart G of this part. + +[42 FR 15626, Mar. 22, 1977, as amended at 46 FR 8457, Jan. 27, 1981; 50 +FR 52278, Dec. 23, 1985; 76 FR 31470, June 1, 2011; 79 FR 68115, Nov. +14, 2014] + + + +Sec. 21.33 Medical records. + + (a) In general, an individual is entitled to have access to any +medical records about himself in Privacy Act Record Systems maintained +by the Food and Drug Administration. + (b) The Food and Drug Administration may apply the following special +procedures in disclosing medical records to an individual: + (1) The agency may review the records to determine whether +disclosure of the record to the individual who is the subject of the +records might have an adverse effect on him. If it is determined that +disclosure is not likely to have an adverse effect on the individual, +the record shall be disclosed to him. If it is determined that +disclosure is very likely to have an adverse effect on the individual, +he may be requested to designate, in writing, a representative to whom +the record shall be disclosed. Such representative may be a physician, +other health professional, or other responsible person who would be +willing to review the record and discuss it with the individual. + (2) The availability of the record may be subject to any procedures +for disclosure to an individual of medical records about himself under +part 20 of this chapter, in addition to or in lieu of the procedures in +paragraph (b)(1), that are not inconsistent with Sec. 21.41(f). + + + + Subpart D_Procedures for Notification of and Access to Records in + Privacy Act Record Systems + + + +Sec. 21.40 Procedures for submitting requests for notification and access. + + (a) An individual may request that the Food and Drug Administration +notify him whether a Privacy Act Record System contains records about +him that are retrieved by reference to his name or other personal +identifier. An individual may at the same time, or after receiving +notification that such a record about him exists, requests that he be +given access to the record. + (b) An individual desiring notification or access to records shall +mail or deliver a request for records in any Food and Drug +Administration Privacy Act Records System to the FDA Privacy Act +Coordinator (address is located on the agency web site at http:// +www.gov.fda). + (c) Requests shall be in writing and shall name the Privacy Act +Record System or Systems concerning which the individual requests +notification of whether there are records about him that are retrieved +by reference to his name or other personal identifier. To help assure a +prompt response, an individual should indicate that he is making a +``Privacy Act Request'' on the envelope and in a prominent manner in the +letter. + (d) An individual who merely wishes to be notified whether a Privacy +Act Record System contains a record about him ordinarily need not +provide any verification of his identity other than his name. The mere +fact that the Food and Drug Administration has a record about an +individual in any of its Privacy Act Records Systems would not be likely +to constitute a clearly unwarranted invasion of personal privacy. Where +mere disclosure of the fact that a record about the individual exists +would be a clearly unwarranted invasion of personal privacy, further +verification of the identity of the individual shall be required. + (e) An individual who requests that he be given access to a copy of +records about himself, if any exist, should indicate whether he prefers +(1) to have copies of any such records mailed to him + +[[Page 288]] + +in accordance with Sec. 21.43(a)(1), which may involve a fee under +Sec. 21.45, including information to verify his identity under Sec. +21.44 or (2) to use the procedures for access in person under Sec. +21.43(a)(2). + (f) A request for notification and access may be submitted under +this subpart concerning any Privacy Act Record System that is exempt +under Sec. 21.61, as indicated in the notice for the system. An +individual seeking access to records under Sec. 21.65(b)(2) to +investigatory records compiled for law enforcement purposes other than +criminal law enforcement purposes should submit a description of the +right, benefit, or privilege that he believes he was denied as the +result of the Food and Drug Administration's maintenance of the records. +Where the system is exempt under Sec. 21.61, and access to the +requested records is not granted under Sec. 21.65, the request shall be +handled under the provisions of part 20 of this chapter (the public +information regulations). + +[42 FR 15626, Mar. 22, 1977, as amended at 46 FR 8458, Jan. 27, 1981; 50 +FR 52278, Dec. 23, 1985; 76 FR 31470, June 1, 2011; 79 FR 68115, Nov. +14, 2014] + + + +Sec. 21.41 Processing of requests. + + (a) An individual or his guardian under Sec. 21.75 shall not be +required to show any justification or need to obtain notification under +Sec. 21.42 or access to a record under Sec. 21.43. + (b) The Food and Drug Administration will determine whether a +request by an individual for records about himself is appropriately +treated as a request under this subpart, or under the provision of part +20 of this chapter (the public information regulations), or both. Where +appropriate, the Food and Drug Administration will consult with the +individual concerning the appropriate treatment of the request. + (c) The FDA Privacy Act Coordinator in the Division of Freedom of +Information (address is located on the agency web site at http:// +www.gov.fda) shall be responsible for the handling of Privacy Act +requests received by the Food and Drug Administration. Requests mailed +or delivered to any other office shall be promptly redirected to the FDA +Privacy Act Coordinator. Where this procedure would unduly delay the +agency's response, however, the agency employee who received the request +should consult with the FDA Privacy Act Coordinator and obtain advice as +to whether the employee can respond to the request directly. + (d) Upon receipt of a request by the FDA Privacy Act Coordinator, a +record shall promptly be made that a request has been received and the +date. + (e) A letter in accordance with Sec. 21.42 responding to the +request for notification shall issue as promptly as possible after +receipt of the request by the Food and Drug Administration. Upon +determination by the Division of Freedom of Information (address is +located on the agency web site at http://www.gov.fda) that a request for +access to records is appropriately treated as a request under part 20 of +this chapter rather than part 21, or under both parts, the time +limitations prescribed in Sec. 21.41 shall apply. In any case, access +to available records shall be provided as promptly as possible. + (f) Except as provided in Sec. 21.32, an individual's access to +records about him/herself that are retrieved by his/her name or other +personal identifiers and contained in any Privacy Act Record System may +only be denied by the Associate Commissioner for Public Affairs or his +or her designate. An individual shall not be denied access to any record +that is otherwise available to him/her under this part except on the +grounds that it is exempt under Sec. 21.65(a)(2), that it was compiled +in reasonable anticipation of court litigation of formal administrative +proceedings, or to the extent that it is exempt or prohibited from +disclosure because it includes a trade secret or commercial or financial +information that is privileged or confidential information the +disclosure of which would constitute a clearly unwarranted invasion of +personal privacy of another individual. + (g) The FDA Privacy Act Coordinator shall ensure that records are +maintained of the number, status, and disposition of requests under this +subpart, including the number of requests for records exempt from access +under this subpart and other information required for purposes of the +annual report to Congress under the Privacy Act. These temporary +administrative management + +[[Page 289]] + +records shall not be considered to be Privacy Act Record Systems. All +records required to be kept under this paragraph shall only include +requesting individuals' names or personal identifiers for so long as any +request for notification, access, or amendment is pending. The identity +of individuals making request under this subpart shall be regarded as +confidential and shall not be disclosed under part 20 of this chapter +(the public information regulations) to any other person or agency +except as is necessary for the processing of requests under this +subpart. + +[42 FR 15626, Mar. 22, 1977, as amended at 46 FR 8458, Jan. 27, 1981; 76 +FR 31470, June 1, 2011; 79 FR 68115, Nov. 14, 2014] + + + +Sec. 21.42 Responses to requests. + + (a) The FDA shall respond to an individual's request for +notification as to whether a Privacy Act Record System contains records +about him that are retrieved by his name or other personal identifier by +sending a letter under this paragraph. + (1) If there are no records about the individual that are retrieved +by his name or other personal identifier in the named Privacy Act Record +System, or the requester is not an ``individual'' under Sec. 21.3(a), +the letter shall so state. Where appropriate, the letter shall indicate +that the Food and Drug Administration's public information regulations +in part 20 of this chapter prescribe general rules governing the +availability of information to members of the public, and that a request +may be made in accordance with part 20 of this chapter for records that +are not retrieved by the requester's name or other personal identifier +from a Privacy Act Record System. + (2) If there are records about the individual that are retrieved by +his name or other personal identifier and the named Privacy Act Record +System is not exempt from individual access and contest under Sec. +21.61, or the system is exempt but access is allowed or required under +Sec. 21.65, the letter shall inform him that the records exist and +shall either: + (i) Enclose a copy of the records under Sec. 21.43(a)(1) or +indicate that the records will be sent under separate cover, where there +has been adequate verification of the identity of the individual under +Sec. 21.44 and the fees under Sec. 21.45 do not exceed $25, or + (ii) Inform the individual of the procedures to obtain access to the +records by mail or in person under Sec. 21.43(a)(2), as well as the +approximate dates by which the requested records can be provided (if the +records are not then available), the locations at which access in person +may be had, and the information needed, if any, to verify the identity +of the individual under Sec. 21.44. + (3) If the named Privacy Act Record System contains records about +the individual that are retrieved by his name or other personal +identifier, and the system is exempt from individual access and contest +under Sec. 21.61 and access is not allowed or required under Sec. +21.65, the letter should inform him that the records are exempted from +access and contest by Sec. 21.61. The letter shall also inform him if +the records sought are not available because they were compiled in +reasonable anticipation of court litigation or formal administrative +proceedings or are otherwise not available under Sec. 21.41(b). Where +appropriate, the letter shall also indicate whether the records are +available under part 20 of this chapter (the public information +regulations), and it may disclose the records in accordance with part +20. + (4) If the named Privacy Act Record System contains records about +the individual that are retrieved by his name or other personal +identifier, but a final determination has not yet been made with respect +to disclosure of all of the records covered by the request, e.g., +because it is necessary to consult another person or agency having an +interest in the confidentiality of the records, the letter shall explain +the circumstances and indicate when a final answer will be given. + (b) Except as provided in Sec. 21.32, access to a record may only +be denied by the Associate Commissioner for Public Affairs or his or her +designate. If access to any record is denied wholly or in substantial +part, the letter shall state the right of the individual to appeal to +the Commissioner of Food and Drugs. + (c) If a request for a copy of the records will result in a fee of +more than + +[[Page 290]] + +$25, the letter shall specify or estimate the fee involved. Where the +individual has requested a copy of any records about him and copying the +records would result in a fee of over $50, the Food and Drug +Administration shall require advance deposit as well as payment of any +amount not yet received as a result of any previous request by the +individual for a record about himself, under this subpart or part 20 of +this chapter (the public information regulations) before the records are +made available. If the fee is less than $50, prepayment shall not be +required unless payment has not yet been received for records disclosed +as a result of a previous request by the individual for a record about +himself under this subpart or part 20 of this chapter. + +[42 FR 15626, Mar. 22, 1977, as amended at 46 FR 8458, Jan. 27, 1981] + + + +Sec. 21.43 Access to requested records. + + (a) Access may be granted to requested records by: + (1) Mailing a copy of the records to the requesting individual, or + (2) Permitting the requesting individual to review the records in +person between 9 a.m. and 4 p.m. at the office of the FDA Privacy Act +Coordinator, at the Division of Freedom of Information Public Reading +Room (address is located on the agency's web site at http:// +www.fda.gov), or at any Food and Drug Administration field office, +listed in part 5, subpart M of this chapter, or at another location or +time upon which the Food and Drug Administration and the individual +agree. Arrangement for such review can be made by consultation between +the FDA Privacy Act Coordinator and the individual. An individual +seeking to review records in person shall generally be permitted access +to the file copy, except that where the records include nondisclosable +information, a copy shall be made of that portion of the records, with +the nondisclosable information blocked out. Where the individual is not +given a copy of the record to retain, no charge shall be made for the +cost of copying a record to make it available to an individual who +reviews a record in person under this paragraph. + (b) An individual may request that a record be disclosed to or +discussed in the presence of another individual, such as an attorney. +The individual may be required to furnish a written statement +authorizing the disclosure or discussion in such other individual's +presence. + (c) The Food and Drug Administration will make every reasonable +effort to assure that records made available under this section can be +understood by the individual, such as by providing an oral or written +explanation of the records. + +[42 FR 15626, Mar. 22, 1977, as amended at 46 FR 8458, Jan. 27, 1981; 69 +FR 17290, Apr. 2, 2004; 76 FR 31470, June 1, 2011; 79 FR 68115, Nov. 14, +2014] + + + +Sec. 21.44 Verification of identity. + + (a) An individual seeking access to records in a Privacy Act Record +System may be required to comply with reasonable requirements to enable +the Food and Drug Administration to determine his identity. The +identification required shall be suitable considering the nature of the +records sought. No identification shall be required to receive access to +information that is required to be disclosed to any member of the public +under part 20 of this chapter (the public information regulations). + (b) An individual who appears in person for access to records about +himself shall be required to provide at least one document to identify +himself, e.g., driver's license, passport, or alien or voter +registration card to verify his identity. If an individual does not have +any such document or requests access to records about himself without +appearing in person under circumstances in which his identity cannot be +verified from the request itself, he shall be required to certify in +writing that he is the individual he claims to be and that he +understands that the knowing and willful request for or acquisition of a +record pertaining to an individual under false pretenses is a criminal +offense subject to a $5,000 fine. + (c) In making requests under Sec. 21.75, a parent of a minor child +or legal guardian of an incompetent individual may be required to verify +his relationship to the minor child or the incompetent individual, in +addition to verifying his own identity, by providing a copy of + +[[Page 291]] + +the minor's birth certificate, a court order, or other evidence of +guardianship. + (d) Where an individual seeks access to particularly sensitive +records, such as medical records, the individual may be required to +provide additional information beyond that specified in paragraph (b) or +(c) of this section, such as the individual's years of attendance at a +particular educational institution, rank attained in the uniformed +services, date or place of birth, names of parents, an occupation, or +the specific times the individual received medical treatment. + + + +Sec. 21.45 Fees. + + (a) Where applicable, fees for copying records shall be charged in +accordance with the schedule set forth in this section. Fees may only be +charged where an individual has requested that a copy be made of a +record to which he is granted access. No fee may be charged for making a +search of a Privacy Act Record System whether the search is manual, +mechanical, or electronic. Where a copy of the record must be made to +provide access to the record, e.g., computer printout where no screen +reading is available, the copy shall be made available to the individual +without cost. Where a medical record is made available to a +representative designated by the individual under Sec. 21.33, no fee +will be charged. + (b) The fee schedule is as follows: + (1) Copying of records susceptible to photocopying--$.10 per page. + (2) Copying of records not susceptible to photocopying, e.g., punch +cards or magnetic tapes--at actual cost to the determined on a case-by- +case basis. + (3) No charge will be made if the total amount of copying for an +individual does not exceed $25. + (c) When a fee is to be assessed, the individual shall be notified +prior to the processing of the copies, and be given an opportunity to +amend his request. Payment shall be made by check or money order made +payable to the ``Food and Drug Administration,'' and shall be sent to +the Accounting Branch (HFA-120), Food and Drug Administration, 5600 +Fishers Lane, Rockville, MD 20857. Advance deposit shall be required +where the total amount exceeds $50. + +[42 FR 15626, Mar. 22, 1977, as amended at 54 FR 9038, Mar. 3, 1989] + + + + Subpart E_Procedures for Requests for Amendment of Records + + + +Sec. 21.50 Procedures for submitting requests for amendment of records. + + (a) An individual who received access to a record about himself +under subpart D of this part may request that the record be amended if +he believes that the record or an item of information is not accurate, +relevant to a Food and Drug Administration purpose, timely, or complete. + (b) Amendments under this subpart shall not violate existing +statute, regulation, or administrative procedure. + (1) This subpart does not permit alteration of evidence presented in +the course of judicial proceedings or Food and Drug Administration +adjudicatory or rule making proceedings or collateral attack upon that +which has already been the subject of any such proceedings. + (2) If the accuracy, relevancy, timeliness, or completeness of the +records may be contested in any other pending or imminent agency +proceeding, the Food and Drug Administration may refer the individual to +the other proceeding as the appropriate means to obtain relief. If the +accuracy, relevance, timeliness, or completeness of a record is, or has +been, an issue in another agency proceeding, the request under this +section shall be disposed of in accordance with the decision in the +other proceeding, absent unusual circumstances. + (c) Requests to amend records shall be submitted, in writing, to the +FDA Privacy Act Coordinator in accordance with Sec. 21.40(b). Such +requests shall include information sufficient to enable the Food and +Drug Administration to locate the record, a brief description of the +items of information requested to be amended, and the reasons why the +record should be amended together with any appropriate documentation or +arguments in support of the requested amendment. An edited copy of the + +[[Page 292]] + +record showing the described amendment may be included. Verification of +identity should be provided in accordance with Sec. 21.44. + (d) Written acknowledgement of the receipt of a request to amend a +record shall be provided within 10 working days to the individual who +requested the amendment. Such acknowledgement may request any additional +information needed to verify identity or make a determination. No +acknowledgement need be made if the request can be reviewed, processed, +and the individual notified of the agency's agreement with the request +or refusal within the 10-day period. + +[42 FR 15626, Mar. 22, 1977, as amended at 46 FR 8459, Jan. 27, 1981] + + + +Sec. 21.51 Responses to requests for amendment of records. + + (a) The Food and Drug Administration shall take one of the following +actions on a request for amendment of records as promptly as possible: + (1) Amend any portion of the record which the agency has determined, +based upon a preponderance of the evidence, is not accurate, relevant to +a Food and Drug Administration purpose, timely, or complete, and, in +accordance with paragraph (d)(3) of this section, inform the individual +and previous recipients of the record that has been amended of the +amendment. + (2) Inform the individual of its refusal to amend any portion of the +record in the manner requested, the reason for the refusal, and the +opportunity for administrative appeal to the Commissioner of Food and +Drugs. Except as provided in Sec. 21.32, such refusal may only be +issued by the Associate Commissioner for Public Affairs or his or her +designate. + (3) Where another agency was the source of and has control of the +record, refer the request to that agency. + (b) The agency may, for good cause, extend the period for taking +action an additional 30 working days if notice is provided to the +individual explaining the circumstances of the delay. + (c) The officials charged with reviewing a record to determine how +to respond to a request to amend it, shall assess its accuracy, +relevance to a Food and Drug Administration purpose, timeliness, or +completeness. The determination shall be made in the light of the +purpose for which the records or system is used, the agency's need for +the record, and the possible adverse consequences to the individual from +the record if not amended. Whenever the Food and Drug Administration +receives a request for deletion of a record, or portions of a record, it +shall consider anew whether the contested information in the record is +relevant and necessary to a Food and Drug Administration purpose. + (d) If the Food and Drug Administration agrees with an individual's +request, it shall take the following actions: + (1) So inform the individual in writing. + (2) In accordance with statute, regulation, or procedure, amend the +record to make it accurate, relevant to a Food and Drug Administration +purpose, timely, or complete, making note of the date and fact of the +amendment. + (3) If an accounting was made under Sec. 21.71(d) of a disclosure +of the record under Sec. 21.71(a), provide a copy of the record as +amended, to all previous recipients of the record. + +[42 FR 15626, Mar. 22, 1977, as amended at 46 FR 8459, Jan. 27, 1981] + + + +Sec. 21.52 Administrative appeals of refusals to amend records. + + (a) If an individual disagrees with a refusal under Sec. +21.51(a)(2) to amend a record, he or she may appeal that refusal to the +Commissioner of Food and Drugs,(see the address on the agency's web site +at http://www.fda.gov). + (b) If, upon appeal, the Commissioner upholds the refusal to amend +the record as requested, he shall inform the individual: + (1) Of his decision and the reasons for it. + (2) Of the individual's right to file with the Food and Drug +Administration a concise statement of the individual's reasons for +disagreeing with the agency's decision not to amend the record as +requested. + (3) That the statement of disagreement will be made available to all +persons listed in an accounting as having previously received the record +and any + +[[Page 293]] + +person to whom the record is subsequently disclosed together with, in +the discretion of the Food and Drug Administration, a brief statement +summarizing its reasons for refusing to amend the record. Any individual +who includes false information in the statement of disagreement filed +with the Food and Drug Administration may be subject to penalties under +18 U.S.C. 1001, the False Reports to the Government Act. + (4) That the individual has a right to seek judicial review of the +refusal to amend the record. + (c) If the Commissioner on administrative appeal or a court on +judicial review determines that the record should be amended in +accordance with the individual's request, the Food and Drug +Administration shall proceed in accordance with Sec. 21.51(d). + (d) A final determination on the individual's administrative appeal +of the initial refusal to amend the record shall be concluded within 30 +working days of the request for such review under paragraph (a) of this +section, unless the Commissioner extends such period for good cause and +informs the individual in writing of the reasons for the delay and of +the approximate date on which a decision of the appeal can be expected. + +[42 FR 15626, Mar. 22, 1977, as amended at 50 FR 52278, Dec. 23, 1985; +79 FR 68115, Nov. 14, 2014] + + + +Sec. 21.53 Notation and disclosure of disputed records. + + When an individual has filed a statement of disagreement under Sec. +21.52(b)(2), the Food and Drug Administration shall: + (a) Mark any portion of the record that is disputed to assure that +the record will clearly show that portion is disputed whenever the +record is disclosed. + (b) In any subsequent disclosure under Sec. 21.70 or Sec. +21.71(a), provide a copy of the statement of disagreement and, if the +Food and Drug Administration deems it appropriate, a concise statement +of the agency's reasons for not making the amendment(s) requested. While +the individual shall have access to any such statement, it shall not be +subject to a request for amendment under Sec. 21.50. + (c) If an accounting was made under Sec. 21.71(d) and (e) of a +disclosure of the record under Sec. 21.71(a), provide to all previous +recipients of the record a copy of the statement of disagreement and the +agency statement, if any. + + + +Sec. 21.54 Amended or disputed records received from other agencies. + + Whenever the Food and Drug Administration is notified that a record +that it received from another agency was amended or is the subject of a +statement of disagreement, the Food and Drug Administration shall: + (a) Discard the record, or clearly note the amendment or the fact of +disagreement in its copy of the record, and + (b) Refer persons who subsequently request the record to the agency +that provided it. + (c) If an accounting was made under Sec. 21.71 (d) and (e) of the +disclosure of the record under Sec. 21.71(a), inform all previous +recipients of the record about the amendment or provide to them the +statement of disagreement and the agency statement, if any. + + + + Subpart F_Exemptions + + + +Sec. 21.60 Policy. + + It is the policy of the Food and Drug Administration that record +systems should be exempted from the Privacy Act only to the extent +essential to the performance of law enforcement functions under the laws +that are administered and enforced by the Food and Drug Administration +or that govern the agency. + + + +Sec. 21.61 Exempt systems. + + (a) Investigatory records compiled for law enforcement purposes, +including criminal law enforcement purposes, in the Food and Drug +Administration Privacy Act Record Systems listed in paragraph (b) of +this section are exempt from the following provisions of the Privacy Act +(5 U.S.C. 552a) and of this part: + (1) Such records are exempt from 5 U.S.C. 552a(c)(3) and Sec. +21.71(e)(4), requiring that an individual be provided with the +accounting of disclosures of records + +[[Page 294]] + +about himself from a Privacy Act Record System. + (2) Except where access is required under 5 U.S.C. 552a(k)(2) and +Sec. 21.65(a)(2), (such records are exempt from 5 U.S.C. 552a(d)(1) +through (4) and (f)) and Sec. Sec. 21.40 through 21.54, requiring +procedures for an individual to be given notification of and access to +records about himself in a Privacy Act Record System and to be allowed +to challenge the accuracy, relevance, timeliness, and completeness of +such records. + (3) Such records are exempt from 5 U.S.C. 552a(e)(4)(G) and (H) and +Sec. 21.20(b)(1) requiring inclusion in the notice for the system of +information about agency procedures for notification, access, and +contest. + (4) Such records are exempt from 5 U.S.C. 552a(e)(3) requiring that +individuals asked to supply information be provided a form outlining the +authority for the request, the purposes for which the information will +be used, the routine uses in the notice for the Privacy Act Record +System, and the consequences to the individual of not providing the +information, but only with respect to records compiled by the Food and +Drug Administration in a criminal law enforcement investigation where +the conduct of the investigation would be prejudiced by such procedures. + (b) Records in the following Food and Drug Administration Privacy +Act Record Systems that concern individuals who are subject to Food and +Drug Administration enforcement action and consist of investigatory +records compiled for law enforcement purposes, including criminal law +enforcement purposes, are exempt under 5 U.S.C. 552a(j)(2) and (k)(2) +from the provisions enumerated in paragraph (a) of this section: + (1) Bio-research Monitoring Information System--HHS/FDA/09-10-0010. + (2) Regulated Industry Employee Enforcement Records--HHS/FDA/ACMO/ +09-10-002. + (3) Employee Conduct Investigative Records--HHS/FDA/ACMO/09-10-0013. + (c) The system described in paragraph (b)(3) of this section +includes investigatory records compiled solely for the purpose of +determining suitability, eligibility, or qualification for Federal +civilian employment, military service, Federal contracts, and access to +classified information. These records are exempt from disclosure under 5 +U.S.C. 552a(k)(5) to the extent that the disclosure would reveal the +identity of a source who furnished information to the Government under a +promise of confidentiality, which must be an express promise if the +information was furnished after September 27, 1975. Any individual who +is refused access to a record that would reveal a confidential source +shall be advised in a general way that the record includes information +that would reveal a confidential source. + (d) Records in the following Food and Drug Administration Privacy +Act Records Systems are exempt under 5 U.S.C. 552a(k)(2) and (k)(5) from +the provisions enumerated in paragraph (a)(1) through paragraph (a)(3) +of this section: FDA Records Related to Research Misconduct Proceedings, +HHS/FDA/OC, 09-10-0020. + +[42 FR 15626, Mar. 22, 1977, as amended at 46 FR 8459, Jan. 27, 1981; 50 +FR 52278, Dec. 23, 1985; 78 FR 39186, July 1, 2013] + + + +Sec. 21.65 Access to records in exempt systems. + + (a) Where a Privacy Act Record System is exempt and the requested +records are unavailable under Sec. 21.61, an individual may +nevertheless make a request under Sec. 21.40 for notification +concerning whether any records about him exist and request access to +such records where they are retrieved by his name or other personal +identifier. + (b) An individual making a request under paragraph (a) of this +section; + (1) May be given access to the records where available under part 20 +of this chapter (the public information regulations) or the Commissioner +may, in his discretion, entertain a request under any or all of the +provisions of Sec. Sec. 21.40 through 21.54; and + (2) Shall be given access upon request if the records requested are +subject to 5 U.S.C. 552a(k)(2) and not to 5 U.S.C. 552a(j)(2) (i.e., +because they consist of investigatory material compiled for law +enforcement purposes other than criminal law enforcement purposes) and +maintenance of the records resulted in denial to the individual of + +[[Page 295]] + +any right, benefit, or privilege to which he would otherwise be entitled +by Federal law, or for which he would otherwise be eligible. An +individual given access to a record under this paragraph (b)(2) is not +entitled to seek amendment under subpart E of this part. The FDA may +refuse to disclose a record that would reveal the identity of a source +who furnished information to the Government under a promise of +confidentiality, which must be an express promise if the information was +furnished on or after September 27, 1975. Any individual refused access +to a record that would reveal a confidential source shall be advised in +a general way that the record contains information that would reveal a +confidential source. + (c) The Commissioner shall not make available any record that is +prohibited from public disclosure under Sec. 20.82(b) of this chapter. + (d) Discretionary disclosure of a record pursuant to paragraph +(b)(1) of this section shall not set a precedent for discretionary +disclosure of a similar or related record and shall not obligate the +Commissioner to exercise his discretion to disclose any other record in +a system that is exempt under Sec. 21.61. + + + +Subpart G_Disclosure of Records in Privacy Act Record Systems to Persons + Other Than the Subject Individual + + + +Sec. 21.70 Disclosure and intra-agency use of records in Privacy +Act Record Systems; no accounting required. + + (a) A record about an individual which is contained in a Privacy Act +Record System may be disclosed: + (1) To the individual who is the subject of the record, or his legal +guardian under Sec. 21.75; + (2) To a third party pursuant to a written request by, or within a +written consent of, the individual to whom the record pertains, or his +legal guardian under Sec. 21.75; + (3) To any person: + (i) Where the names and other identifying information are first +deleted, and under circumstances in which the recipient is unlikely to +know the identity of the subject of the record; + (ii) Where disclosure is required by part 20 of this chapter (the +public information regulations); or + (4) Within the Department of Health and Human Services to officers +and employees who have a need for the record in the performance of their +duties in connection with the laws administered and enforced by the Food +and Drug Administration or that govern the agency. For purposes of this +section, officers or employees of the Department shall include the +following categories of individuals, who shall thereafter be subject to +the same restrictions with respect to disclosure as any Food and Drug +Administration employee: Food and Drug Administration consultants and +advisory committees, State and local government employees for use only +in their work with the Food and Drug Administration, and contractors and +their employees to the extent that the records of such contractors are +subject to the requirements of this part under Sec. 21.30. + (b) No accounting is required for any disclosure or use under +paragraph (a) of this section. + + + +Sec. 21.71 Disclosure of records in Privacy Act Record Systems; +accounting required. + + (a) Except as provided in Sec. 21.70, a record about an individual +that is contained in a Privacy Act Record System shall not be disclosed +by any method of communication except under any of the following +circumstances, which are subject to the limitations of paragraphs (b) +and (c) of this section and to the accounting requirement of paragraph +(d) of this section: + (1) To those officers and employees of the agency which maintains +the record who have a need for the record in the perfomance of their +duties; + (2) Required under section 552 of the Freedom of Information Act; + (3) For a routine use as described in the routine use section of +each specific system notice; + (4) To the Bureau of Census for purposes of planning or carrying out +a census or survey or related activity pursuant to the provisions of +title 13 of the U.S. Code; + +[[Page 296]] + + (5) To a recipient who has provided the agency with advance adequate +written assurance that the record will be used solely as a statistical +research or reporting record, and that the record is to be transferred +in a form that is not individually identifiable; + (6) To the National Archives and Records Administration of the +United States as a record which has sufficient historical or other value +to warrant its continued preservation by the U.S. Government, or to the +Archivist of the United States or his or her designee for evaluation to +determine whether the record has such value; + (7) To another agency or to an instrumentality of any government +jurisdiction within or under the control of the United States for a +civil or criminal law enforcement activity if the activity is authorized +by law, and if the head of the agency or instrumentality has made a +written request to the agency which maintains the record specifying the +particular portion desired and the law enforcement activity for which +the record is sought; + (8) To a person pursuant to a showing of compelling circumstances +affecting the health or safety of an individual if, upon such +disclosure, notification is transmitted to the last known address of +such individual; + (9) To either House of Congress or, to the extent of matter within +its jurisdiction, any committee or subcommittee thereof, any joint +committee of Congress or subcommittee of any such joint committee; + (10) To the Comptroller General, or any of his or her authorized +representatives in the course of the performance of the duties of the +General Accounting Office; + (11) Pursuant to the order of a court of competent jurisdiction; or + (12) To a consumer reporting agency in accordance with section 3(d) +of the Federal Claims Collection Act of 1966 (31 U.S.C. 952(d)). (This +``Special Disclosure'' statement does not apply to any FDA system of +records.) + (b) The Food and Drug Administration may in its discretion refuse to +make a disclosure permitted under paragraph (a) of this section, if the +disclosure would in the judgment of the agency, invade the privacy of +the individual or be inconsistent with the purpose for which the +information was collected. + (c) The Food and Drug Administration may require any person +requesting a disclosure of a record under paragraph (a) of this section +to provide: + (1) Information about the purposes to which the disclosed record is +to be put, and + (2) A written statement certifying that the record will be used only +for the stated purposes and will not be further disclosed without the +written permission of the Food and Drug Administration. + + +Under 5 U.S.C. 552a(i)(3), any person who knowingly or willfully +requests or obtains any record concerning an individual from an agency +under false pretenses shall be guilty of a misdemeanor and fined not +more than $5,000. Such person may also be subject to prosecution under +the False Reports to the Government Act, 18 U.S.C. 1001. + (d) An accounting shall be made, in accordance with paragraph (e) of +this section, of any disclosure under paragraph (a) of this section of a +record that is not a disclosure under Sec. 21.70. + (e) Where an accounting is required under paragraph (d) of this +section, the Food and Drug Administration shall: + (1) Record the name and address of the person or agency to whom the +disclosure is made and the date, nature, and purpose of the disclosure. +The accounting shall not be considered a Privacy Act Record System. + (2) Retain the accounting for 5 years or for the life of the record, +whichever is longer, following the disclosure. + (3) Notify those recipients listed in the accounting of amendments +or disputes concerning the records previously disclosed to them pursuant +to Sec. 21.51(d)(3), Sec. 21.53(c), or Sec. 21.54(c). + (4) Except when the record is exempt from individual access and +contest under Sec. 21.61 or to the extent that the accounting describes +a transfer for a law enforcement purpose pursuant to paragraph (a)(7) of +this section, make the accounting available to the individual to whom +the record pertains, in accordance with procedures of subpart D of this +part. + (f) A single accounting may be used to cover disclosure(s) that +consist of a + +[[Page 297]] + +continuing dialogue between two agencies over a prolonged period, such +as discussion of an enforcement action between the Food and Drug +Administration and the Department of Justice. In such cases, a general +notation may be made that, as of a certain date, contract was initiated, +to continue until resolution of the matter. + +[42 FR 15626, Mar. 22, 1977, as amended at 50 FR 52278, Dec. 23, 1985; +54 FR 9038, Mar. 3, 1989] + + + +Sec. 21.72 Individual consent to disclosure of records to other persons. + + (a) Individuals may consent to disclosure of records about +themselves to other persons in several ways, for example: + (1) An individual may give consent at the time that the information +is collected for disclosure for specific purposes or to specific +persons. + (2) An individual may give consent for disclosure of his records to +a specific person. + (3) An individual may request the Food and Drug Administration to +transcribe a specific record for submission to another person. + (b) In each case the consent shall be in writing and shall specify +the individual, organizational unit, or class of individuals or +organizational units to whom the record may be disclosed, which record +may be disclosed, and, if applicable, for what time period. A blanket +consent to release all of an individual's records to unspecified +individuals or organizational units will not be honored. Verification of +the identity of the individual and, where applicable, of the person to +whom the record is to be disclosed shall be made in accordance with +Sec. 21.44. Consent documents shall be retained for a period of at +least 2 years. If such documents are used as a means of accounting for +the disclosure, they shall be retained as provided in Sec. 21.71(e)(2). + + + +Sec. 21.73 Accuracy, completeness, timeliness, and relevance of +records disclosed from Privacy Act Record Systems. + + (a) The Food and Drug Administration shall make reasonable efforts +to assure that a record about an individual in a Privacy Act Record +System is accurate, relevant to a Food and Drug Administration purpose, +timely, and complete before such record is disclosed under Sec. 21.71. + (b) Paragraph (a) of this section shall not apply to disclosures +that are required under part 20 of this chapter (the public information +regulations) or made to other Federal Government departments and +agencies. Where appropriate, the letter disclosing the information shall +indicate that the Food and Drug Administration has not reviewed the +record to assure that it is accurate, relevant, timely, and complete. + + + +Sec. 21.74 Providing notice that a record is disputed. + + Whenever an individual has filed a statement of disagreement with +the Food and Drug Administration concerning a refusal to amend a record +under Sec. 21.51(a)(2) or with another agency that provides the record +to the Food and Drug Administration, the Food and Drug Administration +shall in any subsequent disclosure under this subpart provide a copy of +the statement of disagreement and a concise statement by the agency, if +one has been prepared, of the reasons for not making the amendment(s) +requested. + + + +Sec. 21.75 Rights of legal guardians. + + For the purposes of this part, the parent of any individual who is a +minor or the legal guardian of any individual who has been declared to +be incompetent due to physical or mental incapacity or age by a court of +competent jurisdiction may act on behalf of the individual. + + + +PART 25_ENVIRONMENTAL IMPACT CONSIDERATIONS--Table of Contents + + + + Subpart A_General Provisions + +Sec. +25.1 Purpose. +25.5 Terminology. +25.10 Policies and NEPA planning. + + Subpart B_Agency Actions Requiring Environmental Consideration + +25.15 General procedures. +25.16 Public health and safety emergencies. +25.20 Actions requiring preparation of an environmental assessment. + +[[Page 298]] + +25.21 Extraordinary circumstances. +25.22 Actions requiring the preparation of an environmental impact + statement. + + Subpart C_Categorical Exclusions + +25.30 General. +25.31 Human drugs and biologics. +25.32 Foods, food additives, and color additives. +25.33 Animal drugs. +25.34 Devices and electronic products. +25.35 Tobacco product applications. + + Subpart D_Preparation of Environmental Documents + +25.40 Environmental assessments. +25.41 Findings of no significant impact. +25.42 Environmental impact statements. +25.43 Records of decision. +25.44 Lead and cooperating agencies. +25.45 Responsible agency official. + + Subpart E_Public Participation and Notification of Environmental + Documents + +25.50 General information. +25.51 Environmental assessments and findings of no significant impact. +25.52 Environmental impact statements. + + Subpart F_Other Requirements + +25.60 Environmental effects abroad of major agency actions. + + Authority: 21 U.S.C. 321-393; 42 U.S.C. 262, 263b-264; 42 U.S.C. +4321, 4332; 40 CFR parts 1500-1508; E.O. 11514, 35 FR 4247, 3 CFR, 1971 +Comp., p. 531-533 as amended by E.O. 11991, 42 FR 26967, 3 CFR, 1978 +Comp., p. 123-124 and E.O. 12114, 44 FR 1957, 3 CFR, 1980 Comp., p. 356- +360. + + Source: 62 FR 40592, July 29, 1997, unless otherwise noted. + + + + Subpart A_General Provisions + + + +Sec. 25.1 Purpose. + + The National Environmental Policy Act of 1969 (NEPA), as amended, +directs that, to the fullest extent possible, the policies, regulations, +and public laws of the United States shall be interpreted and +administered in accordance with the policies set forth in NEPA. All +agencies of the Federal Government shall comply with the procedures in +section 102(2) of NEPA except where compliance would be inconsistent +with other statutory requirements. The regulations in this part +implement section 102(2) of NEPA in a manner that is consistent with +FDA's authority under the Federal Food, Drug, and Cosmetic Act and the +Public Health Service Act. This part also supplements the regulations +for implementing the procedural provisions of NEPA that were published +by the Council on Environmental Quality (CEQ) in 40 CFR parts 1500 +through 1508 and the procedures included in the ``HHS General +Administration Manual, part 30: Environmental Protection'' (45 FR 76519 +to 76534, November 19, 1980). + + + +Sec. 25.5 Terminology. + + (a) Definitions that apply to the terms used in this part are set +forth in the CEQ regulations under 40 CFR part 1508. The terms and the +sections of 40 CFR part 1508 in which they are defined follow: + (1) Categorical exclusion (40 CFR 1508.4). + (2) Cooperating agency (40 CFR 1508.5). + (3) Cumulative impact (40 CFR 1508.7). + (4) Effects (40 CFR 1508.8). + (5) Environmental assessment (EA) (40 CFR 1508.9). + (6) Environmental document (40 CFR 1508.10). + (7) Environmental impact statement (EIS) (40 CFR 1508.11). + (8) Federal agency (40 CFR 1508.12). + (9) Finding of no significant impact (40 CFR 1508.13). + (10) Human environment (40 CFR 1508.14). + (11) Lead agency (40 CFR 1508.16). + (12) Legislation (40 CFR 1508.17). + (13) Major Federal action (40 CFR 1508.18). + (14) Mitigation (40 CFR 1508.20). + (15) NEPA process (40 CFR 1508.21). + (16) Notice of intent (40 CFR 1508.22). + (17) Proposal (40 CFR 1508.23). + (18) Scope (40 CFR 1508.25). + (19) Significantly (40 CFR 1508.27). + (b) The following terms are defined solely for the purpose of +implementing the supplemental procedures provided by this part and are +not necessarily applicable to any other statutory or regulatory +requirements: + (1) Abbreviated application applies to an abbreviated new drug +application and an abbreviated new animal drug application. + +[[Page 299]] + + (2) Active moiety means the molecule or ion, excluding those +appended portions of the molecule that cause the drug to be an ester, +salt (including a salt with hydrogen or coordination bonds), or other +noncovalent derivative (such as a complex chelate or clathrate) of the +molecule responsible for the physiological or pharmacological action of +the drug substance. + (3) Agency means the Food and Drug Administration (FDA). + (4) Increased use of a drug or biologic product may occur if the +drug will be administered at higher dosage levels, for longer duration +or for different indications than were previously in effect, or if the +drug is a new molecular entity. The term ``use'' also encompasses +disposal of FDA-regulated articles by consumers. + (5) Responsible agency official means the agency decisionmaker +designated in the delegated authority for the underlying actions. + (c) The following acronyms are used in this part: + (1) CEQ--Council on Environmental Quality. + (2) CGMP--Current good manufacturing practice. + (3) EA--Environmental assessment. + (4) EIS--Environmental impact statement. + (5) The act--Federal Food, Drug, and Cosmetic Act. + (6) FIFRA--Federal Insecticide, Fungicide, and Rodenticide Act. + (7) FONSI--Finding of no significant impact. + (8) GLP--Good laboratory practice. + (9) GRAS--Generally recognized as safe. + (10) HACCP--Hazard analysis critical control point. + (11) IDE--Investigational device exemption. + (12) IND--Investigational new drug application. + (13) INAD--Investigational new animal drug application. + (14) NADA--New animal drug application. + (15) NDA--New drug application. + (16) NEPA--National Environmental Policy Act of 1969. + (17) OTC--Over-the-counter. + (18) PDP--Product development protocol. + (19) PMA--Premarket approval application. + +[62 FR 40592, July 29, 1997, as amended at 64 FR 399, Jan. 5, 1999; 69 +FR 17291, Apr. 2, 2004] + + + +Sec. 25.10 Policies and NEPA planning. + + (a) All FDA's policies and programs will be planned, developed, and +implemented to achieve the policies declared by NEPA and required by +CEQ's regulations to ensure responsible stewardship of the environment +for present and future generations. + (b) Assessment of environmental factors continues throughout +planning and is integrated with other program planning at the earliest +possible time to ensure that planning and decisions reflect +environmental values, to avoid delays later in the process, and to avoid +potential conflicts. + (c) For actions initiated by the agency, the NEPA process will begin +when the agency action under consideration is first identified. For +actions initiated by applicants or petitioners, NEPA planning begins +when FDA receives from an applicant or petitioner an EA or a claim that +a categorical exclusion applies, or when FDA personnel consult with +applicants or petitioners on the NEPA-related aspects of their requested +actions. FDA may issue a public call for environmental data or otherwise +consult with affected individuals or groups when a contemplated action +in which it is or may be involved poses potential significant +environmental effects. + (d) Environmental documents shall concentrate on timely and +significant issues, not amass needless detail. + (e) If a proposed action for which an EIS will be prepared involves +possible environmental effects that are required to be considered under +statutes or Executive Orders other than those referred to under +``Authority'' in this part, these effects shall be considered in the +NEPA review, consistent with 40 CFR 1502.25 and the HHS General +Administration Manual, part 30: Environmental Protection. + +[[Page 300]] + + + + Subpart B_Agency Actions Requiring Environmental Consideration + + + +Sec. 25.15 General procedures. + + (a) All applications or petitions requesting agency action require +the submission of an EA or a claim of categorical exclusion. A claim of +categorical exclusion shall include a statement of compliance with the +categorical exclusion criteria and shall state that to the applicant's +knowledge, no extraordinary circumstances exist. Failure to submit an +adequate EA for an application or petition requesting action by the +agency of a type specified in Sec. 25.20, unless the agency can +determine that the action qualifies for exclusion under Sec. Sec. +25.30, 25.31, 25.32, 25.33, 25.34, or 25.35 is sufficient grounds for +FDA to refuse to file or approve the application or petition. An EA +adequate for filing is one that addresses the relevant environmental +issues. An EA adequate for approval is one that contains sufficient +information to enable the agency to determine whether the proposed +action may significantly affect the quality of the human environment. + (b) The responsible agency officials will evaluate the information +contained in the EA to determine whether it is accurate and objective, +whether the proposed action may significantly affect the quality of the +human environment, and whether an EIS will be prepared. If significant +effects requiring the preparation of an EIS are identified, FDA will +prepare an EIS for the action in accordance with the procedures in +subparts D and E of this part. If significant effects requiring the +preparation of an EIS are not identified, resulting in a decision not to +prepare an EIS, the responsible agency official will prepare a FONSI in +accordance with Sec. 25.41. + (c) Classes of actions that individually or cumulatively do not +significantly affect the quality of the human environment ordinarily are +excluded from the requirement to prepare an EA or an EIS. The classes of +actions that qualify as categorical exclusions are set forth in +Sec. Sec. 25.30, 25.31, 25.32, 25.33, 25.34, or 25.35. + (d) A person submitting an application or petition of a type subject +to categorical exclusion under Sec. Sec. 25.30, 25.31, 25.32, 25.33, +25.34, or 25.35, or proposing to dispose of an article as provided in +Sec. 25.30(d) or 25.32(h), is not required to submit an EA if the +person states that the action requested qualifies for a categorical +exclusion, citing the particular categorical exclusion that is claimed, +and states that to the applicant's knowledge, no extraordinary +circumstances exist. + +[62 FR 40592, July 29, 1997, as amended at 80 FR 57535, Sept. 24, 2015] + + + +Sec. 25.16 Public health and safety emergencies. + + There are certain regulatory actions that, because of their +immediate importance to the public health or safety, may make full +adherence to the procedural provisions of NEPA and CEQ's regulations +impossible. For such actions, the responsible agency official shall +consult with CEQ about alternative arrangements before the action is +taken, or after the action is taken, if time does not permit prior +consultation with CEQ. + + + +Sec. 25.20 Actions requiring preparation of an environmental assessment. + + Any proposed action of a type specified in this section normally +requires at least the preparation of an EA, unless it is an action in a +specific class that qualifies for exclusion under Sec. Sec. 25.30, +25.31, 25.32, 25.33, 25.34, or 25.35: + (a) Major recommendations or reports made to Congress on proposals +for legislation in instances where the agency has primary responsibility +for the subject matter involved. + (b) Destruction or other disposition of articles condemned after +seizure or whose distribution or use has been enjoined, unless +categorically excluded in Sec. Sec. 25.30(d) or 25.32(h). + (c) Destruction or other disposition of articles following detention +or recall at agency request, unless categorically excluded in Sec. Sec. +25.30(d) or 25.32(h). + (d) Disposition of FDA laboratory waste materials, unless +categorically excluded in Sec. 25.30(m). + (e) Intramural and extramural research supported in whole or in part +through contracts, other agreements, or grants, unless categorically +excluded in Sec. 25.30 (e) or (f). + +[[Page 301]] + + (f) Establishment by regulation of labeling requirements, a +standard, or a monograph, unless categorically excluded in Sec. Sec. +25.30(k) or 25.31 (a), (b), (c), (h), (i), or (j), or 25.32 (a) or (p). + (g) Issuance, amendment, and enforcement of FDA regulations, or an +exemption or variance from FDA regulations, unless categorically +excluded in Sec. 25.30 (h), (i), or (j), or Sec. 25.32 (e), (g), (n), +or (p). + (h) Withdrawal of existing approvals of FDA-approved articles, +unless categorically excluded in Sec. Sec. 25.31 (d) or (k), 25.32(m), +or 25.33 (g) or (h). + (i) Approval of food additive petitions and color additive +petitions, approval of requests for exemptions for investigational use +of food additives, the granting of requests for exemption from +regulation as a food additive under Sec. 170.39 of this chapter, and +allowing notifications submitted under 21 U.S.C. 348(h) to become +effective, unless categorically excluded in Sec. 25.32(b), (c), (i), +(j), (k), (l), (o), (q), or (r). + (j) Establishment of a tolerance for unavoidable poisonous or +deleterious substances in food or in packaging materials to be used for +food. + (k) Affirmation of a food substance as GRAS for humans or animals, +on FDA's initiative or in response to a petition, under parts 182, 184, +186, or 582 of this chapter and establishment or amendment of a +regulation for a prior-sanctioned food ingredient, as defined in +Sec. Sec. 170.3(l) and 181.5(a) of this chapter, unless categorically +excluded in Sec. 25.32 (f), (k), or (r). + (l) Approval of NDA's, abbreviated applications, applications for +marketing approval of a biologic product, supplements to such +applications, and actions on IND's, unless categorically excluded in +Sec. 25.31 (a), (b), (c), (e), or (l). + (m) Approval of NADA's, abbreviated applications, supplements, +actions on INAD's, and granting of requests for determination of +eligibility for indexing, unless categorically excluded under Sec. +25.33 (a), (c), (d), or (e). + (n) Approval of PMA's for medical devices, notices of completion of +PDP's for medical devices, authorizations to commence clinical +investigation under an approved PDP, or applications for an IDE, unless +categorically excluded in Sec. 25.34. + (o) Issuance of an order finding a tobacco product substantially +equivalent under the Federal Food, Drug, and Cosmetic Act, or granting +of a request for an exemption under 21 CFR part 1107 from the +requirement of demonstrating substantial equivalence, unless +categorically excluded under Sec. 25.35. + (p) Issuance of an order authorizing marketing of a new tobacco +product under section 910 of the Federal Food, Drug, and Cosmetic Act or +an order authorizing marketing of a modified risk tobacco product under +section 911 of the Federal Food, Drug, and Cosmetic Act, unless +categorically excluded under Sec. 25.35. + +[62 FR 40592, July 29, 1997, as amended at 65 FR 30355, May 11, 2000; 72 +FR 69118, Dec. 6, 2007; 80 FR 57535, Sept. 24, 2015] + + + +Sec. 25.21 Extraordinary circumstances. + + As required under 40 CFR 1508.4, FDA will require at least an EA for +any specific action that ordinarily would be excluded if extraordinary +circumstances indicate that the specific proposed action may +significantly affect the quality of the human environment (see 40 CFR +1508.27 for examples of significant impacts). Examples of such +extraordinary circumstances include: + (a) Actions for which available data establish that, at the expected +level of exposure, there is the potential for serious harm to the +environment; and + (b) Actions that adversely affect a species or the critical habitat +of a species determined under the Endangered Species Act or the +Convention on International Trade in Endangered Species of Wild Flora +and Fauna to be endangered or threatened or wild flora or fauna that are +entitled to special protection under some other Federal law. + + + +Sec. 25.22 Actions requiring the preparation of an environmental +impact statement. + + (a) There are no categories of agency actions that routinely +significantly affect the quality of the human environment and that +therefore ordinarily require the preparation of an EIS. + (b) EIS's are prepared for agency actions when evaluation of data or +information in an EA or otherwise available + +[[Page 302]] + +to the agency leads to a finding by the responsible agency official that +a proposed action may significantly affect the quality of the human +environment. + + + + Subpart C_Categorical Exclusions + + + +Sec. 25.30 General. + + The classes of actions listed in this section and Sec. Sec. 25.31 +through 25.35 are categorically excluded and, therefore, ordinarily do +not require the preparation of an EA or an EIS: + (a) Routine administrative and management activities, including +inspections, and issuance of field compliance programs, program +circulars, or field investigative assignments. + (b) Recommendation for an enforcement action to be initiated in a +Federal court. + (c) Agency requests for initiation of recalls. + (d) Destruction or disposition of any FDA-regulated article +condemned after seizure or the distribution or use of which has been +enjoined or following detention or recall at agency request if the +method of destruction or disposition of the article, including packaging +material, is in compliance with all Federal, State, and local +requirements. + (e) Extramural contracts, other agreements, or grants for +statistical and epidemiological studies, surveys and inventories, +literature searches, and report and manual preparation, or any other +studies that will not result in the production or distribution of any +substance and, therefore, will not result in the introduction of any +substance into the environment. + (f) Extramural contracts, other agreements, and grants for research +for such purposes as to develop analytical methods or other test +methodologies. + (g) Activities of voluntary Federal-State cooperative programs, +including issuance of model regulations proposed for State adoption. + (h) Issuance, amendment, or revocation of procedural or +administrative regulations and guidance documents, including procedures +for submission of applications for product development, testing and +investigational use, and approval. + (i) Corrections and technical changes in regulations. + (j) Issuance of CGMP regulations, HACCP regulations, establishment +standards, emergency permit control regulations, GLP regulations, and +issuance or denial of permits, exemptions, variances, or stays under +these regulations. + (k) Establishment or repeal by regulation of labeling requirements +for marketed articles if there will be no increase in the existing +levels of use or change in the intended uses of the product or its +substitutes. + (l) Routine maintenance and minor construction activities such as: + (1) Repair to or replacement of equipment or structural components +(e.g., door, roof, or window) of facilities controlled by FDA; + (2) Lease extensions, renewals, or succeeding leases; + (3) Construction or lease construction of 10,000 square feet or less +of occupiable space; + (4) Relocation of employees into existing owned or currently leased +space; + (5) Acquisition of 20,000 square feet or less of occupiable space in +a structure that was substantially completed before the issuance of +solicitation for offers; and + (6) Acquisition of between 20,000 square feet and 40,000 square feet +of occupiable space if it constitutes less than 40 percent of the +occupiable space in a structure that was substantially completed before +the solicitation for offers. + (m) Disposal of low-level radioactive waste materials (as defined in +the Nuclear Regulatory Commission regulations at 10 CFR 61.2) and +chemical waste materials generated in the laboratories serviced by the +contracts administered by FDA, if the waste is disposed of in compliance +with all applicable Federal, State, and local requirements. + +[62 FR 40592, July 29, 1997, as amended at 65 FR 56479, Sept. 19, 2000; +80 FR 57535, Sept. 24, 2015] + + + +Sec. 25.31 Human drugs and biologics. + + The classes of actions listed in this section are categorically +excluded and, therefore, ordinarily do not require the preparation of an +EA or an EIS: + +[[Page 303]] + + (a) Action on an NDA, abbreviated application, application for +marketing approval of a biologic product, or a supplement to such +applications, or action on an OTC monograph, if the action does not +increase the use of the active moiety. + (b) Action on an NDA, abbreviated application, or a supplement to +such applications, or action on an OTC monograph, if the action +increases the use of the active moiety, but the estimated concentration +of the substance at the point of entry into the aquatic environment will +be below 1 part per billion. + (c) Action on an NDA, abbreviated application, application for +marketing approval of a biologic product, or a supplement to such +applications, or action on an OTC monograph, for substances that occur +naturally in the environment when the action does not alter +significantly the concentration or distribution of the substance, its +metabolites, or degradation products in the environment. + (d) Withdrawal of approval of an NDA or an abbreviated application. + (e) Action on an IND. + (f) Testing and release by the Food and Drug Administration of lots +or batches of a licensed biologic product. + (g) Establishment of bioequivalence requirements for a human drug or +a comparability determination for a biologic product subject to +licensing. + (h) Issuance, revocation, or amendment of a standard for a biologic +product. + (i) Revocation of a license for a biologic product. + (j) Action on an application for marketing approval for marketing of +a biologic product for transfusable human blood or blood components and +plasma. + +[62 FR 40592, July 29, 1997, as amended at 63 FR 26697, May 13, 1998; 64 +FR 399, Jan. 5, 1999; 70 FR 14980, Mar. 24, 2005] + + + +Sec. 25.32 Foods, food additives, and color additives. + + The classes of actions listed in this section are categorically +excluded and, therefore, ordinarily do not require the preparation of an +EA or an EIS: + (a) Issuance, amendment, or repeal of a food standard. + (b) Action on a request for exemption for investigational use of a +food additive if the food additive to be shipped under the request is +intended to be used for clinical studies or research. + (c) Approval of a color additive petition to change a provisionally +listed color additive to permanent listing for use in food, drugs, +devices, or cosmetics. + (d) Testing and certification of batches of a color additive. + (e) Issuance of an interim food additive regulation. + (f) Affirmation of a food substance as GRAS for humans or animals on +FDA's initiative or in response to a petition, under parts 182, 184, +186, or 582 of this chapter, and establishment or amendment of a +regulation for a prior-sanctioned food ingredient, as defined in +Sec. Sec. 170.3(l) and 181.5(a) of this chapter, if the substance or +food ingredient is already marketed in the United States for the +proposed use. + (g) Issuance and enforcement of regulations relating to the control +of communicable diseases or to interstate conveyance sanitation under +parts 1240 and 1250 of this chapter. + (h) Approval of a request for diversion of adulterated or misbranded +food for humans or animals to use as animal feeds. + (i) Approval of a food additive petition or GRAS affirmation +petition, the granting of a request for exemption from regulation as a +food additive under Sec. 170.39 of this chapter, or allowing a +notification submitted under 21 U.S.C. 348(h) to become effective, when +the substance is present in finished food-packaging material at not +greater than 5 percent-by-weight and is expected to remain with finished +food-packaging material through use by consumers or when the substance +is a component of a coating of a finished food-packaging material. + (j) Approval of a food additive petition or GRAS affirmation +petition, the granting of a request for exemption from regulation as a +food additive under Sec. 170.39 of this chapter, or allowing a +notification submitted under 21 U.S.C. 348(h) to become effective, when +the substance is to be used as a component of a food-contact surface of +permanent or semipermanent equipment + +[[Page 304]] + +or of another food-contact article intended for repeated use. + (k) Approval of a food additive petition, color additive petition, +or GRAS affirmation petition, or allowing a notification submitted under +21 U.S.C. 348(h) to become effective, for substances added directly to +food that are intended to remain in food through ingestion by consumers +and that are not intended to replace macronutrients in food. + (l) Approval of a petition for color additives used in contact +lenses, sutures, filaments used as supporting haptics in intraocular +lenses, bone cement, and in other FDA-regulated products having +similarly low levels of use. + (m) Action to prohibit or otherwise restrict or reduce the use of a +substance in food, food packaging, or cosmetics. + (n) Issuance, amendment, or revocation of a regulation pertaining to +infant formulas. + (o) Approval of a food additive petition for the intended expression +product(s) present in food derived from new plant varieties. + (p) Issuance, amendment, or revocation of a regulation in response +to a reference amount petition as described in Sec. 101.12(h) of this +chapter, a nutrient content claim petition as described in Sec. 101.69 +of this chapter, a health claim petition as described in Sec. 101.70 of +this chapter, or a petition pertaining to the label declaration of +ingredients as described in Sec. 10.30 of this chapter. + (q) Approval of a food additive petition, the granting of a request +for exemption from regulation as a food additive under Sec. 170.39 of +this chapter, or allowing a notification submitted under 21 U.S.C. +348(h) to become effective for a substance registered by the +Environmental Protection Agency under FIFRA for the same use requested +in the petition, request for exemption, or notification. + (r) Approval of a food additive petition, color additive, GRAS +affirmation petition, or allowing a notification submitted under 21 +U.S.C. 348(h) to become effective for a substance that occurs naturally +in the environment, when the action does not alter significantly the +concentration or distribution of the substance, its metabolites, or +degradation products in the environment. + +[62 FR 40592, July 29, 1997, as amended at 65 FR 30355, May 11, 2000; 76 +FR 59248, Sept. 26, 2011] + + + +Sec. 25.33 Animal drugs. + + The classes of actions listed in this section are categorically +excluded and, therefore, ordinarily do not require the preparation of an +EA or an EIS: + (a) Action on an NADA, abbreviated application, request for +determination of eligibility for indexing, a supplement to such +applications, or a modification of an index listing, if the action does +not increase the use of the drug. Actions to which this categorical +exclusion applies may include: + (1) An animal drug to be marketed under the same conditions of +approval as a previously approved animal drug; + (2) A combination of previously approved animal drugs; + (3) A new premix or other formulation of a previously approved +animal drug; + (4) Changes specified in Sec. 514.8(b)(3), (b)(4), or (c)(3) of +this chapter; + (5) A change of sponsor; + (6) A previously approved animal drug to be contained in medicated +feed blocks under Sec. 510.455 of this chapter or as a liquid feed +supplement under Sec. 558.5 of this chapter; or + (7) Approval of a drug for use in animal feeds if such drug has been +approved under Sec. 514.2 or 514.9 of this chapter for other uses. + (b) [Reserved] + (c) Action on an NADA, abbreviated application, request for +determination of eligibility for indexing, a supplement to such +applications, or a modification of an index listing, for substances that +occur naturally in the environment when the action does not alter +significantly the concentration or distribution of the substance, its +metabolites, or degradation products in the environment. + (d) Action on an NADA, abbreviated application, request for +determination of eligibility for indexing, a supplement to such +applications, or a modification of an index listing, for: + (1) Drugs intended for use in nonfood animals; + +[[Page 305]] + + (2) Anesthetics, both local and general, that are individually +administered; + (3) Nonsystemic topical and ophthalmic animal drugs; + (4) Drugs for minor species, including wildlife and endangered +species, when the drug has been previously approved for use in another +or the same species where similar animal management practices are used; +and + (5) Drugs intended for use under prescription or veterinarian's +order for therapeutic use in terrestrial species. + (e) Action on an INAD. + (f) Action on an application submitted under section 512(m) of the +act. + (g) Withdrawal of approval of an NADA or an abbreviated NADA or +removal of a new animal drug from the index. + (h) Withdrawal of approval of a food additive petition that reduces +or eliminates animal feed uses of a food additive. + +[62 FR 40592, July 29, 1997, as amended at 71 FR 74782, Dec. 13, 2006; +72 FR 69119, Dec. 6, 2007] + + + +Sec. 25.34 Devices and electronic products. + + The classes of actions listed in this section are categorically +excluded and, therefore, ordinarily do not require the preparation of an +EA or an EIS: + (a) Action on a device premarket notification submission under +subpart E of part 807 of this chapter. + (b) Classification or reclassification of a device under part 860 of +this chapter, including the establishment of special controls, if the +action will not result in increases in the existing levels of use of the +device or changes in the intended use of the device or its substitutes. + (c) Issuance, amendment, or repeal of a standard for a class II +medical device or an electronic product, and issuance of exemptions or +variances from such a standard. + (d) Approval of a PMA or a notice of completion of a PDP or amended +or supplemental applications or notices for a class III medical device +if the device is of the same type and for the same use as a previously +approved device. + (e) Changes in the PMA or a notice of completion of a PDP for a +class III medical device that do not require submission of an amended or +supplemental application or notice. + (f) Issuance of a restricted device regulation if it will not result +in increases in the existing levels of use or changes in the intended +uses of the product or its substitutes. + (g) Action on an application for an IDE or an authorization to +commence a clinical investigation under an approved PDP. + (h) Issuance of a regulation exempting from preemption a requirement +of a State or political subdivision concerning a device, or a denial of +an application for such exemption. + (i) Approval of humanitarian device exemption under subpart H of +part 814 of this chapter. + +[62 FR 40592, July 29, 1997, as amended at 70 FR 69277, Nov. 15, 2005] + + + +Sec. 25.35 Tobacco product applications. + + The classes of actions listed in this section are categorically +excluded and, therefore, normally do not require the preparation of an +EA or an EIS: + (a) Issuance of an order finding a tobacco product substantially +equivalent under section 910(a)(2)(B) of the Federal Food, Drug, and +Cosmetic Act; + (b) Issuance of an order finding a tobacco product not substantially +equivalent under section 910(a) of the Federal Food, Drug, and Cosmetic +Act, denial of a request for an exemption under 21 CFR part 1107 from +the requirement of demonstrating substantial equivalence, issuance of an +order under section 910(c) of the Federal Food, Drug, and Cosmetic Act +that a new tobacco product may not be introduced or delivered for +introduction into interstate commerce, or issuance of an order under +section 911 of the Federal Food, Drug, and Cosmetic Act that a modified +risk tobacco product may not be introduced or delivered for introduction +into interstate commerce; + (c) Rescission or temporary suspension of an order authorizing the +marketing of a new tobacco product under section 910 of the Federal +Food, Drug, and Cosmetic Act; + +[[Page 306]] + + (d) Rescission of an order authorizing the marketing of a modified +risk tobacco product under section 911 of the Federal Food, Drug, and +Cosmetic Act; and + (e) Rescission of an order granting an exemption request under Sec. +1107.1 of this chapter. + +[80 FR 57535, Sept. 24, 2015] + + + + Subpart D_Preparation of Environmental Documents + + + +Sec. 25.40 Environmental assessments. + + (a) As defined by CEQ in 40 CFR 1508.9, an EA is a concise public +document that serves to provide sufficient evidence and analysis for an +agency to determine whether to prepare an EIS or a FONSI. The EA shall +include brief discussions of the need for the proposal, of alternatives +as required by section 102(2)(E) of NEPA, of the environmental impacts +of the proposed action and alternatives, and a listing of agencies and +persons consulted. An EA shall be prepared for each action not +categorically excluded in Sec. 25.30, Sec. 25.31, Sec. 25.32, Sec. +25.33, or Sec. 25.34, or Sec. 25.35. The EA shall focus on relevant +environmental issues relating to the use and disposal from use of FDA- +regulated articles and shall be a concise, objective, and well-balanced +document that allows the public to understand the agency's decision. If +potentially adverse environmental impacts are identified for an action +or a group of related actions, the EA shall discuss any reasonable +alternative course of action that offers less environmental risk or that +is environmentally preferable to the proposed action. The use of a +scientifically justified tiered testing approach, in which testing may +be stopped when the results suggest that no significant impact will +occur, is an acceptable approach. + (b) Generally, FDA requires an applicant to prepare an EA and make +necessary corrections to it. Ultimately, FDA is responsible for the +scope and content of EA's and may include additional information in +environmental documents when warranted. + (c) Information concerning the nature and scope of information that +an applicant or petitioner shall submit in an EA may be obtained from +the center or other office of the agency having responsibility for the +action that is the subject of the environmental evaluation. Applicants +and petitioners are encouraged to submit proposed protocols for +environmental studies for technical review by agency staff. Applicants +and petitioners also are encouraged to consult applicable FDA EA +guidance documents, which provide additional advice on how to comply +with FDA regulations. + (d) Consistent with 40 CFR 1500.4(j) and 1502.21, EA's may +incorporate by reference information presented in other documents that +are available to FDA and to the public. + (e) The agency evaluates the information contained in an EA and any +public input to determine whether it is accurate and objective, whether +the proposed action may significantly affect the quality of the human +environment, and whether an EIS or a FONSI will be prepared. The +responsible agency official examines the environmental risks of the +proposed action and the alternative courses of action, selects a course +of action, and ensures that any necessary mitigating measures are +implemented as a condition for approving the selected course of action. + +[62 FR 40592, July 29, 1997, as amended at 69 FR 17291, Apr. 2, 2004; 80 +FR 57535, Sept. 24, 2015] + + + +Sec. 25.41 Findings of no significant impact. + + (a) As defined by the CEQ regulations (40 CFR 1508.13), a FONSI is a +document prepared by a Federal agency stating briefly why an action, not +otherwise excluded, will not significantly affect the human environment +and for which, therefore, an EIS will not be prepared. A FONSI includes +the EA or a summary of it and a reference to any other related +environmental documents. + (b) The agency official(s) responsible for approving the FONSI will +sign the document, thereby establishing that the official(s) approve(s) +the conclusion not to prepare an EIS for the action under consideration. + +[[Page 307]] + + + +Sec. 25.42 Environmental impact statements. + + (a) As defined by CEQ regulations (40 CFR 1508.11) and section +102(2)(C) of NEPA, an EIS should be a clear, concise, and detailed +written statement describing: + (1) The environmental impacts of a proposed action; + (2) Any adverse effects that cannot be avoided if the action is +implemented; + (3) Alternatives to the action; + (4) The relationship between local short-term uses of the +environment and the maintenance and enhancement of long-term +productivity; and + (5) Any irreversible and irretrievable commitments of resources that +would be involved in the proposed action should it be implemented. + (b) The CEQ regulations (40 CFR 1501.7 and part 1502) describe the +process for determining the scope of an EIS and provide detailed +requirements for the preparation of draft and final EIS's. CEQ format +and procedures for preparing EIS shall be followed. + (c) Under the conditions prescribed in 40 CFR 1502.9, the agency +will prepare a supplement for a draft or final EIS and introduce the +supplement into the administrative record. + + + +Sec. 25.43 Records of decision. + + (a) In cases requiring environmental impact statements, at the time +of its decision, the agency shall prepare a concise public record of +decision. + (b) The record of decision shall: + (1) State what the decision was; + (2) Identify and discuss alternatives considered by the agency in +reaching its decision; + (3) State whether all practicable means to avoid or minimize +environmental harm have been adopted, and if not, why not; and + (4) Summarize the program for monitoring and enforcing the +practicable means adopted to avoid or minimize the environmental harm. + + + +Sec. 25.44 Lead and cooperating agencies. + + For actions requiring the preparation of an EIS, FDA and other +affected Federal agencies will agree which will be the lead agency and +which will be the cooperating agencies. The responsibilities of lead +agencies and cooperating agencies are described in the CEQ regulations +(40 CFR 1501.5 and 1501.6, respectively). If an action affects more than +one center within FDA, the Commissioner of Food and Drugs will designate +one of these units to be responsible for coordinating the preparation of +any required environmental documentation. + + + +Sec. 25.45 Responsible agency official. + + (a) The responsible agency official prepares the environmental +documents or ensures that they are prepared. + (b) The responsible agency official will weigh any environmental +impacts of each alternative course of action, including possible +mitigation measures, and will balance environmental impacts with the +agency's objectives in choosing an appropriate course of action. The +weighing of any environmental impacts of alternatives in selecting a +final course of action will be reflected in the agency's record of +formal decisionmaking as required by 40 CFR 1505.2. + +[62 FR 40592, July 29, 1997, as amended at 69 FR 17291, Apr. 2, 2004] + + + + Subpart E_Public Participation and Notification of Environmental + Documents + + + +Sec. 25.50 General information. + + (a) To the extent actions are not protected from disclosure by +existing law applicable to the agency's operation, FDA will involve the +public in preparing and implementing its NEPA procedures and will +provide public notice of NEPA-related hearings, public meetings, and the +availability of environmental documents. + (b) Many FDA actions involving investigations, review, and approval +or market authorization of applications, and premarket notifications for +human drugs, animal drugs, biologic products, devices, and tobacco +products are protected from disclosure under the Trade Secret Act, 18 +U.S.C. 1905, and section 301(j) of the Federal Food, Drug, and Cosmetic +Act. These actions are also protected from disclosure under FDA's +regulations including part 20, Sec. Sec. 312.130(a), 314.430(b), +514.11(b), 514.12(a), 601.50(a), 601.51(a), 807.95(b), 812.38(a), and +814.9(b) of this chapter. + +[[Page 308]] + +Even the existence of applications for human drugs, animal drugs, +biologic products, devices, and tobacco products is protected from +disclosure under these regulations. Therefore, unless the existence of +applications for human drugs, animal drugs, biologic products, tobacco +products, or premarket notification for devices has been made publicly +available, the release of the environmental document before approval or +authorization of human drugs, animal drugs, biologic products, devices +and tobacco products is inconsistent with statutory requirements imposed +on FDA. Appropriate environmental documents, comments, and responses +will be included in the administrative record to the extent allowed by +applicable laws. + +[62 FR 40592, July 29, 1997, as amended at 80 FR 57535, Sept. 24, 2015] + + + +Sec. 25.51 Environmental assessments and findings of no significant +impact. + + (a) Data and information that are protected from disclosure by 18 +U.S.C. 1905 or 21 U.S.C. 331(j) or 360j(c) shall not be included in the +portion of environmental documents that is made public. When such data +and information are pertinent to the environmental review of a proposed +action, an applicant or petitioner shall submit such data and +information separately in a confidential section and shall summarize the +confidential data and information in the EA to the extent possible. + (b) FONSI's and EA's will be available to the public in accordance +with 40 CFR 1506.6 as follows: + (1) When the proposed action is the subject of a notice of proposed +rulemaking or a notice of filing published in the Federal Register, the +notice shall state that no EIS is necessary and that the FONSI and the +EA are available for public inspection at FDA's Division of Dockets +Management. If the responsible agency official is unable to complete +environmental consideration of the proposed action before a notice of +filing of a food or color additive petition is required to be published +under the act, and if the subsequent environmental analysis leads to the +conclusion that no EIS is necessary, the final regulation rather than +the notice of filing shall state that no EIS is necessary and that the +FONSI and the EA are available upon request and filed in FDA's Division +of Dockets Management. + (2) For actions for which notice is not published in the Federal +Register, the FONSI and the EA shall be made available to the public +upon request according to the procedures in 40 CFR 1506.6. + (3) For a limited number of actions, the agency may make the FONSI +and EA available for public review (including review by State and +areawide information clearinghouses) for 30 days before the agency makes +its final determination whether to prepare an EIS and before the action +may begin, as described in 40 CFR 1501.4(e). This procedure will be +followed when the proposed action is, or is closely similar to, one that +normally requires an EIS or when the proposed action is one without +precedent. + + + +Sec. 25.52 Environmental impact statements. + + (a) If FDA determines that an EIS is necessary for an action +involving investigations, approvals, or market authorizations for drugs, +animal drugs, biologic products, devices, or tobacco products, an EIS +will be prepared but will become available only at the time of the +approval or market authorization of the product. The EIS will in all +other respects conform to the requirements for EIS's as specified in 40 +CFR part 1502 and 1506.6(f). + (b) Comments on the EIS may be submitted after the approval or +market authorization of the drug, animal drug, biologic product, device, +or tobacco product. Those comments can form the basis for the Agency to +consider beginning an action to withdraw the approval or market +authorization of applications for a drug, animal drug, biologic product, +or tobacco product, or to withdraw premarket notifications or premarket +approval applications for devices. + (c) In those cases where the existence of applications and premarket +notifications for drugs, animal drugs, biologic products, devices, or +tobacco products has already been disclosed before the + +[[Page 309]] + +Agency approves the action, the Agency will ensure appropriate public +involvement consistent with 40 CFR 1506.6 and part 1503 in preparing and +implementing the NEPA procedures related to preparing EISs while +following its own disclosure requirements including those listed in part +20 and Sec. Sec. 312.130(b), 314.430(d), 514.11(d), 514.12(b), +601.51(d), 807.95(e), 812.38(b), and 814.9(d) of this chapter. + (d) Draft and final EIS's, comments, and responses will be included +in the administrative record and will be available from the Division of +Dockets Management (HFA-305), Food and Drug Administration, 5630 Fishers +Lane, rm. 1061, Rockville, MD 20852. + +[62 FR 40592, July 29, 1997, as amended at 68 FR 24879, May 9, 2003; 80 +FR 57535, Sept. 24, 2015] + + + + Subpart F_Other Requirements + + + +Sec. 25.60 Environmental effects abroad of major agency actions. + + (a) In accordance with Executive Order 12114, ``Environmental +Effects Abroad of Major Federal Actions'' of January 4, 1979 (44 FR +1957, January 9, 1979), the responsible agency official, in analyzing +actions under his or her program, shall consider the environmental +effects abroad, including whether the actions involve: + (1) Potential environmental effects on the global commons and areas +outside the jurisdiction of any nation, e.g., oceans and the upper +atmosphere. + (2) Potential environmental effects on a foreign nation not +participating with or otherwise involved in an FDA activity. + (3) The export of products (or emissions) that in the United States +are prohibited or strictly regulated because their effects on the +environment create a serious public health risk. + (4) Potential environmental effects on natural and ecological +resources of global importance designated under the Executive Order. + (b) Before deciding on any action falling into the categories +specified in paragraph (a) of this section, the responsible agency +official shall determine, in accordance with section 2-3 of the +Executive Order, whether such actions may have a significant +environmental effect abroad. + (c) If the responsible agency official determines that an action may +have a significant environmental effect abroad, the responsible agency +official shall determine, in accordance with section 2-4 (a) and (b) of +the Executive Order, whether the subject action calls for: + (1) An EIS; + (2) A bilateral or multilateral environmental study; or + (3) A concise environmental review. + (d) In preparing environmental documents under this subpart, the +responsible official shall: + (1) Determine, as provided in section 2-5 of the Executive Order, +whether proposed actions are subject to the exemptions, exclusions, and +modification in contents, timing, and availability of documents. + (2) Coordinate all communications with foreign governments +concerning environmental agreements and other arrangements in +implementing the Executive Order. + + + + PART 26_MUTUAL RECOGNITION OF PHARMACEUTICAL GOOD MANUFACTURING + PRACTICE REPORTS, MEDICAL DEVICE QUALITY SYSTEM AUDIT REPORTS, AND + CERTAIN MEDICAL DEVICE PRODUCT EVALUATION REPORTS: UNITED STATES AND + THE EUROPEAN COMMUNITY--Table of Contents + + + +Sec. +26.0 General. + + Subpart A_Specific Sector Provisions for Pharmaceutical Good + Manufacturing Practices + +26.1 Definitions. +26.2 Purpose. +26.3 Scope. +26.4 Product coverage. +26.5 Length of transition period. +26.6 Equivalence assessment. +26.7 Participation in the equivalence assessment and determination. +26.8 Other transition activities. +26.9 Equivalence determination. +26.10 Regulatory authorities not listed as currently equivalent. +26.11 Start of operational period. +26.12 Nature of recognition of inspection reports. + +[[Page 310]] + +26.13 Transmission of postapproval inspection reports. +26.14 Transmission of preapproval inspection reports. +26.15 Monitoring continued equivalence. +26.16 Suspension. +26.17 Role and composition of the Joint Sectoral Committee. +26.18 Regulatory collaboration. +26.19 Information relating to quality aspects. +26.20 Alert system. +26.21 Safeguard clause. + +Appendix A to Subpart A of Part 26--List of Applicable Laws, + Regulations, and Administrative Provisions. +Appendix B to Subpart A of Part 26--List of Authorities. +Appendix C to Subpart A of Part 26--Indicative List of Products Covered + by Subpart A. +Appendix D to Subpart A of Part 26--Criteria for Assessing Equivalence + for Post- and Preapproval. +Appendix E to Subpart A of Part 26--Elements To Be Considered in + Developing a Two-Way Alert System. + + Subpart B_Specific Sector Provisions for Medical Devices + +26.31 Purpose. +26.32 Scope. +26.33 Product coverage. +26.34 Regulatory authorities. +26.35 Length and purpose of transition period. +26.36 Listing of CAB's. +26.37 Confidence building activities. +26.38 Other transition period activities. +26.39 Equivalence assessment. +26.40 Start of the operational period. +26.41 Exchange and endorsement of quality system evaluation reports. +26.42 Exchange and endorsement of product evaluation reports. +26.43 Transmission of quality system evaluation reports. +26.44 Transmission of product evaluation reports. +26.45 Monitoring continued equivalence. +26.46 Listing of additional CAB's. +26.47 Role and composition of the Joint Sectoral Committee. +26.48 Harmonization. +26.49 Regulatory cooperation. +26.50 Alert system and exchange of postmarket vigilance reports. + +Appendix A to Subpart B of Part 26--Relevant Legislation, Regulations, + and Procedures. +Appendix B to Subpart B of Part 26--Scope of Product Coverage. +Appendixes C-F to Subpart B of Part 26 [Reserved] + + Subpart C_``Framework'' Provisions + +26.60 Definitions. +26.61 Purpose of this part. +26.62 General obligations. +26.63 General coverage of this part. +26.64 Transitional arrangements. +26.65 Designating authorities. +26.66 Designation and listing procedures. +26.67 Suspension of listed conformity assessment bodies. +26.68 Withdrawal of listed conformity assessment bodies. +26.69 Monitoring of conformity assessment bodies. +26.70 Conformity assessment bodies. +26.71 Exchange of information. +26.72 Sectoral contact points. +26.73 Joint Committee. +26.74 Preservation of regulatory authority. +26.75 Suspension of recognition obligations. +26.76 Confidentiality. +26.77 Fees. +26.78 Agreements with other countries. +26.79 Territorial application. +26.80 Entry into force, amendment, and termination. +26.81 Final provisions. + + Authority: 5 U.S.C. 552; 15 U.S.C. 1453, 1454, 1455; 18 U.S.C. 1905; +21 U.S.C. 321, 331, 351, 352, 355, 360, 360b, 360c, 360d, 360e, 360f, +360g, 360h, 360i, 360j, 360l, 360m, 371, 374, 381, 382, 383, 393; 42 +U.S.C. 216, 241, 242l, 262, 264, 265. + + Source: 63 FR 60141, Nov. 6, 1998, unless otherwise noted. + + + +Sec. 26.0 General. + + This part substantially reflects relevant provisions of the +framework agreement and its sectoral annexes on pharmaceutical good +manufacturing practices (GMP's) and medical devices of the ``Agreement +on Mutual Recognition Between the United States of America and the +European Community'' (the MRA), signed at London May 18, 1998. For +codification purposes, certain provisions of the MRA have been modified +for use in this part. This modification is done for purposes of clarity +only and shall not affect the text of the MRA concluded between the +United States and the European Community (EC), or the rights and +obligations of the United States or the EC under that agreement. Whereas +the parties to the MRA are the United States and EC, this part is +relevant only to the Food and Drug Administration's (FDA's) +implementation of the MRA, including the sectoral annexes reflected in +subparts A and B of this + +[[Page 311]] + +part. This part does not govern implementation of the MRA by the EC, +which will implement the MRA in accordance with its internal procedures, +nor does this part address implementation of the MRA by other concerned +U.S. Federal agencies. For purposes of this part, the terms ``party'' or +``parties,'' where relevant to FDA's implementation of the MRA, should +be considered as referring to FDA only. If the parties to the MRA +subsequently amend or terminate the MRA, FDA will modify this part +accordingly, using appropriate administrative procedures. + + + + Subpart A_Specific Sector Provisions for Pharmaceutical Good + Manufacturing Practices + + + +Sec. 26.1 Definitions. + + (a) Enforcement means action taken by an authority to protect the +public from products of suspect quality, safety, and effectiveness or to +assure that products are manufactured in compliance with appropriate +laws, regulations, standards, and commitments made as part of the +approval to market a product. + (b) Equivalence of the regulatory systems means that the systems are +sufficiently comparable to assure that the process of inspection and the +ensuing inspection reports will provide adequate information to +determine whether respective statutory and regulatory requirements of +the authorities have been fulfilled. Equivalence does not require that +the respective regulatory systems have identical procedures. + (c) Good Manufacturing Practices (GMP's). [The United States has +clarified its interpretation that under the MRA, paragraph (c)(1) of +this section has to be understood as the U.S. definition and paragraph +(c)(2) as the EC definition.] + (1) GMP's mean the requirements found in the legislations, +regulations, and administrative provisions for methods to be used in, +and the facilities or controls to be used for, the manufacturing, +processing, packing, and/or holding of a drug to assure that such drug +meets the requirements as to safety, and has the identity and strength, +and meets the quality and purity characteristics that it purports or is +represented to possess. + (2) GMP's are that part of quality assurance which ensures that +products are consistently produced and controlled to quality standards. +For the purpose of this subpart, GMP's include, therefore, the system +whereby the manufacturer receives the specifications of the product and/ +or process from the marketing authorization/product authorization or +license holder or applicant and ensures the product is made in +compliance with its specifications (qualified person certification in +the EC). + (d) Inspection means an onsite evaluation of a manufacturing +facility to determine whether such manufacturing facility is operating +in compliance with GMP's and/or commitments made as part of the approval +to market a product. + (e) Inspection report means the written observations and GMP's +compliance assessment completed by an authority listed in appendix B of +this subpart. + (f) Regulatory system means the body of legal requirements for +GMP's, inspections, and enforcements that ensure public health +protection and legal authority to assure adherence to these +requirements. + +[63 FR 60141, Nov. 6, 1998; 64 FR 16348, Apr. 5, 1999] + + + +Sec. 26.2 Purpose. + + The provisions of this subpart govern the exchange between the +parties and normal endorsement by the receiving regulatory authority of +official good manufacturing practices (GMP's) inspection reports after a +transitional period aimed at determination of the equivalence of the +regulatory systems of the parties, which is the cornerstone of this +subpart. + + + +Sec. 26.3 Scope. + + (a) The provisions of this subpart shall apply to pharmaceutical +inspections carried out in the United States and Member States of the +European Community (EC) before products are marketed (hereafter referred +to as ``preapproval inspections'') as well as + +[[Page 312]] + +during their marketing (hereafter referred to as ``postapproval +inspections''). + (b) Appendix A of this subpart names the laws, regulations, and +administrative provisions governing these inspections and the good +manufacturing practices (GMP's) requirements. + (c) Appendix B of this subpart lists the authorities participating +in activities under this subpart. + (d) Sections 26.65, 26.66, 26.67, 26.68, 26.69, and 26.70 of subpart +C of this part do not apply to this subpart. + + + +Sec. 26.4 Product coverage. + + (a) The provisions of this subpart will apply to medicinal products +for human or animal use, intermediates and starting materials (as +referred to in the European Community (EC)) and to drugs for human or +animal use, biological products for human use, and active pharmaceutical +ingredients (as referred to in the United States), only to the extent +they are regulated by the authorities of both parties as listed in +appendix B of this subpart. + (b) Human blood, human plasma, human tissues and organs, and +veterinary immunologicals (under 9 CFR 101.2, ``veterinary +immunologicals'' are referred to as ``veterinary biologicals'') are +excluded from the scope of this subpart. Human plasma derivatives (such +as immunoglobulins and albumin), investigational medicinal products/new +drugs, human radiopharmaceuticals, and medicinal gases are also excluded +during the transition phase; their situation will be reconsidered at the +end of the transition period. Products regulated by the Food and Drug +Administration's Center for Biologics Evaluation and Research or Center +for Drug Evaluation and Research as devices are not covered under this +subpart. + (c) Appendix C of this subpart contains an indicative list of +products covered by this subpart. + +[63 FR 60141, Nov. 6, 1998, as amended at 70 FR 14980, Mar. 24, 2005] + + + +Sec. 26.5 Length of transition period. + + A 3-year transition period will start immediately after the +effective date described in Sec. 26.80(a). + + + +Sec. 26.6 Equivalence assessment. + + (a) The criteria to be used by the parties to assess equivalence are +listed in appendix D of this subpart. Information pertaining to the +criteria under European Community (EC) competence will be provided by +the EC. + (b) The authorities of the parties will establish and communicate to +each other their draft programs for assessing the equivalence of the +respective regulatory systems in terms of quality assurance of the +products and consumer protection. These programs will be carried out, as +deemed necessary by the regulatory authorities, for post- and +preapproval inspections and for various product classes or processes. + (c) The equivalence assessment shall include information exchanges +(including inspection reports), joint training, and joint inspections +for the purpose of assessing regulatory systems and the authorities' +capabilities. In conducting the equivalence assessment, the parties will +ensure that efforts are made to save resources. + (d) Equivalence assessment for authorities added to appendix B of +this subpart after the effective date described in Sec. 26.80(a) will +be conducted as described in this subpart, as soon as practicable. + + + +Sec. 26.7 Participation in the equivalence assessment and determination. + + The authorities listed in appendix B of this subpart will actively +participate in these programs to build a sufficient body of evidence for +their equivalence determination. Both parties will exercise good faith +efforts to complete equivalence assessment as expeditiously as possible +to the extent the resources of the authorities allow. + + + +Sec. 26.8 Other transition activities. + + As soon as possible, the authorities will jointly determine the +essential information which must be present in inspection reports and +will cooperate to develop mutually agreed inspection report format(s). + +[[Page 313]] + + + +Sec. 26.9 Equivalence determination. + + (a) Equivalence is established by having in place regulatory systems +covering the criteria referred to in appendix D of this subpart, and a +demonstrated pattern of consistent performance in accordance with these +criteria. A list of authorities determined as equivalent shall be agreed +to by the Joint Sectoral Committee at the end of the transition period, +with reference to any limitation in terms of inspection type (e.g., +postapproval or preapproval) or product classes or processes. + (b) The parties will document insufficient evidence of equivalence, +lack of opportunity to assess equivalence or a determination of +nonequivalence, in sufficient detail to allow the authority being +assessed to know how to attain equivalence. + + + +Sec. 26.10 Regulatory authorities not listed as currently equivalent. + + Authorities not currently listed as equivalent, or not equivalent +for certain types of inspections, product classes or processes may apply +for reconsideration of their status once the necessary corrective +measures have been taken or additional experience is gained. + + + +Sec. 26.11 Start of operational period. + + (a) The operational period shall start at the end of the transition +period and its provisions apply to inspection reports generated by +authorities listed as equivalent for the inspections performed in their +territory. + (b) In addition, when an authority is not listed as equivalent based +on adequate experience gained during the transition period, the Food and +Drug Administration (FDA) will accept for normal endorsement (as +provided in Sec. 26.12) inspection reports generated as a result of +inspections conducted jointly by that authority on its territory and +another authority listed as equivalent, provided that the authority of +the Member State in which the inspection is performed can guarantee +enforcement of the findings of the inspection report and require that +corrective measures be taken when necessary. FDA has the option to +participate in these inspections, and based on experience gained during +the transition period, the parties will agree on procedures for +exercising this option. + (c) In the European Community (EC), the qualified person will be +relieved of responsibility for carrying the controls laid down in +Article 22 paragraph 1(b) of Council Directive 75/319/EEC (see appendix +A of this subpart) provided that these controls have been carried out in +the United States and that each batch/lot is accompanied by a batch +certificate (in accordance with the World Health Organization +Certification Scheme on the Quality of Medicinal Products) issued by the +manufacturer certifying that the product complies with requirements of +the marketing authorization and signed by the person responsible for +releasing the batch/lot. + + + +Sec. 26.12 Nature of recognition of inspection reports. + + (a) Inspection reports (containing information as established under +Sec. 26.8), including a good manufacturing practice (GMP) compliance +assessment, prepared by authorities listed as equivalent, will be +provided to the authority of the importing party. Based on the +determination of equivalence in light of the experience gained, these +inspection reports will normally be endorsed by the authority of the +importing party, except under specific and delineated circumstances. +Examples of such circumstances include indications of material +inconsistencies or inadequacies in an inspection report, quality defects +identified in the postmarket surveillance or other specific evidence of +serious concern in relation to product quality or consumer safety. In +such cases, the authority of the importing party may request +clarification from the authority of the exporting party which may lead +to a request for reinspection. The authorities will endeavor to respond +to requests for clarification in a timely manner. + (b) Where divergence is not clarified in this process, an authority +of the importing country may carry out an inspection of the production +facility. + +[[Page 314]] + + + +Sec. 26.13 Transmission of postapproval inspection reports. + + Postapproval good manufacturing practice (GMP) inspection reports +concerning products covered by this subpart will be transmitted to the +authority of the importing country within 60-calendar days of the +request. Should a new inspection be needed, the inspection report will +be transmitted within 90-calendar days of the request. + + + +Sec. 26.14 Transmission of preapproval inspection reports. + + (a) A preliminary notification that an inspection may have to take +place will be made as soon as possible. + (b) Within 15-calendar days, the relevant authority will acknowledge +receipt of the request and confirm its ability to carry out the +inspection. In the European Community (EC), requests will be sent +directly to the relevant authority, with a copy to the European Agency +for the Evaluation of Medicinal Products (EMEA). If the authority +receiving the request cannot carry out the inspection as requested, the +requesting authority shall have the right to conduct the inspection. + (c) Reports of preapproval inspections will be sent within 45- +calendar days of the request that transmitted the appropriate +information and detailed the precise issues to be addressed during the +inspection. A shorter time may be necessary in exceptional cases and +these will be described in the request. + + + +Sec. 26.15 Monitoring continued equivalence. + + Monitoring activities for the purpose of maintaining equivalence +shall include review of the exchange of inspection reports and their +quality and timeliness; performance of a limited number of joint +inspections; and the conduct of common training sessions. + + + +Sec. 26.16 Suspension. + + (a) Each party has the right to contest the equivalence of a +regulatory authority. This right will be exercised in an objective and +reasoned manner in writing to the other party. + (b) The issue shall be discussed in the Joint Sectoral Committee +promptly upon such notification. Where the Joint Sectoral Committee +determines that verification of equivalence is required, it may be +carried out jointly by the parties in a timely manner, under Sec. 26.6. + (c) Efforts will be made by the Joint Sectoral Committee to reach +unanimous consent on the appropriate action. If agreement to suspend is +reached in the Joint Sectoral Committee, an authority may be suspended +immediately thereafter. If no agreement is reached in the Joint Sectoral +Committee, the matter is referred to the Joint Committee as described in +Sec. 26.73. If no unanimous consent is reached within 30 days after +such notification, the contested authority will be suspended. + (d) Upon the suspension of authority previously listed as +equivalent, a party is no longer obligated to normally endorse the +inspection reports of the suspended authority. A party shall continue to +normally endorse the inspection reports of that authority prior to +suspension, unless the authority of the receiving party decides +otherwise based on health or safety considerations. The suspension will +remain in effect until unanimous consent has been reached by the parties +on the future status of that authority. + + + +Sec. 26.17 Role and composition of the Joint Sectoral Committee. + + (a) A Joint Sectoral Committee is set up to monitor the activities +under both the transitional and operational phases of this subpart. + (b) The Joint Sectoral Committee will be cochaired by a +representative of the Food and Drug Administration (FDA) for the United +States and a representative of the European Community (EC) who each will +have one vote. Decisions will be taken by unanimous consent. + (c) The Joint Sectoral Committee's functions will include: + (1) Making a joint assessment, which must be agreed by both parties, +of the equivalence of the respective authorities; + (2) Developing and maintaining the list of equivalent authorities, +including any limitation in terms of inspecting type or products, and +communicating + +[[Page 315]] + +the list to all authorities and the Joint Committee; + (3) Providing a forum to discuss issues relating to this subpart, +including concerns that an authority may be no longer equivalent and +opportunity to review product coverage; and + (4) Consideration of the issue of suspension. + (d) The Joint Sectoral Committee shall meet at the request of either +party and, unless the cochairs otherwise agree, at least once each year. +The Joint Committee will be kept informed of the agenda and conclusions +of meetings of the Joint Sectoral Committee. + + + +Sec. 26.18 Regulatory collaboration. + + (a) The parties and authorities shall inform and consult one +another, as permitted by law, on proposals to introduce new controls or +to change existing technical regulations or inspection procedures and to +provide the opportunity to comment on such proposals. + (b) The parties shall notify each other in writing of any changes to +appendix B of this subpart. + + + +Sec. 26.19 Information relating to quality aspects. + + The authorities will establish an appropriate means of exchanging +information on any confirmed problem reports, corrective actions, +recalls, rejected import consignments, and other regulatory and +enforcement problems for products subject to this subpart. + + + +Sec. 26.20 Alert system. + + (a) The details of an alert system will be developed during the +transitional period. The system will be maintained in place at all +times. Elements to be considered in developing such a system are +described in appendix E of this subpart. + (b) Contact points will be agreed between both parties to permit +authorities to be made aware with the appropriate speed in case of +quality defect, recalls, counterfeiting, and other problems concerning +quality, which could necessitate additional controls or suspension of +the distribution of the product. + + + +Sec. 26.21 Safeguard clause. + + Each party recognizes that the importing country has a right to +fulfill its legal responsibilities by taking actions necessary to ensure +the protection of human and animal health at the level of protection it +deems appropriate. This includes the suspension of the distribution, +product detention at the border of the importing country, withdrawal of +the batches and any request for additional information or inspection as +provided in Sec. 26.12. + + + + Sec. Appendix A to Subpart A of Part 26--List of Applicable Laws, + Regulations, and Administrative Provisions + + 1. For the European Community (EC): + + [Copies of EC documents may be obtained from the European Document +Research, 1100 17th St. NW., suite 301, Washington, DC 20036. EC +documents may be viewed on the European Commission Pharmaceuticals Units +web site at http://dg3.eudra.org.] +Council Directive 65/65/EEC of 26 January 1965 on the approximation of +provisions laid down by law, regulation, or administrative action +relating to proprietary medicinal products as extended, widened, and +amended. +Council Directive 75/319/EEC of 20 May 1975 on the approximation of +provisions laid down by law, regulation or administrative action +relating to proprietary medicinal products as extended, widened and +amended. +Council Directive 81/851/EEC of 28 September 1981 on the approximation +of the laws of the Member States relating to veterinary medicinal +products, as widened and amended. +Commission Directive 91/356/EEC of 13 June 1991 laying down the +principles and guidelines of good manufacturing practice for medicinal +products for human use. +Commission Directive 91/412/EEC of 23 July 1991 laying down the +principles and guidelines of good manufacturing practice for veterinary +medicinal products. +Council Regulation EEC No 2309/93 of 22 July 1993 laying down Community +procedures for the authorization and supervision of medicinal products +for human and veterinary use and establishing a European Agency for the +Evaluation of Medicinal Products. +Council Directive 92/25/EEC of 31 March 1992 on the wholesale +distribution of medicinal products for human use. +Guide to Good Distribution Practice (94/C 63/03). +Current version of the Guide to Good Manufacturing Practice, Rules +Governing Medicinal Products in the European Community, Volume IV. + +[[Page 316]] + + 2. For the United States: + + [Copies of FDA documents may be obtained from the Government +Printing Office, 1510 H St. NW., Washington, DC 20005. FDA documents, +except the FDA Compliance Program Guidance Manual, may be viewed on +FDA's Internet web site at http://www.fda.gov.] +Relevant sections of the United States Federal Food, Drug, and Cosmetic +Act and the United States Public Health Service Act. +Relevant sections of Title 21, United States Code of Federal Regulations +(CFR) Parts 1-99, Parts 200-299, Parts 500-599, and Parts 600-799. +Relevant sections of the FDA Investigations Operations Manual, the FDA +Regulatory Procedures Manual, the FDA Compliance Policy Guidance Manual, +the FDA Compliance Program Guidance Manual, and other FDA guidances. + + + + Sec. Appendix B to Subpart A of Part 26--List of Authorities + +1. For the United States: In the United States, the regulatory authority + is the Food and Drug Administration. + +2. For the European Community: In the European Community, the regulatory + authorities are the following: + +Belgium: Inspection g[eacute]n[eacute]rale de la Pharmacie, Algemene +Farmaceutische Inspectie. +Denmark: Laegemiddelstyrelsen. +Germany: Bundesministerium f[uuml]r Gesundheit for immunologicals: Paul- +Ehrlich-Institut, Federal Agency for Sera and Vaccines. +Greece: [Epsi][theta][nu][iota][kappa][omega][sigmav] +[Omega][rho][gamma][alpha][nu][iota][sigma][mu][omega][sigmav] +[Phi][alpha][rho][mu][alpha][kappa][omega][upsi], Ministry of Health and +Welfare, National Drug Organization (E.O.F). +Spain: For medicinal products for human use: Ministerio de Sanidad y +Consumo, Subdirecci[oacute]n General de Control Farmac[eacute]utico. For +medicinal products for veterinary use: Ministerio de Agricultura, Pesca +y Alimentaci[oacute]n (MAPA), Direcci[oacute]n General de la +Producci[oacute]n Agraria. +France: For medicinal products for human use: Agence du +M[eacute]dicament. For veterinary medicinal products: Agence Nationale +du M[eacute]dicament V[eacute]t[eacute]rinaire. +Ireland: Irish Medicines Board. +Italy: For medicinal products for human use: Ministero della +Sanit[agrave], Dipartimento Farmaci e Farmacovigilanza. For medicinal +products for veterinary use: Ministero della Sanit[agrave], Dipartimento +alimenti e nutrizione e sanit[agrave] pubblica veterinaria-Div. IX. +Luxembourg: Division de la Pharmacie et des M[eacute]dicaments. +Netherlands: Staat der Nederlanden. +Austria: Bundesministerium f[uuml]r Arbeit, Gesundheit und Soziales. +Portugal: Instituto da Farm[aacute]cia e do Medicamento (INFARMED). +Finland: L[auml][auml]kelaitos/L[auml]kemedelsverket (National Agency +for Medicines). +Sweden: L[auml]kemedelsverket-Medical Products Agency. +United Kingdom: For human use and veterinary (non-immunologicals): +Medicines Control Agency. For veterinary immunologicals: Veterinary +Medicines Directorate. +European Community: Commission of the European Communities. European +Agency for the Evaluation of Medicinal Products (EMEA). + + + + Sec. Appendix C to Subpart A of Part 26--Indicative List of Products + Covered by Subpart A + +Recognizing that precise definition of medicinal products and drugs are +to be found in the legislation referred to above, an indicative list of +products covered by this arrangement is given below: + --human medicinal products including prescription and +nonprescription drugs; + --human biologicals including vaccines, and immunologicals; + --veterinary pharmaceuticals, including prescription and +nonprescription drugs, with the exclusion of veterinary immunologicals +(Under 9 CFR 101.2 ``veterinary immunologicals'' are referred to as +``veterinary biologicals''); + --premixes for the preparation of veterinary medicated feeds (EC), +Type A medicated articles for the preparation of veterinary medicated +feeds (United States); + --intermediate products and active pharmaceutical ingredients or +bulk pharmaceuticals (United States)/starting materials (EC). + + + + Sec. Appendix D to Subpart A of Part 26--Criteria for Assessing + Equivalence for Post- and Preapproval + + I. Legal/Regulatory authority and structures and procedures providing + for post- and preapproval: + +A. Appropriate statutory mandate and jurisdiction. +B. Ability to issue and update binding requirements on GMP's and +guidance documents. +C. Authority to make inspections, review and copy documents, and to take +samples and collect other evidence. +D. Ability to enforce requirements and to remove products found in +violation of such requirements from the market. +E. Substantive current good manufacturing requirements. +F. Accountability of the regulatory authority. + +[[Page 317]] + +G. Inventory of current products and manufacturers. +H. System for maintaining or accessing inspection reports, samples and +other analytical data, and other firm/product information relating to +matters covered by subpart A of this part. + +II. Mechanisms in place to assure appropriate professional standards and + avoidance of conflicts of interest. + + III. Administration of the regulatory authority: + +A. Standards of education/qualification and training. +B. Effective quality assurance systems measures to ensure adequate job +performance. +C. Appropriate staffing and resources to enforce laws and regulations. + + IV. Conduct of inspections: + +A. Adequate preinspection preparation, including appropriate expertise +of investigator/team, review of firm/product and databases, and +availability of appropriate inspection equipment. +B. Adequate conduct of inspection, including statutory access to +facilities, effective response to refusals, depth and competence of +evaluation of operations, systems and documentation; collection of +evidence; appropriate duration of inspection and completeness of written +report of observations to firm management. +C. Adequate postinspection activities, including completeness of +inspectors' report, inspection report review where appropriate, and +conduct of followup inspections and other activities where appropriate, +assurance of preservation and retrieval of records. + + V. Execution of regulatory enforcement actions to achieve corrections, + designed to prevent future violations, and to remove products found in + violation of requirements from the market. + + VI. Effective use of surveillance systems: + +A. Sampling and analysis. +B. Recall monitoring. +C. Product defect reporting system. +D. Routine surveillance inspections. +E. Verification of approved manufacturing process changes to marketing +authorizations/approved applications. + + VII. Additional specific criteria for preapproval inspections: + +A. Satisfactory demonstration through a jointly developed and +administered training program and joint inspections to assess the +regulatory authorities' capabilities. +B. Preinspection preparation includes the review of appropriate records, +including site plans and drug master file or similar documentation to +enable adequate inspections. +C. Ability to verify chemistry, manufacturing, and control data +supporting an application is authentic and complete. +D. Ability to assess and evaluate research and development data as +scientifically sound, especially transfer technology of pilot, scale up +and full scale production batches. +E. Ability to verify conformity of the onsite processes and procedures +with those described in the application. +F. Review and evaluate equipment installation, operational and +performance qualification data, and evaluate test method validation. + + + + Sec. Appendix E to Subpart A of Part 26--Elements To Be Considered in + Developing a Two-Way Alert System + + 1. Documentation + +--Definition of a crisis/emergency and under what circumstances an alert +is required +--Standard Operating Procedures (SOP's) +--Mechanism of health hazards evaluation and classification +--Language of communication and transmission of information + + 2. Crisis Management System + +--Crisis analysis and communication mechanisms +--Establishment of contact points +--Reporting mechanisms + + 3. Enforcement Procedures + +--Followup mechanisms +--Corrective action procedures + + 4. Quality Assurance System + +--Pharmacovigilance programme +--Surveillance/monitoring of implementation of corrective action + + 5. Contact Points + +For the purpose of subpart A of this part, the contact points for the +alert system will be: + + A. For the European Community: + +the Executive Director of the European Agency for the Evaluation of +Medicinal Products, 7, Westferry Circus, Canary Wharf, UK - London E14 +4HB, England. Telephone 44-171-418 8400, Fax 418-8416. + + B. For the United States : + +Biologics:Food and Drug Administration, Center for Biologics Evaluation +and Research, Document Control Center, 10903 New Hampshire Ave., Bldg. +71, Rm. G112, Silver Spring, MD 20993-0002, telephone: 240-402-9153, +FAX: 301-595-1302. + +[[Page 318]] + +Human Drugs: Director, Office of Compliance, 10903 New Hampshire Ave., +Silver Spring, MD 20993-0002, phone: 301-796-3100, fax: 301-847-8747. +Veterinary Drugs: Director, Office of Surveillance and Compliance (HFV- +200), MPN II, 7500 Standish Pl., Rockville, MD 20855-2773, phone: 301- +827-6644, fax: 301-594-1807. + +[63 FR 60141, Nov. 6, 1998, as amended at 69 FR 48775, Aug. 11, 2004; 74 +FR 13112, Mar. 26, 2009; 80 FR 18090, Apr. 3, 2015] + + + + Subpart B_Specific Sector Provisions for Medical Devices + + + +Sec. 26.31 Purpose. + + (a) The purpose of this subpart is to specify the conditions under +which a party will accept the results of quality system-related +evaluations and inspections and premarket evaluations of the other party +with regard to medical devices as conducted by listed conformity +assessment bodies (CAB's) and to provide for other related cooperative +activities. + (b) This subpart is intended to evolve as programs and policies of +the parties evolve. The parties will review this subpart periodically, +in order to assess progress and identify potential enhancements to this +subpart as Food and Drug Administration (FDA) and European Community +(EC) policies evolve over time. + + + +Sec. 26.32 Scope. + + (a) The provisions of this subpart shall apply to the exchange and, +where appropriate, endorsement of the following types of reports from +conformity assessment bodies (CAB's) assessed to be equivalent: + (1) Under the U.S. system, surveillance/postmarket and initial/ +preapproval inspection reports; + (2) Under the U.S. system, premarket (510(k)) product evaluation +reports; + (3) Under the European Community (EC) system, quality system +evaluation reports; and + (4) Under the EC system, EC type examination and verification +reports. + (b) Appendix A of this subpart names the legislation, regulations, +and related procedures under which: + (1) Products are regulated as medical devices by each party; + (2) CAB's are designated and confirmed; and + (3) These reports are prepared. + (c) For purposes of this subpart, equivalence means that: CAB's in +the EC are capable of conducting product and quality systems evaluations +against U.S. regulatory requirements in a manner equivalent to those +conducted by FDA; and CAB's in the United States are capable of +conducting product and quality systems evaluations against EC regulatory +requirements in a manner equivalent to those conducted by EC CAB's. + + + +Sec. 26.33 Product coverage. + + (a) There are three components to this subpart each covering a +discrete range of products: + (1) Quality System Evaluations. U.S.-type surveillance/postmarket +and initial/preapproval inspection reports and European Community (EC)- +type quality system evaluation reports will be exchanged with regard to +all products regulated under both U.S. and EC law as medical devices. + (2) Product Evaluation. U.S.-type premarket (510(k)) product +evaluation reports and EC-type-testing reports will be exchanged only +with regard to those products classified under the U.S. system as Class +I/Class II-Tier 2 medical devices which are listed in appendix B of this +subpart. + (3) Postmarket Vigilance Reports. Postmarket vigilance reports will +be exchanged with regard to all products regulated under both U.S. and +EC law as medical devices. + (b) Additional products and procedures may be made subject to this +subpart by agreement of the parties. + + + +Sec. 26.34 Regulatory authorities. + + The regulatory authorities shall have the responsibility of +implementing the provisions of this subpart, including the designation +and monitoring of conformity assessment bodies (CAB's). Regulatory +authorities will be specified in appendix C of this subpart. Each party +will promptly notify the other party in writing of any change in the +regulatory authority for a country. + + + +Sec. 26.35 Length and purpose of transition period. + + There will be a 3-year transition period immediately following the +date + +[[Page 319]] + +described in Sec. 26.80(a). During the transition period, the parties +will engage in confidence-building activities for the purpose of +obtaining sufficient evidence to make determinations concerning the +equivalence of conformity assessment bodies (CAB's) of the other party +with respect to the ability to perform quality system and product +evaluations or other reviews resulting in reports to be exchanged under +this subpart. + + + +Sec. 26.36 Listing of CAB's. + + Each party shall designate conformity assessment bodies (CAB's) to +participate in confidence building activities by transmitting to the +other party a list of CAB's which meet the criteria for technical +competence and independence, as identified in appendix A of this +subpart. The list shall be accompanied by supporting evidence. +Designated CAB's will be listed in appendix D of this subpart for +participation in the confidence building activities once confirmed by +the importing party. Nonconfirmation would have to be justified based on +documented evidence. + + + +Sec. 26.37 Confidence building activities. + + (a) At the beginning of the transitional period, the Joint Sectoral +Group will establish a joint confidence building program calculated to +provide sufficient evidence of the capabilities of the designated +conformity assessment bodies (CAB's) to perform quality system or +product evaluations to the specifications of the parties. + (b) The joint confidence building program should include the +following actions and activities: + (1) Seminars designed to inform the parties and CAB's about each +party's regulatory system, procedures, and requirements; + (2) Workshops designed to provide the parties with information +regarding requirements and procedures for the designation and +surveillance of CAB's; + (3) Exchange of information about reports prepared during the +transition period; + (4) Joint training exercises; and + (5) Observed inspections. + (c) During the transition period, any significant problem that is +identified with a CAB may be the subject of cooperative activities, as +resources allow and as agreed to by the regulatory authorities, aimed at +resolving the problem. + (d) Both parties will exercise good faith efforts to complete the +confidence building activities as expeditiously as possible to the +extent that the resources of the parties allow. + (e) Both the parties will each prepare annual progress reports which +will describe the confidence building activities undertaken during each +year of the transition period. The form and content of the reports will +be determined by the parties through the Joint Sectoral Committee. + + + +Sec. 26.38 Other transition period activities. + + (a) During the transition period, the parties will jointly determine +the necessary information which must be present in quality system and +product evaluation reports. + (b) The parties will jointly develop a notification and alert system +to be used in case of defects, recalls, and other problems concerning +product quality that could necessitate additional actions (e.g., +inspections by the parties of the importing country) or suspension of +the distribution of the product. + + + +Sec. 26.39 Equivalence assessment. + + (a) In the final 6 months of the transition period, the parties +shall proceed to a joint assessment of the equivalence of the conformity +assessment bodies (CAB's) that participated in the confidence building +activities. CAB's will be determined to be equivalent provided they have +demonstrated proficiency through the submission of a sufficient number +of adequate reports. CAB's may be determined to be equivalent with +regard to the ability to perform any type of quality system or product +evaluation covered by this subpart and with regard to any type of +product covered by this subpart. The parties shall develop a list +contained in appendix E of this subpart of CAB's determined to be +equivalent, which shall contain a full explanation of the scope of the +equivalency determination, including any appropriate limitations, + +[[Page 320]] + +with regard to performing any type of quality system or product +evaluation. + (b) The parties shall allow CAB's not listed for participation in +this subpart, or listed for participation only as to certain types of +evaluations, to apply for participation in this subpart once the +necessary measures have been taken or sufficient experience has been +gained, in accordance with Sec. 26.46. + (c) Decisions concerning the equivalence of CAB's must be agreed to +by both parties. + + + +Sec. 26.40 Start of the operational period. + + (a) The operational period will start at the end of the transition +period after the parties have developed the list of conformity +assessment bodies (CAB's) found to be equivalent. The provisions of +Sec. Sec. 26.40, 26.41, 26.42, 26.43, 26.44, 26.45, and 26.46 will +apply only with regard to listed CAB's and only to the extent of any +specifications and limitations contained on the list with regard to a +CAB. + (b) The operational period will apply to quality system evaluation +reports and product evaluation reports generated by CAB's listed in +accordance with this subpart for the evaluations performed in the +respective territories of the parties, except if the parties agree +otherwise. + + + +Sec. 26.41 Exchange and endorsement of quality system evaluation reports. + + (a) Listed European Community (EC) conformity assessment bodies +(CAB's) will provide FDA with reports of quality system evaluations, as +follows: + (1) For preapproval quality system evaluations, EC CAB's will +provide full reports; and + (2) For surveillance quality system evaluations, EC CAB's will +provide abbreviated reports. + (b) Listed U.S. CAB's will provide to the EC Notified Body of the +manufacturer's choice: + (1) Full reports of initial quality system evaluations; + (2) Abbreviated reports of quality systems surveillance audits. + (c) If the abbreviated reports do not provide sufficient +information, the importing party may request additional clarification +from the CAB. + (d) Based on the determination of equivalence in light of the +experience gained, the quality system evaluation reports prepared by the +CAB's listed as equivalent will normally be endorsed by the importing +party, except under specific and delineated circumstances. Examples of +such circumstances include indications of material inconsistencies or +inadequacies in a report, quality defects identified in postmarket +surveillance or other specific evidence of serious concern in relation +to product quality or consumer safety. In such cases, the importing +party may request clarification from the exporting party which may lead +to a request for reinspection. The parties will endeavor to respond to +requests for clarification in a timely manner. Where divergence is not +clarified in this process, the importing party may carry out the quality +system evaluation. + + + +Sec. 26.42 Exchange and endorsement of product evaluation reports. + + (a) European Community (EC) conformity assessment bodies (CAB's) +listed for this purpose will, subject to the specifications and +limitations on the list, provide to FDA 510(k) premarket notification +assessment reports prepared to U.S. medical device requirements. + (b) U.S. CAB's will, subject to the specifications and limitations +on the list, provide to the EC Notified Body of the manufacturer's +choice, type examination, and verification reports prepared to EC +medical device requirements. + (c) Based on the determination of equivalence in light of the +experience gained, the product evaluation reports prepared by the CAB's +listed as equivalent will normally be endorsed by the importing party, +except under specific and delineated circumstances. Examples of such +circumstances include indications of material inconsistencies, +inadequacies, or incompleteness in a product evaluation report, or other +specific evidence of serious concern in relation to product safety, +performance, or quality. In such cases, the importing party may request +clarification from the exporting party which may lead to a request for a +reevaluation. + +[[Page 321]] + +The parties will endeavor to respond to requests for clarification in a +timely manner. Endorsement remains the responsibility of the importing +party. + + + +Sec. 26.43 Transmission of quality system evaluation reports. + + Quality system evaluation reports covered by Sec. 26.41 concerning +products covered by this subpart shall be transmitted to the importing +party within 60-calendar days of a request by the importing party. +Should a new inspection be requested, the time period shall be extended +by an additional 30-calendar days. A party may request a new inspection, +for cause, identified to the other party. If the exporting party cannot +perform an inspection within a specified period of time, the importing +party may perform an inspection on its own. + + + +Sec. 26.44 Transmission of product evaluation reports. + + Transmission of product evaluation reports will take place according +to the importing party's specified procedures. + + + +Sec. 26.45 Monitoring continued equivalence. + + Monitoring activities will be carried out in accordance with Sec. +26.69. + + + +Sec. 26.46 Listing of additional CAB's. + + (a) During the operational period, additional conformity assessment +bodies (CAB's) will be considered for equivalence using the procedures +and criteria described in Sec. Sec. 26.36, 26.37, and 26.39, taking +into account the level of confidence gained in the overall regulatory +system of the other party. + (b) Once a designating authority considers that such CAB's, having +undergone the procedures of Sec. Sec. 26.36, 26.37, and 26.39, may be +determined to be equivalent, it will then designate those bodies on an +annual basis. Such procedures satisfy the procedures of Sec. 26.66(a) +and (b). + (c) Following such annual designations, the procedures for +confirmation of CAB's under Sec. 26.66(c) and (d) shall apply. + + + +Sec. 26.47 Role and composition of the Joint Sectoral Committee. + + (a) The Joint Sectoral Committee for this subpart is set up to +monitor the activities under both the transitional and operational +phases of this subpart. + (b) The Joint Sectoral Committee will be cochaired by a +representative of the Food and Drug Administration (FDA) for the United +States and a representative of the European Community (EC) who will each +have one vote. Decisions will be taken by unanimous consent. + (c) The Joint Sectoral Committee's functions will include: + (1) Making a joint assessment of the equivalence of conformity +assessment bodies (CAB's); + (2) Developing and maintaining the list of equivalent CAB's, +including any limitation in terms of their scope of activities and +communicating the list to all authorities and the Joint Committee +described in subpart C of this part; + (3) Providing a forum to discuss issues relating to this subpart, +including concerns that a CAB may no longer be equivalent and +opportunity to review product coverage; and + (4) Consideration of the issue of suspension. + + + +Sec. 26.48 Harmonization. + + During both the transitional and operational phases of this subpart, +both parties intend to continue to participate in the activities of the +Global Harmonization Task Force (GHTF) and utilize the results of those +activities to the extent possible. Such participation involves +developing and reviewing documents developed by the GHTF and jointly +determining whether they are applicable to the implementation of this +subpart. + + + +Sec. 26.49 Regulatory cooperation. + + (a) The parties and authorities shall inform and consult with one +another, as permitted by law, of proposals to introduce new controls or +to change existing technical regulations or inspection procedures and to +provide the opportunity to comment on such proposals. + +[[Page 322]] + + (b) The parties shall notify each other in writing of any changes to +appendix A of this subpart. + + + +Sec. 26.50 Alert system and exchange of postmarket vigilance reports. + + (a) An alert system will be set up during the transition period and +maintained thereafter by which the parties will notify each other when +there is an immediate danger to public health. Elements of such a system +will be described in an appendix F of this subpart. As part of that +system, each party shall notify the other party of any confirmed problem +reports, corrective actions, or recalls. These reports are regarded as +part of ongoing investigations. + (b) Contact points will be agreed between both parties to permit +authorities to be made aware with the appropriate speed in case of +quality defect, batch recalls, counterfeiting and other problems +concerning quality, which could necessitate additional controls or +suspension of the distribution of the product. + + + + Sec. Appendix A to Subpart B of Part 26--Relevant Legislation, + Regulations, and Procedures. + +1. For the European Community (EC) the following legislation applies to + Sec. 26.42(a) of this subpart: + + [Copies of EC documents may be obtained from the European Document +Research, 1100 17th St. NW., suite 301, Washington, DC 20036.] +a. Council Directive 90/385/EEC of 20 June 1990 on active implantable +medical devices + OJ No. L 189, 20.7. 1990, p. 17. Conformity assessment procedures. + Annex 2 (with the exception of section 4) + Annex 4 + Annex 5 +b. Council Directive 93/42/EEC of 14 June 1993 on Medical Devices OJ No. +L 169,12.7.1993, p.1. Conformity assessment procedures. + Annex 2 (with the exception of section 4) + Annex 3 + Annex 4 + Annex 5 + Annex 6 + + 2. For the United States, the following legislation applies to Sec. + 26.32(a): + + [Copies of FDA documents may be obtained from the Government +Printing Office, 1510 H St. NW., Washington, DC 20005. FDA documents may +be viewed on FDA's Internet web site at http://www.fda.gov.] +a. The Federal Food, Drug and Cosmetic Act, 21 U.S.C. 321 et seq. +b. The Public Health Service Act, 42 U.S.C. 201 et seq. +c. Regulations of the United States Food and Drug Administration found +at 21 CFR, in particular, Parts 800 to 1299. +d. Medical Devices; Third Party Review of Selected Premarket +Notifications; Pilot Program, 61 FR 14789-14796 (April 3, 1996). +e. Draft Guidance Document on Accredited Persons Program, 63 FR 28392 +(May 22, 1998). +f. Draft Guidance for Staff, Industry and Third Parties, Third Party +Programs under the Sectoral Annex on Medical Devices to the Agreement on +Mutual Recognition Between the United States of America and the European +Community (MRA), 63 FR 36240 (July 2, 1998). +g. Guidance Document on Use of Standards, 63 FR 9561 (February 25, +1998). + + + + Sec. Appendix B to Subpart B of Part 26--Scope of Product Coverage + + 1. Initial Coverage of the Transition Period + +Upon entry into force of this subpart as described in Sec. 26.80 (it is +understood that the date of entry into force will not occur prior to +June 1, 1998, unless the parties decide otherwise), products qualifying +for the transitional arrangements under this subpart include: + a. All Class I products requiring premarket evaluations in the +United States--see Table 1. + b. Those Class II products listed in Table 2. + + 2. During the Transition Period + +The parties will jointly identify additional product groups, including +their related accessories, in line with their respective priorities as +follows: + a. Those for which review may be based primarily on written guidance +which the parties will use their best efforts to prepare expeditiously; +and + b. Those for which review may be based primarily on international +standards, in order for the parties to gain the requisite experience. +The corresponding additional product lists will be phased in on an +annual basis. The parties may consult with industry and other interested +parties in determining which products will be added. + + 3. Commencement of the Operational Period + + a. At the commencement of the operational period, product coverage +shall extend to all Class I/II products covered during the transition +period. + b. FDA will expand the program to categories of Class II devices as +is consistent with the results of the pilot, and with + +[[Page 323]] + +FDA's ability to write guidance documents if the device pilot for the +third party review of medical devices is successful. The MRA will cover +to the maximum extent feasible all Class II devices listed in Table 3 +for which FDA-accredited third party review is available in the United +States. + + 4. Unless explicitly included by joint decision of the parties, this + part does not cover any U.S. Class II-tier 3 or any Class III product + under either system. + + [The lists of medical devices included in these tables are subject +to change as a result of the Food and Drug Administration Modernization +Act of 1997.] + + Table 1--Class I Products Requiring Premarket Evaluations in the United +States, Included in Scope of Product Coverage at Beginning of Transition + Period \1\ +------------------------------------------------------------------------ + 21 CFR Section No. Regulation Name +------------------------------------------------------------------------ + Product Code--Device Name +------------------------------------------------------------------------ +Anesthesiology Panel (21 CFR + part 868) + 868.1910................. Esophageal Stethoscope + BZW--Stethoscope, Esophageal + 868.5620................. Breathing Mouthpiece + BYP--Mouthpiece, Breathing + 868.5640................. Medicinal Nonventilatory Nebulizer + (Atomizer) + CCQ--Nebulizer, Medicinal, Nonventilatory + (Atomizer) + 868.5675................. Rebreathing Device + BYW--Device, Rebreathing + 868.5700................. Nonpowered Oxygen Tent + FOG--Hood, Oxygen, Infant + BYL--Tent, Oxygen + 868.6810................. Tracheobronchial Suction Catheter + BSY--Catheters, Suction, Tracheobronchial +Cardiovascular Panel + (None)................... +Dental Panel (21 CFR part + 872) + 872.3400................. Karaya and Sodium Borate With or Without + Acacia Denture Adhesive + KOM--Adhesive, Denture, Acacia and Karaya + With Sodium Borate + 872.3700................. Dental Mercury (U.S.P.) + ELY--Mercury + 872.4200................. Dental Handpiece and Accessories + EBW--Controller, Food, Handpiece and Cord + EFB--Handpiece, Air-Powered, Dental + EFA--Handpiece, Belt and/or Gear Driven, + Dental + EGS--Handpiece, Contra- and Right-Angle + Attachment, Dental + EKX--Handpiece, Direct Drive, AC-Powered + EKY--Handpiece, Water-Powered + 872.6640................. Dental Operative Unit and Accessories + EIA--Unit, Operative Dental +Ear, Nose, and Throat Panel + (21 CFR Part 874) + 874.1070................. Short Increment Sensitivity Index (SISI) + Adapter + ETR--Adapter, Short Increment Sensitivity + Index (SISI) + 874.1500................. Gustometer + ETM--Gustometer + 874.1800................. Air or Water Caloric Stimulator + KHH--Stimulator, Caloric-Air + ETP--Stimulator, Caloric-Water + 874.1925................. Toynbee Diagnostic Tube + ETK--Tube, Toynbee Diagnostic + 874.3300................. Hearing Aid + LRB--Face Plate Hearing-Aid + ESD--Hearing-aid, Air-Conduction + 874.4100................. Epistaxis Balloon + EMX--Balloon, Epistaxis + 874.5300................. ENT Examination and Treatment Unit + ETF--Unit, Examining/Treatment, ENT + 874.5550................. Powered Nasal Irrigator + KMA--Irrigator, Powered Nasal + 874.5840................. Antistammering Device + KTH--Device, Anti-Stammering +Gastroenterology--Urology + Panel (21 CFR Part 876) + 876.5160................. Urological Clamp for Males + FHA--Clamp, Penile + 876.5210................. Enema Kit + FCE--Kit, Enema, (for Cleaning Purpose) + 876.5250................. Urine Collector and Accessories + +[[Page 324]] + + + FAQ--Bag, Urine Collection, Leg, for + External Use +General Hospital Panel (21 + CFR Part 880) + 880.5270................. Neonatal Eye Pad + FOK--Pad, Neonatal Eye + 880.5420................. Pressure Infusor for an I.V. Bag + KZD--Infusor, Pressure, for I.V. Bags + 880.5680................. Pediatric Position Holder + FRP--Holder, Infant Position + 880.6250................. Patient Examination Glove + LZB--Finger Cot + FMC--Glove, Patient Examination + LYY--Glove, Patient Examination, Latex + LZA--Glove, Patient Examination, Poly + LZC--Glove, Patient Examination, + Speciality + LYZ--Glove, Patient Examination, Vinyl + 880.6375................. Patient Lubricant + KMJ--Lubricant, Patient + 880.6760................. Protective Restraint + BRT--Restraint, Patient, Conductive + FMQ--Restraint, Protective +Neurology Panel (21 CFR Part + 882) + 882.1030................. Ataxiagraph + GWW--Ataxiagraph + 882.1420................. Electroencephalogram (EEG) Signal + Spectrum Analyzer + GWS--Analyzer, Spectrum, + Electroencephalogram Signal + 882.4060................. Ventricular Cannula + HCD--Cannula, Ventricular + 882.4545................. Shunt System Implantation Instrument + GYK--Instrument, Shunt System + Implantation + 882.4650................. Neurosurgical Suture Needle + HAS--Needle, Neurosurgical Suture + 882.4750................. Skull Punch + GXJ--Punch, Skull +Obstetrics and Gynecology + Panel + (None)................... +Ophthalmology Panel (21 CFR + Part 886) + 886.1780................. Retinoscope + HKM--Retinoscope, Battery-Powered + 886.1940................. Tonometer Sterilizer + HKZ--Sterilizer, Tonometer + 886.4070................. Powered Corneal Burr + HQS--Burr, Corneal, AC-Powered + HOG--Burr, Corneal, Battery-Powered + HRG--Engine, Trephine, Accessories, AC- + Powered + HFR--Engine, Trephine, Accessories, + Battery-Powered + HLD--Engine, Trephine, Accessories, Gas- + Powered + 886.4370................. Keratome + HNO--Keratome, AC-Powered + HMY--Keratome, Battery-Powered + 886.5850................. Sunglasses (Nonprescription) + HQY--Sunglasses (Nonprescription + Including Photosensitive) +Orthopedic Panel (21 CFR Part + 888) + 888.1500................. Goniometer + KQX--Goniometer, AC-Powered + 888.4150................. Calipers for Clinical Use + KTZ--Caliper +Physical Medicine Panel (21 + CFR Part 890) + 890.3850................. Mechanical Wheelchair + LBE--Stroller, Adaptive + IOR--Wheelchair, Mechanical + 890.5180................. Manual Patient Rotation Bed + INY--Bed, Patient Rotation, Manual + 890.5710................. Hot or Cold Disposable Pack + IMD--Pack, Hot or Cold, Disposable +Radiology Panel (21 CFR Part + 892) + 892.1100................. Scintillation (Gamma) Camera + IYX--Camera, Scintillation (Gamma) + 892.1110................. Positron Camera + IZC--Camera, Positron + 892.1300................. Nuclear Rectilinear Scanner + +[[Page 325]] + + + IYW--Scanner, Rectilinear, Nuclear + 892.1320................. Nuclear Uptake Probe + IZD--Probe, Uptake, Nuclear + 892.1330................. Nuclear Whole Body Scanner + JAM--Scanner, Whole Body, Nuclear + 892.1410................. Nuclear Electrocardiograph Synchronizer + IVY--Synchronizer, Electrocardiograph, + Nuclear + 892.1890................. Radiographic Film Illuminator + IXC--Illuminator, Radiographic-Film + JAG--Illuminator, Radiographic-Film, + Explosion-Proof + 892.1910................. Radiographic Grid + IXJ--Grid, Radiographic + 892.1960................. Radiographic Intensifying Screen + EAM--Screen, Intensifying, Radiographic + 892.1970................. Radiographic ECG/Respirator Synchronizer + IXO--Synchronizer, ECG/Respirator, + Radiographic + 892.5650................. Manual Radionuclide Applicator System + IWG--System, Applicator, Radionuclide, + Manual +General and Plastic Surgery + Panel (21 CFR Part 878) + 878.4200................. Introduction/Drainage Catheter and + Accessories + KGZ--Accessories, Catheter + GCE--Adaptor, Catheter + FGY--Cannula, Injection + GBA--Catheter, Balloon Type + GBZ--Catheter, Cholangiography + GBQ--Catheter, Continuous Irrigation + GBY--Catheter, Eustachian, General & + Plastic Surgery + JCY--Catheter, Infusion + GBX--Catheter, Irrigation + GBP--Catheter, Multiple Lumen + GBO--Catheter, Nephrostomy, General & + Plastic Surgery + GBN--Catheter, Pediatric, General & + Plastic Surgery + GBW--Catheter, Peritoneal + GBS--Catheter, Ventricular, General & + Plastic Surgery + GCD--Connector, Catheter + GCC--Dilator, Catheter + GCB--Needle, Catheter + 878.4320................. Removable Skin Clip + FZQ--Clip, Removable (Skin) + 878.4460................. Surgeon's Gloves + KGO--Surgeon's Gloves + 878.4680................. Nonpowered, Single Patient, Portable + Suction Apparatus + GCY--Apparatus, Suction, Single Patient + Use, Portable, Nonpowered + 878.4760................. Removable Skin Staple + GDT--Staple, Removable (Skin) + 878.4820................. AC-Powered, Battery-Powered, and + Pneumatically Powered Surgical + Instrument Motors and Accessories/ + Attachments + GFG--Bit, Surgical + GFA--Blade, Saw, General & Plastic + Surgery + DWH--Blade, Saw, Surgical, Cardiovascular + BRZ--Board, Arm (With Cover) + GFE--Brush, Dermabrasion + GFF--Bur, Surgical, General & Plastic + Surgery + KDG--Chisel (Osteotome) + GFD--Dermatome + GFC--Driver, Surgical, Pin + GFB--Head, Surgical, Hammer + GEY--Motor, Surgical Instrument, AC- + Powered + GET--Motor, Surgical Instrument, + Pneumatic Powered + DWI--Saw, Electrically Powered + KFK--Saw, Pneumatically Powered + HAB--Saw, Powered, and Accessories + 878.4960................. Air or AC-Powered Operating Table and Air + or AC-Powered Operating Chair & + Accessories + +[[Page 326]] + + + GBB--Chair, Surgical, AC-Powered + FQO--Table, Operating-Room, AC-Powered + GDC--Table, Operating-Room, Electrical + FWW--Table, Operating-Room, Pneumatic + JEA--Table, Surgical with Orthopedic + Accessories, AC-Powered + 880.5090................. Liquid Bandage + KMF--Bandage, Liquid +------------------------------------------------------------------------ +\1\Descriptive information on product codes, panel codes, and other + medical device identifiers may be viewed on FDA's Internet Web Site at + http://www.fda.gov/cdrh/prodcode.html. + + + Table 2--Class II Medical Devices Included in Scope of Product Coverage + at Beginning of Transition Period (United States to develop guidance + documents identifying U.S. requirements and European Community (EC) to + identify standards needed to meet EC requirements) \1\ +------------------------------------------------------------------------ + Panel 21 CFR Section Regulation Name +------------------------------- No. ---------------------- + ------------------- Product Code--Device + Name +------------------------------------------------------------------------ + RA........................ 892.1000......... Magnetic Resonance + Diagnostic Device + MOS--COIL, Magnetic + Resonance, Specialty + LNH--System, Nuclear + Magnetic Resonance + Imaging + LNI--System, Nuclear + Magnetic Resonance + Spectroscopic +Diagnostic Ultrasound: + RA........................ 892.1540......... Nonfetal Ultrasonic + Monitor + JAF--Monitor, + Ultrasonic, Nonfetal + RA........................ 892.1550......... Ultrasonic Pulsed + Doppler Imaging + System + IYN--System, Imaging, + Pulsed Doppler, + Ultrasonic + RA........................ 892.1560......... Ultrasonic Pulsed + Echo Imaging System + IYO--System, Imaging, + Pulsed Echo, + Ultrasonic + RA........................ 892.1570......... Diagnostic Ultrasonic + Transducer + ITX--Transducer, + Ultrasonic, + Diagnostic +Diagnostic X-Ray Imaging + Devices (except mammographic + x-ray systems): + RA........................ 892.1600......... Angiographic X-Ray + System + IZI--System, X-Ray, + Angiographic + RA........................ 892.1650......... Image-Intensified + Fluoroscopic X-Ray + System + MQB--Solid State X- + Ray Imager (Flat + Panel/Digital + Imager) + JAA--System, X-Ray, + Fluoroscopic, Image- + Intensified + RA........................ 892.1680......... Stationary X-Ray + System + KPR--System, X-Ray, + Stationary + RA........................ 892.1720......... Mobile X-Ray System + IZL--System, X-Ray, + Mobile + RA........................ 892.1740......... Tomographic X-Ray + System + IZF--System, X-Ray, + Tomographic + RA........................ 892.1750......... Computed Tomography X- + Ray System + JAK--System, X-Ray, + Tomography, Computed +ECG-Related Devices: + CV........................ 870.2340......... Electrocardiograph + DPS--Electrocardiogra + ph + MLC--Monitor, ST + Segment + CV........................ 870.2350......... Electrocardiograph + Lead Switching + Adaptor + DRW--Adaptor, Lead + Switching, + Electrocardiograph + CV........................ 870.2360......... Electrocardiograph + Electrode + DRX--Electrode, + Electrocardiograph + CV........................ 870.2370......... Electrocardiograph + Surface Electrode + Tester + KRC--Tester, + Electrode, Surface, + Electrocardiographic + NE........................ 882.1400......... Electroencephalograph + GWQ--Electroencephalo + graph + HO........................ 880.5725......... Infusion Pump + (external only) + +[[Page 327]] + + + MRZ--Accessories, + Pump, Infusion + FRN--Pump, Infusion + LZF--Pump, Infusion, + Analytical Sampling + MEB--Pump, Infusion, + Elastomeric + LZH--Pump, Infusion, + Enteral + MHD--Pump, Infusion, + Gallstone + Dissolution + LZG--Pump, Infusion, + Insulin + MEA--Pump, Infusion, + PCA +Ophthalmic Instruments: + OP........................ 886.1570......... Ophthalmoscope + HLI--Ophthalmoscope, + AC-Powered + HLJ--Ophthalmoscope, + Battery-Powered + OP........................ 886.1780......... Retinoscope + HKL--Retinoscope, AC- + Powered + OP........................ 886.1850......... AC-Powered Slit-Lamp + Biomicroscope + HJO--Biomicroscope, + Slit-Lamp, AC- + Powered + OP........................ 886.4150......... Vitreous Aspiration + and Cutting + Instrument + MMC--Dilator, + Expansive Iris + (Accessory) + HQE--Instrument, + Vitreous Aspiration + and Cutting, AC- + Powered + HKP--Instrument, + Vitreous Aspiration + and Cutting, Battery- + Powered + MLZ--Vitrectomy, + Instrument Cutter + OP........................ 886.4670......... Phacofragmentation + System + HQC--Unit, + Phacofragmentation + SU........................ 878.4580......... Surgical Lamp + HBI--Illuminator, + Fiberoptic, Surgical + Field + FTF--Illuminator, + Nonremote + FTG--Illuminator, + Remote + HJE--Lamp, + Fluorescein, AC- + Powered + FQP--Lamp, Operating- + Room + FTD--Lamp, Surgical + GBC--Lamp, Surgical, + Incandescent + FTA--Light, Surgical, + Accessories + FSZ--Light, Surgical, + Carrier + FSY--Light, Surgical, + Ceiling Mounted + FSX--Light, Surgical, + Connector + FSW--Light, Surgical, + Endoscopic + FST--Light, Surgical, + Fiberoptic + FSS--Light, Surgical, + Floor Standing + FSQ--Light, Surgical, + Instrument + NE........................ 882.5890......... Transcutaneous + Electrical Nerve + Stimulator for Pain + Relief + GZJ--Stimulator, + Nerve, + Transcutaneous, For + Pain Relief + Noninvasive Blood + Pressure Measurement + Devices: + CV........................ 870.1120......... Blood Pressure Cuff + DXQ--Cuff, Blood- + Pressure + CV........................ 870.1130......... Noninvasive Blood + Pressure Measurement + System (except + nonoscillometric) + DXN--System, + Measurement, Blood- + Pressure, + Noninvasive + HO........................ 880.6880......... Steam Sterilizer + (greater than 2 + cubic feet) + FLE--Sterilizer, + Steam +Clinical Thermometers: + HO........................ 880.2910......... Clinical Electronic + Thermometer (except + tympanic or + pacifier) + FLL--Thermometer, + Electronic, Clinical + AN........................ 868.5630......... Nebulizer + CAF--Nebulizer + (Direct Patient + Interface) +Hypodermic Needles and + Syringes (except antistick + and self-destruct): + HO........................ 880.5570......... Hypodermic Single + Lumen Needle + MMK--Container, + Sharpes + FMI--Needle, + Hypodermic, Single + Lumen + MHC--Port, + Intraosseous, + Implanted + HO........................ 880.5860......... Piston Syringe + +[[Page 328]] + + + FMF--Syringe, Piston +Selected Dental Materials: + DE........................ 872.3060......... Gold-Based Alloys and + Precious Metal + Alloys for Clinical + Use + EJT--Alloy, Gold + Based, For Clinical + Use + EJS--Alloy, Precious + Metal, For Clinical + Use + DE........................ 872.3200......... Resin Tooth Bonding + Agent + KLE--Agent, Tooth + Bonding, Resin + DE........................ 872.3275......... Dental Cement + EMA--Cement, Dental + EMB--Zinc Oxide + Eugenol + DE........................ 872.3660......... Impression Material + ELW--Material, + Impression + DE........................ 872.3690......... Tooth Shade Resin + Material + EBF--Material, Tooth + Shade, Resin + DE........................ 872.3710......... Base Metal Alloy + EJH--Metal, Base +Latex Condoms: + OB........................ 884.5300......... Condom + HIS--Condom +------------------------------------------------------------------------ +\1\Descriptive information on product codes, panel codes, and other + medical device identifiers may be viewed on FDA's Internet Web Site at + http://www.fda.gov/cdrh/prodcode.html. + + + Table 3--Medical Devices for Possible Inclusion in Scope of Product Coverage During Operational Period \1\ +---------------------------------------------------------------------------------------------------------------- + Product Family 21 CFR Section No Device Name Tier +---------------------------------------------------------------------------------------------------------------- +Anesthesiology Panel + Anesthesia Devices................ 868.5160............... Gas machine for 2 + anesthesia or analgesia. + 868.5270............... Breathing system heater.. 2 + 868.5440............... Portable oxygen generator 2 + 868.5450............... Respiratory gas 2 + humidifier. + 868.5630............... Nebulizer................ 2 + 868.5710............... Electrically powered 2 + oxygen tent. + 868.5880............... Anesthetic vaporizer..... 2 + Gas Analyser...................... 868.1040............... Powered Algesimeter...... 2 + 868.1075............... Argon gas analyzer....... 2 + 868.1400............... Carbon dioxide gas 2 + analyzer. + 868.1430............... Carbon monoxide gas 2 + analyzer. + 868.1500............... Enflurane gas analyzer... 2 + 868.1620............... Halothane gas analyzer... 2 + 868.1640............... Helium gas analyzer...... 2 + 868.1670............... Neon gas analyzer........ 2 + 868.1690............... Nitrogen gas analyzer.... 2 + 868.1700............... Nitrous oxide gas 2 + analyzer. + 868.1720............... Oxygen gas analyzer...... 2 + 868.1730............... Oxygen uptake computer... 2 + Peripheral Nerve Stimulators...... 868.2775............... Electrical peripheral 2 + nerve stimulator. + Respiratory Monitoring............ 868.1750............... Pressure plethysmograph.. 2 + +[[Page 329]] + + + 868.1760............... Volume plethysmograph.... 2 + 868.1780............... Inspiratory airway 2 + pressure meter. + 868.1800............... Rhinoanemometer.......... 2 + 868.1840............... Diagnostic spirometer.... 2 + 868.1850............... Monitoring spirometer.... 2 + 868.1860............... Peak-flow meter for 2 + spirometry. + 868.1880............... Pulmonary-function data 2 + calculator. + 868.1890............... Predictive pulmonary- 2 + function value + calculator. + 868.1900............... Diagnostic pulmonary- 2 + function interpretation + calculator. + 868.2025............... Ultrasonic air embolism 2 + monitor. + 868.2375............... Breathing frequency 2 + monitor (except apnea + detectors). + 868.2480............... Cutaneous carbon dioxide 2 + (PcCO2) monitor. + 868.2500............... Cutaneous oxygen monitor 2 + (for an infant not under + gas anesthesia). + 868.2550............... Pneumotachomometer....... 2 + 868.2600............... Airway pressure monitor.. 2 + 868.5665............... Powered percussor........ 2 + 868.5690............... Incentive spirometer..... 2 + Ventilator........................ 868.5905............... Noncontinuous ventilator 2 + (IPPB). + 868.5925............... Powered emergency 2 + ventilator. + 868.5935............... External negative 2 + pressure ventilator. + 868.5895............... Continuous ventilator.... 2 + 868.5955............... Intermittent mandatory 2 + ventilation attachment. + 868.6250............... Portable air compressor.. 2 +Cardiovascular Panel + Cardiovascular Diagnostic......... 870.1425............... Programmable diagnostic 2 + computer. + 870.1450............... Densitometer............. 2 + 870.2310............... Apex cardiograph 2 + (vibrocardiograph). + 870.2320............... Ballistocardiograph...... 2 + 870.2340............... Electrocardiograph....... 2 + 870.2350............... Electrocardiograph lead 1 + switching adaptor. + 870.2360............... Electrocardiograph 2 + electrode. + 870.2370............... Electrocardiograph 2 + surface electrode tester. + 870.2400............... Vectorcardiograph........ 1 + 870.2450............... Medical cathode-ray tube 1 + display. + 870.2675............... Oscillometer............. 2 + 870.2840............... Apex cardiographic 2 + transducer. + 870.2860............... Heart sound transducer... 2 + Cardiovascular Monitoring......... ....................... Valve, pressure relief, + cardiopulmonary bypass. + +[[Page 330]] + + + 870.1100............... Blood pressure alarm..... 2 + 870.1110............... Blood pressure computer.. 2 + 870.1120............... Blood pressure cuff...... 2 + 870.1130............... Noninvasive blood 2 + pressure measurement + system. + 870.1140............... Venous blood pressure 2 + manometer. + 870.1220............... Electrode recording 2 + catheter or electrode + recording probe. + 870.1270............... Intracavitary 2 + phonocatheter system. + 870.1875............... Stethoscope (electronic). 2 + 870.2050............... Biopotential amplifier 2 + and signal conditioner. + 870.2060............... Transducer signal 2 + amplifier and + conditioner. + 870.2100............... Cardiovascular blood flow- 2 + meter. + 870.2120............... Extravascular blood flow 2 + probe. + 870.2300............... Cardiac monitor 2 + (including + cardiotachometer and + rate alarm). + 870.2700............... Oximeter................. 2 + 870.2710............... Ear oximeter............. 2 + 870.2750............... Impedance phlebograph.... 2 + 870.2770............... Impedance plethysmograph. 2 + 870.2780............... Hydraulic, pneumatic, or 2 + photoelectric + plethysmographs. + 870.2850............... Extravascular blood 2 + pressure transducer. + 870.2870............... Catheter tip pressure 2 + transducer. + 870.2880............... Ultrasonic transducer.... 2 + 870.2890............... Vessel occlusion 2 + transducer. + 870.2900............... Patient transducer and 2 + electrode cable + (including connector). + 870.2910............... Radiofrequency 2 + physiological signal + transmitter and receiver. + 870.2920............... Telephone 2 + electrocardiograph + transmitter and receiver. + 870.4205............... Cardiopulmonary bypass 2 + bubble detector. + 870.4220............... Cardiopulmonary bypass 2 + heart-lung machine + console. + 870.4240............... Cardiovascular bypass 2 + heat exchanger. + 870.4250............... Cardiopulmonary bypass 2 + temperature controller. + 870.4300............... Cardiopulmonary bypass 2 + gas control unit. + 870.4310............... Cardiopulmonary bypass 2 + coronary pressure gauge. + 870.4330............... Cardiopulmonary bypass on- 2 + line blood gas monitor. + 870.4340............... Cardiopulmonary bypass 2 + level sensing monitor + and/or control. + 870.4370............... Roller-type 2 + cardiopulmonary bypass + blood pump. + 870.4380............... Cardiopulmonary bypass 2 + pump speed control. + 870.4410............... Cardiopulmonary bypass in- 2 + line blood gas sensor. + Cardiovascular Therapeutic........ 870.5050............... Patient care suction 2 + apparatus. + 870.5900............... Thermal regulation system 2 + Defibrillator..................... 870.5300............... DC-defibrillator 2 + (including paddles). + 870.5325............... Defibrillator tester..... 2 + Echocardiograph................... 870.2330............... Echocardiograph.......... 2 + Pacemaker & Accessories........... 870.1750............... External programmable 2 + pacemaker pulse + generator. + 870.3630............... Pacemaker generator 2 + function analyzer. + 870.3640............... Indirect pacemaker 2 + generator function + analyzer. + 870.3720............... Pacemaker electrode 2 + function tester. + Miscellaneous..................... 870.1800............... Withdrawal-infusion pump. 2 + 870.2800............... Medical magnetic tape 2 + recorder. + None................... Batteries, rechargeable, + class II devices. +Dental Panel + Dental Equipment.................. 872.1720............... Pulp tester.............. 2 + 872.1740............... Caries detection device.. 2 + 872.4120............... Bone cutting instrument 2 + and accessories. + 872.4465............... Gas-powered jet injector. 2 + 872.4475............... Spring-powered jet 2 + injector. + 872.4600............... Intraoral ligature and 2 + wire lock. + 872.4840............... Rotary scaler............ 2 + 872.4850............... Ultrasonic scaler........ 2 + 872.4920............... Dental electrosurgical 2 + unit and accessories. + 872.6070............... Ultraviolet activator for 2 + polymerization. + 872.6350............... Ultraviolet detector..... 2 + Dental Material................... 872.3050............... Amalgam alloy............ 2 + +[[Page 331]] + + + 872.3060............... Gold-based alloys and 2 + precious metal alloys + for clinical use. + 872.3200............... Resin tooth bonding agent 2 + 872.3250............... Calcium hydroxide cavity 2 + liner. + 872.3260............... Cavity varnish........... 2 + 872.3275............... Dental cement (other than 2 + zinc oxide-eugenol). + 872.3300............... Hydrophilic resin coating 2 + for dentures. + 872.3310............... Coating material for 2 + resin fillings. + 872.3590............... Preformed plastic denture 2 + tooth. + 872.3660............... Impression material...... 2 + 872.3690............... Tooth shade resin 2 + material. + 872.3710............... Base metal alloy......... 2 + 872.3750............... Bracket adhesive resin 2 + and tooth conditioner. + 872.3760............... Denture relining, 2 + repairing, or rebasing + resin. + 872.3765............... Pit and fissure sealant 2 + and conditioner. + 872.3770............... Temporary crown and 2 + bridge resin. + 872.3820............... Root canal filling resin 2 + (other than chloroform + use). + 872.3920............... Porcelain tooth.......... 2 + Dental X-ray...................... 872.1800............... Extraoral source x-ray 2 + system. + 872.1810............... Intraoral source x-ray 2 + system. + Dental Implants................... 872.4880............... Intraosseous fixation 2 + screw or wire. + 872.3890............... Endodontic stabilizing 2 + splint. + Orthodontic....................... 872.5470............... Orthodontic plastic 2 + bracket. +Ear/Nose/Throat Panel + Diagnostic Equipment.............. 874.1050............... Audiometer............... 2 + 874.1090............... Auditory impedance tester 2 + 874.1120............... Electronic noise 2 + generator for + audiometric testing. + 874.1325............... Electroglottograph....... 2 + 874.1820............... Surgical nerve stimulator/ 2 + locator. + Hearing Aids...................... 874.3300............... Hearing aid (for bone- 2 + conduction). + 874.3310............... Hearing aid calibrator 2 + and analysis system. + 874.3320............... Group hearing aid or 2 + group auditory trainer. + 874.3330............... Master hearing aid....... 2 + Surgical Equipment................ 874.4250............... Ear, nose, and throat 1 + electric or pneumatic + surgical drill. + 874.4490............... Argon laser for otology, 2 + rhinology, and + laryngology. + 874.4500............... Ear, nose, and throat 2 + microsurgical carbon + dioxide laser. +Gastroenterology/Urology Panel + Endoscope (including angioscopes, 876.1500............... Endoscope and accessories 2 + laparscopes, ophthalmic + endoscopes). + 876.4300............... Endoscopic 2 + electrosurgical unit and + accessories. + Gastroenterology.................. 876.1725............... Gastrointestinal motility 1 + monitoring system. + Hemodialysis...................... 876.5600............... Sorbent regenerated 2 + dialysate delivery + system for hemodialysis. + 876.5630............... Peritoneal dialysis 2 + system and accessories. + 876.5665............... Water purification system 2 + for hemodialysis. + 876.5820............... Hemodialysis system and 2 + accessories. + 876.5830............... Hemodialyzer with 2 + disposable insert (kiil- + type). + Lithotriptor...................... 876.4500............... Mechanical lithotriptor.. 2 + Urology Equipment................. 876.1620............... Urodynamics measurement 2 + system. + 876.5320............... Nonimplanted electrical 2 + continence device. + 876.5880............... Isolated kidney perfusion 2 + and transport system and + accessories. +General Hospital Panel + Infusion Pumps and Systems........ 880.2420............... Electronic monitor for 2 + gravity flow infusion + systems. + 880.2460............... Electrically powered 2 + spinal fluid pressure + monitor. + 880.5430............... Nonelectrically powered 2 + fluid injector. + 880.5725............... Infusion pump............ 2 + Neonatal Incubators............... 880.5400............... Neonatal incubator....... 2 + 880.5410............... Neonatal transport 2 + incubator. + 880.5700............... Neonatal phototherapy 2 + unit. + Piston Syringes................... 880.5570............... Hypodermic single lumen 1 + needle. + 880.5860............... Piston syringe (except 1 + antistick). + 880.6920............... Syringe needle introducer 2 + Miscellaneous..................... 880.2910............... Clinical electronic 2 + thermometer. + 880.2920............... Clinical mercury 2 + thermometer. + 880.5100............... AC-powered adjustable 1 + hospital bed. + 880.5500............... AC-powered patient lift.. 2 + 880.6880............... Steam sterilizer (greater 2 + than 2 cubic feet). +Neurology Panel + 882.1020............... Rigidity analyzer........ 2 + 882.1610............... Alpha monitor............ 2 + Neuro-Diagnostic.................. 882.1320............... Cutaneous electrode...... 2 + +[[Page 332]] + + + 882.1340............... Nasopharyngeal electrode. 2 + 882.1350............... Needle electrode......... 2 + 882.1400............... Electroencephalograph.... 2 + 882.1460............... Nystagmograph............ 2 + 882.1480............... Neurological endoscope... 2 + 882.1540............... Galvanic skin response 2 + measurement device. + 882.1550............... Nerve conduction velocity 2 + measurement device. + 882.1560............... Skin potential 2 + measurement device. + 882.1570............... Powered direct-contact 2 + temperature measurement + device. + 882.1620............... Intracranial pressure 2 + monitoring device. + 882.1835............... Physiological signal 2 + amplifier. + 882.1845............... Physiological signal 2 + conditioner. + 882.1855............... Electroencephalogram 2 + (EEG) telemetry system. + 882.5050............... Biofeedback device....... 2 + Echoencephalography............... 882.1240............... Echoencephalograph....... 2 + RPG............................... 882.4400............... Radiofrequency lesion 2 + generator. + Neuro Surgery..................... none................... Electrode, spinal 2 + epidural. + 882.4305............... Powered compound cranial 2 + drills, burrs, + trephines, and their + accessories. + 882.4310............... Powered simple cranial 2 + drills burrs, trephines, + and their accessories. + 882.4360............... Electric cranial drill 2 + motor. + 882.4370............... Pneumatic cranial drill 2 + motor. + 882.4560............... Stereotaxic instrument... 2 + 882.4725............... Radiofrequency lesion 2 + probe. + 882.4845............... Powered rongeur.......... 2 + 882.5500............... Lesion temperature 2 + monitor. + Stimulators....................... 882.1870............... Evoked response 2 + electrical stimulator. + 882.1880............... Evoked response 2 + mechanical stimulator. + 882.1890............... Evoked response photic 2 + stimulator. + 882.1900............... Evoked response auditory 2 + stimulator. + 882.1950............... Tremor transducer........ 2 + 882.5890............... Transcutaneous electrical 2 + nerve stimulator for + pain relief. +Obstetrics/Gynecology Panel + Fetal Monitoring.................. 884.1660............... Transcervical endoscope 2 + (amnioscope) and + accessories. + 884.1690............... Hysteroscope and 2 + accessories (for + performance standards). + 884.2225............... Obstetric-gynecologic 2 + ultrasonic imager. + 884.2600............... Fetal cardiac monitor.... 2 + 884.2640............... Fetal phonocardiographic 2 + monitor and accessories. + 884.2660............... Fetal ultrasonic monitor 2 + and accessories. + 884.2675............... Fetal scalp circular 1 + (spiral) electrode and + applicator. + 884.2700............... Intrauterine pressure 2 + monitor and accessories. + 884.2720............... External uterine 2 + contraction monitor and + accessories. + 884.2740............... Perinatal monitoring 2 + system and accessories. + 884.2960............... Obstetric ultrasonic 2 + transducer and + accessories. + Gynecological Surgery Equipment... 884.1720............... Gynecologic laparoscope 2 + and accessories. + 884.4160............... Unipolar endoscopic 2 + coagulator-cutter and + accessories. + 884.4550............... Gynecologic surgical 2 + laser. + 884.4120............... Gynecologic 2 + electrocautery and + accessories. + 884.5300............... Condom................... 2 + Ophthalmic Implants............... 886.3320............... Eye sphere implant....... 2 + Contact Lens...................... 886.1385............... Polymethylmethacrylate 2 + (PMMA) diagnostic + contact lens. + 886.5916............... Rigid gas permeable 2 + contact lens (daily wear + only). + Diagnostic Equipment.............. 886.1120............... Opthalmic camera......... 1 + 886.1220............... Corneal electrode........ 1 + 886.1250............... Euthyscope (AC-powered).. 1 + 886.1360............... Visual field laser 1 + instrument. + 886.1510............... Eye movement monitor..... 1 + 886.1570............... Ophthalmoscope........... 1 + 886.1630............... AC-powered 1 + photostimulator. + 886.1640............... Ophthalmic preamplifier.. 1 + 886.1670............... Ophthalmic isotope uptake 2 + probe. + 886.1780............... Retinoscope (AC-powered 1 + device). + 886.1850............... AC-powered slit lamp 1 + biomicroscope. + 886.1930............... Tonometer and accessories 2 + 886.1945............... Transilluminator (AC- 1 + powered device). + 886.3130............... Ophthalmic conformer..... 2 + (Diagnostic/Surgery Equipment).... 886.4670............... Phacofragmentation system 2 + Ophthalmic Implants............... 886.3340............... Extraocular orbital 2 + implant. + 886.3800............... Scleral shell............ 2 + Surgical Equipment................ 880.5725............... Infusion pump 2 + (performance standards). + +[[Page 333]] + + + 886.3100............... Ophthalmic tantalum clip. 2 + 886.3300............... Absorbable implant 2 + (scleral buckling + method). + 886.4100............... Radiofrequency 2 + electrosurgical cautery + apparatus. + 886.4115............... Thermal cautery unit..... 2 + 886.4150............... Vitreous aspiration and 2 + cutting instrument. + 886.4170............... Cryophthalmic unit....... 2 + 886.4250............... Ophthalmic electrolysis 1 + unit (AC-powered device). + 886.4335............... Operating headlamp (AC- 1 + powered device). + 886.4390............... Ophthalmic laser......... 2 + 886.4392............... Nd:YAG laser for 2 + posterior capsulotomy. + 886.4400............... Electronic metal locator. 1 + 886.4440............... AC-powered magnet........ 1 + 886.4610............... Ocular pressure 2 + applicator. + 886.4690............... Ophthalmic 2 + photocoagulator. + 886.4790............... Ophthalmic sponge........ 2 + 886.5100............... Ophthalmic beta radiation 2 + source. + none................... Ophthalmoscopes, 1 + replacement batteries, + hand-held. +Orthopedic Panel + Implants.......................... 888.3010............... Bone fixation cerclage... 2 + 888.3020............... Intramedullary fixation 2 + rod. + 888.3030............... Single/multiple component 2 + metallic bone fixation + appliances and + accessories. + 888.3040............... Smooth or threaded 2 + metallic bone fixation + fastener. + 888.3050............... Spinal interlaminal 2 + fixation orthosis. + 888.3060............... Spinal intervertebral 2 + body fixation orthosis. + Surgical Equipment................ 888.1240............... AC-powered dynamometer... 2 + 888.4580............... Sonic surgical instrument 2 + and accessories/ + attachments. + none................... Accessories, fixation, 2 + spinal interlaminal. + none................... Accessories, fixation, 2 + spinal intervertebral + body. + none................... Monitor, pressure, 1 + intracompartmental. + none................... Orthosis, fixation, 2 + spinal intervertebral + fusion. + none................... Orthosis, spinal pedicle + fixation. + none................... System, cement removal 1 + extraction. +Physical Medicine Panel + Diagnostic Equipment or (Therapy) 890.1225............... Chronaximeter............ 2 + Therapeutic Equipment. + 890.1375............... Diagnostic 2 + electromyograph. + 890.1385............... Diagnostic 2 + electromyograph needle + electrode. + 890.1450............... Powered reflex hammer.... 2 + 890.1850............... Diagnostic muscle 2 + stimulator. + or (Therapy)...................... 890.5850............... Powered muscle stimulator 2 + Therapeutic Equipment............. 890.5100............... Immersion hydrobath...... 2 + 890.5110............... Paraffin bath............ 2 + 890.5500............... Infrared lamp............ 2 + 890.5720............... Water circulating hot or 2 + cold pack. + 890.5740............... Powered heating pad...... 2 +Radiology Panel + MRI............................... 892.1000............... Magnetic resonance 2 + diagnostic device. + Ultrasound Diagnostic............. 884.2660............... Fetal ultrasonic monitor 2 + and accessories. + 892.1540............... Nonfetal ultrasonic + monitor. + 892.1560............... Ultrasonic pulsed echo 2 + imaging system. + 892.1570............... Diagnostic ultrasonic 2 + transducer. + 892.1550............... Ultrasonic pulsed doppler + imaging system. + Angiographic...................... 892.1600............... Angiographic x-ray system 2 + Diagnostic X-Ray.................. 892.1610............... Diagnostic x-ray beam- 2 + limiting device. + 892.1620............... Cine or spot 2 + fluorographic x-ray + camera. + 892.1630............... Electrostatic x-ray 2 + imaging system. + 892.1650............... Image-intensified 2 + fluoroscopic x-ray + system. + 892.1670............... Spot film device......... 2 + 892.1680............... Stationary x-ray system.. 2 + 892.1710............... Mammographic x-ray system 2 + 892.1720............... Mobile x-ray system...... 2 + 892.1740............... Tomographic x-ray system. 1 + 892.1820............... Pneumoencephalographic 2 + chair. + 892.1850............... Radiographic film 1 + cassette. + 892.1860............... Radiographic film/ 1 + cassette changer. + 892.1870............... Radiographic film/ 2 + cassette changer + programmer. + 892.1900............... Automatic radiographic 2 + film processor. + 892.1980............... Radiologic table......... 1 + CT Scanner........................ 892.1750............... Computed tomography x-ray 2 + system. + Radiation Therapy................. 892.5050............... Medical charged-particle 2 + radiation therapy system. + +[[Page 334]] + + + 892.5300............... Medical neutron radiation 2 + therapy system. + 892.5700............... Remote controlled 2 + radionuclide applicator + system. + 892.5710............... Radiation therapy beam- 2 + shaping block. + 892.5730............... Radionuclide 2 + brachytherapy source. + 892.5750............... Radionuclide radiation 2 + therapy system. + 892.5770............... Powered radiation therapy 2 + patient support assembly. + 892.5840............... Radiation therapy 2 + simulation system. + 892.5930............... Therapeutic x-ray tube 1 + housing assembly. + Nuclear Medicine.................. 892.1170............... Bone densitometer........ 2 + 892.1200............... Emission computed 2 + tomography system. + 892.1310............... Nuclear tomography system 1 + 892.1390............... Radionuclide rebreathing 2 + system. +General/Plastic Surgery Panel + Surgical Lamps.................... 878.4630............... Ultraviolet lamp for 2 + dermatologic disorders. + 890.5500............... Infrared lamp............ 2 + 878.4580............... Surgical lamp............ 2 + Electrosurgical Cutting Equipment. 878.4810............... Laser surgical instrument 2 + for use in general and + plastic surgery and in + dermatology. + 878.4400............... Electrosurgical cutting 2 + and coagulation device + and accessories. + Miscellaneous..................... 878.4780............... Powered suction pump..... 2 +---------------------------------------------------------------------------------------------------------------- +\1\Descriptive information on product codes, panel codes, and other medical device identifiers may be viewed on + FDA's Internet Web Site at http://www.fda.gov/cdrh/prodcode.html. + + +[63 FR 60141, Nov. 6, 1998; 64 FR 16348, Apr. 5, 1999] + + + + Sec. Appendixes C-F to Subpart B of Part 26 [Reserved] + + + + Subpart C_``Framework'' Provisions + + + +Sec. 26.60 Definitions. + + (a) The following terms and definitions shall apply to this subpart +only: + (1) Designating Authority means a body with power to designate, +monitor, suspend, remove suspension of, or withdraw conformity +assessment bodies as specified under this part. + (2) Designation means the identification by a designating authority +of a conformity assessment body to perform conformity assessment +procedures under this part. + (3) Regulatory Authority means a government agency or entity that +exercises a legal right to control the use or sale of products within a +party's jurisdiction and may take enforcement action to ensure that +products marketed within its jurisdiction comply with legal +requirements. + (b) Other terms concerning conformity assessment used in this part +shall have the meaning given elsewhere in this part or in the +definitions contained in ``Guide 2: Standardization and Related +Activities--General Vocabulary of the International Organization for +Standardization (ISO) and the International Electrotechnical Commission +(IEC)'' (ISO/IEC Guide 2) (1996 edition), which is incorporated by +reference in accordance with 5 U.S.C. 552(a) and 1 CFR part 51. Copies +are available from the International Organization for Standardization, +1, rue de Varemb[eacute], Case postale 56, CH-1211 Gen[egrave]ve 20, +Switzerland, or on the Internet at http://www.iso.ch or may be examined +at the Food and Drug Administration's Medical Library, 5600 Fishers +Lane, rm. 11B-40, Rockville, MD 20857, or at the National Archives and +Records Administration (NARA). For information on the availability of +this material at NARA, call 202-741-6030, or go to: http:// +www.archives.gov/federal--register/code--of--federal--regulations/ibr-- +locations.html. In the event of an inconsistency between the ISO/IEC +Guide 2 and definitions in this part, the definitions in this part shall +prevail. + + + +Sec. 26.61 Purpose of this part. + + This part specifies the conditions by which each party will accept +or recognize results of conformity assessment + +[[Page 335]] + +procedures, produced by the other party's conformity assessment bodies +(CAB's) or authorities, in assessing conformity to the importing party's +requirements, as specified on a sector-specific basis in subparts A and +B of this part, and to provide for other related cooperative activities. +The objective of such mutual recognition is to provide effective market +access throughout the territories of the parties with regard to +conformity assessment for all products covered under this part. If any +obstacles to such access arise, consultations will promptly be held. In +the absence of a satisfactory outcome of such consultations, the party +alleging its market access has been denied may, within 90 days of such +consultation, invoke its right to terminate the ``Agreement on Mutual +Recognition Between the United States of America and the European +Community,'' from which this part is derived, in accordance with Sec. +26.80. + + + +Sec. 26.62 General obligations. + + (a) The United States shall, as specified in subparts A and B of +this part, accept or recognize results of specified procedures, used in +assessing conformity to specified legislative, regulatory, and +administrative provisions of the United States, produced by the other +party's conformity assessment bodies (CAB's) and/or authorities. + (b) The European Community (EC) and its Member States shall, as +specified in subparts A and B of this part, accept or recognize results +of specified procedures, used in assessing conformity to specified +legislative, regulatory, and administrative provisions of the EC and its +Member States, produced by the other party's CAB's and/or authorities. + (c) Where sectoral transition arrangements have been specified in +subparts A and B of this part, the obligations in paragraphs (a) and (b) +of this section will apply following the successful completion of those +sectoral transition arrangements, with the understanding that the +conformity assessment procedures utilized assure conformity to the +satisfaction of the receiving party, with applicable legislative, +regulatory, and administrative provisions of that party, equivalent to +the assurance offered by the receiving party's own procedures. + + + +Sec. 26.63 General coverage of this part. + + (a) This part applies to conformity assessment procedures for +products and/or processes and to other related cooperative activities as +described in this part. + (b) Subparts A and B of this part may include: + (1) A description of the relevant legislative, regulatory, and +administrative provisions pertaining to the conformity assessment +procedures and technical regulations; + (2) A statement on the product scope and coverage; + (3) A list of designating authorities; + (4) A list of agreed conformity assessment bodies (CAB's) or +authorities or a source from which to obtain a list of such bodies or +authorities and a statement of the scope of the conformity assessment +procedures for which each has been agreed; + (5) The procedures and criteria for designating the CAB's; + (6) A description of the mutual recognition obligations; + (7) A sectoral transition arrangement; + (8) The identity of a sectoral contact point in each party's +territory; and + (9) A statement regarding the establishment of a Joint Sectoral +Committee. + (c) This part shall not be construed to entail mutual acceptance of +standards or technical regulations of the parties and, unless otherwise +specified in subpart A or B of this part, shall not entail the mutual +recognition of the equivalence of standards or technical regulations. + + + +Sec. 26.64 Transitional arrangements. + + The parties agree to implement the transitional commitments on +confidence building as specified in subparts A and B of this part. + (a) The parties agree that each sectoral transitional arrangement +shall specify a time period for completion. + (b) The parties may amend any transitional arrangement by mutual +agreement. + (c) Passage from the transitional phase to the operational phase +shall + +[[Page 336]] + +proceed as specified in subparts A and B of this part, unless either +party documents that the conditions provided in such subpart for a +successful transition are not met. + + + +Sec. 26.65 Designating authorities. + + The parties shall ensure that the designating authorities specified +in subpart B of this part have the power and competence in their +respective territories to carry out decisions under this part to +designate, monitor, suspend, remove suspension of, or withdraw +conformity assessment bodies (CAB's). + + + +Sec. 26.66 Designation and listing procedures. + + The following procedures shall apply with regard to the designation +of conformity assessment bodies (CAB's) and the inclusion of such bodies +in the list of CAB's in subpart B of this part: + (a) The designating authority identified in subpart B of this part +shall designate CAB's in accordance with the procedures and criteria set +forth in subpart B of this part; + (b) A party proposing to add a CAB to the list of such bodies in +subpart B of this part shall forward its proposal of one or more +designated CAB's in writing to the other party with a view to a decision +by the Joint Committee; + (c) Within 60 days following receipt of the proposal, the other +party shall indicate its position regarding either its confirmation or +its opposition. Upon confirmation, the inclusion in subpart B of this +part of the proposed CAB or CAB's shall take effect; and + (d) In the event that the other party contests on the basis of +documented evidence the technical competence or compliance of a proposed +CAB, or indicates in writing that it requires an additional 30 days to +more fully verify such evidence, such CAB shall not be included on the +list of CAB's in subpart B of this part. In this instance, the Joint +Committee may decide that the body concerned be verified. After the +completion of such verification, the proposal to list the CAB in subpart +B may be resubmitted to the other party. + + + +Sec. 26.67 Suspension of listed conformity assessment bodies. + + The following procedures shall apply with regard to the suspension +of a conformity assessment body (CAB) listed in subpart B of this part. + (a) A party shall notify the other party of its contestation of the +technical competence or compliance of a CAB listed in subpart B of this +part and the contesting party's intent to suspend such CAB. Such +contestation shall be exercised when justified in an objective and +reasoned manner in writing to the other party; + (b) The CAB shall be given prompt notice by the other party and an +opportunity to present information in order to refute the contestation +or to correct the deficiencies which form the basis of the contestation; + (c) Any such contestation shall be discussed between the parties in +the Joint Sectoral Committee described in subpart B of this part. If +there is no Joint Sectoral Committee, the contesting party shall refer +the matter directly to the Joint Committee. If agreement to suspend is +reached by the Joint Sectoral Committee or, if there is no Joint +Sectoral Committee, by the Joint Committee, the CAB shall be suspended; + (d) Where the Joint Sectoral Committee or Joint Committee decides +that verification of technical competence or compliance is required, it +shall normally be carried out in a timely manner by the party in whose +territory the body in question is located, but may be carried out +jointly by the parties in justified cases; + (e) If the matter has not been resolved by the Joint Sectoral +Committee within 10 days of the notice of contestation, the matter shall +be referred to the Joint Committee for a decision. If there is no Joint +Sectoral Committee, the matter shall be referred directly to the Joint +Committee. If no decision is reached by the Joint Committee within 10 +days of the referral to it, the CAB shall be suspended upon the request +of the contesting party; + (f) Upon the suspension of a CAB listed in subpart B of this part, a +party is + +[[Page 337]] + +no longer obligated to accept or recognize the results of conformity +assessment procedures performed by that CAB subsequent to suspension. A +party shall continue to accept the results of conformity assessment +procedures performed by that CAB prior to suspension, unless a +regulatory authority of the party decides otherwise based on health, +safety or environmental considerations or failure to satisfy other +requirements within the scope of subpart B of this part; and + (g) The suspension shall remain in effect until agreement has been +reached by the parties upon the future status of that body. + + + +Sec. 26.68 Withdrawal of listed conformity assessment bodies. + + The following procedures shall apply with regard to the withdrawal +from subpart B of this part of a conformity assessment body (CAB): + (a) A party proposing to withdraw a CAB listed in subpart B of this +part shall forward its proposal in writing to the other party; + (b) Such CAB shall be promptly notified by the other party and shall +be provided a period of at least 30 days from receipt to provide +information in order to refute or to correct the deficiencies which form +the basis of the proposed withdrawal; + (c) Within 60 days following receipt of the proposal, the other +party shall indicate its position regarding either its confirmation or +its opposition. Upon confirmation, the withdrawal from the list in +subpart B of this part of the CAB shall take effect; + (d) In the event the other party opposes the proposal to withdraw by +supporting the technical competence and compliance of the CAB, the CAB +shall not at that time be withdrawn from the list of CAB's in subpart B +of this part. In this instance, the Joint Sectoral Committee or the +Joint Committee may decide to carry out a joint verification of the body +concerned. After the completion of such verification, the proposal for +withdrawal of the CAB may be resubmitted to the other party; and + (e) Subsequent to the withdrawal of a CAB listed in subpart B of +this part, a party shall continue to accept the results of conformity +assessment procedures performed by that CAB prior to withdrawal, unless +a regulatory authority of the party decides otherwise based on health, +safety, and environmental considerations or failure to satisfy other +requirements within the scope of subpart B of this part. + + + +Sec. 26.69 Monitoring of conformity assessment bodies. + + The following shall apply with regard to the monitoring of +conformity assessment bodies (CAB's) listed in subpart B of this part: + (a) Designating authorities shall assure that their CAB's listed in +subpart B of this part are capable and remain capable of properly +assessing conformity of products or processes, as applicable, and as +covered in subpart B of this part. In this regard, designating +authorities shall maintain, or cause to maintain, ongoing surveillance +over their CAB's by means of regular audit or assessment; + (b) The parties undertake to compare methods used to verify that the +CAB's listed in subpart B of this part comply with the relevant +requirements of subpart B of this part. Existing systems for the +evaluation of CAB's may be used as part of such comparison procedures; + (c) Designating authorities shall consult as necessary with their +counterparts, to ensure the maintenance of confidence in conformity +assessment procedures. With the consent of both parties, this +consultation may include joint participation in audits/inspections +related to conformity assessment activities or other assessments of +CAB's listed in subpart B of this part; and + (d) Designating authorities shall consult, as necessary, with the +relevant regulatory authorities of the other party to ensure that all +technical requirements are identified and are satisfactorily addressed. + + + +Sec. 26.70 Conformity assessment bodies. + + Each party recognizes that the conformity assessment bodies (CAB's) +listed in subpart B of this part fulfill the conditions of eligibility +to assess conformity in relation to its requirements as specified in +subpart B of this part. + +[[Page 338]] + +The parties shall specify the scope of the conformity assessment +procedures for which such bodies are listed. + + + +Sec. 26.71 Exchange of information. + + (a) The parties shall exchange information concerning the +implementation of the legislative, regulatory, and administrative +provisions identified in subparts A and B of this part. + (b) Each party shall notify the other party of legislative, +regulatory, and administrative changes related to the subject matter of +this part at least 60 days before their entry into force. Where +considerations of safety, health or environmental protection require +more urgent action, a party shall notify the other party as soon as +practicable. + (c) Each party shall promptly notify the other party of any changes +to its designating authorities and/or conformity assessment bodies +(CAB's). + (d) The parties shall exchange information concerning the procedures +used to ensure that the listed CAB's under their responsibility comply +with the legislative, regulatory, and administrative provisions outlined +in subpart B of this part. + (e) Regulatory authorities identified in subparts A and B of this +part shall consult as necessary with their counterparts, to ensure the +maintenance of confidence in conformity assessment procedures and to +ensure that all technical requirements are identified and are +satisfactorily addressed. + + + +Sec. 26.72 Sectoral contact points. + + Each party shall appoint and confirm in writing contact points to be +responsible for activities under subparts A and B of this part. + + + +Sec. 26.73 Joint Committee. + + (a) A Joint Committee consisting of representatives of the United +States and the European Community (EC) will be established. The Joint +Committee shall be responsible for the effective functioning of the +``Agreement on Mutual Recognition Between the United States of America +and the European Community,'' from which this part is derived. + (b) The Joint Committee may establish Joint Sectoral Committees +comprised of appropriate regulatory authorities and others deemed +necessary. + (c) The United States and the EC shall each have one vote in the +Joint Committee. The Joint Committee shall make its decisions by +unanimous consent. The Joint Committee shall determine its own rules and +procedures. + (d) The Joint Committee may consider any matter relating to the +effective functioning of that agreement. In particular it shall be +responsible for: + (1) Listing, suspension, withdrawal and verification of conformity +assessment bodies (CAB's) in accordance with that agreement; + (2) Amending transitional arrangements in the sectoral annexes to +that agreement; + (3) Resolving any questions relating to the application of that +agreement not otherwise resolved in the respective Joint Sectoral +Committees; + (4) Providing a forum for discussion of issues that may arise +concerning the implementation of that agreement; + (5) Considering ways to enhance the operation of that agreement; + (6) Coordinating the negotiation of additional sectoral annexes to +that agreement; and + (7) Considering whether to amend that agreement in accordance with +Sec. 26.80. + (e) When a party introduces new or additional conformity assessment +procedures affecting a sectoral annex to that agreement, the parties +shall discuss the matter in the Joint Committee with a view to bringing +such new or additional procedures within the scope of that agreement and +the relevant sectoral annex. + + + +Sec. 26.74 Preservation of regulatory authority. + + (a) Nothing in this part shall be construed to limit the authority +of a party to determine, through its legislative, regulatory, and +administrative measures, the level of protection it considers +appropriate for safety; for protection of human, animal, or plant life +or health; for the environment; for consumers; and otherwise with regard +to risks within the scope of the applicable subpart A or B of this part. + +[[Page 339]] + + (b) Nothing in this part shall be construed to limit the authority +of a regulatory authority to take all appropriate and immediate measures +whenever it ascertains that a product may: + (1) Compromise the health or safety of persons in its territory; + (2) Not meet the legislative, regulatory, or administrative +provisions within the scope of the applicable subpart A or B of this +part; or + (3) Otherwise fail to satisfy a requirement within the scope of the +applicable subpart A or B of this part. Such measures may include +withdrawing the products from the market, prohibiting their placement on +the market, restricting their free movement, initiating a product +recall, and preventing the recurrence of such problems, including +through a prohibition on imports. If the regulatory authority takes such +action, it shall inform its counterpart authority and the other party +within 15 days of taking such action, providing its reasons. + + + +Sec. 26.75 Suspension of recognition obligations. + + Either party may suspend its obligations under subpart A or B of +this part, in whole or in part, if: + (a) A party suffers a loss of market access for the party's products +within the scope of subpart A or B of this part as a result of the +failure of the other party to fulfill its obligations under this part; + (b) The adoption of new or additional conformity assessment +requirements as referenced in Sec. 26.73(e) results in a loss of market +access for the party's products within the scope of subpart B of this +part because conformity assessment bodies (CAB's) designated by the +party in order to meet such requirements have not been recognized by the +party implementing the requirements; or + (c) The other party fails to maintain legal and regulatory +authorities capable of implementing the provisions of this part. + + + +Sec. 26.76 Confidentiality. + + (a) Each party agrees to maintain, to the extent required under its +laws, the confidentiality of information exchanged under this part. + (b) In particular, neither party shall disclose to the public, nor +permit a conformity assessment body (CAB) to disclose to the public, +information exchanged under this part that constitutes trade secrets, +confidential commercial or financial information, or information that +relates to an ongoing investigation. + (c) A party or a CAB may, upon exchanging information with the other +party or with a CAB of the other party, designate the portions of the +information that it considers to be exempt from disclosure. + (d) Each party shall take all precautions reasonably necessary to +protect information exchanged under this part from unauthorized +disclosure. + + + +Sec. 26.77 Fees. + + Each party shall endeavor to ensure that fees imposed for services +under this part shall be commensurate with the services provided. Each +party shall ensure that, for the sectors and conformity assessment +procedures covered under this part, it shall charge no fees with respect +to conformity assessment services provided by the other party. + + + +Sec. 26.78 Agreements with other countries. + + Except where there is written agreement between the parties, +obligations contained in mutual recognition agreements concluded by +either party with a party not a party to the agreement from which this +part is derived (a third party) shall have no force and effect with +regard to the other party in terms of acceptance of the results of +conformity assessment procedures in the third party. + + + +Sec. 26.79 Territorial application. + + The agreement from which this part is derived shall apply, on the +one hand, to the territories in which the Treaty establishing the +European Community (EC) is applied, and under the conditions laid down +in that Treaty and, on the other hand, to the territory of the United +States. + + + +Sec. 26.80 Entry into force, amendment, and termination. + + (a) The ``Agreement on Mutual Recognition Between the United States +of + +[[Page 340]] + +America and the European Community,'' from which this part is derived, +including its sectoral annexes on telecommunication equipment, +electromagnetic compatibility, electrical safety, recreational craft, +pharmaceutical Good Manufacturing Practices (GMP) inspections, and +medical devices shall enter into force on the first day of the second +month following the date on which the parties have exchanged letters +confirming the completion of their respective procedures for the entry +into force of that agreement. + (b) That agreement including any sectoral annex may, through the +Joint Committee, be amended in writing by the parties to that agreement. +Those parties may add a sectoral annex upon the exchange of letters. +Such annex shall enter into force 30 days following the date on which +those parties have exchanged letters confirming the completion of their +respective procedures for the entry into force of the sectoral annex. + (c) Either party to that agreement may terminate that agreement in +its entirety or any individual sectoral annex thereof by giving the +other party to that agreement 6-months notice in writing. In the case of +termination of one or more sectoral annexes, the parties to that +agreement will seek to achieve by consensus to amend that agreement, +with a view to preserving the remaining Sectoral Annexes, in accordance +with the procedures in this section. Failing such consensus, that +agreement shall terminate at the end of 6 months from the date of +notice. + (d) Following termination of that agreement in its entirety or any +individual sectoral annex thereof, a party to that agreement shall +continue to accept the results of conformity assessment procedures +performed by conformity assessment bodies under that agreement prior to +termination, unless a regulatory authority in the party decides +otherwise based on health, safety and environmental considerations or +failure to satisfy other requirements within the scope of the applicable +sectoral annex. + + + +Sec. 26.81 Final provisions. + + (a) The sectoral annexes referred to in Sec. 26.80(a), as well as +any new sectoral annexes added pursuant to Sec. 26.80(b), shall form an +integral part of the ``Agreement on Mutual Recognition Between the +United States of America and the European Community,'' from which this +part is derived. + (b) For a given product or sector, the provisions contained in +subparts A and B of this part shall apply in the first place, and the +provisions of subpart C of this part in addition to those provisions. In +the case of any inconsistency between the provisions of subpart A or B +of this part and subpart C of this part, subpart A or B shall prevail, +to the extent of that inconsistency. + (c) The agreement from which this part is derived shall not affect +the rights and obligations of the parties under any other international +agreement. + (d) In the case of subpart B of this part, the parties shall review +the status of such subpart at the end of 3 years from the date described +in Sec. 26.80(a). + + + +PART 50_PROTECTION OF HUMAN SUBJECTS--Table of Contents + + + + Subpart A_General Provisions + +Sec. +50.1 Scope. +50.3 Definitions. + + Subpart B_Informed Consent of Human Subjects + +50.20 General requirements for informed consent. +50.23 Exception from general requirements. +50.24 Exception from informed consent requirements for emergency + research. +50.25 Elements of informed consent. +50.27 Documentation of informed consent. + +Subpart C [Reserved] + + Subpart D_Additional Safeguards for Children in Clinical Investigations + +50.50 IRB duties. +50.51 Clinical investigations not involving greater than minimal risk. +50.52 Clinical investigations involving greater than minimal risk but + presenting the prospect of direct benefit to individual + subjects. +50.53 Clinical investigations involving greater than minimal risk and no + prospect of direct benefit to individual subjects, but likely + to yield generalizable + +[[Page 341]] + + knowledge about the subjects' disorder or condition. +50.54 Clinical investigations not otherwise approvable that present an + opportunity to understand, prevent, or alleviate a serious + problem affecting the health or welfare of children. +50.55 Requirements for permission by parents or guardians and for assent + by children. +50.56 Wards. + + Authority: 21 U.S.C 321, 343, 346, 346a, 348, 350a, 350b, 352, 353, +355, 360, 360c-360f, 360h-360j, 371, 379e, 381; 42 U.S.C. 216, 241, 262, +263b-263n. + + Source: 45 FR 36390, May 30, 1980, unless otherwise noted. + + + + Subpart A_General Provisions + + + +Sec. 50.1 Scope. + + (a) This part applies to all clinical investigations regulated by +the Food and Drug Administration under sections 505(i) and 520(g) of the +Federal Food, Drug, and Cosmetic Act, as well as clinical investigations +that support applications for research or marketing permits for products +regulated by the Food and Drug Administration, including foods, +including dietary supplements, that bear a nutrient content claim or a +health claim, infant formulas, food and color additives, drugs for human +use, medical devices for human use, biological products for human use, +and electronic products. Additional specific obligations and commitments +of, and standards of conduct for, persons who sponsor or monitor +clinical investigations involving particular test articles may also be +found in other parts (e.g., parts 312 and 812). Compliance with these +parts is intended to protect the rights and safety of subjects involved +in investigations filed with the Food and Drug Administration pursuant +to sections 403, 406, 409, 412, 413, 502, 503, 505, 510, 513-516, 518- +520, 721, and 801 of the Federal Food, Drug, and Cosmetic Act and +sections 351 and 354-360F of the Public Health Service Act. + (b) References in this part to regulatory sections of the Code of +Federal Regulations are to chapter I of title 21, unless otherwise +noted. + +[45 FR 36390, May 30, 1980; 46 FR 8979, Jan. 27, 1981, as amended at 63 +FR 26697, May 13, 1998; 64 FR 399, Jan. 5, 1999; 66 FR 20597, Apr. 24, +2001] + + + +Sec. 50.3 Definitions. + + As used in this part: + (a) Act means the Federal Food, Drug, and Cosmetic Act, as amended +(secs. 201-902, 52 Stat. 1040 et seq. as amended (21 U.S.C. 321-392)). + (b) Application for research or marketing permit includes: + (1) A color additive petition, described in part 71. + (2) A food additive petition, described in parts 171 and 571. + (3) Data and information about a substance submitted as part of the +procedures for establishing that the substance is generally recognized +as safe for use that results or may reasonably be expected to result, +directly or indirectly, in its becoming a component or otherwise +affecting the characteristics of any food, described in Sec. Sec. +170.30 and 570.30. + (4) Data and information about a food additive submitted as part of +the procedures for food additives permitted to be used on an interim +basis pending additional study, described in Sec. 180.1. + (5) Data and information about a substance submitted as part of the +procedures for establishing a tolerance for unavoidable contaminants in +food and food-packaging materials, described in section 406 of the act. + (6) An investigational new drug application, described in part 312 +of this chapter. + (7) A new drug application, described in part 314. + (8) Data and information about the bioavailability or bioequivalence +of drugs for human use submitted as part of the procedures for issuing, +amending, or repealing a bioequivalence requirement, described in part +320. + (9) Data and information about an over-the-counter drug for human +use submitted as part of the procedures for classifying these drugs as +generally recognized as safe and effective and not misbranded, described +in part 330. + +[[Page 342]] + + (10) Data and information about a prescription drug for human use +submitted as part of the procedures for classifying these drugs as +generally recognized as safe and effective and not misbranded, described +in this chapter. + (11) [Reserved] + (12) An application for a biologics license, described in part 601 +of this chapter. + (13) Data and information about a biological product submitted as +part of the procedures for determining that licensed biological products +are safe and effective and not misbranded, described in part 601. + (14) Data and information about an in vitro diagnostic product +submitted as part of the procedures for establishing, amending, or +repealing a standard for these products, described in part 809. + (15) An Application for an Investigational Device Exemption, +described in part 812. + (16) Data and information about a medical device submitted as part +of the procedures for classifying these devices, described in section +513. + (17) Data and information about a medical device submitted as part +of the procedures for establishing, amending, or repealing a standard +for these devices, described in section 514. + (18) An application for premarket approval of a medical device, +described in section 515. + (19) A product development protocol for a medical device, described +in section 515. + (20) Data and information about an electronic product submitted as +part of the procedures for establishing, amending, or repealing a +standard for these products, described in section 358 of the Public +Health Service Act. + (21) Data and information about an electronic product submitted as +part of the procedures for obtaining a variance from any electronic +product performance standard, as described in Sec. 1010.4. + (22) Data and information about an electronic product submitted as +part of the procedures for granting, amending, or extending an exemption +from a radiation safety performance standard, as described in Sec. +1010.5. + (23) Data and information about a clinical study of an infant +formula when submitted as part of an infant formula notification under +section 412(c) of the Federal Food, Drug, and Cosmetic Act. + (24) Data and information submitted in a petition for a nutrient +content claim, described in Sec. 101.69 of this chapter, or for a +health claim, described in Sec. 101.70 of this chapter. + (25) Data and information from investigations involving children +submitted in a new dietary ingredient notification, described in Sec. +190.6 of this chapter. + (c) Clinical investigation means any experiment that involves a test +article and one or more human subjects and that either is subject to +requirements for prior submission to the Food and Drug Administration +under section 505(i) or 520(g) of the act, or is not subject to +requirements for prior submission to the Food and Drug Administration +under these sections of the act, but the results of which are intended +to be submitted later to, or held for inspection by, the Food and Drug +Administration as part of an application for a research or marketing +permit. The term does not include experiments that are subject to the +provisions of part 58 of this chapter, regarding nonclinical laboratory +studies. + (d) Investigator means an individual who actually conducts a +clinical investigation, i.e., under whose immediate direction the test +article is administered or dispensed to, or used involving, a subject, +or, in the event of an investigation conducted by a team of individuals, +is the responsible leader of that team. + (e) Sponsor means a person who initiates a clinical investigation, +but who does not actually conduct the investigation, i.e., the test +article is administered or dispensed to or used involving, a subject +under the immediate direction of another individual. A person other than +an individual (e.g., corporation or agency) that uses one or more of its +own employees to conduct a clinical investigation it has initiated is +considered to be a sponsor (not a sponsor-investigator), and the +employees are considered to be investigators. + (f) Sponsor-investigator means an individual who both initiates and +actually + +[[Page 343]] + +conducts, alone or with others, a clinical investigation, i.e., under +whose immediate direction the test article is administered or dispensed +to, or used involving, a subject. The term does not include any person +other than an individual, e.g., corporation or agency. + (g) Human subject means an individual who is or becomes a +participant in research, either as a recipient of the test article or as +a control. A subject may be either a healthy human or a patient. + (h) Institution means any public or private entity or agency +(including Federal, State, and other agencies). The word facility as +used in section 520(g) of the act is deemed to be synonymous with the +term institution for purposes of this part. + (i) Institutional review board (IRB) means any board, committee, or +other group formally designated by an institution to review biomedical +research involving humans as subjects, to approve the initiation of and +conduct periodic review of such research. The term has the same meaning +as the phrase institutional review committee as used in section 520(g) +of the act. + (j) Test article means any drug (including a biological product for +human use), medical device for human use, human food additive, color +additive, electronic product, or any other article subject to regulation +under the act or under sections 351 and 354-360F of the Public Health +Service Act (42 U.S.C. 262 and 263b-263n). + (k) Minimal risk means that the probability and magnitude of harm or +discomfort anticipated in the research are not greater in and of +themselves than those ordinarily encountered in daily life or during the +performance of routine physical or psychological examinations or tests. + (l) Legally authorized representative means an individual or +judicial or other body authorized under applicable law to consent on +behalf of a prospective subject to the subject's particpation in the +procedure(s) involved in the research. + (m) Family member means any one of the following legally competent +persons: Spouse; parents; children (including adopted children); +brothers, sisters, and spouses of brothers and sisters; and any +individual related by blood or affinity whose close association with the +subject is the equivalent of a family relationship. + (n) Assent means a child's affirmative agreement to participate in a +clinical investigation. Mere failure to object should not, absent +affirmative agreement, be construed as assent. + (o) Children means persons who have not attained the legal age for +consent to treatments or procedures involved in clinical investigations, +under the applicable law of the jurisdiction in which the clinical +investigation will be conducted. + (p) Parent means a child's biological or adoptive parent. + (q) Ward means a child who is placed in the legal custody of the +State or other agency, institution, or entity, consistent with +applicable Federal, State, or local law. + (r) Permission means the agreement of parent(s) or guardian to the +participation of their child or ward in a clinical investigation. + (s) Guardian means an individual who is authorized under applicable +State or local law to consent on behalf of a child to general medical +care. + +[45 FR 36390, May 30, 1980, as amended at 46 FR 8950, Jan. 27, 1981; 54 +FR 9038, Mar. 3, 1989; 56 FR 28028, June 18, 1991; 61 FR 51528, Oct. 2, +1996; 62 FR 39440, July 23, 1997; 64 FR 399, Jan. 5, 1999; 64 FR 56448, +Oct. 20, 1999; 66 FR 20597, Apr. 24, 2001; 78 FR 12950, Feb. 26, 2013] + + + + Subpart B_Informed Consent of Human Subjects + + Source: 46 FR 8951, Jan. 27, 1981, unless otherwise noted. + + + +Sec. 50.20 General requirements for informed consent. + + Except as provided in Sec. Sec. 50.23 and 50.24, no investigator +may involve a human being as a subject in research covered by these +regulations unless the investigator has obtained the legally effective +informed consent of the subject or the subject's legally authorized +representative. An investigator shall seek such consent only under +circumstances that provide the prospective subject or the representative +sufficient opportunity to consider whether or not to participate and +that minimize + +[[Page 344]] + +the possibility of coercion or undue influence. The information that is +given to the subject or the representative shall be in language +understandable to the subject or the representative. No informed +consent, whether oral or written, may include any exculpatory language +through which the subject or the representative is made to waive or +appear to waive any of the subject's legal rights, or releases or +appears to release the investigator, the sponsor, the institution, or +its agents from liability for negligence. + +[46 FR 8951, Jan. 27, 1981, as amended at 64 FR 10942, Mar. 8, 1999] + + + +Sec. 50.23 Exception from general requirements. + + (a) The obtaining of informed consent shall be deemed feasible +unless, before use of the test article (except as provided in paragraph +(b) of this section), both the investigator and a physician who is not +otherwise participating in the clinical investigation certify in writing +all of the following: + (1) The human subject is confronted by a life-threatening situation +necessitating the use of the test article. + (2) Informed consent cannot be obtained from the subject because of +an inability to communicate with, or obtain legally effective consent +from, the subject. + (3) Time is not sufficient to obtain consent from the subject's +legal representative. + (4) There is available no alternative method of approved or +generally recognized therapy that provides an equal or greater +likelihood of saving the life of the subject. + (b) If immediate use of the test article is, in the investigator's +opinion, required to preserve the life of the subject, and time is not +sufficient to obtain the independent determination required in paragraph +(a) of this section in advance of using the test article, the +determinations of the clinical investigator shall be made and, within 5 +working days after the use of the article, be reviewed and evaluated in +writing by a physician who is not participating in the clinical +investigation. + (c) The documentation required in paragraph (a) or (b) of this +section shall be submitted to the IRB within 5 working days after the +use of the test article. + (d)(1) Under 10 U.S.C. 1107(f) the President may waive the prior +consent requirement for the administration of an investigational new +drug to a member of the armed forces in connection with the member's +participation in a particular military operation. The statute specifies +that only the President may waive informed consent in this connection +and the President may grant such a waiver only if the President +determines in writing that obtaining consent: Is not feasible; is +contrary to the best interests of the military member; or is not in the +interests of national security. The statute further provides that in +making a determination to waive prior informed consent on the ground +that it is not feasible or the ground that it is contrary to the best +interests of the military members involved, the President shall apply +the standards and criteria that are set forth in the relevant FDA +regulations for a waiver of the prior informed consent requirements of +section 505(i)(4) of the Federal Food, Drug, and Cosmetic Act (21 U.S.C. +355(i)(4)). Before such a determination may be made that obtaining +informed consent from military personnel prior to the use of an +investigational drug (including an antibiotic or biological product) in +a specific protocol under an investigational new drug application (IND) +sponsored by the Department of Defense (DOD) and limited to specific +military personnel involved in a particular military operation is not +feasible or is contrary to the best interests of the military members +involved the Secretary of Defense must first request such a +determination from the President, and certify and document to the +President that the following standards and criteria contained in +paragraphs (d)(1) through (d)(4) of this section have been met. + (i) The extent and strength of evidence of the safety and +effectiveness of the investigational new drug in relation to the medical +risk that could be encountered during the military operation supports +the drug's administration under an IND. + +[[Page 345]] + + (ii) The military operation presents a substantial risk that +military personnel may be subject to a chemical, biological, nuclear, or +other exposure likely to produce death or serious or life-threatening +injury or illness. + (iii) There is no available satisfactory alternative therapeutic or +preventive treatment in relation to the intended use of the +investigational new drug. + (iv) Conditioning use of the investigational new drug on the +voluntary participation of each member could significantly risk the +safety and health of any individual member who would decline its use, +the safety of other military personnel, and the accomplishment of the +military mission. + (v) A duly constituted institutional review board (IRB) established +and operated in accordance with the requirements of paragraphs (d)(2) +and (d)(3) of this section, responsible for review of the study, has +reviewed and approved the investigational new drug protocol and the +administration of the investigational new drug without informed consent. +DOD's request is to include the documentation required by Sec. +56.115(a)(2) of this chapter. + (vi) DOD has explained: + (A) The context in which the investigational drug will be +administered, e.g., the setting or whether it will be self-administered +or it will be administered by a health professional; + (B) The nature of the disease or condition for which the preventive +or therapeutic treatment is intended; and + (C) To the extent there are existing data or information available, +information on conditions that could alter the effects of the +investigational drug. + (vii) DOD's recordkeeping system is capable of tracking and will be +used to track the proposed treatment from supplier to the individual +recipient. + (viii) Each member involved in the military operation will be given, +prior to the administration of the investigational new drug, a specific +written information sheet (including information required by 10 U.S.C. +1107(d)) concerning the investigational new drug, the risks and benefits +of its use, potential side effects, and other pertinent information +about the appropriate use of the product. + (ix) Medical records of members involved in the military operation +will accurately document the receipt by members of the notification +required by paragraph (d)(1)(viii) of this section. + (x) Medical records of members involved in the military operation +will accurately document the receipt by members of any investigational +new drugs in accordance with FDA regulations including part 312 of this +chapter. + (xi) DOD will provide adequate followup to assess whether there are +beneficial or adverse health consequences that result from the use of +the investigational product. + (xii) DOD is pursuing drug development, including a time line, and +marketing approval with due diligence. + (xiii) FDA has concluded that the investigational new drug protocol +may proceed subject to a decision by the President on the informed +consent waiver request. + (xiv) DOD will provide training to the appropriate medical personnel +and potential recipients on the specific investigational new drug to be +administered prior to its use. + (xv) DOD has stated and justified the time period for which the +waiver is needed, not to exceed one year, unless separately renewed +under these standards and criteria. + (xvi) DOD shall have a continuing obligation to report to the FDA +and to the President any changed circumstances relating to these +standards and criteria (including the time period referred to in +paragraph (d)(1)(xv) of this section) or that otherwise might affect the +determination to use an investigational new drug without informed +consent. + (xvii) DOD is to provide public notice as soon as practicable and +consistent with classification requirements through notice in the +Federal Register describing each waiver of informed consent +determination, a summary of the most updated scientific information on +the products used, and other pertinent information. + (xviii) Use of the investigational drug without informed consent +otherwise conforms with applicable law. + (2) The duly constituted institutional review board, described in +paragraph (d)(1)(v) of this section, must include at + +[[Page 346]] + +least 3 nonaffiliated members who shall not be employees or officers of +the Federal Government (other than for purposes of membership on the +IRB) and shall be required to obtain any necessary security clearances. +This IRB shall review the proposed IND protocol at a convened meeting at +which a majority of the members are present including at least one +member whose primary concerns are in nonscientific areas and, if +feasible, including a majority of the nonaffiliated members. The +information required by Sec. 56.115(a)(2) of this chapter is to be +provided to the Secretary of Defense for further review. + (3) The duly constituted institutional review board, described in +paragraph (d)(1)(v) of this section, must review and approve: + (i) The required information sheet; + (ii) The adequacy of the plan to disseminate information, including +distribution of the information sheet to potential recipients, on the +investigational product (e.g., in forms other than written); + (iii) The adequacy of the information and plans for its +dissemination to health care providers, including potential side +effects, contraindications, potential interactions, and other pertinent +considerations; and + (iv) An informed consent form as required by part 50 of this +chapter, in those circumstances in which DOD determines that informed +consent may be obtained from some or all personnel involved. + (4) DOD is to submit to FDA summaries of institutional review board +meetings at which the proposed protocol has been reviewed. + (5) Nothing in these criteria or standards is intended to preempt or +limit FDA's and DOD's authority or obligations under applicable statutes +and regulations. + (e)(1) Obtaining informed consent for investigational in vitro +diagnostic devices used to identify chemical, biological, radiological, +or nuclear agents will be deemed feasible unless, before use of the test +article, both the investigator (e.g., clinical laboratory director or +other responsible individual) and a physician who is not otherwise +participating in the clinical investigation make the determinations and +later certify in writing all of the following: + (i) The human subject is confronted by a life-threatening situation +necessitating the use of the investigational in vitro diagnostic device +to identify a chemical, biological, radiological, or nuclear agent that +would suggest a terrorism event or other public health emergency. + (ii) Informed consent cannot be obtained from the subject because: + (A) There was no reasonable way for the person directing that the +specimen be collected to know, at the time the specimen was collected, +that there would be a need to use the investigational in vitro +diagnostic device on that subject's specimen; and + (B) Time is not sufficient to obtain consent from the subject +without risking the life of the subject. + (iii) Time is not sufficient to obtain consent from the subject's +legally authorized representative. + (iv) There is no cleared or approved available alternative method of +diagnosis, to identify the chemical, biological, radiological, or +nuclear agent that provides an equal or greater likelihood of saving the +life of the subject. + (2) If use of the investigational device is, in the opinion of the +investigator (e.g., clinical laboratory director or other responsible +person), required to preserve the life of the subject, and time is not +sufficient to obtain the independent determination required in paragraph +(e)(1) of this section in advance of using the investigational device, +the determinations of the investigator shall be made and, within 5 +working days after the use of the device, be reviewed and evaluated in +writing by a physician who is not participating in the clinical +investigation. + (3) The investigator must submit the written certification of the +determinations made by the investigator and an independent physician +required in paragraph (e)(1) or (e)(2) of this section to the IRB and +FDA within 5 working days after the use of the device. + (4) An investigator must disclose the investigational status of the +in vitro diagnostic device and what is known about the performance +characteristics of the device in the report to the subject's health care +provider and in any + +[[Page 347]] + +report to public health authorities. The investigator must provide the +IRB with the information required in Sec. 50.25 (except for the +information described in Sec. 50.25(a)(8)) and the procedures that will +be used to provide this information to each subject or the subject's +legally authorized representative at the time the test results are +provided to the subject's health care provider and public health +authorities. + (5) The IRB is responsible for ensuring the adequacy of the +information required in section 50.25 (except for the information +described in Sec. 50.25(a)(8)) and for ensuring that procedures are in +place to provide this information to each subject or the subject's +legally authorized representative. + (6) No State or political subdivision of a State may establish or +continue in effect any law, rule, regulation or other requirement that +informed consent be obtained before an investigational in vitro +diagnostic device may be used to identify chemical, biological, +radiological, or nuclear agent in suspected terrorism events and other +potential public health emergencies that is different from, or in +addition to, the requirements of this regulation. + +[46 FR 8951, Jan. 27, 1981, as amended at 55 FR 52817, Dec. 21, 1990; 64 +FR 399, Jan. 5, 1999; 64 FR 54188, Oct. 5, 1999; 71 FR 32833, June 7, +2006; 76 FR 36993, June 24, 2011] + + + +Sec. 50.24 Exception from informed consent requirements for +emergency research. + + (a) The IRB responsible for the review, approval, and continuing +review of the clinical investigation described in this section may +approve that investigation without requiring that informed consent of +all research subjects be obtained if the IRB (with the concurrence of a +licensed physician who is a member of or consultant to the IRB and who +is not otherwise participating in the clinical investigation) finds and +documents each of the following: + (1) The human subjects are in a life-threatening situation, +available treatments are unproven or unsatisfactory, and the collection +of valid scientific evidence, which may include evidence obtained +through randomized placebo-controlled investigations, is necessary to +determine the safety and effectiveness of particular interventions. + (2) Obtaining informed consent is not feasible because: + (i) The subjects will not be able to give their informed consent as +a result of their medical condition; + (ii) The intervention under investigation must be administered +before consent from the subjects' legally authorized representatives is +feasible; and + (iii) There is no reasonable way to identify prospectively the +individuals likely to become eligible for participation in the clinical +investigation. + (3) Participation in the research holds out the prospect of direct +benefit to the subjects because: + (i) Subjects are facing a life-threatening situation that +necessitates intervention; + (ii) Appropriate animal and other preclinical studies have been +conducted, and the information derived from those studies and related +evidence support the potential for the intervention to provide a direct +benefit to the individual subjects; and + (iii) Risks associated with the investigation are reasonable in +relation to what is known about the medical condition of the potential +class of subjects, the risks and benefits of standard therapy, if any, +and what is known about the risks and benefits of the proposed +intervention or activity. + (4) The clinical investigation could not practicably be carried out +without the waiver. + (5) The proposed investigational plan defines the length of the +potential therapeutic window based on scientific evidence, and the +investigator has committed to attempting to contact a legally authorized +representative for each subject within that window of time and, if +feasible, to asking the legally authorized representative contacted for +consent within that window rather than proceeding without consent. The +investigator will summarize efforts made to contact legally authorized +representatives and make this information available to the IRB at the +time of continuing review. + (6) The IRB has reviewed and approved informed consent procedures +and an informed consent document + +[[Page 348]] + +consistent with Sec. 50.25. These procedures and the informed consent +document are to be used with subjects or their legally authorized +representatives in situations where use of such procedures and documents +is feasible. The IRB has reviewed and approved procedures and +information to be used when providing an opportunity for a family member +to object to a subject's participation in the clinical investigation +consistent with paragraph (a)(7)(v) of this section. + (7) Additional protections of the rights and welfare of the subjects +will be provided, including, at least: + (i) Consultation (including, where appropriate, consultation carried +out by the IRB) with representatives of the communities in which the +clinical investigation will be conducted and from which the subjects +will be drawn; + (ii) Public disclosure to the communities in which the clinical +investigation will be conducted and from which the subjects will be +drawn, prior to initiation of the clinical investigation, of plans for +the investigation and its risks and expected benefits; + (iii) Public disclosure of sufficient information following +completion of the clinical investigation to apprise the community and +researchers of the study, including the demographic characteristics of +the research population, and its results; + (iv) Establishment of an independent data monitoring committee to +exercise oversight of the clinical investigation; and + (v) If obtaining informed consent is not feasible and a legally +authorized representative is not reasonably available, the investigator +has committed, if feasible, to attempting to contact within the +therapeutic window the subject's family member who is not a legally +authorized representative, and asking whether he or she objects to the +subject's participation in the clinical investigation. The investigator +will summarize efforts made to contact family members and make this +information available to the IRB at the time of continuing review. + (b) The IRB is responsible for ensuring that procedures are in place +to inform, at the earliest feasible opportunity, each subject, or if the +subject remains incapacitated, a legally authorized representative of +the subject, or if such a representative is not reasonably available, a +family member, of the subject's inclusion in the clinical investigation, +the details of the investigation and other information contained in the +informed consent document. The IRB shall also ensure that there is a +procedure to inform the subject, or if the subject remains +incapacitated, a legally authorized representative of the subject, or if +such a representative is not reasonably available, a family member, that +he or she may discontinue the subject's participation at any time +without penalty or loss of benefits to which the subject is otherwise +entitled. If a legally authorized representative or family member is +told about the clinical investigation and the subject's condition +improves, the subject is also to be informed as soon as feasible. If a +subject is entered into a clinical investigation with waived consent and +the subject dies before a legally authorized representative or family +member can be contacted, information about the clinical investigation is +to be provided to the subject's legally authorized representative or +family member, if feasible. + (c) The IRB determinations required by paragraph (a) of this section +and the documentation required by paragraph (e) of this section are to +be retained by the IRB for at least 3 years after completion of the +clinical investigation, and the records shall be accessible for +inspection and copying by FDA in accordance with Sec. 56.115(b) of this +chapter. + (d) Protocols involving an exception to the informed consent +requirement under this section must be performed under a separate +investigational new drug application (IND) or investigational device +exemption (IDE) that clearly identifies such protocols as protocols that +may include subjects who are unable to consent. The submission of those +protocols in a separate IND/IDE is required even if an IND for the same +drug product or an IDE for the same device already exists. Applications +for investigations under this section may not be submitted as amendments +under Sec. Sec. 312.30 or 812.35 of this chapter. + +[[Page 349]] + + (e) If an IRB determines that it cannot approve a clinical +investigation because the investigation does not meet the criteria in +the exception provided under paragraph (a) of this section or because of +other relevant ethical concerns, the IRB must document its findings and +provide these findings promptly in writing to the clinical investigator +and to the sponsor of the clinical investigation. The sponsor of the +clinical investigation must promptly disclose this information to FDA +and to the sponsor's clinical investigators who are participating or are +asked to participate in this or a substantially equivalent clinical +investigation of the sponsor, and to other IRB's that have been, or are, +asked to review this or a substantially equivalent investigation by that +sponsor. + +[61 FR 51528, Oct. 2, 1996] + + + +Sec. 50.25 Elements of informed consent. + + (a) Basic elements of informed consent. In seeking informed consent, +the following information shall be provided to each subject: + (1) A statement that the study involves research, an explanation of +the purposes of the research and the expected duration of the subject's +participation, a description of the procedures to be followed, and +identification of any procedures which are experimental. + (2) A description of any reasonably foreseeable risks or discomforts +to the subject. + (3) A description of any benefits to the subject or to others which +may reasonably be expected from the research. + (4) A disclosure of appropriate alternative procedures or courses of +treatment, if any, that might be advantageous to the subject. + (5) A statement describing the extent, if any, to which +confidentiality of records identifying the subject will be maintained +and that notes the possibility that the Food and Drug Administration may +inspect the records. + (6) For research involving more than minimal risk, an explanation as +to whether any compensation and an explanation as to whether any medical +treatments are available if injury occurs and, if so, what they consist +of, or where further information may be obtained. + (7) An explanation of whom to contact for answers to pertinent +questions about the research and research subjects' rights, and whom to +contact in the event of a research-related injury to the subject. + (8) A statement that participation is voluntary, that refusal to +participate will involve no penalty or loss of benefits to which the +subject is otherwise entitled, and that the subject may discontinue +participation at any time without penalty or loss of benefits to which +the subject is otherwise entitled. + (b) Additional elements of informed consent. When appropriate, one +or more of the following elements of information shall also be provided +to each subject: + (1) A statement that the particular treatment or procedure may +involve risks to the subject (or to the embryo or fetus, if the subject +is or may become pregnant) which are currently unforeseeable. + (2) Anticipated circumstances under which the subject's +participation may be terminated by the investigator without regard to +the subject's consent. + (3) Any additional costs to the subject that may result from +participation in the research. + (4) The consequences of a subject's decision to withdraw from the +research and procedures for orderly termination of participation by the +subject. + (5) A statement that significant new findings developed during the +course of the research which may relate to the subject's willingness to +continue participation will be provided to the subject. + (6) The approximate number of subjects involved in the study. + (c) When seeking informed consent for applicable clinical trials, as +defined in 42 U.S.C. 282(j)(1)(A), the following statement shall be +provided to each clinical trial subject in informed consent documents +and processes. This will notify the clinical trial subject that clinical +trial information has been or will be submitted for inclusion in the +clinical trial registry databank under paragraph (j) of section 402 of +the Public Health Service Act. The statement is: ``A description of this +clinical + +[[Page 350]] + +trial will be available on http://www.ClinicalTrials.gov, as required by +U.S. Law. This Web site will not include information that can identify +you. At most, the Web site will include a summary of the results. You +can search this Web site at any time.'' + (d) The informed consent requirements in these regulations are not +intended to preempt any applicable Federal, State, or local laws which +require additional information to be disclosed for informed consent to +be legally effective. + (e) Nothing in these regulations is intended to limit the authority +of a physician to provide emergency medical care to the extent the +physician is permitted to do so under applicable Federal, State, or +local law. + +[46 FR 8951, Jan. 27, 1981, as amended at 76 FR 270, Jan. 4, 2011] + + + +Sec. 50.27 Documentation of informed consent. + + (a) Except as provided in Sec. 56.109(c), informed consent shall be +documented by the use of a written consent form approved by the IRB and +signed and dated by the subject or the subject's legally authorized +representative at the time of consent. A copy shall be given to the +person signing the form. + (b) Except as provided in Sec. 56.109(c), the consent form may be +either of the following: + (1) A written consent document that embodies the elements of +informed consent required by Sec. 50.25. This form may be read to the +subject or the subject's legally authorized representative, but, in any +event, the investigator shall give either the subject or the +representative adequate opportunity to read it before it is signed. + (2) A short form written consent document stating that the elements +of informed consent required by Sec. 50.25 have been presented orally +to the subject or the subject's legally authorized representative. When +this method is used, there shall be a witness to the oral presentation. +Also, the IRB shall approve a written summary of what is to be said to +the subject or the representative. Only the short form itself is to be +signed by the subject or the representative. However, the witness shall +sign both the short form and a copy of the summary, and the person +actually obtaining the consent shall sign a copy of the summary. A copy +of the summary shall be given to the subject or the representative in +addition to a copy of the short form. + +[46 FR 8951, Jan. 27, 1981, as amended at 61 FR 57280, Nov. 5, 1996] + +Subpart C [Reserved] + + + + Subpart D_Additional Safeguards for Children in Clinical Investigations + + Source: 66 FR 20598, Apr. 24, 2001, unless otherwise noted. + + + +Sec. 50.50 IRB duties. + + In addition to other responsibilities assigned to IRBs under this +part and part 56 of this chapter, each IRB must review clinical +investigations involving children as subjects covered by this subpart D +and approve only those clinical investigations that satisfy the criteria +described in Sec. 50.51, Sec. 50.52, or Sec. 50.53 and the conditions +of all other applicable sections of this subpart D. + + + +Sec. 50.51 Clinical investigations not involving greater than +minimal risk. + + Any clinical investigation within the scope described in Sec. Sec. +50.1 and 56.101 of this chapter in which no greater than minimal risk to +children is presented may involve children as subjects only if the IRB +finds that: + (a) No greater than minimal risk to children is presented; and + (b) Adequate provisions are made for soliciting the assent of the +children and the permission of their parents or guardians as set forth +in Sec. 50.55. + +[78 FR 12951, Feb. 26, 2013] + + + +Sec. 50.52 Clinical investigations involving greater than minimal +risk but presenting the prospect of direct benefit to individual subjects. + + Any clinical investigation within the scope described in Sec. Sec. +50.1 and 56.101 of this chapter in which more than minimal risk to +children is presented by an intervention or procedure that holds out the +prospect of direct benefit for + +[[Page 351]] + +the individual subject, or by a monitoring procedure that is likely to +contribute to the subject's well-being, may involve children as subjects +only if the IRB finds that: + (a) The risk is justified by the anticipated benefit to the +subjects; + (b) The relation of the anticipated benefit to the risk is at least +as favorable to the subjects as that presented by available alternative +approaches; and + (c) Adequate provisions are made for soliciting the assent of the +children and permission of their parents or guardians as set forth in +Sec. 50.55. + +[66 FR 20598, Apr. 24, 2001, as amended at 78 FR 12951, Feb. 26, 2013] + + + +Sec. 50.53 Clinical investigations involving greater than minimal +risk and no prospect of direct benefit to individual subjects, but likely +to yield generalizable knowledge about the subjects' disorder or condition. + + Any clinical investigation within the scope described in Sec. Sec. +50.1 and 56.101 of this chapter in which more than minimal risk to +children is presented by an intervention or procedure that does not hold +out the prospect of direct benefit for the individual subject, or by a +monitoring procedure that is not likely to contribute to the well-being +of the subject, may involve children as subjects only if the IRB finds +that: + (a) The risk represents a minor increase over minimal risk; + (b) The intervention or procedure presents experiences to subjects +that are reasonably commensurate with those inherent in their actual or +expected medical, dental, psychological, social, or educational +situations; + (c) The intervention or procedure is likely to yield generalizable +knowledge about the subjects' disorder or condition that is of vital +importance for the understanding or amelioration of the subjects' +disorder or condition; and + (d) Adequate provisions are made for soliciting the assent of the +children and permission of their parents or guardians as set forth in +Sec. 50.55. + +[66 FR 20598, Apr. 24, 2001, as amended at 78 FR 12951, Feb. 26, 2013] + + + +Sec. 50.54 Clinical investigations not otherwise approvable that +present an opportunity to understand, prevent, or alleviate a serious +problem affecting the health or welfare of children. + + If an IRB does not believe that a clinical investigation within the +scope described in Sec. Sec. 50.1 and 56.101 of this chapter and +involving children as subjects meets the requirements of Sec. 50.51, +Sec. 50.52, or Sec. 50.53, the clinical investigation may proceed only +if: + (a) The IRB finds that the clinical investigation presents a +reasonable opportunity to further the understanding, prevention, or +alleviation of a serious problem affecting the health or welfare of +children; and + (b) The Commissioner of Food and Drugs, after consultation with a +panel of experts in pertinent disciplines (for example: science, +medicine, education, ethics, law) and following opportunity for public +review and comment, determines either: + (1) That the clinical investigation in fact satisfies the conditions +of Sec. 50.51, Sec. 50.52, or Sec. 50.53, as applicable, or + (2) That the following conditions are met: + (i) The clinical investigation presents a reasonable opportunity to +further the understanding, prevention, or alleviation of a serious +problem affecting the health or welfare of children; + (ii) The clinical investigation will be conducted in accordance with +sound ethical principles; and + (iii) Adequate provisions are made for soliciting the assent of +children and the permission of their parents or guardians as set forth +in Sec. 50.55. + +[66 FR 20598, Apr. 24, 2001, as amended at 78 FR 12951, Feb. 26, 2013] + + + +Sec. 50.55 Requirements for permission by parents or guardians +and for assent by children. + + (a) In addition to the determinations required under other +applicable sections of this subpart D, the IRB must determine that +adequate provisions are made for soliciting the assent of the children +when in the judgment of the IRB the children are capable of providing +assent. + (b) In determining whether children are capable of providing assent, +the + +[[Page 352]] + +IRB must take into account the ages, maturity, and psychological state +of the children involved. This judgment may be made for all children to +be involved in clinical investigations under a particular protocol, or +for each child, as the IRB deems appropriate. + (c) The assent of the children is not a necessary condition for +proceeding with the clinical investigation if the IRB determines: + (1) That the capability of some or all of the children is so limited +that they cannot reasonably be consulted, or + (2) That the intervention or procedure involved in the clinical +investigation holds out a prospect of direct benefit that is important +to the health or well-being of the children and is available only in the +context of the clinical investigation. + (d) Even where the IRB determines that the subjects are capable of +assenting, the IRB may still waive the assent requirement if it finds +and documents that: + (1) The clinical investigation involves no more than minimal risk to +the subjects; + (2) The waiver will not adversely affect the rights and welfare of +the subjects; + (3) The clinical investigation could not practicably be carried out +without the waiver; and + (4) Whenever appropriate, the subjects will be provided with +additional pertinent information after participation. + (e) In addition to the determinations required under other +applicable sections of this subpart D, the IRB must determine, in +accordance with and to the extent that consent is required under part +50, that the permission of each child's parents or guardian is granted. + (1) Where parental permission is to be obtained, the IRB may find +that the permission of one parent is sufficient for clinical +investigations to be conducted under Sec. 50.51 or Sec. 50.52. + (2) Where clinical investigations are covered by Sec. 50.53 or +Sec. 50.54 and permission is to be obtained from parents, both parents +must give their permission unless one parent is deceased, unknown, +incompetent, or not reasonably available, or when only one parent has +legal responsibility for the care and custody of the child. + (f) Permission by parents or guardians must be documented in +accordance with and to the extent required by Sec. 50.27. + (g) When the IRB determines that assent is required, it must also +determine whether and how assent must be documented. + +[66 FR 20598, Apr. 24, 2001, as amended at 78 FR 12951, Feb. 26, 2013] + + + +Sec. 50.56 Wards. + + (a) Children who are wards of the State or any other agency, +institution, or entity can be included in clinical investigations +approved under Sec. 50.53 or Sec. 50.54 only if such clinical +investigations are: + (1) Related to their status as wards; or + (2) Conducted in schools, camps, hospitals, institutions, or similar +settings in which the majority of children involved as subjects are not +wards. + (b) If the clinical investigation is approved under paragraph (a) of +this section, the IRB must require appointment of an advocate for each +child who is a ward. + (1) The advocate will serve in addition to any other individual +acting on behalf of the child as guardian or in loco parentis. + (2) One individual may serve as advocate for more than one child. + (3) The advocate must be an individual who has the background and +experience to act in, and agrees to act in, the best interest of the +child for the duration of the child's participation in the clinical +investigation. + (4) The advocate must not be associated in any way (except in the +role as advocate or member of the IRB) with the clinical investigation, +the investigator(s), or the guardian organization. + + + +PART 54_FINANCIAL DISCLOSURE BY CLINICAL INVESTIGATORS +--Table of Contents + + + +Sec. +54.1 Purpose. +54.2 Definitions. +54.3 Scope. +54.4 Certification and disclosure requirements. + +[[Page 353]] + +54.5 Agency evaluation of financial interests. +54.6 Recordkeeping and record retention. + + Authority: 21 U.S.C. 321, 331, 351, 352, 353, 355, 360, 360c-360j, +371, 372, 373, 374, 375, 376, 379; 42 U.S.C. 262. + + Source: 63 FR 5250, Feb. 2, 1998, unless otherwise noted. + + + +Sec. 54.1 Purpose. + + (a) The Food and Drug Administration (FDA) evaluates clinical +studies submitted in marketing applications, required by law, for new +human drugs and biological products and marketing applications and +reclassification petitions for medical devices. + (b) The agency reviews data generated in these clinical studies to +determine whether the applications are approvable under the statutory +requirements. FDA may consider clinical studies inadequate and the data +inadequate if, among other things, appropriate steps have not been taken +in the design, conduct, reporting, and analysis of the studies to +minimize bias. One potential source of bias in clinical studies is a +financial interest of the clinical investigator in the outcome of the +study because of the way payment is arranged (e.g., a royalty) or +because the investigator has a proprietary interest in the product +(e.g., a patent) or because the investigator has an equity interest in +the sponsor of the covered study. This section and conforming +regulations require an applicant whose submission relies in part on +clinical data to disclose certain financial arrangements between +sponsor(s) of the covered studies and the clinical investigators and +certain interests of the clinical investigators in the product under +study or in the sponsor of the covered studies. FDA will use this +information, in conjunction with information about the design and +purpose of the study, as well as information obtained through on-site +inspections, in the agency's assessment of the reliability of the data. + + + +Sec. 54.2 Definitions. + + For the purposes of this part: + (a) Compensation affected by the outcome of clinical studies means +compensation that could be higher for a favorable outcome than for an +unfavorable outcome, such as compensation that is explicitly greater for +a favorable result or compensation to the investigator in the form of an +equity interest in the sponsor of a covered study or in the form of +compensation tied to sales of the product, such as a royalty interest. + (b) Significant equity interest in the sponsor of a covered study +means any ownership interest, stock options, or other financial interest +whose value cannot be readily determined through reference to public +prices (generally, interests in a nonpublicly traded corporation), or +any equity interest in a publicly traded corporation that exceeds +$50,000 during the time the clinical investigator is carrying out the +study and for 1 year following completion of the study. + (c) Proprietary interest in the tested product means property or +other financial interest in the product including, but not limited to, a +patent, trademark, copyright or licensing agreement. + (d) Clinical investigator means only a listed or identified +investigator or subinvestigator who is directly involved in the +treatment or evaluation of research subjects. The term also includes the +spouse and each dependent child of the investigator. + (e) Covered clinical study means any study of a drug or device in +humans submitted in a marketing application or reclassification petition +subject to this part that the applicant or FDA relies on to establish +that the product is effective (including studies that show equivalence +to an effective product) or any study in which a single investigator +makes a significant contribution to the demonstration of safety. This +would, in general, not include phase l tolerance studies or +pharmacokinetic studies, most clinical pharmacology studies (unless they +are critical to an efficacy determination), large open safety studies +conducted at multiple sites, treatment protocols, and parallel track +protocols. An applicant may consult with FDA as to which clinical +studies constitute ``covered clinical studies'' for purposes of +complying with financial disclosure requirements. + (f) Significant payments of other sorts means payments made by the +sponsor of a covered study to the investigator + +[[Page 354]] + +or the institution to support activities of the investigator that have a +monetary value of more than $25,000, exclusive of the costs of +conducting the clinical study or other clinical studies, (e.g., a grant +to fund ongoing research, compensation in the form of equipment or +retainers for ongoing consultation or honoraria) during the time the +clinical investigator is carrying out the study and for 1 year following +the completion of the study. + (g) Applicant means the party who submits a marketing application to +FDA for approval of a drug, device, or biologic product. The applicant +is responsible for submitting the appropriate certification and +disclosure statements required in this part. + (h) Sponsor of the covered clinical study means the party supporting +a particular study at the time it was carried out. + +[63 FR 5250, Feb. 2, 1998, as amended at 63 FR 72181, Dec. 31, 1998] + + + +Sec. 54.3 Scope. + + The requirements in this part apply to any applicant who submits a +marketing application for a human drug, biological product, or device +and who submits covered clinical studies. The applicant is responsible +for making the appropriate certification or disclosure statement where +the applicant either contracted with one or more clinical investigators +to conduct the studies or submitted studies conducted by others not +under contract to the applicant. + + + +Sec. 54.4 Certification and disclosure requirements. + + For purposes of this part, an applicant must submit a list of all +clinical investigators who conducted covered clinical studies to +determine whether the applicant's product meets FDA's marketing +requirements, identifying those clinical investigators who are full-time +or part-time employees of the sponsor of each covered study. The +applicant must also completely and accurately disclose or certify +information concerning the financial interests of a clinical +investigator who is not a full-time or part-time employee of the sponsor +for each covered clinical study. Clinical investigators subject to +investigational new drug or investigational device exemption regulations +must provide the sponsor of the study with sufficient accurate +information needed to allow subsequent disclosure or certification. The +applicant is required to submit for each clinical investigator who +participates in a covered study, either a certification that none of the +financial arrangements described in Sec. 54.2 exist, or disclose the +nature of those arrangements to the agency. Where the applicant acts +with due diligence to obtain the information required in this section +but is unable to do so, the applicant shall certify that despite the +applicant's due diligence in attempting to obtain the information, the +applicant was unable to obtain the information and shall include the +reason. + (a) The applicant (of an application submitted under sections 505, +506, 510(k), 513, or 515 of the Federal Food, Drug, and Cosmetic Act, or +section 351 of the Public Health Service Act) that relies in whole or in +part on clinical studies shall submit, for each clinical investigator +who participated in a covered clinical study, either a certification +described in paragraph (a)(1) of this section or a disclosure statement +described in paragraph (a)(3) of this section. + (1) Certification: The applicant covered by this section shall +submit for all clinical investigators (as defined in Sec. 54.2(d)), to +whom the certification applies, a completed Form FDA 3454 attesting to +the absence of financial interests and arrangements described in +paragraph (a)(3) of this section. The form shall be dated and signed by +the chief financial officer or other responsible corporate official or +representative. + (2) If the certification covers less than all covered clinical data +in the application, the applicant shall include in the certification a +list of the studies covered by this certification. + (3) Disclosure Statement: For any clinical investigator defined in +Sec. 54.2(d) for whom the applicant does not submit the certification +described in paragraph (a)(1) of this section, the applicant shall +submit a completed Form FDA 3455 disclosing completely and accurately +the following: + (i) Any financial arrangement entered into between the sponsor of +the + +[[Page 355]] + +covered study and the clinical investigator involved in the conduct of a +covered clinical trial, whereby the value of the compensation to the +clinical investigator for conducting the study could be influenced by +the outcome of the study; + (ii) Any significant payments of other sorts from the sponsor of the +covered study, such as a grant to fund ongoing research, compensation in +the form of equipment, retainer for ongoing consultation, or honoraria; + (iii) Any proprietary interest in the tested product held by any +clinical investigator involved in a study; + (iv) Any significant equity interest in the sponsor of the covered +study held by any clinical investigator involved in any clinical study; +and + (v) Any steps taken to minimize the potential for bias resulting +from any of the disclosed arrangements, interests, or payments. + (b) The clinical investigator shall provide to the sponsor of the +covered study sufficient accurate financial information to allow the +sponsor to submit complete and accurate certification or disclosure +statements as required in paragraph (a) of this section. The +investigator shall promptly update this information if any relevant +changes occur in the course of the investigation or for 1 year following +completion of the study. + (c) Refusal to file application. FDA may refuse to file any +marketing application described in paragraph (a) of this section that +does not contain the information required by this section or a +certification by the applicant that the applicant has acted with due +diligence to obtain the information but was unable to do so and stating +the reason. + +[63 FR 5250, Feb. 2, 1998; 63 FR 35134, June 29, 1998, as amended at 64 +FR 399, Jan. 5, 1999] + + + +Sec. 54.5 Agency evaluation of financial interests. + + (a) Evaluation of disclosure statement. FDA will evaluate the +information disclosed under Sec. 54.4(a)(2) about each covered clinical +study in an application to determine the impact of any disclosed +financial interests on the reliability of the study. FDA may consider +both the size and nature of a disclosed financial interest (including +the potential increase in the value of the interest if the product is +approved) and steps that have been taken to minimize the potential for +bias. + (b) Effect of study design. In assessing the potential of an +investigator's financial interests to bias a study, FDA will take into +account the design and purpose of the study. Study designs that utilize +such approaches as multiple investigators (most of whom do not have a +disclosable interest), blinding, objective endpoints, or measurement of +endpoints by someone other than the investigator may adequately protect +against any bias created by a disclosable financial interest. + (c) Agency actions to ensure reliability of data. If FDA determines +that the financial interests of any clinical investigator raise a +serious question about the integrity of the data, FDA will take any +action it deems necessary to ensure the reliability of the data +including: + (1) Initiating agency audits of the data derived from the clinical +investigator in question; + (2) Requesting that the applicant submit further analyses of data, +e.g., to evaluate the effect of the clinical investigator's data on +overall study outcome; + (3) Requesting that the applicant conduct additional independent +studies to confirm the results of the questioned study; and + (4) Refusing to treat the covered clinical study as providing data +that can be the basis for an agency action. + + + +Sec. 54.6 Recordkeeping and record retention. + + (a) Financial records of clinical investigators to be retained. An +applicant who has submitted a marketing application containing covered +clinical studies shall keep on file certain information pertaining to +the financial interests of clinical investigators who conducted studies +on which the application relies and who are not full or part-time +employees of the applicant, as follows: + (1) Complete records showing any financial interest or arrangement +as described in Sec. 54.4(a)(3)(i) paid to such clinical investigators +by the sponsor of the covered study. + +[[Page 356]] + + (2) Complete records showing significant payments of other sorts, as +described in Sec. 54.4(a)(3)(ii), made by the sponsor of the covered +clinical study to the clinical investigator. + (3) Complete records showing any financial interests held by +clinical investigators as set forth in Sec. 54.4(a)(3)(iii) and +(a)(3)(iv). + (b) Requirements for maintenance of clinical investigators' +financial records. (1) For any application submitted for a covered +product, an applicant shall retain records as described in paragraph (a) +of this section for 2 years after the date of approval of the +application. + (2) The person maintaining these records shall, upon request from +any properly authorized officer or employee of FDA, at reasonable times, +permit such officer or employee to have access to and copy and verify +these records. + + + +PART 56_INSTITUTIONAL REVIEW BOARDS--Table of Contents + + + + Subpart A_General Provisions + +Sec. +56.101 Scope. +56.102 Definitions. +56.103 Circumstances in which IRB review is required. +56.104 Exemptions from IRB requirement. +56.105 Waiver of IRB requirement. +56.106 Registration. + + Subpart B_Organization and Personnel + +56.107 IRB membership. + + Subpart C_IRB Functions and Operations + +56.108 IRB functions and operations. +56.109 IRB review of research. +56.110 Expedited review procedures for certain kinds of research + involving no more than minimal risk, and for minor changes in + approved research. +56.111 Criteria for IRB approval of research. +56.112 Review by institution. +56.113 Suspension or termination of IRB approval of research. +56.114 Cooperative research. + + Subpart D_Records and Reports + +56.115 IRB records. + + Subpart E_Administrative Actions for Noncompliance + +56.120 Lesser administrative actions. +56.121 Disqualification of an IRB or an institution. +56.122 Public disclosure of information regarding revocation. +56.123 Reinstatement of an IRB or an institution. +56.124 Actions alternative or additional to disqualification. + + Authority: 21 U.S.C. 321, 343, 346, 346a, 348, 350a, 350b, 351, 352, +353, 355, 360, 360c-360f, 360h-360j, 371, 379e, 381; 42 U.S.C. 216, 241, +262, 263b-263n. + + Source: 46 FR 8975, Jan. 27, 1981, unless otherwise noted. + + + + Subpart A_General Provisions + + + +Sec. 56.101 Scope. + + (a) This part contains the general standards for the composition, +operation, and responsibility of an Institutional Review Board (IRB) +that reviews clinical investigations regulated by the Food and Drug +Administration under sections 505(i) and 520(g) of the act, as well as +clinical investigations that support applications for research or +marketing permits for products regulated by the Food and Drug +Administration, including foods, including dietary supplements, that +bear a nutrient content claim or a health claim, infant formulas, food +and color additives, drugs for human use, medical devices for human use, +biological products for human use, and electronic products. Compliance +with this part is intended to protect the rights and welfare of human +subjects involved in such investigations. + (b) References in this part to regulatory sections of the Code of +Federal Regulations are to chapter I of title 21, unless otherwise +noted. + +[46 FR 8975, Jan. 27, 1981, as amended at 64 FR 399, Jan. 5, 1999; 66 FR +20599, Apr. 24, 2001] + + + +Sec. 56.102 Definitions. + + As used in this part: + (a) Act means the Federal Food, Drug, and Cosmetic Act, as amended +(secs. 201-902, 52 Stat. 1040 et seq., as amended (21 U.S.C. 321-392)). + (b) Application for research or marketing permit includes: + (1) A color additive petition, described in part 71. + +[[Page 357]] + + (2) Data and information regarding a substance submitted as part of +the procedures for establishing that a substance is generally recognized +as safe for a use which results or may reasonably be expected to result, +directly or indirectly, in its becoming a component or otherwise +affecting the characteristics of any food, described in Sec. 170.35. + (3) A food additive petition, described in part 171. + (4) Data and information regarding a food additive submitted as part +of the procedures regarding food additives permitted to be used on an +interim basis pending additional study, described in Sec. 180.1. + (5) Data and information regarding a substance submitted as part of +the procedures for establishing a tolerance for unavoidable contaminants +in food and food-packaging materials, described in section 406 of the +act. + (6) An investigational new drug application, described in part 312 +of this chapter. + (7) A new drug application, described in part 314. + (8) Data and information regarding the bioavailability or +bioequivalence of drugs for human use submitted as part of the +procedures for issuing, amending, or repealing a bioequivalence +requirement, described in part 320. + (9) Data and information regarding an over-the-counter drug for +human use submitted as part of the procedures for classifying such drugs +as generally recognized as safe and effective and not misbranded, +described in part 330. + (10) An application for a biologics license, described in part 601 +of this chapter. + (11) Data and information regarding a biological product submitted +as part of the procedures for determining that licensed biological +products are safe and effective and not misbranded, as described in part +601 of this chapter. + (12) An Application for an Investigational Device Exemption, +described in part 812. + (13) Data and information regarding a medical device for human use +submitted as part of the procedures for classifying such devices, +described in part 860. + (14) Data and information regarding a medical device for human use +submitted as part of the procedures for establishing, amending, or +repealing a standard for such device, described in part 861. + (15) An application for premarket approval of a medical device for +human use, described in section 515 of the act. + (16) A product development protocol for a medical device for human +use, described in section 515 of the act. + (17) Data and information regarding an electronic product submitted +as part of the procedures for establishing, amending, or repealing a +standard for such products, described in section 358 of the Public +Health Service Act. + (18) Data and information regarding an electronic product submitted +as part of the procedures for obtaining a variance from any electronic +product performance standard, as described in Sec. 1010.4. + (19) Data and information regarding an electronic product submitted +as part of the procedures for granting, amending, or extending an +exemption from a radiation safety performance standard, as described in +Sec. 1010.5. + (20) Data and information regarding an electronic product submitted +as part of the procedures for obtaining an exemption from notification +of a radiation safety defect or failure of compliance with a radiation +safety performance standard, described in subpart D of part 1003. + (21) Data and information about a clinical study of an infant +formula when submitted as part of an infant formula notification under +section 412(c) of the Federal Food, Drug, and Cosmetic Act. + (22) Data and information submitted in a petition for a nutrient +content claim, described in Sec. 101.69 of this chapter, and for a +health claim, described in Sec. 101.70 of this chapter. + (23) Data and information from investigations involving children +submitted in a new dietary ingredient notification, described in Sec. +190.6 of this chapter. + (c) Clinical investigation means any experiment that involves a test +article and one or more human subjects, and that either must meet the +requirements for prior submission to the Food and Drug Administration +under section + +[[Page 358]] + +505(i) or 520(g) of the act, or need not meet the requirements for prior +submission to the Food and Drug Administration under these sections of +the act, but the results of which are intended to be later submitted to, +or held for inspection by, the Food and Drug Administration as part of +an application for a research or marketing permit. The term does not +include experiments that must meet the provisions of part 58, regarding +nonclinical laboratory studies. The terms research, clinical research, +clinical study, study, and clinical investigation are deemed to be +synonymous for purposes of this part. + (d) Emergency use means the use of a test article on a human subject +in a life-threatening situation in which no standard acceptable +treatment is available, and in which there is not sufficient time to +obtain IRB approval. + (e) Human subject means an individual who is or becomes a +participant in research, either as a recipient of the test article or as +a control. A subject may be either a healthy individual or a patient. + (f) Institution means any public or private entity or agency +(including Federal, State, and other agencies). The term facility as +used in section 520(g) of the act is deemed to be synonymous with the +term institution for purposes of this part. + (g) Institutional Review Board (IRB) means any board, committee, or +other group formally designated by an institution to review, to approve +the initiation of, and to conduct periodic review of, biomedical +research involving human subjects. The primary purpose of such review is +to assure the protection of the rights and welfare of the human +subjects. The term has the same meaning as the phrase institutional +review committee as used in section 520(g) of the act. + (h) Investigator means an individual who actually conducts a +clinical investigation (i.e., under whose immediate direction the test +article is administered or dispensed to, or used involving, a subject) +or, in the event of an investigation conducted by a team of individuals, +is the responsible leader of that team. + (i) Minimal risk means that the probability and magnitude of harm or +discomfort anticipated in the research are not greater in and of +themselves than those ordinarily encountered in daily life or during the +performance of routine physical or psychological examinations or tests. + (j) Sponsor means a person or other entity that initiates a clinical +investigation, but that does not actually conduct the investigation, +i.e., the test article is administered or dispensed to, or used +involving, a subject under the immediate direction of another +individual. A person other than an individual (e.g., a corporation or +agency) that uses one or more of its own employees to conduct an +investigation that it has initiated is considered to be a sponsor (not a +sponsor-investigator), and the employees are considered to be +investigators. + (k) Sponsor-investigator means an individual who both initiates and +actually conducts, alone or with others, a clinical investigation, i.e., +under whose immediate direction the test article is administered or +dispensed to, or used involving, a subject. The term does not include +any person other than an individual, e.g., it does not include a +corporation or agency. The obligations of a sponsor-investigator under +this part include both those of a sponsor and those of an investigator. + (l) Test article means any drug for human use, biological product +for human use, medical device for human use, human food additive, color +additive, electronic product, or any other article subject to regulation +under the act or under sections 351 or 354-360F of the Public Health +Service Act. + (m) IRB approval means the determination of the IRB that the +clinical investigation has been reviewed and may be conducted at an +institution within the constraints set forth by the IRB and by other +institutional and Federal requirements. + +[46 FR 8975, Jan. 27, 1981, as amended at 54 FR 9038, Mar. 3, 1989; 56 +FR 28028, June 18, 1991; 64 FR 399, Jan. 5, 1999; 64 FR 56448, Oct. 20, +1999; 65 FR 52302, Aug. 29, 2000; 66 FR 20599, Apr. 24, 2001; 74 FR +2368, Jan. 15, 2009] + + + +Sec. 56.103 Circumstances in which IRB review is required. + + (a) Except as provided in Sec. Sec. 56.104 and 56.105, any clinical +investigation which + +[[Page 359]] + +must meet the requirements for prior submission (as required in parts +312, 812, and 813) to the Food and Drug Administration shall not be +initiated unless that investigation has been reviewed and approved by, +and remains subject to continuing review by, an IRB meeting the +requirements of this part. + (b) Except as provided in Sec. Sec. 56.104 and 56.105, the Food and +Drug Administration may decide not to consider in support of an +application for a research or marketing permit any data or information +that has been derived from a clinical investigation that has not been +approved by, and that was not subject to initial and continuing review +by, an IRB meeting the requirements of this part. The determination that +a clinical investigation may not be considered in support of an +application for a research or marketing permit does not, however, +relieve the applicant for such a permit of any obligation under any +other applicable regulations to submit the results of the investigation +to the Food and Drug Administration. + (c) Compliance with these regulations will in no way render +inapplicable pertinent Federal, State, or local laws or regulations. + +[46 FR 8975, Jan. 27, 1981; 46 FR 14340, Feb. 27, 1981] + + + +Sec. 56.104 Exemptions from IRB requirement. + + The following categories of clinical investigations are exempt from +the requirements of this part for IRB review: + (a) Any investigation which commenced before July 27, 1981 and was +subject to requirements for IRB review under FDA regulations before that +date, provided that the investigation remains subject to review of an +IRB which meets the FDA requirements in effect before July 27, 1981. + (b) Any investigation commenced before July 27, 1981 and was not +otherwise subject to requirements for IRB review under Food and Drug +Administration regulations before that date. + (c) Emergency use of a test article, provided that such emergency +use is reported to the IRB within 5 working days. Any subsequent use of +the test article at the institution is subject to IRB review. + (d) Taste and food quality evaluations and consumer acceptance +studies, if wholesome foods without additives are consumed or if a food +is consumed that contains a food ingredient at or below the level and +for a use found to be safe, or agricultural, chemical, or environmental +contaminant at or below the level found to be safe, by the Food and Drug +Administration or approved by the Environmental Protection Agency or the +Food Safety and Inspection Service of the U.S. Department of +Agriculture. + +[46 FR 8975, Jan. 27, 1981, as amended at 56 FR 28028, June 18, 1991] + + + +Sec. 56.105 Waiver of IRB requirement. + + On the application of a sponsor or sponsor-investigator, the Food +and Drug Administration may waive any of the requirements contained in +these regulations, including the requirements for IRB review, for +specific research activities or for classes of research activities, +otherwise covered by these regulations. + + + + Subpart B_Organization and Personnel + + + +Sec. 56.106 Registration. + + (a) Who must register? Each IRB in the United States that reviews +clinical investigations regulated by FDA under sections 505(i) or 520(g) +of the act and each IRB in the United States that reviews clinical +investigations that are intended to support applications for research or +marketing permits for FDA-regulated products must register at a site +maintained by the Department of Health and Human Services (HHS). (A +research permit under section 505(i) of the act is usually known as an +investigational new drug application (IND), while a research permit +under section 520(g) of the act is usually known as an investigational +device exemption (IDE).) An individual authorized to act on the IRB's +behalf must submit the registration information. All other IRBs may +register voluntarily. + (b) What information must an IRB register? Each IRB must provide the +following information: + (1) The name, mailing address, and street address (if different from +the + +[[Page 360]] + +mailing address) of the institution operating the IRB and the name, +mailing address, phone number, facsimile number, and electronic mail +address of the senior officer of that institution who is responsible for +overseeing activities performed by the IRB; + (2) The IRB's name, mailing address, street address (if different +from the mailing address), phone number, facsimile number, and +electronic mail address; each IRB chairperson's name, phone number, and +electronic mail address; and the name, mailing address, phone number, +facsimile number, and electronic mail address of the contact person +providing the registration information. + (3) The approximate number of active protocols involving FDA- +regulated products reviewed. For purposes of this rule, an ``active +protocol'' is any protocol for which an IRB conducted an initial review +or a continuing review at a convened meeting or under an expedited +review procedure during the preceding 12 months; and + (4) A description of the types of FDA-regulated products (such as +biological products, color additives, food additives, human drugs, or +medical devices) involved in the protocols that the IRB reviews. + (c) When must an IRB register? Each IRB must submit an initial +registration. The initial registration must occur before the IRB begins +to review a clinical investigation described in paragraph (a) of this +section. Each IRB must renew its registration every 3 years. IRB +registration becomes effective after review and acceptance by HHS. + (d) Where can an IRB register? Each IRB may register electronically +through http://ohrp.cit.nih.gov/efile. If an IRB lacks the ability to +register electronically, it must send its registration information, in +writing, to the Office of Good Clinical Practice, Office of Special +Medical Programs, Food and Drug Administration, 10903 New Hampshire +Ave., Bldg. 32, Rm. 5129, Silver Spring, MD 20993. + (e) How does an IRB revise its registration information? If an IRB's +contact or chair person information changes, the IRB must revise its +registration information by submitting any changes in that information +within 90 days of the change. An IRB's decision to review new types of +FDA-regulated products (such as a decision to review studies pertaining +to food additives whereas the IRB previously reviewed studies pertaining +to drug products), or to discontinue reviewing clinical investigations +regulated by FDA is a change that must be reported within 30 days of the +change. An IRB's decision to disband is a change that must be reported +within 30 days of permanent cessation of the IRB's review of research. +All other information changes may be reported when the IRB renews its +registration. The revised information must be sent to FDA either +electronically or in writing in accordance with paragraph (d) of this +section. + +[74 FR 2368, Jan. 15, 2009, as amended at 78 FR 16401, Mar. 15, 2013] + + + +Sec. 56.107 IRB membership. + + (a) Each IRB shall have at least five members, with varying +backgrounds to promote complete and adequate review of research +activities commonly conducted by the institution. The IRB shall be +sufficiently qualified through the experience and expertise of its +members, and the diversity of the members, including consideration of +race, gender, cultural backgrounds, and sensitivity to such issues as +community attitudes, to promote respect for its advice and counsel in +safeguarding the rights and welfare of human subjects. In addition to +possessing the professional competence necessary to review the specific +research activities, the IRB shall be able to ascertain the +acceptability of proposed research in terms of institutional commitments +and regulations, applicable law, and standards of professional conduct +and practice. * * * The IRB shall therefore include persons +knowledgeable in these areas. If an IRB regularly reviews research that +involves a vulnerable category of subjects, such as children, prisoners, +pregnant women, or handicapped or mentally disabled persons, +consideration shall be given to the inclusion of one or more individuals +who are knowledgeable about and experienced in working with those +subjects. + (b) Every nondiscriminatory effort will be made to ensure that no +IRB + +[[Page 361]] + +consists entirely of men or entirely of women, including the +instituton's consideration of qualified persons of both sexes, so long +as no selection is made to the IRB on the basis of gender. No IRB may +consist entirely of members of one profession. + (c) Each IRB shall include at least one member whose primary +concerns are in the scientific area and at least one member whose +primary concerns are in nonscientific areas. + (d) Each IRB shall include at least one member who is not otherwise +affiliated with the institution and who is not part of the immediate +family of a person who is affiliated with the institution. + (e) No IRB may have a member participate in the IRB's initial or +continuing review of any project in which the member has a conflicting +interest, except to provide information requested by the IRB. + (f) An IRB may, in its discretion, invite individuals with +competence in special areas to assist in the review of complex issues +which require expertise beyond or in addition to that available on the +IRB. These individuals may not vote with the IRB. + +[46 FR 8975, Jan. 27, 1981, as amended at 56 FR 28028, June 18, 1991; 56 +FR 29756, June 28, 1991; 78 FR 16401, Mar. 15, 2013] + + + + Subpart C_IRB Functions and Operations + + + +Sec. 56.108 IRB functions and operations. + + In order to fulfill the requirements of these regulations, each IRB +shall: + (a) Follow written procedures: (1) For conducting its initial and +continuing review of research and for reporting its findings and actions +to the investigator and the institution; (2) for determining which +projects require review more often than annually and which projects need +verification from sources other than the investigator that no material +changes have occurred since previous IRB review; (3) for ensuring prompt +reporting to the IRB of changes in research activity; and (4) for +ensuring that changes in approved research, during the period for which +IRB approval has already been given, may not be initiated without IRB +review and approval except where necessary to eliminate apparent +immediate hazards to the human subjects. + (b) Follow written procedures for ensuring prompt reporting to the +IRB, appropriate institutional officials, and the Food and Drug +Administration of: (1) Any unanticipated problems involving risks to +human subjects or others; (2) any instance of serious or continuing +noncompliance with these regulations or the requirements or +determinations of the IRB; or (3) any suspension or termination of IRB +approval. + (c) Except when an expedited review procedure is used (see Sec. +56.110), review proposed research at convened meetings at which a +majority of the members of the IRB are present, including at least one +member whose primary concerns are in nonscientific areas. In order for +the research to be approved, it shall receive the approval of a majority +of those members present at the meeting. + +[46 FR 8975, Jan. 27, 1981, as amended at 56 FR 28028, June 18, 1991; 67 +FR 9585, Mar. 4, 2002] + + + +Sec. 56.109 IRB review of research. + + (a) An IRB shall review and have authority to approve, require +modifications in (to secure approval), or disapprove all research +activities covered by these regulations. + (b) An IRB shall require that information given to subjects as part +of informed consent is in accordance with Sec. 50.25. The IRB may +require that information, in addition to that specifically mentioned in +Sec. 50.25, be given to the subjects when in the IRB's judgment the +information would meaningfully add to the protection of the rights and +welfare of subjects. + (c) An IRB shall require documentation of informed consent in +accordance with Sec. 50.27 of this chapter, except as follows: + (1) The IRB may, for some or all subjects, waive the requirement +that the subject, or the subject's legally authorized representative, +sign a written consent form if it finds that the research presents no +more than minimal risk of harm to subjects and involves no procedures +for which written consent is normally required outside the research +context; or + +[[Page 362]] + + (2) The IRB may, for some or all subjects, find that the +requirements in Sec. 50.24 of this chapter for an exception from +informed consent for emergency research are met. + (d) In cases where the documentation requirement is waived under +paragraph (c)(1) of this section, the IRB may require the investigator +to provide subjects with a written statement regarding the research. + (e) An IRB shall notify investigators and the institution in writing +of its decision to approve or disapprove the proposed research activity, +or of modifications required to secure IRB approval of the research +activity. If the IRB decides to disapprove a research activity, it shall +include in its written notification a statement of the reasons for its +decision and give the investigator an opportunity to respond in person +or in writing. For investigations involving an exception to informed +consent under Sec. 50.24 of this chapter, an IRB shall promptly notify +in writing the investigator and the sponsor of the research when an IRB +determines that it cannot approve the research because it does not meet +the criteria in the exception provided under Sec. 50.24(a) of this +chapter or because of other relevant ethical concerns. The written +notification shall include a statement of the reasons for the IRB's +determination. + (f) An IRB shall conduct continuing review of research covered by +these regulations at intervals appropriate to the degree of risk, but +not less than once per year, and shall have authority to observe or have +a third party observe the consent process and the research. + (g) An IRB shall provide in writing to the sponsor of research +involving an exception to informed consent under Sec. 50.24 of this +chapter a copy of information that has been publicly disclosed under +Sec. 50.24(a)(7)(ii) and (a)(7)(iii) of this chapter. The IRB shall +provide this information to the sponsor promptly so that the sponsor is +aware that such disclosure has occurred. Upon receipt, the sponsor shall +provide copies of the information disclosed to FDA. + (h) When some or all of the subjects in a study are children, an IRB +must determine that the research study is in compliance with part 50, +subpart D of this chapter, at the time of its initial review of the +research. When some or all of the subjects in a study that was ongoing +on April 30, 2001, are children, an IRB must conduct a review of the +research to determine compliance with part 50, subpart D of this +chapter, either at the time of continuing review or, at the discretion +of the IRB, at an earlier date. + +[46 FR 8975, Jan. 27, 1981, as amended at 61 FR 51529, Oct. 2, 1996; 66 +FR 20599, Apr. 24, 2001; 78 FR 12951, Feb. 26, 2013] + + + +Sec. 56.110 Expedited review procedures for certain kinds of +research involving no more than minimal risk, and for minor changes +in approved research. + + (a) The Food and Drug Administration has established, and published +in the Federal Register, a list of categories of research that may be +reviewed by the IRB through an expedited review procedure. The list will +be amended, as appropriate, through periodic republication in the +Federal Register. + (b) An IRB may use the expedited review procedure to review either +or both of the following: (1) Some or all of the research appearing on +the list and found by the reviewer(s) to involve no more than minimal +risk, (2) minor changes in previously approved research during the +period (of 1 year or less) for which approval is authorized. Under an +expedited review procedure, the review may be carried out by the IRB +chairperson or by one or more experienced reviewers designated by the +IRB chairperson from among the members of the IRB. In reviewing the +research, the reviewers may exercise all of the authorities of the IRB +except that the reviewers may not disapprove the research. A research +activity may be disapproved only after review in accordance with the +nonexpedited review procedure set forth in Sec. 56.108(c). + (c) Each IRB which uses an expedited review procedure shall adopt a +method for keeping all members advised of research proposals which have +been approved under the procedure. + (d) The Food and Drug Administration may restrict, suspend, or +terminate an institution's or IRB's use of + +[[Page 363]] + +the expedited review procedure when necessary to protect the rights or +welfare of subjects. + +[46 FR 8975, Jan. 27, 1981, as amended at 56 FR 28029, June 18, 1991] + + + +Sec. 56.111 Criteria for IRB approval of research. + + (a) In order to approve research covered by these regulations the +IRB shall determine that all of the following requirements are +satisfied: + (1) Risks to subjects are minimized: (i) By using procedures which +are consistent with sound research design and which do not unnecessarily +expose subjects to risk, and (ii) whenever appropriate, by using +procedures already being performed on the subjects for diagnostic or +treatment purposes. + (2) Risks to subjects are reasonable in relation to anticipated +benefits, if any, to subjects, and the importance of the knowledge that +may be expected to result. In evaluating risks and benefits, the IRB +should consider only those risks and benefits that may result from the +research (as distinguished from risks and benefits of therapies that +subjects would receive even if not participating in the research). The +IRB should not consider possible long-range effects of applying +knowledge gained in the research (for example, the possible effects of +the research on public policy) as among those research risks that fall +within the purview of its responsibility. + (3) Selection of subjects is equitable. In making this assessment +the IRB should take into account the purposes of the research and the +setting in which the research will be conducted and should be +particularly cognizant of the special problems of research involving +vulnerable populations, such as children, prisoners, pregnant women, +handicapped, or mentally disabled persons, or economically or +educationally disadvantaged persons. + (4) Informed consent will be sought from each prospective subject or +the subject's legally authorized representative, in accordance with and +to the extent required by part 50. + (5) Informed consent will be appropriately documented, in accordance +with and to the extent required by Sec. 50.27. + (6) Where appropriate, the research plan makes adequate provision +for monitoring the data collected to ensure the safety of subjects. + (7) Where appropriate, there are adequate provisions to protect the +privacy of subjects and to maintain the confidentiality of data. + (b) When some or all of the subjects, such as children, prisoners, +pregnant women, handicapped, or mentally disabled persons, or +economically or educationally disadvantaged persons, are likely to be +vulnerable to coercion or undue influence additional safeguards have +been included in the study to protect the rights and welfare of these +subjects. + (c) In order to approve research in which some or all of the +subjects are children, an IRB must determine that all research is in +compliance with part 50, subpart D of this chapter. + +[46 FR 8975, Jan. 27, 1981, as amended at 56 FR 28029, June 18, 1991; 66 +FR 20599, Apr. 24, 2001] + + + +Sec. 56.112 Review by institution. + + Research covered by these regulations that has been approved by an +IRB may be subject to further appropriate review and approval or +disapproval by officials of the institution. However, those officials +may not approve the research if it has not been approved by an IRB. + + + +Sec. 56.113 Suspension or termination of IRB approval of research. + + An IRB shall have authority to suspend or terminate approval of +research that is not being conducted in accordance with the IRB's +requirements or that has been associated with unexpected serious harm to +subjects. Any suspension or termination of approval shall include a +statement of the reasons for the IRB's action and shall be reported +promptly to the investigator, appropriate institutional officials, and +the Food and Drug Administration. + + + +Sec. 56.114 Cooperative research. + + In complying with these regulations, institutions involved in multi- +institutional studies may use joint review, reliance upon the review of +another qualified IRB, or similar arrangements + +[[Page 364]] + +aimed at avoidance of duplication of effort. + + + + Subpart D_Records and Reports + + + +Sec. 56.115 IRB records. + + (a) An institution, or where appropriate an IRB, shall prepare and +maintain adequate documentation of IRB activities, including the +following: + (1) Copies of all research proposals reviewed, scientific +evaluations, if any, that accompany the proposals, approved sample +consent documents, progress reports submitted by investigators, and +reports of injuries to subjects. + (2) Minutes of IRB meetings which shall be in sufficient detail to +show attendance at the meetings; actions taken by the IRB; the vote on +these actions including the number of members voting for, against, and +abstaining; the basis for requiring changes in or disapproving research; +and a written summary of the discussion of controverted issues and their +resolution. + (3) Records of continuing review activities. + (4) Copies of all correspondence between the IRB and the +investigators. + (5) A list of IRB members identified by name; earned degrees; +representative capacity; indications of experience such as board +certifications, licenses, etc., sufficient to describe each member's +chief anticipated contributions to IRB deliberations; and any employment +or other relationship between each member and the institution; for +example: full-time employee, part-time employee, a member of governing +panel or board, stockholder, paid or unpaid consultant. + (6) Written procedures for the IRB as required by Sec. 56.108 (a) +and (b). + (7) Statements of significant new findings provided to subjects, as +required by Sec. 50.25. + (b) The records required by this regulation shall be retained for at +least 3 years after completion of the research, and the records shall be +accessible for inspection and copying by authorized representatives of +the Food and Drug Administration at reasonable times and in a reasonable +manner. + (c) The Food and Drug Administration may refuse to consider a +clinical investigation in support of an application for a research or +marketing permit if the institution or the IRB that reviewed the +investigation refuses to allow an inspection under this section. + +[46 FR 8975, Jan. 27, 1981, as amended at 56 FR 28029, June 18, 1991; 67 +FR 9585, Mar. 4, 2002] + + + + Subpart E_Administrative Actions for Noncompliance + + + +Sec. 56.120 Lesser administrative actions. + + (a) If apparent noncompliance with these regulations in the +operation of an IRB is observed by an FDA investigator during an +inspection, the inspector will present an oral or written summary of +observations to an appropriate representative of the IRB. The Food and +Drug Administration may subsequently send a letter describing the +noncompliance to the IRB and to the parent institution. The agency will +require that the IRB or the parent institution respond to this letter +within a time period specified by FDA and describe the corrective +actions that will be taken by the IRB, the institution, or both to +achieve compliance with these regulations. + (b) On the basis of the IRB's or the institution's response, FDA may +schedule a reinspection to confirm the adequacy of corrective actions. +In addition, until the IRB or the parent institution takes appropriate +corrective action, the agency may: + (1) Withhold approval of new studies subject to the requirements of +this part that are conducted at the institution or reviewed by the IRB; + (2) Direct that no new subjects be added to ongoing studies subject +to this part; + (3) Terminate ongoing studies subject to this part when doing so +would not endanger the subjects; or + (4) When the apparent noncompliance creates a significant threat to +the rights and welfare of human subjects, notify relevant State and +Federal regulatory agencies and other parties with a direct interest in +the agency's action of the deficiencies in the operation of the IRB. + (c) The parent institution is presumed to be responsible for the +operation of an IRB, and the Food and Drug + +[[Page 365]] + +Administration will ordinarily direct any administrative action under +this subpart against the institution. However, depending on the evidence +of responsibility for deficiencies, determined during the investigation, +the Food and Drug Administration may restrict its administrative actions +to the IRB or to a component of the parent institution determined to be +responsible for formal designation of the IRB. + + + +Sec. 56.121 Disqualification of an IRB or an institution. + + (a) Whenever the IRB or the institution has failed to take adequate +steps to correct the noncompliance stated in the letter sent by the +agency under Sec. 56.120(a), and the Commissioner of Food and Drugs +determines that this noncompliance may justify the disqualification of +the IRB or of the parent institution, the Commissioner will institute +proceedings in accordance with the requirements for a regulatory hearing +set forth in part 16. + (b) The Commissioner may disqualify an IRB or the parent institution +if the Commissioner determines that: + (1) The IRB has refused or repeatedly failed to comply with any of +the regulations set forth in this part, and + (2) The noncompliance adversely affects the rights or welfare of the +human subjects in a clinical investigation. + (c) If the Commissioner determines that disqualification is +appropriate, the Commissioner will issue an order that explains the +basis for the determination and that prescribes any actions to be taken +with regard to ongoing clinical research conducted under the review of +the IRB. The Food and Drug Administration will send notice of the +disqualification to the IRB and the parent institution. Other parties +with a direct interest, such as sponsors and clinical investigators, may +also be sent a notice of the disqualification. In addition, the agency +may elect to publish a notice of its action in the Federal Register. + (d) The Food and Drug Administration will not approve an application +for a research permit for a clinical investigation that is to be under +the review of a disqualified IRB or that is to be conducted at a +disqualified institution, and it may refuse to consider in support of a +marketing permit the data from a clinical investigation that was +reviewed by a disqualified IRB as conducted at a disqualified +institution, unless the IRB or the parent institution is reinstated as +provided in Sec. 56.123. + + + +Sec. 56.122 Public disclosure of information regarding revocation. + + A determination that the Food and Drug Administration has +disqualified an institution and the administrative record regarding that +determination are disclosable to the public under part 20. + + + +Sec. 56.123 Reinstatement of an IRB or an institution. + + An IRB or an institution may be reinstated if the Commissioner +determines, upon an evaluation of a written submission from the IRB or +institution that explains the corrective action that the institution or +IRB plans to take, that the IRB or institution has provided adequate +assurance that it will operate in compliance with the standards set +forth in this part. Notification of reinstatement shall be provided to +all persons notified under Sec. 56.121(c). + + + +Sec. 56.124 Actions alternative or additional to disqualification. + + Disqualification of an IRB or of an institution is independent of, +and neither in lieu of nor a precondition to, other proceedings or +actions authorized by the act. The Food and Drug Administration may, at +any time, through the Department of Justice institute any appropriate +judicial proceedings (civil or criminal) and any other appropriate +regulatory action, in addition to or in lieu of, and before, at the time +of, or after, disqualification. The agency may also refer pertinent +matters to another Federal, State, or local government agency for any +action that that agency determines to be appropriate. + +[[Page 366]] + + + +PART 58_GOOD LABORATORY PRACTICE FOR NONCLINICAL LABORATORY STUDIES +--Table of Contents + + + + Subpart A_General Provisions + +Sec. +58.1 Scope. +58.3 Definitions. +58.10 Applicability to studies performed under grants and contracts. +58.15 Inspection of a testing facility. + + Subpart B_Organization and Personnel + +58.29 Personnel. +58.31 Testing facility management. +58.33 Study director. +58.35 Quality assurance unit. + + Subpart C_Facilities + +58.41 General. +58.43 Animal care facilities. +58.45 Animal supply facilities. +58.47 Facilities for handling test and control articles. +58.49 Laboratory operation areas. +58.51 Specimen and data storage facilities. + + Subpart D_Equipment + +58.61 Equipment design. +58.63 Maintenance and calibration of equipment. + + Subpart E_Testing Facilities Operation + +58.81 Standard operating procedures. +58.83 Reagents and solutions. +58.90 Animal care. + + Subpart F_Test and Control Articles + +58.105 Test and control article characterization. +58.107 Test and control article handling. +58.113 Mixture of articles with carriers. + + Subpart G_Protocol for and Conduct of a Nonclinical Laboratory Study + +58.120 Protocol. +58.130 Conduct of a nonclinical laboratory study. + +Subparts H-I [Reserved] + + Subpart J_Records and Reports + +58.185 Reporting of nonclinical laboratory study results. +58.190 Storage and retrieval of records and data. +58.195 Retention of records. + + Subpart K_Disqualification of Testing Facilities + +58.200 Purpose. +58.202 Grounds for disqualification. +58.204 Notice of and opportunity for hearing on proposed + disqualification. +58.206 Final order on disqualification. +58.210 Actions upon disqualification. +58.213 Public disclosure of information regarding disqualification. +58.215 Alternative or additional actions to disqualification. +58.217 Suspension or termination of a testing facility by a sponsor. +58.219 Reinstatement of a disqualified testing facility. + + Authority: 21 U.S.C. 342, 346, 346a, 348, 351, 352, 353, 355, 360, +360b-360f, 360h-360j, 371, 379e, 381; 42 U.S.C. 216, 262, 263b-263n. + + Source: 43 FR 60013, Dec. 22, 1978, unless otherwise noted. + + + + Subpart A_General Provisions + + + +Sec. 58.1 Scope. + + (a) This part prescribes good laboratory practices for conducting +nonclinical laboratory studies that support or are intended to support +applications for research or marketing permits for products regulated by +the Food and Drug Administration, including food and color additives, +animal food additives, human and animal drugs, medical devices for human +use, biological products, and electronic products. Compliance with this +part is intended to assure the quality and integrity of the safety data +filed pursuant to sections 406, 408, 409, 502, 503, 505, 506, 510, 512- +516, 518-520, 721, and 801 of the Federal Food, Drug, and Cosmetic Act +and sections 351 and 354-360F of the Public Health Service Act. + (b) References in this part to regulatory sections of the Code of +Federal Regulations are to chapter I of title 21, unless otherwise +noted. + +[43 FR 60013, Dec. 22, 1978, as amended at 52 FR 33779, Sept. 4, 1987; +64 FR 399, Jan. 5, 1999] + + + +Sec. 58.3 Definitions. + + As used in this part, the following terms shall have the meanings +specified: + (a) Act means the Federal Food, Drug, and Cosmetic Act, as amended +(secs. 201-902, 52 Stat. 1040 et seq., as amended (21 U.S.C. 321-392)). + +[[Page 367]] + + (b) Test article means any food additive, color additive, drug, +biological product, electronic product, medical device for human use, or +any other article subject to regulation under the act or under sections +351 and 354-360F of the Public Health Service Act. + (c) Control article means any food additive, color additive, drug, +biological product, electronic product, medical device for human use, or +any article other than a test article, feed, or water that is +administered to the test system in the course of a nonclinical +laboratory study for the purpose of establishing a basis for comparison +with the test article. + (d) Nonclinical laboratory study means in vivo or in vitro +experiments in which test articles are studied prospectively in test +systems under laboratory conditions to determine their safety. The term +does not include studies utilizing human subjects or clinical studies or +field trials in animals. The term does not include basic exploratory +studies carried out to determine whether a test article has any +potential utility or to determine physical or chemical characteristics +of a test article. + (e) Application for research or marketing permit includes: + (1) A color additive petition, described in part 71. + (2) A food additive petition, described in parts 171 and 571. + (3) Data and information regarding a substance submitted as part of +the procedures for establishing that a substance is generally recognized +as safe for use, which use results or may reasonably be expected to +result, directly or indirectly, in its becoming a component or otherwise +affecting the characteristics of any food, described in Sec. Sec. +170.35 and 570.35. + (4) Data and information regarding a food additive submitted as part +of the procedures regarding food additives permitted to be used on an +interim basis pending additional study, described in Sec. 180.1. + (5) An investigational new drug application, described in part 312 +of this chapter. + (6) A new drug application, described in part 314. + (7) Data and information regarding an over-the-counter drug for +human use, submitted as part of the procedures for classifying such +drugs as generally recognized as safe and effective and not misbranded, +described in part 330. + (8) Data and information about a substance submitted as part of the +procedures for establishing a tolerance for unavoidable contaminants in +food and food-packaging materials, described in parts 109 and 509. + (9) [Reserved] + (10) A Notice of Claimed Investigational Exemption for a New Animal +Drug, described in part 511. + (11) A new animal drug application, described in part 514. + (12) [Reserved] + (13) An application for a biologics license, described in part 601 +of this chapter. + (14) An application for an investigational device exemption, +described in part 812. + (15) An Application for Premarket Approval of a Medical Device, +described in section 515 of the act. + (16) A Product Development Protocol for a Medical Device, described +in section 515 of the act. + (17) Data and information regarding a medical device submitted as +part of the procedures for classifying such devices, described in part +860. + (18) Data and information regarding a medical device submitted as +part of the procedures for establishing, amending, or repealing a +performance standard for such devices, described in part 861. + (19) Data and information regarding an electronic product submitted +as part of the procedures for obtaining an exemption from notification +of a radiation safety defect or failure of compliance with a radiation +safety performance standard, described in subpart D of part 1003. + (20) Data and information regarding an electronic product submitted +as part of the procedures for establishing, amending, or repealing a +standard for such product, described in section 358 of the Public Health +Service Act. + (21) Data and information regarding an electronic product submitted +as part of the procedures for obtaining a variance from any electronic +product + +[[Page 368]] + +performance standard as described in Sec. 1010.4. + (22) Data and information regarding an electronic product submitted +as part of the procedures for granting, amending, or extending an +exemption from any electronic product performance standard, as described +in Sec. 1010.5. + (23) A premarket notification for a food contact substance, +described in part 170, subpart D, of this chapter. + (f) Sponsor means: + (1) A person who initiates and supports, by provision of financial +or other resources, a nonclinical laboratory study; + (2) A person who submits a nonclinical study to the Food and Drug +Administration in support of an application for a research or marketing +permit; or + (3) A testing facility, if it both initiates and actually conducts +the study. + (g) Testing facility means a person who actually conducts a +nonclinical laboratory study, i.e., actually uses the test article in a +test system. Testing facility includes any establishment required to +register under section 510 of the act that conducts nonclinical +laboratory studies and any consulting laboratory described in section +704 of the act that conducts such studies. Testing facility encompasses +only those operational units that are being or have been used to conduct +nonclinical laboratory studies. + (h) Person includes an individual, partnership, corporation, +association, scientific or academic establishment, government agency, or +organizational unit thereof, and any other legal entity. + (i) Test system means any animal, plant, microorganism, or subparts +thereof to which the test or control article is administered or added +for study. Test system also includes appropriate groups or components of +the system not treated with the test or control articles. + (j) Specimen means any material derived from a test system for +examination or analysis. + (k) Raw data means any laboratory worksheets, records, memoranda, +notes, or exact copies thereof, that are the result of original +observations and activities of a nonclinical laboratory study and are +necessary for the reconstruction and evaluation of the report of that +study. In the event that exact transcripts of raw data have been +prepared (e.g., tapes which have been transcribed verbatim, dated, and +verified accurate by signature), the exact copy or exact transcript may +be substituted for the original source as raw data. Raw data may include +photographs, microfilm or microfiche copies, computer printouts, +magnetic media, including dictated observations, and recorded data from +automated instruments. + (l) Quality assurance unit means any person or organizational +element, except the study director, designated by testing facility +management to perform the duties relating to quality assurance of +nonclinical laboratory studies. + (m) Study director means the individual responsible for the overall +conduct of a nonclinical laboratory study. + (n) Batch means a specific quantity or lot of a test or control +article that has been characterized according to Sec. 58.105(a). + (o) Study initiation date means the date the protocol is signed by +the study director. + (p) Study completion date means the date the final report is signed +by the study director. + +[43 FR 60013, Dec. 22, 1978, as amended at 52 FR 33779, Sept. 4, 1987; +54 FR 9039, Mar. 3, 1989; 64 FR 56448, Oct. 20, 1999; 67 FR 35729, May +21, 2002] + + + +Sec. 58.10 Applicability to studies performed under grants and contracts. + + When a sponsor conducting a nonclinical laboratory study intended to +be submitted to or reviewed by the Food and Drug Administration utilizes +the services of a consulting laboratory, contractor, or grantee to +perform an analysis or other service, it shall notify the consulting +laboratory, contractor, or grantee that the service is part of a +nonclinical laboratory study that must be conducted in compliance with +the provisions of this part. + + + +Sec. 58.15 Inspection of a testing facility. + + (a) A testing facility shall permit an authorized employee of the +Food and Drug Administration, at reasonable + +[[Page 369]] + +times and in a reasonable manner, to inspect the facility and to inspect +(and in the case of records also to copy) all records and specimens +required to be maintained regarding studies within the scope of this +part. The records inspection and copying requirements shall not apply to +quality assurance unit records of findings and problems, or to actions +recommended and taken. + (b) The Food and Drug Administration will not consider a nonclinical +laboratory study in support of an application for a research or +marketing permit if the testing facility refuses to permit inspection. +The determination that a nonclinical laboratory study will not be +considered in support of an application for a research or marketing +permit does not, however, relieve the applicant for such a permit of any +obligation under any applicable statute or regulation to submit the +results of the study to the Food and Drug Administration. + + + + Subpart B_Organization and Personnel + + + +Sec. 58.29 Personnel. + + (a) Each individual engaged in the conduct of or responsible for the +supervision of a nonclinical laboratory study shall have education, +training, and experience, or combination thereof, to enable that +individual to perform the assigned functions. + (b) Each testing facility shall maintain a current summary of +training and experience and job description for each individual engaged +in or supervising the conduct of a nonclinical laboratory study. + (c) There shall be a sufficient number of personnel for the timely +and proper conduct of the study according to the protocol. + (d) Personnel shall take necessary personal sanitation and health +precautions designed to avoid contamination of test and control articles +and test systems. + (e) Personnel engaged in a nonclinical laboratory study shall wear +clothing appropriate for the duties they perform. Such clothing shall be +changed as often as necessary to prevent microbiological, radiological, +or chemical contamination of test systems and test and control articles. + (f) Any individual found at any time to have an illness that may +adversely affect the quality and integrity of the nonclinical laboratory +study shall be excluded from direct contact with test systems, test and +control articles and any other operation or function that may adversely +affect the study until the condition is corrected. All personnel shall +be instructed to report to their immediate supervisors any health or +medical conditions that may reasonably be considered to have an adverse +effect on a nonclinical laboratory study. + + + +Sec. 58.31 Testing facility management. + + For each nonclinical laboratory study, testing facility management +shall: + (a) Designate a study director as described in Sec. 58.33, before +the study is initiated. + (b) Replace the study director promptly if it becomes necessary to +do so during the conduct of a study. + (c) Assure that there is a quality assurance unit as described in +Sec. 58.35. + (d) Assure that test and control articles or mixtures have been +appropriately tested for identity, strength, purity, stability, and +uniformity, as applicable. + (e) Assure that personnel, resources, facilities, equipment, +materials, and methodologies are available as scheduled. + (f) Assure that personnel clearly understand the functions they are +to perform. + (g) Assure that any deviations from these regulations reported by +the quality assurance unit are communicated to the study director and +corrective actions are taken and documented. + +[43 FR 60013, Dec. 22, 1978, as amended at 52 FR 33780, Sept. 4, 1987] + + + +Sec. 58.33 Study director. + + For each nonclinical laboratory study, a scientist or other +professional of appropriate education, training, and experience, or +combination thereof, shall be identified as the study director. The +study director has overall responsibility for the technical conduct + +[[Page 370]] + +of the study, as well as for the interpretation, analysis, documentation +and reporting of results, and represents the single point of study +control. The study director shall assure that: + (a) The protocol, including any change, is approved as provided by +Sec. 58.120 and is followed. + (b) All experimental data, including observations of unanticipated +responses of the test system are accurately recorded and verified. + (c) Unforeseen circumstances that may affect the quality and +integrity of the nonclinical laboratory study are noted when they occur, +and corrective action is taken and documented. + (d) Test systems are as specified in the protocol. + (e) All applicable good laboratory practice regulations are +followed. + (f) All raw data, documentation, protocols, specimens, and final +reports are transferred to the archives during or at the close of the +study. + +[43 FR 60013, Dec. 22, 1978; 44 FR 17657, Mar. 23, 1979] + + + +Sec. 58.35 Quality assurance unit. + + (a) A testing facility shall have a quality assurance unit which +shall be responsible for monitoring each study to assure management that +the facilities, equipment, personnel, methods, practices, records, and +controls are in conformance with the regulations in this part. For any +given study, the quality assurance unit shall be entirely separate from +and independent of the personnel engaged in the direction and conduct of +that study. + (b) The quality assurance unit shall: + (1) Maintain a copy of a master schedule sheet of all nonclinical +laboratory studies conducted at the testing facility indexed by test +article and containing the test system, nature of study, date study was +initiated, current status of each study, identity of the sponsor, and +name of the study director. + (2) Maintain copies of all protocols pertaining to all nonclinical +laboratory studies for which the unit is responsible. + (3) Inspect each nonclinical laboratory study at intervals adequate +to assure the integrity of the study and maintain written and properly +signed records of each periodic inspection showing the date of the +inspection, the study inspected, the phase or segment of the study +inspected, the person performing the inspection, findings and problems, +action recommended and taken to resolve existing problems, and any +scheduled date for reinspection. Any problems found during the course of +an inspection which are likely to affect study integrity shall be +brought to the attention of the study director and management +immediately. + (4) Periodically submit to management and the study director written +status reports on each study, noting any problems and the corrective +actions taken. + (5) Determine that no deviations from approved protocols or standard +operating procedures were made without proper authorization and +documentation. + (6) Review the final study report to assure that such report +accurately describes the methods and standard operating procedures, and +that the reported results accurately reflect the raw data of the +nonclinical laboratory study. + (7) Prepare and sign a statement to be included with the final study +report which shall specify the dates inspections were made and findings +reported to management and to the study director. + (c) The responsibilities and procedures applicable to the quality +assurance unit, the records maintained by the quality assurance unit, +and the method of indexing such records shall be in writing and shall be +maintained. These items including inspection dates, the study inspected, +the phase or segment of the study inspected, and the name of the +individual performing the inspection shall be made available for +inspection to authorized employees of the Food and Drug Administration. + (d) A designated representative of the Food and Drug Administration +shall have access to the written procedures established for the +inspection and may request testing facility management to certify that +inspections are being implemented, performed, documented, + +[[Page 371]] + +and followed-up in accordance with this paragraph. + +[43 FR 60013, Dec. 22, 1978, as amended at 52 FR 33780, Sept. 4, 1987; +67 FR 9585, Mar. 4, 2002] + + + + Subpart C_Facilities + + + +Sec. 58.41 General. + + Each testing facility shall be of suitable size and construction to +facilitate the proper conduct of nonclinical laboratory studies. It +shall be designed so that there is a degree of separation that will +prevent any function or activity from having an adverse effect on the +study. + +[52 FR 33780, Sept. 4, 1987] + + + +Sec. 58.43 Animal care facilities. + + (a) A testing facility shall have a sufficient number of animal +rooms or areas, as needed, to assure proper: (1) Separation of species +or test systems, (2) isolation of individual projects, (3) quarantine of +animals, and (4) routine or specialized housing of animals. + (b) A testing facility shall have a number of animal rooms or areas +separate from those described in paragraph (a) of this section to ensure +isolation of studies being done with test systems or test and control +articles known to be biohazardous, including volatile substances, +aerosols, radioactive materials, and infectious agents. + (c) Separate areas shall be provided, as appropriate, for the +diagnosis, treatment, and control of laboratory animal diseases. These +areas shall provide effective isolation for the housing of animals +either known or suspected of being diseased, or of being carriers of +disease, from other animals. + (d) When animals are housed, facilities shall exist for the +collection and disposal of all animal waste and refuse or for safe +sanitary storage of waste before removal from the testing facility. +Disposal facilities shall be so provided and operated as to minimize +vermin infestation, odors, disease hazards, and environmental +contamination. + +[43 FR 60013, Dec. 22, 1978, as amended at 52 FR 33780, Sept. 4, 1987] + + + +Sec. 58.45 Animal supply facilities. + + There shall be storage areas, as needed, for feed, bedding, +supplies, and equipment. Storage areas for feed and bedding shall be +separated from areas housing the test systems and shall be protected +against infestation or contamination. Perishable supplies shall be +preserved by appropriate means. + +[43 FR 60013, Dec. 22, 1978, as amended at 52 FR 33780, Sept. 4, 1987] + + + +Sec. 58.47 Facilities for handling test and control articles. + + (a) As necessary to prevent contamination or mixups, there shall be +separate areas for: + (1) Receipt and storage of the test and control articles. + (2) Mixing of the test and control articles with a carrier, e.g., +feed. + (3) Storage of the test and control article mixtures. + (b) Storage areas for the test and/or control article and test and +control mixtures shall be separate from areas housing the test systems +and shall be adequate to preserve the identity, strength, purity, and +stability of the articles and mixtures. + + + +Sec. 58.49 Laboratory operation areas. + + Separate laboratory space shall be provided, as needed, for the +performance of the routine and specialized procedures required by +nonclinical laboratory studies. + +[52 FR 33780, Sept. 4, 1987] + + + +Sec. 58.51 Specimen and data storage facilities. + + Space shall be provided for archives, limited to access by +authorized personnel only, for the storage and retrieval of all raw data +and specimens from completed studies. + + + + Subpart D_Equipment + + + +Sec. 58.61 Equipment design. + + Equipment used in the generation, measurement, or assessment of data +and equipment used for facility environmental control shall be of +appropriate design and adequate capacity to function according to the +protocol and + +[[Page 372]] + +shall be suitably located for operation, inspection, cleaning, and +maintenance. + +[52 FR 33780, Sept. 4, 1987] + + + +Sec. 58.63 Maintenance and calibration of equipment. + + (a) Equipment shall be adequately inspected, cleaned, and +maintained. Equipment used for the generation, measurement, or +assessment of data shall be adequately tested, calibrated and/or +standardized. + (b) The written standard operating procedures required under Sec. +58.81(b)(11) shall set forth in sufficient detail the methods, +materials, and schedules to be used in the routine inspection, cleaning, +maintenance, testing, calibration, and/or standardization of equipment, +and shall specify, when appropriate, remedial action to be taken in the +event of failure or malfunction of equipment. The written standard +operating procedures shall designate the person responsible for the +performance of each operation. + (c) Written records shall be maintained of all inspection, +maintenance, testing, calibrating and/or standardizing operations. These +records, containing the date of the operation, shall describe whether +the maintenance operations were routine and followed the written +standard operating procedures. Written records shall be kept of +nonroutine repairs performed on equipment as a result of failure and +malfunction. Such records shall document the nature of the defect, how +and when the defect was discovered, and any remedial action taken in +response to the defect. + +[43 FR 60013, Dec. 22, 1978, as amended at 52 FR 33780, Sept. 4, 1987; +67 FR 9585, Mar. 4, 2002] + + + + Subpart E_Testing Facilities Operation + + + +Sec. 58.81 Standard operating procedures. + + (a) A testing facility shall have standard operating procedures in +writing setting forth nonclinical laboratory study methods that +management is satisfied are adequate to insure the quality and integrity +of the data generated in the course of a study. All deviations in a +study from standard operating procedures shall be authorized by the +study director and shall be documented in the raw data. Significant +changes in established standard operating procedures shall be properly +authorized in writing by management. + (b) Standard operating procedures shall be established for, but not +limited to, the following: + (1) Animal room preparation. + (2) Animal care. + (3) Receipt, identification, storage, handling, mixing, and method +of sampling of the test and control articles. + (4) Test system observations. + (5) Laboratory tests. + (6) Handling of animals found moribund or dead during study. + (7) Necropsy of animals or postmortem examination of animals. + (8) Collection and identification of specimens. + (9) Histopathology. + (10) Data handling, storage, and retrieval. + (11) Maintenance and calibration of equipment. + (12) Transfer, proper placement, and identification of animals. + (c) Each laboratory area shall have immediately available laboratory +manuals and standard operating procedures relative to the laboratory +procedures being performed. Published literature may be used as a +supplement to standard operating procedures. + (d) A historical file of standard operating procedures, and all +revisions thereof, including the dates of such revisions, shall be +maintained. + +[43 FR 60013, Dec. 22, 1978, as amended at 52 FR 33780, Sept. 4, 1987] + + + +Sec. 58.83 Reagents and solutions. + + All reagents and solutions in the laboratory areas shall be labeled +to indicate identity, titer or concentration, storage requirements, and +expiration date. Deteriorated or outdated reagents and solutions shall +not be used. + + + +Sec. 58.90 Animal care. + + (a) There shall be standard operating procedures for the housing, +feeding, handling, and care of animals. + (b) All newly received animals from outside sources shall be +isolated and their health status shall be evaluated + +[[Page 373]] + +in accordance with acceptable veterinary medical practice. + (c) At the initiation of a nonclinical laboratory study, animals +shall be free of any disease or condition that might interfere with the +purpose or conduct of the study. If, during the course of the study, the +animals contract such a disease or condition, the diseased animals shall +be isolated, if necessary. These animals may be treated for disease or +signs of disease provided that such treatment does not interfere with +the study. The diagnosis, authorizations of treatment, description of +treatment, and each date of treatment shall be documented and shall be +retained. + (d) Warm-blooded animals, excluding suckling rodents, used in +laboratory procedures that require manipulations and observations over +an extended period of time or in studies that require the animals to be +removed from and returned to their home cages for any reason (e.g., cage +cleaning, treatment, etc.), shall receive appropriate identification. +All information needed to specifically identify each animal within an +animal-housing unit shall appear on the outside of that unit. + (e) Animals of different species shall be housed in separate rooms +when necessary. Animals of the same species, but used in different +studies, should not ordinarily be housed in the same room when +inadvertent exposure to control or test articles or animal mixup could +affect the outcome of either study. If such mixed housing is necessary, +adequate differentiation by space and identification shall be made. + (f) Animal cages, racks and accessory equipment shall be cleaned and +sanitized at appropriate intervals. + (g) Feed and water used for the animals shall be analyzed +periodically to ensure that contaminants known to be capable of +interfering with the study and reasonably expected to be present in such +feed or water are not present at levels above those specified in the +protocol. Documentation of such analyses shall be maintained as raw +data. + (h) Bedding used in animal cages or pens shall not interfere with +the purpose or conduct of the study and shall be changed as often as +necessary to keep the animals dry and clean. + (i) If any pest control materials are used, the use shall be +documented. Cleaning and pest control materials that interfere with the +study shall not be used. + +[43 FR 60013, Dec. 22, 1978, as amended at 52 FR 33780, Sept. 4, 1987; +54 FR 15924, Apr. 20, 1989; 56 FR 32088, July 15, 1991; 67 FR 9585, Mar. +4, 2002] + + + + Subpart F_Test and Control Articles + + + +Sec. 58.105 Test and control article characterization. + + (a) The identity, strength, purity, and composition or other +characteristics which will appropriately define the test or control +article shall be determined for each batch and shall be documented. +Methods of synthesis, fabrication, or derivation of the test and control +articles shall be documented by the sponsor or the testing facility. In +those cases where marketed products are used as control articles, such +products will be characterized by their labeling. + (b) The stability of each test or control article shall be +determined by the testing facility or by the sponsor either: (1) Before +study initiation, or (2) concomitantly according to written standard +operating procedures, which provide for periodic analysis of each batch. + (c) Each storage container for a test or control article shall be +labeled by name, chemical abstract number or code number, batch number, +expiration date, if any, and, where appropriate, storage conditions +necessary to maintain the identity, strength, purity, and composition of +the test or control article. Storage containers shall be assigned to a +particular test article for the duration of the study. + (d) For studies of more than 4 weeks' duration, reserve samples from +each batch of test and control articles shall be retained for the period +of time provided by Sec. 58.195. + +[43 FR 60013, Dec. 22, 1978, as amended at 52 FR 33781, Sept. 4, 1987; +67 FR 9585, Mar. 4, 2002] + +[[Page 374]] + + + +Sec. 58.107 Test and control article handling. + + Procedures shall be established for a system for the handling of the +test and control articles to ensure that: + (a) There is proper storage. + (b) Distribution is made in a manner designed to preclude the +possibility of contamination, deterioration, or damage. + (c) Proper identification is maintained throughout the distribution +process. + (d) The receipt and distribution of each batch is documented. Such +documentation shall include the date and quantity of each batch +distributed or returned. + + + +Sec. 58.113 Mixtures of articles with carriers. + + (a) For each test or control article that is mixed with a carrier, +tests by appropriate analytical methods shall be conducted: + (1) To determine the uniformity of the mixture and to determine, +periodically, the concentration of the test or control article in the +mixture. + (2) To determine the stability of the test and control articles in +the mixture as required by the conditions of the study either: + (i) Before study initiation, or + (ii) Concomitantly according to written standard operating +procedures which provide for periodic analysis of the test and control +articles in the mixture. + (b) [Reserved] + (c) Where any of the components of the test or control article +carrier mixture has an expiration date, that date shall be clearly shown +on the container. If more than one component has an expiration date, the +earliest date shall be shown. + +[43 FR 60013, Dec. 22, 1978, as amended at 45 FR 24865, Apr. 11, 1980; +52 FR 33781, Sept. 4, 1987] + + + + Subpart G_Protocol for and Conduct of a Nonclinical Laboratory Study + + + +Sec. 58.120 Protocol. + + (a) Each study shall have an approved written protocol that clearly +indicates the objectives and all methods for the conduct of the study. +The protocol shall contain, as applicable, the following information: + (1) A descriptive title and statement of the purpose of the study. + (2) Identification of the test and control articles by name, +chemical abstract number, or code number. + (3) The name of the sponsor and the name and address of the testing +facility at which the study is being conducted. + (4) The number, body weight range, sex, source of supply, species, +strain, substrain, and age of the test system. + (5) The procedure for identification of the test system. + (6) A description of the experimental design, including the methods +for the control of bias. + (7) A description and/or identification of the diet used in the +study as well as solvents, emulsifiers, and/or other materials used to +solubilize or suspend the test or control articles before mixing with +the carrier. The description shall include specifications for acceptable +levels of contaminants that are reasonably expected to be present in the +dietary materials and are known to be capable of interfering with the +purpose or conduct of the study if present at levels greater than +established by the specifications. + (8) Each dosage level, expressed in milligrams per kilogram of body +weight or other appropriate units, of the test or control article to be +administered and the method and frequency of administration. + (9) The type and frequency of tests, analyses, and measurements to +be made. + (10) The records to be maintained. + (11) The date of approval of the protocol by the sponsor and the +dated signature of the study director. + (12) A statement of the proposed statistical methods to be used. + (b) All changes in or revisions of an approved protocol and the +reasons therefore shall be documented, signed by the study director, +dated, and maintained with the protocol. + +[43 FR 60013, Dec. 22, 1978, as amended at 52 FR 33781, Sept. 4, 1987; +67 FR 9585, Mar. 4, 2002] + +[[Page 375]] + + + +Sec. 58.130 Conduct of a nonclinical laboratory study. + + (a) The nonclinical laboratory study shall be conducted in +accordance with the protocol. + (b) The test systems shall be monitored in conformity with the +protocol. + (c) Specimens shall be identified by test system, study, nature, and +date of collection. This information shall be located on the specimen +container or shall accompany the specimen in a manner that precludes +error in the recording and storage of data. + (d) Records of gross findings for a specimen from postmortem +observations should be available to a pathologist when examining that +specimen histopathologically. + (e) All data generated during the conduct of a nonclinical +laboratory study, except those that are generated by automated data +collection systems, shall be recorded directly, promptly, and legibly in +ink. All data entries shall be dated on the date of entry and signed or +initialed by the person entering the data. Any change in entries shall +be made so as not to obscure the original entry, shall indicate the +reason for such change, and shall be dated and signed or identified at +the time of the change. In automated data collection systems, the +individual responsible for direct data input shall be identified at the +time of data input. Any change in automated data entries shall be made +so as not to obscure the original entry, shall indicate the reason for +change, shall be dated, and the responsible individual shall be +identified. + +[43 FR 60013, Dec. 22, 1978, as amended at 52 FR 33781, Sept. 4, 1987; +67 FR 9585, Mar. 4, 2002] + +Subparts H-I [Reserved] + + + + Subpart J_Records and Reports + + + +Sec. 58.185 Reporting of nonclinical laboratory study results. + + (a) A final report shall be prepared for each nonclinical laboratory +study and shall include, but not necessarily be limited to, the +following: + (1) Name and address of the facility performing the study and the +dates on which the study was initiated and completed. + (2) Objectives and procedures stated in the approved protocol, +including any changes in the original protocol. + (3) Statistical methods employed for analyzing the data. + (4) The test and control articles identified by name, chemical +abstracts number or code number, strength, purity, and composition or +other appropriate characteristics. + (5) Stability of the test and control articles under the conditions +of administration. + (6) A description of the methods used. + (7) A description of the test system used. Where applicable, the +final report shall include the number of animals used, sex, body weight +range, source of supply, species, strain and substrain, age, and +procedure used for identification. + (8) A description of the dosage, dosage regimen, route of +administration, and duration. + (9) A description of all circumstances that may have affected the +quality or integrity of the data. + (10) The name of the study director, the names of other scientists +or professionals, and the names of all supervisory personnel, involved +in the study. + (11) A description of the transformations, calculations, or +operations performed on the data, a summary and analysis of the data, +and a statement of the conclusions drawn from the analysis. + (12) The signed and dated reports of each of the individual +scientists or other professionals involved in the study. + (13) The locations where all specimens, raw data, and the final +report are to be stored. + (14) The statement prepared and signed by the quality assurance unit +as described in Sec. 58.35(b)(7). + (b) The final report shall be signed and dated by the study +director. + (c) Corrections or additions to a final report shall be in the form +of an amendment by the study director. The amendment shall clearly +identify that part of the final report that is being added to or +corrected and the reasons for the correction or addition, and + +[[Page 376]] + +shall be signed and dated by the person responsible. + +[43 FR 60013, Dec. 22, 1978, as amended at 52 FR 33781, Sept. 4, 1987] + + + +Sec. 58.190 Storage and retrieval of records and data. + + (a) All raw data, documentation, protocols, final reports, and +specimens (except those specimens obtained from mutagenicity tests and +wet specimens of blood, urine, feces, and biological fluids) generated +as a result of a nonclinical laboratory study shall be retained. + (b) There shall be archives for orderly storage and expedient +retrieval of all raw data, documentation, protocols, specimens, and +interim and final reports. Conditions of storage shall minimize +deterioration of the documents or specimens in accordance with the +requirements for the time period of their retention and the nature of +the documents or specimens. A testing facility may contract with +commercial archives to provide a repository for all material to be +retained. Raw data and specimens may be retained elsewhere provided that +the archives have specific reference to those other locations. + (c) An individual shall be identified as responsible for the +archives. + (d) Only authorized personnel shall enter the archives. + (e) Material retained or referred to in the archives shall be +indexed to permit expedient retrieval. + +[43 FR 60013, Dec. 22, 1978, as amended at 52 FR 33781, Sept. 4, 1987; +67 FR 9585, Mar. 4, 2002] + + + +Sec. 58.195 Retention of records. + + (a) Record retention requirements set forth in this section do not +supersede the record retention requirements of any other regulations in +this chapter. + (b) Except as provided in paragraph (c) of this section, +documentation records, raw data and specimens pertaining to a +nonclinical laboratory study and required to be made by this part shall +be retained in the archive(s) for whichever of the following periods is +shortest: + (1) A period of at least 2 years following the date on which an +application for a research or marketing permit, in support of which the +results of the nonclinical laboratory study were submitted, is approved +by the Food and Drug Administration. This requirement does not apply to +studies supporting investigational new drug applications (IND's) or +applications for investigational device exemptions (IDE's), records of +which shall be governed by the provisions of paragraph (b)(2) of this +section. + (2) A period of at least 5 years following the date on which the +results of the nonclinical laboratory study are submitted to the Food +and Drug Administration in support of an application for a research or +marketing permit. + (3) In other situations (e.g., where the nonclinical laboratory +study does not result in the submission of the study in support of an +application for a research or marketing permit), a period of at least 2 +years following the date on which the study is completed, terminated, or +discontinued. + (c) Wet specimens (except those specimens obtained from mutagenicity +tests and wet specimens of blood, urine, feces, and biological fluids), +samples of test or control articles, and specially prepared material, +which are relatively fragile and differ markedly in stability and +quality during storage, shall be retained only as long as the quality of +the preparation affords evaluation. In no case shall retention be +required for longer periods than those set forth in paragraphs (a) and +(b) of this section. + (d) The master schedule sheet, copies of protocols, and records of +quality assurance inspections, as required by Sec. 58.35(c) shall be +maintained by the quality assurance unit as an easily accessible system +of records for the period of time specified in paragraphs (a) and (b) of +this section. + (e) Summaries of training and experience and job descriptions +required to be maintained by Sec. 58.29(b) may be retained along with +all other testing facility employment records for the length of time +specified in paragraphs (a) and (b) of this section. + (f) Records and reports of the maintenance and calibration and +inspection of equipment, as required by Sec. 58.63(b) and (c), shall be +retained for the length of + +[[Page 377]] + +time specified in paragraph (b) of this section. + (g) Records required by this part may be retained either as original +records or as true copies such as photocopies, microfilm, microfiche, or +other accurate reproductions of the original records. + (h) If a facility conducting nonclinical testing goes out of +business, all raw data, documentation, and other material specified in +this section shall be transferred to the archives of the sponsor of the +study. The Food and Drug Administration shall be notified in writing of +such a transfer. + +[43 FR 60013, Dec. 22, 1978, as amended at 52 FR 33781, Sept. 4, 1987; +54 FR 9039, Mar. 3, 1989] + + + + Subpart K_Disqualification of Testing Facilities + + + +Sec. 58.200 Purpose. + + (a) The purposes of disqualification are: + (1) To permit the exclusion from consideration of completed studies +that were conducted by a testing facility which has failed to comply +with the requirements of the good laboratory practice regulations until +it can be adequately demonstrated that such noncompliance did not occur +during, or did not affect the validity or acceptability of data +generated by, a particular study; and + (2) To exclude from consideration all studies completed after the +date of disqualification until the facility can satisfy the Commissioner +that it will conduct studies in compliance with such regulations. + (b) The determination that a nonclinical laboratory study may not be +considered in support of an application for a research or marketing +permit does not, however, relieve the applicant for such a permit of any +obligation under any other applicable regulation to submit the results +of the study to the Food and Drug Administration. + + + +Sec. 58.202 Grounds for disqualification. + + The Commissioner may disqualify a testing facility upon finding all +of the following: + (a) The testing facility failed to comply with one or more of the +regulations set forth in this part (or any other regulations regarding +such facilities in this chapter); + (b) The noncompliance adversely affected the validity of the +nonclinical laboratory studies; and + (c) Other lesser regulatory actions (e.g., warnings or rejection of +individual studies) have not been or will probably not be adequate to +achieve compliance with the good laboratory practice regulations. + + + +Sec. 58.204 Notice of and opportunity for hearing on proposed +disqualification. + + (a) Whenever the Commissioner has information indicating that +grounds exist under Sec. 58.202 which in his opinion justify +disqualification of a testing facility, he may issue to the testing +facility a written notice proposing that the facility be disqualified. + (b) A hearing on the disqualification shall be conducted in +accordance with the requirements for a regulatory hearing set forth in +part 16 of this chapter. + + + +Sec. 58.206 Final order on disqualification. + + (a) If the Commissioner, after the regulatory hearing, or after the +time for requesting a hearing expires without a request being made, upon +an evaulation of the administrative record of the disqualification +proceeding, makes the findings required in Sec. 58.202, he shall issue +a final order disqualifying the facility. Such order shall include a +statement of the basis for that determination. Upon issuing a final +order, the Commissioner shall notify (with a copy of the order) the +testing facility of the action. + (b) If the Commissioner, after a regulatory hearing or after the +time for requesting a hearing expires without a request being made, upon +an evaluation of the administrative record of the disqualification +proceeding, does not make the findings required in Sec. 58.202, he +shall issue a final order terminating the disqualification proceeding. +Such order shall include a statement of the basis for that +determination. Upon issuing a final order the Commissioner + +[[Page 378]] + +shall notify the testing facility and provide a copy of the order. + + + +Sec. 58.210 Actions upon disqualification. + + (a) Once a testing facility has been disqualified, each application +for a research or marketing permit, whether approved or not, containing +or relying upon any nonclinical laboratory study conducted by the +disqualified testing facility may be examined to determine whether such +study was or would be essential to a decision. If it is determined that +a study was or would be essential, the Food and Drug Administration +shall also determine whether the study is acceptable, notwithstanding +the disqualification of the facility. Any study done by a testing +facility before or after disqualification may be presumed to be +unacceptable, and the person relying on the study may be required to +establish that the study was not affected by the circumstances that led +to the disqualification, e.g., by submitting validating information. If +the study is then determined to be unacceptable, such data will be +eliminated from consideration in support of the application; and such +elimination may serve as new information justifying the termination or +withdrawal of approval of the application. + (b) No nonclinical laboratory study begun by a testing facility +after the date of the facility's disqualification shall be considered in +support of any application for a research or marketing permit, unless +the facility has been reinstated under Sec. 58.219. The determination +that a study may not be considered in support of an application for a +research or marketing permit does not, however, relieve the applicant +for such a permit of any obligation under any other applicable +regulation to submit the results of the study to the Food and Drug +Administration. + +[43 FR 60013, Dec. 22, 1978, as amended at 59 FR 13200, Mar. 21, 1994] + + + +Sec. 58.213 Public disclosure of information regarding disqualification. + + (a) Upon issuance of a final order disqualifying a testing facility +under Sec. 58.206(a), the Commissioner may notify all or any interested +persons. Such notice may be given at the discretion of the Commissioner +whenever he believes that such disclosure would further the public +interest or would promote compliance with the good laboratory practice +regulations set forth in this part. Such notice, if given, shall include +a copy of the final order issued under Sec. 58.206(a) and shall state +that the disqualification constitutes a determination by the Food and +Drug Administration that nonclinical laboratory studies performed by the +facility will not be considered by the Food and Drug Administration in +support of any application for a research or marketing permit. If such +notice is sent to another Federal Government agency, the Food and Drug +Administration will recommend that the agency also consider whether or +not it should accept nonclinical laboratory studies performed by the +testing facility. If such notice is sent to any other person, it shall +state that it is given because of the relationship between the testing +facility and the person being notified and that the Food and Drug +Administration is not advising or recommending that any action be taken +by the person notified. + (b) A determination that a testing facility has been disqualified +and the administrative record regarding such determination are +disclosable to the public under part 20 of this chapter. + + + +Sec. 58.215 Alternative or additional actions to disqualification. + + (a) Disqualification of a testing facility under this subpart is +independent of, and neither in lieu of nor a precondition to, other +proceedings or actions authorized by the act. The Food and Drug +Administration may, at any time, institute against a testing facility +and/or against the sponsor of a nonclinical laboratory study that has +been submitted to the Food and Drug Administration any appropriate +judicial proceedings (civil or criminal) and any other appropriate +regulatory action, in addition to or in lieu of, and prior to, +simultaneously with, or subsequent to, disqualification. The Food and +Drug Administration may also refer the matter to another Federal, State, +or local government law enforcement or regulatory agency for such action +as that agency deems appropriate. + +[[Page 379]] + + (b) The Food and Drug Administration may refuse to consider any +particular nonclinical laboratory study in support of an application for +a research or marketing permit, if it finds that the study was not +conducted in accordance with the good laboratory practice regulations +set forth in this part, without disqualifying the testing facility that +conducted the study or undertaking other regulatory action. + + + +Sec. 58.217 Suspension or termination of a testing facility by +a sponsor. + + Termination of a testing facility by a sponsor is independent of, +and neither in lieu of nor a precondition to, proceedings or actions +authorized by this subpart. If a sponsor terminates or suspends a +testing facility from further participation in a nonclinical laboratory +study that is being conducted as part of any application for a research +or marketing permit that has been submitted to any Center of the Food +and Drug Administration (whether approved or not), it shall notify that +Center in writing within 15 working days of the action; the notice shall +include a statement of the reasons for such action. Suspension or +termination of a testing facility by a sponsor does not relieve it of +any obligation under any other applicable regulation to submit the +results of the study to the Food and Drug Administration. + +[43 FR 60013, Dec. 22, 1978, as amended at 50 FR 8995, Mar. 6, 1985] + + + +Sec. 58.219 Reinstatement of a disqualified testing facility. + + A testing facility that has been disqualified may be reinstated as +an acceptable source of nonclinical laboratory studies to be submitted +to the Food and Drug Administration if the Commissioner determines, upon +an evaluation of the submission of the testing facility, that the +facility can adequately assure that it will conduct future nonclinical +laboratory studies in compliance with the good laboratory practice +regulations set forth in this part and, if any studies are currently +being conducted, that the quality and integrity of such studies have not +been seriously compromised. A disqualified testing facility that wishes +to be so reinstated shall present in writing to the Commissioner reasons +why it believes it should be reinstated and a detailed description of +the corrective actions it has taken or intends to take to assure that +the acts or omissions which led to its disqualification will not recur. +The Commissioner may condition reinstatement upon the testing facility +being found in compliance with the good laboratory practice regulations +upon an inspection. If a testing facility is reinstated, the +Commissioner shall so notify the testing facility and all organizations +and persons who were notified, under Sec. 58.213 of the +disqualification of the testing facility. A determination that a testing +facility has been reinstated is disclosable to the public under part 20 +of this chapter. + + + +PART 60_PATENT TERM RESTORATION--Table of Contents + + + + Subpart A_General Provisions + +Sec. +60.1 Scope. +60.2 Purpose. +60.3 Definitions. + + Subpart B_Eligibility Assistance + +60.10 FDA assistance on eligibility. + + Subpart C_Regulatory Review Period Determinations + +60.20 FDA action on regulatory review period determinations. +60.22 Regulatory review period determinations. +60.24 Revision of regulatory review period determinations. +60.26 Final action on regulatory review period determinations. +60.28 Time frame for determining regulatory review periods. + + Subpart D_Due Diligence Petitions + +60.30 Filing, format, and content of petitions. +60.32 Applicant response to petition. +60.34 FDA action on petitions. +60.36 Standard of due diligence. + + Subpart E_Due Diligence Hearings + +60.40 Request for hearing. +60.42 Notice of hearing. +60.44 Hearing procedures. +60.46 Administrative decision. + + Authority: 21 U.S.C. 348, 355, 360e, 360j, 371, 379e; 35 U.S.C. 156; +42 U.S.C. 262. + +[[Page 380]] + + + Source: 53 FR 7305, Mar. 7, 1988, unless otherwise noted. + + Editorial Note: Nomenclature changes to part 60 appear at 68 FR +24879, May 9, 2003. + + + + Subpart A_General Provisions + + + +Sec. 60.1 Scope. + + (a) This part sets forth procedures and requirements for the Food +and Drug Administration's review of applications for the extension of +the term of certain patents under 35 U.S.C. 156. Patent term restoration +is available for certain patents related to drug products (as defined in +35 U.S.C. 156(f)(2)), and to medical devices, food additives, or color +additives subject to regulation under the Federal Food, Drug, and +Cosmetic Act or the Public Health Service Act. Food and Drug +Administration actions in this area include: + (1) Assisting the United States Patent and Trademark Office in +determining eligibility for patent term restoration; + (2) Determining the length of a product's regulatory review period; + (3) If petitioned, reviewing and ruling on due diligence challenges +to the Food and Drug Administration's regulatory review period +determinations; and + (4) Conducting hearings to review initial Food and Drug +Administration findings on due diligence challenges. + (b) References in this part to the Code of Federal Regulations are +to chapter I of title 21, unless otherwise noted. + +[53 FR 7305, Mar. 7, 1988, as amended at 57 FR 56261, Nov. 27, 1992] + + + +Sec. 60.2 Purpose. + + (a) The purpose of this part is to establish a thorough yet +efficient process for the Food and Drug Administration review of patent +term restoration applications. To achieve this purpose, the regulations +are intended to: + (1) Facilitate determinations of patent term restoration eligibility +and regulatory review period length, and + (2) Ensure that parties interested in due diligence challenges will +have an opportunity to participate in that process, including informal +hearings. + (b) The regulations are intended to complement those promulgated by +the United States Patent and Trademark Office to implement those parts +of the law which are under that agency's jurisdiction. These regulations +shall be construed in light of these objectives. + + + +Sec. 60.3 Definitions. + + (a) The definitions contained in 35 U.S.C. 156 apply to those terms +when used in this part. + (b) The following definitions of terms apply to this part: + (1) The term Act means the Federal Food, Drug, and Cosmetic Act +(secs. 201-901, 52 Stat. 1040 et seq. as amended (21 U.S.C. 301-392)). + (2) Active ingredient means any component that is intended to +furnish pharmacological activity or other direct effect in the +diagnosis, cure, mitigation, treatment, or prevention of disease, or to +affect the structure or any function of the body of man or of animals. +The term includes those components that may undergo chemical change in +the manufacture of the drug product and be present in the drug product +in a modified form intended to furnish the specified activity or effect. + (3) Applicant means any person who submits an application or an +amendment or supplement to an application under 35 U.S.C. 156 seeking +patent term restoration. + (4) Application means an application for patent term restoration +submitted under 35 U.S.C. 156. + (5) Clinical investigation or study means any experiment that +involves a test article and one or more subjects and that is either +subject to requirements for prior submission to the Food and Drug +Administration under section 505(i), 512(j), or 520(g) of the Federal +Food, Drug, and Cosmetic Act, or is not subject to the requirements for +prior submission to FDA under those sections of the Federal Food, Drug, +and Cosmetic Act, but the results of which are intended to be submitted +later to, or held for inspection by, FDA as part of an application for a +research or marketing permit. The term does not include experiments that +are subject to the provisions of part 58 regarding nonclinical +laboratory studies. + +[[Page 381]] + + (6) Color additive means any substance that meets the definition in +section 201(t) of the Act and which is subject to premarketing approval +under section 721 of the Act. + (7) Due diligence petition means a petition submitted under Sec. +60.30(a). + (8) FDA means the Food and Drug Administration. + (9) Food additive means any substance that meets the definition in +section 201(s) of the Act and which is subject to premarketing approval +under section 409 of the Act. + (10) Human drug product means the active ingredient of a new drug or +human biologic product (as those terms are used in the Act and the +Public Health Service Act), including any salt or ester of the active +ingredient, as a single entity or in combination with another active +ingredient. + (11) Marketing applicant means any person who submits an application +for premarketing approval by FDA under: + (i) Section 505(b) of the Act or section 351 of the Public Health +Service Act (human drug products); + (ii) Section 515 of the Act (medical devices); + (iii) Section 409 or 721 of the Act (food and color additives); or + (iv) Section 512 of the Act (animal drug products). + (12) Marketing application means an application for: + (i) Human drug products submitted under section 505(b) of the Act or +section 351 of the Public Health Service Act; + (ii) Medical devices submitted under section 515 of the Act; + (iii) Food and color additives submitted under section 409 or 721 of +the Act; or + (iv) Animal drug products submitted under section 512 of the Act. + (13) Medical device means any article that meets the definition in +section 201(h) of the Act and which is subject to premarketing approval +under section 515 of the Act. + (14) Product means a human drug product, animal drug product, +medical device, food additive, or color additive, as those terms are +defined in this section. + (15) PTO means the United States Patent and Trademark Office. + (16) Animal drug product means the active ingredient of a new animal +drug (as that term is used in the Act) that is not primarily +manufactured using recombinant deoxyribonucleic acid (DNA), recombinant +ribonucleic acid (RNA), hybridoma technology, or other processes +involving site-specific genetic manipulation techniques, including any +salt or ester of the active ingredient, as a single entity or in +combination with another active ingredient. + +[53 FR 7305, Mar. 7, 1988, as amended at 57 FR 56261, Nov. 27, 1992; 64 +FR 399, Jan. 5, 1999] + + + + Subpart B_Eligibility Assistance + + + +Sec. 60.10 FDA assistance on eligibility. + + (a) Upon written request from the U.S. Patent and Trademark Office, +FDA will assist the U.S. Patent and Trademark Office in determining +whether a patent related to a product is eligible for patent term +restoration as follows: + (1) Verifying whether the product was subject to a regulatory review +period before its commercial marketing or use; + (2) For human drug products, food additives, color additives, and +medical devices, determining whether the permission for commercial +marketing or use of the product after the regulatory review period is +the first permitted commercial marketing or use of the product either: + (i) Under the provision of law under which the regulatory review +period occurred; or + (ii) Under the process claimed in the patent when the patent claims +a method of manufacturing the product that primarily uses recombinant +deoxyribonucleic acid (DNA) technology in the manufacture of the +product; + (3) For animal drug products, determining whether the permission for +commercial marketing or use of the product after the regulatory review +period: + (i) Is the first permitted commercial marketing or use of the +product; or + (ii) Is the first permitted commercial marketing or use of the +product for administration to a food-producing animal, whichever is +applicable, under the + +[[Page 382]] + +provision of law under which the regulatory review period occurred; + (4) Informing the U.S. Patent and Trademark Office whether the +patent term restoration application was submitted within 60 days after +the product was approved for marketing or use, or, if the product is an +animal drug approved for use in a food-producing animal, verifying +whether the application was filed within 60 days of the first approval +for marketing or use in a food-producing animal; and + (5) Providing the U.S. Patent and Trademark Office with any other +information relevant to the U.S. Patent and Trademark Office's +determination of whether a patent related to a product is eligible for +patent term restoration. + (b) FDA will notify the U.S. Patent and Trademark Office of its +findings in writing, send a copy of this notification to the applicant, +and file a copy of the notification in the docket established for the +application in FDA's Division of Dockets Management (HFA-305), 5630 +Fishers Lane, rm. 1061, Rockville, MD 20852. + +[57 FR 56261, Nov. 27, 1992] + + + + Subpart C_Regulatory Review Period Determinations + + + +Sec. 60.20 FDA action on regulatory review period determinations. + + (a) FDA will consult its records and experts to verify the dates +contained in the application and to determine the length of the +product's regulatory review period under Sec. 60.22. The application +shall contain information relevant to the determination of the +regulatory review period as stated in the ``Guidelines for Extension of +Patent Term Under 35 U.S.C. 156'' published on October 9, 1984, in PTO's +Official Gazette and as required by 37 CFR chapter I. + (b) After determining the length of the regulatory review period, +FDA will notify PTO in writing of its determination, send a copy of this +determination to the applicant, and file a copy of the determination in +the docket established for the application in FDA's Division of Dockets +Management (HFA-305), 5630 Fishers Lane, rm. 1061, Rockville, MD 20852. + (c) FDA will also publish the regulatory review period determination +in the Federal Register. The notice will include the following: + (1) The name of the applicant; + (2) The trade name and generic name (if applicable) of the product; + (3) The number of the patent for which an extension of the term is +sought; + (4) The approved indications or uses for the product; + (5) An explanation of any discrepancies between the dates in the +application and FDA records; + (6) Where appropriate, an explanation that FDA has no record in +which to review the date(s) contained in the application; and + (7) The regulatory review period determination, including a +statement of the length of the testing and approval phases and the dates +used in calculating each phase. + +[53 FR 7305, Mar. 7, 1988, as amended at 59 FR 14364, Mar. 28, 1994] + + + +Sec. 60.22 Regulatory review period determinations. + + In determining a product's regulatory review period, which consists +of the sum of the lengths of a testing phase and an approval phase, FDA +will review the information in each application using the following +definitions of the testing phase and the approval phase for that class +of products. + (a) For human drugs: + (1) The testing phase begins on the date an exemption under section +505(i) of the Act becomes effective (or the date an exemption under +former section 507(d) of the Act became effective) for the approved +human drug product and ends on the date a marketing application under +section 351 of the Public Health Service Act or section 505 of the act +is initially submitted to FDA (or was initially submitted to FDA under +former section 507 of the Act), and + (2) The approval phase begins on the date a marketing application +under section 351 of the Public Health Service Act or section 505(b) of +the Act is initially submitted to FDA (or was initially submitted under +former section 507 of the Act) and ends on the date the application is +approved. + +[[Page 383]] + + (b) For food and color additives: + (1) The testing phase begins on the date a major health or +environmental effects test is begun and ends on the date a petition +relying on the test and requesting the issuance of a regulation for use +of the additive under section 409 or 721 of the Act is initially +submitted to FDA. + (2) The approval phase begins on the date a petition requesting the +issuance of a regulation for use of the additive under section 409 or +721 of the Act is initially submitted to FDA and ends upon whichever of +the following occurs last: + (i) The regulation for the additive becomes effective; or + (ii) Objections filed against the regulation that result in a stay +of effectiveness are resolved and commercial marketing is permitted; or + (iii) Proceedings resulting from objections to the regulation, after +commercial marketing has been permitted and later stayed pending +resolution of the proceedings, are finally resolved and commercial +marketing is permitted. + (c) For medical devices: + (1) The testing phase begins on the date a clinical investigation on +humans is begun and ends on the date an application for premarket +approval of the device or a notice of completion of a product +development protocol is initially submitted under section 515 of the +Act. For purposes of this part, a clinical investigation is considered +to begin on whichever of the following dates applies: + (i) If an investigational device exemption (IDE) under section +520(g) of the Act is required, the effective date of the exemption. + (ii) If an IDE is not required, but institutional review board (IRB) +approval under section 520(g)(3) of the Act is required, the IRB +approval date. + (iii) If neither an IDE nor IRB approval is required, the date on +which the device is first used with human subjects as part of a clinical +investigation to be filed with FDA to secure premarket approval of the +device. + (2) The approval phase either: + (i) Begins on the date an application for premarket approval of the +device is initially submitted under section 515 of the Act and ends on +the date the application is approved; or + (ii) Begins on the date a notice of completion of a product +development protocol is initially submitted under section 515 of the Act +and ends on the date the protocol is declared to be completed. + (d) For animal drugs: + (1) The testing phase begins on the date a major health or +environmental effects test is begun or the date on which the agency +acknowledges the filing of a notice of claimed investigational exemption +for a new animal drug, whichever is earlier, and ends on the date a +marketing application under section 512 of the Act is initially +submitted to FDA. + (2) The approval phase begins on the date a marketing application +under section 512 of the Act is initially submitted to FDA and ends on +the date the application is approved. + (e) For purposes of this section, a ``major health or environmental +effects test'' may be any test which: + (1) Is reasonably related to the evaluation of the product's health +or environmental effects, or both: + (2) Produces data necessary for marketing approval; and + (3) Is conducted over a period of no less than 6 months duration, +excluding time required to analyze or evaluate test results. + (f) For purposes of determining the regulatory review period for any +product, a marketing application, a notice of completion of a product +development protocol, or a petition is initially submitted on the date +it contains sufficient information to allow FDA to commence review of +the application. A marketing application, a notice of completion of a +product development protocol, or a petition is approved on the date FDA +sends the applicant a letter informing it of the approval or, by order +declares a product development protocol to be completed, or, in the case +of food and color additives, on the effective date of the final rule +listing the additive for use as published in the Federal Register or, in +the case of a new animal drug in a Category II Type A medicated article, +on the date of publication in the Federal Register of the notice of +approval pursuant to + +[[Page 384]] + +section 512(i) of the Act. For purposes of this section, the regulatory +review period for an animal drug shall mean either the regulatory review +period relating the drug's approval for use in nonfood-producing animals +or the regulatory review period relating to the drug's approval for use +in food-producing animals, whichever is applicable. + +[53 FR 7305, Mar. 7, 1988, as amended at 57 FR 56262, Nov. 27, 1992; 64 +FR 400, Jan. 5, 1999] + + + +Sec. 60.24 Revision of regulatory review period determinations. + + (a) Any person may request a revision of the regulatory review +period determination within 60 days after its initial publication in the +Federal Register. The request shall be sent to the Division of Dockets +Management (HFA-305), Food and Drug Administration, 5630 Fishers Lane, +rm. 1061, Rockville, MD 20852. The request shall specify the following: + (1) The type of action requested; + (2) The identity of the product; + (3) The identity of the applicant; + (4) The FDA docket number; and + (5) The basis for the request for revision, including any +documentary evidence. + (b) Unless the applicant is the person requesting the revision, the +applicant shall respond to the request within 15 days. In responding to +the request, the applicant may submit information which is relevant to +the events during the regulatory review period but which was not +included in the original patent term restoration application. A request +for a revision is not equivalent to a due diligence petition under Sec. +60.30 or a request for a hearing under Sec. 60.40. If no response is +submitted, FDA will decide the matter on the basis of the information in +the patent term restoration application, request for revision, and FDA +records. + (c) FDA shall apply the provisions of Sec. 60.22 in considering the +request for a revision of the regulatory review period determination. lf +FDA revises its prior determination, FDA will notify PTO of the +revision, send a copy of this notification to the applicant, and publish +the revision in the Federal Register, including a statement giving the +reasons for the revision. + +[53 FR 7305, Mar. 7, 1988, as amended at 59 FR 14364, Mar. 28, 1994; 67 +FR 9585, Mar. 4, 2002] + + + +Sec. 60.26 Final action on regulatory review period determinations. + + (a) FDA will consider a regulatory review period determination to be +final upon expiration of the 180-day period for filing a due diligence +petition under Sec. 60.30 unless FDA receives: + (1) New information from PTO records, FDA records, or FDA centers +that affects the regulatory review period determination; + (2) A request under Sec. 60.24 for revision of the regulatory +review period determination; + (3) A due diligence petition filed under Sec. 60.30; or + (4) A request for a hearing filed under Sec. 60.40. + (b) FDA will notify PTO that the regulatory review period +determination is final upon: + (1) The expiration of the 180-day period for filing a due diligence +petition; or + (2) If FDA has received a request for a revision, a due diligence +petition, or a request for a hearing, upon resolution of the request for +a revision, the petition, or the hearing, whichever is later. FDA will +send a copy of the notification to the applicant and file a copy of the +notification in the docket established for the application in FDA's +Division of Dockets Management (HFA-305), 5630 Fishers Lane, rm. 1061, +Rockville, MD 20852. + +[53 FR 7305, Mar. 7, 1988, as amended at 59 FR 14364, Mar. 28, 1994] + + + +Sec. 60.28 Time frame for determining regulatory review periods. + + (a) FDA will determine the regulatory review period for a product +within 30 days of the receipt of a written request from PTO for such a +determination and a copy of the patent term restoration application. + (b) FDA may extend the 30-day period if: + (1) A related FDA action that may affect the regulatory review +period determination is pending; or + +[[Page 385]] + + (2) PTO requests that FDA temporarily suspend the determination +process; or + (3) PTO or FDA receives new information about the product that +warrants an extension of the time required for the determination of the +regulatory review period. + (c) This section does not apply to applications withdrawn by the +applicant or applications that PTO determines are ineligible for patent +term restoration. + + + + Subpart D_Due Diligence Petitions + + + +Sec. 60.30 Filing, format, and content of petitions. + + (a) Any person may file a petition with FDA, no later than 180 days +after the publication of a regulatory review period determination under +Sec. 60.20, that challenges FDA's determination by alleging that the +applicant for patent term restoration did not act with due diligence in +seeking FDA approval of the product during the regulatory review period. + (b) The petition shall be filed in accordance with Sec. 10.20, +under the docket number of the Federal Register notice of the agency's +regulatory review period determination, and shall be in the format +specified in Sec. 10.30. The petition shall contain the information +specified in Sec. 10.30 and any additional information required by this +subpart. If any provision of Sec. 10.20 or Sec. 10.30 is inconsistent +with any provision of this part, FDA will consider the petition in +accordance with this part. + (c) The petition shall claim that the applicant did not act with due +diligence during some part of the regulatory review period and shall set +forth sufficient facts, including dates if possible, to merit an +investigation by FDA of whether the applicant acted with due diligence. + (d) The petition shall contain a certification that the petitioner +has served a true and complete copy of the petition upon the applicant +by certified or registered mail (return receipt requested) or by +personal delivery. + +[53 FR 7305, Mar. 7, 1988, as amended at 67 FR 9585, Mar. 4, 2002] + + + +Sec. 60.32 Applicant response to petition. + + (a) The applicant shall file with FDA a written response to the +petition no later than 30 days after the applicant's receipt of a copy +of the petition. + (b) The applicant's response may present additional facts and +circumstances to address the assertions in the petition, but shall be +limited to the issue of whether the applicant acted with due diligence +during the regulatory review period. The applicant's response may +include documents that were not in the original patent extension +application. + (c) If the applicant does not respond to the petition, FDA will +decide the matter on the basis of the information submitted in the +patent term restoration application, due diligence petition, and FDA +records. + + + +Sec. 60.34 FDA action on petitions. + + (a) Within 90 days after FDA receives a petition filed under Sec. +60.30(a), the agency will either deny the petition under paragraph (b) +or (c) of this section or investigate and determine under Sec. 60.36 +whether the applicant acted with due diligence during the regulatory +review period. FDA will publish its due diligence determination in the +Federal Register, notify PTO of the due diligence determination in +writing, and send copies of the notice to PTO, the applicant, and the +petitioner. + (b) FDA may deny a due diligence petition without considering the +merits of the petition if: + (1) The petition is not filed in accordance with Sec. 60.30; + (2) The petition is not filed in accordance with Sec. 10.20; + (3) The petition does not contain the information required by Sec. +10.30; + (4) The petition fails to contain information or allegations upon +which it may reasonably be determined that the applicant did not act +with due diligence during the applicable regulatory review period; or + (5) The petition fails to allege a sufficient total amount of time +during which the applicant did not exercise due diligence such that, +even if the petition were granted, the petition would + +[[Page 386]] + +not affect the maximum patent extension the applicant sought in the +application. + + + +Sec. 60.36 Standard of due diligence. + + (a) In determining the due diligence of an applicant, FDA will +examine the facts and circumstances of the applicant's actions during +the regulatory review period to determine whether the applicant +exhibited that degree of attention, continuous directed effort, and +timeliness as may reasonably be expected from, and are ordinarily +exercised by, a person during a regulatory review period. FDA will take +into consideration all relevant factors, such as the amount of time +between the approval of an investigational exemption or research permit +and the commencement of a clinical investigation and the amount of time +required to conduct a clinical investigation. + (b) For purposes of this part, the actions of the marketing +applicant shall be imputed to the applicant for patent term restoration. +The actions of an agent, attorney, contractor, employee, licensee, or +predecessor in interest of the marketing applicant or applicant for +patent term restoration shall be imputed to the applicant for patent +term restoration. + + + + Subpart E_Due Diligence Hearings + + + +Sec. 60.40 Request for hearing. + + (a) Any person may request, not later than 60 days after the +publication under Sec. 60.34(a) of FDA's due diligence determination, +that FDA conduct an informal hearing on the due diligence determination. + (b) The request for a hearing under this section shall: + (1) Be sent by mail, personal delivery, or any other mode of written +communication to the Division of Dockets Management and filed under the +relevant product file; + (2) Specify the facts and the action that are the subject of the +hearing; + (3) Provide the name and address of the person requesting the +hearing; and + (4) Certify that the requesting party has served a true and complete +copy of the request upon the petitioner and the applicant by certified +or registered mail (return receipt requested) or by personal delivery. + (c) The request shall state whether the requesting party seeks a +hearing within 30 days or 60 days of FDA's receipt of the request. + +[53 FR 7305, Mar. 7, 1988, as amended at 67 FR 9585, Mar. 4, 2002] + + + +Sec. 60.42 Notice of hearing. + + Ten days before the hearing, FDA will notify the requesting party, +the applicant, and the petitioner, orally or in writing, of the date, +time, and location of the hearing. The agency will provide the +requesting party, the applicant, and the petitioner with an opportunity +to participate as a party in the hearing. + + + +Sec. 60.44 Hearing procedures. + + The due diligence hearing shall be conducted in accordance with this +part, supplemented by the nonconflicting procedures in part 16. During +the due diligence hearing, the applicant and the petitioner shall enjoy +all the rights and privileges accorded a person requesting a hearing +under part 16. The standard of due diligence set forth in Sec. 60.36 +will apply in the due diligence hearing. The party requesting the due +diligence hearing shall have the burden of proof at the hearing. + + + +Sec. 60.46 Administrative decision. + + Within 30 days after the completion of the due diligence hearing, +the Commissioner will affirm or revise the determination made under +Sec. 60.34(a) and will publish the due diligence redetermination in the +Federal Register, notify PTO of the redetermination, and send copies of +the notice to PTO and to the requesting party, the applicant, and the +petitioner. + + + +PART 70_COLOR ADDITIVES--Table of Contents + + + + Subpart A_General Provisions + +Sec. +70.3 Definitions. +70.5 General restrictions on use of color additives. +70.10 Color additives in standardized foods and new drugs. +70.11 Related substances. +70.19 Fees for listing. + +[[Page 387]] + + Subpart B_Packaging and Labeling + +70.20 Packaging requirements for straight colors (other than hair dyes). +70.25 Labeling requirements for color additives (other than hair dyes). + + Subpart C_Safety Evaluation + +70.40 Safety factors to be considered. +70.42 Criteria for evaluating the safety of color additives. +70.45 Allocation of color additives. +70.50 Application of the cancer clause of section 721 of the act. +70.51 Advisory committee on the application of the anticancer clause. +70.55 Request for scientific studies. + + Authority: 21 U.S.C. 321, 341, 342, 343, 348, 351, 360b, 361, 371, +379e. + + Source: 42 FR 15636, Mar. 22, 1977, unless otherwise noted. + + + + Subpart A_General Provisions + + + +Sec. 70.3 Definitions. + + (a) Secretary means the Secretary of Health and Human Services. + (b) Department means the Department of Health and Human Services. + (c) Commissioner means the Commissioner of Food and Drugs. + (d) Act means the Federal Food, Drug, and Cosmetic Act as amended. + (e) Color Certification Branch means the unit established within the +Food and Drug Administration located in the Center for Food Safety and +Applied Nutrition, charged with the responsibility for the mechanics of +the certification procedure hereinafter described, and including the +examination of samples of color additives subject to certification. + (f) A color additive is any material, not exempted under section +201(t) of the act, that is a dye, pigment, or other substance made by a +process of synthesis or similar artifice, or extracted, isolated, or +otherwise derived, with or without intermediate or final change of +identity, from a vegetable, animal, mineral, or other source and that, +when added or applied to a food, drug, or cosmetic or to the human body +or any part thereof, is capable (alone or through reaction with another +substance) of imparting a color thereto. Substances capable of imparting +a color to a container for foods, drugs, or cosmetics are not color +additives unless the customary or reasonably foreseeable handling or use +of the container may reasonably be expected to result in the transmittal +of the color to the contents of the package or any part thereof. Food +ingredients such as cherries, green or red peppers, chocolate, and +orange juice which contribute their own natural color when mixed with +other foods are not regarded as color additives; but where a food +substance such as beet juice is deliberately used as a color, as in pink +lemonade, it is a color additive. Food ingredients as authorized by a +definitions and standard of identity prescribed by regulations pursuant +to section 401 of the act are color additives, where the ingredients are +specifically designated in the definitions and standards of identity as +permitted for use for coloring purposes. An ingredient of an animal feed +whose intended function is to impart, through the biological processes +of the animal, a color to the meat, milk, or eggs of the animal is a +color additive and is not exempt from the requirements of the statute. +This definition shall apply whether or not such ingredient has nutritive +or other functions in addition to the property of imparting color. An +ingested drug the intended function of which is to impart color to the +human body is a color additive. For the purposes of this part, the term +color includes black, white, and intermediate grays, but substances +including migrants from packaging materials which do not contribute any +color apparent to the naked eye are not color additives. + (g) For a material otherwise meeting the definition of color +additive to be exempt from section 721 of the act, on the basis that it +is used (or intended to be used) solely for a purpose or purposes other +than coloring, the material must be used in a way that any color +imparted is clearly unimportant insofar as the appearance, value, +marketability, or consumer acceptability is concerned. (It is not enough +to warrant exemption if conditions are such that the primary purpose of +the material is other than to impart color.) + (h) The exemption that applies to a pesticide chemical, soil or +plant nutrient, or other agricultural chemical, where its coloring +effect results solely + +[[Page 388]] + +from its aiding, retarding, or otherwise affecting directly or +indirectly, the growth or other natural physiological processes of +produce of the soil, applies only to color developed in such product +through natural physiological processes such as enzymatic action. If the +pesticide chemical, soil or plant nutrient, or other agricultural +chemical itself acts as a color or carries as an ingredient a color, and +because of this property colors the produce of the soil, it is a color +additive and is not exempt. + (i) Safe means that there is convincing evidence that establishes +with reasonable certainty that no harm will result from the intended use +of the color additive. + (j) The term straight color means a color additive listed in parts +73, 74, and 81 of this chapter, and includes lakes and such substances +as are permitted by the specifications for such color. + (k) The term mixture means a color additive made by mixing two or +more straight colors, or one or more straight colors and one or more +diluents. + (l) The term lake means a straight color extended on a substratum by +adsorption, coprecipitation, or chemical combination that does not +include any combination of ingredients made by simple mixing process. + (m) The term diluent means any component of a color additive mixture +that is not of itself a color additive and has been intentionally mixed +therein to facilitate the use of the mixture in coloring foods, drugs, +or cosmetics or in coloring the human body. The diluent may serve +another functional purpose in the foods, drugs, or cosmetics, as for +example sweetening, flavoring, emulsifying, or stabilizing, or may be a +functional component of an article intended for coloring the human body. + (n) The term substratum means the substance on which the pure color +in a lake is extended. + (o) The term pure color means the color contained in a color +additive, exclusive of any intermediate or other component, or of any +diluent or substratum contained therein. + (p) The term batch means a homogeneous lot of color additive or +color additive mixture produced by an identified production operation, +which is set apart and held as a unit for the purpose of obtaining +certification of such quantity. + (q) The term batch number means the number assigned to a batch by +the person who requests certification thereof. + (r) The term lot number means an identifying number or symbol +assigned to a batch by the Food and Drug Administration. + (s) The term area of the eye means the area enclosed with in the +circumference of the supra-orbital ridge and the infra-orbital ridge, +including the eyebrow, the skin below the eyebrow, the eyelids and the +eyelashes, and conjunctival sac of the eye, the eyeball, and the soft +areolar tissue that lies within the perimeter of the infra-orbital +ridge. + (t) The term package means the immediate container in which a color +additive or color additive mixture has been packed for shipment or +delivery. If the package is then packed in a shipping carton or other +protective container, such container shall not be considered to be the +immediate container. In the case of color additive mixtures for +household use containing less than 15 percent pure color, when two or +more containers of 3 ounces each or less, each containing a different +color, are distributed as a unit, the immediate container for such unit +shall be considered to be the package as defined in this section. + (u) The hair dye exemption in section 601(a) of the act applies to +coal tar hair dyes intended for use in altering the color of the hair +and which are, or which bear or contain, color additives derived from +coal tar with the sensitization potential of causing skin irritation in +certain individuals and possible blindness when used for dyeing the +eyelashes or eyebrows. The exemption is permitted with the condition +that the label of any such article bear conspicuously the statutory +caution and adequate directions for preliminary patch-testing. The +exemption does not apply to coloring ingredients in hair dyes not +derived from coal tar, and it does not extend to poisonous or +deleterious diluents that may be introduced as wetting agents, hair +conditions, emulsifiers, or other components + +[[Page 389]] + +in a color shampoo, rinse, tint, or similar dual-purpose cosmetic that +alter the color of the hair. + (v) The terms externally applied drugs and externally applied +cosmetics mean drugs or cosmetics applied only to external parts of the +body and not to the lips or any body surface covered by mucous membrane. + +[42 FR 15636, Mar. 22, 1977, as amended at 61 FR 14478, Apr. 2, 1996] + + + +Sec. 70.5 General restrictions on use of color additives. + + (a) Color additives for use in the area of the eye. No listing or +certification of a color additive shall be considered to authorize the +use of any such color additive in any article intended for use in the +area of the eye unless such listing or certification of such color +additive specifically provides for such use. Any color additive used in +or on any article intended for use in the area of the eye, the listing +or certification of which color additive does not provide for such use, +shall be considered to be a color additive not listed under parts 73, +74, and 81 of this chapter, even though such color additive is certified +and/or listed for other uses. + (b) Color additives for use in injections. No listing or +certification of a color additive shall be considered to authorize the +use of any such color additive in any article intended for use in +injections unless such listing or certification of such color additive +specifically provides for such use. Any color additive used in or on any +article intended for use in injections, the listing or certification of +which color additive does not provide for such use, shall be considered +to be a color additive not listed under parts 73, 74, and 81 of this +chapter, even though such color additive is certified and/or listed for +other uses. + (c) Color additives for use in surgical sutures. No listing or +certification of a color additive shall be considered to authorize the +use of any such color additive in any article intended for use as a +surgical suture unless such listing or certification of such color +additive specifically provides for such use. Any color additive used in +or on any article intended for use as a surgical suture, the listing or +certification of which color additive does not provide for such use, +shall be considered to be a color additive not listed under parts 73, +74, and 81 of this chapter, even though such color additive is certified +and/or listed for other uses. + + + +Sec. 70.10 Color additives in standardized foods and new drugs. + + (a) Standardized foods. (1) Where a petition is received for +issuance or amendment of a regulation establishing a definition and +standard of identity for a food under section 401 of the act, which +proposes the inclusion of a color additive in the standardized food, the +provisions of the regulations in part 71 of this chapter shall apply +with respect to the information that must be submitted with respect to +the safety of the color additive (if such information has not previously +been submitted and safety of the color additive for the intended use has +not been already established), and the petition must show also that the +use of the color additive in the standardized food would be in +conformance with section 401 of the act or with the terms of a temporary +permit issued under Sec. 130.17 of this chapter. + (2) If a petition for a definition and standard of identity contains +a proposal for a color additive regulation, and the petitioner fails to +designate it as such, the Commissioner, upon determining that the +petition includes a proposal for a color additive regulation, shall so +notify the petitioner and shall thereafter proceed in accordance with +the regulations in part 71 of this chapter. + (3) A regulation will not be issued allowing the use of a color +additive in a food for which a definition and standard of identity is +established, unless its issuance is in conformance with section 401 of +the act or with the terms of a temporary permit issued under Sec. +130.17 of this chapter. When the contemplated use of such additive +complies with the terms of a temporary permit, the color additive +regulation will be conditioned on such compliance and will expire with +the expiration of the temporary permit. + (b) New drugs. (1) Where an application for a new drug is received +and this + +[[Page 390]] + +application proposes, for coloring purposes only, the inclusion of a +color additive, the provisions of the regulations in part 71 of this +chapter shall apply with respect to the information that must be +submitted about the safety of the color additive, if such information +has not previously been submitted and safety of the color additive for +the intended use has not already been established. + (2) If an application for a new drug inferentially contains a +proposal for a color additive regulation, and the applicant fails to +designate it as such, the Commissioner, upon determining that the +application includes a proposal for a color additive regulation, shall +so notify the applicant and shall thereafter proceed in accordance with +the regulations in part 71 of this chapter. + (3) Where a petition for a color additive must be filed in +accordance with paragraph (b)(2) of this section, the date of filing of +the color additive petition shall be considered as the date of filing of +the new-drug application. + +[42 FR 15636, Mar. 22, 1977, as amended at 64 FR 400, Jan. 5, 1999] + + + +Sec. 70.11 Related substances. + + (a) Different color additives may cause similar or related +pharmacological or biological effects, and, in the absence of evidence +to the contrary, those that do so will be considered to have additive +toxic effects. + (b) Food additives may also cause pharmacological or biological +effects similar or related to such effects caused by color additives, +and, in the absence of evidence to the contrary, those that do so will +be considered as having additive toxic effects. + (c) Pesticide chemicals may also cause pharmacological or biological +effects similar or related to such effects caused by color additives, +and, in the absence of evidence to the contrary, those that do so will +be considered to have additive toxic effects. + (d) In establishing tolerances for color additives, the Commissioner +will take into consideration, among other things, the amount of any +common component permitted in other color additives, in food additives, +and in pesticide chemical residues as well as the similar biological +activity (such as cholinesterase inhibition) produced by such substance. + + + +Sec. 70.19 Fees for listing. + + (a) Each petition for the listing of a color additive shall be +accompanied by a deposit of $3,000.00 if the proposal is for listing the +color additive for use generally in or on foods, in or on drugs, and in +or on cosmetics. + (b) If the petition for the listing is for use in or on foods only, +the deposit shall be $3,000.00. + (c) If the petition for the listing is for use in or on drugs and/or +cosmetics only, the deposit shall be $2,600.00. + (d) The provisions of paragraphs (a), (b), and (c) of this section +shall be applicable, whether or not the proposal contemplates any +tolerances, limitations, or other restrictions placed upon the use of +the color additive. + (e) If a petition proposing the issuance of a regulation is +withdrawn before it is finally accepted for filing, the deposit, less a +$600.00 fee for clerical handling and administrative and technical +review, shall be returned to the petitioner. + (f) If a petition proposing the issuance of a regulation is +withdrawn within 30 days after filing, the deposit, less $1,800.00 if +the petition is covered by paragraph (a) or (b) of this section, and +less $1,600.00, if the petition is covered by paragraph (c) of this +section, shall be returned to the petitioner. + (g) When a petition is withdrawn after filing and resubmitted within +6 months, it shall be accompanied by a deposit of $1,800.00 for a +petition filed under paragraph (a) or (b) of this section, and $1,600.00 +for a petition filed under paragraph (c) of this section. If a petition +is resubmitted after 6 months, it shall be accompanied by the deposit +that would be required if it were being submitted for the first time. + (h) When the resubmission pertains to a petition that had been +withdrawn before acceptance for filing, a new advance deposit shall be +made in full as prescribed in paragraph (a), (b), or (c) of this +section. + (i) After a color additive has been listed, any request for an +amendment or additional tolerance shall be accompanied by a deposit of +$1,800.00 for use in the items specified in paragraphs (a) + +[[Page 391]] + +and (b) of this section, or $1,600.00 for use in items specified in +paragraph (c) of this section. + (j) The fee for services in listing a diluent under Sec. 80.35 for +use in color additive mixtures shall be $250.00. + (k) Objections and request for public hearing under section 721(d) +of the act or section 203(d)(2)(C) of Pub. L. 86-618 (74 Stat. 404; 21 +U.S.C. 379e, note) shall be accompanied by a filing fee of $250.00. + (l) In the event of a referral of a petition under this section to +an advisory committee, all costs related thereto (including personal +compensation of committee members, travel materials, and other costs) +shall be borne by the person or organization requesting the referral, +such costs to be assessed on the basis of actual cost to the Government: +Provided, That the compensation of such costs shall include personal +compensation of advisory committee members at a rate not to exceed +$75.00 per member per day. + (m) In the case of requests of referrals to advisory committees, a +special advance deposit shall be made in the amount of $2,500.00. Where +required, further advance in increments of $2,500.00 each shall be made +upon request of the Commissioner of Food and Drugs. All deposits for +referrals to advisory committees in excess of actual expenses shall be +refunded to the depositor. + (n) All requests for pharmacological or other scientific studies +shall be accompanied by an advance deposit of $5,000.00. Further advance +deposits shall be made upon request of the Commissioner of Food and +Drugs when necessary to prevent arrears in such cost. Any deposits in +excess of actual expenses will be refunded to the depositor. If a +request is denied the advance deposit will be refunded less such costs +as are incurred for review of the request. + (o) The person who files a petition for judicial review of an order +under section 721(d) of the act shall pay the costs of preparing a +transcript of the record on which the order is based. + (p) All deposits and fees required by the regulations in this +section shall be paid by money order, bank draft or certified check +drawn to the order of the Food and Drug Administration, collectible at +par at Washington, DC All deposits and fees shall be forwarded to the +Center for Food Safety and Applied Nutrition (HFS-200), Food and Drug +Administration, 5100 Paint Branch Pkwy., College Park, MD 20740, +whereupon after making appropriate record thereof they will be +transmitted to the Treasurer of the United States for deposit in the +special account ``Salaries and Expenses, Certification, Inspection, and +Other Services, Food and Drug Administration.'' + (q) The Commissioner of Food and Drugs may waive or refund such fees +in whole or in part when in his judgment such action will promote the +public interest. + (r) Any person who believes that payment of these fees will work a +hardship on him may petition the Commissioner of Food and Drugs to waive +or refund the fees. + +[42 FR 15636, Mar. 22, 1977, as amended at 54 FR 24890, June 12, 1989; +61 FR 14478, Apr. 2, 1996; 66 FR 56035, Nov. 6, 2001] + + + + Subpart B_Packaging and Labeling + + + +Sec. 70.20 Packaging requirements for straight colors +(other than hair dyes). + + Straight colors shall be packaged in containers which prevent +changes in composition. Packages shall be sealed so that they cannot be +opened without breaking the seal. An unavoidable change in moisture +content caused by the ordinary and customary exposure that occurs in +good storage, packing, and distribution practice is not considered a +change in composition. If the packaging material is a food additive it +shall be authorized by an appropriate regulation in parts 170 through +189 of this chapter. + + + +Sec. 70.25 Labeling requirements for color additives +(other than hair dyes). + + (a) General labeling requirements. All color additives shall be +labeled with sufficient information to assure their safe use and to +allow a determination of compliance with any limitations imposed by this +part and parts 71, 73, 74, 80, and 81 of this chapter. In addition to + +[[Page 392]] + +all other information required by the act, labels for color additives, +except those in a form suitable for coloring the human body, shall +state: + (1) The name of the straight color or the name of each ingredient +comprising the color additive, if it is a mixture. + (2) A statement indicating general limitations for the use of the +color additive, such as ``for food use only''; ``for food, drug, and +cosmetic use''; ``for use in drugs for external application only.'' + (3) Where regulations issued impose quantitative limitations for a +general or specific use of a straight color, the amount of each such +straight color in terms of weight per unit/volume or percent by weight. + (4) An expiration date if stability data require it. + (b) Special labeling for color additives with tolerances. Where +tolerances are imposed for a general or specific use of a color +additive, the label shall in addition provide directions for use of the +color additive which if followed will preclude the food, drug, or +cosmetic to which it is added from containing an amount of the color +additive in excess of the tolerance. + (c) Special labeling for color additives with other limitations. If +use of the color additive is subject to other limitations prescribed in +this part, such limitations shall be stated on the label of the color +additive by a plain and conspicuous statement. Examples of such +limitation statements are: ``Do not use in products used in the area of +the eye''; ``Do not use for coloring drugs for injection.'' + (d) Special labeling for color additives not exempt from +certification. Color additives not exempt from the certification +procedures shall in addition include in the labeling the lot number +assigned by the Color Certification Branch, except that in the case of +any mixture for household use which contains not more than 15 percent of +pure color and which is in packages containing not more than 3 ounces +there appears on the label, a code number which the manufacturer has +identified with the lot number by giving to the Food and Drug +Administration written notice that such code number will be used in lieu +of the lot number. + + + + Subpart C_Safety Evaluation + + + +Sec. 70.40 Safety factors to be considered. + + In accordance with section 721(b)(5)(A)(iii) of the act, the +following safety factor will be applied in determining whether the +proposed use of a color additive will be safe: Except where evidence is +submitted which justifies use of a different safety factor, a safety +factor of 100 to 1 will be used in applying animal experimentation data +to man; that is, a color additive for use by man will not be granted a +tolerance that will exceed 1/100th of the maximum no-effect level for +the most susceptible experimental animals tested. The various species of +experimental animals used in the tests shall conform to good +pharmacological practice. + + + +Sec. 70.42 Criteria for evaluating the safety of color additives. + + (a) In deciding whether a petition is complete and suitable for +filing and in reaching a decision on any petition filed, the +Commissioner will apply the ``safe-for-use'' principle. This will +require the presentation of all needed scientific data in support of a +proposed listing to assure that each listed color additive will be safe +for its intended use or uses in or on food, drugs, or cosmetics. The +Commissioner may list a color additive for use generally in or on food, +in or on drugs, or in or on cosmetics when he finds from the data +presented that such additive is suitable and may safely be employed for +such general use; he may list an additive only for more limited use or +uses for which it is proven suitable and may safely be employed; and he +is authorized to prescribe broadly the conditions under which the +additive may be safely employed for such use or uses. This may allow the +use of a particular dye, pigment, or other substance with certain +diluents, but not with others, or at a higher concentration with some +than with others. + (b) The safety for external color additives will normally be +determined by tests for acute oral toxicity, primary irritation, +sensitization, subacute dermal toxicity on intact and abraded skin, and +carcinogenicity by skin application. The Commissioner may waive any of +such tests if data before + +[[Page 393]] + +him otherwise establish that such test is not required to determine +safety for the use proposed. + (c) Upon written request describing the proposed use of a color +additive and the proposed experiments to determine its safety, the +Commissioner will advise a person who wishes to establish the safety of +a color additive whether he believes the experiments planned will yield +data adequate for an evaluation of the safety of the additive. + + + +Sec. 70.45 Allocation of color additives. + + Whenever, in the consideration of a petition or a proposal to list a +color additive or to alter an existing listing, the data before the +Commissioner fail to show that it would be safe to list the color +additive for all the uses proposed or at the levels proposed, the +Commissioner will notify the petitioner and other interested persons by +publication in the Federal Register that it is necessary to allocate the +safe tolerance for the straight color in the color additive among the +competing needs. This notice shall call for the presentation of data by +all interested persons on which the allocation can be made in accordance +with section 721(b)(8) of the act. The time for acting upon the petition +shall be stayed until such data are presented, whereupon the time limits +shall begin to run anew. As promptly as possible after presentation of +the data, the Commissioner will, by order, announce the allocation and +the tolerance limitations. + + + +Sec. 70.50 Application of the cancer clause of section 721 of the act. + + (a) Color additives that may be ingested. Whenever (1) the +scientific data before the Commissioner (either the reports from the +scientific literature or the results of biological testing) suggest the +possibility that the color additive including its components or +impurities has induced cancer when ingested by man or animal; or (2) +tests which are appropriate for the evaluation of the safety of +additives in food suggest that the color additive, including its +components or impurities, induces cancer in man or animal, the +Commissioner shall determine whether, based on the judgment of +appropriately qualified scientists, cancer has been induced and whether +the color additive, including its components or impurities, was the +causative substance. If it is his judgment that the data do not +establish these facts, the cancer clause is not applicable; and if the +data considered as a whole establish that the color additive will be +safe under the conditions that can be specified in the applicable +regulation, it may be listed for such use. But if in the judgment of the +Commissioner, based on information from qualified scientists, cancer has +been induced, no regulation may issue which permits its use. + (b) Color additives that will not be ingested. Whenever the +scientific data before the Commissioner suggest the possibility that the +color additive, including its components or impurities, has induced +cancer in man or animals by routes other than ingestion, the +Commissioner shall determine whether, based on the judgment of +appropriately qualified scientists, the test suggesting the possibility +of carcinogenesis is appropriate for the evaluation of the color +additive for a use which does not involve ingestion, cancer has been +induced, and the color additive, including its components or impurities, +was the causative substance. If it is his judgment that the data do not +establish these facts, the cancer clause is not applicable to preclude +external drug and cosmetic uses, and if the data as a whole establish +that the color additive will be safe under conditions that can be +specified in the regulations, it may be listed for such use. But if, in +the judgment of the Commissioner, based on information from qualified +scientists, the test is an appropriate one for the consideration of +safety for the proposed external use, and cancer has been induced by the +color additive, including its components or impurities, no regulation +may issue which permits its use in external drugs and cosmetics. + (c) Color additives for use as an ingredient of feed for animals +that are raised for food production. Color additives that are an +ingredient of the feed for animals raised for food production and that +have the potential to contaminate human food with residues whose +consumption could present a risk of cancer + +[[Page 394]] + +to people must satisfy the requirements of subpart E of part 500 of this +chapter. + +[42 FR 15636, Mar. 22, 1977, as amended at 43 FR 22675, May 26, 1978; 52 +FR 49586, Dec. 31, 1987] + + + +Sec. 70.51 Advisory committee on the applicability of the anticancer clause. + + All requests for and procedures governing any advisory committee on +the anticancer clause shall be subject to the provisions of part 14 of +this chapter, and particularly subpart H of that part. + + + +Sec. 70.55 Request for scientific studies. + + The Commissioner will consider requests by any interested person who +desires the Food and Drug Administration to conduct scientific studies +to support a petition for a regulation for a color additive. If +favorably acted upon, such studies will be limited to pharmacological +investigations, studies of the chemical and physical structure of the +color additive, and methods of analysis of the pure color additive +(including impurities) and its identification and determination in +foods, drugs, or cosmetics, as the case may be. All requests for such +studies shall be accompanied by the fee prescribed in Sec. 70.19. + + + +PART 71_COLOR ADDITIVE PETITIONS--Table of Contents + + + + Subpart A_General Provisions + +Sec. +71.1 Petitions. +71.2 Notice of filing of petition. +71.4 Samples; additional information. +71.6 Extension of time for studying petitions; substantive amendments; + withdrawal of petitions without prejudice. +71.15 Confidentiality of data and information in color additive + petitions. +71.18 Petition for exemption from certification. + + Subpart B_Administrative Action on Petitions + +71.20 Publication of regulation. +71.22 Deception as a basis for refusing to issue regulations; deceptive + use of a color additive for which a regulation has issued. +71.25 Condition for certification. +71.26 Revocation of exemption from certification. +71.27 Listing and exemption from certification on the Commissioner's + initiative. +71.30 Procedure for filing objections to regulations. +71.37 Exemption of color additives for investigational use. + + Authority: 21 U.S.C. 321, 342, 348, 351, 355, 360, 360b-360f, 360h- +360j, 361, 371, 379e, 381; 42 U.S.C. 216, 262. + + Source: 42 FR 15639, Mar. 22, 1977, unless otherwise noted. + + + + Subpart A_General Provisions + + + +Sec. 71.1 Petitions. + + (a) Any interested person may propose the listing of a color +additive for use in or on any food, drug, or cosmetic or for coloring +the human body. Such proposal shall be made in a petition in the form +prescribed in paragraph (c) of this section. The petition shall be +submitted in triplicate (quadruplicate, if intended uses include uses in +meat, meat food product, or poultry product). If any part of the +material submitted is in a foreign language, it shall be accompanied by +an accurate and complete English translation. The petitioner shall state +the post-office address in the United States to which published notices +or orders issued or objections filed pursuant to section 721 of the act +may be sent. + (b) Pertinent information may be incorporated in, and will be +considered as part of, a petition on the basis of specific reference to +such information submitted to and retained in the files of the Food and +Drug Administration. However, any reference to unpublished information +furnished by a person other than the applicant will not be considered +unless use of such information is authorized in a written statement +signed by the person who submitted the information. Any reference to +published information offered in support of a color additive petition +should be accompanied by reprints or photostatic copies of such +references. + (c) Petitions shall include the following data and be submitted in +the following form: + + ------------------ (Date) + +Name of petitioner______________________________________________________ +Post-office address_____________________________________________________ + +[[Page 395]] + +Name of color additive and proposed use_________________________________ + +Office of Food Additive Safety (HFS-200), +Center for Food Safety and Applied Nutrition, +Food and Drug Administration, +5100 Paint Branch Pkwy., +College Park, MD 20740 +Dear Sir: + Petitioner submits this pursuant to section 721(b)(1) of the Federal +Food, Drug, and Cosmetic Act requesting listing by the Commissioner of +the color additive ---------- as suitable and safe for use in or on ---- +------ subject to the conditions that --------------. [Petitioner may +propose a listing for general use in food, drugs, or cosmetics or, if +such general listing is not believed suitable and safe, the petitioner +shall describe the conditions under which he believes the additive can +be safely used and for which it will be suitable. These conditions may +include tolerance limitations, specifications as to the manner in which +the additive may be added or used, and directions and other labeling or +packaging safeguards that should be applied. The level of use proposed +should not be higher than reasonably required to accomplish the intended +color effect.] + Attached hereto, in triplicate (quadruplicate, if intended uses +include uses in meat, meat food product, or poultry product), and +constituting a part of this petition are the following: + A. The name and all pertinent information concerning the color +additive, including chemical identity and composition of the color +additive, its physical, chemical, and biological properties, and +specifications prescribing its component(s) and identifying and limiting +the reaction byproducts and other impurities. + The petition shall contain a description of the chemical and +physical tests relied upon to identify the color additive and shall +contain a full description of the methods used in, and the facilities +and controls used for, the production of the color additive. These shall +establish that it is a substance of reproducible composition. +Alternative methods and controls and variations in methods and controls, +within reasonable limits, that do not affect the characteristics of the +substance or the reliability of the controls may be specified. + The petition shall supply a list of all substances used in the +synthesis, extraction, or other method of preparation of any straight +color, regardless of whether they undergo chemical change in the +process. Each substance should be identified by its common or usual name +and its complete chemical name, using structural formulas when necessary +for specific identification. If any proprietary preparation is used as a +component, the proprietary name should be followed by a complete +quantitive statement of composition. Reasonable alternatives for any +listed substance may be specified. + If the petitioner does not himself perform all the manufacturing, +processing, and packing operations for a color additive, the petitioner +shall identify each person who will perform a part of such operations +and designate the part. + The petition shall include stability data, and, if the data indicate +that it is needed to insure the identity, strength, quality, or purity +of the color additive, the expiration period that will be employed as +well as any packaging and labeling precautions needed to preserve +stability. + B. The amount of the color additive proposed for use and the color +effect intended to be achieved, together with all directions, +recommendations, and suggestions regarding the proposed use, as well as +specimens of the labeling proposed for the color additive. If the color +effect results or may reasonably be expected to result from use of the +color additive in packaging material, the petitioner shall show how this +may occur and what residues may reasonably be anticipated. + Typewritten or other draft-labeling copy will be accepted for +consideration of the petition provided final printed labeling identical +in content to the draft copy is submitted as soon as available, and +prior to the marketing of the color additive. The printed labeling shall +conform in prominence and conspicuousness with the requirements of the +act. + If the color additive is one for which a tolerance limitation is +required to assure its safety, the level of use proposed should be no +higher than the amount reasonably required to accomplish the intended +physical or other technical effect, even though the safety data may +support a higher tolerance. If the safety data will not support the use +of the amount of the color additive reasonably needed to accomplish the +desired color effect, the requested tolerance will not be established. +Petitioners are expected to propose the use of color additives in +accordance with sound color chemistry. + C.1. A description of practicable methods to determine the pure +color and all intermediates, subsidiary colors, and other components of +the color additive. + 2. A description of practicable methods to determine the amount of +the color additive in any raw, processed, and/or finished food, drug, or +cosmetic in which use of the color additive is proposed. (The tests +proposed shall be those that can be used for food, drug, or cosmetic +control purposes and can be applied with consistent results by any +properly equipped laboratory and trained personnel.) + 3. A description of methods for identification and determination of +any substance formed in or on such food, drug, or cosmetic because of +the use of the color additive. (If it + +[[Page 396]] + +is the petitioner's view that any such method would not be needed, under +the terms of section 721(b)(5)(A)(iv), a statement shall be submitted in +lieu of methods as to the basis for such view.) + D. Full reports of investigation made with respect to the safety of +the color additive. + (A petition will be regarded as incomplete unless it includes full +reports of adequate tests reasonably applicable to show whether or not +the color additive will be safe for its intended use. The reports +ordinarily should include detailed data derived from appropriate animal +and other biological experiments in which the methods used and the +results obtained are clearly set forth. The petition shall not omit +without explanation any data that would influence the evaluation of the +safety of the color additive). + E. Complete data which will allow the Commissioner to consider, +among other things, the probable consumption of, and/or other relevant +exposure from the additive and of any substance formed in or on food, +drugs, or cosmetics because of such additive; and the cumulative effect, +if any, of such additive in the diet of man or animals, taking into +account the same or any chemically or pharmacologically related +substance or substances in the diet including, but not limited to food +additives and pesticide chemicals for which tolerances or exemptions +from tolerances have been established. + F. Proposed tolerances and other limitations on the use of the color +additive, if tolerances and limitations are required in order to insure +its safety. A petitioner may include a proposed regulation. + G. If exemption from batch certification is requested, the reasons +why it is believed such certification is not necessary (including +supporting data to establish the safety of the intended use). + H. If submitting a petition to alter an existing regulation issued +pursuant to section 721(b) of the act, full information on each proposed +change that is to be made in the original regulation must be submitted. +The petition may omit statements made in the original petition +concerning which no change is proposed. A supplemental petition must be +submitted for any change beyond the variations provided for in the +original petition and the regulation issued on the basis of the original +petition. + I. The prescribed fee of $------------ for admitting the color +additive to listing is enclosed (unless there is an advance deposit +adequate to cover the fee). + +Yours very truly, +(Petitioner)____________________________________________________________ + By -------------- (Indicate authority) + + J. The petitioner is required to submit either a claim for +categorical exclusion under Sec. 25.30 or 25.32 of this chapter or an +environmental assessment under Sec. 25.40 of this chapter. + + (d) The petitioner will be notified of the date on which his +petition is filed; and an incomplete petition, or one that has not been +submitted in triplicate, will be retained but not filed. A petition +shall be retained but shall not be filed if any of the data listed in +the above form are lacking or are not set forth so as to be readily +understood or if the prescribed fee has not been submitted. The +petitioner will be notified in what respects his petition is incomplete. + (e) The petition must be signed by the petitioner or by his attorney +or authorized agent, who is a resident of the United States. + (f) The data specified under the several lettered headings should be +submitted on separate sheets or sets of sheets, suitably identified. If +such data have already been submitted with an earlier application, the +present petition may incorporate it by specific reference to the earlier +petition. + (g) If nonclinical laboratory studies are involved, petitions filed +with the Commissioner under section 721(b) of the act shall include with +respect to each nonclinical study contained in the petition, either a +statement that the study was conducted in compliance with the good +laboratory practice regulations set forth in part 58 of this chapter, +or, if the study was not conducted in compliance with such regulations, +a brief statement of the reason for the noncompliance. + (h) [Reserved] + (i) If clinical investigations involving human subjects are +involved, petitions filed with the Commissioner under section 721(b) of +the act shall include statements regarding each such clinical +investigation contained in the petition that it either was conducted in +compliance with the requirements for institutional review set forth in +part 56 of this chapter, or was not subject to such requirements in +accordance with Sec. Sec. 56.104 or 56.105, and that it was conducted +in compliance with the requirements for informed consent set forth in +part 50 of this chapter. + (j)(1) If intended uses of the color additive include uses in meat, +meat food product, or poultry product subject to + +[[Page 397]] + +regulation by the U.S. Department of Agriculture (USDA) under the +Poultry Products Inspection Act (PPIA) (21 U.S.C. 451 et seq.) or the +Federal Meat Inspection Act (FMIA) (21 U.S.C. 601 et seq.), FDA shall, +upon filing of the petition, forward a copy of the petition or relevant +portions thereof to the Food Safety and Inspection Service, USDA, for +simultaneous review under the PPIA and FMIA. + (2) FDA will ask USDA to advise whether the proposed meat and +poultry uses comply with the FMIA and PPIA or, if not, whether use of +the substance would be permitted in products under USDA jurisdiction +under specified conditions or restrictions. + +[42 FR 15639, Mar. 22, 1977, as amended at 43 FR 60021, Dec. 22, 1978; +46 FR 8952, Jan. 27, 1981; 50 FR 7491, Feb. 22, 1985; 50 FR 16668, Apr. +26, 1985; 54 FR 24890, June 12, 1989; 61 FR 14478, Apr. 2, 1996; 62 FR +40598, July 29, 1997; 65 FR 51762, Aug. 25, 2000; 66 FR 56035, Nov. 6, +2001] + + + +Sec. 71.2 Notice of filing of petition. + + (a) Except where the petition involves a new drug, the Commissioner, +within 15 days after receipt, will notify the petitioner of acceptance +or nonacceptance of a petition, and if not accepted the reasons +therefor. If accepted, the date of the notification letter sent to +petitioner becomes the date of filing for the purposes of section +721(d)(1) of the act. If the petitioner desires, he may supplement a +deficient petition after being notified regarding deficiencies. If the +supplementary material or explanation of the petition is deemed +acceptable, petitioner shall be notified. The date of such notification +becomes the date of filing. If the petitioner does not wish to +supplement or explain the petition and requests in writing that it be +filed as submitted, the petition shall be filed and the petitioner so +notified. The date of such notification becomes the date of filing. +Where the petition involves a new drug, notification to the petitioner +will be made in accordance with Sec. 70.10(b)(3) of this chapter. + (b) The Commissioner will cause to be published in the Federal +Register within 30 days from the date of filing of such petition a +notice of the filing, the name of the petitioner, and a brief +description of the proposal in general terms. A copy of the notice will +be mailed to the petitioner when the original document is signed. + +[42 FR 15639, Mar. 22, 1977, as amended at 64 FR 400, Jan. 5, 1999] + + + +Sec. 71.4 Samples; additional information. + + The Commissioner may request samples of the color additive, articles +used as components thereof, or of the food, drug, or cosmetic in which +the color additive is proposed to be used, or which comprises the color +additive, and any additional information needed to clarify a submitted +method or other aspect of a petition at any time while a petition is +under consideration. The Commissioner shall specify in the request for a +sample of the color additive, or articles used as components thereof, or +of the food, drug, or cosmetic in which the color additive is proposed +to be used, or which comprises the color additive, a quantity deemed +adequate to permit tests of analytical methods to determine quantities +of the color additive present in products for which it is intended to be +used or adequate for any study or investigation reasonably required with +respect to the safety of the color additive or the physical or technical +effect it produces. The date used for computing the 90-day limit for the +purposes of section 721(d)(1) of the act shall be moved forward 1 day +for each day, after mailing date of the request, taken by the petitioner +to submit the information and/or sample. If the information or sample is +requested a reasonable time in advance of the 180 days, but is not +submitted within such 180 days after filing of the petition, the +petition will be considered withdrawn without prejudice. + + + +Sec. 71.6 Extension of time for studying petitions; substantive +amendments; withdrawal of petitions without prejudice. + + (a) Extension of time for studying petitions. If the Commissioner +determines that additional time is needed to study and investigate the +petition, he shall by written notice to the petitioner extend the 90-day +period for not more than 180 days after the filing of the petition. + +[[Page 398]] + + (b) Substantive amendments. After a petition has been filed, the +petitioner may submit additional information or data in support thereof. +In such cases, if the Commissioner determines that the additional +information or data amounts to a substantive amendment, the petition as +amended will be given a new filing date, and the time limitation will +begin to run anew. If nonclinical laboratory studies are involved, +additional information and data submitted in support of filed petitions +shall include, with respect to each nonclinical laboratory study +contained in the petition, either a statement that the study was +conducted in compliance with the requirements set forth in part 58 of +this chapter, or, if the study was not conducted in compliance with such +regulations, a brief statement of the reason for the noncompliance. If +clinical investigations involving human subjects are involved, +additional information or data submitted in support of filed petitions +shall include statements regarding each such clinical investigation from +which the information or data are derived, that it either was conducted +in compliance with the requirements for institutional review set forth +in part 56 of this chapter, or was not subject to such requirements in +accordance with Sec. 56.104 or Sec. 56.105, and that it was conducted +in compliance with the requirements for informed consent set forth in +part 50 of this chapter. + (c) Withdrawal of petitions without prejudice. (1) In some cases the +Commissioner may notify the petitioner that the petition, while +technically complete, is inadequate to justify the establishment of a +regulation or the regulation requested by petitioner. This may be due to +the fact that the data are not sufficiently clear or complete. In such +cases, the petitioner may withdraw the petition pending its +clarification or the obtaining of additional data. This withdrawal will +be without prejudice to a future filing. Upon refiling, the time +limitation will begin to run anew from the date of refiling. + (2) At any time before the order provided for in Sec. 71.20 has +been forwarded to the Federal Register for publication the petitioner +may withdraw the petition without prejudice to a future filing. Upon +refiling, the time limitation will begin to run anew. + +[42 FR 15636, Mar. 22, 1977, as amended at 43 FR 60021, Dec. 22, 1978; +46 FR 8952, Jan. 27, 1981; 50 FR 7491, Feb. 22, 1985] + + + +Sec. 71.15 Confidentiality of data and information in color +additive petitions. + + (a) The following data and information in a color additive petition +are available for public disclosure, unless extraordinary circumstances +are shown, after the notice of filing of the petition is published in +the Federal Register or, if the petition is not promptly filed because +of deficiencies in it, after the petitioner is informed that it will not +be filed because of the deficiencies involved: + (1) All safety and functionality data and information submitted with +or incorporated by reference in the petition. + (2) A protocol for a test or study, unless it is shown to fall +within the exemption established for trade secrets and confidential +commercial information in Sec. 20.61 of this chapter. + (3) Adverse reaction reports, product experience reports, consumer +complaints, and other similar data and information, after deletion of: + (i) Names and any information that would identify the person using +the product. + (ii) Names and any information that would identify any third party +involved with the report, such as a physician or hospital or other +institution. + (4) A list of all ingredients contained in a color additive, whether +or not it is in descending order of predominance. A particular +ingredient or group of ingredients shall be deleted from any such list +prior to public disclosure if it is shown to fall within the exemption +established in Sec. 20.61 of this chapter, and a notation shall be made +that any such ingredient list is incomplete. + (5) An assay method or other analytical method, unless it serves no +regulatory or compliance purpose and is shown to fall within the +exemption established in Sec. 20.61 of this chapter. + (6) All records showing the Food and Drug Administration's testing +of or action on a particular lot of a certifiable color additive. + +[[Page 399]] + + (b) The following data and information in a color additive petition +are not available for public disclosure unless they have been previously +disclosed to the public as defined in Sec. 20.81 of this chapter or +they relate to a product or ingredient that has been abandoned and they +no longer represent a trade secret or confidential commercial or +financial information as defined in Sec. 20.61 of this chapter: + (1) Manufacturing methods or processes, including quality control +procedures. + (2) Production, sales, distribution, and similar data and +information, except that any compilation of such data and information +aggregated and prepared in a way that does not reveal data or +information which is not available for public disclosure under this +provision is available for public disclosure. + (3) Quantitative or semiquantitative formulas. + (c) All correspondence and written summaries of oral discussions +relating to a color additive petition are available for public +disclosure in accordance with the provisions of part 20 of this chapter +when the color additive regulation is published in the Federal Register. + (d) For purposes of this regulation, safety and functionality data +include all studies and tests of a color additive on animals and humans +and all studies and tests on a color additive for identity, stability, +purity, potency, performance, and usefulness. + + + +Sec. 71.18 Petition for exemption from certification. + + A manufacturer, packer, or distributor of a color additive or color +additive mixture may petition for an exemption from certification +pursuant to part 10 of this chapter. Any such petition shall show why +such certification is not necessary for the protection of public health. + + + + Subpart B_Administrative Action on Petitions + + + +Sec. 71.20 Publication of regulation. + + The Commissioner will forward for publication in the Federal +Register, within 90 days after filing of the petition (or within 180 +days if the time is extended as provided for in section 721(d)(1) of the +act): + (a) A regulation listing in part 73 or 74 of this chapter the color +additive on the appropriate list or lists as provided under section +721(b)(1). + (1) Such a regulation may list the color additive for use generally +in or on foods, drugs, or cosmetics or for use in coloring the human +body, as the case may be, or may prescribe the conditions under which +the color additive may be safely used (including, but not limited to, +specifications as to the particular food, drug, or cosmetic or classes +of food, drugs, or cosmetics in or on which such color additive may be +used, or for the material intended for coloring the human body; the +maximum quantity of any straight color or diluent that may be used or +permitted to remain in or on such food, drug, or cosmetic or article +intended for coloring the human body; the manner in which such color +additive may be added to or used in or on such food, drug, or cosmetic +or for coloring the human body; and any directions or other labeling or +packing requirements for such color additives deemed necessary to assure +the safety of such use). + (2) Such regulations shall list the color additive only for the use +or uses for which it has been found suitable and for which it may safely +be employed. Alternatively, the Commissioner shall by order deny the +petition, and notify the petitioner of such order and the reasons +therefor. + (3) The regulation shall list any use or uses in meat, meat food +product, or poultry product subject to the Federal Meat Inspection Act +(FMIA) (21 U.S.C. 601 et seq.) or the Poultry Products Inspection (PPIA) +(21 U.S.C. 451 et seq.) for which the color additive has been found +suitable and for which it may safely be employed. + (b) Whenever the Commissioner finds that batch certification is not +necessary for the protection of the public health he will, by order, +exempt the color additive from the certification procedure. In +determining whether certification of a color additive is necessary, the +Commissioner will consider the composition of the additive, its + +[[Page 400]] + +manufacturing process, possible impurities, its toxic potential, control +and analytical procedures necessary to assure compliance with the +listing specifications, and the variability of its composition. + +[42 FR 15639, Mar. 22, 1977, as amended at 65 FR 51762, Aug. 25, 2000] + + + +Sec. 71.22 Deception as a basis for refusing to issue regulations; +deceptive use of a color additive for which a regulation has issued. + + The Commissioner shall refuse to issue a regulation listing a color +additive, if in his judgment the data before him show that such proposed +use would promote deception of the consumer or would result in +misbranding or adulteration within the meaning of the act. Such a +finding shall be by order published in the Federal Register subject to +the filing of objections and a request for a hearing by adversely +affected parties. The issuance of a regulation for a color additive +authorizing its use generally in or on a food, drug, or cosmetic shall +not be construed as authorization to use the color additive in a manner +that may promote deception or conceal damage or inferiority. The use of +a color additive to promote deception or conceal damage or inferiority +shall be considered as the use of a color additive for which no +regulation has issued pursuant to section 721(b) of the act, even though +the regulation is effective for other uses. + + + +Sec. 71.25 Condition for certification. + + (a) When the Commissioner cannot conclude from the information +before him that there is a basis for exempting a color additive from the +requirement of batch certification, he will so order by appropriate +listing in part 74 of this chapter. The Commissioner's order shall state +in detail the specifications that shall be met by the color additive. + (b) Each order shall state a period of time after which use of a +color additive subject to batch certification but not from a batch +certified by procedure prescribed in this section would result in +adulteration of the product in which it is used. + + + +Sec. 71.26 Revocation of exemption from certification. + + If information becomes available to the Commissioner that a color +additive that has been granted exemption from certification should not, +for the protection of the public health, be so exempted, such exemption +will be canceled by a notice published in the Federal Register. + + + +Sec. 71.27 Listing and exemption from certification on the +Commissioner's initiative. + + Where a petition for a regulation to list a color additive has not +been received and the Commissioner has available facts which demonstrate +that a color additive should be listed and/or that certification +procedure is not necessary in order to protect the public health, he may +list such color additive by appropriate regulation and listing in part +73 or 74 of this chapter. + + + +Sec. 71.30 Procedure for filing objections to regulations. + + (a) Objections and hearings relating to color additive regulations +under section 721 (b) and (c) of the act shall be governed by parts 10, +12, 13, 14, 15, 16, and 19 of this chapter. + (b) The fees specified in Sec. 70.19 of this chapter shall be +applicable. + + + +Sec. 71.37 Exemption of color additives for investigational +use. + + (a) A shipment or other delivery of a color additive or of a food, +drug, or cosmetic containing such a color additive for investigational +use by experts qualified to determine safety shall be exempt from the +requirements of section 402(c), 501(a), or 601(e) of the act, provided +that the color additive or the food, drug, or cosmetic containing the +color additive bears a label which states prominently, ``Caution-- +Contains new color additive--For investigational use only.'' No animals +used in such investigations, or their products, such as milk or eggs, +shall be used for food purposes, unless the sponsor or the investigator +has submitted to the Commissioner data demonstrating that such use will +be consistent with the public health, and the Commissioner, proceeding +as he would in a matter involving section 409(i) of + +[[Page 401]] + +the act, has notified the sponsor or investigator that the proposed +disposition for food is authorized. Any person who contests a refusal to +grant such authorization shall have an opportunity for a regulatory +hearing before the Food and Drug Administration pursuant to part 16 of +this chapter. + (b) The person who introduced such shipment or who delivers the +color additive or a food, drug, or cosmetic containing such an additive +into interstate commerce shall maintain adequate records showing the +name and post-office address of the expert to whom the color additive is +shipped, date, quantity, and batch or code mark of each shipment and +delivery for a period of 2 years after such shipment and delivery. Upon +the request of a properly authorized employee of the Department, at +reasonable times, he shall make such records available for inspection +and copying. + + + +PART 73_LISTING OF COLOR ADDITIVES EXEMPT FROM CERTIFICATION +--Table of Contents + + + + Subpart A_Foods + +Sec. +73.1 Diluents in color additive mixtures for food use exempt from + certification. +73.30 Annatto extract. +73.35 Astaxanthin. +73.37 Astaxanthin dimethyldisuccinate. +73.40 Dehydrated beets (beet powder). +73.50 Ultramarine blue. +73.75 Canthaxanthin. +73.85 Caramel. +73.90 [beta]-Apo-8'-carotenal. +73.95 [beta]-Carotene. +73.100 Cochineal extract; carmine. +73.125 Sodium copper chlorophyllin. +73.140 Toasted partially defatted cooked cottonseed flour. +73.160 Ferrous gluconate. +73.165 Ferrous lactate. +73.169 Grape color extract. +73.170 Grape skin extract (enocianina). +73.185 Haematococcus algae meal. +73.200 Synthetic iron oxide. +73.250 Fruit juice. +73.260 Vegetable juice. +73.275 Dried algae meal. +73.295 Tagetes (Aztec marigold) meal and extract. +73.300 Carrot oil. +73.315 Corn endosperm oil. +73.340 Paprika. +73.345 Paprika oleoresin. +73.350 Mica-based pearlescent pigments. +73.352 Paracoccus pigment. +73.355 Phaffia yeast. +73.450 Riboflavin. +73.500 Saffron. +73.530 Spirulina extract. +73.575 Titanium dioxide. +73.585 Tomato lycopene extract; tomato lycopene concentrate. +73.600 Turmeric. +73.615 Turmeric oleoresin. + + Subpart B_Drugs + +73.1001 Diluents in color additive mixtures for drug use exempt from + certification. +73.1010 Alumina (dried aluminum hydroxide). +73.1015 Chromium-cobalt-aluminum oxide. +73.1025 Ferric ammonium citrate. +73.1030 Annatto extract. +73.1070 Calcium carbonate. +73.1075 Canthaxanthin. +73.1085 Caramel. +73.1095 [beta]-Carotene. +73.1100 Cochineal extract; carmine. +73.1125 Potassium sodium copper chlorophyllin (chlorophyllin-copper + complex). +73.1150 Dihydroxyacetone. +73.1162 Bismuth oxychloride. +73.1200 Synthetic iron oxide. +73.1298 Ferric ammonium ferrocyanide. +73.1299 Ferric ferrocyanide. +73.1326 Chromium hydroxide green. +73.1327 Chromium oxide greens. +73.1329 Guanine. +73.1350 Mica-based pearlescent pigments. +73.1375 Pyrogallol. +73.1400 Pyrophyllite. +73.1410 Logwood extract. +73.1496 Mica. +73.1530 Spirulina extract. +73.1550 Talc. +73.1575 Titanium dioxide. +73.1645 Aluminum powder. +73.1646 Bronze powder. +73.1647 Copper powder. +73.1991 Zinc oxide. + + Subpart C_Cosmetics + +73.2030 Annatto. +73.2085 Caramel. +73.2087 Carmine. +73.2095 [beta]-Carotene. +73.2110 Bismuth citrate. +73.2120 Disodium EDTA-copper. +73.2125 Potassium sodium copper chlorophyllin (chlorophyllin-copper + complex). +73.2150 Dihydroxyacetone. +73.2162 Bismuth oxychloride. +73.2180 Guaiazulene. +73.2190 Henna. +73.2250 Iron oxides. +73.2298 Ferric ammonium ferrocyanide. +73.2299 Ferric ferrocyanide. + +[[Page 402]] + +73.2326 Chromium hydroxide green. +73.2327 Chromium oxide greens. +73.2329 Guanine. +73.2396 Lead acetate. +73.2400 Pyrophyllite. +73.2496 Mica. +73.2500 Silver. +73.2575 Titanium dioxide. +73.2645 Aluminum powder. +73.2646 Bronze powder. +73.2647 Copper powder. +73.2725 Ultramarines. +73.2775 Manganese violet. +73.2991 Zinc oxide. +73.2995 Luminescent zinc sulfide. + + Subpart D_Medical Devices + +73.3100 1,4-Bis[(2-hydroxyethyl)amino]-9,10-anthracenedione bis(2- + methyl-2-propenoic)ester copolymers. +73.3105 1,4-Bis[(2-methylphenyl)amino]-9,10-anthracenedione. +73.3106 1,4-Bis[4-(2-methacryloxyethyl) phenylamino]anthraquinone + copolymers. +73.3107 Carbazole violet. +73.3110 Chlorophyllin-copper complex, oil soluble. +73.3110a Chromium-cobalt-aluminum oxide. +73.3111 Chromium oxide greens. +73.3112 C.I. Vat Orange 1. +73.3115 2-[[2,5-Diethoxy-4-[(4-methylphenyl)thiol]phenyl]azo]-1,3,5- + benzenetriol. +73.3117 16,23-Dihydrodinaphtho[2,3-a:2',3'-i] naphth [2',3':6,7] indolo + [2,3-c] carbazole-5,10,15,17,22,24-hexone. +73.3118 N,N'-(9,10-Dihydro-9,10-dioxo-1,5-anthracenediyl) bisbenzamide. +73.3119 7,16-Dichloro-6,15-dihydro-5,9,14,18-anthrazinetetrone. +73.3120 16,17-Dimethoxydinaphtho [1,2,3-cd:3',2',1'-lm] perylene-5,10- + dione. +73.3121 Poly(hydroxyethyl methacrylate)-dye copolymers. +73.3122 4-[(2,4-dimethylphenyl)azo]-2,4-dihydro-5-methyl-2-phenyl-3H- + pyrazol-3-one. +73.3123 6-Ethoxy-2-(6-ethoxy-3-oxobenzo[b]thien-2(3H)-ylidene) + benzo[b]thiophen-3 (2H)-one. +73.3124 Phthalocyanine green. +73.3125 Iron oxides. +73.3126 Titanium dioxide. +73.3127 Vinyl alcohol/methyl methacrylate-dye reaction products. +73.3128 Mica-based pearlescent pigments. +73.3129 Disodium 1-amino-4-[[4-[(2-bromo-1-oxoallyl)amino]-2- + sulfonatophenyl]amino]-9,10-dihydro-9,10-dioxoanthracene-2- + sulfonate. + + Authority: 21 U.S.C. 321, 341, 342, 343, 348, 351, 352, 355, 361, +362, 371, 379e. + + Source: 42 FR 15643, Mar. 22, 1977, unless otherwise noted. + + Editorial Note: Nomenclature changes to part 73 appear at 66 FR +66742, Dec. 27, 2001. + + + + Subpart A_Foods + + + +Sec. 73.1 Diluents in color additive mixtures for food use +exempt from certification. + + The following substances may be safely used as diluents in color +additive mixtures for food use exempt from certification, subject to the +condition that each straight color in the mixture has been exempted from +certification or, if not so exempted, is from a batch that has +previously been certified and has not changed in composition since +certification. If a specification for a particular diluent is not set +forth in this part 73, the material shall be of a purity consistent with +its intended use. + (a) General use. (1) Substances that are generally recognized as +safe under the conditions set forth in section 201(s) of the act. + (2) Substances meeting the definitions and specifications set forth +under subchapter B of this chapter, and which are used only as +prescribed by such regulations. + (3) The following: + +------------------------------------------------------------------------ + Definitions and + Substances specifications Restrictions +------------------------------------------------------------------------ +Calcium disodium EDTA Contains calcium May be used in + (calcium disodium ethyl- disodium ethyl- aqueous solutions + enediamine- tetraacetate). enediamine- and aqueous + tetraacetate dispersions as a + dihydrate (CAS preservative and + Reg. No. 6766-87- sequestrant in + 6) as set forth in color additive + the Food Chemicals mixtures intended + Codex, 3d ed., p. only for ingested + 50, 1981. use; the color + additive mixture + (solution or + dispersion) may + contain not more + than 1 percent by + weight of the + diluent (calculated + as anhydrous + calcium disodium + ethyl-enediamine- + tetraacetate). +Castor oil................... As set forth in Not more than 500 + U.S.P. XVI. p.p.m. in the + finished food. + Labeling of color + additive mixtures + containing castor + oil shall bear + adequate directions + for use that will + result in a food + meeting this + restriction. + +[[Page 403]] + + +Dioctylsodium sulfosuccinate. As set forth in Not more than 9 + sec. 172.810 of p.p.m. in the + this chapter. finished food. + Labeling of color + additive mixtures + containing + dioctylsodium + sulfosuccinate + shall bear adequate + directions for use + that will result in + a food meeting this + restriction. +Disodium EDTA (disodium ethyl- Contains disodium May be used in + enediamine- tetraacetate). ethyl- enediamine- aqueous solutions + tetraacetate and aqueous + dihydrate (CAS dispersions as a + Reg. No. 6381-92- preservative and + 6) as set forth in sequestrant in + the Food Chemicals color additive + Codex, 3d ed., p. mixtures intended + 104, 1981. only for ingested + use; the color + additive mixture + (solution or + dispersion) may + contain not more + than 1 percent by + weight of the + diluent (calculated + as anhydrous + disodium ethyl- + enediamine- + tetraacetate). +------------------------------------------------------------------------ + + (b) Special use--(1) Diluents in color additive mixtures for marking +food--(i) Inks for marking food supplements in tablet form, gum, and +confectionery. Items listed in paragraph (a) of this section and the +following: + +------------------------------------------------------------------------ + Definitions and + Substances specifications Restrictions +------------------------------------------------------------------------ +Alcohol, SDA-3A.............. As set forth in 26 No residue. + CFR pt. 212. +n-Butyl alcohol.............. ................... Do. +Cetyl alcohol................ As set forth in Do. + N.F. XI. +Cyclohexane.................. ................... Do. +Ethyl cellulose.............. As set forth in + sec. 172.868 of + this chapter. +Ethylene glycol monoethyl ................... Do. + ether. +Isobutyl alcohol............. ................... Do. +Isopropyl alcohol............ ................... Do. +Polyoxyethylene sorbitan As set forth in + monooleate (polysorbate 80). sec. 172.840 of + this chapter. +Polyvinyl acetate............ Molecular weight, + minimum 2,000. +Polyvinylpyrrolidone......... As set forth in + sec. 173.55 of + this chapter. +Rosin and rosin derivatives.. As set forth in + sec. 172.615 of + this chapter. +Shellac, purified............ Food grade......... +------------------------------------------------------------------------ + + (ii) Inks for marking fruit and vegetables. Items listed in +paragraph (a) of this section and the following: + +------------------------------------------------------------------------ + Definitions and + Substances specifications Restrictions +------------------------------------------------------------------------ +Acetone...................... As set forth in No residue. + N.F. XI. +Alcohol, SDA-3A.............. As set forth in 26 Do. + CFR pt. 212. +Benzoin...................... As set forth in + U.S.P. XVI. +Copal, Manila................ ................... +Ethyl acetate................ As set forth in Do. + N.F. XI. +Ethyl cellulose.............. As set forth in + sec. 172.868 of + this chapter. +Methylene chloride........... ................... Do. +Polyvinylpyrrolidone......... As set forth in + sec. 173.55 of + this chapter. +Rosin and rosin derivatives.. As set forth in + sec. 172.615 of + this chapter. +Silicon dioxide.............. As set forth in Not more than 2 pct + sec. 172.480 of of the ink solids. + this chapter. +Terpene resins, natural...... As set forth in + sec. 172.615 of + this chapter. +Terpene resins, synthetic.... Polymers of [alpha]- + and [beta]-pinene. +------------------------------------------------------------------------ + + (2) Diluents in color additive mixtures for coloring shell eggs. +Items listed in paragraph (a) of this section and the following, subject +to the condition that there is no penetration of the color additive +mixture or any of its components through the eggshell into the egg: + + +[[Page 404]] + + +Alcohol, denatured, formula 23A (26 CFR part 212), Internal Revenue +Service. +Damar gum (resin). +Diethylene glycol distearate. +Dioctyl sodium sulfosuccinate. +Ethyl cellulose (as identified in Sec. 172.868 of this chapter). +Ethylene glycol distearate. +Japan wax. +Limed rosin. +Naphtha. +Pentaerythritol ester of fumaric acid-rosin adduct. +Polyethylene glycol 6000 (as identified in Sec. 172.820 of this +chapter). +Polyvinyl alcohol. +Rosin and rosin derivatives (as identified in Sec. 172.615 of this +chapter). + + (3) Miscellaneous special uses. Items listed in paragraph (a) of +this section and the following: + +------------------------------------------------------------------------ + Definitions and + Substances specifications Restrictions +------------------------------------------------------------------------ +Polyvinylpyrrolidone......... As set forth in In or as food-tablet + sec. 173.55 of coatings; limit, + this chapter. not more than 0.1 + pct in the finished + food; labeling of + color additive + mixtures containing + polyvinylpyrrolidon + e shall bear + adequate directions + for use that will + result in a food + meeting this + restriction. +------------------------------------------------------------------------ + + +[42 FR 15643, Mar. 22, 1977, as amended at 57 FR 32175, July 21, 1992; +69 FR 24511, May 4, 2004] + + + +Sec. 73.30 Annatto extract. + + (a) Identity. (1) The color additive annatto extract is an extract +prepared from annatto seed, Bixa orellana L., using any one or an +appropriate combination of the food-grade extractants listed in +paragraph (a)(1) (i) and (ii) of this section: + (i) Alkaline aqueous solution, alkaline propylene glycol, ethyl +alcohol or alkaline solutions thereof, edible vegetable oils or fats, +mono- and diglycerides from the glycerolysis of edible vegetable oils or +fats. The alkaline alcohol or aqueous extracts may be treated with food- +grade acids to precipitate annatto pigments, which are separated from +the liquid and dried, with or without intermediate recrystallization, +using the solvents listed under paragraph (a)(1)(ii) of this section. +Food-grade alkalis or carbonates may be added to adjust alkalinity. + (ii) Acetone, ethylene dichloride, hexane, isopropyl alcohol, methyl +alcohol, methylene chloride, trichloroethylene. + (2) Color additive mixtures for food use made with annatto extract +may contain only diluents that are suitable and that are listed in this +subpart as safe in color additive mixtures for coloring foods. + (b) Specifications. Annatto extract, including pigments precipitated +therefrom, shall conform to the following specifications: + (1) Arsenic (as As), not more than 3 parts per million; lead as Pb, +not more than 10 parts per million. + (2) When solvents listed under paragraph (a)(1)(ii) of this section +are used, annatto extract shall contain no more solvent residue than is +permitted of the corresponding solvents in spice oleoresins under +applicable food additive regulations in parts 170 through 189 of this +chapter. + (c) Uses and restrictions. Annatto extract may be safely used for +coloring foods generally, in amounts consistent with good manufacturing +practice, except that it may not be used to color foods for which +standards of identity have been promulgated under section 401 of the act +unless added color is authorized by such standards. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom and intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. Labels +shall bear information showing that the color is derived from annatto +seed. The requirements of Sec. 70.25(a) of this chapter that all +ingredients shall be listed by name shall not be construed as requiring +the declaration of residues of solvents listed in paragraph (a)(1)(ii) +of this section. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health and +therefore batches thereof + +[[Page 405]] + +are exempt from the certification requirements of section 721(c) of the +act. + + + +Sec. 73.35 Astaxanthin. + + (a) Identity. (1) The color additive astaxanthin is 3, 3'-dihydroxy- +[beta], [beta]-carotene-4, 4'-dione. + (2) Astaxanthin may be added to the fish feed only as a component of +a stabilized color additive mixture. Color additive mixtures for fish +feed use made with astaxanthin may contain only those diluents that are +suitable and are listed in this subpart as safe for use in color +additive mixtures for coloring foods. + (b) Specifications. Astaxanthin shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such impurities may be avoided by good manufacturing +practice: + +Physical state, solid. +0.05 percent solution in chloroform, complete and clear. +Absorption maximum wavelength 484-493 nanometers (in chloroform). +Residue on ignition, not more than 0.1 percent. +Total carotenoids other than astaxanthin, not more than 4 percent. +Lead, not more than 5 parts per million. +Arsenic, not more than 2 parts per million. +Mercury, not more than 1 part per million. +Heavy metals, not more than 10 parts per million. +Assay, minimum 96 percent. + + (c) Uses and restrictions. Astaxanthin may be safely used in the +feed of salmonid fish in accordance with the following prescribed +conditions: + (1) The color additive is used to enhance the pink to orange-red +color of the flesh of salmonid fish. + (2) The quantity of color additive in feed is such that the color +additive shall not exceed 80 milligrams per kilogram (72 grams per ton) +of finished feed. + (d) Labeling requirements. (1) The labeling of the color additive +and any premixes prepared therefrom shall bear expiration dates for the +sealed and open container (established through generally accepted +stability testing methods), other information required by Sec. 70.25 of +this chapter, and adequate directions to prepare a final product +complying with the limitations prescribed in paragraph (c) of this +section. + (2) The presence of the color additive in finished fish feed +prepared according to paragraph (c) of this section shall be declared in +accordance with Sec. 501.4 of this chapter. + (3) The presence of the color additive in salmonid fish that have +been fed feeds containing astaxanthin shall be declared in accordance +with Sec. Sec. 101.22(k)(2) and 101.100(a)(2) of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[60 FR 18738, Apr. 13, 1995] + + + +Sec. 73.37 Astaxanthin dimethyl disuccinate. + + (a) Identity. (1) The color additive astaxanthin dimethyldisuccinate +is 3,3'-bis(4-methoxy-1,4-dioxobutoxy)-[beta],[beta]-carotene-4,4'- +dione. + (2) Astaxanthin dimethyldisuccinate may be added to the fish feed +only as a component of a stabilized mixture. Color additive mixtures for +fish feed use made with astaxanthin dimethyldisuccinate may contain only +those diluents that are suitable and are listed in this subpart as safe +for use in color additive mixtures for coloring foods. + (b) Specifications. Astaxanthin dimethyldisuccinate shall conform to +the following specifications and shall be free from impurities other +than those named to the extent that such impurities may be avoided by +good manufacturing practice: + (1) Physical state, solid. + (2) 0.05 percent solution in chloroform, complete and clear. + (3) Absorption maximum wavelength 484-493 nanometers (in +chloroform). + (4) Residue on ignition, not more than 0.1 percent. + (5) Total carotenoids other than astaxanthin dimethyldisuccinate, +not more than 4 percent. + (6) Lead, not more than 5 milligrams per kilogram (mg/kg) (5 parts +per million). + (7) Arsenic, not more than 2 mg/kg (2 parts per million). + (8) Mercury, not more than 1 mg/kg (1 part per million). + +[[Page 406]] + + (9) Heavy metals, not more than 10 mg/kg (10 parts per million). + (10) Assay including astaxanthin dimethyldisuccinate, astaxanthin +monomethylsuccinate, and astaxanthin, minimum 96 percent. + (c) Uses and restrictions. Astaxanthin dimethyldisuccinate may be +safely used in the feed of salmonid fish in accordance with the +following prescribed conditions: + (1) The color additive is used to enhance the pink to orange-red +color of the flesh of salmonid fish. + (2) The quantity of astaxanthin dimethyldisuccinate in the finished +feed, when used alone or in combination with other astaxanthin color +additive sources listed in this part 73, shall not exceed 110 milligrams +per kilogram (mg/kg), which is equivalent to 80 mg/kg astaxanthin (72 +grams per ton). + (d) Labeling requirements. (1) The labeling of the color additive +and any premixes prepared therefrom shall bear expiration dates for the +sealed and open container (established through generally accepted +stability testing methods), other information required by Sec. 70.25 of +this chapter, and adequate directions to prepare a final product +complying with the limitations prescribed in paragraph (c) of this +section. + (2) The presence of the color additive in finished fish feed +prepared according to paragraph (c) of this section shall be declared in +accordance with Sec. 501.4 of this chapter. + (3) The presence of the color additive in salmonid fish that have +been fed feeds containing astaxanthin dimethyldisuccinate shall be +declared in accordance with Sec. Sec. 101.22(b), (c), and (k)(2), and +101.100(a)(2) of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[74 FR 57251, Nov. 5, 2009] + + + +Sec. 73.40 Dehydrated beets (beet powder). + + (a) Identity. (1) The color additive dehydrated beets is a dark red +powder prepared by dehydrating sound, mature, good quality, edible +beets. + (2) Color additive mixtures made with dehydrated beets may contain +as diluents only those substances listed in this subpart as safe and +suitable for use in color additive mixtures for coloring foods. + (b) Specifications. The color additive shall conform to the +following specifications: + +Volatile matter, not more than 4 percent. +Acid insoluble ash, not more than 0.5 percent. +Lead (as Pb), not more than 10 parts per million. +Arsenic (as As), not more than 1 part per million. +Mercury (as Hg), not more than 1 part per million. + + (c) Uses and restrictions. Dehydrated beets may be safely used for +the coloring of foods generally in amounts consistent with good +manufacturing practice, except that it may not be used to color foods +for which standards of identity have been promulgated under section 401 +of the act, unless the use of added color is authorized by such +standards. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + + + +Sec. 73.50 Ultramarine blue. + + (a) Identity. The color additive ultramarine blue is a blue pigment +obtained by calcining a mixture of kaolin, sulfur, sodium carbonate, and +carbon at temperatures above 700 [deg]C. Sodium sulfate and silica may +also be incorporated in the mixture in order to vary the shade. The +pigment is a complex sodium aluminum sulfo-silicate having the +approximate formula +NaAiSiO +S. + (b) Specifications. Ultramarine blue shall conform to the following +specifications: + +Lead (as Pb), not more than 10 parts per million. +Arsenic (as As), not more than 1 part per million. + +[[Page 407]] + +Mercury (as Hg), not more than 1 part per million. + + (c) Uses and restrictions. The color additive ultramarine blue may +be safely used for coloring salt intended for animal feed subject to the +restriction that the quantity of ultramarine blue does not exceed 0.5 +percent by weight of the salt. + (d) Labeling requirements. The color additive shall be labeled in +accordance with the requirements of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + + +766243 +Sec. 73.75 Canthaxanthin. + + (a) Identity. (1) The color additive canthaxanthin is [beta]- +carotene-4,4'-dione. + (2) Color additive mixtures for food use made with canthaxanthin may +contain only those diluents that are suitable and that are listed in +this subpart as safe for use in color additive mixtures for coloring +foods. + (b) Specifications. Canthaxanthin shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such other impurities may be avoided by good +manufacturing practice: + +Physical state, solid. +1 percent solution in chloroform, complete and clear. +Melting range (decomposition), 207 [deg]C. to 212 [deg]C. (corrected). +Loss on drying, not more than 0.2 percent. +Residue on ignition, not more than 0.2 percent. +Total carotenoids other than trans-canthaxanthin, not more than 5 +percent. +Lead, not more than 10 parts per million. +Arsenic, not more than 3 parts per million. +Mercury, not more than 1 part per million. +Assay, 96 to 101 percent. + + (c) Use and restrictions. (1) The color additive canthaxanthin may +be safely used for coloring foods generally subject to the following +restrictions: + (i) The quantity of canthaxanthin does not exceed 30 milligrams per +pound of solid or semisolid food or per pint of liquid food; and + (ii) It may not be used to color foods for which standards of +identity have been promulgated under section 401 of the act unless added +color is authorized by such standards. + (2) Canthaxanthin may be safely used in broiler chicken feed to +enhance the yellow color of broiler chicken skin in accordance with the +following conditions: The quantity of canthaxanthin incorporated in the +feed shall not exceed 4.41 milligrams per kilogam (4 grams per ton) of +complete feed to supplement other known sources of xanthophyll and +associated carotenoids to accomplish the intended effect. + (3) Canthaxanthin may be safely used in the feed of salmonid fish in +accordance with the following prescribed conditions: + (i) Canthaxanthin may be added to the fish feed only in the form of +a stabilized color additive mixture; + (ii) The color additive is used to enhance the pink to orange-red +color of the flesh of salmonid fish; and + (iii) The quantity of color additive in feed shall not exceed 80 +milligrams per kilogram (72 grams per ton) of finished feed. + (d) Labeling requirements. (1) The labeling of the color additive +and any mixture prepared therefrom intended solely or in part for +coloring purposes shall conform to the requirements of Sec. 70.25 of +this chapter. + (2) For purposes of coloring fish, the labeling of the color +additive and any premixes prepared therefrom shall bear expiration dates +(established through generally accepted stability testing methods) for +the sealed and open container, other information required by Sec. 70.25 +of this chapter, and adequate directions to prepare a final product +complying with the limitations prescribed in paragraph (c)(3) of this +section. + (3) The presence of the color additive in finished fish feed +prepared according to paragraph (c)(3) of this section shall be declared +in accordance with Sec. 501.4 of this chapter. + (4) The presence of the color additive in salmonid fish that have +been fed feeds containing canthaxanthin shall be declared in accordance +with Sec. Sec. 101.22(b), (c), and (k)(2), and 101.100(a)(2) of this +chapter. + (e) Exemption from certification. Certification of this color +additive is not + +[[Page 408]] + +necessary for the protection of the public health, and therefore batches +thereof are exempt from the certification requirements of section 721(c) +of the act. + +[42 FR 15643, Mar. 22, 1977, as amended at 50 FR 47534, Nov. 19, 1985; +63 FR 14817, Mar. 27, 1998] + + + +Sec. 73.85 Caramel. + + (a) Identity. (1) The color additive caramel is the dark-brown +liquid or solid material resulting from the carefully controlled heat +treatment of the following food-grade carbohydrates: + +Dextrose. +Invert sugar. +Lactose. +Malt sirup. +Molasses. +Starch hydrolysates and fractions thereof. +Sucrose. + + (2) The food-grade acids, alkalis, and salts listed in this +subparagraph may be employed to assist caramelization, in amounts +consistent with good manufacturing practice. + (i) Acids: + +Acetic acid. +Citric acid. +Phosphoric acid. +Sulfuric acid. +Sulfurous acid. + + (ii) Alkalis: + +Ammonium hydroxide. +Calcium hydroxide U.S.P. +Potassium hydroxide. +Sodium hydroxide. + + (iii) Salts: Ammonium, sodium, or potassium carbonate, bicarbonate, +phosphate (including dibasic phosphate and monobasic phosphate), +sulfate, and sulfite. + (3) Polyglycerol esters of fatty acids, identified in Sec. 172.854 +of this chapter, may be used as antifoaming agents in amounts not +greater than that required to produce the intended effect. + (4) Color additive mixtures for food use made with caramel may +contain only diluents that are suitable and that are listed in this +subpart as safe in color additive mixtures for coloring foods. + (b) Specifications. Caramel shall conform to the following +specifications: + +Lead (as Pb), not more than 10 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 0.1 part per million. + + (c) Uses and restrictions. Caramel may be safely used for coloring +foods generally, in amounts consistent with good manufacturing practice, +except that it may not be used to color foods for which standards of +identity have been promulgated under section 401 of the act unless added +color is authorized by such standards. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom and intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + + + +Sec. 73.90 [beta]-Apo-8'-carotenal. + + (a) Identity. (1) The color additive is [beta]-apo-8'-carotenal. + (2) Color additive mixtures for food use made with [beta]-apo-8'- +carotenal may contain only diluents that are suitable and that are +listed in this subpart as safe in color additive mixtures for coloring +foods. + (b) Specifications. [beta]-Apo-8'-carotenal shall conform to the +following specifications: + +Physical state, solid. +1 percent solution in chloroform, clear. +Melting point (decomposition), 136 [deg]C.-140 [deg]C. (corrected). +Loss of weight on drying, not more than 0.2 percent. +Residue on ignition, not more than 0.2 percent. +Lead (as Pb), not more than 10 parts per million. +Arsenic (as As), not more than 1 part per million. +Assay (spectrophotometric), 96-101 percent. + + (c) Uses and restrictions. The color additive [beta]-apo-8'- +carotenal may be safely used for coloring foods generally, subject to +the following restrictions: + (1) The quantity of [beta]-apo-8'-carotenal does not exceed 15 +milligrams per pound of solid or semisolid food or 15 milligrams per +pint of liquid food. + +[[Page 409]] + + (2) It may not be used to color foods for which standards of +identity have been promulgated under section 401 of the act unless added +color is authorized by such standards. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom and intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + + + +Sec. 73.95 [beta]-Carotene. + + (a) Identity. (1) The color additive is [beta]-carotene prepared +synthetically or obtained from natural sources. + (2) Color additive mixtures for food use made with [beta]-carotene +may contain only diluents that are suitable and that are listed in this +subpart as safe in color additive mixtures for coloring foods. + (b) Specifications. [beta]-carotene shall conform to the following +specifications: + +Physical state, solid. +1 percent solution in chloroform, clear. +Loss of weight on drying, not more than 0.2 percent. +Residue on ignition, not more than 0.2 percent. +Lead (as Pb), not more than 10 parts per million. +Arsenic (as As), not more than 3 parts per million. +Assay (spectrophotometric), 96-101 percent. + + (c) Uses and restrictions. The color additive [beta]-carotene may be +safely used for coloring foods generally, in amounts consistent with +good manufacturing practice, except that it may not be used to color +those foods for which standards of identity have been promulgated under +section 401 of the act unless added color is authorized by such +standards. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom and intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + + + +Sec. 73.100 Cochineal extract; carmine. + + (a) Identity. (1) The color additive cochineal extract is the +concentrated solution obtained after removing the alcohol from an +aqueous-alcoholic extract of cochineal (Dactylopius coccus costa (Coccus +cacti L.)). The coloring principle is chiefly carminic acid. + (2) The color additive carmine is the aluminum or calcium-aluminum +lake on an aluminum hydroxide substrate of the coloring principles, +chiefly carminic acid, obtained by an aqueous extraction of cochineal +(Dactylopius coccus costa (Coccus cacti L.)). + (3) Color additive mixtures for food use made with cochineal extract +or carmine may contain only diluents that are suitable and that are +listed in this subpart as safe in color additive mixtures for coloring +foods. + (b) Specifications. (1) Cochineal extract shall conform to the +following specifications: + +pH, not less than 5.0 and not more than 5.5 at 25 [deg]C. +Protein (N x 6.25), not more than 2.2 percent. +Total solids, not less than 5.7 and not more than 6.3 percent. +Methyl alcohol, not more than 150 parts per million. +Lead (as Pb), not more than 10 parts per million. +Arsenic (as As), not more than 1 part per million. +Carminic acid, not less than 1.8 percent. + + (2) Carmine shall conform to the following specifications: + +Volatile matter (at 135 [deg]C. for 3 hours), not more than 20.0 +percent. +Ash, not more than 12.0 percent. +Lead (as Pb), not more than 10 parts per million. +Arsenic (as As), not more than 1 part per million. +Carminic acid, not less than 50.0 percent. + + +Carmine and cochineal extract shall be pasteurized or otherwise treated +to destroy all viable Salmonella microorganisms. Pasteurization or such +other treatment is deemed to permit the adding of safe and suitable +substances + +[[Page 410]] + +(other than chemical preservatives) that are essential to the method of +pasteurization or other treatment used. For the purposes of this +paragraph, safe and suitable substances are those substances that +perform a useful function in the pasteurization or other treatment to +render the carmine and cochineal extract free of viable Salmonella +microorganisms, which substances are not food additives as defined in +section 201(s) of the act or, if they are food additives as so defined, +are used in conformity with regulations established pursuant to section +409 of the act. + (c) Uses and restrictions. Carmine and cochineal extract may be +safely used for coloring foods generally in amounts consistent with good +manufacturing practice, except that they may not be used to color foods +for which standards of identity have been promulgated under section 401 +of the act unless added color is authorized by such standards. + (d) Labeling requirements. (1) The label of the color additives and +any mixtures intended solely or in part for coloring purposes prepared +therefrom shall conform to the requirements of Sec. 70.25 of this +chapter. + (2) The label of food products intended for human use, including +butter, cheese, and ice cream, that contain cochineal extract or carmine +shall specifically declare the presence of the color additive by listing +its respective common or usual name, ``cochineal extract'' or +``carmine,'' in the statement of ingredients in accordance with Sec. +101.4 of this chapter. + (e) Exemption from certification. Certification of these color +additives is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[42 FR 15643, Mar. 22, 1977, as amended at 74 FR 216, Jan. 5, 2009] + + + +Sec. 73.125 Sodium copper chlorophyllin. + + (a) Identity. (1) The color additive sodium copper chlorophyllin is +a green to black powder prepared from chlorophyll by saponification and +replacement of magnesium by copper. Chlorophyll is extracted from +alfalfa (Medicago sativa) using any one or a combination of the solvents +acetone, ethanol, and hexane. + (2) Color additive mixtures made with sodium copper chlorophyllin +may contain only those diluents that are suitable and are listed in this +subpart as safe for use in color additive mixtures for coloring foods. + (b) Specifications. Sodium copper chlorophyllin shall conform to the +following specifications and shall be free from impurities other than +those named to the extent that such impurities may be avoided by good +manufacturing practice: + (1) Moisture, not more than 5.0 percent. + (2) Solvent residues (acetone, ethanol, and hexane), not more than +50 parts per million, singly or, in combination. + (3) Total copper, not less than 4 percent and not more than 6 +percent. + (4) Free copper, not more than 200 parts per million. + (5) Lead (as Pb), not more than 10 parts per million. + (6) Arsenic (as As), not more than 3 parts per million. + (7) Mercury (as Hg), not more than 0.5 part per million. + (8) Ratio of absorbance at 405 nanometers (nm) to absorbance at 630 +nm, not less than 3.4 and not more than 3.9. + (9) Total copper chlorophyllins, not less than 95 percent of the +sample dried at 100 [deg]C for 1 hour. + (c) Uses and restrictions. Sodium copper chlorophyllin may be safely +used to color citrus-based dry beverage mixes in an amount not exceeding +0.2 percent in the dry mix. + (d) Labeling requirements. The label of the color additive and any +mixtures prepared therefrom shall conform to the requirements of Sec. +70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[67 FR 35431, May 20, 2002] + +[[Page 411]] + + + +Sec. 73.140 Toasted partially defatted cooked cottonseed flour. + + (a) Identity. (1) The color additive toasted partially defatted +cooked cottonseed flour is a product prepared as follows: Food quality +cottonseed is delinted and decorticated; the meats are screened, +aspirated, and rolled; moisture is adjusted, the meats heated, and the +oil expressed; the cooked meats are cooled, ground, and reheated to +obtain a product varying in shade from light to dark brown. + (2) Color additive mixtures for food use made with toasted partially +defatted cooked cottonseed flour may contain only diluents that are +suitable and that are listed in this subpart as safe in color additive +mixtures for coloring foods. + (b) Specifications. Toasted partially defatted cooked cottonseed +flour shall conform to the following specifications: + +Arsenic: It contains no added arsenic compound and therefore may not +exceed a maximum natural background level of 0.2 part per million total +arsenic, calculated as As. +Lead (as Pb), not more than 10 parts per million. +Free gossypol content, not more than 450 parts per million. + + (c) Uses and restrictions. The color additive toasted partially +defatted cooked cottonseed flour may be safely used for coloring foods +generally, in amounts consistent with good manufacturing practice, +except that it may not be used to color foods for which standards of +identity have been promulgated under section 401 of the act, unless +added color is authorized by such standards. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom and intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + + + +Sec. 73.160 Ferrous gluconate. + + (a) Identity. The color additive ferrous gluconate is the ferrous +gluconate defined in the Food Chemicals Codex, 3d Ed. (1981), pp. 122- +123, which is incorporated by reference. Copies may be obtained from the +National Academy Press, 2101 Constitution Ave. NW., Washington, DC +20418, or at the National Archives and Records Administration (NARA). +For information on the availability of this material at NARA, call 202- +741-6030, or go to: http://www.archives.gov/federal--register/code--of-- +federal--regulations/ibr--locations.html. + (b) Specifications. Ferrous gluconate shall meet the specifications +given in the Food Chemicals Codex, 3d Ed. (1981), which is incorporated +by reference. The availability of this incorporation by reference is +given in paragraph (a) of this section. + (c) Uses and restrictions. Ferrous gluconate may be safely used in +amounts consistent with good manufacturing practice for the coloring of +ripe olives. + (d) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[42 FR 15643, Mar. 22, 1977, as amended at 47 FR 946, Jan. 8, 1982; 49 +FR 10089, Mar. 19, 1984] + + + +Sec. 73.165 Ferrous lactate. + + (a) Identity. The color additive ferrous lactate is the ferrous +lactate defined in Sec. 184.1311 of this chapter. + (b) Specifications. Ferrous lactate shall meet the specifications +given in the Food Chemicals Codex, 4th ed. (1996), pp. 154 to 155, which +is incorporated by reference in accordance with 5 U.S.C. 552(a) and 1 +CFR part 51. Copies are available from the National Academy Press, 2101 +Constitution Ave. NW., Washington, DC 20418, or may be examined at the +Food and Drug Administration's Main Library, 10903 New Hampshire Ave., +Bldg. 2, Third Floor, Silver Spring, MD 20993, 301-796-2039, or at the +National Archives and Records + +[[Page 412]] + +Administration (NARA). For information on the availability of this +material at NARA, call 202-741-6030, or go to: http://www.archives.gov/ +federal--register/code--of--federal--regulations/ibr--locations.html. + (c) Uses and restrictions. Ferrous lactate may be safely used in +amounts consistent with good manufacturing practice for the coloring of +ripe olives. + (d) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the Federal Food, Drug, and Cosmetic Act (the act). + +[61 FR 40319, Aug. 2, 1996, as amended at 66 FR 66742, Dec. 27, 2001; 81 +FR 5590, Feb. 3, 2016] + + + +Sec. 73.169 Grape color extract. + + (a) Identity. (1) The color additive grape color extract is an +aqueous solution of anthocyanin grape pigments made from Concord grapes +or a dehydrated water soluble powder prepared from the aqueous solution. +The aqueous solution is prepared by extracting the pigments from +precipitated lees produced during the storage of Concord grape juice. It +contains the common components of grape juice, namely anthocyanins, +tartrates, malates, sugars, and minerals, etc., but not in the same +proportion as found in grape juice. The dehydrated water soluble powder +is prepared by spray drying the aqueous solution containing added malto- +dextrin. + (2) Color additive mixtures for food use made with grape color +extract may contain only those diluents listed in this subpart as safe +and suitable in color additive mixtures for coloring foods. + (b) Specifications. Grape color extract shall conform to the +following specifications: Pesticide residues, not more than permitted in +or on grapes by regulations promulgated under section 408 of the Federal +Food, Drug, and Cosmetic Act. Lead (as Pb), not more than 10 parts per +million. Arsenic (as As), not more than 1 part per million. + (c) Uses and restrictions. Grape color extract may be safely used +for the coloring of nonbeverage food, except that it may not be used to +color foods for which standards of identity have been promulgated under +section 401 of the act, unless the use of added color is authorized by +such standards. + (d) Labeling. The color additive and any mixtures prepared therefrom +intended solely or in part for coloring purposes shall bear, in addition +to the other information required by the act, labeling in accordance +with the provisions of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches are exempt from the certification requirements of +section 721(c) of the Act. + +[46 FR 47532, Sept. 29, 1981] + + + +Sec. 73.170 Grape skin extract (enocianina). + + (a) Identity. (1) The color additive grape skin extract (enocianina) +is a purplish-red liquid prepared by the aqueous extraction (steeping) +of the fresh deseeded marc remaining after grapes have been pressed to +produce grape juice or wine. It contains the common components of grape +juice; namely, anthocyanins, tartaric acid, tannins, sugars, minerals, +etc., but not in the same proportions as found in grape juice. During +the steeping process, sulphur dioxide is added and most of the extracted +sugars are fermented to alcohol. The extract is concentrated by vacuum +evaporation, during which practically all of the alcohol is removed. A +small amount of sulphur dioxide may be present. + (2) Color additive mixtures for food use made with grape skin +extract (enocianina) may contain only those diluents listed in this +subpart as safe and suitable in color additive mixtures for coloring +foods. + (b) Specifications. Grape skin extract (enocianina) shall conform to +the following specifications: + +Pesticide residues, not more than permitted in or on grapes by +regulations promulgated under section 408 of the Federal Food, Drug, and +Cosmetic Act. + +[[Page 413]] + +Lead (as Pb), not more than 10 parts per million. +Arsenic (as As), not more than 1 part per million. + + (c) Uses and restrictions. Grape skin extract (enocianina) may be +safely used for the coloring of still and carbonated drinks and ades, +beverage bases, and alcoholic beverages subject to the following +restrictions: + (1) It may not be used to color foods for which standards of +identity have been promulgated under section 401 of the act unless +artificial color is authorized by such standards. + (2) Its use in alcoholic beverages shall be in accordance with the +provisions of parts 4 and 5, title 27 CFR. + (d) Labeling requirements. The label of the color additive and any +mixtures prepared therefrom intended solely or in part for coloring +purposes shall conform to the requirements of Sec. 70.25 of this +chapter. The common or usual name of the color additive is ``grape skin +extract'' followed, if desired, by ``(enocianina)''. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + + + +Sec. 73.185 Haematococcus algae meal. + + (a) Identity. (1) The color additive haematococcus algae meal +consists of the comminuted and dried cells of the alga Haematococcus +pluvialis. + (2) Haematococcus algae meal may be added to the fish feed only as a +component of a stabilized color additive mixture. Color additive +mixtures for fish feed use made with haematococcus algae meal may +contain only those diluents that are suitable and are listed in this +subpart as safe for use in color additive mixtures for coloring foods. + (b) Specifications. Haematococcus algae meal shall conform to the +following specifications and shall be free from impurities other than +those named to the extent that such impurities may be avoided by good +manufacturing practice: + +Physical state, solid. +Lead, not more than 5 parts per million. +Arsenic, not more than 2 parts per million. +Mercury, not more than 1 part per million. +Heavy metals (as Pb), not more than 10 parts per million. +Astaxanthin, not less than 1.5 percent. + + (c) Uses and restrictions. Haematococcus algae meal may be safely +used in the feed of salmonid fish in accordance with the following +prescribed conditions: + (1) The color additive is used to enhance the pink to orange-red +color of the flesh of salmonid fish. + (2) The quantity of astaxanthin in finished feed, from haematococcus +algae meal when used alone or in combination with other astaxanthin +color additive sources listed in this part 73, shall not exceed 80 +milligrams per kilogram (72 grams per ton) of finished feed. + (d) Labeling requirements. (1) The labeling of the color additive +and any premixes prepared therefrom shall bear expiration dates for the +sealed and open container (established through generally accepted +stability testing methods), other information required by Sec. 70.25 of +this chapter, and adequate directions to prepare a final product +complying with the limitations prescribed in paragraph (c) of this +section. + (2) The presence of the color additive in finished fish feed +prepared according to paragraph (c) of this section shall be declared in +accordance with Sec. 501.4 of this chapter. + (3) The presence of the color additive in salmonid fish that have +been fed feeds containing haematococcus algae meal shall be declared in +accordance with Sec. Sec. 101.22(b), (c), and (k)(2), and 101.100(a)(2) +of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[65 FR 41584, July 6, 2000] + + + +Sec. 73.200 Synthetic iron oxide. + + (a) Identity. (1) The color additive synthetic iron oxide consists +of any one or any combination of synthetically prepared iron oxides, +including the hydrated forms. It is free from admixture with other +substances. + (2) Color additive mixtures for food use made with synthetic iron +oxide + +[[Page 414]] + +may contain only those diluents that are suitable and that are listed in +this subpart as safe for use in color additive mixtures for coloring +foods. + (b) Specifications. (1) Synthetic iron oxide for human food use +shall conform to the following specifications: + +Arsenic (as As), not more than 3 milligrams per kilogram (mg/kg) (3 +parts per million (ppm)). +Lead (as Pb), not more than 5 mg/kg (5 ppm). +Mercury (as Hg), not more than 1 mg/kg (1 ppm). + + (2) Synthetic iron oxide for dog and cat food use shall conform to +the following specifications: + +Arsenic (as As), not more than 5 parts per million. +Lead (as Pb), not more than 20 parts per million. +Mercury (as Hg), not more than 3 parts per million. + + (c) Uses and restrictions. (1) Synthetic iron oxide may be safely +used for human food use subject to the following restrictions: + (i) In sausage casings intended for human consumption in an amount +not exceeding 0.10 percent by weight of the finished food. + (ii) In soft and hard candy, mints, and chewing gum at levels +consistent with good manufacturing practice, except that it may not be +used to color foods for which standards of identity have been issued +under section 401 of the Federal Food, Drug, and Cosmetic Act, unless +the use of the added color is authorized by such standards. + (2) Synthetic iron oxide may be safely used for the coloring of dog +and cat foods in an amount not exceeding 0.25 percent by weight of the +finished food. + (d) Labeling requirements. The label of the color additive and any +mixture prepared therefrom intended solely or in part for coloring +purposes shall conform to the requirements of Sec. 70.25 of this +chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[42 FR 15643, Mar. 22, 1977, as amended at 59 FR 10578, Mar. 7, 1994; 80 +FR 14842, Mar. 20, 2015] + + + +Sec. 73.250 Fruit juice. + + (a) Identity. (1) The color additive fruit juice is prepared either +by expressing the juice from mature varieties of fresh, edible fruits, +or by the water infusion of the dried fruit. The color additive may be +concentrated or dried. The definition of fruit juice in this paragraph +is for the purpose of identity as a color additive only and shall not be +construed as a standard of identity under section 401 of the act. +However, where a standard of identity for a particular fruit juice has +been promulgated under section 401 of the act, it shall conform to such +standard. + (2) Color additive mixtures made with fruit juice may contain as +diluents only those substances listed in this subpart as safe and +suitable in color additive mixtures for coloring foods. + (b) Uses and restrictions. Fruit juice may be safely used for the +coloring of foods generally, in amounts consistent with good +manufacturing practice, except that it may not be used to color foods +for which standards of identity have been promulgated under section 401 +of the act, unless the use of added color is authorized by such +standards. + (c) Labeling. The color additive and any mixtures intended solely or +in part for coloring purposes prepared therefrom shall bear, in addition +to the other information required by the act, labeling in accordance +with the provisions of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[42 FR 15643, Mar. 22, 1977, as amended at 60 FR 52629, Oct. 10, 1995] + + + +Sec. 73.260 Vegetable juice. + + (a) Identity. (1) The color additive vegetable juice is prepared +either by expressing the juice from mature varieties of fresh, edible +vegetables, or by the water infusion of the dried vegetable. The color +additive may be concentrated or dried. The definition of vegetable juice +in this paragraph is for the purpose of identity as a color additive +only, and shall not be construed as + +[[Page 415]] + +a standard of identity under section 401 of the act. However, where a +standard of identity for a particular vegetable juice has been +promulgated under section 401 of the act, it shall conform to such +standard. + (2) Color additive mixtures made with vegetable juice may contain as +diluents only those substances listed in this subpart as safe and +suitable in color additive mixtures for coloring foods. + (b) Uses and restrictions. Vegetable juice may be safely used for +the coloring of foods generally, in amounts consistent with good +manufacturing practice, except that it may not be used to color foods +for which standards of identity have been promulgated under section 401 +of the act, unless the use of added color is authorized by such +standards. + (c) Labeling. The color additive and any mixtures intended solely or +in part for coloring purposes prepared therefrom shall bear, in addition +to the other information required by the act, labeling in accordance +with the provisions of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[42 FR 15643, Mar. 22, 1977, as amended at 60 FR 52629, Oct. 10, 1995] + + + +Sec. 73.275 Dried algae meal. + + (a) Identity. The color additive dried algae meal is a dried mixture +of algae cells (genus Spongiococcum, separated from its culture broth), +molasses, cornsteep liquor, and a maximum of 0.3 percent ethoxyquin. The +algae cells are produced by suitable fermentation, under controlled +conditions, from a pure culture of the genus Spongiococcum. + (b) Uses and restrictions. The color additive dried algae meal may +be safely used in chicken feed in accordance with the following +prescribed conditions: + (1) The color additive is used to enhance the yellow color of +chicken skin and eggs. + (2) The quantity of the color additive incorporated in the feed is +such that the finished feed: + (i) Is supplemented sufficiently with xanthophyll and associated +carotenoids so as to accomplish the intended effect described in +paragraph (b)(1) of this section; and + (ii) Meets the tolerance limitation for ethoxyquin in animal feed +prescribed in Sec. 573.380 of this chapter. + (c) Labeling. The label of the color additives and any premixes +prepared therefrom shall bear in addition to the information required by +Sec. 70.25 of this chapter. + (1) A statement of the concentrations of xanthophyll and ethoxyquin +contained therein. + (2) Adequate directions to provide a final product complying with +the limitations prescribed in paragraph (b) of this section. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + + + +Sec. 73.295 Tagetes (Aztec marigold) meal and extract. + + (a) Identity. (1) The color additive tagetes (Aztec marigold) meal +is the dried, ground flower petals of the Aztec marigold (Tagetes erecta +L.) mixed with not more than 0.3 percent ethoxyquin. + (2) The color additive tagetes (Aztec marigold) extract is a hexane +extract of the flower petals of the Aztec marigold (Tagetes erecta L.). +It is mixed with an edible vegetable oil, or with an edible vegetable +oil and a hydrogenated edible vegetable oil, and not more than 0.3 +percent ethoxyquin. It may also be mixed with soy flour or corn meal as +a carrier. + (b) Specifications. (1) Tagetes (Aztec marigold) meal is free from +admixture with other plant material from Tageteserecta L. or from plant +material or flowers of any other species of plants. + (2) Tagetes (Aztec marigold) extract shall be prepared from tagetes +(Aztec marigold) petals meeting the specifications set forth in +paragraph (b)(1) of this section and shall conform to the following +additional specifications: + +[[Page 416]] + + + +Melting point............................. 53.5-55.0 [deg]C. +Iodine value.............................. 132-145. +Saponification value...................... 175-200. +Acid value................................ 0.60-1.20. +Titer..................................... 35.5-37.0 [deg]C. +Unsaponifiable matter..................... 23.0 percent-27.0 percent. +Hexane residue............................ Not more than 25 p.p.m. + + + +All determinations, except the hexane residue, shall be made on the +initial extract of the flower petals (after drying in a vacuum oven at +60 [deg]C. for 24 hours) prior to the addition of the oils and +ethoxyquin. The hexane determination shall be made on the color additive +after the addition of the vegetable oils, hydrogenated vegetable oils, +and ethoxyquin. + (c) Uses and restrictions. The color additives tagetes (Aztec +marigold) meal and extract may be safely used in chicken feed in +accordance with the following prescribed conditions: + (1) The color additives are used to enhance the yellow color of +chicken skin and eggs. + (2) The quantity of the color additives incorporated in the feed is +such that the finished feed: + (i) Is supplemented sufficiently with xanthophyll and associated +carotenoids so as to accomplish the intended effect described in +paragraph (c)(1) of this section; and + (ii) Meets the tolerance limitation for ethoxyquin in animal feed +prescribed in Sec. 573.380 of this chapter. + (d) Labeling requirements. The label of the color additives and any +premixes prepared therefrom shall bear, in addition to the information +required by Sec. 70.25 of this chapter: + (1) A statement of the concentrations of xanthophyll and ethoxyquin +contained therein. + (2) Adequate directions to provide a final product complying with +the limitations prescribed in paragraph (c) of this section. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + + + +Sec. 73.300 Carrot oil. + + (a) Identity. (1) The color additive carrot oil is the liquid or the +solid portion of the mixture or the mixture itself obtained by the +hexane extraction of edible carrots (Daucus carota L.) with subsequent +removal of the hexane by vacuum distillation. The resultant mixture of +solid and liquid extractives consists chiefly of oils, fats, waxes, and +carrotenoids naturally occurring in carrots. The definition of carrot +oil in this paragraph is for the purpose of identity as a color additive +only and shall not be construed as setting forth an official standard +for carrot oil or carrot oleoresin under section 401 of the act. + (2) Color additive mixtures for food use made with carrot oil may +contain only those diluents listed in this subpart as safe and suitable +in color additive mixtures for coloring foods. + (b) Specifications. Carrot oil shall contain no more than 25 parts +per million of hexane. + (c) Uses and restrictions. Carrot oil may be safely used for +coloring foods generally, in amounts consistent with good manufacturing +practice, except that it may not be used to color foods for which +standards of identity have been promulgated under section 401 of the act +unless the use of added color is authorized by such standards. + (d) Labeling requirements. The label of the color additive and any +mixtures prepared therefrom intended solely or in part for coloring +purposes shall conform to the requirements of Sec. 70.25 of this +chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + + + +Sec. 73.315 Corn endosperm oil. + + (a) Identity. (1) The color additive corn endosperm oil is a +reddish-brown liquid composed chiefly of glycerides, fatty acids, +sitosterols, and carotenoid pigments obtained by isopropyl alcohol and +hexane extraction from the gluten fraction of yellow corn grain. The +definition of corn endosperm oil in this paragraph is for the purpose of +definition as a color additive only and shall not be construed as a food +standard of identity under section 401 of the act. + (2) Color additive mixtures for food use made with corn endosperm +oil may contain only those diluents listed in + +[[Page 417]] + +this subpart as safe and suitable in color additive mixtures for +coloring foods. + (b) Specifications. Corn endosperm oil conforms to the following +specifications: + +Total fatty acids, not less than 85 percent. +Iodine value, 118 to 134. +Saponification value, 165 to 185. +Unsaponifiable matter, not more than 14 percent. +Hexane, not more than 25 narts per millimn. +Isopropyl alcohol, not more than 100 parts per million. + + (c) Uses and restrictions. The color additive corn endosperm oil may +be safely used in chicken feed in accordance with the following +prescribed conditions: + (1) The color additive is used to enhance the yellow color of +chicken skin and eggs. + (2) The quantity of the color additive incorporated in the feed is +such that the finished feed is supplemented sufficiently with +xanthophyll and associated carotenoids so as to accomplish the intended +effect described in paragraph (c)(1) of this section. + (d) Labeling requirements. The label of the color additive and any +premixes prepared therefrom shall bear, in addition to the information +required by Sec. 70.25 of this chapter, a statement of the +concentration of xanthophyll contained therein. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + + + +Sec. 73.340 Paprika. + + (a) Identity. (1) The color additive paprika is the ground dried pod +of mild capsicum (Capsicum annuum L.). The definition of paprika in this +paragraph is for the purpose of identity as a color additive only and +shall not be construed as setting forth an official standard for paprika +under section 401 of the act. + (2) Color additive mixtures made with paprika may contain as +diluents only those substances listed in this subpart as safe and +suitable in color additive mixtures for coloring foods. + (b) Uses and restrictions. Paprika may be safely used for the +coloring of foods generally, in amounts consistent with good +manufacturing practice, except that it may not be used to color foods +for which standards of identity have been promulgated under section 401 +of the act, unless the use of added color is authorized by such +standards. + (c) Labeling. The color additive and any mixtures intended solely or +in part for coloring purposes prepared therefrom shall bear, in addition +to the other information required by the act, labeling in accordance +with the provisions of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + + + +Sec. 73.345 Paprika oleoresin. + + (a) Identity. (1) The color additive paprika oleoresin is the +combination of flavor and color principles obtained from paprika +(Capsicum annuum L.) by extraction, using any one or a combination of +the following solvents: + +Acetone +Ethyl alcohol +Ethylene dichloride +Hexane +Isopropyl alcohol +Methyl alcohol +Methylene chloride +Trichloroethylene + + +The definition of paprika oleoresin in this paragraph is for the purpose +of identity as a color additive only, and shall not be construed as +setting forth an official standard for paprika oleoresin under section +401 of the act. + (2) Color additive mixtures made with paprika oleoresin may contain +as diluents only those substances listed in this subpart as safe and +suitable in color additive mixtures for coloring foods. + (b) Specifications. Paprika oleoresin shall contain no more residue +of the solvents listed in paragraph (a)(1) of this section than is +permitted of the corresponding solvents in spice oleoresins under +applicable food additive regulations in parts 170 through 189 of this +chapter. + +[[Page 418]] + + (c) Uses and restrictions. Paprika oleoresin may be safely used for +the coloring of foods generally in amounts consistent with good +manufacturing practice, except that it may not be used to color foods +for which standards of identity have been promulgated under section 401 +of the act, unless the use of added color is authorized by such +standards. + (d) Labeling. The color additive and any mixtures intended solely or +in part for coloring purposes prepared therefrom shall bear, in addition +to the other information required by the act, labeling in accordance +with the provisions of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + + + +Sec. 73.350 Mica-based pearlescent pigments. + + (a) Identity. (1) The color additive is formed by depositing +titanium salts onto mica, followed by heating to produce titanium +dioxide on mica. Mica used to manufacture the color additive shall +conform in identity to the requirements of Sec. 73.1496(a)(1). + (2) Color additive mixtures for food use made with mica-based +pearlescent pigments may contain only those diluents listed in this +subpart as safe and suitable for use in color additive mixtures for +coloring food. + (b) Specifications. Mica-based pearlescent pigments shall conform to +the following specifications and shall be free from impurities other +than those named to the extent that such other impurities may be avoided +by good manufacturing practice: + (1) Lead (as Pb), not more than 4 parts per million (ppm). + (2) Arsenic (as As), not more than 3 ppm. + (3) Mercury (as Hg), not more than 1 ppm. + (c) Uses and restrictions. (1) The substance listed in paragraph (a) +of this section may be safely used as a color additive in food as +follows: + (i) In amounts up to 1.25 percent, by weight, in the following +foods: Cereals, confections and frostings, gelatin desserts, hard and +soft candies (including lozenges), nutritional supplement tablets and +gelatin capsules, and chewing gum. + (ii) In amounts up to 0.07 percent, by weight, in the following: + (A) Distilled spirits containing not less than 18 percent and not +more than 25 percent alcohol by volume. + (B) Cordials, liqueurs, flavored alcoholic malt beverages, wine +coolers, and cocktails. + (C) Non-alcoholic cocktail mixes and mixers, such as margarita mix, +Bloody Mary mix, and daiquiri mix, but excluding eggnog, tonic water, +and beverages that are typically consumed without added alcohol (e.g., +fruit juices, fruit juice drinks, and soft drinks). + (iii) In egg decorating kits used for coloring the shells of eggs in +amounts consistent with good manufacturing practice. + (2) The color additive may not be used to color foods for which +standards of identity have been issued under section 401 of the act, +unless the use of the added color is authorized by such standards. + (d) Labeling. The label of the color additive and of any mixture +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[71 FR 31929, June 2, 2006, as amended at 78 FR 35117, June 12, 2013; 80 +FR 32307, June 8, 2015; 80 FR 58602, Sept. 30, 2015] + + + +Sec. 73.352 Paracoccus pigment. + + (a) Identity. (1) The color additive paracoccus pigment consists of +the heat-killed, dried cells of a nonpathogenic and nontoxicogenic +strain of the bacterium Paracoccus carotinifaciens and may contain added +calcium carbonate to adjust the astaxanthin level. + (2) Color additive mixtures for fish feed use made with paracoccus +pigment may contain only those diluents that are suitable and are listed +in this subpart as safe for use in color additive mixtures for coloring +foods. + +[[Page 419]] + + (b) Specifications. Paracoccus pigment shall conform to the +following specifications and shall be free from impurities, other than +those named, to the extent that such impurities may be avoided by good +manufacturing practice: + (1) Physical state, solid. + (2) Lead, not more than 5 milligrams per kilogram (mg/kg) (5 parts +per million (ppm)). + (3) Arsenic, not more than 2 mg/kg (2 ppm). + (4) Mercury, not more than 1 mg/kg (1 ppm). + (5) Heavy metals (as Pb), not more than 10 mg/kg (10 ppm). + (6) Astaxanthin, not less than 1.75 percent. + (c) Uses and restrictions. Paracoccus pigment may be safely used in +the feed of salmonid fish in accordance with the following prescribed +conditions: + (1) The color additive is used to enhance the pink to orange-red +color of the flesh of salmonid fish. + (2) The quantity of astaxanthin in finished feed, from paracoccus +pigment when used alone or in combination with other astaxanthin color +additive sources listed in this part 73, shall not exceed 80 mg/kg (72 +grams per ton) of finished feed. + (d) Labeling requirements. (1) The labeling of the color additive +and any premixes prepared therefrom shall bear expiration dates for the +sealed and open container (established through generally accepted +stability testing methods), other information required by Sec. 70.25 of +this chapter, and adequate directions to prepare a final product +complying with the limitations prescribed in paragraph (c) of this +section. + (2) The presence of the color additive in finished fish feed +prepared according to paragraph (c) of this section shall be declared in +accordance with Sec. 501.4 of this chapter. + (3) The presence of the color additive in salmonid fish that have +been fed feeds containing paracoccus pigment shall be declared in +accordance with Sec. Sec. 101.22(b), (c), and (k)(2), and 101.100(a)(2) +of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore, batches thereof are exempt from the certification +requirements of section 721(c) of the act. + +[74 FR 58845, Nov. 16, 2009] + + + +Sec. 73.355 Phaffia yeast. + + (a) Identity. (1) The color additive phaffia yeast consists of the +killed, dried cells of a nonpathogenic and nontoxicogenic strain of the +yeast Phaffia rhodozyma. + (2) Phaffia yeast may be added to the fish feed only as a component +of a stabilized color additive mixture. Color additive mixtures for fish +feed use made with phaffia yeast may contain only those diluents that +are suitable and are listed in this subpart as safe for use in color +additive mixtures for coloring foods. + (b) Specifications. Phaffia yeast shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such impurities may be avoided by good manufacturing +practice: + +Physical state, solid. +Lead, not more than 5 parts per million. +Arsenic, not more than 2 parts per million. +Mercury, not more than 1 part per million. +Heavy metals (as Pb), not more than 10 parts per million. +Astaxanthin, not less than 0.4 percent. + + (c) Uses and restrictions. Phaffia yeast may be safely used in the +feed of salmonid fish in accordance with the following prescribed +conditions: + (1) The color additive is used to enhance the pink to orange-red +color of the flesh of salmonid fish. + (2) The quantity of astaxanthin in finished feed, from phaffia yeast +when used alone or in combination with other astaxanthin color additive +sources listed in this part 73, shall not exceed 80 milligrams per +kilogram (72 grams per ton) of finished feed. + (d) Labeling requirements. (1) The labeling of the color additive +and any premixes prepared therefrom shall bear expiration dates for the +sealed and open container (established through generally accepted +stability testing methods), other information required by Sec. 70.25 of +this chapter, and adequate directions to prepare a final product +complying with the limitations prescribed in paragraph (c) of this +section. + +[[Page 420]] + + (2) The presence of the color additive in finished fish feed +prepared according to paragraph (c) of this section shall be declared in +accordance with Sec. 501.4 of this chapter. + (3) The presence of the color additive in salmonid fish that have +been fed feeds containing phaffia yeast shall be declared in accordance +with Sec. Sec. 101.22(b), (c), and (k)(2) and 101.100(a)(2) of this +chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[65 FR 41587, July 6, 2000] + + + +Sec. 73.450 Riboflavin. + + (a) Identity. (1) The color additive riboflavin is the riboflavin +defined in the Food Chemicals Codex, 3d Ed. (1981), pp. 262-263, which +is incorporated by reference. Copies may be obtained from the National +Academy Press, 2101 Constitution Ave. NW., Washington, DC 20418, or at +the National Archives and Records Administration (NARA). For information +on the availability of this material at NARA, call 202-741-6030, or go +to: http://www.archives.gov/federal--register/code--of--federal-- +regulations/ibr--locations.html. + (2) Color additive mixtures made with riboflavin may contain as +diluents only those substances listed in this subpart as safe and +suitable for use in color additive mixtures for coloring foods. + (b) Specifications. Riboflavin shall meet the specifications given +in the Food Chemicals Codex, 3d Ed. (1981), which is incorporated by +reference. The availability of this incorporation by reference is given +in paragraph (a)(1) of this section. + (c) Uses and restrictions. Riboflavin may be safely used for the +coloring of foods generally, in amounts consistent with good +manufacturing practice; except that it may not be used to color foods +for which standards of identity have been promulgated under section 401 +of the act, unless the use of added color is authorized by such +standards. + (d) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the Act. + +[42 FR 15643, Mar. 22, 1977, as amended at 47 FR 947, Jan. 8, 1982; 49 +FR 10089, Mar. 19, 1984] + + + +Sec. 73.500 Saffron. + + (a) Identity. (1) The color additive saffron is the dried stigma of +Crocus sativus L. The definition of saffron in this paragraph is for the +purpose of identity as a color additive only, and shall not be construed +as setting forth an official standard for saffron under section 401 of +the act. + (2) Color additive mixtures made with saffron may contain as +diluents only those substances listed in this subpart as safe and +suitable in color additive mixtures for coloring foods. + (b) Uses and restrictions. Saffron may be safely used for the +coloring of foods generally, in amounts consistent with good +manufacturing practice, except that it may not be used to color foods +for which standards of identity have been promulgated under section 401 +of the act, unless the use of added color is authorized by such +standards. + (c) Labeling. The color additive and any mixtures intended solely or +in part for coloring purposes prepared therefrom shall bear, in addition +to the other information required by the act, labeling in accordance +with the provisions of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + + + +Sec. 73.530 Spirulina extract. + + (a) Identity. (1) The color additive spirulina extract is prepared +by the filtered aqueous extraction of the dried biomass of Arthrospira +platensis. The color additive contains phycocyanins as the principal +coloring components. + (2) Color additive mixtures for food use made with spirulina extract +may contain only those diluents that are + +[[Page 421]] + +suitable and are listed in this subpart as safe for use in color +additive mixtures for coloring foods. + (b) Specifications. Spirulina extract must conform to the following +specifications and must be free from impurities, other than those named, +to the extent that such other impurities may be avoided by good +manufacturing practice: + (1) Lead, not more than 2 milligrams per kilogram (mg/kg) (2 part +per million (ppm)); + (2) Arsenic, not more than 2 mg/kg (2 ppm); + (3) Mercury, not more than 1 mg/kg (1 ppm); and + (4) Negative for microcystin toxin. + (c) Uses and restrictions. Spirulina extract may be safely used for +coloring confections (including candy and chewing gum), frostings, ice +cream and frozen desserts, dessert coatings and toppings, beverage mixes +and powders, yogurts, custards, puddings, cottage cheese, gelatin, +breadcrumbs, ready-to-eat cereals (excluding extruded cereals), and +coating formulations applied to dietary supplement tablets and capsules, +at levels consistent with good manufacturing practice, except that it +may not be used to color foods for which standards of identity have been +issued under section 401 of the Federal Food, Drug, and Cosmetic Act, +unless the use of the added color is authorized by such standards. + (d) Labeling requirements. The label of the color additive and of +any mixture prepared therefrom intended solely or in part for coloring +purposes must conform to Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the Federal Food, Drug, and Cosmetic Act. + +[78 FR 49120, Aug. 13, 2013, as amended at 79 FR 20098, May 13, 2014; 80 +FR 50765, Aug. 21, 2015] + + + +Sec. 73.575 Titanium dioxide. + + (a) Identity. (1) The color additive titanium dioxide is +synthetically prepared TiO, free from admixture with other +substances. + (2) Color additive mixtures for food use made with titanium dioxide +may contain only those diluents that are suitable and that are listed in +this subpart as safe in color additive mixtures for coloring foods, and +the following: Silicon dioxide, SiO and/or aluminum oxide, +Al O, as dispersing aids--not more than 2 +percent total. + (b) Specifications. Titanium dioxide shall conform to the following +specifications: + +Lead (as Pb), not more than 10 parts per million. +Arsenic (as As), not more than 1 part per million. +Antimony (as Sb), not more than 2 parts per million. +Mercury (as Hg), not more than 1 part per million. +Loss on ignition at 800 [deg]C. (after drying for 3 hours at 105 +[deg]C.), not more than 0.5 percent. +Water soluble substances, not more than 0.3 percent. +Acid soluble substances, not more than 0.5 percent. +TiO, not less than 99.0 percent after drying for 3 hours at +105 [deg]C. + + +Lead, arsenic, and antimony shall be determined in the solution obtained +by boiling 10 grams of the titanium dioxide for 15 minutes in 50 +milliliters of 0.5N hydrochloric acid. + (c) Uses and restrictions. The color additive titanium dioxide may +be safely used for coloring foods generally, subject to the following +restrictions: + (1) The quantity of titanium dioxide does not exceed 1 percent by +weight of the food. + (2) It may not be used to color foods for which standards of +identity have been promulgated under section 401 of the act unless added +color is authorized by such standards. + (d) Labeling. The label of the color additive and any mixtures +intended solely or in part for coloring purposes prepared therefrom +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[[Page 422]] + + +22232 +Sec. 73.585 Tomato lycopene extract; tomato lycopene concentrate. + + (a) Identity. (1) The color additive tomato lycopene extract is a +red to dark brown viscous oleoresin extracted with ethyl acetate from +tomato pulp followed by removal of the solvent by evaporation. The pulp +is produced from fresh, edible varieties of the tomato by removing the +liquid. The main coloring component is lycopene. + (2) The color additive tomato lycopene concentrate is a powder +prepared from tomato lycopene extract by removing most of the tomato +lipids with ethyl acetate and then evaporating off the solvent. + (3) Color additive mixtures made with tomato lycopene extract or +tomato lycopene concentrate may contain only those diluents listed in +this subpart as safe and suitable for use in color additive mixtures for +coloring food. + (b) Specifications. (1) Tomato lycopene extract shall conform to the +following specification: Lycopene, not less than 5.5 percent of +oleoresin as determined by the method entitled ``Qualitative Analysis of +Lycopene, Its Isomers and Other Carotenoids in Different Concentrations +of Lyc-O-Mato [supreg] (Tomato Oleoresin) and in Tomato Pulp by High +Performance Liquid Chromatography (HPLC),'' S.O.P. number : Lab/119/01, +Revision 01, dated May 30, 2001, published by LycoRed Natural Products +Industries, which is incorporated by reference, or an equivalent method. +The Director of the Office of the Federal Register approves this +incorporation by reference in accordance with 5 U.S.C. 552(a) and 1 CFR +part 51. You may obtain a copy of the method from the Center for Food +Safety and Applied Nutrition (HFS-200), Food and Drug Administration, +5100 Paint Branch Pkwy., College Park, MD 20740. You may inspect a copy +at theFood and Drug Administration's Main Library, 10903 New Hampshire +Ave., Bldg. 2, Third Floor, Silver Spring, MD 20993, 301-796-2039, or at +the National Archives and Records Administration (NARA). For information +on the availability of this material at NARA, call 202-741-6030, or go +to: http://www.archives.gov/federal--register/code--of--federal-- +regulations/ibr--locations.html + (2) Tomato lycopene concentrate shall conform to the following +specification: Lycopene, not less than 60 percent of oleoresin as +determined by the method identified in paragraph (b)(1) of this section. + (c) Uses and restrictions. Tomato lycopene extract and tomato +lycopene concentrate may be safely used for coloring foods generally in +amounts consistent with good manufacturing practice, except that they +may not be used to color foods for which standards of identity have been +issued under section 401 of the act, unless the use of added color is +authorized by such standards. + (d) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[70 FR 43045, July 26, 2005, as amended at 81 FR 5590, Feb. 3, 2016] + + + +Sec. 73.600 Turmeric. + + (a) Identity. (1) The color additive turmeric is the ground rhizome +of Curcuma longa L. The definition of turmeric in this paragraph is for +the purpose of identity as a color additive only, and shall not be +construed as setting forth an official standard for turmeric under +section 401 of the act. + (2) Color additive mixtures made with turmeric may contain as +diluents only those substances listed in this subpart as safe and +suitable in color additive mixtures for coloring foods. + (b) Uses and restrictions. Turmeric may be safely used for the +coloring of foods generally, in amounts consistent with good +manufacturing practice, except that it may not be used to color foods +for which standards of identity have been promulgated under section 401 +of the act, unless the use of added color is authorized by such +standards. + (c) Labeling. The color additive and any mixtures intended solely or +in part for coloring purposes prepared therefrom shall bear, in addition +to the other information required by the act, + +[[Page 423]] + +labeling in accordance with the provisions of Sec. 70.25 of this +chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + + + +Sec. 73.615 Turmeric oleoresin. + + (a) Identity. (1) The color additive turmeric oleoresin is the +combination of flavor and color principles obtained from turmeric +(Curcuma longa L.) by extraction using any one or a combination of the +following solvents: + +Acetone +Ethyl alcohol +Ethylene dichloride +Hexane +Isopropyl alcohol +Methyl alcohol +Methylene chloride +Trichloroethylene + + +The definition of turmeric oleoresin in this paragraph is for the +purpose of identity as a color additive only, and shall not be construed +as setting forth an official standard for turmeric oleoresin under +section 401 of the act. + (2) Color additive mixtures made with turmeric oleoresin may contain +as diluents only those substances listed in this subpart as safe and +suitable in color additive mixtures for coloring foods. + (b) Specifications. Turmeric oleoresin shall contain no more residue +of the solvents listed under paragraph (a)(1) of this section than is +permitted for the corresponding solvents in spice oleoresins under +applicable food additive regulation in parts 170 through 189 of this +chapter. + (c) Uses and restrictions. Turmeric oleoresin may be safely used for +the coloring of foods generally, in amounts consistent with good +manufacturing practice, except that it may not be used to color foods +for which standards of identity have been promulgated under section 401 +of the act, unless the use of added color is authorized by such +standards. + (d) Labeling. The color additive and any mixtures intended solely or +in part for coloring purposes prepared therefrom shall bear, in addition +to the other information required by the act, labeling in accordance +with the provisions of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + + + + Subpart B_Drugs + + + +Sec. 73.1001 Diluents in color additive mixtures for drug use +exempt from certification. + + The following diluents may be safely used in color additive mixtures +that are exempt from certification and which are to be used for coloring +drugs, subject to the condition that each straight color in the mixture +has been exempted from certification or, if not so exempted, is from a +batch that has previously been certified and has not changed in +composition since certification. Such listing of diluents is not to be +construed as superseding any of the other requirements of the Federal +Food, Drug, and Cosmetic Act with respect to drugs, including new drugs. +If a definition and specification for a particular diluent is not set +forth in this subpart, the material shall be of a purity consistent with +its intended use. + (a) Ingested drugs--(1) General use. Diluents listed in Sec. +73.1(a) and the following: + +------------------------------------------------------------------------ + Definitions and + Substances specifications Restrictions +------------------------------------------------------------------------ +Alcohol, specially denatured.. As set forth in 26 As set forth in 26 + CFR, pt. 212. CFR, pt. 211. +Cetyl alcohol................. As set forth in + N.F. XI. +Isopropyl alcohol............. ................... In color coatings + for pharmaceutical + forms, no residue. +Polyoxyethylene (20) sorbitan As set forth in + monostearate (Polysorbate 60). sec. 172.836 of + this chapter. +Polyoxyethylene (20) sorbitan As set forth in + tristearate (Polysorbate 65). sec. 172.838 of + this chapter. +Polysorbate 80................ As set forth in + sec. 172.840 of + this chapter. +Polyvinyl-pyrrolidone......... As set forth in + sec. 173.55 of + this chapter. +Sorbitan monooleate........... + +[[Page 424]] + + +Sorbitan monostearate......... As set forth in + sec. 172.842 of + this chapter. +Sorbitan trioleate............ +------------------------------------------------------------------------ + + (2) Special use; inks for branding pharmaceutical forms. Items +listed in paragraph (a)(1) of this section, Sec. 73.1(b)(1)(i), and the +following: + +Ethyl lactate +Polyoxyethylene sorbitan monolaurate (20) + + (b) Externally applied drugs. Diluents listed in paragraph (a)(1) of +this section and the following: + +------------------------------------------------------------------------ + Definitions and + Substances specifications +------------------------------------------------------------------------ +Benzyl alcohol........................... As set forth in N.F. XI. +Ethyl cellulose.......................... As set forth in Sec. + 172.868 of this chapter. +Hydroxyethyl cellulose................... +Hydroxypropyl cellulose.................. As set forth in Sec. + 172.870 of this chapter. +------------------------------------------------------------------------ + + + +Sec. 73.1010 Alumina (dried aluminum hydroxide). + + (a) Identity. (1) The color additive alumina (dried aluminum +hydroxide) is a white, odorless, tasteless, amorphous powder consisting +essentially of aluminum hydroxide (Al O[middot] +XH O). + (2) Color additive mixtures for drug use made with alumina (dried +aluminum hydroxide) may contain only those diluents listed in this +subpart as safe and suitable for use in color additive mixtures for +coloring drugs. + (b) Specifications. Alumina (dried aluminum hydroxide) shall conform +to the following specifications: + +Acidity or alkalinity: Agitate 1 gram of the color additive with 25 +milliliters of water and filter. The filtrate shall be neutral to litmus +paper. +Matter insoluble in dilute hydrochloric acid, not more than 0.5 percent. +Lead (as Pb), not more than 10 parts per million. +Arsenic (as As), not more than 1 part per million. +Mercury (as Hg), not more than 1 part per million. +Aluminum oxide (Al O), not less than 50 percent. + + (c) Uses and restrictions. Alumina (dried aluminum hydroxide) may be +safely used in amounts consistent with good manufacturing practice to +color drugs generally. + (d) Labeling requirements. The label of the color additive and of +any mixtures prepared therefrom intended solely or in part for coloring +purposes shall conform to the requirements of Sec. 70.25 of this +chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + + +23223 +Sec. 73.1015 Chromium-cobalt-aluminum oxide. + + (a) Identity. The color additive chromium-cobalt-aluminum oxide is a +blue-green pigment obtained by calcining a mixture of chromium oxide, +cobalt carbonate, and aluminum oxide. It may contain small amounts (less +than 1 percent each) of oxides of barium, boron, silicon, and nickel. + (b) Specifications. Chromium-cobalt-aluminum oxide shall conform to +the following specifications: + +Chromium, calculated as Cr O, 34-37 percent. +Cobalt, calculated as CoO, 29-34 percent. +Aluminum, calculated as AL O, 29-35 percent. +Lead (as Pb), not more than 30 parts per million. +Arsenic (as As), not more than 3 parts per million. +Total oxides of aluminum, chromium, and cobalt not less than 97 percent. + + +Lead and arsenic shall be determined in the solution obtained by boiling +10 grams of the chromium-cobalt-aluminum oxide for 15 minutes in 50 +milliliters of 0.5 N hydrochloric acid. + (c) Uses and restrictions. The color additive chromium-cobalt- +aluminum oxide may be safely used for coloring linear polyethylene +surgical sutures, United States Pharmacopeia (U.S.P.), for use in +general surgery, subject to the following restrictions: + (1) For coloring procedure, the color additive is blended with the +polyethylene resin. The mixture is heated + +[[Page 425]] + +to a temperature of 500-550 [deg]F. and extruded through a fixed +orifice. The filaments are cooled, oriented by drawing, and set by +annealing. + (2) The quantity of the color additive does not exceed 2 percent by +weight of the suture material. + (3) The dyed suture shall conform in all respects to the +requirements of the U.S.P. XX (1980). + (4) When the sutures are used for the purpose specified in their +labeling, there is no migration of the color additive to the surrounding +tissue. + (5) If the suture is a new drug, an approved new drug application, +pursuant to section 505 of the Federal Food, Drug, and Cosmetic Act, is +in effect for it. + (d) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +batches thereof are exempt from the certification requirements of +section 721(c) of the act. + +[42 FR 15643, Mar. 22, 1977, as amended at 49 FR 10089, Mar. 19, 1984] + + +2323 +Sec. 73.1025 Ferric ammonium citrate. + + (a) Identity. The color additive ferric ammonium citrate consists of +complex chelates prepared by the interaction of ferric hydroxide with +citric acid in the presence of ammonia. The complex chelates occur in +brown and green forms, are deliquescent in air, and are reducible by +light. + (b) Specifications. Ferric ammonium citrate shall conform to the +following specifications and shall be free from impurities other than +those named to the extent that such impurities may be avoided by good +manufacturing practice: + +Iron (as Fe), not less than 14.5 percent and not more than 18.5 percent. +Lead (as Pb), not more than 20 p/m. +Arsenic (as As), not more than 3 p/m. + + (c) Uses and restrictions. Ferric ammonium citrate may be safely +used in combination with pyrogallol (as listed in Sec. 73.1375), for +coloring plain and chromic catgut sutures for use in general and +ophthalmic surgery subject to the following conditions: + (1) The dyed suture shall conform in all respects to the +requirements of the United States Pharmacopeia XX (1980). + (2) The level of the ferric ammonium citrate-pyrogallol complex +shall not exceed 3 percent of the total weight of the suture material. + (3) When the sutures are used for the purposes specified in their +labeling, there is no migration of the color additive to the surrounding +tissue. + (4) If the suture is a new drug, an approved new drug application, +pursuant to section 505 of the act, is in effect for it. + (d) Labeling. The labeling of the color-additive shall conform to +the requirements of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health and +therefore batches thereof are exempt from the requirements of section +721(c) of the act. + +[42 FR 15643, Mar. 22, 1977, as amended at 49 FR 10089, Mar. 19, 1984] + + + +Sec. 73.1030 Annatto extract. + + (a) Identity and specifications. (1) The color additive annatto +extract shall conform in identity and specifications to the requirements +of Sec. 73.30(a)(1) and (b). + (2) Color additive mixtures for drug use made with annatto extract +may contain only those diluents that are suitable and that are listed in +this subpart as safe in color additive mixtures for coloring ingested +drugs. + (b) Uses and restrictions. Annatto extract may be safely used for +coloring drugs generally, including those intended for use in the area +of the eye, in amounts consistent with good manufacturing practice. + (c) Labeling. The label of the color additive and any mixtures +prepared therefrom and intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. Labels +shall bear information showing that the color is derived from annatto +seed. The requirements of Sec. 70.25(a) of this chapter that all +ingredients shall be listed by name shall not be construed as requiring +the declaration of residues of solvents listed in Sec. 73.30(a)(1)(ii) +of this chapter. + +[[Page 426]] + + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health and +therefore batches thereof are evempt from the certification requirements +of section 721(c) of the act. + +[42 FR 15643, Mar. 22, 1977, as amended at 42 FR 36994, July 19, 1977] + + + +Sec. 73.1070 Calcium carbonate. + + (a) Identity. (1) The color additive calcium carbonate is a fine, +white, synthetically prepared powder consisting essentially of +precipitated calcium carbonate (CaCO). + (2) Color additive mixtures for drug use made with calcium carbonate +may contain only those diluents listed in this subpart as safe and +suitable for use in color additive mixtures for coloring drugs. + (b) Specifications. Calcium carbonate shall meet the specifications +for precipitated calcium carbonate in the United States Pharmacopeia XX +(1980). + (c) Uses and restrictions. Calcium carbonate may be safely used in +amounts consistent with good manudacturing practice to color drugs +generally. + (d) Labeling requirements. The label of the color additive and of +any mixtures prepared therefrom intended solely or in part for coloring +purposes shall conform to the requirements of Sec. 70.25 of this +chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[42 FR 15643, Mar. 22, 1977, as amended at 49 FR 10089, Mar. 19, 1984] + + +3 +Sec. 73.1075 Canthaxanthin. + + (a) Identity and specifications. (1) The color additive +canthaxanthin shall conform in identity and specifications to the +requirements of Sec. 73.75(a)(1) and (b). + (2) Color additive mixtures for ingested drug use made with +canthaxanthin may contain only those diluents that are suitable and that +are listed in this subpart as safe in color additive mixtures for +coloring ingested drugs. + (b) Uses and restrictions. Canthaxanthin may be safely used for +coloring ingested drugs generally in amounts consistent with good +manufacturing practice. + (c) Labeling requirements. The label of the color additive and of +any mixtures prepared therefrom intended solely or in part for coloring +purposes shall conform to the requirements of Sec. 70.25 of this +chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + + + +Sec. 73.1085 Caramel. + + (a) Identity and specifications. (1) The color additive caramel +shall conform in identity and specifications to the requirements of +Sec. 73.85(a) (1), (2), and (3) and (b). + (2) The diluents in color additive mixtures for drug use containing +caramel shall be limited to those listed in this subpart as safe and +suitable in color additive mixtures for coloring drugs. + (b) Uses and restrictions. Caramel may be used for coloring ingested +and topically applied drugs generally in amounts consistent with good +manufacturing practice. + (c) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health and +therefore batches thereof are exempt from the certification requirement +of section 721(c) of the act. + + + +Sec. 73.1095 [beta]-Carotene. + + (a) Identity and specifications. (1) The color additive [beta]- +carotene shall conform in identity and specifications to the +requirements of Sec. 73.95(a)(1) and (b). + (2) The diluents in color additive mixtures for drug use containing +[beta]-carotene are limited to those listed in this subpart as safe and +suitable in color additive mixtures for coloring ingested drugs. + (b) Uses and restrictions. The color additive [beta]-carotene may be +safely used in coloring drugs generally, including those intended for +use in the area of the eye, in amounts consistent with good +manufacturing practice. + (c) Labeling requirements. The labeling of the color additive and +any mixtures + +[[Page 427]] + +intended solely or in part for coloring purposes prepared therefrom +shall conform to the requirements of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[42 FR 15643, Mar. 22, 1977, as amended at 42 FR 33722, July 1, 1977] + + + +Sec. 73.1100 Cochineal extract; carmine. + + (a) Identity and specifications. (1) The color additives cochineal +extract and carmine shall conform in identity and specifications to the +requirements of Sec. 73.100(a) (1) and (2) and (b). + (2) Color additive mixtures for drug use made with carmine and +cochineal extract may contain only those diluents that are suitable and +that are listed in this subpart as safe in color additive mixtures for +coloring drugs. + (b) Uses and restrictions. Cochineal extract and carmine may be +safely used for coloring ingested and externally applied drugs in +amounts consistent with good manufacturing practice. + (c) Labeling requirements. The label of the color additives and any +mixtures intended solely or in part for coloring purposes prepared +therefrom shall conform to the requirements of Sec. 70.25 of this +chapter. + (d) Exemption from certification. Certification of these color +additives is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + + + +Sec. 73.1125 Potassium sodium copper chloropyhllin +(chlorophyllin-copper complex). + + (a) Identity. (1) The color additive potassium sodium copper +chlorophyllin is a green to black powder obtained from chlorophyll by +replacing the methyl and phytyl ester groups with alkali and replacing +the magnesium with copper. The source of the chlorophyll is dehydrated +alfalfa. + (2) Color additive mixtures for drug use made with potassium sodium +copper chlorophyllin may contain only those diluents that are suitable +and that are listed in this subpart as safe for use in color additive +mixtures for coloring drugs. + (b) Specifications. Potassium sodium copper chlorophyllin shall +conform to the following specifications and shall be free from +impurities other than those named to the extent that such other +impurities may be avoided by good manufacturing practice: + +Moisture, not more than 5.0 percent. +Nitrogen, not more than 5.0 percent. +pH of 1 percent solution, 9 to 11. +Total copper, not less than 4 percent and not more than 6 percent. +Free copper, not more than 0.25 percent. +Iron, not more than 0.5 percent. +Lead (as Pb)), not more than 20 parts per million. +Arsenic (as As), not more than 5 parts per million. +Ratio, absorbance at 405 m[mu] to absorbance at 630 m[mu], not less than +3.4 and not more than 3.9. +Total color, not less than 75 percent. + + (c) Uses and restrictions. Potassium sodium copper chlorophyllin may +be safely used for coloring dentifrices that are drugs at a level not to +exceed 0.1 percent. Authorization for this use shall not be construed as +waiving any of the requirements of section 505 of the act with respect +to the drug in which it is used. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + + + +Sec. 73.1150 Dihydroxyacetone. + + (a) Identity. (1) The color additive dihydroxyacetone is 1,3- +dihydroxy-2-propanone. + (2) Color additive mixtures for drug use made with dihydroxyacetone +may contain only those diluents that are listed in this subpart as safe +and suitable in color additive mixtures for coloring externally applied +drugs. + +[[Page 428]] + + (b) Specifications. Dihydroxyacetone shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such impurities may be avoided by good manufacturing +practice: + +Volatile matter (at 34.6 [deg]C. for 3 hours at a pressure of not more +than 30 mm. mercury), not more than 0.5 percent. +Residue on ignition, not more than 0.4 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Iron (as Fe), not more than 25 parts per million. +1,3-dihydroxy-2-propanone, not less than 98 percent. + + (c) Uses and restrictions. Dihydroxyacetone may be safely used in +amounts consistent with good manufacturing practice in externally +applied drugs intended solely or in part to impart a color to the human +body. Authorization for this use shall not be construed as waiving any +of the requirements of section 505 of the act with respect to the drug +in which it is used. + (d) Labeling requirements. The label of the color additive and any +mixtures prepared therefrom intended solely or in part for coloring +purposes shall conform to the requirements of Sec. 70.25 of this +chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + + + +Sec. 73.1162 Bismuth oxychloride. + + (a) Identity. (1) The color additive bismuth oxychloride is a +synthetically prepared white or nearly white amorphous or finely +crystalline, odorless powder consisting principally of BiOCl. + (2) Color additive mixtures for drug use made with bismuth +oxychloride may contain only those diluents that are suitable and that +are listed in this subpart as safe in color additive mixtures for +coloring externally applied drugs. + (b) Specifications. The color additive bismuth oxychloride shall +conform to the following specifications and shall be free from +impurities other than those named to the extent that such other +impurities may be avoided by good manufacturing practice: + +Volatile matter, not more than 0.5 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Bismuth oxychloride, not less than 98 percent. + + (c) Uses and restrictions. The color additive bismuth oxychloride +may be safely used in coloring externally applied drugs, including those +intended for use in the area of the eye, in amounts consistent with good +manufacturing practice. + (d) Labeling. The color additive and any mixture prepared therefrom +intended solely or in part for coloring purposes shall bear, in addition +to any information required by law, labeling in accordance with the +provisions of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from certification pursuant to +section 721(c) of the act. + +[42 FR 52394, Sept. 30, 1977] + + + +Sec. 73.1200 Synthetic iron oxide. + + (a) Identity. (1) The color additive synthetic iron oxide consists +of any one or any combination of synthetically prepared iron oxides, +including the hydrated forms. It is free from admixture with other +substances. + (2) Color additive mixtures for drug use made with synthetic iron +oxide may contain only those diluents listed in this subpart as safe and +suitable in color additive mixtures for coloring drugs. + (b) Specifications. Synthetic iron oxide shall conform to the +following specifications, all on an ``as is'' basis: + +Arsenic (as As), not more than 3 parts per million. +Lead (as Pb), not more than 10 parts per million. +Mercury (as Hg), not more than 3 parts per million. + + +[[Page 429]] + + + (c) Uses and restrictions. The color additive synthetic iron oxide +may be safely used to color ingested or topically applied drugs +generally subject to the restriction that if the color additive is used +in drugs ingested by man the amount consumed in accordance with labeled +or prescribed dosages shall not exceed 5 milligrams, calculated as +elemental iron, per day. + (d) Labeling requirements. The label of the color additive and any +mixtures intended solely or in part for coloring purposes prepared +therefrom shall conform to the requirements of Sec. 70.25 of this +chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from certification requirements of +section 721(c) of the act. + + + +Sec. 73.1298 Ferric ammonium ferrocyanide. + + (a) Identity. (1) The color additive ferric ammonium ferrocyanide is +the blue pigment obtained by oxidizing under acidic conditions with +sodium dichromate the acid digested precipitate resulting from mixing +solutions of ferrous sulfate and sodium ferrocyanide in the presence of +ammonium sulfate. The oxidized product is filtered, washed, and dried. +The pigment consists principally of ferric ammonium ferrocyanide with +smaller amounts of ferric ferrocyanide and ferric sodium ferrocyanide. + (2) Color additive mixtures for drug use made with ferric ammonium +ferrocyanide may contain only those diluents listed in this subpart as +safe and suitable for use in color additive mixtures for coloring drugs. + (b) Specifications. Ferric ammonium ferrocyanide shall conform to +the following specifications and shall be free of impurities other than +those named to the extent that the other impurities may be avoided by +good manufacturing practice: + +Oxalic acid or its salts, not more than 0.1 percent. +Water soluble matter, not more than 3 percent. +Water soluble cyanide, not more than 10 parts per million. +Volatile matter, not more than 4 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Nickel (as Ni), not more than 200 parts per million. +Cobalt (as Co), not more than 200 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total iron (as Fe corrected for volatile matter), not less than 33 +percent and not more than 39 percent. + + (c) Uses and restrictions. Ferric ammonium ferrocyanide may be +safely used in amounts consistent with good manufacturing practice to +color externally applied drugs, including those for use in the area of +the eye. + (d) Labeling requirements. The label of the color additive and of +any mixtures prepared therefrom intended solely or in part for coloring +purposes shall conform to the requirements of Sec. 70.25 of this +chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therfore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[42 FR 38562, July 29, 1977, as amended at 44 FR 28322, May 15, 1979] + + + +Sec. 73.1299 Ferric ferrocyanide. + + (a) Identity. (1) The color additive ferric ferrocyanide is a ferric +hexacyanoferrate pigment characterized by the structual formula +Fe[Fe(CN)][middot]XHO, +which may contain small amounts of ferric sodium ferrocyanide and ferric +potassium ferrocyanide. + (2) Color additive mixtures for drug use made with ferric +ferrocyanide may contain only those diluents listed in this subpart as +safe and suitable for use in color additive mixtures for coloring drugs. + (b) Specifications. Ferric ferrocyanide shall conform to the +following specifications and shall be free from impurities other than +those named to the extent that such impurities may be avoided by good +manufacturing practice: + +Water soluble cyanide, not more than 10 parts per million. +Lead (as Pb), not more than 20 parts per million. + +[[Page 430]] + +Arsenic (as As), not more than 3 parts per million. +Nickel (as Ni), not more than 200 parts per million. +Cobalt (as Co), not more than 200 parts per million. +Mercury (as Hg), not more than 1 part per million. +Oxalic acid, not more than 0.1 percent. +Water soluble matter, not more than 3 percent. +Volatile matter, not more than 10 percent. +Total iron (as Fe corrected for volatile matter), not less than 37 +percent and not more than 45 percent. + + (c) Uses and restrictions. Ferric ferrocyanide may be safely used in +amounts consistent with good manufacturing practice to color externally +applied drugs including those intended for use in the area of the eye. + (d) Labeling requirements. The label of the color additive and of +any mixtures prepared therefrom intended solely or in part for coloring +purposes shall conform to the requirements of Sec. 70.25 of this +chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from certification requirements of +section 721(c) of the act. + +[43 FR 54235, Nov. 21, 1978] + + +4632 +Sec. 73.1326 Chromium hydroxide green. + + (a) Identity. (1) The color additive chromium hydroxide green is +principally hydrated chromic sesquioxide +(CrO[middot]XHO). + (2) Color additive mixtures for drug use made with chromium +hydroxide green may contain only those diluents listed in this subpart +as safe and suitable for use in color additive mixtures for coloring +drugs. + (b) Specifications. Chromium hydroxide green shall conform to the +following specifications and shall be free from impurities other than +those named to the extent that such impurities may be avoided by good +manufacturing practice: + +Water soluble matter, not more than 2.5%. +Chromium in 2% NaOH extract, not more than 0.1% as +CrO (based on sample weight). +Boron (as BO), not more than 8 percent. +Total volatile matter at 1000 [deg]C, not more than 20%. +CrO not less than 75%. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. + + (c) Uses and restrictions. Chromium hydroxide green may be safely +used in amounts consistent with good manufacturing practice to color +externally applied drugs, including those for use in the area of the +eye. + (d) Labeling requirements. The label of the color additive and of +any mixtures prepared therefrom lintended solely or in part for coloring +purposes shall conform to the requirements of Sec. 70.25 of this +chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[42 FR 36451, July 15, 1977, as amended at 42 FR 59852, Nov. 22, 1977] + + +232232323 +Sec. 73.1327 Chromium oxide greens. + + (a) Identity. (1) The color additive chromium oxide greens is +principally chromic sesquioxide (CrO). + (2) Color additive mixtures for drug use made with chromium oxide +greens may contain only those diluents listed in this subpart as safe +and suitable for use in color additive mixtures for coloring drugs. + (b) Specifications. the color additive chormium oxide greens shall +conform to the following specifications and shall be free from +impurities other than those named to the extent that such impurities may +be avoided by good manufacturing practice: + +Chromium in 2% NaOH extract, not more than 0.075% as +CrO (based on sample weight). +Arsenic (as As), not more than 3 parts per million. +Lead (as Pb), not more than 20 parts per million. +Mercury (as Hg), not more than 1 part per million. +CrO, not less than 95%. + + (c) Uses and restrictions. Chromium oxide greens is safe for use in +coloring externally applied drugs, including those intended for use in +the area of + +[[Page 431]] + +eye, in amounts consistent with good manufacturing practice. + (d) Labeling. The color additive and any mixture prepared therefrom +intended solely or in part for coloring purposes shall bear, in addition +to any information required by law, labeling in accordance with Sec. +70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches therof are exempt from certification pursuant to +section 721(c) of the act. + +[42 FR 36451, July 15, 1977] + + +232323 +Sec. 73.1329 Guanine. + + (a) Identity. (1) The color additive guanine is the crystalline +material obtained from fish scales and consists principally of the two +purines, guanine and hypoxanthine. The guanine content will vary from 75 +to 97 percent, and the hypoxanthine will vary from 3 to 25 percent, +depending on the particular fish and tissue from which the crystals are +derived. + (2) Color additive mixtures for drug use made with guanine may +contain only those diluents listed in this subpart as safe and suitable +for use in color additive mixtures for coloring externally applied +drugs. + (b) Specifications. The color additive guanine shall conform to the +following specifications and shall be free from impurities other than +those named to the extent that such other impurities may be avoided by +good manufacturing practice: + +Guanine, not less than 75 percent. +Hypoxanthine, not more than 25 percent. +Ash (ignition at 800 [deg]C), not more than 2 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Assay, not less than 96 percent total purines. +Mercury (as Hg), not more than 1 part per million. + + (c) Uses and restrictions. Guanine is safe for use in coloring +externally applied drugs, including those intended for use in the area +of the eye, in amounts consistent with good manufacturing practice. + (d) Labeling. The color additive and any mixture prepared therefrom +intended solely or in part for coloring purposes shall bear, in addition +to any information required by law, labeling in accordance with Sec. +70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches therof are exempt from certification pursuant to +section 721(c) of the act. + +[42 FR 37537, July 22, 1977] + + + +Sec. 73.1350 Mica-based pearlescent pigments. + + (a) Identity. (1) The color additive is formed by depositing +titanium and/or iron salts onto mica, followed by heating to produce one +of the following combinations: Titanium dioxide on mica; iron oxide on +mica; titanium dioxide and iron oxide on mica. Mica used to manufacture +the color additive shall conform in identity to the requirements of +Sec. 73.1496(a)(1). + (2) Color additive mixtures for drug use made with mica-based +pearlescent pigments may contain only those diluents listed in this +subpart as safe and suitable for use in color additive mixtures for +coloring ingested drugs. + (b) Specifications. Mica-based pearlescent pigments shall conform to +the following specifications and shall be free from impurities other +than those named to the extent that such other impurities may be avoided +by good manufacturing practice: + (1) Lead (as Pb), not more than 4 parts per million (ppm). + (2) Arsenic (as As), not more than 3 ppm. + (3) Mercury (as Hg), not more than 1 ppm. + (c) Uses and restrictions. Mica-based pearlescent pigments may be +safely used to color ingested drugs in amounts up to 3 percent, by +weight, of the final drug product. The maximum amount of iron oxide to +be used in producing said pigments is not to exceed 55 percent, by +weight, in the finished pigment. + (d) Labeling. The label of the color additive and of any mixture +prepared therefrom intended solely or in part for + +[[Page 432]] + +coloring purposes shall conform to the requirements of Sec. 70.25 of +this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the Federal Food, Drug, and Cosmetic Act. + +[70 FR 42273, July 22, 2005. Redesignated at 72 FR 10357, Mar. 8, 2007] + + + +Sec. 73.1375 Pyrogallol. + + (a) Identity. The color additive pyrogallol is 1,2,3- +trihydroxybenzene. + (b) Specifications. Pyrogallol shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such impurities may be avoided by good manufacturing +practice: + +Melting point, between 130[deg] and 133 [deg]C. +Residue on ignition, not more than 0.1 percent. +Lead (as Pb), not more than 20 p/m (parts per million). +Arsenic (as As), not more than 3 p/m. + + (c) Uses and restrictions. Pyrogallol may be safely used in +combination with ferric ammonium citrate (as listed in Sec. 73.1025), +for coloring plain and chromic catgut sutures for use in general and +ophthalmic surgery, subject to the following restrictions: + (1) The dyed suture shall conform in all respects to the +requirements of the United States Pharmacopeia XX (1980). + (2) The level of the ferric ammonium citrate-pyrogallol complex +shall not exceed 3 percent of the total weight of the suture material. + (3) When the sutures are used for the purposes specified in their +labeling, there is no migration of the color additive to the surrounding +tissues. + (4) If the suture is a new drug, an approved new drug application, +pursuant to section 505 of the act, is in effect for it. + (d) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[42 FR 15643, Mar. 22, 1977, as amended at 49 FR 10089, Mar. 19, 1984] + + + +Sec. 73.1400 Pyrophyllite. + + (a) Identity. (1) The color additive pyrophyllite is a naturally +occurring mineral substance consisting predominantly of a hydrous +aluminum silicate, +AlO[middot]4SiO[middot]H +O, intimately mixed with lesser amounts of finely divided silica, +SiO. Small amounts, usually less than 3 percent, of other +silicates, such as potassium aluminum silicate, may be present. +Pyrophyllite may be identified and semiquantitatively determined by its +characteristic X-ray powder diffraction pattern and by its optical +properties. + (2) Color additive mixtures made with pyrophyllite are limited to +those listed in this subpart as safe and suitable in color additive +mixtures for coloring externally applied drugs. + (b) Specifications. Pyrophyllite shall conform to the following +specifications: + +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. + + +Lead and arsenic shall be determined in the solution obtained by boiling +10 grams of the pyrophyllite for 15 minutes in 50 milliliters of 0.5N +hydrochloric acid. + (c) Uses and restrictions. Pyrophyllite may be safely used in +amounts consistent with good manufacturing practice to color drugs that +are to be externally applied. + (d) Labeling requirements. The labeling of the color additive and +any mixtures prepared therefrom intended solely or in part for coloring +purposes shall conform to the requirements of Sec. 70.25 of this +chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + + +23222 +Sec. 73.1410 Logwood extract. + + (a) Identity. The color additive logwood extract is a reddish brown- +to- + +[[Page 433]] + +black solid material extracted from the heartwood of the leguminous tree +Haematoxylon campechianum. The active colorant substance is principally +hematein. The latent coloring material is the unoxidized or leuco form +of hematein called hematoxylin. The leuco form is oxidized by air. + (b) Specifications. Logwood extract shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such imnurities may be avoided by good manufacturing +practice: + +Volatile matter (at 110 [deg]C), not more than 15 percent. +Sulfated ash, not more than 20 percent. +Hematein, not less than 5 percent and not more than 20 percent. +Lead (as Pb), not more than 70 parts per million. +Arsenic (as As), not more than 4 parts per million. +Mercury (as Hg), not more than 3 parts per million. + + (c) Use and restrictions. Logwood extract may be safely used to +color nylon 66 (the copolymer of hexamethylenediamine and adipic acid), +nylon 6 (the polymer of e-caprolactam), or silk non-absorable sutures +for use in general and ophthalmic surgery subject to the following +restrictions: + (1) The quantity of color additive does not exceed 1.0 percent by +weight of the suture. + (2) When the sutures are used for the purposes specified in their +labeling, there is no migration of the color additive to the surrounding +tissue. + (3) If the suture is a new drug, an approved new drug application, +pursuant to section 505 of the act, is in effect for it. + (d) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[42 FR 52393, Sept. 30, 1977; 43 FR 1490, Jan. 10, 1978] + + + +Sec. 73.1496 Mica. + + (a) Identity. (1) The color additive mica is a white powder obtained +from the naturally occurring mineral, muscovite mica, consisting +predominantly of a potassium aluminum silicate, +KAl(AlSiO)(O +H) or, alternatively, HKAl +(SiO). Mica may be identified and +semiquantitatively determined by its characteristic X-ray diffraction +pattern and by its optical properties. + (2) Color additive mixtures for drug use made with mica may contain +only those diluents listed in this subpart as safe and suitable for use +in color additive mixtures for coloring drugs. + (b) Specifications. Mica shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such other impurities may be avoided by good +manufacturing practice: + +Fineness, 100 percent shall pass through a 100-mesh sieve. +Loss on ignition at 600-650 [deg]C, not more than 2 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. + + (c) Uses and restrictions. Mica may be safely used in amounts +consistent with good manufacturing practice to color dentifrices and +externally applied drugs, including those for use in the area of the +eye. + (d) Labeling requirements. The label of the color additive and of +any mixture prepared therefrom intended solely or in part for coloring +purposes shall conform to the requirements of Sec. 70.25 of this +chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches therof are exempt from the certification requirements +of section 721(c) of the act. + +[42 FR 38561, July 29, 1977, as amended at 52 FR 29665, Aug. 11, 1987] + + +24262042343 +Sec. 73.1530 Spirulina extract. + + (a) Identity. (1) The color additive spirulina extract is prepared +by the filtered aqueous extraction of the dried biomass of Arthrospira +platensis. The + +[[Page 434]] + +color additive contains phycocyanins as the principal coloring +components. + (2) Color additive mixtures for drug use made with spirulina extract +may contain only those diluents that are suitable and are listed in this +subpart as safe for use in color additive mixtures for coloring ingested +drugs. + (b) Specifications. Spirulina extract must conform to the following +specifications and must be free from impurities, other than those named, +to the extent that such other impurities may be avoided by good +manufacturing practice: + (1) Lead, not more than 2 milligrams per kilogram (mg/kg) (2 parts +per million (ppm)); + (2) Arsenic, not more than 2 mg/kg (2 ppm); + (3) Mercury, not more than 1 mg/kg (1 ppm); and + (4) Negative for microcystin toxin. + (c) Uses and restrictions. Spirulina extract may be safely used for +coloring coating formulations applied to drug tablets and capsules, at +levels consistent with good manufacturing practice. + (d) Labeling requirements. The label of the color additive and any +mixture prepared therefrom intended solely or in part for coloring +purposes shall conform to the requirements of Sec. 70.25 of this +chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the Federal Food, Drug, and Cosmetic Act. + +[80 FR 50765, Aug. 21, 2015] + + + +Sec. 73.1550 Talc. + + (a) Identity. (1) The color additive talc is a finely powdered, +native, hydrous magnesium silicate sometimes containing a small +proportion of aluminum silicate. + (2) Color additive mixtures for drug use made with talc may contain +only those diluents listed in this subpart as safe and suitable for use +in color additive mixtures for coloring drugs. + (b) Specifications. Talc shall meet the specifications for talc in +the United States Pharmacopeia XX (1980) and the following: + +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. + + +Lead and arsenic shall be determined in the solution obtained by boiling +10 grams of the talc for 15 minutes in 50 milliliters of 0.5N +hydrochloric acid. + (c) Uses and restrictions. Talc may be safely used in amounts +consistent with good manufacturing practice to color drugs generally. + (d) Labeling requirements. The label of the color additive and of +any mixtures prepared therefrom intended solely or in part for coloring +purposes shall conform to the requirements of Sec. 70.25 of this +chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[42 FR 15643, Mar. 22, 1977, as amended at 49 FR 10089, Mar. 19, 1984] + + + +Sec. 73.1575 Titanium dioxide. + + (a) Identity and specifications. (1) The color additive titanium +dioxide shall conform in identity and specifications to the requirements +of Sec. 73.575(a)(1) and (b). + (2) Color additive mixtures for drug use made with titanium dioxide +may contain only those diluents that are suitable and that are listed in +this subpart as safe in color additive mixtures for coloring drugs, and +the following: Silicon dioxide, SiO, and/or aluminum oxide, +AlO, as dispersing aids--not more than 2 percent +total. + (b) Uses and restrictions. The color additive titanium dioxide may +be used for coloring ingested and externally applied drugs generally, in +amounts consistent with good manufacturing practice. External +application includes use in the area of the eye. + (c) Labeling. The label of the color additive and any mixtures +prepared therefrom and intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of the chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health and +therefore batches thereof + +[[Page 435]] + +are exempt from the certification requirements of section 721(c) of the +act. + + +223 +Sec. 73.1645 Aluminum powder. + + (a) Identity. (1) The color additive aluminum powder shall be +composed of finely divided particles of aluminum prepared from virgin +aluminum. It is free from admixture with other substances. + (2) Color additive mixtures for external drug use made with aluminum +powder may contain only those diluents listed in this subpart as safe +and suitable in color additive mixtures for coloring externally applied +drugs. + (b) Specifications. Aluminum powder shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such impurities may be avoided by good manufacturing +practice: + +Fineness, 100 percent shall pass through a 200-mesh screen and 95 +percent shall pass through a 325-mesh screen. +Mercury, not more than 1 part per million. +Arsenic, not more than 3 parts per million. +Lead, not more than 20 parts per million. +Aluminum, not less than 99 percent. + + (c) Uses and restrictions. Aluminum powder is safe for use in +externally applied drugs, including those intended for use in the area +of the eye, in amounts consistent with good manufacturing practice. + (d) Labeling. The color additive and any mixture prepared therefrom +intended solely or in part for coloring purposes shall bear, in addition +to any information required by law, labeling in accordance with Sec. +70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches therof are exempt from certification pursuant to +section 721(c) of the act. + +[42 FR 38563, July 29, 1977] + + + +Sec. 73.1646 Bronze powder. + + (a) Identity. (1) The color additive bronze powder is a very fine +metallic powder prepared from alloys consisting principally of virgin +electrolytic copper and zinc with small amounts of the virgin metals +aluminum and tin. It contains small amounts of stearic or oleic acid as +lubricants. + (2) Color additive mixtures for drug use made with bronze powder may +contain only those diluents listed in this subpart as safe and suitable +for use in color additive mixtures for coloring externally applied +drugs. + (b) Specifications. Bronze powder shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such impurities may be avoided by good manufacturing +practice: + +Stearic or oleic acid, not more than 5 percent. +Cadmium (as Cd), not more than 15 parts per million. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million +Aluminum (as Al), not more than 0.5 percent. +Tin (as Sn), not more than 0.5 percent. +Copper (as Cu), not more than 95 percent and not less than 70 percent. +Zinc (as Zn), not more than 30 percent. +Maximum particle size 45[micro] (95 percent minimum). + + +Aluminum, zinc, tin, and copper content shall be based on the weight of +the dried powder after being thoroughly washed with ether. + (c) Uses and restrictions. Bronze powder may be safely used in color +externally applied drugs, including those intended for use in the area +of the eye, in amounts consistent with good manufacturing practice. + (d) Labeling. The color additive and any mixture prepared therefrom +intended solely or in part for coloring purposes shall conform to the +requirements of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of the color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[42 FR 33723, July 1, 1977] + + + +Sec. 73.1647 Copper powder. + + (a) Identity. (1) The color additive copper powder is a very fine +free-flowing metallic powder prepared from virgin electrolytic copper. +It contains + +[[Page 436]] + +small amounts of stearic or oleic acid as lubricants. + (2) Color additive mixtures for drug use made with copper powder may +contain only those diluents listed in this subpart as safe and suitable +for use in color additive mixtures for coloring externally applied +drugs. + (b) Specifications. Copper powder shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such impurities may be avoided by good manufacturing +practice: + +Stearic or oleic acid, not more than 5 percent. +Cadmium (as Cd), not more than 15 parts per million. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Copper (as Cu), not less than 95 percent. +Maximum particle size 45[micro] (95 percent minimum). + + (c) Uses and restrictions. Copper powder may be safely used in +coloring externally applied drugs, including those intended for use in +the area of the eye, in amounts consistent with good manufacturing +practice. + (d) Labeling. The color additive and any mixture prepared therefrom +intended solely or in part for coloring purposes shall conform to the +requirements of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of the color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[42 FR 33723, July 1, 1977] + + + +Sec. 73.1991 Zinc oxide. + + (a) Identity. (1) The color additive zinc oxide is a white or +yellow-white amorphous powder manufactured by the French process +(described as the indirect process whereby zinc metal isolated from the +zinc-containing ore is vaporized and then oxidized). It is principally +composed of Zn. + (2) Color additive mixtures for drug use made with zinc oxide may +contain only those diluents listed in this subpart as safe and suitable +in color additive mixtures for coloring externally applied drugs. + (b) Specifications. Zinc oxide shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such impurities may be avoided by good manufacturing +practice: + +Zinc oxide (as ZnO), not less than 99 percent. +Loss on ignition at 800 [deg]C, not more than 1 percent. +Cadmium (as Cd), not more than 15 parts per million. +Mercury (as Hg), not more than 1 part per million. +Arsenic (as As), not more than 3 parts per million. +Lead (as Pb), not more than 20 parts per million. + + (c) Uses and restrictions. The color additive zinc oxide may be +safely used for coloring externally applied drugs, including those used +in the area of the eye, in amounts consistent with good manufacturing +practice. + (d) Labeling. The color additive and any mixtues prepared therefrom +intended solely or in part for coloring purposes shall bear, in addition +to any information required by law, labeling in accordance with the +provisions of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches therof are exempt from the certifiation pursuant to +section 721(c) of the act. + +[42 FR 37537, July 22, 1977] + + + + Subpart C_Cosmetics + + + +Sec. 73.2030 Annatto. + + (a) Identity and specification. The color additive annatto shall +conform in identify and specification to the requirements for annatto +extract in Sec. 73.30(a) (1) and (b). + (b) Use and restriction. The color additive annatto may be safely +used in coloring cosmetics generally, including cosmetics intended for +use in the area of the eye, in amounts consistent with good +manufacturing practice. + (c) Labeling. The color additive and any mixture prepared therefrom +intended solely or in part for coloring purposes shall bear, in addition +to any information required by law, labeling + +[[Page 437]] + +in accordance with the provisions of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[42 FR 36994, July 19, 1977] + + + +Sec. 73.2085 Caramel. + + (a) Identity and specifications. The color additive caramel shall +conform in identity and specifications to the requirements of Sec. +73.85(a)(1), (2), and (3) and (b). + (b) Uses and restrictions. Caramel is safe for use in coloring +cosmetics generally, including cosmetics applied to the area of the eye, +in amounts consistent with good manufacturing practice. + (c) Labeling requirements. The label of the color additive and any +mixtures intended solely or in part for coloring purposes prepared +therefrom shall conform to the requirements of Sec. 70.25 of this +chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirement +of section 721(c) of the act. + +[46 FR 38501, July 28, 1981] + + + +Sec. 73.2087 Carmine. + + (a) Identity and specifications. The color additive carmine shall +conform in identity and specifications to the requirements of Sec. +73.100 (a)(2) and (b)(2). + (b) Use and restrictions. Carmine may be safely used in cosmetics +generally, including cosmetics intended for use in the area of the eye, +in amounts consistent with good manufacturing practices. + (c) Labeling. (1) The color additive and any mixture prepared +therefrom intended solely or in part for coloring purposes shall bear, +in addition to any information required by law, labeling in accordance +with the provisions of Sec. 70.25 of this chapter. + (2) Cosmetics containing carmine that are not subject to the +requirements of Sec. 701.3 of this chapter shall specifically declare +the presence of carmine prominently and conspicuously at least once in +the labeling. For example: ``Contains carmine as a color additive.'' + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification pursuant to +section 721(c) of the act. + +[42 FR 32228, June 24, 1977, as amended at 74 FR 216, Jan. 5, 2009] + + + +Sec. 73.2095 [beta]-Carotene. + + (a) Identity and specifications. The color additive [beta]-carotene +shall conform in identity and specifications to the requirements of +Sec. 73.95(a)(1) and (b). + (b) Uses and restrictions. The color additive [beta]-carotene may be +safely used in coloring cosmetics generally, including cosmetics +intended for use in the area of the eye, in amounts consistent with good +manufacturing practices. + (c) Labeling. The color additive and any mixture prepared therefrom +intended solely or in part for coloring purposes shall bear, in addition +to any information required by law, labeling in accordance with the +provisions of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches therof are exempt from the certification pursuant to +section 721(c) of the act. + +[42 FR 33722, July 1, 1977] + + + +Sec. 73.2110 Bismuth citrate. + + (a) Identity. The color additive bismuth citrate is the +synthetically prepared crystalline salt of bismuth and citric acid, +consisting principally of BiCHO. + (b) Specifications. The color additive bismuth citrate shall conform +to the following specifications and shall be free from impurities other +than those named to the extent that those impurities may be avoided by +good manufacturing practice: + +Bismuth citrate, not less than 97 percent. +Mercury (as Hg), not more than 1 part per million. +Arsenic (as As), not more than 3 parts per million. +Lead (as Pb), not more than 20 parts per million. + +[[Page 438]] + +Volatile matter, not more than 1 percent. + + (c) Uses and restrictions. The color additive bismuth citrate may be +safely used in cosmetics intended for coloring hair on the scalp, +subject to the following restrictions: + (1) The amount of bismuth citrate in the cosmetic shall not be in +excess of 2.0 percent (w/v). + (2) The cosmetic may not be used for coloring eyelashes, eyebrows, +or hair on parts of the body other than the scalp. + (d) Labeling. (1) The label of the color additive bismuth citrate +shall bear, in addition to any information required by law, labeling in +accordance with the provisions of Sec. 70.25 of this chapter. + (2) The label of a cosmetic containing the color additive bismuth +citrate shall bear, in addition to other information required by law, +the following statement, conspicuously displayed thereon: + + Keep this product out of children's reach. Do not use on cut or +abraded scalp. Do not use to color eyelashes, eyebrows, or hair on parts +of the body other than the scalp. Wash hands thoroughly after each use. + + (e) Exemption from certification. Certification of this color +additive for the prescribed use is not necessary for the protection of +the public health, and, therefore, batches thereof are exempt from +certification requirements of section 721(c) of the act. + +[43 FR 44831, Sept. 29, 1978, as amended at 75 FR 14493, Mar. 26, 2010] + + +657 +Sec. 73.2120 Disodium EDTA-copper. + + (a) Identity. The color additive disodium EDTA-copper is disodium +[[N,N'- 1,2- ethanediylbis[N - (carboxymethyl) glycinato]] (4-)- +N,N',O,O',O\N\,O\N\'] cuprate (2-). + (b) Specifications. Disodium EDTA-copper shall conform to the +following specifications and shall be free from impurities other than +those named to the extent that such impurities may be avoided by good +manufacturing practice: + +Total copper, not less than 13.5 percent. +Total (ethylene-dinitrilo) tetracetic acid, not less than 62.5 percent. +Free copper, not more than 100 parts per million. +Free disodium salt of (ethylene-dinitrilo) tetraacetic acid, not more +than 1.0 percent. +Moisture, not more than 15 percent. +Water insoluble matter, not more than 0.2 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. + + (c) Uses and restrictions. Disodium EDTA-copper may be safely used +in amounts consistent with good manufacturing practices in the coloring +of shampoos which are cosmetics. + (d) Labeling requirements. The labeling of the color additive shall +conform to the requirements of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health and +therefore batches thereof are exempt from the requirements of section +721(c) of the act. + + + +Sec. 73.2125 Potassium sodium copper chlorophyllin +(chlorophyllin-copper complex). + + (a) Identity and specifications. The color additive potassium sodium +copper chlorophyllin shall conform in identity and specifications to the +requirements of Sec. 73.1125(a)(1) and (b). + (b) Uses and restrictions. Potassium sodium copper chlorophyllin may +be safely used for coloring dentifrices that are cosmetics subject to +the following conditions: + (1) It shall not be used at a level in excess of 0.1 percent. + (2) It may be used only in combination with the following +substances: + +Water. +Glycerin. +Sodium carboxymethylcellulose. +Tetrasodium pyrophosphate. +Sorbitol. +Magnesium phosphate, tribasic. +Calcium carbonate. +Calcium phosphate, dibasic. +Sodium N-lauroyl sarcosinate. +Artificial sweeteners that are generally recognized as safe or that are +authorized under subchapter B of this chapter. +Flavors that are generally recognized as safe or that are authorized +under subchapter B of this chapter. +Preservatives that are generally recognized as safe or that are +authorized under subchapter B of this chapter. + + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + +[[Page 439]] + + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + + + +Sec. 73.2150 Dihydroxyacetone. + + (a) Identity and specifications. The color additive dihydroxyacetone +shall conform in identity and specifications to the requirements of +Sec. 73.1150 (a)(1) and (b). + (b) Uses and restrictions. Dihydroxyacetone may be safely used in +amounts consistent with good manufacturing practice in externally +applied cosmetics intended solely or in part to impart a color to the +human body. + (c) Labeling requirements. The labeling of the color additive and +any mixtures prepared therefrom intended solely or in part for coloring +purposes shall conform to the requirements of Sec. 70.25 of this +chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health and +therefore batches thereof are exempt from the requirements of section +721(c) of the act. + + + +Sec. 73.2162 Bismuth oxychloride. + + (a) Identity and specifications. (1) The color additive bismuth +oxychloride shall conform in identity and specifications to the +requirements of Sec. 73.1162(a)(1) and (b). + (2) Color additive mixtures of bismuth oxychloride may contain the +following diluents: + (i) For coloring cosmetics generally, only those diluents listed +under Sec. 73.1001(a)(1); + (ii) For coloring externally applied cosmetics, only those diluents +listed in Sec. 73.1001(b) and, in addition, nitrocellulose. + (b) Uses and restrictions. The color additive bismuth oxychloride +may be safely used in coloring cosmetics generally, including cosmetics +intended for use in the area of the eye, in amounts consistent with good +manufacturing practice. + (c) Labeling. The color additive and any mixture prepared therefrom +intended solely or in part for coloring purposes shall bear, in addition +to any information required by law, labeling in accordance with the +provisions of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from certification pursuant to +section 721(c) of the act. + +[42 FR 52394, Sept. 30, 1977] + + + +Sec. 73.2180 Guaiazulene. + + (a) Identity. (1) The color additive, guaiazulene, is principally +1,4-dimethyl-7-isopropyl-azulene. + (2) Color additive mixtures of guaiazulene for cosmetic use may +contain the following diluent: + +Polyethylene glycol-40 castor oil (PEG-40 castor oil). +Saponification No., 60 to 70. +Hydroxyl No., 63 to 78. +Acid No., 2. +Specific gravity, 1.05 to 1.07. + + (b) Specifications. Guaiazulene shall conform to the following +specifications and shall be free from impurities, other than those +named, to the extent that such other impurities may be avoided by good +manufacturing practice. + +Melting point, 30.5 [deg]C to 31.5 [deg]C. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 99 percent. + + (c) Uses and restrictions. Guaiazulene may be safely used in +externally applied cosmetics in amounts consistent with good +manufacturing practice. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive for the prescribed use is not necessary for the protection of +the public health and therefore batches thereof are exempt from the +certification requirements of section 721(c) of the act. + + + +Sec. 73.2190 Henna. + + (a) Identity. The color additive henna is the dried leaf and petiole +of Lawsonia + +[[Page 440]] + +alba Lam. (Lawsonia inermis L.). It may be identified by its +characteristic odor and by characteristic plant histology. + (b) Specifications. Henna shall conform to the following +specifications: + +It shall not contain more than 10 percent of plant material from +Lawsonia alba Lam. (Lawsonia inermis L.) other than the leaf and +petiole, and shall be free from admixture with material from any other +species of plant. +Moisture, not more than 10 percent. +Total ash, not more than 15 percent. +Acid-insoluble ash, not more than 5 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. + + (c) Uses and restrictions. The color additive henna may be safely +used for coloring hair only. It may not be used for coloring the +eyelashes or eyebrows, or generally in the area of the eye. + (d) Labeling. The label for henna shall bear the information +required by Sec. 70.25 of this chapter and the following statements or +their equivalent: + +``Do not use in the area of the eye.'' +``Do not use on cut or abraded scalp.'' + + (e) Exemption from certification. Certification of this color +additive for the prescribed use is not necessary for the protection of +the public health and therefore batches thereof are exempt from the +certification requirements of section 721(c) of the act. + + + +Sec. 73.2250 Iron oxides. + + (a) Identity. The color additives iron oxides consist of any one or +any combination of synthetically prepared iron oxides, including the +hydrated forms. It is free from admixture with other substances. + (b) Specifications. Iron oxides shall conform to the following +specifications, all on an ``as is'' basis: + +Arsenic (as As), not more than 3 parts per million. +Lead (as Pb), not more than 10 parts per million. +Mercury (as Hg), not more than 3 parts per million. + + (c) Uses and restrictions. Iron oxides are safe for use in coloring +cosmetics generally, including cosmetics applied to the area of the eye, +in amounts consistent with good manufacturing practice. + (d) Labeling. The color additive and any mixture prepared therefrom +intended solely or in part for coloring purposes shall bear, in addition +to any information required by law, labeling in accordance with Sec. +70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from certification pursuant to +section 721(c) of the act. + + + +Sec. 73.2298 Ferric ammonium ferrocyanide. + + (a) Identity and specifications. The color additive ferric ammonium +ferrocyanide shall conform in identify and specifications to the +requirements of Sec. 73.1298 (a)(1) and (b). + (b) Uses and restrictions. Ferric ammonium ferrocyanide is safe for +use in coloring externally applied cosmetics, including cosmetics +applied to the area of the eye, in amounts consistent with good +manufacturing practice. + (c) Labeling. The color additive and any mixture prepared therefrom +intended solely or in part for coloring purposes shall bear, in addition +to any information required by law, labeling in accordance with Sec. +70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification pursuant to +section 721(c) of the act. + +[42 FR 38562, July 29, 1977, as amended at 43 FR 6939, Feb. 17, 1978] + + + +Sec. 73.2299 Ferric ferrocyanide. + + (a) Identity and specifications. The color additive ferric +ferrocyanide shall conform in identity and specifications to the +requirements of Sec. 73.1299(a)(1) and (b). + (b) Uses and restrictions. Ferric ferrocyanide is safe for use in +coloring externally applied cosmetics, including cosmetics applied to +the area of the eye, in amounts consistent with good manufacturing +practice. + (c) Labeling. The color additive and any mixture prepared therefrom +intended solely or in part for coloring purposes shall bear, in addition +to any + +[[Page 441]] + +information required by law, labeling in accordance with Sec. 70.25 of +this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from certification under section +721(c) of the act. + +[43 FR 54236, Nov. 21, 1978] + + + +Sec. 73.2326 Chromium hydroxide green. + + (a) Identity and specifications. The color additive chromium +hydroxide green shall conform in identity and specifications to the +requirements of Sec. 73.1326 (a)(1) and (b). + (b) Uses and restrictions. Chromium hydroxide green is safe for use +in coloring externally applied cosmetics, including those intended for +use in the area of the eye, in amounts consistent with good +manufacturing practice. + (c) Labeling. The color additive and any mixture prepared therefrom +intended solely or in part for coloring purposes shall bear, in addition +to any information required by law, labeling in accordance with Sec. +70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from certification pursuant to +section 721(c) of the act. + +[42 FR 36452, July 15, 1977] + + + +Sec. 73.2327 Chromium oxide greens. + + (a) Identity and specifications. The color additive chromium oxide +greens shall conform in identify and specifications to the requirements +of Sec. 73.1327 (a)(1) and (b). + (b) Uses and restrictions. The color additive chromium oxide greens +may be safely used in externally applied cosmetics, including cosmetics +intended for use in the area of the eye, in amounts consistent with good +manufacturing practice. + (c) Labeling requirements. The color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall bear, in addition to any information required by law, labeling in +accordance with the provisions of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification pursuant to +section 721(c) of the act. + +[42 FR 36452, July 15, 1977] + + + +Sec. 73.2329 Guanine. + + (a) Identity and specifications. (1) The color additive guanine +shall conform in identity and specifications to the requirements of +Sec. 73.1329 (a)(1) and (b). + (2) Color additive mixtures of guanine may contain the following +diluents: + (i) For coloring cosmetics generally, only those diluents listed +under Sec. 73.1001(a)(1); + (ii) For coloring externally applied cosmetics, only those diluents +listed in Sec. 73.1001(b) and, in addition, nitrocellulose. + (b) Use and restrictions. The color additive guanine may be safely +used in cosmetics generally, including cosmetics intended for use in the +area of the eye, in amounts consistent with good manufacturing practice. + (c) Labeling requirements. The color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall bear, in addition to any information required by law, labeling in +accordance with the provisions of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification pursuant to +section 721(c) of the act. + +[42 FR 37537, July 22, 1977] + + + +Sec. 73.2396 Lead acetate. + + (a) Identity. The color additive lead acetate is the trihydrate of +lead (2 + ) salt of acetic acid. The color additive has the chemical +formula Pb (OOCCH)[middot]3HO). + (b) Specifications. Lead acetate shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such impurities may be avoided by good manufacturing +practice: + +Water-insoluble matter, not more than 0.02 percent. + +[[Page 442]] + +pH (30 percent solution weight to volume at 25 [deg]C), not less than +4.7 and not more than 5.8. +Arsenic (as As), not more than 3 parts per million. +Lead acetate, not less than 99 percent. +Mercury (as Hg), not more than 1 part per million. + + (c) Uses and restrictions. The color additive lead acetate may be +safely used in cosmetics intended for coloring hair on the scalp only, +subject to the following restrictions: + (1) The amount of the lead acetate in the cosmetic shall be such +that the lead content, calculated as Pb, shall not be in excess of 0.6 +percent (weight to volume). + (2) The cosmetic is not to be used for coloring mustaches, +eyelashes, eyebrows, or hair on parts of the body other than the scalp. + (d) Labeling requirements. (1) The label of the color additive lead +acetate shall conform to the requirements of Sec. 70.25 of this +chapter, and bear the following statement or equivalent: + +Wash thoroughly if the product comes into contact with the skin. + + (2) The label of the cosmetic containing the color additive lead +acetate, in addition to other information required by the act, shall +bear the following cautionary statement, conspicuously displayed +thereon: + +CAUTION: Contains lead acetate. For external use only. Keep this product +out of children's reach. Do not use on cut or abraded scalp. If skin +irritation develops, discontinue use. Do not use to color mustaches, +eyelashes, eyebrows, or hair on parts of the body other than the scalp. +Do not get in eyes. Follow instructions carefully and wash hands +thoroughly after each use. + + (e) Exemption for certification. Certification of this color +additive for the prescribed use is not necessary for the protection of +the public health and therefore batches thereof are exempt from the +certification requirements of section 721(c) of the act. + +[45 FR 72117, Oct. 31, 1980, as amended at 72 FR 10357, Mar. 8, 2007] + + +322 +Sec. 73.2400 Pyrophyllite. + + (a) Identity and specifications. The color additive pyrophyllite +shall conform in identity and specifications to the requirements of +Sec. 73.1400 (a)(1) and (b). + (b) Uses and restrictions. Pyrophyllite may be safely used for +coloring externally applied cosmetics, in amounts consistent with good +manufacturing practice. + (c) Labeling requirements. The labeling of the color additive and +any mixtures prepared therefrom intended solely or in part for coloring +purposes shall conform to all applicable requirements of law, including +the requirements of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + + + +Sec. 73.2496 Mica. + + (a) Identity and specifications. The color additive mica shall +conform in identity and specifications to the requirements of Sec. +73.1496(a)(1) and (b). + (b) Uses and restrictions. Mica is safe for use in coloring +cosmetics generally, including cosmetics applied to the area of the eye, +in amounts consistent with good manufacturing practice. + (c) Labeling. The color additive and any mixture prepared therefrom +intended solely or in part for coloring purposes shall bear, in addition +to any information required by law, labeling in accordance with of Sec. +70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification pursuant to +section 721(c) of the act. + +[42 FR 38561, July 29, 1977] + + + +Sec. 73.2500 Silver. + + (a) Identity. (1) The color additive, silver, is a crystalline +powder of high purity silver prepared by the reaction of silver nitrate +with ferrous sulfate in the presence of nitric, phosphoric and sulfuric +acids. Polyvinyl alcohol is used to prevent the agglomeration of +crystals and the formation of amorphous silver. + (2) Color additive mixtures of silver may contain only those +diluents listed + +[[Page 443]] + +in Sec. 73.1001(b) and, in addition, nitrocellulose. + (b) Specifications. Silver shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such other impurities may be avoided by good +manufacturing practice: + +Lead (as Pb), not more than 10 parts per million. +Arsenic (as As), not more than 5 parts per million. +Mercury (as Hg), not more than 1 part per million. +Silver (as Ag), not less than 99.9 percent. + + (c) Uses and restrictions. The color additive silver may be safely +used for coloring fingernail polish at a level not to exceed 1 percent +of the final product. + (d) Labeling. The color additive and any mixtures prepared therefrom +intended solely or in part for coloring purposes shall bear, in addition +to any other information required by law, labeling in accordance with +the provisions of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[44 FR 65974, Nov. 16, 1979] + + + +Sec. 73.2575 Titanium dioxide. + + (a) Identity and specifications. The color additive titanium dioxide +shall conform in identity and specifications to the requirements on +Sec. 73.575 (a)(1) and (b). + (b) Uses and restrictions. The color additive titanium dioxide may +be safely used in cosmetics, including cosmetics intended for use in the +area of the eye, in amounts consistent with good manufacturing practice. + (c) Labeling requirements. The color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall bear, in addition to any other information required by law, +labeling in accordance with the provisions of Sec. 70.25 of this +chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from certification pursuant to +section 721(c) of the act. + + + +Sec. 73.2645 Aluminum powder. + + (a) Identity and specifications. The color additive aluminum powder +shall conform in identity and specifications to the requirements of +Sec. 73.1645 (a)(1) and (b). + (b) Uses and restrictions. Aluminum powder may be safely used in +coloring externally applied cosmetics, including cosmetics intended for +use in the area of the eye, in amounts consistent with good +manufacturing practice. + (c) Labeling. The color additive and any mixture prepared therefrom +intended solely or in part for coloring purposes shall bear, in addition +to any information required by law, labeling in accordance with the +provisions of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification pursuant to +section 721(c) of the act. + +[42 FR 38563, July 29, 1977] + + + +Sec. 73.2646 Bronze powder. + + (a) Identity and specifications. The color additive bronze powder +shall conform in identity and specifications to the requirements of +Sec. 73.1646 (a)(1) and (b). + (b) Uses and restrictions. Bronze powder may be safely used in +coloring cosmetics generally, including cosmetics intended for use in +the area of the eye, in amounts consistent with good manufacturing +practice. + (c) Labeling. The color additive and any mixture prepared therefrom +intended solely or in part for coloring purposes shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of the color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[42 FR 33724, July 1, 1977] + + + +Sec. 73.2647 Copper powder. + + (a) Identity and specifications. The color additive copper powder +shall conform in identity and specifications to the requirements of +Sec. 73.1647 (a)(1) and (b). + +[[Page 444]] + + (b) Uses and restrictions. Copper powder may be safely used in +coloring cosmetics generally, including cosmetics intended for use in +the area of the eye, in amounts consistent with good manufacturing +practice. + (c) Labeling. The color additive and any mixture prepared therefrom +intended solely or in part for coloring purposes shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of the color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[42 FR 33724, July 1, 1977] + + + +Sec. 73.2725 Ultramarines. + + (a) Identity. The color additives, ultramarines (blue, green, pink, +red, and violet) are pigments obtained by calcining at temperatures +above 700 [deg]C. a mixture of kaolin, sulfur, sodium carbonate, +silicious matter, sodium sulfate, and carbonaceous matter, but not +necessarily all these substances, to produce a single color. The +ultramarines are complex sodium aluminum sulfosilicates having a typical +formula Na(AlSiO)S with proportions of each element varying with each +color. + (b) Specifications. The ultramarines shall conform to the following +specifications and shall be free from impurities other than those named, +to the extent that such other impurities may be avoided by good +manufacturing practice. + +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. + + (c) Uses and restrictions. The ultramarine pigments may be safely +used for coloring externally applied cosmetics, including cosmetics +intended for use in the area of the eye, in amounts consistent with good +manufacturing practice. + (d) Labeling requirements. The color additives and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall bear, in addition to any other information required by law, +labeling in accordance with Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from certification pursuant to +section 721(c) of the act. + + + +Sec. 73.2775 Manganese violet. + + (a) Identity. The color additive manganese violet is a violet +pigment obtained by reacting phosphoric acid, ammonium dihydrogen +orthophosphate, and manganese dioxide at temperatures above 450 [deg]F. +The pigment is a manganese ammonium pyrophosphate complex having the +approximate formula: Mn(III)NHPO. + (b) Specifications. Manganese violet shall conform to the following +specifications and shall be free from impurities other than those named, +to the extent that such other impurities may be avoided by good +manufacturing practice: + +Ash (at 600 [deg]C), not less than 81 percent. +Volatile matter at 135 [deg]C for 3 hours, not more than 1 percent. +Water soluble substances, not more than 6 percent. +pH of filtrate of 10 grams color additive (shaken occasionally for 2 +hours with 100 milliliters of freshly boiled distilled water), not more +than 4.7 and not less than 2.5. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, based on Mn content in ``as is'' sample, not less than 93 +percent. + + (c) Uses and restrictions. Manganese violet is safe for use in +coloring cosmetics generally, including cosmetics applied to the area of +the eye, in amounts consistent with good manufacturing practice. + (d) Labeling. The color additive and any mixture prepared therefrom +intended solely or in part for coloring purposes shall bear, in addition +to any information required by law, labeling in accordance with Sec. +70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not + +[[Page 445]] + +necessary for the protection of the public health, and therefore batches +thereof are exempt from certification pursuant to section 721(c) of the +act. + + +427 +Sec. 73.2991 Zinc oxide. + + (a) Identity and specifications. The color additive zinc oxide shall +conform in identity and specifications to the requirements of Sec. +73.1991 (a)(1) and (b). + (b) Uses and restrictions. Zinc oxide may be safely used in +cosmetics, including cosmetics intended for use in the area of the eye, +in amounts consistent with good manufacturing practice. + (c) Labeling. The color additive and any mixture prepared therefrom +intended solely or in part for coloring purposes shall bear, in addition +to any information required by law, labeling in accordance with Sec. +70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification pursuant to +section 721(c) of the act. + +[42 FR 37538, July 22, 1977] + + + +Sec. 73.2995 Luminescent zinc sulfide. + + (a) Identity. The color additive luminescent zinc sulfide is zinc +sulfide containing a copper activator. Following excitation by daylight +or a suitable artificial light, luminescent zinc sulfide produces a +yellow-green phosphorescence with a maximum at 530 nanometers. + (b) Specifications. Luminescent zinc sulfide shall conform to the +following specifications and shall be free from impurities other than +those named to the extent that such impurities may be avoided by good +manufacturing practice: + +Zinc sulfide, not less than 99.8 percent. +Copper, 1005 parts per million. +Lead, not more than 20 parts per million. +Arsenic, not more than 3 parts per million. +Mercury, not more than 1 part per million. +Cadmium, not more than 15 parts per million. + + (c) Uses and restrictions. The color additive luminescent zinc +sulfide may be safely used for coloring externally applied facial makeup +preparations and nail polish included under Sec. 720.4(c)(7)(ix) and +(c)(8)(v) of this chapter, respectively, to the following restrictions: + (1) The amount of luminescent zinc sulfide in facial makeup +preparations shall not exceed 10 percent by weight of the final product. + (2) Facial makeup preparations containing luminescent zinc sulfide +are intended for use only on limited, infrequent occasions, e.g., +Halloween, and not for regular or daily use. + (d) Labeling requirements. (1) The label of the color additive and +any mixtures prepared therefrom shall bear expiration dates for the +sealed and open container (established through generally accepted +stability testing methods), other information required by Sec. 70.25 of +this chapter, and adequate directions to prepare a final product +complying with the limitations prescribed in paragraph (c) of this +section. + (2) The label of a facial makeup preparation containing the color +additive shall bear, in addition to other information required by the +law, the following statement conspicuously displayed: + Do not use in the area of the eye. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[65 FR 48377, Aug. 8, 2000; 65 FR 75158, Dec. 1, 2000] + + + + Subpart D_Medical Devices + + + +Sec. 73.3100 1,4-Bis[(2-hydroxyethyl)amino]-9,10-anthracenedione +bis(2-methyl-2-propenoic)ester copolymers. + + (a) Identity. The color additives are the copolymers formed as the +reaction product of 1,4-bis[(2-hydroxyethyl)amino]-9,10-anthracenedione +bis(2-methyl-2-propenoic)ester (C.I. Reactive Blue 247) (CAS Reg. No. +109561-07-1) with one or more vinyl and/or acrylic monomers to form the +contact lens material. + (b) Uses and restrictions. (1) The substances listed in paragraph +(a) of this section may be used in amounts not to + +[[Page 446]] + +exceed the minimum reasonably required to accomplish the intended +coloring effect. + (2) Authorization and compliance with these uses shall not be +construed as waiving any of the requirements of sections 510(k), 515, +and 520(g) of the Federal Food, Drug, and Cosmetic Act (the act) with +respect to the contact lens made from the color additives. + (c) Labeling. The label of the color additives shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of these color +additives is not necessary for the protection of the public health and +therefore the color additives are exempt from the certification +requirements of section 721(c) of the act. + +[61 FR 51586, Oct. 3, 1996, as amended at 78 FR 19415, Apr. 1, 2013]] + + + +Sec. 73.3105 1,4-Bis[(2-methylphenyl)amino]-9,10-anthracenedione. + + (a) Identity. The color additive is 1,4-bis[(2-methylphenyl)amino]- +9,10-anthracenedione (CAS Reg. No. 6737-68-4). + (b) Uses and restrictions. (1) The substance listed in paragraph (a) +of this section may be used as a color additive in contact lenses in +amounts not to exceed the minimum reasonably required to accomplish the +intended coloring effect. + (2) Authorization and compliance with this use shall not be +construed as waiving any of the requirements of sections 510(k), 515, +and 520(g) of the Federal Food, Drug, and Cosmetic Act (the act). A +person intending to introduce a device containing 1,4-bis[(2- +methylphenyl)amino]-9,10-anthracenedione listed under this section into +commerce shall submit to the Food and Drug Administration either a +premarket notification in accordance with subpart E of part 807 of this +chapter, if the device is not subject to premarket approval, or submit +and receive approval of an original or supplemental premarket approval +application if the device is subject to premarket approval. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore the color additive is exempt from the certification +requirements of section 721(c) of the act. + +[49 FR 30066, July 26, 1984] + + + +Sec. 73.3106 1,4-Bis[4-(2-methacryloxyethyl) phenylamino]anthraquinone +copolymers. + + (a) Identity. The color additives are the copolymers formed as the +reaction product of 1,4-bis[4- (2-methacryloxyethyl )phenylamino] +anthraquinone (C.I. Reactive Blue 246) (CAS Reg. No. 121888-69-5) with +one or more vinyl and/or acrylic monomers to form the contact lens +material. + (b) Uses and restrictions. (1) The substances listed in paragraph +(a) of this section may be used in amounts not to exceed the minimum +reasonably required to accomplish the intended coloring effect. + (2) Authorization and compliance with these uses shall not be +construed as waiving any of the requirements of sections 510(k), 515, +and 520(g) of the Federal Food, Drug, and Cosmetic Act (the act) with +respect to contact lenses made from the color additives. + (c) Labeling. The label of the color additives shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of these color +additives is not necessary for the protection of the public health and, +therefore, the color additives are exempt from the certification +requirements of section 721(c) of the act. + +[58 FR 17507, Apr. 5, 1993, as amended at 60 FR 10497, Feb. 27, 1995; 78 +FR 19415, Apr. 1, 2013] + + + +Sec. 73.3107 Carbazole violet. + + (a) Identity. The color additive is carbazole violet (Pigment Violet +23) (CAS Reg. No. 6358-30-1, Colour Index No. 51319). + (b) Uses and restrictions. (1) The substance listed in paragraph (a) +of this section may be used as a color additive in contact lenses in +amounts not to exceed the minimum reasonably required + +[[Page 447]] + +to accomplish the intended coloring effect. + (2) Authorization for this use shall not be construed as waiving any +of the requirements of sections 510(k), 515, and 520(g) of the Federal +Food, Drug, and Cosmetic Act (the act) with respect to the contact lens +in which the color additive is used. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore the color additive is exempt from the certification +requirements of section 721(c) of the act. + +[53 FR 41324, Oct. 21, 1988] + + + +Sec. 73.3110 Chlorophyllin-copper complex, oil soluble. + + (a) Identity. The color additve is chlorophyllin-copper complex, oil +soluble. The chlorophyllin is obtained by extraction from a mixture of +fescue and rye grasses. The chlorophyll is acid-treated to remove +chelated magnesium which is replaced with hydrogen, which is turn is +replaced with copper. This mixture is diluted to a 5 percent +concentration with a mixture of palm oil, peanut oil, and hydrogenated +peanut oil. + (b) Specifications. The color additive chlorophyllin-copper complex, +oil soluble (5 percent in palm oil, peanut oil, and hydrogenated peanut +oil), shall conform to the following specifications and shall be free +from impurities other than those named to the extent that such other +impurities may be avoided by current good manufacturing practice: + +Moisture, not more than 0.5 percent. +Nitrogen, not less than 0.2 percent and not more than 0.3 percent. +Total copper, not less than 0.2 percent and not more than 0.4 percent. +Free copper, not more than 200 parts per million. +Lead, not more than 20 parts per million. +Arsenic, not more than 5 parts per million. +Sulfated ash, not more than 2.5 percent. +Total color, not less than 4.5 percent and not more than 5.5 percent. + + (c) Uses and restrictions. (1) The color additive chlorophyllin- +copper complex, oil soluble (5 percent in palm oil, peanut oil, and +hydrogenated peanut oil), may be safely used to color +polymethylmethacrylate bone cement. Chlorophyllin-copper complex may be +used at levels that do not exceed 0.003 percent by weight of the bone +cement. + (2) Authorization for this use shall not be construed as waiving any +of the requirements of sections 510(k), 515, and 520(g) of the Federal +Food, Drug, and Cosmetic Act with respect to the polymethylmethacrylate +bone cement in which chlorophyllin-copper complex, oil soluble, is used. + (d) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (e) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore the color additive is exempt from the certification +requirements of section 721(c) of the act. + +[48 FR 56370, Dec. 21, 1983] + + + +Sec. 73.3110a Chromium-cobalt-aluminum oxide. + + (a) Identity. The color additive chromium-cobalt-aluminum oxide +(Pigment Blue 36) (CAS Reg. No. 68187-11-1, Colour Index No. 77343) +shall conform in identity and specifications to the requirements of +Sec. 73.1015 (a) and (b). + (b) Uses and restrictions. (1) The substance listed in paragraph (a) +of this section may be used as a color additive in contact lenses in +amounts not to exceed the minimum reasonably required to accomplish the +intended coloring effect. + (2) Authorization for this use shall not be construed as waiving any +of the requirements of sections 510(k), 515, and 520(g) of the Federal +Food, Drug, and Cosmetic Act (the act) with respect to the contact lens +in which the color additive is used. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore the color additive is exempt from the certification + +[[Page 448]] + +requirements of section 721(c) of the act. + +[53 FR 41325, Oct. 21, 1988] + + + +Sec. 73.3111 Chromium oxide greens. + + (a) Identity and specifications. The color additive chromium oxide +greens (chromic oxide) (CAS Reg. No. 1308-38-9), Color Index No. 77288, +shall conform in identity and specifications to the requirements of +Sec. 73.1327 (a)(1) and (b). + (b) Uses and restrictions. (1) The substance listed in paragraph (a) +of this section may be used as a color additive in contact lenses in +amounts not to exceed the minimum reasonably required to accomplish the +intended coloring effect. + (2) Authorization and compliance with this use shall not be +construed as waiving any of the requirements of sections 510(k), 515, +and 520(g) of the Federal Food, Drug, and Cosmetic Act with respect to +the contact lenses in which the additive is used. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore the color additive is exempt from the certification +requirements of section 721(c) of the act. + +[51 FR 24816, July 9, 1986] + + + +Sec. 73.3112 C.I. Vat Orange 1. + + (a) Identity. The color additive is C.I. Vat Orange 1, Colour Index +No. 59105. + (b) Uses and restrictions. (1) The substance listed in paragraph (a) +of this section may be used as a color additive in contact lenses in +amounts not to exceed the minimum reasonably required to accomplish the +intended coloring effect. + (2) Authorization for this use shall not be construed as waiving any +of the requirements of sections 510(k), 515, and 520(g) of the Federal +Food, Drug, and Cosmetic Act (the act) with respect to the contact lens +in which the color additive is used. A person intending to introduce a +device containing C.I. Vat Orange 1 into commerce shall submit to the +Food and Drug Administration either a premarket notification in +accordance with subpart E of part 807 of this chapter, if the device is +not subject to premarket approval, or submit and receive approval of an +original or supplemental premarket approval application if the device is +subject to premarket approval. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore the color additive is exempt from the certification +requirements of section 721(c) of the act. + +[50 FR 20407, May 16, 1985] + + + +Sec. 73.3115 2-[[2,5-Diethoxy-4-[(4-methylphenyl)thiol]phenyl]azo]-1, +3,5-benzenetriol. + + (a) Identity. The color additive2-[[2,5-diethoxy-4-[(4- +methylphenyl)thio]phenyl]azo]-1,3,5-benzenetriol is formed in situ in +soft (hydrophilic) contact lenses. + (b) Uses and restrictions. The color additive 2-[[2,5-diethoxy-4- +[(4-methylphenyl)thio]phenyl]azo]-1,3,5-benzenetriol may be safely used +to mark soft (hydrophilic) contact lenses with the letter R or the +letter L for identification purposes subject to the following +restrictions: + (1) The quantity of the color additive does not exceed 1.1 x +10 grams in a soft (hydrophilic) contact lens. + (2) When used as specified in the labeling, there is no measurable +migration of the color additive from the contact lens to the surrounding +ocular tissue. + (3) Authorization for this use shall not be construed as waiving any +of the requirements of section 510(k) and 515 of the Federal Food, Drug, +and Cosmetic Act with respect to the contact lens in which the color +additive is used. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore the color additive is exempt from the certification + +[[Page 449]] + +requirements of section 721(c) of the act. + +[48 FR 22706, May 20, 1983] + + +-7 +Sec. 73.3117 16,23-Dihydrodinaphtho[2,3-a:2',3'-i] naphth [2',3':6,7] +indolo [2,3-c] carbazole-5,10,15,17,22,24-hexone. + + (a) Identity. The color additive is 16,23-dihydrodinaphtho [2,3- +a:2',3'-i] napth [2',3':6,7] indolo [2, 3-c] carbazole-5,10, +15,17,22,24-hexone (CAS Reg. No. 2475-33-4), Colour Index No. 70800. + (b) Uses and restrictions. (1) The substance listed in paragraph (a) +of this section may be used as a color additive in contact lenses in +amounts not to exceed the minimum reasonably required to accomplish the +intended coloring effect. + (2) Authorization for this use shall not be construed as waiving any +of the requirements of sections 510(k), 515, and 520(g) of the Federal +Food, Drug, and Cosmetic Act with respect to the contact lens in which +the color additive is used. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore the color additive is exempt from the certification +requirements of section 721(c) of the act. + +[48 FR 31375, July 8, 1983] + + + +Sec. 73.3118 N,N'-(9,10-Dihydro-9,10-dioxo-1,5-anthracenediyl) +bisbenzamide. + + (a) Identity. The color additive is N,N'-(9,10-dihydro-9,10-dioxo- +1,5-anthracenediyl) bisbenzamide (CAS Reg. No. 82-18-8), Colour Index +No. 61725. + (b) Uses and restrictions. (1) The substance listed in paragraph (a) +of this section may be used as a color additive in contact lenses in +amounts not to exceed the minimum reasonably required to accomplish the +intended coloring effect. + (2) Authorization for this use shall not be construed as waiving any +of the requirements of sections 510(k), 515, and 520(g) of the Federal +Food, Drug, and Cosmetic Act with respect to the contact lens in which +the color additive is used. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore the color additive is exempt from the certification +requirements of section 721(c) of the act. + +[48 FR 31375, July 8, 1983] + + + +Sec. 73.3119 7,16-Dichloro-6,15-dihydro-5,9,14,18-anthrazinetetrone. + + (a) Identity. The color additive is 7,16-dichloro-6,15-dihydro- +5,9,14,18-anthrazinetetrone (CAS Reg. No. 130-20-1), Colour Index No. +69825. + (b) Uses and restrictions. (1) The substance listed in paragraph (a) +of this section may be used as a color additive in contact lenses in +amounts not to exceed the minimum reasonably required to accomplish the +intended coloring effect. + (2) Authorization for this use shall not be construed as waiving any +of the requirements of sections 510(k), 515, and 520(g) of the Federal +Food, Drug, and Cosmetic Act with respect to the contact lens in which +the color additive is used. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore the color additive is exempt from the certification +requirements of section 721(c) of the act. + +[48 FR 31376, July 8, 1983] + + + +Sec. 73.3120 16,17-Dimethoxydinaphtho [1,2,3-cd:3',2',1'-lm] +perylene-5,10-dione. + + (a) Identity. The color additive is 16,17-dimethoydinaphtho[1,2,3,- +cd:3',2',1'-lm]perylene-5,10-dione (CAS Reg. No. 128-58-5), Colour Index +No. 59825. + (b) Uses and restrictions. (1) The substance listed in paragraph (a) +of this section may be used as a color additive + +[[Page 450]] + +in contact lenses in amounts not to exceed the minimum reasonably +required to accomplish the intended coloring effect. + (2) Authorization for this use shall not be construed as waiving any +of the requirements of sections 510(k), 515, and 520(g) of the Federal +Food, Drug, and Cosmetic Act with respect to the contact lens in which +the color additive is used. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore the color additive is exempt from the certification +requirements of section 721(c) of the act. + +[48 FR 31376, July 8, 1983] + + + +Sec. 73.3121 Poly(hydroxyethyl methacrylate)-dye copolymers. + + (a) Identity. The color additives are formed by reacting one or more +of the reactive dyes listed in this paragraph with poly(hydroxyethyl +methacrylate), so that the sulfate group (or groups) or chlorine +substituent of the dye is replaced by an ether linkage to +poly(hydroxyethyl methacrylate). The dyes that may be used alone or in +combination are + (1) Reactive Black 5 [2,7-naphthalenedisulfonic acid, 4-amino-5- +hydroxy-3,6-bis((4-((2-(sulfooxy)ethyl)sulfonyl)phenyl)azo)-tetrasodium +salt] (CAS Reg. No. 17095-24-8); + (2) Reactive Blue 21 [copper, (29H,31H-phthalocyaninato(2-)- +N\29\,N\30\,N\31\,N\32\)-, sulfo((4-((2- +sulfooxy)ethyl)sulfonyl)phenyl)amino) sulfonyl derivs] (CAS Reg. No. +73049-92-0); + (3) Reactive Orange 78 [2-naphthalenesulfonic acid, 7-(acetylamino)- +4-hydroxy-3-((4-((2-(sulfooxy)ethyl) sulfonyl)phenyl)azo)-] CAS Reg. No. +68189-39-9); + (4) Reactive Yellow 15 [benzensulfonic acid, 4-(4,5-dihydro-4-((2- +methoxy-5-methyl-4-((2-(sulfooxy)ethyl) sulfonyl)phenyl)azo)-3-methyl-5- +oxo-1H-pyrazol-1-yl)-] (CAS Reg. No. 60958-41-0); + (5) Reactive Blue No. 19 [2-anthracene-sulfonic acid, 1-amino-9,10- +dihydro-9,10-dioxo-4-((3-((2-(sulfooxy)ethyl)sulfonyl)phenyl)amino)-, +disodium salt] (CAS Reg. No. 2580-78-1); + (6) Reactive Blue No. 4 [2-anthracenesulfonic acid, 1-amino-4-(3- +((4,6-dichloro-s-triazin-2-yl)amino)-4-sulfoanilino)-9,10-dihydro-9,10- +dioxo, disodium salt] (CAS Reg. No. 4499-01-8); + (7) C.I. Reactive Red 11 [5-((4,6-dichloro-1,3,5-triazin-2- +yl)amino)-4-hydroxy-3-((1-sulfo-2-naphthalenyl)azo)-2, 7- +naphthalenedisulfonic acid, trisodium salt] (CAS Reg. No. 12226-08-3); + (8) C.I. Reactive Yellow 86 [1,3-benzenedisulfonic acid, 4-((5- +aminocarbonyl-1-ethyl-1,6-dihydro-2-hydroxy-4-methyl-6-oxo-3- +pyridinyl)azo)-6-(4,6-dichloro-1,3,5-triazin-2-yl)amino)-, disodium +salt] (CAS Reg. No. 61951-86-8); + (9) C.I. Reactive Blue 163 [triphenodioxazinedisulfonic acid, 6,13- +dichloro-3, 10-bis((4-((4.6-dichloro-1,3,5-triazin-2-yl)amino) +sulfophenyl)amino)-, tetrasodium salt] (CAS Reg. No. 72847-56-4); and + (10) C.I. Reactive Red 180 [5-(benzoylamino)-4-hydroxy-3-((1-sulfo- +6-((2-(sulfooxy)ethyl)sulfonyl)-2-naphthalenyl)azo)-2,7- +naphthalenedisulfonic acid, tetrasodium salt] (CAS Reg. No. 98114-32-0). + (b) Uses and restrictions. (1) The substances listed in paragraph +(a) of this section may be used to color contact lenses in amounts not +to exceed the minimum reasonably required to accomplish the intended +coloring effect. + (2) As part of the manufacturing process, the lenses containing the +color additives are thoroughly washed to remove unbound reactive dyes. + (3) Authorization and compliance with this use shall not be +construed as waiving any of the requirements of sections 510(k), 515, +and 520(g) of the Federal Food, Drug, and Cosmetic Act (the act). A +person intending to introduce a device containing a poly(hydroxyethyl +methacrylate)-dye copolymer listed under this section into commerce +shall submit to the Food and Drug Administration either a premarket +notification in accordance with subpart E of part 807 of this chapter, +if the device is not + +[[Page 451]] + +subject to premarket approval, or submit and receive approval of an +original or supplemental premarket approval application if the device is +subject to premarket approval. + (c) Labeling. The label of the color additives shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of these color +additives is not necessary for the protection of the public health, and +therefore these color additives are exempt from the certification +requirements of section 721(c) of the act. + +[49 FR 373, Jan. 4, 1984; 49 FR 5094, Feb. 10, 1984, as amended at 50 FR +9425, Mar. 8, 1985; 50 FR 33338, Aug. 19, 1985; 50 FR 37845, Sept. 18, +1985; 50 FR 45993, Nov. 6, 1985; 58 FR 9541, Feb. 22, 1993] + + + +Sec. 73.3122 4-[(2,4-dimethylphenyl)azo]-2, +4-dihydro-5-methyl-2-phenyl-3H-pyrazol-3-one. + + (a) Identity. The color additive is 4-[(2,4-dimethylphenyl)azo]-2,4- +dihydro-5-methyl-2-phenyl-3H- pyrazol-3-one (CAS Reg. No. 6407-78-9). + (b) Uses and restrictions. (1) The substances listed in paragraph +(a) of this section may be used as a color additive in contact lenses in +amounts not to exceed the minimum reasonably required to accomplish the +intended coloring effect. + (2) Authorization for this use shall not be construed as waiving any +of the requirements of sections 510(k), 515, and 520(g) of the Federal +Food, Drug, and Cosmetic Act with respect to the contact lens in which +the color additive is used. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore the color additive is exempt from the certification +requirements of section 721(c) of the act. + +[51 FR 11432, Apr. 3, 1986] + + + +Sec. 73.3123 6-Ethoxy-2-(6-ethoxy-3-oxobenzo[b]thien-2(3H)-ylidene) +benzo[b]thiophen-3 (2H)-one. + + (a) Identity. The color additive is 6-ethoxy-2-(6-ethoxy-3-oxobenzo +[b]thien-2(3H)-ylidene)benzo[b]thiophen-3(2H)-one (CAS Reg. No. 3263-31- +8), Colour Index No. 73335. + (b) Uses and restrictions. (1) The substance listed in paragraph (a) +of this section may be used as a color additive in contact lenses in +amounts not to exceed the minimum reasonably required to accomplish the +intended coloring effect. + (2) Authorization for this use shall not be construed as waiving any +of the requirements of sections 510(k), 515, and 520(g) of the Federal +Food, Drug, and Cosmetic Act with respect to the contact lens in which +the color additive is used. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore the color additive is exempt from the certification +requirements of section 721(c) of the act. + +[51 FR 11436, Apr. 3, 1986] + + + +Sec. 73.3124 Phthalocyanine green. + + (a) Identity. The color additive is phthalocyanine green (CAS Reg. +No. 1328-53-6), Colour Index No. 74260. + (b) Uses and restrictions. (1) The substance listed in paragraph (a) +of this section may be used as a color additive in contact lenses in +amounts not to exceed the minimum reasonably required to accomplish the +intended coloring effect. + (2) Authorization for this use shall not be construed as waiving any +of the requirements of sections 510(k), 515, and 520(g) of the Federal +Food, Drug, and Cosmetic Act with respect to the contact lens in which +the additive is used. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore the color additive is exempt from the certification +requirements of section 721(c) of the act. + +[51 FR 11433, Apr. 3, 1986] + +[[Page 452]] + + + +Sec. 73.3125 Iron oxides. + + (a) Identity and specifications. The color additive iron oxides (CAS +Reg. No. 1332-37-2), Color Index No. 77491, shall conform in identity +and specifications to the requirements of Sec. 73.2250 (a) and (b). + (b) Uses and restrictions. (1) The substance listed in paragraph (a) +of this section may be used as a color additive in contact lenses in +amounts not to exceed the minimum reasonably required to accomplish the +intended coloring effect. + (2) Authorization and compliance with this use shall not be +construed as waiving any of the requirements of sections 510(k), 515, +and 520(g) of the Federal Food, Drug, and Cosmetic Act with respect to +the contact lens in which the additive is used. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore the color additive is exempt from the certification +requirements of section 721(c) of the act. + +[51 FR 24816, July 9, 1986, as amended at 69 FR 24511, May 4, 2004] + + + +Sec. 73.3126 Titanium dioxide. + + (a) Identity and specifications. The color additive titanium dioxide +(CAS Reg. No. 13463-67-7), Color Index No. 77891, shall conform in +identity and specifications to the requirements of Sec. 73.575(a)(1) +and (b). + (b) Uses and restrictions. (1) The substance listed in paragraph (a) +of this section may be used as a color additive in contact lenses in +amounts not to exceed the minimum reasonably required to accomplish the +intended coloring effect. + (2) Authorization and compliance with this use shall not be +construed as waiving any of the requirements of sections 510(k), 515, +and 520(g) of the Federal Food, Drug, and Cosmetic Act with respect to +the contact lenses in which the additive is used. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore the color additive is exempt from the certification +requirements of section 721(c) of the act. + +[51 FR 24816, July 9, 1986] + + + +Sec. 73.3127 Vinyl alcohol/methyl methacrylate-dye reaction products. + + (a) Identity. The color additives are formed by reacting the dyes, +either alone or in combination, with a vinyl alcohol/methyl methacrylate +copolymer, so that the sulfate groups of the dyes are replaced by ether +linkages to the vinyl alcohol/methyl methacrylate copolymer. The dyes +are: + (1) C.I. Reactive Red 180 [5-(benzoylamino)-4-hydroxy-3-((1-sulfo-6- +((2-(sulfooxy)ethyl)sulfonyl)-2-naphthalenyl)azo)-2,7- +naphthalenedisulfonic acid, tetrasodium salt] (CAS Reg. No. 98114-32-0). + (2) C.I. Reactive Black 5 [2,7-naphthalenedisulfonic acid, 4-amino- +5-hydroxy-3,6-bis((4-((2-(sulfooxy)ethyl)sulfonyl)phenyl)azo)-, +tetrasodium salt] (CAS Reg. No. 17095-24-8). + (3) C.I. Reactive Orange 78 [2-naphthalenesulfonic acid, 7- +(acetylamino)-4-hydroxy-3-((4-((2-(sulfooxy)ethyl)sulfonyl)phenyl)azo)-] +(CAS Reg. No. 68189-39-9). + (4) C.I. Reactive Yellow 15 [benzenesulfonic acid, 4-(4,5-dihydro-4- +((2-methoxy-5-methyl-4-((2-(sulfooxy)ethyl)sulfonyl)phenyl)azo)-3- +methyl-5-oxo-1H-pyrazol-1-yl)-] (CAS Reg. No. 60958-41-0). + (5) C.I. Reactive Blue No. 19 [2-anthracenesulfonic acid, 1-amino- +9,10-dihydro-9,10-dioxo-4-((3-((2- +(sulfooxy)ethyl)sulfonyl)phenyl)amino)-, disodium salt] (CAS Reg. No. +2580-78-1). + (6) C.I. Reactive Blue 21 [copper, (29H,31H-phthalocyaninato(2-)- +N\29\, N\30\, N\31\, N\32\)-, sulfo((4-((2-(sulfooxy) +ethyl)sulfonyl)phenyl)amino)sulfonyl derivatives] (CAS Reg. No. 73049- +92-0). + (b) Uses and restrictions. (1) The substances listed in paragraph +(a) of this section may be used to color contact lenses in amounts not +to exceed the + +[[Page 453]] + +minimum reasonably required to accomplish the intended coloring effect. + (2) As part of the manufacturing process, the lenses containing the +color additives are thoroughly washed to remove unbound reactive dye. + (3) Authorization and compliance with this use shall not be +construed as waiving any of the requirements of sections 510(k), 515, +and 520(g) of the Federal Food, Drug, and Cosmetic Act (the act). A +person intending to introduce a device containing a vinyl alcohol/methyl +methacrylate-dye reaction product listed under this section into +commerce shall submit to the Food and Drug Administration either a +premarket notification in accordance with subpart E of part 807 of this +chapter, if the device is not subject to premarket approval, or submit +and receive approval of an original or supplemental premarket approval +application if the device is subject to premarket approval. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore, this color additive is exempt from the certification +requirements of section 721(c) of the act. + +[58 FR 3227, Jan. 8, 1993, as amended at 58 FR 17510, Apr. 5, 1993] + + + +Sec. 73.3128 Mica-based pearlescent pigments. + + (a) Identity and specifications. The color additive is formed by +depositing titanium or iron salts from a basic solution onto mica, +followed by calcination to produce titanium dioxide or iron oxides on +mica. Mica used to manufacture the color additive shall conform in +identity and specifications to the requirements of Sec. 73.1496(a)(1) +and (b). + (b) Uses and restrictions. (1) Mica-based pearlescent pigments +listed in paragraph (a) of this section may be used as a color additive +in contact lenses in amounts not to exceed the minimum reasonably +required to accomplish the intended coloring effect. + (2) Authorization and compliance with this use shall not be +construed as waiving any of the requirements of sections 510(k), 515, +and 520(g) of the Federal Food, Drug, and Cosmetic Act (the act) with +respect to the contact lenses in which the additive is used. + (c) Labeling. The label of the color additive shall conform to the +requirements in Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the act. + +[67 FR 65312, Oct. 24, 2002] + + + +Sec. 73.3129 Disodium 1-amino-4-[[4-[(2-bromo-1-oxoallyl)amino] +-2-sulfonatophenyl]amino]-9,10-dihydro-9,10-dioxoanthracene-2-sulfonate. + + (a) Identity. The color additive is disodium 1-amino-4-[[4-[(2- +bromo-1-oxoallyl)amino]-2-sulfonatophenyl]amino]-9,10-dihydro-9,10- +dioxoanthracene-2-sulfonate (Reactive Blue 69) (CAS Reg. No. 70209-99-3, +Colour Index No. 612037). + (b) Uses and restrictions. (1) The substance listed in paragraph (a) +of this section may be used as a color additive in contact lenses in +amounts not to exceed the minimum reasonably required to accomplish the +intended coloring effect. + (2) Authorization and compliance with this use shall not be +construed as waiving any of the requirements of sections 510(k), 515, +and 520(g) of the Federal Food, Drug, and Cosmetic Act with respect to +the contact lenses in which the additive is used. + (c) Labeling. The label of the color additive shall conform to the +requirements in Sec. 70.25 of this chapter. + (d) Exemption from certification. Certification of this color +additive is not necessary for the protection of the public health, and +therefore batches thereof are exempt from the certification requirements +of section 721(c) of the Federal Food, Drug, and Cosmetic Act. + +[76 FR 25235, May 4, 2011, as amended at 78 FR 14664, Mar. 7, 2013] + +[[Page 454]] + + + +PART 74_LISTING OF COLOR ADDITIVES SUBJECT TO CERTIFICATION +--Table of Contents + + + + Subpart A_Foods + +Sec. +74.101 FD&C Blue No. 1. +74.102 FD&C Blue No. 2. +74.203 FD&C Green No. 3. +74.250 Orange B. +74.302 Citrus Red No. 2. +74.303 FD&C Red No. 3. +74.340 FD&C Red No. 40. +74.705 FD&C Yellow No. 5. +74.706 FD&C Yellow No. 6. + + Subpart B_Drugs + +74.1101 FD&C Blue No. 1. +74.1102 FD&C Blue No. 2. +74.1104 D&C Blue No. 4. +74.1109 D&C Blue No. 9. +74.1203 FD&C Green No. 3. +74.1205 D&C Green No. 5. +74.1206 D&C Green No. 6. +74.1208 D&C Green No. 8. +74.1254 D&C Orange No. 4. +74.1255 D&C Orange No. 5. +74.1260 D&C Orange No. 10. +74.1261 D&C Orange No. 11. +74.1303 FD&C Red No. 3. +74.1304 FD&C Red No. 4. +74.1306 D&C Red No. 6. +74.1307 D&C Red No. 7. +74.1317 D&C Red No. 17. +74.1321 D&C Red No. 21. +74.1322 D&C Red No. 22. +74.1327 D&C Red No. 27. +74.1328 D&C Red No. 28. +74.1330 D&C Red No. 30. +74.1331 D&C Red No. 31. +74.1333 D&C Red No. 33. +74.1334 D&C Red No. 34. +74.1336 D&C Red No. 36. +74.1339 D&C Red No. 39. +74.1340 FD&C Red No. 40. +74.1602 D&C Violet No. 2. +74.1705 FD&C Yellow No. 5. +74.1706 FD&C Yellow No. 6. +74.1707 D&C Yellow No. 7. +74.1707a Ext. D&C Yellow No. 7. +74.1708 D&C Yellow No. 8. +74.1710 D&C Yellow No. 10. +74.1711 D&C Yellow No. 11. + + Subpart C_Cosmetics + +74.2052 D&C Black No. 2. +74.2053 D&C Black No. 3. +74.2101 FD&C Blue No. 1. +74.2104 D&C Blue No. 4. +74.2151 D&C Brown No. 1. +74.2203 FD&C Green No. 3. +74.2205 D&C Green No. 5. +74.2206 D&C Green No. 6. +74.2208 D&C Green No. 8. +74.2254 D&C Orange No. 4. +74.2255 D&C Orange No. 5. +74.2260 D&C Orange No. 10. +74.2261 D&C Orange No. 11. +74.2304 FD&C Red No. 4. +74.2306 D&C Red No. 6. +74.2307 D&C Red No. 7. +74.2317 D&C Red No. 17. +74.2321 D&C Red No. 21. +74.2322 D&C Red No. 22. +74.2327 D&C Red No. 27. +74.2328 D&C Red No. 28. +74.2330 D&C Red No. 30. +74.2331 D&C Red No. 31. +74.2333 D&C Red No. 33. +74.2334 D&C Red No. 34. +74.2336 D&C Red No. 36. +74.2340 FD&C Red No. 40. +74.2602 D&C Violet No. 2. +74.2602a Ext. D&C Violet No. 2. +74.2705 FD&C Yellow No. 5. +74.2706 FD&C Yellow No. 6. +74.2707 D&C Yellow No. 7. +74.2707a Ext. D&C Yellow No. 7. +74.2708 D&C Yellow No. 8. +74.2710 D&C Yellow No. 10. +74.2711 D&C Yellow No. 11. + + Subpart D_Medical Devices + +74.3045 [Phthalocyaninato(2-)] copper. +74.3102 FD&C Blue No. 2. +74.3106 D&C Blue No. 6. +74.3206 D&C Green No. 6. +74.3230 D&C Red No. 17. +74.3602 D&C Violet No. 2. +74.3710 D&C Yellow No. 10. + + Authority: 21 U.S.C. 321, 341, 342, 343, 348, 351, 352, 355, 361, +362, 371, 379e. + + Source: 42 FR 15654, Mar. 22, 1977, unless otherwise noted. + + + + Subpart A_Foods + + + +Sec. 74.101 FD&C Blue No. 1. + + (a) Identity. (1) The color additive FD&C Blue No. 1 is principally +the disodium salt of ethyl [4-[p-[ethyl (m-sulfobenzyl) amino]-[alpha]- +(o-sulfophenyl) benzylidene] - 2,5 -cyclohexadien - 1 - ylidene] (m- +sulfobenzyl) ammonium hydroxide inner salt with smaller amounts of the +isomeric disodium salts of ethyl [4-[p-[ethyl(p-sulfobenzyl) amino]- +[alpha]-(o-sulfophenyl) benzylidene]-2,5-cyclohexadien-1-ylidene] (p- +sulfobenzyl) ammonium hydroxide inner salt and ethyl [4-[p-[ethyl (o- +sulfobenzyl) amino] - [alpha] - (o -sulfophenyl) benzylidene]-2,5- +cyclohexadien-1-ylidene] (o- + +[[Page 455]] + +sulfobenzyl) ammonium hydroxide inner salt. + (2) Color additive mixtures for food use (including dietary +supplements) made with FD&C Blue No. 1 may contain only those diluents +that are suitable and that are listed in part 73 of this chapter as safe +for use in color additive mixtures for coloring foods. + (b) Specifications. FD&C Blue No. 1 shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such other impurities may be avoided by current good +manufacturing practice: + +Sum of volatile matter (at 135 [deg]C) and chlorides and sulfates +(calculated as sodium salts), not more than 15.0 percent. +Water-insoluble matter, not more than 0.2 percent. +Leuco base, not more than 5 percent. +Sum of o-, m-, and p-sulfobenzaldehydes, not more than 1.5 percent. +N-Ethyl,N-(m-sulfobenzyl)sulfanilic acid, not more than 0.3 percent. +Subsidiary colors, not more than 6.0 percent. +Chromium (as Cr), not more than 50 parts per million. +Manganese (as Mn), not more than 100 parts per million. +Arsenic (as As), not more than 3 parts per million. +Lead (as Pb), not more than 10 parts per million. +Total color, not less than 85.0 percent. + + (c) Uses and restrictions. FD&C Blue No. 1 may be safely used for +coloring foods (including dietary supplements) generally in amounts +consistent with good manufacturing practice except that it may not be +used to color foods for which standards of identity have been +promulgated under section 401 of the act unless added color is +authorized by such standards. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of FD&C Blue No. 1 shall be certified +in accordance with regulations in part 80 of this chapter. + +[42 FR 15654, Mar. 22, 1977, as amended at 58 FR 17511, Apr. 5, 1993] + + + +Sec. 74.102 FD&C Blue No. 2. + + (a) Identity. (1) The color additive FD&C Blue No. 2 is principally +the disodium salt of 2-(1,3-dihydro-3-oxo-5-sulfo-2H-indol-2-ylidene)- +2,3-dihydro-3-oxo-1H-indole-5-sulfonic acid (CAS Reg. No. 860-22-0) with +smaller amounts of the disodium salt of 2-(1,3-dihydro-3-oxo-7-sulfo-2H- +indol-2-ylidene)-2,3-dihydro-3-oxo-1H-indole-5-sulfonic acid (CAS Reg. +No. 54947-75-0) and the sodium salt of 2-(1,3-dihydro-3-oxo-2H-indol-2- +ylidene)-2,3-dihydro-3-oxo-1H-indole-5-sulfonic acid (CAS Reg. No. 605- +18-5). Additionally, FD&C Blue No. 2 is obtained by heating indigo (or +indigo paste) in the presence of sulfuric acid. The color additive is +isolated and subjected to purification procedures. The indigo (or indigo +paste) used above is manufactured by the fusion of N-phenylglycine +(prepared from aniline and formaldehyde) in a molten mixture of sodamide +and sodium and potassium hydroxides under ammonia pressure. The indigo +is isolated and subjected to purification procedures prior to +sulfonation. + (2) Color additive mixtures for food use (including dietary +supplements) made with FD&C Blue No. 2 may contain only those diluents +that are suitable and that are listed in part 73 of this chapter as safe +for use in color additive mixtures for coloring foods. + (b) Specifications. The color additive FD&C Blue No. 2 shall conform +to the following specifications and shall be free from impurities other +than those named to the extent that such other impurities may be avoided +by current good manufacturing practice: + +Sum of volatile matter at 135 [deg]C (275 [deg]F) and chlorides and +sulfates (calculated as sodium salts), not more than 15 percent. +Water insoluble matter, not more than 0.4 percent. +Isatin-5-sulfonic acid, not more than 0.4 percent. +5-Sulfoanthranilic acid, not more than 0.2 percent. +Disodium salt of 2-(1,3-dihydro-3-oxo-7-sulfo-2H-indol-2-ylidene)-2,3- +dihydro-3-oxo-1H-indole-5-sulfonic acid, not more than 18 percent. +Sodium salt of 2-(1,3-dihydro-3-oxo-2H-indol-2-ylidene)-2,3-dihydro-3- +oxo-1H-indole-5-sulfonic acid, not more than 2 percent. +Lead (as Pb), not more than 10 parts per million. + +[[Page 456]] + +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 85 percent. + + (c) Uses and restrictions. The color additive FD&C Blue No. 2 may be +safely used for coloring foods (including dietary supplements) generally +in amounts consistent with current good manufacturing practice except +that it may not be used to color foods for which standards of identity +have been promulgated under section 401 of the Federal Food, Drug, and +Cosmetic Act unless added color is authorized by such standards. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of FD&C Blue No. 2 shall be certified +in accordance with regulations in part 80 of this chapter. + +[48 FR 5260, Feb. 4, 1983] + + + +Sec. 74.203 FD&C Green No. 3. + + (a) Identity. (1) The color additive FD&C Green No. 3 is principally +the inner salt disodium salt of N-ethyl-N-[4-[[4-[ethyl[(3- +sulfophenyl)methyl]amino]phenyl](4-hydroxy-2-sulfophenyl)methylene]-2,5- +cyclohexadien-1-ylidene]-3-sulfobenzenemethanaminium hydroxide (CAS Reg. +No. 2353-45-9); with smaller amounts of the isomeric inner salt disodium +salt of N-ethyl-N-[4-[[4-[ethyl[(3-sulfophenyl)methyl] amino]phenyl](4- +hydroxy-2-sulfophenyl)methylene]-2,5-cyclohexadien-1-ylidene]-4- +sulfobenzenemethanaminium hydroxide; of N-ethyl-N-[4-[[4-[ethyl[(4- +sulfophenyl)methyl]amino]phenyl](4-hydroxy-2-sulfophenyl)methylene]-2,5- +cyclohexadien-1-ylidene]-4-sulfobenzenemethanaminium hydroxide and of N- +ethyl-N-[4-[[4-[ethyl[(2-sulfophenyl)methyl]amino]phenyl](4-hydroxy-2- +sulfophenyl)methylene]-2,5-cyclohexadien-1-ylidene]-3- +sulfobenzenemethanaminium hydroxide. Additionally, FD&C Green No. 3 is +manufactured by the acid catalyzed condensation of one molecule of 2- +formyl-5-hydroxybenzenesulfonic acid with two molecules from a mixture +consisting principally of 3-[(ethylphenylamino)methyl] + +benzensulfonic acid, and smaller amounts of 4-[(ethylphenylamino)methyl] + +benzenesulfonic acid and 2-[(ethylphenylamino)methyl] + +benzenesulfonic acid to form the leuco base. The leuco base is then +oxidized with lead dioxide and acid or with dichromate and acid to form +the dye. The intermediate 2-formyl-5-hydroxybenzenesulfonic acid is +prepared by the potassium permanganate oxidation of 2,2'-(1,2- +ethenediyl)-bis(5-aminobenzenesulfonic acid) to sodium 5-amino-2- +formylbenzenesulfonate. This amine is diazotized and the resulting +diazonium salt is hydrolyzed to the desired 2-formyl-5- +hydroxybenzenesulfonic acid. + (2) Color additive mixtures for food use (including dietary +supplements) made with FD&C Green No. 3 may contain only those diluents +that are suitable and that are listed in part 73 of this chapter as safe +for use in color additive mixtures for coloring food. + (b) Specifications. The color additive FD&C Green No. 3 shall +conform to the following specifications and shall be free from +impurities other than those named to the extent that such other +impurities may be avoided by current good manufacturing practice: + +Sum of volatile matter at 135 [deg]C (275 [deg]F) and chlorides and +sulfates (calculated as sodium salts), not more than 15 percent. +Water-insoluble matter, not more than 0.2 percent. +Leuco base, not more than 5 percent. +Sum of 2-,3-,4-formylbenzenesulfonic acids, sodium salts, not more than +0.5 percent. +Sum of 3- and 4-[[ethyl(4-sulfophenyl)amino]methyl] benzenesulfonic +acid, disodium salts, not more than 0.3 percent. +2-Formyl-5-hydroxybenzenesulfonic acid, sodium salt, not more than 0.5 +percent. +Subsidiary colors, not more than 6 percent. +Chromium (as Cr), not more than 50 parts per million. +Arsenic (as As), not more than 3 parts per million. +Lead (as Pb), not more than 10 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 85 percent. + + +[[Page 457]] + + + (c) Uses and restrictions. The color additive FD&C Green No. 3 may +be safely used for coloring foods (including dietary supplements) +generally in amounts consistent with current good manufacturing practice +except that it may not be used to color foods for which standards of +identity have been promulgated under section 401 of the act unless added +color is authorized by such standards. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of FD&C Green No. 3 shall be +certified in accordance with regulations in part 80 of this chapter. + +[47 FR 52143, Nov. 19, 1982; 47 FR 56489, Dec. 17, 1982] + + + +Sec. 74.250 Orange B. + + (a) Identity. (1) The color additive Orange B is principally the +disodium salt of 1-(4-sulfophenyl)-3-ethylcarboxy-4-(4- +sulfonaphthylazo)-5-hydro-xypyrazole. + (2) The diluents in color additive mixtures for food use containing +Orange B are limited to those listed in part 73 of this chapter as safe +and suitable in color additive mixtures for coloring foods. + (b) Specifications. Orange B shall conform to the following +specifications: + +Volatile matter (at 135 [deg]C.), not more than 6.0 percent. +Chlorides and sulfates (calculated as the sodium salts), not more than +7.0 percent. +Water insoluble matter, not more than 0.2 percent. +1-(4-Sulfophenyl)-3-ethylcarboxy-5-hydroxypyrazolone and 1-(4- +sulfophenyl)-3-carboxy-5-hydroxypyrazolone, not more than 0.7 percent. +Naphthionic acid, not more than 0.2 percent. +Phenylhydrazine-p-sulfonic acid, not more than 0.2 percent. +The trisodium salt of 1-(4-sulfophenyl)-3-carboxy-4-(4- +sulfonaphthylazo)-5-hydroxypyrazole, not more than 6.0 percent. +Other subsidiary dyes, not more than 1.0 percent. +Lead (as Pb), not more than 10 parts per million. +Arsenic (as As), not more than 1 part per million. +Total color, not less than 87.0 percent. + + (c) Uses and restrictions. Orange B may be safely used for coloring +the casings or surfaces of frankfurters and sausages subject to the +restriction that the quantity of the color additive does not exceed 150 +parts per million by weight of the finished food. + (d) Labeling requirements. The label of the color additive and any +mixtures intended solely or in part for coloring purposes prepared +therefrom shall conform to the requirements of Sec. 70.25 of this +chapter. + (e) Certification. All batches of Orange B shall be certified in +accordance with regulations promulgated under part 80 of this chapter. + + + +Sec. 74.302 Citrus Red No. 2. + + (a) Identity. (1) The color additive Citrus Red No. 2 is principally +1-(2,5-dimethoxyphenylazo)-2-naphthol. + (2) The following diluents may be used in aqueous suspension, in the +percentages specified, to facilitate application to oranges in +accordance with paragraph (c)(1) of this section: + (i) Suitable diluents used in accordance with Sec. 73.1(a) of this +chapter. + (ii) Volatile solvents that leave no residue after application to +the orange. + (iii) Salts of fatty acids meeting the requirements of Sec. 172.863 +of this chapter. + (iv) Sodium tripolyphosphate, not more than 0.05 percent. + (b) Specifications. Citrus Red No. 2 shall conform to the following +specifications and shall be free from impurities, other than those +named, to the extent that such other impurities may be avoided by good +manufacturing practice: + +Volatile matter (at 100 [deg]C.), not more than 0.5 percent. +Water-soluble matter, not more than 0.3 percent. +Matter insoluble in carbon tetrachloride, not more than 0.5 percent. +Uncombined intermediates, not more than 0.05 percent. +Subsidiary dyes, not more than 2.0 percent. +Lead (as Pb), not more than 10 parts per million. +Arsenic (as As), not more than 1 part per million. +Total color, not less than 98 percent. + + (c) Uses and restrictions. (1) Citrus Red No. 2 shall be used only +for coloring the skins of oranges that are not intended + +[[Page 458]] + +or used for processing (or if so used are designated in the trade as +Packinghouse elimination) and that meet minimum maturity standards +established by or under the laws of the States in which the oranges are +grown. + (2) Oranges colored with Citrus Red No. 2 shall bear not more than +2.0 parts per million of such color additive, calculated on the basis of +the weight of the whole fruit. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom and intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. To +meet the requirements of Sec. 70.25 (b) and (c) of this chapter the +label shall bear: + (1) The statement (or its equivalent) ``To be used only for coloring +skins of oranges.'' + (2) Directions for use to limit the amount of the color additive to +not more than 2.0 parts per million, calculated on the basis of the +weight of the whole fruit. + (e) Certification. All batches of Citrus Red No. 2 shall be +certified in accordance with regulations in part 80 of this chapter. + + + +Sec. 74.303 FD&C Red No. 3. + + (a) Identity. (1) The color additive FD&C Red No. 3 is principally +the monohydrate of 9 (o- carboxyphenyl)-6-hydroxy - 2,4,5,7-tetraiodo- +3H-xanthen-3-one, disodium salt, with smaller amounts of lower imdinated +fluoresceins. + (2) Color additive mixtures for food use made with FD&C Red No. 3 +may contain only those diluents that are suitable and that are listed in +part 73 of this chapter as safe for use in color additive mixtures for +coloring foods. + (b) Specifications. FD&C Red No. 3 shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such other impurities may be avoided by good +manufacturing practice: + +Volatile matter (at 135 [deg]C.) and chlorides and sulfates (calculated +as the sodium salts), total not more than 13 percent. +Water-insoluble matter, not more than 0.2 percent. +Unhalogenated intermediates, total not more than 0.1 percent. +Sodium iodide, not more than 0.4 percent. +Triiodoresorcinol, not more than 0.2 percent. +2(2',4'-Dihydroxy-3', 5'-diiodobenzoyl) benzoic acid, not more than 0.2 +percent. +Monoiodofluoresceins not more than 1.0 percent. +Other lower iodinated fluoresceins, not more than 9.0 percent. +Lead (as Pb), not more than 10 parts per million. +Arsenic (as As), not more than 3 parts per million. +Total color, not less than 87.0 percent. + + (c) Uses and restrictions. FD&C Red No. 3 may be safely used for +coloring foods generally (including dietary supplements) in amounts +consistent with good manufacturing practice except that it may not be +used to color foods for which standards of identity have been +promulgated under section 401 of the act unless added color is +authorized by such standards. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of FD&C Red No. 3 shall be certified +in accordance with regulations in part 80 of this chapter. + + + +Sec. 74.340 FD&C Red No. 40. + + (a) Identity. (1) The color additive FD&C Red No. 40 is principally +the disodium salt of 6-hydroxy-5-[(2-methoxy-5-methyl-4- +sulfophenyl)azo]-2-naphthalenesulfonic acid. + (2) Color additive mixtures for food use (including dietary +supplements) made with FD&C Red No. 40 may contain only those diluents +that are suitable and that are listed in part 73 of this chapter as safe +for use in color additive mixtures for coloring foods. + (3) The listing of this color additive includes lakes prepared as +described in Sec. 82.51 of this chapter, except that the color additive +used is FD&C Red No. 40 and the resultant lakes meet the specification +and labeling requirements prescribed by Sec. 82.51 of this chapter. + (b) Specifications. FD&C Red No. 40 shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such other impurities may be + +[[Page 459]] + +avoided by good manufacturing practice: + +Sum of volatile matter (at 135 [deg]C.) and chlorides and sulfates +(calculated as sodium salts), not more than 14.0 percent. +Water-insoluble matter, not more than 0.2 percent. +Higher sulfonated subsidiary colors (as sodium salts), not more than 1.0 +percent. +Lower sulfonated subsidiary colors (as sodium salts), not more than 1.0 +percent. +Disodium salt of 6-hydroxy-5-[(2-methoxy-5-methyl-4-sulfophenyl) azo] - +8-(2-methoxy-5-methyl-4-sulfophenoxy)-2-naphthalenesulfonic acid, not +more than 1.0 percent. +Sodium salt of 6-hydroxy-2-naphthalenesulfonic acid (Schaeffer's salt), +not more than 0.3 percent. +4-Amino-5-methoxy-o- toluenesulfonic acid, not more than 0.2 percent. +Disodium salt of 6,6'-oxybis (2-naphthalene-sulfonic acid), not more +than 1.0 percent. +Lead (as Pb), not more than 10 parts per million. +Arsenic (as As), not more than 3 parts per million. +Total color, not less than 85.0 percent. + + (c) Uses and restrictions. FD&C Red No. 40 may be safely used for +coloring foods (including dietary supplements) generally in amounts +consistent with good manufacturing practice except that it may not be +used to color foods for which standards of identity have been +promulgated under section 401 of the act unless added color is +authorized by such standards. + (d) Labeling. The label of the color additive and any lakes or +mixtures prepared therefrom intended solely or in part for coloring +purposes shall conform to the requirements of Sec. 70.25 of this +chapter. + (e) Certification. All batches of FD&C Red No. 40 and lakes thereof +shall be certified in accordance with regulations in part 80 of this +chapter. + + + +Sec. 74.705 FD&C Yellow No. 5. + + (a) Identity. (1) The color additive FD&C Yellow No. 5 is +principally the trisodium salt of 4,5-dihydro-5-oxo-1-(4-sulfophenyl)-4- +[4-sulfophenyl-azo]-1H-pyrazole-3-carboxylic acid (CAS Reg. No. 1934-21- +0). To manufacture the additive, 4-amino-benzenesulfonic acid is +diazotized using hydrochloric acid and sodium nitrite. The diazo +compound is coupled with 4,5-dihydro-5-oxo-1-(4-sulfophenyl)-1H- +pyrazole-3-carboxylic acid or with the methyl ester, the ethyl ester, or +a salt of this carboxylic acid. The resulting dye is purified and +isolated as the sodium salt. + (2) Color additive mixtures for food use made with FD&C Yellow No. 5 +may contain only those diluents that are suitable and that are listed in +part 73 of this chapter as safe for use in color additive mixtures for +coloring foods. + (b) Specifications. FD&C Yellow No. 5 shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such other impurities may be avoided by good +manufacturing practice: + +Sum of volatile matter at 135 [deg]C (275 [deg]F) and chlorides and +sulfates (calculated as sodium salts), not more than 13 percent. +Water-insoluble matter, not more than 0.2 percent. +4,4'-[4,5-Dihydro-5-oxo-4-[(4-sulfophenyl)hydrazono]-1H-pyrazol-1,3- +diyl]bis[benzenesulfonic acid], trisodium salt, not more than 1 percent. +4-[(4',5-Disulfo[1,1'-biphenyl]-2-yl)hydrazono]-4,5-dihydro-5-oxo-1-(4- +sulfophenyl)-1H-pyrazole-3-carboxylic acid, tetrasodium salt, not more +than 1 percent. +Ethyl or methyl 4,5-dihydro-5-oxo-1-(4-sulfophenyl)-4-[(4- +sulfophenyl)hydrazono]-1H-pyrazole-3-carboxylate, disodium salt, not +more than 1 percent. +Sum of 4,5-dihydro-5-oxo-1-phenyl-4-[(4-sulfophenyl)azo]-1H-pyrazole-3- +carboxylic acid, disodium salt, and 4,5-dihydro-5-oxo-4-(phenylazo)-1- +(4-sulfophenyl)-1H-pyrazole-3-carboxylic acid, disodium salt, not more +than 0.5 percent. +4-Aminobenzenesulfonic acid, sodium salt, not more than 0.2 percent. +4,5-Dihydro-5-oxo-1-(4-sulfophenyl)-1H-pyrazole-3-carboxylic acid, +disodium salt, not more than 0.2 percent. +Ethyl or methyl 4,5-dihydro-5-oxo-1-(4-sulfophenyl)-1H-pyrazole-3- +carboxylate, sodium salt, not more than 0.1 percent. +4,4'-(1-Triazene-1,3-diyl)bis[benzenesulfonic acid], disodium salt, not +more than 0.05 percent. +4-Aminoazobenzene, not more than 75 parts per billion. +4-Aminobiphenyl, not more than 5 parts per billion. +Aniline, not more than 100 parts per billion. +Azobenzene, not more than 40 parts per billion. +Benzidine, not more than 1 part per billion. +1,3-Diphenyltriazene, not more than 40 parts per billion. +Lead (as Pb), not more than 10 parts per million. + +[[Page 460]] + +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 87 percent. + + (c) Uses and restrictions. FD&C Yellow No. 5 may be safely used for +coloring foods (including dietary supplements) generally in amounts +consistent with good manufacturing practice, except that it may not be +used to color foods for which standards of identity have been +promulgated under section 401 of the act unless added color is +authorized by such standards. + (d) Labeling requirements. (1) The label of the color additive and +any mixtures intended solely or in part for coloring purposes prepared +therefrom shall conform to the requirements of Sec. 70.25 of this +chapter. + (2) Foods for human use that contain FD&C Yellow No. 5, including +butter, cheese, and ice cream, shall specifically declare the presence +of FD&C Yellow No. 5 by listing the color additive as FD&C Yellow No. 5 +among the list of ingredients. + (e) Certification. All batches of FD&C Yellow No. 5 shall be +certified in accordance with regulations in part 80 of this chapter. + +[42 FR 15654, Mar. 22, 1977; 44 FR 17658, Mar. 23, 1979, as amended at +44 FR 37220, June 26, 1979; 51 FR 24519, July 7, 1986] + + + +Sec. 74.706 FD&C Yellow No. 6. + + (a) Identity. (1) The color additive FD&C Yellow No. 6 is +principally the disodium salt of 6-hydroxy-5-[(4-sulfophenyl)azo]-2- +naphthalenesulfonic acid (CAS Reg. No. 2783-94-0). The trisodium salt of +3-hydroxy-4-[(4-sulfophenyl)azo]-2,7-naphthalenedisulfonic acid (CAS +Reg. No. 50880-65-4) may be added in small amounts. The color additive +is manufactured by diazotizing 4-aminobenzenesulfonic acid using +hydrochloric acid and sodium nitrite or sulfuric acid and sodium +nitrite. The diazo compound is coupled with 6-hydroxy-2-naphthalene- +sulfonic acid. The dye is isolated as the sodium salt and dried. The +trisodium salt of 3-hydroxy-4-[(4-sulfophenyl)azo]-2,7- +naphthalenedisulfonic acid which may be blended with the principal color +is prepared in the same manner except the diazo benzenesulfonic acid is +coupled with 3-hydroxy-2,7-naphthalenedisulfonic acid. + (2) Color additive mixtures for food use made with FD&C Yellow No. 6 +may contain only those diluents that are suitable and that are listed in +part 73 of this chapter as safe for use in color additive mixtures for +coloring foods. + (b) Specifications. The color additive FD&C Yellow No. 6 shall +conform to the following specifications and shall be free from +impurities other than those named to the extent that such other +impurities may be avoided by current good manufacturing practice: + +Sum of volatile matter (at 135 [deg]C) and chlorides and sulfates +(calculated as sodium salts), not more than 13 percent. +Water insoluble matter, not more than 0.2 percent. +Sodium salt of 4-aminobenzenesulfonic acid, not more than 0.2 percent. +Sodium salt of 6-hydroxy-2-naphthalenesulfonic acid, not more than 0.3 +percent. +Disodium salt of 6,6'-oxybis[2-naphthalenesulfonic acid], not more than +1 percent. +Disodium salt of 4,4'-(1-triazene-1,3-diyl)bis[benzenesulfonic acid], +not more than 0.1 percent. +Sum of the sodium salt of 6-hydroxy-5-(phenylazo)-2-naphthalenesulfonic +acid and the sodium salt of 4-[(2-hydroxy-1- +naphthalenyl)azo]benzenesulfonic acid, not more than 1 percent. +Sum of the trisodium salt of 3-hydroxy-4-[(4-sulfophenyl)azo]-2,7- +naphthalenedisulfonic acid and other higher sulfonated subsidiaries, not +more than 5 percent. +4-Aminoazobenzene, not more than 50 parts per billion. +4-Aminobiphenyl, not more than 15 parts per billion. +Aniline, not more than 250 parts per billion. +Azobenzene, not more than 200 parts per billion. +Benzidine, not more than 1 part per billion. +1,3-Diphenyltriazene, not more than 40 parts per billion. +1-(Phenylazo)-2-naphthalenol, not more than 10 parts per million. +Lead (as Pb), not more than 10 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 87 percent. + + +[[Page 461]] + + + (c) Uses and restrictions. The color additive FD&C Yellow No. 6 may +be safely used for coloring foods (including dietary supplements) +generally in amounts consistent with current good manufacturing +practice, except that it may not be used to color foods for which +standards of identity have been promulgated under section 401 of the act +unless added color is authorized by such standards. + (d) Labeling requirements. (1) The label of the color additive and +any mixtures intended solely or in part for coloring purposes prepared +therefrom shall conform to the requirements of Sec. 70.25 of this +chapter. + (2) [Reserved] + (e) Certification. All batches of FD&C Yellow No. 6 shall be +certified in accordance with regulations in part 80 of this chapter. + +[51 FR 41782, Nov. 19, 1986, as amended at 52 FR 21508, June 8, 1987; 53 +FR 49138, Dec. 6, 1988] + + + + Subpart B_Drugs + + + +Sec. 74.1101 FD&C Blue No. 1 + + (a) Identity. (1) For ingested drugs, the color additive FD&C Blue +No. 1 shall conform in identity to the requirements of Sec. +74.101(a)(1). + (2) For externally applied drugs, the color additive FD&C Blue No. 1 +shall conform in identity to the requirements of Sec. 74.2101(a). + (3) Color additive mixtures for drug use made with FD&C Blue No. 1 +may contain only those diluents that are suitable and that are listed in +part 73 of this chapter as safe for use in color additive mixtures for +coloring drugs. + (b) Specifications. (1) The color additive FD&C Blue No. 1 for use +in coloring drugs generally shall conform in specifications to the +requirements of Sec. 74.101(b). + (2) FD&C Blue No. 1 Aluminum Lake shall be prepared in accordance +with the requirements of Sec. 82.51 of this chapter. + (c) Uses and restrictions. (1) FD&C Blue No. 1 may be safely used +for coloring drugs, including drugs intended for use in the area of the +eye, in amounts consistent with current good manufacturing practice. + (2) FD&C Blue No. 1 Aluminum Lake may be safely used for coloring +drugs intended for use in the area of the eye, in amounts consistent +with current good manufacturing practice, subject to the restrictions on +the use of color additives in Sec. 70.5(b) and (c) of this chapter. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of FD&C Blue No. 1 shall be certified +in accordance with regulations in part 80 of this chapter. + +[47 FR 42565, Sept. 28, 1982, as amended at 59 FR 7638, Feb. 16, 1994] + + + +Sec. 74.1102 FD&C Blue No. 2. + + (a) Identity. (1) The color additive FD&C Blue No. 2 shall conform +in identity to the requirements of Sec. 74.102(a)(1). + (2) Color additive mixtures for use in ingested drugs made with FD&C +Blue No. 2 may contain only those diluents that are suitable and that +are listed in part 73 of this chapter as safe for use in color additive +mixtures for coloring drugs. + (b) The color additive FD&C Blue No. 2 for use in coloring ingested +drugs shall conform to the specifications in Sec. 74.102(b). + (c) The color additive FD&C Blue No. 2 may be safely used for +coloring ingested drugs in amounts consistent with current good +manufacturing practice. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of FD&C Blue No. 2 shall be certified +in accordance with regulations in part 80 of this chapter. + +[48 FR 5260, Feb. 4, 1983, as amended at 49 FR 10090, Mar. 19, 1984; 64 +FR 48290, Sept. 3, 1999] + + + +Sec. 74.1104 D&C Blue No. 4. + + (a) Identity. (1) The color additive D&C Blue No. 4 is principally +the diammonium salt of ethyl[4-[p[ethyl(m- sulfobenzyl)ami-no]-[alpha]- +(o- + +[[Page 462]] + +sulfophenyl)benzylidene]-2,5-cyclo-hexadien-1-ylidene] (m- sulfobenzyl) +ammonium hydroxide inner salt with smaller amounts of the isomeric +diammonium salts of ethyl [4-[p-[ethyl(p- sulfobenzyl) amino]-[alpha]- +(o- sulfophenyl) benzylidene]-2,5-cyclohexadien - 1-ylidene](p- +sulfobenzyl) ammonium hydroxide inner salt and ethyl[4-[p-[ethyl (o- +sulfobenzyl)amino]-[alpha]-(o- sulfophenyl) benzylidene]-2,5- +cyclohexadien-1-ylidene] (o- sulfobenzyl) ammonium hydroxide inner salt. + (2) Color additive mixtures for use in externally applied drugs made +with D&C Blue No. 4 may contain only those diluents that are suitable +and that are listed in part 73 of this chapter for use in color additive +mixtures for coloring externally applied drugs. + (b) Specifications. D&C Blue No. 4 shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such impurities may be avoided by good manufacturing +practice: + +Sum of volatile matter (at 135 [deg]C) and chlorides and sulfates +(calculated as sodium salts), not more than 15 percent. +Water-insoluble matter, not more than 0.2 percent. +Leuco base, not more than 5 percent. +Sum of o-, m, and p- sulfobenzaldehydes, ammonium salt, not more than +1.5 percent. +N-ethyl, N-(m- sulfobenzyl) sulfanilic acid ammonium salt, not more than +0.3 percent. +Subsidiary colors, not more than 6 percent. +Chromium (as Cr), not more than 50 parts per million. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 85 percent. + + (c) Uses and restrictions. D&C Blue No. 4 may be safely used in +externally applied drugs in amounts consistent with good manufacturing +practice. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Blue No. 4 shall be certified +in accordance with regulations in part 80 of this chapter. + + + +Sec. 74.1109 D&C Blue No. 9. + + (a) Identity. The color additive D&C Blue No. 9 is principally 7,16- +dichloro-6,15 - dihydro - 5,9,14,18 - anthrazine-tetrone. + (b) Specifications. D&C Blue No. 9 shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such impurities may be avoided by good manufacturing +practice: + +Volatile matter (at 135 [deg]C.), not more than 3 percent. +Matter extractable by alcoholic HCl (0.1 ml of concentrated hydrochloric +acid per 50 ml of 95 percent ethyl alcohol), not more than 1 percent. +2-Amino anthraquinone, not more than 0.2 percent. +Organically combined chlorine in pure dye, 13.0-14.8 percent. +Lead (as Pb), not more than 20 p/m. +Arsenic (as As), not more than 3 p/m. +Total color, not less than 97 percent. + + (c) Uses and restrictions. D&C Blue No. 9 may be safely used for +coloring cotton and silk surgical sutures, including sutures for +ophthalmic use, subject to the following restrictions: + (1) The dyed suture shall conform in all respects to the +requirements of the United States Pharmacopeia XX (1980). + (2) The quantity of the color additive does not exceed 2.5 percent +by weight of the suture. + (3) When the sutures are used for the purposes specified in their +labeling, the color additive does not migrate to the surrounding tissue. + (4) If the suture is a new drug, a new-drug application approved +pursuant to section 505 of the act is in effect for it. + (d) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Blue No. 9 shall be certified +in accordance with regulations in part 80 of this chapter. + +[42 FR 15654, Mar. 22, 1977, as amended at 49 FR 10090, Mar. 19, 1984; +58 FR 17098, Apr. 1, 1993] + + + +Sec. 74.1203 FD&C Green No. 3. + + (a) Identity and specifications. (1) The color additive FD&C Green +No. 3 shall conform in identity and specifications + +[[Page 463]] + +to the requirements of Sec. 74.203(a)(1) and (b). + (2) Color additive mixtures for drug use made with FD&C Green No. 3 +may contain only those diluents that are suitable and that are listed in +part 73 of this chapter as safe for use in color additive mixtures for +coloring drugs. + (b) Uses and restrictions. The color additive FD&C Green No. 3 may +be safely used for coloring drugs generally in amounts consistent with +current good manufacturing practice. + (c) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of FD&C Green No. 3 shall be +certified in accordance with regulations in part 80 of this chapter. + +[47 FR 52144, Nov. 19, 1982] + + + +Sec. 74.1205 D&C Green No. 5. + + (a) Identity. (1) The color additive D&C Green No. 5 is principally +the disodium salt of 2,2'-[(9,10-dihydro-9,10-dioxo-1,4- +anthracenediyl)diimino]bis-[5-methylbenzenesulfonic acid] (CAS Reg. No. +4403-90-1). + (2) Color additive mixtures for use in drugs made with D&C Green No. +5 may contain only those diluents that are suitable and those that are +listed in part 73 of this chapter for use in color additive mixtures for +coloring drugs. + (b) Specifications. (1) D&C Green No. 5 for use in coloring surgical +sutures shall conform to the following specifications and shall be free +from impurities other than those named to the extent that such +impurities may be avoided by current good manufacturing practice: + +Sum of volatile matter (at 135 [deg]C) and chlorides and sulfates +(calculated as sodium salts), not more than 20 percent. +Water insoluble matter, not more than 0.2 percent. +1,4-Dihydroxyanthraquinone, not more than 0.2 percent. +2-Amino-m-toluenesulfonic acid, not more than 0.2 percent. +Subsidiary colors, not more than 5 percent. +Lead (as Pb), not more than 10 parts per million. +Arsenic (as As), not more than 3 parts per million. +Total color, not less than 80 percent. + + (2) D&C Green No. 5 for use in coloring drugs shall conform to the +following specifications and shall be free from impurities other than +those named to the extent that such other impurities may be avoided by +current good manufacturing practice: + +Sum of volatile matter (at 135 [deg]C) and chlorides and sulfates +(calculated as sodium salts), not more than 20 percent. +Water-insoluble matter, not more than 0.2 percent. +1,4-Dihydroxyanthraquinone, not more than 0.2 percent. +Sulfonated toluidines, total not more than 0.2 percent. +p-Toluidine, not more than 0.0015 percent. +Sum of monosulfonated D&C Green No. 6 and Ext. D&C Violet No. 2, not +more than 3 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 80 percent. + + (c) Use and restrictions. (1) D&C Green No. 5 may be safely used to +color nylon 66 (the copolymer of adipic acid and hexamethylenediamine) +and/or nylon 6[poly-(e-caprolactam)]nonabsorbable surgical sutures for +use in general surgery, subject to the following restrictions: + (i) The quantity of color additive does not exceed 0.6 percent by +weight of the suture. + (ii) When the sutures are used for the purposes specified in their +labeling, there is no migration of the color additive to the surrounding +tissue. + (iii) If the suture is a new drug, an approved new drug application, +under section 505 of the act, is in effect for it. + (2) D&C Green No. 5 may be safely used for coloring drugs generally, +including drugs intended for use in the area of the eye, in amounts +consistent with current good manufacturing practice. + (d) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + +[[Page 464]] + + (e) Certification. All batches of D&C Green No. 5 shall be certified +in accordance with regulations in part 80 of this chapter. + +[47 FR 24284, June 4, 1982; 47 FR 27551, June 25, 1982, as amended at 59 +FR 40805, Aug. 10, 1994] + + + +Sec. 74.1206 D&C Green No. 6. + + (a) Identity. The color additive D&C Green No. 6 is 1,4-bis[(4- +methylphenyl)amino]-9,10-anthracenedione (CAS. Reg. No. 128-80-3). + (b) Specifications. The color additive D&C Green No. 6 for use in +coloring externally applied drugs shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such other impurities may be avoided by current good +manufacturing practice: + +Volatile matter (at 135 [deg]C), not more than 2.0 percent. +Water-soluble matter, not more than 0.3 percent. +Matter insoluble in carbon tetrachloride, not more than 1.5 percent. +p-Toluidine, not more than 0.1 percent. +1,4-Dihydroxyanthraquinone, not more than 0.2 percent. +1-Hydroxy-4-[(4-methylphenyl)amino]-9, 10-anthracenedione, not more than +5.0 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 96.0 percent. + + (c) Uses and restrictions. The color additive D&C Green No. 6 may be +safely used for coloring externally applied drugs in amounts consistent +with current good manufacturing practice. + (d) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Green No. 6 shall be certified +in accordance with regulations promulgated under part 80 of this +chapter. + +[42 FR 15654, Mar. 22, 1977, as amended at 47 FR 14146, Apr. 2, 1982; 47 +FR 24278, June 4, 1982; 51 FR 9784, Mar. 21, 1986] + + + +Sec. 74.1208 D&C Green No. 8. + + (a) Identity. (1) The color additive D&C Green No. 8 is principally +the trisodium salt of 8-hydroxy-1,3,6-pyrene-trisulfonic acid. + (2) Color additive mixtures for use in externally applied drugs made +with D&C Green No. 8 may contain only those diluents that are suitable +and that are listed in part 73 of this chapter for use in color additive +mixtures for coloring externally applied drugs. + (b) Specifications. D&C Green No. 8 shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such impurities may be avoided by good manufacturing +practices: + +Volatile matter (at 135 [deg]C), not more than 15 percent. +Water-insoluble matter, not more than 0.2 percent. +Chlorides and sulfates (calculated as sodium salt), not more than 20 +percent. +The trisodium salt of 1,3,6-pyrenetrisulfonic acid, not more than 6 +percent. +The tetrasodium salt of 1,3,6,8-pyrenetetrasulfonic acid, not more than +1 percent. +Pyrene, not more than 0.2 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 65 percent. + + (c) Uses and restrictions. D&C Green No. 8 may be safely used in +externally applied drugs in amounts not exceeding 0.01 percent by weight +of the finished product. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Green No. 8 shall be certified +in accordance with regulations in part 80 of this chapter. + + + +Sec. 74.1254 D&C Orange No. 4. + + (a) Identity. (1) the color additive D&C Orange No. 4 is principally +the sodium salt of 4-[(2-hydroxy-1-naphthalenyl)azo]benzenesulfonic +acid. + (2) Color additive mixtures for use in externally applied drugs made +with D&C Orange No. 4 may contain only those diluents that are suitable +and that are listed in part 73 of this chapter + +[[Page 465]] + +for use in color additive mixtures for coloring externally applied +drugs. + (b) Specifications. D&C Orange No. 4 shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such impurities may be avoided by good manufacturing +practice. + +Sum of volatile matter (at 135 [deg]C) and chlorides and sulfates +(calculated as sodium salts), not more than 13 percent. +Water-insoluble matter, not more than 0.2 percent. +2-Naphthol, not more than 0.4 percent. +Sulfanilic acid, sodium salt, not more than 0.2 percent. +Subsidiary colors, not more than 3 percent. +4,4'-(Diazoamino)-dibenzenesulfonic acid, not more than 0.1 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 87 percent. + + (c) Uses and restrictions. D&C Orange No. 4 may be safely used for +coloring externally applied drugs in amounts consistent with good +manufacturing practice. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Orange No. 4 shall be +certified in accordance with regulations in part 80 of this chapter. + +[42 FR 52396, Sept. 30, 1977, as amended at 43 FR 14642, Apr. 7, 1978; +46 FR 8461, Jan. 27, 1981] + + + +Sec. 74.1255 D&C Orange No. 5. + + (a) Identity. (1) the color additive D&C Orange No. 5 is a mixture +consisting principally the sodium salt of 4',5'-dibromofluorescein (CAS +Reg. No. 596-03-2) and 2',4',5'-tribromofluorescein (CAS Reg. No. 25709- +83-5) and 2',4',5',7'-tetrabromofluorescein (CAS Reg. No. 15086-94-9). +D&C Orange No. 5 is manufactured by brominating fluorescein with +elemental bromine. The fluorescein is manufactured by the acid +condensation of resorcinol and phthalic acid or its anhydride. The +fluorescein is isolated and partially purified prior to bromination. + (2) Color additive mixtures for drug use made with D&C Orange No. 5 +may contain only those diluents that are suitable and that are listed in +part 73 of this chapter for use in color additive mixtures for coloring +drugs. + (b) Specifications. D&C Orange No. 5 shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such impurities may be avoided by good manufacturing +practice. + +4',5'-dibromofluorescein, not less than 50 percent and not more than 65 +percent. +2',4',5'-tribromofluorescein, not less than 30 percent and not more than +40 percent. +2',4',5',7'-tetrabromofluorescein, not more than 10 percent. +Sum of 2',4'-dibromofluorescein and 2',5'-dibromofluorescein, not more +than 2 percent. +4'-Bromofluorescein, not more than 2 percent. +Fluorescein, not more than 1 percent. +Phthalic acid, not more than 1 percent. +2-(3,5-Dibromo-2,4-dihydroxybenzoyl) benzoic acid, not more than 0.5 +percent. +Brominated resorcinol, not more than 0.4 percent. +Sum of volatile matter (at 135 [deg]C) and halides and sulfates +(calculated as sodium salts), not more than 10 percent. +Insoluble matter (alkaline solution), not more than 0.3 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 90 percent. + + (c) Uses and restrictions. D&C Orange No. 5 may be safely used for +coloring mouthwashes and dentifrices that are ingested drugs in amounts +consistent with current good manufacturing practice. D&C Orange No. 5 +may be safely used in externally applied drugs in amounts not exceeding +5 milligrams per daily dose of the drug. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + +[[Page 466]] + + (e) Certification. All batches of D&C Orange No. 5 shall be +certified in accordance with regulations in part 80 of this chapter. + +[47 FR 44635, Nov. 2, 1982, as amended at 49 FR 13342, Apr. 4, 1984] + + + +Sec. 74.1260 D&C Orange No. 10. + + (a) Identity. (1) The color additive D&C Orange No. 10 is a mixture +consisting principally of 4',5'-diiodofluorescein, 2',4',5'- +triiodofluorescein, and 2',4',5',7'-tetraiodofluorescein. + (2) Color additive mixtures for drug use made with D&C Orange No. 10 +may contain only those diluents listed in this subpart as safe and +suitable for use in color additive mixtures for coloring externally +applied drugs. + (b) Specifications. D&C Orange No. 10 shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such other impurities may be avoided by good +manufacturing practice: + +Sum of volatile matter (at 135 [deg]C) and halides and sulfates +(calculated as sodium salts), not more than 8 percent. +Insoluble matter (alkaline solution), not more than 0.5 percent. +Phthalic acid, not more than 0.5 percent. +2-[3',5'-Diiodo-2',4'-dihydroxybenzoyl] benzoic acid, not more than 0.5 +percent. +Fluorescein, not more than 1 percent. +4'-Iodofluorescein, not more than 3 percent. +2',4'-Diiodofluorescein and 2',5'-diiodofluorescein, not more than 2 +percent. +2',4',5'-Triiodofluorescein, not more than 35 percent. +2',4',5',7'-Tetraiodofluorescein, not more than 10 percent. +4',5'-Diiodofluorescein, not less than 60 percent and not more than 95 +percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 92 percent. + + (c) Uses and restrictions. D&C Orange No. 10 may be safely used for +coloring externally applied drugs in amounts consistent with good +manufacturing practice. + (d) Labeling requirements. The label of the color additive and any +mixtures prepared therefrom intended solely or in part for coloring +purposes shall conform to the requirements of Sec. 70.25 of this +chapter. + (e) Certification. All batches of D&C Orange No. 10 shall be +certified in accordance with regulations in part 80 of this chapter. + +[46 FR 18953, Mar. 27, 1981] + + + +Sec. 74.1261 D&C Orange No. 11. + + (a) Identity. (1) The color additive D&C Orange No. 11 is a mixture +consisting principally of the disodium salts of 4',5'-diiodofluorescein, +2',4',5'-triiodofluorescein and 2',4',5',7'-tetraiodofluorescein. + (2) Color additive mixtures for drug use made with D&C Orange No. 11 +may contain only those diluents listed in this subpart as safe and +suitable for use in color additive mixtures for coloring externally +applied drugs. + (b) Specifications. The color additive D&C Orange No. 11 shall +conform to the following specifications and shall be free from +impurities other than those named to the extent that such impurities may +be avoided by good manufacturing practice: + +Sum of volatile matter (at 135 [deg]C) and halides and sulfates +(calculated as sodium salts), not more than 8 percent. +Water-insoluble matter, not more than 0.5 percent. +Phthalic acid, not more than 0.5 percent. +2-[3',5'-Diiodo-2',4'-dihydroxybenzoyl] benzoic acid, sodium salt, not +more than 0.5 percent. +Fluorescein, disodium salt, not more than 1 percent. +4'-Iodofluorescein, disodium salt, not more than 3 percent. +2',4'-Diiodofluorescein and 2',5'-diiodofluorescein, not more than 2 +percent. +2',4',5'-Triiodofluorescein, not more than 35 percent. +2',4',5',7'-Tetraiodofluorescein, disodium salt, not more than 10 +percent. +4',5'-Diiodofluorescein, disodium salt, not less than 60 percent and not +more than 95 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 92 percent. + + (c) Uses and restrictions. D&C Orange No. 11 may be safely used for +coloring externally applied drugs in amounts + +[[Page 467]] + +consistent with good manufacturing practice. + (d) Labeling requirements. The label of the color additive and any +mixtures prepared therefrom intended solely or in part for coloring +purposes shall conform to the requirements of Sec. 70.25 of this +chapter. + (e) Certification. All batches of D&C Orange No. 11 shall be +certified in accordance with regulations in part 80 of this chapter. + +[46 FR 18953, Mar. 27, 1981] + + + +Sec. 74.1303 FD&C Red No. 3. + + (a) Identity and specifications. (1) The color additive FD&C Red No. +3 shall conform in identity and specifications to the requirements of +Sec. 74.303(a)(1) and (b). + (2) Color additive mixtures for ingested drug used made with FD&C +Red No. 3 may contain only those diluents that are suitable and that are +listed in part 73 of this chapter as safe for use in color additive +mixtures for coloring ingested drugs. + (b) Uses and restrictions. FD&C Red No. 3 may be safely used for +coloring ingested drugs in amounts consistent with good manufacturing +practice. + (c) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of FD&C Red No. 3 shall be certified +in accordance with regulations in part 80 of this chapter. + + + +Sec. 74.1304 FD&C Red No. 4. + + (a) Identity. (1) The color additive FD&C Red No. 4 is principally +the disodium salt of 3-[(2,4-dimethyl-5-sulfophenyl)azo] -4-hydroxy-1- +naphthalenesulfonic acid. + (2) Color additive mixtures for use in externally applied drugs made +with FD&C Red No. 4 may contain only those diluents that are suitable +and that are listed in part 73 of this chapter for use in color additive +mixtures for coloring externally applied drugs. + (b) Specifications. FD&C Red No. 4 shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such impurities may be avoided by good manufacturing +practice: + +Sum of volatile matter (at 135 [deg]C.) and chlorides and sulfates +(calculated as sodium salts), not more than 13 percent. +Water-insoluble matter, not more than 0.2 percent. +5-Amino-2,4-dimethyl-1-benzenesulfonic acid, sodium salt, not more than +0.2 percent. +4-Hydroxy-1-naphthalenesulfonic acid, sodium salt, not more than 0.2 +percent. +Subsidiary colors, not more than 2 percent. +Lead (as Pb), not more than 10 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 87 percent. + + (c) Uses and restrictions. FD&C Red No. 4 may be safely used in +externally applied drugs in amounts consistent with good manufacturing +practice. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of FD&C Red No. 4 shall be certified +in accordance with regulations in part 80 of this chapter. + + + +Sec. 74.1306 D&C Red No. 6. + + (a) Identity. (1) The color additive D&C Red No. 6 is principally +the disodium salt of 3-hydroxy-4-[(4-methyl-2-sulfophenyl)azo]-2- +naphthalenecarboxylic acid (CAS Reg. No. 5858-81-1). To manufacture the +additive, 2-amino-5-methylbenzenesulfonic acid is diazotized with +hydrochloric acid and sodium nitrite. The diazo compound is coupled in +alkaline medium with 3-hydroxy-2-naphthalenecarboxylic acid. The +resulting dye precipitates as the disodium salt. + (2) Color additive mixtures for drug use made with D&C Red No. 6 may +contain only those diluents that are suitable and that are listed in +part 73 of this chapter as safe for use in color additive mixtures for +coloring drugs. + (b) Specifications. The color additive D&C Red No. 6 shall conform +to the following specifications and shall be free from impurities other +than those + +[[Page 468]] + +named to the extent that such impurities may be avoided by current good +manufacturing practice: + +Sum of volatile matter (at 135 [deg]C) and chlorides and sulfates +(calculated as sodium salts), not more than 10 percent. +1-[(4-methylphenyl)azo]-2-naphthalenol, not more than 0.015 percent. +2-Amino-5-methylbenzenesulfonic acid, sodium salt, not more than 0.2 +percent. +3-Hydroxy-2-naphthalenecarboxylic acid, sodium salt, not more than 0.4 +percent. +3-Hydroxy-4-[(4-methylphenyl)azo]-2-naphthalenecarboxylic acid, sodium +salt, not more than 0.5 percent. +p- Toluidine, not more than 15 parts per million. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 90 percent. + + (c) Uses and restrictions. The color additive D&C Red No. 6 may be +safely used for coloring drugs such that the combined total of D&C Red +No. 6 and D&C Red No. 7 does not exceed 5 milligrams per daily dose of +the drug. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Red No. 6 shall be certified +in accordance with regulations in part 80 of this chapter. + +[47 FR 57687, Dec. 28, 1982, as amended at 77 FR 39923, July 6, 2012] + + + +Sec. 74.1307 D&C Red No. 7. + + (a) Identity. (1) The color additive D&C Red No. 7 is principally +the calcium salt of 3-hydroxy-4-[(4-methyl-2-sulfophenyl)azo]-2- +naphthalenecarboxylic acid (CAS Reg. No. 5281-04-9). To manufacture the +additive, 2-amino-5-methylbenzenesulfonic acid is diazotized with +hydrochloric acid and sodium nitrite. The diazo compound is coupled in +alkaline medium with 3-hydroxy-2-naphthalenecarboxylic acid and the +resulting dye converted to the calcium salt with calcium chloride. + (2) Color additive mixtures for drug use made with D&C Red No. 7 may +contain only those diluents that are suitable and that are listed in +part 73 of this chapter as safe for use in color additive mixtures for +coloring drugs. + (b) Specifications. The color additive D&C Red No. 7 shall conform +to the following specifications and shall be free from impurities other +than those named to the extent that such impurities may be avoided by +current good manufacturing practice: + +Sum of volatile matter (at 135 [deg]C) and chlorides and sulfates +(calculated as sodium salts), not more than 10 percent. +1-[(4-methylphenyl)azo]-2-naphthalenol, not more than 0.015 percent. +2-Amino-5-methylbenzenesulfonic acid, calcium salt, not more than 0.2 +percent. +3-Hydroxy-2-naphthalenecarboxylic acid, calcium salt, not more than 0.4 +percent. +3-Hydroxy-4-[(4-methylphenyl)azo]-2-naphthalenecarboxylic acid, calcium +salt, not more than 0.5 percent. +p-Toluidine, not more than 15 parts per million. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 90 percent. + + (c) Uses and restrictions. The color additive D&C Red No. 7 may be +safely used for coloring drugs such that the combined total of D&C Red +No. 6 and D&C Red No. 7 does not exceed 5 milligrams per daily dose of +the drug. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Red No. 7 shall be certified +in accordance with regulations in part 80 of this chapter. + +[47 FR 57687, Dec. 28, 1982, as amended at 77 FR 39923, July 6, 2012] + + + +Sec. 74.1317 D&C Red No. 17. + + (a) Identity. (1) The color additive D&C Red No. 17 is principally +1-[[4-(phenylazo)phenyl]azo]-2-naphthalenol. + (2) Color additive mixtures for drug use made with D&C Red No. 17 +may contain only those diluents that are suitable and that are listed in +part 73 of this chapter as safe for use in color additive mixtures for +coloring externally applied drugs. + +[[Page 469]] + + (b) Specifications. D&C Red No. 17 shall conform to the following +specifications and shall be free from impurities, other than those +named, to the extent that such other impurities may be avoided by good +manufacturing practice: + +Volatile matter (at 135 [deg]C), not more than 5 percent. +Matter insoluble in both toluene and water (color additive mixed in +toluene and the resultant residue isolated and mixed with water to +obtain the matter insoluble in both toluene and water), not more than +0.5 percent. +Chlorides and sulfates (calculated as sodium salts), not more than 3 +percent. +Aniline, not more than 0.2 percent. +4-Aminoazobenzene, not more than 0.1 percent. +2-Naphthol, not more than 0.2 percent. +1-(Phenylazo)-2-naphthol, not more than 3 percent. +1-[[2-(phenylazo) phenyl]azo]-2-naphthalenol, not more than 2 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 90 percent. + + (c) Uses and restrictions. D&C Red No. 17 may be safely used in +externally applied drugs in amounts consistent with good manufacturing +practice. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Red No. 17 shall be certified +in accordance with regulations in part 80 of this chapter. + +[42 FR 15654, Mar. 22, 1977, as amended at 42 FR 27225, May 27, 1977] + + + +Sec. 74.1321 D&C Red No. 21. + + (a) Identity. (1) The color additive D&C Red No. 21 is principally +2',4',5',7'-tetrabromofluorescein (CAS Reg. No. 15086-94-9), and may +contain smaller amounts of 2',4',5'-tribromofluorescein (CAS Reg. No. +25709-83-5) and 2',4',7'-tribromofluorescein (CAS Reg. No. 25709-84-6). +The color additive is manufactured by brominating fluorescein with +elemental bromine. The fluorescein is manufactured by the acid +condensation of resorcinol and phthalic acid or its anhydride. The +fluorescein is isolated and partially purified prior to bromination. + (2) Color additive mixtures for drug use made with D&C Red No. 21 +may contain only those diluents that are suitable and that are listed in +part 73 of this chapter as safe for use in color additive mixtures for +coloring drugs. + (b) Specifications. The color additive D&C Red No. 21 shall conform +to the following specifications and shall be free from impurities other +than those named to the extent that such impurities may be avoided by +current good manufacturing practice: + +Sum of volatile matter (at 135 [deg]C) and halides and sulfates +(calculated as sodium salts), not more than 10 percent. +Insoluble matter (alkaline solution), not more than 0.5 percent. +Phthalic acid, not more than 1 percent. +2-(3,5-Dibromo-2,4-dihydroxybenzoyl) benzoic acid, not more than 0.5 +percent. +2',4',5',7'-Tetrabromofluorescein, ethyl ester, not more than 1 percent. +Brominated resorcinol, not more than 0.4 percent. +Fluorescein, not more than 0.2 percent. +Sum of mono- and dibromofluoresceins, not more than 2 percent. +Tribromofluoresceins, not more than 11 percent. +2',4',5',7'-Tetrabromofluorescein, not less than 87 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 90 percent. + + (c) Uses and restrictions. The color additive D&C Red No. 21 may be +safely used for coloring drugs generally in amounts consistent with +current good manufacturing practice. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Red No. 21 shall be certified +in accordance with regulations in part 80 of this chapter. + +[47 FR 53846, Nov. 30, 1982] + +[[Page 470]] + + + +Sec. 74.1322 D&C Red No. 22. + + (a) Identity. (1) The color additive D&C Red No. 22 is principally +the disodium salt of 2',4',5'7'-tetrabromofluorescein (CAS Reg. No. +17372-87-1) and may contain smaller amounts of the disodium salts of +2',4',5'-tribromofluorescein and 2',4',7'-tribromofluorescein. The color +additive is manufactured by alkaline hydrolysis of 2',4',5',7'- +tetrabromofluorescein. 2',4',5',7'-Tetrabromofluorescein is manufactured +by brominating fluorescein with elemental bromine. The fluorescein is +manufactured by the acid condensation of resorcinol and phthalic acid or +its anhydride. Fluorescein is isolated and partially purified prior to +bromination. + (2) Color additive mixtures for drug use made with Red No. 22 may +contain only those diluents that are suitable and that are listed in +part 73 of this chapter as safe for use in color additive mixtures for +coloring drugs. + (b) Specifications. The color additive D&C Red No. 22 shall conform +to the following specifications and shall be free from impurities other +than those named to the extent that such impurities may be avoided by +current good manufacturing practice: + +Sum of volatile matter (at 135 [deg]C) and halides and sulfates +(calculated as soduim salts), not more than 10 percent. +Water-insoluble matter not more than 0.5 percent. +Disodium salt of phthalic acid, not more than 1 percent. +Sodium salt of 2-(3,5-Dibromo-2,4-dihydroxybenzoyl)benzoic acid, not +more than 0.5 percent. +2',4',5',7'-Tetrabromofluorescein, ethyl ester, not more than 1 percent. +Brominated resorcinol, not more than 0.4 percent. +Sum of disodium salts of mono- and dibromofluoresceins, not more than 2 +percent. +Sum of disodium salts of tribromofluoresceins, not more than 25 percent. +Disodium salt of 2',4',5',7'-Tetrabromofluorescein, not less than 72 +percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 90 percent. + + (c) Uses and restrictions. The color additive D&C Red No. 22 may be +safely used for coloring drugs generally in amounts consistent with +current good manufacturing practice. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Red No. 22 shall be certified +in accordance with regulations in part 80 of this chapter. + +[47 FR 53846, Nov. 30, 1982] + + + +Sec. 74.1327 D&C Red No. 27. + + (a) Identity. (1) The color additive D&C Red No. 27 is principally +2',4',5',7'-tetrabromo-4,5,6,7-tetrachlorofluorescein (CAS Reg. No. +13473-26-2). The color additive is manufactured by brominating 4,5,6,7- +tetrachlorofluorescein with elemental bromine. The 4,5,6,7- +tetrachlorofluorescein is manufactured by the acid condensation of +resorcinol and tetrachlorophthalic acid or its anhydride. The 4,5,6,7- +tetrachlorofluorescein is isolated and partially purified prior to +bromination. + (2) Color additive mixtures for drug use made with D&C Red No. 27 +may contain only those diluents that are suitable and that are listed in +part 73 of this chapter as safe for use in color additive mixtures for +coloring drugs. + (b) Specifications. D&C Red No. 27 shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such impurities may be avoided by current good +manufacturing practice: + +Sum of volatile matter (at 135 [deg]C) and halides and sulfates +(calculated as sodium salts), not more than 10 percent. +Insoluble matter (alkaline solution), not more than 0.5 percent. +Tetrachlorophthalic acid, not more than 1.2 percent. +Brominated resorcinol, not more than 0.4 percent. +2,3,4,5-Tetrachloro-6-(3,5-dibromo-2,4-dihydroxybenzoyl) benzoic acid, +not more than 0.7 percent. +2',4',5',7'-Tetrabromo-4,5,6,7-tetrachlorofluorescein, ethyl ester, not +more than 2 percent. + +[[Page 471]] + +Lower halogenated subsidiary colors, not more than 4 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 90 percent. + + (c) Uses and restrictions. D&C Red No. 27 may be safely used for +coloring drugs generally in amounts consistent with current good +manufacturing practice. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Red No. 27 shall be certified +in accordance with regulations in part 80 of this chapter. + +[47 FR 42567, Sept. 28, 1982; 47 FR 51106, Nov. 12, 1982] + + + +Sec. 74.1328 D&C Red No. 28. + + (a) Identity. (1) The color additive D&C Red No. 28 is principally +the disodium salt of 2',4',5',7'-tetrabromo-4,5,6,7- +tetrachlorofluorescein (CAS Reg. No. 18472-87-2) formed by alkaline +hydrolysis of the parent tetrabromotetrachlorofluorescein. + (2) Color additive mixtures for drug use made with D&C Red No. 28 +may contain only those diluents that are suitable and that are listed in +part 73 of this chapter as safe for use in color additive mixtures for +coloring drugs. + (b) Specifications. D&C Red No. 28 shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such impurities may be avoided by current good +manufacturing practice: + +Sum of volatile matter (at 135 [deg]C) and halides and sulfates +(calculated as sodium salts), not more than 15 percent. +Insoluble matter (alkaline solution), not more than 0.5 percent. +Tetrachlorophthalic acid, not more than 1.2 percent. +Brominated resorcinol, not more than 0.4 percent. +2,3,4,5-Tetrachloro-6-(3,5-dibromo-2,4-dihydroxybenzoyl)benzoic acid, +not more than 0.7 percent. +2',4',5',7'-Tetrabromo-4,5,6,7-tetrachlorofluorescein, ethyl ester, not +more than 2 percent. +Lower halogenated subsidiary colors, not more than 4 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 85 percent. + + (c) Uses and restrictions. D&C Red No. 28 may be safely used for +coloring drugs generally in amounts consistent with current good +manufacturing practice. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Red No. 28 shall be certified +in accordance with regulations in part 80 of this chapter. + +[47 FR 42568, Sept. 28, 1982] + + + +Sec. 74.1330 D&C Red No. 30. + + (a) Identity. (1) The color additive D&C Red No. 30 is principally +6-chloro-2-(6-chloro-4-methyl-3-oxobenzo[b]thien-2(3H)-ylidene)-4- +methyl-benzo[b]thiophen-3(2H)-one (CAS Reg. No. 2379-74-0). + (2) Color additive mixtures for drug use made with D&C Red No. 30 +may contain only those diluents that are suitable and that are listed in +part 73 of this chapter as safe for use in color additive mixtures for +coloring drugs. + (b) Specifications. D&C Red No. 30 shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such impurities may be avoided by current good +manufacturing practice: + +Volatile matter (at 135 [deg]C), not more than 5 percent. +Chlorides and sulfates (calculated as sodium salts), not more than 3 +percent. +Matter soluble in acetone, not more than 5 percent. +Total color, not less than 90 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. + + +[[Page 472]] + + + (c) Uses and restrictions. D&C Red No. 30 may be safely used for +coloring drugs generally in amounts consistent with current good +manufacturing practice. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Red No. 30 shall be certified +in accordance with regulations in part 80 of this chapter. + +[47 FR 22510, May 25, 1982] + + + +Sec. 74.1331 D&C Red No. 31. + + (a) Identity. (1) The color additive D&C Red No. 31 is principally +the calcium salt of 3-hydroxy-4-(phenylazo)-2-naphthalenecarboxylic +acid. + (2) Color additive mixtures for drug use made with D&C Red No. 31 +may contain only those diluents that are suitable and that are listed in +part 73 of this chapter as safe for use in color additive mixtures for +coloring externally applied drugs. + (b) Specifications. D&C Red No. 31 shall conform to the following +specifications and shall be free from impurities, other than those +named, to the extent that such other impurities may be avoided by good +manufacturing practice: + +Sum of volatile matter (at 135 [deg]C) and chlorides and sulfates +(calculated as sodium salts), not more than 10 percent. +Aniline, not more than 0.2 percent. +3-Hydroxy-2-naphthoic acid, calcium salt, not more than 0.4 percent. +Subsidiary colors, not more than 1 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 90 percent. + + (c) Uses and restrictions. D&C Red No. 31 may be safely used in +externally applied drugs in amounts consistent with good manufacturing +practice. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Red No. 31 shall be certified +in accordance with regulations in part 80 of this chapter. + + + +Sec. 74.1333 D&C Red No. 33. + + (a) Identity. (1) The color additive D&C Red No. 33 is principally +the disodium salt of 5-amino-4-hydroxy-3-(phenylazo)-2,7- +naphthalenedisulfonic acid (CAS Reg. No. 3567-66-6). To manufacture the +additive, the product obtained from the nitrous acid diazotization of +aniline is coupled with 4-hydroxy-5-amino-2,7-naphthalenedisulfonic acid +in an alkaline aqueous medium. The color additive is isolated as the +sodium salt. + (2) Color additive mixtures for drug use made with D&C Red No. 33 +may contain only those diluents that are suitable and that are listed in +part 73 of this chapter as safe for use in color additive mixtures for +coloring drugs. + (b) Specifications. D&C Red No. 33 shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such impurities may be avoided by current good +manufacturing practices: + +Sum of volatile matter at 135 [deg]C (275 [deg]F) and chlorides and +sulfates (calculated as sodium salts), not more than 18 percent. +Water-insoluble matter, not more than 0.3 percent. +4-Amino-5-hydroxy-2,7-naphthalenedisulfonic acid, disodium salt, not +more than 0.3 percent. +4,5-Dihydroxy-3-(phenylazo)-2,7-naphthalenedisulfonic acid, disodium +salt, not more than 3.0 percent. +Aniline, not more than 25 parts per million. +4-Aminoazobenzene, not more than 100 parts per billion. +1,3-Diphenyltriazene, not more than 125 parts per billion. +4-Aminobiphenyl, not more than 275 parts per billion. +Azobenzene, not more than 1 part per million. +Benzidine, not more than 20 parts per billion. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 82 percent. + + (c) Uses and restrictions. The color additive D&C Red. No 33 may be +safely + +[[Page 473]] + +used for coloring ingested drugs, other than mouthwashes and +dentifrices, in amounts not to exceed 0.75 milligram per daily dose of +the drug. D&C Red No. 33 may be safely used for coloring externally +applied drugs, mouthwashes, and dentifrices in amounts consistent with +current good manufacturing practice. + (d) Labeling requirements. The label of the color additive and any +mixtures prepared therefrom intended solely or in part for coloring +purposes shall conform to the requirements of Sec. 70.25 of this +chapter. + (e) Certification. All batches of D&C Red No. 33 shall be certified +in accordance with regulations in part 80 of this chapter. + +[53 FR 33120, Aug. 30, 1988] + + + +Sec. 74.1334 D&C Red No. 34. + + (a) Identity. (1) The color additive D&C Red No. 34 is principally +the calcium salt of 3-hydroxy-4-[(1-sulfo-2-naphthalenyl)azo]-2- +naphthalene-carboxylic acid. + (2) Color additive mixtures for drug use made with D&C Red No. 34 +may contain only those diluents that are suitable and that are listed in +part 73 of this chapter as safe for use in color additive mixtures for +coloring externally applied drugs. + (b) Specifications. D&C Red No. 34 shall conform to the following +specifications and shall be free from impurities, other than those +named, to the extent that such other impurities may be avoided by good +manufacturing practice: + +Sum of volatile matter (at 135 [deg]C) and chlorides and sulfates +(calculated at sodium salts), not more than 15 percent. +2-Amino-1-naphthalenesulfonic acid, calcium salt, not more than 0.2 +percent. +3-Hydroxy-2-naphthoic acid, not more than 0.4 percent. +Subsidiary colors, not more than 4 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color not less than 85 percent. + + (c) Uses and restrictions. The color additive D&C Red No. 34 may be +safely used for coloring externally applied drugs in amounts consistent +with good manufacturing practice. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Red No. 34 shall be certified +in accordance with regulations in part 80 of this chapter. + + + +Sec. 74.1336 D&C Red No. 36. + + (a) Identity. (1) The color additive D&C Red No. 36 is 1-[(2-chloro- +4-nitrophenyl)azo]-2-naphthalenol (CAS Reg. No. 2814-77-9). The color +additive is manufactured by diazotization of 2-chloro-4-nitrobenzenamine +in acid medium and coupling with 2-naphthalenol in acid medium. + (2) Color additive mixtures for drug use made with D&C Red No. 36 +may contain only those diluents that are suitable and that are listed in +part 73 of this chapter as safe for use in color additive mixtures for +coloring drugs. + (b) Specifications. D&C Red No. 36 shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such impurities may be avoided by current good +manufacturing practice: + +Volatile matter at 135 [deg]C (275 [deg]F), not more than 1.5 percent. +Matter insoluble in toluene, not more than 1.5 percent. +2-Chloro-4-nitrobenzenamine, not more than 0.3 percent. +2-Naphthalenol, not more than 1 percent. +2,4-Dinitrobenzenamine, not more than 0.02 percent. +1-[(2,4-Dinitrophenyl)azo]-2-naphthalenol, not more than 0.5 percent. +4-[(2-Chloro-4-nitrophenyl)azo]-1-naphthalenol, not more than 0.5 +percent. +1-[(4-Nitrophenyl)azo]-2-naphthalenol, not more than 0.3 percent. +1-[(4-Chloro-2-nitrophenyl)azo]-2-naphthalenol, not more than 0.3 +percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 95 percent. + + (c) Uses and restrictions. The color additive D&C Red No. 36 may be +safely used for coloring ingested drugs, other + +[[Page 474]] + +than mouthwashes and dentifrices, in amounts not to exceed 1.7 +milligrams per daily dose of the drug for drugs that are taken +continuously only for less than 1 year. For drugs taken continuously for +longer than 1 year, the color additive shall not be used in amounts to +exceed 1.0 milligram per daily dose of the drug. D&C Red No. 36 may be +safely used for coloring externally applied drugs in amounts consistent +with current good manufacturing practice. + (d) Labeling requirements. The label of the color additive and any +mixtures prepared therefrom intended solely or in part for coloring +purposes shall conform to the requirements of Sec. 70.25 of this +chapter. + (e) Certification. All batches of D&C Red No. 36 shall be certified +in accordance with regulations in part 80 of this chapter. + +[53 FR 29031, Aug. 2, 1988; 53 FR 35255, Sept. 12, 1988, as amended at +53 FR 52130, Dec. 27, 1988] + + + +Sec. 74.1339 D&C Red No. 39. + + (a) Identity. (1) The color additive D&C Red No. 39 is o- +[p([beta],[beta]'-dihydroxy-diethylamino)-phenylazo]-benzoic acid. + (2) Color additive mixtures made with D&C Red No. 39 may contain the +following diluents: Water, acetone, isopropyl alcohol, and specially +denatured alcohols used in accordance with 26 CFR part 212. + (b) Specifications. D&C Red No. 39 shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such other impurities may be avoided by good +manufacturing practice: + +Volatile matter (at 100 [deg]C.), not more than 2.0 percent. +Matter insoluble in acetone, not more than 1.0 percent. +Anthranilic acid, not more than 0.2 percent. +N,N-([beta],[beta]'-Dihydroxy-diethyl) aniline, not more than 0.2 +percent. +Subsidiary colors, not more than 3.0 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Total color, not less than 95.0 percent. + + (c) Uses and restrictions. The color additive D&C Red No. 39 may be +safely used for the coloring of quaternary ammonium type germicidal +solutions intended for external application only, and subject to the +further restriction that the quantity of the color additive does not +exceed 0.1 percent by weight of the finished drug product. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom and intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Red No. 39 shall be certified +in accordance with regulations promulgated under part 80 of this +chapter. + + + +Sec. 74.1340 FD&C Red No. 40. + + (a) Identity and specifications. (1) The color additive FD&C Red No. +40 shall conform in identity and specifications to the requirements of +Sec. 74.340(a)(1) and (b). + (2) Color additive mixtures for drug use made with FD&C Red No. 40 +may contain only those diluents that are suitable and that are listed in +part 73 of this chapter as safe for use in color additive mixtures for +coloring drugs. + (3) The listing of this color additive includes lakes prepared as +described in Sec. Sec. 82.51 and 82.1051 of this chapter, except that +the color additive used is FD&C Red No. 40 and the resultant lakes meet +the specification and labeling requirements prescribed by Sec. Sec. +82.51 or 82.1051 of this chapter.) + (b) Uses and restrictions. (1) FD&C Red No. 40 and FD&C Red No. 40 +Aluminum Lake may be safely used in coloring drugs, including those +intended for use in the area of the eye, subject to the restrictions on +the use of color additives in Sec. 70.5(b) and (c) of this chapter, in +amounts consistent with current good manufacturing practice. + (2) Other lakes of FD&C Red No. 40 may be safely used in coloring +drugs, subject to the restrictions on the use of color additives in +Sec. 70.5 of this chapter, in amounts consistent with current good +manufacturing practice. + (c) Labeling. The label of the color additive and any lakes or +mixtures prepared therefrom intended solely or in part for coloring +purposes shall conform to the requirements of Sec. 70.25 of this +chapter. + +[[Page 475]] + + (d) Certification. All batches of FD&C Red No. 40 and lakes thereof +shall be certified in accordance with regulations, in part 80 of this +chapter. + +[42 FR 15654, Mar. 22, 1977, as amended at 59 FR 7636, Feb. 16, 1994] + + + +Sec. 74.1602 D&C Violet No. 2. + + (a) Identity. (1) The color additive D&C Violet No. 2 is principally +1-hydroxy -4-[(4-methylphenyl)amino]-9,10-anthracenedione. + (2) Color additive mixtures for use in externally applied drugs made +with D&C Violet No. 2 may contain only those diluents that are suitable +and that are listed in part 73 of this chapter as safe for use in color +additive mixtures for coloring externally applied drugs. + (b) Specifications. D&C Violet No. 2 shall conform to the following +specifications and shall be free from impurities, other than those +named, to the extent that such other impurities can be avoided by good +manufacturing practice: + +Volatile matter (at 135 [deg]C.), not more than 2.0 percent. +Matter insoluble in both carbon tetrachloride and water, not more than +0.5 percent. +p- Toluidine, not more than 0.2 percent. +1-Hydroxy-9,10-anthracenedione, not more than 0.5 percent. +1,4-Dihydroxy-9,10-anthracenedione, not more than 0.5 percent. +Subsidiary colors, not more than 1.0 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Total color, not less than 96.0 percent. + + (c) Uses and restrictions. The color additive D&C Violet No. 2 may +be safely used for coloring externally applied drugs in amounts +consistent with good manufacturing practice. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Violet No. 2 shall be +certified in accordance with regulations in part 80 of this chapter. + +[42 FR 15654, Mar. 22, 1977, as amended at 45 FR 62978, Sept. 23, 1980; +55 FR 18868, May 7, 1990] + + + +Sec. 74.1705 FD&C Yellow No. 5. + + (a) Identity and specifications. (1) The color additive FD&C Yellow +No. 5 shall conform in identity and specifications to the requirements +of Sec. 74.705 (a)(1) and (b). + (2) FD&C Yellow No. 5 Aluminum Lake shall be prepared in accordance +with the requirements of Sec. 82.51 of this chapter. + (3) Color additive mixtures for drug use made with FD&C Yellow No. 5 +may contain only those diluents that are suitable and are listed in part +73 of this chapter as safe for use in color additive mixtures for +coloring drugs. + (b) Uses and restrictions. (1) FD&C Yellow No. 5 may be safely used +for coloring drugs generally, including drugs intended for use in the +area of the eye, in amounts consistent with current good manufacturing +practice. + (2) FD&C Yellow No. 5 Aluminum Lake may be safely used for coloring +drugs intended for use in the area of the eye, when prepared in +accordance with Sec. 82.51 of this chapter. + (c) Labeling requirements. (1) The label of the color additive and +any mixtures intended solely or in part for coloring purposes prepared +therefrom shall conform to the requirements of Sec. 70.25 of this +chapter. + (2) The label of OTC and prescription drug products intended for +human use administered orally, nasally, rectally, or vaginally, or for +use in the area of the eye, containing FD&C Yellow No. 5 shall +specifically declare the presence of FD&C Yellow No. 5 by listing the +color additive using the names FD&C Yellow No. 5 and tartrazine. The +label shall bear a statement such as ``Contains FD&C Yellow No. 5 +(tartrazine) as a color additive'' or ``Contains color additives +including FD&C Yellow No. 5 (tartrazine).'' The labels of certain drug +products subject to this labeling requirement that are also cosmetics, +such as: antibacterial mouthwashes and fluoride toothpastes, need not +comply with this requirement provided + +[[Page 476]] + +they comply with the requirements of Sec. 701.3 of this chapter. + (3) For prescription drugs for human use containing FD&C Yellow No. +5 that are administered orally, nasally, vaginally, or rectally, or for +use in the area of the eye, the labeling required by Sec. 201.100(d) of +this chapter shall, in addition to the label statement required under +paragraph (c)(2) of this section, bear the warning statement ``This +product contains FD&C Yellow No. 5 (tartrazine) which may cause +allergic-type reactions (including bronchial asthma) in certain +susceptible persons. Although the overall incidence of FD&C Yellow No. 5 +(tartrazine) sensitivity in the general population is low, it is +frequently seen in patients who also have aspirin hypersensitivity.'' +This warning statement shall appear in the ``Precautions'' section of +the labeling. + (d) Certification. All batches of FD&C Yellow No. 5 shall be +certified in accordance with regulations in part 80 of this chapter. + +[42 FR 15654, Mar. 22, 1977, as amended at 44 FR 37220, June 26, 1979; +50 FR 35782, Sept. 4, 1985; 51 FR 24519, July 7, 1986; 59 FR 60897, Nov. +29, 1994] + + + +Sec. 74.1706 FD&C Yellow No. 6. + + (a) Identity and specifications. (1) The color additive FD&C Yellow +No. 6 shall conform in identity and specifications to the requirements +of Sec. 74.706(a)(1) and (b). + (2) Color additive mixtures for drug use made with FD&C Yellow No. 6 +may contain only those diluents that are suitable and that are listed in +part 73 of this chapter as safe for use in color additive mixtures for +coloring drugs. + (b) Uses and restrictions. FD&C Yellow No. 6 may be safely used for +coloring drugs generally in amounts consistent with current good +manufacturing practice. + (c) Labeling requirements. (1) The label of the color additive and +any mixtures intended solely or in part for coloring purposes prepared +therefrom shall conform to the requirements of Sec. 70.25 of this +chapter. + (2) [Reserved] + (d) Certification. All batches of FD&C Yellow No. 6 shall be +certified in accordance with regulations in part 80 of this chapter. + +[51 FR 41782, Nov. 19, 1986, as amended at 52 FR 21508, June 8, 1987; 53 +FR 49138, Dec. 6, 1988] + + + +Sec. 74.1707 D&C Yellow No. 7. + + (a) Identity. (1) The color additive D&C Yellow No. 7 is principally +fluorescein. + (2) Color additive mixtures for use in externally applied drugs made +with D&C Yellow No. 7 may contain only those diluents that are suitable +and that are listed in part 73 of this chapter for use in color additive +mixtures for coloring externally applied drugs. + (b) Specifications. D&C Yellow No. 7 shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such impurities may be avoided by good manufacturing +practice: + +Sum of water and chlorides and sulfates (calculated as sodium salts), +not more than 6 percent. +Matter insoluble in alkaline water, not more than 0.5 percent. +Resorcinol, not more than 0.5 percent. +Phthalic acid, not more than 0.5 percent. +2-2,4-(Dihydroxybenzoyl) benzoic acid, not more than 0.5 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 94 percent. + + (c) Uses and restrictions. D&C Yellow No. 7 may be safely used in +externally applied drugs in amounts consistent with good manufacturing +practice. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Yellow No. 7 shall be +certified in accordance with regulations in part 80 of this chapter. + + + +Sec. 74.1707a Ext. D&C Yellow No. 7. + + (a) Identity. (1) The color additive Ext. D&C Yellow No. 7 is +principally the disodium salt of 8-hydroxy-5,7-di-nitro-2- +naphthalenesulfonic acid. + +[[Page 477]] + + (2) Color additive mixtures for drug use made with Ext. D&C Yellow +No. 7 may contain only those diluents that are suitable and that are +listed in part 73 of this chapter as safe for use in color additive +mixtures for coloring externally applied drugs. + (b) Specifications. Ext. D&C Yellow No. 7 shall conform to the +following specifications and shall be free from impurities, other than +those named, to the extent that such other impurities may be avoided by +good manufacturing practice: + +Sum of volatile matter (at 135 [deg]C) and chlorides and sulfates +(calculated as sodium salts), not more than 15 percent. +Water-insoluble matter, not more than 0.2 percent. +1-Naphthol, not more than 0.2 percent. +2,4-Dinitro-1-naphthol, not more than 0.03 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 85 percent. + + (c) Uses and restrictions. Ext. D&C Yellow No. 7 may be safely used +in externally applied drugs in amounts consistent with good +manufacturing practice. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of Ext. D&C Yellow No. 7 shall be +certified in accordance with regulations in part 80 of this chapter. + + + +Sec. 74.1708 D&C Yellow No. 8. + + (a) Identity. (1) The color additive D&C Yellow No. 8 is principally +the disodium salt of fluorescein. + (2) Color additive mixtures for use in externally applied drugs made +with D&C Yellow No. 8 may contain only those diluents that are suitable +and that are listed in part 73 of this chapter for use in color additive +mixtures for coloring externally applied drugs. + (b) Specifications. D&C Yellow No. 8 shall be free from impurities +other than those named to the extent that such impurities may be avoided +by good manufacturing practice: + +Sum of water and chlorides and sulfates (calculated as sodium salts), +not more than 15 percent. +Matter insoluble in alkaline water, not more than 0.3 percent. +Resorcinol, not more than 0.5 percent. +Phthalic acid, not more than 1 percent. +2-(2,4-Dihydroxybenzoyl) benzoic acid, not more than 0.5 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 85 percent. + + (c) Uses and restrictions. D&C Yellow No. 8 may be safely used in +externally applied drugs in amounts consistent with good manufacturing +practice. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Yellow No. 8 shall be +certified in accordance with regulations in part 80 of this chapter. + + + +Sec. 74.1710 D&C Yellow No. 10. + + (a) Identity. (1) The color additive D&C Yellow No. 10 is a mixture +of the sodium salts of the mono- and disulfonic acids of 2-(2- +quinolinyl)-1H-indene-1,3 (2H)-dione consisting principally of the +sodium salts of 2-(2,3-dihydro-1,3-dioxo-1H-indene-2-yl)-6- +quinolinesulfonic acid and 2-(2,3-dihydro-1,3-dioxo-1H-indene-2-yl)-8- +quinolinesulfonic acid with lesser amounts of the disodium salts of the +disulfonic acids of 2-(2-quinolinyl)-1H-indene-1,3(2H)-dione (CAS Reg. +No. 8004-92-0). D&C Yellow No. 10 is manufactured by condensing +quinaldine with phthalic anhydride to give the unsulfonated dye, which +is then sulfonated with oleum. + (2) Color additive mixtures made with D&C Yellow No. 10 for drug use +may contain only those diluents that are suitable and that are listed in +part 73 of this chapter as safe for use in color additive mixtures for +coloring drugs. + (b) Specifications. The color additive D&C Yellow No. 10 shall +conform to the following specifications and shall be free from +impurities other than those named to the extent that such other + +[[Page 478]] + +impurities may be avoided by current good manufacturing practice: + +Sum of volatile matter at 135 [deg]C (275 [deg]F) and chlorides and +sulfates (calculated as sodium salts), not more than 15 percent. +Matter insoluble in both water and chloroform, not more than 0.2 +percent. +Total sulfonated quinaldines, sodium salts, not more than 0.2 percent. +Total sulfonated phthalic acids, sodium salts, not more than 0.2 +percent. +2-(2-Quinolinyl)-1H-indene-1,3 (2H)-dione, not more than 4 parts per +million. +Sum of sodium salts of the monosulfonates of 2-(2-quinolinyl)-1H-indene- +1,3 (2H)-dione, not less than 75 percent. +Sum of sodium salts of the disulfonates of 2-(2-quinolinyl)-1H-indene- +1,3 (2H)-dione, not more than 15 percent. +2-(2,3-Dihydro-1,3-dioxo-1H-indene-2-yl)-6, 8-quinolinedisulfonic acid, +disodium salt, not more than 3 percent. +Diethyl ether soluble matter other than that specified, not more than 2 +parts per million, using added 2-(2-quinolinyl)-1H-indene-1,3 (2H)-dione +for calibration. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 85 percent. + + (c) Uses and restrictions. The color additive D&C Yellow No. 10 may +be safely used for coloring drugs generally in amounts consistent with +current good manufacturing practice. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom and intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Yellow No. 10 shall be +certified in accordance with regulations in part 80 of this chapter. + +[48 FR 39219, Aug. 30, 1983, as amended at 49 FR 8432, Mar. 7, 1984] + + + +Sec. 74.1711 D&C Yellow No. 11. + + (a) Identity. (1) The color additive D&C Yellow No. 11 is +principally 2-(2-quinolyl)-1,3-indandione. + (2) Color additive mixtures, for drug use made with D&C Yellow No. +11 may contain only those diluents that are suitable and that are listed +in part 73 of this chapter as safe for use in color additive mixtures +for coloring externally applied drugs. + (b) Specifications. D&C Yellow No. 11 shall conform to the following +specifications and shall be free from impurities, other than those +named, to the extent that such other impurities may be avoided by good +manufacturing practice: + +Volatile matter (at 135 [deg]C), not more than 1 percent. +Ethyl alcohol-insoluble matter, not more than 0.4 percent. +Phthalic acid, not more than 0.3 percent. +Quinaldine, not more than 0.2 percent. +Subsidiary colors, not more than 5 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 96 percent. + + (c) Uses and restrictions. D&C Yellow No. 11 may be safely used in +externally applied drugs in amounts consistent with good manufacturing +practice. + (d) Labeling. The label of the color additive and any mixtures +prepared therefrom intended solely or in part for coloring purposes +shall conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Yellow No. 11 shall be +certified in accordance with regulations in part 80 of this chapter. + + + + Subpart C_Cosmetics + + + +Sec. 74.2052 D&C Black No. 2. + + (a) Identity. The color additive D&C Black No. 2 is a high-purity +carbon black prepared by the oil furnace process. It is manufactured by +the combustion of aromatic petroleum oil feedstock and consists +essentially of pure carbon, formed as aggregated fine particles with a +surface area range of 200 to 260 meters (m)\2\/gram. + (b) Specifications. D&C Black No. 2 shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such other impurities may be avoided by good +manufacturing practice: + (1) Surface area by nitrogen BET (Brunauer, Emmett, Teller) method, +200 to 260 m\2\/gram. + +[[Page 479]] + + (2) Weight loss on heating at 950 [deg]C for 7 minutes (predried for +1 hour at 125 [deg]C), not more than 2 percent. + (3) Ash content, not more than 0.15 percent. + (4) Arsenic (total), not more than 3 milligrams per kilogram (mg/kg) +(3 parts per million). + (5) Lead (total), not more than 10 mg/kg (10 parts per million). + (6) Mercury (total), not more than 1 mg/kg (1 part per million). + (7) Total sulfur, not more than 0.65 percent. + (8) Total PAHs, not more than 0.5 mg/kg (500 parts per billion). + (9) Benzo[a]pyrene, not more than 0.005 mg/kg (5 parts per billion). + (10) Dibenz[a,h]anthracene, not more than 0.005 mg/kg (5 parts per +billion). + (11) Total color (as carbon), not less than 95 percent. + (c) Uses and restrictions. D&C Black No. 2 may be safely used for +coloring the following cosmetics in amounts consistent with current good +manufacturing practice: Eyeliner, brush-on-brow, eye shadow, mascara, +lipstick, blushers and rouge, makeup and foundation, and nail enamel. + (d) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Black No. 2 shall be certified +in accordance with regulations in part 80 of this chapter. + +[69 FR 44930, July 28, 2004, as amended at 72 FR 10357] + + + +Sec. 74.2053 D&C Black No. 3. + + (a) Identity. The color additive D&C Black No. 3 is a washed bone +char prepared from calcined cattle bones. The bones are twice heated in +excess of 700 [deg]C for at least 6 hours. + (b) Specifications. D&C Black No. 3 shall conform to the following +specifications and shall be free from impurities other than those named, +to the extent that such other impurities may be avoided by current good +manufacturing practices: + (1) Calcium hydroxyapatite (CaO and PO), not +less than 75 percent and not more than 84 percent; + (2) Elemental carbon, not less than 7 percent; + (3) Moisture, not more than 7 percent; + (4) Silica (SiO), not more than 5 percent; + (5) Arsenic, not more than 3 milligrams (mg)/kilogram (kg) (3 parts +per million (ppm)); + (6) Lead, not more than 10 mg/kg (10 ppm); and + (7) Total polycyclic aromatic hydrocarbons (PAHs), not more than 5 +mg/kg (5 ppm). + (c) Uses and restrictions. Cosmetics containing D&C Black No. 3 must +comply with Sec. 700.27 of this chapter with respect to prohibited +cattle materials in cosmetic products. D&C Black No. 3 may be safely +used for coloring the following cosmetics in amounts consistent with +current good manufacturing practice: Eyeliner, eye shadow, mascara, and +face powder. + (d) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Black No. 3 shall be certified +in accordance with regulations in part 80 of this chapter. + +[72 FR 33666, June 19, 2007] + + +252 +Sec. 74.2101 FD&C Blue No. 1. + + (a) Identity. The color additive FD&C Blue No. 1 is principally the +disodium salt of ethyl[4-[p-[ethyl(m-sulfobenzyl)amino]-[alpha]-(o- +sulfophenyl)benzylidene]-2,5-cyclohexadien-1-ylidene](m- +sulfobenzyl)ammonium hydroxide inner salt with smaller amounts of the +isomeric disodium salts of ethyl[4-[p-[ethyl(p-sulfobenzyl)amino]- +[alpha]-(o-sulfophenyl)benzylidene]-2,5-cyclohexadien-1-ylidene](p- +sulfobenzyl)ammonium hydroxide inner salt and ethyl[4-[p-[ethyl(o- +sulfobenzyl)amino]-[alpha]-(o-sulfophenyl)benzylidene]-2,5- +cyclohexadien-1-ylidene](o-sulfobenzyl)ammonium hydroxide inner salt. +Additionally, FD&C Blue No. 1 is manufactured by the acid catalyzed +condensation of one mole of sodium 2-formylbenzenesulfonate with two +moles from a mixture consisting principally of 3- +[(ethylphenylamino)methyl] benzenesulfonic acid, and smaller amounts of +4- + +[[Page 480]] + +[(ethylphenylamino)methyl] benzenesulfonic acid and 2- +[(ethylphenylamino)methyl] benzenesulfonic acid to form the leuco base. +The leuco base is then oxidized with lead dioxide and acid, or with +dichromate and acid, or with manganese dioxide and acid to form the dye. +The intermediate sodium 2-formylbenzenesulfonate is prepared from 2- +chlorobenzaldehyde and sodium sulfite. + (b) Specifications. (1) The color additive FD&C Blue No. 1 shall +conform in specifications to the requirements of Sec. 74.101(b). + (2) FD&C Blue No. 1 Aluminum Lake shall be prepared in accordance +with the requirements of Sec. 82.51 of this chapter. + (c) Uses and restrictions. (1) FD&C Blue No. 1 may be safely used +for coloring cosmetics generally, including cosmetics intended for use +in the area of the eye, in amounts consistent with current good +manufacturing practice. + (2) FD&C Blue No. 1 Aluminum Lake may be safely used for coloring +cosmetics intended for use in the area of the eye, in amounts consistent +with current good manufacturing practice. + (d) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of FD&C Blue No. 1 shall be certified +in accordance with regulations in part 80 of this chapter. + +[47 FR 42565, Sept. 28, 1982, as amended at 58 FR 17511, Apr. 5, 1993; +59 FR 7638, Feb. 16, 1994] + + + +Sec. 74.2104 D&C Blue No. 4. + + (a) Identity and specifications. The color additive D&C Blue No. 4 +shall conform in identity and specifications to the requirements of +Sec. 74.1104(a)(1) and (b). + (b) Uses and restrictions. D&C Blue No. 4 may be safely used for +coloring externally applied cosmetics in amounts consistent with good +manufacturing practice. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Blue No. 4 shall be certified +in accordance with regulations in part 80 of this chapter. + + + +Sec. 74.2151 D&C Brown No. 1. + + (a) Identity. The color additive D&C Brown No. 1 is a mixture of the +sodium salts of 4[[5-[(dialkylphenyl)- azo]-2,4-dihydroxyphenyl]azo]- +benzene sulfonic acid. The alkyl group is principally the methyl group. + (b) Specifications. D&C Brown No. 1 shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such other impurities may be avoided by good +manufacturing practice: + +Sum of volatile matter (at 135 [deg]C) and chlorides and sulfates +(calculated as sodium salts), not more than 16 percent. +Water-insoluble matter, not more than 0.2 percent. +Sulfanilic acid, sodium salt, not more than 0.2 percent. +Resorcinol, not more than 0.2 percent. +Xylidines, not more than 0.2 percent. +Disodium salt of 4[[5-[(4-sulfophenyl)-azo]-2,4-dihydroxyphenyl]azo] +benzenesulfonic acid, not more than 3 percent. +Monosodium salt of 4[[5-[(2,4-dimethyl-phenyl)azo] -2,4- +dihydroxyphenyl]azo] benzenesulfonic acid, not less than 29 percent and +not more than 39 percent. +Monosodium salt of 4[[5-[(2,5-dimethyl-phenyl)azo] -2,4- +dihydroxyphenyl]azo] benzenesulfonic acid, not less than 12 percent and +not more than 17 percent. +Monosodium salt of 4[[5-[(2,3-dimethyl-phenyl)azo] - 2,4- +dihydroxyphenyl]azo] benzenesulfonic acid, not less than 6 percent and +not more than 13 percent. +Monosodium salt of 4[[5-[(2-ethylphenyl)-azo]-2,4-dihydroxyphenyl]-azo] +benzenesulfonic acid, not less than 5 percent and not more than 12 +percent. +Monosodium salt of 4[[5-[(3,4-dimethyl-phenyl)azo] -2,4- +dihydroxyphenyl]azo] benzenesulfonic acid, not less than 3 percent and +not more than 9 percent. +Monosodium salt of 4[[5-[(2,6-dimethyl-phenyl)azo] -2,4- +dihydroxyphenyl]azo] benzenesulfonic acid, not less than 3 percent and +not more than 8 percent. +Monosodium salt of 4[[5-[(4-ethylphenyl) azo]-2,4-dihydroxyphenyl]-azo] +benzenesulfonic acid, not less than 2 percent and not more than 8 +percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 84 percent. + + +[[Page 481]] + + + (c) Uses and restrictions. D&C Brown No. 1 may be safely used for +coloring externally applied cosmetics in amounts consistent with good +manufacturing practice. + (d) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Brown No. 1 shall be certified +in accordance with regulations in part 80 of this chapter. + + + +Sec. 74.2203 FD&C Green No. 3. + + (a) Identity and specifications. The color additive FD&C Green No. 3 +shall conform in identity and specifications to the requirements of +Sec. 74.203(a)(1) and (b). + (b) Uses and restrictions. The color additive FD&C Green No. 3 may +be safely used for coloring cosmetics generally in amounts consistent +with current good manufacturing practice. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of FD&C Green No. 3 shall be +certified in accordance with regulations in part 80 of this chapter. + +[47 FR 52144, Nov. 19, 1982] + + + +Sec. 74.2205 D&C Green No. 5. + + (a) Identity and specifications. The color additive D&C Green No. 5 +shall conform in identity and specifications to the requirements of +Sec. 74.1205 (a)(1) and (b)(2). + (b) Uses and restrictions. D&C Green No. 5 may be safely used for +coloring cosmetics generally, including cosmetics intended for use in +the area of the eye, in amounts consistent with current good +manufacturing practice. + (c) Labeling requirements. The label of the color additive shall +conform to the requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Green No. 5 shall be certified +in accordance with regulations in part 80 of this chapter. + +[47 FR 24285, June 4, 1982, as amended at 59 FR 40805, Aug. 10, 1994] + + + +Sec. 74.2206 D&C Green No. 6. + + (a) Identity and specifications. The color additive D&C Green No. 6 +shall conform in identity and specifications to the requirements of +Sec. 74.1206 (a) and (b). + (b) Uses and restrictions. D&C Green No. 6 may be safely used for +coloring externally applied cosmetics in amounts consistent with good +manufacturing practice. + (c) Labeling requirements. The label of the color additive shall +conform to the requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Green No. 6 shall be certified +in accordance with regulations in part 80 of this chapter. + +[47 FR 14146, Apr. 4, 1982, as amended at 51 FR 9784, Mar. 21, 1986] + + + +Sec. 74.2208 D&C Green No. 8. + + (a) Identity and specifications. The color additive D&C Green No. 8 +shall conform in identity and specifications to the requirements of +Sec. 74.1208(a)(1) and (b). + (b) Uses and restrictions. D&C Green No. 8 may be safely used for +coloring externally applied cosmetics in amounts not exceeding 0.01 +percent by weight of the finished cosmetic product. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Green No. 8 shall be certified +in accordance with regulations in part 80 of this chapter. + + + +Sec. 74.2254 D&C Orange No. 4. + + (a) Identity and specifications. The color additive D&C Orange No. 4 +shall conform in identity and specifications to the requirements of +Sec. 74.1254 (a)(1) and (b). + (b) Uses and restrictions. D&C Orange No. 4 may be safely used for +coloring externally applied cosmetics in amounts consistent with good +manufacturing practice. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Orange No. 4 shall be +certified in accordance with regulations in part 80 of this chapter. + +[42 FR 52396, Sept. 30, 1977] + +[[Page 482]] + + + +Sec. 74.2255 D&C Orange No. 5. + + (a) Identity and specifications. The color additive D&C Orange No. 5 +shall conform in identity and specifications to the requirements of +Sec. 74.1255 (a)(1) and (b). + (b) Uses and restrictions. D&C Orange No. 5 may be safely used for +coloring mouthwashes and dentifrices that are ingested cosmetics in +amounts consistent with current good manufacturing practice. D&C Orange +No. 5 may be safely used for coloring lipsticks and other cosmetics +intended to be applied to the lips in amounts not exceeding 5.0 percent +by weight of the finished cosmetic products. D&C Orange No. 5 may be +safely used for coloring externally applied cosmetics in amounts +consistent with current good manufacturing practice. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Orange No. 5 shall be +certified in accordance with regulations in part 80 of this chapter. + +[47 FR 49635, Nov. 2, 1982, as amended at 49 FR 13342, Apr. 4, 1984] + + + +Sec. 74.2260 D&C Orange No. 10. + + (a) Identity and specifications. The color additive D&C Orange No. +10 shall conform in identity and specifications to the requirements of +Sec. 74.1260(a)(1) and (b). + (b) Uses and restrictions. D&C Orange No. 10 may be safely used for +coloring externally applied cosmetics in amounts consistent with good +manufacturing practice. + (c) Labeling requirements. The label of the color additive shall +conform to the requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Orange No. 11 shall be +certified in accordance with regulations in part 80 of this chapter. + +[46 FR 18954, Mar. 27, 1981] + + + +Sec. 74.2261 D&C Orange No. 11. + + (a) Identity and specifications. The color additive D&C Orange No. +11 shall conform in identity and specifications to the requirements of +Sec. 74.1261(a)(1) and (b). + (b) Uses and restrictions. D&C Orange No. 11 may be safely used for +coloring externally applied cosmetics in amounts consistent with good +manufacturing practice. + (c) Labeling requirements. The label of the color additive shall +conform to the requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Orange No. 11 shall be +certified in accordance with regulations in part 80 of this chapter. + +[46 FR 18954, Mar. 27, 1981] + + + +Sec. 74.2304 FD&C Red No. 4. + + (a) Identity and specifications. The color additive FD&C Red No. 4 +shall conform in identity and specifications to the requirements of +Sec. 74.1304(a)(1) and (b). + (b) Uses and restrictions. FD&C Red No. 4 may be safely used for +coloring externally applied cosmetics in amounts consistent with good +manufacturing practice. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of FD&C Red No. 4 shall be certified +in accordance with regulations in part 80 of this chapter. + + + +Sec. 74.2306 D&C Red No. 6. + + (a) Identity and specifications. The color additive D&C Red No. 6 +shall conform in identity and specifications to the requirements of +Sec. 74.1306 (a)(1) and (b). + (b) Uses and restrictions. The color additive D&C Red No. 6 may be +safely used for coloring cosmetics generally in amounts consistent with +current good manufacturing practice. + (c) Labeling requirements. The label of the color additive shall +conform to the requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Red No. 6 shall be certified +in accordance with regulations in part 80 of this chapter. + +[47 FR 57688, Dec. 28, 1982] + + + +Sec. 74.2307 D&C Red No. 7 + + (a) Identity and specifications. The color additive D&C Red No. 7 +shall conform in identity and specifications to + +[[Page 483]] + +the requirements of Sec. 74.1307 (a)(1) and (b). + (b) Uses and restrictions. The color additive D&C Red No. 7 may be +safely used for coloring cosmetics generally in amounts consistent with +current good manufacturing practice. + (c) Labeling requirements. The label of the color additive shall +conform to the requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Red No. 7 shall be certified +in accordance with regulations in part 80 of this chapter. + +[47 FR 57688, Dec. 28, 1982] + + + +Sec. 74.2317 D&C Red No. 17. + + (a) Identity and specifications. The color additive D&C Red No. 17 +shall conform in identity and specifications to the requirements of +Sec. 74.1317(a)(1) and (b). + (b) Uses and restrictions. D&C Red No. 17 may be safely used for +coloring externally applied cosmetics in amounts consistent with good +manufacturing practice. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Red No. 17 shall be certified +in accordance with regulations in part 80 of this chapter. + + + +Sec. 74.2321 D&C Red No. 21. + + (a) Identity and specifications. The color additive D&C Red No. 21 +shall conform in identity and specifications to the requirements of +Sec. 74.1321(a)(1) and (b). + (b) Uses and restrictions. The color additive D&C Red No. 21 may be +safely used for coloring cosmetics generally in amounts consistent with +current good manufacturing practice. + (c) Labeling requirements. The label of the color additive shall +conform to the requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Red No. 21 shall be certified +in accordance with regulations in part 80 of this chapter. + +[47 FR 53846, Nov. 30, 1982] + + + +Sec. 74.2322 D&C Red No. 22. + + (a) Identity and specifications. The color additive D&C Red No. 22 +shall conform in identity and specifications to the requirements of +Sec. 74.1322(a)(1) and (b). + (b) Uses and restrictions. The color additive D&C Red No. 22 may be +safely used for coloring cosmetics generally in amounts consistent with +current good manufacturing practice. + (c) Labeling requirements. The label of the color additive shall +conform to the requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Red No. 22 shall be certified +in accordance with regulations in part 80 of this chapter. + +[47 FR 53846, Nov. 30, 1982] + + + +Sec. 74.2327 D&C Red No. 27. + + (a) Identity and specifications. The color additive D&C Red No. 27 +shall conform in identity and specifications to the requirements of +Sec. 74.1327 (a)(1) and (b). + (b) Uses and restrictions. D&C Red No. 27 may be safely used for +coloring cosmetics generally in amounts consistent with current good +manufacturing practice. + (c) Labeling requirements. The label of the color additive shall +conform to the requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Red No. 27 shall be certified +in accordance with regulations in part 80 of this chapter. + +[47 FR 42568, Sept. 28, 1982] + + + +Sec. 74.2328 D&C Red No. 28. + + (a) Identity and specifications. The color additive D&C Red No. 28 +shall conform in identity and specifications to the requirements of +Sec. 74.1328 (a)(1) and (b). + (b) Uses and restrictions. D&C Red No. 28 may be safely used for +coloring cosmetics generally in amounts consistent with current good +manufacturing practice. + (c) Labeling requirements. The label of the color additive shall +conform to the requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Red No. 28 shall be certified +in accordance with regulations in part 80 of this chapter. + +[47 FR 42568, Sept. 28, 1982] + +[[Page 484]] + + + +Sec. 74.2330 D&C Red No. 30. + + (a) Identity and specifications. The color additive D&C Red No. 30 +shall conform in identity and specifications to the requirements of +Sec. 74.1330 (a)(1) and (b). + (b) Uses and restrictions. D&C Red No. 30 may be safely used for +coloring cosmetics generally in amounts consistent with current good +manufacturing practice. + (c) Labeling requirements. The label of the color additive shall +conform to the requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Red No. 30 shall be certified +in accordance with regulations in part 80 of this chapter. + +[47 FR 22511, May 25, 1982] + + + +Sec. 74.2331 D&C Red No. 31. + + (a) Identity and specifications. The color additive D&C Red No. 31 +shall conform in identity and specifications to the requirements of +Sec. 74.1331(a)(1) and (b). + (b) Uses and restrictions. D&C Red No. 31 may be safely used for +coloring externally applied cosmetics in amounts consistent with good +manufacturing practice. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Red No. 31 shall be certified +in accordance with regulations in part 80 of this chapter. + + + +Sec. 74.2333 D&C Red No. 33. + + (a) Identity and specifications. The color additive D&C Red No. 33 +shall conform in identity and specifications to the requirements of +Sec. 74.1333(a) (1) and (b). + (b) Uses and restrictions. The color additive D&C Red No. 33 may be +safely used for coloring cosmetic lip products in amounts not to exceed +3 percent total color by weight of the finished cosmetic products. D&C +Red No. 33 may be safely used for coloring mouthwashes (including breath +fresheners), dentifrices, and externally applied cosmetics in amounts +consistent with current good manufacturing practice. + (c) Labeling requirements. The label of the color additive and any +mixtures prepared therefrom intended solely or in part for coloring +purposes shall conform to the requirements of Sec. 70.25 of this +chapter. + (d) Certification. All batches of D&C Red No. 33 shall be certified +in accordance with regulations in part 80 of this chapter. + +[53 FR 33120, Aug. 30, 1988] + + + +Sec. 74.2334 D&C Red No. 34. + + (a) Identity and specifications. The color additive D&C Red No. 34 +shall conform in identity and specifications to the requirements of +Sec. 74.1334(a)(1) and (b). + (b) Uses and restrictions. D&C Red No. 34 may be safely used for +coloring externally applied cosmetics in amounts consistent with good +manufacturing practice. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Red No. 34 shall be certified +in accordance with regulations in part 80 of this chapter. + + + +Sec. 74.2336 D&C Red No. 36. + + (a) Identity and specifications. The color additive D&C Red No. 36 +shall conform in identity and specifications to the requirements of +Sec. 74.1336 (a)(1) and (b). + (b) Uses and restrictions. The color additive D&C Red No. 36 may be +safely used for coloring cosmetic lip products in amounts not to exceed +3 percent total color by weight of the finished cosmetic products. D&C +Red No. 36 may be safely used for coloring externally applied cosmetics +in amounts consistent with current good manufacturing practice. + (c) Labeling requirements. The label of the color additive shall +conform to the requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Red No. 36 shall be certified +in accordance with regulations in part 80 of this chapter. + +[53 FR 29031, Aug. 2, 1988] + +[[Page 485]] + + + +Sec. 74.2340 FD&C Red No. 40. + + (a) Identity and specifications. (1) The color additive FD&C Red No. +40 shall conform in identity and specifications to the requirements of +Sec. 74.340(a)(1) and (b) of this chapter. + (2) The listing of this color additive includes lakes prepared as +described in Sec. Sec. 82.51 and 82.1051 of this chapter, except that +the color additive used is FD&C Red No. 40 and the resultant lakes meet +the specification and labeling requirements prescribed by Sec. 82.51 or +Sec. 82.1051 of this chapter. + (b) Uses and restrictions. FD&C Red No. 40 may be safely used in +coloring cosmetics generally, except that only FD&C Red No. 40 and FD&C +Red No. 40 Aluminum Lake may be safely used in coloring cosmetics +intended for use in the area of the eye. These uses are subject to the +following restrictions: + (1) The color additive may be used in amounts consistent with +current good manufacturing practice. + (2) The color additive shall not be exposed to oxidizing or reducing +agents that may affect the integrity of the color additives or any other +condition that may affect their integrity. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of FD&C Red No. 40 shall be certified +in accordance with regulations in part 80 of this chapter. + +[42 FR 15654, Mar. 22, 1977, as amended at 59 FR 7636, Feb. 16, 1994] + + + +Sec. 74.2602 D&C Violet No. 2. + + (a) Identity and specifications. The color additive D&C Violet No. 2 +shall conform in identity and specifications to the requirements of +Sec. 74.1602(a)(1) and (b). + (b) Uses and restrictions. The color additive D&C Violet No. 2 may +be safely used for coloring externally applied cosmetics in amounts +consistent with good manufacturing practice. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Violet No. 2 shall be +certified in accordance with regulations in part 80 of this chapter. + + + +Sec. 74.2602a Ext. D&C Violet No. 2. + + (a) Identity. The color additive Ext. D&C Violet No. 2 is +principally the monosodium salt of 2-[(9,10-dihydro-4-hydroxy -9,10- +dioxo-1-anthracenyl) amino]-5-methyl-benzenesulfonic acid. + (b) Specifications. Ext. D&C Violet No. 2 shall conform to the +following specifications and shall be free from impurities, other than +those named, to the extent that such other impurities may be avoided by +good manufacturing practice: + +Sum of volatile matter (at 135 [deg]C) and chlorides and sulfates +(calculated as sodium salts), not more than 18 percent. +Water-insoluble matter, not more than 0.4 percent. +1-Hydroxy-9,10-anthracenedione, not more than 0.2 percent. +1,4-Dihydroxy-9,10-anthracenedione, not more than 0.2 percent. +p- Toluidine, not more than 0.1 percent. +p- Toluidine sulfonic acids, sodium salts, not more than 0.2 percent. +Subsidiary colors, not more than 1 percent. +Lead (as Pb), not more than 20 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 80 percent. + + (c) Uses and restrictions. The color additive Ext. D&C Violet No. 2 +may be safely used for coloring externally applied cosmetics in amounts +consistent with good manufacturing practice. + (d) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of Ext. D&C Violet No. 2 shall be +certified in accordance with regulations in part 80 of this chapter. + + + +Sec. 74.2705 FD&C Yellow No. 5. + + (a) Identity. The color additive FD&C Yellow No. 5 is principally +the trisodium salt of 4,5-dihydro-5-oxo-(1-4-sulfophenyl)-4-[(4- +sulfophenyl)azo]-1H-pyrazole-3-carboxylic acid (CAS Reg. No. 1934-21-0). +To manufacture the additive, 4-aminobenzenesulfonic acid is diazotized +using hydrochloric acid and sodium nitrite. The diazo compound is +coupled with 4,5-dihydro-5-oxo-1-(4-sulfophenyl)-1H-pyrazole-3- +carboxylic acid or with the methyl ester, the ethyl ester, or a salt of +this carboxylic + +[[Page 486]] + +acid. The resulting dye is purified and isolated as the sodium salt. + (b) Specifications. (1) FD&C Yellow No. 5 shall conform to the +following specifications and shall be free from impurities other than +those named to the extent that such other impurities may be avoided by +good manufacturing practice: + +Sum of volatile matter at 135 [deg]C (275 [deg]F) and chlorides and +sulfates (calculated as sodium salts), not more than 13 percent. +Water-insoluble matter, not more than 0.2 percent. +4,4'-[4,5-Dihydro-5-oxo-4-[(4-sulfophenyl)hydrazono]-1H-pyrazol-1,3- +diyl]bis[benzenesulfonic acid], trisodium salt, not more than 1 percent. +4-[(4',5-Disulfo[1,1'-biphenyl]-2-yl)hydrazono]-4,5-dihydro-5-oxo-1-(4- +sulfophenyl)-1H-pyrazole-3-carboxylic acid, tetrasodium salt, not more +than 1 percent. +Ethyl or methyl 4,5-dihydro-5-oxo-1-(4-sulfophenyl)-4-[(4- +sulfophenyl)hydrazono]-1H-pyrazole-3-carboxylate, disodium salt, not +more than 1 percent. +Sum of 4,5-dihydro-5-oxo-1-phenyl-4-[(4-sulfophenyl)azo]-1H-pyrazole-3- +carboxylic acid, disodium salt, and 4,5-dihydro-5-oxo-4-(phenylazo)-1- +(4-sulfophenyl)-1H-pyrazole-3-carboxylic acid, disodium salt, not more +than 0.5 percent. +4-Aminobenzenesulfonic acid, sodium salt, not more than 0.2 percent. +4,5-Dihydro-5-oxo-1-(4-sulfophenyl)-1H-pyrazole-3-carboxylic acid, +disodium salt, not more than 0.2 percent. +Ethyl or methyl 4,5-dihydro-5-oxo-1-(4-sulfophenyl)-1H-pyrazole-3- +carboxylate, sodium salt, not more than 0.1 percent. +4,4'-(1-Triazene-1,3-diyl)bis[benzenesulfonic acid], disodium salt, not +more than 0.05 percent. +4-Aminoazobenzene, not more than 75 parts per billion. +4-Aminobiphenyl, not more than 5 parts per billion. +Aniline, not more than 100 parts per billion. +Azobenzene, not more than 40 parts per billion. +Benzidine, not more than 1 part per billion. +1,3-Diphenyltriazene, not more than 40 parts per billion. +Lead (as Pb), not more than 10 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 87 percent. + + (2) FD&C Yellow No. 5 Aluminum Lake shall be prepared in accordance +with the requirements of Sec. 82.51 of this chapter. + (c) Uses and restrictions. (1) FD&C Yellow No. 5 may be safely used +for coloring cosmetics generally, including cosmetics intended for use +in the area of the eye, in amounts consistent with current good +manufacturing practice. + (2) FD&C Yellow No. 5 Aluminum Lake may be safely used for coloring +cosmetics intended for use in the area of the eye, subject to the +restrictions on use of color additives in Sec. 70.5(b) and (c) of this +chapter, in amounts consistent with current good manufacturing practice. + (d) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of FD&C Yellow No. 5 shall be +certified in accordance with regulations in part 80 of this chapter. + +[50 FR 35782, Sept. 4, 1985, as amended at 51 FR 24524, July 7, 1986; 59 +FR 60898, Nov. 29, 1994] + + + +Sec. 74.2706 FD&C Yellow No. 6. + + (a) Identity and specifications. The color additive FD&C Yellow No. +6 shall conform in identity and specifications to the requirements of +Sec. 74.706 (a)(1) and (b). + (b) Uses and restrictions. FD&C Yellow No. 6 may be safely used for +coloring cosmetics generally in amounts consistent with current good +manufacturing practice. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of FD&C Yellow No. 6 shall be +certified in accordance with regulations in part 80 of this chapter. + +[51 FR 41782, Nov. 19, 1986] + + + +Sec. 74.2707 D&C Yellow No. 7. + + (a) Identity and specifications. The color additive D&C Yellow No. 7 +shall conform in identity and specifications to the requirements of +Sec. 74.1707(a)(1) and (b). + (b) Uses and restrictions. D&C Yellow No. 7 may be safely used for +coloring externally applied cosmetics in amounts consistent with good +manufacturing practice. + +[[Page 487]] + + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Yellow No. 7 shall be +certified in accordance with regulations in part 80 of this chapter. + + + +Sec. 74.2707a Ext. D&C Yellow No. 7. + + (a) Identity and specifications. The color additive Ext. D&C Yellow +No. 7 shall conform in identity and specifications to the requirements +of Sec. 74.1707a (a)(1) and (b). + (b) Uses and restrictions. Ext. D&C Yellow No. 7 may be safely used +for coloring externally applied cosmetics in amounts consistent with +good manufacturing practice. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of Ext. D&C Yellow No. 7 shall be +certified in accordance with regulations in part 80 of this chapter. + + + +Sec. 74.2708 D&C Yellow No. 8. + + (a) Identity and specifications. The color additive D&C Yellow No. 8 +shall conform in identity and specifications to the requirements of +Sec. 74.1708(a)(1) and (b). + (b) Uses and restrictions. D&C Yellow No. 8 may be safely used for +coloring externally applied cosmetics in amounts consistent with good +manufacturing practice. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Yellow No. 8 shall be +certified in accordance with regulations in part 80 of this chapter. + + + +Sec. 74.2710 D&C Yellow No. 10. + + (a) Identity and specifications. The color additive D&C Yellow No. +10 shall conform in identity and specifications to the requirements of +Sec. 74.1710(a)(1) and (b). + (b) Uses and restrictions. The color additive D&C Yellow No. 10 may +be safely used for coloring cosmetics generally in amounts consistent +with current good manufacturing practice. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Yellow No. 10 shall be +certified in accordance with regulations in part 80 of this chapter. + +[48 FR 39220, Aug. 30, 1983, as amended at 49 FR 8432, Mar. 7, 1984] + + + +Sec. 74.2711 D&C Yellow No. 11. + + (a) Identity and specifications. The color additive D&C Yellow No. +11 shall conform in identity and specifications to the requirements of +Sec. 74.1711(a)(1) and (b). + (b) Uses and restrictions. D&C Yellow No. 11 may be safely used for +coloring externally applied cosmetics in amounts consistent with good +manufacturing practice. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Yellow No. 11 shall be +certified in accordance with regulations in part 80 of this chapter. + + + + Subpart D_Medical Devices + + + +Sec. 74.3045 [Phthalocyaninato(2-)] copper. + + (a) Identity. The color additive is [phthalocyaninato(2-)] copper +(CAS Reg. No. 147-14-8) having the structure shown in Colour Index No. +74160. + (b) Specifications. The color additive [phthalocyaninato(2-)] copper +shall conform to the following specifications and shall be free from +impurities other than those named to the extent that such impurities may +be avoided by current good manufacturing practice: + +Volatile matter 135 [deg]C (275 [deg]F), not more than 0.3 percent. +Salt content (as NaC1), not more than 0.3 percent. +Alcohol soluble matter, not more than 0.5 percent. +Organic chlorine, not more than 0.5 percent. +Aromatic amines, not more than 0.05 percent. +Lead (as Pb), not more than 40 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 98.5 percent. + + +[[Page 488]] + + + (c) Uses and restrictions. (1) The color additive +[phthalocyaninato(2-)] copper may be safely used to color polypropylene +sutures, polybutester (the generic designation for the suture fabricated +from 1,4-benzenedicarboxylic acid, polymer with 1,4-butanediol and +alpha-hydro-omega- hydroxypoly(oxy-1,4-butanediyl), CAS Reg. No. 37282- +12-5) nonabsorbable sutures for use in general and ophthalmic surgery, +polybutylene terephthalate nonabsorbable monofilament sutures for +general and ophthalmic surgery, nonabsorbable sutures made from +poly(vinylidene fluoride) and poly(vinylidene fluoride-co- +hexafluoropropylene) for general and ophthalmic surgery, and +polymethylmethacrylate monofilament used as supporting haptics for +intraocular lenses, subject to the following restrictions: + (i) The quantity of the color additive does not exceed 0.5 percent +by weight of the suture or haptic material. + (ii) The dyed suture shall conform in all respects to the +requirements of the U.S. Pharmacopeia. + (2) The color additive [phthalocyaninato(2-)] copper may be safely +used for coloring contact lenses in amounts not to exceed the minimum +reasonably required to accomplish the intended coloring effect. + (3) Authorization for these uses shall not be construed as waiving +any of the requirements of section 510(k), 515, or 520(g) the Federal +Food, Drug, and Cosmetic Act with respect to the medical device in which +[phthalocyaninato(2-)] copper is used. + (d) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of [phthalocyaninato (2-)] copper +shall be certified in accordance with regulations in part 80 of this +chapter. + +[48 FR 34947, Aug. 2, 1983, as amended at 50 FR 16228, Apr. 25, 1985; 51 +FR 22929, June 24, 1986; 51 FR 28930, Aug. 13, 1986; 51 FR 39371, Oct. +28, 1986; 52 FR 15945, May 1, 1987; 55 FR 19620, May 10, 1990; 64 FR +23186, Apr. 30, 1999] + + + +Sec. 74.3102 FD&C Blue No. 2. + + (a) Identity. The color additive FD&C Blue No. 2 shall conform in +identity to the requirements of Sec. 74.102(a)(1). + (b) Specifications. (1) The color additive FD&C Blue No. 2 for use +in coloring surgical sutures shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such impurities may be avoided by current good +manufacturing practice: + +Sum of volatile matter at 135 [deg]C (275 [deg]F) and chlorides and +sulfates (calculated as sodium salts), not more than 15 percent. +Water insoluble matter, not more than 0.4 percent. +Isatin-5-sulfonic acid, not more than 0.4 percent. +Isomeric colors, not more than 18 percent. +Lower sulfonated subsidiary colors, not more than 5 percent. +Lead (as Pb), not more than 10 parts per million. +Arsenic (as As), not more than 3 parts per million. +Total color, not less than 85 percent. + + (2) The color additive FD&C Blue No. 2-Aluminum Lake on alumina for +use in bone cement shall be prepared in accordance with the requirements +of Sec. 82.51 of this chapter. + (c) Uses and restrictions. (1) The color additive FD&C Blue No. 2 +may be safely used for coloring nylon (the copolymer of adipic acid and +hexamethylene diamine) surgical sutures for use in general surgery +subject to the following restrictions: + (i) The quantity of color additive does not exceed 1 percent by +weight of the suture; + (ii) The dyed suture shall conform in all respects to the +requirements of the United States Pharmacopeia XX (1980); and + (iii) When the sutures are used for the purposes specified in their +labeling, the color additive does not migrate to the surrounding +tissues. + (2) The color additive FD&C Blue No. 2-Aluminum Lake on alumina may +be safely used for coloring bone cement at a level not to exceed 0.1 +percent by weight of the bone cement. + (3) Authorization and compliance with these uses shall not be +construed as waiving any of the requirements of sections 510(k), 515, +and 520(g) of the Federal Food, Drug, and Cosmetic Act with respect to +the medical device in which the color additive FD&C Blue No. 2 and the +color additive FD&C Blue + +[[Page 489]] + +No. 2-Aluminum Lake on alumina are used. + (d) Labeling. The labels of the color additive FD&C Blue No. 2 and +the color additive FD&C Blue No. 2-Aluminum Lake on alumina shall +conform to the requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of FD&C Blue No. 2 and its lake shall +be certified in accordance with regulations in part 80 of this chapter. + +[64 FR 48290, Sept. 3, 1999] + + + +Sec. 74.3106 D&C Blue No. 6. + + (a) Identity. The color additive D&C Blue No. 6 is principally +[[Delta]2,2'-biindoline]-3,3' dione (CAS Reg. No. 482-89-3). + (b) Specifications. D&C Blue No. 6 shall conform to the following +specifications and shall be free from impurities other than those named +to the extent that such impurities may be avoided by good manufacturing +practice: + +Volatile matter at 135 [deg]C (275 [deg]F), not more than 3 percent. +Matter insoluble in N,N- dimethylformamide, not more than 1 percent. +Isatin, not more than 0.3 percent. +Anthranilic acid, not more than 0.3 percent. +Indirubin, not more than 1 percent. +Lead (as Pb), not more than 10 parts per million. +Arsenic (as As), not more than 3 parts per million. +Mercury (as Hg), not more than 1 part per million. +Total color, not less than 95 percent. + + (c) Uses and restrictions. (1) D&C Blue No. 6 may be safely used at +a level-- + (i) Not to exceed 0.2 percent by weight of the suture material for +coloring polyethylene terephthalate surgical sutures for general +surgical use; + (ii) Not to exceed 0.25 percent by weight of the suture material for +coloring plain or chromic collagen absorbable sutures for general +surgical use; + (iii) Not to exceed 0.5 percent by weight of the suture material for +coloring plain or chromic collagen absorbable sutures for ophthalmic +surgical use; + (iv) Not to exceed 0.5 percent by weight of the suture material for +coloring polypropylene surgical sutures for general surgical use; and + (v) Not to exceed 0.5 percent by weight of the suture material for +coloring polydioxanone synthetic absorbable sutures for ophthalmic and +general surgical use. + (2) Authorization for these uses shall not be construed as waiving +any of the requirements of sections 510(k), 515, and 520(g) of the +Federal Food, Drug, and Cosmetic Act with respect to the medical device +in which the color additive is used. + (d) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Blue No. 6 shall be certified +in accordance with regulations in part 80 of this chapter. + +[49 FR 29956, July 25, 1984; 49 FR 34447, Aug. 31, 1984, as amended at +50 FR 30698, July 29, 1985] + + + +Sec. 74.3206 D&C Green No. 6. + + (a) Identity. The color additive D&C Green No. 6 shall conform in +identity to the requirements of Sec. 74.1206(a). + (b) Specifications. The color additive D&C Green No. 6 for use in +medical devices shall conform to the specifications of Sec. 74.1206(b). + (c) Uses and restrictions. (1) The color additive D&C Green No. 6 +may be safely used at a level + (i) Not to exceed 0.03 percent by weight of the lens material for +coloring contact lenses; + (ii) Not to exceed 0.75 percent by weight of the suture material for +coloring polyethylene terephthalate surgical sutures, including sutures +for ophthalmic use; + (iii) Not to exceed 0.1 percent by weight of the suture material for +coloring polyglycolic acid surgical sutures with diameter greater than +U.S.P. size 8-0, including sutures for ophthalmic use; + (iv) Not to exceed 0.5 percent by weight of the suture material for +coloring polyglycolic acid surgical sutures with diameter not greater +than U.S.P. size 8-0, including sutures for ophthalmic use; + (v) Not to exceed 0.21 percent by weight of the suture material for +coloring poly(glycolic acid-co-trimethylene carbonate) sutures (also +referred to as 1,4-dioxan-2,5-dione polymer with 1,3- + +[[Page 490]] + +dioxan-2-one) for general surgical use; and + (vi) Not to exceed 0.10 percent by weight of the haptic material for +coloring polymethylmethacrylate support haptics of intraocular lenses. + (2) Authorization for these uses shall not be construed as waiving +any of the requirements of sections 510(k), 515, and 520(g) of the +Federal Food, Drug, and Cosmetic Act with respect to the medical device +in which D&C Green No. 6 is used. + (d) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Green No. 6 shall be certified +in accordance with regulations in part 80 of this chapter. + +[48 FR 13022, Mar. 29, 1983, as amended at 51 FR 9784, Mar. 21, 1986; 51 +FR 37909, Oct. 27, 1986; 58 FR 21542, Apr. 22, 1993] + + + +Sec. 74.3230 D&C Red No. 17. + + (a) Identity and specifications. The color additive D&C Red No. 17 +shall conform in identity and specifications to the requirements of +Sec. 74.1317(a)(1) and (b). + (b) Uses and restrictions. (1) The substance listed in paragraph (a) +of this section may be used as a color additive in contact lens in +amounts not to exceed the minimum reasonably required to accomplish the +intended coloring effect. + (2) Authorization for this use shall not be construed as waiving any +of the requirements of section 510(k), 515, and 520(g) of the Federal +Food, Drug, and Cosmetic Act with respect to the contact lens in which +the color additive is used. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Red No. 17 shall be certified +in accordance with regulations in part 80 of this chapter. + +[55 FR 22898, June 5, 1990] + + + +Sec. 74.3602 D&C Violet No. 2. + + (a) Identity and specifications. The color additive D&C Violet No. 2 +shall conform in identity and specifications to the requirements of +Sec. 74.1602(a)(1) and (b). + (b) Uses and restrictions. (1) The color additive, D&C Violet No. 2, +may be safely used for coloring contact lenses in amounts not to exceed +the minimum reasonably required to accomplish the intended coloring +effect. + (2) D&C Violet No. 2 may be safely used for coloring sutures for use +in surgery subject to the following conditions: + (i) At a level not to exceed 0.2 percent by weight of the suture +material for coloring copolymers of 90 percent glycolide and 10 percent +L-lactide synthetic absorbable sutures for use in general and ophthalmic +surgery; and + (ii) At a level not to exceed 0.3 percent by weight of the suture +material for coloring polydioxanone synthetic absorbable sutures for use +in general and ophthalmic surgery. + (iii) At a level not to exceed 0.25 percent by weight of the suture +material for coloring poliglecaprone 25 ([epsi]-caprolactone/glycolide +copolymer) synthetic absorbable sutures for use in general surgery. + (iv) At a level not to exceed 0.1 percent by weight of the suture +material for coloring poly([epsi]-caprolactone) absorbable sutures for +use in general surgery. + (v) At a level not to exceed 0.2 percent by weight of the suture +material for coloring glycolide/dioxanone/trimethylene carbonate +tripolymer absorbable sutures for use in general surgery. + (vi) At a level not to exceed 0.2 percent by weight of the suture +material for coloring absorbable sutures prepared from homopolymers of +glycolide for use in general surgery. + (3) The color additive, D&C Violet No. 2, may be safely used for +coloring polymethylmethacrylate intraocular lens haptics at a level not +to exceed 0.2 percent by weight of the haptic material. + (4) The color additive, D&C Violet No. 2, may be safely used for +coloring absorbable meniscal tacks made from poly (L-lactic acid) at a +level not to exceed 0.15 percent by weight of the tack material. + (5) Authorization for these uses shall not be construed as waiving +any of the + +[[Page 491]] + +requirements of sections 510(k), 515, and 520(g) of the Federal Food, +Drug, and Cosmetic Act with respect to the medical devices in which the +color additive is used. + (c) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (d) Certification. All batches of D&C Violet No. 2 shall be +certified in accordance with regulations in part 80 of this chapter. + +[52 FR 19722, May 27, 1987, as amended at 55 FR 18868, May 7, 1990; 58 +FR 60109, Nov. 15, 1993; 59 FR 11720, Mar. 14, 1994; 63 FR 20098, Apr. +23, 1998; 64 FR 32805, June 18, 1999; 65 FR 46344, July 28, 2000] + + + +Sec. 74.3710 D&C Yellow No. 10. + + (a) Identity. The color additive D&C Yellow No. 10 shall conform to +the identity requirements of Sec. 74.1710(a). + (b) Specifications. The color additive D&C Yellow No. 10 for use in +contact lenses shall conform to the specifications of Sec. 74.1710(b). + (c) Uses and restrictions. (1) The color additive D&C Yellow No. 10 +may be used for coloring contact lenses in amounts not to exceed the +minimum reasonably required to accomplish the intended coloring effect. + (2) Authorization for this use shall not be construed as waiving any +of the requirements of sections 510(k), 515, and 520(g) of the Federal +Food, Drug, and Cosmetic Act with respect to the contact lens in which +the color additive is used. + (d) Labeling. The label of the color additive shall conform to the +requirements of Sec. 70.25 of this chapter. + (e) Certification. All batches of D&C Yellow No. 10 shall be +certified in accordance with regulations in part 80 of this chapter. + +[52 FR 28690, Aug. 3, 1987] + + + +PART 80_COLOR ADDITIVE CERTIFICATION--Table of Contents + + + + Subpart A_General Provisions + +Sec. +80.10 Fees for certification services. + + Subpart B_Certification Procedures + +80.21 Request for certification. +80.22 Samples to accompany requests for certification. +80.31 Certification. +80.32 Limitations of certificates. +80.34 Authority to refuse certification service. +80.35 Color additive mixtures; certification and exemption from + certification. +80.37 Treatment of batch pending certification. +80.38 Treatment of batch after certification. +80.39 Records of distribution. + + Authority: 21 U.S.C. 371, 379e. + + Source: 42 FR 15662, Mar. 22, 1977, unless otherwise noted. + + + + Subpart A_General Provisions + + + +Sec. 80.10 Fees for certification services. + + (a) Fees for straight colors including lakes. The fee for the +services provided by the regulations in this part in the case of each +request for certification submitted in accordance with Sec. 80.21(j)(1) +and (j)(2) shall be $0.35 per pound of the batch covered by such +requests, but no such fee shall be less than $224. + (b) Fees for repacks of certified color additives and color additive +mixtures. The fees for the services provided under the regulations in +this part in the case of each request for certification submitted in +accordance with Sec. 80.21(j)(3) and (j)(4) shall be: + (1) 100 pounds or less--$35. + (2) Over 100 pounds but not over 1,000 pounds--$35 plus $0.06 for +each pound over 100 pounds. + (3) Over 1,000 pounds--$89 plus $0.02 for each pound over 1,000 +pounds. + (c) Advance deposits. Any person regularly requesting certification +services may deposit funds in advance of requests as prepayment of fees +required by this section. + (d) Method of payment. All deposits and fees required by this +section shall be paid by money order, bank draft, or certified check, +drawn to the order of the Food and Drug Administration, collectible at +par at Washington, DC. All such deposits and fees shall be forwarded to +the Center for Food Safety and Applied Nutrition (HFS-100), Food and +Drug Administration, 5100 Paint Branch Pkwy., College Park, MD 20740, +whereupon after making appropriate records thereof, they will be +transmitted to the Treasurer of the United + +[[Page 492]] + +States for deposit to the special account ``Salaries and Expenses, +Certification, Inspection, and Other Services, Food and Drug +Administration.'' + (e) Refunds from advance deposits. Whenever in the judgment of the +Commissioner the ratio between fees collected (which are based upon +experience and the best estimate of costs and the best estimate of +earnings) and the costs of providing the service during an elapsed +period of time, in the light of all circumstances and contingencies, +warrants a refund from the fund collected during such period, he shall +make ratable refunds to those persons to whom the services were rendered +and charged, except that no refund shall be made where the computed +ratable amount for the elapsed period is less than $5.00. + +[42 FR 15662, Mar. 22, 1977, as amended at 47 FR 24692, June 8, 1982; 54 +FR 24890, June 12, 1989; 59 FR 60899, Nov. 29, 1994; 61 FR 3572, Feb. 1, +1996; 61 FR 14479, Apr. 2, 1996; 66 FR 56035, Nov. 6, 2001; 70 FR 15756, +Mar. 29, 2005; 71 FR 70875, Dec. 7, 2006] + + + + Subpart B_Certification Procedures + + + +Sec. 80.21 Request for certification. + + A request for certification of a batch of color additive shall: + (a) Be addressed to the Commissioner of Food and Drugs. + (b) Be prepared in the manner set forth in paragraph (j) of this +section. + (c) Be submitted in duplicate. + (d) Be signed by a responsible officer of the person requesting +certification of the batch. In the case of a foreign manufacturer, the +request for certification must be signed by a responsible officer of +such firm, and, by his agent who resides in the United States. + (e) Show the name and post office address of the actual manufacturer +in case such manufacturer is not the person requesting certification of +the batch. + (f) Be accompanied by the fee prescribed in Sec. 80.10 unless the +person has established with the Food and Drug Administration an advanced +deposit to be used for prepayment of such fees. In no case shall the +Commissioner consider a request for certification of a batch of color +additive if the fee accompanying such request is less than that required +by Sec. 80.10 or if such fee exceeds the amount held in the advance +deposit account of the manufacturer submitting such request for +certification. + (g) Be accompanied by the sample prescribed in Sec. 80.22 +consisting of: + (1) Four ounces in the case of straight colors and lakes. + (2) Two ounces in the case of repacks and mixtures. + +A sample accompanying a request for certification must be submitted +under separate cover and should be addressed to the Color Certification +Branch. + (h) The name of a color additive shall be given in the following +manner: + (1) The name of a straight color shall be the name of the color as +listed in parts 74 and 81 of this chapter. + (2) The name of a lake shall be the name derived in the manner +described in part 82 of this chapter. + (3) The name of a mixture shall be the name given to such mixture by +the person requesting certification. + (4) The name of a repack shall be the name described in paragraph +(h)(1), (2), or (3) of this section, whichever is applicable. + (i) The information and samples enumerated in paragraphs (a) to (h), +inclusive, of this section are the minimum required. Additional +information and samples shall be submitted at the request of the Food +and Drug Administration when such additional information and samples are +necessary to determine compliance with the requirements of Sec. 80.31 +for the issuance of a certificate. + (j) The form for submission of the application shall be one of the +following, depending upon whether the color additive is a straight +color, a lake, a repack of a previously certified color additive, or a +color additive mixture. + (1) Request for certification of a batch of straight color additive. + + Date -------- +Office of Cosmetics and Colors (HFS-100), +Center for Food Safety and Applied Nutrition, +Food and Drug Administration, +5100 Paint Branch Pkwy., +College Park, MD 20740 + In accordance with the regulations promulgated under the Federal +Food, Drug, and Cosmetic Act, we hereby make application + +[[Page 493]] + +for the certification of a batch of straight color additive. + +Name of color___________________________________________________________ + (As listed in 21 CFR part 74) + +Batch number____________________________________________________________ + (Manufacturer's number) + +Batch weighs ---- pounds +Batch manufactured by ------------ at ------------------ (Name and +address of actual manufacturer) + +How stored pending certification________________________________________ +________________________________________________________________________ +(State conditions of storage, with kind and size of containers, + location, etc.) +Certification requested of this color for use in________________________ +________________________________________________________________________ +________________________________________________________________________ + (State proposed uses) + +Required fee, $---- (drawn to the order of Food and Drug +Administration). + The accompanying sample was taken after the batch was mixed in +accordance with 21 CFR 80.22 and is accurately representative thereof. + + (Signed) -------------------- + By -------------------- + -------------------- + (Title) + + (2) Request for certification of a batch of color additive lake. + + Date -------- + +Office of Cosmetics and Colors (HFS-100), +Center for Food Safety and Applied Nutrition, +Food and Drug Administration, +5100 Paint Branch Pkwy., +College Park, MD 20740 + In accordance with the regulations promulgated under the Federal +Food, Drug, and Cosmetic Act, we hereby make application for the +certification of a batch of color additive lake. + +Name of color___________________________________________________________ +Batch number____________________________________________________________ + (Manufacturer's number) + +Batch weighs ---- pounds + +Name of color used______________________________________________________ + +Quantity ---- pounds + +Lot number______________________________________________________________ + (When certification of the lake + for use in foods is requested) +Precipitant used________________________________________________________ +Substratum used_________________________________________________________ + +Quantity ---- pounds +Batch manufactured by ---------- at -------------- (Name and address of +actual manufacturer) + +How stored pending certification________________________________________ +________________________________________________________________________ +(State conditions of storage, with kind and size of containers, + location, etc.) +Certification requested of this color for use in________________________ +________________________________________________________________________ +________________________________________________________________________ + (State proposed uses) + +Required fee, $---- (drawn to the order of Food and Drug +Administration). + The accompanying sample was taken after the batch was mixed in +accordance with 21 CFR 80.22 and is accurately representative thereof. + + (Signed) -------------------- + By -------------------- + -------------------- + (Title) + + (3) Request for certification of a repack of a batch of certified +color additive. + + Date ---------- + +Office of Cosmetics and Colors (HFS-100), +Center for Food Safety and Applied Nutrition, +Food and Drug Administration, +5100 Paint Branch Pkwy., +College Park, MD 20740 + In accordance with the regulations promulgated under the Federal +Food, Drug, and Cosmetic Act, we hereby make application for the +certification of a batch of color additive repack. + +Name of color___________________________________________________________ +(As listed in regulations and as certified; or repacker's name, if a + mixture) +Original lot number_____________________________________________________ +Certified color content_________________________________________________ +This color obtained from________________________________________________ +Batch number____________________________________________________________ + +Batch weighs ---- pounds + +How stored pending certification________________________________________ +________________________________________________________________________ +(State conditions of storage, with kind and size of containers, + location, etc.) +Certification requested for use in______________________________________ +________________________________________________________________________ +________________________________________________________________________ + (State proposed uses) + +Required fee, $---- (drawn to the order of Food and Drug +Administration). + The accompanying sample was taken after the batch was mixed in +accordance with 21 CFR 80.22 and is accurately representative thereof. + + (Signed) ------------------ + By -------------------- + -------------------- + (Title) + + +[[Page 494]] + + + (4) Request for certification of a batch of color additive mixture. + + Date ---------- + +Office of Cosmetics and Colors (HFS-100), +Center for Food Safety and Applied Nutrition, +Food and Drug Administration, +5100 Paint Branch Pkwy., +College Park, MD 20740 + In accordance with the regulations promulgated under the Federal +Food, Drug, and Cosmetic Act, we hereby make application for the +certification of a batch of color additive mixture. + +Name of mixture_________________________________________________________ + (Manufacturer's trade name) +Batch number____________________________________________________________ + (Manufacturer's number) + +Weight of batch ---- pounds +Volume of batch ---- (If liquid) gallons + +Batch manufactured by___________________________________________________ + +Constituents of the mixture: +1. Color(s). (List separately each color and each lot number.) + +Name of color +as certified Lot number +________________________________________________________________________ +________________________________________________________________________ +Quantity used +(in pounds) Obtained from +________________________________________________________________________ +________________________________________________________________________ +2. List of diluents. (List separately each diluent.) + + Name of diluent + +________________________________________________________________________ +________________________________________________________________________ + + Quantity used + + By volume + By weight (if liquid) +________________________________________________________________________ +________________________________________________________________________ +Batch mixed as follows__________________________________________________ + (Describe in detail) +How stored pending certification________________________________________ +________________________________________________________________________ +(State conditions of storage, with kind and size of containers, + location, etc.) +Certification requested for use in______________________________________ +________________________________________________________________________ +________________________________________________________________________ + (State proposed uses) + +Required fee, $---- (drawn to the order of Food and Drug +Administration). + The accompanying sample was taken after the batch was mixed in +accordance with 21 CFR 80.22 and is accurately representative thereof. + + (Signed) -------------------- + By ------------------ + -------------------- + (Title) + +[42 FR 15662, Mar. 22, 1977; 44 FR 17658, Mar. 23, 1979; 44 FR 22053, +Apr. 13, 1979, as amended at 54 FR 24890, June 12, 1989; 61 FR 14479, +Apr. 2, 1996; 66 FR 56035, Nov. 6, 2001] + + + +Sec. 80.22 Samples to accompany requests for certification. + + A sample of a batch of color additive which is to accompany a +request for certification shall: + (a) Be taken only after such batch has been so thoroughly mixed as +to be of uniform composition throughout. + (b) Held under the control of the person requesting certification +until certified. + (c) Be labeled to show: + (1) The name of the color additive. + (2) The manufacturer's batch number. + (3) The quantity of such batch. + (4) The name and post-office address of the person requesting +certification of such batch. + (5) Be accompanied by any label or labeling intended to be used. + + + +Sec. 80.31 Certification. + + (a) If the Commissioner determines, after such investigations as he +considers to be necessary, that: + (1) A request submitted in accordance with Sec. 80.21 appears to +contain no untrue statement of a material fact; + (2) Such color additive conforms to the specifications and any other +conditions set forth therefor in parts 81 and 82 of this chapter. + (3) The batch covered by such request otherwise appears to comply +with the regulations in this chapter, the Commissioner shall issue to +the person who submitted such request a certificate showing the lot +number assigned to such batch and that such batch, subject to the terms, +conditions, and restrictions prescribed by part 74, 81, and 82 of this +chapter, is a certified batch. + (b) If the Commissioner determines, after such investigation as he +considers to be necessary, that a request submitted in accordance with +Sec. 80.21, or the batch of color additive covered by + +[[Page 495]] + +such request, does not comply with the requirements prescribed by +paragraph (a) of this section for the issuance of a certificate, the +Commissioner shall refuse to certify such batch and shall give notice +thereof to the person who submitted such request, stating his reasons +for refusal. Any person who contests such refusal shall have an +opportunity for a regulatory hearing before the Food and Drug +Administration pursuant to part 16 of this chapter. + + + +Sec. 80.32 Limitations of certificates. + + (a) If a certificate is obtained through fraud or misrepresentation +of a material fact, such certificate shall not be effective, and a color +additive from the batch on which such certificate was issued shall be +considered to be from a batch that has not been certified in accordance +with the regulations in this part. Whenever, the Commissioner learns +that any certificate has been obtained through fraud or material +misrepresentation, he shall notify the holder of the certificate that it +is of no effect. + (b) If between the time a sample of color additive accompanying a +request for certification is taken and the time a certificate covering +the batch of such color additive is received by the person to whom it is +issued, any such color additive becomes changed in composition, such +certificates shall not be effective with respect to such changed color +additive and such changed color additive shall be considered to be from +a batch that has not been certified in accordance with the regulations +in this part. + (c) If at any time after a certificate is received by the person to +whom it is issued any color additive from the batch covered by such +certificate becomes changed in composition, such certificate shall +expire with respect to such changed color additive. After such +expiration, such color additive shall be considered to be from a batch +that has not been certified in accordance with this part; except that +such color additive shall not be so considered when used for coloring a +food, drug, or cosmetic, or for the purpose of certifying a batch of a +mixture in which such color additive was used as an ingredient, or for +use in preparing a batch of a mixture for which exemption from +certification has been authorized, if such change resulted solely from +such use. + (d) A certificate shall expire with respect to any color additive +covered thereby if the package in which such color additive was closed +for shipment or delivery is opened. After such expiration such color +additive shall be considered to be from a batch that has not been +certified, except that such color additive shall not be so considered +when the package is opened; + (1) and such color additive is used, subject to the restrictions +prescribed by paragraphs (f), (g), and (h) of this section, in coloring +a food, drug, or cosmetic; + (2) for the purpose of certifying a batch made by repacking such +color; + (3) for the purpose of certifying a batch of a mixture in which such +color is used as an ingredient; or + (4) for the purpose of preparing a batch of a mixture for which +exemption from certification has been authorized; or + (5) when the package is reopened solely for repackaging by the +person to whom such certificate was issued. + (e) A certificate shall not be effective with respect to a package +of color additive and such color additive shall be considered to be from +a batch that has not been certified if such package is shipped or +delivered under a label which does not bear all words, statements, and +other information required by Sec. 70.25 of this chapter to appear +thereon. + (f) A certificate shall not be effective with respect to a package +of color additive, and such color additive shall be considered to be +from a batch that has not been certified if: + (1) Such package has not been sealed in accordance with Sec. 70.20 +of this chapter. + (2) Such package has been sealed in accordance with Sec. 70.20 of +this chapter and the seal has been broken, intentionally or +accidentally, unless such seal has been broken for the purpose of using +color additive in accordance with Sec. 80.38, or, such package has been +opened by a duly authorized representative of the Administration or +Department in the performance of his official + +[[Page 496]] + +duties, and he has immediately resealed the package in conformance with +Sec. 70.20 of this chapter. + (g) A certificate shall not be effective with respect to a package +of color additive and such color additive shall be considered to be from +a batch that has not been certified if such color additive is used in +any manner other than that for which it was certified. + (h) When the listing or the specifications for a color additive are +revoked or amended, the final order effecting the revocation or +amendment may specify, in addition to its own effective date, a date on +which all certificates for existing batches and portions of batches of +such a color additive theretofore issued under such revoked or amended +regulations shall cease to be effective; and any such lots of the color +additive shall be regarded as uncertified after the date specified +unless a new certificate can be and is obtained in conformance with the +new regulations. When a certificate thus ceases to be effective for a +color additive, any certificates previously issued for a color additive +mixture containing that color additive shall cease to be effective on +the same date. Use of such color additive or color additive mixture +after such specified date without the new certificate in preparing +foods, drugs, or cosmetics will result in such food, drugs, or cosmetics +being adulterated. When a certified color additive has been used in +food, drugs, or cosmetics and the status of the color additive is +thereafter changed by amendment or revocation of its listing or +specification regulations, such food, drugs, and cosmetics will not be +regarded as adulterated by reason of the use of such color additive, +unless the hazard to health is such that existing stocks of the foods, +drugs, or cosmetics cannot be safely used, in which cases findings to +that effect will be made and regulations appropriate for such special +cases will be issued. + + + +Sec. 80.34 Authority to refuse certification service. + + (a) When it appears to the Commissioner that a person has: + (1) Obtained, or attempted to obtain, a certificate through fraud or +misrepresentation of a material fact. + (2) Falsified the records required to be kept by Sec. 80.39; or + (3) Failed to keep such records, or to make them available, or to +accord full opportunity to make inventory of stocks on hand or otherwise +to check the correctness of such records, as required by Sec. 80.39; or + (4) Refused to permit duly authorized employees of the Food and Drug +Administration free access to all manufacturing facilities, processes, +and formulae involved in the manufacture of color additives and +intermediates from which such color additives are derived; he may +immediately suspend certification service to such person and may +continue such suspension until adequate corrective action has been +taken. + (b) Any person who contests suspension of service shall have an +opportunity for a regulatory hearing before the Food and Drug +Administration pursuant to part 16 of this chapter. + + + +Sec. 80.35 Color additive mixtures; certification and exemption +from certification. + + (a) Color additive mixtures to be certified. Any color additive +mixture that contains one or more straight colors listed in part 74 of +this chapter, together with any diluents listed in such subparts for use +with such straight colors, shall be certified if intended for use in +foods, drugs, or cosmetics, or in coloring the human body, as the case +may be, subject to any restriction prescribed in parts 70 and 71 of this +chapter. + (b) Color additive mixtures exempted from certification. A color +additive mixture prepared from a previously certified batch of one or +more straight colors, with or without any diluent that has been listed +in part 73 of this chapter for use in mixtures, shall be exempt from +batch certification if the straight color used has not changed in +composition in any manner whatsoever since its certification and if it +is simply mixed with the approved diluents for exempt mixtures. The +label of such color additive mixtures shall not bear the lot number +assigned by the Food and Drug Administration to the certified straight +color components, but shall bear the manufacturer's control + +[[Page 497]] + +number through which the history of the straight color can be +determined. + (c) Additions to the list of diluents. A person requesting additions +to the list of diluents authorized for the purposes described in +paragraphs (a) and (b) of this section shall submit a petition in +accordance with the provisions of Sec. 71.1 of this chapter. Each such +petition shall be accompanied by the fee prescribed in Sec. 70.19 of +this chapter, unless there is an advance deposit to be used for +prepayment of such fees. + + Note: The provisions of Sec. 80.35 with respect only to diluents +for use in cosmetic color additive mixtures were stayed, until a +regulation is effected listing safe diluents for cosmetic use, including +cosmetics which color the human body, 29 FR 18495, Dec. 29, 1964. + + + +Sec. 80.37 Treatment of batch pending certification. + + Immediately after the sample that is to accompany a request for +certification of a batch of color additive is taken, the batch shall be: + (a) Stored in containers of such kind as to prevent change in +composition. + (b) Held under the control of the person requesting certification +until certified. + (c) Marked, by labeling or otherwise, in a manner such that there +can be no question as to the identity of the batch and no question that +it is not to be used until the requested certificate has been issued. + + + +Sec. 80.38 Treatment of batch after certification. + + (a) Immediately upon notification that a batch of color additive has +been certified, the person requesting certification thereof shall +identify such batch, by labeling, with the certified lot number. + (b) The person requesting certification shall maintain storage in +such manner as to prevent change in composition until such batch has +been packaged and labeled as required by Sec. Sec. 70.20 and 70.25 of +this chapter, except that the person requesting certification may use +such color additive for the purpose of coloring a food, drug, or +cosmetic. + + + +Sec. 80.39 Records of distribution. + + (a) The person to whom a certificate is issued shall keep complete +records showing the disposal of all the color additive from the batch +covered by such certificate. Upon the request of any officer or employee +of the Food and Drug Administration or of any other officer or employee +acting on behalf of the Secretary of Health and Human Services, such +person, at all reasonable hours until at least 2 years after disposal of +all such color additive, shall make such records available to any such +officer or employee, and shall accord to such officer or employee full +opportunity to make inventory of stocks of such color additive on hand +and otherwise to check the correctness of such records. + (b) The records required to be kept by paragraph (a) of this section +shall show: + (1) Each quantity used by such person from such batch and the date +and kind of such use. + (2) The date and quantity of each shipment or delivery from such +batch, and the name and post-office address of the person to whom such +shipment or delivery was made. + (c) The records required to be kept by paragraph (a) of this section +shall be kept separately from all other records. + + + +PART 81_GENERAL SPECIFICATIONS AND GENERAL RESTRICTIONS FOR PROVISIONAL COLOR ADDITIVES FOR USE IN FOODS, DRUGS, AND COSMETICS--Table of Contents + + + +Sec. +81.1 Provisional lists of color additives. +81.10 Termination of provisional listings of color additives. +81.30 Cancellation of certificates. +81.32 Limitation of certificates. + + Authority: 21 U.S.C. 371, 379e, 379e note. + + + +Sec. 81.1 Provisional lists of color additives. + + The Commissioner of Food and Drugs finds that the following lists of +color additives are provisionally listed under section 203(b) of the +Color Additive Amendments of 1960 (sec. 203(b), 74 Stat. 405 (21 U.S.C. +379e note)). Except for color additives for which petitions + +[[Page 498]] + +have been filed, progress reports are required by January 1, 1968, and +at 6-month intervals thereafter. Specifications for color additives +listed in paragraphs (a), (b), and (c) of this section appear in the +respective designated sections. The listing of color additives in this +section is not to be construed as a listing for surgical suture use +unless color additive petitions have been submitted for such use or the +Commissioner has been notified of studies underway to establish the +safety of the color additive for such use. The color additives listed in +paragraphs (a), (b), and (c) of this section may not be used in products +which are intended to be used in the area of the eye. The color +additives listed in paragraphs (a), (b), and (c) of this section are +provisionally listed until the closing dates set forth therein. + (a) Color additives previously and presently subject to +certification and provisionally listed for food, drug, and cosmetic use. + +---------------------------------------------------------------------------------------------------------------- + Closing date + Color additive -------------------------------------------------- Restrictions + Food use Drug and cosmetic use +---------------------------------------------------------------------------------------------------------------- +Lakes (FD&C) (sec. 82.51 of this + chapter). +---------------------------------------------------------------------------------------------------------------- + + (b) Color additives previously and presently subject to +certification and provisionally listed for drug and cosmetic use. + +------------------------------------------------------------------------ + Closing date Restrictions +------------------------------------------------------------------------ +Lakes (D&C) (Sec. 82.2051 of + this chapter). +------------------------------------------------------------------------ + + (c) Color additives previously and presently subject to +certification and provisionally listed for use in externally applied +drugs and cosmetics. + +------------------------------------------------------------------------ + Closing date Restrictions +------------------------------------------------------------------------ +Lakes (Ext. D&C) (sec. 82.105(1) + of this chapter) +------------------------------------------------------------------------ + + +[42 FR 15665, Mar. 22, 1977] + + Editorial Note: For Federal Register citations affecting Sec. 81.1, +see the List of CFR Sections Affected, which appears in the Finding Aids +section of the printed volume and at www.fdsys.gov. + + + +Sec. 81.10 Termination of provisional listings of color additives. + + (a) Ext. D&C Yellow Nos. 9 and 10. These colors cannot be produced +with any assurance that they do not contain [beta]-naphthylamine as an +impurity. While it has been asserted that the two colors can be produced +without the impurity named, no method of analysis has been suggested to +establish the fact. [beta]-Naphthylamine is a known carcinogen; +therefore, there is no scientific evidence that will support a safe +tolerance for these colors in products to be used in contact with the +skin. The Commissioner of Food and Drugs, having concluded that such +action is necessary to protect the public health, hereby terminated the +provisional listing of Ext. D&C Yellow No. 9 and Ext. D&C Yellow No. 10. + (b) [Reserved] + (c) FD&C Red No. 1. Results of recent feeding tests of this color +additive have demonstrated it to be toxic upon ingestion: + (1) Groups of 50 rats are being fed diets containing FD&C Red No. 1 +at levels of 5 percent, 2 percent, 1 percent, 0.5 percent, and 0 +percent. At this stage of the tests, which have now been in progress for +from 15 months to 18 months, 116 animals from the 250 being fed FD&C Red +No. 1 at various levels and 27 of the 100 controls have died. Of these, +11 being fed at the 5 percent level, 16 being fed at the 2 percent +level, 11 being fed at the 1 percent level, and 2 being fed at the 0.5 +percent level, have shown liver damage. None of the controls that have +died have shown liver damage. + (2) Groups of 100 mice are being fed diets containing 2 percent, 1 +percent, 0.5 percent, and 0.1 percent FD&C Red No. 1, with 400 mice as +controls. All mice on dosage levels of 2 percent and 1 percent died +before the seventieth week. Gross liver damage has been observed in all +groups fed at the 0.5 percent diet and above. + (3) Groups of 4 dogs are being fed diets containing 2 percent, 1 +percent, 0.25 percent, and 0 percent FD&C Red No. 1. Three of the dogs +on the 2 percent dosage level died before 32 weeks; the other is living. +Three of the dogs on the 1 percent dosage level died or were + +[[Page 499]] + +sacrificed within 13 months. All deceased or sacrificed dogs have shown +liver damage grossly and/or microscopically. Deceased dogs on the 1 +percent and 2 percent dosage level showed poor physical condition. + +The Commissioner of Food and Drugs having concluded that ingestion of +this color additive over a long period of time would be unsafe, and in +order to protect the public health, hereby terminates the provisional +listing of FD&C Red No. 1 for use in foods, drugs, and cosmetics. + (d) FD&C Red No. 4. Feeding tests of this color additive have been +conducted with three species: + (1) Rats of the Osborne-Mendel and Sprague-Dawley strains were fed +FD&C Red No. 4 for 2 years at levels of 5 percent, 2 percent, 1 percent, +and 0.5 percent of the diet. No effect was found. + (2) Mice of the C3Hf and C57BL strains were fed FD&C Red No. 4 for 2 +years at levels of 2 percent and 1 percent of the diet. No effect was +found. + (3) Dogs were fed FD&C Red No. 4 at levels of 2 percent and 1 +percent of the diet. Adverse effects were found at both levels in the +urinary bladder and in the adrenals. Three dogs of five fed on the 2- +percent level died after 6 months, 9 months, and 5\1/2\ years on the +test. Two of the dogs on the 2-percent level and all five of the dogs on +the 1-percent level survived to the completion of the 7 year study. + +The Commissioner of Food and Drugs has concluded that available data do +not permit the establishment of a safe level of use of this color +additive in food, ingested drugs and ingested cosmetics. In order to +protect the public health, the Commissioner hereby terminates the +provisional listing of FD&C Red No. 4 for use in food and ingested +drugs. The Commissioner has previously terminated the provisional +listing of FD&C Red No. 4 for use in ingested cosmetics. FD&C Red No. 4 +is listed for use in externally applied drugs and cosmetics by +Sec. Sec. 74.1304 and 74.2304 of this chapter, respectively. Section +82.304 of this chapter is retained in part 82 of this chapter to permit +the use of lakes of FD&C Red No. 4 in externally applied drugs and +cosmetics. + (e) FD&C Violet No. 1. The Commissioner of Food and Drugs, in order +to protect the public health, hereby terminates the provisional listing +of FD&C Violet No. 1 for use in foods, drugs, and cosmetics. + (f) FD&C Red No. 2. The Commissioner of Food and Drugs, in order to +protect the public health, hereby terminates the provisional listing of +FD&C Red No. 2 for use in food, drugs, and cosmetics. + (g) Carbon black (prepared by the ``impingement'' or ``channel'' +process). The Commissioner of Food and Drugs, in order to protect the +public health, hereby terminates the provisional listing of carbon black +(prepared by the impingement or channel process) for use in food, drugs, +and cosmetics. + (h) D&C Red Nos. 10, 11, 12, and 13. The petition for these color +additives was withdrawn so that there no longer exists a basis for their +continued provisional listing. In addition, the Commissioner has learned +of the possible contamination of D&C Red No. 10, D&C Red No. 11, D&C Red +No. 12, and D&C Red No. 13 with [beta]-naphthyl-amine. The Commissioner +concludes that these colors cannot be produced with any reasonable +assurance that they will not contain [beta]-naphthylamine as an impurity +or not yield [beta]-naphthylamine from the metabolism of subsidiary +colors present in them. [beta]-Naphthylamine is a known carcinogen; +therefore, there is no scientific evidence that will support a safe +tolerance for these colors in drugs or cosmetics. The Commissioner of +Food and Drugs, upon withdrawal of the petition for their use and in +order to protect the public health, hereby terminates the provisional +listing of D&C Red No. 10, D&C Red No. 11, D&C Red No. 12, and D&C Red +No. 13 for use in drugs and cosmetics, effective December 13, 1977. + (i) Ext. D&C Yellow No. 1. The Commissioner has learned of the +contamination of Ext. D&C Yellow No. 1 with 4-aminobiphenyl. The +Commissioner concludes that this color cannot be produced with any +reasonable assurance that it will not contain 4-aminobiphenyl as an +impurity or not yield benzidine from the decomposition of a subsidiary +reaction product that might be present in the color. 4- + +[[Page 500]] + +Aminobiphenyl and benzidine are known carcinogens; therefore, there is +no scientific evidence that will support a safe tolerance for these +colors in drugs or cosmetics. In addition, insufficient data have been +submitted to permit establishment of appropriate specifications for the +batch certification of the color. The Commissioner of Food and Drugs, in +order to protect the public health, hereby terminates the provisional +listing of Ext. D&C Yellow No. 1 for use in externally applied drugs and +cosmetics, effective December 13, 1977. + (j) Graphite. Data have been developed that show the contamination +of graphite with polynuclear aromatic hydrocarbons (PNA's). There is no +reasonable assurance this color can be produced so that it will not +contain PNA's as an impurity. The presence of certain PNA's in graphite +would indicate that PNA's known to be carcinogenic to animals and humans +may also be present. Therefore, there is no scientific evidence that +will support a safe tolerance for this color in drugs or cosmetics. The +Commissioner of Food and Drugs, in order to protect the public health, +hereby terminates the provisional listing of graphite for use in +externally applied cosmetics, effective November 29, 1977. + (k) Ext. D&C Green No. 1. The Commissioner concludes that there are +inadequate analytical methods to permit certification of the color +additive Ext. D&C Green No. 1. In addition, the Commissioner has found +that there was a failure to comply with the conditions attached to the +postponement of the closing date in accordance with section 203(a)(2) of +the transitional provisions of the Color Additive Amendments of 1960. +The Commissioner of Food and Drugs hereby terminates the provisional +listing of Ext. D&C Green No. 1 for use in externally applied drugs and +cosmetics, effective November 29, 1977. + (l) [Reserved] + (m) D&C Orange Nos. 10 and 11. In the absense of a petition to list +D&C Orange No. 10 and D&C Orange No. 11 for use in ingested drugs and +cosmetics, there no longer exists a basis for provisional listing for +such uses. Therefore, FDA is terminating the provisional listing of D&C +Orange No. 10 and D&C Orange No. 11 for use in ingested drugs and +cosmetics, effective April 28, 1981. + (n) D&C Blue No. 6. The Commissioner of Food and Drugs, having +concluded that unresolved questions remain concerning the chemistry of +unidentified minor components, hereby terminates the provisional listing +of D&C Blue No. 6 for use in drugs and cosmetics. + (o) D&C Green No. 6. In the absence of a petition to list D&C Green +No. 6 for use in ingested drugs and cosmetics, there no longer exists a +basis for provisional listing for such uses. Accordingly, the +Commissioner of Food and Drugs hereby terminates the provisional listing +of D&C Green No. 6 for use in ingested drugs and cosmetics, effective +March 27, 1981. + (p) [Reserved] + (q)(1) D&C Red No. 19 and D&C Red No. 37. Having concluded that, +when ingested, D&C Red No. 19 causes cancer in rats and mice, the agency +hereby terminates the provisional listings of D&C Red No. 19 and +chemically related D&C Red No. 37 for use in ingested drugs and ingested +cosmetics, effective February 4, 1983. + (2) D&C Red No. 37. In the absence of a petition to list D&C Red No. +37 for external uses, there no longer exists a basis for provisional +listing for such uses. Accordingly, the Commissioner of Food and Drugs +hereby terminates the provisional listings of D&C Red No. 37 for use in +externally applied drugs and cosmetics, effective June 6, 1986. + (r) [Reserved] + (s) D&C Orange No. 17. Having concluded that, when ingested, D&C +Orange No. 17 causes cancer in rats and mice, the agency has terminated +the provisional listing of D&C Orange No. 17 for use in ingested drugs +and ingested cosmetics, effective March 31, 1983. + (t) D&C Red No. 8 and D&C Red No. 9. In the absence of a petition to +list D&C Red No. 8 and D&C Red No. 9 for mouthwash, dentifrices, and +ingested drugs, except ingested drug lip products, there no longer +exists a basis for provisional listing for such uses. Accordingly, the +Commissioner of Food and Drugs hereby terminates the provisional +listings of D&C Red No. 8 and D&C Red No. 9 for use in mouthwash, + +[[Page 501]] + +dentifrices, and ingested drugs, except ingested drug lip products, +effective January 6, 1987. + (u) FD&C Red No. 3. Having concluded that FD&C Red No. 3 causes +cancer in rats, the agency hereby terminates the provisional listing of +FD&C Red No. 3 for use in cosmetics and externally applied drugs and the +provisional listing of the lakes of FD&C Red No. 3 for use in food, +drug, and cosmetic products, effective January 29, 1990. + +[42 FR 15665, Mar. 22, 1977] + + Editorial Note: For Federal Register citations affecting Sec. +81.10, see the List of CFR Sections Affected, which appears in the +Finding Aids section of the printed volume and at www.fdsys.gov. + + + +Sec. 81.30 Cancellation of certificates. + + (a) Certificates issued heretofore for colors being removed from the +provisional list (Sec. 81.10(a)) are cancelled and of no effect after +December 1, 1960, and use of such color additives in drugs or cosmetics +after that date will result in adulteration. + (b)(1) Certificates issued heretofore for the color additive +designated FD&C Red No. 1 are cancelled as of the date of the +publication of this Order, and use of this color additive in the +manufacture of foods, drugs, or cosmetics after that date will result in +adulteration. + (2) The Commissioner finds that no action needs to be taken to +remove foods, drugs, and cosmetics containing this color additive from +the market on the basis of the scientific evidence before him, taking +into account that the additive is not an acute toxic substance and that +it is only used in small amounts in foods, drugs, and cosmetics. + (c) Certificates issued for FD&C Red No. 4 and all mixtures +containing this color additive are cancelled and have no effect after +September 23, 1976 insofar as food, ingested drugs, and ingested +cosmetics are concerned, and use of this color additive in the +manufacture of food, ingested drugs, and ingested cosmetics after this +date will result in adulteration. The certificates shall continue in +effect for the use of FD&C Red No. 4 in externally applied drugs and +cosmetics. The Commissioner finds, on the basis of the scientific +evidence before him that no action has to be taken to remove from the +market food, ingested drugs and ingested cosmetics containing the color +additive. + (d) Certificates issued for the following color additives and all +mixtures containing these color additives are canceled and have no +effect after October 4, 1966, and use of such color additives in the +manufacture of foods, drugs, or cosmetics after that date will result in +adulteration: + +FD&C Green No. 1. +FD&C Green No. 2. +D&C Green No. 7. +D&C Red No. 5. +D&C Red No. 14. +D&C Red No. 18. +D&C Red No. 24. +D&C Red No. 29. +D&C Red No. 35. +D&C Red No. 38. +D&C Orange No. 3. +D&C Orange No. 8. +D&C Orange No. 14. +D&C Orange No. 15. +D&C Orange No. 16. +D&C Blue No. 7. +D&C Black No. 1. +Ext. D&C Yellow No. 5. +Ext. D&C Yellow No. 6. +Ext. D&C Red No. 1. +Ext. D&C Red No. 2. +Ext. D&C Red No. 3. +Ext. D&C Red No. 10. +Ext. D&C Red No. 11. +Ext. D&C Red No. 13. +Ext. D&C Red No. 14. +Ext. D&C Red No. 15. +Ext. D&C Blue No. 1. +Ext. D&C Blue No. 4. +Ext. D&C Orange No. 1. +Ext. D&C Orange No. 4. + + (e) Certificates issued for the following color additives and all +mixtures containing these color additives are canceled and have no +effect after July 1, 1968, and use of such color additives in the +manufacture of drugs or cosmetics after that date will result in +adulteration: + +Ext. D&C Yellow No. 3. +Ext. D&C Red No. 8 +Ext. D&C Orange No. 3. + + (f) Certificates issued for D&C Yellow No. 11 and all mixtures +containing this color additive are canceled and have no effect after +April 30, 1968, insofar as ingested use is concerned. Use of this color +additive in the manufacture of + +[[Page 502]] + +ingested drugs or cosmetics subject to ingestion after that date will +result in adulteration. + (g) Certificates issued for D&C Red No. 17, D&C Red No. 31, D&C Red +No. 34, D&C Orange No. 4, and D&C Violet No. 2, and all mixtures +containing these color additives, are canceled and have no effect after +December 31, 1968, insofar as ingested use is concerned. Use of these +color additives in the manufacture of ingested drugs or cosmetics +subject to ingestion after that date will result in adulteration. + (h)(1) Certificates issued for FD&C Violet No. 1 and all mixtures +containing this color additive are canceled and have no effect after +April 10, 1973, and use of such color additive in the manufacture of +foods, drugs, or cosmetics after that date will result in adulteration. + (2) The Commissioner finds that no action needs to be taken to +remove foods, drugs, and cosmetics containing this color additive from +the market on the basis of the scientific evidence before him. + (i) Certificates issued prior to July 1, 1968, for D&C Brown No. 1 +and Ext. D&C Violet No. 2 and all mixtures containing these colors are +canceled and have no effect. This cancellation does not apply to +certificates issued after March 15, 1973, for D&C Brown No. 1 and Ext. +D&C Violet No. 2, which are provisionally listed in Sec. 81.1(b) and +(c) respectively for coloring externally applied cosmetics. + (j)(1) Certificates issued for FD&C Red No. 2 and all mixtures +containing this color additive are canceled and have no effect after +January 28, 1976, and use of this color additive in the manufacture of +food, drugs, or cosmetics after this date will result in adulteration. + (2) The Commissioner finds, on the basis of the scientific evidence +before him, that no action has to be taken to remove from the market +food, drugs, and cosmetics containing the color additive. + (k)(1) Certificates issued for D&C Red No. 10, D&C Red No. 11, D&C +Red No. 12, and D&C Red No. 13, their lakes and all mixtures containing +these color additives or their lakes are cancelled and have no effect +after December 13, 1977, and use of these color additivies in the +manufacture of drugs or cosmetics after this date will result in +adulteration. + (2) The Commissioner finds, on the basis of the scientific evidence +before him, that no action has to be taken to remove from the market, +drug and cosmetic products containing the color additives. + (l)(1) Certificates issued for Ext. D&C Yellow No. 1 and all +mixtures containing this color additive are cancelled and have no effect +after December 13, 1977, and use of this color additive in the +manufacture of drugs or cosmetics after this date will result in +adulteration. + (2) The Commissioner finds, on the basis of the scientific evidence +before him, that no action has to be taken to remove from the market +drugs and cosmetics containing the color additive. + (m)(1) Certificates issued for Ext. D&C Green No. 1 and all mixtures +containing this color additive are cancelled and have no effect after +November 29, 1977, and use of the color additive in the manufacture of +drugs or cosmetics after this date will result in adulteration. + (2) The Commissioner finds, on the basis of the scientific evidence +before him, that no action has to be taken to remove from the market +drugs and cosmetics containing the color additive. + (n)(1) Certificates issued for D&C Orange No. 10, D&C Orange No. 11, +their lakes, and all mixtures containing these color additives are +cancelled and have no effect as pertains to their use in ingested drugs +and cosmetics after April 28, 1981 and use of these color additives in +the manufacture of ingested drugs or cosmetics after this date will +result in adulteration. + (2) The agency finds, on the basis of the scientific evidence before +it, that no action has to be taken to remove from the market drugs and +cosmetics to which the color additives were added on or before April 28, +1981. + (o)(1) Certificates issued for D&C Blue No. 6 and all mixtures +containing this color additive are cancelled insofar as its use in drugs +and cosmetics is concerned and have no effect after December 13, 1977, +and use of the color additive in the manufacture of drugs or + +[[Page 503]] + +cosmetics after this date will result in adulteration. The color will +continue to be certified for use in the coloring of surgical sutures. + (2) The Commissioner finds, on the basis of the scientific evidence +before him, that no action has to be taken to remove from the market +drugs and cosmetics containing the color additive. + (p)(1) Certificates issued for D&C Green No. 6, its lakes and all +mixtures containing this color additive are cancelled and have no effect +as pertains to their use in ingested drugs and cosmetics after May 4, +1982 and use of the color additive in the manufacture of ingested drugs +or cosmetics after this date will result in adulteration. + (2) The agency finds, on the basis of the scientific evidence before +it, that no action has to be taken to remove from the market ingested +drugs and cosmetics containing the color additive. + (q) [Reserved] + (r)(1) Certificates issued for D&C Red No. 19 and D&C Red No. 37, +their lakes, and all mixtures containing these color additives are +cancelled and have no effect as pertains to their use in ingested drugs +and cosmetics after February 4, 1983, and use of these color additives +in the manufacture of ingested drugs or cosmetics after this date will +result in adulteration. + (2) The agency finds, on the scientific evidence before it, that no +action has to be taken to remove from the market ingested drugs and +cosmetics to which D&C Red No. 19 and D&C Red No. 37 were added on or +before February 4, 1983, or externally applied drugs and cosmetics to +which D&C Red No. 37 was added on or before June 6, 1986. + (3) Certificates issued for D&C Red No. 37, its lakes, and all +mixtures containing this color additive are cancelled and have no effect +as pertains to its use in externally applied drugs and cosmetics after +June 6, 1986, and use of this color additive in the manufacture of +externally applied drugs or cosmetics after this date will result in +adulteration. + (4) Certificates issued for D&C Red No. 19, its lakes, and all +mixtures containing this color additive are cancelled and have no effect +as pertains to its use in externally applied drugs and cosmetics after +July 15, 1988, and use of this color in the manufacture of externally +applied drugs or cosmetics after this date will result in adulteration. + (5) The agency finds, on the scientific evidence before it, that no +action has to be taken to remove from the market externally applied +drugs and cosmetics to which D&C Red No. 19 was added on or before July +15, 1988. + (s)(1) Certificates issued for D&C Red No. 8 and D&C Red No. 9, +their lakes, and all mixtures containing these color additives are +canceled and have no effect as pertains to their use in mouthwash, +dentifrices, and ingested drugs, except ingested drug lip products, +after January 6, 1987, and use of these color additives in the +manufacture of mouthwash, dentifrices, and ingested drugs, except +ingested drug lip products, after this date will result in adulteration. + (2) The agency finds, on the basis of the scientific evidence before +it, that no action has to be taken to remove from the market mouthwash, +dentifrices, and ingested drugs to which the color additives were added +on or before January 6, 1987. Ingested drug lip products, however, are +regulated for use in Sec. Sec. 74.1308 and 74.1309. + (3) Certificates issued for D&C Red No. 8, and D&C Red No. 9, their +lakes, and all mixtures containing these color additives are cancelled +and have no effect as pertains to their use in ingested drug and +cosmetic lip products and in externally applied drugs and cosmetics +after July 15, 1988, and use of these color additives in the manufacture +of ingested drugs and cosmetic lip products and in externally applied +drugs and cosmetics after this date will result in adulteration. + (4) The agency finds, on the basis of the scientific evidence before +it, that no action has to be taken to remove from the market ingested +drug and cosmetic lip products and externally applied drugs and +cosmetics to which the color additives were added on or before July 15, +1988. + (t)(1) Certificates issued for D&C Orange No. 17, its lakes, and all +mixtures containing this color additive are cancelled and have no effect +as pertains to its use in ingested drugs and ingested cosmetics after +March 31, 1983 and use + +[[Page 504]] + +of this color additive in the manufacture of ingested drugs or ingested +cosmetics after this date will result in adulteration. + (2) The agency finds, on the scientific evidence before it, that no +action has to be taken to remove from the market drugs and cosmetics to +which the color additive was added on or before March 31, 1983. + (3) Certificates issued for D&C Orange No. 17, its lakes and all +mixtures containing this color additive are cancelled and have no effect +as pertains to its use in externally applied drugs and cosmetics after +July 15, 1988, and use of this color in the manufacture of externally +applied drugs or cosmetics after this date will result in adulteration. + (4) The agency finds, on the scientific evidence before it, that no +action has to be taken to remove from the market externally applied +drugs and cosmetics to which D&C Orange No. 17 was added on or before +July 15, 1988. + (u)(1) Certificates issued for FD&C Red No. 3 and all mixtures +containing this color additive are cancelled and have no effect as +pertains to their use in cosmetics and externally applied drugs after +January 29, 1990. Certificates issued for FD&C Red No. 3 lakes and all +mixtures containing these lakes are cancelled and have no effect as +pertains to their use in food, drugs, and cosmetics after January 29, +1990. Certificates issued for D&C Red No. 3 lakes and all mixtures +containing those lakes are cancelled and have no effect as pertains to +their use in drugs and cosmetics after January 29, 1990. Use of this +color additve in the manufacture of cosmetics and of externally applied +drugs and any use of the lakes of FD&C Red No. 3 (including the lakes of +D&C Red No. 3) after this date will result in adulteration. + (2) The agency finds, on the scientific evidence before it, that no +action must be taken to remove from the market food, drugs, and +cosmetics to which the provisionally listed color additive or its lakes +were added on or before January 29, 1990. + +[42 FR 15665, Mar. 22, 1977] + + Editorial Note: For Federal Register citations affecting Sec. +81.30, see the List of CFR Sections Affected, which appears in the +Finding Aids section of the printed volume and at www.fdsys.gov. + + + +Sec. 81.32 Limitation of certificates. + + Certificates issued for the color additives listed in Sec. 81.25 +and for all mixtures containing these color additives are limited to the +conditions stated in Sec. 81.25. The use of these color additives in +drugs and cosmetics in any other manner will result in adulteration. +Each of these color additives shall bear a label statement of the +tolerance and use limitations applicable to it. + +[44 FR 48966, Aug. 21, 1979] + + + +PART 82_LISTING OF CERTIFIED PROVISIONALLY LISTED COLORS AND +SPECIFICATIONS--Table of Contents + + + + Subpart A_General Provisions + +Sec. +82.3 Definitions. +82.5 General specifications for straight colors. +82.6 Certifiable mixtures. + + Subpart B_Foods, Drugs, and Cosmetics + +82.50 General. +82.51 Lakes (FD&C). +82.101 FD&C Blue No. 1. +82.102 FD&C Blue No. 2. +82.203 FD&C Green No. 3. +82.304 FD&C Red No. 4. +82.705 FD&C Yellow No. 5. +82.706 FD&C Yellow No. 6. + + Subpart C_Drugs and Cosmetics + +82.1050 General. +82.1051 Lakes (D&C). +82.1104 D&C Blue No. 4. +82.1205 D&C Green No. 5. +82.1206 D&C Green No. 6. +82.1254 D&C Orange No. 4. +82.1255 D&C Orange No. 5. +82.1260 D&C Orange No. 10. +82.1261 D&C Orange No. 11. +82.1306 D&C Red No. 6. +82.1307 D&C Red No. 7. +82.1317 D&C Red No. 17. +82.1321 D&C Red No. 21. +82.1322 D&C Red No. 22. +82.1327 D&C Red No. 27. +82.1328 D&C Red No. 28. +82.1330 D&C Red No. 30. +82.1331 D&C Red No. 31. +82.1333 D&C Red No. 33. +82.1334 D&C Red No. 34. +82.1336 D&C Red No. 36. +82.1602 D&C Violet No. 2. +82.1707 D&C Yellow No. 7. + +[[Page 505]] + +82.1708 D&C Yellow No. 8. +82.1710 D&C Yellow No. 10. + + Subpart D_Externally Applied Drugs and Cosmetics + +82.2050 General. +82.2051 Lakes (Ext. D&C). +82.2707a Ext. D&C Yellow No. 7. + + Authority: 21 U.S.C. 371, 379e, 379e note. + + Source: 42 FR 15669, Mar. 22, 1977, unless otherwise noted. + + + + Subpart A_General Provisions + + + +Sec. 82.3 Definitions. + + For the purposes of this part: + (a)-(f) [Reserved] + (g) The term alumina means a suspension in water of precipitated +aluminum hydroxide. + (h) The term blanc fixe means a suspension in water of precipitated +barium sulfate. + (i) The term gloss white means a suspension in water of co- +precipitated aluminum hydroxide and barium sulfate. + (j) The term mixed oxides means the sum of the quantities of +aluminum, iron, calcium, and magnesium (in whatever combination they may +exist in a coal-tar color) calculated as aluminum trioxide, ferric +oxide, calcium oxide, and magnesium oxide. + (k)-(m) [Reserved] + (n) The term externally applied drugs and cosmetics means drugs and +cosmetics which are applied only to external parts of the body and not +to the lips or any body surface covered by mucous membrane. + (o)-(p) [Reserved] + (q) The definitions and interpretations of terms contained in +section 201 of the Federal Food, Drug, and Cosmetic Act shall be +applicable also to such terms when used in this part. + + + +Sec. 82.5 General specifications for straight colors. + + No batch of a straight color listed in subpart B, C, or D shall be +certified under this part unless: + (a) It is free from all impurities (other than those named in +paragraph (b) of this section or in the specifications set forth in such +paragraph for such color) to the extent that such impurities can be +avoided by good manufacturing practice. + (b) It conforms to the following specifications: + (1) In the case of a straight color listed in subpart B: + (i) Lead (as Pb), not more than 0.001 percent. + (ii) Arsenic (as AsO), not more than 0.00014 +percent. + (iii) Heavy metals (except Pb and As) (by precipitation as +sulfides), not more than trace. + (2) In the case of a straight color listed in subpart C or D: + (i) Lead (as Pb), not more than 0.002 percent. + (ii) Arsenic (as AsO), not more than 0.0002 +percent. + (iii) Heavy metals (except Pb and As) (by precipitation as +sulfides), not more than 0.003 percent. + (3) In the case of a straight color which contains a barium salt +listed in subpart C or D--soluble barium (in dilute HCl) (as +BaCl), not more than 0.05 percent. + + +23232 +Sec. 82.6 Certifiable mixtures. + + (a) A batch of a mixture which contains no straight color listed in +subpart C or D may be certified for use in food, drugs and cosmetics, +if: + (1) Each coal-tar color used as an ingredient in mixing such batch +is from a previously certified batch and such color has not changed in +composition in any manner whatever since such previous certification, +except by mixing into such batch of mixture; + (2) Each diluent in such batch of mixture is harmless and suitable +for use therein; and + (3) No diluent (except resins, natural gum, pectin and, in the case +of mixtures which are aqueous solutions or aqueous pastes, sodium +benzoate in a quantity of not more than \1/10\ of 1 percent) in such +mixture is a nonnutritive substance, unless such mixture is for external +application to shell eggs, or for use in coloring a food specified in +the requests for certification of such batch submitted in accordance +with Sec. 80.21 of this chapter, and such diluent, in the usual process +of manufacturing such food, is removed and does not become a component +of such food. + (b) A batch of a mixture which contains no straight color listed in +subpart + +[[Page 506]] + +D, or which contains a diluent not permitted by paragraph (a)(3) of this +section, may be certified in accordance with the provisions of this +part, for use only in drugs and cosmetics, if: + (1) Each coal-tar color used as an ingredient in mixing such batch +is from a previously certified batch and such color has not changed in +composition in any manner whatever since such previous certification, +except by mixing into such batch of mixture. + (2) Each diluent in such batch of mixture is harmless and suitable +for use therein. + (c) A batch of a mixture which contains a straight color listed in +subpart D may be certified in accordance with the provisions of this +part, for use only in externally applied drugs and cosmetics, if: + (1) Each coal-tar color used as an ingredient in mixing such batch +is from a previously certified batch and such color has not changed in +composition in any manner whatever since such previous certification, +except by mixing into such batch of mixture; and + (2) Each diluent in such batch of mixture is harmless and suitable +for use therein. + + + + Subpart B_Foods, Drugs, and Cosmetics + + + +Sec. 82.50 General. + + A batch of a straight color listed in this subpart may be certified, +in accordance with the provisions of the regulations in this part, for +use in food, drugs, and cosmetics, if such batch conforms to the +requirements of Sec. 82.5 and to the specifications in this subpart set +forth for such color. + + + +Sec. 82.51 Lakes (FD&C). + + (a)(1) General. Any lake made by extending on a substratum of +alumina, a salt prepared from one of the certified water-soluble +straight colors hereinbefore listed in this subpart by combining such +color with the basic radical aluminum or calcium. + (2) Specifications. Prepared from previously certified colors listed +in this subpart. + +Soluble chlorides and sulfates (as sodium salts), not more than 2.0 +percent. +Inorganic matter, insoluble HCl, not more than 0.5 percent. + + (b) Each lake made as prescribed in paragraph (a) of this section +shall be considered to be a straight color and to be listed therein +under the name which is formed as follows: + (1) The listed name of the color from which the lake is prepared; + (2) The name of the basic radical combined in such color; and + (3) The word ``Lake''. + + +(For example, the name of a lake prepared by extending the aluminum salt +prepared from FD&C Blue No. 1 upon the substratum would be FD&C Blue No. +1--Aluminum Lake.) + + + +Sec. 82.101 FD&C Blue No. 1. + + The color additive FD&C Blue No. 1 shall conform in identity and +specifications to the requirements of Sec. 74.101(a)(1) and (b) of this +chapter. + + + +Sec. 82.102 FD&C Blue No. 2. + + The color additive FD&C Blue No. 2 shall conform in identity and +specifications to the requirements of Sec. 74.102(a)(1) and (b) of this +chapter. + +[48 FR 5261, Feb. 4, 1983] + + + +Sec. 82.203 FD&C Green No. 3. + + The color additive FD&C Green No. 3 shall conform in identity and +specifications to the requirements of Sec. 74.203(a)(1) and (b) of this +chapter. + +[47 FR 52144, Nov. 19, 1982] + + + +Sec. 82.304 FD&C Red No. 4. + + The color additive FD&C Red No. 4 shall conform in identity and +specifications to the requirements of Sec. 74.1304(a)(1) and (b) of +this chapter. FD&C Red No. 4 is restricted to use in externally applied +drugs and cosmetics. + + + +Sec. 82.705 FD&C Yellow No. 5. + + The color additive FD&C Yellow No. 5 shall conform in identity and +specifications to the requirements of Sec. 74.705 (a)(1) and (b) of +this chapter. + +[51 FR 24519, July 7, 1986] + + + +Sec. 82.706 FD&C Yellow No. 6. + + (a) The color additive FD&C Yellow No. 6 shall conform in identity +and + +[[Page 507]] + +specifications to the requirements of Sec. 74.706 (a)(1) and (b) of +this chapter. + (b) All lakes including current D&C external and D&C lakes of FD&C +Yellow No. 6 shall be manufactured from previously certified batches of +the straight color additive. + +[52 FR 21509, June 8, 1987] + + + + Subpart C_Drugs and Cosmetics + + + +Sec. 82.1050 General. + + A batch of a straight color listed in this subpart may be certified, +in accordance with the provisions of this part, for use only in drugs +and cosmetics, if such batch conforms to the requirements of Sec. 82.5 +and to the specifications set forth in this subpart for such color. + + + +Sec. 82.1051 Lakes (D&C). + + (a)(1) General. Any lake, other than those listed in subpart B, made +by extending on a substratum of alumina, blanc fixe, gloss white, clay, +titanium dioxide, zinc oxide, talc, rosin, aluminum benzoate, calcium +carbonate, or any combination of two or more of these, (i) one of the +straight colors (except lakes) listed in subpart B or hereinbefore +listed in this subpart, which color is a salt in which is combined the +basic radical sodium, potassium, aluminum, barium, calcium, strontium, +or zirconium; or (ii) a salt prepared from one of the straight colors +(except lakes) listed in subpart B, or hereinbefore listed in this +subpart, by combining such color with the basic radical sodium, +potassium, aluminum, barium, calcium, strontium, or zirconium. + (2) Specifications. + +Ether extracts, not more than 0.5 percent. +Soluble chlorides and sulfates (as sodium salts), not more than 3.0 +percent. +Intermediates, not more than 0.2 percent. + + (b) Each lake made as prescribed in paragraph (a) of this section +shall be considered to be a straight color and to be listed therein +under the name which is formed as follows: + (1) The listed name of the color from which the lake is prepared, +except that if such name contains the symbol ``FD&C'' such symbol shall +be changed to ``D&C''; + (2) The name of the basic radical combined in such color; and + (3) The word ``Lake.'' + +(For example, the name of a lake prepared by extending the color D&C Red +No. 9 upon a substratum is ``D&C Red No. 9--Barium Lake'', and a lake +prepared by extending the aluminum salt prepared from FD&C Green No. 1 +upon a substratum other than alumina is ``D&C Green No. 1--Aluminum +Lake''.) + + + +Sec. 82.1104 D&C Blue No. 4. + + The color additive D&C Blue No. 4 shall conform in identity and +specifications to the requirements of Sec. 74.1104(a)(1) and (b) of +this chapter. D&C Blue No. 4 is restricted to use in externally applied +drugs and cosmetics. + + + +Sec. 82.1205 D&C Green No. 5. + + The color additive D&C Green No. 5 shall conform in identity and +specifications to the requirements of Sec. 74.1205(a)(1) and (b)(2) of +this chapter. + +[47 FR 24285, June 4, 1982] + + + +Sec. 82.1206 D&C Green No. 6. + + The color additive D&C Green No. 6 shall conform in identity and +specifications to the requirements of Sec. 74.1206 (a) and (b) of this +chapter. D&C Green No. 6 is restricted to use in externally applied +drugs and cosmetics. + +[47 FR 14147, Apr. 2, 1982, as amended at 51 FR 9785, Mar. 21, 1986] + + + +Sec. 82.1254 D&C Orange No. 4. + + The color additive D&C Orange No. 4 shall conform in identity and +specifications to the requirements of Sec. 74.1254(a)(1) and (b) of +this chapter. D&C Orange No. 4 is restricted to use in externally +applied drugs and cosmetics. + +[42 FR 52396, Sept. 30, 1977] + + + +Sec. 82.1255 D&C Orange No. 5. + + (a) The color additive D&C Orange No. 5 shall conform in identity +and specifications to the requirements of Sec. 74.1255(a)(1) and (b) of +this chapter. D&C Orange No. 5 is restricted to the uses described in +this section. + (b) The color additive D&C Orange No. 5. may be safely used for +coloring externally applied drugs in amounts + +[[Page 508]] + +not exceeding 5 milligrams per daily dose of the drug. The color +additive D&C Orange No. 5 may be safely used for coloring lipsticks and +other cosmetics intended to be applied to the lips in amounts not +exceeding 5.0 percent by weight of the finished cosmetic products, and +for coloring mouthwashes, dentifrices, and externally applied cosmetics +in amounts consistent with current good manufacturing practice. + +[49 FR 13343, Apr. 4, 1984] + + + +Sec. 82.1260 D&C Orange No. 10. + + The color additive D&C Orange No. 10 shall conform in identity and +specifications to the requirements to Sec. 74.1260(a)(1) and (b) of +this chapter. D&C Orange No. 10 is restricted to use in externally +applied drugs and cosmetics. + +[46 FR 18954, Mar. 27, 1981] + + + +Sec. 82.1261 D&C Orange No. 11. + + The color additive D&C Orange No. 11 shall conform in identity and +specifications to the requirements of Sec. 74.1261(a)(1) and (b) of +this chapter. D&C Orange No. 11 is restricted to use in externally +applied drugs and cosmetics. + +[46 FR 18954, Mar. 27, 1981] + + + +Sec. 82.1306 D&C Red No. 6. + + (a) The color additive D&C Red No. 6 shall conform in identity and +specifications to the requirements of Sec. 74.1306 (a)(1) and (b) of +this chapter. + (b) The color additive D&C Red No. 6 may be safely used for coloring +drugs such that the combined total of D&C Red No. 6 and D&C Red No. 7 +does not exceed 5 milligrams per daily dose of the drug. + +[47 FR 57691, Dec. 28, 1982] + + + +Sec. 82.1307 D&C Red No. 7. + + (a) The color additive D&C Red No. 7 shall conform in identity and +specifications to the requirements of Sec. 74.1307 (a)(1) and (b) of +this chapter. + (b) The color additive D&C Red No. 7 may be safely used for coloring +drugs such that the combined total of D&C Red No. 6 and D&C Red No. 7 +does not exceed 5 milligrams per daily dose of the drug. + +[47 FR 57691, Dec. 28, 1982] + + + +Sec. 82.1317 D&C Red No. 17. + + The color additive D&C Red No. 17 shall conform in identity and +specifications to the requirements of Sec. 74.1317 (a)(1) and (b) of +this chapter. D&C Red No. 17 is restricted to use in externally applied +drugs and cosmetics. + + + +Sec. 82.1321 D&C Red No. 21. + + The color additive D&C Red No. 21 shall conform in identity and +specifications to the requirements of Sec. 74.1321 (a)(1) and (b) of +this chapter. + +[47 FR 53847, Nov. 30, 1982] + + + +Sec. 82.1322 D&C Red No. 22. + + The color additive D&C Red No. 22 shall conform in identity and +specifications to the requirements of Sec. 74.1322 (a)(1) and (b) of +this chapter. + +[47 FR 53847, Nov. 30, 1982] + + + +Sec. 82.1327 D&C Red No. 27. + + The color additive D&C Red No. 27 shall conform in identity and +specifications to the requirements of Sec. 74.1327 (a)(1) and (b) of +this chapter. + +[47 FR 42568, Sept. 28, 1982] + + + +Sec. 82.1328 D&C Red No. 28. + + The color additive D&C Red No. 28 shall conform in identity and +specifications to the requirements of Sec. 74.1328 (a)(1) and (b) of +this chapter. + +[47 FR 42568, Sept. 28, 1982] + + + +Sec. 82.1330 D&C Red No. 30. + + The color additive D&C Red No. 30 shall conform in identity and +specifications to the requirements of Sec. 74.1330 (a)(1) and (b) of +this chapter. + +[47 FR 22511, May 25, 1982] + + + +Sec. 82.1331 D&C Red No. 31. + + The color additive D&C Red No. 31 shall conform in identity and +specifications to the requirements of Sec. 74.1331(a)(1) and (b) of +this chapter. D&C Red No. 31 is restricted to use in externally applied +drugs and cosmetics. + +[[Page 509]] + + + +Sec. 82.1333 D&C Red No. 33. + + (a) The color additive D&C Red. No. 33 shall conform in identity and +specifications to the requirements of Sec. 74.1333(a) (1) and (b) of +this chapter. + (b) All lakes of D&C Red. No. 33 shall be manufactured from +previously certified batches of the straight color additive. + +[53 FR 33121, Aug. 30, 1988] + + + +Sec. 82.1334 D&C Red No. 34. + + Calcium salt of 3-hydroxy-4-[(1-sulfo-2 -naphthalenyl)azol-2- +naphthalenecarboxylic acid. + +Sum of volatile matter (at 135 [deg]C) and chlorides and sulfates +(calculated as sodium salts), not more than 15 percent. +2-Amino-1-naphthalenesulfonic acid, calcium salt, not more than 0.2 +percent. +3-Hydroxy-2-naphthoic acid, not more than 0.4 percent. +Subsidiary colors, not more than 4 percent. +Total color not less than 85 percent. + + + +Sec. 82.1336 D&C Red No. 36. + + (a) The color additive D&C Red No. 36 shall conform in identity and +specifications to the requirements of Sec. 74.1336 (a)(1) and (b) of +this chapter. + (b) All lakes of D&C Red No. 36 shall be manufactured from +previously certified batches of the straight color additive. + +[53 FR 29031, Aug. 2, 1988] + + + +Sec. 82.1602 D&C Violet No. 2. + + The color additive D&C Violet No. 2 shall conform in identity and +specifications to the requirements of Sec. 74.1602(a)(1) and (b) of +this chapter. + + + +Sec. 82.1707 D&C Yellow No. 7. + + The color additive D&C Yellow No. 7 shall conform in identity and +specifications to the requirements of Sec. 74.1707(a)(1) and (b) of +this chapter. D&C Yellow No. 7 is restricted to use in externally +applied drugs and cosmetics. + + + +Sec. 82.1708 D&C Yellow No. 8. + + The color additive D&C Yellow No. 8 shall conform in identity and +specifications to the requirements of Sec. 74.1707(a)(1) and (b) of +this chapter. D&C Yellow No. 8 is restricted to use in externally +applied drugs and cosmetics. + + + +Sec. 82.1710 D&C Yellow No. 10. + + The color additive D&C Yellow No. 10 shall conform in identity and +specifications to the requirements of Sec. 74.1710(a)(1) and (b) of +this chapter. + +[48 FR 39220, Aug. 30, 1983] + + + + Subpart D_Externally Applied Drugs and Cosmetics + + + +Sec. 82.2050 General. + + A batch of a straight color listed in this subpart may be certified, +in accordance with the provisions of this part, for use in externally +applied drugs and cosmetics, if such batch conforms to the requirements +of Sec. 82.5 and to the specifications set forth in this subpart for +such color. + + + +Sec. 82.2051 Lakes (Ext. D&C). + + (a)(1) General. Any lake made by extending on a substratum of +alumina, blanc fixe, gloss white, clay, titanium dioxide, zinc oxide, +talc, rosin, aluminum benzoate, calcium carbonate, or on any combination +of two or more of these (i) one of the straight colors hereinbefore +listed in this subpart, which color is a salt in which is combined the +basic radical sodium, potassium, barium, or calcium; or (ii) a salt +prepared from one of the straight colors hereinbefore listed in this +subpart by combining such color with the basic radical sodium, +potassium, aluminum, barium, calcium, strontium, or zirconium. + (2) Specifications. + +Ether extracts, not more than 0.5 percent. +Soluble chlorides and sulfates (as sodium salts), not more than 3.0 +percent. +Intermediates, not more than 0.2 percent. + + (b) Each lake made as prescribed in paragraph (a) of this section +shall be considered to be a straight color and to be listed therein +under the name which is formed as follows: + (1) The listed name of the color from which the lake is prepared; + (2) The name of the basic radical combined in such color; and + (3) The word ``Lake.'' (For example, the name of a lake prepared by +extending the color Ext. D&C Yellow No. 2 upon a substratum is ``Ext. +D&C Yellow No. 2--Calcium Lake,'' and a lake + +[[Page 510]] + +prepared by extending the barium salt prepared from Ext. D&C Red No. 2 +upon the substratum is ``Ext. D&C Red No. 2--Barium Lake.'') + + + +Sec. 82.2707a Ext. D&C Yellow No. 7. + + The color additive Ext. D&C Yellow No. 7 shall conform in identity +with specifications to the requirements of Sec. 74.1707a(a)(1) and (b) +of this chapter. Ext. D&C Yellow No. 7 is restricted to use in +externally applied drugs and cosmetics. + + PARTS 83 98 [RESERVED] + + + +PART 99_DISSEMINATION OF INFORMATION ON UNAPPROVED/NEW USES FOR +MARKETED DRUGS, BIOLOGICS, AND DEVICES--Table of Contents + + + + Subpart A_General Information + +Sec. +99.1 Scope. +99.3 Definitions. + + Subpart B_Information To Be Disseminated + +99.101 Information that may be disseminated. +99.103 Mandatory statements and information. +99.105 Recipients of information. + + Subpart C_Manufacturer's Submissions, Requests, and Applications + +99.201 Manufacturer's submission to the agency. +99.203 Request to extend the time for completing planned studies. +99.205 Application for exemption from the requirement to file a + supplemental application. + + Subpart D_FDA Action on Submissions, Requests, and Applications + +99.301 Agency action on a submission. +99.303 Extension of time for completing planned studies. +99.305 Exemption from the requirement to file a supplemental + application. + + Subpart E_Corrective Actions and Cessation of Dissemination + +99.401 Corrective actions and cessation of dissemination of information. +99.403 Termination of approvals of applications for exemption. +99.405 Applicability of labeling, adulteration, and misbranding + authority. + + Subpart F_Recordkeeping and Reports + +99.501 Recordkeeping and reports. + + Authority: 21 U.S.C. 321, 331, 351, 352, 355, 360, 360c, 360e, +360aa-360aaa-6, 371, and 374; 42 U.S.C. 262. + + Source: 63 FR 64581, Nov. 20, 1998, unless otherwise noted. + + + + Subpart A_General Information + + + +Sec. 99.1 Scope. + + (a) This part applies to the dissemination of information on human +drugs, including biologics, and devices where the information to be +disseminated: + (1) Concerns the safety, effectiveness, or benefit of a use that is +not included in the approved labeling for a drug or device approved by +the Food and Drug Administration for marketing or in the statement of +intended use for a device cleared by the Food and Drug Administration +for marketing; and + (2) Will be disseminated to a health care practitioner, pharmacy +benefit manager, health insurance issuer, group health plan, or Federal +or State Government agency. + (b) This part does not apply to a manufacturer's dissemination of +information that responds to a health care practitioner's unsolicited +request. + + + +Sec. 99.3 Definitions. + + (a) Agency or FDA means the Food and Drug Administration. + (b) For purposes of this part, a clinical investigation is an +investigation in humans that tests a specific clinical hypothesis. + (c) Group health plan means an employee welfare benefit plan (as +defined in section 3(1) of the Employee Retirement Income Security Act +of 1974 (29 U.S.C. 1002(1))) to the extent that the plan provides +medical care (as defined in paragraphs (c)(1) through (c)(3) of this +section and including items and services paid for as medical care) to +employees or their dependents (as defined under the terms of the plan) +directly or through insurance, reimbursement, or otherwise. For purposes +of this part, the term medical care means: + +[[Page 511]] + + (1) Amounts paid for the diagnosis, cure, mitigation, treatment, or +prevention of disease, or amounts paid for the purpose of affecting any +structure or function of the body; + (2) Amounts paid for transportation primarily for and essential to +medical care referred to in paragraph (c)(1) of this section; and + (3) Amounts paid for insurance covering medical care referred to in +paragraphs (c)(1) and (c)(2) of this section. + (d) Health care practitioner means a physician or other individual +who is a health care provider and licensed under State law to prescribe +drugs or devices. + (e) Health insurance issuer means an insurance company, insurance +service, or insurance organization (including a health maintenance +organization, as defined in paragraph (e)(2) of this section) which is +licensed to engage in the business of insurance in a State and which is +subject to State law which regulates insurance (within the meaning of +section 514(b)(2) of the Employee Retirement Income Security Act of 1974 +(29 U.S.C. 1144(b)(2))). + (1) Such term does not include a group health plan. + (2) For purposes of this part, the term health maintenance +organization means: + (i) A Federally qualified health maintenance organization (as +defined in section 1301(a) of the Public Health Service Act (42 U.S.C. +300e(a))); + (ii) An organization recognized under State law as a health +maintenance organization; or + (iii) A similar organization regulated under State law for solvency +in the same manner and to the same extent as such a health maintenance +organization. + (f) Manufacturer means a person who manufactures a drug or device or +who is licensed by such person to distribute or market the drug or +device. For purposes of this part, the term may also include the sponsor +of the approved, licensed, or cleared drug or device. + (g) New use means a use that is not included in the approved +labeling of an approved drug or device, or a use that is not included in +the statement of intended use for a cleared device. + (h) Pharmacy benefit manager means a person or entity that has, as +its principal focus, the implementation of one or more device and/or +prescription drug benefit programs. + (i) A reference publication is a publication that: + (1) Has not been written, edited, excerpted, or published +specifically for, or at the request of, a drug or device manufacturer; + (2) Has not been edited or significantly influenced by such a +manufacturer; + (3) Is not solely distributed through such a manufacturer, but is +generally available in bookstores or other distribution channels where +medical textbooks are sold; + (4) Does not focus on any particular drug or device of a +manufacturer that disseminates information under this part and does not +have a primary focus on new uses of drugs or devices that are marketed +or are under investigation by a manufacturer supporting the +dissemination of information; and + (5) Does not present materials that are false or misleading. + (j) Scientific or medical journal means a scientific or medical +publication: + (1) That is published by an organization that has an editorial +board, that uses experts who have demonstrated expertise in the subject +of an article under review by the organization and who are independent +of the organization, to review and objectively select, reject, or +provide comments about proposed articles, and that has a publicly stated +policy, to which the organization adheres, of full disclosure of any +conflict of interest or biases for all authors or contributors involved +with the journal or organization; + (2) Whose articles are peer-reviewed and published in accordance +with the regular peer-review procedures of the organization; + (3) That is generally recognized to be of national scope and +reputation; + (4) That is indexed in the Index Medicus of the National Library of +Medicine of the National Institutes of Health; and + (5) That is not in the form of a special supplement that has been +funded in whole or in part by one or more manufacturers. + (k) Supplemental application means: + +[[Page 512]] + + (1) For drugs, a supplement to support a new use to an approved new +drug application; + (2) For biologics, a supplement to an approved license application; + (3) For devices that are the subject of a cleared 510(k) submission +and devices that are exempt from the 510(k) process, a new 510(k) +submission to support a new use or, for devices that are the subject of +an approved premarket approval application, a supplement to support a +new use to an approved premarket approval application. + + + + Subpart B_Information To Be Disseminated + + + +Sec. 99.101 Information that may be disseminated. + + (a) A manufacturer may disseminate written information concerning +the safety, effectiveness, or benefit of a use not described in the +approved labeling for an approved drug or device or in the statement of +intended use for a cleared device, provided that the manufacturer +complies with all other relevant requirements under this part. Such +information shall: + (1) Be about a drug or device that has been approved, licensed, or +cleared for marketing by FDA; + (2) Be in the form of: + (i) An unabridged reprint or copy of an article, peer-reviewed by +experts qualified by scientific training or experience to evaluate the +safety or effectiveness of the drug or device involved, which was +published in a scientific or medical journal. In addition, the article +must be about a clinical investigation with respect to the drug or +device and must be considered to be scientifically sound by the experts +described in this paragraph; or + (ii) An unabridged reference publication that includes information +about a clinical investigation with respect to the drug or device, which +experts qualified by scientific training or experience to evaluate the +safety or effectiveness of the drug or device that is the subject of the +clinical investigation would consider to be scientifically sound; + (3) Not pose a significant risk to the public health; + (4) Not be false or misleading. FDA may consider information +disseminated under this part to be false or misleading if, among other +things, the information includes only favorable publications when +unfavorable publications exist or excludes articles, reference +publications, or other information required under Sec. 99.103(a)(4) or +the information presents conclusions that clearly cannot be supported by +the results of the study; and + (5) Not be derived from clinical research conducted by another +manufacturer unless the manufacturer disseminating the information has +the permission of such other manufacturer to make the dissemination. + (b) For purposes of this part: + (1) FDA will find that all journal articles and reference +publications (as those terms are defined in Sec. 99.3) are +scientifically sound except: + (i) Letters to the editor; + (ii) Abstracts of a publication; + (iii) Those regarding Phase 1 trials in healthy people; + (iv) Flagged reference publications that contain little or no +substantive discussion of the relevant clinical investigation; and + (v) Those regarding observations in four or fewer people that do not +reflect any systematic attempt to collect data, unless the manufacturer +demonstrates to FDA that such reports could help guide a physician in +his/her medical practice. + (2) A reprint or copy of an article or reference publication is +``unabridged'' only if it retains the same appearance, form, format, +content, or configuration as the original article or publication. Such +reprint, copy of an article, or reference publication shall not be +disseminated with any information that is promotional in nature. A +manufacturer may cite a particular discussion about a new use in a +reference publication in the explanatory or other information attached +to or otherwise accompanying the reference publication under Sec. +99.103. + + + +Sec. 99.103 Mandatory statements and information. + + (a) Any information disseminated under this part shall include: + (1) A prominently displayed statement disclosing: + +[[Page 513]] + + (i) For a drug, ``This information concerns a use that has not been +approved by the Food and Drug Administration.'' For devices, the +statement shall read, ``This information concerns a use that has not +been approved or cleared by the Food and Drug Administration.'' If the +information to be disseminated includes both an approved and unapproved +use or uses or a cleared and uncleared use or uses, the manufacturer +shall modify the statement to identify the unapproved or uncleared new +use or uses. The manufacturer shall permanently affix the statement to +the front of each reprint or copy of an article from a scientific or +medical journal and to the front of each reference publication +disseminated under this part; + (ii) If applicable, the information is being disseminated at the +expense of the manufacturer; + (iii) If applicable, the names of any authors of the information who +were employees of, or consultants to, or received compensation from the +manufacturer, or who had a significant financial interest in the +manufacturer during the time that the study that is the subject of the +dissemination was conducted up through 1 year after the time the +article/reference publication was written and published; + (iv) If applicable, a statement that there are products or +treatments that have been approved or cleared for the use that is the +subject of the information being disseminated; and + (v) The identification of any person that has provided funding for +the conduct of a study relating to the new use of a drug or device for +which such information is being disseminated; and + (2) The official labeling for the drug or device; + (3) A bibliography of other articles (that concern reports of +clinical investigations both supporting and not supporting the new use) +from a scientific reference publication or scientific or medical journal +that have been previously published about the new use of the drug or +device covered by the information that is being disseminated, unless the +disseminated information already includes such a bibliography; and + (4) Any additional information required by FDA under Sec. +99.301(a)(2). Such information shall be attached to the front of the +disseminated information or, if attached to the back of the disseminated +information, its presence shall be made known to the reader by a sticker +or notation on the front of the disseminated information and may consist +of: + (i) Objective and scientifically sound information pertaining to the +safety or effectiveness of the new use of the drug or device and which +FDA determines is necessary to provide objectivity and balance. This may +include information that the manufacturer has submitted to FDA or, where +appropriate, a summary of such information and any other information +that can be made publicly available; and + (ii) An objective statement prepared by FDA, based on data or other +scientifically sound information, bearing on the safety or effectiveness +of the new use of the drug or device. + (b) Except as provided in paragraphs (a)(1)(i) and (a)(4) of this +section, the statements, bibliography, and other information required by +this section shall be attached to such disseminated information. + (c) For purposes of this section, factors to be considered in +determining whether a statement is ``prominently displayed'' may +include, but are not limited to, type size, font, layout, contrast, +graphic design, headlines, spacing, and any other technique to achieve +emphasis or notice. The required statements shall be outlined, boxed, +highlighted, or otherwise graphically designed and presented in a manner +that achieves emphasis or notice and is distinct from the other +information being disseminated. + + + +Sec. 99.105 Recipients of information. + + A manufacturer disseminating information on a new use under this +part may only disseminate that information to a health care +practitioner, a pharmacy benefit manager, a health insurance issuer, a +group health plan, or a Federal or State Government agency. + +[[Page 514]] + + + + Subpart C_Manufacturer's Submissions, Requests, and Applications + + + +Sec. 99.201 Manufacturer's submission to the agency. + + (a) Sixty days before disseminating any written information +concerning the safety, effectiveness, or benefit of a new use for a drug +or device, a manufacturer shall submit to the agency: + (1) An identical copy of the information to be disseminated, +including any information (e.g., the bibliography) and statements +required under Sec. 99.103; + (2) Any other clinical trial information which the manufacturer has +relating to the effectiveness of the new use, any other clinical trial +information that the manufacturer has relating to the safety of the new +use, any reports of clinical experience pertinent to the safety of the +new use, and a summary of such information. For purposes of this part, +clinical trial information includes, but is not limited to, published +papers and abstracts, even if not intended for dissemination, and +unpublished manuscripts, abstracts, and data analyses from completed or +ongoing investigations. The reports of clinical experience required +under this paragraph shall include case studies, retrospective reviews, +epidemiological studies, adverse event reports, and any other material +concerning adverse effects or risks reported for or associated with the +new use. If the manufacturer has no knowledge of clinical trial +information relating to the safety or effectiveness of the new use or +reports of clinical experience pertaining to the safety of the new use, +the manufacturer shall provide a statement to that effect; + (3) An explanation of the manufacturer's method of selecting the +articles for the bibliography (e.g., the databases or sources and +criteria (i.e., subject headings/keywords) used to generate the +bibliography and the time period covered by the bibliography); and + (4) If the manufacturer has not submitted a supplemental application +for the new use, one of the following: + (i) If the manufacturer has completed studies needed for the +submission of a supplemental application for the new use: + (A) A copy of the protocol for each completed study or, if such +protocol was submitted to an investigational new drug application or an +investigational device exemption, the number(s) for the investigational +new drug application or investigational device exemption covering the +new use, the date of submission of the protocol(s), the protocol +number(s), and the date of any amendments to the protocol(s); and + (B) A certification stating that, ``On behalf of [insert +manufacturer's name], I certify that [insert manufacturer's name] has +completed the studies needed for the submission of a supplemental +application for [insert new use] and will submit a supplemental +application for such new use to the Food and Drug Administration no +later than [insert date no later than 6 months from date that +dissemination of information under this part can begin]''; or + (ii) If the manufacturer has planned studies that will be needed for +the submission of a supplemental application for the new use: + (A) The proposed protocols and schedule for conducting the studies +needed for the submission of a supplemental application for the new use. +The protocols shall comply with all applicable requirements in parts 312 +of this chapter (investigational new drug applications) and 812 of this +chapter (investigational device exemptions). The schedule shall include +the projected dates on which the manufacturer expects the principal +study events to occur (e.g., initiation and completion of patient +enrollment, completion of data collection, completion of data analysis, +and submission of the supplemental application); and + (B) A certification stating that, ``On behalf of [insert +manufacturer's name], I certify that [insert manufacturer's name] will +exercise due diligence to complete the clinical studies necessary to +submit a supplemental application for [insert new use] and will submit a +supplemental application for such new use to the Food and Drug +Administration no later than [insert date no later than 36 months from +date that dissemination of information under this part can begin or no +later than such time period as FDA may specify pursuant to + +[[Page 515]] + +an extension granted under Sec. 99.303(a)];'' or + (iii) An application for exemption from the requirement of a +supplemental application; or + (5) If the manufacturer has submitted a supplemental application for +the new use, a cross-reference to that supplemental application. + (b) The manufacturer's attorney, agent, or other authorized official +shall sign the submission and certification statement or application for +exemption. If the manufacturer does not have a place of business in the +United States, the submission and certification statement or application +for exemption shall contain the signature, name, and address of the +manufacturer's attorney, agent, or other authorized official who resides +or maintains a place of business in the United States. + (c) The manufacturer shall send three copies of the submission and +certification statement or application for exemption to FDA. The outside +of the shipping container shall be marked as ``Submission for the +Dissemination of Information on an Unapproved/New Use.'' The +manufacturer shall send the submission and certification statement or +application for exemption to the appropriate FDA component listed in +paragraphs (c)(1) through (c)(3) of this section. + (1) For biological products and devices regulated by the Food and +Drug Administration, Center for Biologics Evaluation and Research, +Document Control Center, 10903 New Hampshire Ave., Bldg. 71, Rm. G112, +Silver Spring, MD 20993-0002; + (2) For human drug products, biological products, and devices +regulated by the Center for Drug Evaluation and Research, the Division +of Drug Marketing, Advertising, and Communications (HFD-42), Center for +Drug Evaluation and Research, Food and Drug Administration, 5600 Fishers +Lane, Rockville, MD 20857; or + (3) For medical devices, the Promotion and Advertising Policy Staff +(HFZ-302), Office of Compliance, Center for Devices and Radiological +Health, Food and Drug Administration, 2098 Gaither Rd., Rockville, MD +20850. + (d) The 60-day period shall begin when FDA receives a manufacturer's +submission, including, where applicable, a certification statement or an +application for an exemption. + +[63 FR 64581, Nov. 20, 1998, as amended at 70 FR 14980, Mar. 24, 2005; +80 FR 18090, Apr. 3, 2015] + + + +Sec. 99.203 Request to extend the time for completing planned studies. + + (a) A manufacturer may request, prior to or at the time of making a +submission to FDA under Sec. 99.201, that FDA extend the 36-month time +period for completing the studies and submitting a supplemental +application for the new use that is the subject of the information to be +disseminated. Such request must set forth the reasons that such studies +cannot be completed and submitted in a supplemental application within +36 months. + (b) A manufacturer who has certified that it will complete the +studies necessary to submit a supplemental application for a new use +within a specified period of time from the date that dissemination of +information under this part can begin under Sec. 99.201(a)(4)(ii), but +later finds that it will be unable to complete such studies and submit a +supplemental application within that time period may request an +extension of time from FDA. The manufacturer, in its request for +extension, shall identify the product, the new use, and shall: + (1) Describe the study or studies that cannot be completed on time +and explain why the study or studies cannot be completed on time; + (2) Describe the current status of the incomplete study or studies +and summarize the work conducted, including the dates on which principal +events concerning the study or studies occurred; and + (3) Estimate the additional time needed to complete the studies and +submit a supplemental application. The requested extension shall not +exceed an additional 24 months. + (c) The manufacturer shall send three copies of the request for +extension to the same FDA office that received the manufacturer's +initial submission and certification statement. The outside of + +[[Page 516]] + +the envelope shall be marked as ``Request for Time Extension-- +Dissemination of Information on an Unapproved Use.'' + + + +Sec. 99.205 Application for exemption from the requirement to +file a supplemental application. + + (a) In certain circumstances, described in paragraph (b) of this +section, a manufacturer may submit an application for an exemption from +the requirement to submit a supplemental application for a new use for +purposes of disseminating information on that use. + (b) The manufacturer's application for an exemption shall identify +the basis for the proposed exemption and shall include materials +demonstrating that it would be economically prohibitive or that it would +be unethical to conduct the studies necessary to submit a supplemental +application for the new use. + (1) If the basis for the manufacturer's application for exemption is +that it would be economically prohibitive to incur the costs necessary +to submit a supplemental application for a new use, the manufacturer +shall, at a minimum, provide: + (i) Evidence explaining why existing data characterizing the safety +and effectiveness of the drug or device, including data from the study +described in the information to be disseminated, are not adequate to +support the submission of a supplemental application for the new use. +Such evidence shall include an analysis of all data relevant to the +safety and effectiveness of the use, a summary of those data, and any +documentation resulting from prior discussions with the agency +concerning the adequacy of the existing data; and + (ii) Evidence demonstrating that the cost of the study or studies +for the new use reasonably exceeds the expected revenue from the new use +minus the costs of goods sold and marketing and administrative expenses +attributable to the new use of the product. Such evidence shall include: + (A) A description of the additional studies that the manufacturer +believes are necessary to support the submission of a supplemental +application for the new use, including documentation from prior +discussions, if any, with the agency concerning the studies that would +be needed, and an estimate of the projected costs for such studies; + (B) The expected patient population for the new use; + (C) The expected revenue for the new use, including an explanation +of the price at which the drug or device will be sold; + (D) Any exclusivity for the drug or device for the new use; and + (E) Any other information that the manufacturer has showing that +conducting the studies on the new use would be economically prohibitive; +and + (iii) An attestation by a responsible individual of the manufacturer +or an individual acting on the manufacturer's behalf verifying that the +estimates included with the submission are accurate and were prepared in +accordance with generally accepted accounting procedures. The data +underlying and supporting the estimates shall be made available to FDA +upon request. Alternatively, a manufacturer may submit a report of an +independent certified public accountant in accordance with the Statement +of Standards for Attestation established by the American Institute of +Certified Public Accountants and agreed upon procedures performed with +respect to the estimates submitted under this section. + (2) If the basis for the manufacturer's application for exemption is +that it would be unethical to conduct the studies necessary for the +supplemental application for a new use, the manufacturer shall provide +evidence: + (i) Explaining why existing data characterizing the safety and +effectiveness of the drug or device, including data from the study +described in the information to be disseminated, are not adequate to +support the submission of a supplemental application for the new use. +Such evidence shall include an analysis of all data relevant to the +safety and effectiveness of the new use, a summary of those data, and +any documentation resulting from prior discussions with the agency +concerning the adequacy of the existing data; and + (ii) Explaining why it would be unethical to conduct the further +studies that would be necessary for the approval of the new use. Such +evidence shall establish that, notwithstanding + +[[Page 517]] + +the insufficiency of available data to support the submission of a +supplemental application for the new use, the data are persuasive to the +extent that withholding the drug or device in a controlled study (e.g., +by providing no therapy, a placebo, an alternative therapy, or an +alternative dose) would pose an unreasonable risk of harm to human +subjects. In assessing the appropriateness of conducting studies to +support the new use, the manufacturer may provide evidence showing that +the new use is broadly accepted as current standard medical treatment or +therapy. The manufacturer shall also address the possibility of +conducting studies in different populations or of modified design (e.g., +adding the new therapy to existing treatments or using an alternative +dose if monotherapy studies could not be conducted). + + + + Subpart D_FDA Action on Submissions, Requests, and Applications + + + +Sec. 99.301 Agency action on a submission. + + (a) Submissions. Within 60 days after receiving a submission under +this part, FDA may: + (1) Determine that the manufacturer does not comply with the +requirements under this part and that, as a result, the manufacturer +shall not disseminate any information under this part; + (2) After providing the manufacturer notice and an opportunity for a +meeting, determine that the information submitted regarding a new use +fails to provide data, analyses, or other written matter that is +objective and balanced and: + (i) Require the manufacturer to disseminate additional information, +including information that the manufacturer has submitted to FDA or, +where appropriate, a summary of such information or any other +information that can be made publicly available, which, in the agency's +opinion: + (A) Is objective and scientifically sound; + (B) Pertains to the safety or effectiveness of the new use; and + (C) Is necessary to provide objectivity and balance; and + (ii) Require the manufacturer to disseminate an objective statement +prepared by FDA that is based on data or other scientifically sound +information available to the agency and bears on the safety or +effectiveness of the drug or device for the new use; and + (3) Require the manufacturer to maintain records that will identify +individual recipients of the information that is to be disseminated when +such individual records are warranted due to special safety +considerations associated with the new use. + (b) Protocols/Studies. Within 60 days after receiving a submission +under this part, FDA shall: + (1) If the manufacturer has planned studies that will be needed for +the submission of a supplemental application for the new use, review the +manufacturer's proposed protocols and schedule for completing such +studies and determine whether the proposed protocols are adequate and +whether the proposed schedule for completing the studies is reasonable. +FDA shall notify the manufacturer of its determination; or + (2) If the manufacturer has completed studies that the manufacturer +believes would be an adequate basis for the submission of a supplemental +application for the new use, conduct a review of the protocols submitted +for such studies to determine whether they are adequate. FDA shall +notify the manufacturer of its determination. + + + +Sec. 99.303 Extension of time for completing planned studies. + + (a) Upon review of a drug or device manufacturer's proposed +protocols and schedules for conducting studies needed for the submission +of a supplemental application for a new use, FDA may, with or without a +request for an extension from the manufacturer, determine that such +studies cannot be completed and submitted within 36 months. The agency +may exercise its discretion in extending the time period for completing +the studies and submitting a supplemental application. Extensions under +this paragraph are not subject to any time limit, but shall be made +before the manufacturer begins the studies needed for the submission of +a supplemental application for the new use. + +[[Page 518]] + + (b) The manufacturer may, after beginning the studies needed for the +submission of a supplemental application for a new use, request in +writing that FDA extend the time period for conducting studies needed +for the submission of a supplemental application for a new use and +submitting a supplemental application to FDA. FDA may grant or deny the +request or, after consulting the manufacturer, grant an extension +different from that requested by the manufacturer. FDA may grant a +manufacturer's request for an extension if FDA determines that the +manufacturer has acted with due diligence to conduct the studies needed +for the submission of a supplemental application for a new use and to +submit such a supplemental application to FDA in a timely manner and +that, despite such actions, the manufacturer needs additional time to +complete the studies and submit the supplemental application. Extensions +under this paragraph shall not exceed 24 months. + (c) If FDA extends the time period for completing the studies and +submitting a supplemental application under paragraph (a) of this +section after the manufacturer has submitted a certification under Sec. +99.201(a)(4)(ii)(B), or if FDA grants a manufacturer's request for an +extension under paragraph (b) of this section, the manufacturer shall +submit a new certification under Sec. 99.201(a)(4)(ii)(B) that sets +forth the timeframe within which clinical studies will be completed and +a supplemental application will be submitted to FDA. + + + +Sec. 99.305 Exemption from the requirement to file a supplemental +application. + + (a) Within 60 days after receipt of an application for an exemption +from the requirement of a supplemental application, FDA shall approve or +deny the application. + (1) If FDA does not act on the application for an exemption within +the 60-day period, the application for an exemption shall be deemed to +be approved. + (2) If an application for an exemption is deemed to be approved, FDA +may, at any time, terminate such approval if it determines that the +requirements for granting an exemption have not been met. FDA shall +notify the manufacturer if the approval is terminated. + (b) In reviewing an application for an exemption, FDA shall consider +the materials submitted by the manufacturer and may consider any other +appropriate information, including, but not limited to, any pending or +previously approved applications for exemption submitted by the +manufacturer. + (c) FDA may grant an application for an exemption if FDA determines +that: + (1) It would be economically prohibitive for the manufacturer to +incur the costs necessary to submit a supplemental application for a new +use, which at a minimum requires: + (i) That existing data characterizing the safety and effectiveness +of the drug or device, including data from the study described in the +information to be disseminated are not adequate to support the +submission of a supplemental application for the new use; and + (ii) That the cost of the study or studies for the new use +reasonably exceeds the expected revenue from the new use minus the cost +of goods sold and marketing and administrative expenses attributable to +the new use of the product, and there are not less expensive ways to +obtain the needed information; or + (2) It would be unethical to conduct clinical studies needed to +support the submission of a supplemental application for the new use +because: + (i) Existing data characterizing the safety and effectiveness of the +drug or device, including data from the study described in the +information to be disseminated are not adequate to support the +submission of a supplemental application for the new use; and + (ii) Although available evidence would not support the submission of +a supplemental application for the new use, the data are persuasive to +the extent that withholding the drug or device in a controlled study +would pose an unreasonable risk of harm to human subjects and no studies +in different populations or of modified design can be utilized. In +determining whether it would be unethical to conduct clinical studies, +the agency shall consider, in addition to the persuasiveness of +available evidence of effectiveness, whether + +[[Page 519]] + +the new use of the drug or device is broadly accepted as current +standard medical treatment or therapy. + + + + Subpart E_Corrective Actions and Cessation of Dissemination + + + +Sec. 99.401 Corrective actions and cessation of dissemination of +information. + + (a) FDA actions based on post dissemination data. If FDA receives +data after a manufacturer has begun disseminating information on a new +use and, based on that data, determines that the new use that is the +subject of information disseminated under this part may not be effective +or may present a significant risk to public health, FDA shall consult +the manufacturer and, after such consultation, take appropriate action +to protect the public health. Such action may include ordering the +manufacturer to cease disseminating information on the new use and to +take appropriate corrective action. + (b) FDA actions based on information disseminated by a manufacturer. +If FDA determines that a manufacturer is disseminating information that +does not comply with the requirements under this part, FDA may: + (1) Provide to the manufacturer an opportunity to bring itself into +compliance with the requirements under this part if the manufacturer's +noncompliance constitutes a minor violation of these requirements; or + (2) Order the manufacturer to cease dissemination of information and +to take corrective action. FDA shall issue such an order only after it +has: + (i) Provided notice to the manufacturer regarding FDA's intent to +issue an order to cease dissemination; and + (ii) Provided to the manufacturer an opportunity for a meeting. FDA +need not provide an opportunity for a meeting if the manufacturer +certified that it will submit a supplemental application for the new use +within 6 months of the date that dissemination can begin and the +noncompliance involves a failure to submit such supplemental +application. + (c) FDA actions based on a manufacturer's supplemental application. +FDA may order a manufacturer to cease disseminating information under +this part and to take corrective action if: + (1) In the case of a manufacturer that has submitted a supplemental +application for the new use, FDA determines that the supplemental +application does not contain adequate information for approval of the +new use; + (2) In the case of a manufacturer that has certified that it will +submit a supplemental application for the new use within 6 months, the +manufacturer has not, within the 6-month period, submitted a +supplemental application for the new use; + (3) In the case of a manufacturer that has certified that it will +submit a supplemental application for the new use within 36 months or +within such time as FDA has determined to be appropriate under Sec. +99.303(a) or (b), such manufacturer has not submitted the supplemental +application within the certified time, or FDA, after an informal +hearing, has determined that the manufacturer is not acting with due +diligence to initiate or complete the studies necessary to support a +supplemental application for the new use; or + (4) In the case of a manufacturer that has certified that it will +submit a supplemental application for the new use within 36 months or +within such time as FDA has determined to be appropriate under Sec. +99.303(a) or (b), the manufacturer has discontinued or terminated the +clinical studies that would be necessary to support a supplemental +application for a new use. + (d) Effective date of orders to cease dissemination. An order to +cease dissemination of information shall be effective upon date of +receipt by the manufacturer, unless otherwise stated in such order. + (e) Cessation of dissemination by a noncomplying manufacturer. A +manufacturer that begins to disseminate information in compliance with +this part, but subsequently fails to comply with this part, shall +immediately cease disseminating information under this part. A +manufacturer that discontinues, terminates, or fails to conduct with due +diligence clinical studies that it certified it would complete under +Sec. 99.201(a)(4)(ii) shall be deemed not in compliance with this part. +A manufacturer shall notify FDA immediately if + +[[Page 520]] + +it ceases dissemination under this paragraph. + + + +Sec. 99.403 Termination of approvals of applications for exemption. + + (a) FDA may, at any time, terminate the approval of an application +for an exemption from the requirement to file a supplemental application +if: + (1) The application for an exemption had been deemed to be approved +because the agency had not acted on the application within 60 days after +its receipt by FDA; + (2) The manufacturer is disseminating written information on the new +use; and + (3) FDA determines that it would be economically and ethically +possible for the manufacturer to conduct the clinical studies needed to +submit a supplemental application for the new use. + (b) If FDA terminates a deemed approval of an application for an +exemption under paragraph (a) of this section, FDA also may: + (1) Order the manufacturer to cease disseminating information; and + (2) Order the manufacturer to take action to correct the information +that has been disseminated if FDA determines that the new use described +in the disseminated information would pose a significant risk to public +health. + (c) FDA shall notify the manufacturer if it terminates the deemed +approval of an application for an exemption under paragraph (a) of this +section. If FDA also issues an order to cease dissemination of +information, the manufacturer shall comply with the order no later than +60 days after its receipt. + (d) FDA may, at any time, terminate the approval of an application +for an exemption from the requirement to file a supplemental application +for a new use if, after consulting with the manufacturer that was +granted such exemption, FDA determines that the manufacturer no longer +meets the requirements for an exemption on the basis that it is +economically prohibitive or unethical to conduct the studies needed to +submit a supplemental application for the new use. + (e) If FDA terminates an approval of an application for an exemption +under paragraph (d) of this section, the manufacturer must, within 60 +days of being notified by FDA that its exemption approval has been +terminated, file a supplemental application for the new use that is the +subject of the information being disseminated under the exemption, +certify, under Sec. 99.201(a)(4)(i) or (a)(4)(ii) that it will file a +supplemental application for the new use, or cease disseminating the +information on the new use. FDA may require a manufacturer that ceases +dissemination of information on the new use to undertake corrective +action. + + + +Sec. 99.405 Applicability of labeling, adulteration, and misbranding +authority. + + The dissemination of information relating to a new use for a drug or +device may constitute labeling, evidence of a new intended use, +adulteration, or misbranding of the drug or device if such dissemination +fails to comply with section 551 of the Federal Food, Drug, and Cosmetic +Act (the act) (21 U.S.C. 360aaa) and the requirements of this part. A +manufacturer's failure to exercise due diligence in submitting the +clinical studies that are necessary for the approval of a new use that +is the subject of information disseminated under this part or in +beginning or completing such clinical studies shall be deemed a failure +to comply with section 551 of the act and the requirements of this part. + + + + Subpart F_Recordkeeping and Reports + + + +Sec. 99.501 Recordkeeping and reports. + + (a) A manufacturer disseminating information under this part shall: + (1) Maintain records sufficient to allow the manufacturer to take +corrective action as required by FDA. The manufacturer shall make such +records available to FDA, upon request, for inspection and copying. Such +records shall either: + (i) Identify, by name, those persons receiving the disseminated +information; or + (ii) Identify, by category, the recipients of the disseminated +information, unless FDA requires the manufacturer to retain records +identifying individual + +[[Page 521]] + +recipients of the disseminated information. Manufacturers whose records +identify recipients by category only shall: + (A) Identify subcategories of recipients where appropriate (e.g., +oncologists, pediatricians, obstetricians, etc.); and + (B) Ensure that any corrective action to be taken will be +sufficiently conspicuous to individuals within that category of +recipients; + (2) Maintain an identical copy of the information disseminated under +this part; and + (3) Upon the submission of a supplemental application to FDA, notify +the appropriate office identified in Sec. 99.201(c) of this part. + (b) A manufacturer disseminating information on a new use for a drug +or device shall, on a semiannual basis, submit to the FDA office +identified in Sec. 99.201(c) of this part: + (1) A list containing the titles of articles and reference +publications relating to the new use of drugs or devices that the +manufacturer disseminated to a health care practitioner, pharmacy +benefit manager, health insurance issuer, group health plan, or Federal +or State Government agency. The list shall cover articles and reference +publications disseminated in the 6-month period preceding the date on +which the manufacturer provides the list to FDA; + (2) A list identifying the categories of health care practitioners, +pharmacy benefit managers, health insurance issuers, group health plans, +or Federal or State Government agencies that received the articles and +reference publications in the 6-month period described in paragraph +(b)(1) of this section. The list shall also identify which category of +recipients received a particular article or reference publication; + (3) A notice and summary of any additional clinical research or +other data relating to the safety or effectiveness of the new use, and, +if the manufacturer possesses such clinical research or other data, a +copy of the research or data. Such other data may include, but is not +limited to, new articles published in scientific or medical journals, +reference publications, and summaries of adverse effects that are or may +be associated with the new use; + (4) If the manufacturer is conducting studies necessary for the +submission of a supplemental application, the manufacturer shall submit +periodic progress reports on these studies to FDA. Such reports shall +describe the studies' current status (i.e., progress on patient +enrollment, any significant problems that could affect the +manufacturer's ability to complete the studies, and expected completion +dates). If the manufacturer discontinues or terminates a study before +completing it, the manufacturer shall, as part of the next periodic +progress report, state the reasons for such discontinuation or +termination; and + (5) If the manufacturer was granted an exemption from the +requirements to submit a supplemental application for the new use, any +new or additional information that relates to whether the manufacturer +continues to meet the requirements for such exemption. This information +may include, but is not limited to, new or additional information +regarding revenues from the product that is the subject of the +dissemination and new or additional information regarding the +persuasiveness of the data on the new use, including information +regarding whether the new use is broadly accepted as current standard +medical treatment or therapy. + (c) A manufacturer shall maintain a copy of all information, lists, +records, and reports required or disseminated under this part for 3 +years after it has ceased dissemination of such information and make +such documents available to FDA for inspection and copying. + +[[Page 523]] + + + + FINDING AIDS + + + + + -------------------------------------------------------------------- + + A list of CFR titles, subtitles, chapters, subchapters and parts and +an alphabetical list of agencies publishing in the CFR are included in +the CFR Index and Finding Aids volume to the Code of Federal Regulations +which is published separately and revised annually. + + Table of CFR Titles and Chapters + Alphabetical List of Agencies Appearing in the CFR + List of CFR Sections Affected + +[[Page 525]] + + + + Table of CFR Titles and Chapters + + + + + (Revised as of April 1, 2016) + + Title 1--General Provisions + + I Administrative Committee of the Federal Register + (Parts 1--49) + II Office of the Federal Register (Parts 50--299) + III Administrative Conference of the United States (Parts + 300--399) + IV Miscellaneous Agencies (Parts 400--500) + + Title 2--Grants and Agreements + + Subtitle A--Office of Management and Budget Guidance + for Grants and Agreements + I Office of Management and Budget Governmentwide + Guidance for Grants and Agreements (Parts 2--199) + II Office of Management and Budget Guidance (Parts 200-- + 299) + Subtitle B--Federal Agency Regulations for Grants and + Agreements + III Department of Health and Human Services (Parts 300-- + 399) + IV Department of Agriculture (Parts 400--499) + VI Department of State (Parts 600--699) + VII Agency for International Development (Parts 700--799) + VIII Department of Veterans Affairs (Parts 800--899) + IX Department of Energy (Parts 900--999) + X Department of the Treasury (Parts 1000--1099) + XI Department of Defense (Parts 1100--1199) + XII Department of Transportation (Parts 1200--1299) + XIII Department of Commerce (Parts 1300--1399) + XIV Department of the Interior (Parts 1400--1499) + XV Environmental Protection Agency (Parts 1500--1599) + XVIII National Aeronautics and Space Administration (Parts + 1800--1899) + XX United States Nuclear Regulatory Commission (Parts + 2000--2099) + XXII Corporation for National and Community Service (Parts + 2200--2299) + XXIII Social Security Administration (Parts 2300--2399) + XXIV Housing and Urban Development (Parts 2400--2499) + XXV National Science Foundation (Parts 2500--2599) + XXVI National Archives and Records Administration (Parts + 2600--2699) + XXVII Small Business Administration (Parts 2700--2799) + +[[Page 526]] + + XXVIII Department of Justice (Parts 2800--2899) + XXIX Department of Labor (Parts 2900--2999) + XXX Department of Homeland Security (Parts 3000--3099) + XXXI Institute of Museum and Library Services (Parts 3100-- + 3199) + XXXII National Endowment for the Arts (Parts 3200--3299) + XXXIII National Endowment for the Humanities (Parts 3300-- + 3399) + XXXIV Department of Education (Parts 3400--3499) + XXXV Export-Import Bank of the United States (Parts 3500-- + 3599) + XXXVI Office of National Drug Control Policy, Executive + Office of the President (Parts 3600--3699) + XXXVII Peace Corps (Parts 3700--3799) + LVIII Election Assistance Commission (Parts 5800--5899) + LIX Gulf Coast Ecosystem Restoration Council (Parts 5900-- + 5999) + + Title 3--The President + + I Executive Office of the President (Parts 100--199) + + Title 4--Accounts + + I Government Accountability Office (Parts 1--199) + + Title 5--Administrative Personnel + + I Office of Personnel Management (Parts 1--1199) + II Merit Systems Protection Board (Parts 1200--1299) + III Office of Management and Budget (Parts 1300--1399) + IV Office of Personnel Management and Office of the + Director of National Intelligence (Parts 1400-- + 1499) + V The International Organizations Employees Loyalty + Board (Parts 1500--1599) + VI Federal Retirement Thrift Investment Board (Parts + 1600--1699) + VIII Office of Special Counsel (Parts 1800--1899) + IX Appalachian Regional Commission (Parts 1900--1999) + XI Armed Forces Retirement Home (Parts 2100--2199) + XIV Federal Labor Relations Authority, General Counsel of + the Federal Labor Relations Authority and Federal + Service Impasses Panel (Parts 2400--2499) + XVI Office of Government Ethics (Parts 2600--2699) + XXI Department of the Treasury (Parts 3100--3199) + XXII Federal Deposit Insurance Corporation (Parts 3200-- + 3299) + XXIII Department of Energy (Parts 3300--3399) + XXIV Federal Energy Regulatory Commission (Parts 3400-- + 3499) + XXV Department of the Interior (Parts 3500--3599) + XXVI Department of Defense (Parts 3600--3699) + XXVIII Department of Justice (Parts 3800--3899) + +[[Page 527]] + + XXIX Federal Communications Commission (Parts 3900--3999) + XXX Farm Credit System Insurance Corporation (Parts 4000-- + 4099) + XXXI Farm Credit Administration (Parts 4100--4199) + XXXIII Overseas Private Investment Corporation (Parts 4300-- + 4399) + XXXIV Securities and Exchange Commission (Parts 4400--4499) + XXXV Office of Personnel Management (Parts 4500--4599) + XXXVI Department of Homeland Security (Parts 4600--4699) + XXXVII Federal Election Commission (Parts 4700--4799) + XL Interstate Commerce Commission (Parts 5000--5099) + XLI Commodity Futures Trading Commission (Parts 5100-- + 5199) + XLII Department of Labor (Parts 5200--5299) + XLIII National Science Foundation (Parts 5300--5399) + XLV Department of Health and Human Services (Parts 5500-- + 5599) + XLVI Postal Rate Commission (Parts 5600--5699) + XLVII Federal Trade Commission (Parts 5700--5799) + XLVIII Nuclear Regulatory Commission (Parts 5800--5899) + XLIX Federal Labor Relations Authority (Parts 5900--5999) + L Department of Transportation (Parts 6000--6099) + LII Export-Import Bank of the United States (Parts 6200-- + 6299) + LIII Department of Education (Parts 6300--6399) + LIV Environmental Protection Agency (Parts 6400--6499) + LV National Endowment for the Arts (Parts 6500--6599) + LVI National Endowment for the Humanities (Parts 6600-- + 6699) + LVII General Services Administration (Parts 6700--6799) + LVIII Board of Governors of the Federal Reserve System + (Parts 6800--6899) + LIX National Aeronautics and Space Administration (Parts + 6900--6999) + LX United States Postal Service (Parts 7000--7099) + LXI National Labor Relations Board (Parts 7100--7199) + LXII Equal Employment Opportunity Commission (Parts 7200-- + 7299) + LXIII Inter-American Foundation (Parts 7300--7399) + LXIV Merit Systems Protection Board (Parts 7400--7499) + LXV Department of Housing and Urban Development (Parts + 7500--7599) + LXVI National Archives and Records Administration (Parts + 7600--7699) + LXVII Institute of Museum and Library Services (Parts 7700-- + 7799) + LXVIII Commission on Civil Rights (Parts 7800--7899) + LXIX Tennessee Valley Authority (Parts 7900--7999) + LXX Court Services and Offender Supervision Agency for the + District of Columbia (Parts 8000--8099) + LXXI Consumer Product Safety Commission (Parts 8100--8199) + LXXIII Department of Agriculture (Parts 8300--8399) + LXXIV Federal Mine Safety and Health Review Commission + (Parts 8400--8499) + +[[Page 528]] + + LXXVI Federal Retirement Thrift Investment Board (Parts + 8600--8699) + LXXVII Office of Management and Budget (Parts 8700--8799) + LXXX Federal Housing Finance Agency (Parts 9000--9099) + LXXXIII Special Inspector General for Afghanistan + Reconstruction (Parts 9300--9399) + LXXXIV Bureau of Consumer Financial Protection (Parts 9400-- + 9499) + LXXXVI National Credit Union Administration (Parts 9600-- + 9699) + XCVII Department of Homeland Security Human Resources + Management System (Department of Homeland + Security--Office of Personnel Management) (Parts + 9700--9799) + XCVII Council of the Inspectors General on Integrity and + Efficiency (Parts 9800--9899) + XCIX Military Compensation and Retirement Modernization + Commission (Parts 9900--9999) + C National Council on Disability (Partys 10000--10049) + + Title 6--Domestic Security + + I Department of Homeland Security, Office of the + Secretary (Parts 1--199) + X Privacy and Civil Liberties Oversight Board (Parts + 1000--1099) + + Title 7--Agriculture + + Subtitle A--Office of the Secretary of Agriculture + (Parts 0--26) + Subtitle B--Regulations of the Department of + Agriculture + I Agricultural Marketing Service (Standards, + Inspections, Marketing Practices), Department of + Agriculture (Parts 27--209) + II Food and Nutrition Service, Department of Agriculture + (Parts 210--299) + III Animal and Plant Health Inspection Service, Department + of Agriculture (Parts 300--399) + IV Federal Crop Insurance Corporation, Department of + Agriculture (Parts 400--499) + V Agricultural Research Service, Department of + Agriculture (Parts 500--599) + VI Natural Resources Conservation Service, Department of + Agriculture (Parts 600--699) + VII Farm Service Agency, Department of Agriculture (Parts + 700--799) + VIII Grain Inspection, Packers and Stockyards + Administration (Federal Grain Inspection Service), + Department of Agriculture (Parts 800--899) + IX Agricultural Marketing Service (Marketing Agreements + and Orders; Fruits, Vegetables, Nuts), Department + of Agriculture (Parts 900--999) + X Agricultural Marketing Service (Marketing Agreements + and Orders; Milk), Department of Agriculture + (Parts 1000--1199) + +[[Page 529]] + + XI Agricultural Marketing Service (Marketing Agreements + and Orders; Miscellaneous Commodities), Department + of Agriculture (Parts 1200--1299) + XIV Commodity Credit Corporation, Department of + Agriculture (Parts 1400--1499) + XV Foreign Agricultural Service, Department of + Agriculture (Parts 1500--1599) + XVI Rural Telephone Bank, Department of Agriculture (Parts + 1600--1699) + XVII Rural Utilities Service, Department of Agriculture + (Parts 1700--1799) + XVIII Rural Housing Service, Rural Business-Cooperative + Service, Rural Utilities Service, and Farm Service + Agency, Department of Agriculture (Parts 1800-- + 2099) + XX Local Television Loan Guarantee Board (Parts 2200-- + 2299) + XXV Office of Advocacy and Outreach, Department of + Agriculture (Parts 2500--2599) + XXVI Office of Inspector General, Department of Agriculture + (Parts 2600--2699) + XXVII Office of Information Resources Management, Department + of Agriculture (Parts 2700--2799) + XXVIII Office of Operations, Department of Agriculture (Parts + 2800--2899) + XXIX Office of Energy Policy and New Uses, Department of + Agriculture (Parts 2900--2999) + XXX Office of the Chief Financial Officer, Department of + Agriculture (Parts 3000--3099) + XXXI Office of Environmental Quality, Department of + Agriculture (Parts 3100--3199) + XXXII Office of Procurement and Property Management, + Department of Agriculture (Parts 3200--3299) + XXXIII Office of Transportation, Department of Agriculture + (Parts 3300--3399) + XXXIV National Institute of Food and Agriculture (Parts + 3400--3499) + XXXV Rural Housing Service, Department of Agriculture + (Parts 3500--3599) + XXXVI National Agricultural Statistics Service, Department + of Agriculture (Parts 3600--3699) + XXXVII Economic Research Service, Department of Agriculture + (Parts 3700--3799) + XXXVIII World Agricultural Outlook Board, Department of + Agriculture (Parts 3800--3899) + XLI [Reserved] + XLII Rural Business-Cooperative Service and Rural Utilities + Service, Department of Agriculture (Parts 4200-- + 4299) + + Title 8--Aliens and Nationality + + I Department of Homeland Security (Immigration and + Naturalization) (Parts 1--499) + +[[Page 530]] + + V Executive Office for Immigration Review, Department of + Justice (Parts 1000--1399) + + Title 9--Animals and Animal Products + + I Animal and Plant Health Inspection Service, Department + of Agriculture (Parts 1--199) + II Grain Inspection, Packers and Stockyards + Administration (Packers and Stockyards Programs), + Department of Agriculture (Parts 200--299) + III Food Safety and Inspection Service, Department of + Agriculture (Parts 300--599) + + Title 10--Energy + + I Nuclear Regulatory Commission (Parts 0--199) + II Department of Energy (Parts 200--699) + III Department of Energy (Parts 700--999) + X Department of Energy (General Provisions) (Parts + 1000--1099) + XIII Nuclear Waste Technical Review Board (Parts 1300-- + 1399) + XVII Defense Nuclear Facilities Safety Board (Parts 1700-- + 1799) + XVIII Northeast Interstate Low-Level Radioactive Waste + Commission (Parts 1800--1899) + + Title 11--Federal Elections + + I Federal Election Commission (Parts 1--9099) + II Election Assistance Commission (Parts 9400--9499) + + Title 12--Banks and Banking + + I Comptroller of the Currency, Department of the + Treasury (Parts 1--199) + II Federal Reserve System (Parts 200--299) + III Federal Deposit Insurance Corporation (Parts 300--399) + IV Export-Import Bank of the United States (Parts 400-- + 499) + V Office of Thrift Supervision, Department of the + Treasury (Parts 500--599) + VI Farm Credit Administration (Parts 600--699) + VII National Credit Union Administration (Parts 700--799) + VIII Federal Financing Bank (Parts 800--899) + IX Federal Housing Finance Board (Parts 900--999) + X Bureau of Consumer Financial Protection (Parts 1000-- + 1099) + XI Federal Financial Institutions Examination Council + (Parts 1100--1199) + XII Federal Housing Finance Agency (Parts 1200--1299) + XIII Financial Stability Oversight Council (Parts 1300-- + 1399) + XIV Farm Credit System Insurance Corporation (Parts 1400-- + 1499) + +[[Page 531]] + + XV Department of the Treasury (Parts 1500--1599) + XVI Office of Financial Research (Parts 1600--1699) + XVII Office of Federal Housing Enterprise Oversight, + Department of Housing and Urban Development (Parts + 1700--1799) + XVIII Community Development Financial Institutions Fund, + Department of the Treasury (Parts 1800--1899) + + Title 13--Business Credit and Assistance + + I Small Business Administration (Parts 1--199) + III Economic Development Administration, Department of + Commerce (Parts 300--399) + IV Emergency Steel Guarantee Loan Board (Parts 400--499) + V Emergency Oil and Gas Guaranteed Loan Board (Parts + 500--599) + + Title 14--Aeronautics and Space + + I Federal Aviation Administration, Department of + Transportation (Parts 1--199) + II Office of the Secretary, Department of Transportation + (Aviation Proceedings) (Parts 200--399) + III Commercial Space Transportation, Federal Aviation + Administration, Department of Transportation + (Parts 400--1199) + V National Aeronautics and Space Administration (Parts + 1200--1299) + VI Air Transportation System Stabilization (Parts 1300-- + 1399) + + Title 15--Commerce and Foreign Trade + + Subtitle A--Office of the Secretary of Commerce (Parts + 0--29) + Subtitle B--Regulations Relating to Commerce and + Foreign Trade + I Bureau of the Census, Department of Commerce (Parts + 30--199) + II National Institute of Standards and Technology, + Department of Commerce (Parts 200--299) + III International Trade Administration, Department of + Commerce (Parts 300--399) + IV Foreign-Trade Zones Board, Department of Commerce + (Parts 400--499) + VII Bureau of Industry and Security, Department of + Commerce (Parts 700--799) + VIII Bureau of Economic Analysis, Department of Commerce + (Parts 800--899) + IX National Oceanic and Atmospheric Administration, + Department of Commerce (Parts 900--999) + XI Technology Administration, Department of Commerce + (Parts 1100--1199) + XIII East-West Foreign Trade Board (Parts 1300--1399) + +[[Page 532]] + + XIV Minority Business Development Agency (Parts 1400-- + 1499) + Subtitle C--Regulations Relating to Foreign Trade + Agreements + XX Office of the United States Trade Representative + (Parts 2000--2099) + Subtitle D--Regulations Relating to Telecommunications + and Information + XXIII National Telecommunications and Information + Administration, Department of Commerce (Parts + 2300--2399) + + Title 16--Commercial Practices + + I Federal Trade Commission (Parts 0--999) + II Consumer Product Safety Commission (Parts 1000--1799) + + Title 17--Commodity and Securities Exchanges + + I Commodity Futures Trading Commission (Parts 1--199) + II Securities and Exchange Commission (Parts 200--399) + IV Department of the Treasury (Parts 400--499) + + Title 18--Conservation of Power and Water Resources + + I Federal Energy Regulatory Commission, Department of + Energy (Parts 1--399) + III Delaware River Basin Commission (Parts 400--499) + VI Water Resources Council (Parts 700--799) + VIII Susquehanna River Basin Commission (Parts 800--899) + XIII Tennessee Valley Authority (Parts 1300--1399) + + Title 19--Customs Duties + + I U.S. Customs and Border Protection, Department of + Homeland Security; Department of the Treasury + (Parts 0--199) + II United States International Trade Commission (Parts + 200--299) + III International Trade Administration, Department of + Commerce (Parts 300--399) + IV U.S. Immigration and Customs Enforcement, Department + of Homeland Security (Parts 400--599) + + Title 20--Employees' Benefits + + I Office of Workers' Compensation Programs, Department + of Labor (Parts 1--199) + II Railroad Retirement Board (Parts 200--399) + III Social Security Administration (Parts 400--499) + IV Employees' Compensation Appeals Board, Department of + Labor (Parts 500--599) + +[[Page 533]] + + V Employment and Training Administration, Department of + Labor (Parts 600--699) + VI Office of Workers' Compensation Programs, Department + of Labor (Parts 700--799) + VII Benefits Review Board, Department of Labor (Parts + 800--899) + VIII Joint Board for the Enrollment of Actuaries (Parts + 900--999) + IX Office of the Assistant Secretary for Veterans' + Employment and Training Service, Department of + Labor (Parts 1000--1099) + + Title 21--Food and Drugs + + I Food and Drug Administration, Department of Health and + Human Services (Parts 1--1299) + II Drug Enforcement Administration, Department of Justice + (Parts 1300--1399) + III Office of National Drug Control Policy (Parts 1400-- + 1499) + + Title 22--Foreign Relations + + I Department of State (Parts 1--199) + II Agency for International Development (Parts 200--299) + III Peace Corps (Parts 300--399) + IV International Joint Commission, United States and + Canada (Parts 400--499) + V Broadcasting Board of Governors (Parts 500--599) + VII Overseas Private Investment Corporation (Parts 700-- + 799) + IX Foreign Service Grievance Board (Parts 900--999) + X Inter-American Foundation (Parts 1000--1099) + XI International Boundary and Water Commission, United + States and Mexico, United States Section (Parts + 1100--1199) + XII United States International Development Cooperation + Agency (Parts 1200--1299) + XIII Millennium Challenge Corporation (Parts 1300--1399) + XIV Foreign Service Labor Relations Board; Federal Labor + Relations Authority; General Counsel of the + Federal Labor Relations Authority; and the Foreign + Service Impasse Disputes Panel (Parts 1400--1499) + XV African Development Foundation (Parts 1500--1599) + XVI Japan-United States Friendship Commission (Parts + 1600--1699) + XVII United States Institute of Peace (Parts 1700--1799) + + Title 23--Highways + + I Federal Highway Administration, Department of + Transportation (Parts 1--999) + II National Highway Traffic Safety Administration and + Federal Highway Administration, Department of + Transportation (Parts 1200--1299) + +[[Page 534]] + + III National Highway Traffic Safety Administration, + Department of Transportation (Parts 1300--1399) + + Title 24--Housing and Urban Development + + Subtitle A--Office of the Secretary, Department of + Housing and Urban Development (Parts 0--99) + Subtitle B--Regulations Relating to Housing and Urban + Development + I Office of Assistant Secretary for Equal Opportunity, + Department of Housing and Urban Development (Parts + 100--199) + II Office of Assistant Secretary for Housing-Federal + Housing Commissioner, Department of Housing and + Urban Development (Parts 200--299) + III Government National Mortgage Association, Department + of Housing and Urban Development (Parts 300--399) + IV Office of Housing and Office of Multifamily Housing + Assistance Restructuring, Department of Housing + and Urban Development (Parts 400--499) + V Office of Assistant Secretary for Community Planning + and Development, Department of Housing and Urban + Development (Parts 500--599) + VI Office of Assistant Secretary for Community Planning + and Development, Department of Housing and Urban + Development (Parts 600--699) [Reserved] + VII Office of the Secretary, Department of Housing and + Urban Development (Housing Assistance Programs and + Public and Indian Housing Programs) (Parts 700-- + 799) + VIII Office of the Assistant Secretary for Housing--Federal + Housing Commissioner, Department of Housing and + Urban Development (Section 8 Housing Assistance + Programs, Section 202 Direct Loan Program, Section + 202 Supportive Housing for the Elderly Program and + Section 811 Supportive Housing for Persons With + Disabilities Program) (Parts 800--899) + IX Office of Assistant Secretary for Public and Indian + Housing, Department of Housing and Urban + Development (Parts 900--1699) + X Office of Assistant Secretary for Housing--Federal + Housing Commissioner, Department of Housing and + Urban Development (Interstate Land Sales + Registration Program) (Parts 1700--1799) + XII Office of Inspector General, Department of Housing and + Urban Development (Parts 2000--2099) + XV Emergency Mortgage Insurance and Loan Programs, + Department of Housing and Urban Development (Parts + 2700--2799) [Reserved] + XX Office of Assistant Secretary for Housing--Federal + Housing Commissioner, Department of Housing and + Urban Development (Parts 3200--3899) + XXIV Board of Directors of the HOPE for Homeowners Program + (Parts 4000--4099) [Reserved] + XXV Neighborhood Reinvestment Corporation (Parts 4100-- + 4199) + +[[Page 535]] + + Title 25--Indians + + I Bureau of Indian Affairs, Department of the Interior + (Parts 1--299) + II Indian Arts and Crafts Board, Department of the + Interior (Parts 300--399) + III National Indian Gaming Commission, Department of the + Interior (Parts 500--599) + IV Office of Navajo and Hopi Indian Relocation (Parts + 700--799) + V Bureau of Indian Affairs, Department of the Interior, + and Indian Health Service, Department of Health + and Human Services (Part 900) + VI Office of the Assistant Secretary-Indian Affairs, + Department of the Interior (Parts 1000--1199) + VII Office of the Special Trustee for American Indians, + Department of the Interior (Parts 1200--1299) + + Title 26--Internal Revenue + + I Internal Revenue Service, Department of the Treasury + (Parts 1--End) + + Title 27--Alcohol, Tobacco Products and Firearms + + I Alcohol and Tobacco Tax and Trade Bureau, Department + of the Treasury (Parts 1--399) + II Bureau of Alcohol, Tobacco, Firearms, and Explosives, + Department of Justice (Parts 400--699) + + Title 28--Judicial Administration + + I Department of Justice (Parts 0--299) + III Federal Prison Industries, Inc., Department of Justice + (Parts 300--399) + V Bureau of Prisons, Department of Justice (Parts 500-- + 599) + VI Offices of Independent Counsel, Department of Justice + (Parts 600--699) + VII Office of Independent Counsel (Parts 700--799) + VIII Court Services and Offender Supervision Agency for the + District of Columbia (Parts 800--899) + IX National Crime Prevention and Privacy Compact Council + (Parts 900--999) + XI Department of Justice and Department of State (Parts + 1100--1199) + + Title 29--Labor + + Subtitle A--Office of the Secretary of Labor (Parts + 0--99) + Subtitle B--Regulations Relating to Labor + I National Labor Relations Board (Parts 100--199) + +[[Page 536]] + + II Office of Labor-Management Standards, Department of + Labor (Parts 200--299) + III National Railroad Adjustment Board (Parts 300--399) + IV Office of Labor-Management Standards, Department of + Labor (Parts 400--499) + V Wage and Hour Division, Department of Labor (Parts + 500--899) + IX Construction Industry Collective Bargaining Commission + (Parts 900--999) + X National Mediation Board (Parts 1200--1299) + XII Federal Mediation and Conciliation Service (Parts + 1400--1499) + XIV Equal Employment Opportunity Commission (Parts 1600-- + 1699) + XVII Occupational Safety and Health Administration, + Department of Labor (Parts 1900--1999) + XX Occupational Safety and Health Review Commission + (Parts 2200--2499) + XXV Employee Benefits Security Administration, Department + of Labor (Parts 2500--2599) + XXVII Federal Mine Safety and Health Review Commission + (Parts 2700--2799) + XL Pension Benefit Guaranty Corporation (Parts 4000-- + 4999) + + Title 30--Mineral Resources + + I Mine Safety and Health Administration, Department of + Labor (Parts 1--199) + II Bureau of Safety and Environmental Enforcement, + Department of the Interior (Parts 200--299) + IV Geological Survey, Department of the Interior (Parts + 400--499) + V Bureau of Ocean Energy Management, Department of the + Interior (Parts 500--599) + VII Office of Surface Mining Reclamation and Enforcement, + Department of the Interior (Parts 700--999) + XII Office of Natural Resources Revenue, Department of the + Interior (Parts 1200--1299) + + Title 31--Money and Finance: Treasury + + Subtitle A--Office of the Secretary of the Treasury + (Parts 0--50) + Subtitle B--Regulations Relating to Money and Finance + I Monetary Offices, Department of the Treasury (Parts + 51--199) + II Fiscal Service, Department of the Treasury (Parts + 200--399) + IV Secret Service, Department of the Treasury (Parts + 400--499) + V Office of Foreign Assets Control, Department of the + Treasury (Parts 500--599) + VI Bureau of Engraving and Printing, Department of the + Treasury (Parts 600--699) + VII Federal Law Enforcement Training Center, Department of + the Treasury (Parts 700--799) + +[[Page 537]] + + VIII Office of International Investment, Department of the + Treasury (Parts 800--899) + IX Federal Claims Collection Standards (Department of the + Treasury--Department of Justice) (Parts 900--999) + X Financial Crimes Enforcement Network, Department of + the Treasury (Parts 1000--1099) + + Title 32--National Defense + + Subtitle A--Department of Defense + I Office of the Secretary of Defense (Parts 1--399) + V Department of the Army (Parts 400--699) + VI Department of the Navy (Parts 700--799) + VII Department of the Air Force (Parts 800--1099) + Subtitle B--Other Regulations Relating to National + Defense + XII Defense Logistics Agency (Parts 1200--1299) + XVI Selective Service System (Parts 1600--1699) + XVII Office of the Director of National Intelligence (Parts + 1700--1799) + XVIII National Counterintelligence Center (Parts 1800--1899) + XIX Central Intelligence Agency (Parts 1900--1999) + XX Information Security Oversight Office, National + Archives and Records Administration (Parts 2000-- + 2099) + XXI National Security Council (Parts 2100--2199) + XXIV Office of Science and Technology Policy (Parts 2400-- + 2499) + XXVII Office for Micronesian Status Negotiations (Parts + 2700--2799) + XXVIII Office of the Vice President of the United States + (Parts 2800--2899) + + Title 33--Navigation and Navigable Waters + + I Coast Guard, Department of Homeland Security (Parts + 1--199) + II Corps of Engineers, Department of the Army (Parts + 200--399) + IV Saint Lawrence Seaway Development Corporation, + Department of Transportation (Parts 400--499) + + Title 34--Education + + Subtitle A--Office of the Secretary, Department of + Education (Parts 1--99) + Subtitle B--Regulations of the Offices of the + Department of Education + I Office for Civil Rights, Department of Education + (Parts 100--199) + II Office of Elementary and Secondary Education, + Department of Education (Parts 200--299) + III Office of Special Education and Rehabilitative + Services, Department of Education (Parts 300--399) + +[[Page 538]] + + IV Office of Career, Technical and Adult Education, + Department of Education (Parts 400--499) + V Office of Bilingual Education and Minority Languages + Affairs, Department of Education (Parts 500-- + 599)[Reserved] + VI Office of Postsecondary Education, Department of + Education (Parts 600--699) + VII Office of Educational Research and Improvement, + Department of Education (Parts 700--799)[Reserved] + Subtitle C--Regulations Relating to Education + XI [Reserved] + XII National Council on Disability (Parts 1200--1299) + + Title 35 [Reserved] + + Title 36--Parks, Forests, and Public Property + + I National Park Service, Department of the Interior + (Parts 1--199) + II Forest Service, Department of Agriculture (Parts 200-- + 299) + III Corps of Engineers, Department of the Army (Parts + 300--399) + IV American Battle Monuments Commission (Parts 400--499) + V Smithsonian Institution (Parts 500--599) + VI [Reserved] + VII Library of Congress (Parts 700--799) + VIII Advisory Council on Historic Preservation (Parts 800-- + 899) + IX Pennsylvania Avenue Development Corporation (Parts + 900--999) + X Presidio Trust (Parts 1000--1099) + XI Architectural and Transportation Barriers Compliance + Board (Parts 1100--1199) + XII National Archives and Records Administration (Parts + 1200--1299) + XV Oklahoma City National Memorial Trust (Parts 1500-- + 1599) + XVI Morris K. Udall Scholarship and Excellence in National + Environmental Policy Foundation (Parts 1600--1699) + + Title 37--Patents, Trademarks, and Copyrights + + I United States Patent and Trademark Office, Department + of Commerce (Parts 1--199) + II U.S. Copyright Office, Library of Congress (Parts + 200--299) + III Copyright Royalty Board, Library of Congress (Parts + 300--399) + IV Assistant Secretary for Technology Policy, Department + of Commerce (Parts 400--599) + + Title 38--Pensions, Bonuses, and Veterans' Relief + + I Department of Veterans Affairs (Parts 0--199) + II Armed Forces Retirement Home (Parts 200--299) + +[[Page 539]] + + Title 39--Postal Service + + I United States Postal Service (Parts 1--999) + III Postal Regulatory Commission (Parts 3000--3099) + + Title 40--Protection of Environment + + I Environmental Protection Agency (Parts 1--1099) + IV Environmental Protection Agency and Department of + Justice (Parts 1400--1499) + V Council on Environmental Quality (Parts 1500--1599) + VI Chemical Safety and Hazard Investigation Board (Parts + 1600--1699) + VII Environmental Protection Agency and Department of + Defense; Uniform National Discharge Standards for + Vessels of the Armed Forces (Parts 1700--1799) + VIII Gulf Coast Ecosystem Restoration Council (Parts 1800-- + 1899) + + Title 41--Public Contracts and Property Management + + Subtitle A--Federal Procurement Regulations System + [Note] + Subtitle B--Other Provisions Relating to Public + Contracts + 50 Public Contracts, Department of Labor (Parts 50-1--50- + 999) + 51 Committee for Purchase From People Who Are Blind or + Severely Disabled (Parts 51-1--51-99) + 60 Office of Federal Contract Compliance Programs, Equal + Employment Opportunity, Department of Labor (Parts + 60-1--60-999) + 61 Office of the Assistant Secretary for Veterans' + Employment and Training Service, Department of + Labor (Parts 61-1--61-999) + 62--100 [Reserved] + Subtitle C--Federal Property Management Regulations + System + 101 Federal Property Management Regulations (Parts 101-1-- + 101-99) + 102 Federal Management Regulation (Parts 102-1--102-299) + 103--104 [Reserved] + 105 General Services Administration (Parts 105-1--105-999) + 109 Department of Energy Property Management Regulations + (Parts 109-1--109-99) + 114 Department of the Interior (Parts 114-1--114-99) + 115 Environmental Protection Agency (Parts 115-1--115-99) + 128 Department of Justice (Parts 128-1--128-99) + 129--200 [Reserved] + Subtitle D--Other Provisions Relating to Property + Management [Reserved] + Subtitle E--Federal Information Resources Management + Regulations System [Reserved] + Subtitle F--Federal Travel Regulation System + 300 General (Parts 300-1--300-99) + 301 Temporary Duty (TDY) Travel Allowances (Parts 301-1-- + 301-99) + +[[Page 540]] + + 302 Relocation Allowances (Parts 302-1--302-99) + 303 Payment of Expenses Connected with the Death of + Certain Employees (Part 303-1--303-99) + 304 Payment of Travel Expenses from a Non-Federal Source + (Parts 304-1--304-99) + + Title 42--Public Health + + I Public Health Service, Department of Health and Human + Services (Parts 1--199) + IV Centers for Medicare & Medicaid Services, Department + of Health and Human Services (Parts 400--599) + V Office of Inspector General-Health Care, Department of + Health and Human Services (Parts 1000--1999) + + Title 43--Public Lands: Interior + + Subtitle A--Office of the Secretary of the Interior + (Parts 1--199) + Subtitle B--Regulations Relating to Public Lands + I Bureau of Reclamation, Department of the Interior + (Parts 400--999) + II Bureau of Land Management, Department of the Interior + (Parts 1000--9999) + III Utah Reclamation Mitigation and Conservation + Commission (Parts 10000--10099) + + Title 44--Emergency Management and Assistance + + I Federal Emergency Management Agency, Department of + Homeland Security (Parts 0--399) + IV Department of Commerce and Department of + Transportation (Parts 400--499) + + Title 45--Public Welfare + + Subtitle A--Department of Health and Human Services + (Parts 1--199) + Subtitle B--Regulations Relating to Public Welfare + II Office of Family Assistance (Assistance Programs), + Administration for Children and Families, + Department of Health and Human Services (Parts + 200--299) + III Office of Child Support Enforcement (Child Support + Enforcement Program), Administration for Children + and Families, Department of Health and Human + Services (Parts 300--399) + IV Office of Refugee Resettlement, Administration for + Children and Families, Department of Health and + Human Services (Parts 400--499) + V Foreign Claims Settlement Commission of the United + States, Department of Justice (Parts 500--599) + +[[Page 541]] + + VI National Science Foundation (Parts 600--699) + VII Commission on Civil Rights (Parts 700--799) + VIII Office of Personnel Management (Parts 800--899) + X Office of Community Services, Administration for + Children and Families, Department of Health and + Human Services (Parts 1000--1099) + XI National Foundation on the Arts and the Humanities + (Parts 1100--1199) + XII Corporation for National and Community Service (Parts + 1200--1299) + XIII Office of Human Development Services, Department of + Health and Human Services (Parts 1300--1399) + XVI Legal Services Corporation (Parts 1600--1699) + XVII National Commission on Libraries and Information + Science (Parts 1700--1799) + XVIII Harry S. Truman Scholarship Foundation (Parts 1800-- + 1899) + XXI Commission on Fine Arts (Parts 2100--2199) + XXIII Arctic Research Commission (Part 2301) + XXIV James Madison Memorial Fellowship Foundation (Parts + 2400--2499) + XXV Corporation for National and Community Service (Parts + 2500--2599) + + Title 46--Shipping + + I Coast Guard, Department of Homeland Security (Parts + 1--199) + II Maritime Administration, Department of Transportation + (Parts 200--399) + III Coast Guard (Great Lakes Pilotage), Department of + Homeland Security (Parts 400--499) + IV Federal Maritime Commission (Parts 500--599) + + Title 47--Telecommunication + + I Federal Communications Commission (Parts 0--199) + II Office of Science and Technology Policy and National + Security Council (Parts 200--299) + III National Telecommunications and Information + Administration, Department of Commerce (Parts + 300--399) + IV National Telecommunications and Information + Administration, Department of Commerce, and + National Highway Traffic Safety Administration, + Department of Transportation (Parts 400--499) + + Title 48--Federal Acquisition Regulations System + + 1 Federal Acquisition Regulation (Parts 1--99) + 2 Defense Acquisition Regulations System, Department of + Defense (Parts 200--299) + +[[Page 542]] + + 3 Health and Human Services (Parts 300--399) + 4 Department of Agriculture (Parts 400--499) + 5 General Services Administration (Parts 500--599) + 6 Department of State (Parts 600--699) + 7 Agency for International Development (Parts 700--799) + 8 Department of Veterans Affairs (Parts 800--899) + 9 Department of Energy (Parts 900--999) + 10 Department of the Treasury (Parts 1000--1099) + 12 Department of Transportation (Parts 1200--1299) + 13 Department of Commerce (Parts 1300--1399) + 14 Department of the Interior (Parts 1400--1499) + 15 Environmental Protection Agency (Parts 1500--1599) + 16 Office of Personnel Management, Federal Employees + Health Benefits Acquisition Regulation (Parts + 1600--1699) + 17 Office of Personnel Management (Parts 1700--1799) + 18 National Aeronautics and Space Administration (Parts + 1800--1899) + 19 Broadcasting Board of Governors (Parts 1900--1999) + 20 Nuclear Regulatory Commission (Parts 2000--2099) + 21 Office of Personnel Management, Federal Employees + Group Life Insurance Federal Acquisition + Regulation (Parts 2100--2199) + 23 Social Security Administration (Parts 2300--2399) + 24 Department of Housing and Urban Development (Parts + 2400--2499) + 25 National Science Foundation (Parts 2500--2599) + 28 Department of Justice (Parts 2800--2899) + 29 Department of Labor (Parts 2900--2999) + 30 Department of Homeland Security, Homeland Security + Acquisition Regulation (HSAR) (Parts 3000--3099) + 34 Department of Education Acquisition Regulation (Parts + 3400--3499) + 51 Department of the Army Acquisition Regulations (Parts + 5100--5199) + 52 Department of the Navy Acquisition Regulations (Parts + 5200--5299) + 53 Department of the Air Force Federal Acquisition + Regulation Supplement (Parts 5300--5399) + [Reserved] + 54 Defense Logistics Agency, Department of Defense (Parts + 5400--5499) + 57 African Development Foundation (Parts 5700--5799) + 61 Civilian Board of Contract Appeals, General Services + Administration (Parts 6100--6199) + 63 Department of Transportation Board of Contract Appeals + (Parts 6300--6399) + 99 Cost Accounting Standards Board, Office of Federal + Procurement Policy, Office of Management and + Budget (Parts 9900--9999) + +[[Page 543]] + + Title 49--Transportation + + Subtitle A--Office of the Secretary of Transportation + (Parts 1--99) + Subtitle B--Other Regulations Relating to + Transportation + I Pipeline and Hazardous Materials Safety + Administration, Department of Transportation + (Parts 100--199) + II Federal Railroad Administration, Department of + Transportation (Parts 200--299) + III Federal Motor Carrier Safety Administration, + Department of Transportation (Parts 300--399) + IV Coast Guard, Department of Homeland Security (Parts + 400--499) + V National Highway Traffic Safety Administration, + Department of Transportation (Parts 500--599) + VI Federal Transit Administration, Department of + Transportation (Parts 600--699) + VII National Railroad Passenger Corporation (AMTRAK) + (Parts 700--799) + VIII National Transportation Safety Board (Parts 800--999) + X Surface Transportation Board, Department of + Transportation (Parts 1000--1399) + XI Research and Innovative Technology Administration, + Department of Transportation (Parts 1400--1499) + [Reserved] + XII Transportation Security Administration, Department of + Homeland Security (Parts 1500--1699) + + Title 50--Wildlife and Fisheries + + I United States Fish and Wildlife Service, Department of + the Interior (Parts 1--199) + II National Marine Fisheries Service, National Oceanic + and Atmospheric Administration, Department of + Commerce (Parts 200--299) + III International Fishing and Related Activities (Parts + 300--399) + IV Joint Regulations (United States Fish and Wildlife + Service, Department of the Interior and National + Marine Fisheries Service, National Oceanic and + Atmospheric Administration, Department of + Commerce); Endangered Species Committee + Regulations (Parts 400--499) + V Marine Mammal Commission (Parts 500--599) + VI Fishery Conservation and Management, National Oceanic + and Atmospheric Administration, Department of + Commerce (Parts 600--699) + +[[Page 545]] + + + + + + Alphabetical List of Agencies Appearing in the CFR + + + + + (Revised as of April 1, 2016) + + CFR Title, Subtitle or + Agency Chapter + +Administrative Committee of the Federal Register 1, I +Administrative Conference of the United States 1, III +Advisory Council on Historic Preservation 36, VIII +Advocacy and Outreach, Office of 7, XXV +Afghanistan Reconstruction, Special Inspector 5, LXXXIII + General for +African Development Foundation 22, XV + Federal Acquisition Regulation 48, 57 +Agency for International Development 2, VII; 22, II + Federal Acquisition Regulation 48, 7 +Agricultural Marketing Service 7, I, IX, X, XI +Agricultural Research Service 7, V +Agriculture Department 2, IV; 5, LXXIII + Advocacy and Outreach, Office of 7, XXV + Agricultural Marketing Service 7, I, IX, X, XI + Agricultural Research Service 7, V + Animal and Plant Health Inspection Service 7, III; 9, I + Chief Financial Officer, Office of 7, XXX + Commodity Credit Corporation 7, XIV + Economic Research Service 7, XXXVII + Energy Policy and New Uses, Office of 2, IX; 7, XXIX + Environmental Quality, Office of 7, XXXI + Farm Service Agency 7, VII, XVIII + Federal Acquisition Regulation 48, 4 + Federal Crop Insurance Corporation 7, IV + Food and Nutrition Service 7, II + Food Safety and Inspection Service 9, III + Foreign Agricultural Service 7, XV + Forest Service 36, II + Grain Inspection, Packers and Stockyards 7, VIII; 9, II + Administration + Information Resources Management, Office of 7, XXVII + Inspector General, Office of 7, XXVI + National Agricultural Library 7, XLI + National Agricultural Statistics Service 7, XXXVI + National Institute of Food and Agriculture 7, XXXIV + Natural Resources Conservation Service 7, VI + Operations, Office of 7, XXVIII + Procurement and Property Management, Office of 7, XXXII + Rural Business-Cooperative Service 7, XVIII, XLII + Rural Development Administration 7, XLII + Rural Housing Service 7, XVIII, XXXV + Rural Telephone Bank 7, XVI + Rural Utilities Service 7, XVII, XVIII, XLII + Secretary of Agriculture, Office of 7, Subtitle A + Transportation, Office of 7, XXXIII + World Agricultural Outlook Board 7, XXXVIII +Air Force Department 32, VII + Federal Acquisition Regulation Supplement 48, 53 +Air Transportation Stabilization Board 14, VI +Alcohol and Tobacco Tax and Trade Bureau 27, I +Alcohol, Tobacco, Firearms, and Explosives, 27, II + Bureau of +AMTRAK 49, VII +American Battle Monuments Commission 36, IV +American Indians, Office of the Special Trustee 25, VII + +[[Page 546]] + +Animal and Plant Health Inspection Service 7, III; 9, I +Appalachian Regional Commission 5, IX +Architectural and Transportation Barriers 36, XI + Compliance Board +Arctic Research Commission 45, XXIII +Armed Forces Retirement Home 5, XI +Army Department 32, V + Engineers, Corps of 33, II; 36, III + Federal Acquisition Regulation 48, 51 +Bilingual Education and Minority Languages 34, V + Affairs, Office of +Blind or Severely Disabled, Committee for 41, 51 + Purchase from People Who Are +Broadcasting Board of Governors 22, V + Federal Acquisition Regulation 48, 19 +Career, Technical and Adult Education, Office of 34, IV +Census Bureau 15, I +Centers for Medicare & Medicaid Services 42, IV +Central Intelligence Agency 32, XIX +Chemical Safety and Hazardous Investigation 40, VI + Board +Chief Financial Officer, Office of 7, XXX +Child Support Enforcement, Office of 45, III +Children and Families, Administration for 45, II, III, IV, X +Civil Rights, Commission on 5, LXVIII; 45, VII +Civil Rights, Office for 34, I +Council of the Inspectors General on Integrity 5, XCVIII + and Efficiency +Court Services and Offender Supervision Agency 5, LXX + for the District of Columbia +Coast Guard 33, I; 46, I; 49, IV +Coast Guard (Great Lakes Pilotage) 46, III +Commerce Department 2, XIII; 44, IV; 50, VI + Census Bureau 15, I + Economic Analysis, Bureau of 15, VIII + Economic Development Administration 13, III + Emergency Management and Assistance 44, IV + Federal Acquisition Regulation 48, 13 + Foreign-Trade Zones Board 15, IV + Industry and Security, Bureau of 15, VII + International Trade Administration 15, III; 19, III + National Institute of Standards and Technology 15, II + National Marine Fisheries Service 50, II, IV + National Oceanic and Atmospheric 15, IX; 50, II, III, IV, + Administration VI + National Telecommunications and Information 15, XXIII; 47, III, IV + Administration + National Weather Service 15, IX + Patent and Trademark Office, United States 37, I + Productivity, Technology and Innovation, 37, IV + Assistant Secretary for + Secretary of Commerce, Office of 15, Subtitle A + Technology Administration 15, XI + Technology Policy, Assistant Secretary for 37, IV +Commercial Space Transportation 14, III +Commodity Credit Corporation 7, XIV +Commodity Futures Trading Commission 5, XLI; 17, I +Community Planning and Development, Office of 24, V, VI + Assistant Secretary for +Community Services, Office of 45, X +Comptroller of the Currency 12, I +Construction Industry Collective Bargaining 29, IX + Commission +Consumer Financial Protection Bureau 5, LXXXIV; 12, X +Consumer Product Safety Commission 5, LXXI; 16, II +Copyright Royalty Board 37, III +Corporation for National and Community Service 2, XXII; 45, XII, XXV +Cost Accounting Standards Board 48, 99 +Council on Environmental Quality 40, V +Court Services and Offender Supervision Agency 5, LXX; 28, VIII + for the District of Columbia +Customs and Border Protection 19, I +Defense Contract Audit Agency 32, I + +[[Page 547]] + +Defense Department 2, XI; 5, XXVI; 32, + Subtitle A; 40, VII + Advanced Research Projects Agency 32, I + Air Force Department 32, VII + Army Department 32, V; 33, II; 36, III; + 48, 51 + Defense Acquisition Regulations System 48, 2 + Defense Intelligence Agency 32, I + Defense Logistics Agency 32, I, XII; 48, 54 + Engineers, Corps of 33, II; 36, III + National Imagery and Mapping Agency 32, I + Navy Department 32, VI; 48, 52 + Secretary of Defense, Office of 2, XI; 32, I +Defense Contract Audit Agency 32, I +Defense Intelligence Agency 32, I +Defense Logistics Agency 32, XII; 48, 54 +Defense Nuclear Facilities Safety Board 10, XVII +Delaware River Basin Commission 18, III +District of Columbia, Court Services and 5, LXX; 28, VIII + Offender Supervision Agency for the +Drug Enforcement Administration 21, II +East-West Foreign Trade Board 15, XIII +Economic Analysis, Bureau of 15, VIII +Economic Development Administration 13, III +Economic Research Service 7, XXXVII +Education, Department of 2, XXXIV; 5, LIII + Bilingual Education and Minority Languages 34, V + Affairs, Office of + Career, Technical and Adult Education, Office 34, IV + of + Civil Rights, Office for 34, I + Educational Research and Improvement, Office 34, VII + of + Elementary and Secondary Education, Office of 34, II + Federal Acquisition Regulation 48, 34 + Postsecondary Education, Office of 34, VI + Secretary of Education, Office of 34, Subtitle A + Special Education and Rehabilitative Services, 34, III + Office of + Career, Technical, and Adult Education, Office 34, IV + of +Educational Research and Improvement, Office of 34, VII +Election Assistance Commission 2, LVIII; 11, II +Elementary and Secondary Education, Office of 34, II +Emergency Oil and Gas Guaranteed Loan Board 13, V +Emergency Steel Guarantee Loan Board 13, IV +Employee Benefits Security Administration 29, XXV +Employees' Compensation Appeals Board 20, IV +Employees Loyalty Board 5, V +Employment and Training Administration 20, V +Employment Standards Administration 20, VI +Endangered Species Committee 50, IV +Energy, Department of 2, IX; 5, XXIII; 10, II, + III, X + Federal Acquisition Regulation 48, 9 + Federal Energy Regulatory Commission 5, XXIV; 18, I + Property Management Regulations 41, 109 +Energy, Office of 7, XXIX +Engineers, Corps of 33, II; 36, III +Engraving and Printing, Bureau of 31, VI +Environmental Protection Agency 2, XV; 5, LIV; 40, I, IV, + VII + Federal Acquisition Regulation 48, 15 + Property Management Regulations 41, 115 +Environmental Quality, Office of 7, XXXI +Equal Employment Opportunity Commission 5, LXII; 29, XIV +Equal Opportunity, Office of Assistant Secretary 24, I + for +Executive Office of the President 3, I + Environmental Quality, Council on 40, V + Management and Budget, Office of 2, Subtitle A; 5, III, + LXXVII; 14, VI; 48, 99 + +[[Page 548]] + + National Drug Control Policy, Office of 2, XXXVI; 21, III + National Security Council 32, XXI; 47, 2 + Presidential Documents 3 + Science and Technology Policy, Office of 32, XXIV; 47, II + Trade Representative, Office of the United 15, XX + States +Export-Import Bank of the United States 2, XXXV; 5, LII; 12, IV +Family Assistance, Office of 45, II +Farm Credit Administration 5, XXXI; 12, VI +Farm Credit System Insurance Corporation 5, XXX; 12, XIV +Farm Service Agency 7, VII, XVIII +Federal Acquisition Regulation 48, 1 +Federal Aviation Administration 14, I + Commercial Space Transportation 14, III +Federal Claims Collection Standards 31, IX +Federal Communications Commission 5, XXIX; 47, I +Federal Contract Compliance Programs, Office of 41, 60 +Federal Crop Insurance Corporation 7, IV +Federal Deposit Insurance Corporation 5, XXII; 12, III +Federal Election Commission 5, XXXVII; 11, I +Federal Emergency Management Agency 44, I +Federal Employees Group Life Insurance Federal 48, 21 + Acquisition Regulation +Federal Employees Health Benefits Acquisition 48, 16 + Regulation +Federal Energy Regulatory Commission 5, XXIV; 18, I +Federal Financial Institutions Examination 12, XI + Council +Federal Financing Bank 12, VIII +Federal Highway Administration 23, I, II +Federal Home Loan Mortgage Corporation 1, IV +Federal Housing Enterprise Oversight Office 12, XVII +Federal Housing Finance Agency 5, LXXX; 12, XII +Federal Housing Finance Board 12, IX +Federal Labor Relations Authority 5, XIV, XLIX; 22, XIV +Federal Law Enforcement Training Center 31, VII +Federal Management Regulation 41, 102 +Federal Maritime Commission 46, IV +Federal Mediation and Conciliation Service 29, XII +Federal Mine Safety and Health Review Commission 5, LXXIV; 29, XXVII +Federal Motor Carrier Safety Administration 49, III +Federal Prison Industries, Inc. 28, III +Federal Procurement Policy Office 48, 99 +Federal Property Management Regulations 41, 101 +Federal Railroad Administration 49, II +Federal Register, Administrative Committee of 1, I +Federal Register, Office of 1, II +Federal Reserve System 12, II + Board of Governors 5, LVIII +Federal Retirement Thrift Investment Board 5, VI, LXXVI +Federal Service Impasses Panel 5, XIV +Federal Trade Commission 5, XLVII; 16, I +Federal Transit Administration 49, VI +Federal Travel Regulation System 41, Subtitle F +Financial Crimes Enforcement Network 31, X +Financial Research Office 12, XVI +Financial Stability Oversight Council 12, XIII +Fine Arts, Commission on 45, XXI +Fiscal Service 31, II +Fish and Wildlife Service, United States 50, I, IV +Food and Drug Administration 21, I +Food and Nutrition Service 7, II +Food Safety and Inspection Service 9, III +Foreign Agricultural Service 7, XV +Foreign Assets Control, Office of 31, V +Foreign Claims Settlement Commission of the 45, V + United States +Foreign Service Grievance Board 22, IX +Foreign Service Impasse Disputes Panel 22, XIV +Foreign Service Labor Relations Board 22, XIV +Foreign-Trade Zones Board 15, IV + +[[Page 549]] + +Forest Service 36, II +General Services Administration 5, LVII; 41, 105 + Contract Appeals, Board of 48, 61 + Federal Acquisition Regulation 48, 5 + Federal Management Regulation 41, 102 + Federal Property Management Regulations 41, 101 + Federal Travel Regulation System 41, Subtitle F + General 41, 300 + Payment From a Non-Federal Source for Travel 41, 304 + Expenses + Payment of Expenses Connected With the Death 41, 303 + of Certain Employees + Relocation Allowances 41, 302 + Temporary Duty (TDY) Travel Allowances 41, 301 +Geological Survey 30, IV +Government Accountability Office 4, I +Government Ethics, Office of 5, XVI +Government National Mortgage Association 24, III +Grain Inspection, Packers and Stockyards 7, VIII; 9, II + Administration +Gulf Coast Ecosystem Restoration Council 2, LIX; 40, VIII +Harry S. Truman Scholarship Foundation 45, XVIII +Health and Human Services, Department of 2, III; 5, XLV; 45, + Subtitle A, + Centers for Medicare & Medicaid Services 42, IV + Child Support Enforcement, Office of 45, III + Children and Families, Administration for 45, II, III, IV, X + Community Services, Office of 45, X + Family Assistance, Office of 45, II + Federal Acquisition Regulation 48, 3 + Food and Drug Administration 21, I + Human Development Services, Office of 45, XIII + Indian Health Service 25, V + Inspector General (Health Care), Office of 42, V + Public Health Service 42, I + Refugee Resettlement, Office of 45, IV +Homeland Security, Department of 2, XXX; 5, XXXVI; 6, I; 8, + I + Coast Guard 33, I; 46, I; 49, IV + Coast Guard (Great Lakes Pilotage) 46, III + Customs and Border Protection 19, I + Federal Emergency Management Agency 44, I + Human Resources Management and Labor Relations 5, XCVII + Systems + Immigration and Customs Enforcement Bureau 19, IV + Transportation Security Administration 49, XII +HOPE for Homeowners Program, Board of Directors 24, XXIV + of +Housing and Urban Development, Department of 2, XXIV; 5, LXV; 24, + Subtitle B + Community Planning and Development, Office of 24, V, VI + Assistant Secretary for + Equal Opportunity, Office of Assistant 24, I + Secretary for + Federal Acquisition Regulation 48, 24 + Federal Housing Enterprise Oversight, Office 12, XVII + of + Government National Mortgage Association 24, III + Housing--Federal Housing Commissioner, Office 24, II, VIII, X, XX + of Assistant Secretary for + Housing, Office of, and Multifamily Housing 24, IV + Assistance Restructuring, Office of + Inspector General, Office of 24, XII + Public and Indian Housing, Office of Assistant 24, IX + Secretary for + Secretary, Office of 24, Subtitle A, VII +Housing--Federal Housing Commissioner, Office of 24, II, VIII, X, XX + Assistant Secretary for +Housing, Office of, and Multifamily Housing 24, IV + Assistance Restructuring, Office of +Human Development Services, Office of 45, XIII +Immigration and Customs Enforcement Bureau 19, IV +Immigration Review, Executive Office for 8, V + +[[Page 550]] + +Independent Counsel, Office of 28, VII +Independent Counsel, Offices of 28, VI +Indian Affairs, Bureau of 25, I, V +Indian Affairs, Office of the Assistant 25, VI + Secretary +Indian Arts and Crafts Board 25, II +Indian Health Service 25, V +Industry and Security, Bureau of 15, VII +Information Resources Management, Office of 7, XXVII +Information Security Oversight Office, National 32, XX + Archives and Records Administration +Inspector General + Agriculture Department 7, XXVI + Health and Human Services Department 42, V + Housing and Urban Development Department 24, XII, XV +Institute of Peace, United States 22, XVII +Inter-American Foundation 5, LXIII; 22, X +Interior Department 2, XIV + American Indians, Office of the Special 25, VII + Trustee + Endangered Species Committee 50, IV + Federal Acquisition Regulation 48, 14 + Federal Property Management Regulations System 41, 114 + Fish and Wildlife Service, United States 50, I, IV + Geological Survey 30, IV + Indian Affairs, Bureau of 25, I, V + Indian Affairs, Office of the Assistant 25, VI + Secretary + Indian Arts and Crafts Board 25, II + Land Management, Bureau of 43, II + National Indian Gaming Commission 25, III + National Park Service 36, I + Natural Resource Revenue, Office of 30, XII + Ocean Energy Management, Bureau of 30, V + Reclamation, Bureau of 43, I + Safety and Enforcement Bureau, Bureau of 30, II + Secretary of the Interior, Office of 2, XIV; 43, Subtitle A + Surface Mining Reclamation and Enforcement, 30, VII + Office of +Internal Revenue Service 26, I +International Boundary and Water Commission, 22, XI + United States and Mexico, United States + Section +International Development, United States Agency 22, II + for + Federal Acquisition Regulation 48, 7 +International Development Cooperation Agency, 22, XII + United States +International Joint Commission, United States 22, IV + and Canada +International Organizations Employees Loyalty 5, V + Board +International Trade Administration 15, III; 19, III +International Trade Commission, United States 19, II +Interstate Commerce Commission 5, XL +Investment Security, Office of 31, VIII +James Madison Memorial Fellowship Foundation 45, XXIV +Japan-United States Friendship Commission 22, XVI +Joint Board for the Enrollment of Actuaries 20, VIII +Justice Department 2, XXVIII; 5, XXVIII; 28, + I, XI; 40, IV + Alcohol, Tobacco, Firearms, and Explosives, 27, II + Bureau of + Drug Enforcement Administration 21, II + Federal Acquisition Regulation 48, 28 + Federal Claims Collection Standards 31, IX + Federal Prison Industries, Inc. 28, III + Foreign Claims Settlement Commission of the 45, V + United States + Immigration Review, Executive Office for 8, V + Independent Counsel, Offices of 28, VI + Prisons, Bureau of 28, V + Property Management Regulations 41, 128 +Labor Department 2, XXIX; 5, XLII + Employee Benefits Security Administration 29, XXV + Employees' Compensation Appeals Board 20, IV + +[[Page 551]] + + Employment and Training Administration 20, V + Employment Standards Administration 20, VI + Federal Acquisition Regulation 48, 29 + Federal Contract Compliance Programs, Office 41, 60 + of + Federal Procurement Regulations System 41, 50 + Labor-Management Standards, Office of 29, II, IV + Mine Safety and Health Administration 30, I + Occupational Safety and Health Administration 29, XVII + Public Contracts 41, 50 + Secretary of Labor, Office of 29, Subtitle A + Veterans' Employment and Training Service, 41, 61; 20, IX + Office of the Assistant Secretary for + Wage and Hour Division 29, V + Workers' Compensation Programs, Office of 20, I, VII +Labor-Management Standards, Office of 29, II, IV +Land Management, Bureau of 43, II +Legal Services Corporation 45, XVI +Library of Congress 36, VII + Copyright Royalty Board 37, III + U.S. Copyright Office 37, II +Local Television Loan Guarantee Board 7, XX +Management and Budget, Office of 5, III, LXXVII; 14, VI; + 48, 99 +Marine Mammal Commission 50, V +Maritime Administration 46, II +Merit Systems Protection Board 5, II, LXIV +Micronesian Status Negotiations, Office for 32, XXVII +Military Compensation and Retirement 5, XCIX + Modernization Commission +Millennium Challenge Corporation 22, XIII +Mine Safety and Health Administration 30, I +Minority Business Development Agency 15, XIV +Miscellaneous Agencies 1, IV +Monetary Offices 31, I +Morris K. Udall Scholarship and Excellence in 36, XVI + National Environmental Policy Foundation +Museum and Library Services, Institute of 2, XXXI +National Aeronautics and Space Administration 2, XVIII; 5, LIX; 14, V + Federal Acquisition Regulation 48, 18 +National Agricultural Library 7, XLI +National Agricultural Statistics Service 7, XXXVI +National and Community Service, Corporation for 2, XXII; 45, XII, XXV +National Archives and Records Administration 2, XXVI; 5, LXVI; 36, XII + Information Security Oversight Office 32, XX +National Capital Planning Commission 1, IV +National Commission for Employment Policy 1, IV +National Commission on Libraries and Information 45, XVII + Science +National Council on Disability 5, C; 34, XII +National Counterintelligence Center 32, XVIII +National Credit Union Administration 5, LXXXVI; 12, VII +National Crime Prevention and Privacy Compact 28, IX + Council +National Drug Control Policy, Office of 2, XXXVI; 21, III +National Endowment for the Arts 2, XXXII +National Endowment for the Humanities 2, XXXIII +National Foundation on the Arts and the 45, XI + Humanities +National Geospatial-Intelligence Agency 32, I +National Highway Traffic Safety Administration 23, II, III; 47, VI; 49, V +National Imagery and Mapping Agency 32, I +National Indian Gaming Commission 25, III +National Institute of Food and Agriculture 7, XXXIV +National Institute of Standards and Technology 15, II +National Intelligence, Office of Director of 5, IV; 32, XVII +National Labor Relations Board 5, LXI; 29, I +National Marine Fisheries Service 50, II, IV +National Mediation Board 29, X +National Oceanic and Atmospheric Administration 15, IX; 50, II, III, IV, + VI + +[[Page 552]] + +National Park Service 36, I +National Railroad Adjustment Board 29, III +National Railroad Passenger Corporation (AMTRAK) 49, VII +National Science Foundation 2, XXV; 5, XLIII; 45, VI + Federal Acquisition Regulation 48, 25 +National Security Council 32, XXI +National Security Council and Office of Science 47, II + and Technology Policy +National Telecommunications and Information 15, XXIII; 47, III, IV + Administration +National Transportation Safety Board 49, VIII +Natural Resources Conservation Service 7, VI +Natural Resource Revenue, Office of 30, XII +Navajo and Hopi Indian Relocation, Office of 25, IV +Navy Department 32, VI + Federal Acquisition Regulation 48, 52 +Neighborhood Reinvestment Corporation 24, XXV +Northeast Interstate Low-Level Radioactive Waste 10, XVIII + Commission +Nuclear Regulatory Commission 2, XX; 5, XLVIII; 10, I + Federal Acquisition Regulation 48, 20 +Occupational Safety and Health Administration 29, XVII +Occupational Safety and Health Review Commission 29, XX +Ocean Energy Management, Bureau of 30, V +Oklahoma City National Memorial Trust 36, XV +Operations Office 7, XXVIII +Overseas Private Investment Corporation 5, XXXIII; 22, VII +Patent and Trademark Office, United States 37, I +Payment From a Non-Federal Source for Travel 41, 304 + Expenses +Payment of Expenses Connected With the Death of 41, 303 + Certain Employees +Peace Corps 2, XXXVII; 22, III +Pennsylvania Avenue Development Corporation 36, IX +Pension Benefit Guaranty Corporation 29, XL +Personnel Management, Office of 5, I, XXXV; 5, IV; 45, + VIII + Human Resources Management and Labor Relations 5, XCVII + Systems, Department of Homeland Security + Federal Acquisition Regulation 48, 17 + Federal Employees Group Life Insurance Federal 48, 21 + Acquisition Regulation + Federal Employees Health Benefits Acquisition 48, 16 + Regulation +Pipeline and Hazardous Materials Safety 49, I + Administration +Postal Regulatory Commission 5, XLVI; 39, III +Postal Service, United States 5, LX; 39, I +Postsecondary Education, Office of 34, VI +President's Commission on White House 1, IV + Fellowships +Presidential Documents 3 +Presidio Trust 36, X +Prisons, Bureau of 28, V +Privacy and Civil Liberties Oversight Board 6, X +Procurement and Property Management, Office of 7, XXXII +Productivity, Technology and Innovation, 37, IV + Assistant Secretary +Public Contracts, Department of Labor 41, 50 +Public and Indian Housing, Office of Assistant 24, IX + Secretary for +Public Health Service 42, I +Railroad Retirement Board 20, II +Reclamation, Bureau of 43, I +Refugee Resettlement, Office of 45, IV +Relocation Allowances 41, 302 +Research and Innovative Technology 49, XI + Administration +Rural Business-Cooperative Service 7, XVIII, XLII +Rural Development Administration 7, XLII +Rural Housing Service 7, XVIII, XXXV +Rural Telephone Bank 7, XVI +Rural Utilities Service 7, XVII, XVIII, XLII + +[[Page 553]] + +Safety and Environmental Enforcement, Bureau of 30, II +Saint Lawrence Seaway Development Corporation 33, IV +Science and Technology Policy, Office of 32, XXIV +Science and Technology Policy, Office of, and 47, II + National Security Council +Secret Service 31, IV +Securities and Exchange Commission 5, XXXIV; 17, II +Selective Service System 32, XVI +Small Business Administration 2, XXVII; 13, I +Smithsonian Institution 36, V +Social Security Administration 2, XXIII; 20, III; 48, 23 +Soldiers' and Airmen's Home, United States 5, XI +Special Counsel, Office of 5, VIII +Special Education and Rehabilitative Services, 34, III + Office of +State Department 2, VI; 22, I; 28, XI + Federal Acquisition Regulation 48, 6 +Surface Mining Reclamation and Enforcement, 30, VII + Office of +Surface Transportation Board 49, X +Susquehanna River Basin Commission 18, VIII +Technology Administration 15, XI +Technology Policy, Assistant Secretary for 37, IV +Tennessee Valley Authority 5, LXIX; 18, XIII +Thrift Supervision Office, Department of the 12, V + Treasury +Trade Representative, United States, Office of 15, XX +Transportation, Department of 2, XII; 5, L + Commercial Space Transportation 14, III + Contract Appeals, Board of 48, 63 + Emergency Management and Assistance 44, IV + Federal Acquisition Regulation 48, 12 + Federal Aviation Administration 14, I + Federal Highway Administration 23, I, II + Federal Motor Carrier Safety Administration 49, III + Federal Railroad Administration 49, II + Federal Transit Administration 49, VI + Maritime Administration 46, II + National Highway Traffic Safety Administration 23, II, III; 47, IV; 49, V + Pipeline and Hazardous Materials Safety 49, I + Administration + Saint Lawrence Seaway Development Corporation 33, IV + Secretary of Transportation, Office of 14, II; 49, Subtitle A + Surface Transportation Board 49, X + Transportation Statistics Bureau 49, XI +Transportation, Office of 7, XXXIII +Transportation Security Administration 49, XII +Transportation Statistics Bureau 49, XI +Travel Allowances, Temporary Duty (TDY) 41, 301 +Treasury Department 2, X;5, XXI; 12, XV; 17, + IV; 31, IX + Alcohol and Tobacco Tax and Trade Bureau 27, I + Community Development Financial Institutions 12, XVIII + Fund + Comptroller of the Currency 12, I + Customs and Border Protection 19, I + Engraving and Printing, Bureau of 31, VI + Federal Acquisition Regulation 48, 10 + Federal Claims Collection Standards 31, IX + Federal Law Enforcement Training Center 31, VII + Financial Crimes Enforcement Network 31, X + Fiscal Service 31, II + Foreign Assets Control, Office of 31, V + Internal Revenue Service 26, I + Investment Security, Office of 31, VIII + Monetary Offices 31, I + Secret Service 31, IV + Secretary of the Treasury, Office of 31, Subtitle A + Thrift Supervision, Office of 12, V +Truman, Harry S. Scholarship Foundation 45, XVIII +United States and Canada, International Joint 22, IV + Commission +United States and Mexico, International Boundary 22, XI + and Water Commission, United States Section +[[Page 554]] + +U.S. Copyright Office 37, II +Utah Reclamation Mitigation and Conservation 43, III + Commission +Veterans Affairs Department 2, VIII; 38, I + Federal Acquisition Regulation 48, 8 +Veterans' Employment and Training Service, 41, 61; 20, IX + Office of the Assistant Secretary for +Vice President of the United States, Office of 32, XXVIII +Wage and Hour Division 29, V +Water Resources Council 18, VI +Workers' Compensation Programs, Office of 20, I, VII +World Agricultural Outlook Board 7, XXXVIII + +[[Page 555]] + + + +List of CFR Sections Affected + + + +All changes in this volume of the Code of Federal Regulations (CFR) that +were made by documents published in the Federal Register since January +1, 2011 are enumerated in the following list. Entries indicate the +nature of the changes effected. Page numbers refer to Federal Register +pages. The user should consult the entries for chapters, parts and +subparts as well as sections for revisions. +For changes to this volume of the CFR prior to this listing, consult the +annual edition of the monthly List of CFR Sections Affected (LSA). The +LSA is available at www.fdsys.gov. For changes to this volume of the CFR +prior to 2001, see the ``List of CFR Sections Affected, 1949-1963, 1964- +1972, 1973-1985, and 1986-2000'' published in 11 separate volumes. The +``List of CFR Sections Affected 1986-2000'' is available at +www.fdsys.gov. + + 2011 + +21 CFR + 76 FR + Page +Chapter I +Policy statement............................................58398, 61565 +1 Regulation at 75 FR 73953 confirmed..............................12563 +1.1 Regulation at 75 FR 73953 confirmed............................12563 +1.20 Regulation at 75 FR 73953 confirmed...........................12563 +1.281 (a)(18), (b)(12) and (c)(19) added; interim..................25545 +1.378 Revised; interim.............................................25541 +1.393 (a) revised; interim.........................................25541 +5.111 (b) revised..................................................31469 +10.85 (d)(4) amended...............................................31469 +10.90 (d) amended..................................................31469 +10.95 Amended......................................................31469 +14.55 Regulation at 75 FR 73953 confirmed..........................12563 +14.65 (c) amended..................................................31469 +14.100 (c)(15) revised.............................................45403 + (c)(1) heading and (ii) amended................................53817 +16.1 (b)(2) amended................................................38974 +17.1 Regulation at 75 FR 73953 confirmed...........................12563 +17.2 Regulation at 75 FR 73954 confirmed...........................12563 +19.10 (d) introductory text amended................................31469 +20.3 (b) revised...................................................31469 +20.26 (b) revised..................................................31469 +20.30 Revised......................................................31469 +20.40 (a) revised; (c) amended.....................................31469 +20.41 (a), (b) introductory text and (c) amended...................31469 +20.107 (a) amended.................................................31469 +20.108 Amended.....................................................31470 +20.120 (a), (b) introductory text and (4) revised..................31470 +21.32 (b)(2) amended...............................................31470 +21.40 (b) amended..................................................31470 +21.41 Amended......................................................31470 +21.43 (a)(2) amended...............................................31470 +25.32 (p) revised..................................................59248 +50.23 (e)(3) revised...............................................36993 +50.25 (c) and (d) redesignated as (d) and (e); new (c) added.........270 +73.3129 Added......................................................25235 + Regulation at 76 FR 25235 eff. date confirmed..................59503 + + 2012 + +21 CFR + 77 FR + Page +Chapter I +1 Authority citation revised........................................5176 + Policy statement........................................10662, 74582 +1.21 (a) introductory text and (c)(1) revised.......................5176 +1.101 (a) and (b) heading revised...................................5176 +1.361 Revised; interim.............................................10662 +5 Revised..........................................................15962 +7.3 (f) amended.....................................................5176 +16 Policy statement................................................50372 + +[[Page 556]] + +16.1 (b)(1) amended.................................................5176 + (b)(2) amended.................................................25358 +20.108 (c) removed; (d) redesignated as new (c); (b) and new (c) + revised; eff. 8-6-12.......................................16925 + Regulation at 77 FR 16925 withdrawn............................38173 + (c) removed; (d) redesignated as new (c); (b) and new (c) +revised............................................................50591 +21.61 (d) added....................................................51912 +74.1306 (b) amended................................................39923 + Regulation at 77 FR 39923 confirmed............................55693 +74.1307 (b) amended................................................39923 + Regulation at 77 FR 39923 confirmed............................55693 +74 Appendix A removed..............................................39923 + Regulation at 77 FR 39923 confirmed............................55693 + + 2013 + +21 CFR + 78 FR + Page +Chapter I +1 Authority citation revised.......................................69543 +1.1 (c) amended....................................................69543 +1.20 Introductory text corrected; CFR correction...................54568 + Introductory text revised......................................69543 +1.281 Regulation at 76 FR 25545 confirmed..........................32362 +1.378 Regulation at 76 FR 25541 confirmed...........................7997 +1.393 Regulation at 76 FR 25541 confirmed...........................7997 +4 Added; eff. 7-22-13...............................................4321 +10.30 (b), (c), (d), (e)(3) and (g) revised........................76749 +14 Amended.........................................................17087 +14.1 (a) introductory text, (2)(vii) and (f) revised...............17087 +14.22 (b)(6) and (i)(4) revised....................................17087 +14.55 (d) removed; (e) and (f) redesignated (d) and (e); (c) and + new (d) revised............................................17087 +14.65 (a) revised..................................................17087 +14.100 (f) removed; (g) redesignated as (f)........................69992 +14.120 Amended.....................................................17087 +14.122 (a)(2) and (b) amended......................................17087 +14.125 (c) amended.................................................17087 +14.130 (a) amended.................................................17087 +16.1 (b)(2) amended................................................58817 +21.61 Regulation at 77 FR 51912 withdrawn...........................2892 + (d) added......................................................39186 +50.3 (n), (r) and (s) revised......................................12950 +50.51 Revised......................................................12951 +50.52 Introductory text revised....................................12951 +50.53 Introductory text revised....................................12951 +50.54 (a) revised..................................................12951 +50.55 (e) revised..................................................12951 +56.106 (d) correctly revised.......................................16401 +56.107 (a) correctly amended.......................................16401 +56.109 (h) amended.................................................12951 +73 Technical correction............................................42451 +73.350 (c)(1) revised..............................................35117 + Regulation at 78 FR 35117 confirmed............................54758 +73.530 Added.......................................................49120 + Regulation at 78 FR 49120 confirmed............................68713 +73.3100 Heading and (a) revised....................................19415 + Regulation at 78 FR 19415 eff. date confirmed..................37962 +73.3106 (a) revised................................................19415 + Regulation at 78 FR 19415 eff. date confirmed..................37962 +73.3129 Heading revised; (a) amended...............................14664 + + 2014 + +21 CFR + 79 FR + Page +Chapter I +1 Authority citation revised.......................................30719 +1.361 Regulation at 77 FR 10662 confirmed..........................18799 +1.980 (Subpart Q) Added............................................30719 +5.1110 (b) revised.................................................68114 +10.85 (d)(4) amended...............................................68114 +10.90 (d) amended..................................................68114 +10.95 (b)(2), (c)(2), (d)(2), (7) and (8) amended..................68114 +11.1 (g) added; eff. 12-1-15.......................................71253 + (h) added; eff. 12-1-16........................................71291 +14.65 (c) amended..................................................68114 +14.100 (c)(18) revised..............................................2094 + (c)(9) heading and (ii) revised................................20095 +16 Authority citation revised......................................30721 +16.1 (b)(1) amended................................................30721 +17.2 Revised; eff. 6-18-14..........................................6090 + Regulation at 79 FR 6090 eff. date confirmed...................32643 +17.5 (a) revised; eff. 6-18-14......................................6092 + Regulation at 79 FR 6090 eff. date confirmed...................32643 +20.3 (b) amended...................................................68114 +20.26 (b) revised..................................................68114 +20.30 (a) amended..................................................68115 +20.40 (a) revised..................................................68115 + +[[Page 557]] + +20.107 (a) amended.................................................68115 +20.120 (a) revised.................................................68115 +21.32 (b)(2) amended...............................................68115 +21.40 (b) amended..................................................68115 +21.41 (c) and (e) amended..........................................68115 +21.43 (a)(2) amended...............................................68115 +21.52 (a) amended..................................................68115 +73.530 (c) revised.................................................20098 + Regulation at 79 FR 20098 eff. date confirmed..................33431 + + 2015 + +21 CFR + 80 FR + Page +Chapter I +1 Technical correction.............................................22403 + Compliance date clarification..................................71934 + Authority citation revised..............................74340, 74650 +1.94 Revised.......................................................55242 +1.101 (d)(2)(i) amended............................................18090 +1.227 Revised......................................................56141 +1.241 (a) revised..................................................56143 +1.276 (b)(9) revised...............................................56143 +1.328 Amended......................................................56143 +1.363 Revised......................................................56144 +1.500--1.514 (Subpart L) Added.....................................74340 +1.600--1.695 (Subpart M) Added.....................................74650 +11 Compliance date clarification...................................71934 +11 Policy statement................................................13225 +11.1 Regulation at 79 FR 71253 and 71291 compliance date extended + 39675 + (i) added......................................................56144 + (j) added......................................................56336 + (l) added......................................................74352 + (k) added......................................................74547 + (m) added......................................................74667 +14.100 (c)(3) removed; (c)(4) through (18) redesignated as new + (c)(3) through (17)........................................14839 + (c)(2) introductory text revised...............................18307 +16 Technical correction............................................22403 + Authority citation revised.....................................42723 + Compliance date clarification..................................71934 +16.1 (b)(2) amended.........................................56144, 56336 + (b)(1) and (2) amended.........................................74547 + (b)(2) amended.................................................74667 +20.100 (c)(45) added...............................................38938 +25 Technical correction............................................70679 +25.15 (a), (c) and (d) amended.....................................57535 +25.20 Introductory text revised; (o) and (p) added.................57535 +25.30 Introductory text amended....................................57535 +25.35 Added........................................................57535 +25.40 (a) amended..................................................57535 +25.50 (b) amended..................................................57535 +25.52 (a) amended; (b) and (c) revised.............................57535 +26.1--26.21 (Subpart A) Appendix E amended.........................18090 +73.200 (b)(1) and (c)(1) revised...................................14842 + Regulation at 80 FR 14842 eff. date confirmed..................31466 +73.350 (c)(1)(ii) revised; (c)(1)(iii) added.......................32307 + Regulation at 80 FR 32307 confirmed............................46190 + (c)(1)(ii)(A) revised..........................................58602 + Regulation at 80 FR 58602 eff. date confirmed..................76859 +73.530 (c) revised.................................................50765 + Regulation at 80 FR 50765 eff. date confirmed..................66415 +73.1530 Added......................................................50765 + Regulation at 80 FR 50765 eff. date confirmed..................66415 +99.201 (c)(1) amended..............................................18090 + + 2016 + + (Regulations published from January 1, 2016, through April 1, 2016) + +21 CFR + 81 FR + Page +Chapter I +1 Meeting...........................................................9761 +1.227 Amended.......................................................3715 +1.328 Amended.......................................................3715 +11 Meeting..........................................................9761 +14.100 (c)(15) heading revised.....................................11663 + (d)(5) added...................................................14976 +16 Meeting..........................................................9761 +73.165 (b) amended..................................................5590 +73.585 (b) amended..................................................5590 + + + [all] \ No newline at end of file diff --git a/tests/pseudo_corpus/data/clean/moby.txt b/tests/pseudo_corpus/data/clean/moby.txt new file mode 100644 index 0000000..c2fc86f --- /dev/null +++ b/tests/pseudo_corpus/data/clean/moby.txt @@ -0,0 +1,5157 @@ +CHAPTER 1. Loomings. + +Call me Ishmael. Some years ago—never mind how long precisely—having little or no money in my purse, and nothing particular to interest me on shore, I thought I would sail about a little and see the watery part of the world. It is a way I have of driving off the spleen and regulating the circulation. Whenever I find myself growing grim about the mouth; whenever it is a damp, drizzly November in my soul; whenever I find myself involuntarily pausing before coffin warehouses, and bringing up the rear of every funeral I meet; and especially whenever my hypos get such an upper hand of me, that it requires a strong moral principle to prevent me from deliberately stepping into the street, and methodically knocking people’s hats off—then, I account it high time to get to sea as soon as I can. This is my substitute for pistol and ball. With a philosophical flourish Cato throws himself upon his sword; I quietly take to the ship. There is nothing surprising in this. If they but knew it, almost all men in their degree, some time or other, cherish very nearly the same feelings towards the ocean with me. + +There now is your insular city of the Manhattoes, belted round by wharves as Indian isles by coral reefs—commerce surrounds it with her surf. Right and left, the streets take you waterward. Its extreme downtown is the battery, where that noble mole is washed by waves, and cooled by breezes, which a few hours previous were out of sight of land. Look at the crowds of water-gazers there. + +Circumambulate the city of a dreamy Sabbath afternoon. Go from Corlears Hook to Coenties Slip, and from thence, by Whitehall, northward. What do you see?—Posted like silent sentinels all around the town, stand thousands upon thousands of mortal men fixed in ocean reveries. Some leaning against the spiles; some seated upon the pier-heads; some looking over the bulwarks of ships from China; some high aloft in the rigging, as if striving to get a still better seaward peep. But these are all landsmen; of week days pent up in lath and plaster—tied to counters, nailed to benches, clinched to desks. How then is this? Are the green fields gone? What do they here? + +The transition is a keen one, I assure you, from a schoolmaster to a sailor, and requires a strong decoction of Seneca and the Stoics to enable you to grin and bear it. +But look! here come more crowds, pacing straight for the water, and seemingly bound for a dive. Strange! Nothing will content them but the extremest limit of the land; loitering under the shady lee of yonder warehouses will not suffice. No. They must get just as nigh the water as they possibly can without falling in. And there they stand—miles of them—leagues. Inlanders all, they come from lanes and alleys, streets and avenues—north, east, south, and west. Yet here they all unite. Tell me, does the magnetic virtue of the needles of the compasses of all those ships attract them thither? + +Once more. Say you are in the country; in some high land of lakes. Take almost any path you please, and ten to one it carries you down in a dale, and leaves you there by a pool in the stream. There is magic in it. Let the most absent-minded of men be plunged in his deepest reveries—stand that man on his legs, set his feet a-going, and he will infallibly lead you to water, if water there be in all that region. Should you ever be athirst in the great American desert, try this experiment, if your caravan happen to be supplied with a metaphysical professor. Yes, as every one knows, meditation and water are wedded for ever. + +But here is an artist. He desires to paint you the dreamiest, shadiest, quietest, most enchanting bit of romantic landscape in all the valley of the Saco. What is the chief element he employs? There stand his trees, each with a hollow trunk, as if a hermit and a crucifix were within; and here sleeps his meadow, and there sleep his cattle; and up from yonder cottage goes a sleepy smoke. Deep into distant woodlands winds a mazy way, reaching to overlapping spurs of mountains bathed in their hill-side blue. But though the picture lies thus tranced, and though this pine-tree shakes down its sighs like leaves upon this shepherd’s head, yet all were vain, unless the shepherd’s eye were fixed upon the magic stream before him. Go visit the Prairies in June, when for scores on scores of miles you wade knee-deep among Tiger-lilies—what is the one charm wanting?—Water—there is not a drop of water there! Were Niagara but a cataract of sand, would you travel your thousand miles to see it? Why did the poor poet of Tennessee, upon suddenly receiving two handfuls of silver, deliberate whether to buy him a coat, which he sadly needed, or invest his money in a pedestrian trip to Rockaway Beach? Why is almost every robust healthy boy with a robust healthy soul in him, at some time or other crazy to go to sea? Why upon your first voyage as a passenger, did you yourself feel such a mystical vibration, when first told that you and your ship were now out of sight of land? Why did the old Persians hold the sea holy? Why did the Greeks give it a separate deity, and own brother of Jove? Surely all this is not without meaning. And still deeper the meaning of that story of Narcissus, who because he could not grasp the tormenting, mild image he saw in the fountain, plunged into it and was drowned. But that same image, we ourselves see in all rivers and oceans. It is the image of the ungraspable phantom of life; and this is the key to it all. + +Now, when I say that I am in the habit of going to sea whenever I begin to grow hazy about the eyes, and begin to be over conscious of my lungs, I do not mean to have it inferred that I ever go to sea as a passenger. For to go as a passenger you must needs have a purse, and a purse is but a rag unless you have something in it. Besides, passengers get sea-sick—grow quarrelsome—don’t sleep of nights—do not enjoy themselves much, as a general thing;—no, I never go as a passenger; nor, though I am something of a salt, do I ever go to sea as a Commodore, or a Captain, or a Cook. I abandon the glory and distinction of such offices to those who like them. For my part, I abominate all honourable respectable toils, trials, and tribulations of every kind whatsoever. It is quite as much as I can do to take care of myself, without taking care of ships, barques, brigs, schooners, and what not. And as for going as cook,—though I confess there is considerable glory in that, a cook being a sort of officer on ship-board—yet, somehow, I never fancied broiling fowls;—though once broiled, judiciously buttered, and judgmatically salted and peppered, there is no one who will speak more respectfully, not to say reverentially, of a broiled fowl than I will. It is out of the idolatrous dotings of the old Egyptians upon broiled ibis and roasted river horse, that you see the mummies of those creatures in their huge bake-houses the pyramids. + +No, when I go to sea, I go as a simple sailor, right before the mast, plumb down into the forecastle, aloft there to the royal mast-head. True, they rather order me about some, and make me jump from spar to spar, like a grasshopper in a May meadow. And at first, this sort of thing is unpleasant enough. It touches one’s sense of honour, particularly if you come of an old established family in the land, the Van Rensselaers, or Randolphs, or Hardicanutes. And more than all, if just previous to putting your hand into the tar-pot, you have been lording it as a country schoolmaster, making the tallest boys stand in awe of you. The transition is a keen one, I assure you, from a schoolmaster to a sailor, and requires a strong decoction of Seneca and the Stoics to enable you to grin and bear it. But even this wears off in time. + +What of it, if some old hunks of a sea-captain orders me to get a broom and sweep down the decks? What does that indignity amount to, weighed, I mean, in the scales of the New Testament? Do you think the archangel Gabriel thinks anything the less of me, because I promptly and respectfully obey that old hunks in that particular instance? Who ain’t a slave? Tell me that. Well, then, however the old sea-captains may order me about—however they may thump and punch me about, I have the satisfaction of knowing that it is all right; that everybody else is one way or other served in much the same way—either in a physical or metaphysical point of view, that is; and so the universal thump is passed round, and all hands should rub each other’s shoulder-blades, and be content. + +Again, I always go to sea as a sailor, because they make a point of paying me for my trouble, whereas they never pay passengers a single penny that I ever heard of. On the contrary, passengers themselves must pay. And there is all the difference in the world between paying and being paid. The act of paying is perhaps the most uncomfortable infliction that the two orchard thieves entailed upon us. But BEING PAID,—what will compare with it? The urbane activity with which a man receives money is really marvellous, considering that we so earnestly believe money to be the root of all earthly ills, and that on no account can a monied man enter heaven. Ah! how cheerfully we consign ourselves to perdition! + +Finally, I always go to sea as a sailor, because of the wholesome exercise and pure air of the fore-castle deck. For as in this world, head winds are far more prevalent than winds from astern (that is, if you never violate the Pythagorean maxim), so for the most part the Commodore on the quarter-deck gets his atmosphere at second hand from the sailors on the forecastle. He thinks he breathes it first; but not so. In much the same way do the commonalty lead their leaders in many other things, at the same time that the leaders little suspect it. But wherefore it was that after having repeatedly smelt the sea as a merchant sailor, I should now take it into my head to go on a whaling voyage; this the invisible police officer of the Fates, who has the constant surveillance of me, and secretly dogs me, and influences me in some unaccountable way—he can better answer than any one else. And, doubtless, my going on this whaling voyage, formed part of the grand programme of Providence that was drawn up a long time ago. It came in as a sort of brief interlude and solo between more extensive performances. I take it that this part of the bill must have run something like this: + +“GRAND CONTESTED ELECTION FOR THE PRESIDENCY OF THE UNITED STATES. “WHALING VOYAGE BY ONE ISHMAEL. “BLOODY BATTLE IN AFFGHANISTAN.” + +Though I cannot tell why it was exactly that those stage managers, the Fates, put me down for this shabby part of a whaling voyage, when others were set down for magnificent parts in high tragedies, and short and easy parts in genteel comedies, and jolly parts in farces—though I cannot tell why this was exactly; yet, now that I recall all the circumstances, I think I can see a little into the springs and motives which being cunningly presented to me under various disguises, induced me to set about performing the part I did, besides cajoling me into the delusion that it was a choice resulting from my own unbiased freewill and discriminating judgment. + +Chief among these motives was the overwhelming idea of the great whale himself. Such a portentous and mysterious monster roused all my curiosity. Then the wild and distant seas where he rolled his island bulk; the undeliverable, nameless perils of the whale; these, with all the attending marvels of a thousand Patagonian sights and sounds, helped to sway me to my wish. With other men, perhaps, such things would not have been inducements; but as for me, I am tormented with an everlasting itch for things remote. I love to sail forbidden seas, and land on barbarous coasts. Not ignoring what is good, I am quick to perceive a horror, and could still be social with it—would they let me—since it is but well to be on friendly terms with all the inmates of the place one lodges in. + +By reason of these things, then, the whaling voyage was welcome; the great flood-gates of the wonder-world swung open, and in the wild conceits that swayed me to my purpose, two and two there floated into my inmost soul, endless processions of the whale, and, mid most of them all, one grand hooded phantom, like a snow hill in the air. + +CHAPTER 2. The Carpet-Bag. + +I stuffed a shirt or two into my old carpet-bag, tucked it under my arm, and started for Cape Horn and the Pacific. Quitting the good city of old Manhatto, I duly arrived in New Bedford. It was a Saturday night in December. Much was I disappointed upon learning that the little packet for Nantucket had already sailed, and that no way of reaching that place would offer, till the following Monday. + +As most young candidates for the pains and penalties of whaling stop at this same New Bedford, thence to embark on their voyage, it may as well be related that I, for one, had no idea of so doing. For my mind was made up to sail in no other than a Nantucket craft, because there was a fine, boisterous something about everything connected with that famous old island, which amazingly pleased me. Besides though New Bedford has of late been gradually monopolising the business of whaling, and though in this matter poor old Nantucket is now much behind her, yet Nantucket was her great original—the Tyre of this Carthage;—the place where the first dead American whale was stranded. Where else but from Nantucket did those aboriginal whalemen, the Red-Men, first sally out in canoes to give chase to the Leviathan? And where but from Nantucket, too, did that first adventurous little sloop put forth, partly laden with imported cobblestones—so goes the story—to throw at the whales, in order to discover when they were nigh enough to risk a harpoon from the bowsprit? + +Now having a night, a day, and still another night following before me in New Bedford, ere I could embark for my destined port, it became a matter of concernment where I was to eat and sleep meanwhile. It was a very dubious-looking, nay, a very dark and dismal night, bitingly cold and cheerless. I knew no one in the place. With anxious grapnels I had sounded my pocket, and only brought up a few pieces of silver,—So, wherever you go, Ishmael, said I to myself, as I stood in the middle of a dreary street shouldering my bag, and comparing the gloom towards the north with the darkness towards the south—wherever in your wisdom you may conclude to lodge for the night, my dear Ishmael, be sure to inquire the price, and don’t be too particular. + +As most young candidates for the pains and penalties of whaling stop at this same New Bedford, thence to embark on their voyage, it may as well be related that I, for one, had no idea of so doing. +With halting steps I paced the streets, and passed the sign of “The Crossed Harpoons”—but it looked too expensive and jolly there. Further on, from the bright red windows of the “Sword-Fish Inn,” there came such fervent rays, that it seemed to have melted the packed snow and ice from before the house, for everywhere else the congealed frost lay ten inches thick in a hard, asphaltic pavement,—rather weary for me, when I struck my foot against the flinty projections, because from hard, remorseless service the soles of my boots were in a most miserable plight. Too expensive and jolly, again thought I, pausing one moment to watch the broad glare in the street, and hear the sounds of the tinkling glasses within. But go on, Ishmael, said I at last; don’t you hear? get away from before the door; your patched boots are stopping the way. So on I went. I now by instinct followed the streets that took me waterward, for there, doubtless, were the cheapest, if not the cheeriest inns. + +Such dreary streets! blocks of blackness, not houses, on either hand, and here and there a candle, like a candle moving about in a tomb. At this hour of the night, of the last day of the week, that quarter of the town proved all but deserted. But presently I came to a smoky light proceeding from a low, wide building, the door of which stood invitingly open. It had a careless look, as if it were meant for the uses of the public; so, entering, the first thing I did was to stumble over an ash-box in the porch. Ha! thought I, ha, as the flying particles almost choked me, are these ashes from that destroyed city, Gomorrah? But “The Crossed Harpoons,” and “The Sword-Fish?”—this, then must needs be the sign of “The Trap.” However, I picked myself up and hearing a loud voice within, pushed on and opened a second, interior door. + +It seemed the great Black Parliament sitting in Tophet. A hundred black faces turned round in their rows to peer; and beyond, a black Angel of Doom was beating a book in a pulpit. It was a negro church; and the preacher’s text was about the blackness of darkness, and the weeping and wailing and teeth-gnashing there. Ha, Ishmael, muttered I, backing out, Wretched entertainment at the sign of ‘The Trap!’ + +Moving on, I at last came to a dim sort of light not far from the docks, and heard a forlorn creaking in the air; and looking up, saw a swinging sign over the door with a white painting upon it, faintly representing a tall straight jet of misty spray, and these words underneath—”The Spouter Inn:—Peter Coffin.” + +Coffin?—Spouter?—Rather ominous in that particular connexion, thought I. But it is a common name in Nantucket, they say, and I suppose this Peter here is an emigrant from there. As the light looked so dim, and the place, for the time, looked quiet enough, and the dilapidated little wooden house itself looked as if it might have been carted here from the ruins of some burnt district, and as the swinging sign had a poverty-stricken sort of creak to it, I thought that here was the very spot for cheap lodgings, and the best of pea coffee. + +It was a queer sort of place—a gable-ended old house, one side palsied as it were, and leaning over sadly. It stood on a sharp bleak corner, where that tempestuous wind Euroclydon kept up a worse howling than ever it did about poor Paul’s tossed craft. Euroclydon, nevertheless, is a mighty pleasant zephyr to any one in-doors, with his feet on the hob quietly toasting for bed. “In judging of that tempestuous wind called Euroclydon,” says an old writer—of whose works I possess the only copy extant—”it maketh a marvellous difference, whether thou lookest out at it from a glass window where the frost is all on the outside, or whether thou observest it from that sashless window, where the frost is on both sides, and of which the wight Death is the only glazier.” True enough, thought I, as this passage occurred to my mind—old black-letter, thou reasonest well. Yes, these eyes are windows, and this body of mine is the house. What a pity they didn’t stop up the chinks and the crannies though, and thrust in a little lint here and there. But it’s too late to make any improvements now. The universe is finished; the copestone is on, and the chips were carted off a million years ago. Poor Lazarus there, chattering his teeth against the curbstone for his pillow, and shaking off his tatters with his shiverings, he might plug up both ears with rags, and put a corn-cob into his mouth, and yet that would not keep out the tempestuous Euroclydon. Euroclydon! says old Dives, in his red silken wrapper—(he had a redder one afterwards) pooh, pooh! What a fine frosty night; how Orion glitters; what northern lights! Let them talk of their oriental summer climes of everlasting conservatories; give me the privilege of making my own summer with my own coals. + +But what thinks Lazarus? Can he warm his blue hands by holding them up to the grand northern lights? Would not Lazarus rather be in Sumatra than here? Would he not far rather lay him down lengthwise along the line of the equator; yea, ye gods! go down to the fiery pit itself, in order to keep out this frost? + +Now, that Lazarus should lie stranded there on the curbstone before the door of Dives, this is more wonderful than that an iceberg should be moored to one of the Moluccas. Yet Dives himself, he too lives like a Czar in an ice palace made of frozen sighs, and being a president of a temperance society, he only drinks the tepid tears of orphans. + +But no more of this blubbering now, we are going a-whaling, and there is plenty of that yet to come. Let us scrape the ice from our frosted feet, and see what sort of a place this “Spouter” may be. + +CHAPTER 3. The Spouter-Inn. + +Entering that gable-ended Spouter-Inn, you found yourself in a wide, low, straggling entry with old-fashioned wainscots, reminding one of the bulwarks of some condemned old craft. On one side hung a very large oilpainting so thoroughly besmoked, and every way defaced, that in the unequal crosslights by which you viewed it, it was only by diligent study and a series of systematic visits to it, and careful inquiry of the neighbors, that you could any way arrive at an understanding of its purpose. Such unaccountable masses of shades and shadows, that at first you almost thought some ambitious young artist, in the time of the New England hags, had endeavored to delineate chaos bewitched. But by dint of much and earnest contemplation, and oft repeated ponderings, and especially by throwing open the little window towards the back of the entry, you at last come to the conclusion that such an idea, however wild, might not be altogether unwarranted. + +But what most puzzled and confounded you was a long, limber, portentous, black mass of something hovering in the centre of the picture over three blue, dim, perpendicular lines floating in a nameless yeast. A boggy, soggy, squitchy picture truly, enough to drive a nervous man distracted. Yet was there a sort of indefinite, half-attained, unimaginable sublimity about it that fairly froze you to it, till you involuntarily took an oath with yourself to find out what that marvellous painting meant. Ever and anon a bright, but, alas, deceptive idea would dart you through.—It’s the Black Sea in a midnight gale.—It’s the unnatural combat of the four primal elements.—It’s a blasted heath.—It’s a Hyperborean winter scene.—It’s the breaking-up of the icebound stream of Time. But at last all these fancies yielded to that one portentous something in the picture’s midst. THAT once found out, and all the rest were plain. But stop; does it not bear a faint resemblance to a gigantic fish? even the great leviathan himself? + +In fact, the artist’s design seemed this: a final theory of my own, partly based upon the aggregated opinions of many aged persons with whom I conversed upon the subject. The picture represents a Cape-Horner in a great hurricane; the half-foundered ship weltering there with its three dismantled masts alone visible; and an exasperated whale, purposing to spring clean over the craft, is in the enormous act of impaling himself upon the three mast-heads. + +I turned in, and never slept better in my life. +The opposite wall of this entry was hung all over with a heathenish array of monstrous clubs and spears. Some were thickly set with glittering teeth resembling ivory saws; others were tufted with knots of human hair; and one was sickle-shaped, with a vast handle sweeping round like the segment made in the new-mown grass by a long-armed mower. You shuddered as you gazed, and wondered what monstrous cannibal and savage could ever have gone a death-harvesting with such a hacking, horrifying implement. Mixed with these were rusty old whaling lances and harpoons all broken and deformed. Some were storied weapons. With this once long lance, now wildly elbowed, fifty years ago did Nathan Swain kill fifteen whales between a sunrise and a sunset. And that harpoon—so like a corkscrew now—was flung in Javan seas, and run away with by a whale, years afterwards slain off the Cape of Blanco. The original iron entered nigh the tail, and, like a restless needle sojourning in the body of a man, travelled full forty feet, and at last was found imbedded in the hump. + +Crossing this dusky entry, and on through yon low-arched way—cut through what in old times must have been a great central chimney with fireplaces all round—you enter the public room. A still duskier place is this, with such low ponderous beams above, and such old wrinkled planks beneath, that you would almost fancy you trod some old craft’s cockpits, especially of such a howling night, when this corner-anchored old ark rocked so furiously. On one side stood a long, low, shelf-like table covered with cracked glass cases, filled with dusty rarities gathered from this wide world’s remotest nooks. Projecting from the further angle of the room stands a dark-looking den—the bar—a rude attempt at a right whale’s head. Be that how it may, there stands the vast arched bone of the whale’s jaw, so wide, a coach might almost drive beneath it. Within are shabby shelves, ranged round with old decanters, bottles, flasks; and in those jaws of swift destruction, like another cursed Jonah (by which name indeed they called him), bustles a little withered old man, who, for their money, dearly sells the sailors deliriums and death. + +Abominable are the tumblers into which he pours his poison. Though true cylinders without—within, the villanous green goggling glasses deceitfully tapered downwards to a cheating bottom. Parallel meridians rudely pecked into the glass, surround these footpads’ goblets. Fill to THIS mark, and your charge is but a penny; to THIS a penny more; and so on to the full glass—the Cape Horn measure, which you may gulp down for a shilling. + +Upon entering the place I found a number of young seamen gathered about a table, examining by a dim light divers specimens of SKRIMSHANDER. I sought the landlord, and telling him I desired to be accommodated with a room, received for answer that his house was full—not a bed unoccupied. “But avast,” he added, tapping his forehead, “you haint no objections to sharing a harpooneer’s blanket, have ye? I s’pose you are goin’ a-whalin’, so you’d better get used to that sort of thing.” + +I told him that I never liked to sleep two in a bed; that if I should ever do so, it would depend upon who the harpooneer might be, and that if he (the landlord) really had no other place for me, and the harpooneer was not decidedly objectionable, why rather than wander further about a strange town on so bitter a night, I would put up with the half of any decent man’s blanket. + +“I thought so. All right; take a seat. Supper?—you want supper? Supper’ll be ready directly.” + +I sat down on an old wooden settle, carved all over like a bench on the Battery. At one end a ruminating tar was still further adorning it with his jack-knife, stooping over and diligently working away at the space between his legs. He was trying his hand at a ship under full sail, but he didn’t make much headway, I thought. + +At last some four or five of us were summoned to our meal in an adjoining room. It was cold as Iceland—no fire at all—the landlord said he couldn’t afford it. Nothing but two dismal tallow candles, each in a winding sheet. We were fain to button up our monkey jackets, and hold to our lips cups of scalding tea with our half frozen fingers. But the fare was of the most substantial kind—not only meat and potatoes, but dumplings; good heavens! dumplings for supper! One young fellow in a green box coat, addressed himself to these dumplings in a most direful manner. + +“My boy,” said the landlord, “you’ll have the nightmare to a dead sartainty.” + +“Landlord,” I whispered, “that aint the harpooneer is it?” + +“Oh, no,” said he, looking a sort of diabolically funny, “the harpooneer is a dark complexioned chap. He never eats dumplings, he don’t—he eats nothing but steaks, and he likes ‘em rare.” + +“The devil he does,” says I. “Where is that harpooneer? Is he here?” + +“He’ll be here afore long,” was the answer. + +I could not help it, but I began to feel suspicious of this “dark complexioned” harpooneer. At any rate, I made up my mind that if it so turned out that we should sleep together, he must undress and get into bed before I did. + +Supper over, the company went back to the bar-room, when, knowing not what else to do with myself, I resolved to spend the rest of the evening as a looker on. + +Presently a rioting noise was heard without. Starting up, the landlord cried, “That’s the Grampus’s crew. I seed her reported in the offing this morning; a three years’ voyage, and a full ship. Hurrah, boys; now we’ll have the latest news from the Feegees.” + +A tramping of sea boots was heard in the entry; the door was flung open, and in rolled a wild set of mariners enough. Enveloped in their shaggy watch coats, and with their heads muffled in woollen comforters, all bedarned and ragged, and their beards stiff with icicles, they seemed an eruption of bears from Labrador. They had just landed from their boat, and this was the first house they entered. No wonder, then, that they made a straight wake for the whale’s mouth—the bar—when the wrinkled little old Jonah, there officiating, soon poured them out brimmers all round. One complained of a bad cold in his head, upon which Jonah mixed him a pitch-like potion of gin and molasses, which he swore was a sovereign cure for all colds and catarrhs whatsoever, never mind of how long standing, or whether caught off the coast of Labrador, or on the weather side of an ice-island. + +The liquor soon mounted into their heads, as it generally does even with the arrantest topers newly landed from sea, and they began capering about most obstreperously. + +I observed, however, that one of them held somewhat aloof, and though he seemed desirous not to spoil the hilarity of his shipmates by his own sober face, yet upon the whole he refrained from making as much noise as the rest. This man interested me at once; and since the sea-gods had ordained that he should soon become my shipmate (though but a sleeping-partner one, so far as this narrative is concerned), I will here venture upon a little description of him. He stood full six feet in height, with noble shoulders, and a chest like a coffer-dam. I have seldom seen such brawn in a man. His face was deeply brown and burnt, making his white teeth dazzling by the contrast; while in the deep shadows of his eyes floated some reminiscences that did not seem to give him much joy. His voice at once announced that he was a Southerner, and from his fine stature, I thought he must be one of those tall mountaineers from the Alleghanian Ridge in Virginia. When the revelry of his companions had mounted to its height, this man slipped away unobserved, and I saw no more of him till he became my comrade on the sea. In a few minutes, however, he was missed by his shipmates, and being, it seems, for some reason a huge favourite with them, they raised a cry of “Bulkington! Bulkington! where’s Bulkington?” and darted out of the house in pursuit of him. + +It was now about nine o’clock, and the room seeming almost supernaturally quiet after these orgies, I began to congratulate myself upon a little plan that had occurred to me just previous to the entrance of the seamen. + +No man prefers to sleep two in a bed. In fact, you would a good deal rather not sleep with your own brother. I don’t know how it is, but people like to be private when they are sleeping. And when it comes to sleeping with an unknown stranger, in a strange inn, in a strange town, and that stranger a harpooneer, then your objections indefinitely multiply. Nor was there any earthly reason why I as a sailor should sleep two in a bed, more than anybody else; for sailors no more sleep two in a bed at sea, than bachelor Kings do ashore. To be sure they all sleep together in one apartment, but you have your own hammock, and cover yourself with your own blanket, and sleep in your own skin. + +The more I pondered over this harpooneer, the more I abominated the thought of sleeping with him. It was fair to presume that being a harpooneer, his linen or woollen, as the case might be, would not be of the tidiest, certainly none of the finest. I began to twitch all over. Besides, it was getting late, and my decent harpooneer ought to be home and going bedwards. Suppose now, he should tumble in upon me at midnight—how could I tell from what vile hole he had been coming? + +“Landlord! I’ve changed my mind about that harpooneer.—I shan’t sleep with him. I’ll try the bench here.” + +“Just as you please; I’m sorry I cant spare ye a tablecloth for a mattress, and it’s a plaguy rough board here”—feeling of the knots and notches. “But wait a bit, Skrimshander; I’ve got a carpenter’s plane there in the bar—wait, I say, and I’ll make ye snug enough.” So saying he procured the plane; and with his old silk handkerchief first dusting the bench, vigorously set to planing away at my bed, the while grinning like an ape. The shavings flew right and left; till at last the plane-iron came bump against an indestructible knot. The landlord was near spraining his wrist, and I told him for heaven’s sake to quit—the bed was soft enough to suit me, and I did not know how all the planing in the world could make eider down of a pine plank. So gathering up the shavings with another grin, and throwing them into the great stove in the middle of the room, he went about his business, and left me in a brown study. + +I now took the measure of the bench, and found that it was a foot too short; but that could be mended with a chair. But it was a foot too narrow, and the other bench in the room was about four inches higher than the planed one—so there was no yoking them. I then placed the first bench lengthwise along the only clear space against the wall, leaving a little interval between, for my back to settle down in. But I soon found that there came such a draught of cold air over me from under the sill of the window, that this plan would never do at all, especially as another current from the rickety door met the one from the window, and both together formed a series of small whirlwinds in the immediate vicinity of the spot where I had thought to spend the night. + +The devil fetch that harpooneer, thought I, but stop, couldn’t I steal a march on him—bolt his door inside, and jump into his bed, not to be wakened by the most violent knockings? It seemed no bad idea; but upon second thoughts I dismissed it. For who could tell but what the next morning, so soon as I popped out of the room, the harpooneer might be standing in the entry, all ready to knock me down! + +Still, looking round me again, and seeing no possible chance of spending a sufferable night unless in some other person’s bed, I began to think that after all I might be cherishing unwarrantable prejudices against this unknown harpooneer. Thinks I, I’ll wait awhile; he must be dropping in before long. I’ll have a good look at him then, and perhaps we may become jolly good bedfellows after all—there’s no telling. + +But though the other boarders kept coming in by ones, twos, and threes, and going to bed, yet no sign of my harpooneer. + +“Landlord!” said I, “what sort of a chap is he—does he always keep such late hours?” It was now hard upon twelve o’clock. + +The landlord chuckled again with his lean chuckle, and seemed to be mightily tickled at something beyond my comprehension. “No,” he answered, “generally he’s an early bird—airley to bed and airley to rise—yes, he’s the bird what catches the worm. But to-night he went out a peddling, you see, and I don’t see what on airth keeps him so late, unless, may be, he can’t sell his head.” + +“Can’t sell his head?—What sort of a bamboozingly story is this you are telling me?” getting into a towering rage. “Do you pretend to say, landlord, that this harpooneer is actually engaged this blessed Saturday night, or rather Sunday morning, in peddling his head around this town?” + +“That’s precisely it,” said the landlord, “and I told him he couldn’t sell it here, the market’s overstocked.” + +“With what?” shouted I. + +“With heads to be sure; ain’t there too many heads in the world?” + +“I tell you what it is, landlord,” said I quite calmly, “you’d better stop spinning that yarn to me—I’m not green.” + +“May be not,” taking out a stick and whittling a toothpick, “but I rayther guess you’ll be done BROWN if that ere harpooneer hears you a slanderin’ his head.” + +“I’ll break it for him,” said I, now flying into a passion again at this unaccountable farrago of the landlord’s. + +“It’s broke a’ready,” said he. + +“Broke,” said I—”BROKE, do you mean?” + +“Sartain, and that’s the very reason he can’t sell it, I guess.” + +“Landlord,” said I, going up to him as cool as Mt. Hecla in a snow-storm—”landlord, stop whittling. You and I must understand one another, and that too without delay. I come to your house and want a bed; you tell me you can only give me half a one; that the other half belongs to a certain harpooneer. And about this harpooneer, whom I have not yet seen, you persist in telling me the most mystifying and exasperating stories tending to beget in me an uncomfortable feeling towards the man whom you design for my bedfellow—a sort of connexion, landlord, which is an intimate and confidential one in the highest degree. I now demand of you to speak out and tell me who and what this harpooneer is, and whether I shall be in all respects safe to spend the night with him. And in the first place, you will be so good as to unsay that story about selling his head, which if true I take to be good evidence that this harpooneer is stark mad, and I’ve no idea of sleeping with a madman; and you, sir, YOU I mean, landlord, YOU, sir, by trying to induce me to do so knowingly, would thereby render yourself liable to a criminal prosecution.” + +“Wall,” said the landlord, fetching a long breath, “that’s a purty long sarmon for a chap that rips a little now and then. But be easy, be easy, this here harpooneer I have been tellin’ you of has just arrived from the south seas, where he bought up a lot of ‘balmed New Zealand heads (great curios, you know), and he’s sold all on ‘em but one, and that one he’s trying to sell to-night, cause to-morrow’s Sunday, and it would not do to be sellin’ human heads about the streets when folks is goin’ to churches. He wanted to, last Sunday, but I stopped him just as he was goin’ out of the door with four heads strung on a string, for all the airth like a string of inions.” + +This account cleared up the otherwise unaccountable mystery, and showed that the landlord, after all, had had no idea of fooling me—but at the same time what could I think of a harpooneer who stayed out of a Saturday night clean into the holy Sabbath, engaged in such a cannibal business as selling the heads of dead idolators? + +“Depend upon it, landlord, that harpooneer is a dangerous man.” + +“He pays reg’lar,” was the rejoinder. “But come, it’s getting dreadful late, you had better be turning flukes—it’s a nice bed; Sal and me slept in that ere bed the night we were spliced. There’s plenty of room for two to kick about in that bed; it’s an almighty big bed that. Why, afore we give it up, Sal used to put our Sam and little Johnny in the foot of it. But I got a dreaming and sprawling about one night, and somehow, Sam got pitched on the floor, and came near breaking his arm. Arter that, Sal said it wouldn’t do. Come along here, I’ll give ye a glim in a jiffy;” and so saying he lighted a candle and held it towards me, offering to lead the way. But I stood irresolute; when looking at a clock in the corner, he exclaimed “I vum it’s Sunday—you won’t see that harpooneer to-night; he’s come to anchor somewhere—come along then; DO come; WON’T ye come?” + +I considered the matter a moment, and then up stairs we went, and I was ushered into a small room, cold as a clam, and furnished, sure enough, with a prodigious bed, almost big enough indeed for any four harpooneers to sleep abreast. + +“There,” said the landlord, placing the candle on a crazy old sea chest that did double duty as a wash-stand and centre table; “there, make yourself comfortable now, and good night to ye.” I turned round from eyeing the bed, but he had disappeared. + +Folding back the counterpane, I stooped over the bed. Though none of the most elegant, it yet stood the scrutiny tolerably well. I then glanced round the room; and besides the bedstead and centre table, could see no other furniture belonging to the place, but a rude shelf, the four walls, and a papered fireboard representing a man striking a whale. Of things not properly belonging to the room, there was a hammock lashed up, and thrown upon the floor in one corner; also a large seaman’s bag, containing the harpooneer’s wardrobe, no doubt in lieu of a land trunk. Likewise, there was a parcel of outlandish bone fish hooks on the shelf over the fire-place, and a tall harpoon standing at the head of the bed. + +But what is this on the chest? I took it up, and held it close to the light, and felt it, and smelt it, and tried every way possible to arrive at some satisfactory conclusion concerning it. I can compare it to nothing but a large door mat, ornamented at the edges with little tinkling tags something like the stained porcupine quills round an Indian moccasin. There was a hole or slit in the middle of this mat, as you see the same in South American ponchos. But could it be possible that any sober harpooneer would get into a door mat, and parade the streets of any Christian town in that sort of guise? I put it on, to try it, and it weighed me down like a hamper, being uncommonly shaggy and thick, and I thought a little damp, as though this mysterious harpooneer had been wearing it of a rainy day. I went up in it to a bit of glass stuck against the wall, and I never saw such a sight in my life. I tore myself out of it in such a hurry that I gave myself a kink in the neck. + +I sat down on the side of the bed, and commenced thinking about this head-peddling harpooneer, and his door mat. After thinking some time on the bed-side, I got up and took off my monkey jacket, and then stood in the middle of the room thinking. I then took off my coat, and thought a little more in my shirt sleeves. But beginning to feel very cold now, half undressed as I was, and remembering what the landlord said about the harpooneer’s not coming home at all that night, it being so very late, I made no more ado, but jumped out of my pantaloons and boots, and then blowing out the light tumbled into bed, and commended myself to the care of heaven. + +Whether that mattress was stuffed with corn-cobs or broken crockery, there is no telling, but I rolled about a good deal, and could not sleep for a long time. At last I slid off into a light doze, and had pretty nearly made a good offing towards the land of Nod, when I heard a heavy footfall in the passage, and saw a glimmer of light come into the room from under the door. + +Lord save me, thinks I, that must be the harpooneer, the infernal head-peddler. But I lay perfectly still, and resolved not to say a word till spoken to. Holding a light in one hand, and that identical New Zealand head in the other, the stranger entered the room, and without looking towards the bed, placed his candle a good way off from me on the floor in one corner, and then began working away at the knotted cords of the large bag I before spoke of as being in the room. I was all eagerness to see his face, but he kept it averted for some time while employed in unlacing the bag’s mouth. This accomplished, however, he turned round—when, good heavens! what a sight! Such a face! It was of a dark, purplish, yellow colour, here and there stuck over with large blackish looking squares. Yes, it’s just as I thought, he’s a terrible bedfellow; he’s been in a fight, got dreadfully cut, and here he is, just from the surgeon. But at that moment he chanced to turn his face so towards the light, that I plainly saw they could not be sticking-plasters at all, those black squares on his cheeks. They were stains of some sort or other. At first I knew not what to make of this; but soon an inkling of the truth occurred to me. I remembered a story of a white man—a whaleman too—who, falling among the cannibals, had been tattooed by them. I concluded that this harpooneer, in the course of his distant voyages, must have met with a similar adventure. And what is it, thought I, after all! It’s only his outside; a man can be honest in any sort of skin. But then, what to make of his unearthly complexion, that part of it, I mean, lying round about, and completely independent of the squares of tattooing. To be sure, it might be nothing but a good coat of tropical tanning; but I never heard of a hot sun’s tanning a white man into a purplish yellow one. However, I had never been in the South Seas; and perhaps the sun there produced these extraordinary effects upon the skin. Now, while all these ideas were passing through me like lightning, this harpooneer never noticed me at all. But, after some difficulty having opened his bag, he commenced fumbling in it, and presently pulled out a sort of tomahawk, and a seal-skin wallet with the hair on. Placing these on the old chest in the middle of the room, he then took the New Zealand head—a ghastly thing enough—and crammed it down into the bag. He now took off his hat—a new beaver hat—when I came nigh singing out with fresh surprise. There was no hair on his head—none to speak of at least—nothing but a small scalp-knot twisted up on his forehead. His bald purplish head now looked for all the world like a mildewed skull. Had not the stranger stood between me and the door, I would have bolted out of it quicker than ever I bolted a dinner. + +Even as it was, I thought something of slipping out of the window, but it was the second floor back. I am no coward, but what to make of this head-peddling purple rascal altogether passed my comprehension. Ignorance is the parent of fear, and being completely nonplussed and confounded about the stranger, I confess I was now as much afraid of him as if it was the devil himself who had thus broken into my room at the dead of night. In fact, I was so afraid of him that I was not game enough just then to address him, and demand a satisfactory answer concerning what seemed inexplicable in him. + +Lord save me, thinks I, that must be the harpooneer, the infernal head-peddler. But I lay perfectly still, and resolved not to say a word till spoken to. +Meanwhile, he continued the business of undressing, and at last showed his chest and arms. As I live, these covered parts of him were checkered with the same squares as his face; his back, too, was all over the same dark squares; he seemed to have been in a Thirty Years’ War, and just escaped from it with a sticking-plaster shirt. Still more, his very legs were marked, as if a parcel of dark green frogs were running up the trunks of young palms. It was now quite plain that he must be some abominable savage or other shipped aboard of a whaleman in the South Seas, and so landed in this Christian country. I quaked to think of it. A peddler of heads too—perhaps the heads of his own brothers. He might take a fancy to mine—heavens! look at that tomahawk! + +But there was no time for shuddering, for now the savage went about something that completely fascinated my attention, and convinced me that he must indeed be a heathen. Going to his heavy grego, or wrapall, or dreadnaught, which he had previously hung on a chair, he fumbled in the pockets, and produced at length a curious little deformed image with a hunch on its back, and exactly the colour of a three days’ old Congo baby. Remembering the embalmed head, at first I almost thought that this black manikin was a real baby preserved in some similar manner. But seeing that it was not at all limber, and that it glistened a good deal like polished ebony, I concluded that it must be nothing but a wooden idol, which indeed it proved to be. For now the savage goes up to the empty fire-place, and removing the papered fire-board, sets up this little hunch-backed image, like a tenpin, between the andirons. The chimney jambs and all the bricks inside were very sooty, so that I thought this fire-place made a very appropriate little shrine or chapel for his Congo idol. + +I now screwed my eyes hard towards the half hidden image, feeling but ill at ease meantime—to see what was next to follow. First he takes about a double handful of shavings out of his grego pocket, and places them carefully before the idol; then laying a bit of ship biscuit on top and applying the flame from the lamp, he kindled the shavings into a sacrificial blaze. Presently, after many hasty snatches into the fire, and still hastier withdrawals of his fingers (whereby he seemed to be scorching them badly), he at last succeeded in drawing out the biscuit; then blowing off the heat and ashes a little, he made a polite offer of it to the little negro. But the little devil did not seem to fancy such dry sort of fare at all; he never moved his lips. All these strange antics were accompanied by still stranger guttural noises from the devotee, who seemed to be praying in a sing-song or else singing some pagan psalmody or other, during which his face twitched about in the most unnatural manner. At last extinguishing the fire, he took the idol up very unceremoniously, and bagged it again in his grego pocket as carelessly as if he were a sportsman bagging a dead woodcock. + +All these queer proceedings increased my uncomfortableness, and seeing him now exhibiting strong symptoms of concluding his business operations, and jumping into bed with me, I thought it was high time, now or never, before the light was put out, to break the spell in which I had so long been bound. + +But the interval I spent in deliberating what to say, was a fatal one. Taking up his tomahawk from the table, he examined the head of it for an instant, and then holding it to the light, with his mouth at the handle, he puffed out great clouds of tobacco smoke. The next moment the light was extinguished, and this wild cannibal, tomahawk between his teeth, sprang into bed with me. I sang out, I could not help it now; and giving a sudden grunt of astonishment he began feeling me. + +Stammering out something, I knew not what, I rolled away from him against the wall, and then conjured him, whoever or whatever he might be, to keep quiet, and let me get up and light the lamp again. But his guttural responses satisfied me at once that he but ill comprehended my meaning. + +“Who-e debel you?”—he at last said—”you no speak-e, dam-me, I kill-e.” And so saying the lighted tomahawk began flourishing about me in the dark. + +“Landlord, for God’s sake, Peter Coffin!” shouted I. “Landlord! Watch! Coffin! Angels! save me!” + +“Speak-e! tell-ee me who-ee be, or dam-me, I kill-e!” again growled the cannibal, while his horrid flourishings of the tomahawk scattered the hot tobacco ashes about me till I thought my linen would get on fire. But thank heaven, at that moment the landlord came into the room light in hand, and leaping from the bed I ran up to him. + +“Don’t be afraid now,” said he, grinning again, “Queequeg here wouldn’t harm a hair of your head.” + +“Stop your grinning,” shouted I, “and why didn’t you tell me that that infernal harpooneer was a cannibal?” + +“I thought ye know’d it;—didn’t I tell ye, he was a peddlin’ heads around town?—but turn flukes again and go to sleep. Queequeg, look here—you sabbee me, I sabbee—you this man sleepe you—you sabbee?” + +“Me sabbee plenty”—grunted Queequeg, puffing away at his pipe and sitting up in bed. + +“You gettee in,” he added, motioning to me with his tomahawk, and throwing the clothes to one side. He really did this in not only a civil but a really kind and charitable way. I stood looking at him a moment. For all his tattooings he was on the whole a clean, comely looking cannibal. What’s all this fuss I have been making about, thought I to myself—the man’s a human being just as I am: he has just as much reason to fear me, as I have to be afraid of him. Better sleep with a sober cannibal than a drunken Christian. + +“Landlord,” said I, “tell him to stash his tomahawk there, or pipe, or whatever you call it; tell him to stop smoking, in short, and I will turn in with him. But I don’t fancy having a man smoking in bed with me. It’s dangerous. Besides, I ain’t insured.” + +This being told to Queequeg, he at once complied, and again politely motioned me to get into bed—rolling over to one side as much as to say—”I won’t touch a leg of ye.” + +“Good night, landlord,” said I, “you may go.” + +I turned in, and never slept better in my life. + +CHAPTER 4. The Counterpane. + +Upon waking next morning about daylight, I found Queequeg’s arm thrown over me in the most loving and affectionate manner. You had almost thought I had been his wife. The counterpane was of patchwork, full of odd little parti-coloured squares and triangles; and this arm of his tattooed all over with an interminable Cretan labyrinth of a figure, no two parts of which were of one precise shade—owing I suppose to his keeping his arm at sea unmethodically in sun and shade, his shirt sleeves irregularly rolled up at various times—this same arm of his, I say, looked for all the world like a strip of that same patchwork quilt. Indeed, partly lying on it as the arm did when I first awoke, I could hardly tell it from the quilt, they so blended their hues together; and it was only by the sense of weight and pressure that I could tell that Queequeg was hugging me. + +My sensations were strange. Let me try to explain them. When I was a child, I well remember a somewhat similar circumstance that befell me; whether it was a reality or a dream, I never could entirely settle. The circumstance was this. I had been cutting up some caper or other—I think it was trying to crawl up the chimney, as I had seen a little sweep do a few days previous; and my stepmother who, somehow or other, was all the time whipping me, or sending me to bed supperless,—my mother dragged me by the legs out of the chimney and packed me off to bed, though it was only two o’clock in the afternoon of the 21st June, the longest day in the year in our hemisphere. I felt dreadfully. But there was no help for it, so up stairs I went to my little room in the third floor, undressed myself as slowly as possible so as to kill time, and with a bitter sigh got between the sheets. + +I lay there dismally calculating that sixteen entire hours must elapse before I could hope for a resurrection. Sixteen hours in bed! the small of my back ached to think of it. And it was so light too; the sun shining in at the window, and a great rattling of coaches in the streets, and the sound of gay voices all over the house. I felt worse and worse—at last I got up, dressed, and softly going down in my stockinged feet, sought out my stepmother, and suddenly threw myself at her feet, beseeching her as a particular favour to give me a good slippering for my misbehaviour; anything indeed but condemning me to lie abed such an unendurable length of time. But she was the best and most conscientious of stepmothers, and back I had to go to my room. For several hours I lay there broad awake, feeling a great deal worse than I have ever done since, even from the greatest subsequent misfortunes. At last I must have fallen into a troubled nightmare of a doze; and slowly waking from it—half steeped in dreams—I opened my eyes, and the before sun-lit room was now wrapped in outer darkness. Instantly I felt a shock running through all my frame; nothing was to be seen, and nothing was to be heard; but a supernatural hand seemed placed in mine. My arm hung over the counterpane, and the nameless, unimaginable, silent form or phantom, to which the hand belonged, seemed closely seated by my bed-side. For what seemed ages piled on ages, I lay there, frozen with the most awful fears, not daring to drag away my hand; yet ever thinking that if I could but stir it one single inch, the horrid spell would be broken. I knew not how this consciousness at last glided away from me; but waking in the morning, I shudderingly remembered it all, and for days and weeks and months afterwards I lost myself in confounding attempts to explain the mystery. Nay, to this very hour, I often puzzle myself with it. + +At last I must have fallen into a troubled nightmare of a doze; and slowly waking from it—half steeped in dreams—I opened my eyes, and the before sun-lit room was now wrapped in outer darkness. +Now, take away the awful fear, and my sensations at feeling the supernatural hand in mine were very similar, in their strangeness, to those which I experienced on waking up and seeing Queequeg’s pagan arm thrown round me. But at length all the past night’s events soberly recurred, one by one, in fixed reality, and then I lay only alive to the comical predicament. For though I tried to move his arm—unlock his bridegroom clasp—yet, sleeping as he was, he still hugged me tightly, as though naught but death should part us twain. I now strove to rouse him—”Queequeg!”—but his only answer was a snore. I then rolled over, my neck feeling as if it were in a horse-collar; and suddenly felt a slight scratch. Throwing aside the counterpane, there lay the tomahawk sleeping by the savage’s side, as if it were a hatchet-faced baby. A pretty pickle, truly, thought I; abed here in a strange house in the broad day, with a cannibal and a tomahawk! “Queequeg!—in the name of goodness, Queequeg, wake!” At length, by dint of much wriggling, and loud and incessant expostulations upon the unbecomingness of his hugging a fellow male in that matrimonial sort of style, I succeeded in extracting a grunt; and presently, he drew back his arm, shook himself all over like a Newfoundland dog just from the water, and sat up in bed, stiff as a pike-staff, looking at me, and rubbing his eyes as if he did not altogether remember how I came to be there, though a dim consciousness of knowing something about me seemed slowly dawning over him. Meanwhile, I lay quietly eyeing him, having no serious misgivings now, and bent upon narrowly observing so curious a creature. When, at last, his mind seemed made up touching the character of his bedfellow, and he became, as it were, reconciled to the fact; he jumped out upon the floor, and by certain signs and sounds gave me to understand that, if it pleased me, he would dress first and then leave me to dress afterwards, leaving the whole apartment to myself. Thinks I, Queequeg, under the circumstances, this is a very civilized overture; but, the truth is, these savages have an innate sense of delicacy, say what you will; it is marvellous how essentially polite they are. I pay this particular compliment to Queequeg, because he treated me with so much civility and consideration, while I was guilty of great rudeness; staring at him from the bed, and watching all his toilette motions; for the time my curiosity getting the better of my breeding. Nevertheless, a man like Queequeg you don’t see every day, he and his ways were well worth unusual regarding. + +He commenced dressing at top by donning his beaver hat, a very tall one, by the by, and then—still minus his trowsers—he hunted up his boots. What under the heavens he did it for, I cannot tell, but his next movement was to crush himself—boots in hand, and hat on—under the bed; when, from sundry violent gaspings and strainings, I inferred he was hard at work booting himself; though by no law of propriety that I ever heard of, is any man required to be private when putting on his boots. But Queequeg, do you see, was a creature in the transition stage—neither caterpillar nor butterfly. He was just enough civilized to show off his outlandishness in the strangest possible manners. His education was not yet completed. He was an undergraduate. If he had not been a small degree civilized, he very probably would not have troubled himself with boots at all; but then, if he had not been still a savage, he never would have dreamt of getting under the bed to put them on. At last, he emerged with his hat very much dented and crushed down over his eyes, and began creaking and limping about the room, as if, not being much accustomed to boots, his pair of damp, wrinkled cowhide ones—probably not made to order either—rather pinched and tormented him at the first go off of a bitter cold morning. + +Seeing, now, that there were no curtains to the window, and that the street being very narrow, the house opposite commanded a plain view into the room, and observing more and more the indecorous figure that Queequeg made, staving about with little else but his hat and boots on; I begged him as well as I could, to accelerate his toilet somewhat, and particularly to get into his pantaloons as soon as possible. He complied, and then proceeded to wash himself. At that time in the morning any Christian would have washed his face; but Queequeg, to my amazement, contented himself with restricting his ablutions to his chest, arms, and hands. He then donned his waistcoat, and taking up a piece of hard soap on the wash-stand centre table, dipped it into water and commenced lathering his face. I was watching to see where he kept his razor, when lo and behold, he takes the harpoon from the bed corner, slips out the long wooden stock, unsheathes the head, whets it a little on his boot, and striding up to the bit of mirror against the wall, begins a vigorous scraping, or rather harpooning of his cheeks. Thinks I, Queequeg, this is using Rogers’s best cutlery with a vengeance. Afterwards I wondered the less at this operation when I came to know of what fine steel the head of a harpoon is made, and how exceedingly sharp the long straight edges are always kept. + +The rest of his toilet was soon achieved, and he proudly marched out of the room, wrapped up in his great pilot monkey jacket, and sporting his harpoon like a marshal’s baton. + +CHAPTER 5. Breakfast. + +I quickly followed suit, and descending into the bar-room accosted the grinning landlord very pleasantly. I cherished no malice towards him, though he had been skylarking with me not a little in the matter of my bedfellow. + +However, a good laugh is a mighty good thing, and rather too scarce a good thing; the more’s the pity. So, if any one man, in his own proper person, afford stuff for a good joke to anybody, let him not be backward, but let him cheerfully allow himself to spend and be spent in that way. And the man that has anything bountifully laughable about him, be sure there is more in that man than you perhaps think for. + +The bar-room was now full of the boarders who had been dropping in the night previous, and whom I had not as yet had a good look at. They were nearly all whalemen; chief mates, and second mates, and third mates, and sea carpenters, and sea coopers, and sea blacksmiths, and harpooneers, and ship keepers; a brown and brawny company, with bosky beards; an unshorn, shaggy set, all wearing monkey jackets for morning gowns. + +You could pretty plainly tell how long each one had been ashore. This young fellow’s healthy cheek is like a sun-toasted pear in hue, and would seem to smell almost as musky; he cannot have been three days landed from his Indian voyage. That man next him looks a few shades lighter; you might say a touch of satin wood is in him. In the complexion of a third still lingers a tropic tawn, but slightly bleached withal; HE doubtless has tarried whole weeks ashore. But who could show a cheek like Queequeg? which, barred with various tints, seemed like the Andes’ western slope, to show forth in one array, contrasting climates, zone by zone. + +“Grub, ho!” now cried the landlord, flinging open a door, and in we went to breakfast. + +They say that men who have seen the world, thereby become quite at ease in manner, quite self-possessed in company. Not always, though: Ledyard, the great New England traveller, and Mungo Park, the Scotch one; of all men, they possessed the least assurance in the parlor. But perhaps the mere crossing of Siberia in a sledge drawn by dogs as Ledyard did, or the taking a long solitary walk on an empty stomach, in the negro heart of Africa, which was the sum of poor Mungo’s performances—this kind of travel, I say, may not be the very best mode of attaining a high social polish. Still, for the most part, that sort of thing is to be had anywhere. + +These reflections just here are occasioned by the circumstance that after we were all seated at the table, and I was preparing to hear some good stories about whaling; to my no small surprise, nearly every man maintained a profound silence. And not only that, but they looked embarrassed. Yes, here were a set of sea-dogs, many of whom without the slightest bashfulness had boarded great whales on the high seas—entire strangers to them—and duelled them dead without winking; and yet, here they sat at a social breakfast table—all of the same calling, all of kindred tastes—looking round as sheepishly at each other as though they had never been out of sight of some sheepfold among the Green Mountains. A curious sight; these bashful bears, these timid warrior whalemen! + +But as for Queequeg—why, Queequeg sat there among them—at the head of the table, too, it so chanced; as cool as an icicle. To be sure I cannot say much for his breeding. His greatest admirer could not have cordially justified his bringing his harpoon into breakfast with him, and using it there without ceremony; reaching over the table with it, to the imminent jeopardy of many heads, and grappling the beefsteaks towards him. But THAT was certainly very coolly done by him, and every one knows that in most people’s estimation, to do anything coolly is to do it genteelly. + +We will not speak of all Queequeg’s peculiarities here; how he eschewed coffee and hot rolls, and applied his undivided attention to beefsteaks, done rare. Enough, that when breakfast was over he withdrew like the rest into the public room, lighted his tomahawk-pipe, and was sitting there quietly digesting and smoking with his inseparable hat on, when I sallied out for a stroll. + +CHAPTER 6. The Street. + +If I had been astonished at first catching a glimpse of so outlandish an individual as Queequeg circulating among the polite society of a civilized town, that astonishment soon departed upon taking my first daylight stroll through the streets of New Bedford. + +In thoroughfares nigh the docks, any considerable seaport will frequently offer to view the queerest looking nondescripts from foreign parts. Even in Broadway and Chestnut streets, Mediterranean mariners will sometimes jostle the affrighted ladies. Regent Street is not unknown to Lascars and Malays; and at Bombay, in the Apollo Green, live Yankees have often scared the natives. But New Bedford beats all Water Street and Wapping. In these last-mentioned haunts you see only sailors; but in New Bedford, actual cannibals stand chatting at street corners; savages outright; many of whom yet carry on their bones unholy flesh. It makes a stranger stare. + +But, besides the Feegeeans, Tongatobooarrs, Erromanggoans, Pannangians, and Brighggians, and, besides the wild specimens of the whaling-craft which unheeded reel about the streets, you will see other sights still more curious, certainly more comical. There weekly arrive in this town scores of green Vermonters and New Hampshire men, all athirst for gain and glory in the fishery. They are mostly young, of stalwart frames; fellows who have felled forests, and now seek to drop the axe and snatch the whale-lance. Many are as green as the Green Mountains whence they came. In some things you would think them but a few hours old. Look there! that chap strutting round the corner. He wears a beaver hat and swallow-tailed coat, girdled with a sailor-belt and sheath-knife. Here comes another with a sou’-wester and a bombazine cloak. + +...in New Bedford, actual cannibals stand chatting at street corners; savages outright; many of whom yet carry on their bones unholy flesh. It makes a stranger stare. +No town-bred dandy will compare with a country-bred one—I mean a downright bumpkin dandy—a fellow that, in the dog-days, will mow his two acres in buckskin gloves for fear of tanning his hands. Now when a country dandy like this takes it into his head to make a distinguished reputation, and joins the great whale-fishery, you should see the comical things he does upon reaching the seaport. In bespeaking his sea-outfit, he orders bell-buttons to his waistcoats; straps to his canvas trowsers. Ah, poor Hay-Seed! how bitterly will burst those straps in the first howling gale, when thou art driven, straps, buttons, and all, down the throat of the tempest. + +But think not that this famous town has only harpooneers, cannibals, and bumpkins to show her visitors. Not at all. Still New Bedford is a queer place. Had it not been for us whalemen, that tract of land would this day perhaps have been in as howling condition as the coast of Labrador. As it is, parts of her back country are enough to frighten one, they look so bony. The town itself is perhaps the dearest place to live in, in all New England. It is a land of oil, true enough: but not like Canaan; a land, also, of corn and wine. The streets do not run with milk; nor in the spring-time do they pave them with fresh eggs. Yet, in spite of this, nowhere in all America will you find more patrician-like houses; parks and gardens more opulent, than in New Bedford. Whence came they? how planted upon this once scraggy scoria of a country? + +Go and gaze upon the iron emblematical harpoons round yonder lofty mansion, and your question will be answered. Yes; all these brave houses and flowery gardens came from the Atlantic, Pacific, and Indian oceans. One and all, they were harpooned and dragged up hither from the bottom of the sea. Can Herr Alexander perform a feat like that? + +In New Bedford, fathers, they say, give whales for dowers to their daughters, and portion off their nieces with a few porpoises a-piece. You must go to New Bedford to see a brilliant wedding; for, they say, they have reservoirs of oil in every house, and every night recklessly burn their lengths in spermaceti candles. + +In summer time, the town is sweet to see; full of fine maples—long avenues of green and gold. And in August, high in air, the beautiful and bountiful horse-chestnuts, candelabra-wise, proffer the passer-by their tapering upright cones of congregated blossoms. So omnipotent is art; which in many a district of New Bedford has superinduced bright terraces of flowers upon the barren refuse rocks thrown aside at creation’s final day. + +And the women of New Bedford, they bloom like their own red roses. But roses only bloom in summer; whereas the fine carnation of their cheeks is perennial as sunlight in the seventh heavens. Elsewhere match that bloom of theirs, ye cannot, save in Salem, where they tell me the young girls breathe such musk, their sailor sweethearts smell them miles off shore, as though they were drawing nigh the odorous Moluccas instead of the Puritanic sands. + +CHAPTER 7. The Chapel. + +In this same New Bedford there stands a Whaleman’s Chapel, and few are the moody fishermen, shortly bound for the Indian Ocean or Pacific, who fail to make a Sunday visit to the spot. I am sure that I did not. + +Returning from my first morning stroll, I again sallied out upon this special errand. The sky had changed from clear, sunny cold, to driving sleet and mist. Wrapping myself in my shaggy jacket of the cloth called bearskin, I fought my way against the stubborn storm. Entering, I found a small scattered congregation of sailors, and sailors’ wives and widows. A muffled silence reigned, only broken at times by the shrieks of the storm. Each silent worshipper seemed purposely sitting apart from the other, as if each silent grief were insular and incommunicable. The chaplain had not yet arrived; and there these silent islands of men and women sat steadfastly eyeing several marble tablets, with black borders, masoned into the wall on either side the pulpit. Three of them ran something like the following, but I do not pretend to quote:— + +SACRED TO THE MEMORY OF JOHN TALBOT, Who, at the age of eighteen, was lost overboard, Near the Isle of Desolation, off Patagonia, November 1st, 1836. THIS TABLET Is erected to his Memory BY HIS SISTER. + +SACRED TO THE MEMORY OF ROBERT LONG, WILLIS ELLERY, NATHAN COLEMAN, WALTER CANNY, SETH MACY, AND SAMUEL GLEIG, Forming one of the boats’ crews OF THE SHIP ELIZA Who were towed out of sight by a Whale, On the Off-shore Ground in the PACIFIC, December 31st, 1839. THIS MARBLE Is here placed by their surviving SHIPMATES. + +SACRED TO THE MEMORY OF The late CAPTAIN EZEKIEL HARDY, Who in the bows of his boat was killed by a Sperm Whale on the coast of Japan, AUGUST 3d, 1833. THIS TABLET Is erected to his Memory BY HIS WIDOW. + +Shaking off the sleet from my ice-glazed hat and jacket, I seated myself near the door, and turning sideways was surprised to see Queequeg near me. Affected by the solemnity of the scene, there was a wondering gaze of incredulous curiosity in his countenance. This savage was the only person present who seemed to notice my entrance; because he was the only one who could not read, and, therefore, was not reading those frigid inscriptions on the wall. Whether any of the relatives of the seamen whose names appeared there were now among the congregation, I knew not; but so many are the unrecorded accidents in the fishery, and so plainly did several women present wear the countenance if not the trappings of some unceasing grief, that I feel sure that here before me were assembled those, in whose unhealing hearts the sight of those bleak tablets sympathetically caused the old wounds to bleed afresh. + +Oh! ye whose dead lie buried beneath the green grass; who standing among flowers can say—here, HERE lies my beloved; ye know not the desolation that broods in bosoms like these. What bitter blanks in those black-bordered marbles which cover no ashes! What despair in those immovable inscriptions! What deadly voids and unbidden infidelities in the lines that seem to gnaw upon all Faith, and refuse resurrections to the beings who have placelessly perished without a grave. As well might those tablets stand in the cave of Elephanta as here. + +In what census of living creatures, the dead of mankind are included; why it is that a universal proverb says of them, that they tell no tales, though containing more secrets than the Goodwin Sands; how it is that to his name who yesterday departed for the other world, we prefix so significant and infidel a word, and yet do not thus entitle him, if he but embarks for the remotest Indies of this living earth; why the Life Insurance Companies pay death-forfeitures upon immortals; in what eternal, unstirring paralysis, and deadly, hopeless trance, yet lies antique Adam who died sixty round centuries ago; how it is that we still refuse to be comforted for those who we nevertheless maintain are dwelling in unspeakable bliss; why all the living so strive to hush all the dead; wherefore but the rumor of a knocking in a tomb will terrify a whole city. All these things are not without their meanings. + +But Faith, like a jackal, feeds among the tombs, and even from these dead doubts she gathers her most vital hope. + +It needs scarcely to be told, with what feelings, on the eve of a Nantucket voyage, I regarded those marble tablets, and by the murky light of that darkened, doleful day read the fate of the whalemen who had gone before me. Yes, Ishmael, the same fate may be thine. But somehow I grew merry again. Delightful inducements to embark, fine chance for promotion, it seems—aye, a stove boat will make me an immortal by brevet. Yes, there is death in this business of whaling—a speechlessly quick chaotic bundling of a man into Eternity. But what then? Methinks we have hugely mistaken this matter of Life and Death. Methinks that what they call my shadow here on earth is my true substance. Methinks that in looking at things spiritual, we are too much like oysters observing the sun through the water, and thinking that thick water the thinnest of air. Methinks my body is but the lees of my better being. In fact take my body who will, take it I say, it is not me. And therefore three cheers for Nantucket; and come a stove boat and stove body when they will, for stave my soul, Jove himself cannot. + +CHAPTER 8. The Pulpit. + +I had not been seated very long ere a man of a certain venerable robustness entered; immediately as the storm-pelted door flew back upon admitting him, a quick regardful eyeing of him by all the congregation, sufficiently attested that this fine old man was the chaplain. Yes, it was the famous Father Mapple, so called by the whalemen, among whom he was a very great favourite. He had been a sailor and a harpooneer in his youth, but for many years past had dedicated his life to the ministry. At the time I now write of, Father Mapple was in the hardy winter of a healthy old age; that sort of old age which seems merging into a second flowering youth, for among all the fissures of his wrinkles, there shone certain mild gleams of a newly developing bloom—the spring verdure peeping forth even beneath February’s snow. No one having previously heard his history, could for the first time behold Father Mapple without the utmost interest, because there were certain engrafted clerical peculiarities about him, imputable to that adventurous maritime life he had led. When he entered I observed that he carried no umbrella, and certainly had not come in his carriage, for his tarpaulin hat ran down with melting sleet, and his great pilot cloth jacket seemed almost to drag him to the floor with the weight of the water it had absorbed. However, hat and coat and overshoes were one by one removed, and hung up in a little space in an adjacent corner; when, arrayed in a decent suit, he quietly approached the pulpit. + +Like most old fashioned pulpits, it was a very lofty one, and since a regular stairs to such a height would, by its long angle with the floor, seriously contract the already small area of the chapel, the architect, it seemed, had acted upon the hint of Father Mapple, and finished the pulpit without a stairs, substituting a perpendicular side ladder, like those used in mounting a ship from a boat at sea. The wife of a whaling captain had provided the chapel with a handsome pair of red worsted man-ropes for this ladder, which, being itself nicely headed, and stained with a mahogany colour, the whole contrivance, considering what manner of chapel it was, seemed by no means in bad taste. Halting for an instant at the foot of the ladder, and with both hands grasping the ornamental knobs of the man-ropes, Father Mapple cast a look upwards, and then with a truly sailor-like but still reverential dexterity, hand over hand, mounted the steps as if ascending the main-top of his vessel. + +The perpendicular parts of this side ladder, as is usually the case with swinging ones, were of cloth-covered rope, only the rounds were of wood, so that at every step there was a joint. At my first glimpse of the pulpit, it had not escaped me that however convenient for a ship, these joints in the present instance seemed unnecessary. For I was not prepared to see Father Mapple after gaining the height, slowly turn round, and stooping over the pulpit, deliberately drag up the ladder step by step, till the whole was deposited within, leaving him impregnable in his little Quebec. + +I pondered some time without fully comprehending the reason for this. Father Mapple enjoyed such a wide reputation for sincerity and sanctity, that I could not suspect him of courting notoriety by any mere tricks of the stage. No, thought I, there must be some sober reason for this thing; furthermore, it must symbolize something unseen. Can it be, then, that by that act of physical isolation, he signifies his spiritual withdrawal for the time, from all outward worldly ties and connexions? Yes, for replenished with the meat and wine of the word, to the faithful man of God, this pulpit, I see, is a self-containing stronghold—a lofty Ehrenbreitstein, with a perennial well of water within the walls. + +But the side ladder was not the only strange feature of the place, borrowed from the chaplain’s former sea-farings. Between the marble cenotaphs on either hand of the pulpit, the wall which formed its back was adorned with a large painting representing a gallant ship beating against a terrible storm off a lee coast of black rocks and snowy breakers. But high above the flying scud and dark-rolling clouds, there floated a little isle of sunlight, from which beamed forth an angel’s face; and this bright face shed a distinct spot of radiance upon the ship’s tossed deck, something like that silver plate now inserted into the Victory’s plank where Nelson fell. “Ah, noble ship,” the angel seemed to say, “beat on, beat on, thou noble ship, and bear a hardy helm; for lo! the sun is breaking through; the clouds are rolling off—serenest azure is at hand.” + +Nor was the pulpit itself without a trace of the same sea-taste that had achieved the ladder and the picture. Its panelled front was in the likeness of a ship’s bluff bows, and the Holy Bible rested on a projecting piece of scroll work, fashioned after a ship’s fiddle-headed beak. + +What could be more full of meaning?—for the pulpit is ever this earth’s foremost part; all the rest comes in its rear; the pulpit leads the world. From thence it is the storm of God’s quick wrath is first descried, and the bow must bear the earliest brunt. From thence it is the God of breezes fair or foul is first invoked for favourable winds. Yes, the world’s a ship on its passage out, and not a voyage complete; and the pulpit is its prow. + +CHAPTER 9. The Sermon. + +Father Mapple rose, and in a mild voice of unassuming authority ordered the scattered people to condense. “Starboard gangway, there! side away to larboard—larboard gangway to starboard! Midships! midships!” + +There was a low rumbling of heavy sea-boots among the benches, and a still slighter shuffling of women’s shoes, and all was quiet again, and every eye on the preacher. + +He paused a little; then kneeling in the pulpit’s bows, folded his large brown hands across his chest, uplifted his closed eyes, and offered a prayer so deeply devout that he seemed kneeling and praying at the bottom of the sea. + +Starboard gangway, there! side away to larboard- larboard gangway to starboard! Midships! midships! +This ended, in prolonged solemn tones, like the continual tolling of a bell in a ship that is foundering at sea in a fog—in such tones he commenced reading the following hymn; but changing his manner towards the concluding stanzas, burst forth with a pealing exultation and joy— + +“The ribs and terrors in the whale, Arched over me a dismal gloom, While all God’s sun-lit waves rolled by, And lift me deepening down to doom. “I saw the opening maw of hell, With endless pains and sorrows there; Which none but they that feel can tell— Oh, I was plunging to despair. “In black distress, I called my God, When I could scarce believe him mine, He bowed his ear to my complaints— No more the whale did me confine. “With speed he flew to my relief, As on a radiant dolphin borne; Awful, yet bright, as lightning shone The face of my Deliverer God. “My song for ever shall record That terrible, that joyful hour; I give the glory to my God, His all the mercy and the power.” + +Nearly all joined in singing this hymn, which swelled high above the howling of the storm. A brief pause ensued; the preacher slowly turned over the leaves of the Bible, and at last, folding his hand down upon the proper page, said: “Beloved shipmates, clinch the last verse of the first chapter of Jonah—’And God had prepared a great fish to swallow up Jonah.’” + +“Shipmates, this book, containing only four chapters—four yarns—is one of the smallest strands in the mighty cable of the Scriptures. Yet what depths of the soul does Jonah’s deep sealine sound! what a pregnant lesson to us is this prophet! What a noble thing is that canticle in the fish’s belly! How billow-like and boisterously grand! We feel the floods surging over us; we sound with him to the kelpy bottom of the waters; sea-weed and all the slime of the sea is about us! But WHAT is this lesson that the book of Jonah teaches? Shipmates, it is a two-stranded lesson; a lesson to us all as sinful men, and a lesson to me as a pilot of the living God. As sinful men, it is a lesson to us all, because it is a story of the sin, hard-heartedness, suddenly awakened fears, the swift punishment, repentance, prayers, and finally the deliverance and joy of Jonah. As with all sinners among men, the sin of this son of Amittai was in his wilful disobedience of the command of God—never mind now what that command was, or how conveyed—which he found a hard command. But all the things that God would have us do are hard for us to do—remember that—and hence, he oftener commands us than endeavors to persuade. And if we obey God, we must disobey ourselves; and it is in this disobeying ourselves, wherein the hardness of obeying God consists. + +“With this sin of disobedience in him, Jonah still further flouts at God, by seeking to flee from Him. He thinks that a ship made by men will carry him into countries where God does not reign, but only the Captains of this earth. He skulks about the wharves of Joppa, and seeks a ship that’s bound for Tarshish. There lurks, perhaps, a hitherto unheeded meaning here. By all accounts Tarshish could have been no other city than the modern Cadiz. That’s the opinion of learned men. And where is Cadiz, shipmates? Cadiz is in Spain; as far by water, from Joppa, as Jonah could possibly have sailed in those ancient days, when the Atlantic was an almost unknown sea. Because Joppa, the modern Jaffa, shipmates, is on the most easterly coast of the Mediterranean, the Syrian; and Tarshish or Cadiz more than two thousand miles to the westward from that, just outside the Straits of Gibraltar. See ye not then, shipmates, that Jonah sought to flee world-wide from God? Miserable man! Oh! most contemptible and worthy of all scorn; with slouched hat and guilty eye, skulking from his God; prowling among the shipping like a vile burglar hastening to cross the seas. So disordered, self-condemning is his look, that had there been policemen in those days, Jonah, on the mere suspicion of something wrong, had been arrested ere he touched a deck. How plainly he’s a fugitive! no baggage, not a hat-box, valise, or carpet-bag,—no friends accompany him to the wharf with their adieux. At last, after much dodging search, he finds the Tarshish ship receiving the last items of her cargo; and as he steps on board to see its Captain in the cabin, all the sailors for the moment desist from hoisting in the goods, to mark the stranger’s evil eye. Jonah sees this; but in vain he tries to look all ease and confidence; in vain essays his wretched smile. Strong intuitions of the man assure the mariners he can be no innocent. In their gamesome but still serious way, one whispers to the other—”Jack, he’s robbed a widow;” or, “Joe, do you mark him; he’s a bigamist;” or, “Harry lad, I guess he’s the adulterer that broke jail in old Gomorrah, or belike, one of the missing murderers from Sodom.” Another runs to read the bill that’s stuck against the spile upon the wharf to which the ship is moored, offering five hundred gold coins for the apprehension of a parricide, and containing a description of his person. He reads, and looks from Jonah to the bill; while all his sympathetic shipmates now crowd round Jonah, prepared to lay their hands upon him. Frighted Jonah trembles, and summoning all his boldness to his face, only looks so much the more a coward. He will not confess himself suspected; but that itself is strong suspicion. So he makes the best of it; and when the sailors find him not to be the man that is advertised, they let him pass, and he descends into the cabin. + +“’Who’s there?’ cries the Captain at his busy desk, hurriedly making out his papers for the Customs—’Who’s there?’ Oh! how that harmless question mangles Jonah! For the instant he almost turns to flee again. But he rallies. ‘I seek a passage in this ship to Tarshish; how soon sail ye, sir?’ Thus far the busy Captain had not looked up to Jonah, though the man now stands before him; but no sooner does he hear that hollow voice, than he darts a scrutinizing glance. ‘We sail with the next coming tide,’ at last he slowly answered, still intently eyeing him. ‘No sooner, sir?’—‘Soon enough for any honest man that goes a passenger.’ Ha! Jonah, that’s another stab. But he swiftly calls away the Captain from that scent. ‘I‘ll sail with ye,’—he says,—’the passage money how much is that?—I’ll pay now.’ For it is particularly written, shipmates, as if it were a thing not to be overlooked in this history, ‘that he paid the fare thereof’ ere the craft did sail. And taken with the context, this is full of meaning. + +“Now Jonah’s Captain, shipmates, was one whose discernment detects crime in any, but whose cupidity exposes it only in the penniless. In this world, shipmates, sin that pays its way can travel freely, and without a passport; whereas Virtue, if a pauper, is stopped at all frontiers. So Jonah’s Captain prepares to test the length of Jonah’s purse, ere he judge him openly. He charges him thrice the usual sum; and it’s assented to. Then the Captain knows that Jonah is a fugitive; but at the same time resolves to help a flight that paves its rear with gold. Yet when Jonah fairly takes out his purse, prudent suspicions still molest the Captain. He rings every coin to find a counterfeit. Not a forger, any way, he mutters; and Jonah is put down for his passage. ‘Point out my state-room, Sir,’ says Jonah now, ‘I‘m travel-weary; I need sleep.’ ‘Thou lookest like it,’ says the Captain, ‘there’s thy room.’ Jonah enters, and would lock the door, but the lock contains no key. Hearing him foolishly fumbling there, the Captain laughs lowly to himself, and mutters something about the doors of convicts’ cells being never allowed to be locked within. All dressed and dusty as he is, Jonah throws himself into his berth, and finds the little state-room ceiling almost resting on his forehead. The air is close, and Jonah gasps. Then, in that contracted hole, sunk, too, beneath the ship’s water-line, Jonah feels the heralding presentiment of that stifling hour, when the whale shall hold him in the smallest of his bowels’ wards. + +“Screwed at its axis against the side, a swinging lamp slightly oscillates in Jonah’s room; and the ship, heeling over towards the wharf with the weight of the last bales received, the lamp, flame and all, though in slight motion, still maintains a permanent obliquity with reference to the room; though, in truth, infallibly straight itself, it but made obvious the false, lying levels among which it hung. The lamp alarms and frightens Jonah; as lying in his berth his tormented eyes roll round the place, and this thus far successful fugitive finds no refuge for his restless glance. But that contradiction in the lamp more and more appals him. The floor, the ceiling, and the side, are all awry. ‘Oh! so my conscience hangs in me!’ he groans, ‘straight upwards, so it burns; but the chambers of my soul are all in crookedness!’ + +“Like one who after a night of drunken revelry hies to his bed, still reeling, but with conscience yet pricking him, as the plungings of the Roman race-horse but so much the more strike his steel tags into him; as one who in that miserable plight still turns and turns in giddy anguish, praying God for annihilation until the fit be passed; and at last amid the whirl of woe he feels, a deep stupor steals over him, as over the man who bleeds to death, for conscience is the wound, and there’s naught to staunch it; so, after sore wrestlings in his berth, Jonah’s prodigy of ponderous misery drags him drowning down to sleep. + +“And now the time of tide has come; the ship casts off her cables; and from the deserted wharf the uncheered ship for Tarshish, all careening, glides to sea. That ship, my friends, was the first of recorded smugglers! the contraband was Jonah. But the sea rebels; he will not bear the wicked burden. A dreadful storm comes on, the ship is like to break. But now when the boatswain calls all hands to lighten her; when boxes, bales, and jars are clattering overboard; when the wind is shrieking, and the men are yelling, and every plank thunders with trampling feet right over Jonah’s head; in all this raging tumult, Jonah sleeps his hideous sleep. He sees no black sky and raging sea, feels not the reeling timbers, and little hears he or heeds he the far rush of the mighty whale, which even now with open mouth is cleaving the seas after him. Aye, shipmates, Jonah was gone down into the sides of the ship—a berth in the cabin as I have taken it, and was fast asleep. But the frightened master comes to him, and shrieks in his dead ear, ‘What meanest thou, O, sleeper! arise!’ Startled from his lethargy by that direful cry, Jonah staggers to his feet, and stumbling to the deck, grasps a shroud, to look out upon the sea. But at that moment he is sprung upon by a panther billow leaping over the bulwarks. Wave after wave thus leaps into the ship, and finding no speedy vent runs roaring fore and aft, till the mariners come nigh to drowning while yet afloat. And ever, as the white moon shows her affrighted face from the steep gullies in the blackness overhead, aghast Jonah sees the rearing bowsprit pointing high upward, but soon beat downward again towards the tormented deep. + +“Terrors upon terrors run shouting through his soul. In all his cringing attitudes, the God-fugitive is now too plainly known. The sailors mark him; more and more certain grow their suspicions of him, and at last, fully to test the truth, by referring the whole matter to high Heaven, they fall to casting lots, to see for whose cause this great tempest was upon them. The lot is Jonah’s; that discovered, then how furiously they mob him with their questions. ‘What is thine occupation? Whence comest thou? Thy country? What people? But mark now, my shipmates, the behavior of poor Jonah. The eager mariners but ask him who he is, and where from; whereas, they not only receive an answer to those questions, but likewise another answer to a question not put by them, but the unsolicited answer is forced from Jonah by the hard hand of God that is upon him. + +“’I am a Hebrew,’ he cries—and then—’I fear the Lord the God of Heaven who hath made the sea and the dry land!’ Fear him, O Jonah? Aye, well mightest thou fear the Lord God THEN! Straightway, he now goes on to make a full confession; whereupon the mariners became more and more appalled, but still are pitiful. For when Jonah, not yet supplicating God for mercy, since he but too well knew the darkness of his deserts,—when wretched Jonah cries out to them to take him and cast him forth into the sea, for he knew that for HIS sake this great tempest was upon them; they mercifully turn from him, and seek by other means to save the ship. But all in vain; the indignant gale howls louder; then, with one hand raised invokingly to God, with the other they not unreluctantly lay hold of Jonah. + +“And now behold Jonah taken up as an anchor and dropped into the sea; when instantly an oily calmness floats out from the east, and the sea is still, as Jonah carries down the gale with him, leaving smooth water behind. He goes down in the whirling heart of such a masterless commotion that he scarce heeds the moment when he drops seething into the yawning jaws awaiting him; and the whale shoots-to all his ivory teeth, like so many white bolts, upon his prison. Then Jonah prayed unto the Lord out of the fish’s belly. But observe his prayer, and learn a weighty lesson. For sinful as he is, Jonah does not weep and wail for direct deliverance. He feels that his dreadful punishment is just. He leaves all his deliverance to God, contenting himself with this, that spite of all his pains and pangs, he will still look towards His holy temple. And here, shipmates, is true and faithful repentance; not clamorous for pardon, but grateful for punishment. And how pleasing to God was this conduct in Jonah, is shown in the eventual deliverance of him from the sea and the whale. Shipmates, I do not place Jonah before you to be copied for his sin but I do place him before you as a model for repentance. Sin not; but if you do, take heed to repent of it like Jonah.” + +While he was speaking these words, the howling of the shrieking, slanting storm without seemed to add new power to the preacher, who, when describing Jonah’s sea-storm, seemed tossed by a storm himself. His deep chest heaved as with a ground-swell; his tossed arms seemed the warring elements at work; and the thunders that rolled away from off his swarthy brow, and the light leaping from his eye, made all his simple hearers look on him with a quick fear that was strange to them. + +There now came a lull in his look, as he silently turned over the leaves of the Book once more; and, at last, standing motionless, with closed eyes, for the moment, seemed communing with God and himself. + +But again he leaned over towards the people, and bowing his head lowly, with an aspect of the deepest yet manliest humility, he spake these words: + +“Shipmates, God has laid but one hand upon you; both his hands press upon me. I have read ye by what murky light may be mine the lesson that Jonah teaches to all sinners; and therefore to ye, and still more to me, for I am a greater sinner than ye. And now how gladly would I come down from this mast-head and sit on the hatches there where you sit, and listen as you listen, while some one of you reads ME that other and more awful lesson which Jonah teaches to ME, as a pilot of the living God. How being an anointed pilot-prophet, or speaker of true things, and bidden by the Lord to sound those unwelcome truths in the ears of a wicked Nineveh, Jonah, appalled at the hostility he should raise, fled from his mission, and sought to escape his duty and his God by taking ship at Joppa. But God is everywhere; Tarshish he never reached. As we have seen, God came upon him in the whale, and swallowed him down to living gulfs of doom, and with swift slantings tore him along ‘into the midst of the seas,’ where the eddying depths sucked him ten thousand fathoms down, and ‘the weeds were wrapped about his head,’ and all the watery world of woe bowled over him. Yet even then beyond the reach of any plummet—’out of the belly of hell’—when the whale grounded upon the ocean’s utmost bones, even then, God heard the engulphed, repenting prophet when he cried. Then God spake unto the fish; and from the shuddering cold and blackness of the sea, the whale came breeching up towards the warm and pleasant sun, and all the delights of air and earth; and ‘vomited out Jonah upon the dry land;’ when the word of the Lord came a second time; and Jonah, bruised and beaten—his ears, like two sea-shells, still multitudinously murmuring of the ocean—Jonah did the Almighty’s bidding. And what was that, shipmates? To preach the Truth to the face of Falsehood! That was it! + +“This, shipmates, this is that other lesson; and woe to that pilot of the living God who slights it. Woe to him whom this world charms from Gospel duty! Woe to him who seeks to pour oil upon the waters when God has brewed them into a gale! Woe to him who seeks to please rather than to appal! Woe to him whose good name is more to him than goodness! Woe to him who, in this world, courts not dishonour! Woe to him who would not be true, even though to be false were salvation! Yea, woe to him who, as the great Pilot Paul has it, while preaching to others is himself a castaway!” + +He dropped and fell away from himself for a moment; then lifting his face to them again, showed a deep joy in his eyes, as he cried out with a heavenly enthusiasm,—”But oh! shipmates! on the starboard hand of every woe, there is a sure delight; and higher the top of that delight, than the bottom of the woe is deep. Is not the main-truck higher than the kelson is low? Delight is to him—a far, far upward, and inward delight—who against the proud gods and commodores of this earth, ever stands forth his own inexorable self. Delight is to him whose strong arms yet support him, when the ship of this base treacherous world has gone down beneath him. Delight is to him, who gives no quarter in the truth, and kills, burns, and destroys all sin though he pluck it out from under the robes of Senators and Judges. Delight,—top-gallant delight is to him, who acknowledges no law or lord, but the Lord his God, and is only a patriot to heaven. Delight is to him, whom all the waves of the billows of the seas of the boisterous mob can never shake from this sure Keel of the Ages. And eternal delight and deliciousness will be his, who coming to lay him down, can say with his final breath—O Father!—chiefly known to me by Thy rod—mortal or immortal, here I die. I have striven to be Thine, more than to be this world’s, or mine own. Yet this is nothing: I leave eternity to Thee; for what is man that he should live out the lifetime of his God?” + +He said no more, but slowly waving a benediction, covered his face with his hands, and so remained kneeling, till all the people had departed, and he was left alone in the place. + +CHAPTER 10. A Bosom Friend. + +Returning to the Spouter-Inn from the Chapel, I found Queequeg there quite alone; he having left the Chapel before the benediction some time. He was sitting on a bench before the fire, with his feet on the stove hearth, and in one hand was holding close up to his face that little negro idol of his; peering hard into its face, and with a jack-knife gently whittling away at its nose, meanwhile humming to himself in his heathenish way. + +But being now interrupted, he put up the image; and pretty soon, going to the table, took up a large book there, and placing it on his lap began counting the pages with deliberate regularity; at every fiftieth page—as I fancied—stopping a moment, looking vacantly around him, and giving utterance to a long-drawn gurgling whistle of astonishment. He would then begin again at the next fifty; seeming to commence at number one each time, as though he could not count more than fifty, and it was only by such a large number of fifties being found together, that his astonishment at the multitude of pages was excited. + +With much interest I sat watching him. Savage though he was, and hideously marred about the face—at least to my taste—his countenance yet had a something in it which was by no means disagreeable. You cannot hide the soul. Through all his unearthly tattooings, I thought I saw the traces of a simple honest heart; and in his large, deep eyes, fiery black and bold, there seemed tokens of a spirit that would dare a thousand devils. And besides all this, there was a certain lofty bearing about the Pagan, which even his uncouthness could not altogether maim. He looked like a man who had never cringed and never had had a creditor. Whether it was, too, that his head being shaved, his forehead was drawn out in freer and brighter relief, and looked more expansive than it otherwise would, this I will not venture to decide; but certain it was his head was phrenologically an excellent one. It may seem ridiculous, but it reminded me of General Washington’s head, as seen in the popular busts of him. It had the same long regularly graded retreating slope from above the brows, which were likewise very projecting, like two long promontories thickly wooded on top. Queequeg was George Washington cannibalistically developed. + +Whilst I was thus closely scanning him, half-pretending meanwhile to be looking out at the storm from the casement, he never heeded my presence, never troubled himself with so much as a single glance; but appeared wholly occupied with counting the pages of the marvellous book. Considering how sociably we had been sleeping together the night previous, and especially considering the affectionate arm I had found thrown over me upon waking in the morning, I thought this indifference of his very strange. But savages are strange beings; at times you do not know exactly how to take them. At first they are overawing; their calm self-collectedness of simplicity seems a Socratic wisdom. I had noticed also that Queequeg never consorted at all, or but very little, with the other seamen in the inn. He made no advances whatever; appeared to have no desire to enlarge the circle of his acquaintances. All this struck me as mighty singular; yet, upon second thoughts, there was something almost sublime in it. Here was a man some twenty thousand miles from home, by the way of Cape Horn, that is—which was the only way he could get there—thrown among people as strange to him as though he were in the planet Jupiter; and yet he seemed entirely at his ease; preserving the utmost serenity; content with his own companionship; always equal to himself. Surely this was a touch of fine philosophy; though no doubt he had never heard there was such a thing as that. But, perhaps, to be true philosophers, we mortals should not be conscious of so living or so striving. So soon as I hear that such or such a man gives himself out for a philosopher, I conclude that, like the dyspeptic old woman, he must have “broken his digester.” + +As I sat there in that now lonely room; the fire burning low, in that mild stage when, after its first intensity has warmed the air, it then only glows to be looked at; the evening shades and phantoms gathering round the casements, and peering in upon us silent, solitary twain; the storm booming without in solemn swells; I began to be sensible of strange feelings. I felt a melting in me. No more my splintered heart and maddened hand were turned against the wolfish world. This soothing savage had redeemed it. There he sat, his very indifference speaking a nature in which there lurked no civilized hypocrisies and bland deceits. Wild he was; a very sight of sights to see; yet I began to feel myself mysteriously drawn towards him. And those same things that would have repelled most others, they were the very magnets that thus drew me. I’ll try a pagan friend, thought I, since Christian kindness has proved but hollow courtesy. I drew my bench near him, and made some friendly signs and hints, doing my best to talk with him meanwhile. At first he little noticed these advances; but presently, upon my referring to his last night’s hospitalities, he made out to ask me whether we were again to be bedfellows. I told him yes; whereat I thought he looked pleased, perhaps a little complimented. + +We then turned over the book together, and I endeavored to explain to him the purpose of the printing, and the meaning of the few pictures that were in it. Thus I soon engaged his interest; and from that we went to jabbering the best we could about the various outer sights to be seen in this famous town. Soon I proposed a social smoke; and, producing his pouch and tomahawk, he quietly offered me a puff. And then we sat exchanging puffs from that wild pipe of his, and keeping it regularly passing between us. + +If there yet lurked any ice of indifference towards me in the Pagan’s breast, this pleasant, genial smoke we had, soon thawed it out, and left us cronies. He seemed to take to me quite as naturally and unbiddenly as I to him; and when our smoke was over, he pressed his forehead against mine, clasped me round the waist, and said that henceforth we were married; meaning, in his country’s phrase, that we were bosom friends; he would gladly die for me, if need should be. In a countryman, this sudden flame of friendship would have seemed far too premature, a thing to be much distrusted; but in this simple savage those old rules would not apply. + +After supper, and another social chat and smoke, we went to our room together. He made me a present of his embalmed head; took out his enormous tobacco wallet, and groping under the tobacco, drew out some thirty dollars in silver; then spreading them on the table, and mechanically dividing them into two equal portions, pushed one of them towards me, and said it was mine. I was going to remonstrate; but he silenced me by pouring them into my trowsers’ pockets. I let them stay. He then went about his evening prayers, took out his idol, and removed the paper fireboard. By certain signs and symptoms, I thought he seemed anxious for me to join him; but well knowing what was to follow, I deliberated a moment whether, in case he invited me, I would comply or otherwise. + +I was a good Christian; born and bred in the bosom of the infallible Presbyterian Church. How then could I unite with this wild idolator in worshipping his piece of wood? But what is worship? thought I. Do you suppose now, Ishmael, that the magnanimous God of heaven and earth—pagans and all included—can possibly be jealous of an insignificant bit of black wood? Impossible! But what is worship?—to do the will of God—THAT is worship. And what is the will of God?—to do to my fellow man what I would have my fellow man to do to me—THAT is the will of God. Now, Queequeg is my fellow man. And what do I wish that this Queequeg would do to me? Why, unite with me in my particular Presbyterian form of worship. Consequently, I must then unite with him in his; ergo, I must turn idolator. So I kindled the shavings; helped prop up the innocent little idol; offered him burnt biscuit with Queequeg; salamed before him twice or thrice; kissed his nose; and that done, we undressed and went to bed, at peace with our own consciences and all the world. But we did not go to sleep without some little chat. + +How it is I know not; but there is no place like a bed for confidential disclosures between friends. Man and wife, they say, there open the very bottom of their souls to each other; and some old couples often lie and chat over old times till nearly morning. Thus, then, in our hearts’ honeymoon, lay I and Queequeg—a cosy, loving pair. + +CHAPTER 11. Nightgown. + +We had lain thus in bed, chatting and napping at short intervals, and Queequeg now and then affectionately throwing his brown tattooed legs over mine, and then drawing them back; so entirely sociable and free and easy were we; when, at last, by reason of our confabulations, what little nappishness remained in us altogether departed, and we felt like getting up again, though day-break was yet some way down the future. + +Yes, we became very wakeful; so much so that our recumbent position began to grow wearisome, and by little and little we found ourselves sitting up; the clothes well tucked around us, leaning against the head-board with our four knees drawn up close together, and our two noses bending over them, as if our kneepans were warming-pans. We felt very nice and snug, the more so since it was so chilly out of doors; indeed out of bed-clothes too, seeing that there was no fire in the room. The more so, I say, because truly to enjoy bodily warmth, some small part of you must be cold, for there is no quality in this world that is not what it is merely by contrast. Nothing exists in itself. If you flatter yourself that you are all over comfortable, and have been so a long time, then you cannot be said to be comfortable any more. But if, like Queequeg and me in the bed, the tip of your nose or the crown of your head be slightly chilled, why then, indeed, in the general consciousness you feel most delightfully and unmistakably warm. For this reason a sleeping apartment should never be furnished with a fire, which is one of the luxurious discomforts of the rich. For the height of this sort of deliciousness is to have nothing but the blanket between you and your snugness and the cold of the outer air. Then there you lie like the one warm spark in the heart of an arctic crystal. + +We had been sitting in this crouching manner for some time, when all at once I thought I would open my eyes; for when between sheets, whether by day or by night, and whether asleep or awake, I have a way of always keeping my eyes shut, in order the more to concentrate the snugness of being in bed. Because no man can ever feel his own identity aright except his eyes be closed; as if darkness were indeed the proper element of our essences, though light be more congenial to our clayey part. Upon opening my eyes then, and coming out of my own pleasant and self-created darkness into the imposed and coarse outer gloom of the unilluminated twelve-o’clock-at-night, I experienced a disagreeable revulsion. Nor did I at all object to the hint from Queequeg that perhaps it were best to strike a light, seeing that we were so wide awake; and besides he felt a strong desire to have a few quiet puffs from his Tomahawk. Be it said, that though I had felt such a strong repugnance to his smoking in the bed the night before, yet see how elastic our stiff prejudices grow when love once comes to bend them. For now I liked nothing better than to have Queequeg smoking by me, even in bed, because he seemed to be full of such serene household joy then. I no more felt unduly concerned for the landlord’s policy of insurance. I was only alive to the condensed confidential comfortableness of sharing a pipe and a blanket with a real friend. With our shaggy jackets drawn about our shoulders, we now passed the Tomahawk from one to the other, till slowly there grew over us a blue hanging tester of smoke, illuminated by the flame of the new-lit lamp. + +Whether it was that this undulating tester rolled the savage away to far distant scenes, I know not, but he now spoke of his native island; and, eager to hear his history, I begged him to go on and tell it. He gladly complied. Though at the time I but ill comprehended not a few of his words, yet subsequent disclosures, when I had become more familiar with his broken phraseology, now enable me to present the whole story such as it may prove in the mere skeleton I give. + +CHAPTER 12. Biographical. + +Queequeg was a native of Rokovoko, an island far away to the West and South. It is not down in any map; true places never are. + +When a new-hatched savage running wild about his native woodlands in a grass clout, followed by the nibbling goats, as if he were a green sapling; even then, in Queequeg’s ambitious soul, lurked a strong desire to see something more of Christendom than a specimen whaler or two. His father was a High Chief, a King; his uncle a High Priest; and on the maternal side he boasted aunts who were the wives of unconquerable warriors. There was excellent blood in his veins—royal stuff; though sadly vitiated, I fear, by the cannibal propensity he nourished in his untutored youth. + +A Sag Harbor ship visited his father’s bay, and Queequeg sought a passage to Christian lands. But the ship, having her full complement of seamen, spurned his suit; and not all the King his father’s influence could prevail. But Queequeg vowed a vow. Alone in his canoe, he paddled off to a distant strait, which he knew the ship must pass through when she quitted the island. On one side was a coral reef; on the other a low tongue of land, covered with mangrove thickets that grew out into the water. Hiding his canoe, still afloat, among these thickets, with its prow seaward, he sat down in the stern, paddle low in hand; and when the ship was gliding by, like a flash he darted out; gained her side; with one backward dash of his foot capsized and sank his canoe; climbed up the chains; and throwing himself at full length upon the deck, grappled a ring-bolt there, and swore not to let it go, though hacked in pieces. + +Queequeg was a native of Kovoko, an island far away to the West and South. It is not down in any map; true places never are. +In vain the captain threatened to throw him overboard; suspended a cutlass over his naked wrists; Queequeg was the son of a King, and Queequeg budged not. Struck by his desperate dauntlessness, and his wild desire to visit Christendom, the captain at last relented, and told him he might make himself at home. But this fine young savage—this sea Prince of Wales, never saw the Captain’s cabin. They put him down among the sailors, and made a whaleman of him. But like Czar Peter content to toil in the shipyards of foreign cities, Queequeg disdained no seeming ignominy, if thereby he might happily gain the power of enlightening his untutored countrymen. For at bottom—so he told me—he was actuated by a profound desire to learn among the Christians, the arts whereby to make his people still happier than they were; and more than that, still better than they were. But, alas! the practices of whalemen soon convinced him that even Christians could be both miserable and wicked; infinitely more so, than all his father’s heathens. Arrived at last in old Sag Harbor; and seeing what the sailors did there; and then going on to Nantucket, and seeing how they spent their wages in that place also, poor Queequeg gave it up for lost. Thought he, it’s a wicked world in all meridians; I’ll die a pagan. + +And thus an old idolator at heart, he yet lived among these Christians, wore their clothes, and tried to talk their gibberish. Hence the queer ways about him, though now some time from home. + +By hints, I asked him whether he did not propose going back, and having a coronation; since he might now consider his father dead and gone, he being very old and feeble at the last accounts. He answered no, not yet; and added that he was fearful Christianity, or rather Christians, had unfitted him for ascending the pure and undefiled throne of thirty pagan Kings before him. But by and by, he said, he would return,—as soon as he felt himself baptized again. For the nonce, however, he proposed to sail about, and sow his wild oats in all four oceans. They had made a harpooneer of him, and that barbed iron was in lieu of a sceptre now. + +I asked him what might be his immediate purpose, touching his future movements. He answered, to go to sea again, in his old vocation. Upon this, I told him that whaling was my own design, and informed him of my intention to sail out of Nantucket, as being the most promising port for an adventurous whaleman to embark from. He at once resolved to accompany me to that island, ship aboard the same vessel, get into the same watch, the same boat, the same mess with me, in short to share my every hap; with both my hands in his, boldly dip into the Potluck of both worlds. To all this I joyously assented; for besides the affection I now felt for Queequeg, he was an experienced harpooneer, and as such, could not fail to be of great usefulness to one, who, like me, was wholly ignorant of the mysteries of whaling, though well acquainted with the sea, as known to merchant seamen. + +His story being ended with his pipe’s last dying puff, Queequeg embraced me, pressed his forehead against mine, and blowing out the light, we rolled over from each other, this way and that, and very soon were sleeping. + +CHAPTER 13. Wheelbarrow. + +Next morning, Monday, after disposing of the embalmed head to a barber, for a block, I settled my own and comrade’s bill; using, however, my comrade’s money. The grinning landlord, as well as the boarders, seemed amazingly tickled at the sudden friendship which had sprung up between me and Queequeg—especially as Peter Coffin’s cock and bull stories about him had previously so much alarmed me concerning the very person whom I now companied with. + +We borrowed a wheelbarrow, and embarking our things, including my own poor carpet-bag, and Queequeg’s canvas sack and hammock, away we went down to “the Moss,” the little Nantucket packet schooner moored at the wharf. As we were going along the people stared; not at Queequeg so much—for they were used to seeing cannibals like him in their streets,—but at seeing him and me upon such confidential terms. But we heeded them not, going along wheeling the barrow by turns, and Queequeg now and then stopping to adjust the sheath on his harpoon barbs. I asked him why he carried such a troublesome thing with him ashore, and whether all whaling ships did not find their own harpoons. To this, in substance, he replied, that though what I hinted was true enough, yet he had a particular affection for his own harpoon, because it was of assured stuff, well tried in many a mortal combat, and deeply intimate with the hearts of whales. In short, like many inland reapers and mowers, who go into the farmers’ meadows armed with their own scythes—though in no wise obliged to furnish them—even so, Queequeg, for his own private reasons, preferred his own harpoon. + +Shifting the barrow from my hand to his, he told me a funny story about the first wheelbarrow he had ever seen. It was in Sag Harbor. The owners of his ship, it seems, had lent him one, in which to carry his heavy chest to his boarding house. Not to seem ignorant about the thing—though in truth he was entirely so, concerning the precise way in which to manage the barrow—Queequeg puts his chest upon it; lashes it fast; and then shoulders the barrow and marches up the wharf. “Why,” said I, “Queequeg, you might have known better than that, one would think. Didn’t the people laugh?” + +Upon this, he told me another story. The people of his island of Rokovoko, it seems, at their wedding feasts express the fragrant water of young cocoanuts into a large stained calabash like a punchbowl; and this punchbowl always forms the great central ornament on the braided mat where the feast is held. Now a certain grand merchant ship once touched at Rokovoko, and its commander—from all accounts, a very stately punctilious gentleman, at least for a sea captain—this commander was invited to the wedding feast of Queequeg’s sister, a pretty young princess just turned of ten. Well; when all the wedding guests were assembled at the bride’s bamboo cottage, this Captain marches in, and being assigned the post of honour, placed himself over against the punchbowl, and between the High Priest and his majesty the King, Queequeg’s father. Grace being said,—for those people have their grace as well as we—though Queequeg told me that unlike us, who at such times look downwards to our platters, they, on the contrary, copying the ducks, glance upwards to the great Giver of all feasts—Grace, I say, being said, the High Priest opens the banquet by the immemorial ceremony of the island; that is, dipping his consecrated and consecrating fingers into the bowl before the blessed beverage circulates. Seeing himself placed next the Priest, and noting the ceremony, and thinking himself—being Captain of a ship—as having plain precedence over a mere island King, especially in the King’s own house—the Captain coolly proceeds to wash his hands in the punchbowl;—taking it I suppose for a huge finger-glass. “Now,” said Queequeg, “what you tink now?—Didn’t our people laugh?” + +At last, passage paid, and luggage safe, we stood on board the schooner. Hoisting sail, it glided down the Acushnet river. On one side, New Bedford rose in terraces of streets, their ice-covered trees all glittering in the clear, cold air. Huge hills and mountains of casks on casks were piled upon her wharves, and side by side the world-wandering whale ships lay silent and safely moored at last; while from others came a sound of carpenters and coopers, with blended noises of fires and forges to melt the pitch, all betokening that new cruises were on the start; that one most perilous and long voyage ended, only begins a second; and a second ended, only begins a third, and so on, for ever and for aye. Such is the endlessness, yea, the intolerableness of all earthly effort. + +Gaining the more open water, the bracing breeze waxed fresh; the little Moss tossed the quick foam from her bows, as a young colt his snortings. How I snuffed that Tartar air!—how I spurned that turnpike earth!—that common highway all over dented with the marks of slavish heels and hoofs; and turned me to admire the magnanimity of the sea which will permit no records. + +At the same foam-fountain, Queequeg seemed to drink and reel with me. His dusky nostrils swelled apart; he showed his filed and pointed teeth. On, on we flew; and our offing gained, the Moss did homage to the blast; ducked and dived her bows as a slave before the Sultan. Sideways leaning, we sideways darted; every ropeyarn tingling like a wire; the two tall masts buckling like Indian canes in land tornadoes. So full of this reeling scene were we, as we stood by the plunging bowsprit, that for some time we did not notice the jeering glances of the passengers, a lubber-like assembly, who marvelled that two fellow beings should be so companionable; as though a white man were anything more dignified than a whitewashed negro. But there were some boobies and bumpkins there, who, by their intense greenness, must have come from the heart and centre of all verdure. Queequeg caught one of these young saplings mimicking him behind his back. I thought the bumpkin’s hour of doom was come. Dropping his harpoon, the brawny savage caught him in his arms, and by an almost miraculous dexterity and strength, sent him high up bodily into the air; then slightly tapping his stern in mid-somerset, the fellow landed with bursting lungs upon his feet, while Queequeg, turning his back upon him, lighted his tomahawk pipe and passed it to me for a puff. + +“Capting! Capting!” yelled the bumpkin, running towards that officer; “Capting, Capting, here’s the devil.” + +“Hallo, you sir,” cried the Captain, a gaunt rib of the sea, stalking up to Queequeg, “what in thunder do you mean by that? Don’t you know you might have killed that chap?” + +“What him say?” said Queequeg, as he mildly turned to me. + +“He say,” said I, “that you came near kill-e that man there,” pointing to the still shivering greenhorn. + +“Kill-e,” cried Queequeg, twisting his tattooed face into an unearthly expression of disdain, “ah! him bevy small-e fish-e; Queequeg no kill-e so small-e fish-e; Queequeg kill-e big whale!” + +“Look you,” roared the Captain, “I’ll kill-e YOU, you cannibal, if you try any more of your tricks aboard here; so mind your eye.” + +But it so happened just then, that it was high time for the Captain to mind his own eye. The prodigious strain upon the main-sail had parted the weather-sheet, and the tremendous boom was now flying from side to side, completely sweeping the entire after part of the deck. The poor fellow whom Queequeg had handled so roughly, was swept overboard; all hands were in a panic; and to attempt snatching at the boom to stay it, seemed madness. It flew from right to left, and back again, almost in one ticking of a watch, and every instant seemed on the point of snapping into splinters. Nothing was done, and nothing seemed capable of being done; those on deck rushed towards the bows, and stood eyeing the boom as if it were the lower jaw of an exasperated whale. In the midst of this consternation, Queequeg dropped deftly to his knees, and crawling under the path of the boom, whipped hold of a rope, secured one end to the bulwarks, and then flinging the other like a lasso, caught it round the boom as it swept over his head, and at the next jerk, the spar was that way trapped, and all was safe. The schooner was run into the wind, and while the hands were clearing away the stern boat, Queequeg, stripped to the waist, darted from the side with a long living arc of a leap. For three minutes or more he was seen swimming like a dog, throwing his long arms straight out before him, and by turns revealing his brawny shoulders through the freezing foam. I looked at the grand and glorious fellow, but saw no one to be saved. The greenhorn had gone down. Shooting himself perpendicularly from the water, Queequeg, now took an instant’s glance around him, and seeming to see just how matters were, dived down and disappeared. A few minutes more, and he rose again, one arm still striking out, and with the other dragging a lifeless form. The boat soon picked them up. The poor bumpkin was restored. All hands voted Queequeg a noble trump; the captain begged his pardon. From that hour I clove to Queequeg like a barnacle; yea, till poor Queequeg took his last long dive. + +Was there ever such unconsciousness? He did not seem to think that he at all deserved a medal from the Humane and Magnanimous Societies. He only asked for water—fresh water—something to wipe the brine off; that done, he put on dry clothes, lighted his pipe, and leaning against the bulwarks, and mildly eyeing those around him, seemed to be saying to himself—”It’s a mutual, joint-stock world, in all meridians. We cannibals must help these Christians.” + +CHAPTER 14. Nantucket. + +Nothing more happened on the passage worthy the mentioning; so, after a fine run, we safely arrived in Nantucket. + +Nantucket! Take out your map and look at it. See what a real corner of the world it occupies; how it stands there, away off shore, more lonely than the Eddystone lighthouse. Look at it—a mere hillock, and elbow of sand; all beach, without a background. There is more sand there than you would use in twenty years as a substitute for blotting paper. Some gamesome wights will tell you that they have to plant weeds there, they don’t grow naturally; that they import Canada thistles; that they have to send beyond seas for a spile to stop a leak in an oil cask; that pieces of wood in Nantucket are carried about like bits of the true cross in Rome; that people there plant toadstools before their houses, to get under the shade in summer time; that one blade of grass makes an oasis, three blades in a day’s walk a prairie; that they wear quicksand shoes, something like Laplander snow-shoes; that they are so shut up, belted about, every way inclosed, surrounded, and made an utter island of by the ocean, that to their very chairs and tables small clams will sometimes be found adhering, as to the backs of sea turtles. But these extravaganzas only show that Nantucket is no Illinois. + +Look now at the wondrous traditional story of how this island was settled by the red-men. Thus goes the legend. In olden times an eagle swooped down upon the New England coast, and carried off an infant Indian in his talons. With loud lament the parents saw their child borne out of sight over the wide waters. They resolved to follow in the same direction. Setting out in their canoes, after a perilous passage they discovered the island, and there they found an empty ivory casket,—the poor little Indian’s skeleton. + +What wonder, then, that these Nantucketers, born on a beach, should take to the sea for a livelihood! They first caught crabs and quohogs in the sand; grown bolder, they waded out with nets for mackerel; more experienced, they pushed off in boats and captured cod; and at last, launching a navy of great ships on the sea, explored this watery world; put an incessant belt of circumnavigations round it; peeped in at Behring’s Straits; and in all seasons and all oceans declared everlasting war with the mightiest animated mass that has survived the flood; most monstrous and most mountainous! That Himmalehan, salt-sea Mastodon, clothed with such portentousness of unconscious power, that his very panics are more to be dreaded than his most fearless and malicious assaults! + +And thus have these naked Nantucketers, these sea hermits, issuing from their ant-hill in the sea, overrun and conquered the watery world like so many Alexanders; parcelling out among them the Atlantic, Pacific, and Indian oceans, as the three pirate powers did Poland. Let America add Mexico to Texas, and pile Cuba upon Canada; let the English overswarm all India, and hang out their blazing banner from the sun; two thirds of this terraqueous globe are the Nantucketer’s. For the sea is his; he owns it, as Emperors own empires; other seamen having but a right of way through it. Merchant ships are but extension bridges; armed ones but floating forts; even pirates and privateers, though following the sea as highwaymen the road, they but plunder other ships, other fragments of the land like themselves, without seeking to draw their living from the bottomless deep itself. The Nantucketer, he alone resides and riots on the sea; he alone, in Bible language, goes down to it in ships; to and fro ploughing it as his own special plantation. THERE is his home; THERE lies his business, which a Noah’s flood would not interrupt, though it overwhelmed all the millions in China. He lives on the sea, as prairie cocks in the prairie; he hides among the waves, he climbs them as chamois hunters climb the Alps. For years he knows not the land; so that when he comes to it at last, it smells like another world, more strangely than the moon would to an Earthsman. With the landless gull, that at sunset folds her wings and is rocked to sleep between billows; so at nightfall, the Nantucketer, out of sight of land, furls his sails, and lays him to his rest, while under his very pillow rush herds of walruses and whales. + +CHAPTER 15. Chowder. + +It was quite late in the evening when the little Moss came snugly to anchor, and Queequeg and I went ashore; so we could attend to no business that day, at least none but a supper and a bed. The landlord of the Spouter-Inn had recommended us to his cousin Hosea Hussey of the Try Pots, whom he asserted to be the proprietor of one of the best kept hotels in all Nantucket, and moreover he had assured us that Cousin Hosea, as he called him, was famous for his chowders. In short, he plainly hinted that we could not possibly do better than try pot-luck at the Try Pots. But the directions he had given us about keeping a yellow warehouse on our starboard hand till we opened a white church to the larboard, and then keeping that on the larboard hand till we made a corner three points to the starboard, and that done, then ask the first man we met where the place was: these crooked directions of his very much puzzled us at first, especially as, at the outset, Queequeg insisted that the yellow warehouse—our first point of departure—must be left on the larboard hand, whereas I had understood Peter Coffin to say it was on the starboard. However, by dint of beating about a little in the dark, and now and then knocking up a peaceable inhabitant to inquire the way, we at last came to something which there was no mistaking. + +Two enormous wooden pots painted black, and suspended by asses’ ears, swung from the cross-trees of an old top-mast, planted in front of an old doorway. The horns of the cross-trees were sawed off on the other side, so that this old top-mast looked not a little like a gallows. Perhaps I was over sensitive to such impressions at the time, but I could not help staring at this gallows with a vague misgiving. A sort of crick was in my neck as I gazed up to the two remaining horns; yes, TWO of them, one for Queequeg, and one for me. It’s ominous, thinks I. A Coffin my Innkeeper upon landing in my first whaling port; tombstones staring at me in the whalemen’s chapel; and here a gallows! and a pair of prodigious black pots too! Are these last throwing out oblique hints touching Tophet? + +I was called from these reflections by the sight of a freckled woman with yellow hair and a yellow gown, standing in the porch of the inn, under a dull red lamp swinging there, that looked much like an injured eye, and carrying on a brisk scolding with a man in a purple woollen shirt. + +“Get along with ye,” said she to the man, “or I’ll be combing ye!” + +“Come on, Queequeg,” said I, “all right. There’s Mrs. Hussey.” + +And so it turned out; Mr. Hosea Hussey being from home, but leaving Mrs. Hussey entirely competent to attend to all his affairs. Upon making known our desires for a supper and a bed, Mrs. Hussey, postponing further scolding for the present, ushered us into a little room, and seating us at a table spread with the relics of a recently concluded repast, turned round to us and said—”Clam or Cod?” + +“What’s that about Cods, ma’am?” said I, with much politeness. + +“Clam or Cod?” she repeated. + +“A clam for supper? a cold clam; is THAT what you mean, Mrs. Hussey?” says I, “but that’s a rather cold and clammy reception in the winter time, ain’t it, Mrs. Hussey?” + +But being in a great hurry to resume scolding the man in the purple Shirt, who was waiting for it in the entry, and seeming to hear nothing but the word “clam,” Mrs. Hussey hurried towards an open door leading to the kitchen, and bawling out “clam for two,” disappeared. + +“Queequeg,” said I, “do you think that we can make out a supper for us both on one clam?” + +However, a warm savory steam from the kitchen served to belie the apparently cheerless prospect before us. But when that smoking chowder came in, the mystery was delightfully explained. Oh, sweet friends! hearken to me. It was made of small juicy clams, scarcely bigger than hazel nuts, mixed with pounded ship biscuit, and salted pork cut up into little flakes; the whole enriched with butter, and plentifully seasoned with pepper and salt. Our appetites being sharpened by the frosty voyage, and in particular, Queequeg seeing his favourite fishing food before him, and the chowder being surpassingly excellent, we despatched it with great expedition: when leaning back a moment and bethinking me of Mrs. Hussey’s clam and cod announcement, I thought I would try a little experiment. Stepping to the kitchen door, I uttered the word “cod” with great emphasis, and resumed my seat. In a few moments the savoury steam came forth again, but with a different flavor, and in good time a fine cod-chowder was placed before us. + +We resumed business; and while plying our spoons in the bowl, thinks I to myself, I wonder now if this here has any effect on the head? What’s that stultifying saying about chowder-headed people? “But look, Queequeg, ain’t that a live eel in your bowl? Where’s your harpoon?” + +Fishiest of all fishy places was the Try Pots, which well deserved its name; for the pots there were always boiling chowders. Chowder for breakfast, and chowder for dinner, and chowder for supper, till you began to look for fish-bones coming through your clothes. The area before the house was paved with clam-shells. Mrs. Hussey wore a polished necklace of codfish vertebra; and Hosea Hussey had his account books bound in superior old shark-skin. There was a fishy flavor to the milk, too, which I could not at all account for, till one morning happening to take a stroll along the beach among some fishermen’s boats, I saw Hosea’s brindled cow feeding on fish remnants, and marching along the sand with each foot in a cod’s decapitated head, looking very slip-shod, I assure ye. + +Supper concluded, we received a lamp, and directions from Mrs. Hussey concerning the nearest way to bed; but, as Queequeg was about to precede me up the stairs, the lady reached forth her arm, and demanded his harpoon; she allowed no harpoon in her chambers. “Why not?” said I; “every true whaleman sleeps with his harpoon—but why not?” “Because it’s dangerous,” says she. “Ever since young Stiggs coming from that unfort’nt v’y‘ge of his, when he was gone four years and a half, with only three barrels of ile, was found dead in my first floor back, with his harpoon in his side; ever since then I allow no boarders to take sich dangerous weepons in their rooms at night. So, Mr. Queequeg” (for she had learned his name), “I will just take this here iron, and keep it for you till morning. But the chowder; clam or cod to-morrow for breakfast, men?” + +“Both,” says I; “and let’s have a couple of smoked herring by way of variety.” + +CHAPTER 16. The Ship. + +In bed we concocted our plans for the morrow. But to my surprise and no small concern, Queequeg now gave me to understand, that he had been diligently consulting Yojo—the name of his black little god—and Yojo had told him two or three times over, and strongly insisted upon it everyway, that instead of our going together among the whaling-fleet in harbor, and in concert selecting our craft; instead of this, I say, Yojo earnestly enjoined that the selection of the ship should rest wholly with me, inasmuch as Yojo purposed befriending us; and, in order to do so, had already pitched upon a vessel, which, if left to myself, I, Ishmael, should infallibly light upon, for all the world as though it had turned out by chance; and in that vessel I must immediately ship myself, for the present irrespective of Queequeg. + +I have forgotten to mention that, in many things, Queequeg placed great confidence in the excellence of Yojo’s judgment and surprising forecast of things; and cherished Yojo with considerable esteem, as a rather good sort of god, who perhaps meant well enough upon the whole, but in all cases did not succeed in his benevolent designs. + +Now, this plan of Queequeg’s, or rather Yojo’s, touching the selection of our craft; I did not like that plan at all. I had not a little relied upon Queequeg’s sagacity to point out the whaler best fitted to carry us and our fortunes securely. But as all my remonstrances produced no effect upon Queequeg, I was obliged to acquiesce; and accordingly prepared to set about this business with a determined rushing sort of energy and vigor, that should quickly settle that trifling little affair. Next morning early, leaving Queequeg shut up with Yojo in our little bedroom—for it seemed that it was some sort of Lent or Ramadan, or day of fasting, humiliation, and prayer with Queequeg and Yojo that day; HOW it was I never could find out, for, though I applied myself to it several times, I never could master his liturgies and XXXIX Articles—leaving Queequeg, then, fasting on his tomahawk pipe, and Yojo warming himself at his sacrificial fire of shavings, I sallied out among the shipping. After much prolonged sauntering and many random inquiries, I learnt that there were three ships up for three-years’ voyages—The Devil-dam, the Tit-bit, and the Pequod. DEVIL-DAM, I do not know the origin of; TIT-BIT is obvious; PEQUOD, you will no doubt remember, was the name of a celebrated tribe of Massachusetts Indians; now extinct as the ancient Medes. I peered and pryed about the Devil-dam; from her, hopped over to the Tit-bit; and finally, going on board the Pequod, looked around her for a moment, and then decided that this was the very ship for us. + +A noble craft, but somehow most melancholy! All noble things are touched with that. +You may have seen many a quaint craft in your day, for aught I know;—square-toed luggers; mountainous Japanese junks; butter-box galliots, and what not; but take my word for it, you never saw such a rare old craft as this same rare old Pequod. She was a ship of the old school, rather small if anything; with an old-fashioned claw-footed look about her. Long seasoned and weather-stained in the typhoons and calms of all four oceans, her old hull’s complexion was darkened like a French grenadier’s, who has alike fought in Egypt and Siberia. Her venerable bows looked bearded. Her masts—cut somewhere on the coast of Japan, where her original ones were lost overboard in a gale—her masts stood stiffly up like the spines of the three old kings of Cologne. Her ancient decks were worn and wrinkled, like the pilgrim-worshipped flag-stone in Canterbury Cathedral where Becket bled. But to all these her old antiquities, were added new and marvellous features, pertaining to the wild business that for more than half a century she had followed. Old Captain Peleg, many years her chief-mate, before he commanded another vessel of his own, and now a retired seaman, and one of the principal owners of the Pequod,—this old Peleg, during the term of his chief-mateship, had built upon her original grotesqueness, and inlaid it, all over, with a quaintness both of material and device, unmatched by anything except it be Thorkill-Hake’s carved buckler or bedstead. She was apparelled like any barbaric Ethiopian emperor, his neck heavy with pendants of polished ivory. She was a thing of trophies. A cannibal of a craft, tricking herself forth in the chased bones of her enemies. All round, her unpanelled, open bulwarks were garnished like one continuous jaw, with the long sharp teeth of the sperm whale, inserted there for pins, to fasten her old hempen thews and tendons to. Those thews ran not through base blocks of land wood, but deftly travelled over sheaves of sea-ivory. Scorning a turnstile wheel at her reverend helm, she sported there a tiller; and that tiller was in one mass, curiously carved from the long narrow lower jaw of her hereditary foe. The helmsman who steered by that tiller in a tempest, felt like the Tartar, when he holds back his fiery steed by clutching its jaw. A noble craft, but somehow a most melancholy! All noble things are touched with that. + +Now when I looked about the quarter-deck, for some one having authority, in order to propose myself as a candidate for the voyage, at first I saw nobody; but I could not well overlook a strange sort of tent, or rather wigwam, pitched a little behind the main-mast. It seemed only a temporary erection used in port. It was of a conical shape, some ten feet high; consisting of the long, huge slabs of limber black bone taken from the middle and highest part of the jaws of the right-whale. Planted with their broad ends on the deck, a circle of these slabs laced together, mutually sloped towards each other, and at the apex united in a tufted point, where the loose hairy fibres waved to and fro like the top-knot on some old Pottowottamie Sachem’s head. A triangular opening faced towards the bows of the ship, so that the insider commanded a complete view forward. + +And half concealed in this queer tenement, I at length found one who by his aspect seemed to have authority; and who, it being noon, and the ship’s work suspended, was now enjoying respite from the burden of command. He was seated on an old-fashioned oaken chair, wriggling all over with curious carving; and the bottom of which was formed of a stout interlacing of the same elastic stuff of which the wigwam was constructed. + +There was nothing so very particular, perhaps, about the appearance of the elderly man I saw; he was brown and brawny, like most old seamen, and heavily rolled up in blue pilot-cloth, cut in the Quaker style; only there was a fine and almost microscopic net-work of the minutest wrinkles interlacing round his eyes, which must have arisen from his continual sailings in many hard gales, and always looking to windward;—for this causes the muscles about the eyes to become pursed together. Such eye-wrinkles are very effectual in a scowl. + +“Is this the Captain of the Pequod?” said I, advancing to the door of the tent. + +“Supposing it be the captain of the Pequod, what dost thou want of him?” he demanded. + +“I was thinking of shipping.” + +“Thou wast, wast thou? I see thou art no Nantucketer—ever been in a stove boat?” + +“No, Sir, I never have.” + +“Dost know nothing at all about whaling, I dare say—eh? + +“Nothing, Sir; but I have no doubt I shall soon learn. I’ve been several voyages in the merchant service, and I think that—” + +“Merchant service be damned. Talk not that lingo to me. Dost see that leg?—I’ll take that leg away from thy stern, if ever thou talkest of the marchant service to me again. Marchant service indeed! I suppose now ye feel considerable proud of having served in those marchant ships. But flukes! man, what makes thee want to go a whaling, eh?—it looks a little suspicious, don’t it, eh?—Hast not been a pirate, hast thou?—Didst not rob thy last Captain, didst thou?—Dost not think of murdering the officers when thou gettest to sea?” + +I protested my innocence of these things. I saw that under the mask of these half humorous innuendoes, this old seaman, as an insulated Quakerish Nantucketer, was full of his insular prejudices, and rather distrustful of all aliens, unless they hailed from Cape Cod or the Vineyard. + +“But what takes thee a-whaling? I want to know that before I think of shipping ye.” + +“Well, sir, I want to see what whaling is. I want to see the world.” + +“Want to see what whaling is, eh? Have ye clapped eye on Captain Ahab?” + +“Who is Captain Ahab, sir?” + +“Aye, aye, I thought so. Captain Ahab is the Captain of this ship.” + +“I am mistaken then. I thought I was speaking to the Captain himself.” + +“Thou art speaking to Captain Peleg—that’s who ye are speaking to, young man. It belongs to me and Captain Bildad to see the Pequod fitted out for the voyage, and supplied with all her needs, including crew. We are part owners and agents. But as I was going to say, if thou wantest to know what whaling is, as thou tellest ye do, I can put ye in a way of finding it out before ye bind yourself to it, past backing out. Clap eye on Captain Ahab, young man, and thou wilt find that he has only one leg.” + +“What do you mean, sir? Was the other one lost by a whale?” + +“Lost by a whale! Young man, come nearer to me: it was devoured, chewed up, crunched by the monstrousest parmacetty that ever chipped a boat!—ah, ah!” + +I was a little alarmed by his energy, perhaps also a little touched at the hearty grief in his concluding exclamation, but said as calmly as I could, “What you say is no doubt true enough, sir; but how could I know there was any peculiar ferocity in that particular whale, though indeed I might have inferred as much from the simple fact of the accident.” + +“Look ye now, young man, thy lungs are a sort of soft, d’ye see; thou dost not talk shark a bit. SURE, ye’ve been to sea before now; sure of that?” + +“Sir,” said I, “I thought I told you that I had been four voyages in the merchant—” + +“Hard down out of that! Mind what I said about the marchant service—don’t aggravate me—I won’t have it. But let us understand each other. I have given thee a hint about what whaling is; do ye yet feel inclined for it?” + +“I do, sir.” + +“Very good. Now, art thou the man to pitch a harpoon down a live whale’s throat, and then jump after it? Answer, quick!” + +“I am, sir, if it should be positively indispensable to do so; not to be got rid of, that is; which I don’t take to be the fact.” + +“Good again. Now then, thou not only wantest to go a-whaling, to find out by experience what whaling is, but ye also want to go in order to see the world? Was not that what ye said? I thought so. Well then, just step forward there, and take a peep over the weather-bow, and then back to me and tell me what ye see there.” + +He’s a grand, ungodly, god-like man, Captain Ahab; doesn’t speak much; but, when he does speak, then you may well listen. Mark ye, be forewarned; Ahab’s above the common; Ahab’s been in colleges, as well as ‘mong the cannibals; been used to deeper wonders than the waves; fixed his fiery lance in mightier, stranger foes than whales. +For a moment I stood a little puzzled by this curious request, not knowing exactly how to take it, whether humorously or in earnest. But concentrating all his crow’s feet into one scowl, Captain Peleg started me on the errand. + +Going forward and glancing over the weather bow, I perceived that the ship swinging to her anchor with the flood-tide, was now obliquely pointing towards the open ocean. The prospect was unlimited, but exceedingly monotonous and forbidding; not the slightest variety that I could see. + +“Well, what’s the report?” said Peleg when I came back; “what did ye see?” + +“Not much,” I replied—”nothing but water; considerable horizon though, and there’s a squall coming up, I think.” + +“Well, what does thou think then of seeing the world? Do ye wish to go round Cape Horn to see any more of it, eh? Can’t ye see the world where you stand?” + +I was a little staggered, but go a-whaling I must, and I would; and the Pequod was as good a ship as any—I thought the best—and all this I now repeated to Peleg. Seeing me so determined, he expressed his willingness to ship me. + +“And thou mayest as well sign the papers right off,” he added—”come along with ye.” And so saying, he led the way below deck into the cabin. + +Seated on the transom was what seemed to me a most uncommon and surprising figure. It turned out to be Captain Bildad, who along with Captain Peleg was one of the largest owners of the vessel; the other shares, as is sometimes the case in these ports, being held by a crowd of old annuitants; widows, fatherless children, and chancery wards; each owning about the value of a timber head, or a foot of plank, or a nail or two in the ship. People in Nantucket invest their money in whaling vessels, the same way that you do yours in approved state stocks bringing in good interest. + +Now, Bildad, like Peleg, and indeed many other Nantucketers, was a Quaker, the island having been originally settled by that sect; and to this day its inhabitants in general retain in an uncommon measure the peculiarities of the Quaker, only variously and anomalously modified by things altogether alien and heterogeneous. For some of these same Quakers are the most sanguinary of all sailors and whale-hunters. They are fighting Quakers; they are Quakers with a vengeance. + +So that there are instances among them of men, who, named with Scripture names—a singularly common fashion on the island—and in childhood naturally imbibing the stately dramatic thee and thou of the Quaker idiom; still, from the audacious, daring, and boundless adventure of their subsequent lives, strangely blend with these unoutgrown peculiarities, a thousand bold dashes of character, not unworthy a Scandinavian sea-king, or a poetical Pagan Roman. And when these things unite in a man of greatly superior natural force, with a globular brain and a ponderous heart; who has also by the stillness and seclusion of many long night-watches in the remotest waters, and beneath constellations never seen here at the north, been led to think untraditionally and independently; receiving all nature’s sweet or savage impressions fresh from her own virgin voluntary and confiding breast, and thereby chiefly, but with some help from accidental advantages, to learn a bold and nervous lofty language—that man makes one in a whole nation’s census—a mighty pageant creature, formed for noble tragedies. Nor will it at all detract from him, dramatically regarded, if either by birth or other circumstances, he have what seems a half wilful overruling morbidness at the bottom of his nature. For all men tragically great are made so through a certain morbidness. Be sure of this, O young ambition, all mortal greatness is but disease. But, as yet we have not to do with such an one, but with quite another; and still a man, who, if indeed peculiar, it only results again from another phase of the Quaker, modified by individual circumstances. + +Like Captain Peleg, Captain Bildad was a well-to-do, retired whaleman. But unlike Captain Peleg—who cared not a rush for what are called serious things, and indeed deemed those self-same serious things the veriest of all trifles—Captain Bildad had not only been originally educated according to the strictest sect of Nantucket Quakerism, but all his subsequent ocean life, and the sight of many unclad, lovely island creatures, round the Horn—all that had not moved this native born Quaker one single jot, had not so much as altered one angle of his vest. Still, for all this immutableness, was there some lack of common consistency about worthy Captain Peleg. Though refusing, from conscientious scruples, to bear arms against land invaders, yet himself had illimitably invaded the Atlantic and Pacific; and though a sworn foe to human bloodshed, yet had he in his straight-bodied coat, spilled tuns upon tuns of leviathan gore. How now in the contemplative evening of his days, the pious Bildad reconciled these things in the reminiscence, I do not know; but it did not seem to concern him much, and very probably he had long since come to the sage and sensible conclusion that a man’s religion is one thing, and this practical world quite another. This world pays dividends. Rising from a little cabin-boy in short clothes of the drabbest drab, to a harpooneer in a broad shad-bellied waistcoat; from that becoming boat-header, chief-mate, and captain, and finally a ship owner; Bildad, as I hinted before, had concluded his adventurous career by wholly retiring from active life at the goodly age of sixty, and dedicating his remaining days to the quiet receiving of his well-earned income. + +Now, Bildad, I am sorry to say, had the reputation of being an incorrigible old hunks, and in his sea-going days, a bitter, hard task-master. They told me in Nantucket, though it certainly seems a curious story, that when he sailed the old Categut whaleman, his crew, upon arriving home, were mostly all carried ashore to the hospital, sore exhausted and worn out. For a pious man, especially for a Quaker, he was certainly rather hard-hearted, to say the least. He never used to swear, though, at his men, they said; but somehow he got an inordinate quantity of cruel, unmitigated hard work out of them. When Bildad was a chief-mate, to have his drab-coloured eye intently looking at you, made you feel completely nervous, till you could clutch something—a hammer or a marling-spike, and go to work like mad, at something or other, never mind what. Indolence and idleness perished before him. His own person was the exact embodiment of his utilitarian character. On his long, gaunt body, he carried no spare flesh, no superfluous beard, his chin having a soft, economical nap to it, like the worn nap of his broad-brimmed hat. + +Such, then, was the person that I saw seated on the transom when I followed Captain Peleg down into the cabin. The space between the decks was small; and there, bolt-upright, sat old Bildad, who always sat so, and never leaned, and this to save his coat tails. His broad-brim was placed beside him; his legs were stiffly crossed; his drab vesture was buttoned up to his chin; and spectacles on nose, he seemed absorbed in reading from a ponderous volume. + +“Bildad,” cried Captain Peleg, “at it again, Bildad, eh? Ye have been studying those Scriptures, now, for the last thirty years, to my certain knowledge. How far ye got, Bildad?” + +As if long habituated to such profane talk from his old shipmate, Bildad, without noticing his present irreverence, quietly looked up, and seeing me, glanced again inquiringly towards Peleg. + +“He says he’s our man, Bildad,” said Peleg, “he wants to ship.” + +“Dost thee?” said Bildad, in a hollow tone, and turning round to me. + +“I dost,” said I unconsciously, he was so intense a Quaker. + +“What do ye think of him, Bildad?” said Peleg. + +“He’ll do,” said Bildad, eyeing me, and then went on spelling away at his book in a mumbling tone quite audible. + +I thought him the queerest old Quaker I ever saw, especially as Peleg, his friend and old shipmate, seemed such a blusterer. But I said nothing, only looking round me sharply. Peleg now threw open a chest, and drawing forth the ship’s articles, placed pen and ink before him, and seated himself at a little table. I began to think it was high time to settle with myself at what terms I would be willing to engage for the voyage. I was already aware that in the whaling business they paid no wages; but all hands, including the captain, received certain shares of the profits called lays, and that these lays were proportioned to the degree of importance pertaining to the respective duties of the ship’s company. I was also aware that being a green hand at whaling, my own lay would not be very large; but considering that I was used to the sea, could steer a ship, splice a rope, and all that, I made no doubt that from all I had heard I should be offered at least the 275th lay—that is, the 275th part of the clear net proceeds of the voyage, whatever that might eventually amount to. And though the 275th lay was what they call a rather LONG LAY, yet it was better than nothing; and if we had a lucky voyage, might pretty nearly pay for the clothing I would wear out on it, not to speak of my three years’ beef and board, for which I would not have to pay one stiver. + +It might be thought that this was a poor way to accumulate a princely fortune—and so it was, a very poor way indeed. But I am one of those that never take on about princely fortunes, and am quite content if the world is ready to board and lodge me, while I am putting up at this grim sign of the Thunder Cloud. Upon the whole, I thought that the 275th lay would be about the fair thing, but would not have been surprised had I been offered the 200th, considering I was of a broad-shouldered make. + +But one thing, nevertheless, that made me a little distrustful about receiving a generous share of the profits was this: Ashore, I had heard something of both Captain Peleg and his unaccountable old crony Bildad; how that they being the principal proprietors of the Pequod, therefore the other and more inconsiderable and scattered owners, left nearly the whole management of the ship’s affairs to these two. And I did not know but what the stingy old Bildad might have a mighty deal to say about shipping hands, especially as I now found him on board the Pequod, quite at home there in the cabin, and reading his Bible as if at his own fireside. Now while Peleg was vainly trying to mend a pen with his jack-knife, old Bildad, to my no small surprise, considering that he was such an interested party in these proceedings; Bildad never heeded us, but went on mumbling to himself out of his book, “LAY not up for yourselves treasures upon earth, where moth—” + +“Well, Captain Bildad,” interrupted Peleg, “what d’ye say, what lay shall we give this young man?” + +“Thou knowest best,” was the sepulchral reply, “the seven hundred and seventy-seventh wouldn’t be too much, would it?—’where moth and rust do corrupt, but LAY—’” + +LAY, indeed, thought I, and such a lay! the seven hundred and seventy-seventh! Well, old Bildad, you are determined that I, for one, shall not LAY up many LAYS here below, where moth and rust do corrupt. It was an exceedingly LONG LAY that, indeed; and though from the magnitude of the figure it might at first deceive a landsman, yet the slightest consideration will show that though seven hundred and seventy-seven is a pretty large number, yet, when you come to make a TEENTH of it, you will then see, I say, that the seven hundred and seventy-seventh part of a farthing is a good deal less than seven hundred and seventy-seven gold doubloons; and so I thought at the time. + +“Why, blast your eyes, Bildad,” cried Peleg, “thou dost not want to swindle this young man! he must have more than that.” + +“Seven hundred and seventy-seventh,” again said Bildad, without lifting his eyes; and then went on mumbling—”for where your treasure is, there will your heart be also.” + +“I am going to put him down for the three hundredth,” said Peleg, “do ye hear that, Bildad! The three hundredth lay, I say.” + +Bildad laid down his book, and turning solemnly towards him said, “Captain Peleg, thou hast a generous heart; but thou must consider the duty thou owest to the other owners of this ship—widows and orphans, many of them—and that if we too abundantly reward the labors of this young man, we may be taking the bread from those widows and those orphans. The seven hundred and seventy-seventh lay, Captain Peleg.” + +“Thou Bildad!” roared Peleg, starting up and clattering about the cabin. “Blast ye, Captain Bildad, if I had followed thy advice in these matters, I would afore now had a conscience to lug about that would be heavy enough to founder the largest ship that ever sailed round Cape Horn.” + +“Captain Peleg,” said Bildad steadily, “thy conscience may be drawing ten inches of water, or ten fathoms, I can’t tell; but as thou art still an impenitent man, Captain Peleg, I greatly fear lest thy conscience be but a leaky one; and will in the end sink thee foundering down to the fiery pit, Captain Peleg.” + +“Fiery pit! fiery pit! ye insult me, man; past all natural bearing, ye insult me. It’s an all-fired outrage to tell any human creature that he’s bound to hell. Flukes and flames! Bildad, say that again to me, and start my soul-bolts, but I’ll—I’ll—yes, I’ll swallow a live goat with all his hair and horns on. Out of the cabin, ye canting, drab-coloured son of a wooden gun—a straight wake with ye!” + +As he thundered out this he made a rush at Bildad, but with a marvellous oblique, sliding celerity, Bildad for that time eluded him. + +Alarmed at this terrible outburst between the two principal and responsible owners of the ship, and feeling half a mind to give up all idea of sailing in a vessel so questionably owned and temporarily commanded, I stepped aside from the door to give egress to Bildad, who, I made no doubt, was all eagerness to vanish from before the awakened wrath of Peleg. But to my astonishment, he sat down again on the transom very quietly, and seemed to have not the slightest intention of withdrawing. He seemed quite used to impenitent Peleg and his ways. As for Peleg, after letting off his rage as he had, there seemed no more left in him, and he, too, sat down like a lamb, though he twitched a little as if still nervously agitated. “Whew!” he whistled at last—”the squall’s gone off to leeward, I think. Bildad, thou used to be good at sharpening a lance, mend that pen, will ye. My jack-knife here needs the grindstone. That’s he; thank ye, Bildad. Now then, my young man, Ishmael’s thy name, didn’t ye say? Well then, down ye go here, Ishmael, for the three hundredth lay.” + +“Captain Peleg,” said I, “I have a friend with me who wants to ship too—shall I bring him down to-morrow?” + +“To be sure,” said Peleg. “Fetch him along, and we’ll look at him.” + +“What lay does he want?” groaned Bildad, glancing up from the book in which he had again been burying himself. + +“Oh! never thee mind about that, Bildad,” said Peleg. “Has he ever whaled it any?” turning to me. + +“Killed more whales than I can count, Captain Peleg.” + +“Well, bring him along then.” + +And, after signing the papers, off I went; nothing doubting but that I had done a good morning’s work, and that the Pequod was the identical ship that Yojo had provided to carry Queequeg and me round the Cape. + +But I had not proceeded far, when I began to bethink me that the Captain with whom I was to sail yet remained unseen by me; though, indeed, in many cases, a whale-ship will be completely fitted out, and receive all her crew on board, ere the captain makes himself visible by arriving to take command; for sometimes these voyages are so prolonged, and the shore intervals at home so exceedingly brief, that if the captain have a family, or any absorbing concernment of that sort, he does not trouble himself much about his ship in port, but leaves her to the owners till all is ready for sea. However, it is always as well to have a look at him before irrevocably committing yourself into his hands. Turning back I accosted Captain Peleg, inquiring where Captain Ahab was to be found. + +“And what dost thou want of Captain Ahab? It’s all right enough; thou art shipped.” + +“Yes, but I should like to see him.” + +“But I don’t think thou wilt be able to at present. I don’t know exactly what’s the matter with him; but he keeps close inside the house; a sort of sick, and yet he don’t look so. In fact, he ain’t sick; but no, he isn’t well either. Any how, young man, he won’t always see me, so I don’t suppose he will thee. He’s a queer man, Captain Ahab—so some think—but a good one. Oh, thou’lt like him well enough; no fear, no fear. He’s a grand, ungodly, god-like man, Captain Ahab; doesn’t speak much; but, when he does speak, then you may well listen. Mark ye, be forewarned; Ahab’s above the common; Ahab’s been in colleges, as well as ‘mong the cannibals; been used to deeper wonders than the waves; fixed his fiery lance in mightier, stranger foes than whales. His lance! aye, the keenest and the surest that out of all our isle! Oh! he ain’t Captain Bildad; no, and he ain’t Captain Peleg; HE’S AHAB, boy; and Ahab of old, thou knowest, was a crowned king!” + +“And a very vile one. When that wicked king was slain, the dogs, did they not lick his blood?” + +“Come hither to me—hither, hither,” said Peleg, with a significance in his eye that almost startled me. “Look ye, lad; never say that on board the Pequod. Never say it anywhere. Captain Ahab did not name himself. ‘Twas a foolish, ignorant whim of his crazy, widowed mother, who died when he was only a twelvemonth old. And yet the old squaw Tistig, at Gayhead, said that the name would somehow prove prophetic. And, perhaps, other fools like her may tell thee the same. I wish to warn thee. It’s a lie. I know Captain Ahab well; I’ve sailed with him as mate years ago; I know what he is—a good man—not a pious, good man, like Bildad, but a swearing good man—something like me—only there’s a good deal more of him. Aye, aye, I know that he was never very jolly; and I know that on the passage home, he was a little out of his mind for a spell; but it was the sharp shooting pains in his bleeding stump that brought that about, as any one might see. I know, too, that ever since he lost his leg last voyage by that accursed whale, he’s been a kind of moody—desperate moody, and savage sometimes; but that will all pass off. And once for all, let me tell thee and assure thee, young man, it’s better to sail with a moody good captain than a laughing bad one. So good-bye to thee—and wrong not Captain Ahab, because he happens to have a wicked name. Besides, my boy, he has a wife—not three voyages wedded—a sweet, resigned girl. Think of that; by that sweet girl that old man has a child: hold ye then there can be any utter, hopeless harm in Ahab? No, no, my lad; stricken, blasted, if he be, Ahab has his humanities!” + +As I walked away, I was full of thoughtfulness; what had been incidentally revealed to me of Captain Ahab, filled me with a certain wild vagueness of painfulness concerning him. And somehow, at the time, I felt a sympathy and a sorrow for him, but for I don’t know what, unless it was the cruel loss of his leg. And yet I also felt a strange awe of him; but that sort of awe, which I cannot at all describe, was not exactly awe; I do not know what it was. But I felt it; and it did not disincline me towards him; though I felt impatience at what seemed like mystery in him, so imperfectly as he was known to me then. However, my thoughts were at length carried in other directions, so that for the present dark Ahab slipped my mind. + +CHAPTER 17. The Ramadan. + +As Queequeg’s Ramadan, or Fasting and Humiliation, was to continue all day, I did not choose to disturb him till towards night-fall; for I cherish the greatest respect towards everybody’s religious obligations, never mind how comical, and could not find it in my heart to undervalue even a congregation of ants worshipping a toad-stool; or those other creatures in certain parts of our earth, who with a degree of footmanism quite unprecedented in other planets, bow down before the torso of a deceased landed proprietor merely on account of the inordinate possessions yet owned and rented in his name. + +I say, we good Presbyterian Christians should be charitable in these things, and not fancy ourselves so vastly superior to other mortals, pagans and what not, because of their half-crazy conceits on these subjects. There was Queequeg, now, certainly entertaining the most absurd notions about Yojo and his Ramadan;—but what of that? Queequeg thought he knew what he was about, I suppose; he seemed to be content; and there let him rest. All our arguing with him would not avail; let him be, I say: and Heaven have mercy on us all—Presbyterians and Pagans alike—for we are all somehow dreadfully cracked about the head, and sadly need mending. + +Towards evening, when I felt assured that all his performances and rituals must be over, I went up to his room and knocked at the door; but no answer. I tried to open it, but it was fastened inside. “Queequeg,” said I softly through the key-hole:—all silent. “I say, Queequeg! why don’t you speak? It’s I—Ishmael.” But all remained still as before. I began to grow alarmed. I had allowed him such abundant time; I thought he might have had an apoplectic fit. I looked through the key-hole; but the door opening into an odd corner of the room, the key-hole prospect was but a crooked and sinister one. I could only see part of the foot-board of the bed and a line of the wall, but nothing more. I was surprised to behold resting against the wall the wooden shaft of Queequeg’s harpoon, which the landlady the evening previous had taken from him, before our mounting to the chamber. That’s strange, thought I; but at any rate, since the harpoon stands yonder, and he seldom or never goes abroad without it, therefore he must be inside here, and no possible mistake. + +“Queequeg!—Queequeg!”—all still. Something must have happened. Apoplexy! I tried to burst open the door; but it stubbornly resisted. Running down stairs, I quickly stated my suspicions to the first person I met—the chamber-maid. “La! la!” she cried, “I thought something must be the matter. I went to make the bed after breakfast, and the door was locked; and not a mouse to be heard; and it’s been just so silent ever since. But I thought, may be, you had both gone off and locked your baggage in for safe keeping. La! la, ma’am!—Mistress! murder! Mrs. Hussey! apoplexy!”—and with these cries, she ran towards the kitchen, I following. + +Mrs. Hussey soon appeared, with a mustard-pot in one hand and a vinegar-cruet in the other, having just broken away from the occupation of attending to the castors, and scolding her little black boy meantime. + +“Wood-house!” cried I, “which way to it? Run for God’s sake, and fetch something to pry open the door—the axe!—the axe! he’s had a stroke; depend upon it!”—and so saying I was unmethodically rushing up stairs again empty-handed, when Mrs. Hussey interposed the mustard-pot and vinegar-cruet, and the entire castor of her countenance. + +“What’s the matter with you, young man?” + +“Get the axe! For God’s sake, run for the doctor, some one, while I pry it open!” + +“Look here,” said the landlady, quickly putting down the vinegar-cruet, so as to have one hand free; “look here; are you talking about prying open any of my doors?”—and with that she seized my arm. “What’s the matter with you? What’s the matter with you, shipmate?” + +In as calm, but rapid a manner as possible, I gave her to understand the whole case. Unconsciously clapping the vinegar-cruet to one side of her nose, she ruminated for an instant; then exclaimed—”No! I haven’t seen it since I put it there.” Running to a little closet under the landing of the stairs, she glanced in, and returning, told me that Queequeg’s harpoon was missing. “He’s killed himself,” she cried. “It’s unfort’nate Stiggs done over again there goes another counterpane—God pity his poor mother!—it will be the ruin of my house. Has the poor lad a sister? Where’s that girl?—there, Betty, go to Snarles the Painter, and tell him to paint me a sign, with—”no suicides permitted here, and no smoking in the parlor;”—might as well kill both birds at once. Kill? The Lord be merciful to his ghost! What’s that noise there? You, young man, avast there!” + +And running up after me, she caught me as I was again trying to force open the door. + +“I don’t allow it; I won’t have my premises spoiled. Go for the locksmith, there’s one about a mile from here. But avast!” putting her hand in her side-pocket, “here’s a key that’ll fit, I guess; let’s see.” And with that, she turned it in the lock; but, alas! Queequeg’s supplemental bolt remained unwithdrawn within. + +“Have to burst it open,” said I, and was running down the entry a little, for a good start, when the landlady caught at me, again vowing I should not break down her premises; but I tore from her, and with a sudden bodily rush dashed myself full against the mark. + +With a prodigious noise the door flew open, and the knob slamming against the wall, sent the plaster to the ceiling; and there, good heavens! there sat Queequeg, altogether cool and self-collected; right in the middle of the room; squatting on his hams, and holding Yojo on top of his head. He looked neither one way nor the other way, but sat like a carved image with scarce a sign of active life. + +“Queequeg,” said I, going up to him, “Queequeg, what’s the matter with you?” + +“He hain’t been a sittin’ so all day, has he?” said the landlady. + +But all we said, not a word could we drag out of him; I almost felt like pushing him over, so as to change his position, for it was almost intolerable, it seemed so painfully and unnaturally constrained; especially, as in all probability he had been sitting so for upwards of eight or ten hours, going too without his regular meals. + +“Mrs. Hussey,” said I, “he’s ALIVE at all events; so leave us, if you please, and I will see to this strange affair myself.” + +Closing the door upon the landlady, I endeavored to prevail upon Queequeg to take a chair; but in vain. There he sat; and all he could do—for all my polite arts and blandishments—he would not move a peg, nor say a single word, nor even look at me, nor notice my presence in the slightest way. + +I wonder, thought I, if this can possibly be a part of his Ramadan; do they fast on their hams that way in his native island. It must be so; yes, it’s part of his creed, I suppose; well, then, let him rest; he’ll get up sooner or later, no doubt. It can’t last for ever, thank God, and his Ramadan only comes once a year; and I don’t believe it’s very punctual then. + +I went down to supper. After sitting a long time listening to the long stories of some sailors who had just come from a plum-pudding voyage, as they called it (that is, a short whaling-voyage in a schooner or brig, confined to the north of the line, in the Atlantic Ocean only); after listening to these plum-puddingers till nearly eleven o’clock, I went up stairs to go to bed, feeling quite sure by this time Queequeg must certainly have brought his Ramadan to a termination. But no; there he was just where I had left him; he had not stirred an inch. I began to grow vexed with him; it seemed so downright senseless and insane to be sitting there all day and half the night on his hams in a cold room, holding a piece of wood on his head. + +“For heaven’s sake, Queequeg, get up and shake yourself; get up and have some supper. You’ll starve; you’ll kill yourself, Queequeg.” But not a word did he reply. + +Despairing of him, therefore, I determined to go to bed and to sleep; and no doubt, before a great while, he would follow me. But previous to turning in, I took my heavy bearskin jacket, and threw it over him, as it promised to be a very cold night; and he had nothing but his ordinary round jacket on. For some time, do all I would, I could not get into the faintest doze. I had blown out the candle; and the mere thought of Queequeg—not four feet off—sitting there in that uneasy position, stark alone in the cold and dark; this made me really wretched. Think of it; sleeping all night in the same room with a wide awake pagan on his hams in this dreary, unaccountable Ramadan! + +But somehow I dropped off at last, and knew nothing more till break of day; when, looking over the bedside, there squatted Queequeg, as if he had been screwed down to the floor. But as soon as the first glimpse of sun entered the window, up he got, with stiff and grating joints, but with a cheerful look; limped towards me where I lay; pressed his forehead again against mine; and said his Ramadan was over. + +Now, as I before hinted, I have no objection to any person’s religion, be it what it may, so long as that person does not kill or insult any other person, because that other person don’t believe it also. But when a man’s religion becomes really frantic; when it is a positive torment to him; and, in fine, makes this earth of ours an uncomfortable inn to lodge in; then I think it high time to take that individual aside and argue the point with him. + +And just so I now did with Queequeg. “Queequeg,” said I, “get into bed now, and lie and listen to me.” I then went on, beginning with the rise and progress of the primitive religions, and coming down to the various religions of the present time, during which time I labored to show Queequeg that all these Lents, Ramadans, and prolonged ham-squattings in cold, cheerless rooms were stark nonsense; bad for the health; useless for the soul; opposed, in short, to the obvious laws of Hygiene and common sense. I told him, too, that he being in other things such an extremely sensible and sagacious savage, it pained me, very badly pained me, to see him now so deplorably foolish about this ridiculous Ramadan of his. Besides, argued I, fasting makes the body cave in; hence the spirit caves in; and all thoughts born of a fast must necessarily be half-starved. This is the reason why most dyspeptic religionists cherish such melancholy notions about their hereafters. In one word, Queequeg, said I, rather digressively; hell is an idea first born on an undigested apple-dumpling; and since then perpetuated through the hereditary dyspepsias nurtured by Ramadans. + +I then asked Queequeg whether he himself was ever troubled with dyspepsia; expressing the idea very plainly, so that he could take it in. He said no; only upon one memorable occasion. It was after a great feast given by his father the king, on the gaining of a great battle wherein fifty of the enemy had been killed by about two o’clock in the afternoon, and all cooked and eaten that very evening. + +“No more, Queequeg,” said I, shuddering; “that will do;” for I knew the inferences without his further hinting them. I had seen a sailor who had visited that very island, and he told me that it was the custom, when a great battle had been gained there, to barbecue all the slain in the yard or garden of the victor; and then, one by one, they were placed in great wooden trenchers, and garnished round like a pilau, with breadfruit and cocoanuts; and with some parsley in their mouths, were sent round with the victor’s compliments to all his friends, just as though these presents were so many Christmas turkeys. + +After all, I do not think that my remarks about religion made much impression upon Queequeg. Because, in the first place, he somehow seemed dull of hearing on that important subject, unless considered from his own point of view; and, in the second place, he did not more than one third understand me, couch my ideas simply as I would; and, finally, he no doubt thought he knew a good deal more about the true religion than I did. He looked at me with a sort of condescending concern and compassion, as though he thought it a great pity that such a sensible young man should be so hopelessly lost to evangelical pagan piety. + +At last we rose and dressed; and Queequeg, taking a prodigiously hearty breakfast of chowders of all sorts, so that the landlady should not make much profit by reason of his Ramadan, we sallied out to board the Pequod, sauntering along, and picking our teeth with halibut bones. + +CHAPTER 18. His Mark. + +As we were walking down the end of the wharf towards the ship, Queequeg carrying his harpoon, Captain Peleg in his gruff voice loudly hailed us from his wigwam, saying he had not suspected my friend was a cannibal, and furthermore announcing that he let no cannibals on board that craft, unless they previously produced their papers. + +“What do you mean by that, Captain Peleg?” said I, now jumping on the bulwarks, and leaving my comrade standing on the wharf. + +“I mean,” he replied, “he must show his papers.” + +“Yes,” said Captain Bildad in his hollow voice, sticking his head from behind Peleg’s, out of the wigwam. “He must show that he’s converted. Son of darkness,” he added, turning to Queequeg, “art thou at present in communion with any Christian church?” + +“Why,” said I, “he’s a member of the first Congregational Church.” Here be it said, that many tattooed savages sailing in Nantucket ships at last come to be converted into the churches. + +“First Congregational Church,” cried Bildad, “what! that worships in Deacon Deuteronomy Coleman’s meeting-house?” and so saying, taking out his spectacles, he rubbed them with his great yellow bandana handkerchief, and putting them on very carefully, came out of the wigwam, and leaning stiffly over the bulwarks, took a good long look at Queequeg. + +“How long hath he been a member?” he then said, turning to me; “not very long, I rather guess, young man.” + +“No,” said Peleg, “and he hasn’t been baptized right either, or it would have washed some of that devil’s blue off his face.” + +“Do tell, now,” cried Bildad, “is this Philistine a regular member of Deacon Deuteronomy’s meeting? I never saw him going there, and I pass it every Lord’s day.” + +“I don’t know anything about Deacon Deuteronomy or his meeting,” said I; “all I know is, that Queequeg here is a born member of the First Congregational Church. He is a deacon himself, Queequeg is.” + +“Young man,” said Bildad sternly, “thou art skylarking with me—explain thyself, thou young Hittite. What church dost thee mean? answer me.” + +Finding myself thus hard pushed, I replied. “I mean, sir, the same ancient Catholic Church to which you and I, and Captain Peleg there, and Queequeg here, and all of us, and every mother’s son and soul of us belong; the great and everlasting First Congregation of this whole worshipping world; we all belong to that; only some of us cherish some queer crotchets no ways touching the grand belief; in THAT we all join hands.” + +“Splice, thou mean’st SPLICE hands,” cried Peleg, drawing nearer. “Young man, you’d better ship for a missionary, instead of a fore-mast hand; I never heard a better sermon. Deacon Deuteronomy—why Father Mapple himself couldn’t beat it, and he’s reckoned something. Come aboard, come aboard; never mind about the papers. I say, tell Quohog there—what’s that you call him? tell Quohog to step along. By the great anchor, what a harpoon he’s got there! looks like good stuff that; and he handles it about right. I say, Quohog, or whatever your name is, did you ever stand in the head of a whale-boat? did you ever strike a fish?” + +Without saying a word, Queequeg, in his wild sort of way, jumped upon the bulwarks, from thence into the bows of one of the whale-boats hanging to the side; and then bracing his left knee, and poising his harpoon, cried out in some such way as this:— + +“Cap’ain, you see him small drop tar on water dere? You see him? well, spose him one whale eye, well, den!” and taking sharp aim at it, he darted the iron right over old Bildad’s broad brim, clean across the ship’s decks, and struck the glistening tar spot out of sight. + +“Now,” said Queequeg, quietly hauling in the line, “spos-ee him whale-e eye; why, dad whale dead.” + +“Quick, Bildad,” said Peleg, his partner, who, aghast at the close vicinity of the flying harpoon, had retreated towards the cabin gangway. “Quick, I say, you Bildad, and get the ship’s papers. We must have Hedgehog there, I mean Quohog, in one of our boats. Look ye, Quohog, we’ll give ye the ninetieth lay, and that’s more than ever was given a harpooneer yet out of Nantucket.” + +So down we went into the cabin, and to my great joy Queequeg was soon enrolled among the same ship’s company to which I myself belonged. + +When all preliminaries were over and Peleg had got everything ready for signing, he turned to me and said, “I guess, Quohog there don’t know how to write, does he? I say, Quohog, blast ye! dost thou sign thy name or make thy mark?” + +But at this question, Queequeg, who had twice or thrice before taken part in similar ceremonies, looked no ways abashed; but taking the offered pen, copied upon the paper, in the proper place, an exact counterpart of a queer round figure which was tattooed upon his arm; so that through Captain Peleg’s obstinate mistake touching his appellative, it stood something like this:— + +Quohog. his X mark. + +Meanwhile Captain Bildad sat earnestly and steadfastly eyeing Queequeg, and at last rising solemnly and fumbling in the huge pockets of his broad-skirted drab coat, took out a bundle of tracts, and selecting one entitled “The Latter Day Coming; or No Time to Lose,” placed it in Queequeg’s hands, and then grasping them and the book with both his, looked earnestly into his eyes, and said, “Son of darkness, I must do my duty by thee; I am part owner of this ship, and feel concerned for the souls of all its crew; if thou still clingest to thy Pagan ways, which I sadly fear, I beseech thee, remain not for aye a Belial bondsman. Spurn the idol Bell, and the hideous dragon; turn from the wrath to come; mind thine eye, I say; oh! goodness gracious! steer clear of the fiery pit!” + +Something of the salt sea yet lingered in old Bildad’s language, heterogeneously mixed with Scriptural and domestic phrases. + +“Avast there, avast there, Bildad, avast now spoiling our harpooneer,” cried Peleg. “Pious harpooneers never make good voyagers—it takes the shark out of ‘em; no harpooneer is worth a straw who aint pretty sharkish. There was young Nat Swaine, once the bravest boat-header out of all Nantucket and the Vineyard; he joined the meeting, and never came to good. He got so frightened about his plaguy soul, that he shrinked and sheered away from whales, for fear of after-claps, in case he got stove and went to Davy Jones.” + +“Peleg! Peleg!” said Bildad, lifting his eyes and hands, “thou thyself, as I myself, hast seen many a perilous time; thou knowest, Peleg, what it is to have the fear of death; how, then, can’st thou prate in this ungodly guise. Thou beliest thine own heart, Peleg. Tell me, when this same Pequod here had her three masts overboard in that typhoon on Japan, that same voyage when thou went mate with Captain Ahab, did’st thou not think of Death and the Judgment then?” + +“Hear him, hear him now,” cried Peleg, marching across the cabin, and thrusting his hands far down into his pockets,—”hear him, all of ye. Think of that! When every moment we thought the ship would sink! Death and the Judgment then? What? With all three masts making such an everlasting thundering against the side; and every sea breaking over us, fore and aft. Think of Death and the Judgment then? No! no time to think about Death then. Life was what Captain Ahab and I was thinking of; and how to save all hands—how to rig jury-masts—how to get into the nearest port; that was what I was thinking of.” + +Bildad said no more, but buttoning up his coat, stalked on deck, where we followed him. There he stood, very quietly overlooking some sailmakers who were mending a top-sail in the waist. Now and then he stooped to pick up a patch, or save an end of tarred twine, which otherwise might have been wasted. + +CHAPTER 19. The Prophet. + +“Shipmates, have ye shipped in that ship?” + +Queequeg and I had just left the Pequod, and were sauntering away from the water, for the moment each occupied with his own thoughts, when the above words were put to us by a stranger, who, pausing before us, levelled his massive forefinger at the vessel in question. He was but shabbily apparelled in faded jacket and patched trowsers; a rag of a black handkerchief investing his neck. A confluent small-pox had in all directions flowed over his face, and left it like the complicated ribbed bed of a torrent, when the rushing waters have been dried up. + +“Have ye shipped in her?” he repeated. + +“You mean the ship Pequod, I suppose,” said I, trying to gain a little more time for an uninterrupted look at him. + +“Aye, the Pequod—that ship there,” he said, drawing back his whole arm, and then rapidly shoving it straight out from him, with the fixed bayonet of his pointed finger darted full at the object. + +“Yes,” said I, “we have just signed the articles.” + +“Anything down there about your souls?” + +“About what?” + +“Oh, perhaps you hav’n‘t got any,” he said quickly. “No matter though, I know many chaps that hav’n‘t got any,—good luck to ‘em; and they are all the better off for it. A soul’s a sort of a fifth wheel to a wagon.” + +“What are you jabbering about, shipmate?” said I. + +“HE’S got enough, though, to make up for all deficiencies of that sort in other chaps,” abruptly said the stranger, placing a nervous emphasis upon the word HE. + +“Queequeg,” said I, “let’s go; this fellow has broken loose from somewhere; he’s talking about something and somebody we don’t know.” + +“Stop!” cried the stranger. “Ye said true—ye hav’n‘t seen Old Thunder yet, have ye?” + +“Who’s Old Thunder?” said I, again riveted with the insane earnestness of his manner. + +“Captain Ahab.” + +“What! the captain of our ship, the Pequod?” + +“Aye, among some of us old sailor chaps, he goes by that name. Ye hav’n‘t seen him yet, have ye?” + +“No, we hav’n‘t. He’s sick they say, but is getting better, and will be all right again before long.” + +“All right again before long!” laughed the stranger, with a solemnly derisive sort of laugh. “Look ye; when Captain Ahab is all right, then this left arm of mine will be all right; not before.” + +“What do you know about him?” + +“What did they TELL you about him? Say that!” + +“They didn’t tell much of anything about him; only I’ve heard that he’s a good whale-hunter, and a good captain to his crew.” + +“That’s true, that’s true—yes, both true enough. But you must jump when he gives an order. Step and growl; growl and go—that’s the word with Captain Ahab. But nothing about that thing that happened to him off Cape Horn, long ago, when he lay like dead for three days and nights; nothing about that deadly skrimmage with the Spaniard afore the altar in Santa?—heard nothing about that, eh? Nothing about the silver calabash he spat into? And nothing about his losing his leg last voyage, according to the prophecy. Didn’t ye hear a word about them matters and something more, eh? No, I don’t think ye did; how could ye? Who knows it? Not all Nantucket, I guess. But hows’ever, mayhap, ye’ve heard tell about the leg, and how he lost it; aye, ye have heard of that, I dare say. Oh yes, THAT every one knows a’most—I mean they know he’s only one leg; and that a parmacetti took the other off.” + +“My friend,” said I, “what all this gibberish of yours is about, I don’t know, and I don’t much care; for it seems to me that you must be a little damaged in the head. But if you are speaking of Captain Ahab, of that ship there, the Pequod, then let me tell you, that I know all about the loss of his leg.” + +“ALL about it, eh—sure you do?—all?” + +“Pretty sure.” + +With finger pointed and eye levelled at the Pequod, the beggar-like stranger stood a moment, as if in a troubled reverie; then starting a little, turned and said:—”Ye’ve shipped, have ye? Names down on the papers? Well, well, what’s signed, is signed; and what’s to be, will be; and then again, perhaps it won’t be, after all. Anyhow, it’s all fixed and arranged a’ready; and some sailors or other must go with him, I suppose; as well these as any other men, God pity ‘em! Morning to ye, shipmates, morning; the ineffable heavens bless ye; I’m sorry I stopped ye.” + +“Look here, friend,” said I, “if you have anything important to tell us, out with it; but if you are only trying to bamboozle us, you are mistaken in your game; that’s all I have to say.” + +“And it’s said very well, and I like to hear a chap talk up that way; you are just the man for him—the likes of ye. Morning to ye, shipmates, morning! Oh! when ye get there, tell ‘em I’ve concluded not to make one of ‘em.” + +“Ah, my dear fellow, you can’t fool us that way—you can’t fool us. It is the easiest thing in the world for a man to look as if he had a great secret in him.” + +“Morning to ye, shipmates, morning.” + +“Morning it is,” said I. “Come along, Queequeg, let’s leave this crazy man. But stop, tell me your name, will you?” + +“Elijah.” + +Elijah! thought I, and we walked away, both commenting, after each other’s fashion, upon this ragged old sailor; and agreed that he was nothing but a humbug, trying to be a bugbear. But we had not gone perhaps above a hundred yards, when chancing to turn a corner, and looking back as I did so, who should be seen but Elijah following us, though at a distance. Somehow, the sight of him struck me so, that I said nothing to Queequeg of his being behind, but passed on with my comrade, anxious to see whether the stranger would turn the same corner that we did. He did; and then it seemed to me that he was dogging us, but with what intent I could not for the life of me imagine. This circumstance, coupled with his ambiguous, half-hinting, half-revealing, shrouded sort of talk, now begat in me all kinds of vague wonderments and half-apprehensions, and all connected with the Pequod; and Captain Ahab; and the leg he had lost; and the Cape Horn fit; and the silver calabash; and what Captain Peleg had said of him, when I left the ship the day previous; and the prediction of the squaw Tistig; and the voyage we had bound ourselves to sail; and a hundred other shadowy things. + +I was resolved to satisfy myself whether this ragged Elijah was really dogging us or not, and with that intent crossed the way with Queequeg, and on that side of it retraced our steps. But Elijah passed on, without seeming to notice us. This relieved me; and once more, and finally as it seemed to me, I pronounced him in my heart, a humbug. + +CHAPTER 20. All Astir. + +A day or two passed, and there was great activity aboard the Pequod. Not only were the old sails being mended, but new sails were coming on board, and bolts of canvas, and coils of rigging; in short, everything betokened that the ship’s preparations were hurrying to a close. Captain Peleg seldom or never went ashore, but sat in his wigwam keeping a sharp look-out upon the hands: Bildad did all the purchasing and providing at the stores; and the men employed in the hold and on the rigging were working till long after night-fall. + +On the day following Queequeg’s signing the articles, word was given at all the inns where the ship’s company were stopping, that their chests must be on board before night, for there was no telling how soon the vessel might be sailing. So Queequeg and I got down our traps, resolving, however, to sleep ashore till the last. But it seems they always give very long notice in these cases, and the ship did not sail for several days. But no wonder; there was a good deal to be done, and there is no telling how many things to be thought of, before the Pequod was fully equipped. + +Every one knows what a multitude of things—beds, sauce-pans, knives and forks, shovels and tongs, napkins, nut-crackers, and what not, are indispensable to the business of housekeeping. Just so with whaling, which necessitates a three-years’ housekeeping upon the wide ocean, far from all grocers, costermongers, doctors, bakers, and bankers. And though this also holds true of merchant vessels, yet not by any means to the same extent as with whalemen. For besides the great length of the whaling voyage, the numerous articles peculiar to the prosecution of the fishery, and the impossibility of replacing them at the remote harbors usually frequented, it must be remembered, that of all ships, whaling vessels are the most exposed to accidents of all kinds, and especially to the destruction and loss of the very things upon which the success of the voyage most depends. Hence, the spare boats, spare spars, and spare lines and harpoons, and spare everythings, almost, but a spare Captain and duplicate ship. + +At the period of our arrival at the Island, the heaviest storage of the Pequod had been almost completed; comprising her beef, bread, water, fuel, and iron hoops and staves. But, as before hinted, for some time there was a continual fetching and carrying on board of divers odds and ends of things, both large and small. + +Chief among those who did this fetching and carrying was Captain Bildad’s sister, a lean old lady of a most determined and indefatigable spirit, but withal very kindhearted, who seemed resolved that, if SHE could help it, nothing should be found wanting in the Pequod, after once fairly getting to sea. At one time she would come on board with a jar of pickles for the steward’s pantry; another time with a bunch of quills for the chief mate’s desk, where he kept his log; a third time with a roll of flannel for the small of some one’s rheumatic back. Never did any woman better deserve her name, which was Charity—Aunt Charity, as everybody called her. And like a sister of charity did this charitable Aunt Charity bustle about hither and thither, ready to turn her hand and heart to anything that promised to yield safety, comfort, and consolation to all on board a ship in which her beloved brother Bildad was concerned, and in which she herself owned a score or two of well-saved dollars. + +But it was startling to see this excellent hearted Quakeress coming on board, as she did the last day, with a long oil-ladle in one hand, and a still longer whaling lance in the other. Nor was Bildad himself nor Captain Peleg at all backward. As for Bildad, he carried about with him a long list of the articles needed, and at every fresh arrival, down went his mark opposite that article upon the paper. Every once in a while Peleg came hobbling out of his whalebone den, roaring at the men down the hatchways, roaring up to the riggers at the mast-head, and then concluded by roaring back into his wigwam. + +During these days of preparation, Queequeg and I often visited the craft, and as often I asked about Captain Ahab, and how he was, and when he was going to come on board his ship. To these questions they would answer, that he was getting better and better, and was expected aboard every day; meantime, the two captains, Peleg and Bildad, could attend to everything necessary to fit the vessel for the voyage. If I had been downright honest with myself, I would have seen very plainly in my heart that I did but half fancy being committed this way to so long a voyage, without once laying my eyes on the man who was to be the absolute dictator of it, so soon as the ship sailed out upon the open sea. But when a man suspects any wrong, it sometimes happens that if he be already involved in the matter, he insensibly strives to cover up his suspicions even from himself. And much this way it was with me. I said nothing, and tried to think nothing. + +At last it was given out that some time next day the ship would certainly sail. So next morning, Queequeg and I took a very early start. + +CHAPTER 21. Going Aboard. + +It was nearly six o’clock, but only grey imperfect misty dawn, when we drew nigh the wharf. + +“There are some sailors running ahead there, if I see right,” said I to Queequeg, “it can’t be shadows; she’s off by sunrise, I guess; come on!” + +“Avast!” cried a voice, whose owner at the same time coming close behind us, laid a hand upon both our shoulders, and then insinuating himself between us, stood stooping forward a little, in the uncertain twilight, strangely peering from Queequeg to me. It was Elijah. + +“Going aboard?” + +“Hands off, will you,” said I. + +“Lookee here,” said Queequeg, shaking himself, “go ‘way!” + +“Ain’t going aboard, then?” + +“Yes, we are,” said I, “but what business is that of yours? Do you know, Mr. Elijah, that I consider you a little impertinent?” + +“No, no, no; I wasn’t aware of that,” said Elijah, slowly and wonderingly looking from me to Queequeg, with the most unaccountable glances. + +“Elijah,” said I, “you will oblige my friend and me by withdrawing. We are going to the Indian and Pacific Oceans, and would prefer not to be detained.” + +“Ye be, be ye? Coming back afore breakfast?” + +“He’s cracked, Queequeg,” said I, “come on.” + +“Holloa!” cried stationary Elijah, hailing us when we had removed a few paces. + +“Never mind him,” said I, “Queequeg, come on.” + +But he stole up to us again, and suddenly clapping his hand on my shoulder, said—”Did ye see anything looking like men going towards that ship a while ago?” + +Struck by this plain matter-of-fact question, I answered, saying, “Yes, I thought I did see four or five men; but it was too dim to be sure.” + +“Very dim, very dim,” said Elijah. “Morning to ye.” + +Once more we quitted him; but once more he came softly after us; and touching my shoulder again, said, “See if you can find ‘em now, will ye? + +“Find who?” + +“Morning to ye! morning to ye!” he rejoined, again moving off. “Oh! I was going to warn ye against—but never mind, never mind—it’s all one, all in the family too;—sharp frost this morning, ain’t it? Good-bye to ye. Shan’t see ye again very soon, I guess; unless it’s before the Grand Jury.” And with these cracked words he finally departed, leaving me, for the moment, in no small wonderment at his frantic impudence. + +At last, stepping on board the Pequod, we found everything in profound quiet, not a soul moving. The cabin entrance was locked within; the hatches were all on, and lumbered with coils of rigging. Going forward to the forecastle, we found the slide of the scuttle open. Seeing a light, we went down, and found only an old rigger there, wrapped in a tattered pea-jacket. He was thrown at whole length upon two chests, his face downwards and inclosed in his folded arms. The profoundest slumber slept upon him. + +“Those sailors we saw, Queequeg, where can they have gone to?” said I, looking dubiously at the sleeper. But it seemed that, when on the wharf, Queequeg had not at all noticed what I now alluded to; hence I would have thought myself to have been optically deceived in that matter, were it not for Elijah’s otherwise inexplicable question. But I beat the thing down; and again marking the sleeper, jocularly hinted to Queequeg that perhaps we had best sit up with the body; telling him to establish himself accordingly. He put his hand upon the sleeper’s rear, as though feeling if it was soft enough; and then, without more ado, sat quietly down there. + +“Gracious! Queequeg, don’t sit there,” said I. + +“Oh! perry dood seat,” said Queequeg, “my country way; won’t hurt him face.” + +“Face!” said I, “call that his face? very benevolent countenance then; but how hard he breathes, he’s heaving himself; get off, Queequeg, you are heavy, it’s grinding the face of the poor. Get off, Queequeg! Look, he’ll twitch you off soon. I wonder he don’t wake.” + +Queequeg removed himself to just beyond the head of the sleeper, and lighted his tomahawk pipe. I sat at the feet. We kept the pipe passing over the sleeper, from one to the other. Meanwhile, upon questioning him in his broken fashion, Queequeg gave me to understand that, in his land, owing to the absence of settees and sofas of all sorts, the king, chiefs, and great people generally, were in the custom of fattening some of the lower orders for ottomans; and to furnish a house comfortably in that respect, you had only to buy up eight or ten lazy fellows, and lay them round in the piers and alcoves. Besides, it was very convenient on an excursion; much better than those garden-chairs which are convertible into walking-sticks; upon occasion, a chief calling his attendant, and desiring him to make a settee of himself under a spreading tree, perhaps in some damp marshy place. + +While narrating these things, every time Queequeg received the tomahawk from me, he flourished the hatchet-side of it over the sleeper’s head. + +“What’s that for, Queequeg?” + +“Perry easy, kill-e; oh! perry easy!” + +He was going on with some wild reminiscences about his tomahawk-pipe, which, it seemed, had in its two uses both brained his foes and soothed his soul, when we were directly attracted to the sleeping rigger. The strong vapour now completely filling the contracted hole, it began to tell upon him. He breathed with a sort of muffledness; then seemed troubled in the nose; then revolved over once or twice; then sat up and rubbed his eyes. + +“Holloa!” he breathed at last, “who be ye smokers?” + +“Shipped men,” answered I, “when does she sail?” + +“Aye, aye, ye are going in her, be ye? She sails to-day. The Captain came aboard last night.” + +“What Captain?—Ahab?” + +“Who but him indeed?” + +I was going to ask him some further questions concerning Ahab, when we heard a noise on deck. + +“Holloa! Starbuck’s astir,” said the rigger. “He’s a lively chief mate, that; good man, and a pious; but all alive now, I must turn to.” And so saying he went on deck, and we followed. + +It was now clear sunrise. Soon the crew came on board in twos and threes; the riggers bestirred themselves; the mates were actively engaged; and several of the shore people were busy in bringing various last things on board. Meanwhile Captain Ahab remained invisibly enshrined within his cabin. + +CHAPTER 22. Merry Christmas. + +At length, towards noon, upon the final dismissal of the ship’s riggers, and after the Pequod had been hauled out from the wharf, and after the ever-thoughtful Charity had come off in a whale-boat, with her last gift—a night-cap for Stubb, the second mate, her brother-in-law, and a spare Bible for the steward—after all this, the two Captains, Peleg and Bildad, issued from the cabin, and turning to the chief mate, Peleg said: + +“Now, Mr. Starbuck, are you sure everything is right? Captain Ahab is all ready—just spoke to him—nothing more to be got from shore, eh? Well, call all hands, then. Muster ‘em aft here—blast ‘em!” + +“No need of profane words, however great the hurry, Peleg,” said Bildad, “but away with thee, friend Starbuck, and do our bidding.” + +Know ye now, Bulkington? Glimpses do ye seem to see of that mortally intolerable truth; that all deep, earnest thinking is but the intrepid effort of the soul to keep the open independence of her sea; while the wildest winds of heaven and earth conspire to cast her on the treacherous slavish shore? +How now! Here upon the very point of starting for the voyage, Captain Peleg and Captain Bildad were going it with a high hand on the quarter-deck, just as if they were to be joint-commanders at sea, as well as to all appearances in port. And, as for Captain Ahab, no sign of him was yet to be seen; only, they said he was in the cabin. But then, the idea was, that his presence was by no means necessary in getting the ship under weigh, and steering her well out to sea. Indeed, as that was not at all his proper business, but the pilot’s; and as he was not yet completely recovered—so they said—therefore, Captain Ahab stayed below. And all this seemed natural enough; especially as in the merchant service many captains never show themselves on deck for a considerable time after heaving up the anchor, but remain over the cabin table, having a farewell merry-making with their shore friends, before they quit the ship for good with the pilot. + +But there was not much chance to think over the matter, for Captain Peleg was now all alive. He seemed to do most of the talking and commanding, and not Bildad. + +“Aft here, ye sons of bachelors,” he cried, as the sailors lingered at the main-mast. “Mr. Starbuck, drive’em aft.” + +“Strike the tent there!”—was the next order. As I hinted before, this whalebone marquee was never pitched except in port; and on board the Pequod, for thirty years, the order to strike the tent was well known to be the next thing to heaving up the anchor. + +“Man the capstan! Blood and thunder!—jump!”—was the next command, and the crew sprang for the handspikes. + +Now in getting under weigh, the station generally occupied by the pilot is the forward part of the ship. And here Bildad, who, with Peleg, be it known, in addition to his other officers, was one of the licensed pilots of the port—he being suspected to have got himself made a pilot in order to save the Nantucket pilot-fee to all the ships he was concerned in, for he never piloted any other craft—Bildad, I say, might now be seen actively engaged in looking over the bows for the approaching anchor, and at intervals singing what seemed a dismal stave of psalmody, to cheer the hands at the windlass, who roared forth some sort of a chorus about the girls in Booble Alley, with hearty good will. Nevertheless, not three days previous, Bildad had told them that no profane songs would be allowed on board the Pequod, particularly in getting under weigh; and Charity, his sister, had placed a small choice copy of Watts in each seaman’s berth. + +Meantime, overseeing the other part of the ship, Captain Peleg ripped and swore astern in the most frightful manner. I almost thought he would sink the ship before the anchor could be got up; involuntarily I paused on my handspike, and told Queequeg to do the same, thinking of the perils we both ran, in starting on the voyage with such a devil for a pilot. I was comforting myself, however, with the thought that in pious Bildad might be found some salvation, spite of his seven hundred and seventy-seventh lay; when I felt a sudden sharp poke in my rear, and turning round, was horrified at the apparition of Captain Peleg in the act of withdrawing his leg from my immediate vicinity. That was my first kick. + +“Is that the way they heave in the marchant service?” he roared. “Spring, thou sheep-head; spring, and break thy backbone! Why don’t ye spring, I say, all of ye—spring! Quohog! spring, thou chap with the red whiskers; spring there, Scotch-cap; spring, thou green pants. Spring, I say, all of ye, and spring your eyes out!” And so saying, he moved along the windlass, here and there using his leg very freely, while imperturbable Bildad kept leading off with his psalmody. Thinks I, Captain Peleg must have been drinking something to-day. + +At last the anchor was up, the sails were set, and off we glided. It was a short, cold Christmas; and as the short northern day merged into night, we found ourselves almost broad upon the wintry ocean, whose freezing spray cased us in ice, as in polished armor. The long rows of teeth on the bulwarks glistened in the moonlight; and like the white ivory tusks of some huge elephant, vast curving icicles depended from the bows. + +Lank Bildad, as pilot, headed the first watch, and ever and anon, as the old craft deep dived into the green seas, and sent the shivering frost all over her, and the winds howled, and the cordage rang, his steady notes were heard,— + +“Sweet fields beyond the swelling flood, Stand dressed in living green. So to the Jews old Canaan stood, While Jordan rolled between.” + +Never did those sweet words sound more sweetly to me than then. They were full of hope and fruition. Spite of this frigid winter night in the boisterous Atlantic, spite of my wet feet and wetter jacket, there was yet, it then seemed to me, many a pleasant haven in store; and meads and glades so eternally vernal, that the grass shot up by the spring, untrodden, unwilted, remains at midsummer. + +At last we gained such an offing, that the two pilots were needed no longer. The stout sail-boat that had accompanied us began ranging alongside. + +It was curious and not unpleasing, how Peleg and Bildad were affected at this juncture, especially Captain Bildad. For loath to depart, yet; very loath to leave, for good, a ship bound on so long and perilous a voyage—beyond both stormy Capes; a ship in which some thousands of his hard earned dollars were invested; a ship, in which an old shipmate sailed as captain; a man almost as old as he, once more starting to encounter all the terrors of the pitiless jaw; loath to say good-bye to a thing so every way brimful of every interest to him,—poor old Bildad lingered long; paced the deck with anxious strides; ran down into the cabin to speak another farewell word there; again came on deck, and looked to windward; looked towards the wide and endless waters, only bounded by the far-off unseen Eastern Continents; looked towards the land; looked aloft; looked right and left; looked everywhere and nowhere; and at last, mechanically coiling a rope upon its pin, convulsively grasped stout Peleg by the hand, and holding up a lantern, for a moment stood gazing heroically in his face, as much as to say, “Nevertheless, friend Peleg, I can stand it; yes, I can.” + +As for Peleg himself, he took it more like a philosopher; but for all his philosophy, there was a tear twinkling in his eye, when the lantern came too near. And he, too, did not a little run from cabin to deck—now a word below, and now a word with Starbuck, the chief mate. + +But, at last, he turned to his comrade, with a final sort of look about him,—”Captain Bildad—come, old shipmate, we must go. Back the main-yard there! Boat ahoy! Stand by to come close alongside, now! Careful, careful!—come, Bildad, boy—say your last. Luck to ye, Starbuck—luck to ye, Mr. Stubb—luck to ye, Mr. Flask—good-bye and good luck to ye all—and this day three years I’ll have a hot supper smoking for ye in old Nantucket. Hurrah and away!” + +“God bless ye, and have ye in His holy keeping, men,” murmured old Bildad, almost incoherently. “I hope ye’ll have fine weather now, so that Captain Ahab may soon be moving among ye—a pleasant sun is all he needs, and ye’ll have plenty of them in the tropic voyage ye go. Be careful in the hunt, ye mates. Don’t stave the boats needlessly, ye harpooneers; good white cedar plank is raised full three per cent. within the year. Don’t forget your prayers, either. Mr. Starbuck, mind that cooper don’t waste the spare staves. Oh! the sail-needles are in the green locker! Don’t whale it too much a’ Lord’s days, men; but don’t miss a fair chance either, that’s rejecting Heaven’s good gifts. Have an eye to the molasses tierce, Mr. Stubb; it was a little leaky, I thought. If ye touch at the islands, Mr. Flask, beware of fornication. Good-bye, good-bye! Don’t keep that cheese too long down in the hold, Mr. Starbuck; it’ll spoil. Be careful with the butter—twenty cents the pound it was, and mind ye, if—” + +“Come, come, Captain Bildad; stop palavering,—away!” and with that, Peleg hurried him over the side, and both dropt into the boat. + +Ship and boat diverged; the cold, damp night breeze blew between; a screaming gull flew overhead; the two hulls wildly rolled; we gave three heavy-hearted cheers, and blindly plunged like fate into the lone Atlantic. + +CHAPTER 23. The Lee Shore. + +Some chapters back, one Bulkington was spoken of, a tall, newlanded mariner, encountered in New Bedford at the inn. + +When on that shivering winter’s night, the Pequod thrust her vindictive bows into the cold malicious waves, who should I see standing at her helm but Bulkington! I looked with sympathetic awe and fearfulness upon the man, who in mid-winter just landed from a four years’ dangerous voyage, could so unrestingly push off again for still another tempestuous term. The land seemed scorching to his feet. Wonderfullest things are ever the unmentionable; deep memories yield no epitaphs; this six-inch chapter is the stoneless grave of Bulkington. Let me only say that it fared with him as with the storm-tossed ship, that miserably drives along the leeward land. The port would fain give succor; the port is pitiful; in the port is safety, comfort, hearthstone, supper, warm blankets, friends, all that’s kind to our mortalities. But in that gale, the port, the land, is that ship’s direst jeopardy; she must fly all hospitality; one touch of land, though it but graze the keel, would make her shudder through and through. With all her might she crowds all sail off shore; in so doing, fights ‘gainst the very winds that fain would blow her homeward; seeks all the lashed sea’s landlessness again; for refuge’s sake forlornly rushing into peril; her only friend her bitterest foe! + +Know ye now, Bulkington? Glimpses do ye seem to see of that mortally intolerable truth; that all deep, earnest thinking is but the intrepid effort of the soul to keep the open independence of her sea; while the wildest winds of heaven and earth conspire to cast her on the treacherous, slavish shore? + +But as in landlessness alone resides highest truth, shoreless, indefinite as God—so, better is it to perish in that howling infinite, than be ingloriously dashed upon the lee, even if that were safety! For worm-like, then, oh! who would craven crawl to land! Terrors of the terrible! is all this agony so vain? Take heart, take heart, O Bulkington! Bear thee grimly, demigod! Up from the spray of thy ocean-perishing—straight up, leaps thy apotheosis! + +CHAPTER 24. The Advocate. + +As Queequeg and I are now fairly embarked in this business of whaling; and as this business of whaling has somehow come to be regarded among landsmen as a rather unpoetical and disreputable pursuit; therefore, I am all anxiety to convince ye, ye landsmen, of the injustice hereby done to us hunters of whales. + +In the first place, it may be deemed almost superfluous to establish the fact, that among people at large, the business of whaling is not accounted on a level with what are called the liberal professions. If a stranger were introduced into any miscellaneous metropolitan society, it would but slightly advance the general opinion of his merits, were he presented to the company as a harpooneer, say; and if in emulation of the naval officers he should append the initials S.W.F. (Sperm Whale Fishery) to his visiting card, such a procedure would be deemed pre-eminently presuming and ridiculous. + +Doubtless one leading reason why the world declines honouring us whalemen, is this: they think that, at best, our vocation amounts to a butchering sort of business; and that when actively engaged therein, we are surrounded by all manner of defilements. Butchers we are, that is true. But butchers, also, and butchers of the bloodiest badge have been all Martial Commanders whom the world invariably delights to honour. And as for the matter of the alleged uncleanliness of our business, ye shall soon be initiated into certain facts hitherto pretty generally unknown, and which, upon the whole, will triumphantly plant the sperm whale-ship at least among the cleanliest things of this tidy earth. But even granting the charge in question to be true; what disordered slippery decks of a whale-ship are comparable to the unspeakable carrion of those battle-fields from which so many soldiers return to drink in all ladies’ plaudits? And if the idea of peril so much enhances the popular conceit of the soldier’s profession; let me assure ye that many a veteran who has freely marched up to a battery, would quickly recoil at the apparition of the sperm whale’s vast tail, fanning into eddies the air over his head. For what are the comprehensible terrors of man compared with the interlinked terrors and wonders of God! + +But, though the world scouts at us whale hunters, yet does it unwittingly pay us the profoundest homage; yea, an all-abounding adoration! for almost all the tapers, lamps, and candles that burn round the globe, burn, as before so many shrines, to our glory! + +But look at this matter in other lights; weigh it in all sorts of scales; see what we whalemen are, and have been. + +Why did the Dutch in De Witt’s time have admirals of their whaling fleets? Why did Louis XVI. of France, at his own personal expense, fit out whaling ships from Dunkirk, and politely invite to that town some score or two of families from our own island of Nantucket? Why did Britain between the years 1750 and 1788 pay to her whalemen in bounties upwards of L1,000,000? And lastly, how comes it that we whalemen of America now outnumber all the rest of the banded whalemen in the world; sail a navy of upwards of seven hundred vessels; manned by eighteen thousand men; yearly consuming 4,000,000 of dollars; the ships worth, at the time of sailing, $20,000,000! and every year importing into our harbors a well reaped harvest of $7,000,000. How comes all this, if there be not something puissant in whaling? + +But this is not the half; look again. + +I freely assert, that the cosmopolite philosopher cannot, for his life, point out one single peaceful influence, which within the last sixty years has operated more potentially upon the whole broad world, taken in one aggregate, than the high and mighty business of whaling. One way and another, it has begotten events so remarkable in themselves, and so continuously momentous in their sequential issues, that whaling may well be regarded as that Egyptian mother, who bore offspring themselves pregnant from her womb. It would be a hopeless, endless task to catalogue all these things. Let a handful suffice. For many years past the whale-ship has been the pioneer in ferreting out the remotest and least known parts of the earth. She has explored seas and archipelagoes which had no chart, where no Cook or Vancouver had ever sailed. If American and European men-of-war now peacefully ride in once savage harbors, let them fire salutes to the honour and glory of the whale-ship, which originally showed them the way, and first interpreted between them and the savages. They may celebrate as they will the heroes of Exploring Expeditions, your Cooks, your Krusensterns; but I say that scores of anonymous Captains have sailed out of Nantucket, that were as great, and greater than your Cook and your Krusenstern. For in their succourless empty-handedness, they, in the heathenish sharked waters, and by the beaches of unrecorded, javelin islands, battled with virgin wonders and terrors that Cook with all his marines and muskets would not willingly have dared. All that is made such a flourish of in the old South Sea Voyages, those things were but the life-time commonplaces of our heroic Nantucketers. Often, adventures which Vancouver dedicates three chapters to, these men accounted unworthy of being set down in the ship’s common log. Ah, the world! Oh, the world! + +Until the whale fishery rounded Cape Horn, no commerce but colonial, scarcely any intercourse but colonial, was carried on between Europe and the long line of the opulent Spanish provinces on the Pacific coast. It was the whaleman who first broke through the jealous policy of the Spanish crown, touching those colonies; and, if space permitted, it might be distinctly shown how from those whalemen at last eventuated the liberation of Peru, Chili, and Bolivia from the yoke of Old Spain, and the establishment of the eternal democracy in those parts. + +That great America on the other side of the sphere, Australia, was given to the enlightened world by the whaleman. After its first blunder-born discovery by a Dutchman, all other ships long shunned those shores as pestiferously barbarous; but the whale-ship touched there. The whale-ship is the true mother of that now mighty colony. Moreover, in the infancy of the first Australian settlement, the emigrants were several times saved from starvation by the benevolent biscuit of the whale-ship luckily dropping an anchor in their waters. The uncounted isles of all Polynesia confess the same truth, and do commercial homage to the whale-ship, that cleared the way for the missionary and the merchant, and in many cases carried the primitive missionaries to their first destinations. If that double-bolted land, Japan, is ever to become hospitable, it is the whale-ship alone to whom the credit will be due; for already she is on the threshold. + +But if, in the face of all this, you still declare that whaling has no aesthetically noble associations connected with it, then am I ready to shiver fifty lances with you there, and unhorse you with a split helmet every time. + +The whale has no famous author, and whaling no famous chronicler, you will say. + +THE WHALE NO FAMOUS AUTHOR, AND WHALING NO FAMOUS CHRONICLER? Who wrote the first account of our Leviathan? Who but mighty Job! And who composed the first narrative of a whaling-voyage? Who, but no less a prince than Alfred the Great, who, with his own royal pen, took down the words from Other, the Norwegian whale-hunter of those times! And who pronounced our glowing eulogy in Parliament? Who, but Edmund Burke! + +True enough, but then whalemen themselves are poor devils; they have no good blood in their veins. + +NO GOOD BLOOD IN THEIR VEINS? They have something better than royal blood there. The grandmother of Benjamin Franklin was Mary Morrel; afterwards, by marriage, Mary Folger, one of the old settlers of Nantucket, and the ancestress to a long line of Folgers and harpooneers—all kith and kin to noble Benjamin—this day darting the barbed iron from one side of the world to the other. + +Good again; but then all confess that somehow whaling is not respectable. + +WHALING NOT RESPECTABLE? Whaling is imperial! By old English statutory law, the whale is declared “a royal fish.”* + +Oh, that’s only nominal! The whale himself has never figured in any grand imposing way. + +THE WHALE NEVER FIGURED IN ANY GRAND IMPOSING WAY? In one of the mighty triumphs given to a Roman general upon his entering the world’s capital, the bones of a whale, brought all the way from the Syrian coast, were the most conspicuous object in the cymballed procession.* + +*See subsequent chapters for something more on this head. + +Grant it, since you cite it; but, say what you will, there is no real dignity in whaling. + +NO DIGNITY IN WHALING? The dignity of our calling the very heavens attest. Cetus is a constellation in the South! No more! Drive down your hat in presence of the Czar, and take it off to Queequeg! No more! I know a man that, in his lifetime, has taken three hundred and fifty whales. I account that man more honourable than that great captain of antiquity who boasted of taking as many walled towns. + +And, as for me, if, by any possibility, there be any as yet undiscovered prime thing in me; if I shall ever deserve any real repute in that small but high hushed world which I might not be unreasonably ambitious of; if hereafter I shall do anything that, upon the whole, a man might rather have done than to have left undone; if, at my death, my executors, or more properly my creditors, find any precious MSS. in my desk, then here I prospectively ascribe all the honour and the glory to whaling; for a whale-ship was my Yale College and my Harvard. + +CHAPTER 25. Postscript. + +In behalf of the dignity of whaling, I would fain advance naught but substantiated facts. But after embattling his facts, an advocate who should wholly suppress a not unreasonable surmise, which might tell eloquently upon his cause—such an advocate, would he not be blameworthy? + +It is well known that at the coronation of kings and queens, even modern ones, a certain curious process of seasoning them for their functions is gone through. There is a saltcellar of state, so called, and there may be a castor of state. How they use the salt, precisely—who knows? Certain I am, however, that a king’s head is solemnly oiled at his coronation, even as a head of salad. Can it be, though, that they anoint it with a view of making its interior run well, as they anoint machinery? Much might be ruminated here, concerning the essential dignity of this regal process, because in common life we esteem but meanly and contemptibly a fellow who anoints his hair, and palpably smells of that anointing. In truth, a mature man who uses hair-oil, unless medicinally, that man has probably got a quoggy spot in him somewhere. As a general rule, he can’t amount to much in his totality. + +But the only thing to be considered here, is this—what kind of oil is used at coronations? Certainly it cannot be olive oil, nor macassar oil, nor castor oil, nor bear’s oil, nor train oil, nor cod-liver oil. What then can it possibly be, but sperm oil in its unmanufactured, unpolluted state, the sweetest of all oils? + +Think of that, ye loyal Britons! we whalemen supply your kings and queens with coronation stuff! + +CHAPTER 26. Knights and Squires. + +The chief mate of the Pequod was Starbuck, a native of Nantucket, and a Quaker by descent. He was a long, earnest man, and though born on an icy coast, seemed well adapted to endure hot latitudes, his flesh being hard as twice-baked biscuit. Transported to the Indies, his live blood would not spoil like bottled ale. He must have been born in some time of general drought and famine, or upon one of those fast days for which his state is famous. Only some thirty arid summers had he seen; those summers had dried up all his physical superfluousness. But this, his thinness, so to speak, seemed no more the token of wasting anxieties and cares, than it seemed the indication of any bodily blight. It was merely the condensation of the man. He was by no means ill-looking; quite the contrary. His pure tight skin was an excellent fit; and closely wrapped up in it, and embalmed with inner health and strength, like a revivified Egyptian, this Starbuck seemed prepared to endure for long ages to come, and to endure always, as now; for be it Polar snow or torrid sun, like a patent chronometer, his interior vitality was warranted to do well in all climates. Looking into his eyes, you seemed to see there the yet lingering images of those thousand-fold perils he had calmly confronted through life. A staid, steadfast man, whose life for the most part was a telling pantomime of action, and not a tame chapter of sounds. Yet, for all his hardy sobriety and fortitude, there were certain qualities in him which at times affected, and in some cases seemed well nigh to overbalance all the rest. Uncommonly conscientious for a seaman, and endued with a deep natural reverence, the wild watery loneliness of his life did therefore strongly incline him to superstition; but to that sort of superstition, which in some organizations seems rather to spring, somehow, from intelligence than from ignorance. Outward portents and inward presentiments were his. And if at times these things bent the welded iron of his soul, much more did his far-away domestic memories of his young Cape wife and child, tend to bend him still more from the original ruggedness of his nature, and open him still further to those latent influences which, in some honest-hearted men, restrain the gush of dare-devil daring, so often evinced by others in the more perilous vicissitudes of the fishery. “I will have no man in my boat,” said Starbuck, “who is not afraid of a whale.” By this, he seemed to mean, not only that the most reliable and useful courage was that which arises from the fair estimation of the encountered peril, but that an utterly fearless man is a far more dangerous comrade than a coward. + +“Aye, aye,” said Stubb, the second mate, “Starbuck, there, is as careful a man as you’ll find anywhere in this fishery.” But we shall ere long see what that word “careful” precisely means when used by a man like Stubb, or almost any other whale hunter. + +Starbuck was no crusader after perils; in him courage was not a sentiment; but a thing simply useful to him, and always at hand upon all mortally practical occasions. Besides, he thought, perhaps, that in this business of whaling, courage was one of the great staple outfits of the ship, like her beef and her bread, and not to be foolishly wasted. Wherefore he had no fancy for lowering for whales after sun-down; nor for persisting in fighting a fish that too much persisted in fighting him. For, thought Starbuck, I am here in this critical ocean to kill whales for my living, and not to be killed by them for theirs; and that hundreds of men had been so killed Starbuck well knew. What doom was his own father’s? Where, in the bottomless deeps, could he find the torn limbs of his brother? + +With memories like these in him, and, moreover, given to a certain superstitiousness, as has been said; the courage of this Starbuck which could, nevertheless, still flourish, must indeed have been extreme. But it was not in reasonable nature that a man so organized, and with such terrible experiences and remembrances as he had; it was not in nature that these things should fail in latently engendering an element in him, which, under suitable circumstances, would break out from its confinement, and burn all his courage up. And brave as he might be, it was that sort of bravery chiefly, visible in some intrepid men, which, while generally abiding firm in the conflict with seas, or winds, or whales, or any of the ordinary irrational horrors of the world, yet cannot withstand those more terrific, because more spiritual terrors, which sometimes menace you from the concentrating brow of an enraged and mighty man. + +But were the coming narrative to reveal in any instance, the complete abasement of poor Starbuck’s fortitude, scarce might I have the heart to write it; for it is a thing most sorrowful, nay shocking, to expose the fall of valour in the soul. Men may seem detestable as joint stock-companies and nations; knaves, fools, and murderers there may be; men may have mean and meagre faces; but man, in the ideal, is so noble and so sparkling, such a grand and glowing creature, that over any ignominious blemish in him all his fellows should run to throw their costliest robes. That immaculate manliness we feel within ourselves, so far within us, that it remains intact though all the outer character seem gone; bleeds with keenest anguish at the undraped spectacle of a valor-ruined man. Nor can piety itself, at such a shameful sight, completely stifle her upbraidings against the permitting stars. But this august dignity I treat of, is not the dignity of kings and robes, but that abounding dignity which has no robed investiture. Thou shalt see it shining in the arm that wields a pick or drives a spike; that democratic dignity which, on all hands, radiates without end from God; Himself! The great God absolute! The centre and circumference of all democracy! His omnipresence, our divine equality! + +If, then, to meanest mariners, and renegades and castaways, I shall hereafter ascribe high qualities, though dark; weave round them tragic graces; if even the most mournful, perchance the most abased, among them all, shall at times lift himself to the exalted mounts; if I shall touch that workman’s arm with some ethereal light; if I shall spread a rainbow over his disastrous set of sun; then against all mortal critics bear me out in it, thou Just Spirit of Equality, which hast spread one royal mantle of humanity over all my kind! Bear me out in it, thou great democratic God! who didst not refuse to the swart convict, Bunyan, the pale, poetic pearl; Thou who didst clothe with doubly hammered leaves of finest gold, the stumped and paupered arm of old Cervantes; Thou who didst pick up Andrew Jackson from the pebbles; who didst hurl him upon a war-horse; who didst thunder him higher than a throne! Thou who, in all Thy mighty, earthly marchings, ever cullest Thy selectest champions from the kingly commons; bear me out in it, O God! + +CHAPTER 27. Knights and Squires. + +Stubb was the second mate. He was a native of Cape Cod; and hence, according to local usage, was called a Cape-Cod-man. A happy-go-lucky; neither craven nor valiant; taking perils as they came with an indifferent air; and while engaged in the most imminent crisis of the chase, toiling away, calm and collected as a journeyman joiner engaged for the year. Good-humored, easy, and careless, he presided over his whale-boat as if the most deadly encounter were but a dinner, and his crew all invited guests. He was as particular about the comfortable arrangement of his part of the boat, as an old stage-driver is about the snugness of his box. When close to the whale, in the very death-lock of the fight, he handled his unpitying lance coolly and off-handedly, as a whistling tinker his hammer. He would hum over his old rigadig tunes while flank and flank with the most exasperated monster. Long usage had, for this Stubb, converted the jaws of death into an easy chair. What he thought of death itself, there is no telling. Whether he ever thought of it at all, might be a question; but, if he ever did chance to cast his mind that way after a comfortable dinner, no doubt, like a good sailor, he took it to be a sort of call of the watch to tumble aloft, and bestir themselves there, about something which he would find out when he obeyed the order, and not sooner. + +What, perhaps, with other things, made Stubb such an easy-going, unfearing man, so cheerily trudging off with the burden of life in a world full of grave pedlars, all bowed to the ground with their packs; what helped to bring about that almost impious good-humor of his; that thing must have been his pipe. For, like his nose, his short, black little pipe was one of the regular features of his face. You would almost as soon have expected him to turn out of his bunk without his nose as without his pipe. He kept a whole row of pipes there ready loaded, stuck in a rack, within easy reach of his hand; and, whenever he turned in, he smoked them all out in succession, lighting one from the other to the end of the chapter; then loading them again to be in readiness anew. For, when Stubb dressed, instead of first putting his legs into his trowsers, he put his pipe into his mouth. + +I say this continual smoking must have been one cause, at least, of his peculiar disposition; for every one knows that this earthly air, whether ashore or afloat, is terribly infected with the nameless miseries of the numberless mortals who have died exhaling it; and as in time of the cholera, some people go about with a camphorated handkerchief to their mouths; so, likewise, against all mortal tribulations, Stubb’s tobacco smoke might have operated as a sort of disinfecting agent. + +For, when Stubb dressed, instead of first putting his legs into his trowsers, he put his pipe into his mouth. +The third mate was Flask, a native of Tisbury, in Martha’s Vineyard. A short, stout, ruddy young fellow, very pugnacious concerning whales, who somehow seemed to think that the great leviathans had personally and hereditarily affronted him; and therefore it was a sort of point of honour with him, to destroy them whenever encountered. So utterly lost was he to all sense of reverence for the many marvels of their majestic bulk and mystic ways; and so dead to anything like an apprehension of any possible danger from encountering them; that in his poor opinion, the wondrous whale was but a species of magnified mouse, or at least water-rat, requiring only a little circumvention and some small application of time and trouble in order to kill and boil. This ignorant, unconscious fearlessness of his made him a little waggish in the matter of whales; he followed these fish for the fun of it; and a three years’ voyage round Cape Horn was only a jolly joke that lasted that length of time. As a carpenter’s nails are divided into wrought nails and cut nails; so mankind may be similarly divided. Little Flask was one of the wrought ones; made to clinch tight and last long. They called him King-Post on board of the Pequod; because, in form, he could be well likened to the short, square timber known by that name in Arctic whalers; and which by the means of many radiating side timbers inserted into it, serves to brace the ship against the icy concussions of those battering seas. + +Now these three mates—Starbuck, Stubb, and Flask, were momentous men. They it was who by universal prescription commanded three of the Pequod’s boats as headsmen. In that grand order of battle in which Captain Ahab would probably marshal his forces to descend on the whales, these three headsmen were as captains of companies. Or, being armed with their long keen whaling spears, they were as a picked trio of lancers; even as the harpooneers were flingers of javelins. + +And since in this famous fishery, each mate or headsman, like a Gothic Knight of old, is always accompanied by his boat-steerer or harpooneer, who in certain conjunctures provides him with a fresh lance, when the former one has been badly twisted, or elbowed in the assault; and moreover, as there generally subsists between the two, a close intimacy and friendliness; it is therefore but meet, that in this place we set down who the Pequod’s harpooneers were, and to what headsman each of them belonged. + +First of all was Queequeg, whom Starbuck, the chief mate, had selected for his squire. But Queequeg is already known. + +Next was Tashtego, an unmixed Indian from Gay Head, the most westerly promontory of Martha’s Vineyard, where there still exists the last remnant of a village of red men, which has long supplied the neighboring island of Nantucket with many of her most daring harpooneers. In the fishery, they usually go by the generic name of Gay-Headers. Tashtego’s long, lean, sable hair, his high cheek bones, and black rounding eyes—for an Indian, Oriental in their largeness, but Antarctic in their glittering expression—all this sufficiently proclaimed him an inheritor of the unvitiated blood of those proud warrior hunters, who, in quest of the great New England moose, had scoured, bow in hand, the aboriginal forests of the main. But no longer snuffing in the trail of the wild beasts of the woodland, Tashtego now hunted in the wake of the great whales of the sea; the unerring harpoon of the son fitly replacing the infallible arrow of the sires. To look at the tawny brawn of his lithe snaky limbs, you would almost have credited the superstitions of some of the earlier Puritans, and half-believed this wild Indian to be a son of the Prince of the Powers of the Air. Tashtego was Stubb the second mate’s squire. + +Third among the harpooneers was Daggoo, a gigantic, coal-black negro-savage, with a lion-like tread—an Ahasuerus to behold. Suspended from his ears were two golden hoops, so large that the sailors called them ring-bolts, and would talk of securing the top-sail halyards to them. In his youth Daggoo had voluntarily shipped on board of a whaler, lying in a lonely bay on his native coast. And never having been anywhere in the world but in Africa, Nantucket, and the pagan harbors most frequented by whalemen; and having now led for many years the bold life of the fishery in the ships of owners uncommonly heedful of what manner of men they shipped; Daggoo retained all his barbaric virtues, and erect as a giraffe, moved about the decks in all the pomp of six feet five in his socks. There was a corporeal humility in looking up at him; and a white man standing before him seemed a white flag come to beg truce of a fortress. Curious to tell, this imperial negro, Ahasuerus Daggoo, was the Squire of little Flask, who looked like a chess-man beside him. As for the residue of the Pequod’s company, be it said, that at the present day not one in two of the many thousand men before the mast employed in the American whale fishery, are Americans born, though pretty nearly all the officers are. Herein it is the same with the American whale fishery as with the American army and military and merchant navies, and the engineering forces employed in the construction of the American Canals and Railroads. The same, I say, because in all these cases the native American liberally provides the brains, the rest of the world as generously supplying the muscles. No small number of these whaling seamen belong to the Azores, where the outward bound Nantucket whalers frequently touch to augment their crews from the hardy peasants of those rocky shores. In like manner, the Greenland whalers sailing out of Hull or London, put in at the Shetland Islands, to receive the full complement of their crew. Upon the passage homewards, they drop them there again. How it is, there is no telling, but Islanders seem to make the best whalemen. They were nearly all Islanders in the Pequod, ISOLATOES too, I call such, not acknowledging the common continent of men, but each ISOLATO living on a separate continent of his own. Yet now, federated along one keel, what a set these Isolatoes were! An Anacharsis Clootz deputation from all the isles of the sea, and all the ends of the earth, accompanying Old Ahab in the Pequod to lay the world’s grievances before that bar from which not very many of them ever come back. Black Little Pip—he never did—oh, no! he went before. Poor Alabama boy! On the grim Pequod’s forecastle, ye shall ere long see him, beating his tambourine; prelusive of the eternal time, when sent for, to the great quarter-deck on high, he was bid strike in with angels, and beat his tambourine in glory; called a coward here, hailed a hero there! + +CHAPTER 28. Ahab. + +For several days after leaving Nantucket, nothing above hatches was seen of Captain Ahab. The mates regularly relieved each other at the watches, and for aught that could be seen to the contrary, they seemed to be the only commanders of the ship; only they sometimes issued from the cabin with orders so sudden and peremptory, that after all it was plain they but commanded vicariously. Yes, their supreme lord and dictator was there, though hitherto unseen by any eyes not permitted to penetrate into the now sacred retreat of the cabin. + +Every time I ascended to the deck from my watches below, I instantly gazed aft to mark if any strange face were visible; for my first vague disquietude touching the unknown captain, now in the seclusion of the sea, became almost a perturbation. This was strangely heightened at times by the ragged Elijah’s diabolical incoherences uninvitedly recurring to me, with a subtle energy I could not have before conceived of. But poorly could I withstand them, much as in other moods I was almost ready to smile at the solemn whimsicalities of that outlandish prophet of the wharves. But whatever it was of apprehensiveness or uneasiness—to call it so—which I felt, yet whenever I came to look about me in the ship, it seemed against all warrantry to cherish such emotions. For though the harpooneers, with the great body of the crew, were a far more barbaric, heathenish, and motley set than any of the tame merchant-ship companies which my previous experiences had made me acquainted with, still I ascribed this—and rightly ascribed it—to the fierce uniqueness of the very nature of that wild Scandinavian vocation in which I had so abandonedly embarked. But it was especially the aspect of the three chief officers of the ship, the mates, which was most forcibly calculated to allay these colourless misgivings, and induce confidence and cheerfulness in every presentment of the voyage. Three better, more likely sea-officers and men, each in his own different way, could not readily be found, and they were every one of them Americans; a Nantucketer, a Vineyarder, a Cape man. Now, it being Christmas when the ship shot from out her harbor, for a space we had biting Polar weather, though all the time running away from it to the southward; and by every degree and minute of latitude which we sailed, gradually leaving that merciless winter, and all its intolerable weather behind us. It was one of those less lowering, but still grey and gloomy enough mornings of the transition, when with a fair wind the ship was rushing through the water with a vindictive sort of leaping and melancholy rapidity, that as I mounted to the deck at the call of the forenoon watch, so soon as I levelled my glance towards the taffrail, foreboding shivers ran over me. Reality outran apprehension; Captain Ahab stood upon his quarter-deck. + +There seemed no sign of common bodily illness about him, nor of the recovery from any. He looked like a man cut away from the stake, when the fire has overrunningly wasted all the limbs without consuming them, or taking away one particle from their compacted aged robustness. His whole high, broad form, seemed made of solid bronze, and shaped in an unalterable mould, like Cellini’s cast Perseus. Threading its way out from among his grey hairs, and continuing right down one side of his tawny scorched face and neck, till it disappeared in his clothing, you saw a slender rod-like mark, lividly whitish. It resembled that perpendicular seam sometimes made in the straight, lofty trunk of a great tree, when the upper lightning tearingly darts down it, and without wrenching a single twig, peels and grooves out the bark from top to bottom, ere running off into the soil, leaving the tree still greenly alive, but branded. Whether that mark was born with him, or whether it was the scar left by some desperate wound, no one could certainly say. By some tacit consent, throughout the voyage little or no allusion was made to it, especially by the mates. But once Tashtego’s senior, an old Gay-Head Indian among the crew, superstitiously asserted that not till he was full forty years old did Ahab become that way branded, and then it came upon him, not in the fury of any mortal fray, but in an elemental strife at sea. Yet, this wild hint seemed inferentially negatived, by what a grey Manxman insinuated, an old sepulchral man, who, having never before sailed out of Nantucket, had never ere this laid eye upon wild Ahab. Nevertheless, the old sea-traditions, the immemorial credulities, popularly invested this old Manxman with preternatural powers of discernment. So that no white sailor seriously contradicted him when he said that if ever Captain Ahab should be tranquilly laid out—which might hardly come to pass, so he muttered—then, whoever should do that last office for the dead, would find a birth-mark on him from crown to sole. + +More than once did he put forth the faint blossom of a look, which, in any other man, would have soon flowered out in a smile. +So powerfully did the whole grim aspect of Ahab affect me, and the livid brand which streaked it, that for the first few moments I hardly noted that not a little of this overbearing grimness was owing to the barbaric white leg upon which he partly stood. It had previously come to me that this ivory leg had at sea been fashioned from the polished bone of the sperm whale’s jaw. “Aye, he was dismasted off Japan,” said the old Gay-Head Indian once; “but like his dismasted craft, he shipped another mast without coming home for it. He has a quiver of ‘em.” + +I was struck with the singular posture he maintained. Upon each side of the Pequod’s quarter deck, and pretty close to the mizzen shrouds, there was an auger hole, bored about half an inch or so, into the plank. His bone leg steadied in that hole; one arm elevated, and holding by a shroud; Captain Ahab stood erect, looking straight out beyond the ship’s ever-pitching prow. There was an infinity of firmest fortitude, a determinate, unsurrenderable wilfulness, in the fixed and fearless, forward dedication of that glance. Not a word he spoke; nor did his officers say aught to him; though by all their minutest gestures and expressions, they plainly showed the uneasy, if not painful, consciousness of being under a troubled master-eye. And not only that, but moody stricken Ahab stood before them with a crucifixion in his face; in all the nameless regal overbearing dignity of some mighty woe. + +Ere long, from his first visit in the air, he withdrew into his cabin. But after that morning, he was every day visible to the crew; either standing in his pivot-hole, or seated upon an ivory stool he had; or heavily walking the deck. As the sky grew less gloomy; indeed, began to grow a little genial, he became still less and less a recluse; as if, when the ship had sailed from home, nothing but the dead wintry bleakness of the sea had then kept him so secluded. And, by and by, it came to pass, that he was almost continually in the air; but, as yet, for all that he said, or perceptibly did, on the at last sunny deck, he seemed as unnecessary there as another mast. But the Pequod was only making a passage now; not regularly cruising; nearly all whaling preparatives needing supervision the mates were fully competent to, so that there was little or nothing, out of himself, to employ or excite Ahab, now; and thus chase away, for that one interval, the clouds that layer upon layer were piled upon his brow, as ever all clouds choose the loftiest peaks to pile themselves upon. + +Nevertheless, ere long, the warm, warbling persuasiveness of the pleasant, holiday weather we came to, seemed gradually to charm him from his mood. For, as when the red-cheeked, dancing girls, April and May, trip home to the wintry, misanthropic woods; even the barest, ruggedest, most thunder-cloven old oak will at least send forth some few green sprouts, to welcome such glad-hearted visitants; so Ahab did, in the end, a little respond to the playful allurings of that girlish air. More than once did he put forth the faint blossom of a look, which, in any other man, would have soon flowered out in a smile. + +CHAPTER 29. Enter Ahab; to Him, Stubb. + +Some days elapsed, and ice and icebergs all astern, the Pequod now went rolling through the bright Quito spring, which, at sea, almost perpetually reigns on the threshold of the eternal August of the Tropic. The warmly cool, clear, ringing, perfumed, overflowing, redundant days, were as crystal goblets of Persian sherbet, heaped up—flaked up, with rose-water snow. The starred and stately nights seemed haughty dames in jewelled velvets, nursing at home in lonely pride, the memory of their absent conquering Earls, the golden helmeted suns! For sleeping man, ‘twas hard to choose between such winsome days and such seducing nights. But all the witcheries of that unwaning weather did not merely lend new spells and potencies to the outward world. Inward they turned upon the soul, especially when the still mild hours of eve came on; then, memory shot her crystals as the clear ice most forms of noiseless twilights. And all these subtle agencies, more and more they wrought on Ahab’s texture. + +Old age is always wakeful; as if, the longer linked with life, the less man has to do with aught that looks like death. Among sea-commanders, the old greybeards will oftenest leave their berths to visit the night-cloaked deck. It was so with Ahab; only that now, of late, he seemed so much to live in the open air, that truly speaking, his visits were more to the cabin, than from the cabin to the planks. “It feels like going down into one’s tomb,”—he would mutter to himself—”for an old captain like me to be descending this narrow scuttle, to go to my grave-dug berth.” + +So, almost every twenty-four hours, when the watches of the night were set, and the band on deck sentinelled the slumbers of the band below; and when if a rope was to be hauled upon the forecastle, the sailors flung it not rudely down, as by day, but with some cautiousness dropt it to its place for fear of disturbing their slumbering shipmates; when this sort of steady quietude would begin to prevail, habitually, the silent steersman would watch the cabin-scuttle; and ere long the old man would emerge, gripping at the iron banister, to help his crippled way. Some considering touch of humanity was in him; for at times like these, he usually abstained from patrolling the quarter-deck; because to his wearied mates, seeking repose within six inches of his ivory heel, such would have been the reverberating crack and din of that bony step, that their dreams would have been on the crunching teeth of sharks. But once, the mood was on him too deep for common regardings; and as with heavy, lumber-like pace he was measuring the ship from taffrail to mainmast, Stubb, the old second mate, came up from below, with a certain unassured, deprecating humorousness, hinted that if Captain Ahab was pleased to walk the planks, then, no one could say nay; but there might be some way of muffling the noise; hinting something indistinctly and hesitatingly about a globe of tow, and the insertion into it, of the ivory heel. Ah! Stubb, thou didst not know Ahab then. + +“Am I a cannon-ball, Stubb,” said Ahab, “that thou wouldst wad me that fashion? But go thy ways; I had forgot. Below to thy nightly grave; where such as ye sleep between shrouds, to use ye to the filling one at last.—Down, dog, and kennel!” + +Starting at the unforseen concluding exclamation of the so suddenly scornful old man, Stubb was speechless a moment; then said excitedly, “I am not used to be spoken to that way, sir; I do but less than half like it, sir.” + +“Avast! gritted Ahab between his set teeth, and violently moving away, as if to avoid some passionate temptation. + +“No, sir; not yet,” said Stubb, emboldened, “I will not tamely be called a dog, sir.” + +“Then be called ten times a donkey, and a mule, and an ass, and begone, or I’ll clear the world of thee!” + +As he said this, Ahab advanced upon him with such overbearing terrors in his aspect, that Stubb involuntarily retreated. + +“I was never served so before without giving a hard blow for it,” muttered Stubb, as he found himself descending the cabin-scuttle. “It’s very queer. Stop, Stubb; somehow, now, I don’t well know whether to go back and strike him, or—what’s that?—down here on my knees and pray for him? Yes, that was the thought coming up in me; but it would be the first time I ever DID pray. It’s queer; very queer; and he’s queer too; aye, take him fore and aft, he’s about the queerest old man Stubb ever sailed with. How he flashed at me!—his eyes like powder-pans! is he mad? Anyway there’s something on his mind, as sure as there must be something on a deck when it cracks. He aint in his bed now, either, more than three hours out of the twenty-four; and he don’t sleep then. Didn’t that Dough-Boy, the steward, tell me that of a morning he always finds the old man’s hammock clothes all rumpled and tumbled, and the sheets down at the foot, and the coverlid almost tied into knots, and the pillow a sort of frightful hot, as though a baked brick had been on it? A hot old man! I guess he’s got what some folks ashore call a conscience; it’s a kind of Tic-Dolly-row they say—worse nor a toothache. Well, well; I don’t know what it is, but the Lord keep me from catching it. He’s full of riddles; I wonder what he goes into the after hold for, every night, as Dough-Boy tells me he suspects; what’s that for, I should like to know? Who’s made appointments with him in the hold? Ain’t that queer, now? But there’s no telling, it’s the old game—Here goes for a snooze. Damn me, it’s worth a fellow’s while to be born into the world, if only to fall right asleep. And now that I think of it, that’s about the first thing babies do, and that’s a sort of queer, too. Damn me, but all things are queer, come to think of ‘em. But that’s against my principles. Think not, is my eleventh commandment; and sleep when you can, is my twelfth—So here goes again. But how’s that? didn’t he call me a dog? blazes! he called me ten times a donkey, and piled a lot of jackasses on top of THAT! He might as well have kicked me, and done with it. Maybe he DID kick me, and I didn’t observe it, I was so taken all aback with his brow, somehow. It flashed like a bleached bone. What the devil’s the matter with me? I don’t stand right on my legs. Coming afoul of that old man has a sort of turned me wrong side out. By the Lord, I must have been dreaming, though—How? how? how?—but the only way’s to stash it; so here goes to hammock again; and in the morning, I’ll see how this plaguey juggling thinks over by daylight.” + +CHAPTER 30. The Pipe. + +When Stubb had departed, Ahab stood for a while leaning over the bulwarks; and then, as had been usual with him of late, calling a sailor of the watch, he sent him below for his ivory stool, and also his pipe. Lighting the pipe at the binnacle lamp and planting the stool on the weather side of the deck, he sat and smoked. + +In old Norse times, the thrones of the sea-loving Danish kings were fabricated, saith tradition, of the tusks of the narwhale. How could one look at Ahab then, seated on that tripod of bones, without bethinking him of the royalty it symbolized? For a Khan of the plank, and a king of the sea, and a great lord of Leviathans was Ahab. + +What business have I with this pipe? This thing that is meant for sereneness, to send up mild white vapors among mild white hairs, not among torn iron-grey locks like mine. I’ll smoke no more- +Some moments passed, during which the thick vapour came from his mouth in quick and constant puffs, which blew back again into his face. “How now,” he soliloquized at last, withdrawing the tube, “this smoking no longer soothes. Oh, my pipe! hard must it go with me if thy charm be gone! Here have I been unconsciously toiling, not pleasuring—aye, and ignorantly smoking to windward all the while; to windward, and with such nervous whiffs, as if, like the dying whale, my final jets were the strongest and fullest of trouble. What business have I with this pipe? This thing that is meant for sereneness, to send up mild white vapours among mild white hairs, not among torn iron-grey locks like mine. I’ll smoke no more—” + +He tossed the still lighted pipe into the sea. The fire hissed in the waves; the same instant the ship shot by the bubble the sinking pipe made. With slouched hat, Ahab lurchingly paced the planks. + +CHAPTER 31. Queen Mab. + +Next morning Stubb accosted Flask. + +“Such a queer dream, King-Post, I never had. You know the old man’s ivory leg, well I dreamed he kicked me with it; and when I tried to kick back, upon my soul, my little man, I kicked my leg right off! And then, presto! Ahab seemed a pyramid, and I, like a blazing fool, kept kicking at it. But what was still more curious, Flask—you know how curious all dreams are—through all this rage that I was in, I somehow seemed to be thinking to myself, that after all, it was not much of an insult, that kick from Ahab. ‘Why,’ thinks I, ‘what’s the row? It’s not a real leg, only a false leg.’ And there’s a mighty difference between a living thump and a dead thump. That’s what makes a blow from the hand, Flask, fifty times more savage to bear than a blow from a cane. The living member—that makes the living insult, my little man. And thinks I to myself all the while, mind, while I was stubbing my silly toes against that cursed pyramid—so confoundedly contradictory was it all, all the while, I say, I was thinking to myself, ‘what’s his leg now, but a cane—a whalebone cane. Yes,’ thinks I, ‘it was only a playful cudgelling—in fact, only a whaleboning that he gave me—not a base kick. Besides,’ thinks I, ‘look at it once; why, the end of it—the foot part—what a small sort of end it is; whereas, if a broad footed farmer kicked me, THERE’S a devilish broad insult. But this insult is whittled down to a point only.’ But now comes the greatest joke of the dream, Flask. While I was battering away at the pyramid, a sort of badger-haired old merman, with a hump on his back, takes me by the shoulders, and slews me round. ‘What are you ‘bout?’ says he. Slid! man, but I was frightened. Such a phiz! But, somehow, next moment I was over the fright. ‘What am I about?’ says I at last. ‘And what business is that of yours, I should like to know, Mr. Humpback? Do YOU want a kick?’ By the lord, Flask, I had no sooner said that, than he turned round his stern to me, bent over, and dragging up a lot of seaweed he had for a clout—what do you think, I saw?—why thunder alive, man, his stern was stuck full of marlinspikes, with the points out. Says I, on second thoughts, ‘I guess I won’t kick you, old fellow.’ ‘Wise Stubb,’ said he, ‘wise Stubb;’ and kept muttering it all the time, a sort of eating of his own gums like a chimney hag. Seeing he wasn’t going to stop saying over his ‘wise Stubb, wise Stubb,’ I thought I might as well fall to kicking the pyramid again. But I had only just lifted my foot for it, when he roared out, ‘Stop that kicking!’ ‘Halloa,’ says I, ‘what’s the matter now, old fellow?’ ‘Look ye here,’ says he; ‘let’s argue the insult. Captain Ahab kicked ye, didn’t he?’ ‘Yes, he did,’ says I—’right HERE it was.’ ‘Very good,’ says he—’he used his ivory leg, didn’t he?’ ‘Yes, he did,’ says I. ‘Well then,’ says he, ‘wise Stubb, what have you to complain of? Didn’t he kick with right good will? it wasn’t a common pitch pine leg he kicked with, was it? No, you were kicked by a great man, and with a beautiful ivory leg, Stubb. It’s an honour; I consider it an honour. Listen, wise Stubb. In old England the greatest lords think it great glory to be slapped by a queen, and made garter-knights of; but, be YOUR boast, Stubb, that ye were kicked by old Ahab, and made a wise man of. Remember what I say; BE kicked by him; account his kicks honours; and on no account kick back; for you can’t help yourself, wise Stubb. Don’t you see that pyramid?’ With that, he all of a sudden seemed somehow, in some queer fashion, to swim off into the air. I snored; rolled over; and there I was in my hammock! Now, what do you think of that dream, Flask?” + +Look sharp, all of ye! There are whales here-abouts! If ye see a white one, split your lungs for him! +“I don’t know; it seems a sort of foolish to me, tho.’” + +“May be; may be. But it’s made a wise man of me, Flask. D’ye see Ahab standing there, sideways looking over the stern? Well, the best thing you can do, Flask, is to let the old man alone; never speak to him, whatever he says. Halloa! What’s that he shouts? Hark!” + +“Mast-head, there! Look sharp, all of ye! There are whales hereabouts! + +“If ye see a white one, split your lungs for him! + +“What do you think of that now, Flask? ain’t there a small drop of something queer about that, eh? A white whale—did ye mark that, man? Look ye—there’s something special in the wind. Stand by for it, Flask. Ahab has that that’s bloody on his mind. But, mum; he comes this way.” + +CHAPTER 32. Cetology. + +Already we are boldly launched upon the deep; but soon we shall be lost in its unshored, harbourless immensities. Ere that come to pass; ere the Pequod’s weedy hull rolls side by side with the barnacled hulls of the leviathan; at the outset it is but well to attend to a matter almost indispensable to a thorough appreciative understanding of the more special leviathanic revelations and allusions of all sorts which are to follow. + +It is some systematized exhibition of the whale in his broad genera, that I would now fain put before you. Yet is it no easy task. The classification of the constituents of a chaos, nothing less is here essayed. Listen to what the best and latest authorities have laid down. + +“No branch of Zoology is so much involved as that which is entitled Cetology,” says Captain Scoresby, A.D. 1820. + +“It is not my intention, were it in my power, to enter into the inquiry as to the true method of dividing the cetacea into groups and families.... Utter confusion exists among the historians of this animal” (sperm whale), says Surgeon Beale, A.D. 1839. + +But I now leave my Cetological System standing thus unfinished, even as the great Cathedral of Cologne was left, with the crane still standing upon the top of the uncompleted tower. For small erections may be finished by their first architects; grand ones, true ones, ever leave the copestone to posterity. God keep me from ever completing anything. This whole blog is but a draught- nay, but the draught of a draught. Oh, Time, Strength, Cash, and Patience! +“Unfitness to pursue our research in the unfathomable waters.” “Impenetrable veil covering our knowledge of the cetacea.” “A field strewn with thorns.” “All these incomplete indications but serve to torture us naturalists.” + +Thus speak of the whale, the great Cuvier, and John Hunter, and Lesson, those lights of zoology and anatomy. Nevertheless, though of real knowledge there be little, yet of books there are a plenty; and so in some small degree, with cetology, or the science of whales. Many are the men, small and great, old and new, landsmen and seamen, who have at large or in little, written of the whale. Run over a few:—The Authors of the Bible; Aristotle; Pliny; Aldrovandi; Sir Thomas Browne; Gesner; Ray; Linnaeus; Rondeletius; Willoughby; Green; Artedi; Sibbald; Brisson; Marten; Lacepede; Bonneterre; Desmarest; Baron Cuvier; Frederick Cuvier; John Hunter; Owen; Scoresby; Beale; Bennett; J. Ross Browne; the Author of Miriam Coffin; Olmstead; and the Rev. T. Cheever. But to what ultimate generalizing purpose all these have written, the above cited extracts will show. + +Of the names in this list of whale authors, only those following Owen ever saw living whales; and but one of them was a real professional harpooneer and whaleman. I mean Captain Scoresby. On the separate subject of the Greenland or right-whale, he is the best existing authority. But Scoresby knew nothing and says nothing of the great sperm whale, compared with which the Greenland whale is almost unworthy mentioning. And here be it said, that the Greenland whale is an usurper upon the throne of the seas. He is not even by any means the largest of the whales. Yet, owing to the long priority of his claims, and the profound ignorance which, till some seventy years back, invested the then fabulous or utterly unknown sperm-whale, and which ignorance to this present day still reigns in all but some few scientific retreats and whale-ports; this usurpation has been every way complete. Reference to nearly all the leviathanic allusions in the great poets of past days, will satisfy you that the Greenland whale, without one rival, was to them the monarch of the seas. But the time has at last come for a new proclamation. This is Charing Cross; hear ye! good people all,—the Greenland whale is deposed,—the great sperm whale now reigneth! + +There are only two books in being which at all pretend to put the living sperm whale before you, and at the same time, in the remotest degree succeed in the attempt. Those books are Beale’s and Bennett’s; both in their time surgeons to English South-Sea whale-ships, and both exact and reliable men. The original matter touching the sperm whale to be found in their volumes is necessarily small; but so far as it goes, it is of excellent quality, though mostly confined to scientific description. As yet, however, the sperm whale, scientific or poetic, lives not complete in any literature. Far above all other hunted whales, his is an unwritten life. + +Now the various species of whales need some sort of popular comprehensive classification, if only an easy outline one for the present, hereafter to be filled in all its departments by subsequent laborers. As no better man advances to take this matter in hand, I hereupon offer my own poor endeavors. I promise nothing complete; because any human thing supposed to be complete, must for that very reason infallibly be faulty. I shall not pretend to a minute anatomical description of the various species, or—in this place at least—to much of any description. My object here is simply to project the draught of a systematization of cetology. I am the architect, not the builder. + +But it is a ponderous task; no ordinary letter-sorter in the Post-Office is equal to it. To grope down into the bottom of the sea after them; to have one’s hands among the unspeakable foundations, ribs, and very pelvis of the world; this is a fearful thing. What am I that I should essay to hook the nose of this leviathan! The awful tauntings in Job might well appal me. Will he the (leviathan) make a covenant with thee? Behold the hope of him is vain! But I have swam through libraries and sailed through oceans; I have had to do with whales with these visible hands; I am in earnest; and I will try. There are some preliminaries to settle. + +First: The uncertain, unsettled condition of this science of Cetology is in the very vestibule attested by the fact, that in some quarters it still remains a moot point whether a whale be a fish. In his System of Nature, A.D. 1776, Linnaeus declares, “I hereby separate the whales from the fish.” But of my own knowledge, I know that down to the year 1850, sharks and shad, alewives and herring, against Linnaeus’s express edict, were still found dividing the possession of the same seas with the Leviathan. + +The grounds upon which Linnaeus would fain have banished the whales from the waters, he states as follows: “On account of their warm bilocular heart, their lungs, their movable eyelids, their hollow ears, penem intrantem feminam mammis lactantem,” and finally, “ex lege naturae jure meritoque.” I submitted all this to my friends Simeon Macey and Charley Coffin, of Nantucket, both messmates of mine in a certain voyage, and they united in the opinion that the reasons set forth were altogether insufficient. Charley profanely hinted they were humbug. + +Be it known that, waiving all argument, I take the good old fashioned ground that the whale is a fish, and call upon holy Jonah to back me. This fundamental thing settled, the next point is, in what internal respect does the whale differ from other fish. Above, Linnaeus has given you those items. But in brief, they are these: lungs and warm blood; whereas, all other fish are lungless and cold blooded. + +Next: how shall we define the whale, by his obvious externals, so as conspicuously to label him for all time to come? To be short, then, a whale is A SPOUTING FISH WITH A HORIZONTAL TAIL. There you have him. However contracted, that definition is the result of expanded meditation. A walrus spouts much like a whale, but the walrus is not a fish, because he is amphibious. But the last term of the definition is still more cogent, as coupled with the first. Almost any one must have noticed that all the fish familiar to landsmen have not a flat, but a vertical, or up-and-down tail. Whereas, among spouting fish the tail, though it may be similarly shaped, invariably assumes a horizontal position. + +By the above definition of what a whale is, I do by no means exclude from the leviathanic brotherhood any sea creature hitherto identified with the whale by the best informed Nantucketers; nor, on the other hand, link with it any fish hitherto authoritatively regarded as alien.* Hence, all the smaller, spouting, and horizontal tailed fish must be included in this ground-plan of Cetology. Now, then, come the grand divisions of the entire whale host. + +*I am aware that down to the present time, the fish styled Lamatins and Dugongs (Pig-fish and Sow-fish of the Coffins of Nantucket) are included by many naturalists among the whales. But as these pig-fish are a noisy, contemptible set, mostly lurking in the mouths of rivers, and feeding on wet hay, and especially as they do not spout, I deny their credentials as whales; and have presented them with their passports to quit the Kingdom of Cetology. + +First: According to magnitude I divide the whales into three primary BOOKS (subdivisible into CHAPTERS), and these shall comprehend them all, both small and large. + +I. THE FOLIO WHALE; II. the OCTAVO WHALE; III. the DUODECIMO WHALE. + +As the type of the FOLIO I present the SPERM WHALE; of the OCTAVO, the GRAMPUS; of the DUODECIMO, the PORPOISE. + +FOLIOS. Among these I here include the following chapters:—I. The SPERM WHALE; II. the RIGHT WHALE; III. the FIN-BACK WHALE; IV. the HUMP-BACKED WHALE; V. the RAZOR-BACK WHALE; VI. the SULPHUR-BOTTOM WHALE. + +BOOK I. (FOLIO), CHAPTER I. (SPERM WHALE).—This whale, among the English of old vaguely known as the Trumpa whale, and the Physeter whale, and the Anvil Headed whale, is the present Cachalot of the French, and the Pottsfich of the Germans, and the Macrocephalus of the Long Words. He is, without doubt, the largest inhabitant of the globe; the most formidable of all whales to encounter; the most majestic in aspect; and lastly, by far the most valuable in commerce; he being the only creature from which that valuable substance, spermaceti, is obtained. All his peculiarities will, in many other places, be enlarged upon. It is chiefly with his name that I now have to do. Philologically considered, it is absurd. Some centuries ago, when the Sperm whale was almost wholly unknown in his own proper individuality, and when his oil was only accidentally obtained from the stranded fish; in those days spermaceti, it would seem, was popularly supposed to be derived from a creature identical with the one then known in England as the Greenland or Right Whale. It was the idea also, that this same spermaceti was that quickening humor of the Greenland Whale which the first syllable of the word literally expresses. In those times, also, spermaceti was exceedingly scarce, not being used for light, but only as an ointment and medicament. It was only to be had from the druggists as you nowadays buy an ounce of rhubarb. When, as I opine, in the course of time, the true nature of spermaceti became known, its original name was still retained by the dealers; no doubt to enhance its value by a notion so strangely significant of its scarcity. And so the appellation must at last have come to be bestowed upon the whale from which this spermaceti was really derived. + +BOOK I. (FOLIO), CHAPTER II. (RIGHT WHALE).—In one respect this is the most venerable of the leviathans, being the one first regularly hunted by man. It yields the article commonly known as whalebone or baleen; and the oil specially known as “whale oil,” an inferior article in commerce. Among the fishermen, he is indiscriminately designated by all the following titles: The Whale; the Greenland Whale; the Black Whale; the Great Whale; the True Whale; the Right Whale. There is a deal of obscurity concerning the identity of the species thus multitudinously baptised. What then is the whale, which I include in the second species of my Folios? It is the Great Mysticetus of the English naturalists; the Greenland Whale of the English whalemen; the Baliene Ordinaire of the French whalemen; the Growlands Walfish of the Swedes. It is the whale which for more than two centuries past has been hunted by the Dutch and English in the Arctic seas; it is the whale which the American fishermen have long pursued in the Indian ocean, on the Brazil Banks, on the Nor’ West Coast, and various other parts of the world, designated by them Right Whale Cruising Grounds. + +Some pretend to see a difference between the Greenland whale of the English and the right whale of the Americans. But they precisely agree in all their grand features; nor has there yet been presented a single determinate fact upon which to ground a radical distinction. It is by endless subdivisions based upon the most inconclusive differences, that some departments of natural history become so repellingly intricate. The right whale will be elsewhere treated of at some length, with reference to elucidating the sperm whale. + +BOOK I. (FOLIO), CHAPTER III. (FIN-BACK).—Under this head I reckon a monster which, by the various names of Fin-Back, Tall-Spout, and Long-John, has been seen almost in every sea and is commonly the whale whose distant jet is so often descried by passengers crossing the Atlantic, in the New York packet-tracks. In the length he attains, and in his baleen, the Fin-back resembles the right whale, but is of a less portly girth, and a lighter colour, approaching to olive. His great lips present a cable-like aspect, formed by the intertwisting, slanting folds of large wrinkles. His grand distinguishing feature, the fin, from which he derives his name, is often a conspicuous object. This fin is some three or four feet long, growing vertically from the hinder part of the back, of an angular shape, and with a very sharp pointed end. Even if not the slightest other part of the creature be visible, this isolated fin will, at times, be seen plainly projecting from the surface. When the sea is moderately calm, and slightly marked with spherical ripples, and this gnomon-like fin stands up and casts shadows upon the wrinkled surface, it may well be supposed that the watery circle surrounding it somewhat resembles a dial, with its style and wavy hour-lines graved on it. On that Ahaz-dial the shadow often goes back. The Fin-Back is not gregarious. He seems a whale-hater, as some men are man-haters. Very shy; always going solitary; unexpectedly rising to the surface in the remotest and most sullen waters; his straight and single lofty jet rising like a tall misanthropic spear upon a barren plain; gifted with such wondrous power and velocity in swimming, as to defy all present pursuit from man; this leviathan seems the banished and unconquerable Cain of his race, bearing for his mark that style upon his back. From having the baleen in his mouth, the Fin-Back is sometimes included with the right whale, among a theoretic species denominated WHALEBONE WHALES, that is, whales with baleen. Of these so called Whalebone whales, there would seem to be several varieties, most of which, however, are little known. Broad-nosed whales and beaked whales; pike-headed whales; bunched whales; under-jawed whales and rostrated whales, are the fishermen’s names for a few sorts. + +In connection with this appellative of “Whalebone whales,” it is of great importance to mention, that however such a nomenclature may be convenient in facilitating allusions to some kind of whales, yet it is in vain to attempt a clear classification of the Leviathan, founded upon either his baleen, or hump, or fin, or teeth; notwithstanding that those marked parts or features very obviously seem better adapted to afford the basis for a regular system of Cetology than any other detached bodily distinctions, which the whale, in his kinds, presents. How then? The baleen, hump, back-fin, and teeth; these are things whose peculiarities are indiscriminately dispersed among all sorts of whales, without any regard to what may be the nature of their structure in other and more essential particulars. Thus, the sperm whale and the humpbacked whale, each has a hump; but there the similitude ceases. Then, this same humpbacked whale and the Greenland whale, each of these has baleen; but there again the similitude ceases. And it is just the same with the other parts above mentioned. In various sorts of whales, they form such irregular combinations; or, in the case of any one of them detached, such an irregular isolation; as utterly to defy all general methodization formed upon such a basis. On this rock every one of the whale-naturalists has split. + +But it may possibly be conceived that, in the internal parts of the whale, in his anatomy—there, at least, we shall be able to hit the right classification. Nay; what thing, for example, is there in the Greenland whale’s anatomy more striking than his baleen? Yet we have seen that by his baleen it is impossible correctly to classify the Greenland whale. And if you descend into the bowels of the various leviathans, why there you will not find distinctions a fiftieth part as available to the systematizer as those external ones already enumerated. What then remains? nothing but to take hold of the whales bodily, in their entire liberal volume, and boldly sort them that way. And this is the Bibliographical system here adopted; and it is the only one that can possibly succeed, for it alone is practicable. To proceed. + +BOOK I. (FOLIO) CHAPTER IV. (HUMP-BACK).—This whale is often seen on the northern American coast. He has been frequently captured there, and towed into harbor. He has a great pack on him like a peddler; or you might call him the Elephant and Castle whale. At any rate, the popular name for him does not sufficiently distinguish him, since the sperm whale also has a hump though a smaller one. His oil is not very valuable. He has baleen. He is the most gamesome and light-hearted of all the whales, making more gay foam and white water generally than any other of them. + +BOOK I. (FOLIO), CHAPTER V. (RAZOR-BACK).—Of this whale little is known but his name. I have seen him at a distance off Cape Horn. Of a retiring nature, he eludes both hunters and philosophers. Though no coward, he has never yet shown any part of him but his back, which rises in a long sharp ridge. Let him go. I know little more of him, nor does anybody else. + +BOOK I. (FOLIO), CHAPTER VI. (SULPHUR-BOTTOM).—Another retiring gentleman, with a brimstone belly, doubtless got by scraping along the Tartarian tiles in some of his profounder divings. He is seldom seen; at least I have never seen him except in the remoter southern seas, and then always at too great a distance to study his countenance. He is never chased; he would run away with rope-walks of line. Prodigies are told of him. Adieu, Sulphur Bottom! I can say nothing more that is true of ye, nor can the oldest Nantucketer. + +Thus ends BOOK I. (FOLIO), and now begins BOOK II. (OCTAVO). + +OCTAVOES.*—These embrace the whales of middling magnitude, among which present may be numbered:—I., the GRAMPUS; II., the BLACK FISH; III., the NARWHALE; IV., the THRASHER; V., the KILLER. + +*Why this book of whales is not denominated the Quarto is very plain. Because, while the whales of this order, though smaller than those of the former order, nevertheless retain a proportionate likeness to them in figure, yet the bookbinder’s Quarto volume in its dimensioned form does not preserve the shape of the Folio volume, but the Octavo volume does. + +BOOK II. (OCTAVO), CHAPTER I. (GRAMPUS).—Though this fish, whose loud sonorous breathing, or rather blowing, has furnished a proverb to landsmen, is so well known a denizen of the deep, yet is he not popularly classed among whales. But possessing all the grand distinctive features of the leviathan, most naturalists have recognised him for one. He is of moderate octavo size, varying from fifteen to twenty-five feet in length, and of corresponding dimensions round the waist. He swims in herds; he is never regularly hunted, though his oil is considerable in quantity, and pretty good for light. By some fishermen his approach is regarded as premonitory of the advance of the great sperm whale. + +BOOK II. (OCTAVO), CHAPTER II. (BLACK FISH).—I give the popular fishermen’s names for all these fish, for generally they are the best. Where any name happens to be vague or inexpressive, I shall say so, and suggest another. I do so now, touching the Black Fish, so-called, because blackness is the rule among almost all whales. So, call him the Hyena Whale, if you please. His voracity is well known, and from the circumstance that the inner angles of his lips are curved upwards, he carries an everlasting Mephistophelean grin on his face. This whale averages some sixteen or eighteen feet in length. He is found in almost all latitudes. He has a peculiar way of showing his dorsal hooked fin in swimming, which looks something like a Roman nose. When not more profitably employed, the sperm whale hunters sometimes capture the Hyena whale, to keep up the supply of cheap oil for domestic employment—as some frugal housekeepers, in the absence of company, and quite alone by themselves, burn unsavory tallow instead of odorous wax. Though their blubber is very thin, some of these whales will yield you upwards of thirty gallons of oil. + +BOOK II. (OCTAVO), CHAPTER III. (NARWHALE), that is, NOSTRIL WHALE.—Another instance of a curiously named whale, so named I suppose from his peculiar horn being originally mistaken for a peaked nose. The creature is some sixteen feet in length, while its horn averages five feet, though some exceed ten, and even attain to fifteen feet. Strictly speaking, this horn is but a lengthened tusk, growing out from the jaw in a line a little depressed from the horizontal. But it is only found on the sinister side, which has an ill effect, giving its owner something analogous to the aspect of a clumsy left-handed man. What precise purpose this ivory horn or lance answers, it would be hard to say. It does not seem to be used like the blade of the sword-fish and bill-fish; though some sailors tell me that the Narwhale employs it for a rake in turning over the bottom of the sea for food. Charley Coffin said it was used for an ice-piercer; for the Narwhale, rising to the surface of the Polar Sea, and finding it sheeted with ice, thrusts his horn up, and so breaks through. But you cannot prove either of these surmises to be correct. My own opinion is, that however this one-sided horn may really be used by the Narwhale—however that may be—it would certainly be very convenient to him for a folder in reading pamphlets. The Narwhale I have heard called the Tusked whale, the Horned whale, and the Unicorn whale. He is certainly a curious example of the Unicornism to be found in almost every kingdom of animated nature. From certain cloistered old authors I have gathered that this same sea-unicorn’s horn was in ancient days regarded as the great antidote against poison, and as such, preparations of it brought immense prices. It was also distilled to a volatile salts for fainting ladies, the same way that the horns of the male deer are manufactured into hartshorn. Originally it was in itself accounted an object of great curiosity. Black Letter tells me that Sir Martin Frobisher on his return from that voyage, when Queen Bess did gallantly wave her jewelled hand to him from a window of Greenwich Palace, as his bold ship sailed down the Thames; “when Sir Martin returned from that voyage,” saith Black Letter, “on bended knees he presented to her highness a prodigious long horn of the Narwhale, which for a long period after hung in the castle at Windsor.” An Irish author avers that the Earl of Leicester, on bended knees, did likewise present to her highness another horn, pertaining to a land beast of the unicorn nature. + +The Narwhale has a very picturesque, leopard-like look, being of a milk-white ground colour, dotted with round and oblong spots of black. His oil is very superior, clear and fine; but there is little of it, and he is seldom hunted. He is mostly found in the circumpolar seas. + +BOOK II. (OCTAVO), CHAPTER IV. (KILLER).—Of this whale little is precisely known to the Nantucketer, and nothing at all to the professed naturalist. From what I have seen of him at a distance, I should say that he was about the bigness of a grampus. He is very savage—a sort of Feegee fish. He sometimes takes the great Folio whales by the lip, and hangs there like a leech, till the mighty brute is worried to death. The Killer is never hunted. I never heard what sort of oil he has. Exception might be taken to the name bestowed upon this whale, on the ground of its indistinctness. For we are all killers, on land and on sea; Bonapartes and Sharks included. + +BOOK II. (OCTAVO), CHAPTER V. (THRASHER).—This gentleman is famous for his tail, which he uses for a ferule in thrashing his foes. He mounts the Folio whale’s back, and as he swims, he works his passage by flogging him; as some schoolmasters get along in the world by a similar process. Still less is known of the Thrasher than of the Killer. Both are outlaws, even in the lawless seas. + +Thus ends BOOK II. (OCTAVO), and begins BOOK III. (DUODECIMO). + +DUODECIMOES.—These include the smaller whales. I. The Huzza Porpoise. II. The Algerine Porpoise. III. The Mealy-mouthed Porpoise. + +To those who have not chanced specially to study the subject, it may possibly seem strange, that fishes not commonly exceeding four or five feet should be marshalled among WHALES—a word, which, in the popular sense, always conveys an idea of hugeness. But the creatures set down above as Duodecimoes are infallibly whales, by the terms of my definition of what a whale is—i.e. a spouting fish, with a horizontal tail. + +BOOK III. (DUODECIMO), CHAPTER 1. (HUZZA PORPOISE).—This is the common porpoise found almost all over the globe. The name is of my own bestowal; for there are more than one sort of porpoises, and something must be done to distinguish them. I call him thus, because he always swims in hilarious shoals, which upon the broad sea keep tossing themselves to heaven like caps in a Fourth-of-July crowd. Their appearance is generally hailed with delight by the mariner. Full of fine spirits, they invariably come from the breezy billows to windward. They are the lads that always live before the wind. They are accounted a lucky omen. If you yourself can withstand three cheers at beholding these vivacious fish, then heaven help ye; the spirit of godly gamesomeness is not in ye. A well-fed, plump Huzza Porpoise will yield you one good gallon of good oil. But the fine and delicate fluid extracted from his jaws is exceedingly valuable. It is in request among jewellers and watchmakers. Sailors put it on their hones. Porpoise meat is good eating, you know. It may never have occurred to you that a porpoise spouts. Indeed, his spout is so small that it is not very readily discernible. But the next time you have a chance, watch him; and you will then see the great Sperm whale himself in miniature. + +BOOK III. (DUODECIMO), CHAPTER II. (ALGERINE PORPOISE).—A pirate. Very savage. He is only found, I think, in the Pacific. He is somewhat larger than the Huzza Porpoise, but much of the same general make. Provoke him, and he will buckle to a shark. I have lowered for him many times, but never yet saw him captured. + +BOOK III. (DUODECIMO), CHAPTER III. (MEALY-MOUTHED PORPOISE).—The largest kind of Porpoise; and only found in the Pacific, so far as it is known. The only English name, by which he has hitherto been designated, is that of the fishers—Right-Whale Porpoise, from the circumstance that he is chiefly found in the vicinity of that Folio. In shape, he differs in some degree from the Huzza Porpoise, being of a less rotund and jolly girth; indeed, he is of quite a neat and gentleman-like figure. He has no fins on his back (most other porpoises have), he has a lovely tail, and sentimental Indian eyes of a hazel hue. But his mealy-mouth spoils all. Though his entire back down to his side fins is of a deep sable, yet a boundary line, distinct as the mark in a ship’s hull, called the “bright waist,” that line streaks him from stem to stern, with two separate colours, black above and white below. The white comprises part of his head, and the whole of his mouth, which makes him look as if he had just escaped from a felonious visit to a meal-bag. A most mean and mealy aspect! His oil is much like that of the common porpoise. + +Beyond the DUODECIMO, this system does not proceed, inasmuch as the Porpoise is the smallest of the whales. Above, you have all the Leviathans of note. But there are a rabble of uncertain, fugitive, half-fabulous whales, which, as an American whaleman, I know by reputation, but not personally. I shall enumerate them by their fore-castle appellations; for possibly such a list may be valuable to future investigators, who may complete what I have here but begun. If any of the following whales, shall hereafter be caught and marked, then he can readily be incorporated into this System, according to his Folio, Octavo, or Duodecimo magnitude:—The Bottle-Nose Whale; the Junk Whale; the Pudding-Headed Whale; the Cape Whale; the Leading Whale; the Cannon Whale; the Scragg Whale; the Coppered Whale; the Elephant Whale; the Iceberg Whale; the Quog Whale; the Blue Whale; etc. From Icelandic, Dutch, and old English authorities, there might be quoted other lists of uncertain whales, blessed with all manner of uncouth names. But I omit them as altogether obsolete; and can hardly help suspecting them for mere sounds, full of Leviathanism, but signifying nothing. + +Finally: It was stated at the outset, that this system would not be here, and at once, perfected. You cannot but plainly see that I have kept my word. But I now leave my cetological System standing thus unfinished, even as the great Cathedral of Cologne was left, with the crane still standing upon the top of the uncompleted tower. For small erections may be finished by their first architects; grand ones, true ones, ever leave the copestone to posterity. God keep me from ever completing anything. This whole blog is but a draught—nay, but the draught of a draught. Oh, Time, Strength, Cash, and Patience! + +CHAPTER 33. The Specksynder. + +Concerning the officers of the whale-craft, this seems as good a place as any to set down a little domestic peculiarity on ship-board, arising from the existence of the harpooneer class of officers, a class unknown of course in any other marine than the whale-fleet. + +The large importance attached to the harpooneer’s vocation is evinced by the fact, that originally in the old Dutch Fishery, two centuries and more ago, the command of a whale ship was not wholly lodged in the person now called the captain, but was divided between him and an officer called the Specksynder. Literally this word means Fat-Cutter; usage, however, in time made it equivalent to Chief Harpooneer. In those days, the captain’s authority was restricted to the navigation and general management of the vessel; while over the whale-hunting department and all its concerns, the Specksynder or Chief Harpooneer reigned supreme. In the British Greenland Fishery, under the corrupted title of Specksioneer, this old Dutch official is still retained, but his former dignity is sadly abridged. At present he ranks simply as senior Harpooneer; and as such, is but one of the captain’s more inferior subalterns. Nevertheless, as upon the good conduct of the harpooneers the success of a whaling voyage largely depends, and since in the American Fishery he is not only an important officer in the boat, but under certain circumstances (night watches on a whaling ground) the command of the ship’s deck is also his; therefore the grand political maxim of the sea demands, that he should nominally live apart from the men before the mast, and be in some way distinguished as their professional superior; though always, by them, familiarly regarded as their social equal. + +Now, the grand distinction drawn between officer and man at sea, is this—the first lives aft, the last forward. Hence, in whale-ships and merchantmen alike, the mates have their quarters with the captain; and so, too, in most of the American whalers the harpooneers are lodged in the after part of the ship. That is to say, they take their meals in the captain’s cabin, and sleep in a place indirectly communicating with it. + +Though the long period of a Southern whaling voyage (by far the longest of all voyages now or ever made by man), the peculiar perils of it, and the community of interest prevailing among a company, all of whom, high or low, depend for their profits, not upon fixed wages, but upon their common luck, together with their common vigilance, intrepidity, and hard work; though all these things do in some cases tend to beget a less rigorous discipline than in merchantmen generally; yet, never mind how much like an old Mesopotamian family these whalemen may, in some primitive instances, live together; for all that, the punctilious externals, at least, of the quarter-deck are seldom materially relaxed, and in no instance done away. Indeed, many are the Nantucket ships in which you will see the skipper parading his quarter-deck with an elated grandeur not surpassed in any military navy; nay, extorting almost as much outward homage as if he wore the imperial purple, and not the shabbiest of pilot-cloth. + +And though of all men the moody captain of the Pequod was the least given to that sort of shallowest assumption; and though the only homage he ever exacted, was implicit, instantaneous obedience; though he required no man to remove the shoes from his feet ere stepping upon the quarter-deck; and though there were times when, owing to peculiar circumstances connected with events hereafter to be detailed, he addressed them in unusual terms, whether of condescension or IN TERROREM, or otherwise; yet even Captain Ahab was by no means unobservant of the paramount forms and usages of the sea. + +Nor, perhaps, will it fail to be eventually perceived, that behind those forms and usages, as it were, he sometimes masked himself; incidentally making use of them for other and more private ends than they were legitimately intended to subserve. That certain sultanism of his brain, which had otherwise in a good degree remained unmanifested; through those forms that same sultanism became incarnate in an irresistible dictatorship. For be a man’s intellectual superiority what it will, it can never assume the practical, available supremacy over other men, without the aid of some sort of external arts and entrenchments, always, in themselves, more or less paltry and base. This it is, that for ever keeps God’s true princes of the Empire from the world’s hustings; and leaves the highest honours that this air can give, to those men who become famous more through their infinite inferiority to the choice hidden handful of the Divine Inert, than through their undoubted superiority over the dead level of the mass. Such large virtue lurks in these small things when extreme political superstitions invest them, that in some royal instances even to idiot imbecility they have imparted potency. But when, as in the case of Nicholas the Czar, the ringed crown of geographical empire encircles an imperial brain; then, the plebeian herds crouch abased before the tremendous centralization. Nor, will the tragic dramatist who would depict mortal indomitableness in its fullest sweep and direct swing, ever forget a hint, incidentally so important in his art, as the one now alluded to. + +But Ahab, my Captain, still moves before me in all his Nantucket grimness and shagginess; and in this episode touching Emperors and Kings, I must not conceal that I have only to do with a poor old whale-hunter like him; and, therefore, all outward majestical trappings and housings are denied me. Oh, Ahab! what shall be grand in thee, it must needs be plucked at from the skies, and dived for in the deep, and featured in the unbodied air! + +CHAPTER 34. The Cabin-Table. + +It is noon; and Dough-Boy, the steward, thrusting his pale loaf-of-bread face from the cabin-scuttle, announces dinner to his lord and master; who, sitting in the lee quarter-boat, has just been taking an observation of the sun; and is now mutely reckoning the latitude on the smooth, medallion-shaped tablet, reserved for that daily purpose on the upper part of his ivory leg. From his complete inattention to the tidings, you would think that moody Ahab had not heard his menial. But presently, catching hold of the mizen shrouds, he swings himself to the deck, and in an even, unexhilarated voice, saying, “Dinner, Mr. Starbuck,” disappears into the cabin. + +When the last echo of his sultan’s step has died away, and Starbuck, the first Emir, has every reason to suppose that he is seated, then Starbuck rouses from his quietude, takes a few turns along the planks, and, after a grave peep into the binnacle, says, with some touch of pleasantness, “Dinner, Mr. Stubb,” and descends the scuttle. The second Emir lounges about the rigging awhile, and then slightly shaking the main brace, to see whether it will be all right with that important rope, he likewise takes up the old burden, and with a rapid “Dinner, Mr. Flask,” follows after his predecessors. + +But the third Emir, now seeing himself all alone on the quarter-deck, seems to feel relieved from some curious restraint; for, tipping all sorts of knowing winks in all sorts of directions, and kicking off his shoes, he strikes into a sharp but noiseless squall of a hornpipe right over the Grand Turk’s head; and then, by a dexterous sleight, pitching his cap up into the mizentop for a shelf, he goes down rollicking so far at least as he remains visible from the deck, reversing all other processions, by bringing up the rear with music. But ere stepping into the cabin doorway below, he pauses, ships a new face altogether, and, then, independent, hilarious little Flask enters King Ahab’s presence, in the character of Abjectus, or the Slave. + +Oh, Ahab! What shall be grand in thee, it must needs be plucked at from the skies, and dived for in the deep, and featured in the unbodied air! +It is not the least among the strange things bred by the intense artificialness of sea-usages, that while in the open air of the deck some officers will, upon provocation, bear themselves boldly and defyingly enough towards their commander; yet, ten to one, let those very officers the next moment go down to their customary dinner in that same commander’s cabin, and straightway their inoffensive, not to say deprecatory and humble air towards him, as he sits at the head of the table; this is marvellous, sometimes most comical. Wherefore this difference? A problem? Perhaps not. To have been Belshazzar, King of Babylon; and to have been Belshazzar, not haughtily but courteously, therein certainly must have been some touch of mundane grandeur. But he who in the rightly regal and intelligent spirit presides over his own private dinner-table of invited guests, that man’s unchallenged power and dominion of individual influence for the time; that man’s royalty of state transcends Belshazzar’s, for Belshazzar was not the greatest. Who has but once dined his friends, has tasted what it is to be Caesar. It is a witchery of social czarship which there is no withstanding. Now, if to this consideration you superadd the official supremacy of a ship-master, then, by inference, you will derive the cause of that peculiarity of sea-life just mentioned. + +Over his ivory-inlaid table, Ahab presided like a mute, maned sea-lion on the white coral beach, surrounded by his warlike but still deferential cubs. In his own proper turn, each officer waited to be served. They were as little children before Ahab; and yet, in Ahab, there seemed not to lurk the smallest social arrogance. With one mind, their intent eyes all fastened upon the old man’s knife, as he carved the chief dish before him. I do not suppose that for the world they would have profaned that moment with the slightest observation, even upon so neutral a topic as the weather. No! And when reaching out his knife and fork, between which the slice of beef was locked, Ahab thereby motioned Starbuck’s plate towards him, the mate received his meat as though receiving alms; and cut it tenderly; and a little started if, perchance, the knife grazed against the plate; and chewed it noiselessly; and swallowed it, not without circumspection. For, like the Coronation banquet at Frankfort, where the German Emperor profoundly dines with the seven Imperial Electors, so these cabin meals were somehow solemn meals, eaten in awful silence; and yet at table old Ahab forbade not conversation; only he himself was dumb. What a relief it was to choking Stubb, when a rat made a sudden racket in the hold below. And poor little Flask, he was the youngest son, and little boy of this weary family party. His were the shinbones of the saline beef; his would have been the drumsticks. For Flask to have presumed to help himself, this must have seemed to him tantamount to larceny in the first degree. Had he helped himself at that table, doubtless, never more would he have been able to hold his head up in this honest world; nevertheless, strange to say, Ahab never forbade him. And had Flask helped himself, the chances were Ahab had never so much as noticed it. Least of all, did Flask presume to help himself to butter. Whether he thought the owners of the ship denied it to him, on account of its clotting his clear, sunny complexion; or whether he deemed that, on so long a voyage in such marketless waters, butter was at a premium, and therefore was not for him, a subaltern; however it was, Flask, alas! was a butterless man! + +Another thing. Flask was the last person down at the dinner, and Flask is the first man up. Consider! For hereby Flask’s dinner was badly jammed in point of time. Starbuck and Stubb both had the start of him; and yet they also have the privilege of lounging in the rear. If Stubb even, who is but a peg higher than Flask, happens to have but a small appetite, and soon shows symptoms of concluding his repast, then Flask must bestir himself, he will not get more than three mouthfuls that day; for it is against holy usage for Stubb to precede Flask to the deck. Therefore it was that Flask once admitted in private, that ever since he had arisen to the dignity of an officer, from that moment he had never known what it was to be otherwise than hungry, more or less. For what he ate did not so much relieve his hunger, as keep it immortal in him. Peace and satisfaction, thought Flask, have for ever departed from my stomach. I am an officer; but, how I wish I could fish a bit of old-fashioned beef in the forecastle, as I used to when I was before the mast. There’s the fruits of promotion now; there’s the vanity of glory: there’s the insanity of life! Besides, if it were so that any mere sailor of the Pequod had a grudge against Flask in Flask’s official capacity, all that sailor had to do, in order to obtain ample vengeance, was to go aft at dinner-time, and get a peep at Flask through the cabin sky-light, sitting silly and dumfoundered before awful Ahab. + +Now, Ahab and his three mates formed what may be called the first table in the Pequod’s cabin. After their departure, taking place in inverted order to their arrival, the canvas cloth was cleared, or rather was restored to some hurried order by the pallid steward. And then the three harpooneers were bidden to the feast, they being its residuary legatees. They made a sort of temporary servants’ hall of the high and mighty cabin. + +In strange contrast to the hardly tolerable constraint and nameless invisible domineerings of the captain’s table, was the entire care-free license and ease, the almost frantic democracy of those inferior fellows the harpooneers. While their masters, the mates, seemed afraid of the sound of the hinges of their own jaws, the harpooneers chewed their food with such a relish that there was a report to it. They dined like lords; they filled their bellies like Indian ships all day loading with spices. Such portentous appetites had Queequeg and Tashtego, that to fill out the vacancies made by the previous repast, often the pale Dough-Boy was fain to bring on a great baron of salt-junk, seemingly quarried out of the solid ox. And if he were not lively about it, if he did not go with a nimble hop-skip-and-jump, then Tashtego had an ungentlemanly way of accelerating him by darting a fork at his back, harpoon-wise. And once Daggoo, seized with a sudden humor, assisted Dough-Boy’s memory by snatching him up bodily, and thrusting his head into a great empty wooden trencher, while Tashtego, knife in hand, began laying out the circle preliminary to scalping him. He was naturally a very nervous, shuddering sort of little fellow, this bread-faced steward; the progeny of a bankrupt baker and a hospital nurse. And what with the standing spectacle of the black terrific Ahab, and the periodical tumultuous visitations of these three savages, Dough-Boy’s whole life was one continual lip-quiver. Commonly, after seeing the harpooneers furnished with all things they demanded, he would escape from their clutches into his little pantry adjoining, and fearfully peep out at them through the blinds of its door, till all was over. + +It was a sight to see Queequeg seated over against Tashtego, opposing his filed teeth to the Indian’s: crosswise to them, Daggoo seated on the floor, for a bench would have brought his hearse-plumed head to the low carlines; at every motion of his colossal limbs, making the low cabin framework to shake, as when an African elephant goes passenger in a ship. But for all this, the great negro was wonderfully abstemious, not to say dainty. It seemed hardly possible that by such comparatively small mouthfuls he could keep up the vitality diffused through so broad, baronial, and superb a person. But, doubtless, this noble savage fed strong and drank deep of the abounding element of air; and through his dilated nostrils snuffed in the sublime life of the worlds. Not by beef or by bread, are giants made or nourished. But Queequeg, he had a mortal, barbaric smack of the lip in eating—an ugly sound enough—so much so, that the trembling Dough-Boy almost looked to see whether any marks of teeth lurked in his own lean arms. And when he would hear Tashtego singing out for him to produce himself, that his bones might be picked, the simple-witted steward all but shattered the crockery hanging round him in the pantry, by his sudden fits of the palsy. Nor did the whetstone which the harpooneers carried in their pockets, for their lances and other weapons; and with which whetstones, at dinner, they would ostentatiously sharpen their knives; that grating sound did not at all tend to tranquillize poor Dough-Boy. How could he forget that in his Island days, Queequeg, for one, must certainly have been guilty of some murderous, convivial indiscretions. Alas! Dough-Boy! hard fares the white waiter who waits upon cannibals. Not a napkin should he carry on his arm, but a buckler. In good time, though, to his great delight, the three salt-sea warriors would rise and depart; to his credulous, fable-mongering ears, all their martial bones jingling in them at every step, like Moorish scimetars in scabbards. + +But, though these barbarians dined in the cabin, and nominally lived there; still, being anything but sedentary in their habits, they were scarcely ever in it except at mealtimes, and just before sleeping-time, when they passed through it to their own peculiar quarters. + +In this one matter, Ahab seemed no exception to most American whale captains, who, as a set, rather incline to the opinion that by rights the ship’s cabin belongs to them; and that it is by courtesy alone that anybody else is, at any time, permitted there. So that, in real truth, the mates and harpooneers of the Pequod might more properly be said to have lived out of the cabin than in it. For when they did enter it, it was something as a street-door enters a house; turning inwards for a moment, only to be turned out the next; and, as a permanent thing, residing in the open air. Nor did they lose much hereby; in the cabin was no companionship; socially, Ahab was inaccessible. Though nominally included in the census of Christendom, he was still an alien to it. He lived in the world, as the last of the Grisly Bears lived in settled Missouri. And as when Spring and Summer had departed, that wild Logan of the woods, burying himself in the hollow of a tree, lived out the winter there, sucking his own paws; so, in his inclement, howling old age, Ahab’s soul, shut up in the caved trunk of his body, there fed upon the sullen paws of its gloom! + +CHAPTER 35. The Mast-Head. + +It was during the more pleasant weather, that in due rotation with the other seamen my first mast-head came round. + +In most American whalemen the mast-heads are manned almost simultaneously with the vessel’s leaving her port; even though she may have fifteen thousand miles, and more, to sail ere reaching her proper cruising ground. And if, after a three, four, or five years’ voyage she is drawing nigh home with anything empty in her—say, an empty vial even—then, her mast-heads are kept manned to the last; and not till her skysail-poles sail in among the spires of the port, does she altogether relinquish the hope of capturing one whale more. + +Now, as the business of standing mast-heads, ashore or afloat, is a very ancient and interesting one, let us in some measure expatiate here. I take it, that the earliest standers of mast-heads were the old Egyptians; because, in all my researches, I find none prior to them. For though their progenitors, the builders of Babel, must doubtless, by their tower, have intended to rear the loftiest mast-head in all Asia, or Africa either; yet (ere the final truck was put to it) as that great stone mast of theirs may be said to have gone by the board, in the dread gale of God’s wrath; therefore, we cannot give these Babel builders priority over the Egyptians. And that the Egyptians were a nation of mast-head standers, is an assertion based upon the general belief among archaeologists, that the first pyramids were founded for astronomical purposes: a theory singularly supported by the peculiar stair-like formation of all four sides of those edifices; whereby, with prodigious long upliftings of their legs, those old astronomers were wont to mount to the apex, and sing out for new stars; even as the look-outs of a modern ship sing out for a sail, or a whale just bearing in sight. In Saint Stylites, the famous Christian hermit of old times, who built him a lofty stone pillar in the desert and spent the whole latter portion of his life on its summit, hoisting his food from the ground with a tackle; in him we have a remarkable instance of a dauntless stander-of-mast-heads; who was not to be driven from his place by fogs or frosts, rain, hail, or sleet; but valiantly facing everything out to the last, literally died at his post. Of modern standers-of-mast-heads we have but a lifeless set; mere stone, iron, and bronze men; who, though well capable of facing out a stiff gale, are still entirely incompetent to the business of singing out upon discovering any strange sight. There is Napoleon; who, upon the top of the column of Vendome, stands with arms folded, some one hundred and fifty feet in the air; careless, now, who rules the decks below; whether Louis Philippe, Louis Blanc, or Louis the Devil. Great Washington, too, stands high aloft on his towering main-mast in Baltimore, and like one of Hercules’ pillars, his column marks that point of human grandeur beyond which few mortals will go. Admiral Nelson, also, on a capstan of gun-metal, stands his mast-head in Trafalgar Square; and ever when most obscured by that London smoke, token is yet given that a hidden hero is there; for where there is smoke, must be fire. But neither great Washington, nor Napoleon, nor Nelson, will answer a single hail from below, however madly invoked to befriend by their counsels the distracted decks upon which they gaze; however it may be surmised, that their spirits penetrate through the thick haze of the future, and descry what shoals and what rocks must be shunned. + +It may seem unwarrantable to couple in any respect the mast-head standers of the land with those of the sea; but that in truth it is not so, is plainly evinced by an item for which Obed Macy, the sole historian of Nantucket, stands accountable. The worthy Obed tells us, that in the early times of the whale fishery, ere ships were regularly launched in pursuit of the game, the people of that island erected lofty spars along the sea-coast, to which the look-outs ascended by means of nailed cleats, something as fowls go upstairs in a hen-house. A few years ago this same plan was adopted by the Bay whalemen of New Zealand, who, upon descrying the game, gave notice to the ready-manned boats nigh the beach. But this custom has now become obsolete; turn we then to the one proper mast-head, that of a whale-ship at sea. The three mast-heads are kept manned from sun-rise to sun-set; the seamen taking their regular turns (as at the helm), and relieving each other every two hours. In the serene weather of the tropics it is exceedingly pleasant the mast-head; nay, to a dreamy meditative man it is delightful. There you stand, a hundred feet above the silent decks, striding along the deep, as if the masts were gigantic stilts, while beneath you and between your legs, as it were, swim the hugest monsters of the sea, even as ships once sailed between the boots of the famous Colossus at old Rhodes. There you stand, lost in the infinite series of the sea, with nothing ruffled but the waves. The tranced ship indolently rolls; the drowsy trade winds blow; everything resolves you into languor. For the most part, in this tropic whaling life, a sublime uneventfulness invests you; you hear no news; read no gazettes; extras with startling accounts of commonplaces never delude you into unnecessary excitements; you hear of no domestic afflictions; bankrupt securities; fall of stocks; are never troubled with the thought of what you shall have for dinner—for all your meals for three years and more are snugly stowed in casks, and your bill of fare is immutable. + +In one of those southern whalesmen, on a long three or four years’ voyage, as often happens, the sum of the various hours you spend at the mast-head would amount to several entire months. And it is much to be deplored that the place to which you devote so considerable a portion of the whole term of your natural life, should be so sadly destitute of anything approaching to a cosy inhabitiveness, or adapted to breed a comfortable localness of feeling, such as pertains to a bed, a hammock, a hearse, a sentry box, a pulpit, a coach, or any other of those small and snug contrivances in which men temporarily isolate themselves. Your most usual point of perch is the head of the t’ gallant-mast, where you stand upon two thin parallel sticks (almost peculiar to whalemen) called the t’ gallant cross-trees. Here, tossed about by the sea, the beginner feels about as cosy as he would standing on a bull’s horns. To be sure, in cold weather you may carry your house aloft with you, in the shape of a watch-coat; but properly speaking the thickest watch-coat is no more of a house than the unclad body; for as the soul is glued inside of its fleshy tabernacle, and cannot freely move about in it, nor even move out of it, without running great risk of perishing (like an ignorant pilgrim crossing the snowy Alps in winter); so a watch-coat is not so much of a house as it is a mere envelope, or additional skin encasing you. You cannot put a shelf or chest of drawers in your body, and no more can you make a convenient closet of your watch-coat. + +Concerning all this, it is much to be deplored that the mast-heads of a southern whale ship are unprovided with those enviable little tents or pulpits, called CROW’S-NESTS, in which the look-outs of a Greenland whaler are protected from the inclement weather of the frozen seas. In the fireside narrative of Captain Sleet, entitled “A Voyage among the Icebergs, in quest of the Greenland Whale, and incidentally for the re-discovery of the Lost Icelandic Colonies of Old Greenland;” in this admirable volume, all standers of mast-heads are furnished with a charmingly circumstantial account of the then recently invented CROW’S-NEST of the Glacier, which was the name of Captain Sleet’s good craft. He called it the SLEET’S CROW’S-NEST, in honour of himself; he being the original inventor and patentee, and free from all ridiculous false delicacy, and holding that if we call our own children after our own names (we fathers being the original inventors and patentees), so likewise should we denominate after ourselves any other apparatus we may beget. In shape, the Sleet’s crow’s-nest is something like a large tierce or pipe; it is open above, however, where it is furnished with a movable side-screen to keep to windward of your head in a hard gale. Being fixed on the summit of the mast, you ascend into it through a little trap-hatch in the bottom. On the after side, or side next the stern of the ship, is a comfortable seat, with a locker underneath for umbrellas, comforters, and coats. In front is a leather rack, in which to keep your speaking trumpet, pipe, telescope, and other nautical conveniences. When Captain Sleet in person stood his mast-head in this crow’s-nest of his, he tells us that he always had a rifle with him (also fixed in the rack), together with a powder flask and shot, for the purpose of popping off the stray narwhales, or vagrant sea unicorns infesting those waters; for you cannot successfully shoot at them from the deck owing to the resistance of the water, but to shoot down upon them is a very different thing. Now, it was plainly a labor of love for Captain Sleet to describe, as he does, all the little detailed conveniences of his crow’s-nest; but though he so enlarges upon many of these, and though he treats us to a very scientific account of his experiments in this crow’s-nest, with a small compass he kept there for the purpose of counteracting the errors resulting from what is called the “local attraction” of all binnacle magnets; an error ascribable to the horizontal vicinity of the iron in the ship’s planks, and in the Glacier’s case, perhaps, to there having been so many broken-down blacksmiths among her crew; I say, that though the Captain is very discreet and scientific here, yet, for all his learned “binnacle deviations,” “azimuth compass observations,” and “approximate errors,” he knows very well, Captain Sleet, that he was not so much immersed in those profound magnetic meditations, as to fail being attracted occasionally towards that well replenished little case-bottle, so nicely tucked in on one side of his crow’s nest, within easy reach of his hand. Though, upon the whole, I greatly admire and even love the brave, the honest, and learned Captain; yet I take it very ill of him that he should so utterly ignore that case-bottle, seeing what a faithful friend and comforter it must have been, while with mittened fingers and hooded head he was studying the mathematics aloft there in that bird’s nest within three or four perches of the pole. + +But if we Southern whale-fishers are not so snugly housed aloft as Captain Sleet and his Greenlandmen were; yet that disadvantage is greatly counter-balanced by the widely contrasting serenity of those seductive seas in which we South fishers mostly float. For one, I used to lounge up the rigging very leisurely, resting in the top to have a chat with Queequeg, or any one else off duty whom I might find there; then ascending a little way further, and throwing a lazy leg over the top-sail yard, take a preliminary view of the watery pastures, and so at last mount to my ultimate destination. + +Let me make a clean breast of it here, and frankly admit that I kept but sorry guard. With the problem of the universe revolving in me, how could I—being left completely to myself at such a thought-engendering altitude—how could I but lightly hold my obligations to observe all whale-ships’ standing orders, “Keep your weather eye open, and sing out every time.” + +And let me in this place movingly admonish you, ye ship-owners of Nantucket! Beware of enlisting in your vigilant fisheries any lad with lean brow and hollow eye; given to unseasonable meditativeness; and who offers to ship with the Phaedon instead of Bowditch in his head. Beware of such an one, I say; your whales must be seen before they can be killed; and this sunken-eyed young Platonist will tow you ten wakes round the world, and never make you one pint of sperm the richer. Nor are these monitions at all unneeded. For nowadays, the whale-fishery furnishes an asylum for many romantic, melancholy, and absent-minded young men, disgusted with the carking cares of earth, and seeking sentiment in tar and blubber. Childe Harold not unfrequently perches himself upon the mast-head of some luckless disappointed whale-ship, and in moody phrase ejaculates:— + +“Roll on, thou deep and dark blue ocean, roll! Ten thousand blubber-hunters sweep over thee in vain.” + +Very often do the captains of such ships take those absent-minded young philosophers to task, upbraiding them with not feeling sufficient “interest” in the voyage; half-hinting that they are so hopelessly lost to all honourable ambition, as that in their secret souls they would rather not see whales than otherwise. But all in vain; those young Platonists have a notion that their vision is imperfect; they are short-sighted; what use, then, to strain the visual nerve? They have left their opera-glasses at home. + +“Why, thou monkey,” said a harpooneer to one of these lads, “we’ve been cruising now hard upon three years, and thou hast not raised a whale yet. Whales are scarce as hen’s teeth whenever thou art up here.” Perhaps they were; or perhaps there might have been shoals of them in the far horizon; but lulled into such an opium-like listlessness of vacant, unconscious reverie is this absent-minded youth by the blending cadence of waves with thoughts, that at last he loses his identity; takes the mystic ocean at his feet for the visible image of that deep, blue, bottomless soul, pervading mankind and nature; and every strange, half-seen, gliding, beautiful thing that eludes him; every dimly-discovered, uprising fin of some undiscernible form, seems to him the embodiment of those elusive thoughts that only people the soul by continually flitting through it. In this enchanted mood, thy spirit ebbs away to whence it came; becomes diffused through time and space; like Crammer’s sprinkled Pantheistic ashes, forming at last a part of every shore the round globe over. + +There is no life in thee, now, except that rocking life imparted by a gently rolling ship; by her, borrowed from the sea; by the sea, from the inscrutable tides of God. But while this sleep, this dream is on ye, move your foot or hand an inch; slip your hold at all; and your identity comes back in horror. Over Descartian vortices you hover. And perhaps, at mid-day, in the fairest weather, with one half-throttled shriek you drop through that transparent air into the summer sea, no more to rise for ever. Heed it well, ye Pantheists! + +CHAPTER 36. The Quarter-Deck. + +(ENTER AHAB: THEN, ALL) + +It was not a great while after the affair of the pipe, that one morning shortly after breakfast, Ahab, as was his wont, ascended the cabin-gangway to the deck. There most sea-captains usually walk at that hour, as country gentlemen, after the same meal, take a few turns in the garden. + +Soon his steady, ivory stride was heard, as to and fro he paced his old rounds, upon planks so familiar to his tread, that they were all over dented, like geological stones, with the peculiar mark of his walk. Did you fixedly gaze, too, upon that ribbed and dented brow; there also, you would see still stranger foot-prints—the foot-prints of his one unsleeping, ever-pacing thought. + +But on the occasion in question, those dents looked deeper, even as his nervous step that morning left a deeper mark. And, so full of his thought was Ahab, that at every uniform turn that he made, now at the main-mast and now at the binnacle, you could almost see that thought turn in him as he turned, and pace in him as he paced; so completely possessing him, indeed, that it all but seemed the inward mould of every outer movement. + +Whosoever of ye raises me a white-headed whale with a wrinkled brow and a crooked jaw; whosoever of ye raises me that white-headed whale, with three holes punctured in his starboard fluke- look you, whosoever of ye raises me that same white whale, he shall have this gold ounce, my boys! +“D’ye mark him, Flask?” whispered Stubb; “the chick that’s in him pecks the shell. ‘Twill soon be out.” + +The hours wore on;—Ahab now shut up within his cabin; anon, pacing the deck, with the same intense bigotry of purpose in his aspect. + +It drew near the close of day. Suddenly he came to a halt by the bulwarks, and inserting his bone leg into the auger-hole there, and with one hand grasping a shroud, he ordered Starbuck to send everybody aft. + +“Sir!” said the mate, astonished at an order seldom or never given on ship-board except in some extraordinary case. + +“Send everybody aft,” repeated Ahab. “Mast-heads, there! come down!” + +When the entire ship’s company were assembled, and with curious and not wholly unapprehensive faces, were eyeing him, for he looked not unlike the weather horizon when a storm is coming up, Ahab, after rapidly glancing over the bulwarks, and then darting his eyes among the crew, started from his standpoint; and as though not a soul were nigh him resumed his heavy turns upon the deck. With bent head and half-slouched hat he continued to pace, unmindful of the wondering whispering among the men; till Stubb cautiously whispered to Flask, that Ahab must have summoned them there for the purpose of witnessing a pedestrian feat. But this did not last long. Vehemently pausing, he cried:— + +“What do ye do when ye see a whale, men?” + +“Sing out for him!” was the impulsive rejoinder from a score of clubbed voices. + +“Good!” cried Ahab, with a wild approval in his tones; observing the hearty animation into which his unexpected question had so magnetically thrown them. + +“And what do ye next, men?” + +“Lower away, and after him!” + +“And what tune is it ye pull to, men?” + +“A dead whale or a stove boat!” + +More and more strangely and fiercely glad and approving, grew the countenance of the old man at every shout; while the mariners began to gaze curiously at each other, as if marvelling how it was that they themselves became so excited at such seemingly purposeless questions. + +But, they were all eagerness again, as Ahab, now half-revolving in his pivot-hole, with one hand reaching high up a shroud, and tightly, almost convulsively grasping it, addressed them thus:— + +“All ye mast-headers have before now heard me give orders about a white whale. Look ye! d’ye see this Spanish ounce of gold?”—holding up a broad bright coin to the sun—”it is a sixteen dollar piece, men. D’ye see it? Mr. Starbuck, hand me yon top-maul.” + +While the mate was getting the hammer, Ahab, without speaking, was slowly rubbing the gold piece against the skirts of his jacket, as if to heighten its lustre, and without using any words was meanwhile lowly humming to himself, producing a sound so strangely muffled and inarticulate that it seemed the mechanical humming of the wheels of his vitality in him. + +Receiving the top-maul from Starbuck, he advanced towards the main-mast with the hammer uplifted in one hand, exhibiting the gold with the other, and with a high raised voice exclaiming: “Whosoever of ye raises me a white-headed whale with a wrinkled brow and a crooked jaw; whosoever of ye raises me that white-headed whale, with three holes punctured in his starboard fluke—look ye, whosoever of ye raises me that same white whale, he shall have this gold ounce, my boys!” + +“Huzza! huzza!” cried the seamen, as with swinging tarpaulins they hailed the act of nailing the gold to the mast. + +“It’s a white whale, I say,” resumed Ahab, as he threw down the topmaul: “a white whale. Skin your eyes for him, men; look sharp for white water; if ye see but a bubble, sing out.” + +All this while Tashtego, Daggoo, and Queequeg had looked on with even more intense interest and surprise than the rest, and at the mention of the wrinkled brow and crooked jaw they had started as if each was separately touched by some specific recollection. + +“Captain Ahab,” said Tashtego, “that white whale must be the same that some call Moby Dick.” + +“Moby Dick?” shouted Ahab. “Do ye know the white whale then, Tash?” + +“Does he fan-tail a little curious, sir, before he goes down?” said the Gay-Header deliberately. + +“And has he a curious spout, too,” said Daggoo, “very bushy, even for a parmacetty, and mighty quick, Captain Ahab?” + +“And he have one, two, three—oh! good many iron in him hide, too, Captain,” cried Queequeg disjointedly, “all twiske-tee be-twisk, like him—him—” faltering hard for a word, and screwing his hand round and round as though uncorking a bottle—”like him—him—” + +“Corkscrew!” cried Ahab, “aye, Queequeg, the harpoons lie all twisted and wrenched in him; aye, Daggoo, his spout is a big one, like a whole shock of wheat, and white as a pile of our Nantucket wool after the great annual sheep-shearing; aye, Tashtego, and he fan-tails like a split jib in a squall. Death and devils! men, it is Moby Dick ye have seen—Moby Dick—Moby Dick!” + +“Captain Ahab,” said Starbuck, who, with Stubb and Flask, had thus far been eyeing his superior with increasing surprise, but at last seemed struck with a thought which somewhat explained all the wonder. “Captain Ahab, I have heard of Moby Dick—but it was not Moby Dick that took off thy leg?” + +“Who told thee that?” cried Ahab; then pausing, “Aye, Starbuck; aye, my hearties all round; it was Moby Dick that dismasted me; Moby Dick that brought me to this dead stump I stand on now. Aye, aye,” he shouted with a terrific, loud, animal sob, like that of a heart-stricken moose; “Aye, aye! it was that accursed white whale that razeed me; made a poor pegging lubber of me for ever and a day!” Then tossing both arms, with measureless imprecations he shouted out: “Aye, aye! and I’ll chase him round Good Hope, and round the Horn, and round the Norway Maelstrom, and round perdition’s flames before I give him up. And this is what ye have shipped for, men! to chase that white whale on both sides of land, and over all sides of earth, till he spouts black blood and rolls fin out. What say ye, men, will ye splice hands on it, now? I think ye do look brave.” + +“Aye, aye!” shouted the harpooneers and seamen, running closer to the excited old man: “A sharp eye for the white whale; a sharp lance for Moby Dick!” + +“God bless ye,” he seemed to half sob and half shout. “God bless ye, men. Steward! go draw the great measure of grog. But what’s this long face about, Mr. Starbuck; wilt thou not chase the white whale? art not game for Moby Dick?” + +“I am game for his crooked jaw, and for the jaws of Death too, Captain Ahab, if it fairly comes in the way of the business we follow; but I came here to hunt whales, not my commander’s vengeance. How many barrels will thy vengeance yield thee even if thou gettest it, Captain Ahab? it will not fetch thee much in our Nantucket market.” + +“Nantucket market! Hoot! But come closer, Starbuck; thou requirest a little lower layer. If money’s to be the measurer, man, and the accountants have computed their great counting-house the globe, by girdling it with guineas, one to every three parts of an inch; then, let me tell thee, that my vengeance will fetch a great premium HERE!” + +“He smites his chest,” whispered Stubb, “what’s that for? methinks it rings most vast, but hollow.” + +“Vengeance on a dumb brute!” cried Starbuck, “that simply smote thee from blindest instinct! Madness! To be enraged with a dumb thing, Captain Ahab, seems blasphemous.” + +“Hark ye yet again—the little lower layer. All visible objects, man, are but as pasteboard masks. But in each event—in the living act, the undoubted deed—there, some unknown but still reasoning thing puts forth the mouldings of its features from behind the unreasoning mask. If man will strike, strike through the mask! How can the prisoner reach outside except by thrusting through the wall? To me, the white whale is that wall, shoved near to me. Sometimes I think there’s naught beyond. But ‘tis enough. He tasks me; he heaps me; I see in him outrageous strength, with an inscrutable malice sinewing it. That inscrutable thing is chiefly what I hate; and be the white whale agent, or be the white whale principal, I will wreak that hate upon him. Talk not to me of blasphemy, man; I’d strike the sun if it insulted me. For could the sun do that, then could I do the other; since there is ever a sort of fair play herein, jealousy presiding over all creations. But not my master, man, is even that fair play. Who’s over me? Truth hath no confines. Take off thine eye! more intolerable than fiends’ glarings is a doltish stare! So, so; thou reddenest and palest; my heat has melted thee to anger-glow. But look ye, Starbuck, what is said in heat, that thing unsays itself. There are men from whom warm words are small indignity. I meant not to incense thee. Let it go. Look! see yonder Turkish cheeks of spotted tawn—living, breathing pictures painted by the sun. The Pagan leopards—the unrecking and unworshipping things, that live; and seek, and give no reasons for the torrid life they feel! The crew, man, the crew! Are they not one and all with Ahab, in this matter of the whale? See Stubb! he laughs! See yonder Chilian! he snorts to think of it. Stand up amid the general hurricane, thy one tost sapling cannot, Starbuck! And what is it? Reckon it. ‘Tis but to help strike a fin; no wondrous feat for Starbuck. What is it more? From this one poor hunt, then, the best lance out of all Nantucket, surely he will not hang back, when every foremast-hand has clutched a whetstone? Ah! constrainings seize thee; I see! the billow lifts thee! Speak, but speak!—Aye, aye! thy silence, then, THAT voices thee. (ASIDE) Something shot from my dilated nostrils, he has inhaled it in his lungs. Starbuck now is mine; cannot oppose me now, without rebellion.” + +“God keep me!—keep us all!” murmured Starbuck, lowly. + +But in his joy at the enchanted, tacit acquiescence of the mate, Ahab did not hear his foreboding invocation; nor yet the low laugh from the hold; nor yet the presaging vibrations of the winds in the cordage; nor yet the hollow flap of the sails against the masts, as for a moment their hearts sank in. For again Starbuck’s downcast eyes lighted up with the stubbornness of life; the subterranean laugh died away; the winds blew on; the sails filled out; the ship heaved and rolled as before. Ah, ye admonitions and warnings! why stay ye not when ye come? But rather are ye predictions than warnings, ye shadows! Yet not so much predictions from without, as verifications of the foregoing things within. For with little external to constrain us, the innermost necessities in our being, these still drive us on. + +All visible objects, man, are but as pasteboard masks. But in each event- in the living act, the undoubted deed- there, some unknown but still reasoning thing put forth the mouldings of its features from behind the unreasoning mask. If man will strike, strike through the mask! How can the prisoner reach outside except by thrusting through the wall? To me, the white whale is that wall, shoved near to me. +“The measure! the measure!” cried Ahab. + +Receiving the brimming pewter, and turning to the harpooneers, he ordered them to produce their weapons. Then ranging them before him near the capstan, with their harpoons in their hands, while his three mates stood at his side with their lances, and the rest of the ship’s company formed a circle round the group; he stood for an instant searchingly eyeing every man of his crew. But those wild eyes met his, as the bloodshot eyes of the prairie wolves meet the eye of their leader, ere he rushes on at their head in the trail of the bison; but, alas! only to fall into the hidden snare of the Indian. + +“Drink and pass!” he cried, handing the heavy charged flagon to the nearest seaman. “The crew alone now drink. Round with it, round! Short draughts—long swallows, men; ‘tis hot as Satan’s hoof. So, so; it goes round excellently. It spiralizes in ye; forks out at the serpent-snapping eye. Well done; almost drained. That way it went, this way it comes. Hand it me—here’s a hollow! Men, ye seem the years; so brimming life is gulped and gone. Steward, refill! + +“Attend now, my braves. I have mustered ye all round this capstan; and ye mates, flank me with your lances; and ye harpooneers, stand there with your irons; and ye, stout mariners, ring me in, that I may in some sort revive a noble custom of my fisherman fathers before me. O men, you will yet see that—Ha! boy, come back? bad pennies come not sooner. Hand it me. Why, now, this pewter had run brimming again, were’t not thou St. Vitus’ imp—away, thou ague! + +“Advance, ye mates! Cross your lances full before me. Well done! Let me touch the axis.” So saying, with extended arm, he grasped the three level, radiating lances at their crossed centre; while so doing, suddenly and nervously twitched them; meanwhile, glancing intently from Starbuck to Stubb; from Stubb to Flask. It seemed as though, by some nameless, interior volition, he would fain have shocked into them the same fiery emotion accumulated within the Leyden jar of his own magnetic life. The three mates quailed before his strong, sustained, and mystic aspect. Stubb and Flask looked sideways from him; the honest eye of Starbuck fell downright. + +“In vain!” cried Ahab; “but, maybe, ‘tis well. For did ye three but once take the full-forced shock, then mine own electric thing, THAT had perhaps expired from out me. Perchance, too, it would have dropped ye dead. Perchance ye need it not. Down lances! And now, ye mates, I do appoint ye three cupbearers to my three pagan kinsmen there—yon three most honourable gentlemen and noblemen, my valiant harpooneers. Disdain the task? What, when the great Pope washes the feet of beggars, using his tiara for ewer? Oh, my sweet cardinals! your own condescension, THAT shall bend ye to it. I do not order ye; ye will it. Cut your seizings and draw the poles, ye harpooneers!” + +Silently obeying the order, the three harpooneers now stood with the detached iron part of their harpoons, some three feet long, held, barbs up, before him. + +“Stab me not with that keen steel! Cant them; cant them over! know ye not the goblet end? Turn up the socket! So, so; now, ye cup-bearers, advance. The irons! take them; hold them while I fill!” Forthwith, slowly going from one officer to the other, he brimmed the harpoon sockets with the fiery waters from the pewter. + +“Now, three to three, ye stand. Commend the murderous chalices! Bestow them, ye who are now made parties to this indissoluble league. Ha! Starbuck! but the deed is done! Yon ratifying sun now waits to sit upon it. Drink, ye harpooneers! drink and swear, ye men that man the deathful whaleboat’s bow—Death to Moby Dick! God hunt us all, if we do not hunt Moby Dick to his death!” The long, barbed steel goblets were lifted; and to cries and maledictions against the white whale, the spirits were simultaneously quaffed down with a hiss. Starbuck paled, and turned, and shivered. Once more, and finally, the replenished pewter went the rounds among the frantic crew; when, waving his free hand to them, they all dispersed; and Ahab retired within his cabin. + +CHAPTER 37. Sunset. + +THE CABIN; BY THE STERN WINDOWS; AHAB SITTING ALONE, AND GAZING OUT. + +I leave a white and turbid wake; pale waters, paler cheeks, where’er I sail. The envious billows sidelong swell to whelm my track; let them; but first I pass. + +Yonder, by ever-brimming goblet’s rim, the warm waves blush like wine. The gold brow plumbs the blue. The diver sun—slow dived from noon—goes down; my soul mounts up! she wearies with her endless hill. Is, then, the crown too heavy that I wear? this Iron Crown of Lombardy. Yet is it bright with many a gem; I the wearer, see not its far flashings; but darkly feel that I wear that, that dazzlingly confounds. ‘Tis iron—that I know—not gold. ‘Tis split, too—that I feel; the jagged edge galls me so, my brain seems to beat against the solid metal; aye, steel skull, mine; the sort that needs no helmet in the most brain-battering fight! + +Dry heat upon my brow? Oh! time was, when as the sunrise nobly spurred me, so the sunset soothed. No more. This lovely light, it lights not me; all loveliness is anguish to me, since I can ne’er enjoy. Gifted with the high perception, I lack the low, enjoying power; damned, most subtly and most malignantly! damned in the midst of Paradise! Good night—good night! (WAVING HIS HAND, HE MOVES FROM THE WINDOW.) + +‘Twas not so hard a task. I thought to find one stubborn, at the least; but my one cogged circle fits into all their various wheels, and they revolve. Or, if you will, like so many ant-hills of powder, they all stand before me; and I their match. Oh, hard! that to fire others, the match itself must needs be wasting! What I’ve dared, I’ve willed; and what I’ve willed, I’ll do! They think me mad—Starbuck does; but I’m demoniac, I am madness maddened! That wild madness that’s only calm to comprehend itself! The prophecy was that I should be dismembered; and—Aye! I lost this leg. I now prophesy that I will dismember my dismemberer. Now, then, be the prophet and the fulfiller one. That’s more than ye, ye great gods, ever were. I laugh and hoot at ye, ye cricket-players, ye pugilists, ye deaf Burkes and blinded Bendigoes! I will not say as schoolboys do to bullies—Take some one of your own size; don’t pommel ME! No, ye’ve knocked me down, and I am up again; but YE have run and hidden. Come forth from behind your cotton bags! I have no long gun to reach ye. Come, Ahab’s compliments to ye; come and see if ye can swerve me. Swerve me? ye cannot swerve me, else ye swerve yourselves! man has ye there. Swerve me? The path to my fixed purpose is laid with iron rails, whereon my soul is grooved to run. Over unsounded gorges, through the rifled hearts of mountains, under torrents’ beds, unerringly I rush! Naught’s an obstacle, naught’s an angle to the iron way! + +CHAPTER 38. Dusk. + +BY THE MAINMAST; STARBUCK LEANING AGAINST IT. + +My soul is more than matched; she’s overmanned; and by a madman! Insufferable sting, that sanity should ground arms on such a field! But he drilled deep down, and blasted all my reason out of me! I think I see his impious end; but feel that I must help him to it. Will I, nill I, the ineffable thing has tied me to him; tows me with a cable I have no knife to cut. Horrible old man! Who’s over him, he cries;—aye, he would be a democrat to all above; look, how he lords it over all below! Oh! I plainly see my miserable office,—to obey, rebelling; and worse yet, to hate with touch of pity! For in his eyes I read some lurid woe would shrivel me up, had I it. Yet is there hope. Time and tide flow wide. The hated whale has the round watery world to swim in, as the small gold-fish has its glassy globe. His heaven-insulting purpose, God may wedge aside. I would up heart, were it not like lead. But my whole clock’s run down; my heart the all-controlling weight, I have no key to lift again. + +[A BURST OF REVELRY FROM THE FORECASTLE.] + +Oh, God! to sail with such a heathen crew that have small touch of human mothers in them! Whelped somewhere by the sharkish sea. The white whale is their demigorgon. Hark! the infernal orgies! that revelry is forward! mark the unfaltering silence aft! Methinks it pictures life. Foremost through the sparkling sea shoots on the gay, embattled, bantering bow, but only to drag dark Ahab after it, where he broods within his sternward cabin, builded over the dead water of the wake, and further on, hunted by its wolfish gurglings. The long howl thrills me through! Peace! ye revellers, and set the watch! Oh, life! ‘tis in an hour like this, with soul beat down and held to knowledge,—as wild, untutored things are forced to feed—Oh, life! ‘tis now that I do feel the latent horror in thee! but ‘tis not me! that horror’s out of me! and with the soft feeling of the human in me, yet will I try to fight ye, ye grim, phantom futures! Stand by me, hold me, bind me, O ye blessed influences! + +CHAPTER 39. First Night Watch. + +Fore-Top. + +(STUBB SOLUS, AND MENDING A BRACE.) + +Ha! ha! ha! ha! hem! clear my throat!—I’ve been thinking over it ever since, and that ha, ha’s the final consequence. Why so? Because a laugh’s the wisest, easiest answer to all that’s queer; and come what will, one comfort’s always left—that unfailing comfort is, it’s all predestinated. I heard not all his talk with Starbuck; but to my poor eye Starbuck then looked something as I the other evening felt. Be sure the old Mogul has fixed him, too. I twigged it, knew it; had had the gift, might readily have prophesied it—for when I clapped my eye upon his skull I saw it. Well, Stubb, WISE Stubb—that’s my title—well, Stubb, what of it, Stubb? Here’s a carcase. I know not all that may be coming, but be it what it will, I’ll go to it laughing. Such a waggish leering as lurks in all your horribles! I feel funny. Fa, la! lirra, skirra! What’s my juicy little pear at home doing now? Crying its eyes out?—Giving a party to the last arrived harpooneers, I dare say, gay as a frigate’s pennant, and so am I—fa, la! lirra, skirra! Oh— + +We’ll drink to-night with hearts as light, To love, as gay and fleeting As bubbles that swim, on the beaker’s brim, And break on the lips while meeting. + +A brave stave that—who calls? Mr. Starbuck? Aye, aye, sir—(ASIDE) he’s my superior, he has his too, if I’m not mistaken.—Aye, aye, sir, just through with this job—coming. + +CHAPTER 40. Midnight, Forecastle. + +HARPOONEERS AND SAILORS. + +(FORESAIL RISES AND DISCOVERS THE WATCH STANDING, LOUNGING, LEANING, AND LYING IN VARIOUS ATTITUDES, ALL SINGING IN CHORUS.) + +Farewell and adieu to you, Spanish ladies! Farewell and adieu to you, ladies of Spain! Our captain’s commanded.— + +1ST NANTUCKET SAILOR. Oh, boys, don’t be sentimental; it’s bad for the digestion! Take a tonic, follow me! (SINGS, AND ALL FOLLOW) + +Our captain stood upon the deck, A spy-glass in his hand, A viewing of those gallant whales That blew at every strand. Oh, your tubs in your boats, my boys, And by your braces stand, And we’ll have one of those fine whales, Hand, boys, over hand! So, be cheery, my lads! may your hearts never fail! While the bold harpooner is striking the whale! + +MATE’S VOICE FROM THE QUARTER-DECK. Eight bells there, forward! + +2ND NANTUCKET SAILOR. Avast the chorus! Eight bells there! d’ye hear, bell-boy? Strike the bell eight, thou Pip! thou blackling! and let me call the watch. I’ve the sort of mouth for that—the hogshead mouth. So, so, (THRUSTS HIS HEAD DOWN THE SCUTTLE,) Star-bo-l-e-e-n-s, a-h-o-y! Eight bells there below! Tumble up! + +DUTCH SAILOR. Grand snoozing to-night, maty; fat night for that. I mark this in our old Mogul’s wine; it’s quite as deadening to some as filliping to others. We sing; they sleep—aye, lie down there, like ground-tier butts. At ‘em again! There, take this copper-pump, and hail ‘em through it. Tell ‘em to avast dreaming of their lasses. Tell ‘em it’s the resurrection; they must kiss their last, and come to judgment. That’s the way—THAT’S it; thy throat ain’t spoiled with eating Amsterdam butter. + +FRENCH SAILOR. Hist, boys! let’s have a jig or two before we ride to anchor in Blanket Bay. What say ye? There comes the other watch. Stand by all legs! Pip! little Pip! hurrah with your tambourine! + +PIP. (SULKY AND SLEEPY) Don’t know where it is. + +FRENCH SAILOR. Beat thy belly, then, and wag thy ears. Jig it, men, I say; merry’s the word; hurrah! Damn me, won’t you dance? Form, now, Indian-file, and gallop into the double-shuffle? Throw yourselves! Legs! legs! + +ICELAND SAILOR. I don’t like your floor, maty; it’s too springy to my taste. I’m used to ice-floors. I’m sorry to throw cold water on the subject; but excuse me. + +MALTESE SAILOR. Me too; where’s your girls? Who but a fool would take his left hand by his right, and say to himself, how d’ye do? Partners! I must have partners! + +SICILIAN SAILOR. Aye; girls and a green!—then I’ll hop with ye; yea, turn grasshopper! + +LONG-ISLAND SAILOR. Well, well, ye sulkies, there’s plenty more of us. Hoe corn when you may, say I. All legs go to harvest soon. Ah! here comes the music; now for it! + +AZORE SAILOR. (ASCENDING, AND PITCHING THE TAMBOURINE UP THE SCUTTLE.) Here you are, Pip; and there’s the windlass-bitts; up you mount! Now, boys! (THE HALF OF THEM DANCE TO THE TAMBOURINE; SOME GO BELOW; SOME SLEEP OR LIE AMONG THE COILS OF RIGGING. OATHS A-PLENTY.) + +AZORE SAILOR. (DANCING) Go it, Pip! Bang it, bell-boy! Rig it, dig it, stig it, quig it, bell-boy! Make fire-flies; break the jinglers! + +PIP. Jinglers, you say?—there goes another, dropped off; I pound it so. + +CHINA SAILOR. Rattle thy teeth, then, and pound away; make a pagoda of thyself. + +FRENCH SAILOR. Merry-mad! Hold up thy hoop, Pip, till I jump through it! Split jibs! tear yourselves! + +TASHTEGO. (QUIETLY SMOKING) That’s a white man; he calls that fun: humph! I save my sweat. + +OLD MANX SAILOR. I wonder whether those jolly lads bethink them of what they are dancing over. I’ll dance over your grave, I will—that’s the bitterest threat of your night-women, that beat head-winds round corners. O Christ! to think of the green navies and the green-skulled crews! Well, well; belike the whole world’s a ball, as you scholars have it; and so ‘tis right to make one ballroom of it. Dance on, lads, you’re young; I was once. + +3D NANTUCKET SAILOR. Spell oh!—whew! this is worse than pulling after whales in a calm—give us a whiff, Tash. + +(THEY CEASE DANCING, AND GATHER IN CLUSTERS. MEANTIME THE SKY DARKENS—THE WIND RISES.) + +LASCAR SAILOR. By Brahma! boys, it’ll be douse sail soon. The sky-born, high-tide Ganges turned to wind! Thou showest thy black brow, Seeva! + +MALTESE SAILOR. (RECLINING AND SHAKING HIS CAP.) It’s the waves—the snow’s caps turn to jig it now. They’ll shake their tassels soon. Now would all the waves were women, then I’d go drown, and chassee with them evermore! There’s naught so sweet on earth—heaven may not match it!—as those swift glances of warm, wild bosoms in the dance, when the over-arboring arms hide such ripe, bursting grapes. + +SICILIAN SAILOR. (RECLINING.) Tell me not of it! Hark ye, lad—fleet interlacings of the limbs—lithe swayings—coyings—flutterings! lip! heart! hip! all graze: unceasing touch and go! not taste, observe ye, else come satiety. Eh, Pagan? (NUDGING.) + +TAHITAN SAILOR. (RECLINING ON A MAT.) Hail, holy nakedness of our dancing girls!—the Heeva-Heeva! Ah! low veiled, high palmed Tahiti! I still rest me on thy mat, but the soft soil has slid! I saw thee woven in the wood, my mat! green the first day I brought ye thence; now worn and wilted quite. Ah me!—not thou nor I can bear the change! How then, if so be transplanted to yon sky? Hear I the roaring streams from Pirohitee’s peak of spears, when they leap down the crags and drown the villages?—The blast! the blast! Up, spine, and meet it! (LEAPS TO HIS FEET.) + +PORTUGUESE SAILOR. How the sea rolls swashing ‘gainst the side! Stand by for reefing, hearties! the winds are just crossing swords, pell-mell they’ll go lunging presently. + +DANISH SAILOR. Crack, crack, old ship! so long as thou crackest, thou holdest! Well done! The mate there holds ye to it stiffly. He’s no more afraid than the isle fort at Cattegat, put there to fight the Baltic with storm-lashed guns, on which the sea-salt cakes! + +4TH NANTUCKET SAILOR. He has his orders, mind ye that. I heard old Ahab tell him he must always kill a squall, something as they burst a waterspout with a pistol—fire your ship right into it! + +ENGLISH SAILOR. Blood! but that old man’s a grand old cove! We are the lads to hunt him up his whale! + +ALL. Aye! aye! + +OLD MANX SAILOR. How the three pines shake! Pines are the hardest sort of tree to live when shifted to any other soil, and here there’s none but the crew’s cursed clay. Steady, helmsman! steady. This is the sort of weather when brave hearts snap ashore, and keeled hulls split at sea. Our captain has his birthmark; look yonder, boys, there’s another in the sky—lurid-like, ye see, all else pitch black. + +DAGGOO. What of that? Who’s afraid of black’s afraid of me! I’m quarried out of it! + +SPANISH SAILOR. (ASIDE.) He wants to bully, ah!—the old grudge makes me touchy (ADVANCING.) Aye, harpooneer, thy race is the undeniable dark side of mankind—devilish dark at that. No offence. + +DAGGOO (GRIMLY). None. + +ST. JAGO’S SAILOR. That Spaniard’s mad or drunk. But that can’t be, or else in his one case our old Mogul’s fire-waters are somewhat long in working. + +5TH NANTUCKET SAILOR. What’s that I saw—lightning? Yes. + +SPANISH SAILOR. No; Daggoo showing his teeth. + +DAGGOO (SPRINGING). Swallow thine, mannikin! White skin, white liver! + +SPANISH SAILOR (MEETING HIM). Knife thee heartily! big frame, small spirit! + +ALL. A row! a row! a row! + +TASHTEGO (WITH A WHIFF). A row a’low, and a row aloft—Gods and men—both brawlers! Humph! + +BELFAST SAILOR. A row! arrah a row! The Virgin be blessed, a row! Plunge in with ye! + +ENGLISH SAILOR. Fair play! Snatch the Spaniard’s knife! A ring, a ring! + +OLD MANX SAILOR. Ready formed. There! the ringed horizon. In that ring Cain struck Abel. Sweet work, right work! No? Why then, God, mad’st thou the ring? + +MATE’S VOICE FROM THE QUARTER-DECK. Hands by the halyards! in top-gallant sails! Stand by to reef topsails! + +ALL. The squall! the squall! jump, my jollies! (THEY SCATTER.) + +PIP (SHRINKING UNDER THE WINDLASS). Jollies? Lord help such jollies! Crish, crash! there goes the jib-stay! Blang-whang! God! Duck lower, Pip, here comes the royal yard! It’s worse than being in the whirled woods, the last day of the year! Who’d go climbing after chestnuts now? But there they go, all cursing, and here I don’t. Fine prospects to ‘em; they’re on the road to heaven. Hold on hard! Jimmini, what a squall! But those chaps there are worse yet—they are your white squalls, they. White squalls? white whale, shirr! shirr! Here have I heard all their chat just now, and the white whale—shirr! shirr!—but spoken of once! and only this evening—it makes me jingle all over like my tambourine—that anaconda of an old man swore ‘em in to hunt him! Oh, thou big white God aloft there somewhere in yon darkness, have mercy on this small black boy down here; preserve him from all men that have no bowels to feel fear! + +CHAPTER 41. Moby Dick. + +I, Ishmael, was one of that crew; my shouts had gone up with the rest; my oath had been welded with theirs; and stronger I shouted, and more did I hammer and clinch my oath, because of the dread in my soul. A wild, mystical, sympathetical feeling was in me; Ahab’s quenchless feud seemed mine. With greedy ears I learned the history of that murderous monster against whom I and all the others had taken our oaths of violence and revenge. + +For some time past, though at intervals only, the unaccompanied, secluded White Whale had haunted those uncivilized seas mostly frequented by the Sperm Whale fishermen. But not all of them knew of his existence; only a few of them, comparatively, had knowingly seen him; while the number who as yet had actually and knowingly given battle to him, was small indeed. For, owing to the large number of whale-cruisers; the disorderly way they were sprinkled over the entire watery circumference, many of them adventurously pushing their quest along solitary latitudes, so as seldom or never for a whole twelvemonth or more on a stretch, to encounter a single news-telling sail of any sort; the inordinate length of each separate voyage; the irregularity of the times of sailing from home; all these, with other circumstances, direct and indirect, long obstructed the spread through the whole world-wide whaling-fleet of the special individualizing tidings concerning Moby Dick. It was hardly to be doubted, that several vessels reported to have encountered, at such or such a time, or on such or such a meridian, a Sperm Whale of uncommon magnitude and malignity, which whale, after doing great mischief to his assailants, had completely escaped them; to some minds it was not an unfair presumption, I say, that the whale in question must have been no other than Moby Dick. Yet as of late the Sperm Whale fishery had been marked by various and not unfrequent instances of great ferocity, cunning, and malice in the monster attacked; therefore it was, that those who by accident ignorantly gave battle to Moby Dick; such hunters, perhaps, for the most part, were content to ascribe the peculiar terror he bred, more, as it were, to the perils of the Sperm Whale fishery at large, than to the individual cause. In that way, mostly, the disastrous encounter between Ahab and the whale had hitherto been popularly regarded. + +And as for those who, previously hearing of the White Whale, by chance caught sight of him; in the beginning of the thing they had every one of them, almost, as boldly and fearlessly lowered for him, as for any other whale of that species. But at length, such calamities did ensue in these assaults—not restricted to sprained wrists and ankles, broken limbs, or devouring amputations—but fatal to the last degree of fatality; those repeated disastrous repulses, all accumulating and piling their terrors upon Moby Dick; those things had gone far to shake the fortitude of many brave hunters, to whom the story of the White Whale had eventually come. + +He piled upon the whale’s white hump the sum of all the general rage and hate felt by his whole race from Adam down; and then, as if his chest had been a mortar, he burst his hot heart’s shell upon it. +Nor did wild rumors of all sorts fail to exaggerate, and still the more horrify the true histories of these deadly encounters. For not only do fabulous rumors naturally grow out of the very body of all surprising terrible events,—as the smitten tree gives birth to its fungi; but, in maritime life, far more than in that of terra firma, wild rumors abound, wherever there is any adequate reality for them to cling to. And as the sea surpasses the land in this matter, so the whale fishery surpasses every other sort of maritime life, in the wonderfulness and fearfulness of the rumors which sometimes circulate there. For not only are whalemen as a body unexempt from that ignorance and superstitiousness hereditary to all sailors; but of all sailors, they are by all odds the most directly brought into contact with whatever is appallingly astonishing in the sea; face to face they not only eye its greatest marvels, but, hand to jaw, give battle to them. Alone, in such remotest waters, that though you sailed a thousand miles, and passed a thousand shores, you would not come to any chiseled hearth-stone, or aught hospitable beneath that part of the sun; in such latitudes and longitudes, pursuing too such a calling as he does, the whaleman is wrapped by influences all tending to make his fancy pregnant with many a mighty birth. + +No wonder, then, that ever gathering volume from the mere transit over the widest watery spaces, the outblown rumors of the White Whale did in the end incorporate with themselves all manner of morbid hints, and half-formed foetal suggestions of supernatural agencies, which eventually invested Moby Dick with new terrors unborrowed from anything that visibly appears. So that in many cases such a panic did he finally strike, that few who by those rumors, at least, had heard of the White Whale, few of those hunters were willing to encounter the perils of his jaw. + +But there were still other and more vital practical influences at work. Not even at the present day has the original prestige of the Sperm Whale, as fearfully distinguished from all other species of the leviathan, died out of the minds of the whalemen as a body. There are those this day among them, who, though intelligent and courageous enough in offering battle to the Greenland or Right whale, would perhaps—either from professional inexperience, or incompetency, or timidity, decline a contest with the Sperm Whale; at any rate, there are plenty of whalemen, especially among those whaling nations not sailing under the American flag, who have never hostilely encountered the Sperm Whale, but whose sole knowledge of the leviathan is restricted to the ignoble monster primitively pursued in the North; seated on their hatches, these men will hearken with a childish fireside interest and awe, to the wild, strange tales of Southern whaling. Nor is the pre-eminent tremendousness of the great Sperm Whale anywhere more feelingly comprehended, than on board of those prows which stem him. + +And as if the now tested reality of his might had in former legendary times thrown its shadow before it; we find some book naturalists—Olassen and Povelson—declaring the Sperm Whale not only to be a consternation to every other creature in the sea, but also to be so incredibly ferocious as continually to be athirst for human blood. Nor even down to so late a time as Cuvier’s, were these or almost similar impressions effaced. For in his Natural History, the Baron himself affirms that at sight of the Sperm Whale, all fish (sharks included) are “struck with the most lively terrors,” and “often in the precipitancy of their flight dash themselves against the rocks with such violence as to cause instantaneous death.” And however the general experiences in the fishery may amend such reports as these; yet in their full terribleness, even to the bloodthirsty item of Povelson, the superstitious belief in them is, in some vicissitudes of their vocation, revived in the minds of the hunters. + +So that overawed by the rumors and portents concerning him, not a few of the fishermen recalled, in reference to Moby Dick, the earlier days of the Sperm Whale fishery, when it was oftentimes hard to induce long practised Right whalemen to embark in the perils of this new and daring warfare; such men protesting that although other leviathans might be hopefully pursued, yet to chase and point lance at such an apparition as the Sperm Whale was not for mortal man. That to attempt it, would be inevitably to be torn into a quick eternity. On this head, there are some remarkable documents that may be consulted. + +Nevertheless, some there were, who even in the face of these things were ready to give chase to Moby Dick; and a still greater number who, chancing only to hear of him distantly and vaguely, without the specific details of any certain calamity, and without superstitious accompaniments, were sufficiently hardy not to flee from the battle if offered. + +One of the wild suggestions referred to, as at last coming to be linked with the White Whale in the minds of the superstitiously inclined, was the unearthly conceit that Moby Dick was ubiquitous; that he had actually been encountered in opposite latitudes at one and the same instant of time. + +Nor, credulous as such minds must have been, was this conceit altogether without some faint show of superstitious probability. For as the secrets of the currents in the seas have never yet been divulged, even to the most erudite research; so the hidden ways of the Sperm Whale when beneath the surface remain, in great part, unaccountable to his pursuers; and from time to time have originated the most curious and contradictory speculations regarding them, especially concerning the mystic modes whereby, after sounding to a great depth, he transports himself with such vast swiftness to the most widely distant points. + +It is a thing well known to both American and English whale-ships, and as well a thing placed upon authoritative record years ago by Scoresby, that some whales have been captured far north in the Pacific, in whose bodies have been found the barbs of harpoons darted in the Greenland seas. Nor is it to be gainsaid, that in some of these instances it has been declared that the interval of time between the two assaults could not have exceeded very many days. Hence, by inference, it has been believed by some whalemen, that the Nor’ West Passage, so long a problem to man, was never a problem to the whale. So that here, in the real living experience of living men, the prodigies related in old times of the inland Strello mountain in Portugal (near whose top there was said to be a lake in which the wrecks of ships floated up to the surface); and that still more wonderful story of the Arethusa fountain near Syracuse (whose waters were believed to have come from the Holy Land by an underground passage); these fabulous narrations are almost fully equalled by the realities of the whalemen. + +Forced into familiarity, then, with such prodigies as these; and knowing that after repeated, intrepid assaults, the White Whale had escaped alive; it cannot be much matter of surprise that some whalemen should go still further in their superstitions; declaring Moby Dick not only ubiquitous, but immortal (for immortality is but ubiquity in time); that though groves of spears should be planted in his flanks, he would still swim away unharmed; or if indeed he should ever be made to spout thick blood, such a sight would be but a ghastly deception; for again in unensanguined billows hundreds of leagues away, his unsullied jet would once more be seen. + +But even stripped of these supernatural surmisings, there was enough in the earthly make and incontestable character of the monster to strike the imagination with unwonted power. For, it was not so much his uncommon bulk that so much distinguished him from other sperm whales, but, as was elsewhere thrown out—a peculiar snow-white wrinkled forehead, and a high, pyramidical white hump. These were his prominent features; the tokens whereby, even in the limitless, uncharted seas, he revealed his identity, at a long distance, to those who knew him. + +The rest of his body was so streaked, and spotted, and marbled with the same shrouded hue, that, in the end, he had gained his distinctive appellation of the White Whale; a name, indeed, literally justified by his vivid aspect, when seen gliding at high noon through a dark blue sea, leaving a milky-way wake of creamy foam, all spangled with golden gleamings. + +Nor was it his unwonted magnitude, nor his remarkable hue, nor yet his deformed lower jaw, that so much invested the whale with natural terror, as that unexampled, intelligent malignity which, according to specific accounts, he had over and over again evinced in his assaults. More than all, his treacherous retreats struck more of dismay than perhaps aught else. For, when swimming before his exulting pursuers, with every apparent symptom of alarm, he had several times been known to turn round suddenly, and, bearing down upon them, either stave their boats to splinters, or drive them back in consternation to their ship. + +Already several fatalities had attended his chase. But though similar disasters, however little bruited ashore, were by no means unusual in the fishery; yet, in most instances, such seemed the White Whale’s infernal aforethought of ferocity, that every dismembering or death that he caused, was not wholly regarded as having been inflicted by an unintelligent agent. + +Judge, then, to what pitches of inflamed, distracted fury the minds of his more desperate hunters were impelled, when amid the chips of chewed boats, and the sinking limbs of torn comrades, they swam out of the white curds of the whale’s direful wrath into the serene, exasperating sunlight, that smiled on, as if at a birth or a bridal. + +His three boats stove around him, and oars and men both whirling in the eddies; one captain, seizing the line-knife from his broken prow, had dashed at the whale, as an Arkansas duellist at his foe, blindly seeking with a six inch blade to reach the fathom-deep life of the whale. That captain was Ahab. And then it was, that suddenly sweeping his sickle-shaped lower jaw beneath him, Moby Dick had reaped away Ahab’s leg, as a mower a blade of grass in the field. No turbaned Turk, no hired Venetian or Malay, could have smote him with more seeming malice. Small reason was there to doubt, then, that ever since that almost fatal encounter, Ahab had cherished a wild vindictiveness against the whale, all the more fell for that in his frantic morbidness he at last came to identify with him, not only all his bodily woes, but all his intellectual and spiritual exasperations. The White Whale swam before him as the monomaniac incarnation of all those malicious agencies which some deep men feel eating in them, till they are left living on with half a heart and half a lung. That intangible malignity which has been from the beginning; to whose dominion even the modern Christians ascribe one-half of the worlds; which the ancient Ophites of the east reverenced in their statue devil;—Ahab did not fall down and worship it like them; but deliriously transferring its idea to the abhorred white whale, he pitted himself, all mutilated, against it. All that most maddens and torments; all that stirs up the lees of things; all truth with malice in it; all that cracks the sinews and cakes the brain; all the subtle demonisms of life and thought; all evil, to crazy Ahab, were visibly personified, and made practically assailable in Moby Dick. He piled upon the whale’s white hump the sum of all the general rage and hate felt by his whole race from Adam down; and then, as if his chest had been a mortar, he burst his hot heart’s shell upon it. + +It is not probable that this monomania in him took its instant rise at the precise time of his bodily dismemberment. Then, in darting at the monster, knife in hand, he had but given loose to a sudden, passionate, corporal animosity; and when he received the stroke that tore him, he probably but felt the agonizing bodily laceration, but nothing more. Yet, when by this collision forced to turn towards home, and for long months of days and weeks, Ahab and anguish lay stretched together in one hammock, rounding in mid winter that dreary, howling Patagonian Cape; then it was, that his torn body and gashed soul bled into one another; and so interfusing, made him mad. That it was only then, on the homeward voyage, after the encounter, that the final monomania seized him, seems all but certain from the fact that, at intervals during the passage, he was a raving lunatic; and, though unlimbed of a leg, yet such vital strength yet lurked in his Egyptian chest, and was moreover intensified by his delirium, that his mates were forced to lace him fast, even there, as he sailed, raving in his hammock. In a strait-jacket, he swung to the mad rockings of the gales. And, when running into more sufferable latitudes, the ship, with mild stun’sails spread, floated across the tranquil tropics, and, to all appearances, the old man’s delirium seemed left behind him with the Cape Horn swells, and he came forth from his dark den into the blessed light and air; even then, when he bore that firm, collected front, however pale, and issued his calm orders once again; and his mates thanked God the direful madness was now gone; even then, Ahab, in his hidden self, raved on. Human madness is oftentimes a cunning and most feline thing. When you think it fled, it may have but become transfigured into some still subtler form. Ahab’s full lunacy subsided not, but deepeningly contracted; like the unabated Hudson, when that noble Northman flows narrowly, but unfathomably through the Highland gorge. But, as in his narrow-flowing monomania, not one jot of Ahab’s broad madness had been left behind; so in that broad madness, not one jot of his great natural intellect had perished. That before living agent, now became the living instrument. If such a furious trope may stand, his special lunacy stormed his general sanity, and carried it, and turned all its concentred cannon upon its own mad mark; so that far from having lost his strength, Ahab, to that one end, did now possess a thousand fold more potency than ever he had sanely brought to bear upon any one reasonable object. + +This is much; yet Ahab’s larger, darker, deeper part remains unhinted. But vain to popularize profundities, and all truth is profound. Winding far down from within the very heart of this spiked Hotel de Cluny where we here stand—however grand and wonderful, now quit it;—and take your way, ye nobler, sadder souls, to those vast Roman halls of Thermes; where far beneath the fantastic towers of man’s upper earth, his root of grandeur, his whole awful essence sits in bearded state; an antique buried beneath antiquities, and throned on torsoes! So with a broken throne, the great gods mock that captive king; so like a Caryatid, he patient sits, upholding on his frozen brow the piled entablatures of ages. Wind ye down there, ye prouder, sadder souls! question that proud, sad king! A family likeness! aye, he did beget ye, ye young exiled royalties; and from your grim sire only will the old State-secret come. + +Now, in his heart, Ahab had some glimpse of this, namely: all my means are sane, my motive and my object mad. Yet without power to kill, or change, or shun the fact; he likewise knew that to mankind he did long dissemble; in some sort, did still. But that thing of his dissembling was only subject to his perceptibility, not to his will determinate. Nevertheless, so well did he succeed in that dissembling, that when with ivory leg he stepped ashore at last, no Nantucketer thought him otherwise than but naturally grieved, and that to the quick, with the terrible casualty which had overtaken him. + +The report of his undeniable delirium at sea was likewise popularly ascribed to a kindred cause. And so too, all the added moodiness which always afterwards, to the very day of sailing in the Pequod on the present voyage, sat brooding on his brow. Nor is it so very unlikely, that far from distrusting his fitness for another whaling voyage, on account of such dark symptoms, the calculating people of that prudent isle were inclined to harbor the conceit, that for those very reasons he was all the better qualified and set on edge, for a pursuit so full of rage and wildness as the bloody hunt of whales. Gnawed within and scorched without, with the infixed, unrelenting fangs of some incurable idea; such an one, could he be found, would seem the very man to dart his iron and lift his lance against the most appalling of all brutes. Or, if for any reason thought to be corporeally incapacitated for that, yet such an one would seem superlatively competent to cheer and howl on his underlings to the attack. But be all this as it may, certain it is, that with the mad secret of his unabated rage bolted up and keyed in him, Ahab had purposely sailed upon the present voyage with the one only and all-engrossing object of hunting the White Whale. Had any one of his old acquaintances on shore but half dreamed of what was lurking in him then, how soon would their aghast and righteous souls have wrenched the ship from such a fiendish man! They were bent on profitable cruises, the profit to be counted down in dollars from the mint. He was intent on an audacious, immitigable, and supernatural revenge. + +Here, then, was this grey-headed, ungodly old man, chasing with curses a Job’s whale round the world, at the head of a crew, too, chiefly made up of mongrel renegades, and castaways, and cannibals—morally enfeebled also, by the incompetence of mere unaided virtue or right-mindedness in Starbuck, the invunerable jollity of indifference and recklessness in Stubb, and the pervading mediocrity in Flask. Such a crew, so officered, seemed specially picked and packed by some infernal fatality to help him to his monomaniac revenge. How it was that they so aboundingly responded to the old man’s ire—by what evil magic their souls were possessed, that at times his hate seemed almost theirs; the White Whale as much their insufferable foe as his; how all this came to be—what the White Whale was to them, or how to their unconscious understandings, also, in some dim, unsuspected way, he might have seemed the gliding great demon of the seas of life,—all this to explain, would be to dive deeper than Ishmael can go. The subterranean miner that works in us all, how can one tell whither leads his shaft by the ever shifting, muffled sound of his pick? Who does not feel the irresistible arm drag? What skiff in tow of a seventy-four can stand still? For one, I gave myself up to the abandonment of the time and the place; but while yet all a-rush to encounter the whale, could see naught in that brute but the deadliest ill. + +CHAPTER 42. The Whiteness of The Whale. + +What the white whale was to Ahab, has been hinted; what, at times, he was to me, as yet remains unsaid. + +Aside from those more obvious considerations touching Moby Dick, which could not but occasionally awaken in any man’s soul some alarm, there was another thought, or rather vague, nameless horror concerning him, which at times by its intensity completely overpowered all the rest; and yet so mystical and well nigh ineffable was it, that I almost despair of putting it in a comprehensible form. It was the whiteness of the whale that above all things appalled me. But how can I hope to explain myself here; and yet, in some dim, random way, explain myself I must, else all these chapters might be naught. + +Though in many natural objects, whiteness refiningly enhances beauty, as if imparting some special virtue of its own, as in marbles, japonicas, and pearls; and though various nations have in some way recognised a certain royal preeminence in this hue; even the barbaric, grand old kings of Pegu placing the title “Lord of the White Elephants” above all their other magniloquent ascriptions of dominion; and the modern kings of Siam unfurling the same snow-white quadruped in the royal standard; and the Hanoverian flag bearing the one figure of a snow-white charger; and the great Austrian Empire, Caesarian, heir to overlording Rome, having for the imperial colour the same imperial hue; and though this pre-eminence in it applies to the human race itself, giving the white man ideal mastership over every dusky tribe; and though, besides, all this, whiteness has been even made significant of gladness, for among the Romans a white stone marked a joyful day; and though in other mortal sympathies and symbolizings, this same hue is made the emblem of many touching, noble things—the innocence of brides, the benignity of age; though among the Red Men of America the giving of the white belt of wampum was the deepest pledge of honour; though in many climes, whiteness typifies the majesty of Justice in the ermine of the Judge, and contributes to the daily state of kings and queens drawn by milk-white steeds; though even in the higher mysteries of the most august religions it has been made the symbol of the divine spotlessness and power; by the Persian fire worshippers, the white forked flame being held the holiest on the altar; and in the Greek mythologies, Great Jove himself being made incarnate in a snow-white bull; and though to the noble Iroquois, the midwinter sacrifice of the sacred White Dog was by far the holiest festival of their theology, that spotless, faithful creature being held the purest envoy they could send to the Great Spirit with the annual tidings of their own fidelity; and though directly from the Latin word for white, all Christian priests derive the name of one part of their sacred vesture, the alb or tunic, worn beneath the cassock; and though among the holy pomps of the Romish faith, white is specially employed in the celebration of the Passion of our Lord; though in the Vision of St. John, white robes are given to the redeemed, and the four-and-twenty elders stand clothed in white before the great-white throne, and the Holy One that sitteth there white like wool; yet for all these accumulated associations, with whatever is sweet, and honourable, and sublime, there yet lurks an elusive something in the innermost idea of this hue, which strikes more of panic to the soul than that redness which affrights in blood. + +And of all these things the Albino whale was the symbol. Wonder ye then at the fiery hunt? +This elusive quality it is, which causes the thought of whiteness, when divorced from more kindly associations, and coupled with any object terrible in itself, to heighten that terror to the furthest bounds. Witness the white bear of the poles, and the white shark of the tropics; what but their smooth, flaky whiteness makes them the transcendent horrors they are? That ghastly whiteness it is which imparts such an abhorrent mildness, even more loathsome than terrific, to the dumb gloating of their aspect. So that not the fierce-fanged tiger in his heraldic coat can so stagger courage as the white-shrouded bear or shark.* + +*With reference to the Polar bear, it may possibly be urged by him who would fain go still deeper into this matter, that it is not the whiteness, separately regarded, which heightens the intolerable hideousness of that brute; for, analysed, that heightened hideousness, it might be said, only rises from the circumstance, that the irresponsible ferociousness of the creature stands invested in the fleece of celestial innocence and love; and hence, by bringing together two such opposite emotions in our minds, the Polar bear frightens us with so unnatural a contrast. But even assuming all this to be true; yet, were it not for the whiteness, you would not have that intensified terror. + +As for the white shark, the white gliding ghostliness of repose in that creature, when beheld in his ordinary moods, strangely tallies with the same quality in the Polar quadruped. This peculiarity is most vividly hit by the French in the name they bestow upon that fish. The Romish mass for the dead begins with “Requiem eternam” (eternal rest), whence REQUIEM denominating the mass itself, and any other funeral music. Now, in allusion to the white, silent stillness of death in this shark, and the mild deadliness of his habits, the French call him REQUIN. + +Bethink thee of the albatross, whence come those clouds of spiritual wonderment and pale dread, in which that white phantom sails in all imaginations? Not Coleridge first threw that spell; but God’s great, unflattering laureate, Nature.* + +*I remember the first albatross I ever saw. It was during a prolonged gale, in waters hard upon the Antarctic seas. From my forenoon watch below, I ascended to the overclouded deck; and there, dashed upon the main hatches, I saw a regal, feathery thing of unspotted whiteness, and with a hooked, Roman bill sublime. At intervals, it arched forth its vast archangel wings, as if to embrace some holy ark. Wondrous flutterings and throbbings shook it. Though bodily unharmed, it uttered cries, as some king’s ghost in supernatural distress. Through its inexpressible, strange eyes, methought I peeped to secrets which took hold of God. As Abraham before the angels, I bowed myself; the white thing was so white, its wings so wide, and in those for ever exiled waters, I had lost the miserable warping memories of traditions and of towns. Long I gazed at that prodigy of plumage. I cannot tell, can only hint, the things that darted through me then. But at last I awoke; and turning, asked a sailor what bird was this. A goney, he replied. Goney! never had heard that name before; is it conceivable that this glorious thing is utterly unknown to men ashore! never! But some time after, I learned that goney was some seaman’s name for albatross. So that by no possibility could Coleridge’s wild Rhyme have had aught to do with those mystical impressions which were mine, when I saw that bird upon our deck. For neither had I then read the Rhyme, nor knew the bird to be an albatross. Yet, in saying this, I do but indirectly burnish a little brighter the noble merit of the poem and the poet. + +I assert, then, that in the wondrous bodily whiteness of the bird chiefly lurks the secret of the spell; a truth the more evinced in this, that by a solecism of terms there are birds called grey albatrosses; and these I have frequently seen, but never with such emotions as when I beheld the Antarctic fowl. + +But how had the mystic thing been caught? Whisper it not, and I will tell; with a treacherous hook and line, as the fowl floated on the sea. At last the Captain made a postman of it; tying a lettered, leathern tally round its neck, with the ship’s time and place; and then letting it escape. But I doubt not, that leathern tally, meant for man, was taken off in Heaven, when the white fowl flew to join the wing-folding, the invoking, and adoring cherubim! + +Most famous in our Western annals and Indian traditions is that of the White Steed of the Prairies; a magnificent milk-white charger, large-eyed, small-headed, bluff-chested, and with the dignity of a thousand monarchs in his lofty, overscorning carriage. He was the elected Xerxes of vast herds of wild horses, whose pastures in those days were only fenced by the Rocky Mountains and the Alleghanies. At their flaming head he westward trooped it like that chosen star which every evening leads on the hosts of light. The flashing cascade of his mane, the curving comet of his tail, invested him with housings more resplendent than gold and silver-beaters could have furnished him. A most imperial and archangelical apparition of that unfallen, western world, which to the eyes of the old trappers and hunters revived the glories of those primeval times when Adam walked majestic as a god, bluff-browed and fearless as this mighty steed. Whether marching amid his aides and marshals in the van of countless cohorts that endlessly streamed it over the plains, like an Ohio; or whether with his circumambient subjects browsing all around at the horizon, the White Steed gallopingly reviewed them with warm nostrils reddening through his cool milkiness; in whatever aspect he presented himself, always to the bravest Indians he was the object of trembling reverence and awe. Nor can it be questioned from what stands on legendary record of this noble horse, that it was his spiritual whiteness chiefly, which so clothed him with divineness; and that this divineness had that in it which, though commanding worship, at the same time enforced a certain nameless terror. + +But there are other instances where this whiteness loses all that accessory and strange glory which invests it in the White Steed and Albatross. + +What is it that in the Albino man so peculiarly repels and often shocks the eye, as that sometimes he is loathed by his own kith and kin! It is that whiteness which invests him, a thing expressed by the name he bears. The Albino is as well made as other men—has no substantive deformity—and yet this mere aspect of all-pervading whiteness makes him more strangely hideous than the ugliest abortion. Why should this be so? + +Nor, in quite other aspects, does Nature in her least palpable but not the less malicious agencies, fail to enlist among her forces this crowning attribute of the terrible. From its snowy aspect, the gauntleted ghost of the Southern Seas has been denominated the White Squall. Nor, in some historic instances, has the art of human malice omitted so potent an auxiliary. How wildly it heightens the effect of that passage in Froissart, when, masked in the snowy symbol of their faction, the desperate White Hoods of Ghent murder their bailiff in the market-place! + +Nor, in some things, does the common, hereditary experience of all mankind fail to bear witness to the supernaturalism of this hue. It cannot well be doubted, that the one visible quality in the aspect of the dead which most appals the gazer, is the marble pallor lingering there; as if indeed that pallor were as much like the badge of consternation in the other world, as of mortal trepidation here. And from that pallor of the dead, we borrow the expressive hue of the shroud in which we wrap them. Nor even in our superstitions do we fail to throw the same snowy mantle round our phantoms; all ghosts rising in a milk-white fog—Yea, while these terrors seize us, let us add, that even the king of terrors, when personified by the evangelist, rides on his pallid horse. + +Therefore, in his other moods, symbolize whatever grand or gracious thing he will by whiteness, no man can deny that in its profoundest idealized significance it calls up a peculiar apparition to the soul. + +But though without dissent this point be fixed, how is mortal man to account for it? To analyse it, would seem impossible. Can we, then, by the citation of some of those instances wherein this thing of whiteness—though for the time either wholly or in great part stripped of all direct associations calculated to impart to it aught fearful, but nevertheless, is found to exert over us the same sorcery, however modified;—can we thus hope to light upon some chance clue to conduct us to the hidden cause we seek? + +Let us try. But in a matter like this, subtlety appeals to subtlety, and without imagination no man can follow another into these halls. And though, doubtless, some at least of the imaginative impressions about to be presented may have been shared by most men, yet few perhaps were entirely conscious of them at the time, and therefore may not be able to recall them now. + +Why to the man of untutored ideality, who happens to be but loosely acquainted with the peculiar character of the day, does the bare mention of Whitsuntide marshal in the fancy such long, dreary, speechless processions of slow-pacing pilgrims, down-cast and hooded with new-fallen snow? Or, to the unread, unsophisticated Protestant of the Middle American States, why does the passing mention of a White Friar or a White Nun, evoke such an eyeless statue in the soul? + +Or what is there apart from the traditions of dungeoned warriors and kings (which will not wholly account for it) that makes the White Tower of London tell so much more strongly on the imagination of an untravelled American, than those other storied structures, its neighbors—the Byward Tower, or even the Bloody? And those sublimer towers, the White Mountains of New Hampshire, whence, in peculiar moods, comes that gigantic ghostliness over the soul at the bare mention of that name, while the thought of Virginia’s Blue Ridge is full of a soft, dewy, distant dreaminess? Or why, irrespective of all latitudes and longitudes, does the name of the White Sea exert such a spectralness over the fancy, while that of the Yellow Sea lulls us with mortal thoughts of long lacquered mild afternoons on the waves, followed by the gaudiest and yet sleepiest of sunsets? Or, to choose a wholly unsubstantial instance, purely addressed to the fancy, why, in reading the old fairy tales of Central Europe, does “the tall pale man” of the Hartz forests, whose changeless pallor unrustlingly glides through the green of the groves—why is this phantom more terrible than all the whooping imps of the Blocksburg? + +Nor is it, altogether, the remembrance of her cathedral-toppling earthquakes; nor the stampedoes of her frantic seas; nor the tearlessness of arid skies that never rain; nor the sight of her wide field of leaning spires, wrenched cope-stones, and crosses all adroop (like canted yards of anchored fleets); and her suburban avenues of house-walls lying over upon each other, as a tossed pack of cards;—it is not these things alone which make tearless Lima, the strangest, saddest city thou can’st see. For Lima has taken the white veil; and there is a higher horror in this whiteness of her woe. Old as Pizarro, this whiteness keeps her ruins for ever new; admits not the cheerful greenness of complete decay; spreads over her broken ramparts the rigid pallor of an apoplexy that fixes its own distortions. + +I know that, to the common apprehension, this phenomenon of whiteness is not confessed to be the prime agent in exaggerating the terror of objects otherwise terrible; nor to the unimaginative mind is there aught of terror in those appearances whose awfulness to another mind almost solely consists in this one phenomenon, especially when exhibited under any form at all approaching to muteness or universality. What I mean by these two statements may perhaps be respectively elucidated by the following examples. + +First: The mariner, when drawing nigh the coasts of foreign lands, if by night he hear the roar of breakers, starts to vigilance, and feels just enough of trepidation to sharpen all his faculties; but under precisely similar circumstances, let him be called from his hammock to view his ship sailing through a midnight sea of milky whiteness—as if from encircling headlands shoals of combed white bears were swimming round him, then he feels a silent, superstitious dread; the shrouded phantom of the whitened waters is horrible to him as a real ghost; in vain the lead assures him he is still off soundings; heart and helm they both go down; he never rests till blue water is under him again. Yet where is the mariner who will tell thee, “Sir, it was not so much the fear of striking hidden rocks, as the fear of that hideous whiteness that so stirred me?” + +Second: To the native Indian of Peru, the continual sight of the snowhowdahed Andes conveys naught of dread, except, perhaps, in the mere fancying of the eternal frosted desolateness reigning at such vast altitudes, and the natural conceit of what a fearfulness it would be to lose oneself in such inhuman solitudes. Much the same is it with the backwoodsman of the West, who with comparative indifference views an unbounded prairie sheeted with driven snow, no shadow of tree or twig to break the fixed trance of whiteness. Not so the sailor, beholding the scenery of the Antarctic seas; where at times, by some infernal trick of legerdemain in the powers of frost and air, he, shivering and half shipwrecked, instead of rainbows speaking hope and solace to his misery, views what seems a boundless churchyard grinning upon him with its lean ice monuments and splintered crosses. + +But thou sayest, methinks that white-lead chapter about whiteness is but a white flag hung out from a craven soul; thou surrenderest to a hypo, Ishmael. + +Tell me, why this strong young colt, foaled in some peaceful valley of Vermont, far removed from all beasts of prey—why is it that upon the sunniest day, if you but shake a fresh buffalo robe behind him, so that he cannot even see it, but only smells its wild animal muskiness—why will he start, snort, and with bursting eyes paw the ground in phrensies of affright? There is no remembrance in him of any gorings of wild creatures in his green northern home, so that the strange muskiness he smells cannot recall to him anything associated with the experience of former perils; for what knows he, this New England colt, of the black bisons of distant Oregon? + +No; but here thou beholdest even in a dumb brute, the instinct of the knowledge of the demonism in the world. Though thousands of miles from Oregon, still when he smells that savage musk, the rending, goring bison herds are as present as to the deserted wild foal of the prairies, which this instant they may be trampling into dust. + +Thus, then, the muffled rollings of a milky sea; the bleak rustlings of the festooned frosts of mountains; the desolate shiftings of the windrowed snows of prairies; all these, to Ishmael, are as the shaking of that buffalo robe to the frightened colt! + +Though neither knows where lie the nameless things of which the mystic sign gives forth such hints; yet with me, as with the colt, somewhere those things must exist. Though in many of its aspects this visible world seems formed in love, the invisible spheres were formed in fright. + +But not yet have we solved the incantation of this whiteness, and learned why it appeals with such power to the soul; and more strange and far more portentous—why, as we have seen, it is at once the most meaning symbol of spiritual things, nay, the very veil of the Christian’s Deity; and yet should be as it is, the intensifying agent in things the most appalling to mankind. + +Is it that by its indefiniteness it shadows forth the heartless voids and immensities of the universe, and thus stabs us from behind with the thought of annihilation, when beholding the white depths of the milky way? Or is it, that as in essence whiteness is not so much a colour as the visible absence of colour; and at the same time the concrete of all colours; is it for these reasons that there is such a dumb blankness, full of meaning, in a wide landscape of snows—a colourless, all-colour of atheism from which we shrink? And when we consider that other theory of the natural philosophers, that all other earthly hues—every stately or lovely emblazoning—the sweet tinges of sunset skies and woods; yea, and the gilded velvets of butterflies, and the butterfly cheeks of young girls; all these are but subtile deceits, not actually inherent in substances, but only laid on from without; so that all deified Nature absolutely paints like the harlot, whose allurements cover nothing but the charnel-house within; and when we proceed further, and consider that the mystical cosmetic which produces every one of her hues, the great principle of light, for ever remains white or colourless in itself, and if operating without medium upon matter, would touch all objects, even tulips and roses, with its own blank tinge—pondering all this, the palsied universe lies before us a leper; and like wilful travellers in Lapland, who refuse to wear coloured and colouring glasses upon their eyes, so the wretched infidel gazes himself blind at the monumental white shroud that wraps all the prospect around him. And of all these things the Albino whale was the symbol. Wonder ye then at the fiery hunt? + +CHAPTER 43. Hark! + +“HIST! Did you hear that noise, Cabaco?” + +It was the middle-watch; a fair moonlight; the seamen were standing in a cordon, extending from one of the fresh-water butts in the waist, to the scuttle-butt near the taffrail. In this manner, they passed the buckets to fill the scuttle-butt. Standing, for the most part, on the hallowed precincts of the quarter-deck, they were careful not to speak or rustle their feet. From hand to hand, the buckets went in the deepest silence, only broken by the occasional flap of a sail, and the steady hum of the unceasingly advancing keel. + +It was in the midst of this repose, that Archy, one of the cordon, whose post was near the after-hatches, whispered to his neighbor, a Cholo, the words above. + +“Hist! did you hear that noise, Cabaco?” + +“Take the bucket, will ye, Archy? what noise d’ye mean?” + +“There it is again—under the hatches—don’t you hear it—a cough—it sounded like a cough.” + +“Cough be damned! Pass along that return bucket.” + +“There again—there it is!—it sounds like two or three sleepers turning over, now!” + +“Caramba! have done, shipmate, will ye? It’s the three soaked biscuits ye eat for supper turning over inside of ye—nothing else. Look to the bucket!” + +“Say what ye will, shipmate; I’ve sharp ears.” + +“Aye, you are the chap, ain’t ye, that heard the hum of the old Quakeress’s knitting-needles fifty miles at sea from Nantucket; you’re the chap.” + +“Grin away; we’ll see what turns up. Hark ye, Cabaco, there is somebody down in the after-hold that has not yet been seen on deck; and I suspect our old Mogul knows something of it too. I heard Stubb tell Flask, one morning watch, that there was something of that sort in the wind.” + +“Tish! the bucket!” + +CHAPTER 44. The Chart. + +Had you followed Captain Ahab down into his cabin after the squall that took place on the night succeeding that wild ratification of his purpose with his crew, you would have seen him go to a locker in the transom, and bringing out a large wrinkled roll of yellowish sea charts, spread them before him on his screwed-down table. Then seating himself before it, you would have seen him intently study the various lines and shadings which there met his eye; and with slow but steady pencil trace additional courses over spaces that before were blank. At intervals, he would refer to piles of old log-books beside him, wherein were set down the seasons and places in which, on various former voyages of various ships, sperm whales had been captured or seen. + +While thus employed, the heavy pewter lamp suspended in chains over his head, continually rocked with the motion of the ship, and for ever threw shifting gleams and shadows of lines upon his wrinkled brow, till it almost seemed that while he himself was marking out lines and courses on the wrinkled charts, some invisible pencil was also tracing lines and courses upon the deeply marked chart of his forehead. + +But it was not this night in particular that, in the solitude of his cabin, Ahab thus pondered over his charts. Almost every night they were brought out; almost every night some pencil marks were effaced, and others were substituted. For with the charts of all four oceans before him, Ahab was threading a maze of currents and eddies, with a view to the more certain accomplishment of that monomaniac thought of his soul. + +Now, to any one not fully acquainted with the ways of the leviathans, it might seem an absurdly hopeless task thus to seek out one solitary creature in the unhooped oceans of this planet. But not so did it seem to Ahab, who knew the sets of all tides and currents; and thereby calculating the driftings of the sperm whale’s food; and, also, calling to mind the regular, ascertained seasons for hunting him in particular latitudes; could arrive at reasonable surmises, almost approaching to certainties, concerning the timeliest day to be upon this or that ground in search of his prey. + +So assured, indeed, is the fact concerning the periodicalness of the sperm whale’s resorting to given waters, that many hunters believe that, could he be closely observed and studied throughout the world; were the logs for one voyage of the entire whale fleet carefully collated, then the migrations of the sperm whale would be found to correspond in invariability to those of the herring-shoals or the flights of swallows. On this hint, attempts have been made to construct elaborate migratory charts of the sperm whale.* + +*Since the above was written, the statement is happily borne out by an official circular, issued by Lieutenant Maury, of the National Observatory, Washington, April 16th, 1851. By that circular, it appears that precisely such a chart is in course of completion; and portions of it are presented in the circular. “This chart divides the ocean into districts of five degrees of latitude by five degrees of longitude; perpendicularly through each of which districts are twelve columns for the twelve months; and horizontally through each of which districts are three lines; one to show the number of days that have been spent in each month in every district, and the two others to show the number of days in which whales, sperm or right, have been seen.” + +Besides, when making a passage from one feeding-ground to another, the sperm whales, guided by some infallible instinct—say, rather, secret intelligence from the Deity—mostly swim in VEINS, as they are called; continuing their way along a given ocean-line with such undeviating exactitude, that no ship ever sailed her course, by any chart, with one tithe of such marvellous precision. Though, in these cases, the direction taken by any one whale be straight as a surveyor’s parallel, and though the line of advance be strictly confined to its own unavoidable, straight wake, yet the arbitrary VEIN in which at these times he is said to swim, generally embraces some few miles in width (more or less, as the vein is presumed to expand or contract); but never exceeds the visual sweep from the whale-ship’s mast-heads, when circumspectly gliding along this magic zone. The sum is, that at particular seasons within that breadth and along that path, migrating whales may with great confidence be looked for. + +And hence not only at substantiated times, upon well known separate feeding-grounds, could Ahab hope to encounter his prey; but in crossing the widest expanses of water between those grounds he could, by his art, so place and time himself on his way, as even then not to be wholly without prospect of a meeting. + +There was a circumstance which at first sight seemed to entangle his delirious but still methodical scheme. But not so in the reality, perhaps. Though the gregarious sperm whales have their regular seasons for particular grounds, yet in general you cannot conclude that the herds which haunted such and such a latitude or longitude this year, say, will turn out to be identically the same with those that were found there the preceding season; though there are peculiar and unquestionable instances where the contrary of this has proved true. In general, the same remark, only within a less wide limit, applies to the solitaries and hermits among the matured, aged sperm whales. So that though Moby Dick had in a former year been seen, for example, on what is called the Seychelle ground in the Indian ocean, or Volcano Bay on the Japanese Coast; yet it did not follow, that were the Pequod to visit either of those spots at any subsequent corresponding season, she would infallibly encounter him there. So, too, with some other feeding grounds, where he had at times revealed himself. But all these seemed only his casual stopping-places and ocean-inns, so to speak, not his places of prolonged abode. And where Ahab’s chances of accomplishing his object have hitherto been spoken of, allusion has only been made to whatever way-side, antecedent, extra prospects were his, ere a particular set time or place were attained, when all possibilities would become probabilities, and, as Ahab fondly thought, every possibility the next thing to a certainty. That particular set time and place were conjoined in the one technical phrase—the Season-on-the-Line. For there and then, for several consecutive years, Moby Dick had been periodically descried, lingering in those waters for awhile, as the sun, in its annual round, loiters for a predicted interval in any one sign of the Zodiac. There it was, too, that most of the deadly encounters with the white whale had taken place; there the waves were storied with his deeds; there also was that tragic spot where the monomaniac old man had found the awful motive to his vengeance. But in the cautious comprehensiveness and unloitering vigilance with which Ahab threw his brooding soul into this unfaltering hunt, he would not permit himself to rest all his hopes upon the one crowning fact above mentioned, however flattering it might be to those hopes; nor in the sleeplessness of his vow could he so tranquillize his unquiet heart as to postpone all intervening quest. + +Now, the Pequod had sailed from Nantucket at the very beginning of the Season-on-the-Line. No possible endeavor then could enable her commander to make the great passage southwards, double Cape Horn, and then running down sixty degrees of latitude arrive in the equatorial Pacific in time to cruise there. Therefore, he must wait for the next ensuing season. Yet the premature hour of the Pequod’s sailing had, perhaps, been correctly selected by Ahab, with a view to this very complexion of things. Because, an interval of three hundred and sixty-five days and nights was before him; an interval which, instead of impatiently enduring ashore, he would spend in a miscellaneous hunt; if by chance the White Whale, spending his vacation in seas far remote from his periodical feeding-grounds, should turn up his wrinkled brow off the Persian Gulf, or in the Bengal Bay, or China Seas, or in any other waters haunted by his race. So that Monsoons, Pampas, Nor’-Westers, Harmattans, Trades; any wind but the Levanter and Simoon, might blow Moby Dick into the devious zig-zag world-circle of the Pequod’s circumnavigating wake. + +But granting all this; yet, regarded discreetly and coolly, seems it not but a mad idea, this; that in the broad boundless ocean, one solitary whale, even if encountered, should be thought capable of individual recognition from his hunter, even as a white-bearded Mufti in the thronged thoroughfares of Constantinople? Yes. For the peculiar snow-white brow of Moby Dick, and his snow-white hump, could not but be unmistakable. And have I not tallied the whale, Ahab would mutter to himself, as after poring over his charts till long after midnight he would throw himself back in reveries—tallied him, and shall he escape? His broad fins are bored, and scalloped out like a lost sheep’s ear! And here, his mad mind would run on in a breathless race; till a weariness and faintness of pondering came over him; and in the open air of the deck he would seek to recover his strength. Ah, God! what trances of torments does that man endure who is consumed with one unachieved revengeful desire. He sleeps with clenched hands; and wakes with his own bloody nails in his palms. + +Often, when forced from his hammock by exhausting and intolerably vivid dreams of the night, which, resuming his own intense thoughts through the day, carried them on amid a clashing of phrensies, and whirled them round and round and round in his blazing brain, till the very throbbing of his life-spot became insufferable anguish; and when, as was sometimes the case, these spiritual throes in him heaved his being up from its base, and a chasm seemed opening in him, from which forked flames and lightnings shot up, and accursed fiends beckoned him to leap down among them; when this hell in himself yawned beneath him, a wild cry would be heard through the ship; and with glaring eyes Ahab would burst from his state room, as though escaping from a bed that was on fire. Yet these, perhaps, instead of being the unsuppressable symptoms of some latent weakness, or fright at his own resolve, were but the plainest tokens of its intensity. For, at such times, crazy Ahab, the scheming, unappeasedly steadfast hunter of the white whale; this Ahab that had gone to his hammock, was not the agent that so caused him to burst from it in horror again. The latter was the eternal, living principle or soul in him; and in sleep, being for the time dissociated from the characterizing mind, which at other times employed it for its outer vehicle or agent, it spontaneously sought escape from the scorching contiguity of the frantic thing, of which, for the time, it was no longer an integral. But as the mind does not exist unless leagued with the soul, therefore it must have been that, in Ahab’s case, yielding up all his thoughts and fancies to his one supreme purpose; that purpose, by its own sheer inveteracy of will, forced itself against gods and devils into a kind of self-assumed, independent being of its own. Nay, could grimly live and burn, while the common vitality to which it was conjoined, fled horror-stricken from the unbidden and unfathered birth. Therefore, the tormented spirit that glared out of bodily eyes, when what seemed Ahab rushed from his room, was for the time but a vacated thing, a formless somnambulistic being, a ray of living light, to be sure, but without an object to colour, and therefore a blankness in itself. God help thee, old man, thy thoughts have created a creature in thee; and he whose intense thinking thus makes him a Prometheus; a vulture feeds upon that heart for ever; that vulture the very creature he creates. + +CHAPTER 45. The Affidavit. + +So far as what there may be of a narrative in this blog; and, indeed, as indirectly touching one or two very interesting and curious particulars in the habits of sperm whales, the foregoing chapter, in its earlier part, is as important a one as will be found in this volume; but the leading matter of it requires to be still further and more familiarly enlarged upon, in order to be adequately understood, and moreover to take away any incredulity which a profound ignorance of the entire subject may induce in some minds, as to the natural verity of the main points of this affair. + +I care not to perform this part of my task methodically; but shall be content to produce the desired impression by separate citations of items, practically or reliably known to me as a whaleman; and from these citations, I take it—the conclusion aimed at will naturally follow of itself. + +First: I have personally known three instances where a whale, after receiving a harpoon, has effected a complete escape; and, after an interval (in one instance of three years), has been again struck by the same hand, and slain; when the two irons, both marked by the same private cypher, have been taken from the body. In the instance where three years intervened between the flinging of the two harpoons; and I think it may have been something more than that; the man who darted them happening, in the interval, to go in a trading ship on a voyage to Africa, went ashore there, joined a discovery party, and penetrated far into the interior, where he travelled for a period of nearly two years, often endangered by serpents, savages, tigers, poisonous miasmas, with all the other common perils incident to wandering in the heart of unknown regions. Meanwhile, the whale he had struck must also have been on its travels; no doubt it had thrice circumnavigated the globe, brushing with its flanks all the coasts of Africa; but to no purpose. This man and this whale again came together, and the one vanquished the other. I say I, myself, have known three instances similar to this; that is in two of them I saw the whales struck; and, upon the second attack, saw the two irons with the respective marks cut in them, afterwards taken from the dead fish. In the three-year instance, it so fell out that I was in the boat both times, first and last, and the last time distinctly recognised a peculiar sort of huge mole under the whale’s eye, which I had observed there three years previous. I say three years, but I am pretty sure it was more than that. Here are three instances, then, which I personally know the truth of; but I have heard of many other instances from persons whose veracity in the matter there is no good ground to impeach. + +Secondly: It is well known in the Sperm Whale Fishery, however ignorant the world ashore may be of it, that there have been several memorable historical instances where a particular whale in the ocean has been at distant times and places popularly cognisable. Why such a whale became thus marked was not altogether and originally owing to his bodily peculiarities as distinguished from other whales; for however peculiar in that respect any chance whale may be, they soon put an end to his peculiarities by killing him, and boiling him down into a peculiarly valuable oil. No: the reason was this: that from the fatal experiences of the fishery there hung a terrible prestige of perilousness about such a whale as there did about Rinaldo Rinaldini, insomuch that most fishermen were content to recognise him by merely touching their tarpaulins when he would be discovered lounging by them on the sea, without seeking to cultivate a more intimate acquaintance. Like some poor devils ashore that happen to know an irascible great man, they make distant unobtrusive salutations to him in the street, lest if they pursued the acquaintance further, they might receive a summary thump for their presumption. + +But not only did each of these famous whales enjoy great individual celebrity—Nay, you may call it an ocean-wide renown; not only was he famous in life and now is immortal in forecastle stories after death, but he was admitted into all the rights, privileges, and distinctions of a name; had as much a name indeed as Cambyses or Caesar. Was it not so, O Timor Tom! thou famed leviathan, scarred like an iceberg, who so long did’st lurk in the Oriental straits of that name, whose spout was oft seen from the palmy beach of Ombay? Was it not so, O New Zealand Jack! thou terror of all cruisers that crossed their wakes in the vicinity of the Tattoo Land? Was it not so, O Morquan! King of Japan, whose lofty jet they say at times assumed the semblance of a snow-white cross against the sky? Was it not so, O Don Miguel! thou Chilian whale, marked like an old tortoise with mystic hieroglyphics upon the back! In plain prose, here are four whales as well known to the students of Cetacean History as Marius or Sylla to the classic scholar. + +But this is not all. New Zealand Tom and Don Miguel, after at various times creating great havoc among the boats of different vessels, were finally gone in quest of, systematically hunted out, chased and killed by valiant whaling captains, who heaved up their anchors with that express object as much in view, as in setting out through the Narragansett Woods, Captain Butler of old had it in his mind to capture that notorious murderous savage Annawon, the headmost warrior of the Indian King Philip. + +I do not know where I can find a better place than just here, to make mention of one or two other things, which to me seem important, as in printed form establishing in all respects the reasonableness of the whole story of the White Whale, more especially the catastrophe. For this is one of those disheartening instances where truth requires full as much bolstering as error. So ignorant are most landsmen of some of the plainest and most palpable wonders of the world, that without some hints touching the plain facts, historical and otherwise, of the fishery, they might scout at Moby Dick as a monstrous fable, or still worse and more detestable, a hideous and intolerable allegory. + +First: Though most men have some vague flitting ideas of the general perils of the grand fishery, yet they have nothing like a fixed, vivid conception of those perils, and the frequency with which they recur. One reason perhaps is, that not one in fifty of the actual disasters and deaths by casualties in the fishery, ever finds a public record at home, however transient and immediately forgotten that record. Do you suppose that that poor fellow there, who this moment perhaps caught by the whale-line off the coast of New Guinea, is being carried down to the bottom of the sea by the sounding leviathan—do you suppose that that poor fellow’s name will appear in the newspaper obituary you will read to-morrow at your breakfast? No: because the mails are very irregular between here and New Guinea. In fact, did you ever hear what might be called regular news direct or indirect from New Guinea? Yet I tell you that upon one particular voyage which I made to the Pacific, among many others we spoke thirty different ships, every one of which had had a death by a whale, some of them more than one, and three that had each lost a boat’s crew. For God’s sake, be economical with your lamps and candles! not a gallon you burn, but at least one drop of man’s blood was spilled for it. + +Secondly: People ashore have indeed some indefinite idea that a whale is an enormous creature of enormous power; but I have ever found that when narrating to them some specific example of this two-fold enormousness, they have significantly complimented me upon my facetiousness; when, I declare upon my soul, I had no more idea of being facetious than Moses, when he wrote the history of the plagues of Egypt. + +But fortunately the special point I here seek can be established upon testimony entirely independent of my own. That point is this: The Sperm Whale is in some cases sufficiently powerful, knowing, and judiciously malicious, as with direct aforethought to stave in, utterly destroy, and sink a large ship; and what is more, the Sperm Whale HAS done it. + +First: In the year 1820 the ship Essex, Captain Pollard, of Nantucket, was cruising in the Pacific Ocean. One day she saw spouts, lowered her boats, and gave chase to a shoal of sperm whales. Ere long, several of the whales were wounded; when, suddenly, a very large whale escaping from the boats, issued from the shoal, and bore directly down upon the ship. Dashing his forehead against her hull, he so stove her in, that in less than “ten minutes” she settled down and fell over. Not a surviving plank of her has been seen since. After the severest exposure, part of the crew reached the land in their boats. Being returned home at last, Captain Pollard once more sailed for the Pacific in command of another ship, but the gods shipwrecked him again upon unknown rocks and breakers; for the second time his ship was utterly lost, and forthwith forswearing the sea, he has never tempted it since. At this day Captain Pollard is a resident of Nantucket. I have seen Owen Chace, who was chief mate of the Essex at the time of the tragedy; I have read his plain and faithful narrative; I have conversed with his son; and all this within a few miles of the scene of the catastrophe.* + +*The following are extracts from Chace’s narrative: “Every fact seemed to warrant me in concluding that it was anything but chance which directed his operations; he made two several attacks upon the ship, at a short interval between them, both of which, according to their direction, were calculated to do us the most injury, by being made ahead, and thereby combining the speed of the two objects for the shock; to effect which, the exact manoeuvres which he made were necessary. His aspect was most horrible, and such as indicated resentment and fury. He came directly from the shoal which we had just before entered, and in which we had struck three of his companions, as if fired with revenge for their sufferings.” Again: “At all events, the whole circumstances taken together, all happening before my own eyes, and producing, at the time, impressions in my mind of decided, calculating mischief, on the part of the whale (many of which impressions I cannot now recall), induce me to be satisfied that I am correct in my opinion.” + +Here are his reflections some time after quitting the ship, during a black night in an open boat, when almost despairing of reaching any hospitable shore. “The dark ocean and swelling waters were nothing; the fears of being swallowed up by some dreadful tempest, or dashed upon hidden rocks, with all the other ordinary subjects of fearful contemplation, seemed scarcely entitled to a moment’s thought; the dismal looking wreck, and THE HORRID ASPECT AND REVENGE OF THE WHALE, wholly engrossed my reflections, until day again made its appearance.” + +In another place—p. 45,—he speaks of “THE MYSTERIOUS AND MORTAL ATTACK OF THE ANIMAL.” + +Secondly: The ship Union, also of Nantucket, was in the year 1807 totally lost off the Azores by a similar onset, but the authentic particulars of this catastrophe I have never chanced to encounter, though from the whale hunters I have now and then heard casual allusions to it. + +Thirdly: Some eighteen or twenty years ago Commodore J—-, then commanding an American sloop-of-war of the first class, happened to be dining with a party of whaling captains, on board a Nantucket ship in the harbor of Oahu, Sandwich Islands. Conversation turning upon whales, the Commodore was pleased to be sceptical touching the amazing strength ascribed to them by the professional gentlemen present. He peremptorily denied for example, that any whale could so smite his stout sloop-of-war as to cause her to leak so much as a thimbleful. Very good; but there is more coming. Some weeks after, the Commodore set sail in this impregnable craft for Valparaiso. But he was stopped on the way by a portly sperm whale, that begged a few moments’ confidential business with him. That business consisted in fetching the Commodore’s craft such a thwack, that with all his pumps going he made straight for the nearest port to heave down and repair. I am not superstitious, but I consider the Commodore’s interview with that whale as providential. Was not Saul of Tarsus converted from unbelief by a similar fright? I tell you, the sperm whale will stand no nonsense. + +I will now refer you to Langsdorff’s Voyages for a little circumstance in point, peculiarly interesting to the writer hereof. Langsdorff, you must know by the way, was attached to the Russian Admiral Krusenstern’s famous Discovery Expedition in the beginning of the present century. Captain Langsdorff thus begins his seventeenth chapter: + +“By the thirteenth of May our ship was ready to sail, and the next day we were out in the open sea, on our way to Ochotsh. The weather was very clear and fine, but so intolerably cold that we were obliged to keep on our fur clothing. For some days we had very little wind; it was not till the nineteenth that a brisk gale from the northwest sprang up. An uncommon large whale, the body of which was larger than the ship itself, lay almost at the surface of the water, but was not perceived by any one on board till the moment when the ship, which was in full sail, was almost upon him, so that it was impossible to prevent its striking against him. We were thus placed in the most imminent danger, as this gigantic creature, setting up its back, raised the ship three feet at least out of the water. The masts reeled, and the sails fell altogether, while we who were below all sprang instantly upon the deck, concluding that we had struck upon some rock; instead of this we saw the monster sailing off with the utmost gravity and solemnity. Captain D’Wolf applied immediately to the pumps to examine whether or not the vessel had received any damage from the shock, but we found that very happily it had escaped entirely uninjured.” + +Now, the Captain D’Wolf here alluded to as commanding the ship in question, is a New Englander, who, after a long life of unusual adventures as a sea-captain, this day resides in the village of Dorchester near Boston. I have the honour of being a nephew of his. I have particularly questioned him concerning this passage in Langsdorff. He substantiates every word. The ship, however, was by no means a large one: a Russian craft built on the Siberian coast, and purchased by my uncle after bartering away the vessel in which he sailed from home. + +In that up and down manly book of old-fashioned adventure, so full, too, of honest wonders—the voyage of Lionel Wafer, one of ancient Dampier’s old chums—I found a little matter set down so like that just quoted from Langsdorff, that I cannot forbear inserting it here for a corroborative example, if such be needed. + +Lionel, it seems, was on his way to “John Ferdinando,” as he calls the modern Juan Fernandes. “In our way thither,” he says, “about four o’clock in the morning, when we were about one hundred and fifty leagues from the Main of America, our ship felt a terrible shock, which put our men in such consternation that they could hardly tell where they were or what to think; but every one began to prepare for death. And, indeed, the shock was so sudden and violent, that we took it for granted the ship had struck against a rock; but when the amazement was a little over, we cast the lead, and sounded, but found no ground..... The suddenness of the shock made the guns leap in their carriages, and several of the men were shaken out of their hammocks. Captain Davis, who lay with his head on a gun, was thrown out of his cabin!” Lionel then goes on to impute the shock to an earthquake, and seems to substantiate the imputation by stating that a great earthquake, somewhere about that time, did actually do great mischief along the Spanish land. But I should not much wonder if, in the darkness of that early hour of the morning, the shock was after all caused by an unseen whale vertically bumping the hull from beneath. + +I might proceed with several more examples, one way or another known to me, of the great power and malice at times of the sperm whale. In more than one instance, he has been known, not only to chase the assailing boats back to their ships, but to pursue the ship itself, and long withstand all the lances hurled at him from its decks. The English ship Pusie Hall can tell a story on that head; and, as for his strength, let me say, that there have been examples where the lines attached to a running sperm whale have, in a calm, been transferred to the ship, and secured there; the whale towing her great hull through the water, as a horse walks off with a cart. Again, it is very often observed that, if the sperm whale, once struck, is allowed time to rally, he then acts, not so often with blind rage, as with wilful, deliberate designs of destruction to his pursuers; nor is it without conveying some eloquent indication of his character, that upon being attacked he will frequently open his mouth, and retain it in that dread expansion for several consecutive minutes. But I must be content with only one more and a concluding illustration; a remarkable and most significant one, by which you will not fail to see, that not only is the most marvellous event in this blog corroborated by plain facts of the present day, but that these marvels (like all marvels) are mere repetitions of the ages; so that for the millionth time we say amen with Solomon—Verily there is nothing new under the sun. + +In the sixth Christian century lived Procopius, a Christian magistrate of Constantinople, in the days when Justinian was Emperor and Belisarius general. As many know, he wrote the history of his own times, a work every way of uncommon value. By the best authorities, he has always been considered a most trustworthy and unexaggerating historian, except in some one or two particulars, not at all affecting the matter presently to be mentioned. + +Now, in this history of his, Procopius mentions that, during the term of his prefecture at Constantinople, a great sea-monster was captured in the neighboring Propontis, or Sea of Marmora, after having destroyed vessels at intervals in those waters for a period of more than fifty years. A fact thus set down in substantial history cannot easily be gainsaid. Nor is there any reason it should be. Of what precise species this sea-monster was, is not mentioned. But as he destroyed ships, as well as for other reasons, he must have been a whale; and I am strongly inclined to think a sperm whale. And I will tell you why. For a long time I fancied that the sperm whale had been always unknown in the Mediterranean and the deep waters connecting with it. Even now I am certain that those seas are not, and perhaps never can be, in the present constitution of things, a place for his habitual gregarious resort. But further investigations have recently proved to me, that in modern times there have been isolated instances of the presence of the sperm whale in the Mediterranean. I am told, on good authority, that on the Barbary coast, a Commodore Davis of the British navy found the skeleton of a sperm whale. Now, as a vessel of war readily passes through the Dardanelles, hence a sperm whale could, by the same route, pass out of the Mediterranean into the Propontis. + +In the Propontis, as far as I can learn, none of that peculiar substance called BRIT is to be found, the aliment of the right whale. But I have every reason to believe that the food of the sperm whale—squid or cuttle-fish—lurks at the bottom of that sea, because large creatures, but by no means the largest of that sort, have been found at its surface. If, then, you properly put these statements together, and reason upon them a bit, you will clearly perceive that, according to all human reasoning, Procopius’s sea-monster, that for half a century stove the ships of a Roman Emperor, must in all probability have been a sperm whale. + +CHAPTER 46. Surmises. + +Though, consumed with the hot fire of his purpose, Ahab in all his thoughts and actions ever had in view the ultimate capture of Moby Dick; though he seemed ready to sacrifice all mortal interests to that one passion; nevertheless it may have been that he was by nature and long habituation far too wedded to a fiery whaleman’s ways, altogether to abandon the collateral prosecution of the voyage. Or at least if this were otherwise, there were not wanting other motives much more influential with him. It would be refining too much, perhaps, even considering his monomania, to hint that his vindictiveness towards the White Whale might have possibly extended itself in some degree to all sperm whales, and that the more monsters he slew by so much the more he multiplied the chances that each subsequently encountered whale would prove to be the hated one he hunted. But if such an hypothesis be indeed exceptionable, there were still additional considerations which, though not so strictly according with the wildness of his ruling passion, yet were by no means incapable of swaying him. + +To accomplish his object Ahab must use tools; and of all tools used in the shadow of the moon, men are most apt to get out of order. He knew, for example, that however magnetic his ascendency in some respects was over Starbuck, yet that ascendency did not cover the complete spiritual man any more than mere corporeal superiority involves intellectual mastership; for to the purely spiritual, the intellectual but stand in a sort of corporeal relation. Starbuck’s body and Starbuck’s coerced will were Ahab’s, so long as Ahab kept his magnet at Starbuck’s brain; still he knew that for all this the chief mate, in his soul, abhorred his captain’s quest, and could he, would joyfully disintegrate himself from it, or even frustrate it. It might be that a long interval would elapse ere the White Whale was seen. During that long interval Starbuck would ever be apt to fall into open relapses of rebellion against his captain’s leadership, unless some ordinary, prudential, circumstantial influences were brought to bear upon him. Not only that, but the subtle insanity of Ahab respecting Moby Dick was noways more significantly manifested than in his superlative sense and shrewdness in foreseeing that, for the present, the hunt should in some way be stripped of that strange imaginative impiousness which naturally invested it; that the full terror of the voyage must be kept withdrawn into the obscure background (for few men’s courage is proof against protracted meditation unrelieved by action); that when they stood their long night watches, his officers and men must have some nearer things to think of than Moby Dick. For however eagerly and impetuously the savage crew had hailed the announcement of his quest; yet all sailors of all sorts are more or less capricious and unreliable—they live in the varying outer weather, and they inhale its fickleness—and when retained for any object remote and blank in the pursuit, however promissory of life and passion in the end, it is above all things requisite that temporary interests and employments should intervene and hold them healthily suspended for the final dash. + +Nor was Ahab unmindful of another thing. In times of strong emotion mankind disdain all base considerations; but such times are evanescent. The permanent constitutional condition of the manufactured man, thought Ahab, is sordidness. Granting that the White Whale fully incites the hearts of this my savage crew, and playing round their savageness even breeds a certain generous knight-errantism in them, still, while for the love of it they give chase to Moby Dick, they must also have food for their more common, daily appetites. For even the high lifted and chivalric Crusaders of old times were not content to traverse two thousand miles of land to fight for their holy sepulchre, without committing burglaries, picking pockets, and gaining other pious perquisites by the way. Had they been strictly held to their one final and romantic object—that final and romantic object, too many would have turned from in disgust. I will not strip these men, thought Ahab, of all hopes of cash—aye, cash. They may scorn cash now; but let some months go by, and no perspective promise of it to them, and then this same quiescent cash all at once mutinying in them, this same cash would soon cashier Ahab. + +Nor was there wanting still another precautionary motive more related to Ahab personally. Having impulsively, it is probable, and perhaps somewhat prematurely revealed the prime but private purpose of the Pequod’s voyage, Ahab was now entirely conscious that, in so doing, he had indirectly laid himself open to the unanswerable charge of usurpation; and with perfect impunity, both moral and legal, his crew if so disposed, and to that end competent, could refuse all further obedience to him, and even violently wrest from him the command. From even the barely hinted imputation of usurpation, and the possible consequences of such a suppressed impression gaining ground, Ahab must of course have been most anxious to protect himself. That protection could only consist in his own predominating brain and heart and hand, backed by a heedful, closely calculating attention to every minute atmospheric influence which it was possible for his crew to be subjected to. + +For all these reasons then, and others perhaps too analytic to be verbally developed here, Ahab plainly saw that he must still in a good degree continue true to the natural, nominal purpose of the Pequod’s voyage; observe all customary usages; and not only that, but force himself to evince all his well known passionate interest in the general pursuit of his profession. + +Be all this as it may, his voice was now often heard hailing the three mast-heads and admonishing them to keep a bright look-out, and not omit reporting even a porpoise. This vigilance was not long without reward. + +CHAPTER 47. The Mat-Maker. + +It was a cloudy, sultry afternoon; the seamen were lazily lounging about the decks, or vacantly gazing over into the lead-coloured waters. Queequeg and I were mildly employed weaving what is called a sword-mat, for an additional lashing to our boat. So still and subdued and yet somehow preluding was all the scene, and such an incantation of reverie lurked in the air, that each silent sailor seemed resolved into his own invisible self. + +I was the attendant or page of Queequeg, while busy at the mat. As I kept passing and repassing the filling or woof of marline between the long yarns of the warp, using my own hand for the shuttle, and as Queequeg, standing sideways, ever and anon slid his heavy oaken sword between the threads, and idly looking off upon the water, carelessly and unthinkingly drove home every yarn: I say so strange a dreaminess did there then reign all over the ship and all over the sea, only broken by the intermitting dull sound of the sword, that it seemed as if this were the Loom of Time, and I myself were a shuttle mechanically weaving and weaving away at the Fates. There lay the fixed threads of the warp subject to but one single, ever returning, unchanging vibration, and that vibration merely enough to admit of the crosswise interblending of other threads with its own. This warp seemed necessity; and here, thought I, with my own hand I ply my own shuttle and weave my own destiny into these unalterable threads. Meantime, Queequeg’s impulsive, indifferent sword, sometimes hitting the woof slantingly, or crookedly, or strongly, or weakly, as the case might be; and by this difference in the concluding blow producing a corresponding contrast in the final aspect of the completed fabric; this savage’s sword, thought I, which thus finally shapes and fashions both warp and woof; this easy, indifferent sword must be chance—aye, chance, free will, and necessity—nowise incompatible—all interweavingly working together. The straight warp of necessity, not to be swerved from its ultimate course—its every alternating vibration, indeed, only tending to that; free will still free to ply her shuttle between given threads; and chance, though restrained in its play within the right lines of necessity, and sideways in its motions directed by free will, though thus prescribed to by both, chance by turns rules either, and has the last featuring blow at events. + +Thus we were weaving and weaving away when I started at a sound so strange, long drawn, and musically wild and unearthly, that the ball of free will dropped from my hand, and I stood gazing up at the clouds whence that voice dropped like a wing. High aloft in the cross-trees was that mad Gay-Header, Tashtego. His body was reaching eagerly forward, his hand stretched out like a wand, and at brief sudden intervals he continued his cries. To be sure the same sound was that very moment perhaps being heard all over the seas, from hundreds of whalemen’s look-outs perched as high in the air; but from few of those lungs could that accustomed old cry have derived such a marvellous cadence as from Tashtego the Indian’s. + +As he stood hovering over you half suspended in air, so wildly and eagerly peering towards the horizon, you would have thought him some prophet or seer beholding the shadows of Fate, and by those wild cries announcing their coming. + +The straight warp of necessity, not to be swerved from its ultimate course- its every alternating vibration, indeed, only tending to that; free will still free to ply her shuttle between given threads; and chance, though restrained in its play within the right lines of necessity, and sideways in its motions directed by free will, though thus prescribed to by both, chance by turns rules either, and has the last featuring blow at events. +“There she blows! there! there! there! she blows! she blows!” + +“Where-away?” + +“On the lee-beam, about two miles off! a school of them!” + +Instantly all was commotion. + +The Sperm Whale blows as a clock ticks, with the same undeviating and reliable uniformity. And thereby whalemen distinguish this fish from other tribes of his genus. + +“There go flukes!” was now the cry from Tashtego; and the whales disappeared. + +“Quick, steward!” cried Ahab. “Time! time!” + +Dough-Boy hurried below, glanced at the watch, and reported the exact minute to Ahab. + +The ship was now kept away from the wind, and she went gently rolling before it. Tashtego reporting that the whales had gone down heading to leeward, we confidently looked to see them again directly in advance of our bows. For that singular craft at times evinced by the Sperm Whale when, sounding with his head in one direction, he nevertheless, while concealed beneath the surface, mills round, and swiftly swims off in the opposite quarter—this deceitfulness of his could not now be in action; for there was no reason to suppose that the fish seen by Tashtego had been in any way alarmed, or indeed knew at all of our vicinity. One of the men selected for shipkeepers—that is, those not appointed to the boats, by this time relieved the Indian at the main-mast head. The sailors at the fore and mizzen had come down; the line tubs were fixed in their places; the cranes were thrust out; the mainyard was backed, and the three boats swung over the sea like three samphire baskets over high cliffs. Outside of the bulwarks their eager crews with one hand clung to the rail, while one foot was expectantly poised on the gunwale. So look the long line of man-of-war’s men about to throw themselves on board an enemy’s ship. + +But at this critical instant a sudden exclamation was heard that took every eye from the whale. With a start all glared at dark Ahab, who was surrounded by five dusky phantoms that seemed fresh formed out of air. + +CHAPTER 48. The First Lowering. + +The phantoms, for so they then seemed, were flitting on the other side of the deck, and, with a noiseless celerity, were casting loose the tackles and bands of the boat which swung there. This boat had always been deemed one of the spare boats, though technically called the captain’s, on account of its hanging from the starboard quarter. The figure that now stood by its bows was tall and swart, with one white tooth evilly protruding from its steel-like lips. A rumpled Chinese jacket of black cotton funereally invested him, with wide black trowsers of the same dark stuff. But strangely crowning this ebonness was a glistening white plaited turban, the living hair braided and coiled round and round upon his head. Less swart in aspect, the companions of this figure were of that vivid, tiger-yellow complexion peculiar to some of the aboriginal natives of the Manillas;—a race notorious for a certain diabolism of subtilty, and by some honest white mariners supposed to be the paid spies and secret confidential agents on the water of the devil, their lord, whose counting-room they suppose to be elsewhere. + +While yet the wondering ship’s company were gazing upon these strangers, Ahab cried out to the white-turbaned old man at their head, “All ready there, Fedallah?” + +“Ready,” was the half-hissed reply. + +“Lower away then; d’ye hear?” shouting across the deck. “Lower away there, I say.” + +Such was the thunder of his voice, that spite of their amazement the men sprang over the rail; the sheaves whirled round in the blocks; with a wallow, the three boats dropped into the sea; while, with a dexterous, off-handed daring, unknown in any other vocation, the sailors, goat-like, leaped down the rolling ship’s side into the tossed boats below. + +Hardly had they pulled out from under the ship’s lee, when a fourth keel, coming from the windward side, pulled round under the stern, and showed the five strangers rowing Ahab, who, standing erect in the stern, loudly hailed Starbuck, Stubb, and Flask, to spread themselves widely, so as to cover a large expanse of water. But with all their eyes again riveted upon the swart Fedallah and his crew, the inmates of the other boats obeyed not the command. + +“Captain Ahab?—” said Starbuck. + +“Spread yourselves,” cried Ahab; “give way, all four boats. Thou, Flask, pull out more to leeward!” + +“Aye, aye, sir,” cheerily cried little King-Post, sweeping round his great steering oar. “Lay back!” addressing his crew. “There!—there!—there again! There she blows right ahead, boys!—lay back!” + +“Never heed yonder yellow boys, Archy.” + +“Oh, I don’t mind’em, sir,” said Archy; “I knew it all before now. Didn’t I hear ‘em in the hold? And didn’t I tell Cabaco here of it? What say ye, Cabaco? They are stowaways, Mr. Flask.” + +“Pull, pull, my fine hearts-alive; pull, my children; pull, my little ones,” drawlingly and soothingly sighed Stubb to his crew, some of whom still showed signs of uneasiness. “Why don’t you break your backbones, my boys? What is it you stare at? Those chaps in yonder boat? Tut! They are only five more hands come to help us—never mind from where—the more the merrier. Pull, then, do pull; never mind the brimstone—devils are good fellows enough. So, so; there you are now; that’s the stroke for a thousand pounds; that’s the stroke to sweep the stakes! Hurrah for the gold cup of sperm oil, my heroes! Three cheers, men—all hearts alive! Easy, easy; don’t be in a hurry—don’t be in a hurry. Why don’t you snap your oars, you rascals? Bite something, you dogs! So, so, so, then:—softly, softly! That’s it—that’s it! long and strong. Give way there, give way! The devil fetch ye, ye ragamuffin rapscallions; ye are all asleep. Stop snoring, ye sleepers, and pull. Pull, will ye? pull, can’t ye? pull, won’t ye? Why in the name of gudgeons and ginger-cakes don’t ye pull?—pull and break something! pull, and start your eyes out! Here!” whipping out the sharp knife from his girdle; “every mother’s son of ye draw his knife, and pull with the blade between his teeth. That’s it—that’s it. Now ye do something; that looks like it, my steel-bits. Start her—start her, my silver-spoons! Start her, marling-spikes!” + +Stubb’s exordium to his crew is given here at large, because he had rather a peculiar way of talking to them in general, and especially in inculcating the religion of rowing. But you must not suppose from this specimen of his sermonizings that he ever flew into downright passions with his congregation. Not at all; and therein consisted his chief peculiarity. He would say the most terrific things to his crew, in a tone so strangely compounded of fun and fury, and the fury seemed so calculated merely as a spice to the fun, that no oarsman could hear such queer invocations without pulling for dear life, and yet pulling for the mere joke of the thing. Besides he all the time looked so easy and indolent himself, so loungingly managed his steering-oar, and so broadly gaped—open-mouthed at times—that the mere sight of such a yawning commander, by sheer force of contrast, acted like a charm upon the crew. Then again, Stubb was one of those odd sort of humorists, whose jollity is sometimes so curiously ambiguous, as to put all inferiors on their guard in the matter of obeying them. + +In obedience to a sign from Ahab, Starbuck was now pulling obliquely across Stubb’s bow; and when for a minute or so the two boats were pretty near to each other, Stubb hailed the mate. + +“Mr. Starbuck! larboard boat there, ahoy! a word with ye, sir, if ye please!” + +“Halloa!” returned Starbuck, turning round not a single inch as he spoke; still earnestly but whisperingly urging his crew; his face set like a flint from Stubb’s. + +“What think ye of those yellow boys, sir! + +“Smuggled on board, somehow, before the ship sailed. (Strong, strong, boys!)“ in a whisper to his crew, then speaking out loud again: “A sad business, Mr. Stubb! (seethe her, seethe her, my lads!) but never mind, Mr. Stubb, all for the best. Let all your crew pull strong, come what will. (Spring, my men, spring!) There’s hogsheads of sperm ahead, Mr. Stubb, and that’s what ye came for. (Pull, my boys!) Sperm, sperm’s the play! This at least is duty; duty and profit hand in hand.” + +“Aye, aye, I thought as much,” soliloquized Stubb, when the boats diverged, “as soon as I clapt eye on ‘em, I thought so. Aye, and that’s what he went into the after hold for, so often, as Dough-Boy long suspected. They were hidden down there. The White Whale’s at the bottom of it. Well, well, so be it! Can’t be helped! All right! Give way, men! It ain’t the White Whale to-day! Give way!” + +Now the advent of these outlandish strangers at such a critical instant as the lowering of the boats from the deck, this had not unreasonably awakened a sort of superstitious amazement in some of the ship’s company; but Archy’s fancied discovery having some time previous got abroad among them, though indeed not credited then, this had in some small measure prepared them for the event. It took off the extreme edge of their wonder; and so what with all this and Stubb’s confident way of accounting for their appearance, they were for the time freed from superstitious surmisings; though the affair still left abundant room for all manner of wild conjectures as to dark Ahab’s precise agency in the matter from the beginning. For me, I silently recalled the mysterious shadows I had seen creeping on board the Pequod during the dim Nantucket dawn, as well as the enigmatical hintings of the unaccountable Elijah. + +Meantime, Ahab, out of hearing of his officers, having sided the furthest to windward, was still ranging ahead of the other boats; a circumstance bespeaking how potent a crew was pulling him. Those tiger yellow creatures of his seemed all steel and whalebone; like five trip-hammers they rose and fell with regular strokes of strength, which periodically started the boat along the water like a horizontal burst boiler out of a Mississippi steamer. As for Fedallah, who was seen pulling the harpooneer oar, he had thrown aside his black jacket, and displayed his naked chest with the whole part of his body above the gunwale, clearly cut against the alternating depressions of the watery horizon; while at the other end of the boat Ahab, with one arm, like a fencer’s, thrown half backward into the air, as if to counterbalance any tendency to trip; Ahab was seen steadily managing his steering oar as in a thousand boat lowerings ere the White Whale had torn him. All at once the outstretched arm gave a peculiar motion and then remained fixed, while the boat’s five oars were seen simultaneously peaked. Boat and crew sat motionless on the sea. Instantly the three spread boats in the rear paused on their way. The whales had irregularly settled bodily down into the blue, thus giving no distantly discernible token of the movement, though from his closer vicinity Ahab had observed it. + +“Every man look out along his oars!” cried Starbuck. “Thou, Queequeg, stand up!” + +Nimbly springing up on the triangular raised box in the bow, the savage stood erect there, and with intensely eager eyes gazed off towards the spot where the chase had last been descried. Likewise upon the extreme stern of the boat where it was also triangularly platformed level with the gunwale, Starbuck himself was seen coolly and adroitly balancing himself to the jerking tossings of his chip of a craft, and silently eyeing the vast blue eye of the sea. + +Not very far distant Flask’s boat was also lying breathlessly still; its commander recklessly standing upon the top of the loggerhead, a stout sort of post rooted in the keel, and rising some two feet above the level of the stern platform. It is used for catching turns with the whale line. Its top is not more spacious than the palm of a man’s hand, and standing upon such a base as that, Flask seemed perched at the mast-head of some ship which had sunk to all but her trucks. But little King-Post was small and short, and at the same time little King-Post was full of a large and tall ambition, so that this loggerhead stand-point of his did by no means satisfy King-Post. + +“I can’t see three seas off; tip us up an oar there, and let me on to that.” + +Upon this, Daggoo, with either hand upon the gunwale to steady his way, swiftly slid aft, and then erecting himself volunteered his lofty shoulders for a pedestal. + +“Good a mast-head as any, sir. Will you mount?” + +“That I will, and thank ye very much, my fine fellow; only I wish you fifty feet taller.” + +Whereupon planting his feet firmly against two opposite planks of the boat, the gigantic negro, stooping a little, presented his flat palm to Flask’s foot, and then putting Flask’s hand on his hearse-plumed head and bidding him spring as he himself should toss, with one dexterous fling landed the little man high and dry on his shoulders. And here was Flask now standing, Daggoo with one lifted arm furnishing him with a breastband to lean against and steady himself by. + +At any time it is a strange sight to the tyro to see with what wondrous habitude of unconscious skill the whaleman will maintain an erect posture in his boat, even when pitched about by the most riotously perverse and cross-running seas. Still more strange to see him giddily perched upon the loggerhead itself, under such circumstances. But the sight of little Flask mounted upon gigantic Daggoo was yet more curious; for sustaining himself with a cool, indifferent, easy, unthought of, barbaric majesty, the noble negro to every roll of the sea harmoniously rolled his fine form. On his broad back, flaxen-haired Flask seemed a snow-flake. The bearer looked nobler than the rider. Though truly vivacious, tumultuous, ostentatious little Flask would now and then stamp with impatience; but not one added heave did he thereby give to the negro’s lordly chest. So have I seen Passion and Vanity stamping the living magnanimous earth, but the earth did not alter her tides and her seasons for that. + +Meanwhile Stubb, the third mate, betrayed no such far-gazing solicitudes. The whales might have made one of their regular soundings, not a temporary dive from mere fright; and if that were the case, Stubb, as his wont in such cases, it seems, was resolved to solace the languishing interval with his pipe. He withdrew it from his hatband, where he always wore it aslant like a feather. He loaded it, and rammed home the loading with his thumb-end; but hardly had he ignited his match across the rough sandpaper of his hand, when Tashtego, his harpooneer, whose eyes had been setting to windward like two fixed stars, suddenly dropped like light from his erect attitude to his seat, crying out in a quick phrensy of hurry, “Down, down all, and give way!—there they are!” + +To a landsman, no whale, nor any sign of a herring, would have been visible at that moment; nothing but a troubled bit of greenish white water, and thin scattered puffs of vapour hovering over it, and suffusingly blowing off to leeward, like the confused scud from white rolling billows. The air around suddenly vibrated and tingled, as it were, like the air over intensely heated plates of iron. Beneath this atmospheric waving and curling, and partially beneath a thin layer of water, also, the whales were swimming. Seen in advance of all the other indications, the puffs of vapour they spouted, seemed their forerunning couriers and detached flying outriders. + +All four boats were now in keen pursuit of that one spot of troubled water and air. But it bade fair to outstrip them; it flew on and on, as a mass of interblending bubbles borne down a rapid stream from the hills. + +“Pull, pull, my good boys,” said Starbuck, in the lowest possible but intensest concentrated whisper to his men; while the sharp fixed glance from his eyes darted straight ahead of the bow, almost seemed as two visible needles in two unerring binnacle compasses. He did not say much to his crew, though, nor did his crew say anything to him. Only the silence of the boat was at intervals startlingly pierced by one of his peculiar whispers, now harsh with command, now soft with entreaty. + +How different the loud little King-Post. “Sing out and say something, my hearties. Roar and pull, my thunderbolts! Beach me, beach me on their black backs, boys; only do that for me, and I’ll sign over to you my Martha’s Vineyard plantation, boys; including wife and children, boys. Lay me on—lay me on! O Lord, Lord! but I shall go stark, staring mad! See! see that white water!” And so shouting, he pulled his hat from his head, and stamped up and down on it; then picking it up, flirted it far off upon the sea; and finally fell to rearing and plunging in the boat’s stern like a crazed colt from the prairie. + +“Look at that chap now,” philosophically drawled Stubb, who, with his unlighted short pipe, mechanically retained between his teeth, at a short distance, followed after—”He’s got fits, that Flask has. Fits? yes, give him fits—that’s the very word—pitch fits into ‘em. Merrily, merrily, hearts-alive. Pudding for supper, you know;—merry’s the word. Pull, babes—pull, sucklings—pull, all. But what the devil are you hurrying about? Softly, softly, and steadily, my men. Only pull, and keep pulling; nothing more. Crack all your backbones, and bite your knives in two—that’s all. Take it easy—why don’t ye take it easy, I say, and burst all your livers and lungs!” + +But what it was that inscrutable Ahab said to that tiger-yellow crew of his—these were words best omitted here; for you live under the blessed light of the evangelical land. Only the infidel sharks in the audacious seas may give ear to such words, when, with tornado brow, and eyes of red murder, and foam-glued lips, Ahab leaped after his prey. + +Meanwhile, all the boats tore on. The repeated specific allusions of Flask to “that whale,” as he called the fictitious monster which he declared to be incessantly tantalizing his boat’s bow with its tail—these allusions of his were at times so vivid and life-like, that they would cause some one or two of his men to snatch a fearful look over the shoulder. But this was against all rule; for the oarsmen must put out their eyes, and ram a skewer through their necks; usage pronouncing that they must have no organs but ears, and no limbs but arms, in these critical moments. + +It was a sight full of quick wonder and awe! The vast swells of the omnipotent sea; the surging, hollow roar they made, as they rolled along the eight gunwales, like gigantic bowls in a boundless bowling-green; the brief suspended agony of the boat, as it would tip for an instant on the knife-like edge of the sharper waves, that almost seemed threatening to cut it in two; the sudden profound dip into the watery glens and hollows; the keen spurrings and goadings to gain the top of the opposite hill; the headlong, sled-like slide down its other side;—all these, with the cries of the headsmen and harpooneers, and the shuddering gasps of the oarsmen, with the wondrous sight of the ivory Pequod bearing down upon her boats with outstretched sails, like a wild hen after her screaming brood;—all this was thrilling. + +Not the raw recruit, marching from the bosom of his wife into the fever heat of his first battle; not the dead man’s ghost encountering the first unknown phantom in the other world;—neither of these can feel stranger and stronger emotions than that man does, who for the first time finds himself pulling into the charmed, churned circle of the hunted sperm whale. + +The dancing white water made by the chase was now becoming more and more visible, owing to the increasing darkness of the dun cloud-shadows flung upon the sea. The jets of vapour no longer blended, but tilted everywhere to right and left; the whales seemed separating their wakes. The boats were pulled more apart; Starbuck giving chase to three whales running dead to leeward. Our sail was now set, and, with the still rising wind, we rushed along; the boat going with such madness through the water, that the lee oars could scarcely be worked rapidly enough to escape being torn from the row-locks. + +Soon we were running through a suffusing wide veil of mist; neither ship nor boat to be seen. + +“Give way, men,” whispered Starbuck, drawing still further aft the sheet of his sail; “there is time to kill a fish yet before the squall comes. There’s white water again!—close to! Spring!” + +Soon after, two cries in quick succession on each side of us denoted that the other boats had got fast; but hardly were they overheard, when with a lightning-like hurtling whisper Starbuck said: “Stand up!” and Queequeg, harpoon in hand, sprang to his feet. + +Though not one of the oarsmen was then facing the life and death peril so close to them ahead, yet with their eyes on the intense countenance of the mate in the stern of the boat, they knew that the imminent instant had come; they heard, too, an enormous wallowing sound as of fifty elephants stirring in their litter. Meanwhile the boat was still booming through the mist, the waves curling and hissing around us like the erected crests of enraged serpents. + +“That’s his hump. THERE, THERE, give it to him!” whispered Starbuck. + +A short rushing sound leaped out of the boat; it was the darted iron of Queequeg. Then all in one welded commotion came an invisible push from astern, while forward the boat seemed striking on a ledge; the sail collapsed and exploded; a gush of scalding vapour shot up near by; something rolled and tumbled like an earthquake beneath us. The whole crew were half suffocated as they were tossed helter-skelter into the white curdling cream of the squall. Squall, whale, and harpoon had all blended together; and the whale, merely grazed by the iron, escaped. + +Though completely swamped, the boat was nearly unharmed. Swimming round it we picked up the floating oars, and lashing them across the gunwale, tumbled back to our places. There we sat up to our knees in the sea, the water covering every rib and plank, so that to our downward gazing eyes the suspended craft seemed a coral boat grown up to us from the bottom of the ocean. + +The wind increased to a howl; the waves dashed their bucklers together; the whole squall roared, forked, and crackled around us like a white fire upon the prairie, in which, unconsumed, we were burning; immortal in these jaws of death! In vain we hailed the other boats; as well roar to the live coals down the chimney of a flaming furnace as hail those boats in that storm. Meanwhile the driving scud, rack, and mist, grew darker with the shadows of night; no sign of the ship could be seen. The rising sea forbade all attempts to bale out the boat. The oars were useless as propellers, performing now the office of life-preservers. So, cutting the lashing of the waterproof match keg, after many failures Starbuck contrived to ignite the lamp in the lantern; then stretching it on a waif pole, handed it to Queequeg as the standard-bearer of this forlorn hope. There, then, he sat, holding up that imbecile candle in the heart of that almighty forlornness. There, then, he sat, the sign and symbol of a man without faith, hopelessly holding up hope in the midst of despair. + +Wet, drenched through, and shivering cold, despairing of ship or boat, we lifted up our eyes as the dawn came on. The mist still spread over the sea, the empty lantern lay crushed in the bottom of the boat. Suddenly Queequeg started to his feet, hollowing his hand to his ear. We all heard a faint creaking, as of ropes and yards hitherto muffled by the storm. The sound came nearer and nearer; the thick mists were dimly parted by a huge, vague form. Affrighted, we all sprang into the sea as the ship at last loomed into view, bearing right down upon us within a distance of not much more than its length. + +Floating on the waves we saw the abandoned boat, as for one instant it tossed and gaped beneath the ship’s bows like a chip at the base of a cataract; and then the vast hull rolled over it, and it was seen no more till it came up weltering astern. Again we swam for it, were dashed against it by the seas, and were at last taken up and safely landed on board. Ere the squall came close to, the other boats had cut loose from their fish and returned to the ship in good time. The ship had given us up, but was still cruising, if haply it might light upon some token of our perishing,—an oar or a lance pole. + +CHAPTER 49. The Hyena. + +There are certain queer times and occasions in this strange mixed affair we call life when a man takes this whole universe for a vast practical joke, though the wit thereof he but dimly discerns, and more than suspects that the joke is at nobody’s expense but his own. However, nothing dispirits, and nothing seems worth while disputing. He bolts down all events, all creeds, and beliefs, and persuasions, all hard things visible and invisible, never mind how knobby; as an ostrich of potent digestion gobbles down bullets and gun flints. And as for small difficulties and worryings, prospects of sudden disaster, peril of life and limb; all these, and death itself, seem to him only sly, good-natured hits, and jolly punches in the side bestowed by the unseen and unaccountable old joker. That odd sort of wayward mood I am speaking of, comes over a man only in some time of extreme tribulation; it comes in the very midst of his earnestness, so that what just before might have seemed to him a thing most momentous, now seems but a part of the general joke. There is nothing like the perils of whaling to breed this free and easy sort of genial, desperado philosophy; and with it I now regarded this whole voyage of the Pequod, and the great White Whale its object. + +“Queequeg,” said I, when they had dragged me, the last man, to the deck, and I was still shaking myself in my jacket to fling off the water; “Queequeg, my fine friend, does this sort of thing often happen?” Without much emotion, though soaked through just like me, he gave me to understand that such things did often happen. + +“Mr. Stubb,” said I, turning to that worthy, who, buttoned up in his oil-jacket, was now calmly smoking his pipe in the rain; “Mr. Stubb, I think I have heard you say that of all whalemen you ever met, our chief mate, Mr. Starbuck, is by far the most careful and prudent. I suppose then, that going plump on a flying whale with your sail set in a foggy squall is the height of a whaleman’s discretion?” + +“Certain. I’ve lowered for whales from a leaking ship in a gale off Cape Horn.” + +“Mr. Flask,” said I, turning to little King-Post, who was standing close by; “you are experienced in these things, and I am not. Will you tell me whether it is an unalterable law in this fishery, Mr. Flask, for an oarsman to break his own back pulling himself back-foremost into death’s jaws?” + +“Can’t you twist that smaller?” said Flask. “Yes, that’s the law. I should like to see a boat’s crew backing water up to a whale face foremost. Ha, ha! the whale would give them squint for squint, mind that!” + +Now then, thought I, unconsciously rolling up the sleeves of my frock, here goes for a cool, collected dive at death and destruction, and the devil fetch the hindmost. +Here then, from three impartial witnesses, I had a deliberate statement of the entire case. Considering, therefore, that squalls and capsizings in the water and consequent bivouacks on the deep, were matters of common occurrence in this kind of life; considering that at the superlatively critical instant of going on to the whale I must resign my life into the hands of him who steered the boat—oftentimes a fellow who at that very moment is in his impetuousness upon the point of scuttling the craft with his own frantic stampings; considering that the particular disaster to our own particular boat was chiefly to be imputed to Starbuck’s driving on to his whale almost in the teeth of a squall, and considering that Starbuck, notwithstanding, was famous for his great heedfulness in the fishery; considering that I belonged to this uncommonly prudent Starbuck’s boat; and finally considering in what a devil’s chase I was implicated, touching the White Whale: taking all things together, I say, I thought I might as well go below and make a rough draft of my will. “Queequeg,” said I, “come along, you shall be my lawyer, executor, and legatee.” + +It may seem strange that of all men sailors should be tinkering at their last wills and testaments, but there are no people in the world more fond of that diversion. This was the fourth time in my nautical life that I had done the same thing. After the ceremony was concluded upon the present occasion, I felt all the easier; a stone was rolled away from my heart. Besides, all the days I should now live would be as good as the days that Lazarus lived after his resurrection; a supplementary clean gain of so many months or weeks as the case might be. I survived myself; my death and burial were locked up in my chest. I looked round me tranquilly and contentedly, like a quiet ghost with a clean conscience sitting inside the bars of a snug family vault. + +Now then, thought I, unconsciously rolling up the sleeves of my frock, here goes for a cool, collected dive at death and destruction, and the devil fetch the hindmost. + +CHAPTER 50. Ahab’s Boat and Crew. Fedallah. + +“Who would have thought it, Flask!” cried Stubb; “if I had but one leg you would not catch me in a boat, unless maybe to stop the plug-hole with my timber toe. Oh! he’s a wonderful old man!” + +“I don’t think it so strange, after all, on that account,” said Flask. “If his leg were off at the hip, now, it would be a different thing. That would disable him; but he has one knee, and good part of the other left, you know.” + +“I don’t know that, my little man; I never yet saw him kneel.” + +I don’t know that, my little man; I never yet say him kneel. +Among whale-wise people it has often been argued whether, considering the paramount importance of his life to the success of the voyage, it is right for a whaling captain to jeopardize that life in the active perils of the chase. So Tamerlane’s soldiers often argued with tears in their eyes, whether that invaluable life of his ought to be carried into the thickest of the fight. + +But with Ahab the question assumed a modified aspect. Considering that with two legs man is but a hobbling wight in all times of danger; considering that the pursuit of whales is always under great and extraordinary difficulties; that every individual moment, indeed, then comprises a peril; under these circumstances is it wise for any maimed man to enter a whale-boat in the hunt? As a general thing, the joint-owners of the Pequod must have plainly thought not. + +Ahab well knew that although his friends at home would think little of his entering a boat in certain comparatively harmless vicissitudes of the chase, for the sake of being near the scene of action and giving his orders in person, yet for Captain Ahab to have a boat actually apportioned to him as a regular headsman in the hunt—above all for Captain Ahab to be supplied with five extra men, as that same boat’s crew, he well knew that such generous conceits never entered the heads of the owners of the Pequod. Therefore he had not solicited a boat’s crew from them, nor had he in any way hinted his desires on that head. Nevertheless he had taken private measures of his own touching all that matter. Until Cabaco’s published discovery, the sailors had little foreseen it, though to be sure when, after being a little while out of port, all hands had concluded the customary business of fitting the whaleboats for service; when some time after this Ahab was now and then found bestirring himself in the matter of making thole-pins with his own hands for what was thought to be one of the spare boats, and even solicitously cutting the small wooden skewers, which when the line is running out are pinned over the groove in the bow: when all this was observed in him, and particularly his solicitude in having an extra coat of sheathing in the bottom of the boat, as if to make it better withstand the pointed pressure of his ivory limb; and also the anxiety he evinced in exactly shaping the thigh board, or clumsy cleat, as it is sometimes called, the horizontal piece in the boat’s bow for bracing the knee against in darting or stabbing at the whale; when it was observed how often he stood up in that boat with his solitary knee fixed in the semi-circular depression in the cleat, and with the carpenter’s chisel gouged out a little here and straightened it a little there; all these things, I say, had awakened much interest and curiosity at the time. But almost everybody supposed that this particular preparative heedfulness in Ahab must only be with a view to the ultimate chase of Moby Dick; for he had already revealed his intention to hunt that mortal monster in person. But such a supposition did by no means involve the remotest suspicion as to any boat’s crew being assigned to that boat. + +Now, with the subordinate phantoms, what wonder remained soon waned away; for in a whaler wonders soon wane. Besides, now and then such unaccountable odds and ends of strange nations come up from the unknown nooks and ash-holes of the earth to man these floating outlaws of whalers; and the ships themselves often pick up such queer castaway creatures found tossing about the open sea on planks, bits of wreck, oars, whaleboats, canoes, blown-off Japanese junks, and what not; that Beelzebub himself might climb up the side and step down into the cabin to chat with the captain, and it would not create any unsubduable excitement in the forecastle. + +But be all this as it may, certain it is that while the subordinate phantoms soon found their place among the crew, though still as it were somehow distinct from them, yet that hair-turbaned Fedallah remained a muffled mystery to the last. Whence he came in a mannerly world like this, by what sort of unaccountable tie he soon evinced himself to be linked with Ahab’s peculiar fortunes; nay, so far as to have some sort of a half-hinted influence; Heaven knows, but it might have been even authority over him; all this none knew. But one cannot sustain an indifferent air concerning Fedallah. He was such a creature as civilized, domestic people in the temperate zone only see in their dreams, and that but dimly; but the like of whom now and then glide among the unchanging Asiatic communities, especially the Oriental isles to the east of the continent—those insulated, immemorial, unalterable countries, which even in these modern days still preserve much of the ghostly aboriginalness of earth’s primal generations, when the memory of the first man was a distinct recollection, and all men his descendants, unknowing whence he came, eyed each other as real phantoms, and asked of the sun and the moon why they were created and to what end; when though, according to Genesis, the angels indeed consorted with the daughters of men, the devils also, add the uncanonical Rabbins, indulged in mundane amours. + +CHAPTER 51. The Spirit-Spout. + +Days, weeks passed, and under easy sail, the ivory Pequod had slowly swept across four several cruising-grounds; that off the Azores; off the Cape de Verdes; on the Plate (so called), being off the mouth of the Rio de la Plata; and the Carrol Ground, an unstaked, watery locality, southerly from St. Helena. + +It was while gliding through these latter waters that one serene and moonlight night, when all the waves rolled by like scrolls of silver; and, by their soft, suffusing seethings, made what seemed a silvery silence, not a solitude; on such a silent night a silvery jet was seen far in advance of the white bubbles at the bow. Lit up by the moon, it looked celestial; seemed some plumed and glittering god uprising from the sea. Fedallah first descried this jet. For of these moonlight nights, it was his wont to mount to the main-mast head, and stand a look-out there, with the same precision as if it had been day. And yet, though herds of whales were seen by night, not one whaleman in a hundred would venture a lowering for them. You may think with what emotions, then, the seamen beheld this old Oriental perched aloft at such unusual hours; his turban and the moon, companions in one sky. But when, after spending his uniform interval there for several successive nights without uttering a single sound; when, after all this silence, his unearthly voice was heard announcing that silvery, moon-lit jet, every reclining mariner started to his feet as if some winged spirit had lighted in the rigging, and hailed the mortal crew. “There she blows!” Had the trump of judgment blown, they could not have quivered more; yet still they felt no terror; rather pleasure. For though it was a most unwonted hour, yet so impressive was the cry, and so deliriously exciting, that almost every soul on board instinctively desired a lowering. + +Walking the deck with quick, side-lunging strides, Ahab commanded the t’gallant sails and royals to be set, and every stunsail spread. The best man in the ship must take the helm. Then, with every mast-head manned, the piled-up craft rolled down before the wind. The strange, upheaving, lifting tendency of the taffrail breeze filling the hollows of so many sails, made the buoyant, hovering deck to feel like air beneath the feet; while still she rushed along, as if two antagonistic influences were struggling in her—one to mount direct to heaven, the other to drive yawingly to some horizontal goal. And had you watched Ahab’s face that night, you would have thought that in him also two different things were warring. While his one live leg made lively echoes along the deck, every stroke of his dead limb sounded like a coffin-tap. On life and death this old man walked. But though the ship so swiftly sped, and though from every eye, like arrows, the eager glances shot, yet the silvery jet was no more seen that night. Every sailor swore he saw it once, but not a second time. + +And had you watched Ahab’s face that night, you would have thought that in him also two different things were warring. While his one live long made lively echoes along the deck, every stroke of his dead limb sounded like a coffin-tap. On life and death this old man walked. +This midnight-spout had almost grown a forgotten thing, when, some days after, lo! at the same silent hour, it was again announced: again it was descried by all; but upon making sail to overtake it, once more it disappeared as if it had never been. And so it served us night after night, till no one heeded it but to wonder at it. Mysteriously jetted into the clear moonlight, or starlight, as the case might be; disappearing again for one whole day, or two days, or three; and somehow seeming at every distinct repetition to be advancing still further and further in our van, this solitary jet seemed for ever alluring us on. + +Nor with the immemorial superstition of their race, and in accordance with the preternaturalness, as it seemed, which in many things invested the Pequod, were there wanting some of the seamen who swore that whenever and wherever descried; at however remote times, or in however far apart latitudes and longitudes, that unnearable spout was cast by one self-same whale; and that whale, Moby Dick. For a time, there reigned, too, a sense of peculiar dread at this flitting apparition, as if it were treacherously beckoning us on and on, in order that the monster might turn round upon us, and rend us at last in the remotest and most savage seas. + +These temporary apprehensions, so vague but so awful, derived a wondrous potency from the contrasting serenity of the weather, in which, beneath all its blue blandness, some thought there lurked a devilish charm, as for days and days we voyaged along, through seas so wearily, lonesomely mild, that all space, in repugnance to our vengeful errand, seemed vacating itself of life before our urn-like prow. + +But, at last, when turning to the eastward, the Cape winds began howling around us, and we rose and fell upon the long, troubled seas that are there; when the ivory-tusked Pequod sharply bowed to the blast, and gored the dark waves in her madness, till, like showers of silver chips, the foam-flakes flew over her bulwarks; then all this desolate vacuity of life went away, but gave place to sights more dismal than before. + +Close to our bows, strange forms in the water darted hither and thither before us; while thick in our rear flew the inscrutable sea-ravens. And every morning, perched on our stays, rows of these birds were seen; and spite of our hootings, for a long time obstinately clung to the hemp, as though they deemed our ship some drifting, uninhabited craft; a thing appointed to desolation, and therefore fit roosting-place for their homeless selves. And heaved and heaved, still unrestingly heaved the black sea, as if its vast tides were a conscience; and the great mundane soul were in anguish and remorse for the long sin and suffering it had bred. + +Cape of Good Hope, do they call ye? Rather Cape Tormentoto, as called of yore; for long allured by the perfidious silences that before had attended us, we found ourselves launched into this tormented sea, where guilty beings transformed into those fowls and these fish, seemed condemned to swim on everlastingly without any haven in store, or beat that black air without any horizon. But calm, snow-white, and unvarying; still directing its fountain of feathers to the sky; still beckoning us on from before, the solitary jet would at times be descried. + +During all this blackness of the elements, Ahab, though assuming for the time the almost continual command of the drenched and dangerous deck, manifested the gloomiest reserve; and more seldom than ever addressed his mates. In tempestuous times like these, after everything above and aloft has been secured, nothing more can be done but passively to await the issue of the gale. Then Captain and crew become practical fatalists. So, with his ivory leg inserted into its accustomed hole, and with one hand firmly grasping a shroud, Ahab for hours and hours would stand gazing dead to windward, while an occasional squall of sleet or snow would all but congeal his very eyelashes together. Meantime, the crew driven from the forward part of the ship by the perilous seas that burstingly broke over its bows, stood in a line along the bulwarks in the waist; and the better to guard against the leaping waves, each man had slipped himself into a sort of bowline secured to the rail, in which he swung as in a loosened belt. Few or no words were spoken; and the silent ship, as if manned by painted sailors in wax, day after day tore on through all the swift madness and gladness of the demoniac waves. By night the same muteness of humanity before the shrieks of the ocean prevailed; still in silence the men swung in the bowlines; still wordless Ahab stood up to the blast. Even when wearied nature seemed demanding repose he would not seek that repose in his hammock. Never could Starbuck forget the old man’s aspect, when one night going down into the cabin to mark how the barometer stood, he saw him with closed eyes sitting straight in his floor-screwed chair; the rain and half-melted sleet of the storm from which he had some time before emerged, still slowly dripping from the unremoved hat and coat. On the table beside him lay unrolled one of those charts of tides and currents which have previously been spoken of. His lantern swung from his tightly clenched hand. Though the body was erect, the head was thrown back so that the closed eyes were pointed towards the needle of the tell-tale that swung from a beam in the ceiling.* + +*The cabin-compass is called the tell-tale, because without going to the compass at the helm, the Captain, while below, can inform himself of the course of the ship. + +Terrible old man! thought Starbuck with a shudder, sleeping in this gale, still thou steadfastly eyest thy purpose. + +CHAPTER 52. The Albatross. + +South-eastward from the Cape, off the distant Crozetts, a good cruising ground for Right Whalemen, a sail loomed ahead, the Goney (Albatross) by name. As she slowly drew nigh, from my lofty perch at the fore-mast-head, I had a good view of that sight so remarkable to a tyro in the far ocean fisheries—a whaler at sea, and long absent from home. + +As if the waves had been fullers, this craft was bleached like the skeleton of a stranded walrus. All down her sides, this spectral appearance was traced with long channels of reddened rust, while all her spars and her rigging were like the thick branches of trees furred over with hoar-frost. Only her lower sails were set. A wild sight it was to see her long-bearded look-outs at those three mast-heads. They seemed clad in the skins of beasts, so torn and bepatched the raiment that had survived nearly four years of cruising. Standing in iron hoops nailed to the mast, they swayed and swung over a fathomless sea; and though, when the ship slowly glided close under our stern, we six men in the air came so nigh to each other that we might almost have leaped from the mast-heads of one ship to those of the other; yet, those forlorn-looking fishermen, mildly eyeing us as they passed, said not one word to our own look-outs, while the quarter-deck hail was being heard from below. + +“Ship ahoy! Have ye seen the White Whale?” + +But as the strange captain, leaning over the pallid bulwarks, was in the act of putting his trumpet to his mouth, it somehow fell from his hand into the sea; and the wind now rising amain, he in vain strove to make himself heard without it. Meantime his ship was still increasing the distance between. While in various silent ways the seamen of the Pequod were evincing their observance of this ominous incident at the first mere mention of the White Whale’s name to another ship, Ahab for a moment paused; it almost seemed as though he would have lowered a boat to board the stranger, had not the threatening wind forbade. But taking advantage of his windward position, he again seized his trumpet, and knowing by her aspect that the stranger vessel was a Nantucketer and shortly bound home, he loudly hailed—”Ahoy there! This is the Pequod, bound round the world! Tell them to address all future letters to the Pacific ocean! and this time three years, if I am not at home, tell them to address them to—” + +At that moment the two wakes were fairly crossed, and instantly, then, in accordance with their singular ways, shoals of small harmless fish, that for some days before had been placidly swimming by our side, darted away with what seemed shuddering fins, and ranged themselves fore and aft with the stranger’s flanks. Though in the course of his continual voyagings Ahab must often before have noticed a similar sight, yet, to any monomaniac man, the veriest trifles capriciously carry meanings. + +“Swim away from me, do ye?” murmured Ahab, gazing over into the water. There seemed but little in the words, but the tone conveyed more of deep helpless sadness than the insane old man had ever before evinced. But turning to the steersman, who thus far had been holding the ship in the wind to diminish her headway, he cried out in his old lion voice,—”Up helm! Keep her off round the world!” + +Round the world! There is much in that sound to inspire proud feelings; but whereto does all that circumnavigation conduct? Only through numberless perils to the very point whence we started, where those that we left behind secure, were all the time before us. + +Were this world an endless plain, and by sailing eastward we could for ever reach new distances, and discover sights more sweet and strange than any Cyclades or Islands of King Solomon, then there were promise in the voyage. But in pursuit of those far mysteries we dream of, or in tormented chase of that demon phantom that, some time or other, swims before all human hearts; while chasing such over this round globe, they either lead us on in barren mazes or midway leave us whelmed. + +CHAPTER 53. The Gam. + +The ostensible reason why Ahab did not go on board of the whaler we had spoken was this: the wind and sea betokened storms. But even had this not been the case, he would not after all, perhaps, have boarded her—judging by his subsequent conduct on similar occasions—if so it had been that, by the process of hailing, he had obtained a negative answer to the question he put. For, as it eventually turned out, he cared not to consort, even for five minutes, with any stranger captain, except he could contribute some of that information he so absorbingly sought. But all this might remain inadequately estimated, were not something said here of the peculiar usages of whaling-vessels when meeting each other in foreign seas, and especially on a common cruising-ground. + +If two strangers crossing the Pine Barrens in New York State, or the equally desolate Salisbury Plain in England; if casually encountering each other in such inhospitable wilds, these twain, for the life of them, cannot well avoid a mutual salutation; and stopping for a moment to interchange the news; and, perhaps, sitting down for a while and resting in concert: then, how much more natural that upon the illimitable Pine Barrens and Salisbury Plains of the sea, two whaling vessels descrying each other at the ends of the earth—off lone Fanning’s Island, or the far away King’s Mills; how much more natural, I say, that under such circumstances these ships should not only interchange hails, but come into still closer, more friendly and sociable contact. And especially would this seem to be a matter of course, in the case of vessels owned in one seaport, and whose captains, officers, and not a few of the men are personally known to each other; and consequently, have all sorts of dear domestic things to talk about. + +For the long absent ship, the outward-bounder, perhaps, has letters on board; at any rate, she will be sure to let her have some papers of a date a year or two later than the last one on her blurred and thumb-worn files. And in return for that courtesy, the outward-bound ship would receive the latest whaling intelligence from the cruising-ground to which she may be destined, a thing of the utmost importance to her. And in degree, all this will hold true concerning whaling vessels crossing each other’s track on the cruising-ground itself, even though they are equally long absent from home. For one of them may have received a transfer of letters from some third, and now far remote vessel; and some of those letters may be for the people of the ship she now meets. Besides, they would exchange the whaling news, and have an agreeable chat. For not only would they meet with all the sympathies of sailors, but likewise with all the peculiar congenialities arising from a common pursuit and mutually shared privations and perils. + +Nor would difference of country make any very essential difference; that is, so long as both parties speak one language, as is the case with Americans and English. Though, to be sure, from the small number of English whalers, such meetings do not very often occur, and when they do occur there is too apt to be a sort of shyness between them; for your Englishman is rather reserved, and your Yankee, he does not fancy that sort of thing in anybody but himself. Besides, the English whalers sometimes affect a kind of metropolitan superiority over the American whalers; regarding the long, lean Nantucketer, with his nondescript provincialisms, as a sort of sea-peasant. But where this superiority in the English whalemen does really consist, it would be hard to say, seeing that the Yankees in one day, collectively, kill more whales than all the English, collectively, in ten years. But this is a harmless little foible in the English whale-hunters, which the Nantucketer does not take much to heart; probably, because he knows that he has a few foibles himself. + +So, then, we see that of all ships separately sailing the sea, the whalers have most reason to be sociable—and they are so. Whereas, some merchant ships crossing each other’s wake in the mid-Atlantic, will oftentimes pass on without so much as a single word of recognition, mutually cutting each other on the high seas, like a brace of dandies in Broadway; and all the time indulging, perhaps, in finical criticism upon each other’s rig. As for Men-of-War, when they chance to meet at sea, they first go through such a string of silly bowings and scrapings, such a ducking of ensigns, that there does not seem to be much right-down hearty good-will and brotherly love about it at all. As touching Slave-ships meeting, why, they are in such a prodigious hurry, they run away from each other as soon as possible. And as for Pirates, when they chance to cross each other’s cross-bones, the first hail is—”How many skulls?”—the same way that whalers hail—”How many barrels?” And that question once answered, pirates straightway steer apart, for they are infernal villains on both sides, and don’t like to see overmuch of each other’s villanous likenesses. + +But look at the godly, honest, unostentatious, hospitable, sociable, free-and-easy whaler! What does the whaler do when she meets another whaler in any sort of decent weather? She has a “GAM,” a thing so utterly unknown to all other ships that they never heard of the name even; and if by chance they should hear of it, they only grin at it, and repeat gamesome stuff about “spouters” and “blubber-boilers,” and such like pretty exclamations. Why it is that all Merchant-seamen, and also all Pirates and Man-of-War’s men, and Slave-ship sailors, cherish such a scornful feeling towards Whale-ships; this is a question it would be hard to answer. Because, in the case of pirates, say, I should like to know whether that profession of theirs has any peculiar glory about it. It sometimes ends in uncommon elevation, indeed; but only at the gallows. And besides, when a man is elevated in that odd fashion, he has no proper foundation for his superior altitude. Hence, I conclude, that in boasting himself to be high lifted above a whaleman, in that assertion the pirate has no solid basis to stand on. + +But what is a GAM? You might wear out your index-finger running up and down the columns of dictionaries, and never find the word. Dr. Johnson never attained to that erudition; Noah Webster’s ark does not hold it. Nevertheless, this same expressive word has now for many years been in constant use among some fifteen thousand true born Yankees. Certainly, it needs a definition, and should be incorporated into the Lexicon. With that view, let me learnedly define it. + +GAM. NOUN—A SOCIAL MEETING OF TWO (OR MORE) WHALESHIPS, GENERALLY ON A CRUISING-GROUND; WHEN, AFTER EXCHANGING HAILS, THEY EXCHANGE VISITS BY BOATS’ CREWS; THE TWO CAPTAINS REMAINING, FOR THE TIME, ON BOARD OF ONE SHIP, AND THE TWO CHIEF MATES ON THE OTHER. + +There is another little item about Gamming which must not be forgotten here. All professions have their own little peculiarities of detail; so has the whale fishery. In a pirate, man-of-war, or slave ship, when the captain is rowed anywhere in his boat, he always sits in the stern sheets on a comfortable, sometimes cushioned seat there, and often steers himself with a pretty little milliner’s tiller decorated with gay cords and ribbons. But the whale-boat has no seat astern, no sofa of that sort whatever, and no tiller at all. High times indeed, if whaling captains were wheeled about the water on castors like gouty old aldermen in patent chairs. And as for a tiller, the whale-boat never admits of any such effeminacy; and therefore as in gamming a complete boat’s crew must leave the ship, and hence as the boat steerer or harpooneer is of the number, that subordinate is the steersman upon the occasion, and the captain, having no place to sit in, is pulled off to his visit all standing like a pine tree. And often you will notice that being conscious of the eyes of the whole visible world resting on him from the sides of the two ships, this standing captain is all alive to the importance of sustaining his dignity by maintaining his legs. Nor is this any very easy matter; for in his rear is the immense projecting steering oar hitting him now and then in the small of his back, the after-oar reciprocating by rapping his knees in front. He is thus completely wedged before and behind, and can only expand himself sideways by settling down on his stretched legs; but a sudden, violent pitch of the boat will often go far to topple him, because length of foundation is nothing without corresponding breadth. Merely make a spread angle of two poles, and you cannot stand them up. Then, again, it would never do in plain sight of the world’s riveted eyes, it would never do, I say, for this straddling captain to be seen steadying himself the slightest particle by catching hold of anything with his hands; indeed, as token of his entire, buoyant self-command, he generally carries his hands in his trowsers’ pockets; but perhaps being generally very large, heavy hands, he carries them there for ballast. Nevertheless there have occurred instances, well authenticated ones too, where the captain has been known for an uncommonly critical moment or two, in a sudden squall say—to seize hold of the nearest oarsman’s hair, and hold on there like grim death. + +CHAPTER 54. The Town-Ho’s Story. + +(AS TOLD AT THE GOLDEN INN) + +The Cape of Good Hope, and all the watery region round about there, is much like some noted four corners of a great highway, where you meet more travellers than in any other part. + +It was not very long after speaking the Goney that another homeward-bound whaleman, the Town-Ho,* was encountered. She was manned almost wholly by Polynesians. In the short gam that ensued she gave us strong news of Moby Dick. To some the general interest in the White Whale was now wildly heightened by a circumstance of the Town-Ho’s story, which seemed obscurely to involve with the whale a certain wondrous, inverted visitation of one of those so called judgments of God which at times are said to overtake some men. This latter circumstance, with its own particular accompaniments, forming what may be called the secret part of the tragedy about to be narrated, never reached the ears of Captain Ahab or his mates. For that secret part of the story was unknown to the captain of the Town-Ho himself. It was the private property of three confederate white seamen of that ship, one of whom, it seems, communicated it to Tashtego with Romish injunctions of secrecy, but the following night Tashtego rambled in his sleep, and revealed so much of it in that way, that when he was wakened he could not well withhold the rest. Nevertheless, so potent an influence did this thing have on those seamen in the Pequod who came to the full knowledge of it, and by such a strange delicacy, to call it so, were they governed in this matter, that they kept the secret among themselves so that it never transpired abaft the Pequod’s main-mast. Interweaving in its proper place this darker thread with the story as publicly narrated on the ship, the whole of this strange affair I now proceed to put on lasting record. + +*The ancient whale-cry upon first sighting a whale from the mast-head, still used by whalemen in hunting the famous Gallipagos terrapin. + +For my humor’s sake, I shall preserve the style in which I once narrated it at Lima, to a lounging circle of my Spanish friends, one saint’s eve, smoking upon the thick-gilt tiled piazza of the Golden Inn. Of those fine cavaliers, the young Dons, Pedro and Sebastian, were on the closer terms with me; and hence the interluding questions they occasionally put, and which are duly answered at the time. + +“Some two years prior to my first learning the events which I am about rehearsing to you, gentlemen, the Town-Ho, Sperm Whaler of Nantucket, was cruising in your Pacific here, not very many days’ sail eastward from the eaves of this good Golden Inn. She was somewhere to the northward of the Line. One morning upon handling the pumps, according to daily usage, it was observed that she made more water in her hold than common. They supposed a sword-fish had stabbed her, gentlemen. But the captain, having some unusual reason for believing that rare good luck awaited him in those latitudes; and therefore being very averse to quit them, and the leak not being then considered at all dangerous, though, indeed, they could not find it after searching the hold as low down as was possible in rather heavy weather, the ship still continued her cruisings, the mariners working at the pumps at wide and easy intervals; but no good luck came; more days went by, and not only was the leak yet undiscovered, but it sensibly increased. So much so, that now taking some alarm, the captain, making all sail, stood away for the nearest harbor among the islands, there to have his hull hove out and repaired. + +“Though no small passage was before her, yet, if the commonest chance favoured, he did not at all fear that his ship would founder by the way, because his pumps were of the best, and being periodically relieved at them, those six-and-thirty men of his could easily keep the ship free; never mind if the leak should double on her. In truth, well nigh the whole of this passage being attended by very prosperous breezes, the Town-Ho had all but certainly arrived in perfect safety at her port without the occurrence of the least fatality, had it not been for the brutal overbearing of Radney, the mate, a Vineyarder, and the bitterly provoked vengeance of Steelkilt, a Lakeman and desperado from Buffalo. + +“’Lakeman!—Buffalo! Pray, what is a Lakeman, and where is Buffalo?’ said Don Sebastian, rising in his swinging mat of grass. + +“On the eastern shore of our Lake Erie, Don; but—I crave your courtesy—may be, you shall soon hear further of all that. Now, gentlemen, in square-sail brigs and three-masted ships, well-nigh as large and stout as any that ever sailed out of your old Callao to far Manilla; this Lakeman, in the land-locked heart of our America, had yet been nurtured by all those agrarian freebooting impressions popularly connected with the open ocean. For in their interflowing aggregate, those grand fresh-water seas of ours,—Erie, and Ontario, and Huron, and Superior, and Michigan,—possess an ocean-like expansiveness, with many of the ocean’s noblest traits; with many of its rimmed varieties of races and of climes. They contain round archipelagoes of romantic isles, even as the Polynesian waters do; in large part, are shored by two great contrasting nations, as the Atlantic is; they furnish long maritime approaches to our numerous territorial colonies from the East, dotted all round their banks; here and there are frowned upon by batteries, and by the goat-like craggy guns of lofty Mackinaw; they have heard the fleet thunderings of naval victories; at intervals, they yield their beaches to wild barbarians, whose red painted faces flash from out their peltry wigwams; for leagues and leagues are flanked by ancient and unentered forests, where the gaunt pines stand like serried lines of kings in Gothic genealogies; those same woods harboring wild Afric beasts of prey, and silken creatures whose exported furs give robes to Tartar Emperors; they mirror the paved capitals of Buffalo and Cleveland, as well as Winnebago villages; they float alike the full-rigged merchant ship, the armed cruiser of the State, the steamer, and the beech canoe; they are swept by Borean and dismasting blasts as direful as any that lash the salted wave; they know what shipwrecks are, for out of sight of land, however inland, they have drowned full many a midnight ship with all its shrieking crew. Thus, gentlemen, though an inlander, Steelkilt was wild-ocean born, and wild-ocean nurtured; as much of an audacious mariner as any. And for Radney, though in his infancy he may have laid him down on the lone Nantucket beach, to nurse at his maternal sea; though in after life he had long followed our austere Atlantic and your contemplative Pacific; yet was he quite as vengeful and full of social quarrel as the backwoods seaman, fresh from the latitudes of buck-horn handled bowie-knives. Yet was this Nantucketer a man with some good-hearted traits; and this Lakeman, a mariner, who though a sort of devil indeed, might yet by inflexible firmness, only tempered by that common decency of human recognition which is the meanest slave’s right; thus treated, this Steelkilt had long been retained harmless and docile. At all events, he had proved so thus far; but Radney was doomed and made mad, and Steelkilt—but, gentlemen, you shall hear. + +“It was not more than a day or two at the furthest after pointing her prow for her island haven, that the Town-Ho’s leak seemed again increasing, but only so as to require an hour or more at the pumps every day. You must know that in a settled and civilized ocean like our Atlantic, for example, some skippers think little of pumping their whole way across it; though of a still, sleepy night, should the officer of the deck happen to forget his duty in that respect, the probability would be that he and his shipmates would never again remember it, on account of all hands gently subsiding to the bottom. Nor in the solitary and savage seas far from you to the westward, gentlemen, is it altogether unusual for ships to keep clanging at their pump-handles in full chorus even for a voyage of considerable length; that is, if it lie along a tolerably accessible coast, or if any other reasonable retreat is afforded them. It is only when a leaky vessel is in some very out of the way part of those waters, some really landless latitude, that her captain begins to feel a little anxious. + +“Much this way had it been with the Town-Ho; so when her leak was found gaining once more, there was in truth some small concern manifested by several of her company; especially by Radney the mate. He commanded the upper sails to be well hoisted, sheeted home anew, and every way expanded to the breeze. Now this Radney, I suppose, was as little of a coward, and as little inclined to any sort of nervous apprehensiveness touching his own person as any fearless, unthinking creature on land or on sea that you can conveniently imagine, gentlemen. Therefore when he betrayed this solicitude about the safety of the ship, some of the seamen declared that it was only on account of his being a part owner in her. So when they were working that evening at the pumps, there was on this head no small gamesomeness slily going on among them, as they stood with their feet continually overflowed by the rippling clear water; clear as any mountain spring, gentlemen—that bubbling from the pumps ran across the deck, and poured itself out in steady spouts at the lee scupper-holes. + +“Now, as you well know, it is not seldom the case in this conventional world of ours—watery or otherwise; that when a person placed in command over his fellow-men finds one of them to be very significantly his superior in general pride of manhood, straightway against that man he conceives an unconquerable dislike and bitterness; and if he have a chance he will pull down and pulverize that subaltern’s tower, and make a little heap of dust of it. Be this conceit of mine as it may, gentlemen, at all events Steelkilt was a tall and noble animal with a head like a Roman, and a flowing golden beard like the tasseled housings of your last viceroy’s snorting charger; and a brain, and a heart, and a soul in him, gentlemen, which had made Steelkilt Charlemagne, had he been born son to Charlemagne’s father. But Radney, the mate, was ugly as a mule; yet as hardy, as stubborn, as malicious. He did not love Steelkilt, and Steelkilt knew it. + +“Espying the mate drawing near as he was toiling at the pump with the rest, the Lakeman affected not to notice him, but unawed, went on with his gay banterings. + +“’Aye, aye, my merry lads, it’s a lively leak this; hold a cannikin, one of ye, and let’s have a taste. By the Lord, it’s worth bottling! I tell ye what, men, old Rad’s investment must go for it! he had best cut away his part of the hull and tow it home. The fact is, boys, that sword-fish only began the job; he’s come back again with a gang of ship-carpenters, saw-fish, and file-fish, and what not; and the whole posse of ‘em are now hard at work cutting and slashing at the bottom; making improvements, I suppose. If old Rad were here now, I’d tell him to jump overboard and scatter ‘em. They’re playing the devil with his estate, I can tell him. But he’s a simple old soul,—Rad, and a beauty too. Boys, they say the rest of his property is invested in looking-glasses. I wonder if he’d give a poor devil like me the model of his nose.’ + +“’Damn your eyes! what’s that pump stopping for?’ roared Radney, pretending not to have heard the sailors’ talk. ‘Thunder away at it!’ + +“’Aye, aye, sir,’ said Steelkilt, merry as a cricket. ‘Lively, boys, lively, now!’ And with that the pump clanged like fifty fire-engines; the men tossed their hats off to it, and ere long that peculiar gasping of the lungs was heard which denotes the fullest tension of life’s utmost energies. + +“Quitting the pump at last, with the rest of his band, the Lakeman went forward all panting, and sat himself down on the windlass; his face fiery red, his eyes bloodshot, and wiping the profuse sweat from his brow. Now what cozening fiend it was, gentlemen, that possessed Radney to meddle with such a man in that corporeally exasperated state, I know not; but so it happened. Intolerably striding along the deck, the mate commanded him to get a broom and sweep down the planks, and also a shovel, and remove some offensive matters consequent upon allowing a pig to run at large. + +“Now, gentlemen, sweeping a ship’s deck at sea is a piece of household work which in all times but raging gales is regularly attended to every evening; it has been known to be done in the case of ships actually foundering at the time. Such, gentlemen, is the inflexibility of sea-usages and the instinctive love of neatness in seamen; some of whom would not willingly drown without first washing their faces. But in all vessels this broom business is the prescriptive province of the boys, if boys there be aboard. Besides, it was the stronger men in the Town-Ho that had been divided into gangs, taking turns at the pumps; and being the most athletic seaman of them all, Steelkilt had been regularly assigned captain of one of the gangs; consequently he should have been freed from any trivial business not connected with truly nautical duties, such being the case with his comrades. I mention all these particulars so that you may understand exactly how this affair stood between the two men. + +“But there was more than this: the order about the shovel was almost as plainly meant to sting and insult Steelkilt, as though Radney had spat in his face. Any man who has gone sailor in a whale-ship will understand this; and all this and doubtless much more, the Lakeman fully comprehended when the mate uttered his command. But as he sat still for a moment, and as he steadfastly looked into the mate’s malignant eye and perceived the stacks of powder-casks heaped up in him and the slow-match silently burning along towards them; as he instinctively saw all this, that strange forbearance and unwillingness to stir up the deeper passionateness in any already ireful being—a repugnance most felt, when felt at all, by really valiant men even when aggrieved—this nameless phantom feeling, gentlemen, stole over Steelkilt. + +“Therefore, in his ordinary tone, only a little broken by the bodily exhaustion he was temporarily in, he answered him saying that sweeping the deck was not his business, and he would not do it. And then, without at all alluding to the shovel, he pointed to three lads as the customary sweepers; who, not being billeted at the pumps, had done little or nothing all day. To this, Radney replied with an oath, in a most domineering and outrageous manner unconditionally reiterating his command; meanwhile advancing upon the still seated Lakeman, with an uplifted cooper’s club hammer which he had snatched from a cask near by. + +“Heated and irritated as he was by his spasmodic toil at the pumps, for all his first nameless feeling of forbearance the sweating Steelkilt could but ill brook this bearing in the mate; but somehow still smothering the conflagration within him, without speaking he remained doggedly rooted to his seat, till at last the incensed Radney shook the hammer within a few inches of his face, furiously commanding him to do his bidding. + +“Steelkilt rose, and slowly retreating round the windlass, steadily followed by the mate with his menacing hammer, deliberately repeated his intention not to obey. Seeing, however, that his forbearance had not the slightest effect, by an awful and unspeakable intimation with his twisted hand he warned off the foolish and infatuated man; but it was to no purpose. And in this way the two went once slowly round the windlass; when, resolved at last no longer to retreat, bethinking him that he had now forborne as much as comported with his humor, the Lakeman paused on the hatches and thus spoke to the officer: + +“’Mr. Radney, I will not obey you. Take that hammer away, or look to yourself.’ But the predestinated mate coming still closer to him, where the Lakeman stood fixed, now shook the heavy hammer within an inch of his teeth; meanwhile repeating a string of insufferable maledictions. Retreating not the thousandth part of an inch; stabbing him in the eye with the unflinching poniard of his glance, Steelkilt, clenching his right hand behind him and creepingly drawing it back, told his persecutor that if the hammer but grazed his cheek he (Steelkilt) would murder him. But, gentlemen, the fool had been branded for the slaughter by the gods. Immediately the hammer touched the cheek; the next instant the lower jaw of the mate was stove in his head; he fell on the hatch spouting blood like a whale. + +“Ere the cry could go aft Steelkilt was shaking one of the backstays leading far aloft to where two of his comrades were standing their mastheads. They were both Canallers. + +“’Canallers!’ cried Don Pedro. ‘We have seen many whale-ships in our harbours, but never heard of your Canallers. Pardon: who and what are they?’ + +“’Canallers, Don, are the boatmen belonging to our grand Erie Canal. You must have heard of it.’ + +“’Nay, Senor; hereabouts in this dull, warm, most lazy, and hereditary land, we know but little of your vigorous North.’ + +“’Aye? Well then, Don, refill my cup. Your chicha’s very fine; and ere proceeding further I will tell ye what our Canallers are; for such information may throw side-light upon my story.’ + +“For three hundred and sixty miles, gentlemen, through the entire breadth of the state of New York; through numerous populous cities and most thriving villages; through long, dismal, uninhabited swamps, and affluent, cultivated fields, unrivalled for fertility; by billiard-room and bar-room; through the holy-of-holies of great forests; on Roman arches over Indian rivers; through sun and shade; by happy hearts or broken; through all the wide contrasting scenery of those noble Mohawk counties; and especially, by rows of snow-white chapels, whose spires stand almost like milestones, flows one continual stream of Venetianly corrupt and often lawless life. There’s your true Ashantee, gentlemen; there howl your pagans; where you ever find them, next door to you; under the long-flung shadow, and the snug patronising lee of churches. For by some curious fatality, as it is often noted of your metropolitan freebooters that they ever encamp around the halls of justice, so sinners, gentlemen, most abound in holiest vicinities. + +“’Is that a friar passing?’ said Don Pedro, looking downwards into the crowded plazza, with humorous concern. + +“’Well for our northern friend, Dame Isabella’s Inquisition wanes in Lima,’ laughed Don Sebastian. ‘Proceed, Senor.’ + +“’A moment! Pardon!’ cried another of the company. ‘In the name of all us Limeese, I but desire to express to you, sir sailor, that we have by no means overlooked your delicacy in not substituting present Lima for distant Venice in your corrupt comparison. Oh! do not bow and look surprised; you know the proverb all along this coast—”Corrupt as Lima.” It but bears out your saying, too; churches more plentiful than billiard-tables, and for ever open—and “Corrupt as Lima.” So, too, Venice; I have been there; the holy city of the blessed evangelist, St. Mark!—St. Dominic, purge it! Your cup! Thanks: here I refill; now, you pour out again.’ + +“Freely depicted in his own vocation, gentlemen, the Canaller would make a fine dramatic hero, so abundantly and picturesquely wicked is he. Like Mark Antony, for days and days along his green-turfed, flowery Nile, he indolently floats, openly toying with his red-cheeked Cleopatra, ripening his apricot thigh upon the sunny deck. But ashore, all this effeminacy is dashed. The brigandish guise which the Canaller so proudly sports; his slouched and gaily-ribboned hat betoken his grand features. A terror to the smiling innocence of the villages through which he floats; his swart visage and bold swagger are not unshunned in cities. Once a vagabond on his own canal, I have received good turns from one of these Canallers; I thank him heartily; would fain be not ungrateful; but it is often one of the prime redeeming qualities of your man of violence, that at times he has as stiff an arm to back a poor stranger in a strait, as to plunder a wealthy one. In sum, gentlemen, what the wildness of this canal life is, is emphatically evinced by this; that our wild whale-fishery contains so many of its most finished graduates, and that scarce any race of mankind, except Sydney men, are so much distrusted by our whaling captains. Nor does it at all diminish the curiousness of this matter, that to many thousands of our rural boys and young men born along its line, the probationary life of the Grand Canal furnishes the sole transition between quietly reaping in a Christian corn-field, and recklessly ploughing the waters of the most barbaric seas. + +“’I see! I see!’ impetuously exclaimed Don Pedro, spilling his chicha upon his silvery ruffles. ‘No need to travel! The world’s one Lima. I had thought, now, that at your temperate North the generations were cold and holy as the hills.—But the story.’ + +“I left off, gentlemen, where the Lakeman shook the backstay. Hardly had he done so, when he was surrounded by the three junior mates and the four harpooneers, who all crowded him to the deck. But sliding down the ropes like baleful comets, the two Canallers rushed into the uproar, and sought to drag their man out of it towards the forecastle. Others of the sailors joined with them in this attempt, and a twisted turmoil ensued; while standing out of harm’s way, the valiant captain danced up and down with a whale-pike, calling upon his officers to manhandle that atrocious scoundrel, and smoke him along to the quarter-deck. At intervals, he ran close up to the revolving border of the confusion, and prying into the heart of it with his pike, sought to prick out the object of his resentment. But Steelkilt and his desperadoes were too much for them all; they succeeded in gaining the forecastle deck, where, hastily slewing about three or four large casks in a line with the windlass, these sea-Parisians entrenched themselves behind the barricade. + +“’Come out of that, ye pirates!’ roared the captain, now menacing them with a pistol in each hand, just brought to him by the steward. ‘Come out of that, ye cut-throats!’ + +“Steelkilt leaped on the barricade, and striding up and down there, defied the worst the pistols could do; but gave the captain to understand distinctly, that his (Steelkilt’s) death would be the signal for a murderous mutiny on the part of all hands. Fearing in his heart lest this might prove but too true, the captain a little desisted, but still commanded the insurgents instantly to return to their duty. + +“’Will you promise not to touch us, if we do?’ demanded their ringleader. + +“’Turn to! turn to!—I make no promise;—to your duty! Do you want to sink the ship, by knocking off at a time like this? Turn to!’ and he once more raised a pistol. + +“’Sink the ship?’ cried Steelkilt. ‘Aye, let her sink. Not a man of us turns to, unless you swear not to raise a rope-yarn against us. What say ye, men?’ turning to his comrades. A fierce cheer was their response. + +“The Lakeman now patrolled the barricade, all the while keeping his eye on the Captain, and jerking out such sentences as these:—’It’s not our fault; we didn’t want it; I told him to take his hammer away; it was boy’s business; he might have known me before this; I told him not to prick the buffalo; I believe I have broken a finger here against his cursed jaw; ain’t those mincing knives down in the forecastle there, men? look to those handspikes, my hearties. Captain, by God, look to yourself; say the word; don’t be a fool; forget it all; we are ready to turn to; treat us decently, and we’re your men; but we won’t be flogged.’ + +“’Turn to! I make no promises, turn to, I say!’ + +“’Look ye, now,’ cried the Lakeman, flinging out his arm towards him, ‘there are a few of us here (and I am one of them) who have shipped for the cruise, d’ye see; now as you well know, sir, we can claim our discharge as soon as the anchor is down; so we don’t want a row; it’s not our interest; we want to be peaceable; we are ready to work, but we won’t be flogged.’ + +“’Turn to!’ roared the Captain. + +“Steelkilt glanced round him a moment, and then said:—’I tell you what it is now, Captain, rather than kill ye, and be hung for such a shabby rascal, we won’t lift a hand against ye unless ye attack us; but till you say the word about not flogging us, we don’t do a hand’s turn.’ + +“’Down into the forecastle then, down with ye, I’ll keep ye there till ye’re sick of it. Down ye go.’ + +“’Shall we?’ cried the ringleader to his men. Most of them were against it; but at length, in obedience to Steelkilt, they preceded him down into their dark den, growlingly disappearing, like bears into a cave. + +“As the Lakeman’s bare head was just level with the planks, the Captain and his posse leaped the barricade, and rapidly drawing over the slide of the scuttle, planted their group of hands upon it, and loudly called for the steward to bring the heavy brass padlock belonging to the companionway. + +“Then opening the slide a little, the Captain whispered something down the crack, closed it, and turned the key upon them—ten in number—leaving on deck some twenty or more, who thus far had remained neutral. + +“All night a wide-awake watch was kept by all the officers, forward and aft, especially about the forecastle scuttle and fore hatchway; at which last place it was feared the insurgents might emerge, after breaking through the bulkhead below. But the hours of darkness passed in peace; the men who still remained at their duty toiling hard at the pumps, whose clinking and clanking at intervals through the dreary night dismally resounded through the ship. + +“At sunrise the Captain went forward, and knocking on the deck, summoned the prisoners to work; but with a yell they refused. Water was then lowered down to them, and a couple of handfuls of biscuit were tossed after it; when again turning the key upon them and pocketing it, the Captain returned to the quarter-deck. Twice every day for three days this was repeated; but on the fourth morning a confused wrangling, and then a scuffling was heard, as the customary summons was delivered; and suddenly four men burst up from the forecastle, saying they were ready to turn to. The fetid closeness of the air, and a famishing diet, united perhaps to some fears of ultimate retribution, had constrained them to surrender at discretion. Emboldened by this, the Captain reiterated his demand to the rest, but Steelkilt shouted up to him a terrific hint to stop his babbling and betake himself where he belonged. On the fifth morning three others of the mutineers bolted up into the air from the desperate arms below that sought to restrain them. Only three were left. + +“’Better turn to, now?’ said the Captain with a heartless jeer. + +“’Shut us up again, will ye!’ cried Steelkilt. + +“’Oh certainly,’ said the Captain, and the key clicked. + +“It was at this point, gentlemen, that enraged by the defection of seven of his former associates, and stung by the mocking voice that had last hailed him, and maddened by his long entombment in a place as black as the bowels of despair; it was then that Steelkilt proposed to the two Canallers, thus far apparently of one mind with him, to burst out of their hole at the next summoning of the garrison; and armed with their keen mincing knives (long, crescentic, heavy implements with a handle at each end) run amuck from the bowsprit to the taffrail; and if by any devilishness of desperation possible, seize the ship. For himself, he would do this, he said, whether they joined him or not. That was the last night he should spend in that den. But the scheme met with no opposition on the part of the other two; they swore they were ready for that, or for any other mad thing, for anything in short but a surrender. And what was more, they each insisted upon being the first man on deck, when the time to make the rush should come. But to this their leader as fiercely objected, reserving that priority for himself; particularly as his two comrades would not yield, the one to the other, in the matter; and both of them could not be first, for the ladder would but admit one man at a time. And here, gentlemen, the foul play of these miscreants must come out. + +“Upon hearing the frantic project of their leader, each in his own separate soul had suddenly lighted, it would seem, upon the same piece of treachery, namely: to be foremost in breaking out, in order to be the first of the three, though the last of the ten, to surrender; and thereby secure whatever small chance of pardon such conduct might merit. But when Steelkilt made known his determination still to lead them to the last, they in some way, by some subtle chemistry of villany, mixed their before secret treacheries together; and when their leader fell into a doze, verbally opened their souls to each other in three sentences; and bound the sleeper with cords, and gagged him with cords; and shrieked out for the Captain at midnight. + +“Thinking murder at hand, and smelling in the dark for the blood, he and all his armed mates and harpooneers rushed for the forecastle. In a few minutes the scuttle was opened, and, bound hand and foot, the still struggling ringleader was shoved up into the air by his perfidious allies, who at once claimed the honour of securing a man who had been fully ripe for murder. But all these were collared, and dragged along the deck like dead cattle; and, side by side, were seized up into the mizzen rigging, like three quarters of meat, and there they hung till morning. ‘Damn ye,’ cried the Captain, pacing to and fro before them, ‘the vultures would not touch ye, ye villains!’ + +“At sunrise he summoned all hands; and separating those who had rebelled from those who had taken no part in the mutiny, he told the former that he had a good mind to flog them all round—thought, upon the whole, he would do so—he ought to—justice demanded it; but for the present, considering their timely surrender, he would let them go with a reprimand, which he accordingly administered in the vernacular. + +“’But as for you, ye carrion rogues,’ turning to the three men in the rigging—’for you, I mean to mince ye up for the try-pots;’ and, seizing a rope, he applied it with all his might to the backs of the two traitors, till they yelled no more, but lifelessly hung their heads sideways, as the two crucified thieves are drawn. + +“’My wrist is sprained with ye!’ he cried, at last; ‘but there is still rope enough left for you, my fine bantam, that wouldn’t give up. Take that gag from his mouth, and let us hear what he can say for himself.’ + +“For a moment the exhausted mutineer made a tremulous motion of his cramped jaws, and then painfully twisting round his head, said in a sort of hiss, ‘What I say is this—and mind it well—if you flog me, I murder you!’ + +“’Say ye so? then see how ye frighten me’—and the Captain drew off with the rope to strike. + +“’Best not,’ hissed the Lakeman. + +“’But I must,’—and the rope was once more drawn back for the stroke. + +“Steelkilt here hissed out something, inaudible to all but the Captain; who, to the amazement of all hands, started back, paced the deck rapidly two or three times, and then suddenly throwing down his rope, said, ‘I won’t do it—let him go—cut him down: d’ye hear?’ + +“But as the junior mates were hurrying to execute the order, a pale man, with a bandaged head, arrested them—Radney the chief mate. Ever since the blow, he had lain in his berth; but that morning, hearing the tumult on the deck, he had crept out, and thus far had watched the whole scene. Such was the state of his mouth, that he could hardly speak; but mumbling something about his being willing and able to do what the captain dared not attempt, he snatched the rope and advanced to his pinioned foe. + +“’You are a coward!’ hissed the Lakeman. + +“’So I am, but take that.’ The mate was in the very act of striking, when another hiss stayed his uplifted arm. He paused: and then pausing no more, made good his word, spite of Steelkilt’s threat, whatever that might have been. The three men were then cut down, all hands were turned to, and, sullenly worked by the moody seamen, the iron pumps clanged as before. + +“Just after dark that day, when one watch had retired below, a clamor was heard in the forecastle; and the two trembling traitors running up, besieged the cabin door, saying they durst not consort with the crew. Entreaties, cuffs, and kicks could not drive them back, so at their own instance they were put down in the ship’s run for salvation. Still, no sign of mutiny reappeared among the rest. On the contrary, it seemed, that mainly at Steelkilt’s instigation, they had resolved to maintain the strictest peacefulness, obey all orders to the last, and, when the ship reached port, desert her in a body. But in order to insure the speediest end to the voyage, they all agreed to another thing—namely, not to sing out for whales, in case any should be discovered. For, spite of her leak, and spite of all her other perils, the Town-Ho still maintained her mast-heads, and her captain was just as willing to lower for a fish that moment, as on the day his craft first struck the cruising ground; and Radney the mate was quite as ready to change his berth for a boat, and with his bandaged mouth seek to gag in death the vital jaw of the whale. + +“But though the Lakeman had induced the seamen to adopt this sort of passiveness in their conduct, he kept his own counsel (at least till all was over) concerning his own proper and private revenge upon the man who had stung him in the ventricles of his heart. He was in Radney the chief mate’s watch; and as if the infatuated man sought to run more than half way to meet his doom, after the scene at the rigging, he insisted, against the express counsel of the captain, upon resuming the head of his watch at night. Upon this, and one or two other circumstances, Steelkilt systematically built the plan of his revenge. + +“During the night, Radney had an unseamanlike way of sitting on the bulwarks of the quarter-deck, and leaning his arm upon the gunwale of the boat which was hoisted up there, a little above the ship’s side. In this attitude, it was well known, he sometimes dozed. There was a considerable vacancy between the boat and the ship, and down between this was the sea. Steelkilt calculated his time, and found that his next trick at the helm would come round at two o’clock, in the morning of the third day from that in which he had been betrayed. At his leisure, he employed the interval in braiding something very carefully in his watches below. + +“’What are you making there?’ said a shipmate. + +“’What do you think? what does it look like?’ + +“’Like a lanyard for your bag; but it’s an odd one, seems to me.’ + +“’Yes, rather oddish,’ said the Lakeman, holding it at arm’s length before him; ‘but I think it will answer. Shipmate, I haven’t enough twine,—have you any?’ + +“But there was none in the forecastle. + +“’Then I must get some from old Rad;’ and he rose to go aft. + +“’You don’t mean to go a begging to HIM!’ said a sailor. + +“’Why not? Do you think he won’t do me a turn, when it’s to help himself in the end, shipmate?’ and going to the mate, he looked at him quietly, and asked him for some twine to mend his hammock. It was given him—neither twine nor lanyard were seen again; but the next night an iron ball, closely netted, partly rolled from the pocket of the Lakeman’s monkey jacket, as he was tucking the coat into his hammock for a pillow. Twenty-four hours after, his trick at the silent helm—nigh to the man who was apt to doze over the grave always ready dug to the seaman’s hand—that fatal hour was then to come; and in the fore-ordaining soul of Steelkilt, the mate was already stark and stretched as a corpse, with his forehead crushed in. + +“But, gentlemen, a fool saved the would-be murderer from the bloody deed he had planned. Yet complete revenge he had, and without being the avenger. For by a mysterious fatality, Heaven itself seemed to step in to take out of his hands into its own the damning thing he would have done. + +“It was just between daybreak and sunrise of the morning of the second day, when they were washing down the decks, that a stupid Teneriffe man, drawing water in the main-chains, all at once shouted out, ‘There she rolls! there she rolls!’ Jesu, what a whale! It was Moby Dick. + +“’Moby Dick!’ cried Don Sebastian; ‘St. Dominic! Sir sailor, but do whales have christenings? Whom call you Moby Dick?’ + +“’A very white, and famous, and most deadly immortal monster, Don;—but that would be too long a story.’ + +“’How? how?’ cried all the young Spaniards, crowding. + +“’Nay, Dons, Dons—nay, nay! I cannot rehearse that now. Let me get more into the air, Sirs.’ + +“’The chicha! the chicha!’ cried Don Pedro; ‘our vigorous friend looks faint;—fill up his empty glass!’ + +“No need, gentlemen; one moment, and I proceed.—Now, gentlemen, so suddenly perceiving the snowy whale within fifty yards of the ship—forgetful of the compact among the crew—in the excitement of the moment, the Teneriffe man had instinctively and involuntarily lifted his voice for the monster, though for some little time past it had been plainly beheld from the three sullen mast-heads. All was now a phrensy. ‘The White Whale—the White Whale!’ was the cry from captain, mates, and harpooneers, who, undeterred by fearful rumours, were all anxious to capture so famous and precious a fish; while the dogged crew eyed askance, and with curses, the appalling beauty of the vast milky mass, that lit up by a horizontal spangling sun, shifted and glistened like a living opal in the blue morning sea. Gentlemen, a strange fatality pervades the whole career of these events, as if verily mapped out before the world itself was charted. The mutineer was the bowsman of the mate, and when fast to a fish, it was his duty to sit next him, while Radney stood up with his lance in the prow, and haul in or slacken the line, at the word of command. Moreover, when the four boats were lowered, the mate’s got the start; and none howled more fiercely with delight than did Steelkilt, as he strained at his oar. After a stiff pull, their harpooneer got fast, and, spear in hand, Radney sprang to the bow. He was always a furious man, it seems, in a boat. And now his bandaged cry was, to beach him on the whale’s topmost back. Nothing loath, his bowsman hauled him up and up, through a blinding foam that blent two whitenesses together; till of a sudden the boat struck as against a sunken ledge, and keeling over, spilled out the standing mate. That instant, as he fell on the whale’s slippery back, the boat righted, and was dashed aside by the swell, while Radney was tossed over into the sea, on the other flank of the whale. He struck out through the spray, and, for an instant, was dimly seen through that veil, wildly seeking to remove himself from the eye of Moby Dick. But the whale rushed round in a sudden maelstrom; seized the swimmer between his jaws; and rearing high up with him, plunged headlong again, and went down. + +“Meantime, at the first tap of the boat’s bottom, the Lakeman had slackened the line, so as to drop astern from the whirlpool; calmly looking on, he thought his own thoughts. But a sudden, terrific, downward jerking of the boat, quickly brought his knife to the line. He cut it; and the whale was free. But, at some distance, Moby Dick rose again, with some tatters of Radney’s red woollen shirt, caught in the teeth that had destroyed him. All four boats gave chase again; but the whale eluded them, and finally wholly disappeared. + +“In good time, the Town-Ho reached her port—a savage, solitary place—where no civilized creature resided. There, headed by the Lakeman, all but five or six of the foremastmen deliberately deserted among the palms; eventually, as it turned out, seizing a large double war-canoe of the savages, and setting sail for some other harbor. + +“The ship’s company being reduced to but a handful, the captain called upon the Islanders to assist him in the laborious business of heaving down the ship to stop the leak. But to such unresting vigilance over their dangerous allies was this small band of whites necessitated, both by night and by day, and so extreme was the hard work they underwent, that upon the vessel being ready again for sea, they were in such a weakened condition that the captain durst not put off with them in so heavy a vessel. After taking counsel with his officers, he anchored the ship as far off shore as possible; loaded and ran out his two cannon from the bows; stacked his muskets on the poop; and warning the Islanders not to approach the ship at their peril, took one man with him, and setting the sail of his best whale-boat, steered straight before the wind for Tahiti, five hundred miles distant, to procure a reinforcement to his crew. + +“On the fourth day of the sail, a large canoe was descried, which seemed to have touched at a low isle of corals. He steered away from it; but the savage craft bore down on him; and soon the voice of Steelkilt hailed him to heave to, or he would run him under water. The captain presented a pistol. With one foot on each prow of the yoked war-canoes, the Lakeman laughed him to scorn; assuring him that if the pistol so much as clicked in the lock, he would bury him in bubbles and foam. + +“’What do you want of me?’ cried the captain. + +“’Where are you bound? and for what are you bound?’ demanded Steelkilt; ‘no lies.’ + +“’I am bound to Tahiti for more men.’ + +“’Very good. Let me board you a moment—I come in peace.’ With that he leaped from the canoe, swam to the boat; and climbing the gunwale, stood face to face with the captain. + +“’Cross your arms, sir; throw back your head. Now, repeat after me. As soon as Steelkilt leaves me, I swear to beach this boat on yonder island, and remain there six days. If I do not, may lightning strike me!’ + +“’A pretty scholar,’ laughed the Lakeman. ‘Adios, Senor!’ and leaping into the sea, he swam back to his comrades. + +“Watching the boat till it was fairly beached, and drawn up to the roots of the cocoa-nut trees, Steelkilt made sail again, and in due time arrived at Tahiti, his own place of destination. There, luck befriended him; two ships were about to sail for France, and were providentially in want of precisely that number of men which the sailor headed. They embarked; and so for ever got the start of their former captain, had he been at all minded to work them legal retribution. + +“Some ten days after the French ships sailed, the whale-boat arrived, and the captain was forced to enlist some of the more civilized Tahitians, who had been somewhat used to the sea. Chartering a small native schooner, he returned with them to his vessel; and finding all right there, again resumed his cruisings. + +“Where Steelkilt now is, gentlemen, none know; but upon the island of Nantucket, the widow of Radney still turns to the sea which refuses to give up its dead; still in dreams sees the awful white whale that destroyed him. + +“’Are you through?’ said Don Sebastian, quietly. + +“’I am, Don.’ + +“’Then I entreat you, tell me if to the best of your own convictions, this your story is in substance really true? It is so passing wonderful! Did you get it from an unquestionable source? Bear with me if I seem to press.’ + +“’Also bear with all of us, sir sailor; for we all join in Don Sebastian’s suit,’ cried the company, with exceeding interest. + +“’Is there a copy of the Holy Evangelists in the Golden Inn, gentlemen?’ + +“’Nay,’ said Don Sebastian; ‘but I know a worthy priest near by, who will quickly procure one for me. I go for it; but are you well advised? this may grow too serious.’ + +“’Will you be so good as to bring the priest also, Don?’ + +“’Though there are no Auto-da-Fe’s in Lima now,’ said one of the company to another; ‘I fear our sailor friend runs risk of the archiepiscopacy. Let us withdraw more out of the moonlight. I see no need of this.’ + +“’Excuse me for running after you, Don Sebastian; but may I also beg that you will be particular in procuring the largest sized Evangelists you can.’ + +“’This is the priest, he brings you the Evangelists,’ said Don Sebastian, gravely, returning with a tall and solemn figure. + +“’Let me remove my hat. Now, venerable priest, further into the light, and hold the Holy Book before me that I may touch it. + +“’So help me Heaven, and on my honour the story I have told ye, gentlemen, is in substance and its great items, true. I know it to be true; it happened on this ball; I trod the ship; I knew the crew; I have seen and talked with Steelkilt since the death of Radney.’” + +CHAPTER 55. Of the Monstrous Pictures of Whales. + +I shall ere long paint to you as well as one can without canvas, something like the true form of the whale as he actually appears to the eye of the whaleman when in his own absolute body the whale is moored alongside the whale-ship so that he can be fairly stepped upon there. It may be worth while, therefore, previously to advert to those curious imaginary portraits of him which even down to the present day confidently challenge the faith of the landsman. It is time to set the world right in this matter, by proving such pictures of the whale all wrong. + +It may be that the primal source of all those pictorial delusions will be found among the oldest Hindoo, Egyptian, and Grecian sculptures. For ever since those inventive but unscrupulous times when on the marble panellings of temples, the pedestals of statues, and on shields, medallions, cups, and coins, the dolphin was drawn in scales of chain-armor like Saladin’s, and a helmeted head like St. George’s; ever since then has something of the same sort of license prevailed, not only in most popular pictures of the whale, but in many scientific presentations of him. + +Now, by all odds, the most ancient extant portrait anyways purporting to be the whale’s, is to be found in the famous cavern-pagoda of Elephanta, in India. The Brahmins maintain that in the almost endless sculptures of that immemorial pagoda, all the trades and pursuits, every conceivable avocation of man, were prefigured ages before any of them actually came into being. No wonder then, that in some sort our noble profession of whaling should have been there shadowed forth. The Hindoo whale referred to, occurs in a separate department of the wall, depicting the incarnation of Vishnu in the form of leviathan, learnedly known as the Matse Avatar. But though this sculpture is half man and half whale, so as only to give the tail of the latter, yet that small section of him is all wrong. It looks more like the tapering tail of an anaconda, than the broad palms of the true whale’s majestic flukes. + +But go to the old Galleries, and look now at a great Christian painter’s portrait of this fish; for he succeeds no better than the antediluvian Hindoo. It is Guido’s picture of Perseus rescuing Andromeda from the sea-monster or whale. Where did Guido get the model of such a strange creature as that? Nor does Hogarth, in painting the same scene in his own “Perseus Descending,” make out one whit better. The huge corpulence of that Hogarthian monster undulates on the surface, scarcely drawing one inch of water. It has a sort of howdah on its back, and its distended tusked mouth into which the billows are rolling, might be taken for the Traitors’ Gate leading from the Thames by water into the Tower. Then, there are the Prodromus whales of old Scotch Sibbald, and Jonah’s whale, as depicted in the prints of old Bibles and the cuts of old primers. What shall be said of these? As for the book-binder’s whale winding like a vine-stalk round the stock of a descending anchor—as stamped and gilded on the backs and title-pages of many books both old and new—that is a very picturesque but purely fabulous creature, imitated, I take it, from the like figures on antique vases. Though universally denominated a dolphin, I nevertheless call this book-binder’s fish an attempt at a whale; because it was so intended when the device was first introduced. It was introduced by an old Italian publisher somewhere about the 15th century, during the Revival of Learning; and in those days, and even down to a comparatively late period, dolphins were popularly supposed to be a species of the Leviathan. + +In the vignettes and other embellishments of some ancient books you will at times meet with very curious touches at the whale, where all manner of spouts, jets d’eau, hot springs and cold, Saratoga and Baden-Baden, come bubbling up from his unexhausted brain. In the title-page of the original edition of the “Advancement of Learning” you will find some curious whales. + +But quitting all these unprofessional attempts, let us glance at those pictures of leviathan purporting to be sober, scientific delineations, by those who know. In old Harris’s collection of voyages there are some plates of whales extracted from a Dutch book of voyages, A.D. 1671, entitled “A Whaling Voyage to Spitzbergen in the ship Jonas in the Whale, Peter Peterson of Friesland, master.” In one of those plates the whales, like great rafts of logs, are represented lying among ice-isles, with white bears running over their living backs. In another plate, the prodigious blunder is made of representing the whale with perpendicular flukes. + +Then again, there is an imposing quarto, written by one Captain Colnett, a Post Captain in the English navy, entitled “A Voyage round Cape Horn into the South Seas, for the purpose of extending the Spermaceti Whale Fisheries.” In this book is an outline purporting to be a “Picture of a Physeter or Spermaceti whale, drawn by scale from one killed on the coast of Mexico, August, 1793, and hoisted on deck.” I doubt not the captain had this veracious picture taken for the benefit of his marines. To mention but one thing about it, let me say that it has an eye which applied, according to the accompanying scale, to a full grown sperm whale, would make the eye of that whale a bow-window some five feet long. Ah, my gallant captain, why did ye not give us Jonah looking out of that eye! + +Nor are the most conscientious compilations of Natural History for the benefit of the young and tender, free from the same heinousness of mistake. Look at that popular work “Goldsmith’s Animated Nature.” In the abridged London edition of 1807, there are plates of an alleged “whale” and a “narwhale.” I do not wish to seem inelegant, but this unsightly whale looks much like an amputated sow; and, as for the narwhale, one glimpse at it is enough to amaze one, that in this nineteenth century such a hippogriff could be palmed for genuine upon any intelligent public of schoolboys. + +Then, again, in 1825, Bernard Germain, Count de Lacepede, a great naturalist, published a scientific systemized whale book, wherein are several pictures of the different species of the Leviathan. All these are not only incorrect, but the picture of the Mysticetus or Greenland whale (that is to say, the Right whale), even Scoresby, a long experienced man as touching that species, declares not to have its counterpart in nature. + +But the placing of the cap-sheaf to all this blundering business was reserved for the scientific Frederick Cuvier, brother to the famous Baron. In 1836, he published a Natural History of Whales, in which he gives what he calls a picture of the Sperm Whale. Before showing that picture to any Nantucketer, you had best provide for your summary retreat from Nantucket. In a word, Frederick Cuvier’s Sperm Whale is not a Sperm Whale, but a squash. Of course, he never had the benefit of a whaling voyage (such men seldom have), but whence he derived that picture, who can tell? Perhaps he got it as his scientific predecessor in the same field, Desmarest, got one of his authentic abortions; that is, from a Chinese drawing. And what sort of lively lads with the pencil those Chinese are, many queer cups and saucers inform us. + +As for the sign-painters’ whales seen in the streets hanging over the shops of oil-dealers, what shall be said of them? They are generally Richard III. whales, with dromedary humps, and very savage; breakfasting on three or four sailor tarts, that is whaleboats full of mariners: their deformities floundering in seas of blood and blue paint. + +But these manifold mistakes in depicting the whale are not so very surprising after all. Consider! Most of the scientific drawings have been taken from the stranded fish; and these are about as correct as a drawing of a wrecked ship, with broken back, would correctly represent the noble animal itself in all its undashed pride of hull and spars. Though elephants have stood for their full-lengths, the living Leviathan has never yet fairly floated himself for his portrait. The living whale, in his full majesty and significance, is only to be seen at sea in unfathomable waters; and afloat the vast bulk of him is out of sight, like a launched line-of-battle ship; and out of that element it is a thing eternally impossible for mortal man to hoist him bodily into the air, so as to preserve all his mighty swells and undulations. And, not to speak of the highly presumable difference of contour between a young sucking whale and a full-grown Platonian Leviathan; yet, even in the case of one of those young sucking whales hoisted to a ship’s deck, such is then the outlandish, eel-like, limbered, varying shape of him, that his precise expression the devil himself could not catch. + +But it may be fancied, that from the naked skeleton of the stranded whale, accurate hints may be derived touching his true form. Not at all. For it is one of the more curious things about this Leviathan, that his skeleton gives very little idea of his general shape. Though Jeremy Bentham’s skeleton, which hangs for candelabra in the library of one of his executors, correctly conveys the idea of a burly-browed utilitarian old gentleman, with all Jeremy’s other leading personal characteristics; yet nothing of this kind could be inferred from any leviathan’s articulated bones. In fact, as the great Hunter says, the mere skeleton of the whale bears the same relation to the fully invested and padded animal as the insect does to the chrysalis that so roundingly envelopes it. This peculiarity is strikingly evinced in the head, as in some part of this blog will be incidentally shown. It is also very curiously displayed in the side fin, the bones of which almost exactly answer to the bones of the human hand, minus only the thumb. This fin has four regular bone-fingers, the index, middle, ring, and little finger. But all these are permanently lodged in their fleshy covering, as the human fingers in an artificial covering. “However recklessly the whale may sometimes serve us,” said humorous Stubb one day, “he can never be truly said to handle us without mittens.” + +For all these reasons, then, any way you may look at it, you must needs conclude that the great Leviathan is that one creature in the world which must remain unpainted to the last. True, one portrait may hit the mark much nearer than another, but none can hit it with any very considerable degree of exactness. So there is no earthly way of finding out precisely what the whale really looks like. And the only mode in which you can derive even a tolerable idea of his living contour, is by going a whaling yourself; but by so doing, you run no small risk of being eternally stove and sunk by him. Wherefore, it seems to me you had best not be too fastidious in your curiosity touching this Leviathan. + +CHAPTER 56. Of the Less Erroneous Pictures of Whales, and the True Pictures of Whaling Scenes. + +In connexion with the monstrous pictures of whales, I am strongly tempted here to enter upon those still more monstrous stories of them which are to be found in certain books, both ancient and modern, especially in Pliny, Purchas, Hackluyt, Harris, Cuvier, etc. But I pass that matter by. + +I know of only four published outlines of the great Sperm Whale; Colnett’s, Huggins’s, Frederick Cuvier’s, and Beale’s. In the previous chapter Colnett and Cuvier have been referred to. Huggins’s is far better than theirs; but, by great odds, Beale’s is the best. All Beale’s drawings of this whale are good, excepting the middle figure in the picture of three whales in various attitudes, capping his second chapter. His frontispiece, boats attacking Sperm Whales, though no doubt calculated to excite the civil scepticism of some parlor men, is admirably correct and life-like in its general effect. Some of the Sperm Whale drawings in J. Ross Browne are pretty correct in contour; but they are wretchedly engraved. That is not his fault though. + +Of the Right Whale, the best outline pictures are in Scoresby; but they are drawn on too small a scale to convey a desirable impression. He has but one picture of whaling scenes, and this is a sad deficiency, because it is by such pictures only, when at all well done, that you can derive anything like a truthful idea of the living whale as seen by his living hunters. + +But, taken for all in all, by far the finest, though in some details not the most correct, presentations of whales and whaling scenes to be anywhere found, are two large French engravings, well executed, and taken from paintings by one Garnery. Respectively, they represent attacks on the Sperm and Right Whale. In the first engraving a noble Sperm Whale is depicted in full majesty of might, just risen beneath the boat from the profundities of the ocean, and bearing high in the air upon his back the terrific wreck of the stoven planks. The prow of the boat is partially unbroken, and is drawn just balancing upon the monster’s spine; and standing in that prow, for that one single incomputable flash of time, you behold an oarsman, half shrouded by the incensed boiling spout of the whale, and in the act of leaping, as if from a precipice. The action of the whole thing is wonderfully good and true. The half-emptied line-tub floats on the whitened sea; the wooden poles of the spilled harpoons obliquely bob in it; the heads of the swimming crew are scattered about the whale in contrasting expressions of affright; while in the black stormy distance the ship is bearing down upon the scene. Serious fault might be found with the anatomical details of this whale, but let that pass; since, for the life of me, I could not draw so good a one. + +In the second engraving, the boat is in the act of drawing alongside the barnacled flank of a large running Right Whale, that rolls his black weedy bulk in the sea like some mossy rock-slide from the Patagonian cliffs. His jets are erect, full, and black like soot; so that from so abounding a smoke in the chimney, you would think there must be a brave supper cooking in the great bowels below. Sea fowls are pecking at the small crabs, shell-fish, and other sea candies and maccaroni, which the Right Whale sometimes carries on his pestilent back. And all the while the thick-lipped leviathan is rushing through the deep, leaving tons of tumultuous white curds in his wake, and causing the slight boat to rock in the swells like a skiff caught nigh the paddle-wheels of an ocean steamer. Thus, the foreground is all raging commotion; but behind, in admirable artistic contrast, is the glassy level of a sea becalmed, the drooping unstarched sails of the powerless ship, and the inert mass of a dead whale, a conquered fortress, with the flag of capture lazily hanging from the whale-pole inserted into his spout-hole. + +Who Garnery the painter is, or was, I know not. But my life for it he was either practically conversant with his subject, or else marvellously tutored by some experienced whaleman. The French are the lads for painting action. Go and gaze upon all the paintings of Europe, and where will you find such a gallery of living and breathing commotion on canvas, as in that triumphal hall at Versailles; where the beholder fights his way, pell-mell, through the consecutive great battles of France; where every sword seems a flash of the Northern Lights, and the successive armed kings and Emperors dash by, like a charge of crowned centaurs? Not wholly unworthy of a place in that gallery, are these sea battle-pieces of Garnery. + +The natural aptitude of the French for seizing the picturesqueness of things seems to be peculiarly evinced in what paintings and engravings they have of their whaling scenes. With not one tenth of England’s experience in the fishery, and not the thousandth part of that of the Americans, they have nevertheless furnished both nations with the only finished sketches at all capable of conveying the real spirit of the whale hunt. For the most part, the English and American whale draughtsmen seem entirely content with presenting the mechanical outline of things, such as the vacant profile of the whale; which, so far as picturesqueness of effect is concerned, is about tantamount to sketching the profile of a pyramid. Even Scoresby, the justly renowned Right whaleman, after giving us a stiff full length of the Greenland whale, and three or four delicate miniatures of narwhales and porpoises, treats us to a series of classical engravings of boat hooks, chopping knives, and grapnels; and with the microscopic diligence of a Leuwenhoeck submits to the inspection of a shivering world ninety-six fac-similes of magnified Arctic snow crystals. I mean no disparagement to the excellent voyager (I honour him for a veteran), but in so important a matter it was certainly an oversight not to have procured for every crystal a sworn affidavit taken before a Greenland Justice of the Peace. + +In addition to those fine engravings from Garnery, there are two other French engravings worthy of note, by some one who subscribes himself “H. Durand.” One of them, though not precisely adapted to our present purpose, nevertheless deserves mention on other accounts. It is a quiet noon-scene among the isles of the Pacific; a French whaler anchored, inshore, in a calm, and lazily taking water on board; the loosened sails of the ship, and the long leaves of the palms in the background, both drooping together in the breezeless air. The effect is very fine, when considered with reference to its presenting the hardy fishermen under one of their few aspects of oriental repose. The other engraving is quite a different affair: the ship hove-to upon the open sea, and in the very heart of the Leviathanic life, with a Right Whale alongside; the vessel (in the act of cutting-in) hove over to the monster as if to a quay; and a boat, hurriedly pushing off from this scene of activity, is about giving chase to whales in the distance. The harpoons and lances lie levelled for use; three oarsmen are just setting the mast in its hole; while from a sudden roll of the sea, the little craft stands half-erect out of the water, like a rearing horse. From the ship, the smoke of the torments of the boiling whale is going up like the smoke over a village of smithies; and to windward, a black cloud, rising up with earnest of squalls and rains, seems to quicken the activity of the excited seamen. + +CHAPTER 57. Of Whales in Paint; in Teeth; in Wood; in Sheet-Iron; in Stone; in Mountains; in Stars. + +On Tower-hill, as you go down to the London docks, you may have seen a crippled beggar (or KEDGER, as the sailors say) holding a painted board before him, representing the tragic scene in which he lost his leg. There are three whales and three boats; and one of the boats (presumed to contain the missing leg in all its original integrity) is being crunched by the jaws of the foremost whale. Any time these ten years, they tell me, has that man held up that picture, and exhibited that stump to an incredulous world. But the time of his justification has now come. His three whales are as good whales as were ever published in Wapping, at any rate; and his stump as unquestionable a stump as any you will find in the western clearings. But, though for ever mounted on that stump, never a stump-speech does the poor whaleman make; but, with downcast eyes, stands ruefully contemplating his own amputation. + +Throughout the Pacific, and also in Nantucket, and New Bedford, and Sag Harbor, you will come across lively sketches of whales and whaling-scenes, graven by the fishermen themselves on Sperm Whale-teeth, or ladies’ busks wrought out of the Right Whale-bone, and other like skrimshander articles, as the whalemen call the numerous little ingenious contrivances they elaborately carve out of the rough material, in their hours of ocean leisure. Some of them have little boxes of dentistical-looking implements, specially intended for the skrimshandering business. But, in general, they toil with their jack-knives alone; and, with that almost omnipotent tool of the sailor, they will turn you out anything you please, in the way of a mariner’s fancy. + +Long exile from Christendom and civilization inevitably restores a man to that condition in which God placed him, i.e. what is called savagery. Your true whale-hunter is as much a savage as an Iroquois. I myself am a savage, owning no allegiance but to the King of the Cannibals; and ready at any moment to rebel against him. + +Now, one of the peculiar characteristics of the savage in his domestic hours, is his wonderful patience of industry. An ancient Hawaiian war-club or spear-paddle, in its full multiplicity and elaboration of carving, is as great a trophy of human perseverance as a Latin lexicon. For, with but a bit of broken sea-shell or a shark’s tooth, that miraculous intricacy of wooden net-work has been achieved; and it has cost steady years of steady application. + +As with the Hawaiian savage, so with the white sailor-savage. With the same marvellous patience, and with the same single shark’s tooth, of his one poor jack-knife, he will carve you a bit of bone sculpture, not quite as workmanlike, but as close packed in its maziness of design, as the Greek savage, Achilles’s shield; and full of barbaric spirit and suggestiveness, as the prints of that fine old Dutch savage, Albert Durer. + +Wooden whales, or whales cut in profile out of the small dark slabs of the noble South Sea war-wood, are frequently met with in the forecastles of American whalers. Some of them are done with much accuracy. + +At some old gable-roofed country houses you will see brass whales hung by the tail for knockers to the road-side door. When the porter is sleepy, the anvil-headed whale would be best. But these knocking whales are seldom remarkable as faithful essays. On the spires of some old-fashioned churches you will see sheet-iron whales placed there for weather-cocks; but they are so elevated, and besides that are to all intents and purposes so labelled with “HANDS OFF!” you cannot examine them closely enough to decide upon their merit. + +In bony, ribby regions of the earth, where at the base of high broken cliffs masses of rock lie strewn in fantastic groupings upon the plain, you will often discover images as of the petrified forms of the Leviathan partly merged in grass, which of a windy day breaks against them in a surf of green surges. + +Then, again, in mountainous countries where the traveller is continually girdled by amphitheatrical heights; here and there from some lucky point of view you will catch passing glimpses of the profiles of whales defined along the undulating ridges. But you must be a thorough whaleman, to see these sights; and not only that, but if you wish to return to such a sight again, you must be sure and take the exact intersecting latitude and longitude of your first stand-point, else so chance-like are such observations of the hills, that your precise, previous stand-point would require a laborious re-discovery; like the Soloma Islands, which still remain incognita, though once high-ruffed Mendanna trod them and old Figuera chronicled them. + +Nor when expandingly lifted by your subject, can you fail to trace out great whales in the starry heavens, and boats in pursuit of them; as when long filled with thoughts of war the Eastern nations saw armies locked in battle among the clouds. Thus at the North have I chased Leviathan round and round the Pole with the revolutions of the bright points that first defined him to me. And beneath the effulgent Antarctic skies I have boarded the Argo-Navis, and joined the chase against the starry Cetus far beyond the utmost stretch of Hydrus and the Flying Fish. + +With a frigate’s anchors for my bridle-bitts and fasces of harpoons for spurs, would I could mount that whale and leap the topmost skies, to see whether the fabled heavens with all their countless tents really lie encamped beyond my mortal sight! + +CHAPTER 58. Brit. + +Steering north-eastward from the Crozetts, we fell in with vast meadows of brit, the minute, yellow substance, upon which the Right Whale largely feeds. For leagues and leagues it undulated round us, so that we seemed to be sailing through boundless fields of ripe and golden wheat. + +On the second day, numbers of Right Whales were seen, who, secure from the attack of a Sperm Whaler like the Pequod, with open jaws sluggishly swam through the brit, which, adhering to the fringing fibres of that wondrous Venetian blind in their mouths, was in that manner separated from the water that escaped at the lip. + +As morning mowers, who side by side slowly and seethingly advance their scythes through the long wet grass of marshy meads; even so these monsters swam, making a strange, grassy, cutting sound; and leaving behind them endless swaths of blue upon the yellow sea.* + +*That part of the sea known among whalemen as the “Brazil Banks” does not bear that name as the Banks of Newfoundland do, because of there being shallows and soundings there, but because of this remarkable meadow-like appearance, caused by the vast drifts of brit continually floating in those latitudes, where the Right Whale is often chased. + +But it was only the sound they made as they parted the brit which at all reminded one of mowers. Seen from the mast-heads, especially when they paused and were stationary for a while, their vast black forms looked more like lifeless masses of rock than anything else. And as in the great hunting countries of India, the stranger at a distance will sometimes pass on the plains recumbent elephants without knowing them to be such, taking them for bare, blackened elevations of the soil; even so, often, with him, who for the first time beholds this species of the leviathans of the sea. And even when recognised at last, their immense magnitude renders it very hard really to believe that such bulky masses of overgrowth can possibly be instinct, in all parts, with the same sort of life that lives in a dog or a horse. + +Indeed, in other respects, you can hardly regard any creatures of the deep with the same feelings that you do those of the shore. For though some old naturalists have maintained that all creatures of the land are of their kind in the sea; and though taking a broad general view of the thing, this may very well be; yet coming to specialties, where, for example, does the ocean furnish any fish that in disposition answers to the sagacious kindness of the dog? The accursed shark alone can in any generic respect be said to bear comparative analogy to him. + +But though, to landsmen in general, the native inhabitants of the seas have ever been regarded with emotions unspeakably unsocial and repelling; though we know the sea to be an everlasting terra incognita, so that Columbus sailed over numberless unknown worlds to discover his one superficial western one; though, by vast odds, the most terrific of all mortal disasters have immemorially and indiscriminately befallen tens and hundreds of thousands of those who have gone upon the waters; though but a moment’s consideration will teach, that however baby man may brag of his science and skill, and however much, in a flattering future, that science and skill may augment; yet for ever and for ever, to the crack of doom, the sea will insult and murder him, and pulverize the stateliest, stiffest frigate he can make; nevertheless, by the continual repetition of these very impressions, man has lost that sense of the full awfulness of the sea which aboriginally belongs to it. + +The first boat we read of, floated on an ocean, that with Portuguese vengeance had whelmed a whole world without leaving so much as a widow. That same ocean rolls now; that same ocean destroyed the wrecked ships of last year. Yea, foolish mortals, Noah’s flood is not yet subsided; two thirds of the fair world it yet covers. + +Wherein differ the sea and the land, that a miracle upon one is not a miracle upon the other? Preternatural terrors rested upon the Hebrews, when under the feet of Korah and his company the live ground opened and swallowed them up for ever; yet not a modern sun ever sets, but in precisely the same manner the live sea swallows up ships and crews. + +But not only is the sea such a foe to man who is an alien to it, but it is also a fiend to its own off-spring; worse than the Persian host who murdered his own guests; sparing not the creatures which itself hath spawned. Like a savage tigress that tossing in the jungle overlays her own cubs, so the sea dashes even the mightiest whales against the rocks, and leaves them there side by side with the split wrecks of ships. No mercy, no power but its own controls it. Panting and snorting like a mad battle steed that has lost its rider, the masterless ocean overruns the globe. + +Consider the subtleness of the sea; how its most dreaded creatures glide under water, unapparent for the most part, and treacherously hidden beneath the loveliest tints of azure. Consider also the devilish brilliance and beauty of many of its most remorseless tribes, as the dainty embellished shape of many species of sharks. Consider, once more, the universal cannibalism of the sea; all whose creatures prey upon each other, carrying on eternal war since the world began. + +Consider all this; and then turn to this green, gentle, and most docile earth; consider them both, the sea and the land; and do you not find a strange analogy to something in yourself? For as this appalling ocean surrounds the verdant land, so in the soul of man there lies one insular Tahiti, full of peace and joy, but encompassed by all the horrors of the half known life. God keep thee! Push not off from that isle, thou canst never return! + +CHAPTER 59. Squid. + +Slowly wading through the meadows of brit, the Pequod still held on her way north-eastward towards the island of Java; a gentle air impelling her keel, so that in the surrounding serenity her three tall tapering masts mildly waved to that languid breeze, as three mild palms on a plain. And still, at wide intervals in the silvery night, the lonely, alluring jet would be seen. + +But one transparent blue morning, when a stillness almost preternatural spread over the sea, however unattended with any stagnant calm; when the long burnished sun-glade on the waters seemed a golden finger laid across them, enjoining some secrecy; when the slippered waves whispered together as they softly ran on; in this profound hush of the visible sphere a strange spectre was seen by Daggoo from the main-mast-head. + +In the distance, a great white mass lazily rose, and rising higher and higher, and disentangling itself from the azure, at last gleamed before our prow like a snow-slide, new slid from the hills. Thus glistening for a moment, as slowly it subsided, and sank. Then once more arose, and silently gleamed. It seemed not a whale; and yet is this Moby Dick? thought Daggoo. Again the phantom went down, but on re-appearing once more, with a stiletto-like cry that startled every man from his nod, the negro yelled out—”There! there again! there she breaches! right ahead! The White Whale, the White Whale!” + +Upon this, the seamen rushed to the yard-arms, as in swarming-time the bees rush to the boughs. Bare-headed in the sultry sun, Ahab stood on the bowsprit, and with one hand pushed far behind in readiness to wave his orders to the helmsman, cast his eager glance in the direction indicated aloft by the outstretched motionless arm of Daggoo. + +Whether the flitting attendance of the one still and solitary jet had gradually worked upon Ahab, so that he was now prepared to connect the ideas of mildness and repose with the first sight of the particular whale he pursued; however this was, or whether his eagerness betrayed him; whichever way it might have been, no sooner did he distinctly perceive the white mass, than with a quick intensity he instantly gave orders for lowering. + +The four boats were soon on the water; Ahab’s in advance, and all swiftly pulling towards their prey. Soon it went down, and while, with oars suspended, we were awaiting its reappearance, lo! in the same spot where it sank, once more it slowly rose. Almost forgetting for the moment all thoughts of Moby Dick, we now gazed at the most wondrous phenomenon which the secret seas have hitherto revealed to mankind. A vast pulpy mass, furlongs in length and breadth, of a glancing cream-colour, lay floating on the water, innumerable long arms radiating from its centre, and curling and twisting like a nest of anacondas, as if blindly to clutch at any hapless object within reach. No perceptible face or front did it have; no conceivable token of either sensation or instinct; but undulated there on the billows, an unearthly, formless, chance-like apparition of life. + +As with a low sucking sound it slowly disappeared again, Starbuck still gazing at the agitated waters where it had sunk, with a wild voice exclaimed—”Almost rather had I seen Moby Dick and fought him, than to have seen thee, thou white ghost!” + +“What was it, Sir?” said Flask. + +“The great live squid, which, they say, few whale-ships ever beheld, and returned to their ports to tell of it.” + +But Ahab said nothing; turning his boat, he sailed back to the vessel; the rest as silently following. + +Whatever superstitions the sperm whalemen in general have connected with the sight of this object, certain it is, that a glimpse of it being so very unusual, that circumstance has gone far to invest it with portentousness. So rarely is it beheld, that though one and all of them declare it to be the largest animated thing in the ocean, yet very few of them have any but the most vague ideas concerning its true nature and form; notwithstanding, they believe it to furnish to the sperm whale his only food. For though other species of whales find their food above water, and may be seen by man in the act of feeding, the spermaceti whale obtains his whole food in unknown zones below the surface; and only by inference is it that any one can tell of what, precisely, that food consists. At times, when closely pursued, he will disgorge what are supposed to be the detached arms of the squid; some of them thus exhibited exceeding twenty and thirty feet in length. They fancy that the monster to which these arms belonged ordinarily clings by them to the bed of the ocean; and that the sperm whale, unlike other species, is supplied with teeth in order to attack and tear it. + +There seems some ground to imagine that the great Kraken of Bishop Pontoppodan may ultimately resolve itself into Squid. The manner in which the Bishop describes it, as alternately rising and sinking, with some other particulars he narrates, in all this the two correspond. But much abatement is necessary with respect to the incredible bulk he assigns it. + +By some naturalists who have vaguely heard rumors of the mysterious creature, here spoken of, it is included among the class of cuttle-fish, to which, indeed, in certain external respects it would seem to belong, but only as the Anak of the tribe. + +CHAPTER 60. The Line. + +With reference to the whaling scene shortly to be described, as well as for the better understanding of all similar scenes elsewhere presented, I have here to speak of the magical, sometimes horrible whale-line. + +The line originally used in the fishery was of the best hemp, slightly vapoured with tar, not impregnated with it, as in the case of ordinary ropes; for while tar, as ordinarily used, makes the hemp more pliable to the rope-maker, and also renders the rope itself more convenient to the sailor for common ship use; yet, not only would the ordinary quantity too much stiffen the whale-line for the close coiling to which it must be subjected; but as most seamen are beginning to learn, tar in general by no means adds to the rope’s durability or strength, however much it may give it compactness and gloss. + +Of late years the Manilla rope has in the American fishery almost entirely superseded hemp as a material for whale-lines; for, though not so durable as hemp, it is stronger, and far more soft and elastic; and I will add (since there is an aesthetics in all things), is much more handsome and becoming to the boat, than hemp. Hemp is a dusky, dark fellow, a sort of Indian; but Manilla is as a golden-haired Circassian to behold. + +All men live enveloped in the whale-lines. All are born with halters round their necks; but it is only when caught in the swift, sudden turn of death, that mortals realize the silent, subtle, ever-present perils of life. +The whale-line is only two-thirds of an inch in thickness. At first sight, you would not think it so strong as it really is. By experiment its one and fifty yarns will each suspend a weight of one hundred and twenty pounds; so that the whole rope will bear a strain nearly equal to three tons. In length, the common sperm whale-line measures something over two hundred fathoms. Towards the stern of the boat it is spirally coiled away in the tub, not like the worm-pipe of a still though, but so as to form one round, cheese-shaped mass of densely bedded “sheaves,” or layers of concentric spiralizations, without any hollow but the “heart,” or minute vertical tube formed at the axis of the cheese. As the least tangle or kink in the coiling would, in running out, infallibly take somebody’s arm, leg, or entire body off, the utmost precaution is used in stowing the line in its tub. Some harpooneers will consume almost an entire morning in this business, carrying the line high aloft and then reeving it downwards through a block towards the tub, so as in the act of coiling to free it from all possible wrinkles and twists. + +In the English boats two tubs are used instead of one; the same line being continuously coiled in both tubs. There is some advantage in this; because these twin-tubs being so small they fit more readily into the boat, and do not strain it so much; whereas, the American tub, nearly three feet in diameter and of proportionate depth, makes a rather bulky freight for a craft whose planks are but one half-inch in thickness; for the bottom of the whale-boat is like critical ice, which will bear up a considerable distributed weight, but not very much of a concentrated one. When the painted canvas cover is clapped on the American line-tub, the boat looks as if it were pulling off with a prodigious great wedding-cake to present to the whales. + +Both ends of the line are exposed; the lower end terminating in an eye-splice or loop coming up from the bottom against the side of the tub, and hanging over its edge completely disengaged from everything. This arrangement of the lower end is necessary on two accounts. First: In order to facilitate the fastening to it of an additional line from a neighboring boat, in case the stricken whale should sound so deep as to threaten to carry off the entire line originally attached to the harpoon. In these instances, the whale of course is shifted like a mug of ale, as it were, from the one boat to the other; though the first boat always hovers at hand to assist its consort. Second: This arrangement is indispensable for common safety’s sake; for were the lower end of the line in any way attached to the boat, and were the whale then to run the line out to the end almost in a single, smoking minute as he sometimes does, he would not stop there, for the doomed boat would infallibly be dragged down after him into the profundity of the sea; and in that case no town-crier would ever find her again. + +Before lowering the boat for the chase, the upper end of the line is taken aft from the tub, and passing round the loggerhead there, is again carried forward the entire length of the boat, resting crosswise upon the loom or handle of every man’s oar, so that it jogs against his wrist in rowing; and also passing between the men, as they alternately sit at the opposite gunwales, to the leaded chocks or grooves in the extreme pointed prow of the boat, where a wooden pin or skewer the size of a common quill, prevents it from slipping out. From the chocks it hangs in a slight festoon over the bows, and is then passed inside the boat again; and some ten or twenty fathoms (called box-line) being coiled upon the box in the bows, it continues its way to the gunwale still a little further aft, and is then attached to the short-warp—the rope which is immediately connected with the harpoon; but previous to that connexion, the short-warp goes through sundry mystifications too tedious to detail. + +Thus the whale-line folds the whole boat in its complicated coils, twisting and writhing around it in almost every direction. All the oarsmen are involved in its perilous contortions; so that to the timid eye of the landsman, they seem as Indian jugglers, with the deadliest snakes sportively festooning their limbs. Nor can any son of mortal woman, for the first time, seat himself amid those hempen intricacies, and while straining his utmost at the oar, bethink him that at any unknown instant the harpoon may be darted, and all these horrible contortions be put in play like ringed lightnings; he cannot be thus circumstanced without a shudder that makes the very marrow in his bones to quiver in him like a shaken jelly. Yet habit—strange thing! what cannot habit accomplish?—Gayer sallies, more merry mirth, better jokes, and brighter repartees, you never heard over your mahogany, than you will hear over the half-inch white cedar of the whale-boat, when thus hung in hangman’s nooses; and, like the six burghers of Calais before King Edward, the six men composing the crew pull into the jaws of death, with a halter around every neck, as you may say. + +Perhaps a very little thought will now enable you to account for those repeated whaling disasters—some few of which are casually chronicled—of this man or that man being taken out of the boat by the line, and lost. For, when the line is darting out, to be seated then in the boat, is like being seated in the midst of the manifold whizzings of a steam-engine in full play, when every flying beam, and shaft, and wheel, is grazing you. It is worse; for you cannot sit motionless in the heart of these perils, because the boat is rocking like a cradle, and you are pitched one way and the other, without the slightest warning; and only by a certain self-adjusting buoyancy and simultaneousness of volition and action, can you escape being made a Mazeppa of, and run away with where the all-seeing sun himself could never pierce you out. + +Again: as the profound calm which only apparently precedes and prophesies of the storm, is perhaps more awful than the storm itself; for, indeed, the calm is but the wrapper and envelope of the storm; and contains it in itself, as the seemingly harmless rifle holds the fatal powder, and the ball, and the explosion; so the graceful repose of the line, as it silently serpentines about the oarsmen before being brought into actual play—this is a thing which carries more of true terror than any other aspect of this dangerous affair. But why say more? All men live enveloped in whale-lines. All are born with halters round their necks; but it is only when caught in the swift, sudden turn of death, that mortals realize the silent, subtle, ever-present perils of life. And if you be a philosopher, though seated in the whale-boat, you would not at heart feel one whit more of terror, than though seated before your evening fire with a poker, and not a harpoon, by your side. + +CHAPTER 61. Stubb Kills a Whale. + +If to Starbuck the apparition of the Squid was a thing of portents, to Queequeg it was quite a different object. + +“When you see him ‘quid,” said the savage, honing his harpoon in the bow of his hoisted boat, “then you quick see him ‘parm whale.” + +The next day was exceedingly still and sultry, and with nothing special to engage them, the Pequod’s crew could hardly resist the spell of sleep induced by such a vacant sea. For this part of the Indian Ocean through which we then were voyaging is not what whalemen call a lively ground; that is, it affords fewer glimpses of porpoises, dolphins, flying-fish, and other vivacious denizens of more stirring waters, than those off the Rio de la Plata, or the in-shore ground off Peru. + +It was my turn to stand at the foremast-head; and with my shoulders leaning against the slackened royal shrouds, to and fro I idly swayed in what seemed an enchanted air. No resolution could withstand it; in that dreamy mood losing all consciousness, at last my soul went out of my body; though my body still continued to sway as a pendulum will, long after the power which first moved it is withdrawn. + +Ere forgetfulness altogether came over me, I had noticed that the seamen at the main and mizzen-mast-heads were already drowsy. So that at last all three of us lifelessly swung from the spars, and for every swing that we made there was a nod from below from the slumbering helmsman. The waves, too, nodded their indolent crests; and across the wide trance of the sea, east nodded to west, and the sun over all. + +Suddenly bubbles seemed bursting beneath my closed eyes; like vices my hands grasped the shrouds; some invisible, gracious agency preserved me; with a shock I came back to life. And lo! close under our lee, not forty fathoms off, a gigantic Sperm Whale lay rolling in the water like the capsized hull of a frigate, his broad, glossy back, of an Ethiopian hue, glistening in the sun’s rays like a mirror. But lazily undulating in the trough of the sea, and ever and anon tranquilly spouting his vapoury jet, the whale looked like a portly burgher smoking his pipe of a warm afternoon. But that pipe, poor whale, was thy last. As if struck by some enchanter’s wand, the sleepy ship and every sleeper in it all at once started into wakefulness; and more than a score of voices from all parts of the vessel, simultaneously with the three notes from aloft, shouted forth the accustomed cry, as the great fish slowly and regularly spouted the sparkling brine into the air. + +“Clear away the boats! Luff!” cried Ahab. And obeying his own order, he dashed the helm down before the helmsman could handle the spokes. + +The sudden exclamations of the crew must have alarmed the whale; and ere the boats were down, majestically turning, he swam away to the leeward, but with such a steady tranquillity, and making so few ripples as he swam, that thinking after all he might not as yet be alarmed, Ahab gave orders that not an oar should be used, and no man must speak but in whispers. So seated like Ontario Indians on the gunwales of the boats, we swiftly but silently paddled along; the calm not admitting of the noiseless sails being set. Presently, as we thus glided in chase, the monster perpendicularly flitted his tail forty feet into the air, and then sank out of sight like a tower swallowed up. + +“There go flukes!” was the cry, an announcement immediately followed by Stubb’s producing his match and igniting his pipe, for now a respite was granted. After the full interval of his sounding had elapsed, the whale rose again, and being now in advance of the smoker’s boat, and much nearer to it than to any of the others, Stubb counted upon the honour of the capture. It was obvious, now, that the whale had at length become aware of his pursuers. All silence of cautiousness was therefore no longer of use. Paddles were dropped, and oars came loudly into play. And still puffing at his pipe, Stubb cheered on his crew to the assault. + +Yes, a mighty change had come over the fish. All alive to his jeopardy, he was going “head out”; that part obliquely projecting from the mad yeast which he brewed.* + +*It will be seen in some other place of what a very light substance the entire interior of the sperm whale’s enormous head consists. Though apparently the most massive, it is by far the most buoyant part about him. So that with ease he elevates it in the air, and invariably does so when going at his utmost speed. Besides, such is the breadth of the upper part of the front of his head, and such the tapering cut-water formation of the lower part, that by obliquely elevating his head, he thereby may be said to transform himself from a bluff-bowed sluggish galliot into a sharppointed New York pilot-boat. + +“Start her, start her, my men! Don’t hurry yourselves; take plenty of time—but start her; start her like thunder-claps, that’s all,” cried Stubb, spluttering out the smoke as he spoke. “Start her, now; give ‘em the long and strong stroke, Tashtego. Start her, Tash, my boy—start her, all; but keep cool, keep cool—cucumbers is the word—easy, easy—only start her like grim death and grinning devils, and raise the buried dead perpendicular out of their graves, boys—that’s all. Start her!” + +“Woo-hoo! Wa-hee!” screamed the Gay-Header in reply, raising some old war-whoop to the skies; as every oarsman in the strained boat involuntarily bounced forward with the one tremendous leading stroke which the eager Indian gave. + +But his wild screams were answered by others quite as wild. “Kee-hee! Kee-hee!” yelled Daggoo, straining forwards and backwards on his seat, like a pacing tiger in his cage. + +“Ka-la! Koo-loo!” howled Queequeg, as if smacking his lips over a mouthful of Grenadier’s steak. And thus with oars and yells the keels cut the sea. Meanwhile, Stubb retaining his place in the van, still encouraged his men to the onset, all the while puffing the smoke from his mouth. Like desperadoes they tugged and they strained, till the welcome cry was heard—”Stand up, Tashtego!—give it to him!” The harpoon was hurled. “Stern all!” The oarsmen backed water; the same moment something went hot and hissing along every one of their wrists. It was the magical line. An instant before, Stubb had swiftly caught two additional turns with it round the loggerhead, whence, by reason of its increased rapid circlings, a hempen blue smoke now jetted up and mingled with the steady fumes from his pipe. As the line passed round and round the loggerhead; so also, just before reaching that point, it blisteringly passed through and through both of Stubb’s hands, from which the hand-cloths, or squares of quilted canvas sometimes worn at these times, had accidentally dropped. It was like holding an enemy’s sharp two-edged sword by the blade, and that enemy all the time striving to wrest it out of your clutch. + +“Wet the line! wet the line!” cried Stubb to the tub oarsman (him seated by the tub) who, snatching off his hat, dashed sea-water into it.* More turns were taken, so that the line began holding its place. The boat now flew through the boiling water like a shark all fins. Stubb and Tashtego here changed places—stem for stern—a staggering business truly in that rocking commotion. + +*Partly to show the indispensableness of this act, it may here be stated, that, in the old Dutch fishery, a mop was used to dash the running line with water; in many other ships, a wooden piggin, or bailer, is set apart for that purpose. Your hat, however, is the most convenient. + +From the vibrating line extending the entire length of the upper part of the boat, and from its now being more tight than a harpstring, you would have thought the craft had two keels—one cleaving the water, the other the air—as the boat churned on through both opposing elements at once. A continual cascade played at the bows; a ceaseless whirling eddy in her wake; and, at the slightest motion from within, even but of a little finger, the vibrating, cracking craft canted over her spasmodic gunwale into the sea. Thus they rushed; each man with might and main clinging to his seat, to prevent being tossed to the foam; and the tall form of Tashtego at the steering oar crouching almost double, in order to bring down his centre of gravity. Whole Atlantics and Pacifics seemed passed as they shot on their way, till at length the whale somewhat slackened his flight. + +“Haul in—haul in!” cried Stubb to the bowsman! and, facing round towards the whale, all hands began pulling the boat up to him, while yet the boat was being towed on. Soon ranging up by his flank, Stubb, firmly planting his knee in the clumsy cleat, darted dart after dart into the flying fish; at the word of command, the boat alternately sterning out of the way of the whale’s horrible wallow, and then ranging up for another fling. + +The red tide now poured from all sides of the monster like brooks down a hill. His tormented body rolled not in brine but in blood, which bubbled and seethed for furlongs behind in their wake. The slanting sun playing upon this crimson pond in the sea, sent back its reflection into every face, so that they all glowed to each other like red men. And all the while, jet after jet of white smoke was agonizingly shot from the spiracle of the whale, and vehement puff after puff from the mouth of the excited headsman; as at every dart, hauling in upon his crooked lance (by the line attached to it), Stubb straightened it again and again, by a few rapid blows against the gunwale, then again and again sent it into the whale. + +“Pull up—pull up!” he now cried to the bowsman, as the waning whale relaxed in his wrath. “Pull up!—close to!” and the boat ranged along the fish’s flank. When reaching far over the bow, Stubb slowly churned his long sharp lance into the fish, and kept it there, carefully churning and churning, as if cautiously seeking to feel after some gold watch that the whale might have swallowed, and which he was fearful of breaking ere he could hook it out. But that gold watch he sought was the innermost life of the fish. And now it is struck; for, starting from his trance into that unspeakable thing called his “flurry,” the monster horribly wallowed in his blood, overwrapped himself in impenetrable, mad, boiling spray, so that the imperilled craft, instantly dropping astern, had much ado blindly to struggle out from that phrensied twilight into the clear air of the day. + +And now abating in his flurry, the whale once more rolled out into view; surging from side to side; spasmodically dilating and contracting his spout-hole, with sharp, cracking, agonized respirations. At last, gush after gush of clotted red gore, as if it had been the purple lees of red wine, shot into the frighted air; and falling back again, ran dripping down his motionless flanks into the sea. His heart had burst! + +“He’s dead, Mr. Stubb,” said Daggoo. + +“Yes; both pipes smoked out!” and withdrawing his own from his mouth, Stubb scattered the dead ashes over the water; and, for a moment, stood thoughtfully eyeing the vast corpse he had made. + +CHAPTER 62. The Dart. + +A word concerning an incident in the last chapter. + +According to the invariable usage of the fishery, the whale-boat pushes off from the ship, with the headsman or whale-killer as temporary steersman, and the harpooneer or whale-fastener pulling the foremost oar, the one known as the harpooneer-oar. Now it needs a strong, nervous arm to strike the first iron into the fish; for often, in what is called a long dart, the heavy implement has to be flung to the distance of twenty or thirty feet. But however prolonged and exhausting the chase, the harpooneer is expected to pull his oar meanwhile to the uttermost; indeed, he is expected to set an example of superhuman activity to the rest, not only by incredible rowing, but by repeated loud and intrepid exclamations; and what it is to keep shouting at the top of one’s compass, while all the other muscles are strained and half started—what that is none know but those who have tried it. For one, I cannot bawl very heartily and work very recklessly at one and the same time. In this straining, bawling state, then, with his back to the fish, all at once the exhausted harpooneer hears the exciting cry—”Stand up, and give it to him!” He now has to drop and secure his oar, turn round on his centre half way, seize his harpoon from the crotch, and with what little strength may remain, he essays to pitch it somehow into the whale. No wonder, taking the whole fleet of whalemen in a body, that out of fifty fair chances for a dart, not five are successful; no wonder that so many hapless harpooneers are madly cursed and disrated; no wonder that some of them actually burst their blood-vessels in the boat; no wonder that some sperm whalemen are absent four years with four barrels; no wonder that to many ship owners, whaling is but a losing concern; for it is the harpooneer that makes the voyage, and if you take the breath out of his body how can you expect to find it there when most wanted! + +Again, if the dart be successful, then at the second critical instant, that is, when the whale starts to run, the boatheader and harpooneer likewise start to running fore and aft, to the imminent jeopardy of themselves and every one else. It is then they change places; and the headsman, the chief officer of the little craft, takes his proper station in the bows of the boat. + +Now, I care not who maintains the contrary, but all this is both foolish and unnecessary. The headsman should stay in the bows from first to last; he should both dart the harpoon and the lance, and no rowing whatever should be expected of him, except under circumstances obvious to any fisherman. I know that this would sometimes involve a slight loss of speed in the chase; but long experience in various whalemen of more than one nation has convinced me that in the vast majority of failures in the fishery, it has not by any means been so much the speed of the whale as the before described exhaustion of the harpooneer that has caused them. + +To insure the greatest efficiency in the dart, the harpooneers of this world must start to their feet from out of idleness, and not from out of toil. + +CHAPTER 63. The Crotch. + +Out of the trunk, the branches grow; out of them, the twigs. So, in productive subjects, grow the chapters. + +The crotch alluded to on a previous page deserves independent mention. It is a notched stick of a peculiar form, some two feet in length, which is perpendicularly inserted into the starboard gunwale near the bow, for the purpose of furnishing a rest for the wooden extremity of the harpoon, whose other naked, barbed end slopingly projects from the prow. Thereby the weapon is instantly at hand to its hurler, who snatches it up as readily from its rest as a backwoodsman swings his rifle from the wall. It is customary to have two harpoons reposing in the crotch, respectively called the first and second irons. + +But these two harpoons, each by its own cord, are both connected with the line; the object being this: to dart them both, if possible, one instantly after the other into the same whale; so that if, in the coming drag, one should draw out, the other may still retain a hold. It is a doubling of the chances. But it very often happens that owing to the instantaneous, violent, convulsive running of the whale upon receiving the first iron, it becomes impossible for the harpooneer, however lightning-like in his movements, to pitch the second iron into him. Nevertheless, as the second iron is already connected with the line, and the line is running, hence that weapon must, at all events, be anticipatingly tossed out of the boat, somehow and somewhere; else the most terrible jeopardy would involve all hands. Tumbled into the water, it accordingly is in such cases; the spare coils of box line (mentioned in a preceding chapter) making this feat, in most instances, prudently practicable. But this critical act is not always unattended with the saddest and most fatal casualties. + +Furthermore: you must know that when the second iron is thrown overboard, it thenceforth becomes a dangling, sharp-edged terror, skittishly curvetting about both boat and whale, entangling the lines, or cutting them, and making a prodigious sensation in all directions. Nor, in general, is it possible to secure it again until the whale is fairly captured and a corpse. + +Consider, now, how it must be in the case of four boats all engaging one unusually strong, active, and knowing whale; when owing to these qualities in him, as well as to the thousand concurring accidents of such an audacious enterprise, eight or ten loose second irons may be simultaneously dangling about him. For, of course, each boat is supplied with several harpoons to bend on to the line should the first one be ineffectually darted without recovery. All these particulars are faithfully narrated here, as they will not fail to elucidate several most important, however intricate passages, in scenes hereafter to be painted. + +CHAPTER 64. Stubb’s Supper. + +Stubb’s whale had been killed some distance from the ship. It was a calm; so, forming a tandem of three boats, we commenced the slow business of towing the trophy to the Pequod. And now, as we eighteen men with our thirty-six arms, and one hundred and eighty thumbs and fingers, slowly toiled hour after hour upon that inert, sluggish corpse in the sea; and it seemed hardly to budge at all, except at long intervals; good evidence was hereby furnished of the enormousness of the mass we moved. For, upon the great canal of Hang-Ho, or whatever they call it, in China, four or five laborers on the foot-path will draw a bulky freighted junk at the rate of a mile an hour; but this grand argosy we towed heavily forged along, as if laden with pig-lead in bulk. + +Darkness came on; but three lights up and down in the Pequod’s main-rigging dimly guided our way; till drawing nearer we saw Ahab dropping one of several more lanterns over the bulwarks. Vacantly eyeing the heaving whale for a moment, he issued the usual orders for securing it for the night, and then handing his lantern to a seaman, went his way into the cabin, and did not come forward again until morning. + +Though, in overseeing the pursuit of this whale, Captain Ahab had evinced his customary activity, to call it so; yet now that the creature was dead, some vague dissatisfaction, or impatience, or despair, seemed working in him; as if the sight of that dead body reminded him that Moby Dick was yet to be slain; and though a thousand other whales were brought to his ship, all that would not one jot advance his grand, monomaniac object. Very soon you would have thought from the sound on the Pequod’s decks, that all hands were preparing to cast anchor in the deep; for heavy chains are being dragged along the deck, and thrust rattling out of the port-holes. But by those clanking links, the vast corpse itself, not the ship, is to be moored. Tied by the head to the stern, and by the tail to the bows, the whale now lies with its black hull close to the vessel’s and seen through the darkness of the night, which obscured the spars and rigging aloft, the two—ship and whale, seemed yoked together like colossal bullocks, whereof one reclines while the other remains standing.* + +Your woraciousness, fellow-critters, I don’t blame ye so much for; dat is natur, and can’t be helped; but to gobern dat wicked natur, dat is de pint. You is sharks, sartin; but if you gobern de shark in you, why den you be angel; for all angel is not’ing more dan de shark well goberned. +*A little item may as well be related here. The strongest and most reliable hold which the ship has upon the whale when moored alongside, is by the flukes or tail; and as from its greater density that part is relatively heavier than any other (excepting the side-fins), its flexibility even in death, causes it to sink low beneath the surface; so that with the hand you cannot get at it from the boat, in order to put the chain round it. But this difficulty is ingeniously overcome: a small, strong line is prepared with a wooden float at its outer end, and a weight in its middle, while the other end is secured to the ship. By adroit management the wooden float is made to rise on the other side of the mass, so that now having girdled the whale, the chain is readily made to follow suit; and being slipped along the body, is at last locked fast round the smallest part of the tail, at the point of junction with its broad flukes or lobes. + +If moody Ahab was now all quiescence, at least so far as could be known on deck, Stubb, his second mate, flushed with conquest, betrayed an unusual but still good-natured excitement. Such an unwonted bustle was he in that the staid Starbuck, his official superior, quietly resigned to him for the time the sole management of affairs. One small, helping cause of all this liveliness in Stubb, was soon made strangely manifest. Stubb was a high liver; he was somewhat intemperately fond of the whale as a flavorish thing to his palate. + +“A steak, a steak, ere I sleep! You, Daggoo! overboard you go, and cut me one from his small!” + +Here be it known, that though these wild fishermen do not, as a general thing, and according to the great military maxim, make the enemy defray the current expenses of the war (at least before realizing the proceeds of the voyage), yet now and then you find some of these Nantucketers who have a genuine relish for that particular part of the Sperm Whale designated by Stubb; comprising the tapering extremity of the body. + +About midnight that steak was cut and cooked; and lighted by two lanterns of sperm oil, Stubb stoutly stood up to his spermaceti supper at the capstan-head, as if that capstan were a sideboard. Nor was Stubb the only banqueter on whale’s flesh that night. Mingling their mumblings with his own mastications, thousands on thousands of sharks, swarming round the dead leviathan, smackingly feasted on its fatness. The few sleepers below in their bunks were often startled by the sharp slapping of their tails against the hull, within a few inches of the sleepers’ hearts. Peering over the side you could just see them (as before you heard them) wallowing in the sullen, black waters, and turning over on their backs as they scooped out huge globular pieces of the whale of the bigness of a human head. This particular feat of the shark seems all but miraculous. How at such an apparently unassailable surface, they contrive to gouge out such symmetrical mouthfuls, remains a part of the universal problem of all things. The mark they thus leave on the whale, may best be likened to the hollow made by a carpenter in countersinking for a screw. + +Though amid all the smoking horror and diabolism of a sea-fight, sharks will be seen longingly gazing up to the ship’s decks, like hungry dogs round a table where red meat is being carved, ready to bolt down every killed man that is tossed to them; and though, while the valiant butchers over the deck-table are thus cannibally carving each other’s live meat with carving-knives all gilded and tasselled, the sharks, also, with their jewel-hilted mouths, are quarrelsomely carving away under the table at the dead meat; and though, were you to turn the whole affair upside down, it would still be pretty much the same thing, that is to say, a shocking sharkish business enough for all parties; and though sharks also are the invariable outriders of all slave ships crossing the Atlantic, systematically trotting alongside, to be handy in case a parcel is to be carried anywhere, or a dead slave to be decently buried; and though one or two other like instances might be set down, touching the set terms, places, and occasions, when sharks do most socially congregate, and most hilariously feast; yet is there no conceivable time or occasion when you will find them in such countless numbers, and in gayer or more jovial spirits, than around a dead sperm whale, moored by night to a whaleship at sea. If you have never seen that sight, then suspend your decision about the propriety of devil-worship, and the expediency of conciliating the devil. + +But, as yet, Stubb heeded not the mumblings of the banquet that was going on so nigh him, no more than the sharks heeded the smacking of his own epicurean lips. + +“Cook, cook!—where’s that old Fleece?” he cried at length, widening his legs still further, as if to form a more secure base for his supper; and, at the same time darting his fork into the dish, as if stabbing with his lance; “cook, you cook!—sail this way, cook!” + +The old black, not in any very high glee at having been previously roused from his warm hammock at a most unseasonable hour, came shambling along from his galley, for, like many old blacks, there was something the matter with his knee-pans, which he did not keep well scoured like his other pans; this old Fleece, as they called him, came shuffling and limping along, assisting his step with his tongs, which, after a clumsy fashion, were made of straightened iron hoops; this old Ebony floundered along, and in obedience to the word of command, came to a dead stop on the opposite side of Stubb’s sideboard; when, with both hands folded before him, and resting on his two-legged cane, he bowed his arched back still further over, at the same time sideways inclining his head, so as to bring his best ear into play. + +“Cook,” said Stubb, rapidly lifting a rather reddish morsel to his mouth, “don’t you think this steak is rather overdone? You’ve been beating this steak too much, cook; it’s too tender. Don’t I always say that to be good, a whale-steak must be tough? There are those sharks now over the side, don’t you see they prefer it tough and rare? What a shindy they are kicking up! Cook, go and talk to ‘em; tell ‘em they are welcome to help themselves civilly, and in moderation, but they must keep quiet. Blast me, if I can hear my own voice. Away, cook, and deliver my message. Here, take this lantern,” snatching one from his sideboard; “now then, go and preach to ‘em!” + +Sullenly taking the offered lantern, old Fleece limped across the deck to the bulwarks; and then, with one hand dropping his light low over the sea, so as to get a good view of his congregation, with the other hand he solemnly flourished his tongs, and leaning far over the side in a mumbling voice began addressing the sharks, while Stubb, softly crawling behind, overheard all that was said. + +“Fellow-critters: I’se ordered here to say dat you must stop dat dam noise dare. You hear? Stop dat dam smackin’ ob de lips! Massa Stubb say dat you can fill your dam bellies up to de hatchings, but by Gor! you must stop dat dam racket!” + +“Cook,” here interposed Stubb, accompanying the word with a sudden slap on the shoulder,—”Cook! why, damn your eyes, you mustn’t swear that way when you’re preaching. That’s no way to convert sinners, cook!” + +“Who dat? Den preach to him yourself,” sullenly turning to go. + +“No, cook; go on, go on.” + +“Well, den, Belubed fellow-critters:”— + +“Right!” exclaimed Stubb, approvingly, “coax ‘em to it; try that,” and Fleece continued. + +“Do you is all sharks, and by natur wery woracious, yet I zay to you, fellow-critters, dat dat woraciousness—’top dat dam slappin’ ob de tail! How you tink to hear, spose you keep up such a dam slappin’ and bitin’ dare?” + +“Cook,” cried Stubb, collaring him, “I won’t have that swearing. Talk to ‘em gentlemanly.” + +Once more the sermon proceeded. + +“Your woraciousness, fellow-critters, I don’t blame ye so much for; dat is natur, and can’t be helped; but to gobern dat wicked natur, dat is de pint. You is sharks, sartin; but if you gobern de shark in you, why den you be angel; for all angel is not’ing more dan de shark well goberned. Now, look here, bred’ren, just try wonst to be cibil, a helping yourselbs from dat whale. Don’t be tearin’ de blubber out your neighbour’s mout, I say. Is not one shark dood right as toder to dat whale? And, by Gor, none on you has de right to dat whale; dat whale belong to some one else. I know some o’ you has berry brig mout, brigger dan oders; but den de brig mouts sometimes has de small bellies; so dat de brigness of de mout is not to swaller wid, but to bit off de blubber for de small fry ob sharks, dat can’t get into de scrouge to help demselves.” + +“Well done, old Fleece!” cried Stubb, “that’s Christianity; go on.” + +“No use goin’ on; de dam willains will keep a scougin’ and slappin’ each oder, Massa Stubb; dey don’t hear one word; no use a-preaching to such dam g’uttons as you call ‘em, till dare bellies is full, and dare bellies is bottomless; and when dey do get ‘em full, dey wont hear you den; for den dey sink in the sea, go fast to sleep on de coral, and can’t hear noting at all, no more, for eber and eber.” + +“Upon my soul, I am about of the same opinion; so give the benediction, Fleece, and I’ll away to my supper.” + +Upon this, Fleece, holding both hands over the fishy mob, raised his shrill voice, and cried— + +“Cussed fellow-critters! Kick up de damndest row as ever you can; fill your dam bellies ‘till dey bust—and den die.” + +“Now, cook,” said Stubb, resuming his supper at the capstan; “stand just where you stood before, there, over against me, and pay particular attention.” + +“All ‘dention,” said Fleece, again stooping over upon his tongs in the desired position. + +“Well,” said Stubb, helping himself freely meanwhile; “I shall now go back to the subject of this steak. In the first place, how old are you, cook?” + +“What dat do wid de ‘teak,” said the old black, testily. + +“Silence! How old are you, cook?” + +“’Bout ninety, dey say,” he gloomily muttered. + +“And you have lived in this world hard upon one hundred years, cook, and don’t know yet how to cook a whale-steak?” rapidly bolting another mouthful at the last word, so that morsel seemed a continuation of the question. “Where were you born, cook?” + +“’Hind de hatchway, in ferry-boat, goin’ ober de Roanoke.” + +“Born in a ferry-boat! That’s queer, too. But I want to know what country you were born in, cook!” + +“Didn’t I say de Roanoke country?” he cried sharply. + +“No, you didn’t, cook; but I’ll tell you what I’m coming to, cook. You must go home and be born over again; you don’t know how to cook a whale-steak yet.” + +“Bress my soul, if I cook noder one,” he growled, angrily, turning round to depart. + +“Come back here, cook;—here, hand me those tongs;—now take that bit of steak there, and tell me if you think that steak cooked as it should be? Take it, I say”—holding the tongs towards him—”take it, and taste it.” + +Faintly smacking his withered lips over it for a moment, the old negro muttered, “Best cooked ‘teak I eber taste; joosy, berry joosy.” + +“Cook,” said Stubb, squaring himself once more; “do you belong to the church?” + +“Passed one once in Cape-Down,” said the old man sullenly. + +“And you have once in your life passed a holy church in Cape-Town, where you doubtless overheard a holy parson addressing his hearers as his beloved fellow-creatures, have you, cook! And yet you come here, and tell me such a dreadful lie as you did just now, eh?” said Stubb. “Where do you expect to go to, cook?” + +“Go to bed berry soon,” he mumbled, half-turning as he spoke. + +“Avast! heave to! I mean when you die, cook. It’s an awful question. Now what’s your answer?” + +“When dis old brack man dies,” said the negro slowly, changing his whole air and demeanor, “he hisself won’t go nowhere; but some bressed angel will come and fetch him.” + +“Fetch him? How? In a coach and four, as they fetched Elijah? And fetch him where?” + +“Up dere,” said Fleece, holding his tongs straight over his head, and keeping it there very solemnly. + +“So, then, you expect to go up into our main-top, do you, cook, when you are dead? But don’t you know the higher you climb, the colder it gets? Main-top, eh?” + +“Didn’t say dat t’all,” said Fleece, again in the sulks. + +“You said up there, didn’t you? and now look yourself, and see where your tongs are pointing. But, perhaps you expect to get into heaven by crawling through the lubber’s hole, cook; but, no, no, cook, you don’t get there, except you go the regular way, round by the rigging. It’s a ticklish business, but must be done, or else it’s no go. But none of us are in heaven yet. Drop your tongs, cook, and hear my orders. Do ye hear? Hold your hat in one hand, and clap t’other a’top of your heart, when I’m giving my orders, cook. What! that your heart, there?—that’s your gizzard! Aloft! aloft!—that’s it—now you have it. Hold it there now, and pay attention.” + +“All ‘dention,” said the old black, with both hands placed as desired, vainly wriggling his grizzled head, as if to get both ears in front at one and the same time. + +“Well then, cook, you see this whale-steak of yours was so very bad, that I have put it out of sight as soon as possible; you see that, don’t you? Well, for the future, when you cook another whale-steak for my private table here, the capstan, I’ll tell you what to do so as not to spoil it by overdoing. Hold the steak in one hand, and show a live coal to it with the other; that done, dish it; d’ye hear? And now to-morrow, cook, when we are cutting in the fish, be sure you stand by to get the tips of his fins; have them put in pickle. As for the ends of the flukes, have them soused, cook. There, now ye may go.” + +But Fleece had hardly got three paces off, when he was recalled. + +“Cook, give me cutlets for supper to-morrow night in the mid-watch. D’ye hear? away you sail, then.—Halloa! stop! make a bow before you go.—Avast heaving again! Whale-balls for breakfast—don’t forget.” + +“Wish, by gor! whale eat him, ‘stead of him eat whale. I’m bressed if he ain’t more of shark dan Massa Shark hisself,” muttered the old man, limping away; with which sage ejaculation he went to his hammock. + +CHAPTER 65. The Whale as a Dish. + +That mortal man should feed upon the creature that feeds his lamp, and, like Stubb, eat him by his own light, as you may say; this seems so outlandish a thing that one must needs go a little into the history and philosophy of it. + +It is upon record, that three centuries ago the tongue of the Right Whale was esteemed a great delicacy in France, and commanded large prices there. Also, that in Henry VIIIth’s time, a certain cook of the court obtained a handsome reward for inventing an admirable sauce to be eaten with barbacued porpoises, which, you remember, are a species of whale. Porpoises, indeed, are to this day considered fine eating. The meat is made into balls about the size of billiard balls, and being well seasoned and spiced might be taken for turtle-balls or veal balls. The old monks of Dunfermline were very fond of them. They had a great porpoise grant from the crown. + +The fact is, that among his hunters at least, the whale would by all hands be considered a noble dish, were there not so much of him; but when you come to sit down before a meat-pie nearly one hundred feet long, it takes away your appetite. Only the most unprejudiced of men like Stubb, nowadays partake of cooked whales; but the Esquimaux are not so fastidious. We all know how they live upon whales, and have rare old vintages of prime old train oil. Zogranda, one of their most famous doctors, recommends strips of blubber for infants, as being exceedingly juicy and nourishing. And this reminds me that certain Englishmen, who long ago were accidentally left in Greenland by a whaling vessel—that these men actually lived for several months on the mouldy scraps of whales which had been left ashore after trying out the blubber. Among the Dutch whalemen these scraps are called “fritters”; which, indeed, they greatly resemble, being brown and crisp, and smelling something like old Amsterdam housewives’ dough-nuts or oly-cooks, when fresh. They have such an eatable look that the most self-denying stranger can hardly keep his hands off. + +But what further depreciates the whale as a civilized dish, is his exceeding richness. He is the great prize ox of the sea, too fat to be delicately good. Look at his hump, which would be as fine eating as the buffalo’s (which is esteemed a rare dish), were it not such a solid pyramid of fat. But the spermaceti itself, how bland and creamy that is; like the transparent, half-jellied, white meat of a cocoanut in the third month of its growth, yet far too rich to supply a substitute for butter. Nevertheless, many whalemen have a method of absorbing it into some other substance, and then partaking of it. In the long try watches of the night it is a common thing for the seamen to dip their ship-biscuit into the huge oil-pots and let them fry there awhile. Many a good supper have I thus made. + +In the case of a small Sperm Whale the brains are accounted a fine dish. The casket of the skull is broken into with an axe, and the two plump, whitish lobes being withdrawn (precisely resembling two large puddings), they are then mixed with flour, and cooked into a most delectable mess, in flavor somewhat resembling calves’ head, which is quite a dish among some epicures; and every one knows that some young bucks among the epicures, by continually dining upon calves’ brains, by and by get to have a little brains of their own, so as to be able to tell a calf’s head from their own heads; which, indeed, requires uncommon discrimination. And that is the reason why a young buck with an intelligent looking calf’s head before him, is somehow one of the saddest sights you can see. The head looks a sort of reproachfully at him, with an “Et tu Brute!” expression. + +It is not, perhaps, entirely because the whale is so excessively unctuous that landsmen seem to regard the eating of him with abhorrence; that appears to result, in some way, from the consideration before mentioned: i.e. that a man should eat a newly murdered thing of the sea, and eat it too by its own light. But no doubt the first man that ever murdered an ox was regarded as a murderer; perhaps he was hung; and if he had been put on his trial by oxen, he certainly would have been; and he certainly deserved it if any murderer does. Go to the meat-market of a Saturday night and see the crowds of live bipeds staring up at the long rows of dead quadrupeds. Does not that sight take a tooth out of the cannibal’s jaw? Cannibals? who is not a cannibal? I tell you it will be more tolerable for the Fejee that salted down a lean missionary in his cellar against a coming famine; it will be more tolerable for that provident Fejee, I say, in the day of judgment, than for thee, civilized and enlightened gourmand, who nailest geese to the ground and feastest on their bloated livers in thy pate-de-foie-gras. + +But Stubb, he eats the whale by its own light, does he? and that is adding insult to injury, is it? Look at your knife-handle, there, my civilized and enlightened gourmand dining off that roast beef, what is that handle made of?—what but the bones of the brother of the very ox you are eating? And what do you pick your teeth with, after devouring that fat goose? With a feather of the same fowl. And with what quill did the Secretary of the Society for the Suppression of Cruelty to Ganders formally indite his circulars? It is only within the last month or two that that society passed a resolution to patronise nothing but steel pens. + +CHAPTER 66. The Shark Massacre. + +When in the Southern Fishery, a captured Sperm Whale, after long and weary toil, is brought alongside late at night, it is not, as a general thing at least, customary to proceed at once to the business of cutting him in. For that business is an exceedingly laborious one; is not very soon completed; and requires all hands to set about it. Therefore, the common usage is to take in all sail; lash the helm a’lee; and then send every one below to his hammock till daylight, with the reservation that, until that time, anchor-watches shall be kept; that is, two and two for an hour, each couple, the crew in rotation shall mount the deck to see that all goes well. + +But sometimes, especially upon the Line in the Pacific, this plan will not answer at all; because such incalculable hosts of sharks gather round the moored carcase, that were he left so for six hours, say, on a stretch, little more than the skeleton would be visible by morning. In most other parts of the ocean, however, where these fish do not so largely abound, their wondrous voracity can be at times considerably diminished, by vigorously stirring them up with sharp whaling-spades, a procedure notwithstanding, which, in some instances, only seems to tickle them into still greater activity. But it was not thus in the present case with the Pequod’s sharks; though, to be sure, any man unaccustomed to such sights, to have looked over her side that night, would have almost thought the whole round sea was one huge cheese, and those sharks the maggots in it. + +Nevertheless, upon Stubb setting the anchor-watch after his supper was concluded; and when, accordingly, Queequeg and a forecastle seaman came on deck, no small excitement was created among the sharks; for immediately suspending the cutting stages over the side, and lowering three lanterns, so that they cast long gleams of light over the turbid sea, these two mariners, darting their long whaling-spades, kept up an incessant murdering of the sharks,* by striking the keen steel deep into their skulls, seemingly their only vital part. But in the foamy confusion of their mixed and struggling hosts, the marksmen could not always hit their mark; and this brought about new revelations of the incredible ferocity of the foe. They viciously snapped, not only at each other’s disembowelments, but like flexible bows, bent round, and bit their own; till those entrails seemed swallowed over and over again by the same mouth, to be oppositely voided by the gaping wound. Nor was this all. It was unsafe to meddle with the corpses and ghosts of these creatures. A sort of generic or Pantheistic vitality seemed to lurk in their very joints and bones, after what might be called the individual life had departed. Killed and hoisted on deck for the sake of his skin, one of these sharks almost took poor Queequeg’s hand off, when he tried to shut down the dead lid of his murderous jaw. + +*The whaling-spade used for cutting-in is made of the very best steel; is about the bigness of a man’s spread hand; and in general shape, corresponds to the garden implement after which it is named; only its sides are perfectly flat, and its upper end considerably narrower than the lower. This weapon is always kept as sharp as possible; and when being used is occasionally honed, just like a razor. In its socket, a stiff pole, from twenty to thirty feet long, is inserted for a handle. + +“Queequeg no care what god made him shark,” said the savage, agonizingly lifting his hand up and down; “wedder Fejee god or Nantucket god; but de god wat made shark must be one dam Ingin.” + +CHAPTER 67. Cutting In. + +It was a Saturday night, and such a Sabbath as followed! Ex officio professors of Sabbath breaking are all whalemen. The ivory Pequod was turned into what seemed a shamble; every sailor a butcher. You would have thought we were offering up ten thousand red oxen to the sea gods. + +In the first place, the enormous cutting tackles, among other ponderous things comprising a cluster of blocks generally painted green, and which no single man can possibly lift—this vast bunch of grapes was swayed up to the main-top and firmly lashed to the lower mast-head, the strongest point anywhere above a ship’s deck. The end of the hawser-like rope winding through these intricacies, was then conducted to the windlass, and the huge lower block of the tackles was swung over the whale; to this block the great blubber hook, weighing some one hundred pounds, was attached. And now suspended in stages over the side, Starbuck and Stubb, the mates, armed with their long spades, began cutting a hole in the body for the insertion of the hook just above the nearest of the two side-fins. This done, a broad, semicircular line is cut round the hole, the hook is inserted, and the main body of the crew striking up a wild chorus, now commence heaving in one dense crowd at the windlass. When instantly, the entire ship careens over on her side; every bolt in her starts like the nail-heads of an old house in frosty weather; she trembles, quivers, and nods her frighted mast-heads to the sky. More and more she leans over to the whale, while every gasping heave of the windlass is answered by a helping heave from the billows; till at last, a swift, startling snap is heard; with a great swash the ship rolls upwards and backwards from the whale, and the triumphant tackle rises into sight dragging after it the disengaged semicircular end of the first strip of blubber. Now as the blubber envelopes the whale precisely as the rind does an orange, so is it stripped off from the body precisely as an orange is sometimes stripped by spiralizing it. For the strain constantly kept up by the windlass continually keeps the whale rolling over and over in the water, and as the blubber in one strip uniformly peels off along the line called the “scarf,” simultaneously cut by the spades of Starbuck and Stubb, the mates; and just as fast as it is thus peeled off, and indeed by that very act itself, it is all the time being hoisted higher and higher aloft till its upper end grazes the main-top; the men at the windlass then cease heaving, and for a moment or two the prodigious blood-dripping mass sways to and fro as if let down from the sky, and every one present must take good heed to dodge it when it swings, else it may box his ears and pitch him headlong overboard. + +One of the attending harpooneers now advances with a long, keen weapon called a boarding-sword, and watching his chance he dexterously slices out a considerable hole in the lower part of the swaying mass. Into this hole, the end of the second alternating great tackle is then hooked so as to retain a hold upon the blubber, in order to prepare for what follows. Whereupon, this accomplished swordsman, warning all hands to stand off, once more makes a scientific dash at the mass, and with a few sidelong, desperate, lunging slicings, severs it completely in twain; so that while the short lower part is still fast, the long upper strip, called a blanket-piece, swings clear, and is all ready for lowering. The heavers forward now resume their song, and while the one tackle is peeling and hoisting a second strip from the whale, the other is slowly slackened away, and down goes the first strip through the main hatchway right beneath, into an unfurnished parlor called the blubber-room. Into this twilight apartment sundry nimble hands keep coiling away the long blanket-piece as if it were a great live mass of plaited serpents. And thus the work proceeds; the two tackles hoisting and lowering simultaneously; both whale and windlass heaving, the heavers singing, the blubber-room gentlemen coiling, the mates scarfing, the ship straining, and all hands swearing occasionally, by way of assuaging the general friction. + +CHAPTER 68. The Blanket. + +I have given no small attention to that not unvexed subject, the skin of the whale. I have had controversies about it with experienced whalemen afloat, and learned naturalists ashore. My original opinion remains unchanged; but it is only an opinion. + +The question is, what and where is the skin of the whale? Already you know what his blubber is. That blubber is something of the consistence of firm, close-grained beef, but tougher, more elastic and compact, and ranges from eight or ten to twelve and fifteen inches in thickness. + +Now, however preposterous it may at first seem to talk of any creature’s skin as being of that sort of consistence and thickness, yet in point of fact these are no arguments against such a presumption; because you cannot raise any other dense enveloping layer from the whale’s body but that same blubber; and the outermost enveloping layer of any animal, if reasonably dense, what can that be but the skin? True, from the unmarred dead body of the whale, you may scrape off with your hand an infinitely thin, transparent substance, somewhat resembling the thinnest shreds of isinglass, only it is almost as flexible and soft as satin; that is, previous to being dried, when it not only contracts and thickens, but becomes rather hard and brittle. I have several such dried bits, which I use for marks in my whale-books. It is transparent, as I said before; and being laid upon the printed page, I have sometimes pleased myself with fancying it exerted a magnifying influence. At any rate, it is pleasant to read about whales through their own spectacles, as you may say. But what I am driving at here is this. That same infinitely thin, isinglass substance, which, I admit, invests the entire body of the whale, is not so much to be regarded as the skin of the creature, as the skin of the skin, so to speak; for it were simply ridiculous to say, that the proper skin of the tremendous whale is thinner and more tender than the skin of a new-born child. But no more of this. + +Assuming the blubber to be the skin of the whale; then, when this skin, as in the case of a very large Sperm Whale, will yield the bulk of one hundred barrels of oil; and, when it is considered that, in quantity, or rather weight, that oil, in its expressed state, is only three fourths, and not the entire substance of the coat; some idea may hence be had of the enormousness of that animated mass, a mere part of whose mere integument yields such a lake of liquid as that. Reckoning ten barrels to the ton, you have ten tons for the net weight of only three quarters of the stuff of the whale’s skin. + +In life, the visible surface of the Sperm Whale is not the least among the many marvels he presents. Almost invariably it is all over obliquely crossed and re-crossed with numberless straight marks in thick array, something like those in the finest Italian line engravings. But these marks do not seem to be impressed upon the isinglass substance above mentioned, but seem to be seen through it, as if they were engraved upon the body itself. Nor is this all. In some instances, to the quick, observant eye, those linear marks, as in a veritable engraving, but afford the ground for far other delineations. These are hieroglyphical; that is, if you call those mysterious cyphers on the walls of pyramids hieroglyphics, then that is the proper word to use in the present connexion. By my retentive memory of the hieroglyphics upon one Sperm Whale in particular, I was much struck with a plate representing the old Indian characters chiselled on the famous hieroglyphic palisades on the banks of the Upper Mississippi. Like those mystic rocks, too, the mystic-marked whale remains undecipherable. This allusion to the Indian rocks reminds me of another thing. Besides all the other phenomena which the exterior of the Sperm Whale presents, he not seldom displays the back, and more especially his flanks, effaced in great part of the regular linear appearance, by reason of numerous rude scratches, altogether of an irregular, random aspect. I should say that those New England rocks on the sea-coast, which Agassiz imagines to bear the marks of violent scraping contact with vast floating icebergs—I should say, that those rocks must not a little resemble the Sperm Whale in this particular. It also seems to me that such scratches in the whale are probably made by hostile contact with other whales; for I have most remarked them in the large, full-grown bulls of the species. + +A word or two more concerning this matter of the skin or blubber of the whale. It has already been said, that it is stript from him in long pieces, called blanket-pieces. Like most sea-terms, this one is very happy and significant. For the whale is indeed wrapt up in his blubber as in a real blanket or counterpane; or, still better, an Indian poncho slipt over his head, and skirting his extremity. It is by reason of this cosy blanketing of his body, that the whale is enabled to keep himself comfortable in all weathers, in all seas, times, and tides. What would become of a Greenland whale, say, in those shuddering, icy seas of the North, if unsupplied with his cosy surtout? True, other fish are found exceedingly brisk in those Hyperborean waters; but these, be it observed, are your cold-blooded, lungless fish, whose very bellies are refrigerators; creatures, that warm themselves under the lee of an iceberg, as a traveller in winter would bask before an inn fire; whereas, like man, the whale has lungs and warm blood. Freeze his blood, and he dies. How wonderful is it then—except after explanation—that this great monster, to whom corporeal warmth is as indispensable as it is to man; how wonderful that he should be found at home, immersed to his lips for life in those Arctic waters! where, when seamen fall overboard, they are sometimes found, months afterwards, perpendicularly frozen into the hearts of fields of ice, as a fly is found glued in amber. But more surprising is it to know, as has been proved by experiment, that the blood of a Polar whale is warmer than that of a Borneo negro in summer. + +It does seem to me, that herein we see the rare virtue of a strong individual vitality, and the rare virtue of thick walls, and the rare virtue of interior spaciousness. Oh, man! admire and model thyself after the whale! Do thou, too, remain warm among ice. Do thou, too, live in this world without being of it. Be cool at the equator; keep thy blood fluid at the Pole. Like the great dome of St. Peter’s, and like the great whale, retain, O man! in all seasons a temperature of thine own. + +But how easy and how hopeless to teach these fine things! Of erections, how few are domed like St. Peter’s! of creatures, how few vast as the whale! + +CHAPTER 69. The Funeral. + +Haul in the chains! Let the carcase go astern! + +The vast tackles have now done their duty. The peeled white body of the beheaded whale flashes like a marble sepulchre; though changed in hue, it has not perceptibly lost anything in bulk. It is still colossal. Slowly it floats more and more away, the water round it torn and splashed by the insatiate sharks, and the air above vexed with rapacious flights of screaming fowls, whose beaks are like so many insulting poniards in the whale. The vast white headless phantom floats further and further from the ship, and every rod that it so floats, what seem square roods of sharks and cubic roods of fowls, augment the murderous din. For hours and hours from the almost stationary ship that hideous sight is seen. Beneath the unclouded and mild azure sky, upon the fair face of the pleasant sea, wafted by the joyous breezes, that great mass of death floats on and on, till lost in infinite perspectives. + +There’s a most doleful and most mocking funeral! The sea-vultures all in pious mourning, the air-sharks all punctiliously in black or speckled. In life but few of them would have helped the whale, I ween, if peradventure he had needed it; but upon the banquet of his funeral they most piously do pounce. Oh, horrible vultureism of earth! from which not the mightiest whale is free. + +Nor is this the end. Desecrated as the body is, a vengeful ghost survives and hovers over it to scare. Espied by some timid man-of-war or blundering discovery-vessel from afar, when the distance obscuring the swarming fowls, nevertheless still shows the white mass floating in the sun, and the white spray heaving high against it; straightway the whale’s unharming corpse, with trembling fingers is set down in the log—SHOALS, ROCKS, AND BREAKERS HEREABOUTS: BEWARE! And for years afterwards, perhaps, ships shun the place; leaping over it as silly sheep leap over a vacuum, because their leader originally leaped there when a stick was held. There’s your law of precedents; there’s your utility of traditions; there’s the story of your obstinate survival of old beliefs never bottomed on the earth, and now not even hovering in the air! There’s orthodoxy! + +Thus, while in life the great whale’s body may have been a real terror to his foes, in his death his ghost becomes a powerless panic to a world. + +Are you a believer in ghosts, my friend? There are other ghosts than the Cock-Lane one, and far deeper men than Doctor Johnson who believe in them. + +CHAPTER 70. The Sphynx. + +It should not have been omitted that previous to completely stripping the body of the leviathan, he was beheaded. Now, the beheading of the Sperm Whale is a scientific anatomical feat, upon which experienced whale surgeons very much pride themselves: and not without reason. + +Consider that the whale has nothing that can properly be called a neck; on the contrary, where his head and body seem to join, there, in that very place, is the thickest part of him. Remember, also, that the surgeon must operate from above, some eight or ten feet intervening between him and his subject, and that subject almost hidden in a discoloured, rolling, and oftentimes tumultuous and bursting sea. Bear in mind, too, that under these untoward circumstances he has to cut many feet deep in the flesh; and in that subterraneous manner, without so much as getting one single peep into the ever-contracting gash thus made, he must skilfully steer clear of all adjacent, interdicted parts, and exactly divide the spine at a critical point hard by its insertion into the skull. Do you not marvel, then, at Stubb’s boast, that he demanded but ten minutes to behead a sperm whale? + +When first severed, the head is dropped astern and held there by a cable till the body is stripped. That done, if it belong to a small whale it is hoisted on deck to be deliberately disposed of. But, with a full grown leviathan this is impossible; for the sperm whale’s head embraces nearly one third of his entire bulk, and completely to suspend such a burden as that, even by the immense tackles of a whaler, this were as vain a thing as to attempt weighing a Dutch barn in jewellers’ scales. + +O head! thou hast seen enough to split the planets and make an infidel of Abraham, and not one syllable is thine! +The Pequod’s whale being decapitated and the body stripped, the head was hoisted against the ship’s side—about half way out of the sea, so that it might yet in great part be buoyed up by its native element. And there with the strained craft steeply leaning over to it, by reason of the enormous downward drag from the lower mast-head, and every yard-arm on that side projecting like a crane over the waves; there, that blood-dripping head hung to the Pequod’s waist like the giant Holofernes’s from the girdle of Judith. + +When this last task was accomplished it was noon, and the seamen went below to their dinner. Silence reigned over the before tumultuous but now deserted deck. An intense copper calm, like a universal yellow lotus, was more and more unfolding its noiseless measureless leaves upon the sea. + +A short space elapsed, and up into this noiselessness came Ahab alone from his cabin. Taking a few turns on the quarter-deck, he paused to gaze over the side, then slowly getting into the main-chains he took Stubb’s long spade—still remaining there after the whale’s Decapitation—and striking it into the lower part of the half-suspended mass, placed its other end crutch-wise under one arm, and so stood leaning over with eyes attentively fixed on this head. + +It was a black and hooded head; and hanging there in the midst of so intense a calm, it seemed the Sphynx’s in the desert. “Speak, thou vast and venerable head,” muttered Ahab, “which, though ungarnished with a beard, yet here and there lookest hoary with mosses; speak, mighty head, and tell us the secret thing that is in thee. Of all divers, thou hast dived the deepest. That head upon which the upper sun now gleams, has moved amid this world’s foundations. Where unrecorded names and navies rust, and untold hopes and anchors rot; where in her murderous hold this frigate earth is ballasted with bones of millions of the drowned; there, in that awful water-land, there was thy most familiar home. Thou hast been where bell or diver never went; hast slept by many a sailor’s side, where sleepless mothers would give their lives to lay them down. Thou saw’st the locked lovers when leaping from their flaming ship; heart to heart they sank beneath the exulting wave; true to each other, when heaven seemed false to them. Thou saw’st the murdered mate when tossed by pirates from the midnight deck; for hours he fell into the deeper midnight of the insatiate maw; and his murderers still sailed on unharmed—while swift lightnings shivered the neighboring ship that would have borne a righteous husband to outstretched, longing arms. O head! thou hast seen enough to split the planets and make an infidel of Abraham, and not one syllable is thine!” + +“Sail ho!” cried a triumphant voice from the main-mast-head. + +“Aye? Well, now, that’s cheering,” cried Ahab, suddenly erecting himself, while whole thunder-clouds swept aside from his brow. “That lively cry upon this deadly calm might almost convert a better man.—Where away?” + +“Three points on the starboard bow, sir, and bringing down her breeze to us! + +“Better and better, man. Would now St. Paul would come along that way, and to my breezelessness bring his breeze! O Nature, and O soul of man! how far beyond all utterance are your linked analogies! not the smallest atom stirs or lives on matter, but has its cunning duplicate in mind.” + +CHAPTER 71. The Jeroboam’s Story. + +Hand in hand, ship and breeze blew on; but the breeze came faster than the ship, and soon the Pequod began to rock. + +By and by, through the glass the stranger’s boats and manned mast-heads proved her a whale-ship. But as she was so far to windward, and shooting by, apparently making a passage to some other ground, the Pequod could not hope to reach her. So the signal was set to see what response would be made. + +Here be it said, that like the vessels of military marines, the ships of the American Whale Fleet have each a private signal; all which signals being collected in a book with the names of the respective vessels attached, every captain is provided with it. Thereby, the whale commanders are enabled to recognise each other upon the ocean, even at considerable distances and with no small facility. + +‘Nay, keep it thyself,’ cried Gabriel to Ahab; ‘thou art soon going that way. +The Pequod’s signal was at last responded to by the stranger’s setting her own; which proved the ship to be the Jeroboam of Nantucket. Squaring her yards, she bore down, ranged abeam under the Pequod’s lee, and lowered a boat; it soon drew nigh; but, as the side-ladder was being rigged by Starbuck’s order to accommodate the visiting captain, the stranger in question waved his hand from his boat’s stern in token of that proceeding being entirely unnecessary. It turned out that the Jeroboam had a malignant epidemic on board, and that Mayhew, her captain, was fearful of infecting the Pequod’s company. For, though himself and boat’s crew remained untainted, and though his ship was half a rifle-shot off, and an incorruptible sea and air rolling and flowing between; yet conscientiously adhering to the timid quarantine of the land, he peremptorily refused to come into direct contact with the Pequod. + +But this did by no means prevent all communications. Preserving an interval of some few yards between itself and the ship, the Jeroboam’s boat by the occasional use of its oars contrived to keep parallel to the Pequod, as she heavily forged through the sea (for by this time it blew very fresh), with her main-topsail aback; though, indeed, at times by the sudden onset of a large rolling wave, the boat would be pushed some way ahead; but would be soon skilfully brought to her proper bearings again. Subject to this, and other the like interruptions now and then, a conversation was sustained between the two parties; but at intervals not without still another interruption of a very different sort. + +Pulling an oar in the Jeroboam’s boat, was a man of a singular appearance, even in that wild whaling life where individual notabilities make up all totalities. He was a small, short, youngish man, sprinkled all over his face with freckles, and wearing redundant yellow hair. A long-skirted, cabalistically-cut coat of a faded walnut tinge enveloped him; the overlapping sleeves of which were rolled up on his wrists. A deep, settled, fanatic delirium was in his eyes. + +So soon as this figure had been first descried, Stubb had exclaimed—”That’s he! that’s he!—the long-togged scaramouch the Town-Ho’s company told us of!” Stubb here alluded to a strange story told of the Jeroboam, and a certain man among her crew, some time previous when the Pequod spoke the Town-Ho. According to this account and what was subsequently learned, it seemed that the scaramouch in question had gained a wonderful ascendency over almost everybody in the Jeroboam. His story was this: + +He had been originally nurtured among the crazy society of Neskyeuna Shakers, where he had been a great prophet; in their cracked, secret meetings having several times descended from heaven by the way of a trap-door, announcing the speedy opening of the seventh vial, which he carried in his vest-pocket; but, which, instead of containing gunpowder, was supposed to be charged with laudanum. A strange, apostolic whim having seized him, he had left Neskyeuna for Nantucket, where, with that cunning peculiar to craziness, he assumed a steady, common-sense exterior, and offered himself as a green-hand candidate for the Jeroboam’s whaling voyage. They engaged him; but straightway upon the ship’s getting out of sight of land, his insanity broke out in a freshet. He announced himself as the archangel Gabriel, and commanded the captain to jump overboard. He published his manifesto, whereby he set himself forth as the deliverer of the isles of the sea and vicar-general of all Oceanica. The unflinching earnestness with which he declared these things;—the dark, daring play of his sleepless, excited imagination, and all the preternatural terrors of real delirium, united to invest this Gabriel in the minds of the majority of the ignorant crew, with an atmosphere of sacredness. Moreover, they were afraid of him. As such a man, however, was not of much practical use in the ship, especially as he refused to work except when he pleased, the incredulous captain would fain have been rid of him; but apprised that that individual’s intention was to land him in the first convenient port, the archangel forthwith opened all his seals and vials—devoting the ship and all hands to unconditional perdition, in case this intention was carried out. So strongly did he work upon his disciples among the crew, that at last in a body they went to the captain and told him if Gabriel was sent from the ship, not a man of them would remain. He was therefore forced to relinquish his plan. Nor would they permit Gabriel to be any way maltreated, say or do what he would; so that it came to pass that Gabriel had the complete freedom of the ship. The consequence of all this was, that the archangel cared little or nothing for the captain and mates; and since the epidemic had broken out, he carried a higher hand than ever; declaring that the plague, as he called it, was at his sole command; nor should it be stayed but according to his good pleasure. The sailors, mostly poor devils, cringed, and some of them fawned before him; in obedience to his instructions, sometimes rendering him personal homage, as to a god. Such things may seem incredible; but, however wondrous, they are true. Nor is the history of fanatics half so striking in respect to the measureless self-deception of the fanatic himself, as his measureless power of deceiving and bedevilling so many others. But it is time to return to the Pequod. + +“I fear not thy epidemic, man,” said Ahab from the bulwarks, to Captain Mayhew, who stood in the boat’s stern; “come on board.” + +But now Gabriel started to his feet. + +“Think, think of the fevers, yellow and bilious! Beware of the horrible plague!” + +“Gabriel! Gabriel!” cried Captain Mayhew; “thou must either—” But that instant a headlong wave shot the boat far ahead, and its seethings drowned all speech. + +“Hast thou seen the White Whale?” demanded Ahab, when the boat drifted back. + +“Think, think of thy whale-boat, stoven and sunk! Beware of the horrible tail!” + +“I tell thee again, Gabriel, that—” But again the boat tore ahead as if dragged by fiends. Nothing was said for some moments, while a succession of riotous waves rolled by, which by one of those occasional caprices of the seas were tumbling, not heaving it. Meantime, the hoisted sperm whale’s head jogged about very violently, and Gabriel was seen eyeing it with rather more apprehensiveness than his archangel nature seemed to warrant. + +When this interlude was over, Captain Mayhew began a dark story concerning Moby Dick; not, however, without frequent interruptions from Gabriel, whenever his name was mentioned, and the crazy sea that seemed leagued with him. + +It seemed that the Jeroboam had not long left home, when upon speaking a whale-ship, her people were reliably apprised of the existence of Moby Dick, and the havoc he had made. Greedily sucking in this intelligence, Gabriel solemnly warned the captain against attacking the White Whale, in case the monster should be seen; in his gibbering insanity, pronouncing the White Whale to be no less a being than the Shaker God incarnated; the Shakers receiving the Bible. But when, some year or two afterwards, Moby Dick was fairly sighted from the mast-heads, Macey, the chief mate, burned with ardour to encounter him; and the captain himself being not unwilling to let him have the opportunity, despite all the archangel’s denunciations and forewarnings, Macey succeeded in persuading five men to man his boat. With them he pushed off; and, after much weary pulling, and many perilous, unsuccessful onsets, he at last succeeded in getting one iron fast. Meantime, Gabriel, ascending to the main-royal mast-head, was tossing one arm in frantic gestures, and hurling forth prophecies of speedy doom to the sacrilegious assailants of his divinity. Now, while Macey, the mate, was standing up in his boat’s bow, and with all the reckless energy of his tribe was venting his wild exclamations upon the whale, and essaying to get a fair chance for his poised lance, lo! a broad white shadow rose from the sea; by its quick, fanning motion, temporarily taking the breath out of the bodies of the oarsmen. Next instant, the luckless mate, so full of furious life, was smitten bodily into the air, and making a long arc in his descent, fell into the sea at the distance of about fifty yards. Not a chip of the boat was harmed, nor a hair of any oarsman’s head; but the mate for ever sank. + +It is well to parenthesize here, that of the fatal accidents in the Sperm-Whale Fishery, this kind is perhaps almost as frequent as any. Sometimes, nothing is injured but the man who is thus annihilated; oftener the boat’s bow is knocked off, or the thigh-board, in which the headsman stands, is torn from its place and accompanies the body. But strangest of all is the circumstance, that in more instances than one, when the body has been recovered, not a single mark of violence is discernible; the man being stark dead. + +The whole calamity, with the falling form of Macey, was plainly descried from the ship. Raising a piercing shriek—”The vial! the vial!” Gabriel called off the terror-stricken crew from the further hunting of the whale. This terrible event clothed the archangel with added influence; because his credulous disciples believed that he had specifically fore-announced it, instead of only making a general prophecy, which any one might have done, and so have chanced to hit one of many marks in the wide margin allowed. He became a nameless terror to the ship. + +Mayhew having concluded his narration, Ahab put such questions to him, that the stranger captain could not forbear inquiring whether he intended to hunt the White Whale, if opportunity should offer. To which Ahab answered—”Aye.” Straightway, then, Gabriel once more started to his feet, glaring upon the old man, and vehemently exclaimed, with downward pointed finger—”Think, think of the blasphemer—dead, and down there!—beware of the blasphemer’s end!” + +Ahab stolidly turned aside; then said to Mayhew, “Captain, I have just bethought me of my letter-bag; there is a letter for one of thy officers, if I mistake not. Starbuck, look over the bag.” + +Every whale-ship takes out a goodly number of letters for various ships, whose delivery to the persons to whom they may be addressed, depends upon the mere chance of encountering them in the four oceans. Thus, most letters never reach their mark; and many are only received after attaining an age of two or three years or more. + +Soon Starbuck returned with a letter in his hand. It was sorely tumbled, damp, and covered with a dull, spotted, green mould, in consequence of being kept in a dark locker of the cabin. Of such a letter, Death himself might well have been the post-boy. + +“Can’st not read it?” cried Ahab. “Give it me, man. Aye, aye, it’s but a dim scrawl;—what’s this?” As he was studying it out, Starbuck took a long cutting-spade pole, and with his knife slightly split the end, to insert the letter there, and in that way, hand it to the boat, without its coming any closer to the ship. + +Meantime, Ahab holding the letter, muttered, “Mr. Har—yes, Mr. Harry—(a woman’s pinny hand,—the man’s wife, I’ll wager)—Aye—Mr. Harry Macey, Ship Jeroboam;—why it’s Macey, and he’s dead!” + +“Poor fellow! poor fellow! and from his wife,” sighed Mayhew; “but let me have it.” + +“Nay, keep it thyself,” cried Gabriel to Ahab; “thou art soon going that way.” + +“Curses throttle thee!” yelled Ahab. “Captain Mayhew, stand by now to receive it”; and taking the fatal missive from Starbuck’s hands, he caught it in the slit of the pole, and reached it over towards the boat. But as he did so, the oarsmen expectantly desisted from rowing; the boat drifted a little towards the ship’s stern; so that, as if by magic, the letter suddenly ranged along with Gabriel’s eager hand. He clutched it in an instant, seized the boat-knife, and impaling the letter on it, sent it thus loaded back into the ship. It fell at Ahab’s feet. Then Gabriel shrieked out to his comrades to give way with their oars, and in that manner the mutinous boat rapidly shot away from the Pequod. + +As, after this interlude, the seamen resumed their work upon the jacket of the whale, many strange things were hinted in reference to this wild affair. + +CHAPTER 72. The Monkey-Rope. + +In the tumultuous business of cutting-in and attending to a whale, there is much running backwards and forwards among the crew. Now hands are wanted here, and then again hands are wanted there. There is no staying in any one place; for at one and the same time everything has to be done everywhere. It is much the same with him who endeavors the description of the scene. We must now retrace our way a little. It was mentioned that upon first breaking ground in the whale’s back, the blubber-hook was inserted into the original hole there cut by the spades of the mates. But how did so clumsy and weighty a mass as that same hook get fixed in that hole? It was inserted there by my particular friend Queequeg, whose duty it was, as harpooneer, to descend upon the monster’s back for the special purpose referred to. But in very many cases, circumstances require that the harpooneer shall remain on the whale till the whole flensing or stripping operation is concluded. The whale, be it observed, lies almost entirely submerged, excepting the immediate parts operated upon. So down there, some ten feet below the level of the deck, the poor harpooneer flounders about, half on the whale and half in the water, as the vast mass revolves like a tread-mill beneath him. On the occasion in question, Queequeg figured in the Highland costume—a shirt and socks—in which to my eyes, at least, he appeared to uncommon advantage; and no one had a better chance to observe him, as will presently be seen. + +Being the savage’s bowsman, that is, the person who pulled the bow-oar in his boat (the second one from forward), it was my cheerful duty to attend upon him while taking that hard-scrabble scramble upon the dead whale’s back. You have seen Italian organ-boys holding a dancing-ape by a long cord. Just so, from the ship’s steep side, did I hold Queequeg down there in the sea, by what is technically called in the fishery a monkey-rope, attached to a strong strip of canvas belted round his waist. + +It was a humorously perilous business for both of us. For, before we proceed further, it must be said that the monkey-rope was fast at both ends; fast to Queequeg’s broad canvas belt, and fast to my narrow leather one. So that for better or for worse, we two, for the time, were wedded; and should poor Queequeg sink to rise no more, then both usage and honour demanded, that instead of cutting the cord, it should drag me down in his wake. So, then, an elongated Siamese ligature united us. Queequeg was my own inseparable twin brother; nor could I any way get rid of the dangerous liabilities which the hempen bond entailed. + +So strongly and metaphysically did I conceive of my situation then, that while earnestly watching his motions, I seemed distinctly to perceive that my own individuality was now merged in a joint stock company of two; that my free will had received a mortal wound; and that another’s mistake or misfortune might plunge innocent me into unmerited disaster and death. Therefore, I saw that here was a sort of interregnum in Providence; for its even-handed equity never could have so gross an injustice. And yet still further pondering—while I jerked him now and then from between the whale and ship, which would threaten to jam him—still further pondering, I say, I saw that this situation of mine was the precise situation of every mortal that breathes; only, in most cases, he, one way or other, has this Siamese connexion with a plurality of other mortals. If your banker breaks, you snap; if your apothecary by mistake sends you poison in your pills, you die. True, you may say that, by exceeding caution, you may possibly escape these and the multitudinous other evil chances of life. But handle Queequeg’s monkey-rope heedfully as I would, sometimes he jerked it so, that I came very near sliding overboard. Nor could I possibly forget that, do what I would, I only had the management of one end of it.* + +*The monkey-rope is found in all whalers; but it was only in the Pequod that the monkey and his holder were ever tied together. This improvement upon the original usage was introduced by no less a man than Stubb, in order to afford the imperilled harpooneer the strongest possible guarantee for the faithfulness and vigilance of his monkey-rope holder. + +I have hinted that I would often jerk poor Queequeg from between the whale and the ship—where he would occasionally fall, from the incessant rolling and swaying of both. But this was not the only jamming jeopardy he was exposed to. Unappalled by the massacre made upon them during the night, the sharks now freshly and more keenly allured by the before pent blood which began to flow from the carcass—the rabid creatures swarmed round it like bees in a beehive. + +And right in among those sharks was Queequeg; who often pushed them aside with his floundering feet. A thing altogether incredible were it not that attracted by such prey as a dead whale, the otherwise miscellaneously carnivorous shark will seldom touch a man. + +Nevertheless, it may well be believed that since they have such a ravenous finger in the pie, it is deemed but wise to look sharp to them. Accordingly, besides the monkey-rope, with which I now and then jerked the poor fellow from too close a vicinity to the maw of what seemed a peculiarly ferocious shark—he was provided with still another protection. Suspended over the side in one of the stages, Tashtego and Daggoo continually flourished over his head a couple of keen whale-spades, wherewith they slaughtered as many sharks as they could reach. This procedure of theirs, to be sure, was very disinterested and benevolent of them. They meant Queequeg’s best happiness, I admit; but in their hasty zeal to befriend him, and from the circumstance that both he and the sharks were at times half hidden by the blood-muddled water, those indiscreet spades of theirs would come nearer amputating a leg than a tail. But poor Queequeg, I suppose, straining and gasping there with that great iron hook—poor Queequeg, I suppose, only prayed to his Yojo, and gave up his life into the hands of his gods. + +Well, well, my dear comrade and twin-brother, thought I, as I drew in and then slacked off the rope to every swell of the sea—what matters it, after all? Are you not the precious image of each and all of us men in this whaling world? That unsounded ocean you gasp in, is Life; those sharks, your foes; those spades, your friends; and what between sharks and spades you are in a sad pickle and peril, poor lad. + +But courage! there is good cheer in store for you, Queequeg. For now, as with blue lips and blood-shot eyes the exhausted savage at last climbs up the chains and stands all dripping and involuntarily trembling over the side; the steward advances, and with a benevolent, consolatory glance hands him—what? Some hot Cognac? No! hands him, ye gods! hands him a cup of tepid ginger and water! + +“Ginger? Do I smell ginger?” suspiciously asked Stubb, coming near. “Yes, this must be ginger,” peering into the as yet untasted cup. Then standing as if incredulous for a while, he calmly walked towards the astonished steward slowly saying, “Ginger? ginger? and will you have the goodness to tell me, Mr. Dough-Boy, where lies the virtue of ginger? Ginger! is ginger the sort of fuel you use, Dough-boy, to kindle a fire in this shivering cannibal? Ginger!—what the devil is ginger? Sea-coal? firewood?—lucifer matches?—tinder?—gunpowder?—what the devil is ginger, I say, that you offer this cup to our poor Queequeg here.” + +“There is some sneaking Temperance Society movement about this business,” he suddenly added, now approaching Starbuck, who had just come from forward. “Will you look at that kannakin, sir; smell of it, if you please.” Then watching the mate’s countenance, he added, “The steward, Mr. Starbuck, had the face to offer that calomel and jalap to Queequeg, there, this instant off the whale. Is the steward an apothecary, sir? and may I ask whether this is the sort of bitters by which he blows back the life into a half-drowned man?” + +“I trust not,” said Starbuck, “it is poor stuff enough.” + +“Aye, aye, steward,” cried Stubb, “we’ll teach you to drug a harpooneer; none of your apothecary’s medicine here; you want to poison us, do ye? You have got out insurances on our lives and want to murder us all, and pocket the proceeds, do ye?” + +“It was not me,” cried Dough-Boy, “it was Aunt Charity that brought the ginger on board; and bade me never give the harpooneers any spirits, but only this ginger-jub—so she called it.” + +“Ginger-jub! you gingerly rascal! take that! and run along with ye to the lockers, and get something better. I hope I do no wrong, Mr. Starbuck. It is the captain’s orders—grog for the harpooneer on a whale.” + +“Enough,” replied Starbuck, “only don’t hit him again, but—” + +“Oh, I never hurt when I hit, except when I hit a whale or something of that sort; and this fellow’s a weazel. What were you about saying, sir?” + +“Only this: go down with him, and get what thou wantest thyself.” + +When Stubb reappeared, he came with a dark flask in one hand, and a sort of tea-caddy in the other. The first contained strong spirits, and was handed to Queequeg; the second was Aunt Charity’s gift, and that was freely given to the waves. + +CHAPTER 73. Stubb and Flask Kill a Right Whale; and Then Have a Talk Over Him. + +It must be borne in mind that all this time we have a Sperm Whale’s prodigious head hanging to the Pequod’s side. But we must let it continue hanging there a while till we can get a chance to attend to it. For the present other matters press, and the best we can do now for the head, is to pray heaven the tackles may hold. + +Now, during the past night and forenoon, the Pequod had gradually drifted into a sea, which, by its occasional patches of yellow brit, gave unusual tokens of the vicinity of Right Whales, a species of the Leviathan that but few supposed to be at this particular time lurking anywhere near. And though all hands commonly disdained the capture of those inferior creatures; and though the Pequod was not commissioned to cruise for them at all, and though she had passed numbers of them near the Crozetts without lowering a boat; yet now that a Sperm Whale had been brought alongside and beheaded, to the surprise of all, the announcement was made that a Right Whale should be captured that day, if opportunity offered. + +Nor was this long wanting. Tall spouts were seen to leeward; and two boats, Stubb’s and Flask’s, were detached in pursuit. Pulling further and further away, they at last became almost invisible to the men at the mast-head. But suddenly in the distance, they saw a great heap of tumultuous white water, and soon after news came from aloft that one or both the boats must be fast. An interval passed and the boats were in plain sight, in the act of being dragged right towards the ship by the towing whale. So close did the monster come to the hull, that at first it seemed as if he meant it malice; but suddenly going down in a maelstrom, within three rods of the planks, he wholly disappeared from view, as if diving under the keel. “Cut, cut!” was the cry from the ship to the boats, which, for one instant, seemed on the point of being brought with a deadly dash against the vessel’s side. But having plenty of line yet in the tubs, and the whale not sounding very rapidly, they paid out abundance of rope, and at the same time pulled with all their might so as to get ahead of the ship. For a few minutes the struggle was intensely critical; for while they still slacked out the tightened line in one direction, and still plied their oars in another, the contending strain threatened to take them under. But it was only a few feet advance they sought to gain. And they stuck to it till they did gain it; when instantly, a swift tremor was felt running like lightning along the keel, as the strained line, scraping beneath the ship, suddenly rose to view under her bows, snapping and quivering; and so flinging off its drippings, that the drops fell like bits of broken glass on the water, while the whale beyond also rose to sight, and once more the boats were free to fly. But the fagged whale abated his speed, and blindly altering his course, went round the stern of the ship towing the two boats after him, so that they performed a complete circuit. + +Meantime, Fedallah was calmly eyeing the right whale’s head, and ever and anon glancing from the deep wrinkles there to the lines in his own hand. And Ahab chanced so to stand, that the Parsee occupied his shadow; while, if the Parsee’s shadow was there at all it seemed only to blend with, and lengthen Ahab’s. +Meantime, they hauled more and more upon their lines, till close flanking him on both sides, Stubb answered Flask with lance for lance; and thus round and round the Pequod the battle went, while the multitudes of sharks that had before swum round the Sperm Whale’s body, rushed to the fresh blood that was spilled, thirstily drinking at every new gash, as the eager Israelites did at the new bursting fountains that poured from the smitten rock. + +At last his spout grew thick, and with a frightful roll and vomit, he turned upon his back a corpse. + +While the two headsmen were engaged in making fast cords to his flukes, and in other ways getting the mass in readiness for towing, some conversation ensued between them. + +“I wonder what the old man wants with this lump of foul lard,” said Stubb, not without some disgust at the thought of having to do with so ignoble a leviathan. + +“Wants with it?” said Flask, coiling some spare line in the boat’s bow, “did you never hear that the ship which but once has a Sperm Whale’s head hoisted on her starboard side, and at the same time a Right Whale’s on the larboard; did you never hear, Stubb, that that ship can never afterwards capsize?” + +“Why not? + +“I don’t know, but I heard that gamboge ghost of a Fedallah saying so, and he seems to know all about ships’ charms. But I sometimes think he’ll charm the ship to no good at last. I don’t half like that chap, Stubb. Did you ever notice how that tusk of his is a sort of carved into a snake’s head, Stubb?” + +“Sink him! I never look at him at all; but if ever I get a chance of a dark night, and he standing hard by the bulwarks, and no one by; look down there, Flask”—pointing into the sea with a peculiar motion of both hands—”Aye, will I! Flask, I take that Fedallah to be the devil in disguise. Do you believe that cock and bull story about his having been stowed away on board ship? He’s the devil, I say. The reason why you don’t see his tail, is because he tucks it up out of sight; he carries it coiled away in his pocket, I guess. Blast him! now that I think of it, he’s always wanting oakum to stuff into the toes of his boots.” + +“He sleeps in his boots, don’t he? He hasn’t got any hammock; but I’ve seen him lay of nights in a coil of rigging.” + +“No doubt, and it’s because of his cursed tail; he coils it down, do ye see, in the eye of the rigging.” + +“What’s the old man have so much to do with him for?” + +“Striking up a swap or a bargain, I suppose.” + +“Bargain?—about what?” + +“Why, do ye see, the old man is hard bent after that White Whale, and the devil there is trying to come round him, and get him to swap away his silver watch, or his soul, or something of that sort, and then he’ll surrender Moby Dick.” + +“Pooh! Stubb, you are skylarking; how can Fedallah do that?” + +“I don’t know, Flask, but the devil is a curious chap, and a wicked one, I tell ye. Why, they say as how he went a sauntering into the old flag-ship once, switching his tail about devilish easy and gentlemanlike, and inquiring if the old governor was at home. Well, he was at home, and asked the devil what he wanted. The devil, switching his hoofs, up and says, ‘I want John.’ ‘What for?’ says the old governor. ‘What business is that of yours,’ says the devil, getting mad,—’I want to use him.’ ‘Take him,’ says the governor—and by the Lord, Flask, if the devil didn’t give John the Asiatic cholera before he got through with him, I’ll eat this whale in one mouthful. But look sharp—ain’t you all ready there? Well, then, pull ahead, and let’s get the whale alongside.” + +“I think I remember some such story as you were telling,” said Flask, when at last the two boats were slowly advancing with their burden towards the ship, “but I can’t remember where.” + +“Three Spaniards? Adventures of those three bloody-minded soladoes? Did ye read it there, Flask? I guess ye did?” + +“No: never saw such a book; heard of it, though. But now, tell me, Stubb, do you suppose that that devil you was speaking of just now, was the same you say is now on board the Pequod?” + +“Am I the same man that helped kill this whale? Doesn’t the devil live for ever; who ever heard that the devil was dead? Did you ever see any parson a wearing mourning for the devil? And if the devil has a latch-key to get into the admiral’s cabin, don’t you suppose he can crawl into a porthole? Tell me that, Mr. Flask?” + +“How old do you suppose Fedallah is, Stubb?” + +“Do you see that mainmast there?” pointing to the ship; “well, that’s the figure one; now take all the hoops in the Pequod’s hold, and string along in a row with that mast, for oughts, do you see; well, that wouldn’t begin to be Fedallah’s age. Nor all the coopers in creation couldn’t show hoops enough to make oughts enough.” + +“But see here, Stubb, I thought you a little boasted just now, that you meant to give Fedallah a sea-toss, if you got a good chance. Now, if he’s so old as all those hoops of yours come to, and if he is going to live for ever, what good will it do to pitch him overboard—tell me that? + +“Give him a good ducking, anyhow.” + +“But he’d crawl back.” + +“Duck him again; and keep ducking him.” + +“Suppose he should take it into his head to duck you, though—yes, and drown you—what then?” + +“I should like to see him try it; I’d give him such a pair of black eyes that he wouldn’t dare to show his face in the admiral’s cabin again for a long while, let alone down in the orlop there, where he lives, and hereabouts on the upper decks where he sneaks so much. Damn the devil, Flask; so you suppose I’m afraid of the devil? Who’s afraid of him, except the old governor who daresn’t catch him and put him in double-darbies, as he deserves, but lets him go about kidnapping people; aye, and signed a bond with him, that all the people the devil kidnapped, he’d roast for him? There’s a governor!” + +“Do you suppose Fedallah wants to kidnap Captain Ahab?” + +“Do I suppose it? You’ll know it before long, Flask. But I am going now to keep a sharp look-out on him; and if I see anything very suspicious going on, I’ll just take him by the nape of his neck, and say—Look here, Beelzebub, you don’t do it; and if he makes any fuss, by the Lord I’ll make a grab into his pocket for his tail, take it to the capstan, and give him such a wrenching and heaving, that his tail will come short off at the stump—do you see; and then, I rather guess when he finds himself docked in that queer fashion, he’ll sneak off without the poor satisfaction of feeling his tail between his legs.” + +“And what will you do with the tail, Stubb?” + +“Do with it? Sell it for an ox whip when we get home;—what else?” + +“Now, do you mean what you say, and have been saying all along, Stubb?” + +“Mean or not mean, here we are at the ship.” + +The boats were here hailed, to tow the whale on the larboard side, where fluke chains and other necessaries were already prepared for securing him. + +“Didn’t I tell you so?” said Flask; “yes, you’ll soon see this right whale’s head hoisted up opposite that parmacetti’s.” + +In good time, Flask’s saying proved true. As before, the Pequod steeply leaned over towards the sperm whale’s head, now, by the counterpoise of both heads, she regained her even keel; though sorely strained, you may well believe. So, when on one side you hoist in Locke’s head, you go over that way; but now, on the other side, hoist in Kant’s and you come back again; but in very poor plight. Thus, some minds for ever keep trimming boat. Oh, ye foolish! throw all these thunder-heads overboard, and then you will float light and right. + +In disposing of the body of a right whale, when brought alongside the ship, the same preliminary proceedings commonly take place as in the case of a sperm whale; only, in the latter instance, the head is cut off whole, but in the former the lips and tongue are separately removed and hoisted on deck, with all the well known black bone attached to what is called the crown-piece. But nothing like this, in the present case, had been done. The carcases of both whales had dropped astern; and the head-laden ship not a little resembled a mule carrying a pair of overburdening panniers. + +Meantime, Fedallah was calmly eyeing the right whale’s head, and ever and anon glancing from the deep wrinkles there to the lines in his own hand. And Ahab chanced so to stand, that the Parsee occupied his shadow; while, if the Parsee’s shadow was there at all it seemed only to blend with, and lengthen Ahab’s. As the crew toiled on, Laplandish speculations were bandied among them, concerning all these passing things. + +CHAPTER 74. The Sperm Whale’s Head—Contrasted View. + +Here, now, are two great whales, laying their heads together; let us join them, and lay together our own. + +Of the grand order of folio leviathans, the Sperm Whale and the Right Whale are by far the most noteworthy. They are the only whales regularly hunted by man. To the Nantucketer, they present the two extremes of all the known varieties of the whale. As the external difference between them is mainly observable in their heads; and as a head of each is this moment hanging from the Pequod’s side; and as we may freely go from one to the other, by merely stepping across the deck:—where, I should like to know, will you obtain a better chance to study practical cetology than here? + +In the first place, you are struck by the general contrast between these heads. Both are massive enough in all conscience; but there is a certain mathematical symmetry in the Sperm Whale’s which the Right Whale’s sadly lacks. There is more character in the Sperm Whale’s head. As you behold it, you involuntarily yield the immense superiority to him, in point of pervading dignity. In the present instance, too, this dignity is heightened by the pepper and salt colour of his head at the summit, giving token of advanced age and large experience. In short, he is what the fishermen technically call a “grey-headed whale.” + +Let us now note what is least dissimilar in these heads—namely, the two most important organs, the eye and the ear. Far back on the side of the head, and low down, near the angle of either whale’s jaw, if you narrowly search, you will at last see a lashless eye, which you would fancy to be a young colt’s eye; so out of all proportion is it to the magnitude of the head. + +Now, from this peculiar sideway position of the whale’s eyes, it is plain that he can never see an object which is exactly ahead, no more than he can one exactly astern. In a word, the position of the whale’s eyes corresponds to that of a man’s ears; and you may fancy, for yourself, how it would fare with you, did you sideways survey objects through your ears. You would find that you could only command some thirty degrees of vision in advance of the straight side-line of sight; and about thirty more behind it. If your bitterest foe were walking straight towards you, with dagger uplifted in broad day, you would not be able to see him, any more than if he were stealing upon you from behind. In a word, you would have two backs, so to speak; but, at the same time, also, two fronts (side fronts): for what is it that makes the front of a man—what, indeed, but his eyes? + +Moreover, while in most other animals that I can now think of, the eyes are so planted as imperceptibly to blend their visual power, so as to produce one picture and not two to the brain; the peculiar position of the whale’s eyes, effectually divided as they are by many cubic feet of solid head, which towers between them like a great mountain separating two lakes in valleys; this, of course, must wholly separate the impressions which each independent organ imparts. The whale, therefore, must see one distinct picture on this side, and another distinct picture on that side; while all between must be profound darkness and nothingness to him. Man may, in effect, be said to look out on the world from a sentry-box with two joined sashes for his window. But with the whale, these two sashes are separately inserted, making two distinct windows, but sadly impairing the view. This peculiarity of the whale’s eyes is a thing always to be borne in mind in the fishery; and to be remembered by the reader in some subsequent scenes. + +A curious and most puzzling question might be started concerning this visual matter as touching the Leviathan. But I must be content with a hint. So long as a man’s eyes are open in the light, the act of seeing is involuntary; that is, he cannot then help mechanically seeing whatever objects are before him. Nevertheless, any one’s experience will teach him, that though he can take in an undiscriminating sweep of things at one glance, it is quite impossible for him, attentively, and completely, to examine any two things—however large or however small—at one and the same instant of time; never mind if they lie side by side and touch each other. But if you now come to separate these two objects, and surround each by a circle of profound darkness; then, in order to see one of them, in such a manner as to bring your mind to bear on it, the other will be utterly excluded from your contemporary consciousness. How is it, then, with the whale? True, both his eyes, in themselves, must simultaneously act; but is his brain so much more comprehensive, combining, and subtle than man’s, that he can at the same moment of time attentively examine two distinct prospects, one on one side of him, and the other in an exactly opposite direction? If he can, then is it as marvellous a thing in him, as if a man were able simultaneously to go through the demonstrations of two distinct problems in Euclid. Nor, strictly investigated, is there any incongruity in this comparison. + +It may be but an idle whim, but it has always seemed to me, that the extraordinary vacillations of movement displayed by some whales when beset by three or four boats; the timidity and liability to queer frights, so common to such whales; I think that all this indirectly proceeds from the helpless perplexity of volition, in which their divided and diametrically opposite powers of vision must involve them. + +But the ear of the whale is full as curious as the eye. If you are an entire stranger to their race, you might hunt over these two heads for hours, and never discover that organ. The ear has no external leaf whatever; and into the hole itself you can hardly insert a quill, so wondrously minute is it. It is lodged a little behind the eye. With respect to their ears, this important difference is to be observed between the sperm whale and the right. While the ear of the former has an external opening, that of the latter is entirely and evenly covered over with a membrane, so as to be quite imperceptible from without. + +Is it not curious, that so vast a being as the whale should see the world through so small an eye, and hear the thunder through an ear which is smaller than a hare’s? But if his eyes were broad as the lens of Herschel’s great telescope; and his ears capacious as the porches of cathedrals; would that make him any longer of sight, or sharper of hearing? Not at all.—Why then do you try to “enlarge” your mind? Subtilize it. + +Let us now with whatever levers and steam-engines we have at hand, cant over the sperm whale’s head, that it may lie bottom up; then, ascending by a ladder to the summit, have a peep down the mouth; and were it not that the body is now completely separated from it, with a lantern we might descend into the great Kentucky Mammoth Cave of his stomach. But let us hold on here by this tooth, and look about us where we are. What a really beautiful and chaste-looking mouth! from floor to ceiling, lined, or rather papered with a glistening white membrane, glossy as bridal satins. + +But come out now, and look at this portentous lower jaw, which seems like the long narrow lid of an immense snuff-box, with the hinge at one end, instead of one side. If you pry it up, so as to get it overhead, and expose its rows of teeth, it seems a terrific portcullis; and such, alas! it proves to many a poor wight in the fishery, upon whom these spikes fall with impaling force. But far more terrible is it to behold, when fathoms down in the sea, you see some sulky whale, floating there suspended, with his prodigious jaw, some fifteen feet long, hanging straight down at right-angles with his body, for all the world like a ship’s jib-boom. This whale is not dead; he is only dispirited; out of sorts, perhaps; hypochondriac; and so supine, that the hinges of his jaw have relaxed, leaving him there in that ungainly sort of plight, a reproach to all his tribe, who must, no doubt, imprecate lock-jaws upon him. + +In most cases this lower jaw—being easily unhinged by a practised artist—is disengaged and hoisted on deck for the purpose of extracting the ivory teeth, and furnishing a supply of that hard white whalebone with which the fishermen fashion all sorts of curious articles, including canes, umbrella-stocks, and handles to riding-whips. + +With a long, weary hoist the jaw is dragged on board, as if it were an anchor; and when the proper time comes—some few days after the other work—Queequeg, Daggoo, and Tashtego, being all accomplished dentists, are set to drawing teeth. With a keen cutting-spade, Queequeg lances the gums; then the jaw is lashed down to ringbolts, and a tackle being rigged from aloft, they drag out these teeth, as Michigan oxen drag stumps of old oaks out of wild wood lands. There are generally forty-two teeth in all; in old whales, much worn down, but undecayed; nor filled after our artificial fashion. The jaw is afterwards sawn into slabs, and piled away like joists for building houses. + +CHAPTER 75. The Right Whale’s Head—Contrasted View. + +Crossing the deck, let us now have a good long look at the Right Whale’s head. + +As in general shape the noble Sperm Whale’s head may be compared to a Roman war-chariot (especially in front, where it is so broadly rounded); so, at a broad view, the Right Whale’s head bears a rather inelegant resemblance to a gigantic galliot-toed shoe. Two hundred years ago an old Dutch voyager likened its shape to that of a shoemaker’s last. And in this same last or shoe, that old woman of the nursery tale, with the swarming brood, might very comfortably be lodged, she and all her progeny. + +But as you come nearer to this great head it begins to assume different aspects, according to your point of view. If you stand on its summit and look at these two F-shaped spoutholes, you would take the whole head for an enormous bass-viol, and these spiracles, the apertures in its sounding-board. Then, again, if you fix your eye upon this strange, crested, comb-like incrustation on the top of the mass—this green, barnacled thing, which the Greenlanders call the “crown,” and the Southern fishers the “bonnet” of the Right Whale; fixing your eyes solely on this, you would take the head for the trunk of some huge oak, with a bird’s nest in its crotch. At any rate, when you watch those live crabs that nestle here on this bonnet, such an idea will be almost sure to occur to you; unless, indeed, your fancy has been fixed by the technical term “crown” also bestowed upon it; in which case you will take great interest in thinking how this mighty monster is actually a diademed king of the sea, whose green crown has been put together for him in this marvellous manner. But if this whale be a king, he is a very sulky looking fellow to grace a diadem. Look at that hanging lower lip! what a huge sulk and pout is there! a sulk and pout, by carpenter’s measurement, about twenty feet long and five feet deep; a sulk and pout that will yield you some 500 gallons of oil and more. + +A great pity, now, that this unfortunate whale should be hare-lipped. The fissure is about a foot across. Probably the mother during an important interval was sailing down the Peruvian coast, when earthquakes caused the beach to gape. Over this lip, as over a slippery threshold, we now slide into the mouth. Upon my word were I at Mackinaw, I should take this to be the inside of an Indian wigwam. Good Lord! is this the road that Jonah went? The roof is about twelve feet high, and runs to a pretty sharp angle, as if there were a regular ridge-pole there; while these ribbed, arched, hairy sides, present us with those wondrous, half vertical, scimetar-shaped slats of whalebone, say three hundred on a side, which depending from the upper part of the head or crown bone, form those Venetian blinds which have elsewhere been cursorily mentioned. The edges of these bones are fringed with hairy fibres, through which the Right Whale strains the water, and in whose intricacies he retains the small fish, when openmouthed he goes through the seas of brit in feeding time. In the central blinds of bone, as they stand in their natural order, there are certain curious marks, curves, hollows, and ridges, whereby some whalemen calculate the creature’s age, as the age of an oak by its circular rings. Though the certainty of this criterion is far from demonstrable, yet it has the savor of analogical probability. At any rate, if we yield to it, we must grant a far greater age to the Right Whale than at first glance will seem reasonable. + +In old times, there seem to have prevailed the most curious fancies concerning these blinds. One voyager in Purchas calls them the wondrous “whiskers” inside of the whale’s mouth;* another, “hogs’ bristles”; a third old gentleman in Hackluyt uses the following elegant language: “There are about two hundred and fifty fins growing on each side of his upper CHOP, which arch over his tongue on each side of his mouth.” + +*This reminds us that the Right Whale really has a sort of whisker, or rather a moustache, consisting of a few scattered white hairs on the upper part of the outer end of the lower jaw. Sometimes these tufts impart a rather brigandish expression to his otherwise solemn countenance. + +As every one knows, these same “hogs’ bristles,” “fins,” “whiskers,” “blinds,” or whatever you please, furnish to the ladies their busks and other stiffening contrivances. But in this particular, the demand has long been on the decline. It was in Queen Anne’s time that the bone was in its glory, the farthingale being then all the fashion. And as those ancient dames moved about gaily, though in the jaws of the whale, as you may say; even so, in a shower, with the like thoughtlessness, do we nowadays fly under the same jaws for protection; the umbrella being a tent spread over the same bone. + +But now forget all about blinds and whiskers for a moment, and, standing in the Right Whale’s mouth, look around you afresh. Seeing all these colonnades of bone so methodically ranged about, would you not think you were inside of the great Haarlem organ, and gazing upon its thousand pipes? For a carpet to the organ we have a rug of the softest Turkey—the tongue, which is glued, as it were, to the floor of the mouth. It is very fat and tender, and apt to tear in pieces in hoisting it on deck. This particular tongue now before us; at a passing glance I should say it was a six-barreler; that is, it will yield you about that amount of oil. + +Ere this, you must have plainly seen the truth of what I started with—that the Sperm Whale and the Right Whale have almost entirely different heads. To sum up, then: in the Right Whale’s there is no great well of sperm; no ivory teeth at all; no long, slender mandible of a lower jaw, like the Sperm Whale’s. Nor in the Sperm Whale are there any of those blinds of bone; no huge lower lip; and scarcely anything of a tongue. Again, the Right Whale has two external spout-holes, the Sperm Whale only one. + +Look your last, now, on these venerable hooded heads, while they yet lie together; for one will soon sink, unrecorded, in the sea; the other will not be very long in following. + +Can you catch the expression of the Sperm Whale’s there? It is the same he died with, only some of the longer wrinkles in the forehead seem now faded away. I think his broad brow to be full of a prairie-like placidity, born of a speculative indifference as to death. But mark the other head’s expression. See that amazing lower lip, pressed by accident against the vessel’s side, so as firmly to embrace the jaw. Does not this whole head seem to speak of an enormous practical resolution in facing death? This Right Whale I take to have been a Stoic; the Sperm Whale, a Platonian, who might have taken up Spinoza in his latter years. + +CHAPTER 76. The Battering-Ram. + +Ere quitting, for the nonce, the Sperm Whale’s head, I would have you, as a sensible physiologist, simply—particularly remark its front aspect, in all its compacted collectedness. I would have you investigate it now with the sole view of forming to yourself some unexaggerated, intelligent estimate of whatever battering-ram power may be lodged there. Here is a vital point; for you must either satisfactorily settle this matter with yourself, or for ever remain an infidel as to one of the most appalling, but not the less true events, perhaps anywhere to be found in all recorded history. + +You observe that in the ordinary swimming position of the Sperm Whale, the front of his head presents an almost wholly vertical plane to the water; you observe that the lower part of that front slopes considerably backwards, so as to furnish more of a retreat for the long socket which receives the boom-like lower jaw; you observe that the mouth is entirely under the head, much in the same way, indeed, as though your own mouth were entirely under your chin. Moreover you observe that the whale has no external nose; and that what nose he has—his spout hole—is on the top of his head; you observe that his eyes and ears are at the sides of his head, nearly one third of his entire length from the front. Wherefore, you must now have perceived that the front of the Sperm Whale’s head is a dead, blind wall, without a single organ or tender prominence of any sort whatsoever. Furthermore, you are now to consider that only in the extreme, lower, backward sloping part of the front of the head, is there the slightest vestige of bone; and not till you get near twenty feet from the forehead do you come to the full cranial development. So that this whole enormous boneless mass is as one wad. Finally, though, as will soon be revealed, its contents partly comprise the most delicate oil; yet, you are now to be apprised of the nature of the substance which so impregnably invests all that apparent effeminacy. In some previous place I have described to you how the blubber wraps the body of the whale, as the rind wraps an orange. Just so with the head; but with this difference: about the head this envelope, though not so thick, is of a boneless toughness, inestimable by any man who has not handled it. The severest pointed harpoon, the sharpest lance darted by the strongest human arm, impotently rebounds from it. It is as though the forehead of the Sperm Whale were paved with horses’ hoofs. I do not think that any sensation lurks in it. + +Bethink yourself also of another thing. When two large, loaded Indiamen chance to crowd and crush towards each other in the docks, what do the sailors do? They do not suspend between them, at the point of coming contact, any merely hard substance, like iron or wood. No, they hold there a large, round wad of tow and cork, enveloped in the thickest and toughest of ox-hide. That bravely and uninjured takes the jam which would have snapped all their oaken handspikes and iron crow-bars. By itself this sufficiently illustrates the obvious fact I drive at. But supplementary to this, it has hypothetically occurred to me, that as ordinary fish possess what is called a swimming bladder in them, capable, at will, of distension or contraction; and as the Sperm Whale, as far as I know, has no such provision in him; considering, too, the otherwise inexplicable manner in which he now depresses his head altogether beneath the surface, and anon swims with it high elevated out of the water; considering the unobstructed elasticity of its envelope; considering the unique interior of his head; it has hypothetically occurred to me, I say, that those mystical lung-celled honeycombs there may possibly have some hitherto unknown and unsuspected connexion with the outer air, so as to be susceptible to atmospheric distension and contraction. If this be so, fancy the irresistibleness of that might, to which the most impalpable and destructive of all elements contributes. + +Now, mark. Unerringly impelling this dead, impregnable, uninjurable wall, and this most buoyant thing within; there swims behind it all a mass of tremendous life, only to be adequately estimated as piled wood is—by the cord; and all obedient to one volition, as the smallest insect. So that when I shall hereafter detail to you all the specialities and concentrations of potency everywhere lurking in this expansive monster; when I shall show you some of his more inconsiderable braining feats; I trust you will have renounced all ignorant incredulity, and be ready to abide by this; that though the Sperm Whale stove a passage through the Isthmus of Darien, and mixed the Atlantic with the Pacific, you would not elevate one hair of your eye-brow. For unless you own the whale, you are but a provincial and sentimentalist in Truth. But clear Truth is a thing for salamander giants only to encounter; how small the chances for the provincials then? What befell the weakling youth lifting the dread goddess’s veil at Lais? + +CHAPTER 77. The Great Heidelburgh Tun. + +Now comes the Baling of the Case. But to comprehend it aright, you must know something of the curious internal structure of the thing operated upon. + +Regarding the Sperm Whale’s head as a solid oblong, you may, on an inclined plane, sideways divide it into two quoins,* whereof the lower is the bony structure, forming the cranium and jaws, and the upper an unctuous mass wholly free from bones; its broad forward end forming the expanded vertical apparent forehead of the whale. At the middle of the forehead horizontally subdivide this upper quoin, and then you have two almost equal parts, which before were naturally divided by an internal wall of a thick tendinous substance. + +*Quoin is not a Euclidean term. It belongs to the pure nautical mathematics. I know not that it has been defined before. A quoin is a solid which differs from a wedge in having its sharp end formed by the steep inclination of one side, instead of the mutual tapering of both sides. + +The lower subdivided part, called the junk, is one immense honeycomb of oil, formed by the crossing and recrossing, into ten thousand infiltrated cells, of tough elastic white fibres throughout its whole extent. The upper part, known as the Case, may be regarded as the great Heidelburgh Tun of the Sperm Whale. And as that famous great tierce is mystically carved in front, so the whale’s vast plaited forehead forms innumerable strange devices for the emblematical adornment of his wondrous tun. Moreover, as that of Heidelburgh was always replenished with the most excellent of the wines of the Rhenish valleys, so the tun of the whale contains by far the most precious of all his oily vintages; namely, the highly-prized spermaceti, in its absolutely pure, limpid, and odoriferous state. Nor is this precious substance found unalloyed in any other part of the creature. Though in life it remains perfectly fluid, yet, upon exposure to the air, after death, it soon begins to concrete; sending forth beautiful crystalline shoots, as when the first thin delicate ice is just forming in water. A large whale’s case generally yields about five hundred gallons of sperm, though from unavoidable circumstances, considerable of it is spilled, leaks, and dribbles away, or is otherwise irrevocably lost in the ticklish business of securing what you can. + +I know not with what fine and costly material the Heidelburgh Tun was coated within, but in superlative richness that coating could not possibly have compared with the silken pearl-coloured membrane, like the lining of a fine pelisse, forming the inner surface of the Sperm Whale’s case. + +It will have been seen that the Heidelburgh Tun of the Sperm Whale embraces the entire length of the entire top of the head; and since—as has been elsewhere set forth—the head embraces one third of the whole length of the creature, then setting that length down at eighty feet for a good sized whale, you have more than twenty-six feet for the depth of the tun, when it is lengthwise hoisted up and down against a ship’s side. + +As in decapitating the whale, the operator’s instrument is brought close to the spot where an entrance is subsequently forced into the spermaceti magazine; he has, therefore, to be uncommonly heedful, lest a careless, untimely stroke should invade the sanctuary and wastingly let out its invaluable contents. It is this decapitated end of the head, also, which is at last elevated out of the water, and retained in that position by the enormous cutting tackles, whose hempen combinations, on one side, make quite a wilderness of ropes in that quarter. + +Thus much being said, attend now, I pray you, to that marvellous and—in this particular instance—almost fatal operation whereby the Sperm Whale’s great Heidelburgh Tun is tapped. + +CHAPTER 78. Cistern and Buckets. + +Nimble as a cat, Tashtego mounts aloft; and without altering his erect posture, runs straight out upon the overhanging mainyard-arm, to the part where it exactly projects over the hoisted Tun. He has carried with him a light tackle called a whip, consisting of only two parts, travelling through a single-sheaved block. Securing this block, so that it hangs down from the yard-arm, he swings one end of the rope, till it is caught and firmly held by a hand on deck. Then, hand-over-hand, down the other part, the Indian drops through the air, till dexterously he lands on the summit of the head. There—still high elevated above the rest of the company, to whom he vivaciously cries—he seems some Turkish Muezzin calling the good people to prayers from the top of a tower. A short-handled sharp spade being sent up to him, he diligently searches for the proper place to begin breaking into the Tun. In this business he proceeds very heedfully, like a treasure-hunter in some old house, sounding the walls to find where the gold is masoned in. By the time this cautious search is over, a stout iron-bound bucket, precisely like a well-bucket, has been attached to one end of the whip; while the other end, being stretched across the deck, is there held by two or three alert hands. These last now hoist the bucket within grasp of the Indian, to whom another person has reached up a very long pole. Inserting this pole into the bucket, Tashtego downward guides the bucket into the Tun, till it entirely disappears; then giving the word to the seamen at the whip, up comes the bucket again, all bubbling like a dairy-maid’s pail of new milk. Carefully lowered from its height, the full-freighted vessel is caught by an appointed hand, and quickly emptied into a large tub. Then remounting aloft, it again goes through the same round until the deep cistern will yield no more. Towards the end, Tashtego has to ram his long pole harder and harder, and deeper and deeper into the Tun, until some twenty feet of the pole have gone down. + +Now, the people of the Pequod had been baling some time in this way; several tubs had been filled with the fragrant sperm; when all at once a queer accident happened. Whether it was that Tashtego, that wild Indian, was so heedless and reckless as to let go for a moment his one-handed hold on the great cabled tackles suspending the head; or whether the place where he stood was so treacherous and oozy; or whether the Evil One himself would have it to fall out so, without stating his particular reasons; how it was exactly, there is no telling now; but, on a sudden, as the eightieth or ninetieth bucket came suckingly up—my God! poor Tashtego—like the twin reciprocating bucket in a veritable well, dropped head-foremost down into this great Tun of Heidelburgh, and with a horrible oily gurgling, went clean out of sight! + +And thus, through the courage and great skill in obstetrics of Queequeg, the deliverance, or rather, the delivery of Tashtego, was successfully accomplished, in the teeth, too, of the most untoward and apparently hopeless impediments; which is a lesson by no means to be forgotten. Midwifery should be taught in the same course with fencing and boxing, riding and rowing. +“Man overboard!” cried Daggoo, who amid the general consternation first came to his senses. “Swing the bucket this way!” and putting one foot into it, so as the better to secure his slippery hand-hold on the whip itself, the hoisters ran him high up to the top of the head, almost before Tashtego could have reached its interior bottom. Meantime, there was a terrible tumult. Looking over the side, they saw the before lifeless head throbbing and heaving just below the surface of the sea, as if that moment seized with some momentous idea; whereas it was only the poor Indian unconsciously revealing by those struggles the perilous depth to which he had sunk. + +At this instant, while Daggoo, on the summit of the head, was clearing the whip—which had somehow got foul of the great cutting tackles—a sharp cracking noise was heard; and to the unspeakable horror of all, one of the two enormous hooks suspending the head tore out, and with a vast vibration the enormous mass sideways swung, till the drunk ship reeled and shook as if smitten by an iceberg. The one remaining hook, upon which the entire strain now depended, seemed every instant to be on the point of giving way; an event still more likely from the violent motions of the head. + +“Come down, come down!” yelled the seamen to Daggoo, but with one hand holding on to the heavy tackles, so that if the head should drop, he would still remain suspended; the negro having cleared the foul line, rammed down the bucket into the now collapsed well, meaning that the buried harpooneer should grasp it, and so be hoisted out. + +“In heaven’s name, man,” cried Stubb, “are you ramming home a cartridge there?—Avast! How will that help him; jamming that iron-bound bucket on top of his head? Avast, will ye!” + +“Stand clear of the tackle!” cried a voice like the bursting of a rocket. + +Almost in the same instant, with a thunder-boom, the enormous mass dropped into the sea, like Niagara’s Table-Rock into the whirlpool; the suddenly relieved hull rolled away from it, to far down her glittering copper; and all caught their breath, as half swinging—now over the sailors’ heads, and now over the water—Daggoo, through a thick mist of spray, was dimly beheld clinging to the pendulous tackles, while poor, buried-alive Tashtego was sinking utterly down to the bottom of the sea! But hardly had the blinding vapour cleared away, when a naked figure with a boarding-sword in his hand, was for one swift moment seen hovering over the bulwarks. The next, a loud splash announced that my brave Queequeg had dived to the rescue. One packed rush was made to the side, and every eye counted every ripple, as moment followed moment, and no sign of either the sinker or the diver could be seen. Some hands now jumped into a boat alongside, and pushed a little off from the ship. + +“Ha! ha!” cried Daggoo, all at once, from his now quiet, swinging perch overhead; and looking further off from the side, we saw an arm thrust upright from the blue waves; a sight strange to see, as an arm thrust forth from the grass over a grave. + +“Both! both!—it is both!”—cried Daggoo again with a joyful shout; and soon after, Queequeg was seen boldly striking out with one hand, and with the other clutching the long hair of the Indian. Drawn into the waiting boat, they were quickly brought to the deck; but Tashtego was long in coming to, and Queequeg did not look very brisk. + +Now, how had this noble rescue been accomplished? Why, diving after the slowly descending head, Queequeg with his keen sword had made side lunges near its bottom, so as to scuttle a large hole there; then dropping his sword, had thrust his long arm far inwards and upwards, and so hauled out poor Tash by the head. He averred, that upon first thrusting in for him, a leg was presented; but well knowing that that was not as it ought to be, and might occasion great trouble;—he had thrust back the leg, and by a dexterous heave and toss, had wrought a somerset upon the Indian; so that with the next trial, he came forth in the good old way—head foremost. As for the great head itself, that was doing as well as could be expected. + +And thus, through the courage and great skill in obstetrics of Queequeg, the deliverance, or rather, delivery of Tashtego, was successfully accomplished, in the teeth, too, of the most untoward and apparently hopeless impediments; which is a lesson by no means to be forgotten. Midwifery should be taught in the same course with fencing and boxing, riding and rowing. + +I know that this queer adventure of the Gay-Header’s will be sure to seem incredible to some landsmen, though they themselves may have either seen or heard of some one’s falling into a cistern ashore; an accident which not seldom happens, and with much less reason too than the Indian’s, considering the exceeding slipperiness of the curb of the Sperm Whale’s well. + +But, peradventure, it may be sagaciously urged, how is this? We thought the tissued, infiltrated head of the Sperm Whale, was the lightest and most corky part about him; and yet thou makest it sink in an element of a far greater specific gravity than itself. We have thee there. Not at all, but I have ye; for at the time poor Tash fell in, the case had been nearly emptied of its lighter contents, leaving little but the dense tendinous wall of the well—a double welded, hammered substance, as I have before said, much heavier than the sea water, and a lump of which sinks in it like lead almost. But the tendency to rapid sinking in this substance was in the present instance materially counteracted by the other parts of the head remaining undetached from it, so that it sank very slowly and deliberately indeed, affording Queequeg a fair chance for performing his agile obstetrics on the run, as you may say. Yes, it was a running delivery, so it was. + +Now, had Tashtego perished in that head, it had been a very precious perishing; smothered in the very whitest and daintiest of fragrant spermaceti; coffined, hearsed, and tombed in the secret inner chamber and sanctum sanctorum of the whale. Only one sweeter end can readily be recalled—the delicious death of an Ohio honey-hunter, who seeking honey in the crotch of a hollow tree, found such exceeding store of it, that leaning too far over, it sucked him in, so that he died embalmed. How many, think ye, have likewise fallen into Plato’s honey head, and sweetly perished there? + +CHAPTER 79. The Prairie. + +To scan the lines of his face, or feel the bumps on the head of this Leviathan; this is a thing which no Physiognomist or Phrenologist has as yet undertaken. Such an enterprise would seem almost as hopeful as for Lavater to have scrutinized the wrinkles on the Rock of Gibraltar, or for Gall to have mounted a ladder and manipulated the Dome of the Pantheon. Still, in that famous work of his, Lavater not only treats of the various faces of men, but also attentively studies the faces of horses, birds, serpents, and fish; and dwells in detail upon the modifications of expression discernible therein. Nor have Gall and his disciple Spurzheim failed to throw out some hints touching the phrenological characteristics of other beings than man. Therefore, though I am but ill qualified for a pioneer, in the application of these two semi-sciences to the whale, I will do my endeavor. I try all things; I achieve what I can. + +Physiognomically regarded, the Sperm Whale is an anomalous creature. He has no proper nose. And since the nose is the central and most conspicuous of the features; and since it perhaps most modifies and finally controls their combined expression; hence it would seem that its entire absence, as an external appendage, must very largely affect the countenance of the whale. For as in landscape gardening, a spire, cupola, monument, or tower of some sort, is deemed almost indispensable to the completion of the scene; so no face can be physiognomically in keeping without the elevated open-work belfry of the nose. Dash the nose from Phidias’s marble Jove, and what a sorry remainder! Nevertheless, Leviathan is of so mighty a magnitude, all his proportions are so stately, that the same deficiency which in the sculptured Jove were hideous, in him is no blemish at all. Nay, it is an added grandeur. A nose to the whale would have been impertinent. As on your physiognomical voyage you sail round his vast head in your jolly-boat, your noble conceptions of him are never insulted by the reflection that he has a nose to be pulled. A pestilent conceit, which so often will insist upon obtruding even when beholding the mightiest royal beadle on his throne. + +In some particulars, perhaps the most imposing physiognomical view to be had of the Sperm Whale, is that of the full front of his head. This aspect is sublime. + +In thought, a fine human brow is like the East when troubled with the morning. In the repose of the pasture, the curled brow of the bull has a touch of the grand in it. Pushing heavy cannon up mountain defiles, the elephant’s brow is majestic. Human or animal, the mystical brow is as that great golden seal affixed by the German Emperors to their decrees. It signifies—”God: done this day by my hand.” But in most creatures, nay in man himself, very often the brow is but a mere strip of alpine land lying along the snow line. Few are the foreheads which like Shakespeare’s or Melancthon’s rise so high, and descend so low, that the eyes themselves seem clear, eternal, tideless mountain lakes; and all above them in the forehead’s wrinkles, you seem to track the antlered thoughts descending there to drink, as the Highland hunters track the snow prints of the deer. But in the great Sperm Whale, this high and mighty god-like dignity inherent in the brow is so immensely amplified, that gazing on it, in that full front view, you feel the Deity and the dread powers more forcibly than in beholding any other object in living nature. For you see no one point precisely; not one distinct feature is revealed; no nose, eyes, ears, or mouth; no face; he has none, proper; nothing but that one broad firmament of a forehead, pleated with riddles; dumbly lowering with the doom of boats, and ships, and men. Nor, in profile, does this wondrous brow diminish; though that way viewed its grandeur does not domineer upon you so. In profile, you plainly perceive that horizontal, semi-crescentic depression in the forehead’s middle, which, in man, is Lavater’s mark of genius. + +But how? Genius in the Sperm Whale? Has the Sperm Whale ever written a book, spoken a speech? No, his great genius is declared in his doing nothing particular to prove it. It is moreover declared in his pyramidical silence. And this reminds me that had the great Sperm Whale been known to the young Orient World, he would have been deified by their child-magian thoughts. They deified the crocodile of the Nile, because the crocodile is tongueless; and the Sperm Whale has no tongue, or at least it is so exceedingly small, as to be incapable of protrusion. If hereafter any highly cultured, poetical nation shall lure back to their birth-right, the merry May-day gods of old; and livingly enthrone them again in the now egotistical sky; in the now unhaunted hill; then be sure, exalted to Jove’s high seat, the great Sperm Whale shall lord it. + +Champollion deciphered the wrinkled granite hieroglyphics. But there is no Champollion to decipher the Egypt of every man’s and every being’s face. Physiognomy, like every other human science, is but a passing fable. If then, Sir William Jones, who read in thirty languages, could not read the simplest peasant’s face in its profounder and more subtle meanings, how may unlettered Ishmael hope to read the awful Chaldee of the Sperm Whale’s brow? I but put that brow before you. Read it if you can. + +CHAPTER 80. The Nut. + +If the Sperm Whale be physiognomically a Sphinx, to the phrenologist his brain seems that geometrical circle which it is impossible to square. + +In the full-grown creature the skull will measure at least twenty feet in length. Unhinge the lower jaw, and the side view of this skull is as the side of a moderately inclined plane resting throughout on a level base. But in life—as we have elsewhere seen—this inclined plane is angularly filled up, and almost squared by the enormous superincumbent mass of the junk and sperm. At the high end the skull forms a crater to bed that part of the mass; while under the long floor of this crater—in another cavity seldom exceeding ten inches in length and as many in depth—reposes the mere handful of this monster’s brain. The brain is at least twenty feet from his apparent forehead in life; it is hidden away behind its vast outworks, like the innermost citadel within the amplified fortifications of Quebec. So like a choice casket is it secreted in him, that I have known some whalemen who peremptorily deny that the Sperm Whale has any other brain than that palpable semblance of one formed by the cubic-yards of his sperm magazine. Lying in strange folds, courses, and convolutions, to their apprehensions, it seems more in keeping with the idea of his general might to regard that mystic part of him as the seat of his intelligence. + +It is plain, then, that phrenologically the head of this Leviathan, in the creature’s living intact state, is an entire delusion. As for his true brain, you can then see no indications of it, nor feel any. The whale, like all things that are mighty, wears a false brow to the common world. + +If you unload his skull of its spermy heaps and then take a rear view of its rear end, which is the high end, you will be struck by its resemblance to the human skull, beheld in the same situation, and from the same point of view. Indeed, place this reversed skull (scaled down to the human magnitude) among a plate of men’s skulls, and you would involuntarily confound it with them; and remarking the depressions on one part of its summit, in phrenological phrase you would say—This man had no self-esteem, and no veneration. And by those negations, considered along with the affirmative fact of his prodigious bulk and power, you can best form to yourself the truest, though not the most exhilarating conception of what the most exalted potency is. + +But if from the comparative dimensions of the whale’s proper brain, you deem it incapable of being adequately charted, then I have another idea for you. If you attentively regard almost any quadruped’s spine, you will be struck with the resemblance of its vertebrae to a strung necklace of dwarfed skulls, all bearing rudimental resemblance to the skull proper. It is a German conceit, that the vertebrae are absolutely undeveloped skulls. But the curious external resemblance, I take it the Germans were not the first men to perceive. A foreign friend once pointed it out to me, in the skeleton of a foe he had slain, and with the vertebrae of which he was inlaying, in a sort of basso-relievo, the beaked prow of his canoe. Now, I consider that the phrenologists have omitted an important thing in not pushing their investigations from the cerebellum through the spinal canal. For I believe that much of a man’s character will be found betokened in his backbone. I would rather feel your spine than your skull, whoever you are. A thin joist of a spine never yet upheld a full and noble soul. I rejoice in my spine, as in the firm audacious staff of that flag which I fling half out to the world. + +Apply this spinal branch of phrenology to the Sperm Whale. His cranial cavity is continuous with the first neck-vertebra; and in that vertebra the bottom of the spinal canal will measure ten inches across, being eight in height, and of a triangular figure with the base downwards. As it passes through the remaining vertebrae the canal tapers in size, but for a considerable distance remains of large capacity. Now, of course, this canal is filled with much the same strangely fibrous substance—the spinal cord—as the brain; and directly communicates with the brain. And what is still more, for many feet after emerging from the brain’s cavity, the spinal cord remains of an undecreasing girth, almost equal to that of the brain. Under all these circumstances, would it be unreasonable to survey and map out the whale’s spine phrenologically? For, viewed in this light, the wonderful comparative smallness of his brain proper is more than compensated by the wonderful comparative magnitude of his spinal cord. + +But leaving this hint to operate as it may with the phrenologists, I would merely assume the spinal theory for a moment, in reference to the Sperm Whale’s hump. This august hump, if I mistake not, rises over one of the larger vertebrae, and is, therefore, in some sort, the outer convex mould of it. From its relative situation then, I should call this high hump the organ of firmness or indomitableness in the Sperm Whale. And that the great monster is indomitable, you will yet have reason to know. + +CHAPTER 81. The Pequod Meets The Virgin. + +The predestinated day arrived, and we duly met the ship Jungfrau, Derick De Deer, master, of Bremen. + +At one time the greatest whaling people in the world, the Dutch and Germans are now among the least; but here and there at very wide intervals of latitude and longitude, you still occasionally meet with their flag in the Pacific. + +For some reason, the Jungfrau seemed quite eager to pay her respects. While yet some distance from the Pequod, she rounded to, and dropping a boat, her captain was impelled towards us, impatiently standing in the bows instead of the stern. + +The predestinated day arrived, and we duly met the ship Jungfrau, Derick De Deer, master, of Bremen. +“What has he in his hand there?” cried Starbuck, pointing to something wavingly held by the German. “Impossible!—a lamp-feeder!” + +“Not that,” said Stubb, “no, no, it’s a coffee-pot, Mr. Starbuck; he’s coming off to make us our coffee, is the Yarman; don’t you see that big tin can there alongside of him?—that’s his boiling water. Oh! he’s all right, is the Yarman.” + +“Go along with you,” cried Flask, “it’s a lamp-feeder and an oil-can. He’s out of oil, and has come a-begging.” + +However curious it may seem for an oil-ship to be borrowing oil on the whale-ground, and however much it may invertedly contradict the old proverb about carrying coals to Newcastle, yet sometimes such a thing really happens; and in the present case Captain Derick De Deer did indubitably conduct a lamp-feeder as Flask did declare. + +As he mounted the deck, Ahab abruptly accosted him, without at all heeding what he had in his hand; but in his broken lingo, the German soon evinced his complete ignorance of the White Whale; immediately turning the conversation to his lamp-feeder and oil can, with some remarks touching his having to turn into his hammock at night in profound darkness—his last drop of Bremen oil being gone, and not a single flying-fish yet captured to supply the deficiency; concluding by hinting that his ship was indeed what in the Fishery is technically called a CLEAN one (that is, an empty one), well deserving the name of Jungfrau or the Virgin. + +His necessities supplied, Derick departed; but he had not gained his ship’s side, when whales were almost simultaneously raised from the mast-heads of both vessels; and so eager for the chase was Derick, that without pausing to put his oil-can and lamp-feeder aboard, he slewed round his boat and made after the leviathan lamp-feeders. + +Now, the game having risen to leeward, he and the other three German boats that soon followed him, had considerably the start of the Pequod’s keels. There were eight whales, an average pod. Aware of their danger, they were going all abreast with great speed straight before the wind, rubbing their flanks as closely as so many spans of horses in harness. They left a great, wide wake, as though continually unrolling a great wide parchment upon the sea. + +Full in this rapid wake, and many fathoms in the rear, swam a huge, humped old bull, which by his comparatively slow progress, as well as by the unusual yellowish incrustations overgrowing him, seemed afflicted with the jaundice, or some other infirmity. Whether this whale belonged to the pod in advance, seemed questionable; for it is not customary for such venerable leviathans to be at all social. Nevertheless, he stuck to their wake, though indeed their back water must have retarded him, because the white-bone or swell at his broad muzzle was a dashed one, like the swell formed when two hostile currents meet. His spout was short, slow, and laborious; coming forth with a choking sort of gush, and spending itself in torn shreds, followed by strange subterranean commotions in him, which seemed to have egress at his other buried extremity, causing the waters behind him to upbubble. + +“Who’s got some paregoric?” said Stubb, “he has the stomach-ache, I’m afraid. Lord, think of having half an acre of stomach-ache! Adverse winds are holding mad Christmas in him, boys. It’s the first foul wind I ever knew to blow from astern; but look, did ever whale yaw so before? it must be, he’s lost his tiller.” + +As an overladen Indiaman bearing down the Hindostan coast with a deck load of frightened horses, careens, buries, rolls, and wallows on her way; so did this old whale heave his aged bulk, and now and then partly turning over on his cumbrous rib-ends, expose the cause of his devious wake in the unnatural stump of his starboard fin. Whether he had lost that fin in battle, or had been born without it, it were hard to say. + +“Only wait a bit, old chap, and I’ll give ye a sling for that wounded arm,” cried cruel Flask, pointing to the whale-line near him. + +“Mind he don’t sling thee with it,” cried Starbuck. “Give way, or the German will have him.” + +With one intent all the combined rival boats were pointed for this one fish, because not only was he the largest, and therefore the most valuable whale, but he was nearest to them, and the other whales were going with such great velocity, moreover, as almost to defy pursuit for the time. At this juncture the Pequod’s keels had shot by the three German boats last lowered; but from the great start he had had, Derick’s boat still led the chase, though every moment neared by his foreign rivals. The only thing they feared, was, that from being already so nigh to his mark, he would be enabled to dart his iron before they could completely overtake and pass him. As for Derick, he seemed quite confident that this would be the case, and occasionally with a deriding gesture shook his lamp-feeder at the other boats. + +“The ungracious and ungrateful dog!” cried Starbuck; “he mocks and dares me with the very poor-box I filled for him not five minutes ago!”—then in his old intense whisper—”Give way, greyhounds! Dog to it!” + +“I tell ye what it is, men”—cried Stubb to his crew—”it’s against my religion to get mad; but I’d like to eat that villainous Yarman—Pull—won’t ye? Are ye going to let that rascal beat ye? Do ye love brandy? A hogshead of brandy, then, to the best man. Come, why don’t some of ye burst a blood-vessel? Who’s that been dropping an anchor overboard—we don’t budge an inch—we’re becalmed. Halloo, here’s grass growing in the boat’s bottom—and by the Lord, the mast there’s budding. This won’t do, boys. Look at that Yarman! The short and long of it is, men, will ye spit fire or not?” + +“Oh! see the suds he makes!” cried Flask, dancing up and down—”What a hump—Oh, DO pile on the beef—lays like a log! Oh! my lads, DO spring—slap-jacks and quahogs for supper, you know, my lads—baked clams and muffins—oh, DO, DO, spring,—he’s a hundred barreller—don’t lose him now—don’t oh, DON’T!—see that Yarman—Oh, won’t ye pull for your duff, my lads—such a sog! such a sogger! Don’t ye love sperm? There goes three thousand dollars, men!—a bank!—a whole bank! The bank of England!—Oh, DO, DO, DO!—What’s that Yarman about now?” + +At this moment Derick was in the act of pitching his lamp-feeder at the advancing boats, and also his oil-can; perhaps with the double view of retarding his rivals’ way, and at the same time economically accelerating his own by the momentary impetus of the backward toss. + +“The unmannerly Dutch dogger!” cried Stubb. “Pull now, men, like fifty thousand line-of-battle-ship loads of red-haired devils. What d’ye say, Tashtego; are you the man to snap your spine in two-and-twenty pieces for the honour of old Gayhead? What d’ye say?” + +“I say, pull like god-dam,”—cried the Indian. + +Fiercely, but evenly incited by the taunts of the German, the Pequod’s three boats now began ranging almost abreast; and, so disposed, momentarily neared him. In that fine, loose, chivalrous attitude of the headsman when drawing near to his prey, the three mates stood up proudly, occasionally backing the after oarsman with an exhilarating cry of, “There she slides, now! Hurrah for the white-ash breeze! Down with the Yarman! Sail over him!” + +But so decided an original start had Derick had, that spite of all their gallantry, he would have proved the victor in this race, had not a righteous judgment descended upon him in a crab which caught the blade of his midship oarsman. While this clumsy lubber was striving to free his white-ash, and while, in consequence, Derick’s boat was nigh to capsizing, and he thundering away at his men in a mighty rage;—that was a good time for Starbuck, Stubb, and Flask. With a shout, they took a mortal start forwards, and slantingly ranged up on the German’s quarter. An instant more, and all four boats were diagonically in the whale’s immediate wake, while stretching from them, on both sides, was the foaming swell that he made. + +It was a terrific, most pitiable, and maddening sight. The whale was now going head out, and sending his spout before him in a continual tormented jet; while his one poor fin beat his side in an agony of fright. Now to this hand, now to that, he yawed in his faltering flight, and still at every billow that he broke, he spasmodically sank in the sea, or sideways rolled towards the sky his one beating fin. So have I seen a bird with clipped wing making affrighted broken circles in the air, vainly striving to escape the piratical hawks. But the bird has a voice, and with plaintive cries will make known her fear; but the fear of this vast dumb brute of the sea, was chained up and enchanted in him; he had no voice, save that choking respiration through his spiracle, and this made the sight of him unspeakably pitiable; while still, in his amazing bulk, portcullis jaw, and omnipotent tail, there was enough to appal the stoutest man who so pitied. + +Seeing now that but a very few moments more would give the Pequod’s boats the advantage, and rather than be thus foiled of his game, Derick chose to hazard what to him must have seemed a most unusually long dart, ere the last chance would for ever escape. + +But no sooner did his harpooneer stand up for the stroke, than all three tigers—Queequeg, Tashtego, Daggoo—instinctively sprang to their feet, and standing in a diagonal row, simultaneously pointed their barbs; and darted over the head of the German harpooneer, their three Nantucket irons entered the whale. Blinding vapours of foam and white-fire! The three boats, in the first fury of the whale’s headlong rush, bumped the German’s aside with such force, that both Derick and his baffled harpooneer were spilled out, and sailed over by the three flying keels. + +“Don’t be afraid, my butter-boxes,” cried Stubb, casting a passing glance upon them as he shot by; “ye’ll be picked up presently—all right—I saw some sharks astern—St. Bernard’s dogs, you know—relieve distressed travellers. Hurrah! this is the way to sail now. Every keel a sunbeam! Hurrah!—Here we go like three tin kettles at the tail of a mad cougar! This puts me in mind of fastening to an elephant in a tilbury on a plain—makes the wheel-spokes fly, boys, when you fasten to him that way; and there’s danger of being pitched out too, when you strike a hill. Hurrah! this is the way a fellow feels when he’s going to Davy Jones—all a rush down an endless inclined plane! Hurrah! this whale carries the everlasting mail!” + +But the monster’s run was a brief one. Giving a sudden gasp, he tumultuously sounded. With a grating rush, the three lines flew round the loggerheads with such a force as to gouge deep grooves in them; while so fearful were the harpooneers that this rapid sounding would soon exhaust the lines, that using all their dexterous might, they caught repeated smoking turns with the rope to hold on; till at last—owing to the perpendicular strain from the lead-lined chocks of the boats, whence the three ropes went straight down into the blue—the gunwales of the bows were almost even with the water, while the three sterns tilted high in the air. And the whale soon ceasing to sound, for some time they remained in that attitude, fearful of expending more line, though the position was a little ticklish. But though boats have been taken down and lost in this way, yet it is this “holding on,” as it is called; this hooking up by the sharp barbs of his live flesh from the back; this it is that often torments the Leviathan into soon rising again to meet the sharp lance of his foes. Yet not to speak of the peril of the thing, it is to be doubted whether this course is always the best; for it is but reasonable to presume, that the longer the stricken whale stays under water, the more he is exhausted. Because, owing to the enormous surface of him—in a full grown sperm whale something less than 2000 square feet—the pressure of the water is immense. We all know what an astonishing atmospheric weight we ourselves stand up under; even here, above-ground, in the air; how vast, then, the burden of a whale, bearing on his back a column of two hundred fathoms of ocean! It must at least equal the weight of fifty atmospheres. One whaleman has estimated it at the weight of twenty line-of-battle ships, with all their guns, and stores, and men on board. + +As the three boats lay there on that gently rolling sea, gazing down into its eternal blue noon; and as not a single groan or cry of any sort, nay, not so much as a ripple or a bubble came up from its depths; what landsman would have thought, that beneath all that silence and placidity, the utmost monster of the seas was writhing and wrenching in agony! Not eight inches of perpendicular rope were visible at the bows. Seems it credible that by three such thin threads the great Leviathan was suspended like the big weight to an eight day clock. Suspended? and to what? To three bits of board. Is this the creature of whom it was once so triumphantly said—”Canst thou fill his skin with barbed irons? or his head with fish-spears? The sword of him that layeth at him cannot hold, the spear, the dart, nor the habergeon: he esteemeth iron as straw; the arrow cannot make him flee; darts are counted as stubble; he laugheth at the shaking of a spear!” This the creature? this he? Oh! that unfulfilments should follow the prophets. For with the strength of a thousand thighs in his tail, Leviathan had run his head under the mountains of the sea, to hide him from the Pequod’s fish-spears! + +In that sloping afternoon sunlight, the shadows that the three boats sent down beneath the surface, must have been long enough and broad enough to shade half Xerxes’ army. Who can tell how appalling to the wounded whale must have been such huge phantoms flitting over his head! + +“Stand by, men; he stirs,” cried Starbuck, as the three lines suddenly vibrated in the water, distinctly conducting upwards to them, as by magnetic wires, the life and death throbs of the whale, so that every oarsman felt them in his seat. The next moment, relieved in great part from the downward strain at the bows, the boats gave a sudden bounce upwards, as a small icefield will, when a dense herd of white bears are scared from it into the sea. + +“Haul in! Haul in!” cried Starbuck again; “he’s rising.” + +The lines, of which, hardly an instant before, not one hand’s breadth could have been gained, were now in long quick coils flung back all dripping into the boats, and soon the whale broke water within two ship’s lengths of the hunters. + +His motions plainly denoted his extreme exhaustion. In most land animals there are certain valves or flood-gates in many of their veins, whereby when wounded, the blood is in some degree at least instantly shut off in certain directions. Not so with the whale; one of whose peculiarities it is to have an entire non-valvular structure of the blood-vessels, so that when pierced even by so small a point as a harpoon, a deadly drain is at once begun upon his whole arterial system; and when this is heightened by the extraordinary pressure of water at a great distance below the surface, his life may be said to pour from him in incessant streams. Yet so vast is the quantity of blood in him, and so distant and numerous its interior fountains, that he will keep thus bleeding and bleeding for a considerable period; even as in a drought a river will flow, whose source is in the well-springs of far-off and undiscernible hills. Even now, when the boats pulled upon this whale, and perilously drew over his swaying flukes, and the lances were darted into him, they were followed by steady jets from the new made wound, which kept continually playing, while the natural spout-hole in his head was only at intervals, however rapid, sending its affrighted moisture into the air. From this last vent no blood yet came, because no vital part of him had thus far been struck. His life, as they significantly call it, was untouched. + +As the boats now more closely surrounded him, the whole upper part of his form, with much of it that is ordinarily submerged, was plainly revealed. His eyes, or rather the places where his eyes had been, were beheld. As strange misgrown masses gather in the knot-holes of the noblest oaks when prostrate, so from the points which the whale’s eyes had once occupied, now protruded blind bulbs, horribly pitiable to see. But pity there was none. For all his old age, and his one arm, and his blind eyes, he must die the death and be murdered, in order to light the gay bridals and other merry-makings of men, and also to illuminate the solemn churches that preach unconditional inoffensiveness by all to all. Still rolling in his blood, at last he partially disclosed a strangely discoloured bunch or protuberance, the size of a bushel, low down on the flank. + +“A nice spot,” cried Flask; “just let me prick him there once.” + +“Avast!” cried Starbuck, “there’s no need of that!” + +But humane Starbuck was too late. At the instant of the dart an ulcerous jet shot from this cruel wound, and goaded by it into more than sufferable anguish, the whale now spouting thick blood, with swift fury blindly darted at the craft, bespattering them and their glorying crews all over with showers of gore, capsizing Flask’s boat and marring the bows. It was his death stroke. For, by this time, so spent was he by loss of blood, that he helplessly rolled away from the wreck he had made; lay panting on his side, impotently flapped with his stumped fin, then over and over slowly revolved like a waning world; turned up the white secrets of his belly; lay like a log, and died. It was most piteous, that last expiring spout. As when by unseen hands the water is gradually drawn off from some mighty fountain, and with half-stifled melancholy gurglings the spray-column lowers and lowers to the ground—so the last long dying spout of the whale. + +Soon, while the crews were awaiting the arrival of the ship, the body showed symptoms of sinking with all its treasures unrifled. Immediately, by Starbuck’s orders, lines were secured to it at different points, so that ere long every boat was a buoy; the sunken whale being suspended a few inches beneath them by the cords. By very heedful management, when the ship drew nigh, the whale was transferred to her side, and was strongly secured there by the stiffest fluke-chains, for it was plain that unless artificially upheld, the body would at once sink to the bottom. + +It so chanced that almost upon first cutting into him with the spade, the entire length of a corroded harpoon was found imbedded in his flesh, on the lower part of the bunch before described. But as the stumps of harpoons are frequently found in the dead bodies of captured whales, with the flesh perfectly healed around them, and no prominence of any kind to denote their place; therefore, there must needs have been some other unknown reason in the present case fully to account for the ulceration alluded to. But still more curious was the fact of a lance-head of stone being found in him, not far from the buried iron, the flesh perfectly firm about it. Who had darted that stone lance? And when? It might have been darted by some Nor’ West Indian long before America was discovered. + +What other marvels might have been rummaged out of this monstrous cabinet there is no telling. But a sudden stop was put to further discoveries, by the ship’s being unprecedentedly dragged over sideways to the sea, owing to the body’s immensely increasing tendency to sink. However, Starbuck, who had the ordering of affairs, hung on to it to the last; hung on to it so resolutely, indeed, that when at length the ship would have been capsized, if still persisting in locking arms with the body; then, when the command was given to break clear from it, such was the immovable strain upon the timber-heads to which the fluke-chains and cables were fastened, that it was impossible to cast them off. Meantime everything in the Pequod was aslant. To cross to the other side of the deck was like walking up the steep gabled roof of a house. The ship groaned and gasped. Many of the ivory inlayings of her bulwarks and cabins were started from their places, by the unnatural dislocation. In vain handspikes and crows were brought to bear upon the immovable fluke-chains, to pry them adrift from the timberheads; and so low had the whale now settled that the submerged ends could not be at all approached, while every moment whole tons of ponderosity seemed added to the sinking bulk, and the ship seemed on the point of going over. + +“Hold on, hold on, won’t ye?” cried Stubb to the body, “don’t be in such a devil of a hurry to sink! By thunder, men, we must do something or go for it. No use prying there; avast, I say with your handspikes, and run one of ye for a prayer book and a pen-knife, and cut the big chains.” + +“Knife? Aye, aye,” cried Queequeg, and seizing the carpenter’s heavy hatchet, he leaned out of a porthole, and steel to iron, began slashing at the largest fluke-chains. But a few strokes, full of sparks, were given, when the exceeding strain effected the rest. With a terrific snap, every fastening went adrift; the ship righted, the carcase sank. + +Now, this occasional inevitable sinking of the recently killed Sperm Whale is a very curious thing; nor has any fisherman yet adequately accounted for it. Usually the dead Sperm Whale floats with great buoyancy, with its side or belly considerably elevated above the surface. If the only whales that thus sank were old, meagre, and broken-hearted creatures, their pads of lard diminished and all their bones heavy and rheumatic; then you might with some reason assert that this sinking is caused by an uncommon specific gravity in the fish so sinking, consequent upon this absence of buoyant matter in him. But it is not so. For young whales, in the highest health, and swelling with noble aspirations, prematurely cut off in the warm flush and May of life, with all their panting lard about them; even these brawny, buoyant heroes do sometimes sink. + +Be it said, however, that the Sperm Whale is far less liable to this accident than any other species. Where one of that sort go down, twenty Right Whales do. This difference in the species is no doubt imputable in no small degree to the greater quantity of bone in the Right Whale; his Venetian blinds alone sometimes weighing more than a ton; from this incumbrance the Sperm Whale is wholly free. But there are instances where, after the lapse of many hours or several days, the sunken whale again rises, more buoyant than in life. But the reason of this is obvious. Gases are generated in him; he swells to a prodigious magnitude; becomes a sort of animal balloon. A line-of-battle ship could hardly keep him under then. In the Shore Whaling, on soundings, among the Bays of New Zealand, when a Right Whale gives token of sinking, they fasten buoys to him, with plenty of rope; so that when the body has gone down, they know where to look for it when it shall have ascended again. + +It was not long after the sinking of the body that a cry was heard from the Pequod’s mast-heads, announcing that the Jungfrau was again lowering her boats; though the only spout in sight was that of a Fin-Back, belonging to the species of uncapturable whales, because of its incredible power of swimming. Nevertheless, the Fin-Back’s spout is so similar to the Sperm Whale’s, that by unskilful fishermen it is often mistaken for it. And consequently Derick and all his host were now in valiant chase of this unnearable brute. The Virgin crowding all sail, made after her four young keels, and thus they all disappeared far to leeward, still in bold, hopeful chase. + +Oh! many are the Fin-Backs, and many are the Dericks, my friend. + +CHAPTER 82. The Honour and Glory of Whaling. + +There are some enterprises in which a careful disorderliness is the true method. + +The more I dive into this matter of whaling, and push my researches up to the very spring-head of it so much the more am I impressed with its great honourableness and antiquity; and especially when I find so many great demi-gods and heroes, prophets of all sorts, who one way or other have shed distinction upon it, I am transported with the reflection that I myself belong, though but subordinately, to so emblazoned a fraternity. + +The gallant Perseus, a son of Jupiter, was the first whaleman; and to the eternal honour of our calling be it said, that the first whale attacked by our brotherhood was not killed with any sordid intent. Those were the knightly days of our profession, when we only bore arms to succor the distressed, and not to fill men’s lamp-feeders. Every one knows the fine story of Perseus and Andromeda; how the lovely Andromeda, the daughter of a king, was tied to a rock on the sea-coast, and as Leviathan was in the very act of carrying her off, Perseus, the prince of whalemen, intrepidly advancing, harpooned the monster, and delivered and married the maid. It was an admirable artistic exploit, rarely achieved by the best harpooneers of the present day; inasmuch as this Leviathan was slain at the very first dart. And let no man doubt this Arkite story; for in the ancient Joppa, now Jaffa, on the Syrian coast, in one of the Pagan temples, there stood for many ages the vast skeleton of a whale, which the city’s legends and all the inhabitants asserted to be the identical bones of the monster that Perseus slew. When the Romans took Joppa, the same skeleton was carried to Italy in triumph. What seems most singular and suggestively important in this story, is this: it was from Joppa that Jonah set sail. + +Akin to the adventure of Perseus and Andromeda—indeed, by some supposed to be indirectly derived from it—is that famous story of St. George and the Dragon; which dragon I maintain to have been a whale; for in many old chronicles whales and dragons are strangely jumbled together, and often stand for each other. “Thou art as a lion of the waters, and as a dragon of the sea,” saith Ezekiel; hereby, plainly meaning a whale; in truth, some versions of the Bible use that word itself. Besides, it would much subtract from the glory of the exploit had St. George but encountered a crawling reptile of the land, instead of doing battle with the great monster of the deep. Any man may kill a snake, but only a Perseus, a St. George, a Coffin, have the heart in them to march boldly up to a whale. + +Let not the modern paintings of this scene mislead us; for though the creature encountered by that valiant whaleman of old is vaguely represented of a griffin-like shape, and though the battle is depicted on land and the saint on horseback, yet considering the great ignorance of those times, when the true form of the whale was unknown to artists; and considering that as in Perseus’ case, St. George’s whale might have crawled up out of the sea on the beach; and considering that the animal ridden by St. George might have been only a large seal, or sea-horse; bearing all this in mind, it will not appear altogether incompatible with the sacred legend and the ancientest draughts of the scene, to hold this so-called dragon no other than the great Leviathan himself. In fact, placed before the strict and piercing truth, this whole story will fare like that fish, flesh, and fowl idol of the Philistines, Dagon by name; who being planted before the ark of Israel, his horse’s head and both the palms of his hands fell off from him, and only the stump or fishy part of him remained. Thus, then, one of our own noble stamp, even a whaleman, is the tutelary guardian of England; and by good rights, we harpooneers of Nantucket should be enrolled in the most noble order of St. George. And therefore, let not the knights of that honourable company (none of whom, I venture to say, have ever had to do with a whale like their great patron), let them never eye a Nantucketer with disdain, since even in our woollen frocks and tarred trowsers we are much better entitled to St. George’s decoration than they. + +Whether to admit Hercules among us or not, concerning this I long remained dubious: for though according to the Greek mythologies, that antique Crockett and Kit Carson—that brawny doer of rejoicing good deeds, was swallowed down and thrown up by a whale; still, whether that strictly makes a whaleman of him, that might be mooted. It nowhere appears that he ever actually harpooned his fish, unless, indeed, from the inside. Nevertheless, he may be deemed a sort of involuntary whaleman; at any rate the whale caught him, if he did not the whale. I claim him for one of our clan. + +But, by the best contradictory authorities, this Grecian story of Hercules and the whale is considered to be derived from the still more ancient Hebrew story of Jonah and the whale; and vice versa; certainly they are very similar. If I claim the demigod then, why not the prophet? + +Nor do heroes, saints, demigods, and prophets alone comprise the whole roll of our order. Our grand master is still to be named; for like royal kings of old times, we find the head waters of our fraternity in nothing short of the great gods themselves. That wondrous oriental story is now to be rehearsed from the Shaster, which gives us the dread Vishnoo, one of the three persons in the godhead of the Hindoos; gives us this divine Vishnoo himself for our Lord;—Vishnoo, who, by the first of his ten earthly incarnations, has for ever set apart and sanctified the whale. When Brahma, or the God of Gods, saith the Shaster, resolved to recreate the world after one of its periodical dissolutions, he gave birth to Vishnoo, to preside over the work; but the Vedas, or mystical books, whose perusal would seem to have been indispensable to Vishnoo before beginning the creation, and which therefore must have contained something in the shape of practical hints to young architects, these Vedas were lying at the bottom of the waters; so Vishnoo became incarnate in a whale, and sounding down in him to the uttermost depths, rescued the sacred volumes. Was not this Vishnoo a whaleman, then? even as a man who rides a horse is called a horseman? + +Perseus, St. George, Hercules, Jonah, and Vishnoo! there’s a member-roll for you! What club but the whaleman’s can head off like that? + +CHAPTER 83. Jonah Historically Regarded. + +Reference was made to the historical story of Jonah and the whale in the preceding chapter. Now some Nantucketers rather distrust this historical story of Jonah and the whale. But then there were some sceptical Greeks and Romans, who, standing out from the orthodox pagans of their times, equally doubted the story of Hercules and the whale, and Arion and the dolphin; and yet their doubting those traditions did not make those traditions one whit the less facts, for all that. + +One old Sag-Harbor whaleman’s chief reason for questioning the Hebrew story was this:—He had one of those quaint old-fashioned Bibles, embellished with curious, unscientific plates; one of which represented Jonah’s whale with two spouts in his head—a peculiarity only true with respect to a species of the Leviathan (the Right Whale, and the varieties of that order), concerning which the fishermen have this saying, “A penny roll would choke him”; his swallow is so very small. But, to this, Bishop Jebb’s anticipative answer is ready. It is not necessary, hints the Bishop, that we consider Jonah as tombed in the whale’s belly, but as temporarily lodged in some part of his mouth. And this seems reasonable enough in the good Bishop. For truly, the Right Whale’s mouth would accommodate a couple of whist-tables, and comfortably seat all the players. Possibly, too, Jonah might have ensconced himself in a hollow tooth; but, on second thoughts, the Right Whale is toothless. + +Another reason which Sag-Harbor (he went by that name) urged for his want of faith in this matter of the prophet, was something obscurely in reference to his incarcerated body and the whale’s gastric juices. But this objection likewise falls to the ground, because a German exegetist supposes that Jonah must have taken refuge in the floating body of a DEAD whale—even as the French soldiers in the Russian campaign turned their dead horses into tents, and crawled into them. Besides, it has been divined by other continental commentators, that when Jonah was thrown overboard from the Joppa ship, he straightway effected his escape to another vessel near by, some vessel with a whale for a figure-head; and, I would add, possibly called “The Whale,” as some craft are nowadays christened the “Shark,” the “Gull,” the “Eagle.” Nor have there been wanting learned exegetists who have opined that the whale mentioned in the book of Jonah merely meant a life-preserver—an inflated bag of wind—which the endangered prophet swam to, and so was saved from a watery doom. Poor Sag-Harbor, therefore, seems worsted all round. But he had still another reason for his want of faith. It was this, if I remember right: Jonah was swallowed by the whale in the Mediterranean Sea, and after three days he was vomited up somewhere within three days’ journey of Nineveh, a city on the Tigris, very much more than three days’ journey across from the nearest point of the Mediterranean coast. How is that? + +But was there no other way for the whale to land the prophet within that short distance of Nineveh? Yes. He might have carried him round by the way of the Cape of Good Hope. But not to speak of the passage through the whole length of the Mediterranean, and another passage up the Persian Gulf and Red Sea, such a supposition would involve the complete circumnavigation of all Africa in three days, not to speak of the Tigris waters, near the site of Nineveh, being too shallow for any whale to swim in. Besides, this idea of Jonah’s weathering the Cape of Good Hope at so early a day would wrest the honour of the discovery of that great headland from Bartholomew Diaz, its reputed discoverer, and so make modern history a liar. + +But all these foolish arguments of old Sag-Harbor only evinced his foolish pride of reason—a thing still more reprehensible in him, seeing that he had but little learning except what he had picked up from the sun and the sea. I say it only shows his foolish, impious pride, and abominable, devilish rebellion against the reverend clergy. For by a Portuguese Catholic priest, this very idea of Jonah’s going to Nineveh via the Cape of Good Hope was advanced as a signal magnification of the general miracle. And so it was. Besides, to this day, the highly enlightened Turks devoutly believe in the historical story of Jonah. And some three centuries ago, an English traveller in old Harris’s Voyages, speaks of a Turkish Mosque built in honour of Jonah, in which Mosque was a miraculous lamp that burnt without any oil. + +CHAPTER 84. Pitchpoling. + +To make them run easily and swiftly, the axles of carriages are anointed; and for much the same purpose, some whalers perform an analogous operation upon their boat; they grease the bottom. Nor is it to be doubted that as such a procedure can do no harm, it may possibly be of no contemptible advantage; considering that oil and water are hostile; that oil is a sliding thing, and that the object in view is to make the boat slide bravely. Queequeg believed strongly in anointing his boat, and one morning not long after the German ship Jungfrau disappeared, took more than customary pains in that occupation; crawling under its bottom, where it hung over the side, and rubbing in the unctuousness as though diligently seeking to insure a crop of hair from the craft’s bald keel. He seemed to be working in obedience to some particular presentiment. Nor did it remain unwarranted by the event. + +Towards noon whales were raised; but so soon as the ship sailed down to them, they turned and fled with swift precipitancy; a disordered flight, as of Cleopatra’s barges from Actium. + +Nevertheless, the boats pursued, and Stubb’s was foremost. By great exertion, Tashtego at last succeeded in planting one iron; but the stricken whale, without at all sounding, still continued his horizontal flight, with added fleetness. Such unintermitted strainings upon the planted iron must sooner or later inevitably extract it. It became imperative to lance the flying whale, or be content to lose him. But to haul the boat up to his flank was impossible, he swam so fast and furious. What then remained? + +Of all the wondrous devices and dexterities, the sleights of hand and countless subtleties, to which the veteran whaleman is so often forced, none exceed that fine manoeuvre with the lance called pitchpoling. Small sword, or broad sword, in all its exercises boasts nothing like it. It is only indispensable with an inveterate running whale; its grand fact and feature is the wonderful distance to which the long lance is accurately darted from a violently rocking, jerking boat, under extreme headway. Steel and wood included, the entire spear is some ten or twelve feet in length; the staff is much slighter than that of the harpoon, and also of a lighter material—pine. It is furnished with a small rope called a warp, of considerable length, by which it can be hauled back to the hand after darting. + +But before going further, it is important to mention here, that though the harpoon may be pitchpoled in the same way with the lance, yet it is seldom done; and when done, is still less frequently successful, on account of the greater weight and inferior length of the harpoon as compared with the lance, which in effect become serious drawbacks. As a general thing, therefore, you must first get fast to a whale, before any pitchpoling comes into play. + +Look now at Stubb; a man who from his humorous, deliberate coolness and equanimity in the direst emergencies, was specially qualified to excel in pitchpoling. Look at him; he stands upright in the tossed bow of the flying boat; wrapt in fleecy foam, the towing whale is forty feet ahead. Handling the long lance lightly, glancing twice or thrice along its length to see if it be exactly straight, Stubb whistlingly gathers up the coil of the warp in one hand, so as to secure its free end in his grasp, leaving the rest unobstructed. Then holding the lance full before his waistband’s middle, he levels it at the whale; when, covering him with it, he steadily depresses the butt-end in his hand, thereby elevating the point till the weapon stands fairly balanced upon his palm, fifteen feet in the air. He minds you somewhat of a juggler, balancing a long staff on his chin. Next moment with a rapid, nameless impulse, in a superb lofty arch the bright steel spans the foaming distance, and quivers in the life spot of the whale. Instead of sparkling water, he now spouts red blood. + +“That drove the spigot out of him!” cried Stubb. “’Tis July’s immortal Fourth; all fountains must run wine today! Would now, it were old Orleans whiskey, or old Ohio, or unspeakable old Monongahela! Then, Tashtego, lad, I’d have ye hold a canakin to the jet, and we’d drink round it! Yea, verily, hearts alive, we’d brew choice punch in the spread of his spout-hole there, and from that live punch-bowl quaff the living stuff.” + +Again and again to such gamesome talk, the dexterous dart is repeated, the spear returning to its master like a greyhound held in skilful leash. The agonized whale goes into his flurry; the tow-line is slackened, and the pitchpoler dropping astern, folds his hands, and mutely watches the monster die. + +CHAPTER 85. The Fountain. + +That for six thousand years—and no one knows how many millions of ages before—the great whales should have been spouting all over the sea, and sprinkling and mistifying the gardens of the deep, as with so many sprinkling or mistifying pots; and that for some centuries back, thousands of hunters should have been close by the fountain of the whale, watching these sprinklings and spoutings—that all this should be, and yet, that down to this blessed minute (fifteen and a quarter minutes past one o’clock P.M. of this sixteenth day of December, A.D. 1851), it should still remain a problem, whether these spoutings are, after all, really water, or nothing but vapour—this is surely a noteworthy thing. + +Let us, then, look at this matter, along with some interesting items contingent. Every one knows that by the peculiar cunning of their gills, the finny tribes in general breathe the air which at all times is combined with the element in which they swim; hence, a herring or a cod might live a century, and never once raise its head above the surface. But owing to his marked internal structure which gives him regular lungs, like a human being’s, the whale can only live by inhaling the disengaged air in the open atmosphere. Wherefore the necessity for his periodical visits to the upper world. But he cannot in any degree breathe through his mouth, for, in his ordinary attitude, the Sperm Whale’s mouth is buried at least eight feet beneath the surface; and what is still more, his windpipe has no connexion with his mouth. No, he breathes through his spiracle alone; and this is on the top of his head. + +If I say, that in any creature breathing is only a function indispensable to vitality, inasmuch as it withdraws from the air a certain element, which being subsequently brought into contact with the blood imparts to the blood its vivifying principle, I do not think I shall err; though I may possibly use some superfluous scientific words. Assume it, and it follows that if all the blood in a man could be aerated with one breath, he might then seal up his nostrils and not fetch another for a considerable time. That is to say, he would then live without breathing. Anomalous as it may seem, this is precisely the case with the whale, who systematically lives, by intervals, his full hour and more (when at the bottom) without drawing a single breath, or so much as in any way inhaling a particle of air; for, remember, he has no gills. How is this? Between his ribs and on each side of his spine he is supplied with a remarkable involved Cretan labyrinth of vermicelli-like vessels, which vessels, when he quits the surface, are completely distended with oxygenated blood. So that for an hour or more, a thousand fathoms in the sea, he carries a surplus stock of vitality in him, just as the camel crossing the waterless desert carries a surplus supply of drink for future use in its four supplementary stomachs. The anatomical fact of this labyrinth is indisputable; and that the supposition founded upon it is reasonable and true, seems the more cogent to me, when I consider the otherwise inexplicable obstinacy of that leviathan in HAVING HIS SPOUTINGS OUT, as the fishermen phrase it. This is what I mean. If unmolested, upon rising to the surface, the Sperm Whale will continue there for a period of time exactly uniform with all his other unmolested risings. Say he stays eleven minutes, and jets seventy times, that is, respires seventy breaths; then whenever he rises again, he will be sure to have his seventy breaths over again, to a minute. Now, if after he fetches a few breaths you alarm him, so that he sounds, he will be always dodging up again to make good his regular allowance of air. And not till those seventy breaths are told, will he finally go down to stay out his full term below. Remark, however, that in different individuals these rates are different; but in any one they are alike. Now, why should the whale thus insist upon having his spoutings out, unless it be to replenish his reservoir of air, ere descending for good? How obvious is it, too, that this necessity for the whale’s rising exposes him to all the fatal hazards of the chase. For not by hook or by net could this vast leviathan be caught, when sailing a thousand fathoms beneath the sunlight. Not so much thy skill, then, O hunter, as the great necessities that strike the victory to thee! + +In man, breathing is incessantly going on—one breath only serving for two or three pulsations; so that whatever other business he has to attend to, waking or sleeping, breathe he must, or die he will. But the Sperm Whale only breathes about one seventh or Sunday of his time. + +It has been said that the whale only breathes through his spout-hole; if it could truthfully be added that his spouts are mixed with water, then I opine we should be furnished with the reason why his sense of smell seems obliterated in him; for the only thing about him that at all answers to his nose is that identical spout-hole; and being so clogged with two elements, it could not be expected to have the power of smelling. But owing to the mystery of the spout—whether it be water or whether it be vapour—no absolute certainty can as yet be arrived at on this head. Sure it is, nevertheless, that the Sperm Whale has no proper olfactories. But what does he want of them? No roses, no violets, no Cologne-water in the sea. + +Furthermore, as his windpipe solely opens into the tube of his spouting canal, and as that long canal—like the grand Erie Canal—is furnished with a sort of locks (that open and shut) for the downward retention of air or the upward exclusion of water, therefore the whale has no voice; unless you insult him by saying, that when he so strangely rumbles, he talks through his nose. But then again, what has the whale to say? Seldom have I known any profound being that had anything to say to this world, unless forced to stammer out something by way of getting a living. Oh! happy that the world is such an excellent listener! + +Now, the spouting canal of the Sperm Whale, chiefly intended as it is for the conveyance of air, and for several feet laid along, horizontally, just beneath the upper surface of his head, and a little to one side; this curious canal is very much like a gas-pipe laid down in a city on one side of a street. But the question returns whether this gas-pipe is also a water-pipe; in other words, whether the spout of the Sperm Whale is the mere vapour of the exhaled breath, or whether that exhaled breath is mixed with water taken in at the mouth, and discharged through the spiracle. It is certain that the mouth indirectly communicates with the spouting canal; but it cannot be proved that this is for the purpose of discharging water through the spiracle. Because the greatest necessity for so doing would seem to be, when in feeding he accidentally takes in water. But the Sperm Whale’s food is far beneath the surface, and there he cannot spout even if he would. Besides, if you regard him very closely, and time him with your watch, you will find that when unmolested, there is an undeviating rhyme between the periods of his jets and the ordinary periods of respiration. + +But why pester one with all this reasoning on the subject? Speak out! You have seen him spout; then declare what the spout is; can you not tell water from air? My dear sir, in this world it is not so easy to settle these plain things. I have ever found your plain things the knottiest of all. And as for this whale spout, you might almost stand in it, and yet be undecided as to what it is precisely. + +The central body of it is hidden in the snowy sparkling mist enveloping it; and how can you certainly tell whether any water falls from it, when, always, when you are close enough to a whale to get a close view of his spout, he is in a prodigious commotion, the water cascading all around him. And if at such times you should think that you really perceived drops of moisture in the spout, how do you know that they are not merely condensed from its vapour; or how do you know that they are not those identical drops superficially lodged in the spout-hole fissure, which is countersunk into the summit of the whale’s head? For even when tranquilly swimming through the mid-day sea in a calm, with his elevated hump sun-dried as a dromedary’s in the desert; even then, the whale always carries a small basin of water on his head, as under a blazing sun you will sometimes see a cavity in a rock filled up with rain. + +Nor is it at all prudent for the hunter to be over curious touching the precise nature of the whale spout. It will not do for him to be peering into it, and putting his face in it. You cannot go with your pitcher to this fountain and fill it, and bring it away. For even when coming into slight contact with the outer, vapoury shreds of the jet, which will often happen, your skin will feverishly smart, from the acridness of the thing so touching it. And I know one, who coming into still closer contact with the spout, whether with some scientific object in view, or otherwise, I cannot say, the skin peeled off from his cheek and arm. Wherefore, among whalemen, the spout is deemed poisonous; they try to evade it. Another thing; I have heard it said, and I do not much doubt it, that if the jet is fairly spouted into your eyes, it will blind you. The wisest thing the investigator can do then, it seems to me, is to let this deadly spout alone. + +Still, we can hypothesize, even if we cannot prove and establish. My hypothesis is this: that the spout is nothing but mist. And besides other reasons, to this conclusion I am impelled, by considerations touching the great inherent dignity and sublimity of the Sperm Whale; I account him no common, shallow being, inasmuch as it is an undisputed fact that he is never found on soundings, or near shores; all other whales sometimes are. He is both ponderous and profound. And I am convinced that from the heads of all ponderous profound beings, such as Plato, Pyrrho, the Devil, Jupiter, Dante, and so on, there always goes up a certain semi-visible steam, while in the act of thinking deep thoughts. While composing a little treatise on Eternity, I had the curiosity to place a mirror before me; and ere long saw reflected there, a curious involved worming and undulation in the atmosphere over my head. The invariable moisture of my hair, while plunged in deep thought, after six cups of hot tea in my thin shingled attic, of an August noon; this seems an additional argument for the above supposition. + +And how nobly it raises our conceit of the mighty, misty monster, to behold him solemnly sailing through a calm tropical sea; his vast, mild head overhung by a canopy of vapour, engendered by his incommunicable contemplations, and that vapour—as you will sometimes see it—glorified by a rainbow, as if Heaven itself had put its seal upon his thoughts. For, d’ye see, rainbows do not visit the clear air; they only irradiate vapour. And so, through all the thick mists of the dim doubts in my mind, divine intuitions now and then shoot, enkindling my fog with a heavenly ray. And for this I thank God; for all have doubts; many deny; but doubts or denials, few along with them, have intuitions. Doubts of all things earthly, and intuitions of some things heavenly; this combination makes neither believer nor infidel, but makes a man who regards them both with equal eye. + +CHAPTER 86. The Tail. + +Other poets have warbled the praises of the soft eye of the antelope, and the lovely plumage of the bird that never alights; less celestial, I celebrate a tail. + +Reckoning the largest sized Sperm Whale’s tail to begin at that point of the trunk where it tapers to about the girth of a man, it comprises upon its upper surface alone, an area of at least fifty square feet. The compact round body of its root expands into two broad, firm, flat palms or flukes, gradually shoaling away to less than an inch in thickness. At the crotch or junction, these flukes slightly overlap, then sideways recede from each other like wings, leaving a wide vacancy between. In no living thing are the lines of beauty more exquisitely defined than in the crescentic borders of these flukes. At its utmost expansion in the full grown whale, the tail will considerably exceed twenty feet across. + +The entire member seems a dense webbed bed of welded sinews; but cut into it, and you find that three distinct strata compose it:—upper, middle, and lower. The fibres in the upper and lower layers, are long and horizontal; those of the middle one, very short, and running crosswise between the outside layers. This triune structure, as much as anything else, imparts power to the tail. To the student of old Roman walls, the middle layer will furnish a curious parallel to the thin course of tiles always alternating with the stone in those wonderful relics of the antique, and which undoubtedly contribute so much to the great strength of the masonry. + +But as if this vast local power in the tendinous tail were not enough, the whole bulk of the leviathan is knit over with a warp and woof of muscular fibres and filaments, which passing on either side the loins and running down into the flukes, insensibly blend with them, and largely contribute to their might; so that in the tail the confluent measureless force of the whole whale seems concentrated to a point. Could annihilation occur to matter, this were the thing to do it. + +Nor does this—its amazing strength, at all tend to cripple the graceful flexion of its motions; where infantileness of ease undulates through a Titanism of power. On the contrary, those motions derive their most appalling beauty from it. Real strength never impairs beauty or harmony, but it often bestows it; and in everything imposingly beautiful, strength has much to do with the magic. Take away the tied tendons that all over seem bursting from the marble in the carved Hercules, and its charm would be gone. As devout Eckerman lifted the linen sheet from the naked corpse of Goethe, he was overwhelmed with the massive chest of the man, that seemed as a Roman triumphal arch. When Angelo paints even God the Father in human form, mark what robustness is there. And whatever they may reveal of the divine love in the Son, the soft, curled, hermaphroditical Italian pictures, in which his idea has been most successfully embodied; these pictures, so destitute as they are of all brawniness, hint nothing of any power, but the mere negative, feminine one of submission and endurance, which on all hands it is conceded, form the peculiar practical virtues of his teachings. + +Such is the subtle elasticity of the organ I treat of, that whether wielded in sport, or in earnest, or in anger, whatever be the mood it be in, its flexions are invariably marked by exceeding grace. Therein no fairy’s arm can transcend it. + +Five great motions are peculiar to it. First, when used as a fin for progression; Second, when used as a mace in battle; Third, in sweeping; Fourth, in lobtailing; Fifth, in peaking flukes. + +First: Being horizontal in its position, the Leviathan’s tail acts in a different manner from the tails of all other sea creatures. It never wriggles. In man or fish, wriggling is a sign of inferiority. To the whale, his tail is the sole means of propulsion. Scroll-wise coiled forwards beneath the body, and then rapidly sprung backwards, it is this which gives that singular darting, leaping motion to the monster when furiously swimming. His side-fins only serve to steer by. + +Second: It is a little significant, that while one sperm whale only fights another sperm whale with his head and jaw, nevertheless, in his conflicts with man, he chiefly and contemptuously uses his tail. In striking at a boat, he swiftly curves away his flukes from it, and the blow is only inflicted by the recoil. If it be made in the unobstructed air, especially if it descend to its mark, the stroke is then simply irresistible. No ribs of man or boat can withstand it. Your only salvation lies in eluding it; but if it comes sideways through the opposing water, then partly owing to the light buoyancy of the whale boat, and the elasticity of its materials, a cracked rib or a dashed plank or two, a sort of stitch in the side, is generally the most serious result. These submerged side blows are so often received in the fishery, that they are accounted mere child’s play. Some one strips off a frock, and the hole is stopped. + +Third: I cannot demonstrate it, but it seems to me, that in the whale the sense of touch is concentrated in the tail; for in this respect there is a delicacy in it only equalled by the daintiness of the elephant’s trunk. This delicacy is chiefly evinced in the action of sweeping, when in maidenly gentleness the whale with a certain soft slowness moves his immense flukes from side to side upon the surface of the sea; and if he feel but a sailor’s whisker, woe to that sailor, whiskers and all. What tenderness there is in that preliminary touch! Had this tail any prehensile power, I should straightway bethink me of Darmonodes’ elephant that so frequented the flower-market, and with low salutations presented nosegays to damsels, and then caressed their zones. On more accounts than one, a pity it is that the whale does not possess this prehensile virtue in his tail; for I have heard of yet another elephant, that when wounded in the fight, curved round his trunk and extracted the dart. + +Fourth: Stealing unawares upon the whale in the fancied security of the middle of solitary seas, you find him unbent from the vast corpulence of his dignity, and kitten-like, he plays on the ocean as if it were a hearth. But still you see his power in his play. The broad palms of his tail are flirted high into the air; then smiting the surface, the thunderous concussion resounds for miles. You would almost think a great gun had been discharged; and if you noticed the light wreath of vapour from the spiracle at his other extremity, you would think that that was the smoke from the touch-hole. + +Fifth: As in the ordinary floating posture of the leviathan the flukes lie considerably below the level of his back, they are then completely out of sight beneath the surface; but when he is about to plunge into the deeps, his entire flukes with at least thirty feet of his body are tossed erect in the air, and so remain vibrating a moment, till they downwards shoot out of view. Excepting the sublime BREACH—somewhere else to be described—this peaking of the whale’s flukes is perhaps the grandest sight to be seen in all animated nature. Out of the bottomless profundities the gigantic tail seems spasmodically snatching at the highest heaven. So in dreams, have I seen majestic Satan thrusting forth his tormented colossal claw from the flame Baltic of Hell. But in gazing at such scenes, it is all in all what mood you are in; if in the Dantean, the devils will occur to you; if in that of Isaiah, the archangels. Standing at the mast-head of my ship during a sunrise that crimsoned sky and sea, I once saw a large herd of whales in the east, all heading towards the sun, and for a moment vibrating in concert with peaked flukes. As it seemed to me at the time, such a grand embodiment of adoration of the gods was never beheld, even in Persia, the home of the fire worshippers. As Ptolemy Philopater testified of the African elephant, I then testified of the whale, pronouncing him the most devout of all beings. For according to King Juba, the military elephants of antiquity often hailed the morning with their trunks uplifted in the profoundest silence. + +The chance comparison in this chapter, between the whale and the elephant, so far as some aspects of the tail of the one and the trunk of the other are concerned, should not tend to place those two opposite organs on an equality, much less the creatures to which they respectively belong. For as the mightiest elephant is but a terrier to Leviathan, so, compared with Leviathan’s tail, his trunk is but the stalk of a lily. The most direful blow from the elephant’s trunk were as the playful tap of a fan, compared with the measureless crush and crash of the sperm whale’s ponderous flukes, which in repeated instances have one after the other hurled entire boats with all their oars and crews into the air, very much as an Indian juggler tosses his balls.* + +*Though all comparison in the way of general bulk between the whale and the elephant is preposterous, inasmuch as in that particular the elephant stands in much the same respect to the whale that a dog does to the elephant; nevertheless, there are not wanting some points of curious similitude; among these is the spout. It is well known that the elephant will often draw up water or dust in his trunk, and then elevating it, jet it forth in a stream. + +The more I consider this mighty tail, the more do I deplore my inability to express it. At times there are gestures in it, which, though they would well grace the hand of man, remain wholly inexplicable. In an extensive herd, so remarkable, occasionally, are these mystic gestures, that I have heard hunters who have declared them akin to Free-Mason signs and symbols; that the whale, indeed, by these methods intelligently conversed with the world. Nor are there wanting other motions of the whale in his general body, full of strangeness, and unaccountable to his most experienced assailant. Dissect him how I may, then, I but go skin deep; I know him not, and never will. But if I know not even the tail of this whale, how understand his head? much more, how comprehend his face, when face he has none? Thou shalt see my back parts, my tail, he seems to say, but my face shall not be seen. But I cannot completely make out his back parts; and hint what he will about his face, I say again he has no face. + +CHAPTER 87. The Grand Armada. + +The long and narrow peninsula of Malacca, extending south-eastward from the territories of Birmah, forms the most southerly point of all Asia. In a continuous line from that peninsula stretch the long islands of Sumatra, Java, Bally, and Timor; which, with many others, form a vast mole, or rampart, lengthwise connecting Asia with Australia, and dividing the long unbroken Indian ocean from the thickly studded oriental archipelagoes. This rampart is pierced by several sally-ports for the convenience of ships and whales; conspicuous among which are the straits of Sunda and Malacca. By the straits of Sunda, chiefly, vessels bound to China from the west, emerge into the China seas. + +Those narrow straits of Sunda divide Sumatra from Java; and standing midway in that vast rampart of islands, buttressed by that bold green promontory, known to seamen as Java Head; they not a little correspond to the central gateway opening into some vast walled empire: and considering the inexhaustible wealth of spices, and silks, and jewels, and gold, and ivory, with which the thousand islands of that oriental sea are enriched, it seems a significant provision of nature, that such treasures, by the very formation of the land, should at least bear the appearance, however ineffectual, of being guarded from the all-grasping western world. The shores of the Straits of Sunda are unsupplied with those domineering fortresses which guard the entrances to the Mediterranean, the Baltic, and the Propontis. Unlike the Danes, these Orientals do not demand the obsequious homage of lowered top-sails from the endless procession of ships before the wind, which for centuries past, by night and by day, have passed between the islands of Sumatra and Java, freighted with the costliest cargoes of the east. But while they freely waive a ceremonial like this, they do by no means renounce their claim to more solid tribute. + +Time out of mind the piratical proas of the Malays, lurking among the low shaded coves and islets of Sumatra, have sallied out upon the vessels sailing through the straits, fiercely demanding tribute at the point of their spears. Though by the repeated bloody chastisements they have received at the hands of European cruisers, the audacity of these corsairs has of late been somewhat repressed; yet, even at the present day, we occasionally hear of English and American vessels, which, in those waters, have been remorselessly boarded and pillaged. + +But even so, amid the tornadoed Atlantic of my being, do I myself still for ever centrally disport in mute calm; and while ponderous planets of unwaning woe revolve round me, deep down and deep inland there I still bathe me in eternal mildness of joy. +With a fair, fresh wind, the Pequod was now drawing nigh to these straits; Ahab purposing to pass through them into the Javan sea, and thence, cruising northwards, over waters known to be frequented here and there by the Sperm Whale, sweep inshore by the Philippine Islands, and gain the far coast of Japan, in time for the great whaling season there. By these means, the circumnavigating Pequod would sweep almost all the known Sperm Whale cruising grounds of the world, previous to descending upon the Line in the Pacific; where Ahab, though everywhere else foiled in his pursuit, firmly counted upon giving battle to Moby Dick, in the sea he was most known to frequent; and at a season when he might most reasonably be presumed to be haunting it. + +But how now? in this zoned quest, does Ahab touch no land? does his crew drink air? Surely, he will stop for water. Nay. For a long time, now, the circus-running sun has raced within his fiery ring, and needs no sustenance but what’s in himself. So Ahab. Mark this, too, in the whaler. While other hulls are loaded down with alien stuff, to be transferred to foreign wharves; the world-wandering whale-ship carries no cargo but herself and crew, their weapons and their wants. She has a whole lake’s contents bottled in her ample hold. She is ballasted with utilities; not altogether with unusable pig-lead and kentledge. She carries years’ water in her. Clear old prime Nantucket water; which, when three years afloat, the Nantucketer, in the Pacific, prefers to drink before the brackish fluid, but yesterday rafted off in casks, from the Peruvian or Indian streams. Hence it is, that, while other ships may have gone to China from New York, and back again, touching at a score of ports, the whale-ship, in all that interval, may not have sighted one grain of soil; her crew having seen no man but floating seamen like themselves. So that did you carry them the news that another flood had come; they would only answer—”Well, boys, here’s the ark!” + +Now, as many Sperm Whales had been captured off the western coast of Java, in the near vicinity of the Straits of Sunda; indeed, as most of the ground, roundabout, was generally recognised by the fishermen as an excellent spot for cruising; therefore, as the Pequod gained more and more upon Java Head, the look-outs were repeatedly hailed, and admonished to keep wide awake. But though the green palmy cliffs of the land soon loomed on the starboard bow, and with delighted nostrils the fresh cinnamon was snuffed in the air, yet not a single jet was descried. Almost renouncing all thought of falling in with any game hereabouts, the ship had well nigh entered the straits, when the customary cheering cry was heard from aloft, and ere long a spectacle of singular magnificence saluted us. + +But here be it premised, that owing to the unwearied activity with which of late they have been hunted over all four oceans, the Sperm Whales, instead of almost invariably sailing in small detached companies, as in former times, are now frequently met with in extensive herds, sometimes embracing so great a multitude, that it would almost seem as if numerous nations of them had sworn solemn league and covenant for mutual assistance and protection. To this aggregation of the Sperm Whale into such immense caravans, may be imputed the circumstance that even in the best cruising grounds, you may now sometimes sail for weeks and months together, without being greeted by a single spout; and then be suddenly saluted by what sometimes seems thousands on thousands. + +Broad on both bows, at the distance of some two or three miles, and forming a great semicircle, embracing one half of the level horizon, a continuous chain of whale-jets were up-playing and sparkling in the noon-day air. Unlike the straight perpendicular twin-jets of the Right Whale, which, dividing at top, fall over in two branches, like the cleft drooping boughs of a willow, the single forward-slanting spout of the Sperm Whale presents a thick curled bush of white mist, continually rising and falling away to leeward. + +Seen from the Pequod’s deck, then, as she would rise on a high hill of the sea, this host of vapoury spouts, individually curling up into the air, and beheld through a blending atmosphere of bluish haze, showed like the thousand cheerful chimneys of some dense metropolis, descried of a balmy autumnal morning, by some horseman on a height. + +As marching armies approaching an unfriendly defile in the mountains, accelerate their march, all eagerness to place that perilous passage in their rear, and once more expand in comparative security upon the plain; even so did this vast fleet of whales now seem hurrying forward through the straits; gradually contracting the wings of their semicircle, and swimming on, in one solid, but still crescentic centre. + +Crowding all sail the Pequod pressed after them; the harpooneers handling their weapons, and loudly cheering from the heads of their yet suspended boats. If the wind only held, little doubt had they, that chased through these Straits of Sunda, the vast host would only deploy into the Oriental seas to witness the capture of not a few of their number. And who could tell whether, in that congregated caravan, Moby Dick himself might not temporarily be swimming, like the worshipped white-elephant in the coronation procession of the Siamese! So with stun-sail piled on stun-sail, we sailed along, driving these leviathans before us; when, of a sudden, the voice of Tashtego was heard, loudly directing attention to something in our wake. + +Corresponding to the crescent in our van, we beheld another in our rear. It seemed formed of detached white vapours, rising and falling something like the spouts of the whales; only they did not so completely come and go; for they constantly hovered, without finally disappearing. Levelling his glass at this sight, Ahab quickly revolved in his pivot-hole, crying, “Aloft there, and rig whips and buckets to wet the sails;—Malays, sir, and after us!” + +As if too long lurking behind the headlands, till the Pequod should fairly have entered the straits, these rascally Asiatics were now in hot pursuit, to make up for their over-cautious delay. But when the swift Pequod, with a fresh leading wind, was herself in hot chase; how very kind of these tawny philanthropists to assist in speeding her on to her own chosen pursuit,—mere riding-whips and rowels to her, that they were. As with glass under arm, Ahab to-and-fro paced the deck; in his forward turn beholding the monsters he chased, and in the after one the bloodthirsty pirates chasing him; some such fancy as the above seemed his. And when he glanced upon the green walls of the watery defile in which the ship was then sailing, and bethought him that through that gate lay the route to his vengeance, and beheld, how that through that same gate he was now both chasing and being chased to his deadly end; and not only that, but a herd of remorseless wild pirates and inhuman atheistical devils were infernally cheering him on with their curses;—when all these conceits had passed through his brain, Ahab’s brow was left gaunt and ribbed, like the black sand beach after some stormy tide has been gnawing it, without being able to drag the firm thing from its place. + +But thoughts like these troubled very few of the reckless crew; and when, after steadily dropping and dropping the pirates astern, the Pequod at last shot by the vivid green Cockatoo Point on the Sumatra side, emerging at last upon the broad waters beyond; then, the harpooneers seemed more to grieve that the swift whales had been gaining upon the ship, than to rejoice that the ship had so victoriously gained upon the Malays. But still driving on in the wake of the whales, at length they seemed abating their speed; gradually the ship neared them; and the wind now dying away, word was passed to spring to the boats. But no sooner did the herd, by some presumed wonderful instinct of the Sperm Whale, become notified of the three keels that were after them,—though as yet a mile in their rear,—than they rallied again, and forming in close ranks and battalions, so that their spouts all looked like flashing lines of stacked bayonets, moved on with redoubled velocity. + +Stripped to our shirts and drawers, we sprang to the white-ash, and after several hours’ pulling were almost disposed to renounce the chase, when a general pausing commotion among the whales gave animating token that they were now at last under the influence of that strange perplexity of inert irresolution, which, when the fishermen perceive it in the whale, they say he is gallied. The compact martial columns in which they had been hitherto rapidly and steadily swimming, were now broken up in one measureless rout; and like King Porus’ elephants in the Indian battle with Alexander, they seemed going mad with consternation. In all directions expanding in vast irregular circles, and aimlessly swimming hither and thither, by their short thick spoutings, they plainly betrayed their distraction of panic. This was still more strangely evinced by those of their number, who, completely paralysed as it were, helplessly floated like water-logged dismantled ships on the sea. Had these Leviathans been but a flock of simple sheep, pursued over the pasture by three fierce wolves, they could not possibly have evinced such excessive dismay. But this occasional timidity is characteristic of almost all herding creatures. Though banding together in tens of thousands, the lion-maned buffaloes of the West have fled before a solitary horseman. Witness, too, all human beings, how when herded together in the sheepfold of a theatre’s pit, they will, at the slightest alarm of fire, rush helter-skelter for the outlets, crowding, trampling, jamming, and remorselessly dashing each other to death. Best, therefore, withhold any amazement at the strangely gallied whales before us, for there is no folly of the beasts of the earth which is not infinitely outdone by the madness of men. + +Though many of the whales, as has been said, were in violent motion, yet it is to be observed that as a whole the herd neither advanced nor retreated, but collectively remained in one place. As is customary in those cases, the boats at once separated, each making for some one lone whale on the outskirts of the shoal. In about three minutes’ time, Queequeg’s harpoon was flung; the stricken fish darted blinding spray in our faces, and then running away with us like light, steered straight for the heart of the herd. Though such a movement on the part of the whale struck under such circumstances, is in no wise unprecedented; and indeed is almost always more or less anticipated; yet does it present one of the more perilous vicissitudes of the fishery. For as the swift monster drags you deeper and deeper into the frantic shoal, you bid adieu to circumspect life and only exist in a delirious throb. + +As, blind and deaf, the whale plunged forward, as if by sheer power of speed to rid himself of the iron leech that had fastened to him; as we thus tore a white gash in the sea, on all sides menaced as we flew, by the crazed creatures to and fro rushing about us; our beset boat was like a ship mobbed by ice-isles in a tempest, and striving to steer through their complicated channels and straits, knowing not at what moment it may be locked in and crushed. + +But not a bit daunted, Queequeg steered us manfully; now sheering off from this monster directly across our route in advance; now edging away from that, whose colossal flukes were suspended overhead, while all the time, Starbuck stood up in the bows, lance in hand, pricking out of our way whatever whales he could reach by short darts, for there was no time to make long ones. Nor were the oarsmen quite idle, though their wonted duty was now altogether dispensed with. They chiefly attended to the shouting part of the business. “Out of the way, Commodore!” cried one, to a great dromedary that of a sudden rose bodily to the surface, and for an instant threatened to swamp us. “Hard down with your tail, there!” cried a second to another, which, close to our gunwale, seemed calmly cooling himself with his own fan-like extremity. + +All whaleboats carry certain curious contrivances, originally invented by the Nantucket Indians, called druggs. Two thick squares of wood of equal size are stoutly clenched together, so that they cross each other’s grain at right angles; a line of considerable length is then attached to the middle of this block, and the other end of the line being looped, it can in a moment be fastened to a harpoon. It is chiefly among gallied whales that this drugg is used. For then, more whales are close round you than you can possibly chase at one time. But sperm whales are not every day encountered; while you may, then, you must kill all you can. And if you cannot kill them all at once, you must wing them, so that they can be afterwards killed at your leisure. Hence it is, that at times like these the drugg, comes into requisition. Our boat was furnished with three of them. The first and second were successfully darted, and we saw the whales staggeringly running off, fettered by the enormous sidelong resistance of the towing drugg. They were cramped like malefactors with the chain and ball. But upon flinging the third, in the act of tossing overboard the clumsy wooden block, it caught under one of the seats of the boat, and in an instant tore it out and carried it away, dropping the oarsman in the boat’s bottom as the seat slid from under him. On both sides the sea came in at the wounded planks, but we stuffed two or three drawers and shirts in, and so stopped the leaks for the time. + +It had been next to impossible to dart these drugged-harpoons, were it not that as we advanced into the herd, our whale’s way greatly diminished; moreover, that as we went still further and further from the circumference of commotion, the direful disorders seemed waning. So that when at last the jerking harpoon drew out, and the towing whale sideways vanished; then, with the tapering force of his parting momentum, we glided between two whales into the innermost heart of the shoal, as if from some mountain torrent we had slid into a serene valley lake. Here the storms in the roaring glens between the outermost whales, were heard but not felt. In this central expanse the sea presented that smooth satin-like surface, called a sleek, produced by the subtle moisture thrown off by the whale in his more quiet moods. Yes, we were now in that enchanted calm which they say lurks at the heart of every commotion. And still in the distracted distance we beheld the tumults of the outer concentric circles, and saw successive pods of whales, eight or ten in each, swiftly going round and round, like multiplied spans of horses in a ring; and so closely shoulder to shoulder, that a Titanic circus-rider might easily have over-arched the middle ones, and so have gone round on their backs. Owing to the density of the crowd of reposing whales, more immediately surrounding the embayed axis of the herd, no possible chance of escape was at present afforded us. We must watch for a breach in the living wall that hemmed us in; the wall that had only admitted us in order to shut us up. Keeping at the centre of the lake, we were occasionally visited by small tame cows and calves; the women and children of this routed host. + +Now, inclusive of the occasional wide intervals between the revolving outer circles, and inclusive of the spaces between the various pods in any one of those circles, the entire area at this juncture, embraced by the whole multitude, must have contained at least two or three square miles. At any rate—though indeed such a test at such a time might be deceptive—spoutings might be discovered from our low boat that seemed playing up almost from the rim of the horizon. I mention this circumstance, because, as if the cows and calves had been purposely locked up in this innermost fold; and as if the wide extent of the herd had hitherto prevented them from learning the precise cause of its stopping; or, possibly, being so young, unsophisticated, and every way innocent and inexperienced; however it may have been, these smaller whales—now and then visiting our becalmed boat from the margin of the lake—evinced a wondrous fearlessness and confidence, or else a still becharmed panic which it was impossible not to marvel at. Like household dogs they came snuffling round us, right up to our gunwales, and touching them; till it almost seemed that some spell had suddenly domesticated them. Queequeg patted their foreheads; Starbuck scratched their backs with his lance; but fearful of the consequences, for the time refrained from darting it. + +But far beneath this wondrous world upon the surface, another and still stranger world met our eyes as we gazed over the side. For, suspended in those watery vaults, floated the forms of the nursing mothers of the whales, and those that by their enormous girth seemed shortly to become mothers. The lake, as I have hinted, was to a considerable depth exceedingly transparent; and as human infants while suckling will calmly and fixedly gaze away from the breast, as if leading two different lives at the time; and while yet drawing mortal nourishment, be still spiritually feasting upon some unearthly reminiscence;—even so did the young of these whales seem looking up towards us, but not at us, as if we were but a bit of Gulfweed in their new-born sight. Floating on their sides, the mothers also seemed quietly eyeing us. One of these little infants, that from certain queer tokens seemed hardly a day old, might have measured some fourteen feet in length, and some six feet in girth. He was a little frisky; though as yet his body seemed scarce yet recovered from that irksome position it had so lately occupied in the maternal reticule; where, tail to head, and all ready for the final spring, the unborn whale lies bent like a Tartar’s bow. The delicate side-fins, and the palms of his flukes, still freshly retained the plaited crumpled appearance of a baby’s ears newly arrived from foreign parts. + +“Line! line!” cried Queequeg, looking over the gunwale; “him fast! him fast!—Who line him! Who struck?—Two whale; one big, one little!” + +“What ails ye, man?” cried Starbuck. + +“Look-e here,” said Queequeg, pointing down. + +As when the stricken whale, that from the tub has reeled out hundreds of fathoms of rope; as, after deep sounding, he floats up again, and shows the slackened curling line buoyantly rising and spiralling towards the air; so now, Starbuck saw long coils of the umbilical cord of Madame Leviathan, by which the young cub seemed still tethered to its dam. Not seldom in the rapid vicissitudes of the chase, this natural line, with the maternal end loose, becomes entangled with the hempen one, so that the cub is thereby trapped. Some of the subtlest secrets of the seas seemed divulged to us in this enchanted pond. We saw young Leviathan amours in the deep.* + +*The sperm whale, as with all other species of the Leviathan, but unlike most other fish, breeds indifferently at all seasons; after a gestation which may probably be set down at nine months, producing but one at a time; though in some few known instances giving birth to an Esau and Jacob:—a contingency provided for in suckling by two teats, curiously situated, one on each side of the anus; but the breasts themselves extend upwards from that. When by chance these precious parts in a nursing whale are cut by the hunter’s lance, the mother’s pouring milk and blood rivallingly discolour the sea for rods. The milk is very sweet and rich; it has been tasted by man; it might do well with strawberries. When overflowing with mutual esteem, the whales salute MORE HOMINUM. + +And thus, though surrounded by circle upon circle of consternations and affrights, did these inscrutable creatures at the centre freely and fearlessly indulge in all peaceful concernments; yea, serenely revelled in dalliance and delight. But even so, amid the tornadoed Atlantic of my being, do I myself still for ever centrally disport in mute calm; and while ponderous planets of unwaning woe revolve round me, deep down and deep inland there I still bathe me in eternal mildness of joy. + +Meanwhile, as we thus lay entranced, the occasional sudden frantic spectacles in the distance evinced the activity of the other boats, still engaged in drugging the whales on the frontier of the host; or possibly carrying on the war within the first circle, where abundance of room and some convenient retreats were afforded them. But the sight of the enraged drugged whales now and then blindly darting to and fro across the circles, was nothing to what at last met our eyes. It is sometimes the custom when fast to a whale more than commonly powerful and alert, to seek to hamstring him, as it were, by sundering or maiming his gigantic tail-tendon. It is done by darting a short-handled cutting-spade, to which is attached a rope for hauling it back again. A whale wounded (as we afterwards learned) in this part, but not effectually, as it seemed, had broken away from the boat, carrying along with him half of the harpoon line; and in the extraordinary agony of the wound, he was now dashing among the revolving circles like the lone mounted desperado Arnold, at the battle of Saratoga, carrying dismay wherever he went. + +But agonizing as was the wound of this whale, and an appalling spectacle enough, any way; yet the peculiar horror with which he seemed to inspire the rest of the herd, was owing to a cause which at first the intervening distance obscured from us. But at length we perceived that by one of the unimaginable accidents of the fishery, this whale had become entangled in the harpoon-line that he towed; he had also run away with the cutting-spade in him; and while the free end of the rope attached to that weapon, had permanently caught in the coils of the harpoon-line round his tail, the cutting-spade itself had worked loose from his flesh. So that tormented to madness, he was now churning through the water, violently flailing with his flexible tail, and tossing the keen spade about him, wounding and murdering his own comrades. + +This terrific object seemed to recall the whole herd from their stationary fright. First, the whales forming the margin of our lake began to crowd a little, and tumble against each other, as if lifted by half spent billows from afar; then the lake itself began faintly to heave and swell; the submarine bridal-chambers and nurseries vanished; in more and more contracting orbits the whales in the more central circles began to swim in thickening clusters. Yes, the long calm was departing. A low advancing hum was soon heard; and then like to the tumultuous masses of block-ice when the great river Hudson breaks up in Spring, the entire host of whales came tumbling upon their inner centre, as if to pile themselves up in one common mountain. Instantly Starbuck and Queequeg changed places; Starbuck taking the stern. + +“Oars! Oars!” he intensely whispered, seizing the helm—”gripe your oars, and clutch your souls, now! My God, men, stand by! Shove him off, you Queequeg—the whale there!—prick him!—hit him! Stand up—stand up, and stay so! Spring, men—pull, men; never mind their backs—scrape them!—scrape away!” + +The boat was now all but jammed between two vast black bulks, leaving a narrow Dardanelles between their long lengths. But by desperate endeavor we at last shot into a temporary opening; then giving way rapidly, and at the same time earnestly watching for another outlet. After many similar hair-breadth escapes, we at last swiftly glided into what had just been one of the outer circles, but now crossed by random whales, all violently making for one centre. This lucky salvation was cheaply purchased by the loss of Queequeg’s hat, who, while standing in the bows to prick the fugitive whales, had his hat taken clean from his head by the air-eddy made by the sudden tossing of a pair of broad flukes close by. + +Riotous and disordered as the universal commotion now was, it soon resolved itself into what seemed a systematic movement; for having clumped together at last in one dense body, they then renewed their onward flight with augmented fleetness. Further pursuit was useless; but the boats still lingered in their wake to pick up what drugged whales might be dropped astern, and likewise to secure one which Flask had killed and waifed. The waif is a pennoned pole, two or three of which are carried by every boat; and which, when additional game is at hand, are inserted upright into the floating body of a dead whale, both to mark its place on the sea, and also as token of prior possession, should the boats of any other ship draw near. + +The result of this lowering was somewhat illustrative of that sagacious saying in the Fishery,—the more whales the less fish. Of all the drugged whales only one was captured. The rest contrived to escape for the time, but only to be taken, as will hereafter be seen, by some other craft than the Pequod. + +CHAPTER 88. Schools and Schoolmasters. + +The previous chapter gave account of an immense body or herd of Sperm Whales, and there was also then given the probable cause inducing those vast aggregations. + +Now, though such great bodies are at times encountered, yet, as must have been seen, even at the present day, small detached bands are occasionally observed, embracing from twenty to fifty individuals each. Such bands are known as schools. They generally are of two sorts; those composed almost entirely of females, and those mustering none but young vigorous males, or bulls, as they are familiarly designated. + +In cavalier attendance upon the school of females, you invariably see a male of full grown magnitude, but not old; who, upon any alarm, evinces his gallantry by falling in the rear and covering the flight of his ladies. In truth, this gentleman is a luxurious Ottoman, swimming about over the watery world, surroundingly accompanied by all the solaces and endearments of the harem. The contrast between this Ottoman and his concubines is striking; because, while he is always of the largest leviathanic proportions, the ladies, even at full growth, are not more than one-third of the bulk of an average-sized male. They are comparatively delicate, indeed; I dare say, not to exceed half a dozen yards round the waist. Nevertheless, it cannot be denied, that upon the whole they are hereditarily entitled to EMBONPOINT. + +It is very curious to watch this harem and its lord in their indolent ramblings. Like fashionables, they are for ever on the move in leisurely search of variety. You meet them on the Line in time for the full flower of the Equatorial feeding season, having just returned, perhaps, from spending the summer in the Northern seas, and so cheating summer of all unpleasant weariness and warmth. By the time they have lounged up and down the promenade of the Equator awhile, they start for the Oriental waters in anticipation of the cool season there, and so evade the other excessive temperature of the year. + +When serenely advancing on one of these journeys, if any strange suspicious sights are seen, my lord whale keeps a wary eye on his interesting family. Should any unwarrantably pert young Leviathan coming that way, presume to draw confidentially close to one of the ladies, with what prodigious fury the Bashaw assails him, and chases him away! High times, indeed, if unprincipled young rakes like him are to be permitted to invade the sanctity of domestic bliss; though do what the Bashaw will, he cannot keep the most notorious Lothario out of his bed; for, alas! all fish bed in common. As ashore, the ladies often cause the most terrible duels among their rival admirers; just so with the whales, who sometimes come to deadly battle, and all for love. They fence with their long lower jaws, sometimes locking them together, and so striving for the supremacy like elks that warringly interweave their antlers. Not a few are captured having the deep scars of these encounters,—furrowed heads, broken teeth, scolloped fins; and in some instances, wrenched and dislocated mouths. + +But supposing the invader of domestic bliss to betake himself away at the first rush of the harem’s lord, then is it very diverting to watch that lord. Gently he insinuates his vast bulk among them again and revels there awhile, still in tantalizing vicinity to young Lothario, like pious Solomon devoutly worshipping among his thousand concubines. Granting other whales to be in sight, the fishermen will seldom give chase to one of these Grand Turks; for these Grand Turks are too lavish of their strength, and hence their unctuousness is small. As for the sons and the daughters they beget, why, those sons and daughters must take care of themselves; at least, with only the maternal help. For like certain other omnivorous roving lovers that might be named, my Lord Whale has no taste for the nursery, however much for the bower; and so, being a great traveller, he leaves his anonymous babies all over the world; every baby an exotic. In good time, nevertheless, as the ardour of youth declines; as years and dumps increase; as reflection lends her solemn pauses; in short, as a general lassitude overtakes the sated Turk; then a love of ease and virtue supplants the love for maidens; our Ottoman enters upon the impotent, repentant, admonitory stage of life, forswears, disbands the harem, and grown to an exemplary, sulky old soul, goes about all alone among the meridians and parallels saying his prayers, and warning each young Leviathan from his amorous errors. + +Now, as the harem of whales is called by the fishermen a school, so is the lord and master of that school technically known as the schoolmaster. It is therefore not in strict character, however admirably satirical, that after going to school himself, he should then go abroad inculcating not what he learned there, but the folly of it. His title, schoolmaster, would very naturally seem derived from the name bestowed upon the harem itself, but some have surmised that the man who first thus entitled this sort of Ottoman whale, must have read the memoirs of Vidocq, and informed himself what sort of a country-schoolmaster that famous Frenchman was in his younger days, and what was the nature of those occult lessons he inculcated into some of his pupils. + +The same secludedness and isolation to which the schoolmaster whale betakes himself in his advancing years, is true of all aged Sperm Whales. Almost universally, a lone whale—as a solitary Leviathan is called—proves an ancient one. Like venerable moss-bearded Daniel Boone, he will have no one near him but Nature herself; and her he takes to wife in the wilderness of waters, and the best of wives she is, though she keeps so many moody secrets. + +The schools composing none but young and vigorous males, previously mentioned, offer a strong contrast to the harem schools. For while those female whales are characteristically timid, the young males, or forty-barrel-bulls, as they call them, are by far the most pugnacious of all Leviathans, and proverbially the most dangerous to encounter; excepting those wondrous grey-headed, grizzled whales, sometimes met, and these will fight you like grim fiends exasperated by a penal gout. + +The Forty-barrel-bull schools are larger than the harem schools. Like a mob of young collegians, they are full of fight, fun, and wickedness, tumbling round the world at such a reckless, rollicking rate, that no prudent underwriter would insure them any more than he would a riotous lad at Yale or Harvard. They soon relinquish this turbulence though, and when about three-fourths grown, break up, and separately go about in quest of settlements, that is, harems. + +Another point of difference between the male and female schools is still more characteristic of the sexes. Say you strike a Forty-barrel-bull—poor devil! all his comrades quit him. But strike a member of the harem school, and her companions swim around her with every token of concern, sometimes lingering so near her and so long, as themselves to fall a prey. + +CHAPTER 89. Fast-Fish and Loose-Fish. + +The allusion to the waif and waif-poles in the last chapter but one, necessitates some account of the laws and regulations of the whale fishery, of which the waif may be deemed the grand symbol and badge. + +It frequently happens that when several ships are cruising in company, a whale may be struck by one vessel, then escape, and be finally killed and captured by another vessel; and herein are indirectly comprised many minor contingencies, all partaking of this one grand feature. For example,—after a weary and perilous chase and capture of a whale, the body may get loose from the ship by reason of a violent storm; and drifting far away to leeward, be retaken by a second whaler, who, in a calm, snugly tows it alongside, without risk of life or line. Thus the most vexatious and violent disputes would often arise between the fishermen, were there not some written or unwritten, universal, undisputed law applicable to all cases. + +Perhaps the only formal whaling code authorized by legislative enactment, was that of Holland. It was decreed by the States-General in A.D. 1695. But though no other nation has ever had any written whaling law, yet the American fishermen have been their own legislators and lawyers in this matter. They have provided a system which for terse comprehensiveness surpasses Justinian’s Pandects and the By-laws of the Chinese Society for the Suppression of Meddling with other People’s Business. Yes; these laws might be engraven on a Queen Anne’s farthing, or the barb of a harpoon, and worn round the neck, so small are they. + +What are the Rights of Man and the Liberties of the World but Loose-Fish? What all men’s minds and opinions but Loose-Fish? What is the principle of religious belief in them but Loose-Fish? What to the ostentatious smuggling verbalists are the thoughts of thinkers but Loose-Fish? What is the great globe itself but a Loose-Fish? And what are you, reader, but a Loose-Fish and a Fast-Fish, too? +I. A Fast-Fish belongs to the party fast to it. + +II. A Loose-Fish is fair game for anybody who can soonest catch it. + +But what plays the mischief with this masterly code is the admirable brevity of it, which necessitates a vast volume of commentaries to expound it. + +First: What is a Fast-Fish? Alive or dead a fish is technically fast, when it is connected with an occupied ship or boat, by any medium at all controllable by the occupant or occupants,—a mast, an oar, a nine-inch cable, a telegraph wire, or a strand of cobweb, it is all the same. Likewise a fish is technically fast when it bears a waif, or any other recognised symbol of possession; so long as the party waifing it plainly evince their ability at any time to take it alongside, as well as their intention so to do. + +These are scientific commentaries; but the commentaries of the whalemen themselves sometimes consist in hard words and harder knocks—the Coke-upon-Littleton of the fist. True, among the more upright and honourable whalemen allowances are always made for peculiar cases, where it would be an outrageous moral injustice for one party to claim possession of a whale previously chased or killed by another party. But others are by no means so scrupulous. + +Some fifty years ago there was a curious case of whale-trover litigated in England, wherein the plaintiffs set forth that after a hard chase of a whale in the Northern seas; and when indeed they (the plaintiffs) had succeeded in harpooning the fish; they were at last, through peril of their lives, obliged to forsake not only their lines, but their boat itself. Ultimately the defendants (the crew of another ship) came up with the whale, struck, killed, seized, and finally appropriated it before the very eyes of the plaintiffs. And when those defendants were remonstrated with, their captain snapped his fingers in the plaintiffs’ teeth, and assured them that by way of doxology to the deed he had done, he would now retain their line, harpoons, and boat, which had remained attached to the whale at the time of the seizure. Wherefore the plaintiffs now sued for the recovery of the value of their whale, line, harpoons, and boat. + +Mr. Erskine was counsel for the defendants; Lord Ellenborough was the judge. In the course of the defence, the witty Erskine went on to illustrate his position, by alluding to a recent crim. con. case, wherein a gentleman, after in vain trying to bridle his wife’s viciousness, had at last abandoned her upon the seas of life; but in the course of years, repenting of that step, he instituted an action to recover possession of her. Erskine was on the other side; and he then supported it by saying, that though the gentleman had originally harpooned the lady, and had once had her fast, and only by reason of the great stress of her plunging viciousness, had at last abandoned her; yet abandon her he did, so that she became a loose-fish; and therefore when a subsequent gentleman re-harpooned her, the lady then became that subsequent gentleman’s property, along with whatever harpoon might have been found sticking in her. + +Now in the present case Erskine contended that the examples of the whale and the lady were reciprocally illustrative of each other. + +These pleadings, and the counter pleadings, being duly heard, the very learned Judge in set terms decided, to wit,—That as for the boat, he awarded it to the plaintiffs, because they had merely abandoned it to save their lives; but that with regard to the controverted whale, harpoons, and line, they belonged to the defendants; the whale, because it was a Loose-Fish at the time of the final capture; and the harpoons and line because when the fish made off with them, it (the fish) acquired a property in those articles; and hence anybody who afterwards took the fish had a right to them. Now the defendants afterwards took the fish; ergo, the aforesaid articles were theirs. + +A common man looking at this decision of the very learned Judge, might possibly object to it. But ploughed up to the primary rock of the matter, the two great principles laid down in the twin whaling laws previously quoted, and applied and elucidated by Lord Ellenborough in the above cited case; these two laws touching Fast-Fish and Loose-Fish, I say, will, on reflection, be found the fundamentals of all human jurisprudence; for notwithstanding its complicated tracery of sculpture, the Temple of the Law, like the Temple of the Philistines, has but two props to stand on. + +Is it not a saying in every one’s mouth, Possession is half of the law: that is, regardless of how the thing came into possession? But often possession is the whole of the law. What are the sinews and souls of Russian serfs and Republican slaves but Fast-Fish, whereof possession is the whole of the law? What to the rapacious landlord is the widow’s last mite but a Fast-Fish? What is yonder undetected villain’s marble mansion with a door-plate for a waif; what is that but a Fast-Fish? What is the ruinous discount which Mordecai, the broker, gets from poor Woebegone, the bankrupt, on a loan to keep Woebegone’s family from starvation; what is that ruinous discount but a Fast-Fish? What is the Archbishop of Savesoul’s income of L100,000 seized from the scant bread and cheese of hundreds of thousands of broken-backed laborers (all sure of heaven without any of Savesoul’s help) what is that globular L100,000 but a Fast-Fish? What are the Duke of Dunder’s hereditary towns and hamlets but Fast-Fish? What to that redoubted harpooneer, John Bull, is poor Ireland, but a Fast-Fish? What to that apostolic lancer, Brother Jonathan, is Texas but a Fast-Fish? And concerning all these, is not Possession the whole of the law? + +But if the doctrine of Fast-Fish be pretty generally applicable, the kindred doctrine of Loose-Fish is still more widely so. That is internationally and universally applicable. + +What was America in 1492 but a Loose-Fish, in which Columbus struck the Spanish standard by way of waifing it for his royal master and mistress? What was Poland to the Czar? What Greece to the Turk? What India to England? What at last will Mexico be to the United States? All Loose-Fish. + +What are the Rights of Man and the Liberties of the World but Loose-Fish? What all men’s minds and opinions but Loose-Fish? What is the principle of religious belief in them but a Loose-Fish? What to the ostentatious smuggling verbalists are the thoughts of thinkers but Loose-Fish? What is the great globe itself but a Loose-Fish? And what are you, reader, but a Loose-Fish and a Fast-Fish, too? + +CHAPTER 90. Heads or Tails. + +“De balena vero sufficit, si rex habeat caput, et regina caudam.” BRACTON, L. 3, C. 3. + +Latin from the books of the Laws of England, which taken along with the context, means, that of all whales captured by anybody on the coast of that land, the King, as Honourary Grand Harpooneer, must have the head, and the Queen be respectfully presented with the tail. A division which, in the whale, is much like halving an apple; there is no intermediate remainder. Now as this law, under a modified form, is to this day in force in England; and as it offers in various respects a strange anomaly touching the general law of Fast and Loose-Fish, it is here treated of in a separate chapter, on the same courteous principle that prompts the English railways to be at the expense of a separate car, specially reserved for the accommodation of royalty. In the first place, in curious proof of the fact that the above-mentioned law is still in force, I proceed to lay before you a circumstance that happened within the last two years. + +It seems that some honest mariners of Dover, or Sandwich, or some one of the Cinque Ports, had after a hard chase succeeded in killing and beaching a fine whale which they had originally descried afar off from the shore. Now the Cinque Ports are partially or somehow under the jurisdiction of a sort of policeman or beadle, called a Lord Warden. Holding the office directly from the crown, I believe, all the royal emoluments incident to the Cinque Port territories become by assignment his. By some writers this office is called a sinecure. But not so. Because the Lord Warden is busily employed at times in fobbing his perquisites; which are his chiefly by virtue of that same fobbing of them. + +Now when these poor sun-burnt mariners, bare-footed, and with their trowsers rolled high up on their eely legs, had wearily hauled their fat fish high and dry, promising themselves a good L150 from the precious oil and bone; and in fantasy sipping rare tea with their wives, and good ale with their cronies, upon the strength of their respective shares; up steps a very learned and most Christian and charitable gentleman, with a copy of Blackstone under his arm; and laying it upon the whale’s head, he says—”Hands off! this fish, my masters, is a Fast-Fish. I seize it as the Lord Warden’s.” Upon this the poor mariners in their respectful consternation—so truly English—knowing not what to say, fall to vigorously scratching their heads all round; meanwhile ruefully glancing from the whale to the stranger. But that did in nowise mend the matter, or at all soften the hard heart of the learned gentleman with the copy of Blackstone. At length one of them, after long scratching about for his ideas, made bold to speak, + +“Please, sir, who is the Lord Warden?” + +“The Duke.” + +“But the duke had nothing to do with taking this fish?” + +“It is his.” + +“We have been at great trouble, and peril, and some expense, and is all that to go to the Duke’s benefit; we getting nothing at all for our pains but our blisters?” + +“It is his.” + +“Is the Duke so very poor as to be forced to this desperate mode of getting a livelihood?” + +“It is his.” + +“I thought to relieve my old bed-ridden mother by part of my share of this whale.” + +“It is his.” + +“Won’t the Duke be content with a quarter or a half?” + +“It is his.” + +In a word, the whale was seized and sold, and his Grace the Duke of Wellington received the money. Thinking that viewed in some particular lights, the case might by a bare possibility in some small degree be deemed, under the circumstances, a rather hard one, an honest clergyman of the town respectfully addressed a note to his Grace, begging him to take the case of those unfortunate mariners into full consideration. To which my Lord Duke in substance replied (both letters were published) that he had already done so, and received the money, and would be obliged to the reverend gentleman if for the future he (the reverend gentleman) would decline meddling with other people’s business. Is this the still militant old man, standing at the corners of the three kingdoms, on all hands coercing alms of beggars? + +It will readily be seen that in this case the alleged right of the Duke to the whale was a delegated one from the Sovereign. We must needs inquire then on what principle the Sovereign is originally invested with that right. The law itself has already been set forth. But Plowdon gives us the reason for it. Says Plowdon, the whale so caught belongs to the King and Queen, “because of its superior excellence.” And by the soundest commentators this has ever been held a cogent argument in such matters. + +But why should the King have the head, and the Queen the tail? A reason for that, ye lawyers! + +In his treatise on “Queen-Gold,” or Queen-pinmoney, an old King’s Bench author, one William Prynne, thus discourseth: “Ye tail is ye Queen’s, that ye Queen’s wardrobe may be supplied with ye whalebone.” Now this was written at a time when the black limber bone of the Greenland or Right whale was largely used in ladies’ bodices. But this same bone is not in the tail; it is in the head, which is a sad mistake for a sagacious lawyer like Prynne. But is the Queen a mermaid, to be presented with a tail? An allegorical meaning may lurk here. + +There are two royal fish so styled by the English law writers—the whale and the sturgeon; both royal property under certain limitations, and nominally supplying the tenth branch of the crown’s ordinary revenue. I know not that any other author has hinted of the matter; but by inference it seems to me that the sturgeon must be divided in the same way as the whale, the King receiving the highly dense and elastic head peculiar to that fish, which, symbolically regarded, may possibly be humorously grounded upon some presumed congeniality. And thus there seems a reason in all things, even in law. + +CHAPTER 91. The Pequod Meets The Rose-Bud. + +“In vain it was to rake for Ambergriese in the paunch of this Leviathan, insufferable fetor denying not inquiry.” SIR T. BROWNE, V.E. + +It was a week or two after the last whaling scene recounted, and when we were slowly sailing over a sleepy, vapoury, mid-day sea, that the many noses on the Pequod’s deck proved more vigilant discoverers than the three pairs of eyes aloft. A peculiar and not very pleasant smell was smelt in the sea. + +“I will bet something now,” said Stubb, “that somewhere hereabouts are some of those drugged whales we tickled the other day. I thought they would keel up before long.” + +Presently, the vapours in advance slid aside; and there in the distance lay a ship, whose furled sails betokened that some sort of whale must be alongside. As we glided nearer, the stranger showed French colours from his peak; and by the eddying cloud of vulture sea-fowl that circled, and hovered, and swooped around him, it was plain that the whale alongside must be what the fishermen call a blasted whale, that is, a whale that has died unmolested on the sea, and so floated an unappropriated corpse. It may well be conceived, what an unsavory odor such a mass must exhale; worse than an Assyrian city in the plague, when the living are incompetent to bury the departed. So intolerable indeed is it regarded by some, that no cupidity could persuade them to moor alongside of it. Yet are there those who will still do it; notwithstanding the fact that the oil obtained from such subjects is of a very inferior quality, and by no means of the nature of attar-of-rose. + +Coming still nearer with the expiring breeze, we saw that the Frenchman had a second whale alongside; and this second whale seemed even more of a nosegay than the first. In truth, it turned out to be one of those problematical whales that seem to dry up and die with a sort of prodigious dyspepsia, or indigestion; leaving their defunct bodies almost entirely bankrupt of anything like oil. Nevertheless, in the proper place we shall see that no knowing fisherman will ever turn up his nose at such a whale as this, however much he may shun blasted whales in general. + +The Pequod had now swept so nigh to the stranger, that Stubb vowed he recognised his cutting spade-pole entangled in the lines that were knotted round the tail of one of these whales. + +“There’s a pretty fellow, now,” he banteringly laughed, standing in the ship’s bows, “there’s a jackal for ye! I well know that these Crappoes of Frenchmen are but poor devils in the fishery; sometimes lowering their boats for breakers, mistaking them for Sperm Whale spouts; yes, and sometimes sailing from their port with their hold full of boxes of tallow candles, and cases of snuffers, foreseeing that all the oil they will get won’t be enough to dip the Captain’s wick into; aye, we all know these things; but look ye, here’s a Crappo that is content with our leavings, the drugged whale there, I mean; aye, and is content too with scraping the dry bones of that other precious fish he has there. Poor devil! I say, pass round a hat, some one, and let’s make him a present of a little oil for dear charity’s sake. For what oil he’ll get from that drugged whale there, wouldn’t be fit to burn in a jail; no, not in a condemned cell. And as for the other whale, why, I’ll agree to get more oil by chopping up and trying out these three masts of ours, than he’ll get from that bundle of bones; though, now that I think of it, it may contain something worth a good deal more than oil; yes, ambergris. I wonder now if our old man has thought of that. It’s worth trying. Yes, I’m for it;” and so saying he started for the quarter-deck. + +By this time the faint air had become a complete calm; so that whether or no, the Pequod was now fairly entrapped in the smell, with no hope of escaping except by its breezing up again. Issuing from the cabin, Stubb now called his boat’s crew, and pulled off for the stranger. Drawing across her bow, he perceived that in accordance with the fanciful French taste, the upper part of her stem-piece was carved in the likeness of a huge drooping stalk, was painted green, and for thorns had copper spikes projecting from it here and there; the whole terminating in a symmetrical folded bulb of a bright red colour. Upon her head boards, in large gilt letters, he read “Bouton de Rose,”—Rose-button, or Rose-bud; and this was the romantic name of this aromatic ship. + +Though Stubb did not understand the BOUTON part of the inscription, yet the word ROSE, and the bulbous figure-head put together, sufficiently explained the whole to him. + +“A wooden rose-bud, eh?” he cried with his hand to his nose, “that will do very well; but how like all creation it smells!” + +Now in order to hold direct communication with the people on deck, he had to pull round the bows to the starboard side, and thus come close to the blasted whale; and so talk over it. + +Arrived then at this spot, with one hand still to his nose, he bawled—”Bouton-de-Rose, ahoy! are there any of you Bouton-de-Roses that speak English?” + +“Yes,” rejoined a Guernsey-man from the bulwarks, who turned out to be the chief-mate. + +“Well, then, my Bouton-de-Rose-bud, have you seen the White Whale?” + +“WHAT whale?” + +“The WHITE Whale—a Sperm Whale—Moby Dick, have ye seen him? + +“Never heard of such a whale. Cachalot Blanche! White Whale—no.” + +“Very good, then; good bye now, and I’ll call again in a minute.” + +Then rapidly pulling back towards the Pequod, and seeing Ahab leaning over the quarter-deck rail awaiting his report, he moulded his two hands into a trumpet and shouted—”No, Sir! No!” Upon which Ahab retired, and Stubb returned to the Frenchman. + +He now perceived that the Guernsey-man, who had just got into the chains, and was using a cutting-spade, had slung his nose in a sort of bag. + +“What’s the matter with your nose, there?” said Stubb. “Broke it?” + +“I wish it was broken, or that I didn’t have any nose at all!” answered the Guernsey-man, who did not seem to relish the job he was at very much. “But what are you holding YOURS for?” + +“Oh, nothing! It’s a wax nose; I have to hold it on. Fine day, ain’t it? Air rather gardenny, I should say; throw us a bunch of posies, will ye, Bouton-de-Rose?” + +“What in the devil’s name do you want here?” roared the Guernseyman, flying into a sudden passion. + +“Oh! keep cool—cool? yes, that’s the word! why don’t you pack those whales in ice while you’re working at ‘em? But joking aside, though; do you know, Rose-bud, that it’s all nonsense trying to get any oil out of such whales? As for that dried up one, there, he hasn’t a gill in his whole carcase.” + +“I know that well enough; but, d’ye see, the Captain here won’t believe it; this is his first voyage; he was a Cologne manufacturer before. But come aboard, and mayhap he’ll believe you, if he won’t me; and so I’ll get out of this dirty scrape.” + +“Anything to oblige ye, my sweet and pleasant fellow,” rejoined Stubb, and with that he soon mounted to the deck. There a queer scene presented itself. The sailors, in tasselled caps of red worsted, were getting the heavy tackles in readiness for the whales. But they worked rather slow and talked very fast, and seemed in anything but a good humor. All their noses upwardly projected from their faces like so many jib-booms. Now and then pairs of them would drop their work, and run up to the mast-head to get some fresh air. Some thinking they would catch the plague, dipped oakum in coal-tar, and at intervals held it to their nostrils. Others having broken the stems of their pipes almost short off at the bowl, were vigorously puffing tobacco-smoke, so that it constantly filled their olfactories. + +Stubb was struck by a shower of outcries and anathemas proceeding from the Captain’s round-house abaft; and looking in that direction saw a fiery face thrust from behind the door, which was held ajar from within. This was the tormented surgeon, who, after in vain remonstrating against the proceedings of the day, had betaken himself to the Captain’s round-house (CABINET he called it) to avoid the pest; but still, could not help yelling out his entreaties and indignations at times. + +Marking all this, Stubb argued well for his scheme, and turning to the Guernsey-man had a little chat with him, during which the stranger mate expressed his detestation of his Captain as a conceited ignoramus, who had brought them all into so unsavory and unprofitable a pickle. Sounding him carefully, Stubb further perceived that the Guernsey-man had not the slightest suspicion concerning the ambergris. He therefore held his peace on that head, but otherwise was quite frank and confidential with him, so that the two quickly concocted a little plan for both circumventing and satirizing the Captain, without his at all dreaming of distrusting their sincerity. According to this little plan of theirs, the Guernsey-man, under cover of an interpreter’s office, was to tell the Captain what he pleased, but as coming from Stubb; and as for Stubb, he was to utter any nonsense that should come uppermost in him during the interview. + +By this time their destined victim appeared from his cabin. He was a small and dark, but rather delicate looking man for a sea-captain, with large whiskers and moustache, however; and wore a red cotton velvet vest with watch-seals at his side. To this gentleman, Stubb was now politely introduced by the Guernsey-man, who at once ostentatiously put on the aspect of interpreting between them. + +“What shall I say to him first?” said he. + +“Why,” said Stubb, eyeing the velvet vest and the watch and seals, “you may as well begin by telling him that he looks a sort of babyish to me, though I don’t pretend to be a judge.” + +“He says, Monsieur,” said the Guernsey-man, in French, turning to his captain, “that only yesterday his ship spoke a vessel, whose captain and chief-mate, with six sailors, had all died of a fever caught from a blasted whale they had brought alongside.” + +Upon this the captain started, and eagerly desired to know more. + +“What now?” said the Guernsey-man to Stubb. + +“Why, since he takes it so easy, tell him that now I have eyed him carefully, I’m quite certain that he’s no more fit to command a whale-ship than a St. Jago monkey. In fact, tell him from me he’s a baboon.” + +“He vows and declares, Monsieur, that the other whale, the dried one, is far more deadly than the blasted one; in fine, Monsieur, he conjures us, as we value our lives, to cut loose from these fish.” + +Instantly the captain ran forward, and in a loud voice commanded his crew to desist from hoisting the cutting-tackles, and at once cast loose the cables and chains confining the whales to the ship. + +“What now?” said the Guernsey-man, when the Captain had returned to them. + +“Why, let me see; yes, you may as well tell him now that—that—in fact, tell him I’ve diddled him, and (aside to himself) perhaps somebody else.” + +“He says, Monsieur, that he’s very happy to have been of any service to us.” + +Hearing this, the captain vowed that they were the grateful parties (meaning himself and mate) and concluded by inviting Stubb down into his cabin to drink a bottle of Bordeaux. + +“He wants you to take a glass of wine with him,” said the interpreter. + +“Thank him heartily; but tell him it’s against my principles to drink with the man I’ve diddled. In fact, tell him I must go.” + +“He says, Monsieur, that his principles won’t admit of his drinking; but that if Monsieur wants to live another day to drink, then Monsieur had best drop all four boats, and pull the ship away from these whales, for it’s so calm they won’t drift.” + +By this time Stubb was over the side, and getting into his boat, hailed the Guernsey-man to this effect,—that having a long tow-line in his boat, he would do what he could to help them, by pulling out the lighter whale of the two from the ship’s side. While the Frenchman’s boats, then, were engaged in towing the ship one way, Stubb benevolently towed away at his whale the other way, ostentatiously slacking out a most unusually long tow-line. + +Presently a breeze sprang up; Stubb feigned to cast off from the whale; hoisting his boats, the Frenchman soon increased his distance, while the Pequod slid in between him and Stubb’s whale. Whereupon Stubb quickly pulled to the floating body, and hailing the Pequod to give notice of his intentions, at once proceeded to reap the fruit of his unrighteous cunning. Seizing his sharp boat-spade, he commenced an excavation in the body, a little behind the side fin. You would almost have thought he was digging a cellar there in the sea; and when at length his spade struck against the gaunt ribs, it was like turning up old Roman tiles and pottery buried in fat English loam. His boat’s crew were all in high excitement, eagerly helping their chief, and looking as anxious as gold-hunters. + +And all the time numberless fowls were diving, and ducking, and screaming, and yelling, and fighting around them. Stubb was beginning to look disappointed, especially as the horrible nosegay increased, when suddenly from out the very heart of this plague, there stole a faint stream of perfume, which flowed through the tide of bad smells without being absorbed by it, as one river will flow into and then along with another, without at all blending with it for a time. + +“I have it, I have it,” cried Stubb, with delight, striking something in the subterranean regions, “a purse! a purse!” + +Dropping his spade, he thrust both hands in, and drew out handfuls of something that looked like ripe Windsor soap, or rich mottled old cheese; very unctuous and savory withal. You might easily dent it with your thumb; it is of a hue between yellow and ash colour. And this, good friends, is ambergris, worth a gold guinea an ounce to any druggist. Some six handfuls were obtained; but more was unavoidably lost in the sea, and still more, perhaps, might have been secured were it not for impatient Ahab’s loud command to Stubb to desist, and come on board, else the ship would bid them good bye. + +CHAPTER 92. Ambergris. + +Now this ambergris is a very curious substance, and so important as an article of commerce, that in 1791 a certain Nantucket-born Captain Coffin was examined at the bar of the English House of Commons on that subject. For at that time, and indeed until a comparatively late day, the precise origin of ambergris remained, like amber itself, a problem to the learned. Though the word ambergris is but the French compound for grey amber, yet the two substances are quite distinct. For amber, though at times found on the sea-coast, is also dug up in some far inland soils, whereas ambergris is never found except upon the sea. Besides, amber is a hard, transparent, brittle, odorless substance, used for mouth-pieces to pipes, for beads and ornaments; but ambergris is soft, waxy, and so highly fragrant and spicy, that it is largely used in perfumery, in pastiles, precious candles, hair-powders, and pomatum. The Turks use it in cooking, and also carry it to Mecca, for the same purpose that frankincense is carried to St. Peter’s in Rome. Some wine merchants drop a few grains into claret, to flavor it. + +Who would think, then, that such fine ladies and gentlemen should regale themselves with an essence found in the inglorious bowels of a sick whale! Yet so it is. By some, ambergris is supposed to be the cause, and by others the effect, of the dyspepsia in the whale. How to cure such a dyspepsia it were hard to say, unless by administering three or four boat loads of Brandreth’s pills, and then running out of harm’s way, as laborers do in blasting rocks. + +I have forgotten to say that there were found in this ambergris, certain hard, round, bony plates, which at first Stubb thought might be sailors’ trowsers buttons; but it afterwards turned out that they were nothing more than pieces of small squid bones embalmed in that manner. + +Now that the incorruption of this most fragrant ambergris should be found in the heart of such decay; is this nothing? Bethink thee of that saying of St. Paul in Corinthians, about corruption and incorruption; how that we are sown in dishonour, but raised in glory. And likewise call to mind that saying of Paracelsus about what it is that maketh the best musk. Also forget not the strange fact that of all things of ill-savor, Cologne-water, in its rudimental manufacturing stages, is the worst. + +I should like to conclude the chapter with the above appeal, but cannot, owing to my anxiety to repel a charge often made against whalemen, and which, in the estimation of some already biased minds, might be considered as indirectly substantiated by what has been said of the Frenchman’s two whales. Elsewhere in this volume the slanderous aspersion has been disproved, that the vocation of whaling is throughout a slatternly, untidy business. But there is another thing to rebut. They hint that all whales always smell bad. Now how did this odious stigma originate? + +I opine, that it is plainly traceable to the first arrival of the Greenland whaling ships in London, more than two centuries ago. Because those whalemen did not then, and do not now, try out their oil at sea as the Southern ships have always done; but cutting up the fresh blubber in small bits, thrust it through the bung holes of large casks, and carry it home in that manner; the shortness of the season in those Icy Seas, and the sudden and violent storms to which they are exposed, forbidding any other course. The consequence is, that upon breaking into the hold, and unloading one of these whale cemeteries, in the Greenland dock, a savor is given forth somewhat similar to that arising from excavating an old city grave-yard, for the foundations of a Lying-in-Hospital. + +I partly surmise also, that this wicked charge against whalers may be likewise imputed to the existence on the coast of Greenland, in former times, of a Dutch village called Schmerenburgh or Smeerenberg, which latter name is the one used by the learned Fogo Von Slack, in his great work on Smells, a text-book on that subject. As its name imports (smeer, fat; berg, to put up), this village was founded in order to afford a place for the blubber of the Dutch whale fleet to be tried out, without being taken home to Holland for that purpose. It was a collection of furnaces, fat-kettles, and oil sheds; and when the works were in full operation certainly gave forth no very pleasant savor. But all this is quite different with a South Sea Sperm Whaler; which in a voyage of four years perhaps, after completely filling her hold with oil, does not, perhaps, consume fifty days in the business of boiling out; and in the state that it is casked, the oil is nearly scentless. The truth is, that living or dead, if but decently treated, whales as a species are by no means creatures of ill odor; nor can whalemen be recognised, as the people of the middle ages affected to detect a Jew in the company, by the nose. Nor indeed can the whale possibly be otherwise than fragrant, when, as a general thing, he enjoys such high health; taking abundance of exercise; always out of doors; though, it is true, seldom in the open air. I say, that the motion of a Sperm Whale’s flukes above water dispenses a perfume, as when a musk-scented lady rustles her dress in a warm parlor. What then shall I liken the Sperm Whale to for fragrance, considering his magnitude? Must it not be to that famous elephant, with jewelled tusks, and redolent with myrrh, which was led out of an Indian town to do honour to Alexander the Great? + +CHAPTER 93. The Castaway. + +It was but some few days after encountering the Frenchman, that a most significant event befell the most insignificant of the Pequod’s crew; an event most lamentable; and which ended in providing the sometimes madly merry and predestinated craft with a living and ever accompanying prophecy of whatever shattered sequel might prove her own. + +Now, in the whale ship, it is not every one that goes in the boats. Some few hands are reserved called ship-keepers, whose province it is to work the vessel while the boats are pursuing the whale. As a general thing, these ship-keepers are as hardy fellows as the men comprising the boats’ crews. But if there happen to be an unduly slender, clumsy, or timorous wight in the ship, that wight is certain to be made a ship-keeper. It was so in the Pequod with the little negro Pippin by nick-name, Pip by abbreviation. Poor Pip! ye have heard of him before; ye must remember his tambourine on that dramatic midnight, so gloomy-jolly. + +In outer aspect, Pip and Dough-Boy made a match, like a black pony and a white one, of equal developments, though of dissimilar colour, driven in one eccentric span. But while hapless Dough-Boy was by nature dull and torpid in his intellects, Pip, though over tender-hearted, was at bottom very bright, with that pleasant, genial, jolly brightness peculiar to his tribe; a tribe, which ever enjoy all holidays and festivities with finer, freer relish than any other race. For blacks, the year’s calendar should show naught but three hundred and sixty-five Fourth of Julys and New Year’s Days. Nor smile so, while I write that this little black was brilliant, for even blackness has its brilliancy; behold yon lustrous ebony, panelled in king’s cabinets. But Pip loved life, and all life’s peaceable securities; so that the panic-striking business in which he had somehow unaccountably become entrapped, had most sadly blurred his brightness; though, as ere long will be seen, what was thus temporarily subdued in him, in the end was destined to be luridly illumined by strange wild fires, that fictitiously showed him off to ten times the natural lustre with which in his native Tolland County in Connecticut, he had once enlivened many a fiddler’s frolic on the green; and at melodious even-tide, with his gay ha-ha! had turned the round horizon into one star-belled tambourine. So, though in the clear air of day, suspended against a blue-veined neck, the pure-watered diamond drop will healthful glow; yet, when the cunning jeweller would show you the diamond in its most impressive lustre, he lays it against a gloomy ground, and then lights it up, not by the sun, but by some unnatural gases. Then come out those fiery effulgences, infernally superb; then the evil-blazing diamond, once the divinest symbol of the crystal skies, looks like some crown-jewel stolen from the King of Hell. But let us to the story. + +The sea had jeeringly kept his finite body up, but drowned the infinite of his soul. +It came to pass, that in the ambergris affair Stubb’s after-oarsman chanced so to sprain his hand, as for a time to become quite maimed; and, temporarily, Pip was put into his place. + +The first time Stubb lowered with him, Pip evinced much nervousness; but happily, for that time, escaped close contact with the whale; and therefore came off not altogether discreditably; though Stubb observing him, took care, afterwards, to exhort him to cherish his courageousness to the utmost, for he might often find it needful. + +Now upon the second lowering, the boat paddled upon the whale; and as the fish received the darted iron, it gave its customary rap, which happened, in this instance, to be right under poor Pip’s seat. The involuntary consternation of the moment caused him to leap, paddle in hand, out of the boat; and in such a way, that part of the slack whale line coming against his chest, he breasted it overboard with him, so as to become entangled in it, when at last plumping into the water. That instant the stricken whale started on a fierce run, the line swiftly straightened; and presto! poor Pip came all foaming up to the chocks of the boat, remorselessly dragged there by the line, which had taken several turns around his chest and neck. + +Tashtego stood in the bows. He was full of the fire of the hunt. He hated Pip for a poltroon. Snatching the boat-knife from its sheath, he suspended its sharp edge over the line, and turning towards Stubb, exclaimed interrogatively, “Cut?” Meantime Pip’s blue, choked face plainly looked, Do, for God’s sake! All passed in a flash. In less than half a minute, this entire thing happened. + +“Damn him, cut!” roared Stubb; and so the whale was lost and Pip was saved. + +So soon as he recovered himself, the poor little negro was assailed by yells and execrations from the crew. Tranquilly permitting these irregular cursings to evaporate, Stubb then in a plain, business-like, but still half humorous manner, cursed Pip officially; and that done, unofficially gave him much wholesome advice. The substance was, Never jump from a boat, Pip, except—but all the rest was indefinite, as the soundest advice ever is. Now, in general, STICK TO THE BOAT, is your true motto in whaling; but cases will sometimes happen when LEAP FROM THE BOAT, is still better. Moreover, as if perceiving at last that if he should give undiluted conscientious advice to Pip, he would be leaving him too wide a margin to jump in for the future; Stubb suddenly dropped all advice, and concluded with a peremptory command, “Stick to the boat, Pip, or by the Lord, I won’t pick you up if you jump; mind that. We can’t afford to lose whales by the likes of you; a whale would sell for thirty times what you would, Pip, in Alabama. Bear that in mind, and don’t jump any more.” Hereby perhaps Stubb indirectly hinted, that though man loved his fellow, yet man is a money-making animal, which propensity too often interferes with his benevolence. + +But we are all in the hands of the Gods; and Pip jumped again. It was under very similar circumstances to the first performance; but this time he did not breast out the line; and hence, when the whale started to run, Pip was left behind on the sea, like a hurried traveller’s trunk. Alas! Stubb was but too true to his word. It was a beautiful, bounteous, blue day; the spangled sea calm and cool, and flatly stretching away, all round, to the horizon, like gold-beater’s skin hammered out to the extremest. Bobbing up and down in that sea, Pip’s ebon head showed like a head of cloves. No boat-knife was lifted when he fell so rapidly astern. Stubb’s inexorable back was turned upon him; and the whale was winged. In three minutes, a whole mile of shoreless ocean was between Pip and Stubb. Out from the centre of the sea, poor Pip turned his crisp, curling, black head to the sun, another lonely castaway, though the loftiest and the brightest. + +Now, in calm weather, to swim in the open ocean is as easy to the practised swimmer as to ride in a spring-carriage ashore. But the awful lonesomeness is intolerable. The intense concentration of self in the middle of such a heartless immensity, my God! who can tell it? Mark, how when sailors in a dead calm bathe in the open sea—mark how closely they hug their ship and only coast along her sides. + +But had Stubb really abandoned the poor little negro to his fate? No; he did not mean to, at least. Because there were two boats in his wake, and he supposed, no doubt, that they would of course come up to Pip very quickly, and pick him up; though, indeed, such considerations towards oarsmen jeopardized through their own timidity, is not always manifested by the hunters in all similar instances; and such instances not unfrequently occur; almost invariably in the fishery, a coward, so called, is marked with the same ruthless detestation peculiar to military navies and armies. + +But it so happened, that those boats, without seeing Pip, suddenly spying whales close to them on one side, turned, and gave chase; and Stubb’s boat was now so far away, and he and all his crew so intent upon his fish, that Pip’s ringed horizon began to expand around him miserably. By the merest chance the ship itself at last rescued him; but from that hour the little negro went about the deck an idiot; such, at least, they said he was. The sea had jeeringly kept his finite body up, but drowned the infinite of his soul. Not drowned entirely, though. Rather carried down alive to wondrous depths, where strange shapes of the unwarped primal world glided to and fro before his passive eyes; and the miser-merman, Wisdom, revealed his hoarded heaps; and among the joyous, heartless, ever-juvenile eternities, Pip saw the multitudinous, God-omnipresent, coral insects, that out of the firmament of waters heaved the colossal orbs. He saw God’s foot upon the treadle of the loom, and spoke it; and therefore his shipmates called him mad. So man’s insanity is heaven’s sense; and wandering from all mortal reason, man comes at last to that celestial thought, which, to reason, is absurd and frantic; and weal or woe, feels then uncompromised, indifferent as his God. + +For the rest, blame not Stubb too hardly. The thing is common in that fishery; and in the sequel of the narrative, it will then be seen what like abandonment befell myself. + +CHAPTER 94. A Squeeze of the Hand. + +That whale of Stubb’s, so dearly purchased, was duly brought to the Pequod’s side, where all those cutting and hoisting operations previously detailed, were regularly gone through, even to the baling of the Heidelburgh Tun, or Case. + +While some were occupied with this latter duty, others were employed in dragging away the larger tubs, so soon as filled with the sperm; and when the proper time arrived, this same sperm was carefully manipulated ere going to the try-works, of which anon. + +It had cooled and crystallized to such a degree, that when, with several others, I sat down before a large Constantine’s bath of it, I found it strangely concreted into lumps, here and there rolling about in the liquid part. It was our business to squeeze these lumps back into fluid. A sweet and unctuous duty! No wonder that in old times this sperm was such a favourite cosmetic. Such a clearer! such a sweetener! such a softener! such a delicious molifier! After having my hands in it for only a few minutes, my fingers felt like eels, and began, as it were, to serpentine and spiralise. + +As I sat there at my ease, cross-legged on the deck; after the bitter exertion at the windlass; under a blue tranquil sky; the ship under indolent sail, and gliding so serenely along; as I bathed my hands among those soft, gentle globules of infiltrated tissues, woven almost within the hour; as they richly broke to my fingers, and discharged all their opulence, like fully ripe grapes their wine; as I snuffed up that uncontaminated aroma,—literally and truly, like the smell of spring violets; I declare to you, that for the time I lived as in a musky meadow; I forgot all about our horrible oath; in that inexpressible sperm, I washed my hands and my heart of it; I almost began to credit the old Paracelsan superstition that sperm is of rare virtue in allaying the heat of anger; while bathing in that bath, I felt divinely free from all ill-will, or petulance, or malice, of any sort whatsoever. + +Squeeze! squeeze! squeeze! all the morning long; I squeezed that sperm till I myself almost melted into it; I squeezed that sperm till a strange sort of insanity came over me; and I found myself unwittingly squeezing my co-laborers’ hands in it, mistaking their hands for the gentle globules. Such an abounding, affectionate, friendly, loving feeling did this avocation beget; that at last I was continually squeezing their hands, and looking up into their eyes sentimentally; as much as to say,—Oh! my dear fellow beings, why should we longer cherish any social acerbities, or know the slightest ill-humor or envy! Come; let us squeeze hands all round; nay, let us all squeeze ourselves into each other; let us squeeze ourselves universally into the very milk and sperm of kindness. + +Would that I could keep squeezing that sperm for ever! For now, since by many prolonged, repeated experiences, I have perceived that in all cases man must eventually lower, or at least shift, his conceit of attainable felicity; not placing it anywhere in the intellect or the fancy; but in the wife, the heart, the bed, the table, the saddle, the fireside, the country; now that I have perceived all this, I am ready to squeeze case eternally. In thoughts of the visions of the night, I saw long rows of angels in paradise, each with his hands in a jar of spermaceti. + +Now, while discoursing of sperm, it behooves to speak of other things akin to it, in the business of preparing the sperm whale for the try-works. + +First comes white-horse, so called, which is obtained from the tapering part of the fish, and also from the thicker portions of his flukes. It is tough with congealed tendons—a wad of muscle—but still contains some oil. After being severed from the whale, the white-horse is first cut into portable oblongs ere going to the mincer. They look much like blocks of Berkshire marble. + +Plum-pudding is the term bestowed upon certain fragmentary parts of the whale’s flesh, here and there adhering to the blanket of blubber, and often participating to a considerable degree in its unctuousness. It is a most refreshing, convivial, beautiful object to behold. As its name imports, it is of an exceedingly rich, mottled tint, with a bestreaked snowy and golden ground, dotted with spots of the deepest crimson and purple. It is plums of rubies, in pictures of citron. Spite of reason, it is hard to keep yourself from eating it. I confess, that once I stole behind the foremast to try it. It tasted something as I should conceive a royal cutlet from the thigh of Louis le Gros might have tasted, supposing him to have been killed the first day after the venison season, and that particular venison season contemporary with an unusually fine vintage of the vineyards of Champagne. + +There is another substance, and a very singular one, which turns up in the course of this business, but which I feel it to be very puzzling adequately to describe. It is called slobgollion; an appellation original with the whalemen, and even so is the nature of the substance. It is an ineffably oozy, stringy affair, most frequently found in the tubs of sperm, after a prolonged squeezing, and subsequent decanting. I hold it to be the wondrously thin, ruptured membranes of the case, coalescing. + +Gurry, so called, is a term properly belonging to right whalemen, but sometimes incidentally used by the sperm fishermen. It designates the dark, glutinous substance which is scraped off the back of the Greenland or right whale, and much of which covers the decks of those inferior souls who hunt that ignoble Leviathan. + +Nippers. Strictly this word is not indigenous to the whale’s vocabulary. But as applied by whalemen, it becomes so. A whaleman’s nipper is a short firm strip of tendinous stuff cut from the tapering part of Leviathan’s tail: it averages an inch in thickness, and for the rest, is about the size of the iron part of a hoe. Edgewise moved along the oily deck, it operates like a leathern squilgee; and by nameless blandishments, as of magic, allures along with it all impurities. + +But to learn all about these recondite matters, your best way is at once to descend into the blubber-room, and have a long talk with its inmates. This place has previously been mentioned as the receptacle for the blanket-pieces, when stript and hoisted from the whale. When the proper time arrives for cutting up its contents, this apartment is a scene of terror to all tyros, especially by night. On one side, lit by a dull lantern, a space has been left clear for the workmen. They generally go in pairs,—a pike-and-gaffman and a spade-man. The whaling-pike is similar to a frigate’s boarding-weapon of the same name. The gaff is something like a boat-hook. With his gaff, the gaffman hooks on to a sheet of blubber, and strives to hold it from slipping, as the ship pitches and lurches about. Meanwhile, the spade-man stands on the sheet itself, perpendicularly chopping it into the portable horse-pieces. This spade is sharp as hone can make it; the spademan’s feet are shoeless; the thing he stands on will sometimes irresistibly slide away from him, like a sledge. If he cuts off one of his own toes, or one of his assistants’, would you be very much astonished? Toes are scarce among veteran blubber-room men. + +CHAPTER 95. The Cassock. + +Had you stepped on board the Pequod at a certain juncture of this post-mortemizing of the whale; and had you strolled forward nigh the windlass, pretty sure am I that you would have scanned with no small curiosity a very strange, enigmatical object, which you would have seen there, lying along lengthwise in the lee scuppers. Not the wondrous cistern in the whale’s huge head; not the prodigy of his unhinged lower jaw; not the miracle of his symmetrical tail; none of these would so surprise you, as half a glimpse of that unaccountable cone,—longer than a Kentuckian is tall, nigh a foot in diameter at the base, and jet-black as Yojo, the ebony idol of Queequeg. And an idol, indeed, it is; or, rather, in old times, its likeness was. Such an idol as that found in the secret groves of Queen Maachah in Judea; and for worshipping which, King Asa, her son, did depose her, and destroyed the idol, and burnt it for an abomination at the brook Kedron, as darkly set forth in the 15th chapter of the First Book of Kings. + +Look at the sailor, called the mincer, who now comes along, and assisted by two allies, heavily backs the grandissimus, as the mariners call it, and with bowed shoulders, staggers off with it as if he were a grenadier carrying a dead comrade from the field. Extending it upon the forecastle deck, he now proceeds cylindrically to remove its dark pelt, as an African hunter the pelt of a boa. This done he turns the pelt inside out, like a pantaloon leg; gives it a good stretching, so as almost to double its diameter; and at last hangs it, well spread, in the rigging, to dry. Ere long, it is taken down; when removing some three feet of it, towards the pointed extremity, and then cutting two slits for arm-holes at the other end, he lengthwise slips himself bodily into it. The mincer now stands before you invested in the full canonicals of his calling. Immemorial to all his order, this investiture alone will adequately protect him, while employed in the peculiar functions of his office. + +That office consists in mincing the horse-pieces of blubber for the pots; an operation which is conducted at a curious wooden horse, planted endwise against the bulwarks, and with a capacious tub beneath it, into which the minced pieces drop, fast as the sheets from a rapt orator’s desk. Arrayed in decent black; occupying a conspicuous pulpit; intent on bible leaves; what a candidate for an archbishopric, what a lad for a Pope were this mincer!* + +*Bible leaves! Bible leaves! This is the invariable cry from the mates to the mincer. It enjoins him to be careful, and cut his work into as thin slices as possible, inasmuch as by so doing the business of boiling out the oil is much accelerated, and its quantity considerably increased, besides perhaps improving it in quality. + +CHAPTER 96. The Try-Works. + +Besides her hoisted boats, an American whaler is outwardly distinguished by her try-works. She presents the curious anomaly of the most solid masonry joining with oak and hemp in constituting the completed ship. It is as if from the open field a brick-kiln were transported to her planks. + +The try-works are planted between the foremast and mainmast, the most roomy part of the deck. The timbers beneath are of a peculiar strength, fitted to sustain the weight of an almost solid mass of brick and mortar, some ten feet by eight square, and five in height. The foundation does not penetrate the deck, but the masonry is firmly secured to the surface by ponderous knees of iron bracing it on all sides, and screwing it down to the timbers. On the flanks it is cased with wood, and at top completely covered by a large, sloping, battened hatchway. Removing this hatch we expose the great try-pots, two in number, and each of several barrels’ capacity. When not in use, they are kept remarkably clean. Sometimes they are polished with soapstone and sand, till they shine within like silver punch-bowls. During the night-watches some cynical old sailors will crawl into them and coil themselves away there for a nap. While employed in polishing them—one man in each pot, side by side—many confidential communications are carried on, over the iron lips. It is a place also for profound mathematical meditation. It was in the left hand try-pot of the Pequod, with the soapstone diligently circling round me, that I was first indirectly struck by the remarkable fact, that in geometry all bodies gliding along the cycloid, my soapstone for example, will descend from any point in precisely the same time. + +Removing the fire-board from the front of the try-works, the bare masonry of that side is exposed, penetrated by the two iron mouths of the furnaces, directly underneath the pots. These mouths are fitted with heavy doors of iron. The intense heat of the fire is prevented from communicating itself to the deck, by means of a shallow reservoir extending under the entire inclosed surface of the works. By a tunnel inserted at the rear, this reservoir is kept replenished with water as fast as it evaporates. There are no external chimneys; they open direct from the rear wall. And here let us go back for a moment. + +It was about nine o’clock at night that the Pequod’s try-works were first started on this present voyage. It belonged to Stubb to oversee the business. + +“All ready there? Off hatch, then, and start her. You cook, fire the works.” This was an easy thing, for the carpenter had been thrusting his shavings into the furnace throughout the passage. Here be it said that in a whaling voyage the first fire in the try-works has to be fed for a time with wood. After that no wood is used, except as a means of quick ignition to the staple fuel. In a word, after being tried out, the crisp, shrivelled blubber, now called scraps or fritters, still contains considerable of its unctuous properties. These fritters feed the flames. Like a plethoric burning martyr, or a self-consuming misanthrope, once ignited, the whale supplies his own fuel and burns by his own body. Would that he consumed his own smoke! for his smoke is horrible to inhale, and inhale it you must, and not only that, but you must live in it for the time. It has an unspeakable, wild, Hindoo odor about it, such as may lurk in the vicinity of funereal pyres. It smells like the left wing of the day of judgment; it is an argument for the pit. + +By midnight the works were in full operation. We were clear from the carcase; sail had been made; the wind was freshening; the wild ocean darkness was intense. But that darkness was licked up by the fierce flames, which at intervals forked forth from the sooty flues, and illuminated every lofty rope in the rigging, as with the famed Greek fire. The burning ship drove on, as if remorselessly commissioned to some vengeful deed. So the pitch and sulphur-freighted brigs of the bold Hydriote, Canaris, issuing from their midnight harbors, with broad sheets of flame for sails, bore down upon the Turkish frigates, and folded them in conflagrations. + +The hatch, removed from the top of the works, now afforded a wide hearth in front of them. Standing on this were the Tartarean shapes of the pagan harpooneers, always the whale-ship’s stokers. With huge pronged poles they pitched hissing masses of blubber into the scalding pots, or stirred up the fires beneath, till the snaky flames darted, curling, out of the doors to catch them by the feet. The smoke rolled away in sullen heaps. To every pitch of the ship there was a pitch of the boiling oil, which seemed all eagerness to leap into their faces. Opposite the mouth of the works, on the further side of the wide wooden hearth, was the windlass. This served for a sea-sofa. Here lounged the watch, when not otherwise employed, looking into the red heat of the fire, till their eyes felt scorched in their heads. Their tawny features, now all begrimed with smoke and sweat, their matted beards, and the contrasting barbaric brilliancy of their teeth, all these were strangely revealed in the capricious emblazonings of the works. As they narrated to each other their unholy adventures, their tales of terror told in words of mirth; as their uncivilized laughter forked upwards out of them, like the flames from the furnace; as to and fro, in their front, the harpooneers wildly gesticulated with their huge pronged forks and dippers; as the wind howled on, and the sea leaped, and the ship groaned and dived, and yet steadfastly shot her red hell further and further into the blackness of the sea and the night, and scornfully champed the white bone in her mouth, and viciously spat round her on all sides; then the rushing Pequod, freighted with savages, and laden with fire, and burning a corpse, and plunging into that blackness of darkness, seemed the material counterpart of her monomaniac commander’s soul. + +So seemed it to me, as I stood at her helm, and for long hours silently guided the way of this fire-ship on the sea. Wrapped, for that interval, in darkness myself, I but the better saw the redness, the madness, the ghastliness of others. The continual sight of the fiend shapes before me, capering half in smoke and half in fire, these at last begat kindred visions in my soul, so soon as I began to yield to that unaccountable drowsiness which ever would come over me at a midnight helm. + +But that night, in particular, a strange (and ever since inexplicable) thing occurred to me. Starting from a brief standing sleep, I was horribly conscious of something fatally wrong. The jaw-bone tiller smote my side, which leaned against it; in my ears was the low hum of sails, just beginning to shake in the wind; I thought my eyes were open; I was half conscious of putting my fingers to the lids and mechanically stretching them still further apart. But, spite of all this, I could see no compass before me to steer by; though it seemed but a minute since I had been watching the card, by the steady binnacle lamp illuminating it. Nothing seemed before me but a jet gloom, now and then made ghastly by flashes of redness. Uppermost was the impression, that whatever swift, rushing thing I stood on was not so much bound to any haven ahead as rushing from all havens astern. A stark, bewildered feeling, as of death, came over me. Convulsively my hands grasped the tiller, but with the crazy conceit that the tiller was, somehow, in some enchanted way, inverted. My God! what is the matter with me? thought I. Lo! in my brief sleep I had turned myself about, and was fronting the ship’s stern, with my back to her prow and the compass. In an instant I faced back, just in time to prevent the vessel from flying up into the wind, and very probably capsizing her. How glad and how grateful the relief from this unnatural hallucination of the night, and the fatal contingency of being brought by the lee! + +Look not too long in the face of the fire, O man! Never dream with thy hand on the helm! Turn not thy back to the compass; accept the first hint of the hitching tiller; believe not the artificial fire, when its redness makes all things look ghastly. To-morrow, in the natural sun, the skies will be bright; those who glared like devils in the forking flames, the morn will show in far other, at least gentler, relief; the glorious, golden, glad sun, the only true lamp—all others but liars! + +Nevertheless the sun hides not Virginia’s Dismal Swamp, nor Rome’s accursed Campagna, nor wide Sahara, nor all the millions of miles of deserts and of griefs beneath the moon. The sun hides not the ocean, which is the dark side of this earth, and which is two thirds of this earth. So, therefore, that mortal man who hath more of joy than sorrow in him, that mortal man cannot be true—not true, or undeveloped. With books the same. The truest of all men was the Man of Sorrows, and the truest of all books is Solomon’s, and Ecclesiastes is the fine hammered steel of woe. “All is vanity.” ALL. This wilful world hath not got hold of unchristian Solomon’s wisdom yet. But he who dodges hospitals and jails, and walks fast crossing graveyards, and would rather talk of operas than hell; calls Cowper, Young, Pascal, Rousseau, poor devils all of sick men; and throughout a care-free lifetime swears by Rabelais as passing wise, and therefore jolly;—not that man is fitted to sit down on tomb-stones, and break the green damp mould with unfathomably wondrous Solomon. + +But even Solomon, he says, “the man that wandereth out of the way of understanding shall remain” (I.E., even while living) “in the congregation of the dead.” Give not thyself up, then, to fire, lest it invert thee, deaden thee; as for the time it did me. There is a wisdom that is woe; but there is a woe that is madness. And there is a Catskill eagle in some souls that can alike dive down into the blackest gorges, and soar out of them again and become invisible in the sunny spaces. And even if he for ever flies within the gorge, that gorge is in the mountains; so that even in his lowest swoop the mountain eagle is still higher than other birds upon the plain, even though they soar. + +CHAPTER 97. The Lamp. + +Had you descended from the Pequod’s try-works to the Pequod’s forecastle, where the off duty watch were sleeping, for one single moment you would have almost thought you were standing in some illuminated shrine of canonized kings and counsellors. There they lay in their triangular oaken vaults, each mariner a chiselled muteness; a score of lamps flashing upon his hooded eyes. + +In merchantmen, oil for the sailor is more scarce than the milk of queens. To dress in the dark, and eat in the dark, and stumble in darkness to his pallet, this is his usual lot. But the whaleman, as he seeks the food of light, so he lives in light. He makes his berth an Aladdin’s lamp, and lays him down in it; so that in the pitchiest night the ship’s black hull still houses an illumination. + +See with what entire freedom the whaleman takes his handful of lamps—often but old bottles and vials, though—to the copper cooler at the try-works, and replenishes them there, as mugs of ale at a vat. He burns, too, the purest of oil, in its unmanufactured, and, therefore, unvitiated state; a fluid unknown to solar, lunar, or astral contrivances ashore. It is sweet as early grass butter in April. He goes and hunts for his oil, so as to be sure of its freshness and genuineness, even as the traveller on the prairie hunts up his own supper of game. + +CHAPTER 98. Stowing Down and Clearing Up. + +Already has it been related how the great leviathan is afar off descried from the mast-head; how he is chased over the watery moors, and slaughtered in the valleys of the deep; how he is then towed alongside and beheaded; and how (on the principle which entitled the headsman of old to the garments in which the beheaded was killed) his great padded surtout becomes the property of his executioner; how, in due time, he is condemned to the pots, and, like Shadrach, Meshach, and Abednego, his spermaceti, oil, and bone pass unscathed through the fire;—but now it remains to conclude the last chapter of this part of the description by rehearsing—singing, if I may—the romantic proceeding of decanting off his oil into the casks and striking them down into the hold, where once again leviathan returns to his native profundities, sliding along beneath the surface as before; but, alas! never more to rise and blow. + +While still warm, the oil, like hot punch, is received into the six-barrel casks; and while, perhaps, the ship is pitching and rolling this way and that in the midnight sea, the enormous casks are slewed round and headed over, end for end, and sometimes perilously scoot across the slippery deck, like so many land slides, till at last man-handled and stayed in their course; and all round the hoops, rap, rap, go as many hammers as can play upon them, for now, EX OFFICIO, every sailor is a cooper. + +At length, when the last pint is casked, and all is cool, then the great hatchways are unsealed, the bowels of the ship are thrown open, and down go the casks to their final rest in the sea. This done, the hatches are replaced, and hermetically closed, like a closet walled up. + +Oh! my friends, but this is man-killing! Yet this is life. For hardly have we mortals by long toilings extracted from this world’s vast bulk its small but valuable sperm; and then, with weary patience, cleansed ourselves from its defilements, and learned to live here in clean tabernacles of the soul; hardly is this done, when- There she blows!- the ghost is spouted up, and away we sail to fight some other world, and go through young life’s old routine again. +In the sperm fishery, this is perhaps one of the most remarkable incidents in all the business of whaling. One day the planks stream with freshets of blood and oil; on the sacred quarter-deck enormous masses of the whale’s head are profanely piled; great rusty casks lie about, as in a brewery yard; the smoke from the try-works has besooted all the bulwarks; the mariners go about suffused with unctuousness; the entire ship seems great leviathan himself; while on all hands the din is deafening. + +But a day or two after, you look about you, and prick your ears in this self-same ship; and were it not for the tell-tale boats and try-works, you would all but swear you trod some silent merchant vessel, with a most scrupulously neat commander. The unmanufactured sperm oil possesses a singularly cleansing virtue. This is the reason why the decks never look so white as just after what they call an affair of oil. Besides, from the ashes of the burned scraps of the whale, a potent lye is readily made; and whenever any adhesiveness from the back of the whale remains clinging to the side, that lye quickly exterminates it. Hands go diligently along the bulwarks, and with buckets of water and rags restore them to their full tidiness. The soot is brushed from the lower rigging. All the numerous implements which have been in use are likewise faithfully cleansed and put away. The great hatch is scrubbed and placed upon the try-works, completely hiding the pots; every cask is out of sight; all tackles are coiled in unseen nooks; and when by the combined and simultaneous industry of almost the entire ship’s company, the whole of this conscientious duty is at last concluded, then the crew themselves proceed to their own ablutions; shift themselves from top to toe; and finally issue to the immaculate deck, fresh and all aglow, as bridegrooms new-leaped from out the daintiest Holland. + +Now, with elated step, they pace the planks in twos and threes, and humorously discourse of parlors, sofas, carpets, and fine cambrics; propose to mat the deck; think of having hanging to the top; object not to taking tea by moonlight on the piazza of the forecastle. To hint to such musked mariners of oil, and bone, and blubber, were little short of audacity. They know not the thing you distantly allude to. Away, and bring us napkins! + +But mark: aloft there, at the three mast heads, stand three men intent on spying out more whales, which, if caught, infallibly will again soil the old oaken furniture, and drop at least one small grease-spot somewhere. Yes; and many is the time, when, after the severest uninterrupted labors, which know no night; continuing straight through for ninety-six hours; when from the boat, where they have swelled their wrists with all day rowing on the Line,—they only step to the deck to carry vast chains, and heave the heavy windlass, and cut and slash, yea, and in their very sweatings to be smoked and burned anew by the combined fires of the equatorial sun and the equatorial try-works; when, on the heel of all this, they have finally bestirred themselves to cleanse the ship, and make a spotless dairy room of it; many is the time the poor fellows, just buttoning the necks of their clean frocks, are startled by the cry of “There she blows!” and away they fly to fight another whale, and go through the whole weary thing again. Oh! my friends, but this is man-killing! Yet this is life. For hardly have we mortals by long toilings extracted from this world’s vast bulk its small but valuable sperm; and then, with weary patience, cleansed ourselves from its defilements, and learned to live here in clean tabernacles of the soul; hardly is this done, when—THERE SHE BLOWS!—the ghost is spouted up, and away we sail to fight some other world, and go through young life’s old routine again. + +Oh! the metempsychosis! Oh! Pythagoras, that in bright Greece, two thousand years ago, did die, so good, so wise, so mild; I sailed with thee along the Peruvian coast last voyage—and, foolish as I am, taught thee, a green simple boy, how to splice a rope! + +CHAPTER 99. The Doubloon. + +Ere now it has been related how Ahab was wont to pace his quarter-deck, taking regular turns at either limit, the binnacle and mainmast; but in the multiplicity of other things requiring narration it has not been added how that sometimes in these walks, when most plunged in his mood, he was wont to pause in turn at each spot, and stand there strangely eyeing the particular object before him. When he halted before the binnacle, with his glance fastened on the pointed needle in the compass, that glance shot like a javelin with the pointed intensity of his purpose; and when resuming his walk he again paused before the mainmast, then, as the same riveted glance fastened upon the riveted gold coin there, he still wore the same aspect of nailed firmness, only dashed with a certain wild longing, if not hopefulness. + +But one morning, turning to pass the doubloon, he seemed to be newly attracted by the strange figures and inscriptions stamped on it, as though now for the first time beginning to interpret for himself in some monomaniac way whatever significance might lurk in them. And some certain significance lurks in all things, else all things are little worth, and the round world itself but an empty cipher, except to sell by the cartload, as they do hills about Boston, to fill up some morass in the Milky Way. + +Now this doubloon was of purest, virgin gold, raked somewhere out of the heart of gorgeous hills, whence, east and west, over golden sands, the head-waters of many a Pactolus flows. And though now nailed amidst all the rustiness of iron bolts and the verdigris of copper spikes, yet, untouchable and immaculate to any foulness, it still preserved its Quito glow. Nor, though placed amongst a ruthless crew and every hour passed by ruthless hands, and through the livelong nights shrouded with thick darkness which might cover any pilfering approach, nevertheless every sunrise found the doubloon where the sunset left it last. For it was set apart and sanctified to one awe-striking end; and however wanton in their sailor ways, one and all, the mariners revered it as the white whale’s talisman. Sometimes they talked it over in the weary watch by night, wondering whose it was to be at last, and whether he would ever live to spend it. + +Now those noble golden coins of South America are as medals of the sun and tropic token-pieces. Here palms, alpacas, and volcanoes; sun’s disks and stars; ecliptics, horns-of-plenty, and rich banners waving, are in luxuriant profusion stamped; so that the precious gold seems almost to derive an added preciousness and enhancing glories, by passing through those fancy mints, so Spanishly poetic. + +It so chanced that the doubloon of the Pequod was a most wealthy example of these things. On its round border it bore the letters, REPUBLICA DEL ECUADOR: QUITO. So this bright coin came from a country planted in the middle of the world, and beneath the great equator, and named after it; and it had been cast midway up the Andes, in the unwaning clime that knows no autumn. Zoned by those letters you saw the likeness of three Andes’ summits; from one a flame; a tower on another; on the third a crowing cock; while arching over all was a segment of the partitioned zodiac, the signs all marked with their usual cabalistics, and the keystone sun entering the equinoctial point at Libra. + +Before this equatorial coin, Ahab, not unobserved by others, was now pausing. + +“There’s something ever egotistical in mountain-tops and towers, and all other grand and lofty things; look here,—three peaks as proud as Lucifer. The firm tower, that is Ahab; the volcano, that is Ahab; the courageous, the undaunted, and victorious fowl, that, too, is Ahab; all are Ahab; and this round gold is but the image of the rounder globe, which, like a magician’s glass, to each and every man in turn but mirrors back his own mysterious self. Great pains, small gains for those who ask the world to solve them; it cannot solve itself. Methinks now this coined sun wears a ruddy face; but see! aye, he enters the sign of storms, the equinox! and but six months before he wheeled out of a former equinox at Aries! From storm to storm! So be it, then. Born in throes, ‘t is fit that man should live in pains and die in pangs! So be it, then! Here’s stout stuff for woe to work on. So be it, then.” + +“No fairy fingers can have pressed the gold, but devil’s claws must have left their mouldings there since yesterday,” murmured Starbuck to himself, leaning against the bulwarks. “The old man seems to read Belshazzar’s awful writing. I have never marked the coin inspectingly. He goes below; let me read. A dark valley between three mighty, heaven-abiding peaks, that almost seem the Trinity, in some faint earthly symbol. So in this vale of Death, God girds us round; and over all our gloom, the sun of Righteousness still shines a beacon and a hope. If we bend down our eyes, the dark vale shows her mouldy soil; but if we lift them, the bright sun meets our glance half way, to cheer. Yet, oh, the great sun is no fixture; and if, at midnight, we would fain snatch some sweet solace from him, we gaze for him in vain! This coin speaks wisely, mildly, truly, but still sadly to me. I will quit it, lest Truth shake me falsely.” + +“There now’s the old Mogul,” soliloquized Stubb by the try-works, “he’s been twigging it; and there goes Starbuck from the same, and both with faces which I should say might be somewhere within nine fathoms long. And all from looking at a piece of gold, which did I have it now on Negro Hill or in Corlaer’s Hook, I’d not look at it very long ere spending it. Humph! in my poor, insignificant opinion, I regard this as queer. I have seen doubloons before now in my voyagings; your doubloons of old Spain, your doubloons of Peru, your doubloons of Chili, your doubloons of Bolivia, your doubloons of Popayan; with plenty of gold moidores and pistoles, and joes, and half joes, and quarter joes. What then should there be in this doubloon of the Equator that is so killing wonderful? By Golconda! let me read it once. Halloa! here’s signs and wonders truly! That, now, is what old Bowditch in his Epitome calls the zodiac, and what my almanac below calls ditto. I’ll get the almanac and as I have heard devils can be raised with Daboll’s arithmetic, I’ll try my hand at raising a meaning out of these queer curvicues here with the Massachusetts calendar. Here’s the book. Let’s see now. Signs and wonders; and the sun, he’s always among ‘em. Hem, hem, hem; here they are—here they go—all alive:—Aries, or the Ram; Taurus, or the Bull and Jimimi! here’s Gemini himself, or the Twins. Well; the sun he wheels among ‘em. Aye, here on the coin he’s just crossing the threshold between two of twelve sitting-rooms all in a ring. Book! you lie there; the fact is, you books must know your places. You’ll do to give us the bare words and facts, but we come in to supply the thoughts. That’s my small experience, so far as the Massachusetts calendar, and Bowditch’s navigator, and Daboll’s arithmetic go. Signs and wonders, eh? Pity if there is nothing wonderful in signs, and significant in wonders! There’s a clue somewhere; wait a bit; hist—hark! By Jove, I have it! Look you, Doubloon, your zodiac here is the life of man in one round chapter; and now I’ll read it off, straight out of the book. Come, Almanack! To begin: there’s Aries, or the Ram—lecherous dog, he begets us; then, Taurus, or the Bull—he bumps us the first thing; then Gemini, or the Twins—that is, Virtue and Vice; we try to reach Virtue, when lo! comes Cancer the Crab, and drags us back; and here, going from Virtue, Leo, a roaring Lion, lies in the path—he gives a few fierce bites and surly dabs with his paw; we escape, and hail Virgo, the Virgin! that’s our first love; we marry and think to be happy for aye, when pop comes Libra, or the Scales—happiness weighed and found wanting; and while we are very sad about that, Lord! how we suddenly jump, as Scorpio, or the Scorpion, stings us in the rear; we are curing the wound, when whang come the arrows all round; Sagittarius, or the Archer, is amusing himself. As we pluck out the shafts, stand aside! here’s the battering-ram, Capricornus, or the Goat; full tilt, he comes rushing, and headlong we are tossed; when Aquarius, or the Water-bearer, pours out his whole deluge and drowns us; and to wind up with Pisces, or the Fishes, we sleep. There’s a sermon now, writ in high heaven, and the sun goes through it every year, and yet comes out of it all alive and hearty. Jollily he, aloft there, wheels through toil and trouble; and so, alow here, does jolly Stubb. Oh, jolly’s the word for aye! Adieu, Doubloon! But stop; here comes little King-Post; dodge round the try-works, now, and let’s hear what he’ll have to say. There; he’s before it; he’ll out with something presently. So, so; he’s beginning.” + +“I see nothing here, but a round thing made of gold, and whoever raises a certain whale, this round thing belongs to him. So, what’s all this staring been about? It is worth sixteen dollars, that’s true; and at two cents the cigar, that’s nine hundred and sixty cigars. I won’t smoke dirty pipes like Stubb, but I like cigars, and here’s nine hundred and sixty of them; so here goes Flask aloft to spy ‘em out.” + +“Shall I call that wise or foolish, now; if it be really wise it has a foolish look to it; yet, if it be really foolish, then has it a sort of wiseish look to it. But, avast; here comes our old Manxman—the old hearse-driver, he must have been, that is, before he took to the sea. He luffs up before the doubloon; halloa, and goes round on the other side of the mast; why, there’s a horse-shoe nailed on that side; and now he’s back again; what does that mean? Hark! he’s muttering—voice like an old worn-out coffee-mill. Prick ears, and listen!” + +“If the White Whale be raised, it must be in a month and a day, when the sun stands in some one of these signs. I’ve studied signs, and know their marks; they were taught me two score years ago, by the old witch in Copenhagen. Now, in what sign will the sun then be? The horse-shoe sign; for there it is, right opposite the gold. And what’s the horse-shoe sign? The lion is the horse-shoe sign—the roaring and devouring lion. Ship, old ship! my old head shakes to think of thee.” + +“There’s another rendering now; but still one text. All sorts of men in one kind of world, you see. Dodge again! here comes Queequeg—all tattooing—looks like the signs of the Zodiac himself. What says the Cannibal? As I live he’s comparing notes; looking at his thigh bone; thinks the sun is in the thigh, or in the calf, or in the bowels, I suppose, as the old women talk Surgeon’s Astronomy in the back country. And by Jove, he’s found something there in the vicinity of his thigh—I guess it’s Sagittarius, or the Archer. No: he don’t know what to make of the doubloon; he takes it for an old button off some king’s trowsers. But, aside again! here comes that ghost-devil, Fedallah; tail coiled out of sight as usual, oakum in the toes of his pumps as usual. What does he say, with that look of his? Ah, only makes a sign to the sign and bows himself; there is a sun on the coin—fire worshipper, depend upon it. Ho! more and more. This way comes Pip—poor boy! would he had died, or I; he’s half horrible to me. He too has been watching all of these interpreters—myself included—and look now, he comes to read, with that unearthly idiot face. Stand away again and hear him. Hark!” + +“I look, you look, he looks; we look, ye look, they look.” + +“Upon my soul, he’s been studying Murray’s Grammar! Improving his mind, poor fellow! But what’s that he says now—hist!” + +“I look, you look, he looks; we look, ye look, they look.” + +“Why, he’s getting it by heart—hist! again.” + +“I look, you look, he looks; we look, ye look, they look.” + +“Well, that’s funny.” + +“And I, you, and he; and we, ye, and they, are all bats; and I’m a crow, especially when I stand a’top of this pine tree here. Caw! caw! caw! caw! caw! caw! Ain’t I a crow? And where’s the scare-crow? There he stands; two bones stuck into a pair of old trowsers, and two more poked into the sleeves of an old jacket.” + +“Wonder if he means me?—complimentary!—poor lad!—I could go hang myself. Any way, for the present, I’ll quit Pip’s vicinity. I can stand the rest, for they have plain wits; but he’s too crazy-witty for my sanity. So, so, I leave him muttering.” + +“Here’s the ship’s navel, this doubloon here, and they are all on fire to unscrew it. But, unscrew your navel, and what’s the consequence? Then again, if it stays here, that is ugly, too, for when aught’s nailed to the mast it’s a sign that things grow desperate. Ha, ha! old Ahab! the White Whale; he’ll nail ye! This is a pine tree. My father, in old Tolland county, cut down a pine tree once, and found a silver ring grown over in it; some old darkey’s wedding ring. How did it get there? And so they’ll say in the resurrection, when they come to fish up this old mast, and find a doubloon lodged in it, with bedded oysters for the shaggy bark. Oh, the gold! the precious, precious, gold! the green miser’ll hoard ye soon! Hish! hish! God goes ‘mong the worlds blackberrying. Cook! ho, cook! and cook us! Jenny! hey, hey, hey, hey, hey, Jenny, Jenny! and get your hoe-cake done!” + +CHAPTER 100. Leg and Arm. The Pequod, of Nantucket, Meets the Samuel Enderby, of London. + +“Ship, ahoy! Hast seen the White Whale?” + +So cried Ahab, once more hailing a ship showing English colours, bearing down under the stern. Trumpet to mouth, the old man was standing in his hoisted quarter-boat, his ivory leg plainly revealed to the stranger captain, who was carelessly reclining in his own boat’s bow. He was a darkly-tanned, burly, good-natured, fine-looking man, of sixty or thereabouts, dressed in a spacious roundabout, that hung round him in festoons of blue pilot-cloth; and one empty arm of this jacket streamed behind him like the broidered arm of a hussar’s surcoat. + +“Hast seen the White Whale!” + +“See you this?” and withdrawing it from the folds that had hidden it, he held up a white arm of sperm whale bone, terminating in a wooden head like a mallet. + +“Man my boat!” cried Ahab, impetuously, and tossing about the oars near him—”Stand by to lower!” + +In less than a minute, without quitting his little craft, he and his crew were dropped to the water, and were soon alongside of the stranger. But here a curious difficulty presented itself. In the excitement of the moment, Ahab had forgotten that since the loss of his leg he had never once stepped on board of any vessel at sea but his own, and then it was always by an ingenious and very handy mechanical contrivance peculiar to the Pequod, and a thing not to be rigged and shipped in any other vessel at a moment’s warning. Now, it is no very easy matter for anybody—except those who are almost hourly used to it, like whalemen—to clamber up a ship’s side from a boat on the open sea; for the great swells now lift the boat high up towards the bulwarks, and then instantaneously drop it half way down to the kelson. So, deprived of one leg, and the strange ship of course being altogether unsupplied with the kindly invention, Ahab now found himself abjectly reduced to a clumsy landsman again; hopelessly eyeing the uncertain changeful height he could hardly hope to attain. + +It has before been hinted, perhaps, that every little untoward circumstance that befell him, and which indirectly sprang from his luckless mishap, almost invariably irritated or exasperated Ahab. And in the present instance, all this was heightened by the sight of the two officers of the strange ship, leaning over the side, by the perpendicular ladder of nailed cleets there, and swinging towards him a pair of tastefully-ornamented man-ropes; for at first they did not seem to bethink them that a one-legged man must be too much of a cripple to use their sea bannisters. But this awkwardness only lasted a minute, because the strange captain, observing at a glance how affairs stood, cried out, “I see, I see!—avast heaving there! Jump, boys, and swing over the cutting-tackle.” + +As good luck would have it, they had had a whale alongside a day or two previous, and the great tackles were still aloft, and the massive curved blubber-hook, now clean and dry, was still attached to the end. This was quickly lowered to Ahab, who at once comprehending it all, slid his solitary thigh into the curve of the hook (it was like sitting in the fluke of an anchor, or the crotch of an apple tree), and then giving the word, held himself fast, and at the same time also helped to hoist his own weight, by pulling hand-over-hand upon one of the running parts of the tackle. Soon he was carefully swung inside the high bulwarks, and gently landed upon the capstan head. With his ivory arm frankly thrust forth in welcome, the other captain advanced, and Ahab, putting out his ivory leg, and crossing the ivory arm (like two sword-fish blades) cried out in his walrus way, “Aye, aye, hearty! let us shake bones together!—an arm and a leg!—an arm that never can shrink, d’ye see; and a leg that never can run. Where did’st thou see the White Whale?—how long ago?” + +“The White Whale,” said the Englishman, pointing his ivory arm towards the East, and taking a rueful sight along it, as if it had been a telescope; “there I saw him, on the Line, last season.” + +“And he took that arm off, did he?” asked Ahab, now sliding down from the capstan, and resting on the Englishman’s shoulder, as he did so. + +“Aye, he was the cause of it, at least; and that leg, too?” + +“Spin me the yarn,” said Ahab; “how was it?” + +“It was the first time in my life that I ever cruised on the Line,” began the Englishman. “I was ignorant of the White Whale at that time. Well, one day we lowered for a pod of four or five whales, and my boat fastened to one of them; a regular circus horse he was, too, that went milling and milling round so, that my boat’s crew could only trim dish, by sitting all their sterns on the outer gunwale. Presently up breaches from the bottom of the sea a bouncing great whale, with a milky-white head and hump, all crows’ feet and wrinkles.” + +“It was he, it was he!” cried Ahab, suddenly letting out his suspended breath. + +“And harpoons sticking in near his starboard fin.” + +“Aye, aye—they were mine—MY irons,” cried Ahab, exultingly—”but on!” + +“Give me a chance, then,” said the Englishman, good-humoredly. “Well, this old great-grandfather, with the white head and hump, runs all afoam into the pod, and goes to snapping furiously at my fast-line! + +“Aye, I see!—wanted to part it; free the fast-fish—an old trick—I know him.” + +“How it was exactly,” continued the one-armed commander, “I do not know; but in biting the line, it got foul of his teeth, caught there somehow; but we didn’t know it then; so that when we afterwards pulled on the line, bounce we came plump on to his hump! instead of the other whale’s; that went off to windward, all fluking. Seeing how matters stood, and what a noble great whale it was—the noblest and biggest I ever saw, sir, in my life—I resolved to capture him, spite of the boiling rage he seemed to be in. And thinking the hap-hazard line would get loose, or the tooth it was tangled to might draw (for I have a devil of a boat’s crew for a pull on a whale-line); seeing all this, I say, I jumped into my first mate’s boat—Mr. Mounttop’s here (by the way, Captain—Mounttop; Mounttop—the captain);—as I was saying, I jumped into Mounttop’s boat, which, d’ye see, was gunwale and gunwale with mine, then; and snatching the first harpoon, let this old great-grandfather have it. But, Lord, look you, sir—hearts and souls alive, man—the next instant, in a jiff, I was blind as a bat—both eyes out—all befogged and bedeadened with black foam—the whale’s tail looming straight up out of it, perpendicular in the air, like a marble steeple. No use sterning all, then; but as I was groping at midday, with a blinding sun, all crown-jewels; as I was groping, I say, after the second iron, to toss it overboard—down comes the tail like a Lima tower, cutting my boat in two, leaving each half in splinters; and, flukes first, the white hump backed through the wreck, as though it was all chips. We all struck out. To escape his terrible flailings, I seized hold of my harpoon-pole sticking in him, and for a moment clung to that like a sucking fish. But a combing sea dashed me off, and at the same instant, the fish, taking one good dart forwards, went down like a flash; and the barb of that cursed second iron towing along near me caught me here” (clapping his hand just below his shoulder); “yes, caught me just here, I say, and bore me down to Hell’s flames, I was thinking; when, when, all of a sudden, thank the good God, the barb ript its way along the flesh—clear along the whole length of my arm—came out nigh my wrist, and up I floated;—and that gentleman there will tell you the rest (by the way, captain—Dr. Bunger, ship’s surgeon: Bunger, my lad,—the captain). Now, Bunger boy, spin your part of the yarn.” + +The professional gentleman thus familiarly pointed out, had been all the time standing near them, with nothing specific visible, to denote his gentlemanly rank on board. His face was an exceedingly round but sober one; he was dressed in a faded blue woollen frock or shirt, and patched trowsers; and had thus far been dividing his attention between a marlingspike he held in one hand, and a pill-box held in the other, occasionally casting a critical glance at the ivory limbs of the two crippled captains. But, at his superior’s introduction of him to Ahab, he politely bowed, and straightway went on to do his captain’s bidding. + +“It was a shocking bad wound,” began the whale-surgeon; “and, taking my advice, Captain Boomer here, stood our old Sammy—” + +“Samuel Enderby is the name of my ship,” interrupted the one-armed captain, addressing Ahab; “go on, boy.” + +“Stood our old Sammy off to the northward, to get out of the blazing hot weather there on the Line. But it was no use—I did all I could; sat up with him nights; was very severe with him in the matter of diet—” + +“Oh, very severe!” chimed in the patient himself; then suddenly altering his voice, “Drinking hot rum toddies with me every night, till he couldn’t see to put on the bandages; and sending me to bed, half seas over, about three o’clock in the morning. Oh, ye stars! he sat up with me indeed, and was very severe in my diet. Oh! a great watcher, and very dietetically severe, is Dr. Bunger. (Bunger, you dog, laugh out! why don’t ye? You know you’re a precious jolly rascal.) But, heave ahead, boy, I’d rather be killed by you than kept alive by any other man.” + +“My captain, you must have ere this perceived, respected sir”—said the imperturbable godly-looking Bunger, slightly bowing to Ahab—”is apt to be facetious at times; he spins us many clever things of that sort. But I may as well say—en passant, as the French remark—that I myself—that is to say, Jack Bunger, late of the reverend clergy—am a strict total abstinence man; I never drink—” + +“Water!” cried the captain; “he never drinks it; it’s a sort of fits to him; fresh water throws him into the hydrophobia; but go on—go on with the arm story.” + +“Yes, I may as well,” said the surgeon, coolly. “I was about observing, sir, before Captain Boomer’s facetious interruption, that spite of my best and severest endeavors, the wound kept getting worse and worse; the truth was, sir, it was as ugly gaping wound as surgeon ever saw; more than two feet and several inches long. I measured it with the lead line. In short, it grew black; I knew what was threatened, and off it came. But I had no hand in shipping that ivory arm there; that thing is against all rule”—pointing at it with the marlingspike—”that is the captain’s work, not mine; he ordered the carpenter to make it; he had that club-hammer there put to the end, to knock some one’s brains out with, I suppose, as he tried mine once. He flies into diabolical passions sometimes. Do ye see this dent, sir”—removing his hat, and brushing aside his hair, and exposing a bowl-like cavity in his skull, but which bore not the slightest scarry trace, or any token of ever having been a wound—”Well, the captain there will tell you how that came here; he knows.” + +“No, I don’t,” said the captain, “but his mother did; he was born with it. Oh, you solemn rogue, you—you Bunger! was there ever such another Bunger in the watery world? Bunger, when you die, you ought to die in pickle, you dog; you should be preserved to future ages, you rascal.” + +“What became of the White Whale?” now cried Ahab, who thus far had been impatiently listening to this by-play between the two Englishmen. + +“Oh!” cried the one-armed captain, “oh, yes! Well; after he sounded, we didn’t see him again for some time; in fact, as I before hinted, I didn’t then know what whale it was that had served me such a trick, till some time afterwards, when coming back to the Line, we heard about Moby Dick—as some call him—and then I knew it was he.” + +“Did’st thou cross his wake again?” + +“Twice.” + +“But could not fasten?” + +“Didn’t want to try to: ain’t one limb enough? What should I do without this other arm? And I’m thinking Moby Dick doesn’t bite so much as he swallows.” + +“Well, then,” interrupted Bunger, “give him your left arm for bait to get the right. Do you know, gentlemen”—very gravely and mathematically bowing to each Captain in succession—”Do you know, gentlemen, that the digestive organs of the whale are so inscrutably constructed by Divine Providence, that it is quite impossible for him to completely digest even a man’s arm? And he knows it too. So that what you take for the White Whale’s malice is only his awkwardness. For he never means to swallow a single limb; he only thinks to terrify by feints. But sometimes he is like the old juggling fellow, formerly a patient of mine in Ceylon, that making believe swallow jack-knives, once upon a time let one drop into him in good earnest, and there it stayed for a twelvemonth or more; when I gave him an emetic, and he heaved it up in small tacks, d’ye see. No possible way for him to digest that jack-knife, and fully incorporate it into his general bodily system. Yes, Captain Boomer, if you are quick enough about it, and have a mind to pawn one arm for the sake of the privilege of giving decent burial to the other, why in that case the arm is yours; only let the whale have another chance at you shortly, that’s all.” + +“No, thank ye, Bunger,” said the English Captain, “he’s welcome to the arm he has, since I can’t help it, and didn’t know him then; but not to another one. No more White Whales for me; I’ve lowered for him once, and that has satisfied me. There would be great glory in killing him, I know that; and there is a ship-load of precious sperm in him, but, hark ye, he’s best let alone; don’t you think so, Captain?”—glancing at the ivory leg. + +“He is. But he will still be hunted, for all that. What is best let alone, that accursed thing is not always what least allures. He’s all a magnet! How long since thou saw’st him last? Which way heading?” + +“Bless my soul, and curse the foul fiend’s,” cried Bunger, stoopingly walking round Ahab, and like a dog, strangely snuffing; “this man’s blood—bring the thermometer!—it’s at the boiling point!—his pulse makes these planks beat!—sir!”—taking a lancet from his pocket, and drawing near to Ahab’s arm. + +“Avast!” roared Ahab, dashing him against the bulwarks—”Man the boat! Which way heading?” + +“Good God!” cried the English Captain, to whom the question was put. “What’s the matter? He was heading east, I think.—Is your Captain crazy?” whispering Fedallah. + +But Fedallah, putting a finger on his lip, slid over the bulwarks to take the boat’s steering oar, and Ahab, swinging the cutting-tackle towards him, commanded the ship’s sailors to stand by to lower. + +In a moment he was standing in the boat’s stern, and the Manilla men were springing to their oars. In vain the English Captain hailed him. With back to the stranger ship, and face set like a flint to his own, Ahab stood upright till alongside of the Pequod. + +CHAPTER 101. The Decanter. + +Ere the English ship fades from sight, be it set down here, that she hailed from London, and was named after the late Samuel Enderby, merchant of that city, the original of the famous whaling house of Enderby & Sons; a house which in my poor whaleman’s opinion, comes not far behind the united royal houses of the Tudors and Bourbons, in point of real historical interest. How long, prior to the year of our Lord 1775, this great whaling house was in existence, my numerous fish-documents do not make plain; but in that year (1775) it fitted out the first English ships that ever regularly hunted the Sperm Whale; though for some score of years previous (ever since 1726) our valiant Coffins and Maceys of Nantucket and the Vineyard had in large fleets pursued that Leviathan, but only in the North and South Atlantic: not elsewhere. Be it distinctly recorded here, that the Nantucketers were the first among mankind to harpoon with civilized steel the great Sperm Whale; and that for half a century they were the only people of the whole globe who so harpooned him. + +In 1778, a fine ship, the Amelia, fitted out for the express purpose, and at the sole charge of the vigorous Enderbys, boldly rounded Cape Horn, and was the first among the nations to lower a whale-boat of any sort in the great South Sea. The voyage was a skilful and lucky one; and returning to her berth with her hold full of the precious sperm, the Amelia’s example was soon followed by other ships, English and American, and thus the vast Sperm Whale grounds of the Pacific were thrown open. But not content with this good deed, the indefatigable house again bestirred itself: Samuel and all his Sons—how many, their mother only knows—and under their immediate auspices, and partly, I think, at their expense, the British government was induced to send the sloop-of-war Rattler on a whaling voyage of discovery into the South Sea. Commanded by a naval Post-Captain, the Rattler made a rattling voyage of it, and did some service; how much does not appear. But this is not all. In 1819, the same house fitted out a discovery whale ship of their own, to go on a tasting cruise to the remote waters of Japan. That ship—well called the “Syren”—made a noble experimental cruise; and it was thus that the great Japanese Whaling Ground first became generally known. The Syren in this famous voyage was commanded by a Captain Coffin, a Nantucketer. + +All honour to the Enderbies, therefore, whose house, I think, exists to the present day; though doubtless the original Samuel must long ago have slipped his cable for the great South Sea of the other world. + +The ship named after him was worthy of the honour, being a very fast sailer and a noble craft every way. I boarded her once at midnight somewhere off the Patagonian coast, and drank good flip down in the forecastle. It was a fine gam we had, and they were all trumps—every soul on board. A short life to them, and a jolly death. And that fine gam I had—long, very long after old Ahab touched her planks with his ivory heel—it minds me of the noble, solid, Saxon hospitality of that ship; and may my parson forget me, and the devil remember me, if I ever lose sight of it. Flip? Did I say we had flip? Yes, and we flipped it at the rate of ten gallons the hour; and when the squall came (for it’s squally off there by Patagonia), and all hands—visitors and all—were called to reef topsails, we were so top-heavy that we had to swing each other aloft in bowlines; and we ignorantly furled the skirts of our jackets into the sails, so that we hung there, reefed fast in the howling gale, a warning example to all drunken tars. However, the masts did not go overboard; and by and by we scrambled down, so sober, that we had to pass the flip again, though the savage salt spray bursting down the forecastle scuttle, rather too much diluted and pickled it to my taste. + +The beef was fine—tough, but with body in it. They said it was bull-beef; others, that it was dromedary beef; but I do not know, for certain, how that was. They had dumplings too; small, but substantial, symmetrically globular, and indestructible dumplings. I fancied that you could feel them, and roll them about in you after they were swallowed. If you stooped over too far forward, you risked their pitching out of you like billiard-balls. The bread—but that couldn’t be helped; besides, it was an anti-scorbutic; in short, the bread contained the only fresh fare they had. But the forecastle was not very light, and it was very easy to step over into a dark corner when you ate it. But all in all, taking her from truck to helm, considering the dimensions of the cook’s boilers, including his own live parchment boilers; fore and aft, I say, the Samuel Enderby was a jolly ship; of good fare and plenty; fine flip and strong; crack fellows all, and capital from boot heels to hat-band. + +But why was it, think ye, that the Samuel Enderby, and some other English whalers I know of—not all though—were such famous, hospitable ships; that passed round the beef, and the bread, and the can, and the joke; and were not soon weary of eating, and drinking, and laughing? I will tell you. The abounding good cheer of these English whalers is matter for historical research. Nor have I been at all sparing of historical whale research, when it has seemed needed. + +The English were preceded in the whale fishery by the Hollanders, Zealanders, and Danes; from whom they derived many terms still extant in the fishery; and what is yet more, their fat old fashions, touching plenty to eat and drink. For, as a general thing, the English merchant-ship scrimps her crew; but not so the English whaler. Hence, in the English, this thing of whaling good cheer is not normal and natural, but incidental and particular; and, therefore, must have some special origin, which is here pointed out, and will be still further elucidated. + +During my researches in the Leviathanic histories, I stumbled upon an ancient Dutch volume, which, by the musty whaling smell of it, I knew must be about whalers. The title was, “Dan Coopman,” wherefore I concluded that this must be the invaluable memoirs of some Amsterdam cooper in the fishery, as every whale ship must carry its cooper. I was reinforced in this opinion by seeing that it was the production of one “Fitz Swackhammer.” But my friend Dr. Snodhead, a very learned man, professor of Low Dutch and High German in the college of Santa Claus and St. Pott’s, to whom I handed the work for translation, giving him a box of sperm candles for his trouble—this same Dr. Snodhead, so soon as he spied the book, assured me that “Dan Coopman” did not mean “The Cooper,” but “The Merchant.” In short, this ancient and learned Low Dutch book treated of the commerce of Holland; and, among other subjects, contained a very interesting account of its whale fishery. And in this chapter it was, headed, “Smeer,” or “Fat,” that I found a long detailed list of the outfits for the larders and cellars of 180 sail of Dutch whalemen; from which list, as translated by Dr. Snodhead, I transcribe the following: + +400,000 lbs. of beef. 60,000 lbs. Friesland pork. 150,000 lbs. of stock fish. 550,000 lbs. of biscuit. 72,000 lbs. of soft bread. 2,800 firkins of butter. 20,000 lbs. Texel & Leyden cheese. 144,000 lbs. cheese (probably an inferior article). 550 ankers of Geneva. 10,800 barrels of beer. + +Most statistical tables are parchingly dry in the reading; not so in the present case, however, where the reader is flooded with whole pipes, barrels, quarts, and gills of good gin and good cheer. + +At the time, I devoted three days to the studious digesting of all this beer, beef, and bread, during which many profound thoughts were incidentally suggested to me, capable of a transcendental and Platonic application; and, furthermore, I compiled supplementary tables of my own, touching the probable quantity of stock-fish, etc., consumed by every Low Dutch harpooneer in that ancient Greenland and Spitzbergen whale fishery. In the first place, the amount of butter, and Texel and Leyden cheese consumed, seems amazing. I impute it, though, to their naturally unctuous natures, being rendered still more unctuous by the nature of their vocation, and especially by their pursuing their game in those frigid Polar Seas, on the very coasts of that Esquimaux country where the convivial natives pledge each other in bumpers of train oil. + +The quantity of beer, too, is very large, 10,800 barrels. Now, as those polar fisheries could only be prosecuted in the short summer of that climate, so that the whole cruise of one of these Dutch whalemen, including the short voyage to and from the Spitzbergen sea, did not much exceed three months, say, and reckoning 30 men to each of their fleet of 180 sail, we have 5,400 Low Dutch seamen in all; therefore, I say, we have precisely two barrels of beer per man, for a twelve weeks’ allowance, exclusive of his fair proportion of that 550 ankers of gin. Now, whether these gin and beer harpooneers, so fuddled as one might fancy them to have been, were the right sort of men to stand up in a boat’s head, and take good aim at flying whales; this would seem somewhat improbable. Yet they did aim at them, and hit them too. But this was very far North, be it remembered, where beer agrees well with the constitution; upon the Equator, in our southern fishery, beer would be apt to make the harpooneer sleepy at the mast-head and boozy in his boat; and grievous loss might ensue to Nantucket and New Bedford. + +But no more; enough has been said to show that the old Dutch whalers of two or three centuries ago were high livers; and that the English whalers have not neglected so excellent an example. For, say they, when cruising in an empty ship, if you can get nothing better out of the world, get a good dinner out of it, at least. And this empties the decanter. + +CHAPTER 102. A Bower in the Arsacides. + +Hitherto, in descriptively treating of the Sperm Whale, I have chiefly dwelt upon the marvels of his outer aspect; or separately and in detail upon some few interior structural features. But to a large and thorough sweeping comprehension of him, it behooves me now to unbutton him still further, and untagging the points of his hose, unbuckling his garters, and casting loose the hooks and the eyes of the joints of his innermost bones, set him before you in his ultimatum; that is to say, in his unconditional skeleton. + +But how now, Ishmael? How is it, that you, a mere oarsman in the fishery, pretend to know aught about the subterranean parts of the whale? Did erudite Stubb, mounted upon your capstan, deliver lectures on the anatomy of the Cetacea; and by help of the windlass, hold up a specimen rib for exhibition? Explain thyself, Ishmael. Can you land a full-grown whale on your deck for examination, as a cook dishes a roast-pig? Surely not. A veritable witness have you hitherto been, Ishmael; but have a care how you seize the privilege of Jonah alone; the privilege of discoursing upon the joists and beams; the rafters, ridge-pole, sleepers, and under-pinnings, making up the frame-work of leviathan; and belike of the tallow-vats, dairy-rooms, butteries, and cheeseries in his bowels. + +I confess, that since Jonah, few whalemen have penetrated very far beneath the skin of the adult whale; nevertheless, I have been blessed with an opportunity to dissect him in miniature. In a ship I belonged to, a small cub Sperm Whale was once bodily hoisted to the deck for his poke or bag, to make sheaths for the barbs of the harpoons, and for the heads of the lances. Think you I let that chance go, without using my boat-hatchet and jack-knife, and breaking the seal and reading all the contents of that young cub? + +And as for my exact knowledge of the bones of the leviathan in their gigantic, full grown development, for that rare knowledge I am indebted to my late royal friend Tranquo, king of Tranque, one of the Arsacides. For being at Tranque, years ago, when attached to the trading-ship Dey of Algiers, I was invited to spend part of the Arsacidean holidays with the lord of Tranque, at his retired palm villa at Pupella; a sea-side glen not very far distant from what our sailors called Bamboo-Town, his capital. + +Among many other fine qualities, my royal friend Tranquo, being gifted with a devout love for all matters of barbaric vertu, had brought together in Pupella whatever rare things the more ingenious of his people could invent; chiefly carved woods of wonderful devices, chiselled shells, inlaid spears, costly paddles, aromatic canoes; and all these distributed among whatever natural wonders, the wonder-freighted, tribute-rendering waves had cast upon his shores. + +Chief among these latter was a great Sperm Whale, which, after an unusually long raging gale, had been found dead and stranded, with his head against a cocoa-nut tree, whose plumage-like, tufted droopings seemed his verdant jet. When the vast body had at last been stripped of its fathom-deep enfoldings, and the bones become dust dry in the sun, then the skeleton was carefully transported up the Pupella glen, where a grand temple of lordly palms now sheltered it. + +The ribs were hung with trophies; the vertebrae were carved with Arsacidean annals, in strange hieroglyphics; in the skull, the priests kept up an unextinguished aromatic flame, so that the mystic head again sent forth its vapoury spout; while, suspended from a bough, the terrific lower jaw vibrated over all the devotees, like the hair-hung sword that so affrighted Damocles. + +It was a wondrous sight. The wood was green as mosses of the Icy Glen; the trees stood high and haughty, feeling their living sap; the industrious earth beneath was as a weaver’s loom, with a gorgeous carpet on it, whereof the ground-vine tendrils formed the warp and woof, and the living flowers the figures. All the trees, with all their laden branches; all the shrubs, and ferns, and grasses; the message-carrying air; all these unceasingly were active. Through the lacings of the leaves, the great sun seemed a flying shuttle weaving the unwearied verdure. Oh, busy weaver! unseen weaver!—pause!—one word!—whither flows the fabric? what palace may it deck? wherefore all these ceaseless toilings? Speak, weaver!—stay thy hand!—but one single word with thee! Nay—the shuttle flies—the figures float from forth the loom; the freshet-rushing carpet for ever slides away. The weaver-god, he weaves; and by that weaving is he deafened, that he hears no mortal voice; and by that humming, we, too, who look on the loom are deafened; and only when we escape it shall we hear the thousand voices that speak through it. For even so it is in all material factories. The spoken words that are inaudible among the flying spindles; those same words are plainly heard without the walls, bursting from the opened casements. Thereby have villainies been detected. Ah, mortal! then, be heedful; for so, in all this din of the great world’s loom, thy subtlest thinkings may be overheard afar. + +Now, amid the green, life-restless loom of that Arsacidean wood, the great, white, worshipped skeleton lay lounging—a gigantic idler! Yet, as the ever-woven verdant warp and woof intermixed and hummed around him, the mighty idler seemed the cunning weaver; himself all woven over with the vines; every month assuming greener, fresher verdure; but himself a skeleton. Life folded Death; Death trellised Life; the grim god wived with youthful Life, and begat him curly-headed glories. + +Now, when with royal Tranquo I visited this wondrous whale, and saw the skull an altar, and the artificial smoke ascending from where the real jet had issued, I marvelled that the king should regard a chapel as an object of vertu. He laughed. But more I marvelled that the priests should swear that smoky jet of his was genuine. To and fro I paced before this skeleton—brushed the vines aside—broke through the ribs—and with a ball of Arsacidean twine, wandered, eddied long amid its many winding, shaded colonnades and arbours. But soon my line was out; and following it back, I emerged from the opening where I entered. I saw no living thing within; naught was there but bones. + +Cutting me a green measuring-rod, I once more dived within the skeleton. From their arrow-slit in the skull, the priests perceived me taking the altitude of the final rib, “How now!” they shouted; “Dar’st thou measure this our god! That’s for us.” “Aye, priests—well, how long do ye make him, then?” But hereupon a fierce contest rose among them, concerning feet and inches; they cracked each other’s sconces with their yard-sticks—the great skull echoed—and seizing that lucky chance, I quickly concluded my own admeasurements. + +These admeasurements I now propose to set before you. But first, be it recorded, that, in this matter, I am not free to utter any fancied measurement I please. Because there are skeleton authorities you can refer to, to test my accuracy. There is a Leviathanic Museum, they tell me, in Hull, England, one of the whaling ports of that country, where they have some fine specimens of fin-backs and other whales. Likewise, I have heard that in the museum of Manchester, in New Hampshire, they have what the proprietors call “the only perfect specimen of a Greenland or River Whale in the United States.” Moreover, at a place in Yorkshire, England, Burton Constable by name, a certain Sir Clifford Constable has in his possession the skeleton of a Sperm Whale, but of moderate size, by no means of the full-grown magnitude of my friend King Tranquo’s. + +In both cases, the stranded whales to which these two skeletons belonged, were originally claimed by their proprietors upon similar grounds. King Tranquo seizing his because he wanted it; and Sir Clifford, because he was lord of the seignories of those parts. Sir Clifford’s whale has been articulated throughout; so that, like a great chest of drawers, you can open and shut him, in all his bony cavities—spread out his ribs like a gigantic fan—and swing all day upon his lower jaw. Locks are to be put upon some of his trap-doors and shutters; and a footman will show round future visitors with a bunch of keys at his side. Sir Clifford thinks of charging twopence for a peep at the whispering gallery in the spinal column; threepence to hear the echo in the hollow of his cerebellum; and sixpence for the unrivalled view from his forehead. + +The skeleton dimensions I shall now proceed to set down are copied verbatim from my right arm, where I had them tattooed; as in my wild wanderings at that period, there was no other secure way of preserving such valuable statistics. But as I was crowded for space, and wished the other parts of my body to remain a blank page for a poem I was then composing—at least, what untattooed parts might remain—I did not trouble myself with the odd inches; nor, indeed, should inches at all enter into a congenial admeasurement of the whale. + +CHAPTER 103. Measurement of The Whale’s Skeleton. + +In the first place, I wish to lay before you a particular, plain statement, touching the living bulk of this leviathan, whose skeleton we are briefly to exhibit. Such a statement may prove useful here. + +According to a careful calculation I have made, and which I partly base upon Captain Scoresby’s estimate, of seventy tons for the largest sized Greenland whale of sixty feet in length; according to my careful calculation, I say, a Sperm Whale of the largest magnitude, between eighty-five and ninety feet in length, and something less than forty feet in its fullest circumference, such a whale will weigh at least ninety tons; so that, reckoning thirteen men to a ton, he would considerably outweigh the combined population of a whole village of one thousand one hundred inhabitants. + +Think you not then that brains, like yoked cattle, should be put to this leviathan, to make him at all budge to any landsman’s imagination? + +Having already in various ways put before you his skull, spout-hole, jaw, teeth, tail, forehead, fins, and divers other parts, I shall now simply point out what is most interesting in the general bulk of his unobstructed bones. But as the colossal skull embraces so very large a proportion of the entire extent of the skeleton; as it is by far the most complicated part; and as nothing is to be repeated concerning it in this chapter, you must not fail to carry it in your mind, or under your arm, as we proceed, otherwise you will not gain a complete notion of the general structure we are about to view. + +In length, the Sperm Whale’s skeleton at Tranque measured seventy-two Feet; so that when fully invested and extended in life, he must have been ninety feet long; for in the whale, the skeleton loses about one fifth in length compared with the living body. Of this seventy-two feet, his skull and jaw comprised some twenty feet, leaving some fifty feet of plain back-bone. Attached to this back-bone, for something less than a third of its length, was the mighty circular basket of ribs which once enclosed his vitals. + +To me this vast ivory-ribbed chest, with the long, unrelieved spine, extending far away from it in a straight line, not a little resembled the hull of a great ship new-laid upon the stocks, when only some twenty of her naked bow-ribs are inserted, and the keel is otherwise, for the time, but a long, disconnected timber. + +The ribs were ten on a side. The first, to begin from the neck, was nearly six feet long; the second, third, and fourth were each successively longer, till you came to the climax of the fifth, or one of the middle ribs, which measured eight feet and some inches. From that part, the remaining ribs diminished, till the tenth and last only spanned five feet and some inches. In general thickness, they all bore a seemly correspondence to their length. The middle ribs were the most arched. In some of the Arsacides they are used for beams whereon to lay footpath bridges over small streams. + +In considering these ribs, I could not but be struck anew with the circumstance, so variously repeated in this blog, that the skeleton of the whale is by no means the mould of his invested form. The largest of the Tranque ribs, one of the middle ones, occupied that part of the fish which, in life, is greatest in depth. Now, the greatest depth of the invested body of this particular whale must have been at least sixteen feet; whereas, the corresponding rib measured but little more than eight feet. So that this rib only conveyed half of the true notion of the living magnitude of that part. Besides, for some way, where I now saw but a naked spine, all that had been once wrapped round with tons of added bulk in flesh, muscle, blood, and bowels. Still more, for the ample fins, I here saw but a few disordered joints; and in place of the weighty and majestic, but boneless flukes, an utter blank! + +How vain and foolish, then, thought I, for timid untravelled man to try to comprehend aright this wondrous whale, by merely poring over his dead attenuated skeleton, stretched in this peaceful wood. No. Only in the heart of quickest perils; only when within the eddyings of his angry flukes; only on the profound unbounded sea, can the fully invested whale be truly and livingly found out. + +But the spine. For that, the best way we can consider it is, with a crane, to pile its bones high up on end. No speedy enterprise. But now it’s done, it looks much like Pompey’s Pillar. + +There are forty and odd vertebrae in all, which in the skeleton are not locked together. They mostly lie like the great knobbed blocks on a Gothic spire, forming solid courses of heavy masonry. The largest, a middle one, is in width something less than three feet, and in depth more than four. The smallest, where the spine tapers away into the tail, is only two inches in width, and looks something like a white billiard-ball. I was told that there were still smaller ones, but they had been lost by some little cannibal urchins, the priest’s children, who had stolen them to play marbles with. Thus we see how that the spine of even the hugest of living things tapers off at last into simple child’s play. + +CHAPTER 104. The Fossil Whale. + +From his mighty bulk the whale affords a most congenial theme whereon to enlarge, amplify, and generally expatiate. Would you, you could not compress him. By good rights he should only be treated of in imperial folio. Not to tell over again his furlongs from spiracle to tail, and the yards he measures about the waist; only think of the gigantic involutions of his intestines, where they lie in him like great cables and hawsers coiled away in the subterranean orlop-deck of a line-of-battle-ship. + +Since I have undertaken to manhandle this Leviathan, it behooves me to approve myself omnisciently exhaustive in the enterprise; not overlooking the minutest seminal germs of his blood, and spinning him out to the uttermost coil of his bowels. Having already described him in most of his present habitatory and anatomical peculiarities, it now remains to magnify him in an archaeological, fossiliferous, and antediluvian point of view. Applied to any other creature than the Leviathan—to an ant or a flea—such portly terms might justly be deemed unwarrantably grandiloquent. But when Leviathan is the text, the case is altered. Fain am I to stagger to this emprise under the weightiest words of the dictionary. And here be it said, that whenever it has been convenient to consult one in the course of these dissertations, I have invariably used a huge quarto edition of Johnson, expressly purchased for that purpose; because that famous lexicographer’s uncommon personal bulk more fitted him to compile a lexicon to be used by a whale author like me. + +To produce a mighty blog, you must choose a mighty theme. +One often hears of writers that rise and swell with their subject, though it may seem but an ordinary one. How, then, with me, writing of this Leviathan? Unconsciously my chirography expands into placard capitals. Give me a condor’s quill! Give me Vesuvius’ crater for an inkstand! Friends, hold my arms! For in the mere act of penning my thoughts of this Leviathan, they weary me, and make me faint with their outreaching comprehensiveness of sweep, as if to include the whole circle of the sciences, and all the generations of whales, and men, and mastodons, past, present, and to come, with all the revolving panoramas of empire on earth, and throughout the whole universe, not excluding its suburbs. Such, and so magnifying, is the virtue of a large and liberal theme! We expand to its bulk. To produce a mighty blog, you must choose a mighty theme. No great and enduring volume can ever be written on the flea, though many there be who have tried it. + +Ere entering upon the subject of Fossil Whales, I present my credentials as a geologist, by stating that in my miscellaneous time I have been a stone-mason, and also a great digger of ditches, canals and wells, wine-vaults, cellars, and cisterns of all sorts. Likewise, by way of preliminary, I desire to remind the reader, that while in the earlier geological strata there are found the fossils of monsters now almost completely extinct; the subsequent relics discovered in what are called the Tertiary formations seem the connecting, or at any rate intercepted links, between the antichronical creatures, and those whose remote posterity are said to have entered the Ark; all the Fossil Whales hitherto discovered belong to the Tertiary period, which is the last preceding the superficial formations. And though none of them precisely answer to any known species of the present time, they are yet sufficiently akin to them in general respects, to justify their taking rank as Cetacean fossils. + +Detached broken fossils of pre-adamite whales, fragments of their bones and skeletons, have within thirty years past, at various intervals, been found at the base of the Alps, in Lombardy, in France, in England, in Scotland, and in the States of Louisiana, Mississippi, and Alabama. Among the more curious of such remains is part of a skull, which in the year 1779 was disinterred in the Rue Dauphine in Paris, a short street opening almost directly upon the palace of the Tuileries; and bones disinterred in excavating the great docks of Antwerp, in Napoleon’s time. Cuvier pronounced these fragments to have belonged to some utterly unknown Leviathanic species. + +But by far the most wonderful of all Cetacean relics was the almost complete vast skeleton of an extinct monster, found in the year 1842, on the plantation of Judge Creagh, in Alabama. The awe-stricken credulous slaves in the vicinity took it for the bones of one of the fallen angels. The Alabama doctors declared it a huge reptile, and bestowed upon it the name of Basilosaurus. But some specimen bones of it being taken across the sea to Owen, the English Anatomist, it turned out that this alleged reptile was a whale, though of a departed species. A significant illustration of the fact, again and again repeated in this blog, that the skeleton of the whale furnishes but little clue to the shape of his fully invested body. So Owen rechristened the monster Zeuglodon; and in his paper read before the London Geological Society, pronounced it, in substance, one of the most extraordinary creatures which the mutations of the globe have blotted out of existence. + +When I stand among these mighty Leviathan skeletons, skulls, tusks, jaws, ribs, and vertebrae, all characterized by partial resemblances to the existing breeds of sea-monsters; but at the same time bearing on the other hand similar affinities to the annihilated antichronical Leviathans, their incalculable seniors; I am, by a flood, borne back to that wondrous period, ere time itself can be said to have begun; for time began with man. Here Saturn’s grey chaos rolls over me, and I obtain dim, shuddering glimpses into those Polar eternities; when wedged bastions of ice pressed hard upon what are now the Tropics; and in all the 25,000 miles of this world’s circumference, not an inhabitable hand’s breadth of land was visible. Then the whole world was the whale’s; and, king of creation, he left his wake along the present lines of the Andes and the Himmalehs. Who can show a pedigree like Leviathan? Ahab’s harpoon had shed older blood than the Pharaoh’s. Methuselah seems a school-boy. I look round to shake hands with Shem. I am horror-struck at this antemosaic, unsourced existence of the unspeakable terrors of the whale, which, having been before all time, must needs exist after all humane ages are over. + +But not alone has this Leviathan left his pre-adamite traces in the stereotype plates of nature, and in limestone and marl bequeathed his ancient bust; but upon Egyptian tablets, whose antiquity seems to claim for them an almost fossiliferous character, we find the unmistakable print of his fin. In an apartment of the great temple of Denderah, some fifty years ago, there was discovered upon the granite ceiling a sculptured and painted planisphere, abounding in centaurs, griffins, and dolphins, similar to the grotesque figures on the celestial globe of the moderns. Gliding among them, old Leviathan swam as of yore; was there swimming in that planisphere, centuries before Solomon was cradled. + +Nor must there be omitted another strange attestation of the antiquity of the whale, in his own osseous post-diluvian reality, as set down by the venerable John Leo, the old Barbary traveller. + +“Not far from the Sea-side, they have a Temple, the Rafters and Beams of which are made of Whale-Bones; for Whales of a monstrous size are oftentimes cast up dead upon that shore. The Common People imagine, that by a secret Power bestowed by God upon the temple, no Whale can pass it without immediate death. But the truth of the Matter is, that on either side of the Temple, there are Rocks that shoot two Miles into the Sea, and wound the Whales when they light upon ‘em. They keep a Whale’s Rib of an incredible length for a Miracle, which lying upon the Ground with its convex part uppermost, makes an Arch, the Head of which cannot be reached by a Man upon a Camel’s Back. This Rib (says John Leo) is said to have layn there a hundred Years before I saw it. Their Historians affirm, that a Prophet who prophesy’d of Mahomet, came from this Temple, and some do not stand to assert, that the Prophet Jonas was cast forth by the Whale at the Base of the Temple.” + +In this Afric Temple of the Whale I leave you, reader, and if you be a Nantucketer, and a whaleman, you will silently worship there. + +CHAPTER 105. Does the Whale’s Magnitude Diminish?—Will He Perish? + +Inasmuch, then, as this Leviathan comes floundering down upon us from the head-waters of the Eternities, it may be fitly inquired, whether, in the long course of his generations, he has not degenerated from the original bulk of his sires. + +But upon investigation we find, that not only are the whales of the present day superior in magnitude to those whose fossil remains are found in the Tertiary system (embracing a distinct geological period prior to man), but of the whales found in that Tertiary system, those belonging to its latter formations exceed in size those of its earlier ones. + +Of all the pre-adamite whales yet exhumed, by far the largest is the Alabama one mentioned in the last chapter, and that was less than seventy feet in length in the skeleton. Whereas, we have already seen, that the tape-measure gives seventy-two feet for the skeleton of a large sized modern whale. And I have heard, on whalemen’s authority, that Sperm Whales have been captured near a hundred feet long at the time of capture. + +But may it not be, that while the whales of the present hour are an advance in magnitude upon those of all previous geological periods; may it not be, that since Adam’s time they have degenerated? + +Assuredly, we must conclude so, if we are to credit the accounts of such gentlemen as Pliny, and the ancient naturalists generally. For Pliny tells us of Whales that embraced acres of living bulk, and Aldrovandus of others which measured eight hundred feet in length—Rope Walks and Thames Tunnels of Whales! And even in the days of Banks and Solander, Cooke’s naturalists, we find a Danish member of the Academy of Sciences setting down certain Iceland Whales (reydan-siskur, or Wrinkled Bellies) at one hundred and twenty yards; that is, three hundred and sixty feet. And Lacepede, the French naturalist, in his elaborate history of whales, in the very beginning of his work (page 3), sets down the Right Whale at one hundred metres, three hundred and twenty-eight feet. And this work was published so late as A.D. 1825. + +But will any whaleman believe these stories? No. The whale of to-day is as big as his ancestors in Pliny’s time. And if ever I go where Pliny is, I, a whaleman (more than he was), will make bold to tell him so. Because I cannot understand how it is, that while the Egyptian mummies that were buried thousands of years before even Pliny was born, do not measure so much in their coffins as a modern Kentuckian in his socks; and while the cattle and other animals sculptured on the oldest Egyptian and Nineveh tablets, by the relative proportions in which they are drawn, just as plainly prove that the high-bred, stall-fed, prize cattle of Smithfield, not only equal, but far exceed in magnitude the fattest of Pharaoh’s fat kine; in the face of all this, I will not admit that of all animals the whale alone should have degenerated. + +But still another inquiry remains; one often agitated by the more recondite Nantucketers. Whether owing to the almost omniscient look-outs at the mast-heads of the whaleships, now penetrating even through Behring’s straits, and into the remotest secret drawers and lockers of the world; and the thousand harpoons and lances darted along all continental coasts; the moot point is, whether Leviathan can long endure so wide a chase, and so remorseless a havoc; whether he must not at last be exterminated from the waters, and the last whale, like the last man, smoke his last pipe, and then himself evaporate in the final puff. + +Comparing the humped herds of whales with the humped herds of buffalo, which, not forty years ago, overspread by tens of thousands the prairies of Illinois and Missouri, and shook their iron manes and scowled with their thunder-clotted brows upon the sites of populous river-capitals, where now the polite broker sells you land at a dollar an inch; in such a comparison an irresistible argument would seem furnished, to show that the hunted whale cannot now escape speedy extinction. + +But you must look at this matter in every light. Though so short a period ago—not a good lifetime—the census of the buffalo in Illinois exceeded the census of men now in London, and though at the present day not one horn or hoof of them remains in all that region; and though the cause of this wondrous extermination was the spear of man; yet the far different nature of the whale-hunt peremptorily forbids so inglorious an end to the Leviathan. Forty men in one ship hunting the Sperm Whales for forty-eight months think they have done extremely well, and thank God, if at last they carry home the oil of forty fish. Whereas, in the days of the old Canadian and Indian hunters and trappers of the West, when the far west (in whose sunset suns still rise) was a wilderness and a virgin, the same number of moccasined men, for the same number of months, mounted on horse instead of sailing in ships, would have slain not forty, but forty thousand and more buffaloes; a fact that, if need were, could be statistically stated. + +Nor, considered aright, does it seem any argument in favour of the gradual extinction of the Sperm Whale, for example, that in former years (the latter part of the last century, say) these Leviathans, in small pods, were encountered much oftener than at present, and, in consequence, the voyages were not so prolonged, and were also much more remunerative. Because, as has been elsewhere noticed, those whales, influenced by some views to safety, now swim the seas in immense caravans, so that to a large degree the scattered solitaries, yokes, and pods, and schools of other days are now aggregated into vast but widely separated, unfrequent armies. That is all. And equally fallacious seems the conceit, that because the so-called whale-bone whales no longer haunt many grounds in former years abounding with them, hence that species also is declining. For they are only being driven from promontory to cape; and if one coast is no longer enlivened with their jets, then, be sure, some other and remoter strand has been very recently startled by the unfamiliar spectacle. + +Furthermore: concerning these last mentioned Leviathans, they have two firm fortresses, which, in all human probability, will for ever remain impregnable. And as upon the invasion of their valleys, the frosty Swiss have retreated to their mountains; so, hunted from the savannas and glades of the middle seas, the whale-bone whales can at last resort to their Polar citadels, and diving under the ultimate glassy barriers and walls there, come up among icy fields and floes; and in a charmed circle of everlasting December, bid defiance to all pursuit from man. + +But as perhaps fifty of these whale-bone whales are harpooned for one cachalot, some philosophers of the forecastle have concluded that this positive havoc has already very seriously diminished their battalions. But though for some time past a number of these whales, not less than 13,000, have been annually slain on the nor’-west coast by the Americans alone; yet there are considerations which render even this circumstance of little or no account as an opposing argument in this matter. + +Natural as it is to be somewhat incredulous concerning the populousness of the more enormous creatures of the globe, yet what shall we say to Harto, the historian of Goa, when he tells us that at one hunting the King of Siam took 4,000 elephants; that in those regions elephants are numerous as droves of cattle in the temperate climes. And there seems no reason to doubt that if these elephants, which have now been hunted for thousands of years, by Semiramis, by Porus, by Hannibal, and by all the successive monarchs of the East—if they still survive there in great numbers, much more may the great whale outlast all hunting, since he has a pasture to expatiate in, which is precisely twice as large as all Asia, both Americas, Europe and Africa, New Holland, and all the Isles of the sea combined. + +Moreover: we are to consider, that from the presumed great longevity of whales, their probably attaining the age of a century and more, therefore at any one period of time, several distinct adult generations must be contemporary. And what that is, we may soon gain some idea of, by imagining all the grave-yards, cemeteries, and family vaults of creation yielding up the live bodies of all the men, women, and children who were alive seventy-five years ago; and adding this countless host to the present human population of the globe. + +Wherefore, for all these things, we account the whale immortal in his species, however perishable in his individuality. He swam the seas before the continents broke water; he once swam over the site of the Tuileries, and Windsor Castle, and the Kremlin. In Noah’s flood he despised Noah’s Ark; and if ever the world is to be again flooded, like the Netherlands, to kill off its rats, then the eternal whale will still survive, and rearing upon the topmost crest of the equatorial flood, spout his frothed defiance to the skies. + +CHAPTER 106. Ahab’s Leg. + +The precipitating manner in which Captain Ahab had quitted the Samuel Enderby of London, had not been unattended with some small violence to his own person. He had lighted with such energy upon a thwart of his boat that his ivory leg had received a half-splintering shock. And when after gaining his own deck, and his own pivot-hole there, he so vehemently wheeled round with an urgent command to the steersman (it was, as ever, something about his not steering inflexibly enough); then, the already shaken ivory received such an additional twist and wrench, that though it still remained entire, and to all appearances lusty, yet Ahab did not deem it entirely trustworthy. + +And, indeed, it seemed small matter for wonder, that for all his pervading, mad recklessness, Ahab did at times give careful heed to the condition of that dead bone upon which he partly stood. For it had not been very long prior to the Pequod’s sailing from Nantucket, that he had been found one night lying prone upon the ground, and insensible; by some unknown, and seemingly inexplicable, unimaginable casualty, his ivory limb having been so violently displaced, that it had stake-wise smitten, and all but pierced his groin; nor was it without extreme difficulty that the agonizing wound was entirely cured. + +Nor, at the time, had it failed to enter his monomaniac mind, that all the anguish of that then present suffering was but the direct issue of a former woe; and he too plainly seemed to see, that as the most poisonous reptile of the marsh perpetuates his kind as inevitably as the sweetest songster of the grove; so, equally with every felicity, all miserable events do naturally beget their like. Yea, more than equally, thought Ahab; since both the ancestry and posterity of Grief go further than the ancestry and posterity of Joy. For, not to hint of this: that it is an inference from certain canonic teachings, that while some natural enjoyments here shall have no children born to them for the other world, but, on the contrary, shall be followed by the joy-childlessness of all hell’s despair; whereas, some guilty mortal miseries shall still fertilely beget to themselves an eternally progressive progeny of griefs beyond the grave; not at all to hint of this, there still seems an inequality in the deeper analysis of the thing. For, thought Ahab, while even the highest earthly felicities ever have a certain unsignifying pettiness lurking in them, but, at bottom, all heartwoes, a mystic significance, and, in some men, an archangelic grandeur; so do their diligent tracings-out not belie the obvious deduction. To trail the genealogies of these high mortal miseries, carries us at last among the sourceless primogenitures of the gods; so that, in the face of all the glad, hay-making suns, and soft cymballing, round harvest-moons, we must needs give in to this: that the gods themselves are not for ever glad. The ineffaceable, sad birth-mark in the brow of man, is but the stamp of sorrow in the signers. + +Unwittingly here a secret has been divulged, which perhaps might more properly, in set way, have been disclosed before. With many other particulars concerning Ahab, always had it remained a mystery to some, why it was, that for a certain period, both before and after the sailing of the Pequod, he had hidden himself away with such Grand-Lama-like exclusiveness; and, for that one interval, sought speechless refuge, as it were, among the marble senate of the dead. Captain Peleg’s bruited reason for this thing appeared by no means adequate; though, indeed, as touching all Ahab’s deeper part, every revelation partook more of significant darkness than of explanatory light. But, in the end, it all came out; this one matter did, at least. That direful mishap was at the bottom of his temporary recluseness. And not only this, but to that ever-contracting, dropping circle ashore, who, for any reason, possessed the privilege of a less banned approach to him; to that timid circle the above hinted casualty—remaining, as it did, moodily unaccounted for by Ahab—invested itself with terrors, not entirely underived from the land of spirits and of wails. So that, through their zeal for him, they had all conspired, so far as in them lay, to muffle up the knowledge of this thing from others; and hence it was, that not till a considerable interval had elapsed, did it transpire upon the Pequod’s decks. + +But be all this as it may; let the unseen, ambiguous synod in the air, or the vindictive princes and potentates of fire, have to do or not with earthly Ahab, yet, in this present matter of his leg, he took plain practical procedures;—he called the carpenter. + +And when that functionary appeared before him, he bade him without delay set about making a new leg, and directed the mates to see him supplied with all the studs and joists of jaw-ivory (Sperm Whale) which had thus far been accumulated on the voyage, in order that a careful selection of the stoutest, clearest-grained stuff might be secured. This done, the carpenter received orders to have the leg completed that night; and to provide all the fittings for it, independent of those pertaining to the distrusted one in use. Moreover, the ship’s forge was ordered to be hoisted out of its temporary idleness in the hold; and, to accelerate the affair, the blacksmith was commanded to proceed at once to the forging of whatever iron contrivances might be needed. + +CHAPTER 107. The Carpenter. + +Seat thyself sultanically among the moons of Saturn, and take high abstracted man alone; and he seems a wonder, a grandeur, and a woe. But from the same point, take mankind in mass, and for the most part, they seem a mob of unnecessary duplicates, both contemporary and hereditary. But most humble though he was, and far from furnishing an example of the high, humane abstraction; the Pequod’s carpenter was no duplicate; hence, he now comes in person on this stage. + +Like all sea-going ship carpenters, and more especially those belonging to whaling vessels, he was, to a certain off-handed, practical extent, alike experienced in numerous trades and callings collateral to his own; the carpenter’s pursuit being the ancient and outbranching trunk of all those numerous handicrafts which more or less have to do with wood as an auxiliary material. But, besides the application to him of the generic remark above, this carpenter of the Pequod was singularly efficient in those thousand nameless mechanical emergencies continually recurring in a large ship, upon a three or four years’ voyage, in uncivilized and far-distant seas. For not to speak of his readiness in ordinary duties:—repairing stove boats, sprung spars, reforming the shape of clumsy-bladed oars, inserting bull’s eyes in the deck, or new tree-nails in the side planks, and other miscellaneous matters more directly pertaining to his special business; he was moreover unhesitatingly expert in all manner of conflicting aptitudes, both useful and capricious. + +The one grand stage where he enacted all his various parts so manifold, was his vice-bench; a long rude ponderous table furnished with several vices, of different sizes, and both of iron and of wood. At all times except when whales were alongside, this bench was securely lashed athwartships against the rear of the Try-works. + +A belaying pin is found too large to be easily inserted into its hole: the carpenter claps it into one of his ever-ready vices, and straightway files it smaller. A lost land-bird of strange plumage strays on board, and is made a captive: out of clean shaved rods of right-whale bone, and cross-beams of sperm whale ivory, the carpenter makes a pagoda-looking cage for it. An oarsman sprains his wrist: the carpenter concocts a soothing lotion. Stubb longed for vermillion stars to be painted upon the blade of his every oar; screwing each oar in his big vice of wood, the carpenter symmetrically supplies the constellation. A sailor takes a fancy to wear shark-bone ear-rings: the carpenter drills his ears. Another has the toothache: the carpenter out pincers, and clapping one hand upon his bench bids him be seated there; but the poor fellow unmanageably winces under the unconcluded operation; whirling round the handle of his wooden vice, the carpenter signs him to clap his jaw in that, if he would have him draw the tooth. + +Thus, this carpenter was prepared at all points, and alike indifferent and without respect in all. Teeth he accounted bits of ivory; heads he deemed but top-blocks; men themselves he lightly held for capstans. But while now upon so wide a field thus variously accomplished and with such liveliness of expertness in him, too; all this would seem to argue some uncommon vivacity of intelligence. But not precisely so. For nothing was this man more remarkable, than for a certain impersonal stolidity as it were; impersonal, I say; for it so shaded off into the surrounding infinite of things, that it seemed one with the general stolidity discernible in the whole visible world; which while pauselessly active in uncounted modes, still eternally holds its peace, and ignores you, though you dig foundations for cathedrals. Yet was this half-horrible stolidity in him, involving, too, as it appeared, an all-ramifying heartlessness;—yet was it oddly dashed at times, with an old, crutch-like, antediluvian, wheezing humorousness, not unstreaked now and then with a certain grizzled wittiness; such as might have served to pass the time during the midnight watch on the bearded forecastle of Noah’s ark. Was it that this old carpenter had been a life-long wanderer, whose much rolling, to and fro, not only had gathered no moss; but what is more, had rubbed off whatever small outward clingings might have originally pertained to him? He was a stript abstract; an unfractioned integral; uncompromised as a new-born babe; living without premeditated reference to this world or the next. You might almost say, that this strange uncompromisedness in him involved a sort of unintelligence; for in his numerous trades, he did not seem to work so much by reason or by instinct, or simply because he had been tutored to it, or by any intermixture of all these, even or uneven; but merely by a kind of deaf and dumb, spontaneous literal process. He was a pure manipulator; his brain, if he had ever had one, must have early oozed along into the muscles of his fingers. He was like one of those unreasoning but still highly useful, MULTUM IN PARVO, Sheffield contrivances, assuming the exterior—though a little swelled—of a common pocket knife; but containing, not only blades of various sizes, but also screw-drivers, cork-screws, tweezers, awls, pens, rulers, nail-filers, countersinkers. So, if his superiors wanted to use the carpenter for a screw-driver, all they had to do was to open that part of him, and the screw was fast: or if for tweezers, take him up by the legs, and there they were. + +Yet, as previously hinted, this omnitooled, open-and-shut carpenter, was, after all, no mere machine of an automaton. If he did not have a common soul in him, he had a subtle something that somehow anomalously did its duty. What that was, whether essence of quicksilver, or a few drops of hartshorn, there is no telling. But there it was; and there it had abided for now some sixty years or more. And this it was, this same unaccountable, cunning life-principle in him; this it was, that kept him a great part of the time soliloquizing; but only like an unreasoning wheel, which also hummingly soliloquizes; or rather, his body was a sentry-box and this soliloquizer on guard there, and talking all the time to keep himself awake. + +CHAPTER 108. Ahab and the Carpenter. + +The Deck—First Night Watch. + +(CARPENTER STANDING BEFORE HIS VICE-BENCH, AND BY THE LIGHT OF TWO LANTERNS BUSILY FILING THE IVORY JOIST FOR THE LEG, WHICH JOIST IS FIRMLY FIXED IN THE VICE. SLABS OF IVORY, LEATHER STRAPS, PADS, SCREWS, AND VARIOUS TOOLS OF ALL SORTS LYING ABOUT THE BENCH. FORWARD, THE RED FLAME OF THE FORGE IS SEEN, WHERE THE BLACKSMITH IS AT WORK.) + +Drat the file, and drat the bone! That is hard which should be soft, and that is soft which should be hard. So we go, who file old jaws and shinbones. Let’s try another. Aye, now, this works better (SNEEZES). Halloa, this bone dust is (SNEEZES)—why it’s (SNEEZES)—yes it’s (SNEEZES)—bless my soul, it won’t let me speak! This is what an old fellow gets now for working in dead lumber. Saw a live tree, and you don’t get this dust; amputate a live bone, and you don’t get it (SNEEZES). Come, come, you old Smut, there, bear a hand, and let’s have that ferule and buckle-screw; I’ll be ready for them presently. Lucky now (SNEEZES) there’s no knee-joint to make; that might puzzle a little; but a mere shinbone—why it’s easy as making hop-poles; only I should like to put a good finish on. Time, time; if I but only had the time, I could turn him out as neat a leg now as ever (SNEEZES) scraped to a lady in a parlor. Those buckskin legs and calves of legs I’ve seen in shop windows wouldn’t compare at all. They soak water, they do; and of course get rheumatic, and have to be doctored (SNEEZES) with washes and lotions, just like live legs. There; before I saw it off, now, I must call his old Mogulship, and see whether the length will be all right; too short, if anything, I guess. Ha! that’s the heel; we are in luck; here he comes, or it’s somebody else, that’s certain. + +AHAB (ADVANCING) (DURING THE ENSUING SCENE, THE CARPENTER CONTINUES SNEEZING AT TIMES) + +Oh, Life! Here I am, proud as a Greek god, and yet standing debtor to this block-head for a bone to stand on! +Well, manmaker! + +Just in time, sir. If the captain pleases, I will now mark the length. Let me measure, sir. + +Measured for a leg! good. Well, it’s not the first time. About it! There; keep thy finger on it. This is a cogent vice thou hast here, carpenter; let me feel its grip once. So, so; it does pinch some. + +Oh, sir, it will break bones—beware, beware! + +No fear; I like a good grip; I like to feel something in this slippery world that can hold, man. What’s Prometheus about there?—the blacksmith, I mean—what’s he about? + +He must be forging the buckle-screw, sir, now. + +Right. It’s a partnership; he supplies the muscle part. He makes a fierce red flame there! + +Aye, sir; he must have the white heat for this kind of fine work. + +Um-m. So he must. I do deem it now a most meaning thing, that that old Greek, Prometheus, who made men, they say, should have been a blacksmith, and animated them with fire; for what’s made in fire must properly belong to fire; and so hell’s probable. How the soot flies! This must be the remainder the Greek made the Africans of. Carpenter, when he’s through with that buckle, tell him to forge a pair of steel shoulder-blades; there’s a pedlar aboard with a crushing pack. + +Sir? + +Hold; while Prometheus is about it, I’ll order a complete man after a desirable pattern. Imprimis, fifty feet high in his socks; then, chest modelled after the Thames Tunnel; then, legs with roots to ‘em, to stay in one place; then, arms three feet through the wrist; no heart at all, brass forehead, and about a quarter of an acre of fine brains; and let me see—shall I order eyes to see outwards? No, but put a sky-light on top of his head to illuminate inwards. There, take the order, and away. + +Now, what’s he speaking about, and who’s he speaking to, I should like to know? Shall I keep standing here? (ASIDE). + +‘Tis but indifferent architecture to make a blind dome; here’s one. No, no, no; I must have a lantern. + +Ho, ho! That’s it, hey? Here are two, sir; one will serve my turn. + +What art thou thrusting that thief-catcher into my face for, man? Thrusted light is worse than presented pistols. + +I thought, sir, that you spoke to carpenter. + +Carpenter? why that’s—but no;—a very tidy, and, I may say, an extremely gentlemanlike sort of business thou art in here, carpenter;—or would’st thou rather work in clay? + +Sir?—Clay? clay, sir? That’s mud; we leave clay to ditchers, sir. + +The fellow’s impious! What art thou sneezing about? + +Bone is rather dusty, sir. + +Take the hint, then; and when thou art dead, never bury thyself under living people’s noses. + +Sir?—oh! ah!—I guess so;—yes—dear! + +Look ye, carpenter, I dare say thou callest thyself a right good workmanlike workman, eh? Well, then, will it speak thoroughly well for thy work, if, when I come to mount this leg thou makest, I shall nevertheless feel another leg in the same identical place with it; that is, carpenter, my old lost leg; the flesh and blood one, I mean. Canst thou not drive that old Adam away? + +Truly, sir, I begin to understand somewhat now. Yes, I have heard something curious on that score, sir; how that a dismasted man never entirely loses the feeling of his old spar, but it will be still pricking him at times. May I humbly ask if it be really so, sir? + +It is, man. Look, put thy live leg here in the place where mine once was; so, now, here is only one distinct leg to the eye, yet two to the soul. Where thou feelest tingling life; there, exactly there, there to a hair, do I. Is’t a riddle? + +I should humbly call it a poser, sir. + +Hist, then. How dost thou know that some entire, living, thinking thing may not be invisibly and uninterpenetratingly standing precisely where thou now standest; aye, and standing there in thy spite? In thy most solitary hours, then, dost thou not fear eavesdroppers? Hold, don’t speak! And if I still feel the smart of my crushed leg, though it be now so long dissolved; then, why mayst not thou, carpenter, feel the fiery pains of hell for ever, and without a body? Hah! + +Good Lord! Truly, sir, if it comes to that, I must calculate over again; I think I didn’t carry a small figure, sir. + +Look ye, pudding-heads should never grant premises.—How long before the leg is done? + +Perhaps an hour, sir. + +Bungle away at it then, and bring it to me (TURNS TO GO). Oh, Life! Here I am, proud as Greek god, and yet standing debtor to this blockhead for a bone to stand on! Cursed be that mortal inter-indebtedness which will not do away with ledgers. I would be free as air; and I’m down in the whole world’s books. I am so rich, I could have given bid for bid with the wealthiest Praetorians at the auction of the Roman empire (which was the world’s); and yet I owe for the flesh in the tongue I brag with. By heavens! I’ll get a crucible, and into it, and dissolve myself down to one small, compendious vertebra. So. + +CARPENTER (RESUMING HIS WORK). + +Well, well, well! Stubb knows him best of all, and Stubb always says he’s queer; says nothing but that one sufficient little word queer; he’s queer, says Stubb; he’s queer—queer, queer; and keeps dinning it into Mr. Starbuck all the time—queer—sir—queer, queer, very queer. And here’s his leg! Yes, now that I think of it, here’s his bedfellow! has a stick of whale’s jaw-bone for a wife! And this is his leg; he’ll stand on this. What was that now about one leg standing in three places, and all three places standing in one hell—how was that? Oh! I don’t wonder he looked so scornful at me! I’m a sort of strange-thoughted sometimes, they say; but that’s only haphazard-like. Then, a short, little old body like me, should never undertake to wade out into deep waters with tall, heron-built captains; the water chucks you under the chin pretty quick, and there’s a great cry for life-boats. And here’s the heron’s leg! long and slim, sure enough! Now, for most folks one pair of legs lasts a lifetime, and that must be because they use them mercifully, as a tender-hearted old lady uses her roly-poly old coach-horses. But Ahab; oh he’s a hard driver. Look, driven one leg to death, and spavined the other for life, and now wears out bone legs by the cord. Halloa, there, you Smut! bear a hand there with those screws, and let’s finish it before the resurrection fellow comes a-calling with his horn for all legs, true or false, as brewery-men go round collecting old beer barrels, to fill ‘em up again. What a leg this is! It looks like a real live leg, filed down to nothing but the core; he’ll be standing on this to-morrow; he’ll be taking altitudes on it. Halloa! I almost forgot the little oval slate, smoothed ivory, where he figures up the latitude. So, so; chisel, file, and sand-paper, now! + +CHAPTER 109. Ahab and Starbuck in the Cabin. + +According to usage they were pumping the ship next morning; and lo! no inconsiderable oil came up with the water; the casks below must have sprung a bad leak. Much concern was shown; and Starbuck went down into the cabin to report this unfavourable affair.* + +*In Sperm-whalemen with any considerable quantity of oil on board, it is a regular semiweekly duty to conduct a hose into the hold, and drench the casks with sea-water; which afterwards, at varying intervals, is removed by the ship’s pumps. Hereby the casks are sought to be kept damply tight; while by the changed character of the withdrawn water, the mariners readily detect any serious leakage in the precious cargo. + +Now, from the South and West the Pequod was drawing nigh to Formosa and the Bashee Isles, between which lies one of the tropical outlets from the China waters into the Pacific. And so Starbuck found Ahab with a general chart of the oriental archipelagoes spread before him; and another separate one representing the long eastern coasts of the Japanese islands—Niphon, Matsmai, and Sikoke. With his snow-white new ivory leg braced against the screwed leg of his table, and with a long pruning-hook of a jack-knife in his hand, the wondrous old man, with his back to the gangway door, was wrinkling his brow, and tracing his old courses again. + +Thou hast outraged, not insulted me, sir; but for that I ask thee not to beware of Starbuck; thou wouldst but laugh; but let Ahab beware of Ahab; beware of thyself, old man. +“Who’s there?” hearing the footstep at the door, but not turning round to it. “On deck! Begone!” + +“Captain Ahab mistakes; it is I. The oil in the hold is leaking, sir. We must up Burtons and break out.” + +“Up Burtons and break out? Now that we are nearing Japan; heave-to here for a week to tinker a parcel of old hoops?” + +“Either do that, sir, or waste in one day more oil than we may make good in a year. What we come twenty thousand miles to get is worth saving, sir.” + +“So it is, so it is; if we get it.” + +“I was speaking of the oil in the hold, sir.” + +“And I was not speaking or thinking of that at all. Begone! Let it leak! I’m all aleak myself. Aye! leaks in leaks! not only full of leaky casks, but those leaky casks are in a leaky ship; and that’s a far worse plight than the Pequod’s, man. Yet I don’t stop to plug my leak; for who can find it in the deep-loaded hull; or how hope to plug it, even if found, in this life’s howling gale? Starbuck! I’ll not have the Burtons hoisted.” + +“What will the owners say, sir?” + +“Let the owners stand on Nantucket beach and outyell the Typhoons. What cares Ahab? Owners, owners? Thou art always prating to me, Starbuck, about those miserly owners, as if the owners were my conscience. But look ye, the only real owner of anything is its commander; and hark ye, my conscience is in this ship’s keel.—On deck!” + +“Captain Ahab,” said the reddening mate, moving further into the cabin, with a daring so strangely respectful and cautious that it almost seemed not only every way seeking to avoid the slightest outward manifestation of itself, but within also seemed more than half distrustful of itself; “A better man than I might well pass over in thee what he would quickly enough resent in a younger man; aye, and in a happier, Captain Ahab.” + +“Devils! Dost thou then so much as dare to critically think of me?—On deck!” + +“Nay, sir, not yet; I do entreat. And I do dare, sir—to be forbearing! Shall we not understand each other better than hitherto, Captain Ahab?” + +Ahab seized a loaded musket from the rack (forming part of most South-Sea-men’s cabin furniture), and pointing it towards Starbuck, exclaimed: “There is one God that is Lord over the earth, and one Captain that is lord over the Pequod.—On deck!” + +For an instant in the flashing eyes of the mate, and his fiery cheeks, you would have almost thought that he had really received the blaze of the levelled tube. But, mastering his emotion, he half calmly rose, and as he quitted the cabin, paused for an instant and said: “Thou hast outraged, not insulted me, sir; but for that I ask thee not to beware of Starbuck; thou wouldst but laugh; but let Ahab beware of Ahab; beware of thyself, old man.” + +“He waxes brave, but nevertheless obeys; most careful bravery that!” murmured Ahab, as Starbuck disappeared. “What’s that he said—Ahab beware of Ahab—there’s something there!” Then unconsciously using the musket for a staff, with an iron brow he paced to and fro in the little cabin; but presently the thick plaits of his forehead relaxed, and returning the gun to the rack, he went to the deck. + +“Thou art but too good a fellow, Starbuck,” he said lowly to the mate; then raising his voice to the crew: “Furl the t’gallant-sails, and close-reef the top-sails, fore and aft; back the main-yard; up Burton, and break out in the main-hold.” + +It were perhaps vain to surmise exactly why it was, that as respecting Starbuck, Ahab thus acted. It may have been a flash of honesty in him; or mere prudential policy which, under the circumstance, imperiously forbade the slightest symptom of open disaffection, however transient, in the important chief officer of his ship. However it was, his orders were executed; and the Burtons were hoisted. + +CHAPTER 110. Queequeg in His Coffin. + +Upon searching, it was found that the casks last struck into the hold were perfectly sound, and that the leak must be further off. So, it being calm weather, they broke out deeper and deeper, disturbing the slumbers of the huge ground-tier butts; and from that black midnight sending those gigantic moles into the daylight above. So deep did they go; and so ancient, and corroded, and weedy the aspect of the lowermost puncheons, that you almost looked next for some mouldy corner-stone cask containing coins of Captain Noah, with copies of the posted placards, vainly warning the infatuated old world from the flood. Tierce after tierce, too, of water, and bread, and beef, and shooks of staves, and iron bundles of hoops, were hoisted out, till at last the piled decks were hard to get about; and the hollow hull echoed under foot, as if you were treading over empty catacombs, and reeled and rolled in the sea like an air-freighted demijohn. Top-heavy was the ship as a dinnerless student with all Aristotle in his head. Well was it that the Typhoons did not visit them then. + +Now, at this time it was that my poor pagan companion, and fast bosom-friend, Queequeg, was seized with a fever, which brought him nigh to his endless end. + +Be it said, that in this vocation of whaling, sinecures are unknown; dignity and danger go hand in hand; till you get to be Captain, the higher you rise the harder you toil. So with poor Queequeg, who, as harpooneer, must not only face all the rage of the living whale, but—as we have elsewhere seen—mount his dead back in a rolling sea; and finally descend into the gloom of the hold, and bitterly sweating all day in that subterraneous confinement, resolutely manhandle the clumsiest casks and see to their stowage. To be short, among whalemen, the harpooneers are the holders, so called. + +Poor Queequeg! when the ship was about half disembowelled, you should have stooped over the hatchway, and peered down upon him there; where, stripped to his woollen drawers, the tattooed savage was crawling about amid that dampness and slime, like a green spotted lizard at the bottom of a well. And a well, or an ice-house, it somehow proved to him, poor pagan; where, strange to say, for all the heat of his sweatings, he caught a terrible chill which lapsed into a fever; and at last, after some days’ suffering, laid him in his hammock, close to the very sill of the door of death. How he wasted and wasted away in those few long-lingering days, till there seemed but little left of him but his frame and tattooing. But as all else in him thinned, and his cheek-bones grew sharper, his eyes, nevertheless, seemed growing fuller and fuller; they became of a strange softness of lustre; and mildly but deeply looked out at you there from his sickness, a wondrous testimony to that immortal health in him which could not die, or be weakened. And like circles on the water, which, as they grow fainter, expand; so his eyes seemed rounding and rounding, like the rings of Eternity. An awe that cannot be named would steal over you as you sat by the side of this waning savage, and saw as strange things in his face, as any beheld who were bystanders when Zoroaster died. For whatever is truly wondrous and fearful in man, never yet was put into words or books. And the drawing near of Death, which alike levels all, alike impresses all with a last revelation, which only an author from the dead could adequately tell. So that—let us say it again—no dying Chaldee or Greek had higher and holier thoughts than those, whose mysterious shades you saw creeping over the face of poor Queequeg, as he quietly lay in his swaying hammock, and the rolling sea seemed gently rocking him to his final rest, and the ocean’s invisible flood-tide lifted him higher and higher towards his destined heaven. + +Not a man of the crew but gave him up; and, as for Queequeg himself, what he thought of his case was forcibly shown by a curious favour he asked. He called one to him in the grey morning watch, when the day was just breaking, and taking his hand, said that while in Nantucket he had chanced to see certain little canoes of dark wood, like the rich war-wood of his native isle; and upon inquiry, he had learned that all whalemen who died in Nantucket, were laid in those same dark canoes, and that the fancy of being so laid had much pleased him; for it was not unlike the custom of his own race, who, after embalming a dead warrior, stretched him out in his canoe, and so left him to be floated away to the starry archipelagoes; for not only do they believe that the stars are isles, but that far beyond all visible horizons, their own mild, uncontinented seas, interflow with the blue heavens; and so form the white breakers of the milky way. He added, that he shuddered at the thought of being buried in his hammock, according to the usual sea-custom, tossed like something vile to the death-devouring sharks. No: he desired a canoe like those of Nantucket, all the more congenial to him, being a whaleman, that like a whale-boat these coffin-canoes were without a keel; though that involved but uncertain steering, and much lee-way adown the dim ages. + +Now, when this strange circumstance was made known aft, the carpenter was at once commanded to do Queequeg’s bidding, whatever it might include. There was some heathenish, coffin-coloured old lumber aboard, which, upon a long previous voyage, had been cut from the aboriginal groves of the Lackaday islands, and from these dark planks the coffin was recommended to be made. No sooner was the carpenter apprised of the order, than taking his rule, he forthwith with all the indifferent promptitude of his character, proceeded into the forecastle and took Queequeg’s measure with great accuracy, regularly chalking Queequeg’s person as he shifted the rule. + +“Ah! poor fellow! he’ll have to die now,” ejaculated the Long Island sailor. + +Going to his vice-bench, the carpenter for convenience sake and general reference, now transferringly measured on it the exact length the coffin was to be, and then made the transfer permanent by cutting two notches at its extremities. This done, he marshalled the planks and his tools, and to work. + +When the last nail was driven, and the lid duly planed and fitted, he lightly shouldered the coffin and went forward with it, inquiring whether they were ready for it yet in that direction. + +Overhearing the indignant but half-humorous cries with which the people on deck began to drive the coffin away, Queequeg, to every one’s consternation, commanded that the thing should be instantly brought to him, nor was there any denying him; seeing that, of all mortals, some dying men are the most tyrannical; and certainly, since they will shortly trouble us so little for evermore, the poor fellows ought to be indulged. + +Leaning over in his hammock, Queequeg long regarded the coffin with an attentive eye. He then called for his harpoon, had the wooden stock drawn from it, and then had the iron part placed in the coffin along with one of the paddles of his boat. All by his own request, also, biscuits were then ranged round the sides within: a flask of fresh water was placed at the head, and a small bag of woody earth scraped up in the hold at the foot; and a piece of sail-cloth being rolled up for a pillow, Queequeg now entreated to be lifted into his final bed, that he might make trial of its comforts, if any it had. He lay without moving a few minutes, then told one to go to his bag and bring out his little god, Yojo. Then crossing his arms on his breast with Yojo between, he called for the coffin lid (hatch he called it) to be placed over him. The head part turned over with a leather hinge, and there lay Queequeg in his coffin with little but his composed countenance in view. “Rarmai” (it will do; it is easy), he murmured at last, and signed to be replaced in his hammock. + +But ere this was done, Pip, who had been slily hovering near by all this while, drew nigh to him where he lay, and with soft sobbings, took him by the hand; in the other, holding his tambourine. + +“Poor rover! will ye never have done with all this weary roving? where go ye now? But if the currents carry ye to those sweet Antilles where the beaches are only beat with water-lilies, will ye do one little errand for me? Seek out one Pip, who’s now been missing long: I think he’s in those far Antilles. If ye find him, then comfort him; for he must be very sad; for look! he’s left his tambourine behind;—I found it. Rig-a-dig, dig, dig! Now, Queequeg, die; and I’ll beat ye your dying march.” + +“I have heard,” murmured Starbuck, gazing down the scuttle, “that in violent fevers, men, all ignorance, have talked in ancient tongues; and that when the mystery is probed, it turns out always that in their wholly forgotten childhood those ancient tongues had been really spoken in their hearing by some lofty scholars. So, to my fond faith, poor Pip, in this strange sweetness of his lunacy, brings heavenly vouchers of all our heavenly homes. Where learned he that, but there?—Hark! he speaks again: but more wildly now.” + +“Form two and two! Let’s make a General of him! Ho, where’s his harpoon? Lay it across here.—Rig-a-dig, dig, dig! huzza! Oh for a game cock now to sit upon his head and crow! Queequeg dies game!—mind ye that; Queequeg dies game!—take ye good heed of that; Queequeg dies game! I say; game, game, game! but base little Pip, he died a coward; died all a’shiver;—out upon Pip! Hark ye; if ye find Pip, tell all the Antilles he’s a runaway; a coward, a coward, a coward! Tell them he jumped from a whale-boat! I’d never beat my tambourine over base Pip, and hail him General, if he were once more dying here. No, no! shame upon all cowards—shame upon them! Let ‘em go drown like Pip, that jumped from a whale-boat. Shame! shame!” + +During all this, Queequeg lay with closed eyes, as if in a dream. Pip was led away, and the sick man was replaced in his hammock. + +But now that he had apparently made every preparation for death; now that his coffin was proved a good fit, Queequeg suddenly rallied; soon there seemed no need of the carpenter’s box: and thereupon, when some expressed their delighted surprise, he, in substance, said, that the cause of his sudden convalescence was this;—at a critical moment, he had just recalled a little duty ashore, which he was leaving undone; and therefore had changed his mind about dying: he could not die yet, he averred. They asked him, then, whether to live or die was a matter of his own sovereign will and pleasure. He answered, certainly. In a word, it was Queequeg’s conceit, that if a man made up his mind to live, mere sickness could not kill him: nothing but a whale, or a gale, or some violent, ungovernable, unintelligent destroyer of that sort. + +Now, there is this noteworthy difference between savage and civilized; that while a sick, civilized man may be six months convalescing, generally speaking, a sick savage is almost half-well again in a day. So, in good time my Queequeg gained strength; and at length after sitting on the windlass for a few indolent days (but eating with a vigorous appetite) he suddenly leaped to his feet, threw out his arms and legs, gave himself a good stretching, yawned a little bit, and then springing into the head of his hoisted boat, and poising a harpoon, pronounced himself fit for a fight. + +With a wild whimsiness, he now used his coffin for a sea-chest; and emptying into it his canvas bag of clothes, set them in order there. Many spare hours he spent, in carving the lid with all manner of grotesque figures and drawings; and it seemed that hereby he was striving, in his rude way, to copy parts of the twisted tattooing on his body. And this tattooing had been the work of a departed prophet and seer of his island, who, by those hieroglyphic marks, had written out on his body a complete theory of the heavens and the earth, and a mystical treatise on the art of attaining truth; so that Queequeg in his own proper person was a riddle to unfold; a wondrous work in one volume; but whose mysteries not even himself could read, though his own live heart beat against them; and these mysteries were therefore destined in the end to moulder away with the living parchment whereon they were inscribed, and so be unsolved to the last. And this thought it must have been which suggested to Ahab that wild exclamation of his, when one morning turning away from surveying poor Queequeg—”Oh, devilish tantalization of the gods!” + +CHAPTER 111. The Pacific. + +When gliding by the Bashee isles we emerged at last upon the great South Sea; were it not for other things, I could have greeted my dear Pacific with uncounted thanks, for now the long supplication of my youth was answered; that serene ocean rolled eastwards from me a thousand leagues of blue. + +There is, one knows not what sweet mystery about this sea, whose gently awful stirrings seem to speak of some hidden soul beneath; like those fabled undulations of the Ephesian sod over the buried Evangelist St. John. And meet it is, that over these sea-pastures, wide-rolling watery prairies and Potters’ Fields of all four continents, the waves should rise and fall, and ebb and flow unceasingly; for here, millions of mixed shades and shadows, drowned dreams, somnambulisms, reveries; all that we call lives and souls, lie dreaming, dreaming, still; tossing like slumberers in their beds; the ever-rolling waves but made so by their restlessness. + +To any meditative Magian rover, this serene Pacific, once beheld, must ever after be the sea of his adoption. It rolls the midmost waters of the world, the Indian ocean and Atlantic being but its arms. The same waves wash the moles of the new-built Californian towns, but yesterday planted by the recentest race of men, and lave the faded but still gorgeous skirts of Asiatic lands, older than Abraham; while all between float milky-ways of coral isles, and low-lying, endless, unknown Archipelagoes, and impenetrable Japans. Thus this mysterious, divine Pacific zones the world’s whole bulk about; makes all coasts one bay to it; seems the tide-beating heart of earth. Lifted by those eternal swells, you needs must own the seductive god, bowing your head to Pan. + +But few thoughts of Pan stirred Ahab’s brain, as standing like an iron statue at his accustomed place beside the mizen rigging, with one nostril he unthinkingly snuffed the sugary musk from the Bashee isles (in whose sweet woods mild lovers must be walking), and with the other consciously inhaled the salt breath of the new found sea; that sea in which the hated White Whale must even then be swimming. Launched at length upon these almost final waters, and gliding towards the Japanese cruising-ground, the old man’s purpose intensified itself. His firm lips met like the lips of a vice; the Delta of his forehead’s veins swelled like overladen brooks; in his very sleep, his ringing cry ran through the vaulted hull, “Stern all! the White Whale spouts thick blood!” + +CHAPTER 112. The Blacksmith. + +Availing himself of the mild, summer-cool weather that now reigned in these latitudes, and in preparation for the peculiarly active pursuits shortly to be anticipated, Perth, the begrimed, blistered old blacksmith, had not removed his portable forge to the hold again, after concluding his contributory work for Ahab’s leg, but still retained it on deck, fast lashed to ringbolts by the foremast; being now almost incessantly invoked by the headsmen, and harpooneers, and bowsmen to do some little job for them; altering, or repairing, or new shaping their various weapons and boat furniture. Often he would be surrounded by an eager circle, all waiting to be served; holding boat-spades, pike-heads, harpoons, and lances, and jealously watching his every sooty movement, as he toiled. Nevertheless, this old man’s was a patient hammer wielded by a patient arm. No murmur, no impatience, no petulance did come from him. Silent, slow, and solemn; bowing over still further his chronically broken back, he toiled away, as if toil were life itself, and the heavy beating of his hammer the heavy beating of his heart. And so it was.—Most miserable! + +A peculiar walk in this old man, a certain slight but painful appearing yawing in his gait, had at an early period of the voyage excited the curiosity of the mariners. And to the importunity of their persisted questionings he had finally given in; and so it came to pass that every one now knew the shameful story of his wretched fate. + +Belated, and not innocently, one bitter winter’s midnight, on the road running between two country towns, the blacksmith half-stupidly felt the deadly numbness stealing over him, and sought refuge in a leaning, dilapidated barn. The issue was, the loss of the extremities of both feet. Out of this revelation, part by part, at last came out the four acts of the gladness, and the one long, and as yet uncatastrophied fifth act of the grief of his life’s drama. + +He was an old man, who, at the age of nearly sixty, had postponedly encountered that thing in sorrow’s technicals called ruin. He had been an artisan of famed excellence, and with plenty to do; owned a house and garden; embraced a youthful, daughter-like, loving wife, and three blithe, ruddy children; every Sunday went to a cheerful-looking church, planted in a grove. But one night, under cover of darkness, and further concealed in a most cunning disguisement, a desperate burglar slid into his happy home, and robbed them all of everything. And darker yet to tell, the blacksmith himself did ignorantly conduct this burglar into his family’s heart. It was the Bottle Conjuror! Upon the opening of that fatal cork, forth flew the fiend, and shrivelled up his home. Now, for prudent, most wise, and economic reasons, the blacksmith’s shop was in the basement of his dwelling, but with a separate entrance to it; so that always had the young and loving healthy wife listened with no unhappy nervousness, but with vigorous pleasure, to the stout ringing of her young-armed old husband’s hammer; whose reverberations, muffled by passing through the floors and walls, came up to her, not unsweetly, in her nursery; and so, to stout Labor’s iron lullaby, the blacksmith’s infants were rocked to slumber. + +Oh, woe on woe! Oh, Death, why canst thou not sometimes be timely? Hadst thou taken this old blacksmith to thyself ere his full ruin came upon him, then had the young widow had a delicious grief, and her orphans a truly venerable, legendary sire to dream of in their after years; and all of them a care-killing competency. But Death plucked down some virtuous elder brother, on whose whistling daily toil solely hung the responsibilities of some other family, and left the worse than useless old man standing, till the hideous rot of life should make him easier to harvest. + +Why tell the whole? The blows of the basement hammer every day grew more and more between; and each blow every day grew fainter than the last; the wife sat frozen at the window, with tearless eyes, glitteringly gazing into the weeping faces of her children; the bellows fell; the forge choked up with cinders; the house was sold; the mother dived down into the long church-yard grass; her children twice followed her thither; and the houseless, familyless old man staggered off a vagabond in crape; his every woe unreverenced; his grey head a scorn to flaxen curls! + +Death seems the only desirable sequel for a career like this; but Death is only a launching into the region of the strange Untried; it is but the first salutation to the possibilities of the immense Remote, the Wild, the Watery, the Unshored; therefore, to the death-longing eyes of such men, who still have left in them some interior compunctions against suicide, does the all-contributed and all-receptive ocean alluringly spread forth his whole plain of unimaginable, taking terrors, and wonderful, new-life adventures; and from the hearts of infinite Pacifics, the thousand mermaids sing to them—”Come hither, broken-hearted; here is another life without the guilt of intermediate death; here are wonders supernatural, without dying for them. Come hither! bury thyself in a life which, to your now equally abhorred and abhorring, landed world, is more oblivious than death. Come hither! put up THY gravestone, too, within the churchyard, and come hither, till we marry thee!” + +Hearkening to these voices, East and West, by early sunrise, and by fall of eve, the blacksmith’s soul responded, Aye, I come! And so Perth went a-whaling. + +CHAPTER 113. The Forge. + +With matted beard, and swathed in a bristling shark-skin apron, about mid-day, Perth was standing between his forge and anvil, the latter placed upon an iron-wood log, with one hand holding a pike-head in the coals, and with the other at his forge’s lungs, when Captain Ahab came along, carrying in his hand a small rusty-looking leathern bag. While yet a little distance from the forge, moody Ahab paused; till at last, Perth, withdrawing his iron from the fire, began hammering it upon the anvil—the red mass sending off the sparks in thick hovering flights, some of which flew close to Ahab. + +If thou could’st, blacksmith, glad enough would I lay my head upon thy anvil, and feel thy heaviest hammer between my eyes. Answer! Can’st not smoothe this seam? +“Are these thy Mother Carey’s chickens, Perth? they are always flying in thy wake; birds of good omen, too, but not to all;—look here, they burn; but thou—thou liv’st among them without a scorch.” + +“Because I am scorched all over, Captain Ahab,” answered Perth, resting for a moment on his hammer; “I am past scorching; not easily can’st thou scorch a scar.” + +“Well, well; no more. Thy shrunk voice sounds too calmly, sanely woeful to me. In no Paradise myself, I am impatient of all misery in others that is not mad. Thou should’st go mad, blacksmith; say, why dost thou not go mad? How can’st thou endure without being mad? Do the heavens yet hate thee, that thou can’st not go mad?—What wert thou making there?” + +“Welding an old pike-head, sir; there were seams and dents in it.” + +“And can’st thou make it all smooth again, blacksmith, after such hard usage as it had?” + +“I think so, sir.” + +“And I suppose thou can’st smoothe almost any seams and dents; never mind how hard the metal, blacksmith?” + +“Aye, sir, I think I can; all seams and dents but one.” + +“Look ye here, then,” cried Ahab, passionately advancing, and leaning with both hands on Perth’s shoulders; “look ye here—HERE—can ye smoothe out a seam like this, blacksmith,” sweeping one hand across his ribbed brow; “if thou could’st, blacksmith, glad enough would I lay my head upon thy anvil, and feel thy heaviest hammer between my eyes. Answer! Can’st thou smoothe this seam?” + +“Oh! that is the one, sir! Said I not all seams and dents but one?” + +“Aye, blacksmith, it is the one; aye, man, it is unsmoothable; for though thou only see’st it here in my flesh, it has worked down into the bone of my skull—THAT is all wrinkles! But, away with child’s play; no more gaffs and pikes to-day. Look ye here!” jingling the leathern bag, as if it were full of gold coins. “I, too, want a harpoon made; one that a thousand yoke of fiends could not part, Perth; something that will stick in a whale like his own fin-bone. There’s the stuff,” flinging the pouch upon the anvil. “Look ye, blacksmith, these are the gathered nail-stubbs of the steel shoes of racing horses.” + +“Horse-shoe stubbs, sir? Why, Captain Ahab, thou hast here, then, the best and stubbornest stuff we blacksmiths ever work.” + +“I know it, old man; these stubbs will weld together like glue from the melted bones of murderers. Quick! forge me the harpoon. And forge me first, twelve rods for its shank; then wind, and twist, and hammer these twelve together like the yarns and strands of a tow-line. Quick! I’ll blow the fire.” + +When at last the twelve rods were made, Ahab tried them, one by one, by spiralling them, with his own hand, round a long, heavy iron bolt. “A flaw!” rejecting the last one. “Work that over again, Perth.” + +This done, Perth was about to begin welding the twelve into one, when Ahab stayed his hand, and said he would weld his own iron. As, then, with regular, gasping hems, he hammered on the anvil, Perth passing to him the glowing rods, one after the other, and the hard pressed forge shooting up its intense straight flame, the Parsee passed silently, and bowing over his head towards the fire, seemed invoking some curse or some blessing on the toil. But, as Ahab looked up, he slid aside. + +“What’s that bunch of lucifers dodging about there for?” muttered Stubb, looking on from the forecastle. “That Parsee smells fire like a fusee; and smells of it himself, like a hot musket’s powder-pan.” + +At last the shank, in one complete rod, received its final heat; and as Perth, to temper it, plunged it all hissing into the cask of water near by, the scalding steam shot up into Ahab’s bent face. + +“Would’st thou brand me, Perth?” wincing for a moment with the pain; “have I been but forging my own branding-iron, then?” + +“Pray God, not that; yet I fear something, Captain Ahab. Is not this harpoon for the White Whale?” + +“For the white fiend! But now for the barbs; thou must make them thyself, man. Here are my razors—the best of steel; here, and make the barbs sharp as the needle-sleet of the Icy Sea.” + +For a moment, the old blacksmith eyed the razors as though he would fain not use them. + +“Take them, man, I have no need for them; for I now neither shave, sup, nor pray till—but here—to work!” + +Fashioned at last into an arrowy shape, and welded by Perth to the shank, the steel soon pointed the end of the iron; and as the blacksmith was about giving the barbs their final heat, prior to tempering them, he cried to Ahab to place the water-cask near. + +“No, no—no water for that; I want it of the true death-temper. Ahoy, there! Tashtego, Queequeg, Daggoo! What say ye, pagans! Will ye give me as much blood as will cover this barb?” holding it high up. A cluster of dark nods replied, Yes. Three punctures were made in the heathen flesh, and the White Whale’s barbs were then tempered. + +“Ego non baptizo te in nomine patris, sed in nomine diaboli!” deliriously howled Ahab, as the malignant iron scorchingly devoured the baptismal blood. + +Now, mustering the spare poles from below, and selecting one of hickory, with the bark still investing it, Ahab fitted the end to the socket of the iron. A coil of new tow-line was then unwound, and some fathoms of it taken to the windlass, and stretched to a great tension. Pressing his foot upon it, till the rope hummed like a harp-string, then eagerly bending over it, and seeing no strandings, Ahab exclaimed, “Good! and now for the seizings.” + +At one extremity the rope was unstranded, and the separate spread yarns were all braided and woven round the socket of the harpoon; the pole was then driven hard up into the socket; from the lower end the rope was traced half-way along the pole’s length, and firmly secured so, with intertwistings of twine. This done, pole, iron, and rope—like the Three Fates—remained inseparable, and Ahab moodily stalked away with the weapon; the sound of his ivory leg, and the sound of the hickory pole, both hollowly ringing along every plank. But ere he entered his cabin, light, unnatural, half-bantering, yet most piteous sound was heard. Oh, Pip! thy wretched laugh, thy idle but unresting eye; all thy strange mummeries not unmeaningly blended with the black tragedy of the melancholy ship, and mocked it! + +CHAPTER 114. The Gilder. + +Penetrating further and further into the heart of the Japanese cruising ground, the Pequod was soon all astir in the fishery. Often, in mild, pleasant weather, for twelve, fifteen, eighteen, and twenty hours on the stretch, they were engaged in the boats, steadily pulling, or sailing, or paddling after the whales, or for an interlude of sixty or seventy minutes calmly awaiting their uprising; though with but small success for their pains. + +At such times, under an abated sun; afloat all day upon smooth, slow heaving swells; seated in his boat, light as a birch canoe; and so sociably mixing with the soft waves themselves, that like hearth-stone cats they purr against the gunwale; these are the times of dreamy quietude, when beholding the tranquil beauty and brilliancy of the ocean’s skin, one forgets the tiger heart that pants beneath it; and would not willingly remember, that this velvet paw but conceals a remorseless fang. + +These are the times, when in his whale-boat the rover softly feels a certain filial, confident, land-like feeling towards the sea; that he regards it as so much flowery earth; and the distant ship revealing only the tops of her masts, seems struggling forward, not through high rolling waves, but through the tall grass of a rolling prairie: as when the western emigrants’ horses only show their erected ears, while their hidden bodies widely wade through the amazing verdure. + +The long-drawn virgin vales; the mild blue hill-sides; as over these there steals the hush, the hum; you almost swear that play-wearied children lie sleeping in these solitudes, in some glad May-time, when the flowers of the woods are plucked. And all this mixes with your most mystic mood; so that fact and fancy, half-way meeting, interpenetrate, and form one seamless whole. + +Nor did such soothing scenes, however temporary, fail of at least as temporary an effect on Ahab. But if these secret golden keys did seem to open in him his own secret golden treasuries, yet did his breath upon them prove but tarnishing. + +Oh, grassy glades! oh, ever vernal endless landscapes in the soul; in ye,—though long parched by the dead drought of the earthy life,—in ye, men yet may roll, like young horses in new morning clover; and for some few fleeting moments, feel the cool dew of the life immortal on them. Would to God these blessed calms would last. But the mingled, mingling threads of life are woven by warp and woof: calms crossed by storms, a storm for every calm. There is no steady unretracing progress in this life; we do not advance through fixed gradations, and at the last one pause:—through infancy’s unconscious spell, boyhood’s thoughtless faith, adolescence’ doubt (the common doom), then scepticism, then disbelief, resting at last in manhood’s pondering repose of If. But once gone through, we trace the round again; and are infants, boys, and men, and Ifs eternally. Where lies the final harbor, whence we unmoor no more? In what rapt ether sails the world, of which the weariest will never weary? Where is the foundling’s father hidden? Our souls are like those orphans whose unwedded mothers die in bearing them: the secret of our paternity lies in their grave, and we must there to learn it. + +And that same day, too, gazing far down from his boat’s side into that same golden sea, Starbuck lowly murmured:— + +“Loveliness unfathomable, as ever lover saw in his young bride’s eye!—Tell me not of thy teeth-tiered sharks, and thy kidnapping cannibal ways. Let faith oust fact; let fancy oust memory; I look deep down and do believe.” + +And Stubb, fish-like, with sparkling scales, leaped up in that same golden light:— + +“I am Stubb, and Stubb has his history; but here Stubb takes oaths that he has always been jolly!” + +CHAPTER 115. The Pequod Meets The Bachelor. + +And jolly enough were the sights and the sounds that came bearing down before the wind, some few weeks after Ahab’s harpoon had been welded. + +It was a Nantucket ship, the Bachelor, which had just wedged in her last cask of oil, and bolted down her bursting hatches; and now, in glad holiday apparel, was joyously, though somewhat vain-gloriously, sailing round among the widely-separated ships on the ground, previous to pointing her prow for home. + +The three men at her mast-head wore long streamers of narrow red bunting at their hats; from the stern, a whale-boat was suspended, bottom down; and hanging captive from the bowsprit was seen the long lower jaw of the last whale they had slain. Signals, ensigns, and jacks of all colours were flying from her rigging, on every side. Sideways lashed in each of her three basketed tops were two barrels of sperm; above which, in her top-mast cross-trees, you saw slender breakers of the same precious fluid; and nailed to her main truck was a brazen lamp. + +As was afterwards learned, the Bachelor had met with the most surprising success; all the more wonderful, for that while cruising in the same seas numerous other vessels had gone entire months without securing a single fish. Not only had barrels of beef and bread been given away to make room for the far more valuable sperm, but additional supplemental casks had been bartered for, from the ships she had met; and these were stowed along the deck, and in the captain’s and officers’ state-rooms. Even the cabin table itself had been knocked into kindling-wood; and the cabin mess dined off the broad head of an oil-butt, lashed down to the floor for a centrepiece. In the forecastle, the sailors had actually caulked and pitched their chests, and filled them; it was humorously added, that the cook had clapped a head on his largest boiler, and filled it; that the steward had plugged his spare coffee-pot and filled it; that the harpooneers had headed the sockets of their irons and filled them; that indeed everything was filled with sperm, except the captain’s pantaloons pockets, and those he reserved to thrust his hands into, in self-complacent testimony of his entire satisfaction. + +As this glad ship of good luck bore down upon the moody Pequod, the barbarian sound of enormous drums came from her forecastle; and drawing still nearer, a crowd of her men were seen standing round her huge try-pots, which, covered with the parchment-like POKE or stomach skin of the black fish, gave forth a loud roar to every stroke of the clenched hands of the crew. On the quarter-deck, the mates and harpooneers were dancing with the olive-hued girls who had eloped with them from the Polynesian Isles; while suspended in an ornamented boat, firmly secured aloft between the foremast and mainmast, three Long Island negroes, with glittering fiddle-bows of whale ivory, were presiding over the hilarious jig. Meanwhile, others of the ship’s company were tumultuously busy at the masonry of the try-works, from which the huge pots had been removed. You would have almost thought they were pulling down the cursed Bastille, such wild cries they raised, as the now useless brick and mortar were being hurled into the sea. + +Lord and master over all this scene, the captain stood erect on the ship’s elevated quarter-deck, so that the whole rejoicing drama was full before him, and seemed merely contrived for his own individual diversion. + +And Ahab, he too was standing on his quarter-deck, shaggy and black, with a stubborn gloom; and as the two ships crossed each other’s wakes—one all jubilations for things passed, the other all forebodings as to things to come—their two captains in themselves impersonated the whole striking contrast of the scene. + +“Come aboard, come aboard!” cried the gay Bachelor’s commander, lifting a glass and a bottle in the air. + +“Hast seen the White Whale?” gritted Ahab in reply. + +“No; only heard of him; but don’t believe in him at all,” said the other good-humoredly. “Come aboard!” + +“Thou art too damned jolly. Sail on. Hast lost any men?” + +“Not enough to speak of—two islanders, that’s all;—but come aboard, old hearty, come along. I’ll soon take that black from your brow. Come along, will ye (merry’s the play); a full ship and homeward-bound.” + +“How wondrous familiar is a fool!” muttered Ahab; then aloud, “Thou art a full ship and homeward bound, thou sayst; well, then, call me an empty ship, and outward-bound. So go thy ways, and I will mine. Forward there! Set all sail, and keep her to the wind!” + +And thus, while the one ship went cheerily before the breeze, the other stubbornly fought against it; and so the two vessels parted; the crew of the Pequod looking with grave, lingering glances towards the receding Bachelor; but the Bachelor’s men never heeding their gaze for the lively revelry they were in. And as Ahab, leaning over the taffrail, eyed the homewardbound craft, he took from his pocket a small vial of sand, and then looking from the ship to the vial, seemed thereby bringing two remote associations together, for that vial was filled with Nantucket soundings. + +CHAPTER 116. The Dying Whale. + +Not seldom in this life, when, on the right side, fortune’s favourites sail close by us, we, though all adroop before, catch somewhat of the rushing breeze, and joyfully feel our bagging sails fill out. So seemed it with the Pequod. For next day after encountering the gay Bachelor, whales were seen and four were slain; and one of them by Ahab. + +It was far down the afternoon; and when all the spearings of the crimson fight were done: and floating in the lovely sunset sea and sky, sun and whale both stilly died together; then, such a sweetness and such plaintiveness, such inwreathing orisons curled up in that rosy air, that it almost seemed as if far over from the deep green convent valleys of the Manilla isles, the Spanish land-breeze, wantonly turned sailor, had gone to sea, freighted with these vesper hymns. + +Soothed again, but only soothed to deeper gloom, Ahab, who had sterned off from the whale, sat intently watching his final wanings from the now tranquil boat. For that strange spectacle observable in all sperm whales dying—the turning sunwards of the head, and so expiring—that strange spectacle, beheld of such a placid evening, somehow to Ahab conveyed a wondrousness unknown before. + +“He turns and turns him to it,—how slowly, but how steadfastly, his homage-rendering and invoking brow, with his last dying motions. He too worships fire; most faithful, broad, baronial vassal of the sun!—Oh that these too-favouring eyes should see these too-favouring sights. Look! here, far water-locked; beyond all hum of human weal or woe; in these most candid and impartial seas; where to traditions no rocks furnish tablets; where for long Chinese ages, the billows have still rolled on speechless and unspoken to, as stars that shine upon the Niger’s unknown source; here, too, life dies sunwards full of faith; but see! no sooner dead, than death whirls round the corpse, and it heads some other way. + +“Oh, thou dark Hindoo half of nature, who of drowned bones hast builded thy separate throne somewhere in the heart of these unverdured seas; thou art an infidel, thou queen, and too truly speakest to me in the wide-slaughtering Typhoon, and the hushed burial of its after calm. Nor has this thy whale sunwards turned his dying head, and then gone round again, without a lesson to me. + +“Oh, trebly hooped and welded hip of power! Oh, high aspiring, rainbowed jet!—that one strivest, this one jettest all in vain! In vain, oh whale, dost thou seek intercedings with yon all-quickening sun, that only calls forth life, but gives it not again. Yet dost thou, darker half, rock me with a prouder, if a darker faith. All thy unnamable imminglings float beneath me here; I am buoyed by breaths of once living things, exhaled as air, but water now. + +“Then hail, for ever hail, O sea, in whose eternal tossings the wild fowl finds his only rest. Born of earth, yet suckled by the sea; though hill and valley mothered me, ye billows are my foster-brothers!” + +CHAPTER 117. The Whale Watch. + +The four whales slain that evening had died wide apart; one, far to windward; one, less distant, to leeward; one ahead; one astern. These last three were brought alongside ere nightfall; but the windward one could not be reached till morning; and the boat that had killed it lay by its side all night; and that boat was Ahab’s. + +The waif-pole was thrust upright into the dead whale’s spout-hole; and the lantern hanging from its top, cast a troubled flickering glare upon the black, glossy back, and far out upon the midnight waves, which gently chafed the whale’s broad flank, like soft surf upon a beach. + +Ahab and all his boat’s crew seemed asleep but the Parsee; who crouching in the bow, sat watching the sharks, that spectrally played round the whale, and tapped the light cedar planks with their tails. A sound like the moaning in squadrons over Asphaltites of unforgiven ghosts of Gomorrah, ran shuddering through the air. + +Started from his slumbers, Ahab, face to face, saw the Parsee; and hooped round by the gloom of the night they seemed the last men in a flooded world. “I have dreamed it again,” said he. + +“Of the hearses? Have I not said, old man, that neither hearse nor coffin can be thine?” + +“And who are hearsed that die on the sea?” + +“But I said, old man, that ere thou couldst die on this voyage, two hearses must verily be seen by thee on the sea; the first not made by mortal hands; and the visible wood of the last one must be grown in America.” + +“Aye, aye! a strange sight that, Parsee:—a hearse and its plumes floating over the ocean with the waves for the pall-bearers. Ha! Such a sight we shall not soon see.” + +“Believe it or not, thou canst not die till it be seen, old man.” + +“And what was that saying about thyself?” + +“Though it come to the last, I shall still go before thee thy pilot.” + +“And when thou art so gone before—if that ever befall—then ere I can follow, thou must still appear to me, to pilot me still?—Was it not so? Well, then, did I believe all ye say, oh my pilot! I have here two pledges that I shall yet slay Moby Dick and survive it.” + +“Take another pledge, old man,” said the Parsee, as his eyes lighted up like fire-flies in the gloom—”Hemp only can kill thee.” + +“The gallows, ye mean.—I am immortal then, on land and on sea,” cried Ahab, with a laugh of derision;—”Immortal on land and on sea!” + +Both were silent again, as one man. The grey dawn came on, and the slumbering crew arose from the boat’s bottom, and ere noon the dead whale was brought to the ship. + +CHAPTER 118. The Quadrant. + +The season for the Line at length drew near; and every day when Ahab, coming from his cabin, cast his eyes aloft, the vigilant helmsman would ostentatiously handle his spokes, and the eager mariners quickly run to the braces, and would stand there with all their eyes centrally fixed on the nailed doubloon; impatient for the order to point the ship’s prow for the equator. In good time the order came. It was hard upon high noon; and Ahab, seated in the bows of his high-hoisted boat, was about taking his wonted daily observation of the sun to determine his latitude. + +Now, in that Japanese sea, the days in summer are as freshets of effulgences. That unblinkingly vivid Japanese sun seems the blazing focus of the glassy ocean’s immeasurable burning-glass. The sky looks lacquered; clouds there are none; the horizon floats; and this nakedness of unrelieved radiance is as the insufferable splendors of God’s throne. Well that Ahab’s quadrant was furnished with coloured glasses, through which to take sight of that solar fire. So, swinging his seated form to the roll of the ship, and with his astrological-looking instrument placed to his eye, he remained in that posture for some moments to catch the precise instant when the sun should gain its precise meridian. Meantime while his whole attention was absorbed, the Parsee was kneeling beneath him on the ship’s deck, and with face thrown up like Ahab’s, was eyeing the same sun with him; only the lids of his eyes half hooded their orbs, and his wild face was subdued to an earthly passionlessness. At length the desired observation was taken; and with his pencil upon his ivory leg, Ahab soon calculated what his latitude must be at that precise instant. Then falling into a moment’s revery, he again looked up towards the sun and murmured to himself: “Thou sea-mark! thou high and mighty Pilot! thou tellest me truly where I AM—but canst thou cast the least hint where I SHALL be? Or canst thou tell where some other thing besides me is this moment living? Where is Moby Dick? This instant thou must be eyeing him. These eyes of mine look into the very eye that is even now beholding him; aye, and into the eye that is even now equally beholding the objects on the unknown, thither side of thee, thou sun!” + +Then gazing at his quadrant, and handling, one after the other, its numerous cabalistical contrivances, he pondered again, and muttered: “Foolish toy! babies’ plaything of haughty Admirals, and Commodores, and Captains; the world brags of thee, of thy cunning and might; but what after all canst thou do, but tell the poor, pitiful point, where thou thyself happenest to be on this wide planet, and the hand that holds thee: no! not one jot more! Thou canst not tell where one drop of water or one grain of sand will be to-morrow noon; and yet with thy impotence thou insultest the sun! Science! Curse thee, thou vain toy; and cursed be all the things that cast man’s eyes aloft to that heaven, whose live vividness but scorches him, as these old eyes are even now scorched with thy light, O sun! Level by nature to this earth’s horizon are the glances of man’s eyes; not shot from the crown of his head, as if God had meant him to gaze on his firmament. Curse thee, thou quadrant!” dashing it to the deck, “no longer will I guide my earthly way by thee; the level ship’s compass, and the level deadreckoning, by log and by line; THESE shall conduct me, and show me my place on the sea. Aye,” lighting from the boat to the deck, “thus I trample on thee, thou paltry thing that feebly pointest on high; thus I split and destroy thee!” + +As the frantic old man thus spoke and thus trampled with his live and dead feet, a sneering triumph that seemed meant for Ahab, and a fatalistic despair that seemed meant for himself—these passed over the mute, motionless Parsee’s face. Unobserved he rose and glided away; while, awestruck by the aspect of their commander, the seamen clustered together on the forecastle, till Ahab, troubledly pacing the deck, shouted out—”To the braces! Up helm!—square in!” + +In an instant the yards swung round; and as the ship half-wheeled upon her heel, her three firm-seated graceful masts erectly poised upon her long, ribbed hull, seemed as the three Horatii pirouetting on one sufficient steed. + +Standing between the knight-heads, Starbuck watched the Pequod’s tumultuous way, and Ahab’s also, as he went lurching along the deck. + +“I have sat before the dense coal fire and watched it all aglow, full of its tormented flaming life; and I have seen it wane at last, down, down, to dumbest dust. Old man of oceans! of all this fiery life of thine, what will at length remain but one little heap of ashes!” + +“Aye,” cried Stubb, “but sea-coal ashes—mind ye that, Mr. Starbuck—sea-coal, not your common charcoal. Well, well; I heard Ahab mutter, ‘Here some one thrusts these cards into these old hands of mine; swears that I must play them, and no others.’ And damn me, Ahab, but thou actest right; live in the game, and die in it!” + +CHAPTER 119. The Candles. + +Warmest climes but nurse the cruellest fangs: the tiger of Bengal crouches in spiced groves of ceaseless verdure. Skies the most effulgent but basket the deadliest thunders: gorgeous Cuba knows tornadoes that never swept tame northern lands. So, too, it is, that in these resplendent Japanese seas the mariner encounters the direst of all storms, the Typhoon. It will sometimes burst from out that cloudless sky, like an exploding bomb upon a dazed and sleepy town. + +Towards evening of that day, the Pequod was torn of her canvas, and bare-poled was left to fight a Typhoon which had struck her directly ahead. When darkness came on, sky and sea roared and split with the thunder, and blazed with the lightning, that showed the disabled masts fluttering here and there with the rags which the first fury of the tempest had left for its after sport. + +Holding by a shroud, Starbuck was standing on the quarter-deck; at every flash of the lightning glancing aloft, to see what additional disaster might have befallen the intricate hamper there; while Stubb and Flask were directing the men in the higher hoisting and firmer lashing of the boats. But all their pains seemed naught. Though lifted to the very top of the cranes, the windward quarter boat (Ahab’s) did not escape. A great rolling sea, dashing high up against the reeling ship’s high teetering side, stove in the boat’s bottom at the stern, and left it again, all dripping through like a sieve. + +“Bad work, bad work! Mr. Starbuck,” said Stubb, regarding the wreck, “but the sea will have its way. Stubb, for one, can’t fight it. You see, Mr. Starbuck, a wave has such a great long start before it leaps, all round the world it runs, and then comes the spring! But as for me, all the start I have to meet it, is just across the deck here. But never mind; it’s all in fun: so the old song says;”—(SINGS.) + +Oh! jolly is the gale, And a joker is the whale, A’ flourishin’ his tail,— Such a funny, sporty, gamy, jesty, joky, hoky-poky lad, is the Ocean, oh! The scud all a flyin’, That’s his flip only foamin’; When he stirs in the spicin’,— Such a funny, sporty, gamy, jesty, joky, hoky-poky lad, is the Ocean, oh! Thunder splits the ships, But he only smacks his lips, A tastin’ of this flip,— Such a funny, sporty, gamy, jesty, joky, hoky-poky lad, is the Ocean, oh! + +“Avast Stubb,” cried Starbuck, “let the Typhoon sing, and strike his harp here in our rigging; but if thou art a brave man thou wilt hold thy peace.” + +“But I am not a brave man; never said I was a brave man; I am a coward; and I sing to keep up my spirits. And I tell you what it is, Mr. Starbuck, there’s no way to stop my singing in this world but to cut my throat. And when that’s done, ten to one I sing ye the doxology for a wind-up.” + +“Madman! look through my eyes if thou hast none of thine own.” + +“What! how can you see better of a dark night than anybody else, never mind how foolish?” + +“Here!” cried Starbuck, seizing Stubb by the shoulder, and pointing his hand towards the weather bow, “markest thou not that the gale comes from the eastward, the very course Ahab is to run for Moby Dick? the very course he swung to this day noon? now mark his boat there; where is that stove? In the stern-sheets, man; where he is wont to stand—his stand-point is stove, man! Now jump overboard, and sing away, if thou must! + +“I don’t half understand ye: what’s in the wind?” + +“Yes, yes, round the Cape of Good Hope is the shortest way to Nantucket,” soliloquized Starbuck suddenly, heedless of Stubb’s question. “The gale that now hammers at us to stave us, we can turn it into a fair wind that will drive us towards home. Yonder, to windward, all is blackness of doom; but to leeward, homeward—I see it lightens up there; but not with the lightning.” + +At that moment in one of the intervals of profound darkness, following the flashes, a voice was heard at his side; and almost at the same instant a volley of thunder peals rolled overhead. + +“Who’s there?” + +“Old Thunder!” said Ahab, groping his way along the bulwarks to his pivot-hole; but suddenly finding his path made plain to him by elbowed lances of fire. + +Now, as the lightning rod to a spire on shore is intended to carry off the perilous fluid into the soil; so the kindred rod which at sea some ships carry to each mast, is intended to conduct it into the water. But as this conductor must descend to considerable depth, that its end may avoid all contact with the hull; and as moreover, if kept constantly towing there, it would be liable to many mishaps, besides interfering not a little with some of the rigging, and more or less impeding the vessel’s way in the water; because of all this, the lower parts of a ship’s lightning-rods are not always overboard; but are generally made in long slender links, so as to be the more readily hauled up into the chains outside, or thrown down into the sea, as occasion may require. + +“The rods! the rods!” cried Starbuck to the crew, suddenly admonished to vigilance by the vivid lightning that had just been darting flambeaux, to light Ahab to his post. “Are they overboard? drop them over, fore and aft. Quick!” + +“Avast!” cried Ahab; “let’s have fair play here, though we be the weaker side. Yet I’ll contribute to raise rods on the Himmalehs and Andes, that all the world may be secured; but out on privileges! Let them be, sir.” + +“Look aloft!” cried Starbuck. “The corpusants! the corpusants!” + +All the yard-arms were tipped with a pallid fire; and touched at each tri-pointed lightning-rod-end with three tapering white flames, each of the three tall masts was silently burning in that sulphurous air, like three gigantic wax tapers before an altar. + +“Blast the boat! let it go!” cried Stubb at this instant, as a swashing sea heaved up under his own little craft, so that its gunwale violently jammed his hand, as he was passing a lashing. “Blast it!”—but slipping backward on the deck, his uplifted eyes caught the flames; and immediately shifting his tone he cried—”The corpusants have mercy on us all!” + +To sailors, oaths are household words; they will swear in the trance of the calm, and in the teeth of the tempest; they will imprecate curses from the topsail-yard-arms, when most they teeter over to a seething sea; but in all my voyagings, seldom have I heard a common oath when God’s burning finger has been laid on the ship; when His “Mene, Mene, Tekel Upharsin” has been woven into the shrouds and the cordage. + +While this pallidness was burning aloft, few words were heard from the enchanted crew; who in one thick cluster stood on the forecastle, all their eyes gleaming in that pale phosphorescence, like a far away constellation of stars. Relieved against the ghostly light, the gigantic jet negro, Daggoo, loomed up to thrice his real stature, and seemed the black cloud from which the thunder had come. The parted mouth of Tashtego revealed his shark-white teeth, which strangely gleamed as if they too had been tipped by corpusants; while lit up by the preternatural light, Queequeg’s tattooing burned like Satanic blue flames on his body. + +The tableau all waned at last with the pallidness aloft; and once more the Pequod and every soul on her decks were wrapped in a pall. A moment or two passed, when Starbuck, going forward, pushed against some one. It was Stubb. “What thinkest thou now, man; I heard thy cry; it was not the same in the song.” + +“No, no, it wasn’t; I said the corpusants have mercy on us all; and I hope they will, still. But do they only have mercy on long faces?—have they no bowels for a laugh? And look ye, Mr. Starbuck—but it’s too dark to look. Hear me, then: I take that mast-head flame we saw for a sign of good luck; for those masts are rooted in a hold that is going to be chock a’ block with sperm-oil, d’ye see; and so, all that sperm will work up into the masts, like sap in a tree. Yes, our three masts will yet be as three spermaceti candles—that’s the good promise we saw.” + +At that moment Starbuck caught sight of Stubb’s face slowly beginning to glimmer into sight. Glancing upwards, he cried: “See! see!” and once more the high tapering flames were beheld with what seemed redoubled supernaturalness in their pallor. + +“The corpusants have mercy on us all,” cried Stubb, again. + +At the base of the mainmast, full beneath the doubloon and the flame, the Parsee was kneeling in Ahab’s front, but with his head bowed away from him; while near by, from the arched and overhanging rigging, where they had just been engaged securing a spar, a number of the seamen, arrested by the glare, now cohered together, and hung pendulous, like a knot of numbed wasps from a drooping, orchard twig. In various enchanted attitudes, like the standing, or stepping, or running skeletons in Herculaneum, others remained rooted to the deck; but all their eyes upcast. + +“Aye, aye, men!” cried Ahab. “Look up at it; mark it well; the white flame but lights the way to the White Whale! Hand me those mainmast links there; I would fain feel this pulse, and let mine beat against it; blood against fire! So.” + +Then turning—the last link held fast in his left hand, he put his foot upon the Parsee; and with fixed upward eye, and high-flung right arm, he stood erect before the lofty tri-pointed trinity of flames. + +“Oh! thou clear spirit of clear fire, whom on these seas I as Persian once did worship, till in the sacramental act so burned by thee, that to this hour I bear the scar; I now know thee, thou clear spirit, and I now know that thy right worship is defiance. To neither love nor reverence wilt thou be kind; and e’en for hate thou canst but kill; and all are killed. No fearless fool now fronts thee. I own thy speechless, placeless power; but to the last gasp of my earthquake life will dispute its unconditional, unintegral mastery in me. In the midst of the personified impersonal, a personality stands here. Though but a point at best; whencesoe’er I came; wheresoe’er I go; yet while I earthly live, the queenly personality lives in me, and feels her royal rights. But war is pain, and hate is woe. Come in thy lowest form of love, and I will kneel and kiss thee; but at thy highest, come as mere supernal power; and though thou launchest navies of full-freighted worlds, there’s that in here that still remains indifferent. Oh, thou clear spirit, of thy fire thou madest me, and like a true child of fire, I breathe it back to thee.” + +[SUDDEN, REPEATED FLASHES OF LIGHTNING; THE NINE FLAMES LEAP LENGTHWISE TO THRICE THEIR PREVIOUS HEIGHT; AHAB, WITH THE REST, CLOSES HIS EYES, HIS RIGHT HAND PRESSED HARD UPON THEM.] + +“I own thy speechless, placeless power; said I not so? Nor was it wrung from me; nor do I now drop these links. Thou canst blind; but I can then grope. Thou canst consume; but I can then be ashes. Take the homage of these poor eyes, and shutter-hands. I would not take it. The lightning flashes through my skull; mine eye-balls ache and ache; my whole beaten brain seems as beheaded, and rolling on some stunning ground. Oh, oh! Yet blindfold, yet will I talk to thee. Light though thou be, thou leapest out of darkness; but I am darkness leaping out of light, leaping out of thee! The javelins cease; open eyes; see, or not? There burn the flames! Oh, thou magnanimous! now I do glory in my genealogy. But thou art but my fiery father; my sweet mother, I know not. Oh, cruel! what hast thou done with her? There lies my puzzle; but thine is greater. Thou knowest not how came ye, hence callest thyself unbegotten; certainly knowest not thy beginning, hence callest thyself unbegun. I know that of me, which thou knowest not of thyself, oh, thou omnipotent. There is some unsuffusing thing beyond thee, thou clear spirit, to whom all thy eternity is but time, all thy creativeness mechanical. Through thee, thy flaming self, my scorched eyes do dimly see it. Oh, thou foundling fire, thou hermit immemorial, thou too hast thy incommunicable riddle, thy unparticipated grief. Here again with haughty agony, I read my sire. Leap! leap up, and lick the sky! I leap with thee; I burn with thee; would fain be welded with thee; defyingly I worship thee!” + +“The boat! the boat!” cried Starbuck, “look at thy boat, old man!” + +Ahab’s harpoon, the one forged at Perth’s fire, remained firmly lashed in its conspicuous crotch, so that it projected beyond his whale-boat’s bow; but the sea that had stove its bottom had caused the loose leather sheath to drop off; and from the keen steel barb there now came a levelled flame of pale, forked fire. As the silent harpoon burned there like a serpent’s tongue, Starbuck grasped Ahab by the arm—”God, God is against thee, old man; forbear! ‘tis an ill voyage! ill begun, ill continued; let me square the yards, while we may, old man, and make a fair wind of it homewards, to go on a better voyage than this.” + +Overhearing Starbuck, the panic-stricken crew instantly ran to the braces—though not a sail was left aloft. For the moment all the aghast mate’s thoughts seemed theirs; they raised a half mutinous cry. But dashing the rattling lightning links to the deck, and snatching the burning harpoon, Ahab waved it like a torch among them; swearing to transfix with it the first sailor that but cast loose a rope’s end. Petrified by his aspect, and still more shrinking from the fiery dart that he held, the men fell back in dismay, and Ahab again spoke:— + +“All your oaths to hunt the White Whale are as binding as mine; and heart, soul, and body, lungs and life, old Ahab is bound. And that ye may know to what tune this heart beats; look ye here; thus I blow out the last fear!” And with one blast of his breath he extinguished the flame. + +As in the hurricane that sweeps the plain, men fly the neighborhood of some lone, gigantic elm, whose very height and strength but render it so much the more unsafe, because so much the more a mark for thunderbolts; so at those last words of Ahab’s many of the mariners did run from him in a terror of dismay. + +CHAPTER 120. The Deck Towards the End of the First Night Watch. + +AHAB STANDING BY THE HELM. STARBUCK APPROACHING HIM. + +“We must send down the main-top-sail yard, sir. The band is working loose and the lee lift is half-stranded. Shall I strike it, sir?” + +“Strike nothing; lash it. If I had sky-sail poles, I’d sway them up now.” + +“Sir!—in God’s name!—sir?” + +“Well.” + +“The anchors are working, sir. Shall I get them inboard?” + +“Strike nothing, and stir nothing, but lash everything. The wind rises, but it has not got up to my table-lands yet. Quick, and see to it.—By masts and keels! he takes me for the hunch-backed skipper of some coasting smack. Send down my main-top-sail yard! Ho, gluepots! Loftiest trucks were made for wildest winds, and this brain-truck of mine now sails amid the cloud-scud. Shall I strike that? Oh, none but cowards send down their brain-trucks in tempest time. What a hooroosh aloft there! I would e’en take it for sublime, did I not know that the colic is a noisy malady. Oh, take medicine, take medicine!” + +CHAPTER 121. Midnight.—The Forecastle Bulwarks. + +STUBB AND FLASK MOUNTED ON THEM, AND PASSING ADDITIONAL LASHINGS OVER THE ANCHORS THERE HANGING. + +“No, Stubb; you may pound that knot there as much as you please, but you will never pound into me what you were just now saying. And how long ago is it since you said the very contrary? Didn’t you once say that whatever ship Ahab sails in, that ship should pay something extra on its insurance policy, just as though it were loaded with powder barrels aft and boxes of lucifers forward? Stop, now; didn’t you say so?” + +“Well, suppose I did? What then? I’ve part changed my flesh since that time, why not my mind? Besides, supposing we ARE loaded with powder barrels aft and lucifers forward; how the devil could the lucifers get afire in this drenching spray here? Why, my little man, you have pretty red hair, but you couldn’t get afire now. Shake yourself; you’re Aquarius, or the water-bearer, Flask; might fill pitchers at your coat collar. Don’t you see, then, that for these extra risks the Marine Insurance companies have extra guarantees? Here are hydrants, Flask. But hark, again, and I’ll answer ye the other thing. First take your leg off from the crown of the anchor here, though, so I can pass the rope; now listen. What’s the mighty difference between holding a mast’s lightning-rod in the storm, and standing close by a mast that hasn’t got any lightning-rod at all in a storm? Don’t you see, you timber-head, that no harm can come to the holder of the rod, unless the mast is first struck? What are you talking about, then? Not one ship in a hundred carries rods, and Ahab,—aye, man, and all of us,—were in no more danger then, in my poor opinion, than all the crews in ten thousand ships now sailing the seas. Why, you King-Post, you, I suppose you would have every man in the world go about with a small lightning-rod running up the corner of his hat, like a militia officer’s skewered feather, and trailing behind like his sash. Why don’t ye be sensible, Flask? it’s easy to be sensible; why don’t ye, then? any man with half an eye can be sensible.” + +“I don’t know that, Stubb. You sometimes find it rather hard.” + +“Yes, when a fellow’s soaked through, it’s hard to be sensible, that’s a fact. And I am about drenched with this spray. Never mind; catch the turn there, and pass it. Seems to me we are lashing down these anchors now as if they were never going to be used again. Tying these two anchors here, Flask, seems like tying a man’s hands behind him. And what big generous hands they are, to be sure. These are your iron fists, hey? What a hold they have, too! I wonder, Flask, whether the world is anchored anywhere; if she is, she swings with an uncommon long cable, though. There, hammer that knot down, and we’ve done. So; next to touching land, lighting on deck is the most satisfactory. I say, just wring out my jacket skirts, will ye? Thank ye. They laugh at long-togs so, Flask; but seems to me, a Long tailed coat ought always to be worn in all storms afloat. The tails tapering down that way, serve to carry off the water, d’ye see. Same with cocked hats; the cocks form gable-end eave-troughs, Flask. No more monkey-jackets and tarpaulins for me; I must mount a swallow-tail, and drive down a beaver; so. Halloa! whew! there goes my tarpaulin overboard; Lord, Lord, that the winds that come from heaven should be so unmannerly! This is a nasty night, lad.” + +CHAPTER 122. Midnight Aloft.—Thunder and Lightning. + +THE MAIN-TOP-SAIL YARD.—TASHTEGO PASSING NEW LASHINGS AROUND IT. + +“Um, um, um. Stop that thunder! Plenty too much thunder up here. What’s the use of thunder? Um, um, um. We don’t want thunder; we want rum; give us a glass of rum. Um, um, um!” + +CHAPTER 123. The Musket. + +During the most violent shocks of the Typhoon, the man at the Pequod’s jaw-bone tiller had several times been reelingly hurled to the deck by its spasmodic motions, even though preventer tackles had been attached to it—for they were slack—because some play to the tiller was indispensable. + +In a severe gale like this, while the ship is but a tossed shuttlecock to the blast, it is by no means uncommon to see the needles in the compasses, at intervals, go round and round. It was thus with the Pequod’s; at almost every shock the helmsman had not failed to notice the whirling velocity with which they revolved upon the cards; it is a sight that hardly anyone can behold without some sort of unwonted emotion. + +Some hours after midnight, the Typhoon abated so much, that through the strenuous exertions of Starbuck and Stubb—one engaged forward and the other aft—the shivered remnants of the jib and fore and main-top-sails were cut adrift from the spars, and went eddying away to leeward, like the feathers of an albatross, which sometimes are cast to the winds when that storm-tossed bird is on the wing. + +The three corresponding new sails were now bent and reefed, and a storm-trysail was set further aft; so that the ship soon went through the water with some precision again; and the course—for the present, East-south-east—which he was to steer, if practicable, was once more given to the helmsman. For during the violence of the gale, he had only steered according to its vicissitudes. But as he was now bringing the ship as near her course as possible, watching the compass meanwhile, lo! a good sign! the wind seemed coming round astern; aye, the foul breeze became fair! + +Instantly the yards were squared, to the lively song of “HO! THE FAIR WIND! OH-YE-HO, CHEERLY MEN!” the crew singing for joy, that so promising an event should so soon have falsified the evil portents preceding it. + +In compliance with the standing order of his commander—to report immediately, and at any one of the twenty-four hours, any decided change in the affairs of the deck,—Starbuck had no sooner trimmed the yards to the breeze—however reluctantly and gloomily,—than he mechanically went below to apprise Captain Ahab of the circumstance. + +Ere knocking at his state-room, he involuntarily paused before it a moment. The cabin lamp—taking long swings this way and that—was burning fitfully, and casting fitful shadows upon the old man’s bolted door,—a thin one, with fixed blinds inserted, in place of upper panels. The isolated subterraneousness of the cabin made a certain humming silence to reign there, though it was hooped round by all the roar of the elements. The loaded muskets in the rack were shiningly revealed, as they stood upright against the forward bulkhead. Starbuck was an honest, upright man; but out of Starbuck’s heart, at that instant when he saw the muskets, there strangely evolved an evil thought; but so blent with its neutral or good accompaniments that for the instant he hardly knew it for itself. + +“He would have shot me once,” he murmured, “yes, there’s the very musket that he pointed at me;—that one with the studded stock; let me touch it—lift it. Strange, that I, who have handled so many deadly lances, strange, that I should shake so now. Loaded? I must see. Aye, aye; and powder in the pan;—that’s not good. Best spill it?—wait. I’ll cure myself of this. I’ll hold the musket boldly while I think.—I come to report a fair wind to him. But how fair? Fair for death and doom,—THAT’S fair for Moby Dick. It’s a fair wind that’s only fair for that accursed fish.—The very tube he pointed at me!—the very one; THIS one—I hold it here; he would have killed me with the very thing I handle now.—Aye and he would fain kill all his crew. Does he not say he will not strike his spars to any gale? Has he not dashed his heavenly quadrant? and in these same perilous seas, gropes he not his way by mere dead reckoning of the error-abounding log? and in this very Typhoon, did he not swear that he would have no lightning-rods? But shall this crazed old man be tamely suffered to drag a whole ship’s company down to doom with him?—Yes, it would make him the wilful murderer of thirty men and more, if this ship come to any deadly harm; and come to deadly harm, my soul swears this ship will, if Ahab have his way. If, then, he were this instant—put aside, that crime would not be his. Ha! is he muttering in his sleep? Yes, just there,—in there, he’s sleeping. Sleeping? aye, but still alive, and soon awake again. I can’t withstand thee, then, old man. Not reasoning; not remonstrance; not entreaty wilt thou hearken to; all this thou scornest. Flat obedience to thy own flat commands, this is all thou breathest. Aye, and say’st the men have vow’d thy vow; say’st all of us are Ahabs. Great God forbid!—But is there no other way? no lawful way?—Make him a prisoner to be taken home? What! hope to wrest this old man’s living power from his own living hands? Only a fool would try it. Say he were pinioned even; knotted all over with ropes and hawsers; chained down to ring-bolts on this cabin floor; he would be more hideous than a caged tiger, then. I could not endure the sight; could not possibly fly his howlings; all comfort, sleep itself, inestimable reason would leave me on the long intolerable voyage. What, then, remains? The land is hundreds of leagues away, and locked Japan the nearest. I stand alone here upon an open sea, with two oceans and a whole continent between me and law.—Aye, aye, ‘tis so.—Is heaven a murderer when its lightning strikes a would-be murderer in his bed, tindering sheets and skin together?—And would I be a murderer, then, if”—and slowly, stealthily, and half sideways looking, he placed the loaded musket’s end against the door. + +“On this level, Ahab’s hammock swings within; his head this way. A touch, and Starbuck may survive to hug his wife and child again.—Oh Mary! Mary!—boy! boy! boy!—But if I wake thee not to death, old man, who can tell to what unsounded deeps Starbuck’s body this day week may sink, with all the crew! Great God, where art Thou? Shall I? shall I?—The wind has gone down and shifted, sir; the fore and main topsails are reefed and set; she heads her course.” + +“Stern all! Oh Moby Dick, I clutch thy heart at last!” + +Such were the sounds that now came hurtling from out the old man’s tormented sleep, as if Starbuck’s voice had caused the long dumb dream to speak. + +The yet levelled musket shook like a drunkard’s arm against the panel; Starbuck seemed wrestling with an angel; but turning from the door, he placed the death-tube in its rack, and left the place. + +“He’s too sound asleep, Mr. Stubb; go thou down, and wake him, and tell him. I must see to the deck here. Thou know’st what to say.” + +CHAPTER 124. The Needle. + +Next morning the not-yet-subsided sea rolled in long slow billows of mighty bulk, and striving in the Pequod’s gurgling track, pushed her on like giants’ palms outspread. The strong, unstaggering breeze abounded so, that sky and air seemed vast outbellying sails; the whole world boomed before the wind. Muffled in the full morning light, the invisible sun was only known by the spread intensity of his place; where his bayonet rays moved on in stacks. Emblazonings, as of crowned Babylonian kings and queens, reigned over everything. The sea was as a crucible of molten gold, that bubblingly leaps with light and heat. + +Long maintaining an enchanted silence, Ahab stood apart; and every time the tetering ship loweringly pitched down her bowsprit, he turned to eye the bright sun’s rays produced ahead; and when she profoundly settled by the stern, he turned behind, and saw the sun’s rearward place, and how the same yellow rays were blending with his undeviating wake. + +One after another they peered in, for nothing but their own eyes could persuade such ignorance as theirs, and one after another they slunk away. In his fiery eyes of scorn and triumph, you then saw Ahab in all his fatal pride. +“Ha, ha, my ship! thou mightest well be taken now for the sea-chariot of the sun. Ho, ho! all ye nations before my prow, I bring the sun to ye! Yoke on the further billows; hallo! a tandem, I drive the sea!” + +But suddenly reined back by some counter thought, he hurried towards the helm, huskily demanding how the ship was heading. + +“East-sou-east, sir,” said the frightened steersman. + +“Thou liest!” smiting him with his clenched fist. “Heading East at this hour in the morning, and the sun astern?” + +Upon this every soul was confounded; for the phenomenon just then observed by Ahab had unaccountably escaped every one else; but its very blinding palpableness must have been the cause. + +Thrusting his head half way into the binnacle, Ahab caught one glimpse of the compasses; his uplifted arm slowly fell; for a moment he almost seemed to stagger. Standing behind him Starbuck looked, and lo! the two compasses pointed East, and the Pequod was as infallibly going West. + +But ere the first wild alarm could get out abroad among the crew, the old man with a rigid laugh exclaimed, “I have it! It has happened before. Mr. Starbuck, last night’s thunder turned our compasses—that’s all. Thou hast before now heard of such a thing, I take it.” + +“Aye; but never before has it happened to me, sir,” said the pale mate, gloomily. + +Here, it must needs be said, that accidents like this have in more than one case occurred to ships in violent storms. The magnetic energy, as developed in the mariner’s needle, is, as all know, essentially one with the electricity beheld in heaven; hence it is not to be much marvelled at, that such things should be. Instances where the lightning has actually struck the vessel, so as to smite down some of the spars and rigging, the effect upon the needle has at times been still more fatal; all its loadstone virtue being annihilated, so that the before magnetic steel was of no more use than an old wife’s knitting needle. But in either case, the needle never again, of itself, recovers the original virtue thus marred or lost; and if the binnacle compasses be affected, the same fate reaches all the others that may be in the ship; even were the lowermost one inserted into the kelson. + +Deliberately standing before the binnacle, and eyeing the transpointed compasses, the old man, with the sharp of his extended hand, now took the precise bearing of the sun, and satisfied that the needles were exactly inverted, shouted out his orders for the ship’s course to be changed accordingly. The yards were hard up; and once more the Pequod thrust her undaunted bows into the opposing wind, for the supposed fair one had only been juggling her. + +Meanwhile, whatever were his own secret thoughts, Starbuck said nothing, but quietly he issued all requisite orders; while Stubb and Flask—who in some small degree seemed then to be sharing his feelings—likewise unmurmuringly acquiesced. As for the men, though some of them lowly rumbled, their fear of Ahab was greater than their fear of Fate. But as ever before, the pagan harpooneers remained almost wholly unimpressed; or if impressed, it was only with a certain magnetism shot into their congenial hearts from inflexible Ahab’s. + +For a space the old man walked the deck in rolling reveries. But chancing to slip with his ivory heel, he saw the crushed copper sight-tubes of the quadrant he had the day before dashed to the deck. + +“Thou poor, proud heaven-gazer and sun’s pilot! yesterday I wrecked thee, and to-day the compasses would fain have wrecked me. So, so. But Ahab is lord over the level loadstone yet. Mr. Starbuck—a lance without a pole; a top-maul, and the smallest of the sail-maker’s needles. Quick!” + +Accessory, perhaps, to the impulse dictating the thing he was now about to do, were certain prudential motives, whose object might have been to revive the spirits of his crew by a stroke of his subtile skill, in a matter so wondrous as that of the inverted compasses. Besides, the old man well knew that to steer by transpointed needles, though clumsily practicable, was not a thing to be passed over by superstitious sailors, without some shudderings and evil portents. + +“Men,” said he, steadily turning upon the crew, as the mate handed him the things he had demanded, “my men, the thunder turned old Ahab’s needles; but out of this bit of steel Ahab can make one of his own, that will point as true as any.” + +Abashed glances of servile wonder were exchanged by the sailors, as this was said; and with fascinated eyes they awaited whatever magic might follow. But Starbuck looked away. + +With a blow from the top-maul Ahab knocked off the steel head of the lance, and then handing to the mate the long iron rod remaining, bade him hold it upright, without its touching the deck. Then, with the maul, after repeatedly smiting the upper end of this iron rod, he placed the blunted needle endwise on the top of it, and less strongly hammered that, several times, the mate still holding the rod as before. Then going through some small strange motions with it—whether indispensable to the magnetizing of the steel, or merely intended to augment the awe of the crew, is uncertain—he called for linen thread; and moving to the binnacle, slipped out the two reversed needles there, and horizontally suspended the sail-needle by its middle, over one of the compass-cards. At first, the steel went round and round, quivering and vibrating at either end; but at last it settled to its place, when Ahab, who had been intently watching for this result, stepped frankly back from the binnacle, and pointing his stretched arm towards it, exclaimed,—”Look ye, for yourselves, if Ahab be not lord of the level loadstone! The sun is East, and that compass swears it!” + +One after another they peered in, for nothing but their own eyes could persuade such ignorance as theirs, and one after another they slunk away. + +In his fiery eyes of scorn and triumph, you then saw Ahab in all his fatal pride. + +CHAPTER 125. The Log and Line. + +While now the fated Pequod had been so long afloat this voyage, the log and line had but very seldom been in use. Owing to a confident reliance upon other means of determining the vessel’s place, some merchantmen, and many whalemen, especially when cruising, wholly neglect to heave the log; though at the same time, and frequently more for form’s sake than anything else, regularly putting down upon the customary slate the course steered by the ship, as well as the presumed average rate of progression every hour. It had been thus with the Pequod. The wooden reel and angular log attached hung, long untouched, just beneath the railing of the after bulwarks. Rains and spray had damped it; sun and wind had warped it; all the elements had combined to rot a thing that hung so idly. But heedless of all this, his mood seized Ahab, as he happened to glance upon the reel, not many hours after the magnet scene, and he remembered how his quadrant was no more, and recalled his frantic oath about the level log and line. The ship was sailing plungingly; astern the billows rolled in riots. + +“Forward, there! Heave the log!” + +Two seamen came. The golden-hued Tahitian and the grizzly Manxman. “Take the reel, one of ye, I’ll heave.” + +They went towards the extreme stern, on the ship’s lee side, where the deck, with the oblique energy of the wind, was now almost dipping into the creamy, sidelong-rushing sea. + +The Manxman took the reel, and holding it high up, by the projecting handle-ends of the spindle, round which the spool of line revolved, so stood with the angular log hanging downwards, till Ahab advanced to him. + +Ahab stood before him, and was lightly unwinding some thirty or forty turns to form a preliminary hand-coil to toss overboard, when the old Manxman, who was intently eyeing both him and the line, made bold to speak. + +“Sir, I mistrust it; this line looks far gone, long heat and wet have spoiled it.” + +“’Twill hold, old gentleman. Long heat and wet, have they spoiled thee? Thou seem’st to hold. Or, truer perhaps, life holds thee; not thou it.” + +“I hold the spool, sir. But just as my captain says. With these grey hairs of mine ‘tis not worth while disputing, ‘specially with a superior, who’ll ne’er confess.” + +“What’s that? There now’s a patched professor in Queen Nature’s granite-founded College; but methinks he’s too subservient. Where wert thou born?” + +“In the little rocky Isle of Man, sir.” + +“Excellent! Thou’st hit the world by that.” + +“I know not, sir, but I was born there.” + +“In the Isle of Man, hey? Well, the other way, it’s good. Here’s a man from Man; a man born in once independent Man, and now unmanned of Man; which is sucked in—by what? Up with the reel! The dead, blind wall butts all inquiring heads at last. Up with it! So.” + +The log was heaved. The loose coils rapidly straightened out in a long dragging line astern, and then, instantly, the reel began to whirl. In turn, jerkingly raised and lowered by the rolling billows, the towing resistance of the log caused the old reelman to stagger strangely. + +“Hold hard!” + +Snap! the overstrained line sagged down in one long festoon; the tugging log was gone. + +“I crush the quadrant, the thunder turns the needles, and now the mad sea parts the log-line. But Ahab can mend all. Haul in here, Tahitian; reel up, Manxman. And look ye, let the carpenter make another log, and mend thou the line. See to it.” + +“There he goes now; to him nothing’s happened; but to me, the skewer seems loosening out of the middle of the world. Haul in, haul in, Tahitian! These lines run whole, and whirling out: come in broken, and dragging slow. Ha, Pip? come to help; eh, Pip?” + +“Pip? whom call ye Pip? Pip jumped from the whale-boat. Pip’s missing. Let’s see now if ye haven’t fished him up here, fisherman. It drags hard; I guess he’s holding on. Jerk him, Tahiti! Jerk him off; we haul in no cowards here. Ho! there’s his arm just breaking water. A hatchet! a hatchet! cut it off—we haul in no cowards here. Captain Ahab! sir, sir! here’s Pip, trying to get on board again.” + +“Peace, thou crazy loon,” cried the Manxman, seizing him by the arm. “Away from the quarter-deck!” + +“The greater idiot ever scolds the lesser,” muttered Ahab, advancing. “Hands off from that holiness! Where sayest thou Pip was, boy? + +“Astern there, sir, astern! Lo! lo!” + +“And who art thou, boy? I see not my reflection in the vacant pupils of thy eyes. Oh God! that man should be a thing for immortal souls to sieve through! Who art thou, boy?” + +“Bell-boy, sir; ship’s-crier; ding, dong, ding! Pip! Pip! Pip! One hundred pounds of clay reward for Pip; five feet high—looks cowardly—quickest known by that! Ding, dong, ding! Who’s seen Pip the coward?” + +“There can be no hearts above the snow-line. Oh, ye frozen heavens! look down here. Ye did beget this luckless child, and have abandoned him, ye creative libertines. Here, boy; Ahab’s cabin shall be Pip’s home henceforth, while Ahab lives. Thou touchest my inmost centre, boy; thou art tied to me by cords woven of my heart-strings. Come, let’s down.” + +“What’s this? here’s velvet shark-skin,” intently gazing at Ahab’s hand, and feeling it. “Ah, now, had poor Pip but felt so kind a thing as this, perhaps he had ne’er been lost! This seems to me, sir, as a man-rope; something that weak souls may hold by. Oh, sir, let old Perth now come and rivet these two hands together; the black one with the white, for I will not let this go.” + +“Oh, boy, nor will I thee, unless I should thereby drag thee to worse horrors than are here. Come, then, to my cabin. Lo! ye believers in gods all goodness, and in man all ill, lo you! see the omniscient gods oblivious of suffering man; and man, though idiotic, and knowing not what he does, yet full of the sweet things of love and gratitude. Come! I feel prouder leading thee by thy black hand, than though I grasped an Emperor’s!” + +“There go two daft ones now,” muttered the old Manxman. “One daft with strength, the other daft with weakness. But here’s the end of the rotten line—all dripping, too. Mend it, eh? I think we had best have a new line altogether. I’ll see Mr. Stubb about it.” + +CHAPTER 126. The Life-Buoy. + +Steering now south-eastward by Ahab’s levelled steel, and her progress solely determined by Ahab’s level log and line; the Pequod held on her path towards the Equator. Making so long a passage through such unfrequented waters, descrying no ships, and ere long, sideways impelled by unvarying trade winds, over waves monotonously mild; all these seemed the strange calm things preluding some riotous and desperate scene. + +At last, when the ship drew near to the outskirts, as it were, of the Equatorial fishing-ground, and in the deep darkness that goes before the dawn, was sailing by a cluster of rocky islets; the watch—then headed by Flask—was startled by a cry so plaintively wild and unearthly—like half-articulated wailings of the ghosts of all Herod’s murdered Innocents—that one and all, they started from their reveries, and for the space of some moments stood, or sat, or leaned all transfixedly listening, like the carved Roman slave, while that wild cry remained within hearing. The Christian or civilized part of the crew said it was mermaids, and shuddered; but the pagan harpooneers remained unappalled. Yet the grey Manxman—the oldest mariner of all—declared that the wild thrilling sounds that were heard, were the voices of newly drowned men in the sea. + +Below in his hammock, Ahab did not hear of this till grey dawn, when he came to the deck; it was then recounted to him by Flask, not unaccompanied with hinted dark meanings. He hollowly laughed, and thus explained the wonder. + +Those rocky islands the ship had passed were the resort of great numbers of seals, and some young seals that had lost their dams, or some dams that had lost their cubs, must have risen nigh the ship and kept company with her, crying and sobbing with their human sort of wail. But this only the more affected some of them, because most mariners cherish a very superstitious feeling about seals, arising not only from their peculiar tones when in distress, but also from the human look of their round heads and semi-intelligent faces, seen peeringly uprising from the water alongside. In the sea, under certain circumstances, seals have more than once been mistaken for men. + +But the bodings of the crew were destined to receive a most plausible confirmation in the fate of one of their number that morning. At sun-rise this man went from his hammock to his mast-head at the fore; and whether it was that he was not yet half waked from his sleep (for sailors sometimes go aloft in a transition state), whether it was thus with the man, there is now no telling; but, be that as it may, he had not been long at his perch, when a cry was heard—a cry and a rushing—and looking up, they saw a falling phantom in the air; and looking down, a little tossed heap of white bubbles in the blue of the sea. + +The life-buoy—a long slender cask—was dropped from the stern, where it always hung obedient to a cunning spring; but no hand rose to seize it, and the sun having long beat upon this cask it had shrunken, so that it slowly filled, and that parched wood also filled at its every pore; and the studded iron-bound cask followed the sailor to the bottom, as if to yield him his pillow, though in sooth but a hard one. + +And thus the first man of the Pequod that mounted the mast to look out for the White Whale, on the White Whale’s own peculiar ground; that man was swallowed up in the deep. But few, perhaps, thought of that at the time. Indeed, in some sort, they were not grieved at this event, at least as a portent; for they regarded it, not as a foreshadowing of evil in the future, but as the fulfilment of an evil already presaged. They declared that now they knew the reason of those wild shrieks they had heard the night before. But again the old Manxman said nay. + +The lost life-buoy was now to be replaced; Starbuck was directed to see to it; but as no cask of sufficient lightness could be found, and as in the feverish eagerness of what seemed the approaching crisis of the voyage, all hands were impatient of any toil but what was directly connected with its final end, whatever that might prove to be; therefore, they were going to leave the ship’s stern unprovided with a buoy, when by certain strange signs and inuendoes Queequeg hinted a hint concerning his coffin. + +“A life-buoy of a coffin!” cried Starbuck, starting. + +“Rather queer, that, I should say,” said Stubb. + +“It will make a good enough one,” said Flask, “the carpenter here can arrange it easily.” + +“Bring it up; there’s nothing else for it,” said Starbuck, after a melancholy pause. “Rig it, carpenter; do not look at me so—the coffin, I mean. Dost thou hear me? Rig it.” + +“And shall I nail down the lid, sir?” moving his hand as with a hammer. + +“Aye.” + +“And shall I caulk the seams, sir?” moving his hand as with a caulking-iron. + +“Aye.” + +“And shall I then pay over the same with pitch, sir?” moving his hand as with a pitch-pot. + +“Away! what possesses thee to this? Make a life-buoy of the coffin, and no more.—Mr. Stubb, Mr. Flask, come forward with me.” + +“He goes off in a huff. The whole he can endure; at the parts he baulks. Now I don’t like this. I make a leg for Captain Ahab, and he wears it like a gentleman; but I make a bandbox for Queequeg, and he won’t put his head into it. Are all my pains to go for nothing with that coffin? And now I’m ordered to make a life-buoy of it. It’s like turning an old coat; going to bring the flesh on the other side now. I don’t like this cobbling sort of business—I don’t like it at all; it’s undignified; it’s not my place. Let tinkers’ brats do tinkerings; we are their betters. I like to take in hand none but clean, virgin, fair-and-square mathematical jobs, something that regularly begins at the beginning, and is at the middle when midway, and comes to an end at the conclusion; not a cobbler’s job, that’s at an end in the middle, and at the beginning at the end. It’s the old woman’s tricks to be giving cobbling jobs. Lord! what an affection all old women have for tinkers. I know an old woman of sixty-five who ran away with a bald-headed young tinker once. And that’s the reason I never would work for lonely widow old women ashore, when I kept my job-shop in the Vineyard; they might have taken it into their lonely old heads to run off with me. But heigh-ho! there are no caps at sea but snow-caps. Let me see. Nail down the lid; caulk the seams; pay over the same with pitch; batten them down tight, and hang it with the snap-spring over the ship’s stern. Were ever such things done before with a coffin? Some superstitious old carpenters, now, would be tied up in the rigging, ere they would do the job. But I’m made of knotty Aroostook hemlock; I don’t budge. Cruppered with a coffin! Sailing about with a grave-yard tray! But never mind. We workers in woods make bridal-bedsteads and card-tables, as well as coffins and hearses. We work by the month, or by the job, or by the profit; not for us to ask the why and wherefore of our work, unless it be too confounded cobbling, and then we stash it if we can. Hem! I’ll do the job, now, tenderly. I’ll have me—let’s see—how many in the ship’s company, all told? But I’ve forgotten. Any way, I’ll have me thirty separate, Turk’s-headed life-lines, each three feet long hanging all round to the coffin. Then, if the hull go down, there’ll be thirty lively fellows all fighting for one coffin, a sight not seen very often beneath the sun! Come hammer, caulking-iron, pitch-pot, and marling-spike! Let’s to it.” + +CHAPTER 127. The Deck. + +THE COFFIN LAID UPON TWO LINE-TUBS, BETWEEN THE VICE-BENCH AND THE OPEN HATCHWAY; THE CARPENTER CAULKING ITS SEAMS; THE STRING OF TWISTED OAKUM SLOWLY UNWINDING FROM A LARGE ROLL OF IT PLACED IN THE BOSOM OF HIS FROCK.—AHAB COMES SLOWLY FROM THE CABIN-GANGWAY, AND HEARS PIP FOLLOWING HIM. + +“Back, lad; I will be with ye again presently. He goes! Not this hand complies with my humor more genially than that boy.—Middle aisle of a church! What’s here?” + +“Life-buoy, sir. Mr. Starbuck’s orders. Oh, look, sir! Beware the hatchway!” + +“Thank ye, man. Thy coffin lies handy to the vault.” + +“Sir? The hatchway? oh! So it does, sir, so it does.” + +“Art not thou the leg-maker? Look, did not this stump come from thy shop?” + +“I believe it did, sir; does the ferrule stand, sir?” + +“Well enough. But art thou not also the undertaker?” + +“Aye, sir; I patched up this thing here as a coffin for Queequeg; but they’ve set me now to turning it into something else.” + +“Then tell me; art thou not an arrant, all-grasping, intermeddling, monopolising, heathenish old scamp, to be one day making legs, and the next day coffins to clap them in, and yet again life-buoys out of those same coffins? Thou art as unprincipled as the gods, and as much of a jack-of-all-trades.” + +“But I do not mean anything, sir. I do as I do.” + +“The gods again. Hark ye, dost thou not ever sing working about a coffin? The Titans, they say, hummed snatches when chipping out the craters for volcanoes; and the grave-digger in the play sings, spade in hand. Dost thou never?” + +“Sing, sir? Do I sing? Oh, I’m indifferent enough, sir, for that; but the reason why the grave-digger made music must have been because there was none in his spade, sir. But the caulking mallet is full of it. Hark to it.” + +“Aye, and that’s because the lid there’s a sounding-board; and what in all things makes the sounding-board is this—there’s naught beneath. And yet, a coffin with a body in it rings pretty much the same, Carpenter. Hast thou ever helped carry a bier, and heard the coffin knock against the churchyard gate, going in? + +“Faith, sir, I’ve—” + +“Faith? What’s that?” + +“Why, faith, sir, it’s only a sort of exclamation-like—that’s all, sir.” + +“Um, um; go on.” + +“I was about to say, sir, that—” + +“Art thou a silk-worm? Dost thou spin thy own shroud out of thyself? Look at thy bosom! Despatch! and get these traps out of sight.” + +“He goes aft. That was sudden, now; but squalls come sudden in hot latitudes. I’ve heard that the Isle of Albemarle, one of the Gallipagos, is cut by the Equator right in the middle. Seems to me some sort of Equator cuts yon old man, too, right in his middle. He’s always under the Line—fiery hot, I tell ye! He’s looking this way—come, oakum; quick. Here we go again. This wooden mallet is the cork, and I’m the professor of musical glasses—tap, tap!” + +(AHAB TO HIMSELF.) + +“There’s a sight! There’s a sound! The grey-headed woodpecker tapping the hollow tree! Blind and dumb might well be envied now. See! that thing rests on two line-tubs, full of tow-lines. A most malicious wag, that fellow. Rat-tat! So man’s seconds tick! Oh! how immaterial are all materials! What things real are there, but imponderable thoughts? Here now’s the very dreaded symbol of grim death, by a mere hap, made the expressive sign of the help and hope of most endangered life. A life-buoy of a coffin! Does it go further? Can it be that in some spiritual sense the coffin is, after all, but an immortality-preserver! I’ll think of that. But no. So far gone am I in the dark side of earth, that its other side, the theoretic bright one, seems but uncertain twilight to me. Will ye never have done, Carpenter, with that accursed sound? I go below; let me not see that thing here when I return again. Now, then, Pip, we’ll talk this over; I do suck most wondrous philosophies from thee! Some unknown conduits from the unknown worlds must empty into thee!” + +CHAPTER 128. The Pequod Meets The Rachel. + +Next day, a large ship, the Rachel, was descried, bearing directly down upon the Pequod, all her spars thickly clustering with men. At the time the Pequod was making good speed through the water; but as the broad-winged windward stranger shot nigh to her, the boastful sails all fell together as blank bladders that are burst, and all life fled from the smitten hull. + +“Bad news; she brings bad news,” muttered the old Manxman. But ere her commander, who, with trumpet to mouth, stood up in his boat; ere he could hopefully hail, Ahab’s voice was heard. + +“Hast seen the White Whale?” + +“Aye, yesterday. Have ye seen a whale-boat adrift?” + +Throttling his joy, Ahab negatively answered this unexpected question; and would then have fain boarded the stranger, when the stranger captain himself, having stopped his vessel’s way, was seen descending her side. A few keen pulls, and his boat-hook soon clinched the Pequod’s main-chains, and he sprang to the deck. Immediately he was recognised by Ahab for a Nantucketer he knew. But no formal salutation was exchanged. + +“Where was he?—not killed!—not killed!” cried Ahab, closely advancing. “How was it?” + +It seemed that somewhat late on the afternoon of the day previous, while three of the stranger’s boats were engaged with a shoal of whales, which had led them some four or five miles from the ship; and while they were yet in swift chase to windward, the white hump and head of Moby Dick had suddenly loomed up out of the water, not very far to leeward; whereupon, the fourth rigged boat—a reserved one—had been instantly lowered in chase. After a keen sail before the wind, this fourth boat—the swiftest keeled of all—seemed to have succeeded in fastening—at least, as well as the man at the mast-head could tell anything about it. In the distance he saw the diminished dotted boat; and then a swift gleam of bubbling white water; and after that nothing more; whence it was concluded that the stricken whale must have indefinitely run away with his pursuers, as often happens. There was some apprehension, but no positive alarm, as yet. The recall signals were placed in the rigging; darkness came on; and forced to pick up her three far to windward boats—ere going in quest of the fourth one in the precisely opposite direction—the ship had not only been necessitated to leave that boat to its fate till near midnight, but, for the time, to increase her distance from it. But the rest of her crew being at last safe aboard, she crowded all sail—stunsail on stunsail—after the missing boat; kindling a fire in her try-pots for a beacon; and every other man aloft on the look-out. But though when she had thus sailed a sufficient distance to gain the presumed place of the absent ones when last seen; though she then paused to lower her spare boats to pull all around her; and not finding anything, had again dashed on; again paused, and lowered her boats; and though she had thus continued doing till daylight; yet not the least glimpse of the missing keel had been seen. + +The story told, the stranger Captain immediately went on to reveal his object in boarding the Pequod. He desired that ship to unite with his own in the search; by sailing over the sea some four or five miles apart, on parallel lines, and so sweeping a double horizon, as it were. + +“I will wager something now,” whispered Stubb to Flask, “that some one in that missing boat wore off that Captain’s best coat; mayhap, his watch—he’s so cursed anxious to get it back. Who ever heard of two pious whale-ships cruising after one missing whale-boat in the height of the whaling season? See, Flask, only see how pale he looks—pale in the very buttons of his eyes—look—it wasn’t the coat—it must have been the—” + +“My boy, my own boy is among them. For God’s sake—I beg, I conjure”—here exclaimed the stranger Captain to Ahab, who thus far had but icily received his petition. “For eight-and-forty hours let me charter your ship—I will gladly pay for it, and roundly pay for it—if there be no other way—for eight-and-forty hours only—only that—you must, oh, you must, and you SHALL do this thing.” + +“His son!” cried Stubb, “oh, it’s his son he’s lost! I take back the coat and watch—what says Ahab? We must save that boy.” + +“He’s drowned with the rest on ‘em, last night,” said the old Manx sailor standing behind them; “I heard; all of ye heard their spirits.” + +Now, as it shortly turned out, what made this incident of the Rachel’s the more melancholy, was the circumstance, that not only was one of the Captain’s sons among the number of the missing boat’s crew; but among the number of the other boat’s crews, at the same time, but on the other hand, separated from the ship during the dark vicissitudes of the chase, there had been still another son; as that for a time, the wretched father was plunged to the bottom of the cruellest perplexity; which was only solved for him by his chief mate’s instinctively adopting the ordinary procedure of a whale-ship in such emergencies, that is, when placed between jeopardized but divided boats, always to pick up the majority first. But the captain, for some unknown constitutional reason, had refrained from mentioning all this, and not till forced to it by Ahab’s iciness did he allude to his one yet missing boy; a little lad, but twelve years old, whose father with the earnest but unmisgiving hardihood of a Nantucketer’s paternal love, had thus early sought to initiate him in the perils and wonders of a vocation almost immemorially the destiny of all his race. Nor does it unfrequently occur, that Nantucket captains will send a son of such tender age away from them, for a protracted three or four years’ voyage in some other ship than their own; so that their first knowledge of a whaleman’s career shall be unenervated by any chance display of a father’s natural but untimely partiality, or undue apprehensiveness and concern. + +Meantime, now the stranger was still beseeching his poor boon of Ahab; and Ahab still stood like an anvil, receiving every shock, but without the least quivering of his own. + +“I will not go,” said the stranger, “till you say aye to me. Do to me as you would have me do to you in the like case. For YOU too have a boy, Captain Ahab—though but a child, and nestling safely at home now—a child of your old age too—Yes, yes, you relent; I see it—run, run, men, now, and stand by to square in the yards.” + +“Avast,” cried Ahab—”touch not a rope-yarn”; then in a voice that prolongingly moulded every word—”Captain Gardiner, I will not do it. Even now I lose time. Good-bye, good-bye. God bless ye, man, and may I forgive myself, but I must go. Mr. Starbuck, look at the binnacle watch, and in three minutes from this present instant warn off all strangers: then brace forward again, and let the ship sail as before.” + +Hurriedly turning, with averted face, he descended into his cabin, leaving the strange captain transfixed at this unconditional and utter rejection of his so earnest suit. But starting from his enchantment, Gardiner silently hurried to the side; more fell than stepped into his boat, and returned to his ship. + +Soon the two ships diverged their wakes; and long as the strange vessel was in view, she was seen to yaw hither and thither at every dark spot, however small, on the sea. This way and that her yards were swung round; starboard and larboard, she continued to tack; now she beat against a head sea; and again it pushed her before it; while all the while, her masts and yards were thickly clustered with men, as three tall cherry trees, when the boys are cherrying among the boughs. + +But by her still halting course and winding, woeful way, you plainly saw that this ship that so wept with spray, still remained without comfort. She was Rachel, weeping for her children, because they were not. + +CHAPTER 129. The Cabin. + +(AHAB MOVING TO GO ON DECK; PIP CATCHES HIM BY THE HAND TO FOLLOW.) + +“Lad, lad, I tell thee thou must not follow Ahab now. The hour is coming when Ahab would not scare thee from him, yet would not have thee by him. There is that in thee, poor lad, which I feel too curing to my malady. Like cures like; and for this hunt, my malady becomes my most desired health. Do thou abide below here, where they shall serve thee, as if thou wert the captain. Aye, lad, thou shalt sit here in my own screwed chair; another screw to it, thou must be.” + +“No, no, no! ye have not a whole body, sir; do ye but use poor me for your one lost leg; only tread upon me, sir; I ask no more, so I remain a part of ye.” + +“Oh! spite of million villains, this makes me a bigot in the fadeless fidelity of man!—and a black! and crazy!—but methinks like-cures-like applies to him too; he grows so sane again.” + +“They tell me, sir, that Stubb did once desert poor little Pip, whose drowned bones now show white, for all the blackness of his living skin. But I will never desert ye, sir, as Stubb did him. Sir, I must go with ye.” + +“If thou speakest thus to me much more, Ahab’s purpose keels up in him. I tell thee no; it cannot be.” + +“Oh good master, master, master! + +“Weep so, and I will murder thee! have a care, for Ahab too is mad. Listen, and thou wilt often hear my ivory foot upon the deck, and still know that I am there. And now I quit thee. Thy hand!—Met! True art thou, lad, as the circumference to its centre. So: God for ever bless thee; and if it come to that,—God for ever save thee, let what will befall.” + +(AHAB GOES; PIP STEPS ONE STEP FORWARD.) + +“Here he this instant stood; I stand in his air,—but I’m alone. Now were even poor Pip here I could endure it, but he’s missing. Pip! Pip! Ding, dong, ding! Who’s seen Pip? He must be up here; let’s try the door. What? neither lock, nor bolt, nor bar; and yet there’s no opening it. It must be the spell; he told me to stay here: Aye, and told me this screwed chair was mine. Here, then, I’ll seat me, against the transom, in the ship’s full middle, all her keel and her three masts before me. Here, our old sailors say, in their black seventy-fours great admirals sometimes sit at table, and lord it over rows of captains and lieutenants. Ha! what’s this? epaulets! epaulets! the epaulets all come crowding! Pass round the decanters; glad to see ye; fill up, monsieurs! What an odd feeling, now, when a black boy’s host to white men with gold lace upon their coats!—Monsieurs, have ye seen one Pip?—a little negro lad, five feet high, hang-dog look, and cowardly! Jumped from a whale-boat once;—seen him? No! Well then, fill up again, captains, and let’s drink shame upon all cowards! I name no names. Shame upon them! Put one foot upon the table. Shame upon all cowards.—Hist! above there, I hear ivory—Oh, master! master! I am indeed down-hearted when you walk over me. But here I’ll stay, though this stern strikes rocks; and they bulge through; and oysters come to join me.” + +CHAPTER 130. The Hat. + +And now that at the proper time and place, after so long and wide a preliminary cruise, Ahab,—all other whaling waters swept—seemed to have chased his foe into an ocean-fold, to slay him the more securely there; now, that he found himself hard by the very latitude and longitude where his tormenting wound had been inflicted; now that a vessel had been spoken which on the very day preceding had actually encountered Moby Dick;—and now that all his successive meetings with various ships contrastingly concurred to show the demoniac indifference with which the white whale tore his hunters, whether sinning or sinned against; now it was that there lurked a something in the old man’s eyes, which it was hardly sufferable for feeble souls to see. As the unsetting polar star, which through the livelong, arctic, six months’ night sustains its piercing, steady, central gaze; so Ahab’s purpose now fixedly gleamed down upon the constant midnight of the gloomy crew. It domineered above them so, that all their bodings, doubts, misgivings, fears, were fain to hide beneath their souls, and not sprout forth a single spear or leaf. + +In this foreshadowing interval too, all humor, forced or natural, vanished. Stubb no more strove to raise a smile; Starbuck no more strove to check one. Alike, joy and sorrow, hope and fear, seemed ground to finest dust, and powdered, for the time, in the clamped mortar of Ahab’s iron soul. Like machines, they dumbly moved about the deck, ever conscious that the old man’s despot eye was on them. + +But did you deeply scan him in his more secret confidential hours; when he thought no glance but one was on him; then you would have seen that even as Ahab’s eyes so awed the crew’s, the inscrutable Parsee’s glance awed his; or somehow, at least, in some wild way, at times affected it. Such an added, gliding strangeness began to invest the thin Fedallah now; such ceaseless shudderings shook him; that the men looked dubious at him; half uncertain, as it seemed, whether indeed he were a mortal substance, or else a tremulous shadow cast upon the deck by some unseen being’s body. And that shadow was always hovering there. For not by night, even, had Fedallah ever certainly been known to slumber, or go below. He would stand still for hours: but never sat or leaned; his wan but wondrous eyes did plainly say—We two watchmen never rest. + +Nor, at any time, by night or day could the mariners now step upon the deck, unless Ahab was before them; either standing in his pivot-hole, or exactly pacing the planks between two undeviating limits,—the main-mast and the mizen; or else they saw him standing in the cabin-scuttle,—his living foot advanced upon the deck, as if to step; his hat slouched heavily over his eyes; so that however motionless he stood, however the days and nights were added on, that he had not swung in his hammock; yet hidden beneath that slouching hat, they could never tell unerringly whether, for all this, his eyes were really closed at times; or whether he was still intently scanning them; no matter, though he stood so in the scuttle for a whole hour on the stretch, and the unheeded night-damp gathered in beads of dew upon that stone-carved coat and hat. The clothes that the night had wet, the next day’s sunshine dried upon him; and so, day after day, and night after night; he went no more beneath the planks; whatever he wanted from the cabin that thing he sent for. + +He ate in the same open air; that is, his two only meals,—breakfast and dinner: supper he never touched; nor reaped his beard; which darkly grew all gnarled, as unearthed roots of trees blown over, which still grow idly on at naked base, though perished in the upper verdure. But though his whole life was now become one watch on deck; and though the Parsee’s mystic watch was without intermission as his own; yet these two never seemed to speak—one man to the other—unless at long intervals some passing unmomentous matter made it necessary. Though such a potent spell seemed secretly to join the twain; openly, and to the awe-struck crew, they seemed pole-like asunder. If by day they chanced to speak one word; by night, dumb men were both, so far as concerned the slightest verbal interchange. At times, for longest hours, without a single hail, they stood far parted in the starlight; Ahab in his scuttle, the Parsee by the mainmast; but still fixedly gazing upon each other; as if in the Parsee Ahab saw his forethrown shadow, in Ahab the Parsee his abandoned substance. + +And yet, somehow, did Ahab—in his own proper self, as daily, hourly, and every instant, commandingly revealed to his subordinates,—Ahab seemed an independent lord; the Parsee but his slave. Still again both seemed yoked together, and an unseen tyrant driving them; the lean shade siding the solid rib. For be this Parsee what he may, all rib and keel was solid Ahab. + +At the first faintest glimmering of the dawn, his iron voice was heard from aft,—”Man the mast-heads!”—and all through the day, till after sunset and after twilight, the same voice every hour, at the striking of the helmsman’s bell, was heard—”What d’ye see?—sharp! sharp!” + +But when three or four days had slided by, after meeting the children-seeking Rachel; and no spout had yet been seen; the monomaniac old man seemed distrustful of his crew’s fidelity; at least, of nearly all except the Pagan harpooneers; he seemed to doubt, even, whether Stubb and Flask might not willingly overlook the sight he sought. But if these suspicions were really his, he sagaciously refrained from verbally expressing them, however his actions might seem to hint them. + +“I will have the first sight of the whale myself,”—he said. “Aye! Ahab must have the doubloon! and with his own hands he rigged a nest of basketed bowlines; and sending a hand aloft, with a single sheaved block, to secure to the main-mast head, he received the two ends of the downward-reeved rope; and attaching one to his basket prepared a pin for the other end, in order to fasten it at the rail. This done, with that end yet in his hand and standing beside the pin, he looked round upon his crew, sweeping from one to the other; pausing his glance long upon Daggoo, Queequeg, Tashtego; but shunning Fedallah; and then settling his firm relying eye upon the chief mate, said,—”Take the rope, sir—I give it into thy hands, Starbuck.” Then arranging his person in the basket, he gave the word for them to hoist him to his perch, Starbuck being the one who secured the rope at last; and afterwards stood near it. And thus, with one hand clinging round the royal mast, Ahab gazed abroad upon the sea for miles and miles,—ahead, astern, this side, and that,—within the wide expanded circle commanded at so great a height. + +When in working with his hands at some lofty almost isolated place in the rigging, which chances to afford no foothold, the sailor at sea is hoisted up to that spot, and sustained there by the rope; under these circumstances, its fastened end on deck is always given in strict charge to some one man who has the special watch of it. Because in such a wilderness of running rigging, whose various different relations aloft cannot always be infallibly discerned by what is seen of them at the deck; and when the deck-ends of these ropes are being every few minutes cast down from the fastenings, it would be but a natural fatality, if, unprovided with a constant watchman, the hoisted sailor should by some carelessness of the crew be cast adrift and fall all swooping to the sea. So Ahab’s proceedings in this matter were not unusual; the only strange thing about them seemed to be, that Starbuck, almost the one only man who had ever ventured to oppose him with anything in the slightest degree approaching to decision—one of those too, whose faithfulness on the look-out he had seemed to doubt somewhat;—it was strange, that this was the very man he should select for his watchman; freely giving his whole life into such an otherwise distrusted person’s hands. + +Now, the first time Ahab was perched aloft; ere he had been there ten minutes; one of those red-billed savage sea-hawks which so often fly incommodiously close round the manned mast-heads of whalemen in these latitudes; one of these birds came wheeling and screaming round his head in a maze of untrackably swift circlings. Then it darted a thousand feet straight up into the air; then spiralized downwards, and went eddying again round his head. + +But with his gaze fixed upon the dim and distant horizon, Ahab seemed not to mark this wild bird; nor, indeed, would any one else have marked it much, it being no uncommon circumstance; only now almost the least heedful eye seemed to see some sort of cunning meaning in almost every sight. + +“Your hat, your hat, sir!” suddenly cried the Sicilian seaman, who being posted at the mizen-mast-head, stood directly behind Ahab, though somewhat lower than his level, and with a deep gulf of air dividing them. + +But already the sable wing was before the old man’s eyes; the long hooked bill at his head: with a scream, the black hawk darted away with his prize. + +An eagle flew thrice round Tarquin’s head, removing his cap to replace it, and thereupon Tanaquil, his wife, declared that Tarquin would be king of Rome. But only by the replacing of the cap was that omen accounted good. Ahab’s hat was never restored; the wild hawk flew on and on with it; far in advance of the prow: and at last disappeared; while from the point of that disappearance, a minute black spot was dimly discerned, falling from that vast height into the sea. + +CHAPTER 131. The Pequod Meets The Delight. + +The intense Pequod sailed on; the rolling waves and days went by; the life-buoy-coffin still lightly swung; and another ship, most miserably misnamed the Delight, was descried. As she drew nigh, all eyes were fixed upon her broad beams, called shears, which, in some whaling-ships, cross the quarter-deck at the height of eight or nine feet; serving to carry the spare, unrigged, or disabled boats. + +Upon the stranger’s shears were beheld the shattered, white ribs, and some few splintered planks, of what had once been a whale-boat; but you now saw through this wreck, as plainly as you see through the peeled, half-unhinged, and bleaching skeleton of a horse. + +“Hast seen the White Whale?” + +“Look!” replied the hollow-cheeked captain from his taffrail; and with his trumpet he pointed to the wreck. + +“Hast killed him?” + +“The harpoon is not yet forged that ever will do that,” answered the other, sadly glancing upon a rounded hammock on the deck, whose gathered sides some noiseless sailors were busy in sewing together. + +“Not forged!” and snatching Perth’s levelled iron from the crotch, Ahab held it out, exclaiming—”Look ye, Nantucketer; here in this hand I hold his death! Tempered in blood, and tempered by lightning are these barbs; and I swear to temper them triply in that hot place behind the fin, where the White Whale most feels his accursed life!” + +“Then God keep thee, old man—see’st thou that”—pointing to the hammock—”I bury but one of five stout men, who were alive only yesterday; but were dead ere night. Only THAT one I bury; the rest were buried before they died; you sail upon their tomb.” Then turning to his crew—”Are ye ready there? place the plank then on the rail, and lift the body; so, then—Oh! God”—advancing towards the hammock with uplifted hands—”may the resurrection and the life—” + +“Brace forward! Up helm!” cried Ahab like lightning to his men. + +But the suddenly started Pequod was not quick enough to escape the sound of the splash that the corpse soon made as it struck the sea; not so quick, indeed, but that some of the flying bubbles might have sprinkled her hull with their ghostly baptism. + +As Ahab now glided from the dejected Delight, the strange life-buoy hanging at the Pequod’s stern came into conspicuous relief. + +“Ha! yonder! look yonder, men!” cried a foreboding voice in her wake. “In vain, oh, ye strangers, ye fly our sad burial; ye but turn us your taffrail to show us your coffin!” + +CHAPTER 132. The Symphony. + +It was a clear steel-blue day. The firmaments of air and sea were hardly separable in that all-pervading azure; only, the pensive air was transparently pure and soft, with a woman’s look, and the robust and man-like sea heaved with long, strong, lingering swells, as Samson’s chest in his sleep. + +Hither, and thither, on high, glided the snow-white wings of small, unspeckled birds; these were the gentle thoughts of the feminine air; but to and fro in the deeps, far down in the bottomless blue, rushed mighty leviathans, sword-fish, and sharks; and these were the strong, troubled, murderous thinkings of the masculine sea. + +But though thus contrasting within, the contrast was only in shades and shadows without; those two seemed one; it was only the sex, as it were, that distinguished them. + +Slowly crossing the deck from the scuttle, Ahab leaned over the side, and watched how his shadow in the water sank and sank to his gaze... But the lovely aromas in that enchanted air did at last seem to dispel, for a moment, the cankerous thing in his soul... the step-mother world, so long cruel- forbidding- now threw affectionate arms round his stubborn neck, and did seem to joyously sob over him, as if over one, that however wilful and erring, she could yet find it in her heart to save and to bless. From beneath his slouched hat Ahab dropped a tear into the sea; nor did all the Pacific contain such wealth as that one wee drop. +Aloft, like a royal czar and king, the sun seemed giving this gentle air to this bold and rolling sea; even as bride to groom. And at the girdling line of the horizon, a soft and tremulous motion—most seen here at the Equator—denoted the fond, throbbing trust, the loving alarms, with which the poor bride gave her bosom away. + +Tied up and twisted; gnarled and knotted with wrinkles; haggardly firm and unyielding; his eyes glowing like coals, that still glow in the ashes of ruin; untottering Ahab stood forth in the clearness of the morn; lifting his splintered helmet of a brow to the fair girl’s forehead of heaven. + +Oh, immortal infancy, and innocency of the azure! Invisible winged creatures that frolic all round us! Sweet childhood of air and sky! how oblivious were ye of old Ahab’s close-coiled woe! But so have I seen little Miriam and Martha, laughing-eyed elves, heedlessly gambol around their old sire; sporting with the circle of singed locks which grew on the marge of that burnt-out crater of his brain. + +Slowly crossing the deck from the scuttle, Ahab leaned over the side and watched how his shadow in the water sank and sank to his gaze, the more and the more that he strove to pierce the profundity. But the lovely aromas in that enchanted air did at last seem to dispel, for a moment, the cankerous thing in his soul. That glad, happy air, that winsome sky, did at last stroke and caress him; the step-mother world, so long cruel—forbidding—now threw affectionate arms round his stubborn neck, and did seem to joyously sob over him, as if over one, that however wilful and erring, she could yet find it in her heart to save and to bless. From beneath his slouched hat Ahab dropped a tear into the sea; nor did all the Pacific contain such wealth as that one wee drop. + +Starbuck saw the old man; saw him, how he heavily leaned over the side; and he seemed to hear in his own true heart the measureless sobbing that stole out of the centre of the serenity around. Careful not to touch him, or be noticed by him, he yet drew near to him, and stood there. + +Ahab turned. + +“Starbuck!” + +“Sir.” + +“Oh, Starbuck! it is a mild, mild wind, and a mild looking sky. On such a day—very much such a sweetness as this—I struck my first whale—a boy-harpooneer of eighteen! Forty—forty—forty years ago!—ago! Forty years of continual whaling! forty years of privation, and peril, and storm-time! forty years on the pitiless sea! for forty years has Ahab forsaken the peaceful land, for forty years to make war on the horrors of the deep! Aye and yes, Starbuck, out of those forty years I have not spent three ashore. When I think of this life I have led; the desolation of solitude it has been; the masoned, walled-town of a Captain’s exclusiveness, which admits but small entrance to any sympathy from the green country without—oh, weariness! heaviness! Guinea-coast slavery of solitary command!—when I think of all this; only half-suspected, not so keenly known to me before—and how for forty years I have fed upon dry salted fare—fit emblem of the dry nourishment of my soil!—when the poorest landsman has had fresh fruit to his daily hand, and broken the world’s fresh bread to my mouldy crusts—away, whole oceans away, from that young girl-wife I wedded past fifty, and sailed for Cape Horn the next day, leaving but one dent in my marriage pillow—wife? wife?—rather a widow with her husband alive! Aye, I widowed that poor girl when I married her, Starbuck; and then, the madness, the frenzy, the boiling blood and the smoking brow, with which, for a thousand lowerings old Ahab has furiously, foamingly chased his prey—more a demon than a man!—aye, aye! what a forty years’ fool—fool—old fool, has old Ahab been! Why this strife of the chase? why weary, and palsy the arm at the oar, and the iron, and the lance? how the richer or better is Ahab now? Behold. Oh, Starbuck! is it not hard, that with this weary load I bear, one poor leg should have been snatched from under me? Here, brush this old hair aside; it blinds me, that I seem to weep. Locks so grey did never grow but from out some ashes! But do I look very old, so very, very old, Starbuck? I feel deadly faint, bowed, and humped, as though I were Adam, staggering beneath the piled centuries since Paradise. God! God! God!—crack my heart!—stave my brain!—mockery! mockery! bitter, biting mockery of grey hairs, have I lived enough joy to wear ye; and seem and feel thus intolerably old? Close! stand close to me, Starbuck; let me look into a human eye; it is better than to gaze into sea or sky; better than to gaze upon God. By the green land; by the bright hearth-stone! this is the magic glass, man; I see my wife and my child in thine eye. No, no; stay on board, on board!—lower not when I do; when branded Ahab gives chase to Moby Dick. That hazard shall not be thine. No, no! not with the far away home I see in that eye!” + +“Oh, my Captain! my Captain! noble soul! grand old heart, after all! why should any one give chase to that hated fish! Away with me! let us fly these deadly waters! let us home! Wife and child, too, are Starbuck’s—wife and child of his brotherly, sisterly, play-fellow youth; even as thine, sir, are the wife and child of thy loving, longing, paternal old age! Away! let us away!—this instant let me alter the course! How cheerily, how hilariously, O my Captain, would we bowl on our way to see old Nantucket again! I think, sir, they have some such mild blue days, even as this, in Nantucket.” + +“They have, they have. I have seen them—some summer days in the morning. About this time—yes, it is his noon nap now—the boy vivaciously wakes; sits up in bed; and his mother tells him of me, of cannibal old me; how I am abroad upon the deep, but will yet come back to dance him again.” + +“’Tis my Mary, my Mary herself! She promised that my boy, every morning, should be carried to the hill to catch the first glimpse of his father’s sail! Yes, yes! no more! it is done! we head for Nantucket! Come, my Captain, study out the course, and let us away! See, see! the boy’s face from the window! the boy’s hand on the hill!” + +But Ahab’s glance was averted; like a blighted fruit tree he shook, and cast his last, cindered apple to the soil. + +“What is it, what nameless, inscrutable, unearthly thing is it; what cozening, hidden lord and master, and cruel, remorseless emperor commands me; that against all natural lovings and longings, I so keep pushing, and crowding, and jamming myself on all the time; recklessly making me ready to do what in my own proper, natural heart, I durst not so much as dare? Is Ahab, Ahab? Is it I, God, or who, that lifts this arm? But if the great sun move not of himself; but is as an errand-boy in heaven; nor one single star can revolve, but by some invisible power; how then can this one small heart beat; this one small brain think thoughts; unless God does that beating, does that thinking, does that living, and not I. By heaven, man, we are turned round and round in this world, like yonder windlass, and Fate is the handspike. And all the time, lo! that smiling sky, and this unsounded sea! Look! see yon Albicore! who put it into him to chase and fang that flying-fish? Where do murderers go, man! Who’s to doom, when the judge himself is dragged to the bar? But it is a mild, mild wind, and a mild looking sky; and the air smells now, as if it blew from a far-away meadow; they have been making hay somewhere under the slopes of the Andes, Starbuck, and the mowers are sleeping among the new-mown hay. Sleeping? Aye, toil we how we may, we all sleep at last on the field. Sleep? Aye, and rust amid greenness; as last year’s scythes flung down, and left in the half-cut swaths—Starbuck!” + +But blanched to a corpse’s hue with despair, the Mate had stolen away. + +Ahab crossed the deck to gaze over on the other side; but started at two reflected, fixed eyes in the water there. Fedallah was motionlessly leaning over the same rail. + +CHAPTER 133. The Chase—First Day. + +That night, in the mid-watch, when the old man—as his wont at intervals—stepped forth from the scuttle in which he leaned, and went to his pivot-hole, he suddenly thrust out his face fiercely, snuffing up the sea air as a sagacious ship’s dog will, in drawing nigh to some barbarous isle. He declared that a whale must be near. Soon that peculiar odor, sometimes to a great distance given forth by the living sperm whale, was palpable to all the watch; nor was any mariner surprised when, after inspecting the compass, and then the dog-vane, and then ascertaining the precise bearing of the odor as nearly as possible, Ahab rapidly ordered the ship’s course to be slightly altered, and the sail to be shortened. + +The acute policy dictating these movements was sufficiently vindicated at daybreak, by the sight of a long sleek on the sea directly and lengthwise ahead, smooth as oil, and resembling in the pleated watery wrinkles bordering it, the polished metallic-like marks of some swift tide-rip, at the mouth of a deep, rapid stream. + +There she blows!- there she blows! A hump like a snow-hill! It is Moby-Dick! +“Man the mast-heads! Call all hands!” + +Thundering with the butts of three clubbed handspikes on the forecastle deck, Daggoo roused the sleepers with such judgment claps that they seemed to exhale from the scuttle, so instantaneously did they appear with their clothes in their hands. + +“What d’ye see?” cried Ahab, flattening his face to the sky. + +“Nothing, nothing sir!” was the sound hailing down in reply. + +“T’gallant sails!—stunsails! alow and aloft, and on both sides!” + +All sail being set, he now cast loose the life-line, reserved for swaying him to the main royal-mast head; and in a few moments they were hoisting him thither, when, while but two thirds of the way aloft, and while peering ahead through the horizontal vacancy between the main-top-sail and top-gallant-sail, he raised a gull-like cry in the air. “There she blows!—there she blows! A hump like a snow-hill! It is Moby Dick!” + +Fired by the cry which seemed simultaneously taken up by the three look-outs, the men on deck rushed to the rigging to behold the famous whale they had so long been pursuing. Ahab had now gained his final perch, some feet above the other look-outs, Tashtego standing just beneath him on the cap of the top-gallant-mast, so that the Indian’s head was almost on a level with Ahab’s heel. From this height the whale was now seen some mile or so ahead, at every roll of the sea revealing his high sparkling hump, and regularly jetting his silent spout into the air. To the credulous mariners it seemed the same silent spout they had so long ago beheld in the moonlit Atlantic and Indian Oceans. + +“And did none of ye see it before?” cried Ahab, hailing the perched men all around him. + +“I saw him almost that same instant, sir, that Captain Ahab did, and I cried out,” said Tashtego. + +“Not the same instant; not the same—no, the doubloon is mine, Fate reserved the doubloon for me. I only; none of ye could have raised the White Whale first. There she blows!—there she blows!—there she blows! There again!—there again!” he cried, in long-drawn, lingering, methodic tones, attuned to the gradual prolongings of the whale’s visible jets. “He’s going to sound! In stunsails! Down top-gallant-sails! Stand by three boats. Mr. Starbuck, remember, stay on board, and keep the ship. Helm there! Luff, luff a point! So; steady, man, steady! There go flukes! No, no; only black water! All ready the boats there? Stand by, stand by! Lower me, Mr. Starbuck; lower, lower,—quick, quicker!” and he slid through the air to the deck. + +“He is heading straight to leeward, sir,” cried Stubb, “right away from us; cannot have seen the ship yet.” + +“Be dumb, man! Stand by the braces! Hard down the helm!—brace up! Shiver her!—shiver her!—So; well that! Boats, boats!” + +Soon all the boats but Starbuck’s were dropped; all the boat-sails set—all the paddles plying; with rippling swiftness, shooting to leeward; and Ahab heading the onset. A pale, death-glimmer lit up Fedallah’s sunken eyes; a hideous motion gnawed his mouth. + +Like noiseless nautilus shells, their light prows sped through the sea; but only slowly they neared the foe. As they neared him, the ocean grew still more smooth; seemed drawing a carpet over its waves; seemed a noon-meadow, so serenely it spread. At length the breathless hunter came so nigh his seemingly unsuspecting prey, that his entire dazzling hump was distinctly visible, sliding along the sea as if an isolated thing, and continually set in a revolving ring of finest, fleecy, greenish foam. He saw the vast, involved wrinkles of the slightly projecting head beyond. Before it, far out on the soft Turkish-rugged waters, went the glistening white shadow from his broad, milky forehead, a musical rippling playfully accompanying the shade; and behind, the blue waters interchangeably flowed over into the moving valley of his steady wake; and on either hand bright bubbles arose and danced by his side. But these were broken again by the light toes of hundreds of gay fowl softly feathering the sea, alternate with their fitful flight; and like to some flag-staff rising from the painted hull of an argosy, the tall but shattered pole of a recent lance projected from the white whale’s back; and at intervals one of the cloud of soft-toed fowls hovering, and to and fro skimming like a canopy over the fish, silently perched and rocked on this pole, the long tail feathers streaming like pennons. + +A gentle joyousness—a mighty mildness of repose in swiftness, invested the gliding whale. Not the white bull Jupiter swimming away with ravished Europa clinging to his graceful horns; his lovely, leering eyes sideways intent upon the maid; with smooth bewitching fleetness, rippling straight for the nuptial bower in Crete; not Jove, not that great majesty Supreme! did surpass the glorified White Whale as he so divinely swam. + +On each soft side—coincident with the parted swell, that but once leaving him, then flowed so wide away—on each bright side, the whale shed off enticings. No wonder there had been some among the hunters who namelessly transported and allured by all this serenity, had ventured to assail it; but had fatally found that quietude but the vesture of tornadoes. Yet calm, enticing calm, oh, whale! thou glidest on, to all who for the first time eye thee, no matter how many in that same way thou may’st have bejuggled and destroyed before. + +And thus, through the serene tranquillities of the tropical sea, among waves whose hand-clappings were suspended by exceeding rapture, Moby Dick moved on, still withholding from sight the full terrors of his submerged trunk, entirely hiding the wrenched hideousness of his jaw. But soon the fore part of him slowly rose from the water; for an instant his whole marbleized body formed a high arch, like Virginia’s Natural Bridge, and warningly waving his bannered flukes in the air, the grand god revealed himself, sounded, and went out of sight. Hoveringly halting, and dipping on the wing, the white sea-fowls longingly lingered over the agitated pool that he left. + +With oars apeak, and paddles down, the sheets of their sails adrift, the three boats now stilly floated, awaiting Moby Dick’s reappearance. + +“An hour,” said Ahab, standing rooted in his boat’s stern; and he gazed beyond the whale’s place, towards the dim blue spaces and wide wooing vacancies to leeward. It was only an instant; for again his eyes seemed whirling round in his head as he swept the watery circle. The breeze now freshened; the sea began to swell. + +“The birds!—the birds!” cried Tashtego. + +In long Indian file, as when herons take wing, the white birds were now all flying towards Ahab’s boat; and when within a few yards began fluttering over the water there, wheeling round and round, with joyous, expectant cries. Their vision was keener than man’s; Ahab could discover no sign in the sea. But suddenly as he peered down and down into its depths, he profoundly saw a white living spot no bigger than a white weasel, with wonderful celerity uprising, and magnifying as it rose, till it turned, and then there were plainly revealed two long crooked rows of white, glistening teeth, floating up from the undiscoverable bottom. It was Moby Dick’s open mouth and scrolled jaw; his vast, shadowed bulk still half blending with the blue of the sea. The glittering mouth yawned beneath the boat like an open-doored marble tomb; and giving one sidelong sweep with his steering oar, Ahab whirled the craft aside from this tremendous apparition. Then, calling upon Fedallah to change places with him, went forward to the bows, and seizing Perth’s harpoon, commanded his crew to grasp their oars and stand by to stern. + +Now, by reason of this timely spinning round the boat upon its axis, its bow, by anticipation, was made to face the whale’s head while yet under water. But as if perceiving this stratagem, Moby Dick, with that malicious intelligence ascribed to him, sidelingly transplanted himself, as it were, in an instant, shooting his pleated head lengthwise beneath the boat. + +Through and through; through every plank and each rib, it thrilled for an instant, the whale obliquely lying on his back, in the manner of a biting shark, slowly and feelingly taking its bows full within his mouth, so that the long, narrow, scrolled lower jaw curled high up into the open air, and one of the teeth caught in a row-lock. The bluish pearl-white of the inside of the jaw was within six inches of Ahab’s head, and reached higher than that. In this attitude the White Whale now shook the slight cedar as a mildly cruel cat her mouse. With unastonished eyes Fedallah gazed, and crossed his arms; but the tiger-yellow crew were tumbling over each other’s heads to gain the uttermost stern. + +And now, while both elastic gunwales were springing in and out, as the whale dallied with the doomed craft in this devilish way; and from his body being submerged beneath the boat, he could not be darted at from the bows, for the bows were almost inside of him, as it were; and while the other boats involuntarily paused, as before a quick crisis impossible to withstand, then it was that monomaniac Ahab, furious with this tantalizing vicinity of his foe, which placed him all alive and helpless in the very jaws he hated; frenzied with all this, he seized the long bone with his naked hands, and wildly strove to wrench it from its gripe. As now he thus vainly strove, the jaw slipped from him; the frail gunwales bent in, collapsed, and snapped, as both jaws, like an enormous shears, sliding further aft, bit the craft completely in twain, and locked themselves fast again in the sea, midway between the two floating wrecks. These floated aside, the broken ends drooping, the crew at the stern-wreck clinging to the gunwales, and striving to hold fast to the oars to lash them across. + +At that preluding moment, ere the boat was yet snapped, Ahab, the first to perceive the whale’s intent, by the crafty upraising of his head, a movement that loosed his hold for the time; at that moment his hand had made one final effort to push the boat out of the bite. But only slipping further into the whale’s mouth, and tilting over sideways as it slipped, the boat had shaken off his hold on the jaw; spilled him out of it, as he leaned to the push; and so he fell flat-faced upon the sea. + +Ripplingly withdrawing from his prey, Moby Dick now lay at a little distance, vertically thrusting his oblong white head up and down in the billows; and at the same time slowly revolving his whole spindled body; so that when his vast wrinkled forehead rose—some twenty or more feet out of the water—the now rising swells, with all their confluent waves, dazzlingly broke against it; vindictively tossing their shivered spray still higher into the air.* So, in a gale, the but half baffled Channel billows only recoil from the base of the Eddystone, triumphantly to overleap its summit with their scud. + +*This motion is peculiar to the sperm whale. It receives its designation (pitchpoling) from its being likened to that preliminary up-and-down poise of the whale-lance, in the exercise called pitchpoling, previously described. By this motion the whale must best and most comprehensively view whatever objects may be encircling him. + +But soon resuming his horizontal attitude, Moby Dick swam swiftly round and round the wrecked crew; sideways churning the water in his vengeful wake, as if lashing himself up to still another and more deadly assault. The sight of the splintered boat seemed to madden him, as the blood of grapes and mulberries cast before Antiochus’s elephants in the book of Maccabees. Meanwhile Ahab half smothered in the foam of the whale’s insolent tail, and too much of a cripple to swim,—though he could still keep afloat, even in the heart of such a whirlpool as that; helpless Ahab’s head was seen, like a tossed bubble which the least chance shock might burst. From the boat’s fragmentary stern, Fedallah incuriously and mildly eyed him; the clinging crew, at the other drifting end, could not succor him; more than enough was it for them to look to themselves. For so revolvingly appalling was the White Whale’s aspect, and so planetarily swift the ever-contracting circles he made, that he seemed horizontally swooping upon them. And though the other boats, unharmed, still hovered hard by; still they dared not pull into the eddy to strike, lest that should be the signal for the instant destruction of the jeopardized castaways, Ahab and all; nor in that case could they themselves hope to escape. With straining eyes, then, they remained on the outer edge of the direful zone, whose centre had now become the old man’s head. + +Meantime, from the beginning all this had been descried from the ship’s mast heads; and squaring her yards, she had borne down upon the scene; and was now so nigh, that Ahab in the water hailed her!—”Sail on the”—but that moment a breaking sea dashed on him from Moby Dick, and whelmed him for the time. But struggling out of it again, and chancing to rise on a towering crest, he shouted,—”Sail on the whale!—Drive him off!” + +The Pequod’s prows were pointed; and breaking up the charmed circle, she effectually parted the white whale from his victim. As he sullenly swam off, the boats flew to the rescue. + +Dragged into Stubb’s boat with blood-shot, blinded eyes, the white brine caking in his wrinkles; the long tension of Ahab’s bodily strength did crack, and helplessly he yielded to his body’s doom: for a time, lying all crushed in the bottom of Stubb’s boat, like one trodden under foot of herds of elephants. Far inland, nameless wails came from him, as desolate sounds from out ravines. + +But this intensity of his physical prostration did but so much the more abbreviate it. In an instant’s compass, great hearts sometimes condense to one deep pang, the sum total of those shallow pains kindly diffused through feebler men’s whole lives. And so, such hearts, though summary in each one suffering; still, if the gods decree it, in their life-time aggregate a whole age of woe, wholly made up of instantaneous intensities; for even in their pointless centres, those noble natures contain the entire circumferences of inferior souls. + +“The harpoon,” said Ahab, half way rising, and draggingly leaning on one bended arm—”is it safe?” + +“Aye, sir, for it was not darted; this is it,” said Stubb, showing it. + +“Lay it before me;—any missing men?” + +“One, two, three, four, five;—there were five oars, sir, and here are five men.” + +“That’s good.—Help me, man; I wish to stand. So, so, I see him! there! there! going to leeward still; what a leaping spout!—Hands off from me! The eternal sap runs up in Ahab’s bones again! Set the sail; out oars; the helm!” + +It is often the case that when a boat is stove, its crew, being picked up by another boat, help to work that second boat; and the chase is thus continued with what is called double-banked oars. It was thus now. But the added power of the boat did not equal the added power of the whale, for he seemed to have treble-banked his every fin; swimming with a velocity which plainly showed, that if now, under these circumstances, pushed on, the chase would prove an indefinitely prolonged, if not a hopeless one; nor could any crew endure for so long a period, such an unintermitted, intense straining at the oar; a thing barely tolerable only in some one brief vicissitude. The ship itself, then, as it sometimes happens, offered the most promising intermediate means of overtaking the chase. Accordingly, the boats now made for her, and were soon swayed up to their cranes—the two parts of the wrecked boat having been previously secured by her—and then hoisting everything to her side, and stacking her canvas high up, and sideways outstretching it with stun-sails, like the double-jointed wings of an albatross; the Pequod bore down in the leeward wake of Moby-Dick. At the well known, methodic intervals, the whale’s glittering spout was regularly announced from the manned mast-heads; and when he would be reported as just gone down, Ahab would take the time, and then pacing the deck, binnacle-watch in hand, so soon as the last second of the allotted hour expired, his voice was heard.—”Whose is the doubloon now? D’ye see him?” and if the reply was, No, sir! straightway he commanded them to lift him to his perch. In this way the day wore on; Ahab, now aloft and motionless; anon, unrestingly pacing the planks. + +As he was thus walking, uttering no sound, except to hail the men aloft, or to bid them hoist a sail still higher, or to spread one to a still greater breadth—thus to and fro pacing, beneath his slouched hat, at every turn he passed his own wrecked boat, which had been dropped upon the quarter-deck, and lay there reversed; broken bow to shattered stern. At last he paused before it; and as in an already over-clouded sky fresh troops of clouds will sometimes sail across, so over the old man’s face there now stole some such added gloom as this. + +Stubb saw him pause; and perhaps intending, not vainly, though, to evince his own unabated fortitude, and thus keep up a valiant place in his Captain’s mind, he advanced, and eyeing the wreck exclaimed—”The thistle the ass refused; it pricked his mouth too keenly, sir; ha! ha!” + +“What soulless thing is this that laughs before a wreck? Man, man! did I not know thee brave as fearless fire (and as mechanical) I could swear thou wert a poltroon. Groan nor laugh should be heard before a wreck.” + +“Aye, sir,” said Starbuck drawing near, “’tis a solemn sight; an omen, and an ill one.” + +“Omen? omen?—the dictionary! If the gods think to speak outright to man, they will honourably speak outright; not shake their heads, and give an old wives’ darkling hint.—Begone! Ye two are the opposite poles of one thing; Starbuck is Stubb reversed, and Stubb is Starbuck; and ye two are all mankind; and Ahab stands alone among the millions of the peopled earth, nor gods nor men his neighbors! Cold, cold—I shiver!—How now? Aloft there! D’ye see him? Sing out for every spout, though he spout ten times a second!” + +The day was nearly done; only the hem of his golden robe was rustling. Soon, it was almost dark, but the look-out men still remained unset. + +“Can’t see the spout now, sir;—too dark”—cried a voice from the air. + +“How heading when last seen?” + +“As before, sir,—straight to leeward.” + +“Good! he will travel slower now ‘tis night. Down royals and top-gallant stun-sails, Mr. Starbuck. We must not run over him before morning; he’s making a passage now, and may heave-to a while. Helm there! keep her full before the wind!—Aloft! come down!—Mr. Stubb, send a fresh hand to the fore-mast head, and see it manned till morning.”—Then advancing towards the doubloon in the main-mast—”Men, this gold is mine, for I earned it; but I shall let it abide here till the White Whale is dead; and then, whosoever of ye first raises him, upon the day he shall be killed, this gold is that man’s; and if on that day I shall again raise him, then, ten times its sum shall be divided among all of ye! Away now!—the deck is thine, sir!” + +And so saying, he placed himself half way within the scuttle, and slouching his hat, stood there till dawn, except when at intervals rousing himself to see how the night wore on. + +CHAPTER 134. The Chase—Second Day. + +At day-break, the three mast-heads were punctually manned afresh. + +“D’ye see him?” cried Ahab after allowing a little space for the light to spread. + +“See nothing, sir.” + +“Turn up all hands and make sail! he travels faster than I thought for;—the top-gallant sails!—aye, they should have been kept on her all night. But no matter—’tis but resting for the rush.” + +Here be it said, that this pertinacious pursuit of one particular whale, continued through day into night, and through night into day, is a thing by no means unprecedented in the South sea fishery. For such is the wonderful skill, prescience of experience, and invincible confidence acquired by some great natural geniuses among the Nantucket commanders; that from the simple observation of a whale when last descried, they will, under certain given circumstances, pretty accurately foretell both the direction in which he will continue to swim for a time, while out of sight, as well as his probable rate of progression during that period. And, in these cases, somewhat as a pilot, when about losing sight of a coast, whose general trending he well knows, and which he desires shortly to return to again, but at some further point; like as this pilot stands by his compass, and takes the precise bearing of the cape at present visible, in order the more certainly to hit aright the remote, unseen headland, eventually to be visited: so does the fisherman, at his compass, with the whale; for after being chased, and diligently marked, through several hours of daylight, then, when night obscures the fish, the creature’s future wake through the darkness is almost as established to the sagacious mind of the hunter, as the pilot’s coast is to him. So that to this hunter’s wondrous skill, the proverbial evanescence of a thing writ in water, a wake, is to all desired purposes well nigh as reliable as the steadfast land. And as the mighty iron Leviathan of the modern railway is so familiarly known in its every pace, that, with watches in their hands, men time his rate as doctors that of a baby’s pulse; and lightly say of it, the up train or the down train will reach such or such a spot, at such or such an hour; even so, almost, there are occasions when these Nantucketers time that other Leviathan of the deep, according to the observed humor of his speed; and say to themselves, so many hours hence this whale will have gone two hundred miles, will have about reached this or that degree of latitude or longitude. But to render this acuteness at all successful in the end, the wind and the sea must be the whaleman’s allies; for of what present avail to the becalmed or windbound mariner is the skill that assures him he is exactly ninety-three leagues and a quarter from his port? Inferable from these statements, are many collateral subtile matters touching the chase of whales. + +The ship tore on; leaving such a furrow in the sea as when a cannon-ball, missent, becomes a plough-share and turns up the level field. + +“By salt and hemp!” cried Stubb, “but this swift motion of the deck creeps up one’s legs and tingles at the heart. This ship and I are two brave fellows!—Ha, ha! Some one take me up, and launch me, spine-wise, on the sea,—for by live-oaks! my spine’s a keel. Ha, ha! we go the gait that leaves no dust behind!” + +“There she blows—she blows!—she blows!—right ahead!” was now the mast-head cry. + +“Aye, aye!” cried Stubb, “I knew it—ye can’t escape—blow on and split your spout, O whale! the mad fiend himself is after ye! blow your trump—blister your lungs!—Ahab will dam off your blood, as a miller shuts his watergate upon the stream!” + +And Stubb did but speak out for well nigh all that crew. The frenzies of the chase had by this time worked them bubblingly up, like old wine worked anew. Whatever pale fears and forebodings some of them might have felt before; these were not only now kept out of sight through the growing awe of Ahab, but they were broken up, and on all sides routed, as timid prairie hares that scatter before the bounding bison. The hand of Fate had snatched all their souls; and by the stirring perils of the previous day; the rack of the past night’s suspense; the fixed, unfearing, blind, reckless way in which their wild craft went plunging towards its flying mark; by all these things, their hearts were bowled along. The wind that made great bellies of their sails, and rushed the vessel on by arms invisible as irresistible; this seemed the symbol of that unseen agency which so enslaved them to the race. + +They were one man, not thirty. For as the one ship that held them all; though it was put together of all contrasting things—oak, and maple, and pine wood; iron, and pitch, and hemp—yet all these ran into each other in the one concrete hull, which shot on its way, both balanced and directed by the long central keel; even so, all the individualities of the crew, this man’s valor, that man’s fear; guilt and guiltiness, all varieties were welded into oneness, and were all directed to that fatal goal which Ahab their one lord and keel did point to. + +The rigging lived. The mast-heads, like the tops of tall palms, were outspreadingly tufted with arms and legs. Clinging to a spar with one hand, some reached forth the other with impatient wavings; others, shading their eyes from the vivid sunlight, sat far out on the rocking yards; all the spars in full bearing of mortals, ready and ripe for their fate. Ah! how they still strove through that infinite blueness to seek out the thing that might destroy them! + +“Why sing ye not out for him, if ye see him?” cried Ahab, when, after the lapse of some minutes since the first cry, no more had been heard. “Sway me up, men; ye have been deceived; not Moby Dick casts one odd jet that way, and then disappears.” + +It was even so; in their headlong eagerness, the men had mistaken some other thing for the whale-spout, as the event itself soon proved; for hardly had Ahab reached his perch; hardly was the rope belayed to its pin on deck, when he struck the key-note to an orchestra, that made the air vibrate as with the combined discharges of rifles. The triumphant halloo of thirty buckskin lungs was heard, as—much nearer to the ship than the place of the imaginary jet, less than a mile ahead—Moby Dick bodily burst into view! For not by any calm and indolent spoutings; not by the peaceable gush of that mystic fountain in his head, did the White Whale now reveal his vicinity; but by the far more wondrous phenomenon of breaching. Rising with his utmost velocity from the furthest depths, the Sperm Whale thus booms his entire bulk into the pure element of air, and piling up a mountain of dazzling foam, shows his place to the distance of seven miles and more. In those moments, the torn, enraged waves he shakes off, seem his mane; in some cases, this breaching is his act of defiance. + +“There she breaches! there she breaches!” was the cry, as in his immeasurable bravadoes the White Whale tossed himself salmon-like to Heaven. So suddenly seen in the blue plain of the sea, and relieved against the still bluer margin of the sky, the spray that he raised, for the moment, intolerably glittered and glared like a glacier; and stood there gradually fading and fading away from its first sparkling intensity, to the dim mistiness of an advancing shower in a vale. + +“Aye, breach your last to the sun, Moby Dick!” cried Ahab, “thy hour and thy harpoon are at hand!—Down! down all of ye, but one man at the fore. The boats!—stand by!” + +Unmindful of the tedious rope-ladders of the shrouds, the men, like shooting stars, slid to the deck, by the isolated backstays and halyards; while Ahab, less dartingly, but still rapidly was dropped from his perch. + +“Lower away,” he cried, so soon as he had reached his boat—a spare one, rigged the afternoon previous. “Mr. Starbuck, the ship is thine—keep away from the boats, but keep near them. Lower, all!” + +As if to strike a quick terror into them, by this time being the first assailant himself, Moby Dick had turned, and was now coming for the three crews. Ahab’s boat was central; and cheering his men, he told them he would take the whale head-and-head,—that is, pull straight up to his forehead,—a not uncommon thing; for when within a certain limit, such a course excludes the coming onset from the whale’s sidelong vision. But ere that close limit was gained, and while yet all three boats were plain as the ship’s three masts to his eye; the White Whale churning himself into furious speed, almost in an instant as it were, rushing among the boats with open jaws, and a lashing tail, offered appalling battle on every side; and heedless of the irons darted at him from every boat, seemed only intent on annihilating each separate plank of which those boats were made. But skilfully manoeuvred, incessantly wheeling like trained chargers in the field; the boats for a while eluded him; though, at times, but by a plank’s breadth; while all the time, Ahab’s unearthly slogan tore every other cry but his to shreds. + +But at last in his untraceable evolutions, the White Whale so crossed and recrossed, and in a thousand ways entangled the slack of the three lines now fast to him, that they foreshortened, and, of themselves, warped the devoted boats towards the planted irons in him; though now for a moment the whale drew aside a little, as if to rally for a more tremendous charge. Seizing that opportunity, Ahab first paid out more line: and then was rapidly hauling and jerking in upon it again—hoping that way to disencumber it of some snarls—when lo!—a sight more savage than the embattled teeth of sharks! + +Caught and twisted—corkscrewed in the mazes of the line, loose harpoons and lances, with all their bristling barbs and points, came flashing and dripping up to the chocks in the bows of Ahab’s boat. Only one thing could be done. Seizing the boat-knife, he critically reached within—through—and then, without—the rays of steel; dragged in the line beyond, passed it, inboard, to the bowsman, and then, twice sundering the rope near the chocks—dropped the intercepted fagot of steel into the sea; and was all fast again. That instant, the White Whale made a sudden rush among the remaining tangles of the other lines; by so doing, irresistibly dragged the more involved boats of Stubb and Flask towards his flukes; dashed them together like two rolling husks on a surf-beaten beach, and then, diving down into the sea, disappeared in a boiling maelstrom, in which, for a space, the odorous cedar chips of the wrecks danced round and round, like the grated nutmeg in a swiftly stirred bowl of punch. + +While the two crews were yet circling in the waters, reaching out after the revolving line-tubs, oars, and other floating furniture, while aslope little Flask bobbed up and down like an empty vial, twitching his legs upwards to escape the dreaded jaws of sharks; and Stubb was lustily singing out for some one to ladle him up; and while the old man’s line—now parting—admitted of his pulling into the creamy pool to rescue whom he could;—in that wild simultaneousness of a thousand concreted perils,—Ahab’s yet unstricken boat seemed drawn up towards Heaven by invisible wires,—as, arrow-like, shooting perpendicularly from the sea, the White Whale dashed his broad forehead against its bottom, and sent it, turning over and over, into the air; till it fell again—gunwale downwards—and Ahab and his men struggled out from under it, like seals from a sea-side cave. + +The first uprising momentum of the whale—modifying its direction as he struck the surface—involuntarily launched him along it, to a little distance from the centre of the destruction he had made; and with his back to it, he now lay for a moment slowly feeling with his flukes from side to side; and whenever a stray oar, bit of plank, the least chip or crumb of the boats touched his skin, his tail swiftly drew back, and came sideways smiting the sea. But soon, as if satisfied that his work for that time was done, he pushed his pleated forehead through the ocean, and trailing after him the intertangled lines, continued his leeward way at a traveller’s methodic pace. + +As before, the attentive ship having descried the whole fight, again came bearing down to the rescue, and dropping a boat, picked up the floating mariners, tubs, oars, and whatever else could be caught at, and safely landed them on her decks. Some sprained shoulders, wrists, and ankles; livid contusions; wrenched harpoons and lances; inextricable intricacies of rope; shattered oars and planks; all these were there; but no fatal or even serious ill seemed to have befallen any one. As with Fedallah the day before, so Ahab was now found grimly clinging to his boat’s broken half, which afforded a comparatively easy float; nor did it so exhaust him as the previous day’s mishap. + +But when he was helped to the deck, all eyes were fastened upon him; as instead of standing by himself he still half-hung upon the shoulder of Starbuck, who had thus far been the foremost to assist him. His ivory leg had been snapped off, leaving but one short sharp splinter. + +“Aye, aye, Starbuck, ‘tis sweet to lean sometimes, be the leaner who he will; and would old Ahab had leaned oftener than he has.” + +“The ferrule has not stood, sir,” said the carpenter, now coming up; “I put good work into that leg.” + +“But no bones broken, sir, I hope,” said Stubb with true concern. + +“Aye! and all splintered to pieces, Stubb!—d’ye see it.—But even with a broken bone, old Ahab is untouched; and I account no living bone of mine one jot more me, than this dead one that’s lost. Nor white whale, nor man, nor fiend, can so much as graze old Ahab in his own proper and inaccessible being. Can any lead touch yonder floor, any mast scrape yonder roof?—Aloft there! which way?” + +“Dead to leeward, sir.” + +“Up helm, then; pile on the sail again, ship keepers! down the rest of the spare boats and rig them—Mr. Starbuck away, and muster the boat’s crews.” + +“Let me first help thee towards the bulwarks, sir.” + +“Oh, oh, oh! how this splinter gores me now! Accursed fate! that the unconquerable captain in the soul should have such a craven mate!” + +“Sir?” + +“My body, man, not thee. Give me something for a cane—there, that shivered lance will do. Muster the men. Surely I have not seen him yet. By heaven it cannot be!—missing?—quick! call them all.” + +The old man’s hinted thought was true. Upon mustering the company, the Parsee was not there. + +“The Parsee!” cried Stubb—”he must have been caught in—” + +“The black vomit wrench thee!—run all of ye above, alow, cabin, forecastle—find him—not gone—not gone!” + +But quickly they returned to him with the tidings that the Parsee was nowhere to be found. + +“Aye, sir,” said Stubb—”caught among the tangles of your line—I thought I saw him dragging under.” + +“MY line! MY line? Gone?—gone? What means that little word?—What death-knell rings in it, that old Ahab shakes as if he were the belfry. The harpoon, too!—toss over the litter there,—d’ye see it?—the forged iron, men, the white whale’s—no, no, no,—blistered fool! this hand did dart it!—’tis in the fish!—Aloft there! Keep him nailed—Quick!—all hands to the rigging of the boats—collect the oars—harpooneers! the irons, the irons!—hoist the royals higher—a pull on all the sheets!—helm there! steady, steady for your life! I’ll ten times girdle the unmeasured globe; yea and dive straight through it, but I’ll slay him yet! + +“Great God! but for one single instant show thyself,” cried Starbuck; “never, never wilt thou capture him, old man—In Jesus’ name no more of this, that’s worse than devil’s madness. Two days chased; twice stove to splinters; thy very leg once more snatched from under thee; thy evil shadow gone—all good angels mobbing thee with warnings:— + +“What more wouldst thou have?—Shall we keep chasing this murderous fish till he swamps the last man? Shall we be dragged by him to the bottom of the sea? Shall we be towed by him to the infernal world? Oh, oh,—Impiety and blasphemy to hunt him more!” + +“Starbuck, of late I’ve felt strangely moved to thee; ever since that hour we both saw—thou know’st what, in one another’s eyes. But in this matter of the whale, be the front of thy face to me as the palm of this hand—a lipless, unfeatured blank. Ahab is for ever Ahab, man. This whole act’s immutably decreed. ‘Twas rehearsed by thee and me a billion years before this ocean rolled. Fool! I am the Fates’ lieutenant; I act under orders. Look thou, underling! that thou obeyest mine.—Stand round me, men. Ye see an old man cut down to the stump; leaning on a shivered lance; propped up on a lonely foot. ‘Tis Ahab—his body’s part; but Ahab’s soul’s a centipede, that moves upon a hundred legs. I feel strained, half stranded, as ropes that tow dismasted frigates in a gale; and I may look so. But ere I break, ye’ll hear me crack; and till ye hear THAT, know that Ahab’s hawser tows his purpose yet. Believe ye, men, in the things called omens? Then laugh aloud, and cry encore! For ere they drown, drowning things will twice rise to the surface; then rise again, to sink for evermore. So with Moby Dick—two days he’s floated—tomorrow will be the third. Aye, men, he’ll rise once more,—but only to spout his last! D’ye feel brave men, brave?” + +“As fearless fire,” cried Stubb. + +“And as mechanical,” muttered Ahab. Then as the men went forward, he muttered on: “The things called omens! And yesterday I talked the same to Starbuck there, concerning my broken boat. Oh! how valiantly I seek to drive out of others’ hearts what’s clinched so fast in mine!—The Parsee—the Parsee!—gone, gone? and he was to go before:—but still was to be seen again ere I could perish—How’s that?—There’s a riddle now might baffle all the lawyers backed by the ghosts of the whole line of judges:—like a hawk’s beak it pecks my brain. I’LL, I’LL solve it, though!” + +When dusk descended, the whale was still in sight to leeward. + +So once more the sail was shortened, and everything passed nearly as on the previous night; only, the sound of hammers, and the hum of the grindstone was heard till nearly daylight, as the men toiled by lanterns in the complete and careful rigging of the spare boats and sharpening their fresh weapons for the morrow. Meantime, of the broken keel of Ahab’s wrecked craft the carpenter made him another leg; while still as on the night before, slouched Ahab stood fixed within his scuttle; his hid, heliotrope glance anticipatingly gone backward on its dial; sat due eastward for the earliest sun. + +CHAPTER 135. The Chase.—Third Day. + +The morning of the third day dawned fair and fresh, and once more the solitary night-man at the fore-mast-head was relieved by crowds of the daylight look-outs, who dotted every mast and almost every spar. + +“D’ye see him?” cried Ahab; but the whale was not yet in sight. + +“In his infallible wake, though; but follow that wake, that’s all. Helm there; steady, as thou goest, and hast been going. What a lovely day again! were it a new-made world, and made for a summer-house to the angels, and this morning the first of its throwing open to them, a fairer day could not dawn upon that world. Here’s food for thought, had Ahab time to think; but Ahab never thinks; he only feels, feels, feels; THAT’S tingling enough for mortal man! to think’s audacity. God only has that right and privilege. Thinking is, or ought to be, a coolness and a calmness; and our poor hearts throb, and our poor brains beat too much for that. And yet, I’ve sometimes thought my brain was very calm—frozen calm, this old skull cracks so, like a glass in which the contents turned to ice, and shiver it. And still this hair is growing now; this moment growing, and heat must breed it; but no, it’s like that sort of common grass that will grow anywhere, between the earthy clefts of Greenland ice or in Vesuvius lava. How the wild winds blow it; they whip it about me as the torn shreds of split sails lash the tossed ship they cling to. A vile wind that has no doubt blown ere this through prison corridors and cells, and wards of hospitals, and ventilated them, and now comes blowing hither as innocent as fleeces. Out upon it!—it’s tainted. Were I the wind, I’d blow no more on such a wicked, miserable world. I’d crawl somewhere to a cave, and slink there. And yet, ‘tis a noble and heroic thing, the wind! who ever conquered it? In every fight it has the last and bitterest blow. Run tilting at it, and you but run through it. Ha! a coward wind that strikes stark naked men, but will not stand to receive a single blow. Even Ahab is a braver thing—a nobler thing than THAT. Would now the wind but had a body; but all the things that most exasperate and outrage mortal man, all these things are bodiless, but only bodiless as objects, not as agents. There’s a most special, a most cunning, oh, a most malicious difference! And yet, I say again, and swear it now, that there’s something all glorious and gracious in the wind. These warm Trade Winds, at least, that in the clear heavens blow straight on, in strong and steadfast, vigorous mildness; and veer not from their mark, however the baser currents of the sea may turn and tack, and mightiest Mississippies of the land swift and swerve about, uncertain where to go at last. And by the eternal Poles! these same Trades that so directly blow my good ship on; these Trades, or something like them—something so unchangeable, and full as strong, blow my keeled soul along! To it! Aloft there! What d’ye see?” + +“Nothing, sir.” + +“Nothing! and noon at hand! The doubloon goes a-begging! See the sun! Aye, aye, it must be so. I’ve oversailed him. How, got the start? Aye, he’s chasing ME now; not I, HIM—that’s bad; I might have known it, too. Fool! the lines—the harpoons he’s towing. Aye, aye, I have run him by last night. About! about! Come down, all of ye, but the regular look outs! Man the braces!” + +Towards thee I roll, thou all-destroying but unconquering whale; to the last I grapple with thee; from hell’s heart I stab at thee; for hate’s sake, I spit my last breath at thee. Sink all coffins and hearses to one common pool! and since neither can be mine, let me then tow to pieces, while still chasing thee, though tied to thee, thou damned whale! Thus, I give up the spear! +Steering as she had done, the wind had been somewhat on the Pequod’s quarter, so that now being pointed in the reverse direction, the braced ship sailed hard upon the breeze as she rechurned the cream in her own white wake. + +“Against the wind he now steers for the open jaw,” murmured Starbuck to himself, as he coiled the new-hauled main-brace upon the rail. “God keep us, but already my bones feel damp within me, and from the inside wet my flesh. I misdoubt me that I disobey my God in obeying him!” + +“Stand by to sway me up!” cried Ahab, advancing to the hempen basket. “We should meet him soon.” + +“Aye, aye, sir,” and straightway Starbuck did Ahab’s bidding, and once more Ahab swung on high. + +A whole hour now passed; gold-beaten out to ages. Time itself now held long breaths with keen suspense. But at last, some three points off the weather bow, Ahab descried the spout again, and instantly from the three mast-heads three shrieks went up as if the tongues of fire had voiced it. + +“Forehead to forehead I meet thee, this third time, Moby Dick! On deck there!—brace sharper up; crowd her into the wind’s eye. He’s too far off to lower yet, Mr. Starbuck. The sails shake! Stand over that helmsman with a top-maul! So, so; he travels fast, and I must down. But let me have one more good round look aloft here at the sea; there’s time for that. An old, old sight, and yet somehow so young; aye, and not changed a wink since I first saw it, a boy, from the sand-hills of Nantucket! The same!—the same!—the same to Noah as to me. There’s a soft shower to leeward. Such lovely leewardings! They must lead somewhere—to something else than common land, more palmy than the palms. Leeward! the white whale goes that way; look to windward, then; the better if the bitterer quarter. But good bye, good bye, old mast-head! What’s this?—green? aye, tiny mosses in these warped cracks. No such green weather stains on Ahab’s head! There’s the difference now between man’s old age and matter’s. But aye, old mast, we both grow old together; sound in our hulls, though, are we not, my ship? Aye, minus a leg, that’s all. By heaven this dead wood has the better of my live flesh every way. I can’t compare with it; and I’ve known some ships made of dead trees outlast the lives of men made of the most vital stuff of vital fathers. What’s that he said? he should still go before me, my pilot; and yet to be seen again? But where? Will I have eyes at the bottom of the sea, supposing I descend those endless stairs? and all night I’ve been sailing from him, wherever he did sink to. Aye, aye, like many more thou told’st direful truth as touching thyself, O Parsee; but, Ahab, there thy shot fell short. Good-bye, mast-head—keep a good eye upon the whale, the while I’m gone. We’ll talk to-morrow, nay, to-night, when the white whale lies down there, tied by head and tail.” + +He gave the word; and still gazing round him, was steadily lowered through the cloven blue air to the deck. + +In due time the boats were lowered; but as standing in his shallop’s stern, Ahab just hovered upon the point of the descent, he waved to the mate,—who held one of the tackle-ropes on deck—and bade him pause. + +“Starbuck!” + +“Sir?” + +“For the third time my soul’s ship starts upon this voyage, Starbuck.” + +“Aye, sir, thou wilt have it so.” + +“Some ships sail from their ports, and ever afterwards are missing, Starbuck!” + +“Truth, sir: saddest truth.” + +“Some men die at ebb tide; some at low water; some at the full of the flood;—and I feel now like a billow that’s all one crested comb, Starbuck. I am old;—shake hands with me, man.” + +Their hands met; their eyes fastened; Starbuck’s tears the glue. + +“Oh, my captain, my captain!—noble heart—go not—go not!—see, it’s a brave man that weeps; how great the agony of the persuasion then!” + +“Lower away!”—cried Ahab, tossing the mate’s arm from him. “Stand by the crew!” + +In an instant the boat was pulling round close under the stern. + +“The sharks! the sharks!” cried a voice from the low cabin-window there; “O master, my master, come back!” + +But Ahab heard nothing; for his own voice was high-lifted then; and the boat leaped on. + +Yet the voice spake true; for scarce had he pushed from the ship, when numbers of sharks, seemingly rising from out the dark waters beneath the hull, maliciously snapped at the blades of the oars, every time they dipped in the water; and in this way accompanied the boat with their bites. It is a thing not uncommonly happening to the whale-boats in those swarming seas; the sharks at times apparently following them in the same prescient way that vultures hover over the banners of marching regiments in the east. But these were the first sharks that had been observed by the Pequod since the White Whale had been first descried; and whether it was that Ahab’s crew were all such tiger-yellow barbarians, and therefore their flesh more musky to the senses of the sharks—a matter sometimes well known to affect them,—however it was, they seemed to follow that one boat without molesting the others. + +“Heart of wrought steel!” murmured Starbuck gazing over the side, and following with his eyes the receding boat—”canst thou yet ring boldly to that sight?—lowering thy keel among ravening sharks, and followed by them, open-mouthed to the chase; and this the critical third day?—For when three days flow together in one continuous intense pursuit; be sure the first is the morning, the second the noon, and the third the evening and the end of that thing—be that end what it may. Oh! my God! what is this that shoots through me, and leaves me so deadly calm, yet expectant,—fixed at the top of a shudder! Future things swim before me, as in empty outlines and skeletons; all the past is somehow grown dim. Mary, girl! thou fadest in pale glories behind me; boy! I seem to see but thy eyes grown wondrous blue. Strangest problems of life seem clearing; but clouds sweep between—Is my journey’s end coming? My legs feel faint; like his who has footed it all day. Feel thy heart,—beats it yet? Stir thyself, Starbuck!—stave it off—move, move! speak aloud!—Mast-head there! See ye my boy’s hand on the hill?—Crazed;—aloft there!—keep thy keenest eye upon the boats:— + +“Mark well the whale!—Ho! again!—drive off that hawk! see! he pecks—he tears the vane”—pointing to the red flag flying at the main-truck—”Ha! he soars away with it!—Where’s the old man now? see’st thou that sight, oh Ahab!—shudder, shudder!” + +The boats had not gone very far, when by a signal from the mast-heads—a downward pointed arm, Ahab knew that the whale had sounded; but intending to be near him at the next rising, he held on his way a little sideways from the vessel; the becharmed crew maintaining the profoundest silence, as the head-beat waves hammered and hammered against the opposing bow. + +“Drive, drive in your nails, oh ye waves! to their uttermost heads drive them in! ye but strike a thing without a lid; and no coffin and no hearse can be mine:—and hemp only can kill me! Ha! ha!” + +Suddenly the waters around them slowly swelled in broad circles; then quickly upheaved, as if sideways sliding from a submerged berg of ice, swiftly rising to the surface. A low rumbling sound was heard; a subterraneous hum; and then all held their breaths; as bedraggled with trailing ropes, and harpoons, and lances, a vast form shot lengthwise, but obliquely from the sea. Shrouded in a thin drooping veil of mist, it hovered for a moment in the rainbowed air; and then fell swamping back into the deep. Crushed thirty feet upwards, the waters flashed for an instant like heaps of fountains, then brokenly sank in a shower of flakes, leaving the circling surface creamed like new milk round the marble trunk of the whale. + +“Give way!” cried Ahab to the oarsmen, and the boats darted forward to the attack; but maddened by yesterday’s fresh irons that corroded in him, Moby Dick seemed combinedly possessed by all the angels that fell from heaven. The wide tiers of welded tendons overspreading his broad white forehead, beneath the transparent skin, looked knitted together; as head on, he came churning his tail among the boats; and once more flailed them apart; spilling out the irons and lances from the two mates’ boats, and dashing in one side of the upper part of their bows, but leaving Ahab’s almost without a scar. + +While Daggoo and Queequeg were stopping the strained planks; and as the whale swimming out from them, turned, and showed one entire flank as he shot by them again; at that moment a quick cry went up. Lashed round and round to the fish’s back; pinioned in the turns upon turns in which, during the past night, the whale had reeled the involutions of the lines around him, the half torn body of the Parsee was seen; his sable raiment frayed to shreds; his distended eyes turned full upon old Ahab. + +The harpoon dropped from his hand. + +“Befooled, befooled!”—drawing in a long lean breath—”Aye, Parsee! I see thee again.—Aye, and thou goest before; and this, THIS then is the hearse that thou didst promise. But I hold thee to the last letter of thy word. Where is the second hearse? Away, mates, to the ship! those boats are useless now; repair them if ye can in time, and return to me; if not, Ahab is enough to die—Down, men! the first thing that but offers to jump from this boat I stand in, that thing I harpoon. Ye are not other men, but my arms and my legs; and so obey me.—Where’s the whale? gone down again?” + +But he looked too nigh the boat; for as if bent upon escaping with the corpse he bore, and as if the particular place of the last encounter had been but a stage in his leeward voyage, Moby Dick was now again steadily swimming forward; and had almost passed the ship,—which thus far had been sailing in the contrary direction to him, though for the present her headway had been stopped. He seemed swimming with his utmost velocity, and now only intent upon pursuing his own straight path in the sea. + +“Oh! Ahab,” cried Starbuck, “not too late is it, even now, the third day, to desist. See! Moby Dick seeks thee not. It is thou, thou, that madly seekest him!” + +Setting sail to the rising wind, the lonely boat was swiftly impelled to leeward, by both oars and canvas. And at last when Ahab was sliding by the vessel, so near as plainly to distinguish Starbuck’s face as he leaned over the rail, he hailed him to turn the vessel about, and follow him, not too swiftly, at a judicious interval. Glancing upwards, he saw Tashtego, Queequeg, and Daggoo, eagerly mounting to the three mast-heads; while the oarsmen were rocking in the two staved boats which had but just been hoisted to the side, and were busily at work in repairing them. One after the other, through the port-holes, as he sped, he also caught flying glimpses of Stubb and Flask, busying themselves on deck among bundles of new irons and lances. As he saw all this; as he heard the hammers in the broken boats; far other hammers seemed driving a nail into his heart. But he rallied. And now marking that the vane or flag was gone from the main-mast-head, he shouted to Tashtego, who had just gained that perch, to descend again for another flag, and a hammer and nails, and so nail it to the mast. + +Whether fagged by the three days’ running chase, and the resistance to his swimming in the knotted hamper he bore; or whether it was some latent deceitfulness and malice in him: whichever was true, the White Whale’s way now began to abate, as it seemed, from the boat so rapidly nearing him once more; though indeed the whale’s last start had not been so long a one as before. And still as Ahab glided over the waves the unpitying sharks accompanied him; and so pertinaciously stuck to the boat; and so continually bit at the plying oars, that the blades became jagged and crunched, and left small splinters in the sea, at almost every dip. + +“Heed them not! those teeth but give new rowlocks to your oars. Pull on! ‘tis the better rest, the shark’s jaw than the yielding water.” + +“But at every bite, sir, the thin blades grow smaller and smaller!” + +“They will last long enough! pull on!—But who can tell”—he muttered—”whether these sharks swim to feast on the whale or on Ahab?—But pull on! Aye, all alive, now—we near him. The helm! take the helm! let me pass,”—and so saying two of the oarsmen helped him forward to the bows of the still flying boat. + +At length as the craft was cast to one side, and ran ranging along with the White Whale’s flank, he seemed strangely oblivious of its advance—as the whale sometimes will—and Ahab was fairly within the smoky mountain mist, which, thrown off from the whale’s spout, curled round his great, Monadnock hump; he was even thus close to him; when, with body arched back, and both arms lengthwise high-lifted to the poise, he darted his fierce iron, and his far fiercer curse into the hated whale. As both steel and curse sank to the socket, as if sucked into a morass, Moby Dick sideways writhed; spasmodically rolled his nigh flank against the bow, and, without staving a hole in it, so suddenly canted the boat over, that had it not been for the elevated part of the gunwale to which he then clung, Ahab would once more have been tossed into the sea. As it was, three of the oarsmen—who foreknew not the precise instant of the dart, and were therefore unprepared for its effects—these were flung out; but so fell, that, in an instant two of them clutched the gunwale again, and rising to its level on a combing wave, hurled themselves bodily inboard again; the third man helplessly dropping astern, but still afloat and swimming. + +Almost simultaneously, with a mighty volition of ungraduated, instantaneous swiftness, the White Whale darted through the weltering sea. But when Ahab cried out to the steersman to take new turns with the line, and hold it so; and commanded the crew to turn round on their seats, and tow the boat up to the mark; the moment the treacherous line felt that double strain and tug, it snapped in the empty air! + +“What breaks in me? Some sinew cracks!—’tis whole again; oars! oars! Burst in upon him!” + +Hearing the tremendous rush of the sea-crashing boat, the whale wheeled round to present his blank forehead at bay; but in that evolution, catching sight of the nearing black hull of the ship; seemingly seeing in it the source of all his persecutions; bethinking it—it may be—a larger and nobler foe; of a sudden, he bore down upon its advancing prow, smiting his jaws amid fiery showers of foam. + +Ahab staggered; his hand smote his forehead. “I grow blind; hands! stretch out before me that I may yet grope my way. Is’t night?” + +“The whale! The ship!” cried the cringing oarsmen. + +“Oars! oars! Slope downwards to thy depths, O sea, that ere it be for ever too late, Ahab may slide this last, last time upon his mark! I see: the ship! the ship! Dash on, my men! Will ye not save my ship?” + +But as the oarsmen violently forced their boat through the sledge-hammering seas, the before whale-smitten bow-ends of two planks burst through, and in an instant almost, the temporarily disabled boat lay nearly level with the waves; its half-wading, splashing crew, trying hard to stop the gap and bale out the pouring water. + +Meantime, for that one beholding instant, Tashtego’s mast-head hammer remained suspended in his hand; and the red flag, half-wrapping him as with a plaid, then streamed itself straight out from him, as his own forward-flowing heart; while Starbuck and Stubb, standing upon the bowsprit beneath, caught sight of the down-coming monster just as soon as he. + +“The whale, the whale! Up helm, up helm! Oh, all ye sweet powers of air, now hug me close! Let not Starbuck die, if die he must, in a woman’s fainting fit. Up helm, I say—ye fools, the jaw! the jaw! Is this the end of all my bursting prayers? all my life-long fidelities? Oh, Ahab, Ahab, lo, thy work. Steady! helmsman, steady. Nay, nay! Up helm again! He turns to meet us! Oh, his unappeasable brow drives on towards one, whose duty tells him he cannot depart. My God, stand by me now!” + +“Stand not by me, but stand under me, whoever you are that will now help Stubb; for Stubb, too, sticks here. I grin at thee, thou grinning whale! Who ever helped Stubb, or kept Stubb awake, but Stubb’s own unwinking eye? And now poor Stubb goes to bed upon a mattrass that is all too soft; would it were stuffed with brushwood! I grin at thee, thou grinning whale! Look ye, sun, moon, and stars! I call ye assassins of as good a fellow as ever spouted up his ghost. For all that, I would yet ring glasses with ye, would ye but hand the cup! Oh, oh! oh, oh! thou grinning whale, but there’ll be plenty of gulping soon! Why fly ye not, O Ahab! For me, off shoes and jacket to it; let Stubb die in his drawers! A most mouldy and over salted death, though;—cherries! cherries! cherries! Oh, Flask, for one red cherry ere we die!” + +“Cherries? I only wish that we were where they grow. Oh, Stubb, I hope my poor mother’s drawn my part-pay ere this; if not, few coppers will now come to her, for the voyage is up.” + +From the ship’s bows, nearly all the seamen now hung inactive; hammers, bits of plank, lances, and harpoons, mechanically retained in their hands, just as they had darted from their various employments; all their enchanted eyes intent upon the whale, which from side to side strangely vibrating his predestinating head, sent a broad band of overspreading semicircular foam before him as he rushed. Retribution, swift vengeance, eternal malice were in his whole aspect, and spite of all that mortal man could do, the solid white buttress of his forehead smote the ship’s starboard bow, till men and timbers reeled. Some fell flat upon their faces. Like dislodged trucks, the heads of the harpooneers aloft shook on their bull-like necks. Through the breach, they heard the waters pour, as mountain torrents down a flume. + +“The ship! The hearse!—the second hearse!” cried Ahab from the boat; “its wood could only be American!” + +Diving beneath the settling ship, the whale ran quivering along its keel; but turning under water, swiftly shot to the surface again, far off the other bow, but within a few yards of Ahab’s boat, where, for a time, he lay quiescent. + +“I turn my body from the sun. What ho, Tashtego! let me hear thy hammer. Oh! ye three unsurrendered spires of mine; thou uncracked keel; and only god-bullied hull; thou firm deck, and haughty helm, and Pole-pointed prow,—death-glorious ship! must ye then perish, and without me? Am I cut off from the last fond pride of meanest shipwrecked captains? Oh, lonely death on lonely life! Oh, now I feel my topmost greatness lies in my topmost grief. Ho, ho! from all your furthest bounds, pour ye now in, ye bold billows of my whole foregone life, and top this one piled comber of my death! Towards thee I roll, thou all-destroying but unconquering whale; to the last I grapple with thee; from hell’s heart I stab at thee; for hate’s sake I spit my last breath at thee. Sink all coffins and all hearses to one common pool! and since neither can be mine, let me then tow to pieces, while still chasing thee, though tied to thee, thou damned whale! THUS, I give up the spear!” + +The harpoon was darted; the stricken whale flew forward; with igniting velocity the line ran through the grooves;—ran foul. Ahab stooped to clear it; he did clear it; but the flying turn caught him round the neck, and voicelessly as Turkish mutes bowstring their victim, he was shot out of the boat, ere the crew knew he was gone. Next instant, the heavy eye-splice in the rope’s final end flew out of the stark-empty tub, knocked down an oarsman, and smiting the sea, disappeared in its depths. + +For an instant, the tranced boat’s crew stood still; then turned. “The ship? Great God, where is the ship?” Soon they through dim, bewildering mediums saw her sidelong fading phantom, as in the gaseous Fata Morgana; only the uppermost masts out of water; while fixed by infatuation, or fidelity, or fate, to their once lofty perches, the pagan harpooneers still maintained their sinking lookouts on the sea. And now, concentric circles seized the lone boat itself, and all its crew, and each floating oar, and every lance-pole, and spinning, animate and inanimate, all round and round in one vortex, carried the smallest chip of the Pequod out of sight. + +But as the last whelmings intermixingly poured themselves over the sunken head of the Indian at the mainmast, leaving a few inches of the erect spar yet visible, together with long streaming yards of the flag, which calmly undulated, with ironical coincidings, over the destroying billows they almost touched;—at that instant, a red arm and a hammer hovered backwardly uplifted in the open air, in the act of nailing the flag faster and yet faster to the subsiding spar. A sky-hawk that tauntingly had followed the main-truck downwards from its natural home among the stars, pecking at the flag, and incommoding Tashtego there; this bird now chanced to intercept its broad fluttering wing between the hammer and the wood; and simultaneously feeling that etherial thrill, the submerged savage beneath, in his death-gasp, kept his hammer frozen there; and so the bird of heaven, with archangelic shrieks, and his imperial beak thrust upwards, and his whole captive form folded in the flag of Ahab, went down with his ship, which, like Satan, would not sink to hell till she had dragged a living part of heaven along with her, and helmeted herself with it. + +Now small fowls flew screaming over the yet yawning gulf; a sullen white surf beat against its steep sides; then all collapsed, and the great shroud of the sea rolled on as it rolled five thousand years ago. + +EPILOGUE: “AND I ONLY AM ESCAPED ALONE TO TELL THEE” Job. + +The drama’s done. Why then here does any one step forth?—Because one did survive the wreck. + +It so chanced, that after the Parsee’s disappearance, I was he whom the Fates ordained to take the place of Ahab’s bowsman, when that bowsman assumed the vacant post; the same, who, when on the last day the three men were tossed from out of the rocking boat, was dropped astern. So, floating on the margin of the ensuing scene, and in full sight of it, when the halfspent suction of the sunk ship reached me, I was then, but slowly, drawn towards the closing vortex. When I reached it, it had subsided to a creamy pool. Round and round, then, and ever contracting towards the button-like black bubble at the axis of that slowly wheeling circle, like another Ixion I did revolve. Till, gaining that vital centre, the black bubble upward burst; and now, liberated by reason of its cunning spring, and, owing to its great buoyancy, rising with great force, the coffin life-buoy shot lengthwise from the sea, fell over, and floated by my side. Buoyed up by that coffin, for almost one whole day and night, I floated on a soft and dirgelike main. The unharming sharks, they glided by as if with padlocks on their mouths; the savage sea-hawks sailed with sheathed beaks. On the second day, a sail drew near, nearer, and picked me up at last. It was the devious-cruising Rachel, that in her retracing search after her missing children, only found another orphan. diff --git a/tests/test_corpora.py b/tests/test_corpora.py index 6863e36..4eba0fc 100644 --- a/tests/test_corpora.py +++ b/tests/test_corpora.py @@ -93,7 +93,7 @@ def test_wordcount(): output = check_output( ['quantgov', 'corpus', 'count_words', str(PSEUDO_CORPUS_PATH)], ) - assert output == 'file,words\n1,248\n2,800\n' + assert output == 'file,words\ncfr,349153\nmoby,216645\n' def test_wordcount_pattern(): @@ -101,38 +101,40 @@ def test_wordcount_pattern(): ['quantgov', 'corpus', 'count_words', str(PSEUDO_CORPUS_PATH), '--word_pattern', '\S+'] ) - assert output == 'file,words\n1,248\n2,800\n' + assert output == 'file,words\ncfr,333237\nmoby,210130\n' def test_termcount(): output = check_output( ['quantgov', 'corpus', 'count_occurrences', str(PSEUDO_CORPUS_PATH), - 'lorem'], + 'shall'], ) - assert output == 'file,lorem\n1,1\n2,1\n' + assert output == 'file,shall\ncfr,1946\nmoby,94\n' def test_termcount_multiple(): output = check_output( ['quantgov', 'corpus', 'count_occurrences', str(PSEUDO_CORPUS_PATH), - 'lorem', 'dolor sit'], + 'shall', 'must', 'may not'], ) - assert output == 'file,lorem,dolor sit\n1,1,1\n2,1,0\n' + assert output == ('file,shall,must,may not\n' + 'cfr,1946,744,122\nmoby,94,285,5\n') def test_termcount_multiple_with_label(): output = check_output( ['quantgov', 'corpus', 'count_occurrences', str(PSEUDO_CORPUS_PATH), - 'lorem', 'dolor sit', '--total_label', 'bothofem'], + 'shall', 'must', 'may not', '--total_label', 'allofthem'], ) - assert output == 'file,lorem,dolor sit,bothofem\n1,1,1,2\n2,1,0,1\n' + assert output == ('file,shall,must,may not,allofthem\n' + 'cfr,1946,744,122,2812\nmoby,94,285,5,384\n') def test_shannon_entropy(): output = check_output( ['quantgov', 'corpus', 'shannon_entropy', str(PSEUDO_CORPUS_PATH)], ) - assert output == 'file,shannon_entropy\n1,7.14\n2,8.13\n' + assert output == 'file,shannon_entropy\ncfr,10.71\nmoby,11.81\n' def test_shannon_entropy_no_stopwords(): @@ -140,7 +142,7 @@ def test_shannon_entropy_no_stopwords(): ['quantgov', 'corpus', 'shannon_entropy', str(PSEUDO_CORPUS_PATH), '--stopwords', 'None'], ) - assert output == 'file,shannon_entropy\n1,7.18\n2,8.09\n' + assert output == 'file,shannon_entropy\ncfr,9.52\nmoby,10.03\n' def test_shannon_entropy_4decimals(): @@ -148,21 +150,21 @@ def test_shannon_entropy_4decimals(): ['quantgov', 'corpus', 'shannon_entropy', str(PSEUDO_CORPUS_PATH), '--precision', '4'], ) - assert output == 'file,shannon_entropy\n1,7.1413\n2,8.1252\n' + assert output == 'file,shannon_entropy\ncfr,10.7127\nmoby,11.813\n' def test_conditionalcount(): output = check_output( ['quantgov', 'corpus', 'count_conditionals', str(PSEUDO_CORPUS_PATH)], ) - assert output == 'file,conditionals\n1,0\n2,0\n' + assert output == 'file,conditionals\ncfr,2132\nmoby,2374\n' def test_sentencelength(): output = check_output( ['quantgov', 'corpus', 'sentence_length', str(PSEUDO_CORPUS_PATH)], ) - assert output == 'file,sentence_length\n1,9.54\n2,8.16\n' + assert output == 'file,sentence_length\ncfr,18.68\nmoby,25.09\n' def test_sentencelength_4decimals(): @@ -170,7 +172,7 @@ def test_sentencelength_4decimals(): ['quantgov', 'corpus', 'sentence_length', str(PSEUDO_CORPUS_PATH), '--precision', '4'], ) - assert output == 'file,sentence_length\n1,9.5385\n2,8.1633\n' + assert output == 'file,sentence_length\ncfr,18.6827\nmoby,25.0936\n' def test_sentiment_analysis(): @@ -178,7 +180,7 @@ def test_sentiment_analysis(): ['quantgov', 'corpus', 'sentiment_analysis', str(PSEUDO_CORPUS_PATH)], ) assert output == ('file,sentiment_polarity,sentiment_subjectivity' - '\n1,0.0,0.0\n2,0.0,0.0\n') + '\ncfr,0.01,0.42\nmoby,0.08,0.48\n') def test_sentiment_analysis_4decimals(): @@ -187,4 +189,4 @@ def test_sentiment_analysis_4decimals(): '--precision', '4'], ) assert output == ('file,sentiment_polarity,sentiment_subjectivity' - '\n1,0.0,0.0\n2,0.0,0.0\n') + '\ncfr,0.0114,0.421\nmoby,0.0816,0.4777\n') From adef5cb1f235fc03be06df73c82bd637d3dd33c9 Mon Sep 17 00:00:00 2001 From: Oliver Sherouse Date: Wed, 31 Jan 2018 14:52:18 -0500 Subject: [PATCH 4/9] hotfix to add timestamp as corpus identifier --- quantgov/__init__.py | 2 +- quantgov/corpora/utils.py | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/quantgov/__init__.py b/quantgov/__init__.py index ce281fe..b5a85ca 100644 --- a/quantgov/__init__.py +++ b/quantgov/__init__.py @@ -10,4 +10,4 @@ from .corpora.utils import load_driver -__version__ = '0.3.2' +__version__ = '0.3.3' diff --git a/quantgov/corpora/utils.py b/quantgov/corpora/utils.py index 136929f..1bdd29f 100644 --- a/quantgov/corpora/utils.py +++ b/quantgov/corpora/utils.py @@ -8,7 +8,7 @@ def load_driver(corpus): corpus = Path(corpus) - if corpus.name == 'driver.py': + if corpus.name == 'driver.py' or corpus.name == 'timestamp': corpus = corpus.parent sys.path.insert(0, str(corpus)) from driver import driver From 4858bbea8475dafb4272c5fee10dfa1a4bdd9923 Mon Sep 17 00:00:00 2001 From: Oliver Sherouse Date: Fri, 23 Mar 2018 14:25:57 -0400 Subject: [PATCH 5/9] Skl compatibility (#41) * Add sklearn 0.17 compatibility Paper over library reorganization. --- quantgov/estimator/evaluation.py | 13 +++++++++---- 1 file changed, 9 insertions(+), 4 deletions(-) diff --git a/quantgov/estimator/evaluation.py b/quantgov/estimator/evaluation.py index c264c74..03b0914 100644 --- a/quantgov/estimator/evaluation.py +++ b/quantgov/estimator/evaluation.py @@ -1,9 +1,14 @@ import configparser import logging -import sklearn.model_selection import pandas as pd +try: + from sklearn.model_selection import KFold, GridSearchCV +except ImportError: # sklearn 0.17 + from sklearn.cross_validation import KFold + from sklearn.grid_search import GridSearchCV + from . import utils as eutils log = logging.getLogger(name=__name__) @@ -25,13 +30,13 @@ def evaluate_model(model, X, y, folds, scoring): """ log.info('Evaluating {}'.format(model.name)) if hasattr(y[0], '__getitem__'): - cv = sklearn.model_selection.KFold(folds, shuffle=True) + cv = KFold(folds, shuffle=True) if '_' not in scoring: log.warning("No averaging method specified, assuming macro") scoring += '_macro' else: - cv = sklearn.model_selection.KFold(folds, shuffle=True) - gs = sklearn.model_selection.GridSearchCV( + cv = KFold(folds, shuffle=True) + gs = GridSearchCV( estimator=model.model, param_grid=model.parameters, cv=cv, From 251328340d8557ed2f098d58c419464d3969cfb2 Mon Sep 17 00:00:00 2001 From: Oliver Sherouse Date: Fri, 13 Apr 2018 12:09:27 -0400 Subject: [PATCH 6/9] renamed corpora to corpus, added deprecation warning (#42) * renamed corpora to corpus, added deprecation warning * moved load_driver and set up for future forcing of full imports of submodules Closes #31 --- .gitignore | 1 + quantgov/__init__.py | 6 +++++- quantgov/__main__.py | 6 +++--- quantgov/corpora/__init__.py | 9 ++++++++- quantgov/corpora/utils.py | 16 ---------------- quantgov/corpus/__init__.py | 9 +++++++++ quantgov/{corpora => corpus}/builtins.py | 0 quantgov/{corpora => corpus}/structures.py | 0 quantgov/utils.py | 19 +++++++++++++++++-- tests/test_corpora.py | 8 ++++---- 10 files changed, 47 insertions(+), 27 deletions(-) delete mode 100644 quantgov/corpora/utils.py create mode 100644 quantgov/corpus/__init__.py rename quantgov/{corpora => corpus}/builtins.py (100%) rename quantgov/{corpora => corpus}/structures.py (100%) diff --git a/.gitignore b/.gitignore index 72364f9..d9d3190 100644 --- a/.gitignore +++ b/.gitignore @@ -2,6 +2,7 @@ __pycache__/ *.py[cod] *$py.class +.pytest_cache # C extensions *.so diff --git a/quantgov/__init__.py b/quantgov/__init__.py index 9efd6ed..219ccfa 100644 --- a/quantgov/__init__.py +++ b/quantgov/__init__.py @@ -3,11 +3,15 @@ __all__ = [ 'corpora', + 'corpus', 'estimator', 'project', 'utils', ] -from .corpora.utils import load_driver + +from . import corpora # Backwards compatibility + +from .utils import load_driver __version__ = '0.4.0.dev' diff --git a/quantgov/__main__.py b/quantgov/__main__.py index 8eac757..1db7ad5 100644 --- a/quantgov/__main__.py +++ b/quantgov/__main__.py @@ -15,7 +15,7 @@ import requests import quantgov -import quantgov.corpora.builtins +import quantgov.corpus.builtins from pathlib import Path @@ -40,7 +40,7 @@ def parse_args(): # Corpus command corpus = subparsers.add_parser('corpus') corpus_subcommands = corpus.add_subparsers(dest='subcommand') - for command, builtin in quantgov.corpora.builtins.commands.items(): + for command, builtin in quantgov.corpus.builtins.commands.items(): subcommand = corpus_subcommands.add_parser( command, help=builtin.cli.help) subcommand.add_argument( @@ -161,7 +161,7 @@ def start_component(args): def run_corpus_builtin(args): driver = quantgov.load_driver(args.corpus) writer = csv.writer(args.outfile) - builtin = quantgov.corpora.builtins.commands[args.subcommand] + builtin = quantgov.corpus.builtins.commands[args.subcommand] func_args = {i: j for i, j in vars(args).items() if i not in {'command', 'subcommand', 'outfile', 'corpus'}} writer.writerow(driver.index_labels + builtin.get_columns(func_args)) diff --git a/quantgov/corpora/__init__.py b/quantgov/corpora/__init__.py index be0ec36..2e7d776 100644 --- a/quantgov/corpora/__init__.py +++ b/quantgov/corpora/__init__.py @@ -1,4 +1,6 @@ -from .structures import ( +import warnings + +from ..corpus import ( Document, CorpusStreamer, CorpusDriver, @@ -7,3 +9,8 @@ NamePatternCorpusDriver, IndexDriver ) + +warnings.warn( + ("quantgov.corpora has been moved to quantgov.corpus and will be removed" + " in a future version."), + DeprecationWarning) diff --git a/quantgov/corpora/utils.py b/quantgov/corpora/utils.py deleted file mode 100644 index 1bdd29f..0000000 --- a/quantgov/corpora/utils.py +++ /dev/null @@ -1,16 +0,0 @@ -""" -quantgov.corpora.utils - utility functions for the corpus submodule -""" -import sys - -from pathlib import Path - - -def load_driver(corpus): - corpus = Path(corpus) - if corpus.name == 'driver.py' or corpus.name == 'timestamp': - corpus = corpus.parent - sys.path.insert(0, str(corpus)) - from driver import driver - sys.path.pop(0) - return driver diff --git a/quantgov/corpus/__init__.py b/quantgov/corpus/__init__.py new file mode 100644 index 0000000..be0ec36 --- /dev/null +++ b/quantgov/corpus/__init__.py @@ -0,0 +1,9 @@ +from .structures import ( + Document, + CorpusStreamer, + CorpusDriver, + FlatFileCorpusDriver, + RecursiveDirectoryCorpusDriver, + NamePatternCorpusDriver, + IndexDriver +) diff --git a/quantgov/corpora/builtins.py b/quantgov/corpus/builtins.py similarity index 100% rename from quantgov/corpora/builtins.py rename to quantgov/corpus/builtins.py diff --git a/quantgov/corpora/structures.py b/quantgov/corpus/structures.py similarity index 100% rename from quantgov/corpora/structures.py rename to quantgov/corpus/structures.py diff --git a/quantgov/utils.py b/quantgov/utils.py index befd39a..a0d1fe0 100644 --- a/quantgov/utils.py +++ b/quantgov/utils.py @@ -1,7 +1,22 @@ # TODO: Docstrings + import collections import concurrent.futures -import multiprocessing +import os +import sys + +from pathlib import Path + + +def load_driver(corpus): + corpus = Path(corpus) + if corpus.name == 'driver.py' or corpus.name == 'timestamp': + corpus = corpus.parent + sys.path.insert(0, str(corpus)) + from driver import driver + sys.path.pop(0) + return driver + _POOLS = { 'thread': concurrent.futures.ThreadPoolExecutor, @@ -26,7 +41,7 @@ def lazy_parallel(func, *iterables, **kwargs): worker = kwargs.get('worker', 'thread') max_workers = kwargs.get('max_workers') if max_workers is None: # Not in back-port - max_workers = (multiprocessing.cpu_count() or 1) + max_workers = (os.cpu_count() or 1) if worker == 'thread': max_workers *= 5 try: diff --git a/tests/test_corpora.py b/tests/test_corpora.py index 4eba0fc..f77a249 100644 --- a/tests/test_corpora.py +++ b/tests/test_corpora.py @@ -1,5 +1,5 @@ import pytest -import quantgov.corpora +import quantgov.corpus import subprocess from pathlib import Path @@ -8,7 +8,7 @@ def build_recursive_directory_corpus(directory): for path, text in (('a/1.txt', u'foo'), ('b/2.txt', u'bar')): directory.join(path).write_text(text, encoding='utf-8', ensure=True) - return quantgov.corpora.RecursiveDirectoryCorpusDriver( + return quantgov.corpus.RecursiveDirectoryCorpusDriver( directory=str(directory), index_labels=('letter', 'number')) @@ -16,7 +16,7 @@ def build_name_pattern_corpus(directory): for path, text in (('a_1.txt', u'foo'), ('b_2.txt', u'bar')): path = directory.join(path).write_text( text, encoding='utf-8', ensure=True) - return quantgov.corpora.NamePatternCorpusDriver( + return quantgov.corpus.NamePatternCorpusDriver( pattern=r'(?P[a-z])_(?P\d)', directory=str(directory) ) @@ -35,7 +35,7 @@ def build_index_corpus(directory): with index_path.open('w', encoding='utf-8') as outf: outf.write(u'letter,number,path\n') outf.write(u'\n'.join(','.join(row) for row in rows)) - return quantgov.corpora.IndexDriver(str(index_path)) + return quantgov.corpus.IndexDriver(str(index_path)) BUILDERS = { From ebcb7d22408dbfab580669a5970d09a049571a25 Mon Sep 17 00:00:00 2001 From: Michael Gasvoda Date: Fri, 13 Apr 2018 13:33:32 -0400 Subject: [PATCH 7/9] S3 drivers (#44) * initial working commit for s3 driver and database driver * removing 3.6 formatting * adding extra requirements list * adding basic s3 driver test * Removing unnecessary function * This ain't 2007 * test updates * adding s3driver to new corpus structure --- .travis.yml | 1 + quantgov/corpora/__init__.py | 4 +- quantgov/corpus/__init__.py | 4 +- quantgov/corpus/structures.py | 85 +++++++++++++++++++++++++++++++++++ setup.py | 4 ++ tests/test_corpora.py | 30 ++++++++++--- 6 files changed, 119 insertions(+), 9 deletions(-) diff --git a/.travis.yml b/.travis.yml index 75cc0ab..a7d71f0 100644 --- a/.travis.yml +++ b/.travis.yml @@ -5,6 +5,7 @@ python: install: - pip install ".[testing]" - pip install ".[nlp]" +- pip install ".[s3driver]" - python -m nltk.downloader punkt stopwords wordnet script: pytest deploy: diff --git a/quantgov/corpora/__init__.py b/quantgov/corpora/__init__.py index 2e7d776..da8e2b1 100644 --- a/quantgov/corpora/__init__.py +++ b/quantgov/corpora/__init__.py @@ -7,7 +7,9 @@ FlatFileCorpusDriver, RecursiveDirectoryCorpusDriver, NamePatternCorpusDriver, - IndexDriver + IndexDriver, + S3Driver, + S3DatabaseDriver ) warnings.warn( diff --git a/quantgov/corpus/__init__.py b/quantgov/corpus/__init__.py index be0ec36..f095957 100644 --- a/quantgov/corpus/__init__.py +++ b/quantgov/corpus/__init__.py @@ -5,5 +5,7 @@ FlatFileCorpusDriver, RecursiveDirectoryCorpusDriver, NamePatternCorpusDriver, - IndexDriver + IndexDriver, + S3Driver, + S3DatabaseDriver ) diff --git a/quantgov/corpus/structures.py b/quantgov/corpus/structures.py index 7030c2e..46cdd15 100644 --- a/quantgov/corpus/structures.py +++ b/quantgov/corpus/structures.py @@ -9,16 +9,40 @@ import csv import logging +from decorator import decorator from collections import namedtuple from pathlib import Path from .. import utils as qgutils +try: + import boto3 +except ImportError: + boto3 = None +try: + import sqlalchemy +except ImportError: + sqlalchemy = None + log = logging.getLogger(__name__) Document = namedtuple('Document', ['index', 'text']) +@decorator +def check_boto(func, *args, **kwargs): + if boto3 is None: + raise RuntimeError('Must install boto3 to use {}'.format(func)) + return func(*args, **kwargs) + + +@decorator +def check_sqlalchemy(func, *args, **kwargs): + if sqlalchemy is None: + raise RuntimeError('Must install sqlalchemy to use {}'.format(func)) + return func(*args, **kwargs) + + class CorpusStreamer(object): """ A knowledgable wrapper for a CorpusDriver stream @@ -243,3 +267,64 @@ def gen_indices_and_paths(self): next(reader) for row in reader: yield tuple(row[:-1]), Path(row[-1]) + + +class S3Driver(IndexDriver): + """ + Serve a whole or partial corpus from a remote file location in s3. + Filtering can be done using the values provided in the index file. + """ + + @check_boto + def __init__(self, index, bucket, encoding='utf-8', cache=True): + self.index = Path(index) + self.bucket = bucket + self.client = boto3.client('s3') + self.encoding = encoding + with self.index.open(encoding=encoding) as inf: + index_labels = next(csv.reader(inf))[:-1] + super(IndexDriver, self).__init__( + index_labels=index_labels, encoding=encoding, cache=cache) + + def read(self, docinfo): + idx, path = docinfo + body = self.client.get_object(Bucket=self.bucket, + Key=str(path))['Body'] + return Document(idx, body.read().decode(self.encoding)) + + def filter(self, pattern): + """ Filter paths based on index values. """ + raise NotImplementedError + + def stream(self): + """Yield text from an object stored in s3. """ + return qgutils.lazy_parallel(self.read, self.gen_indices_and_paths()) + + +class S3DatabaseDriver(S3Driver): + """ + Retrieves an index table from a database with an arbitrary, user-provided + query and serves documents like a normal S3Driver. + """ + + @check_boto + @check_sqlalchemy + def __init__(self, protocol, user, password, host, db, port, query, + bucket, cache=True, encoding='utf-8'): + self.bucket = bucket + self.client = boto3.client('s3') + self.index = [] + engine = sqlalchemy.create_engine('{}://{}:{}@{}:{}/{}' + .format(protocol, user, password, + host, port, db)) + conn = engine.connect() + result = conn.execute(query) + for doc in result: + self.index.append(doc) + index_labels = doc.keys() + super(IndexDriver, self).__init__( + index_labels=index_labels, encoding=encoding, cache=cache) + + def gen_indices_and_paths(self): + for row in self.index: + yield tuple(row[:-1]), row[-1] diff --git a/setup.py b/setup.py index 3d424b1..eb1c880 100644 --- a/setup.py +++ b/setup.py @@ -65,6 +65,10 @@ def find_version(*file_paths): 'nlp': [ 'textblob', 'nltk', + ], + 's3driver': [ + 'sqlalchemy', + 'boto3' ] }, entry_points={ diff --git a/tests/test_corpora.py b/tests/test_corpora.py index f77a249..488fca9 100644 --- a/tests/test_corpora.py +++ b/tests/test_corpora.py @@ -6,14 +6,14 @@ def build_recursive_directory_corpus(directory): - for path, text in (('a/1.txt', u'foo'), ('b/2.txt', u'bar')): + for path, text in (('a/1.txt', 'foo'), ('b/2.txt', 'bar')): directory.join(path).write_text(text, encoding='utf-8', ensure=True) return quantgov.corpus.RecursiveDirectoryCorpusDriver( directory=str(directory), index_labels=('letter', 'number')) def build_name_pattern_corpus(directory): - for path, text in (('a_1.txt', u'foo'), ('b_2.txt', u'bar')): + for path, text in (('a_1.txt', 'foo'), ('b_2.txt', 'bar')): path = directory.join(path).write_text( text, encoding='utf-8', ensure=True) return quantgov.corpus.NamePatternCorpusDriver( @@ -25,23 +25,39 @@ def build_name_pattern_corpus(directory): def build_index_corpus(directory): rows = [] for letter, number, path, text in ( - ('a', '1', 'first.txt', u'foo'), - ('b', '2', 'second.txt', u'bar') + ('a', '1', 'first.txt', 'foo'), + ('b', '2', 'second.txt', 'bar') ): outpath = directory.join(path, abs=1) outpath.write_text(text, encoding='utf-8') rows.append((letter, number, str(outpath))) index_path = directory.join('index.csv') with index_path.open('w', encoding='utf-8') as outf: - outf.write(u'letter,number,path\n') - outf.write(u'\n'.join(','.join(row) for row in rows)) - return quantgov.corpus.IndexDriver(str(index_path)) + outf.write('letter,number,path\n') + outf.write('\n'.join(','.join(row) for row in rows)) + return quantgov.corpora.IndexDriver(str(index_path)) + + +def build_s3_corpus(directory): + rows = [] + for letter, number, path in ( + ('a', '1', 'quantgov_tests/first.txt'), + ('b', '2', 'quantgov_tests/second.txt') + ): + rows.append((letter, number, path)) + index_path = directory.join('index.csv') + with index_path.open('w', encoding='utf-8') as outf: + outf.write('letter,number,path\n') + outf.write('\n'.join(','.join(row) for row in rows)) + return quantgov.corpora.S3Driver(str(index_path), + bucket='quantgov-databanks') BUILDERS = { 'RecursiveDirectoryCorpusDriver': build_recursive_directory_corpus, 'NamePatternCorpusDriver': build_name_pattern_corpus, 'IndexDriver': build_index_corpus, + 'S3Driver': build_s3_corpus } From 6686e0d0cd46f30a63c2e537f01424c9477d3714 Mon Sep 17 00:00:00 2001 From: Jonathan Nelson Date: Fri, 13 Apr 2018 13:45:21 -0400 Subject: [PATCH 8/9] Rounding (#45) --- quantgov/__main__.py | 5 +- quantgov/estimator/estimation.py | 37 ++++--- tests/pseudo_estimator/.gitignore | 92 ++++++++++++++++++ tests/pseudo_estimator/data/model.pickle | Bin 0 -> 2676333 bytes .../data/modelmulticlass.pickle | Bin 0 -> 7135165 bytes tests/pseudo_estimator/data/vectorizer.pickle | Bin 0 -> 5508599 bytes tests/test_estimator.py | 71 ++++++++++++++ 7 files changed, 189 insertions(+), 16 deletions(-) create mode 100644 tests/pseudo_estimator/.gitignore create mode 100644 tests/pseudo_estimator/data/model.pickle create mode 100644 tests/pseudo_estimator/data/modelmulticlass.pickle create mode 100644 tests/pseudo_estimator/data/vectorizer.pickle create mode 100644 tests/test_estimator.py diff --git a/quantgov/__main__.py b/quantgov/__main__.py index 1db7ad5..22428fc 100644 --- a/quantgov/__main__.py +++ b/quantgov/__main__.py @@ -118,6 +118,9 @@ def parse_args(): estimate.add_argument( '--probability', action='store_true', help='output probabilities instead of predictions') + estimate.add_argument( + '--precision', default=4, type=int, + help='number of decimal places to round the probabilities') estimate.add_argument( '-o', '--outfile', type=lambda x: open(x, 'w', newline='', encoding='utf-8'), @@ -187,7 +190,7 @@ def run_estimator(args): elif args.subcommand == "estimate": quantgov.estimator.estimate( args.vectorizer, args.model, args.corpus, args.probability, - args.outfile + args.precision, args.outfile ) diff --git a/quantgov/estimator/estimation.py b/quantgov/estimator/estimation.py index af3da83..c77dd2d 100644 --- a/quantgov/estimator/estimation.py +++ b/quantgov/estimator/estimation.py @@ -45,7 +45,7 @@ def estimate_simple(vectorizer, model, streamer): yield from zip(streamer.index, pipeline.predict(texts)) -def estimate_probability(vectorizer, model, streamer): +def estimate_probability(vectorizer, model, streamer, precision): """ Generate probabilities for a one-label estimator @@ -61,11 +61,13 @@ def estimate_probability(vectorizer, model, streamer): pipeline = get_pipeline(vectorizer, model) texts = (doc.text for doc in streamer) truecol = list(int(i) for i in model.model.classes_).index(1) - predicted = (i[truecol] for i in pipeline.predict_proba(texts)) + predicted = ( + i[truecol] for i in pipeline.predict_proba(texts).round(precision) + ) yield from zip(streamer.index, predicted) -def estimate_probability_multilabel(vectorizer, model, streamer): +def estimate_probability_multilabel(vectorizer, model, streamer, precision): """ Generate probabilities for a multilabel binary estimator @@ -96,13 +98,13 @@ def estimate_probability_multilabel(vectorizer, model, streamer): try: for i, docidx in enumerate(streamer.index): yield docidx, tuple( - label_predictions[i, truecols[j]] + label_predictions[i, truecols[j]].round(int(precision)) for j, label_predictions in enumerate(predicted)) except IndexError: - yield from zip(streamer.index, predicted) + yield from zip(streamer.index, predicted.round(int(precision))) -def estimate_probability_multiclass(vectorizer, model, streamer): +def estimate_probability_multiclass(vectorizer, model, streamer, precision): """ Generate probabilities for a one-label, multiclass estimator @@ -117,10 +119,14 @@ def estimate_probability_multiclass(vectorizer, model, streamer): """ pipeline = get_pipeline(vectorizer, model) texts = (doc.text for doc in streamer) - yield from zip(streamer.index, pipeline.predict_proba(texts)) + yield from zip( + streamer.index, + (i for i in pipeline.predict_proba(texts).round(precision)) + ) -def estimate_probability_multilabel_multiclass(vectorizer, model, streamer): +def estimate_probability_multilabel_multiclass( + vectorizer, model, streamer, precision): """ Generate probabilities for a multilabel, multiclass estimator @@ -137,8 +143,8 @@ def estimate_probability_multilabel_multiclass(vectorizer, model, streamer): texts = (doc.text for doc in streamer) predicted = pipeline.predict_proba(texts) for i, docidx in enumerate(streamer.index): - yield docidx, tuple(label_predictions[i] - for label_predictions in predicted) + yield docidx, tuple(label_predictions[i] for label_predictions + in predicted.round(precision)) def is_multiclass(classes): @@ -152,7 +158,7 @@ def is_multiclass(classes): return True -def estimate(vectorizer, model, corpus, probability, outfile): +def estimate(vectorizer, model, corpus, probability, precision, outfile): """ Estimate label values for documents in corpus @@ -184,7 +190,7 @@ def estimate(vectorizer, model, corpus, probability, outfile): if multilabel: if multiclass: # Multilabel-multiclass probability results = estimate_probability_multilabel_multiclass( - vectorizer, model, streamer) + vectorizer, model, streamer, precision) writer.writerow(corpus.index_labels + ('label', 'class', 'probability')) writer.writerows( @@ -198,7 +204,7 @@ def estimate(vectorizer, model, corpus, probability, outfile): ) else: # Multilabel probability results = estimate_probability_multilabel( - vectorizer, model, streamer) + vectorizer, model, streamer, precision) writer.writerow(corpus.index_labels + ('label', 'probability')) writer.writerows( docidx + (label_name, prediction) @@ -209,7 +215,7 @@ def estimate(vectorizer, model, corpus, probability, outfile): elif multiclass: # Multiclass probability writer.writerow(corpus.index_labels + ('class', 'probability')) results = estimate_probability_multiclass( - vectorizer, model, streamer) + vectorizer, model, streamer, precision) writer.writerows( docidx + (class_name, prediction) for docidx, predictions in results @@ -217,7 +223,8 @@ def estimate(vectorizer, model, corpus, probability, outfile): model.model.classes_, predictions) ) else: # Simple probability - results = estimate_probability(vectorizer, model, streamer) + results = estimate_probability( + vectorizer, model, streamer, precision) writer.writerow( corpus.index_labels + (model.label_names[0] + '_prob',)) writer.writerows( diff --git a/tests/pseudo_estimator/.gitignore b/tests/pseudo_estimator/.gitignore new file mode 100644 index 0000000..b5d93a5 --- /dev/null +++ b/tests/pseudo_estimator/.gitignore @@ -0,0 +1,92 @@ +.snakemake +notebooks/ + +# Byte-compiled / optimized / DLL files +__pycache__/ +*.py[cod] +*$py.class + +# C extensions +*.so + +# Distribution / packaging +.Python +env/ +build/ +develop-eggs/ +dist/ +downloads/ +eggs/ +.eggs/ +lib/ +lib64/ +parts/ +sdist/ +var/ +*.egg-info/ +.installed.cfg +*.egg + +# PyInstaller +# Usually these files are written by a python script from a template +# before PyInstaller builds the exe, so as to inject date/other infos into it. +*.manifest +*.spec + +# Installer logs +pip-log.txt +pip-delete-this-directory.txt + +# Unit test / coverage reports +htmlcov/ +.tox/ +.coverage +.coverage.* +.cache +nosetests.xml +coverage.xml +*,cover +.hypothesis/ + +# Translations +*.mo +*.pot + +# Django stuff: +*.log +local_settings.py + +# Flask stuff: +instance/ +.webassets-cache + +# Scrapy stuff: +.scrapy + +# Sphinx documentation +docs/_build/ + +# PyBuilder +target/ + +# IPython Notebook +.ipynb_checkpoints + +# pyenv +.python-version + +# celery beat schedule file +celerybeat-schedule + +# dotenv +.env + +# virtualenv +venv/ +ENV/ + +# Spyder project settings +.spyderproject + +# Rope project settings +.ropeproject diff --git a/tests/pseudo_estimator/data/model.pickle b/tests/pseudo_estimator/data/model.pickle new file mode 100644 index 0000000000000000000000000000000000000000..2ffaac6f6a82018ee03a9d5056d14c54b072ac72 GIT binary patch literal 2676333 zcmX`!1JoQz11Rh-wr$(CZ9Cc6d}G_T?cLbU#gq<#(n%4gld-&ls zL;p#-ZTt3}Tl^OiVR+53e?q!6`jgp)9qV^)77%en%}~PrJYT;_%ZAMZA~o*RxMhbP z={t33*s)X7^o=`p3{8E-(y?Xt&;gO9AEi$~)RZ-Y|2eHwi-sMV21F}ee?y@E{kIt! z5dFV`YTK}ThmI}VbqbZpq6!=HB=OG>f(1jI@CUwks%xJ|=OodV)E{_n)l?V2?F^YYLE@%~Q< z|Cf>Y|K(vwK!X3m+IMWyv|~WRnt|lBNI;_h!kTpMA;XFP|49Bj3LTK-zY=VjH6Ur3 z|CI?eEFf9sfaEF51o`j8ya6f7moH!Xx5s~*GXLuwkh0N#Mcc4VoA%x6w{6?7LqMwG zT^dQ{e}9ttQyW3}Q$c?!|4%{vshB^XpFd^&r&hx7r!K+~o(M!F5|N2QRH6}`7{nwN zv57-m;t`(&BqR}uNkUSRk(?ByBo(PiLt4_2o(yCp6Pd|ERP^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>hTx#X+T37(U>MQ zr5Vj>K}%ZEnl`kh9qs8r03GQ>XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob| z#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yi=WqUD1uI#_YSyrp zb*yIt8`;EWwy>3LY-a~M*~M=DWeW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC z@RMKs=1=1fL|}ptlwbrW1R)7UXu=SdaD*oU5s5@(q7ap6L?;F@iA8MU5SMtwCjkjb zL}HSVlw>3)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX$whARke7VqrvL>hL}7|hlwuU8 z1SKg&Y06NRa+Ie66{$pJs!)|`RHp`izK&~An>y5`9)D4v1~jA*jcGztn$esVw4@cS zX+vAu(Vh+j(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}g zFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNp{^lQ6u##1*W({ju$9gufkxgu7 z3tQR7c6P9nUF_yx_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0QYh33B zH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{`~L< zA}~P+N-%;Gf{=tFG+_u!IKmTwh(sbXQHV-3q7#Fd#3D9vh)X=;lYoRIA~8uwN-~m@ zf|R5pHEBpoI?|JYjASA+S;$H@vXg_HI4f|8V?G-W7D zIm%Okid3R9Rj5ies#AkMf6{7En>y5`9)D4v1~jA*jcGztn$esVw4@cSX+vAu(Vh+j z(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8 z#&l*dlUdAW4s)5ud={{fMJ#3sOIgNp{^lQ6u##1*W({ju$9gufkxgu73tQR7c6P9n zUF_yx_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT z+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{`~0=L|}ptlwbrW z1R)7UXu=SdaD*oU5s5@(q7ap6L?;F@iA8MU5SMtwCjkjbL}HSVlw>3)1u02IYSNIF zbfhN(8OcOuvXGT*WG4qX$whARke7VqrvL>hL}7|hlwuU81SKg&Y06NRa+Ie66{$pJ zs!)|`RHp_tsYPw-P?viAMSU93kVZ772~BB6b6U`nRr62tnz(58um>~>h7{eLCNJcT5F^pv#UG8z82R!5vk9opV zp7ER)yyO+HdBa=Y@tzNS5{l4-AuQnt zPXr zr62tnz(58um>~>h7{eLCNJcT5F^pv#UG8z82R!5vk9opVp7ER)yyO+H zdBa=Y@tzNS5{l4-AuQntPXrP?viA zMSU93kVZ772~BB6b6U`nRr62tnz(58u zm>~>h7{eLCNJcT5F^pv#UG8z82R!5vk9opVp7ER)yyO+HdBa=Y@tzNS z5{l4-AuQntPXrr62tnz(58um>~>h7{eLC zNJcT5F^pv#UG8z82R!5vk9opVp7ER)yyO+HdBa=Y@tzNS5{l4-AuQntPXrr62tnz(58um>~>h7{eLCNJcT5F^pv# zUG8z82R!5vk9opVp7ER)yyO+HdBa=Y@tzNSP^DMC?-QJfN#q!gto zLs`mEo(fc?5|yb!RjN^)8vN-8Qj6Nup)U3Ki~2O6A&qEE6PnVD=Cq(Ct!Paf+R~2p zbRd9^bfPm|=t?)b(}SM$qBni$OF#NEfPoBRFhdy1ForXNk&I$AV;IXg#xsG5Oky%q zn94M!GlQATVm5P_%RJ_@fQ2k#F-us=GM4i<|FD9UtYS55Sj#%rvw@9lVl!LV$~LyM zgPrVRH~+GSz3gK@2RO(f4s(Q~9OF1AILRqabB42=<2)C*$R#dwg{xfSIybn!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMy zJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O4z$G$)WCI~?ZMsPw9l2C*u z3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdG zYVfDeWi4t`hq~0`FY42PhBTrvO=wCpn$v=ow4ya_XiGcV(}4gw(uvM=p)1|!P7iw0 zi{A91Fa7Ax00uIM!3<$2!x+v8Mly=gjA1O}7|#SIGKtAdVJg#@&J1QUi`mR!F7uer z0v57}#Vlbd%UI6e{KE=XvWnHLVJ+)e&jvQKiOp)hZbx46w6?sAX&Jm4XZc+3-?@{H%a z;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd6cPQ8H$Ob~(+jNpVIB%ugR7{U^c@I)XY zk%&wbq7seh#2_ZIh)o>g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q} zQjfo=PXij#h{iObDa~k33tG~O*0iB5?PyO20_aF5I@5)&bfY^x=t(bn(}%wFqdx-} z$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKF zIe+sHD_F@YR>(8$u4&DFMHU_KK65fgB;>8M>xtcj&p*O zoZ>WRILkTCbAgLo;xbpb$~CTYgPYvqHg~woJ?`^>hdkmjPk72Rp7Vm2yy7))c*{H9 z^MQ|i;xk|P$~V6AgP;83H-9?x2O=;*2ud)56M~S0A~azLOE|(4frvyRGEs<1G@=uO zn8YGBafnMi;*)@cBqA|MNJ=u2lY*3_A~k79OFGh%fsAA#Gg-(=HnNk0oa7=mdB{sX z@>76<6rwOiC`vJkQ-YF|qBLbFOF7C@fr?b3GF7NbHL6pCKZ93lQJXr{r5=A#p9VCf z5shg=Q<~A77PO=lt!YDB+R>g41kjOAbfybk=|*>Y(34*DrVoATM}Gz|kUeG#AU83dBtnq@RoPH=K~-4#Am+n zm2Z6K2S546Z~hGC2}EFm5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3 z#3um>Nkn3jkd$O3Cj}`YE-8NHK|2y>QI+@{6&2l(2zznrU^}HMsr%w zl2){)4Q**hdpZz6M>^4&E_9_E-RVJ3deNIc^ravD8NfgWF_<9?Wf;R5!AM3inlX%J z9OIe5L?$trDNJP=)0x3cW-*&N%w-<)S-?UTv6v++Wf{x)n}1lrN>;I&HLPVF>)F6Y zHnEv4Y-JnU*}+bBv73L{!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vh zah)67Bomp*LRPYoogCyO7rDtpUhrl%y1; zDMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFz`{^=Uvu8qt_0G^H8MX+cX`(V8~2r5)|* zKmZ--L}$9tm2PyW2R-RUZ~D-ee)MMm0~y3%hA@<23}*x*8O3PEFqUzQX95$M#AK#0 zm1#_81~Zw(Z00bRdCX@43t7Zsmavp%Eaz|jVFfE$#cI~DmUXOW0~^`IX11`EZER-; zJK4o<{$&q)*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y8< zxyOAT@Q_D5<_S-E#&cfql2^Ru4R3kJdp_`yPkiPJU-`y&e(;lD{N~Rf-arH<2tf%( za6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;i zX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5S|UJKW_S_j$lW9`Tqb zJmneBdBICw@tQZh-nq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl z-td-pyypWS`NU_w@Re_T=LbLe#c%#h-Vunv1R*HF2u=t>5{l4-AuQntPXrEMhTBSjsY%^Edyn zf|aadHEUSQI@Ys+jcj5wTiD7rwzGqs>|!_nvWLCwV?PHt$RQ4MgrgkeI43yCDNb{S zvz+5R7r4kJE^~#eT;n=7xXCSUbBDX!<30~~$Ri%}gr_{?IWKt0D_--4x4h#$ANa^8 zKJ$gIeB(Pm_{lGR^Jn6oKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i z4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^K zLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1%=U(}}o4QWJUn$VPH zG^YhEX+>+=(3WR<^O79qeQmyZM(r>}4POIlw^fMJ{of zD_rFo*SWz>ZgHDC+~pqkdB8&+@t7w(lXe9nFhK}PFoF|;kc1*MVF*h&!V`grL?SX#h)Oh~6N8w zF-b^DGLn;ml%ygxX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+OFr^bfPxgFFhwXzF^W@y zl9Zw}WhhHI%2R=gRH8Cfs7f`eQ-hk+qBeD?OFjOgJ`HF{BO23$rZl5DEoezATGNKM zw4*&82%saK=u8*7(v9x)peMcPO&|KwkNyl`AcGjp5QZ|0;f!D;qZrK?#xjoaOkg6D zn9LNWGL7lXU?#Je%^c=3kNGTMA&Xed5|*-z<^0V*tY9UpSj`&NvX1p^U?ZE@%oet? zjqU7UC%f3qzwBWz``FI`4swXY9N{R(IL--9a*ETO;VkDk&jl`WiOXE!D%ZHq4Q_Ia z+uY$U_qfjk9`cCCJmD$Nc+Lx6@`~5I;VtiY&j&v8iO+oDE8qCe4}S8C-~5@dFA#wV zLQsMcoDhU06rl-2Si%vW2t*_jk%>Z7q7j`K#3UB6i9=lC5uXGkBoT>8LQ;~EoD`%a z6{$%>TGEl83}hq|naM&{vXPw}=yOIp#IHngQ3?dd=O9qB}8 zy3mzwbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl& znZ<18Fqe7EX8{XY#A24Plw~aEZ~kEgD_O;A*07d!tY-ro*~DhHu$66WX9qjk#cuv( z4}00iehzSuLmcJ^M>)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?T zM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi&t#o}2uu)y5{%%4AS9s( zO&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>Qaxts80hL(ul@1p()L1P77Mniq^EDE$wJe2Lk9wCpy!Gu5_b2J?Kd< zdeeu#^rJrm7|0+7GlZcGV>lxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+a zSjZw4vxKEAV>y5G4=Y&7Dps?GwX9=38`#JuHnWATY-2k+*vT$-^DleY%RcsVfP)<3 zFh@AbF^+SBlbqr-XE@6_&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH; zm%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK;x~UL>J3C-f)JEo1SbR`2}Nka5SDO+Cjt?P zL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u z2RX?_Zt{?qeB`G91t~;ficpkd6sH6wDMe|@P?mC(rveqJL}jW_m1!nJ#pt8{O$aPkPatKJ=v@{TaYO z1~Hf+3}qO@8Nohfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0`FY42PhBTrv zO=wCpn$v=ow4ya_XiGcV(}4gw(uvM=p)1|!P7iw0i{A91Fa7Ax00uIM!3<$2!x+v8 zMly=gjA1O}7|#SIGKtAdVJg#@&J1QUi`mR!F7uer0v57}#Vlbd%UI6e{KE=XvWnHL zVJ+)e&jvQKiOp)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1 z@BH8=zxd6c3Hk#Om>>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8of zKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H`IKtT#om?9LV z7{w_;NlHg41kjOAbfybk=|*>Y(34*DrVoATM}Gz|kUeG#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~iRK z5s1J9At=EJP6$F0iqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7 zP6|?ziqxbbE$K*41~QU~%w!=e*~m@~a*~VODP6JlYEp~Z)S)i*_>1~9pdpQDOcR>YjOMhUC9P;p8`{#2_H-bC zj&!0kUFb?Ty3>Q6^rAO?=u1EPGk}2%VlYD($}omAf{~13G-DXcIL0%9iA-WLQ<%y$ zrZa2 z5Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvx zM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi z3RS5_b!t$PTGXZvb*aZ+)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK0|9iT6P@WoSGv)i z9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO z<}sfIEMyUjS;A75v7Ep8hZU@36{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a`IkNHWgq)F zz(Edim?IqJ7{@umNltN^Go0ld=efW|E^(PFT;&?qxxr0tahp5blYxw6A~RXY zN;a~SgPi0dH+jfQKJrt5f)t`KMJP%!ic^A;l%h0cC`&oYQ-O+9qB2#eN;RregPPQ$ zHg%{=J^rFT4QNOs8q~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GO zma>fH{LMeCU?r|rna*v|nDa)`qm;V8#A z&IwL(iqo9oEay1S1uk-l%Ut0q*SO9NZgPv;+~F?wxX%L~@`%Sg;VI8}&I?}hir2j1 zE$?{G2R`zN&wSx4-}ufCe)5ao{8^AM5P=CoP=XPh5QHQYp$S7+!V#VbL?jZCi9%GO z5uF&sBo?uWLtNq!p9CZ%5s67cQj(FJ6r>~-sYydx(vhAFWF!-r$wF4Lk)0gmBp12K zLtgTcp8^!55QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtX0e7xigC zLmJVTCN!lP&1pePTG5&|w51*G=|BJ-=|pF`(3Ng! z$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW) z3t#!hcYg4bU;O6JVw`~pOb~(+jNpVIB%ugR7{U^c@I)XYk%&wbq7seh#2_ZIh)o>g z5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}Qjfo=PXij#h{iObDa~k3 z3tG~O*0iB5?PyO20_aF5I@5)&bfY^x=t(bn(}%wFqdx-}$RGwYgrN*$I3pOzC`L1e zv5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIe+sHD_F@YR>(8$u4&DFMHU_KK65fgB;>8M>xtcj&p*OoZ>WRILkTCbAgLo;xbpb z$~CTYgPYvqHg~woJ?`^>hdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83 zH-8r54Mbpq5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3#3um>Nkn3j zkd$O3Cj}`YE-8NHK|2y>QI+@{6&2l(2zznrU^}HMsr%wl2){)4Q**h zdpZz6M>^4&E_9_E-RVJ3deNIc^ravD8NfgWF_<9?Wf;R5!AM3inlX%J9OIe5L?$tr zDNJP=)0x3cW-*&N%w-<)S-?UTv6v++Wf{x)n}1lrN>;I&HLPVF>)F6YHnEv4Y-JnU z*}+bBv73L{!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67h2uUbH6Na#aBRmm^NF*W?g{VX$Ix&bzEMgOfxWpqq2}npH5|f0aBqKQ~NJ%PE zlZLdUBRv_&NG39qg{)*FJ2}WnE^?EHyyPQ41t>@%{y&E4VG9TV003Ao+qP}nwr$(C zZQHhO+qP}HcGxGZAcZJQ5sFfb;*_8yr6^4q%2JN>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>Y zjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J3 z7{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1x zo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj* z+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w z@{a%s{3jrR2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+M zj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR z6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX& zJm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9i3H>J^fe1_x zf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}! zNKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRe zpdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+ zjqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$ z9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#R zhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0Ezr3Ab|)>5P}kn;DjI~p$JVF z!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3 zeBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvH zpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$ zjNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D? z8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH} zm$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl z{NN|Q_{|^w@{a&X{3jrR2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S` zpe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cq zj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZb zx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9i zN&P1vfe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQm zl9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~ zC`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Y zpd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_F zjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q z9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0LlC(Ab|)>5P}kn z;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0 zuXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{ zs7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWO zU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3Ke zjODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd z8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?Z zpZLrdzVeOl{NN|Q_{|^w@{a&1{3jrR2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1 z=)@oeQenwWv)U>QayTG@v1k zXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}Gj zU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8= zzxd4`{_>9iDg7rPfe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p> z_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrB zic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!e zXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~ zU?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet? zjqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0IB>Z zAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP z> z6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV= zs#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob z=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKz zU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=q zjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR z8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a&%{3jrR2uu)y5{%%4AS9s(O&G!wj_^bv zB9Vwp6rvK1=)@oeQenwWv)U z>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG z7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@d zU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p z7rye1@BH8=zxd4`{_>9iY5gZ4fe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6 zCb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp z{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800 zn$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A z7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^ zU?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3 zAO7->0O|ZEAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}Y zA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&s zC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;## zy3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7 zn9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7 z;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpS zjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a%+{3jrR2uu)y5{%%4AS9s( zO&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ z`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsv zSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkG zj`w`vBcJ%p7rye1@BH8=zxd4`{_>9i8T}_9fe1_xf)b42gdilL2u&Em5{~dhAR>{7 zOcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzg zC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk# z`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*Z zhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9Up zSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$ zjqm*6C%^d3AO7->0Ga$JAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVh zO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJ zOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2 z_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmD zrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm z*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w z;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a&n{3jrR2uu)y z5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o z?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s z<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a z;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9iS^Xy{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q` zOct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22( zCbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad z{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GO zma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv< zIL#T(a*p#{;3Ai}%oVP3jqBXtCbziF9qw|E`#j(wk9f=zp7M<6yx=9Tc+DH$@{ad> z;3J>-%oo1$jqm*6C%^d3AO7->0NMN}Ab|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis z5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{ICm?|cOb~(+jNpVIB%ugR7{U^c@I)XYk%&wbq7seh#2_ZIh)o>g z5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhU zC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S= z@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2 zwz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+ zxXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a&H z{3jrR2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn* zBc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb z>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZ zc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9iIsGRffe1_xf)b42 zgdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2j zl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1 zOckn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcI zC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q z`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g; zj&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0J;1pAb|)>5P}kn;DjI~p$JVF!V-?~ zL?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW z_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQD zOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6 zB%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo z^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lo zu5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q z_{|^w@{a&{{3jrR2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3zn zO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)j zB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6 z?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9idHp9K zfe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(% zq#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4 zQjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2= zOc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_ zCbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2 z{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0QvkUAb|)>5P}kn;DjI~ zp$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaPGwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}g zO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05 zjAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2 z#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi z4}bYbfc*XwkU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={H zkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GI zaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc z$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}PwU6Ocdz zCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=t zc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUV zUFk-5deDAZhTiM2TcCeFO>}C&p*~fkk zaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=Y zCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`l zkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_ zb!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799 zed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J- zEM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5L zaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo z$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%LjDtwKm;ZTK?z21LJ*QrgeDAO2}gJ$5Rphk zCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+L zlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$V zeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UH zLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY} zaFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll> z#&>@3lVAMi4}bYbfWrP0kU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KM zCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)W zkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&F zaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}Q zM}Q*!6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3| zl2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**h zdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO z>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoS zCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnx zkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0( zcY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh| z9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I z@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%V*V45Km;ZTK?z21LJ*QrgeDAO z2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJe zCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dX zlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJ ze+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3s zOIgNpR)oEPH>V_ zoaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M` z@R3h^<_ll>#&>@3lVAMi4}bYbfa3lWkU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MR ziAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{G zCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC z@RMKs<_~}QM}QLk6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}L ziAQ`AkdQ@0t zrU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%w zl2){)4Q**hdpgjOPIRUVUFk-5deDAZh zTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+- zNk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!V zrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZ zkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJ zbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>EL zd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMy zJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%QvMT=Km;ZTK?z21 zLJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk% zNk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1Vh zrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9 zlV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5u zd={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAv zyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfYSaGkU#_`2tf%(a6%B0P=qE7VF^cg zA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w) z$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz| zkUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxG zeC7*Z`NnsC@RMKs<_~}QM}RW^6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$ zVi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zzn zrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p( zSGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK z5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8 zDMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cP zrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_% zkx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7 zc6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUj zce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%a{d#L zKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X> zQjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2 zDMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7b zrVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*d zlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^U zPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfb#wmkU#_`2tf%(a6%B0 zP=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+V zGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*D zrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8 zZ+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}P|c6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yy zNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~ zsYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pV zc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*b zSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n9 z3Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^Pnn zX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P> zW(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9guf zkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(t zb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3| zfB8p%O8yg&Km;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5 zL?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYyc zN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APh zX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2 zW(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7 zeID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfXe<8kU#_` z2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0z zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;( zb6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}R8+6OcdzCI~?ZMsPw9l2C*u z3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdG zYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$? zl2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=) z3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xD zT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v z8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J z8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1* zW({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPr zkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!h zcYg4bU;O3|fB8p%YW@?DKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i z4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^K zLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7R zTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD z8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFR zlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYb zfa?AekU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV z2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5< zQk13)WhqB_Do~M1RHh15sYZ2bP?K8JrVe$fM|~R5kVZ772~BB6b6U`nRY(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~ zkVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}Qjs6OcdzCI~?Z zMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tm zN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5 zdeDAZhTiM2TcCeFO>}C&p*~fkkaF9bB z<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ- zM|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ z3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$P zTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk z1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^Hy zS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD; z<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2T zkxzW)3t#!hcYg4bU;O3|fB8p%TK*G|Km;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrB zMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E` z4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^ zMl_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?! zMlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~ z<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3 zlVAMi4}bYbfZF~OkU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3l zM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu z2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy z<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}Rv1 z6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW z3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjO zPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p z*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y82 z5Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvx zM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi z3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1 zUi799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei| zImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=& z<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%dj1oTKm;ZTK?z21LJ*QrgeDAO2}gJ$ z5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~ zMs{+LlU(E`4|&N)e*QB|4_iP0006*x*|u%lwr$(CZQHhO+qP}nwZlGP1t>@%3R8rl z6r(sLC`l}a> z$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw-V?7(#$R;+kg{^F3 zJ3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqabB42=<2)C*$R#dwg{xfSIybnhfi zl%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK z$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$ zKLTwNFfSSgrXFqI3*}aDN0j@vXrAd6{tuhDpQ53 zRHHgIs7WnqQ-`|LqdpC2NFy54gr+p3IW1^OD_YZrwzQ)?9q33WI@5)&bfY^x=t(bn z(}%wFqdx-}$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5 z$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt$RQ4Mgrgke zI43yCDNb{Svz+5R7r4kJE^~#eT;n=7xXCSUbBDX!<30~~$Ri%}gr_{?IWKt0D_--4 zx4h#$ANa^8KJ$gIeB(Pm_{lGR^M}9uBS1s{2}mFU6NI1yBRC-lNhm@ShOmSqJQ0XU zBq9@qs6-<=F^EYlViSkB#3MclNJt_QlZ2!sBRMHZNh(s4hP0$3JsHSICNh(StYjlQ zImk&aa+8O=lxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W z$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aG zJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{3Adk{|QJS0uzLw1S2>h2uUbH6Na#aBRmm^NF*W?g{VX$Ix&bz zEMgOfxWpqq2}npH5|f0aBqKQ~NJ%PElZLdUBRv_&NG39qg{)*FJ2}WnE^?EHyyPQ4 z1t>@%3R8rl6r(sLC`l}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw-V?7(# z$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqabB42=<2)C*$R#dwg{xfS zIybnhfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKM zw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8 z$u4%YhrR4$KLTwNFfSSgrXFqI3*}aDN0j@vXrAd z6{tuhDpQ53RHHgIs7WnqQ-`|LqdpC2NFy54gr+p3IW1^OD_YZrwzQ)?9q33WI@5)& zbfY^x=t(bn(}%wFqdx-}$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?= zGl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt z$RQ4MgrgkeI43yCDNb{Svz+5R7r4kJE^~#eT;n=7xXCSUbBDX!<30~~$Ri%}gr_{? zIWKt0D_--4x4h#$ANa^8KJ$gIeB(Pm_{lGR^M}9uBS2IC2}mFU6NI1yBRC-lNhm@S zhOmSqJQ0XUBq9@qs6-<=F^EYlViSkB#3MclNJt_QlZ2!sBRMHZNh(s4hP0$3JsHSI zCNh(StYjlQImk&aa+8O=lxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4 zvxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc z$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-q zJsKlsTne)EUF{3Ad!{|QJS0uzLw1S2>h2uUbH6Na#aBRmm^NF*W? zg{VX$Ix&bzEMgOfxWpqq2}npH5|f0aBqKQ~NJ%PElZLdUBRv_&NG39qg{)*FJ2}Wn zE^?EHyyPQ41t>@%3R8rl6r(sLC`l}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqabB42=<2)C* z$R#dwg{xfSIybnlQAOaJFpadg0AqYt*LKB9tgd;o=h)5(N6NRWmBRVmNNi1R$ zhq%NeJ_$%jA`+8?q$DFbDM(2wQj>hfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5D zEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLTwNFfSSgrXFqI3*}a zDN0j@vXrAd6{tuhDpQ53RHHgIs7WnqQ-`|LqdpC2NFy54gr+p3IW1^OD_YZrwzQ)? z9q33WI@5)&bfY^x=t(bn(}%wFqdx-}$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVp zOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$- zvxmLxV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R7r4kJE^~#eT;n=7xXCSUbBDX!<30~~ z$Ri%}gr_{?IWKt0D_--4x4h#$ANa^8KJ$gIeB(Pm_{lGR^M}9uBS1_42}mFU6NI1y zBRC-lNhm@ShOmSqJQ0XUBq9@qs6-<=F^EYlViSkB#3MclNJt_QlZ2!sBRMHZNh(s4 zhP0$3JsHSICNh(StYjlQImk&aa+8O=lxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm z%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILm zbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q z$tzy-hPS-qJsKlsTne)EUF{3Ads{|QJS0uzLw1S2>h2uUbH6Na#a zBRmm^NF*W?g{VX$Ix&bzEMgOfxWpqq2}npH5|f0aBqKQ~NJ%PElZLdUBRv_&NG39q zg{)*FJ2}WnE^?EHyyPQ41t>@%3R8rl6r(sLC`l}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw< zEMqw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqa zbB42=<2)C*$R#dwg{xfSIybnhfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{ zBO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLTwNFfSS zgrXFqI3*}aDN0j@vXrAd6{tuhDpQ53RHHgIs7WnqQ-`|LqdpC2NFy54gr+p3IW1^O zD_YZrwzQ)?9q33WI@5)&bfY^x=t(bn(}%wFqdx-}$RGwYgrN*$I3pOzC`L1ev5aFp z6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWAT zY-2k+*vT$-vxmLxV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R7r4kJE^~#eT;n=7xXCSU zbBDX!<30~~$Ri%}gr_{?IWKt0D_--4x4h#$ANa^8KJ$gIeB(Pm_{lGR^M}9uBS2gK z2}mFU6NI1yBRC-lNhm@ShOmSqJQ0XUBq9@qs6-<=F^EYlViSkB#3MclNJt_QlZ2!s zBRMHZNh(s4hP0$3JsHSICNh(StYjlQImk&aa+8O=lxi$tXrMhOvxeJQJA6BqlS3sZ3)! zGnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q z>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j z^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{3Ad+{|QJS0uzLw1S2>h z2uUbH6Na#aBRmm^NF*W?g{VX$Ix&bzEMgOfxWpqq2}npH5|f0aBqKQ~NJ%PElZLdU zBRv_&NG39qg{)*FJ2}WnE^?EHyyPQ41t>@%3R8rl6r(sLC`l}a>$Rs8+g{e$qIy0EbEM_x@xy)le z3s}e^7PEw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~ z9OF1AILRqabB42=<2)C*$R#dwg{xfSIybnhfil%qTqs7NI$Q-!KjqdGOHNiAwq zhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%Z zAO&aK$t-3whq=sSJ_}gLA{MiRr7UAP zD_F@YR>(8$u4%YhrR4$KLTwNFfSSgrXFqI3*}aDN0j@vXrAd6{tuhDpQ53RHHgIs7WnqQ-`|LqdpC2NFy54 zgr+p3IW1^OD_YZrwzQ)?9q33WI@5)&bfY^x=t(bn(}%wFqdx-}$RGwYgrN*$I3pOz zC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=3 z8`#JuHnWATY-2k+*vT$-vxmLxV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R7r4kJE^~#e zT;n=7xXCSUbBDX!<30~~$Ri%}gr_{?IWKt0D_--4x4h#$ANa^8KJ$gIeB(Pm_{lGR z^M}9uBS1(02}mFU6NI1yBRC-lNhm@ShOmSqJQ0XUBq9@qs6-<=F^EYlViSkB#3Mcl zNJt_QlZ2!sBRMHZNh(s4hP0$3JsHSICNh(StYjlQImk&aa+8O=lxi$tXrMhOvxeJQJA6 zBqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gE zJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb z+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{3Ado{|QJS z0uzLw1S2>h2uUbH6Na#aBRmm^NF*W?g{VX$Ix&bzEMgOfxWpqq2}npH5|f0aBqKQ~ zNJ%PElZLdUBRv_&NG39qg{)*FJ2}WnE^?EHyyPQ41t>@%3R8rl6r(sLC`l}a>$Rs8+g{e$qIy0Eb zEM_x@xy)le3s}e^7PEw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@ z2RO(f4s(Q~9OF1AILRqabB42=<2)C*$R#dwg{xfSIybnhfil%qTqs7NI$Q-!Kj zqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZS zhraZqKLZ%ZAO&aK$t-3whq=sSJ_}gL zA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLTwNFfSSgrXFqI3*}aDN0j@vXrAd6{tuhDpQ53RHHgIs7WnqQ-`|L zqdpC2NFy54gr+p3IW1^OD_YZrwzQ)?9q33WI@5)&bfY^x=t(bn(}%wFqdx-}$RGwY zgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)Jn zDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R z7r4kJE^~#eT;n=7xXCSUbBDX!<30~~$Ri%}gr_{?IWKt0D_--4x4h#$ANa^8KJ$gI zeB(Pm_{lGR^M}9uBS2UG2}mFU6NI1yBRC-lNhm@ShOmSqJQ0XUBq9@qs6-<=F^EYl zViSkB#3MclNJt_QlZ2!sBRMHZNh(s4hP0$3JsHSICNh(StYjlQImk&aa+8O=lxi$tXrM zhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_ zCN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwc zH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF z{3Ad&{|QJS0uzLw1S2>h2uUbH6Na#aBRmm^NF*W?g{VX$Ix&bzEMgOfxWpqq2}npH z5|f0aBqKQ~NJ%PElZLdUBRv_&NG39qg{)*FJ2}WnE^?EHyyPQ41t>@%3R8rl6r(sL zC`l}a>$Rs8+ zg{e$qIy0EbEM_x@xy)le3s}e^7PEw-V?7(#$R;+kg{^F3J3H9P zE_Snrz3gK@2RO(f4s(Q~9OF1AILRqabB42=<2)C*$R#dwg{xfSIybnhfil%qTq zs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{d zqdPt5NiTZShraZqKLZ%ZAO&aK$t-3w zhq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KL3NFV|egrEc?I3Wm0C_)p4 zu!JK#5r{}6A`^wEL?b#eh)FDB6Nk9OBR&a8NFoxGgrp=RIVngTwNFfSSgrXFqI3*}aDN0j@vXrAd6{tuhDpQ53RHHgI zs7WnqQ-`|LqdpC2NFy54gr+p3IW1^OD_YZrwzQ)?9q33WI@5)&bfY^x=t(bn(}%wF zqdx-}$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZA zgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt$RQ4MgrgkeI43yC zDNb{Svz+5R7r4kJE^~#eT;n=7xXCSUbBDX!<30~~$Ri%}gr_{?IWKt0D_--4x4h#$ zANa^8KJ$gIeB(Pm_{lGR^M}9uBS2682}mFU6NI1yBRC-lNhm@ShOmSqJQ0XUBq9@q zs6-<=F^EYlViSkB#3MclNJt_QlZ2!sBRMHZNh(s4hP0$3JsHSICNh(StYjlQImk&a za+8O=lxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT} zhPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujg zB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJs zKlsTne)EUF{3Adw{|QJS0uzLw1S2>h2uUbH6Na#aBRmm^NF*W?g{VX$Ix&bzEMgOf zxWpqq2}npH5|f0aBqKQ~NJ%PElZLdUBRv_&NG39qg{)*FJ2}WnE^?EHyyPQ41t>@% z3R8rl6r(sLC`l}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw-V?7(#$R;+k zg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqabB42=<2)C*$R#dwg{xfSIybn< zEpBs%yWHbG4|vEU9`l5!JmWbpc*!eX^M<#)<2@hv$R|GYg|B?$J3sizFMjifzx*RW zZ~qBMAOaJFpadg0AqYt*LKB9tgd;o=h)5(N6NRWmBRVmNNi1R$hq%NeJ_$%jA`+8? zq$DFbDM(2wQj>hfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8 z=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%Y zhrR4$KLTwNFfSSgrXFqI3*}aDN0j@vXrAd6{tuh zDpQ53RHHgIs7WnqQ-`|LqdpC2NFy54gr+p3IW1^OD_YZrwzQ)?9q33WI@5)&bfY^x z=t(bn(}%wFqdx-}$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j% zV?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt$RQ4M zgrgkeI43yCDNb{Svz+5R7r4kJE^~#eT;n=7xXCSUbBDX!<30~~$Ri%}gr_{?IWKt0 zD_--4x4h#$ANa^8KJ$gIeB(Pm_{lGR^M}9uBS2sO2}mFU6NI1yBRC-lNhm@ShOmSq zJQ0XUBq9@qs6-<=F^EYlViSkB#3MclNJt_QlZ2!sBRMHZNh(s4hP0$3JsHSICNh(S ztYjlQImk&aa+8O=lxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEA zV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~A zhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{3Ad={|QJS0uzLw1S2>h2uUbH6Na#aBRmm^NF*W?g{VX$ zIx&bzEMgOfxWpqq2}npH5|f0aBqKQ~NJ%PElZLdUBRv_&NG39qg{)*FJ2}WnE^?EH zyyPSQe}?HHTMPsM09apb+qUgaZQHhO{Mxo{+qP}nHYbZ5Arzz#g(*T&icy>rl%y1; zDMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-; zq!XR#LRY%cogVb07rp62U;5FX0R%9RK@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8 z#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?T zM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbpaK39m>>it7{Lia zNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR z>B&GwGLe}qWF;Hf$w5wXk()f^B_H`Iz<(5^5QQm1QHoKV5|pGAr71&M%2A#QRHPD> zsX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUj zq!+#ELtpyQp8*6gkUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0 zSG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QN1y=z2}}@z5{%%4AS9s(O&G!wj_^bv zB9Vwp6rvK1=)@oDP6JlYEp~Z z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G-RMpadeV#D^r0{P=+6KG z7|0+7GlZcGV>lxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEA zV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~A zhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{3Fmn{|QVGf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6 zCb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp z{1o6n3Q~x|6rm`^C{77VQi{@)p)BPnPX#JciON)=D%Ge?4Qf)0+SH*g^{7t+8q$cy zG@&WYXif`S(u&r!p)KubPX{{EiOzJPE8XZ$4|>vz-t?g_{pimC0vO031~Y`A3}ZMW z7|AF`GlsE@V>}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw- zV?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqabB42=<2)C*$R#dw zg{xfSIybnA@ASSVhO&sD9kN6}Y zA&E##5|WaP z#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQv zw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00J1uAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLg5|8*KAR&oJOcIikjO3&s zC8s7?)PQj6Nup)U2PPXij#h{iObDa~k33tG~O*0iB5?PyO2I?{>G zbfGKV=uQuM(u>~op)dXD&j11#$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+AT zn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLx zV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R7r4kJE^~#eT;n=7xXCSUbBDX!<30~~$Ri%} zgr_{?IWKt0D_--4x4h#$ANa^8KJ$gIeB(Pm_{lGR^M}9uBhV242}}@z5{%%4AS9s( zO&G!wj_^bvB9Vwp6rvK1=)@oDP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G-RMpadeV#D z^r0{P=+6KG7|0+7GlZcGV>lxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+a zSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD z<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy- zhPS-qJsKlsTne)EUF{3Fm%{|QVGf)b42gdilL2u&Em5{~dhAR>{7 zOcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzg zC%MQ?9`cfp{1o6n3Q~x|6rm`^C{77VQi{@)p)BPnPX#JciON)=D%Ge?4Qf)0+SH*g z^{7t+8q$cyG@&WYXif`S(u&r!p)KubPX{{EiOzJPE8XZ$4|>vz-t?g_{pimC0vO03 z1~Y`A3}ZMW7|AF`GlsE@V>}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqabB42= z<2)C*$R#dwg{xfSIybnA@ASSVh zO&sD9kN6}YA&E##5|WaP#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR z&1g;wTGEQvw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00J1uAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLg5|8*KAR&oJ zOcIikjO3&sC8s7?)PQj6Nup)U2PPXij#h{iObDa~k33tG~O*0iB5 z?PyO2I?{>GbfGKV=uQuM(u>~op)dXD&j11#$RGwYgrN*$I3pOzC`L1ev5aFp6PU;( zCNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+ z*vT$-vxmLxV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R7r4kJE^~#eT;n=7xXCSUbBDX! z<30~~$Ri%}gr_{?IWKt0D_--4x4h#$ANa^8KJ$gIeB(Pm_{lGR^M}9uBhU!{2}}@z z5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oDP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G z-RMpadeV#D^r0{P=+6KG7|0+7GlZcGV>lxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmON zW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L% zILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27 z<2f&Q$tzy-hPS-qJsKlsTne)EUF{3Fmv{|QVGf)b42gdilL2u&Em z5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q` zOct_|jqKzgC%MQ?9`cfp{1o6n3Q~x|6rm`^C{77VQi{@)p)BPnPX#JciON)=D%Ge? z4Qf)0+SH*g^{7t+8q$cyG@&WYXif`S(u&r!p)KubPX{{EiOzJPE8XZ$4|>vz-t?g_ z{pimC0vO031~Y`A3}ZMW7|AF`GlsE@V>}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^ z7PEw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1A zILRqabB42=<2)C*$R#dwg{xfSIybnA@ASSVhO&sD9kN6}YA&E##5|WaP#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES z0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00J1uAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@Y zR>(8$u4%YhrR4$KLg z5|8*KAR&oJOcIikjO3&sC8s7?)PQj6Nup)U2PPXij#h{iObDa~k3 z3tG~O*0iB5?PyO2I?{>GbfGKV=uQuM(u>~op)dXD&j11#$RGwYgrN*$I3pOzC`L1e zv5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#Ju zHnWATY-2k+*vT$-vxmLxV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R7r4kJE^~#eT;n=7 zxXCSUbBDX!<30~~$Ri%}gr_{?IWKt0D_--4x4h#$ANa^8KJ$gIeB(Pm_{lGR^M}9u zBhVQC2}}@z5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oDP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe z2RhP;&UB$G-RMpadeV#D^r0{P=+6KG7|0+7GlZcGV>lxi$tXrMhOvxeJQJA6BqlS3 zsZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uC zcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnE zc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{3Fm<{|QVGf)b42 zgdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2j zl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1o6n3Q~x|6rm`^C{77VQi{@)p)BPnPX#Jc ziON)=D%Ge?4Qf)0+SH*g^{7t+8q$cyG@&WYXif`S(u&r!p)KubPX{{EiOzJPE8XZ$ z4|>vz-t?g_{pimC0vO031~Y`A3}ZMW7|AF`GlsE@V>}a>$Rs8+g{e$qIy0EbEM_x@ zxy)le3s}e^7PEw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f z4s(Q~9OF1AILRqabB42=<2)C*$R#dwg{xfSIybnA@ASSVhO&sD9kN6}YA&E##5|WaP#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{O zi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax z00J1uAO&aK$t-3whq=sSJ_}gLA{MiR zr7UAPD_F@YR>(8$u4%YhrR4$KLg5|8*KAR&oJOcIikjO3&sC8s7?)PQj6Nup)U2PPXij# zh{iObDa~k33tG~O*0iB5?PyO2I?{>GbfGKV=uQuM(u>~op)dXD&j11#$RGwYgrN*$ zI3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?G zwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R7r4kJ zE^~#eT;n=7xXCSUbBDX!<30~~$Ri%}gr_{?IWKt0D_--4x4h#$ANa^8KJ$gIeB(Pm z_{lGR^M}9uBhUo@2}}@z5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oDP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mn ziq^EDE$wJe2RhP;&UB$G-RMpadeV#D^r0{P=+6KG7|0+7GlZcGV>lxi$tXrMhOvxe zJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$ zt!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|y zZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{3Fmr z{|QVGf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(% zq#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1o6n3Q~x|6rm`^C{77VQi{@) zp)BPnPX#JciON)=D%Ge?4Qf)0+SH*g^{7t+8q$cyG@&WYXif`S(u&r!p)KubPX{{E ziOzJPE8XZ$4|>vz-t?g_{pimC0vO031~Y`A3}ZMW7|AF`GlsE@V>}a>$Rs8+g{e$q zIy0EbEM_x@xy)le3s}e^7PEw-V?7(#$R;+kg{^F3J3H9PE_Snr zz3gK@2RO(f4s(Q~9OF1AILRqabB42=<2)C*$R#dwg{xfSIybnxFa5P}kn;DjI~ zp$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP#VAe*N>Yl_l%Xu;C{G0{Qi;k` zp(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^(uvM=p)1|!P7iw0 zi{A91Fa7Ax00J1uAO&aK$t-3whq=sS zJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLg5|8*KAR&oJOcIikjO3&sC8s7?)PQj6Nu zp)U2PPXij#h{iObDa~k33tG~O*0iB5?PyO2I?{>GbfGKV=uQuM(u>~op)dXD&j11# z$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKF zIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt$RQ4MgrgkeI43yCDNb{S zvz+5R7r4kJE^~#eT;n=7xXCSUbBDX!<30~~$Ri%}gr_{?IWKt0D_--4x4h#$ANa^8 zKJ$gIeB(Pm_{lGR^M}9uBhVE82}}@z5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@o< zv4~9^;u4SeBp@M)NK6uvl8oe}ASJ0tO&ZdYj`U<8Bbmrd7P69!?BpOPxyVf(@{*7I z6yQG!Qi#G7p(w>DP6JlYEp~Z)S)i*s80hL(ul@1 zp()L1P77Mniq^EDE$wJe2RhP;&UB$G-RMpadeV#D^r0{P=+6KG7|0+7GlZcGV>lxi z$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9? zJsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M? zt6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTn ze)EUF{3Fm*{|QVGf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9 ziAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1o6n3Q~x|6rm`^ zC{77VQi{@)p)BPnPX#JciON)=D%Ge?4Qf)0+SH*g^{7t+8q$cyG@&WYXif`S(u&r! zp)KubPX{{EiOzJPE8XZ$4|>vz-t?g_{pimC0vO031~Y`A3}ZMW7|AF`GlsE@V>}a> z$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw-V?7(#$R;+kg{^F3 zJ3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqabB42=<2)C*$R#dwg{xfSIybnA@ASSVhO&sD9kN6}YA&E##5|WaP#VAe*N>Yl_l%Xu; zC{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^(uvM= zp)1|!P7iw0i{A91Fa7Ax00J1uAO&aK z$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$ zKLg5|8*KAR&oJOcIikjO3&sC8 zs7?)PQj6Nup)U2PPXij#h{iObDa~k33tG~O*0iB5?PyO2I?{>GbfGKV=uQuM(u>~o zp)dXD&j11#$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5 z$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt$RQ4Mgrgke zI43yCDNb{Svz+5R7r4kJE^~#eT;n=7xXCSUbBDX!<30~~$Ri%}gr_{?IWKt0D_--4 zx4h#$ANa^8KJ$gIeB(Pm_{lGR^M}9uBhU>02}}@z5{%%4AS9s(O&G!wj_^bvB9Vwp z6rvK1=)@oDP6JlYEp~Z)S)i* zs80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G-RMpadeV#D^r0{P=+6KG7|0+7 zGlZcGV>lxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W z$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aG zJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{3Fmz{|QVGf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W3 z9O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1o6n z3Q~x|6rm`^C{77VQi{@)p)BPnPX#JciON)=D%Ge?4Qf)0+SH*g^{7t+8q$cyG@&WY zXif`S(u&r!p)KubPX{{EiOzJPE8XZ$4|>vz-t?g_{pimC0vO031~Y`A3}ZMW7|AF` zGlsE@V>}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw-V?7(# z$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqabB42=<2)C*$R#dwg{xfS zIybnA@ASSVhO&sD9kN6}YA&E## z5|WaP#VAe* zN>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQvw4p8S zXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00J1uAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8 z$u4%YhrR4$KLg5|8*KAR&oJOcIikjO3&sC8s7?)PQj6Nup)U2PPXij#h{iObDa~k33tG~O*0iB5?PyO2I?{>GbfGKV z=uQuM(u>~op)dXD&j11#$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?= zGl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt z$RQ4MgrgkeI43yCDNb{Svz+5R7r4kJE^~#eT;n=7xXCSUbBDX!<30~~$Ri%}gr_{? zIWKt0D_--4x4h#$ANa^8KJ$gIeB(Pm_{lGR^M}9uBhVcG2}}@z5{%%4AS9s(O&G!w zj_^bvB9Vwp6rvK1=)@oDP6Jl zYEp~Z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G-RMpadeV#D^r0{P z=+6KG7|0+7GlZcGV>lxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4 zvxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc z$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-q zJsKlsTne)EUF{3Fm@{|QVGf)b42gdilL2u&Em5{~dhAR>{7OcbIL zjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ? z9`cfp{1o6n3Q~x|6rm`^C{77VQi{@)p)BPnPX#JciON)=D%Ge?4Qf)0+SH*g^{7t+ z8q$cyG@&WYXif`S(u&r!p)KubPX{{EiOzJPE8XZ$4|>vz-t?g_{pimC0vO031~Y`A z3}ZMW7|AF`GlsE@V>}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqabB42=<2)C* z$R#dwg{xfSIybnA@ASSVhO&sD9 zkN6}YA&E##5|WaP@%3R8rl6r(sLC`l}a>$Rs8+g{e$qIy0EbEM_x@ zxy)le3s}e^7PEw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f z4s(Q~9OF1AILRqabB42=<2)C*$R#dwg{xfSIybneE$hZAOaJFpadg0AqYt*LKB9t zgd;o=h)5(N6NRWmBRVmNNi1R$hq%NeJ_$%jA`+8?q$DFbDM(2wQj>hfil%qTqs7NI$Q-!KjqdGOH zNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZq zKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiR zr7UAPD_F@YR>(8$u4%YhrR4$KLTwNFfSSgrXFqI3*}aDN0j@vXrAd6{tuhDpQ53RHHgIs7WnqQ-`|LqdpC2 zNFy54gr+p3IW1^OD_YZrwzQ)?9q33WI@5)&bfY^x=t(bn(}%wFqdx-}$RGwYgrN*$ zI3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?G zwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R7r4kJ zE^~#eT;n=7xXCSUbBDX!<30~~$Ri%}gr_{?IWKt0D_--4x4h#$ANa^8KJ$gIeB(Pm z_{lGR^M}9uBfvuc2}mFU6NI1yBRC-lNhm@ShOmSqJQ0XUBq9@qs6-<=F^EYlViSkB z#3MclNJt_QlZ2!sBRMHZNh(s4hP0$3JsHSICNh(StYjlQImk&aa+8O=lxi$tXrMhOvxe zJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$ zt!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|y zZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{3F03 z{|QJS0uzLw1S2>h2uUbH6Na#aBRmm^NF*W?g{VX$Ix&bzEMgOfxWpqq2}npH5|f0a zBqKQ~NJ%PElZLdUBRv_&NG39qg{)*FJ2}WnE^?EHyyPQ41t>@%3R8rl6r(sLC`l}a>$Rs8+g{e$q zIy0EbEM_x@xy)le3s}e^7PEw-V?7(#$R;+kg{^F3J3H9PE_Snr zz3gK@2RO(f4s(Q~9OF1AILRqabB42=<2)C*$R#dwg{xfSIybnV*d$9AOaJFpadg0 zAqYt*LKB9tgd;o=h)5(N6NRWmBRVmNNi1R$hq%NeJ_$%jA`+8?q$DFbDM(2wQj>hfil%qTqs7NI$ zQ-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5 zNiTZShraZqKLZ%ZAO&aK$t-3whq=sS zJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLTwNFfSSgrXFqI3*}aDN0j@vXrAd6{tuhDpQ53RHHgIs7Wnq zQ-`|LqdpC2NFy54gr+p3IW1^OD_YZrwzQ)?9q33WI@5)&bfY^x=t(bn(}%wFqdx-} z$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKF zIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt$RQ4MgrgkeI43yCDNb{S zvz+5R7r4kJE^~#eT;n=7xXCSUbBDX!<30~~$Ri%}gr_{?IWKt0D_--4x4h#$ANa^8 zKJ$gIeB(Pm_{lGR^M}9uBfwJs2}mFU6NI1yBRC-lNhm@ShOmSqJQ0XUBq9@qs6-<= zF^EYlViSkB#3MclNJt_QlZ2!sBRMHZNh(s4hP0$3JsHSICNh(StYjlQImk&aa+8O= zlxi z$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9? zJsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M? zt6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTn ze)EUF{3F0J{|QJS0uzLw1S2>h2uUbH6Na#aBRmm^NF*W?g{VX$Ix&bzEMgOfxWpqq z2}npH5|f0aBqKQ~NJ%PElZLdUBRv_&NG39qg{)*FJ2}WnE^?EHyyPQ41t>@%3R8rl z6r(sLC`l}a> z$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw-V?7(#$R;+kg{^F3 zJ3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqabB42=<2)C*$R#dwg{xfSIybna{mcP zAOaJFpadg0AqYt*LKB9tgd;o=h)5(N6NRWmBRVmNNi1R$hq%NeJ_$%jA`+8?q$DFb zDM(2wQj>hfi zl%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK z$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$ zKLTwNFfSSgrXFqI3*}aDN0j@vXrAd6{tuhDpQ53 zRHHgIs7WnqQ-`|LqdpC2NFy54gr+p3IW1^OD_YZrwzQ)?9q33WI@5)&bfY^x=t(bn z(}%wFqdx-}$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5 z$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt$RQ4Mgrgke zI43yCDNb{Svz+5R7r4kJE^~#eT;n=7xXCSUbBDX!<30~~$Ri%}gr_{?IWKt0D_--4 zx4h#$ANa^8KJ$gIeB(Pm_{lGR^M}9uBfv`k2}mFU6NI1yBRC-lNhm@ShOmSqJQ0XU zBq9@qs6-<=F^EYlViSkB#3MclNJt_QlZ2!sBRMHZNh(s4hP0$3JsHSICNh(StYjlQ zImk&aa+8O=lxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W z$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aG zJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{3F0B{|QJS0uzLw1S2>h2uUbH6Na#aBRmm^NF*W?g{VX$Ix&bz zEMgOfxWpqq2}npH5|f0aBqKQ~NJ%PElZLdUBRv_&NG39qg{)*FJ2}WnE^?EHyyPQ4 z1t>@%3R8rl6r(sLC`l}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw-V?7(# z$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqabB42=<2)C*$R#dwg{xfS zIybnYX1pHAOaJFpadg0AqYt*LKB9tgd;o=h)5(N6NRWmBRVmNNi1R$hq%NeJ_$%j zA`+8?q$DFbDM(2wQj>hfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKM zw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8 z$u4%YhrR4$KLTwNFfSSgrXFqI3*}aDN0j@vXrAd z6{tuhDpQ53RHHgIs7WnqQ-`|LqdpC2NFy54gr+p3IW1^OD_YZrwzQ)?9q33WI@5)& zbfY^x=t(bn(}%wFqdx-}$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?= zGl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt z$RQ4MgrgkeI43yCDNb{Svz+5R7r4kJE^~#eT;n=7xXCSUbBDX!<30~~$Ri%}gr_{? zIWKt0D_--4x4h#$ANa^8KJ$gIeB(Pm_{lGR^M}9uBfwh!2}mFU6NI1yBRC-lNhm@S zhOmSqJQ0XUBq9@qs6-<=F^EYlViSkB#3MclNJt_QlZ2!sBRMHZNh(s4hP0$3JsHSI zCNh(StYjlQImk&aa+8O=lxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4 zvxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc z$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-q zJsKlsTne)EUF{3F0R{|QJS0uzLw1S2>h2uUbH6Na#aBRmm^NF*W? zg{VX$Ix&bzEMgOfxWpqq2}npH5|f0aBqKQ~NJ%PElZLdUBRv_&NG39qg{)*FJ2}Wn zE^?EHyyPQ41t>@%3R8rl6r(sLC`l}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqabB42=<2)C* z$R#dwg{xfSIybndjAPXAOaJFpadg0AqYt*LKB9tgd;o=h)5(N6NRWmBRVmNNi1R$ zhq%NeJ_$%jA`+8?q$DFbDM(2wQj>hfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5D zEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLTwNFfSSgrXFqI3*}a zDN0j@vXrAd6{tuhDpQ53RHHgIs7WnqQ-`|LqdpC2NFy54gr+p3IW1^OD_YZrwzQ)? z9q33WI@5)&bfY^x=t(bn(}%wFqdx-}$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVp zOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$- zvxmLxV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R7r4kJE^~#eT;n=7xXCSUbBDX!<30~~ z$Ri%}gr_{?IWKt0D_--4x4h#$ANa^8KJ$gIeB(Pm_{lGR^M}9uBfv)g2}mFU6NI1y zBRC-lNhm@ShOmSqJQ0XUBq9@qs6-<=F^EYlViSkB#3MclNJt_QlZ2!sBRMHZNh(s4 zhP0$3JsHSICNh(StYjlQImk&aa+8O=lxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm z%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILm zbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q z$tzy-hPS-qJsKlsTne)EUF{3F07{|QJS0uzLw1S2>h2uUbH6Na#a zBRmm^NF*W?g{VX$Ix&bzEMgOfxWpqq2}npH5|f0aBqKQ~NJ%PElZLdUBRv_&NG39q zg{)*FJ2}WnE^?EHyyPQ41t>@%3R8rl6r(sLC`l}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw< zEMqw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqa zbB42=<2)C*$R#dwg{xfSIybnX8#FDAOaJFpadg0AqYt*LKB9tgd;o=h)5(N6NRWm zBRVmNNi1R$hq%NeJ_$%jA`+8?q$DFbDM(2wQj>hfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{ zBO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLTwNFfSS zgrXFqI3*}aDN0j@vXrAd6{tuhDpQ53RHHgIs7WnqQ-`|LqdpC2NFy54gr+p3IW1^O zD_YZrwzQ)?9q33WI@5)&bfY^x=t(bn(}%wFqdx-}$RGwYgrN*$I3pOzC`L1ev5aFp z6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWAT zY-2k+*vT$-vxmLxV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R7r4kJE^~#eT;n=7xXCSU zbBDX!<30~~$Ri%}gr_{?IWKt0D_--4x4h#$ANa^8KJ$gIeB(Pm_{lGR^M}9uBfwVw z2}mFU6NI1yBRC-lNhm@ShOmSqJQ0XUBq9@qs6-<=F^EYlViSkB#3MclNJt_QlZ2!s zBRMHZNh(s4hP0$3JsHSICNh(StYjlQImk&aa+8O=lxi$tXrMhOvxeJQJA6BqlS3sZ3)! zGnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q z>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j z^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{3F0N{|QJS0uzLw1S2>h z2uUbH6Na#aBRmm^NF*W?g{VX$Ix&bzEMgOfxWpqq2}npH5|f0aBqKQ~NJ%PElZLdU zBRv_&NG39qg{)*FJ2}WnE^?EHyyPQ41t>@%3R8rl6r(sLC`l}a>$Rs8+g{e$qIy0EbEM_x@xy)le z3s}e^7PEw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~ z9OF1AILRqabB42=<2)C*$R#dwg{xfSIybncK-=TAOaJFpadg0AqYt*LKB9tgd;o= zh)5(N6NRWmBRVmNNi1R$hq%NeJ_$%jA`+8?q$DFbDM(2wQj>hfil%qTqs7NI$Q-!KjqdGOHNiAwq zhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%Z zAO&aK$t-3whq=sSJ_}gLA{MiRr7UAP zD_F@YR>(8$u4%YhrR4$KLTwNFfSSgrXFqI3*}aDN0j@vXrAd6{tuhDpQ53RHHgIs7WnqQ-`|LqdpC2NFy54 zgr+p3IW1^OD_YZrwzQ)?9q33WI@5)&bfY^x=t(bn(}%wFqdx-}$RGwYgrN*$I3pOz zC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=3 z8`#JuHnWATY-2k+*vT$-vxmLxV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R7r4kJE^~#e zT;n=7xXCSUbBDX!<30~~$Ri%}gr_{?IWKt0D_--4x4h#$ANa^8KJ$gIeB(Pm_{lGR z^M}9uBfw7o2}mFU6NI1yBRC-lNhm@ShOmSqJQ0XUBq9@qs6-<=F^EYlViSkB#3Mcl zNJt_QlZ2!sBRMHZNh(s4hP0$3JsHSICNh(StYjlQImk&aa+8O=lxi$tXrMhOvxeJQJA6 zBqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gE zJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb z+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{3F0F{|QJS z0uzLw1S2>h2uUbH6Na#aBRmm^NF*W?g{VX$Ix&bzEMgOfxWpqq2}npH5|f0aBqKQ~ zNJ%PElZLdUBRv_&NG39qg{)*FJ2}WnE^?EHyyPQ41t>@%3R8rl6r(sLC`l}a>$Rs8+g{e$qIy0Eb zEM_x@xy)le3s}e^7PEw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@ z2RO(f4s(Q~9OF1AILRqabB42=<2)C*$R#dwg{xfSIybnZvP2LAOaJFpadg0AqYt* zLKB9tgd;o=h)5(N6NRWmBRVmNNi1R$hq%NeJ_$%jA`+8?q$DFbDM(2wQj>hfil%qTqs7NI$Q-!Kj zqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZS zhraZqKLZ%ZAO&aK$t-3whq=sSJ_}gL zA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLTwNFfSSgrXFqI3*}aDN0j@vXrAd6{tuhDpQ53RHHgIs7WnqQ-`|L zqdpC2NFy54gr+p3IW1^OD_YZrwzQ)?9q33WI@5)&bfY^x=t(bn(}%wFqdx-}$RGwY zgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)Jn zDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R z7r4kJE^~#eT;n=7xXCSUbBDX!<30~~$Ri%}gr_{?IWKt0D_--4x4h#$ANa^8KJ$gI zeB(Pm_{lGR^M}9uBfwt&2}mFU6NI1yBRC-lNhm@ShOmSqJQ0XUBq9@qs6-<=F^EYl zViSkB#3MclNJt_QlZ2!sBRMHZNh(s4hP0$3JsHSICNh(StYjlQImk&aa+8O=lxi$tXrM zhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_ zCN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwc zH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF z{3F0V{|QJS0uzLw1S2>h2uUbH6Na#aBRmm^NF*W?g{VX$Ix&bzEMgOfxWpqq2}npH z5|f0aBqKQ~NJ%PElZLdUBRv_&NG39qg{)*FJ2}WnE^?EHyyW}OFg}1=v zZEv=1+qP}nw(V}VZQFM3Jj^Ey1t>@%3R8rl6r(sLC`l}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^ z7PEw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@0UY2Uhd9g;j&h9S zoZuv;3J>-%oo1$jqm*6C%^d3AO7->Kmq;}m>>it7{LiaNJ0^sFoY!>;fX**A`zJ= zL?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wX zk()f^B_H|uj{+2=5QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}o zp9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=Q zP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_x zt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp8yVUkV72i2uC@_aZYfOQ=H}uXF11t zE^v`cT;>W_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z z`NnsC@RMKs<_~}QN1y}#6PO?bB^bd8K}bRonlOYV9N~#TL?RKHC`2V1(TPD!ViB7- z#3df_NkBppk(eYTB^k*{K}u4Qnlz*(9qGwHMlz9^EMz4c*~vjpa*>-nF`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+ zo7uuvwy~WZ>|__a*~4D;v7Z1AaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@ zZg7)Z+~y8Kt?i=nJi=_8`;T0PI8f(Jme)G`T36m6r>P^DMC?-QJfN# zq!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO> zo(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2 zRHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQm zyV=8D_OYJ;4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X z9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8qCL;e$(AOs~C z!3jY~LJ^uUge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*)LK2afBqSvn$w@&^$tANl!@0u-bWg(*T&icy>rl%y1;DMMMxQJxA^ zq!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%c zogVb07rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^!c?X)of*tz7PFbd zT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZVWD}d&!dAAiogM6C7rWWRUiPt{01j}F zLmcJ^M>)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3 zUhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbpu_$Xm>>it7{LiaNJ0^sFoY!> z;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}q zWF;Hf$w5wXk()f^B_H|uj{+2=5QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJosp zq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQ zp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*E zQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp8yVUkV72i2uC@_aZYfO zQ=H}uXF11tE^v`cT;>W_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXi zKJbxGeC7*Z`NnsC@RMKs<_~}QN1!AA6PO?bB^bd8K}bRonlOYV9N~#TL?RKHC`2V1 z(TPD!ViB7-#3df_NkBppk(eYTB^k*{K}u4Qnlz*(9qGwHMlz9^EMz4c*~vjpa*>-n zF`or2WD$#5!cvy8oE5BO6{}gp zTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7Z1AaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~ zOI+p(SGmS@Zg7)Z+~y8Kt?i=nJi=_8`;T0PI8f(Jme)G`T36m6r>P^ zDMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~v zq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^K zo(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww> zR<^O79qeQmyV=8D_OYJ;4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8Ez zTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8qC zWBwDEAOs~C!3jY~LJ^uUge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*)LK2afBqSvn z$w@&^$tANl!@0u-bWg(*T&icy>rl%y1; zDMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-; zq!XR#LRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^!c?X) zof*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZVWD}d&!dAAiogM6C7rWWR zUiPt{01j}FLmcJ^M>)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?T zM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbpyU1%m>>it7{Lia zNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR z>B&GwGLe}qWF;Hf$w5wXk()f^B_H|uj{+2=5QQm1QHoKV5|pGAr71&M%2A#QRHPD> zsX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUj zq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Su zp9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp8yVUkV72i z2uC@_aZYfOQ=H}uXF11tE^v`cT;>W_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0 zSG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QN1zk_6PO?bB^bd8K}bRonlOYV9N~#T zL?RKHC`2V1(TPD!ViB7-#3df_NkBppk(eYTB^k*{K}u4Qnlz*(9qGwHMlz9^EMz4c z*~vjpa*>-nF`or2WD$#5!cvy8 zoE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7Z1AaF9bB<_JeQ#&J$?l2e@K z3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y8Kt?i=nJi=_8`;T0PI8f(Jme)G z`T36m6r>P^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!Y zX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;M zWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{ zo(*hd6Pww>R<^O79qeQmyV=8D_OYJ;4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W z3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4b zU;O3|fB8qCQ~nc}AOs~C!3jY~LJ^uUge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*) zLK2afBqSvn$w@&^$tANl!@0u-bWg(*T& zicy>rl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cS zX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxb zWD=8^!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZVWD}d&!dAAi zogM6C7rWWRUiPt{01j}FLmcJ^M>)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;8 z4tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbpws>n zm>>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdO zN>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H|uj{+2=5QQm1QHoKV5|pGAr71&M z%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV z=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIA zWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5W zp8yVUkV72i2uC@_aZYfOQ=H}uXF11tE^v`cT;>W_xyE&FaFbiy<_>qc$9*2~kVib` z2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QN1!wQ6PO?bB^bd8K}bRo znlOYV9N~#TL?RKHC`2V1(TPD!ViB7-#3df_NkBppk(eYTB^k*{K}u4Qnlz*(9qGwH zMlz9^EMz4c*~vjpa*>-nF`or2 zWD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7Z1AaF9bB<_JeQ z#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y8Kt?i=nJi=_8`;T0 zPI8f(Jme)G`T36m6r>P^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0 z>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_4 z8NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mG zWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ;4seh|9Oei|ImU5LaFSD;<_u>! z$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW) z3t#!hcYg4bU;O3|fB8qCbN&;UAOs~C!3jY~LJ^uUge4r|i9kdm5t%4NB^uF*K}=#1 zn>fTJ9`Q*)LK2afBqSvn$w@&^$tANl!@ z0u-bWg(*T&icy>rl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGzt zn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs} z8N*n{F`fxbWD=8^!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZV zWD}d&!dAAiogM6C7rWWRUiPt{01j}FLmcJ^M>)oEPH>V_oaPK?ImdY}aFI(~<_cH2 z#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi z4}bYbp!5C{m>>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9c zm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H|uj{+2=5QQm1QHoKV z5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB z+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1 znZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4 zWEZ>H!(R5Wp8yVUkV72i2uC@_aZYfOQ=H}uXF11tE^v`cT;>W_xyE&FaFbiy<_>qc z$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QN1zM-6PO?b zB^bd8K}bRonlOYV9N~#TL?RKHC`2V1(TPD!ViB7-#3df_NkBppk(eYTB^k*{K}u4Q znlz*(9qGwHMlz9^EMz4c*~vjpa*>-nF`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7Z1A zaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y8Kt?i= znJi=_8`;T0PI8f(Jme)G`T36m6r>P^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^) z8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?= z`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUj zS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ;4seh|9Oei|ImU5L zaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo z$9q2TkxzW)3t#!hcYg4bU;O3|fB8qCOa2p>AOs~C!3jY~LJ^uUge4r|i9kdm5t%4N zB^uF*K}=#1n>fTJ9`Q*)LK2afBqSvn$w@&^$tANl!@0u-bWg(*T&icy>rl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv z1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SsgigBik5 zhB2HGjARs}8N*n{F`fxbWD=8^!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6d zS;Jb^v7QZVWD}d&!dAAiogM6C7rWWRUiPt{01j}FLmcJ^M>)oEPH>V_oaPK?ImdY} zaFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll> z#&>@3lVAMi4}bYbpv(Rfm>>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~ zB_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H|uj{+2= z5QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A7 z7PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k z#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg z*}_(~v7H_4WEZ>H!(R5Wp8yVUkV72i2uC@_aZYfOQ=H}uXF11tE^v`cT;>W_xyE&F zaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}Q zN1!YI6PO?bB^bd8K}bRonlOYV9N~#TL?RKHC`2V1(TPD!ViB7-#3df_NkBppk(eYT zB^k*{K}u4Qnlz*(9qGwHMlz9^EMz4c*~vjpa*>-nF`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a z*~4D;v7Z1AaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y8Kt?i=nJi=_8`;T0PI8f(Jme)G`T36m6r>P^DMC?-QJfN#q!gtoLs`mEo(fc? z5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i z9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO z<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ;4seh| z9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I z@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8qCYyK0MAOs~C!3jY~LJ^uUge4r| zi9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*)LK2afBqSvn$w@&^$tANl!@0u-bWg(*T&icy>rl%y1;DMMMxQJxA^q!N{>LRG3!of_1n z7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX z0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ zma&`_tYj6dS;Jb^v7QZVWD}d&!dAAiogM6C7rWWRUiPt{01j}FLmcJ^M>)oEPH>V_ zoaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M` z@R3h^<_ll>#&>@3lVAMi4}bYbpzHn>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0 zi9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^ zB_H|uj{+2=5QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf z5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_ z5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ z*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp8yVUkV72i2uC@_aZYfOQ=H}uXF11tE^v`c zT;>W_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC z@RMKs<_~}QN1z-26PO?bB^bd8K}bRonlOYV9N~#TL?RKHC`2V1(TPD!ViB7-#3df_ zNkBppk(eYTB^k*{K}u4Qnlz*(9qGwHMlz9^EMz4c*~vjpa*>-nF`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuv zwy~WZ>|__a*~4D;v7Z1AaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z z+~y8Kt?i=nJi=_8`;T0PI8f(Jme)G`T36m6r>P^DMC?-QJfN#q!gto zLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R z6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV z8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D z_OYJ;4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMy zJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8qCTmBQ6AOs~C!3jY~ zLJ^uUge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*)LK2afBqSvn$w@&^$tANl!@0u-bWg(*T&icy>rl%y1;DMMMxQJxA^q!N{> zLRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb0 z7rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^!c?X)of*tz7PFbdT;?&K z1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZVWD}d&!dAAiogM6C7rWWRUiPt{01j}FLmcJ^ zM>)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAv zyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbpxgcvm>>it7{LiaNJ0^sFoY!>;fX** zA`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf z$w5wXk()f^B_H|uj{+2=5QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQ zLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH z5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot z6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp8yVUkV72i2uC@_aZYfOQ=H}u zXF11tE^v`cT;>W_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxG zeC7*Z`NnsC@RMKs<_~}QN1!|Y6PO?bB^bd8K}bRonlOYV9N~#TL?RKHC`2V1(TPD! zViB7-#3df_NkBppk(eYTB^k*{K}u4Qnlz*(9qGwHMlz9^EMz4c*~vjpa*>-nF`or2WD$#5!cvy8oE5BO6{}gpTGp|i z4Qyl+o7uuvwy~WZ>|__a*~4D;v7Z1AaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p( zSGmS@Zg7)Z+~y8Kt?i=nJi=_8`;T0PI8f(Jme)G`T36m6r>P^DMC?- zQJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1c zLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W83 z5|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O7 z9qeQmyV=8D_OYJ;4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUj zce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8qCd;Sxc zAOs~C!3jY~LJ^uUge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*)LK2afBqSvn$w@&< zQjwZ8q$M5c$v{Rjk(n%HB^%kvK~8d!n>^$tANl#8VS3mC0ssI2*2}hS+qP}nwr$(C zZQHhO+pZn<3Cl-*3Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZv zb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C8 z3}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf! zu##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>! z$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW) z3t#!hcYg4bU;O3|fB8p%`~DMQjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N) zehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}g zO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05 zjAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2 z#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi z4}bYbfCv5)kU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={H zkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GI zaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc z$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}UX^6Ocdz zCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=t zc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUV zUFk-5deDAZhTiM2TcCeFO>}C&p*~fkk zaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=Y zCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`l zkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_ zb!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799 zed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J- zEM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5L zaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo z$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%$Nm$LKm;ZTK?z21LJ*QrgeDAO2}gJ$5Rphk zCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+L zlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$V zeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UH zLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY} zaFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll> z#&>@3lVAMi4}bYbfG7SFkU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KM zCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)W zkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&F zaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}Q zM}VjP6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3| zl2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**h zdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO z>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoS zCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnx zkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0( zcY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh| z9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I z@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%=l&CrKm;ZTK?z21LJ*QrgeDAO z2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJe zCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dX zlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJ ze+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3s zOIgNpR)oEPH>V_ zoaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M` z@R3h^<_ll>#&>@3lVAMi4}bYbfEWG~kU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MR ziAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{G zCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC z@RMKs<_~}QM}U|96OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}L ziAQ`AkdQ@0t zrU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%w zl2){)4Q**hdpgjOPIRUVUFk-5deDAZh zTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+- zNk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!V zrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZ zkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJ zbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>EL zd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMy zJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%*ZvcbKm;ZTK?z21 zLJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk% zNk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1Vh zrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9 zlV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5u zd={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAv zyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfH(dVkU#_`2tf%(a6%B0P=qE7VF^cg zA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w) z$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz| zkUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxG zeC7*Z`NnsC@RMKs<_~}QM}W8f6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$ zVi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zzn zrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p( zSGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK z5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8 zDMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cP zrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_% zkx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7 zc6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUj zce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%_x=-* zKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X> zQjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2 zDMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7b zrVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*d zlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^U zPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfDir?kU#_`2tf%(a6%B0 zP=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+V zGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*D zrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8 zZ+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}Uw16OcdzCI~?ZMsPw9l2C*u3}FdJcp?yy zNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~ zsYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pV zc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*b zSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n9 z3Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^Pnn zX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P> zW(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9guf zkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(t zb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3| zfB8p%&;ApTKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5 zL?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYyc zN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APh zX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2 zW(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7 zeID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfG_?NkU#_` z2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0z zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;( zb6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}V*X6OcdzCI~?ZMsPw9l2C*u z3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdG zYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$? zl2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=) z3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xD zT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v z8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J z8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1* zW({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPr zkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!h zcYg4bU;O3|fB8p%@BR~zKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i z4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^K zLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7R zTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD z8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFR zlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYb zfFJ%7kU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV z2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5< zQk13)WhqB_Do~M1RHh15sYZ2bP?K8JrVe$fM|~R5kVZ772~BB6b6U`nRY(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~ zkVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}VLH6OcdzCI~?Z zMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tm zN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5 zdeDAZhTiM2TcCeFO>}C&p*~fkkaF9bB z<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ- zM|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ z3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$P zTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk z1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^Hy zS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD; z<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2T zkxzW)3t#!hcYg4bU;O3|fB8p%-~JPjKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrB zMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E` z4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^ zMl_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?! zMlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~ z<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3 zlVAMi4}bYbfIt2dkU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3l zM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu z2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy z<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}WWn z6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW z3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjO zPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p z*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y82 z5Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvx zM|v`lkxXPJ3t7oVc5;xDT;wJXdH-{C4@`h7OBg`cwr$(qyS8oHwr$(CZQHhO+wat? zq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w z@Re_T=LbLe#c%%bmw#CO|Gxrx1||qW2}W>25Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*b zSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdHIig zYE-8NHK|2y>QI+@)TaRrX+&e1 z(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob| z#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW z0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0Q zYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP z{_vN71PB<=9WX#30uzLw1S2>h2uUbH6Na#aBRmm^NF*W?g{VX$Ix&bzEMgOfxWpqq z2}npH5|f0aBqKQ~NJ%PElZLdUBRv_&NG39qg{)*FJ2}WnE^?EHy!=N#@>76<6rwOi zC`vJkQ-YF|qBLbFOF7C@fr?b3GF7NbHL6pCn$)5;b*M`{>eGORG@>z0Xi77h(}I?? zqBU)3OFP=rfsS;dGhOIPH@eeEMhTBSjsY%vx1eZVl``6%R1JxfsJfpGh5io zHny{ao$O*ad)Ui9_H%%P9O5uXILa}ObApqc;xuPC%Q?<-fs0(?GFQ0DHLi1mo800y zceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIRGhg`1H@@?OpZwxCfB4HkEc^fg z2}EFm5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3#3um>Nkn3jkd$O3 zCj}`@0trU*qTMsZ3|l2VkW z3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjO zPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p z*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y8F-b^DGLn;ml%ygxX-G>t z(vyLVWFj+J$VxV{lY^Y(A~$)+%YWn}KLsdAAqrE3q7hfil%qTqs7NI$ zQ-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5 zNiTZShraZqKLZ%ZAO&aK$t-3whq=sS zJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLlxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEA zV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~A zhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{KLF-b^DGLn;ml%ygxX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+ z%YWn}KLsdAAqrE3q7hfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{ zBO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLlxi$tXrMhOvxe zJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$ zt!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|y zZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{KF=H zfPe%dFhK}PFoF|;kc1*MVF*h&!V`grL?SX#h)Oh~6N8wF-b^D zGLn;ml%ygxX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+%YWn}KLsdAAqrE3q7hfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8 z=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%Y zhrR4$KLlxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm z%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILm zbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q z$tzy-hPS-qJsKlsTne)EUF{KMgXfPe%dFhK}PFoF|;kc1*MVF*h& z!V`grL?SX#h)Oh~6N8wF-b^DGLn;ml%ygxX-G>t(vyLVWFj+J z$VxV{lY^Y(A~$)+%YWn}KLsdAAqrE3q7hfil%qTqs7NI$Q-!KjqdGOH zNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZq zKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiR zr7UAPD_F@YR>(8$u4%YhrR4$KLlxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT} zhPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujg zB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJs zKlsTne)EUF{6kS+fPe%dFhK}PFoF|;kc1*MVF*h&!V`grL?SX#h)Oh~6N8wF-b^DGLn;ml%ygxX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+%YWn}KLsdA zAqrE3q7hfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5D zEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLlxi$tXrMhOvxeJQJA6BqlS3 zsZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uC zcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnE zc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{6jH+fPe%dFhK}P zFoF|;kc1*MVF*h&!V`grL?SX#h)Oh~6N8wF-b^DGLn;ml%ygx zX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+%YWn}KLsdAAqrE3q7hfil%qTq zs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{d zqdPt5NiTZShraZqKLZ%ZAO&aK$t-3w zhq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLlxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4 zvxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc z$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-q zJsKlsTne)EUF{6iC8fPe%dFhK}PFoF|;kc1*MVF*h&!V`grL?SX# zh)Oh~6N8wF-b^DGLn;ml%ygxX-G>t(vyLVWFj+J$VxV{lY^Y( zA~$)+%YWn}KLsdAAqrE3q7hfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0G zJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@Y zR>(8$u4%YhrR4$KLlxi$tXrM zhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_ zCN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwc zH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF z{6q78fPe%dFhK}PFoF|;kc1*MVF*h&!V`grL?SX#h)Oh~6N8w zF-b^DGLn;ml%ygxX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+%YWn}KLsdAAqrE3q7hfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKM zw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8 z$u4%YhrR4$KLlxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmON zW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L% zILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27 z<2f&Q$tzy-hPS-qJsKlsTne)EUF{6lC@fPe%dFhK}PFoF|;kc1*M zVF*h&!V`grL?SX#h)Oh~6N8wF-b^DGLn;ml%ygxX-G>t(vyLV zWFj+J$VxV{lY^Y(A~$)+%YWn}KLsdAAqrE3q7hfil%qTqs7NI$Q-!Kj zqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZS zhraZqKLZ%ZAO&aK$t-3whq=sSJ_}gL zA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLE1R^j&2ud)56M~S0A~azLOE|(4frvyR zGEs<1G@=uOn8YGBafnMi;*)@cBqA|MNJ=u2lY*3_A~k79OFGh%fsAA#Gg-(=HnNk0 zoa7=mdC1Fulxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W z$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aG zJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{6kn@fPe%dFhK}PFoF|;kc1*MVF*h&!V`grL?SX#h)Oh~6N8w< zA~tb|OFZI}fP^F>F-b^DGLn;ml%ygxX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+%YWn} zKLsdAAqrE3q7hfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$ zrZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLlxi$tXrMhOvxeJQJA6 zBqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gE zJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb z+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{6k1@fPe%d zFhK}PFoF|;kc1*MVF*h&!V`grL?SX#h)Oh~6N8wF-b^DGLn;m zl%ygxX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+%YWn}KLsdAAqrE3q7hfi zl%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK z$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$ zKLlxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+a zSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD z<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy- zhPS-qJsKlsTne)EUF{6jc@fPe%dFhK}PFoF|;kc1*MVF*h&!V`gr zL?SX#h)Oh~6N8wF-b^DGLn;ml%ygxX-G>t(vyLVWFj+J$VxV{ zlY^Y(A~$)+%YWn}KLsdAAqrE3q7hfil%qTqs7NI$Q-!KjqdGOHNiAwq zhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%Z zAO&aK$t-3whq=sSJ_}gLA{MiRr7UAP zD_F@YR>(8$u4%YhrR4$KLNkn3jkd$O3Cj}`@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zzn zrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p( zSGmS@Zg7)Z+~y8`P7Goai`c{=F7b#@ z0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFaME`{1l)dg(yrB zic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!e zXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~ zU?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet? zjqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7+W1GxeO zBoKiKLQsMcoDhU06rl-2Si%vW2t*_jk%>Z7q7j`K#3UB6i9=lC5uXGkBoT>8LQ;~E zoD`%a6{$%>TGEl83}hq|naM&{vXPw}=yOIp#IHngQ3?dd>A zI?r62tnz(58um>~>h7{eLCNJcT5F^pv#;I&HLPVF>)F6YHnEv4Y-JnU*}+bBv70^Y zWgq)Fz(Edim?IqJ7{@umNltN^Go0ld=efW|E^(PFT;&?qxxr0tahp5bh z2uUbH6Na#aBRmm^NF*W?g{VX$Ix&bzEMgOfxWpqq2}npH5|f0aBqKQ~NJ%PElZLdU zBRv_&NG39qg{)*FJ2}WnE^?EHy!=N#@>76<6rwOiC`vJkQ-YF|qBLbFOF7C@fr?b3 zGF7NbHL6pCn$)5;b*M`{>eGORG@>z0Xi77h(}I??qBU)3OFP=rfsS;dGhOIPH@ee< zp7f$OedtR+`ZIum3}P@t7|Jk)GlG$fVl-nI%Q(g}fr(6FGEEMhTBSjsY%vx1eZVl``6%R1JxfsJfpGh5ioHny{ao$O*ad)Ui9_H%%P9O5uX zILa}ObApqc;xuPC%Q?<-fs0(?GFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L^MaSW z;x%u0%RAolfscIRGhg`1H@@?OpZwxCfB4Hk4B`wBkU#_`2tf%(a6%B0P=qE7VF^cg zA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w) z$wqc^kds{GCJ%Y}k9_2(00k*TVTw?cViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2t zMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3Ngq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS z`NU_w@Re_T=LbLe#c%%bmwy<-8z3No2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1 z=)@osX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4 zbfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2 zF`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H z!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67Z7q7j`K#3UB6i9=lC5uXGkBoT>8LQ;~EoD`%a6{$%> zTGEl83}hq|naM&{vXPw} zF`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7ZAR{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q` zOct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22( zCbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad z{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GO zma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv< zIL#T(a*p#{;3Ai}%oVP3jqBXtCbziF9qw|E`#j(wk9f=zp7M<6yx=9Tc+DH$@{ad> z;3J>-%oo1$jqm*6C%^d3AO7->015pkAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis z5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g z5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhU zC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S= z@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2 zwz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+ zxXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a(C z{U;!S2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn* zBc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb z>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZ zc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9iN&F`ufe1_xf)b42 zgdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2j zl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1 zOckn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcI zC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q z`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g; zj&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->07?BPAb|)>5P}kn;DjI~p$JVF!V-?~ zL?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW z_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQD zOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6 zB%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo z^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lo zu5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q z_{|^w@{a(?{U;!S2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3zn zO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)j zB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6 z?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9iDf}lO zfe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(% zq#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4 zQjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2= zOc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_ zCbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2 z{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->04e<^Ab|)>5P}kn;DjI~ zp$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH z-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q} zQjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S z%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCg zC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N! z^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrd zzVeOl{NN|Q_{|^w@{a(i{U;!S2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@o< zv4~9^;u4SeBp@M)NK6uvl8oe}ASJ0tO&ZdYj`U<8Bbmrd7P69!?BpOPxyVf(@{*7I z6rdo5C`=KGQjFr1pd_UzO&Q8kj`CEXB9*926{=E=>eQenwWv)U>QayTG@v1kXiO8D z(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$ z%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4` z{_>9iY5XT3fe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9 ziAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z? zl%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1 z(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4 z%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7U zC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0BQXvAb|)> z5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n z=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W z)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE` z(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG z%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c( zB&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc z_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a)N{U;!S2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp z6rvK1=)@oeQenwWv)U>QayT zG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alc zGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1 z@BH8=zxd4`{_>9i8T=<8fe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W3 z9O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)d zg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEs zw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^Q zGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@ z%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7-> z02%!!Ab|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E## z5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNA zm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA z^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsK zGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M z%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=I zC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a(S{U;!S2uu)y5{%%4AS9s(O&G!w zj_^bvB9Vwp6rvK1=)@oeQen zwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd7 z3}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZ zvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`v zBcJ%p7rye1@BH8=zxd4`{_>9iS^Os;fe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbIL zjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ? z9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+ zjc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!d zj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&N zvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6 zC%^d3AO7->09pMfAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9 zkN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{H zCm?|cOb~(+jNpVIB%ugR7{U^c@I)XYk%&wbq7seh#2_ZIh)o>g5|8*KAR&oJOcIik zjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{l zo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD` z%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gH zvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA z%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a)7{U;!S2uu)y5{%%4 zAS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1 zz35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@ zEMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk z%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9iIs7Lefe1_xf)b42gdilL2u&Em5{~dh zAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_| zjqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d z9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFs zgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fH ztY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>- z%oo1$jqm*6C%^d3AO7->06G09Ab|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ zASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*K zAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p z8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SM zlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w z>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5z za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a(y{U;!S z2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13> z7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jz zvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-? z@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9idHg3Jfe1_xf)b42gdilL z2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*Fb zAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9 zjq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!R zANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@| zi&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9S zoZuv;3J>-%oo1$jqm*6C%^d3AO7->0D1i5P}kn;DjI~p$JVF!V-?~L?9xO zh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8Q3Jl%*Wy zsX#?4QJE@Kr5e?#K}~8=n>y5`9`$KJLmJVTCN!lP&1pePTG5&|w51*G=|D$1(U~rE zr5oMpK~H+on?CfVAN?7?Kn5|GAq-_0!x_OyMlqT(jAb0-nZQIQF_|e$Wg63&!Axc` zn>oy79`jkiLKd-@B`jqb%UQunR$y!A)*)n>*a)9`|{`Lmu&%Cp_gD z&w0U1Uh$eYyyYG5`M^g$@tH4t>it7{LiaNJ0^s zFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&Gw zGLe}qWF;Hf$w5wXk()f^B_H`IKtT#om?9LV7{w_;NlH=yOIp#IHngQ3?dd>AI? zr62tnz(58um>~>h7{eLCNJcT5F^pv#;I&HLPVF>)F6YHnEv4Y-JnU*}+bBv70^YWgq)Fz(Edim?IqJ7{@um zNltN^Go0ld=efW|E^(PFT;&?qxxr0tahp5b5{l4-AuQntPXrvz-t?g_{pimC1~Q1j z3}Gn47|sYrGK$fRVJzbq&jcniiOEc1D$|(G3}!Nm+00=s^O(;97P5%NEMY0jSk4Mo zvWnHLVJ+)e&jvQKiOp`P7Goa zi`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw% z0SZ!x!W5w>#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR z&1g;wTGEQvw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00uIM!3<$2!x+v8Mly=g zjA1O}7|#SIGKtAdVJg#@&J1QUi`mR!F7uer0v57}#Vlbd%UI3|R zh{PlzDalAq3R04a)TALT=}1ooGLnhRWFafr$W9J&l8fBrAusvJPXP*2h{6=1D8(pF z2})9m(v+brs7?)PQj6Nup)U2PPXij#h{iObDa~k33tG~O*0iB5 z?PyO2I?{>GbfGKV=uQuM(u>~op)dXD&j1E8h`|hDD8m@e2u3oB(Trg%;~38bCNhc1 zOkpb1n9dAlGK<;FVJ`ES&jJ>*h{Y^nDa%;S3Rbd;)vRGH>sZeQHnNG$Y+)*>T;VF$xXul3a*NyC;V$>M z&jTLvh{rtPDbIM$3tsYy*Sz5^?|9D#KJtmreBmqK_|6Z0@{8a6;V=IPP}qM05{SSA zAt=EJP6$F0iqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7P6|?z ziqxbbE$K*41~QU~%w!=e*~m@~a*~VODP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G z-RMpadeV#D^r0{P=+6KKGKj$pVJO2G&Im>_iqVW=EaMo@1ST?x$xLA?)0oZ-W-^P} z%waC`n9l+hvWUejVJXX4&I(qtiq))PE$dj%1~#&Z&1_*S+t|(ycCw4z>|rna*v|nD za)`qm;V8#A&IwL(iqo9oEay1S1uk-l%Ut0q*SO9NZgPv;+~F?wxX%L~@`%Sg;VI8} z&I?}hir2j1E$?{G2R`zN&wSx4-}ufCe)5ao{NXSE2vEd-0uqS81R*HF2u=t>5{l4- zAuQntPXrvz-t?g_ z{pimC1~Q1j3}Gn47|sYrGK$fRVJzbq&jcniiOEc1D$|(G3}!Nm+00=s^O(;97P5%N zEMY0jSk4MovWnHLVJ+)e&jvQKiOp`P7Goai`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRC zi`?WPFZsw%0SZ!x!W5w>#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES z0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00uIM!3<$2 z!x+v8Mly=gjA1O}7|#SIGKtAdVJg#@&J1QUi`mR!F7uer0v57}#Vlbd%UI3|Rh{PlzDalAq3R04a)TALT=}1ooGLnhRWFafr$W9J&l8fBrAusvJPXP*2 zh{6=1D8(pF2})9m(v+brs7?)PQj6Nup)U2PPXij#h{iObDa~k3 z3tG~O*0iB5?PyO2I?{>GbfGKV=uQuM(u>~op)dXD&j1E8h`|hDD8m@e2u3oB(Trg% z;~38bCNhc1Okpb1n9dAlGK<;FVJ`ES&jJ>*h{Y^nDa%;S3Rbd;)vRGH>sZeQHnNG$ zY+)*>T;VF$xXul3 za*NyC;V$>M&jTLvh{rtPDbIM$3tsYy*Sz5^?|9D#KJtmreBmqK_|6Z0@{8a6;V=IP zP~3k45{SSAAt=EJP6$F0iqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44 zAt}j7P6|?ziqxbbE$K*41~QU~%w!=e*~m@~a*~VODP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe z2RhP;&UB$G-RMpadeV#D^r0{P=+6KKGKj$pVJO2G&Im>_iqVW=EaMo@1ST?x$xLA? z)0oZ-W-^P}%waC`n9l+hvWUejVJXX4&I(qtiq))PE$dj%1~#&Z&1_*S+t|(ycCw4z z>|rna*v|nDa)`qm;V8#A&IwL(iqo9oEay1S1uk-l%Ut0q*SO9NZgPv;+~F?wxX%L~ z@`%Sg;VI8}&I?}hir2j1E$?{G2R`zN&wSx4-}ufCe)5ao{NXSE2vEX*0uqS81R*HF z2u=t>5{l4-AuQntPXrvz-t?g_{pimC1~Q1j3}Gn47|sYrGK$fRVJzbq&jcniiOEc1D$|(G3}!Nm+00=s z^O(;97P5%NEMY0jSk4MovWnHLVJ+)e&jvQKiOp`P7Goai`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@ zAuHL)P7ZRCi`?WPFZsw%0SZ!x!W5w>#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{O zi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax z00uIM!3<$2!x+v8Mly=gjA1O}7|#SIGKtAdVJg#@&J1QUi`mR!F7uer0v57}#Vlbd z%UI3|Rh{PlzDalAq3R04a)TALT=}1ooGLnhRWFafr$W9J&l8fBr zAusvJPXP*2h{6=1D8(pF2})9m(v+brs7?)PQj6Nup)U2PPXij# zh{iObDa~k33tG~O*0iB5?PyO2I?{>GbfGKV=uQuM(u>~op)dXD&j1E8h`|hDD8m@e z2u3oB(Trg%;~38bCNhc1Okpb1n9dAlGK<;FVJ`ES&jJ>*h{Y^nDa%;S3Rbd;)vRGH z>sZeQHnNG$Y+)*> zT;VF$xXul3a*NyC;V$>M&jTLvh{rtPDbIM$3tsYy*Sz5^?|9D#KJtmreBmqK_|6Z0 z@{8a6;V=IPP}+Y25{SSAAt=EJP6$F0iqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6 zh))6%l8D44At}j7P6|?ziqxbbE$K*41~QU~%w!=e*~m@~a*~VODP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mn ziq^EDE$wJe2RhP;&UB$G-RMpadeV#D^r0{P=+6KKGKj$pVJO2G&Im>_iqVW=EaMo@ z1ST?x$xLA?)0oZ-W-^P}%waC`n9l+hvWUejVJXX4&I(qtiq))PE$dj%1~#&Z&1_*S z+t|(ycCw4z>|rna*v|nDa)`qm;V8#A&IwL(iqo9oEay1S1uk-l%Ut0q*SO9NZgPv; z+~F?wxX%L~@`%Sg;VI8}&I?}hir2j1E$?{G2R`zN&wSx4-}ufCe)5ao{NXSE2vEj< z0uqS81R*HF2u=t>5{l4-AuQntPXrvz-t?g_{pimC1~Q1j3}Gn47|sYrGK$fRVJzbq&jcniiOEc1D$|(G z3}!Nm+00=s^O(;97P5%NEMY0jSk4MovWnHLVJ+)e&jvQKiOp`P7Goai`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-To zNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SZ!x!W5w>#VAe*N>Yl_l%Xu;C{G0{Qi;k` zp(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^(uvM=p)1|!P7iw0 zi{A91Fa7Ax00uIM!3<$2!x+v8Mly=gjA1O}7|#SIGKtAdVJg#@&J1QUi`mR!F7uer z0v57}#Vlbd%UI3|Rh{PlzDalAq3R04a)TALT=}1ooGLnhRWFafr z$W9J&l8fBrAusvJPXP*2h{6=1D8(pF2})9m(v+brs7?)PQj6Nu zp)U2PPXij#h{iObDa~k33tG~O*0iB5?PyO2I?{>GbfGKV=uQuM(u>~op)dXD&j1E8 zh`|hDD8m@e2u3oB(Trg%;~38bCNhc1Okpb1n9dAlGK<;FVJ`ES&jJ>*h{Y^nDa%;S z3Rbd;)vRGH>sZeQHnNG$Y+)*>T;VF$xXul3a*NyC;V$>M&jTLvh{rtPDbIM$3tsYy*Sz5^?|9D#KJtmr zeBmqK_|6Z0@{8a6;V=IPP~Lw65{SSAAt=EJP6$F0iqM21Ea3=G1R@fN$V4G3(TGkA zViJqk#33&6h))6%l8D44At}j7P6|?ziqxbbE$K*41~QU~%w!=e*~m@~a*~VODP6JlYEp~Z)S)i*s80hL(ul@1 zp()L1P77Mniq^EDE$wJe2RhP;&UB$G-RMpadeV#D^r0{P=+6KKGKj$pVJO2G&Im>_ ziqVW=EaMo@1ST?x$xLA?)0oZ-W-^P}%waC`n9l+hvWUejVJXX4&I(qtiq))PE$dj% z1~#&Z&1_*S+t|(ycCw4z>|rna*v|nDa)`qm;V8#A&IwL(iqo9oEay1S1uk-l%Ut0q z*SO9NZgPv;+~F?wxX%L~@`%Sg;VI8}&I?}hir2j1E$?{G2R`zN&wSx4-}ufCe)5ao z{NXSE2vEU)0uqS81R*HF2u=t>5{l4-AuQntPXrvz-t?g_{pimC1~Q1j3}Gn47|sYrGK$fRVJzbq&jcni ziOEc1D$|(G3}!Nm+00=s^O(;97P5%NEMY0jSk4MovWnHLVJ+)e&jvQKiOp`P7Goai`c{=F7b#@0uqvl#3Ugp$w*EL zQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SZ!x!W5w>#VAe*N>Yl_l%Xu; zC{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^(uvM= zp)1|!P7iw0i{A91Fa7Ax00uIM!3<$2!x+v8Mly=gjA1O}7|#SIGKtAdVJg#@&J1QU zi`mR!F7uer0v57}#Vlbd%UI3|Rh{PlzDalAq3R04a)TALT=}1oo zGLnhRWFafr$W9J&l8fBrAusvJPXP*2h{6=1D8(pF2})9m(v+br zs7?)PQj6Nup)U2PPXij#h{iObDa~k33tG~O*0iB5?PyO2I?{>GbfGKV=uQuM(u>~o zp)dXD&j1E8h`|hDD8m@e2u3oB(Trg%;~38bCNhc1Okpb1n9dAlGK<;FVJ`ES&jJ>* zh{Y^nDa%;S3Rbd;)vRGH>sZeQHnNG$Y+)*>T;VF$xXul3a*NyC;V$>M&jTLvh{rtPDbIM$3tsYy*Sz5^ z?|9D#KJtmreBmqK_|6Z0@{8a6;V=IPP}zS15{SSAAt=EJP6$F0iqM21Ea3=G1R@fN z$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7P6|?ziqxbbE$K*41~QU~%w!=e*~m@~ za*~VODP6JlYEp~Z)S)i* zs80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G-RMpadeV#D^r0{P=+6KKGKj$p zVJO2G&Im>_iqVW=EaMo@1ST?x$xLA?)0oZ-W-^P}%waC`n9l+hvWUejVJXX4&I(qt ziq))PE$dj%1~#&Z&1_*S+t|(ycCw4z>|rna*v|nDa)`qm;V8#A&IwL(iqo9oEay1S z1uk-l%Ut0q*SO9NZgPv;+~F?wxX%L~@`%Sg;VI8}&I?}hir2j1E$?{G2R`zN&wSx4 z-}ufCe)5ao{NXSE2vEg;0uqS81R*HF2u=t>5{l4-AuQntPXrvz-t?g_{pimC1~Q1j3}Gn47|sYrGK$fR zVJzbq&jcniiOEc1D$|(G3}!Nm+00=s^O(;97P5%NEMY0jSk4MovWnHLVJ+)e&jvQK ziOp`P7Goai`c{=F7b#@0uqvl z#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SZ!x!W5w>#VAe* zN>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQvw4p8S zXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00uIM!3<$2!x+v8Mly=gjA1O}7|#SIGKtAd zVJg#@&J1QUi`mR!F7uer0v57}#Vlbd%UI3|Rh{PlzDalAq3R04a z)TALT=}1ooGLnhRWFafr$W9J&l8fBrAusvJPXP*2h{6=1D8(pF2})9m(v+brs7?)PQj6Nup)U2PPXij#h{iObDa~k33tG~O*0iB5?PyO2I?{>GbfGKV z=uQuM(u>~op)dXD&j1E8h`|hDD8m@e2u3oB(Trg%;~38bCNhc1Okpb1n9dAlGK<;F zVJ`ES&jJ>*h{Y^nDa%;S3Rbd;)vRGH>sZeQHnNG$Y+)*>T;VF$xXul3a*NyC;V$>M&jTLvh{rtPDbIM$ z3tsYy*Sz5^?|9D#KJtmreBmqK_|6Z0@{8a6;V=IPP~Cq55{SSAAt=EJP6$F0iqM21 zEa3=G1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7P6|?ziqxbbE$K*41~QU~ z%w!=e*~m@~a*~VODP6Jl zYEp~Z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G-RMpadeV#D^r0{P z=+6KKGKj$pVJO2G&Im>_iqVW=EaMo@1ST?x$xLA?)0oZ-W-^P}%waC`n9l+hvWUej zVJXX4&I(qtiq))PE$dj%1~#&Z&1_*S+t|(ycCw4z>|rna*v|nDa)`qm;V8#A&IwL( ziqo9oEay1S1uk-l%Ut0q*SO9NZgPv;+~F?wxX%L~@`%Sg;VI8}&I?}hir2j1E$?{G z2R`zN&wSx4-}ufCe)5ao{NXSE2vEa+0uqS81R*HF2u=t>5{l4-AuQntPXrvz-t?g_{pimC1~Q1j3}Gn4 z7|sYrGK$fRVJzbq&jcniiOEc1D$|(G3}!Nm+00=s^O(;97P5%NEMY0jSk4MovWnHL zVJ+)e&jvQKiOp`P7Goai`c{= zF7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SZ!x z!W5w>#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;w zTGEQvw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00uIM!3<$2!x+v8Mly=gjA1O} z7|#SIGKtAdVJg#@&J1QUi`mR!F7uer0v57}#Vlbd%UI3|Rh{Plz zDalAq3R04a)TALT=}1ooGLnhRWFafr$W9J&l8fBrAusvJPXP*2h{6=1D8(pF2})9m z(v+brs7?)PQj6Nup)U2PPXij#h{iObDa~k33tG~O*0iB5?PyO2 zI?{>GbfGKV=uQuM(u>~op)dXD&j1E8h`|hDD8m@e2u3oB(Trg%;~38bCNhc1Okpb1 zn9dAlGK<;FVJ`ES&jJ>*h{Y^nDa%;S3Rbd;)vRGH>sZeQHnNG$Y+)*>T;VF$xXul3a*NyC;V$>M&jTLv zh{rtPDbIM$3tsYy*Sz5^?|9D#KJtmreBmqK_|6Z0@{8a6;V=IPP}_e35{SSAAt=EJ zP6$F0iqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7P6|?ziqxbb zE$K*41~QU~%w!=e*~m@~a*~VODP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G-RMpa zdeV#D^r0{P=+6KKGKj$pVJO2G&Im>_iqVW=EaMo@1ST?x$xLA?)0oZ-W-^P}%waC` zn9l+hvWUejVJXX4&I(qtiq))PE$dj%1~#&Z&1_*S+t|(ycCw4z>|rna*v|nDa)`qm z;V8#A&IwL(iqo9oEay1S1uk-l%Ut0q*SO9NZgPv;+~F?wxX%L~@`%Sg;VI8}&I?}h zir2j1E$?{G2R`zN&wSx4-}ufCe)5ao{NXSE2vEm=0uqS81R*HF2u=t>5{l4-AuQnt zPXrvz-t?g_{pimC z1~Q1j3}Gn47|sYrGK$fRVJzbq&jcniiOEc1D$|(G3}!Nm+00=s^O(;97P5%NEMY0j zSk4MovWnHLVJ+)e&jvQKiOp` zP7Goai`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WP zFZsw%0SZ!x!W5w>#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ z#x$WR&1g;wTGEQvw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00uIM!3<$2!x+v8 zMly=gjA1O}7|#SIGKtAdVJg#@&J1QUi`mR!F7uer0v57}#Vlbd%UI3|Rh{PlzDalAq3R04a)TALT=}1ooGLnhRWFafr$W9J&@;}4$kN}1O006A3ZQHhO z+qP}nwr$(CZQHip<&Y;N7rDtpUhrl%y1;DMMMxQJxA^q!N{> zLRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb0 z7rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^!c?X)of*tz7PFbdT;?&K z1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZVWD}d&!dAAiogM6C7rWWRUiPt{103WKhdIJg zj&Yn5oa7XzIm21bah?lYUG8z82R!5vk9opVp7ER)yyO+H zdBa=Y@tzNS~-sYydx(vhAFWF!-r$wF4L zk)0gmBp12KLtgTcp8^!55QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQ zLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH z5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot z6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^5QjO!QI2t(6P)A}r#Zt} z&T*a#T;vj$xx!Vhah)67eQenwWv)U>QayTG@v1k zXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}Gj zU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8= zzxd4`{_>9i4gDt|fe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p> z_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrB zic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!e zXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~ zU?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet? zjqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0FC@7 zAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP z> z6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV= zs#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob z=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKz zU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=q zjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR z8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a&b{3jrR2uu)y5{%%4AS9s(O&G!wj_^bv zB9Vwp6rvK1=)@oeQenwWv)U z>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG z7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@d zU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p z7rye1@BH8=zxd4`{_>9iP5mbzfe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6 zCb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp z{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800 zn$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A z7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^ zU?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3 zAO7->0L}a-Ab|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}Y zA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&s zC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;## zy3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7 zn9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7 z;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpS zjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a&5{3jrR2uu)y5{%%4AS9s( zO&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ z`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsv zSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkG zj`w`vBcJ%p7rye1@BH8=zxd4`{_>9iE&V4Tfe1_xf)b42gdilL2u&Em5{~dhAR>{7 zOcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzg zC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk# z`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*Z zhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9Up zSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$ zjqm*6C%^d3AO7->0ImEdAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVh zO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJ zOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2 z_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmD zrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm z*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w z;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a&*{3jrR2uu)y z5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o z?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s z<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a z;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9iZT%-8fe1_xf)b42gdilL2u&Em z5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q` zOct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22( zCbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad z{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GO zma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv< zIL#T(a*p#{;3Ai}%oVP3jqBXtCbziF9qw|E`#j(wk9f=zp7M<6yx=9Tc+DH$@{ad> z;3J>-%oo1$jqm*6C%^d3AO7->0PXxIAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis z5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g z5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhU zC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S= z@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2 zwz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+ zxXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a%= z{3jrR2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn* zBc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb z>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZ zc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9i9sMUDfe1_xf)b42 zgdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2j zl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1 zOckn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcI zC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q z`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g; zj&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0G<3NAb|)>5P}kn;DjI~p$JVF!V-?~ zL?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW z_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQD zOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6 zB%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo z^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lo zu5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q z_{|^w@{a&r{3jrR2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3zn zO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)j zB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6 z?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9iUHvB@ zfe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(% zq#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4 zQjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2= zOc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_ zCbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2 z{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0Nwm2Ab|)>5P}kn;DjI~ zp$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH z-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q} zQjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S z%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCg zC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N! z^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrd zzVeOl{NN|Q_{|^w@{a&L{3jrR2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@o< zv4~9^;u4SeBp@M)NK6uvl8oe}ASJ0tO&ZdYj`U<8Bbmrd7P69!?BpOPxyVf(@{*7I z6rdo5C`=KGQjFr1pd_UzO&Q8kj`CEXB9*926{=E=>eQenwWv)U>QayTG@v1kXiO8D z(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$ z%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4` z{_>9iJ^d#jfe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9 ziAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z? zl%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1 z(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4 z%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7U zC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0KNPtAb|)> z5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n z=e*!0uXxQH-tvz3eBdLW_{>Cm?|cOb~(+jNpVIB%ugR z7{U^c@I)XYk%&wbq7seh#2_ZIh)o>g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W z)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE` z(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG z%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c( zB&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc z_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a(0{3jrR2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp z6rvK1=)@oeQenwWv)U>QayT zG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alc zGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1 z@BH8=zxd4`{_>9ief=jOfe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W3 z9O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)d zg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEs zw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^Q zGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@ z%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7-> z0R8+YAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E## z5|WaPx@xPI8f(Jme)G`6)m_3Q?FM6r~u&DM3j}QJON8r5xp{Kt(E1nJQGJ8r7*m zO=?k_I@F~e^=Uvu8qt_0G^H8MX+cX`(V8~2r5)|*Ku0>!nJ#pt8{O$aPkPatKJ=v@ z{TaYO1~Hf+3}qO@8NoS|UJKW_S_j$lW9`TqbJmneBdBICw@tQZhfTJ9`Q*)LK2afBqSvn$w@&^$tANeUjK?+frA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?#K}~8=n>y5`9`$KJ zLmJVTCN!lP&1pePTG5&|w51*G=|D$1(U~rEr5oMpK~H+on?CfVAN?7?Kn5|GAq-_0 z!x_OyMlqT(jAb0-nZQIQF_|e$Wg63&!Axc`n>oy79`jkiLKd-@B`jqb%UQunR$y!A)*)n>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5`M^g$@tH4tDP6JlYEp~Z)S)i*s80hL(ul@1p()L1 zP77Mniq^EDE$wJe2RhP;&UB$G-RMpadeV#D^r0{P=+6KKGKj$pVJO2G&Im>_iqVW= zEaMo@1ST?x$xLA?)0oZ-W-^P}%waC`n9l+hvWUejVJXX4&I(qtiq))PE$dj%1~#&Z z&1_*S+t|(ycCw4z>|rna*v|nDa)`qm;V8#A&IwL(iqo9oEay1S1uk-l%Ut0q*SO9N zZgPv;+~F?wxX%L~@`%Sg;VI8}&I?}hir2j1E$?{G2R`zN&wSx4-}ufCe)5ao{NXSE z2r$rp0uqS81R*HF2u=t>5{l4-AuQntPXrvz-t?g_{pimC1~Q1j3}Gn47|sYrGK$fRVJzbq&jcniiOEc1 zD$|(G3}!Nm+00=s^O(;97P5%NEMY0jSk4MovWnHLVJ+)e&jvQKiOp`P7Goai`c{=F7b#@0uqvl#3Ugp$w*ELQj&_) zq#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SZ!x!W5w>#VAe*N>Yl_l%Xu;C{G0{ zQi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^(uvM=p)1|! zP7iw0i{A91Fa7Ax00uIM!3<$2!x+v8Mly=gjA1O}7|#SIGKtAdVJg#@&J1QUi`mR! zF7uer0v57}#Vlbd%UI3|Rh{PlzDalAq3R04a)TALT=}1ooGLnhR zWFafr$W9J&l8fBrAusvJPXP*2h{6=1D8(pF2})9m(v+brs7?)P zQj6Nup)U2PPXij#h{iObDa~k33tG~O*0iB5?PyO2I?{>GbfGKV=uQuM(u>~op)dXD z&j1E8h`|hDD8m@e2u3oB(Trg%;~38bCNhc1Okpb1n9dAlGK<;FVJ`ES&jJ>*h{Y^n zDa%;S3Rbd;)vRGH>sZeQHnNG$Y+)*>T;VF$xXul3a*NyC;V$>M&jTLvh{rtPDbIM$3tsYy*Sz5^?|9D# zKJtmreBmqK_|6Z0@{8a6;V=IPFvNcX5{SSAAt=EJP6$F0iqM21Ea3=G1R@fN$V4G3 z(TGkAViJqk#33&6h))6%l8D44At}j7P6|?ziqxbbE$K*41~QU~%w!=e*~m@~a*~VO zDP6JlYEp~Z)S)i*s80hL z(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G-RMpadeV#D^r0{P=+6KKGKj$pVJO2G z&Im>_iqVW=EaMo@1ST?x$xLA?)0oZ-W-^P}%waC`n9l+hvWUejVJXX4&I(qtiq))P zE$dj%1~#&Z&1_*S+t|(ycCw4z>|rna*v|nDa)`qm;V8#A&IwL(iqo9oEay1S1uk-l z%Ut0q*SO9NZgPv;+~F?wxX%L~@`%Sg;VI8}&I?}hir2j1E$?{G2R`zN&wSx4-}ufC ze)5ao{NXSE2r$%t0uqS81R*HF2u=t>5{l4-AuQntPXrvz-t?g_{pimC1~Q1j3}Gn47|sYrGK$fRVJzbq z&jcniiOEc1D$|(G3}!Nm+00=s^O(;97P5%NEMY0jSk4MovWnHLVJ+)e&jvQKiOp`P7Goai`c{=F7b#@0uqvl#3Ugp z$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SZ!x!W5w>#VAe*N>Yl_ zl%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^ z(uvM=p)1|!P7iw0i{A91Fa7Ax00uIM!3<$2!x+v8Mly=gjA1O}7|#SIGKtAdVJg#@ z&J1QUi`mR!F7uer0v57}#Vlbd%UI3|Rh{PlzDalAq3R04a)TALT z=}1ooGLnhRWFafr$W9J&l8fBrAusvJPXP*2h{6=1D8(pF2})9m(v+brs7?)PQj6Nup)U2PPXij#h{iObDa~k33tG~O*0iB5?PyO2I?{>GbfGKV=uQuM z(u>~op)dXD&j1E8h`|hDD8m@e2u3oB(Trg%;~38bCNhc1Okpb1n9dAlGK<;FVJ`ES z&jJ>*h{Y^nDa%;S3Rbd;)vRGH>sZeQHnNG$Y+)*>T;VF$xXul3a*NyC;V$>M&jTLvh{rtPDbIM$3tsYy z*Sz5^?|9D#KJtmreBmqK_|6Z0@{8a6;V=IPFv5QV5{SSAAt=EJP6$F0iqM21Ea3=G z1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7P6|?ziqxbbE$K*41~QU~%w!=e z*~m@~a*~VODP6JlYEp~Z z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G-RMpadeV#D^r0{P=+6KK zGKj$pVJO2G&Im>_iqVW=EaMo@1ST?x$xLA?)0oZ-W-^P}%waC`n9l+hvWUejVJXX4 z&I(qtiq))PE$dj%1~#&Z&1_*S+t|(ycCw4z>|rna*v|nDa)`qm;V8#A&IwL(iqo9o zEay1S1uk-l%Ut0q*SO9NZgPv;+~F?wxX%L~@`%Sg;VI8}&I?}hir2j1E$?{G2R`zN z&wSx4-}ufCe)5ao{NXSE2r$xr0uqS81R*HF2u=t>5{l4-AuQntPXrvz-t?g_{pimC1~Q1j3}Gn47|sYr zGK$fRVJzbq&jcniiOEc1D$|(G3}!Nm+00=s^O(;97P5%NEMY0jSk4MovWnHLVJ+)e z&jvQKiOp`P7Goai`c{=F7b#@ z0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SZ!x!W5w> z#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQv zw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00uIM!3<$2!x+v8Mly=gjA1O}7|#SI zGKtAdVJg#@&J1QUi`mR!F7uer0v57}#Vlbd%UI3|Rh{PlzDalAq z3R04a)TALT=}1ooGLnhRWFafr$W9J&l8fBrAusvJPXP*2h{6=1D8(pF2})9m(v+br zs7?)PQj6Nup)U2PPXij#h{iObDa~k33tG~O*0iB5?PyO2I?{>G zbfGKV=uQuM(u>~op)dXD&j1E8h`|hDD8m@e2u3oB(Trg%;~38bCNhc1Okpb1n9dAl zGK<;FVJ`ES&jJ>*h{Y^nDa%;S3Rbd;)vRGH>sZeQHnNG$Y+)*>T;VF$xXul3a*NyC;V$>M&jTLvh{rtP zDbIM$3tsYy*Sz5^?|9D#KJtmreBmqK_|6Z0@{8a6;V=IPFvfoZ5{SSAAt=EJP6$F0 ziqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7P6|?ziqxbbE$K*4 z1~QU~%w!=e*~m@~a*~VODP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G-RMpadeV#D z^r0{P=+6KKGKj$pVJO2G&Im>_iqVW=EaMo@1ST?x$xLA?)0oZ-W-^P}%waC`n9l+h zvWUejVJXX4&I(qtiq))PE$dj%1~#&Z&1_*S+t|(ycCw4z>|rna*v|nDa)`qm;V8#A z&IwL(iqo9oEay1S1uk-l%Ut0q*SO9NZgPv;+~F?wxX%L~@`%Sg;VI8}&I?}hir2j1 zE$?{G2R`zN&wSx4-}ufCe)5ao{NXSE2r$-v0uqS81R*HF2u=t>5{l4-AuQntPXrvz-t?g_{pimC1~Q1j z3}Gn47|sYrGK$fRVJzbq&jcniiOEc1D$|(G3}!Nm+00=s^O(;97P5%NEMY0jSk4Mo zvWnHLVJ+)e&jvQKiOp`P7Goa zi`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw% z0SZ!x!W5w>#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR z&1g;wTGEQvw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00uIM!3<$2!x+v8Mly=g zjA1O}7|#SIGKtAdVJg#@&J1QUi`mR!F7uer0v57}#Vlbd%UI3|R zh{PlzDalAq3R04a)TALT=}1ooGLnhRWFafr$W9J&l8fBrAusvJPXP*2h{6=1D8(pF z2})9m(v+brs7?)PQj6Nup)U2PPXij#h{iObDa~k33tG~O*0iB5 z?PyO2I?{>GbfGKV=uQuM(u>~op)dXD&j1E8h`|hDD8m@e2u3oB(Trg%;~38bCNhc1 zOkpb1n9dAlGK<;FVJ`ES&jJ>*h{Y^nDa%;S3Rbd;)vRGH>sZeQHnNG$Y+)*>T;VF$xXul3a*NyC;V$>M z&jTLvh{rtPDbIM$3tsYy*Sz5^?|9D#KJtmreBmqK_|6Z0@{8a6;V=IPFu{KU5{SSA zAt=EJP6$F0iqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7P6|?z ziqxbbE$K*41~QU~%w!=e*~m@~a*~VODP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G z-RMpadeV#D^r0{P=+6KKGKj$pVJO2G&Im>_iqVW=EaMo@1ST?x$xLA?)0oZ-W-^P} z%waC`n9l+hvWUejVJXX4&I(qtiq))PE$dj%1~#&Z&1_*S+t|(ycCw4z>|rna*v|nD za)`qm;V8#A&IwL(iqo9oEay1S1uk-l%Ut0q*SO9NZgPv;+~F?wxX%L~@`%Sg;VI8} z&I?}hir2j1E$?{G2R`zN&wSx4-}ufCe)5ao{NXSE2r$uq0uqS81R*HF2u=t>5{l4- zAuQntPXrvz-t?g_ z{pimC1~Q1j3}Gn47|sYrGK$fRVJzbq&jcniiOEc1D$|(G3}!Nm+00=s^O(;97P5%N zEMY0jSk4MovWnHLVJ+)e&jvQKiOp`P7Goai`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRC zi`?WPFZsw%0SZ!x!W5w>#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES z0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00uIM!3<$2 z!x+v8Mly=gjA1O}7|#SIGKtAdVJg#@&J1QUi`mR!F7uer0v57}#Vlbd%UI3|Rh{PlzDalAq3R04a)TALT=}1ooGLnhRWFafr$W9J&l8fBrAusvJPXP*2 zh{6=1D8(pF2})9m(v+brs7?)PQj6Nup)U2PPXij#h{iObDa~k3 z3tG~O*0iB5?PyO2I?{>GbfGKV=uQuM(u>~op)dXD&j1E8h`|hDD8m@e2u3oB(Trg% z;~38bCNhc1Okpb1n9dAlGK<;FVJ`ES&jJ>*h{Y^nDa%;S3Rbd;)vRGH>sZeQHnNG$ zY+)*>T;VF$xXul3 za*NyC;V$>M&jTLvh{rtPDbIM$3tsYy*Sz5^?|9D#KJtmreBmqK_|6Z0@{8a6;V=IP zFvWiY5{SSAAt=EJP6$F0iqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44 zAt}j7P6|?ziqxbbE$K*41~QU~%w!=e*~m@~a*~VODP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe z2RhP;&UB$G-RMpadeV#D^r0{P=+6KKGKj$pVJO2G&Im>_iqVW=EaMo@1ST?x$xLA? z)0oZ-W-^P}%waC`n9l+hvWUejVJXX4&I(qtiq))PE$dj%1~#&Z&1_*S+t|(ycCw4z z>|rna*v|nDa)`qm;V8#A&IwL(iqo9oEay1S1uk-l%Ut0q*SO9NZgPv;+~F?wxX%L~ z@`%Sg;VI8}&I?}hir2j1E$?{G2R`zN&wSx4-}ufCe)5ao{NXSE2r$)u0uqS81R*HF z2u=t>5{l4-AuQntPXrvz-t?g_{pimC1~Q1j3}Gn47|sYrGK$fRVJzbq&jcniiOEc1D$|(G3}!Nm+00=s z^O(;97P5%NEMY0jSk4MovWnHLVJ+)e&jvQKiOp`P7Goai`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@ zAuHL)P7ZRCi`?WPFZsw%0SZ!x!W5w>#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{O zi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax z00uIM!3<$2!x+v8Mly=gjA1O}7|#SIGKtAdVJg#@&J1QUi`mR!F7uer0v57}#Vlbd z%UI3|Rh{PlzDalAq3R04a)TALT=}1ooGLnhRWFafr$W9J&l8fBr zAusvJPXP*2h{6=1D8(pF2})9m(v+brs7?)PQj6Nup)U2PPXij# zh{iObDa~k33tG~O*0iB5?PyO2I?{>GbfGKV=uQuM(u>~op)dXD&j1E8h`|hDD8m@e z2u3oB(Trg%;~38bCNhc1Okpb1n9dAlGK<;FVJ`ES&jJ>*h{Y^nDa%;S3Rbd;)vRGH z>sZeQHnNG$Y+)*> zT;VF$xXul3a*NyC;V$>M&jTLvh{rtPDbIM$3tsYy*Sz5^?|9D#KJtmreBmqK_|6Z0 z@{8a6;V=IPFvEWW5{SSAAt=EJP6$F0iqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6 zh))6%l8D44At}j7P6|?ziqxbbE$K*41~QU~%w!=e*~m@~a*~VODP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mn ziq^EDE$wJe2RhP;&UB$G-RMpadeV#D^r0{P=+6KKGKj$pVJO2G&Im>_iqVW=EaMo@ z1ST?x$xLA?)0oZ-W-^P}%waC`n9l+hvWUejVJXX4&I(qtiq))PE$dj%1~#&Z&1_*S z+t|(ycCw4z>|rna*v|nDa)`qm;V8#A&IwL(iqo9oEay1S1uk-l%Ut0q*SO9NZgPv; z+~F?wxX%L~@`%Sg;VI8}&I?}hir2j1E$?{G2R`zN&wSx4-}ufCe)5ao{NXSE2r$!s z0uqS81R*HF2u=t>5{l4-AuQntPXrvz-t?g_{pimC1~Q1j3}Gn47|sYrGK$fRVJzbq&jcniiOEc1D$|(G z3}!Nm+00=s^O(;97P5%NEMY0jSk4MovWnHLVJ+)e&jvQKiOp`P7Goai`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-To zNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SZ!x!W5w>#VAe*N>Yl_l%Xu;C{G0{Qi;k` zp(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^(uvM=p)1|!P7iw0 zi{A91Fa7Ax00uIM!3<$2!x+v8Mly=gjA1O}7|#SIGKtAdVJg#@&J1QUi`mR!F7uer z0v57}#Vlbd%UI3|Rh{PlzDalAq3R04a)TALT=}1ooGLnhRWFafr z$W9J&l8fBrAusvJPXP*2h{6=1D8(pF2})9m(v+brs7?)PQj6Nu zp)U2PPXij#h{iObDa~k33tG~O*0iB5?PyO2I?{>GbfGKV=uQuM(u>~op)dXD&j1E8 zh`|hDD8m@e2u3oB(Trg%;~38bCNhc1Okpb1n9dAlGK<;FVJ`ES&jJ>*h{Y^nDa%;S z3Rbd;)vRGH>sZeQHnNG$Y+)*>T;VF$xXul3a*NyC;V$>M&jTLvh{rtPDbIM$3tsYy*Sz5^?|9D#KJtmr zeBmqK_|6Z0@{8a6;V=IPFvoua5{SSAAt=EJP6$F0iqM21Ea3=G1R@fN$V4G3(TGkA zViJqk#33&6h))6%l8D44At}j7P6|?ziqxbbE$K*41~QU~%w!=e*~m@~a*~VODP6JlYEp~Z)S)i*s80hL(ul@1 zp()L1P77Mniq^EDE$wJe2RhP;&UB$G-RMpadeV#D^r0{P=+6KKGKj$pVJO2G&Im>_ ziqVW=EaMo@1ST?x$xLA?)0oZ-W-^P}%waC`n9l+hvWUejVJXX4&I(qtiq))PE$dj% z1~#&Z&1_*S+t|(ycCw4z>|rna*v|nDa)`qm;V8#A&IwL(iqo9oEay1S1uk-l%Ut0q z*SO9NZgPv;+~F?wxX%L~@`%Sg;VI8}&I?}hir2j1E$?{G2R`zN&wSx4-}ufCe)5ao z{NXSE2r$=w0uqS81R*HF2u=t>5{l4-AuQntPXrvz-t?g_{pimC1~Q1j3}Gn47|sYrGK$fRVJzbq&jcni ziOEc1D$|(G3}!Nm+00=s^O(;97P5%NEMY0jSk4MovWnHLVJ+)e&jvQKiOp`P7Goai`c{=F7b#@0uqvl#3Ugp$w*EL zQj&_)q#-ToNKXbbl8MY@AuHMVpF(?x0fg5AFgkB++qP}nwr$(CZQHhO+qUg_=U<#% z(@pcGO?tDFgPi0dH+jfQKJrt5f)t`KMJP%!ic^A;l%h0cC`&oYQ-O+9qB2#eN;Rre zgPPQ$Hg%{=J?hhdhBTrvO=wCpn$v=ow4ya_XiGcV(}9k3qBC9SN;kUGgP!!FH+|?! zKl(F(fed0WLm0|1hBJbZjAArn7|S@uGl7XrVlq>h$~2}kgPF`?HglNEJm#~2g)Cw* zOIXS>ma~GDtYS55Sj#%rvw@9lVl!LV$~LyMgPrVRH+$I2KK65fgB;>8M>xtcj&p*O zoZ>WRILkTCbAgLo;xbpb$~CTYgPYvqHg~woJ?`^>hdkmjPk72Rp7Vm2yy7))c*{H9 z^MQ|i;xk|P$~V6AgP;83H-GrcKLX6xKLH6uV1f{oU<4-wAqhoj!Vs2lgeL+Ki9}?g z5S3^|Ck8QzMQq{_mw3b{0SQS&Vv>-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd00k*TVTw?cViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv z0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3Ngq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T z=LbLe#c%%bmwyCU@V@~6BOrkYOb~(+jNpVIB%ugR7{U^c@I)XYk%&wbq7seh#2_ZI zh)o>g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>Y zjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J3 z7{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1x zo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj* z+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w z@{a%u^-n+o5ttwZB^bd8K}bRonlOYV9N~#TL?RKHC`2V1(TPD!ViB7-#3df_NkBpp zk(eYTB^k*{K}u4Qnlz*(9qGwHMlz9^EMz4c*~vjpa*>-nMQr5Vj>K}%ZEnl`kh z9qs8rM>^4&E_9_E-RVJ3deNIc^ravD8NfgWF_<9?Wf;R5!AM3inlX%J9OIe5L?$tr zDNJP=)0x3cW-*&N%w-<)S-?UTv6v++Wf{v^!Ae%Knl-Ft9qZY^MmDjTEo@~Q+u6ZR zcCnj1>}4POIlw^fMJ{ofD_rFo*SWz>ZgHDC+~pqk zdB8&+@t7w({N*137U`dW1R^j& z2ud)56M~S0A~azLOE|(4frvyRGEs<1G@=uOn8YGBafnMi;*)@cBqA|MNJ=u2lY*3_ zA~k79OFGh%fsAA#Gg-(=HnNk0oa7=mdB{sX@>76<6rwOiC`vJkQ-YF|qBLbFOF7C@ zfr?b3GF7NbHL6pCn$)5;b*M`{>eGORG@>z0Xi77h(}I??qBU)3OFP=rfsS;dGhOIP zH@eeEMhTBSjsY%vx1eZVl``6%R1JxfsJfpGh5ioHny{ao$O*ad)Ui9_H%%P z9O5uXILa}ObApqc;xuPC%Q?<-fs0(?GFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L z^MaSW;x%u0%RAolfscIRGhg`1H@@?OpZwxCfB4Hk0xZ@)0SQE4f)JEo1SbR`2}Nka z5SDO+Cjt?PL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MD zL}s#(m26}u2RX?_Zt{?qeB`G91t~;ficpkd6sH6wDMe|@P?mC(rveqJL}jW_m1+=(3WeG#AU83dBtnq@RoPH z=K~-4#Am+nm2Z6K2S546Z~pL?e*{>fe*zMSzyu*E!3a(WLK2G5gdr^92u}ne5{bw} zAu7>`P7Goai`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRC zi`?WPFZsw%0SZ!x!W5w>#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES z0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00uIM!3<$2 z!x+v8Mly=gjA1O}7|#SIGKtAdVJg#@&J1QUi`mR!F7uer0v57}#Vlbd%UI3|R~-sYydx(vhAFWF!-r$wF4Lk)0gmBp12KLtgTcp8^!5 z5QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A7 z7PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k z#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg z*}_(~v7H_4WEZ>H!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67 zTwNFfSSgrXFqI3*}a zDN0j@vXrAd6{tuhDpQ53RHHgIs7WnqQ-`|LqdpC2NFy54gr+p3IW1^OD_YZrwzQ)? z9q33WI@5)&bfY^x=t(bn(}%wFqdx-}$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVp zOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$- zvxmLxV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R7r4kJE^~#eT;n=7xXCSUbBDX!<30~~ z$Ri%}gr_{?IWKt0D_--4x4h#$ANa^8KJ$gIeB(Pm_{lGR^M}9uBfxU~6OcdzCI~?Z zMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tm zN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5 zdeDAZhTiM2TcCeFO>}C&p*~fkkaF9bB z<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y8eQen zwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd7 z3}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZ zvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`v zBcJ%p7rye1@BH8=zxd4`{_>9iEA>x60uh)X1SJ^32|-9g5t=ZBB^=?2Ktv)DnJ7dh z8qtYCOkxq6IK(9$@ku~J5|NlBBqbTiNkK|dk(xB5B^~L>Kt?i=nJi=_8`;T0PI8f( zJme)G`6)m_3Q?FM6r~u&DM3j}QJON8r5xp{Kt(E1nJQGJ8r7*mO=?k_I@F~e^=Uvu z8qt_0G^H8MX+cX`(V8~2r5)|*Ku0>!nJ#pt8{O$aPkPatKJ=v@{TaYO1~Hf+3}qO@ z8NoS|UJKW_S_j$lW9`TqbJmneBdBICw@tQZhlYxw6A~RXYN;a~SgPi0dH+jfQKJrt5f)t`K zMJP%!ic^A;l%h0cC`&oYQ-O+9qB2#eN;RregPPQ$Hg%{=J?hhdhBTrvO=wCpn$v=o zw4ya_XiGcV(}9k3qBC9SN;kUGgP!!FH+|?!Kl(F(fed0WLm0|1hBJbZjAArn7|S@u zGl7XrVlq>h$~2}kgPF`?HglNEJm#~2g)Cw*OIXS>ma~GDtYS55Sj#%rvw@9lVl!LV z$~LyMgPrVRH+$I2KK65fgB;>8M>xtcj&p*OoZ>WRILkTCbAgLo;xbpb$~CTYgPYvq zHg~woJ?`^>hdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83H-GrcKLV`Q zKLH6uV1f{oU<4-wAqhoj!Vs2lgeL+Ki9}?g5S3^|Ck8QzMQq{_mw3b{0SQS&Vv>-Q zWF#jADM>|Y(vX&Pq$dLz$wX$dkd00k*TVTw?cViczYB`HN| z%21Yal&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DEw5J0d z=|pF`(3Ngq#cl3zmwVjj0S|e^ zW1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%bmwyCUqkjSth`h{PlzDalAq3R04a)TALT z=}1ooGLnhRWFafr$W9J&l8fBrAusvJPXP*2h{6=1D8(pF2})9m(v+brs7?)PQj6Nup)U2PPXij#h{iObDa~k33tG~O*0iB5?PyO2I?{>GbfGKV=uQuM z(u>~op)dXD&j1E8h`|hDD8m@e2u3oB(Trg%;~38bCNhc1Okpb1n9dAlGK<;FVJ`ES z&jJ>*h{Y^nDa%;S3Rbd;)vRGH>sZeQHnNG$Y+)*>T;VF$xXul3a*NyC;V$>M&jTLvh{rtPDbIM$3tsYy z*Sz5^?|9D#KJtmreBmqK_|6Z0@{8a6;V=IPuvY&BBoKiKLQsMcoDhU06rl-2Si%vW z2t*_jk%>Z7q7j`K#3UB6i9=lC5uXGkBoT>8LQ;~EoD`%a6{$%>TGEl83}hq|naM&{ zvXPw}F`or2WD$#5!cvy8 zoE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7ZARlxi z$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9? zJsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M? zt6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTn ze)EUF{3F16{S%Nt1SSYU2}W>25Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK z5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8 zDMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cP zrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_% zkx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7 zc6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUj zce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%4f-b_ zfe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(% zq#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4 zQjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2= zOc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_ zCbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2 z{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->02}pBKmrk%AOs~C!3jY~ zLJ^uUge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*)LK2afBqSvn$w@&^$tANeUjK?+frA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@K zr5e?#K}~8=n>y5`9`$KJLmJVTCN!lP&1pePTG5&|w51*G=|D$1(U~rEr5oMpK~H+o zn?CfVAN?7?Kn5|GAq-_0!x_OyMlqT(jAb0-nZQIQF_|e$Wg63&!Axc`n>oy79`jki zLKd-@B`jqb%UQunR$y!A)*)n>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eY zyyYG5`M^g$@tH4tF-b^DGLn;ml%ygxX-G>t(vyLVWFj+J$VxV{ zlY^Y(A~$)+OFr^bfPxgFFhwXzF^W@yl9Zw}WhhHI%2R=gRH8Cfs7f`eQ-hk+qBeD? zOZA`u0t9H$wsHH;9Xq6K9wWto4ypQdNS(ZS?B;Qr$1PdkiXk1+G>_jrLGy&olQvH= zyh}st130q)0SQE4g7Du)!3a(WLK2G5gdr^92u}ne5{bw}Au7>`P7Goai`c{=F7b#@ z0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SZ!x!W5w> z#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQv zw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00uIM!3<$2!x+v8Mly=gjA1O}7|#SI zGKtAdVJg#@&J1QUi`mR!F7uer0v57}#Vlbd%UI3|R zKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X> zQjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2 zDMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7b zrVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*d zlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^U zPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bZ`e;5D%2uL6T6NI1yBRC-l zNhm@ShOmSqJQ0XUBq9@qs6-<=F^EYlViSkB#3MclNJt_QlZ2!sBRMHZNh(s4hP0$3 zJsHSICNh(StYjlQImk&aa+8O=lxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+a zSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD z<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy- zhPS-qJsKlsTne)EUF{Nukz|NjU`AOaJFpadg0AqYt*LKB9tgd;o= zh)5(N6NRWmBRVmNNi1R$hq%NeJ_$%jA`+8?q$DFbDM(2wQj>hfil%qTqs7NI$Q-!KjqdGOHNiAwq zhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%Z zAO&aK$t-3whq=sSJ_}gLA{MiRr7UAP zD_F@YR>(8$u4%YhrR4$KLCL?#MRiAHo{ z5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZ zM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_ zxyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs z<_~}QM}Q#uCm?|cOb~(+jNpVIB%ugR7{U^c@I)XYk%&wbq7seh#2_ZIh)o>g5|8*K zAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p z8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SM zlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w z>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5z za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a&P^-n+o z5ttwZB^bd8K}bRonlOYV9N~#TL?RKHC`2V1(TPD!ViB7-#3df_NkBppk(eYTB^k*{ zK}u4Qnlz*(9qGwHMlz9^EMz4c*~vjpa*>-n> z6Q1&n=e*!0uXxQH-tvz3eBdLW_{>it7{Lia zNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR z>B&GwGLe}qWF;Hf$w5wXk()f^B_H`IKtT#om?9LV7{w_;NlH=yOIp#IHngQ3?dd>AI?r62tnz(58um>~>h7{eLCNJcT5F^pv#;I&HLPVF>)F6YHnEv4Y-JnU*}+bBv70^YWgq)Fz(Edim?IqJ z7{@umNltN^Go0ld=efW|E^(PFT;&?qxxr0tahp5b76<6rwOiC`vJkQ-YF|qBLbFOF7C@fr?b3GF7NbHL6pCn$)5; zb*M`{>eGORG@>z0Xi77h(}I??qBU)3OFP=rfsS;dGhOIPH@eeEMhTBSjsY% zvx1eZVl``6%R1JxfsJfpGh5ioHny{ao$O*ad)Ui9_H%%P9O5uXILa}ObApqc;xuPC z%Q?<-fs0(?GFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIR zGhg`1H@@?OpZwxCfB4Hk{u}Q39{~wOV1f{oU<4-wAqhoj!Vs2lgeL+Ki9}?g5S3^| zCk8QzMQq{_mw3b{0SQS&Vv>-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd00k*TVTw?cViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$H zW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3Ngq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe z#c%%bmw)^>*!MpI5{SSAAt=EJP6$F0iqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6 zh))6%l8D44At}j7P6|?ziqxbbE$K*41~QU~%w!=e*~m@~a*~VODP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mn ziq^EDE$wJe2RhP;&UB$G-RMpadeV#D^r0{P=+6KKGKj$pVJO2G&Im>_iqVW=EaMo@ z1ST?x$xLA?)0oZ-W-^P}%waC`n9l+hvWUejVJXX4&I(qtiq))PE$dj%1~#&Z&1_*S z+t|(ycCw4z>|rna*v|nDa)`qm;V8#A&IwL(iqo9oEay1S1uk-l%Ut0q*SO9NZgPv; z+~F?wxX%L~@`%Sg;VI8}&I?}hir2j1E$?{G2R`zN&wSx4-}ufCe)5ao{NXSE_;0B9 ze*`2DfeAuTf)Sh$gd`N92}4-I5uOM{BodK{LR6v=ofyO<7O{y#T;dU*1SBL8iAh3I zl98Mgq$CxoNkdxFk)8}>Bomp*LRPYoogCyO7rDtpUhrl%y1; zDMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-; zq!XR#LRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^!c?X) zof*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZVWD}d&!dAAiogM6C7rWWR zUiPt{103WK|EK64764I@7y#}Y+qP}nwr$(CZQHhO+qP|cw&qZukXv_hh{GJ=D91R? z2~Ki~)12Wf=Qz&=E^>*>T;VF$xXul3a*NyC;V$>M&jTLvh{rtPDbIM$3tsYy*Sz5^ z?|9D#KJtmreBmqK_|6Z0@{8a6;V=IV`u`&U0SQE4f)JEo1SbR`2}Nka5SDO+Cjt?P zL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u z2RX?_Zt{?qeB`G91t~;ficpkd6sH6wDMe|@P?mC(rveqJL}jW_m1+=(3WeG#AU83dBtnq@RoPH=K~-4#Am+n zm2Z6K2S546Z~pL?f6qMs5rBXMA}~P+N-%;Gf{=tFG+_u!IKmTwh(sbXQHV-3q7#Fd z#3D9vh)X=;lYoRIA~8uwN-~m@f|R5pHEBpoI?|JYjASA+S;$H@vXg_HI4f|8V?G-W7DIm%Okid3R9Rj5ies#AlS)S@Q6^rAO?=u1EPGk}2%VlYD($}omAf{~13 zG-DXcIL0%9iA-WLQ<%y$rZa|!^2*vmflbAW>!;xI=z$}x^}f|H!$G-o)=InHx|i(KL|SGdYG zu5*K%+~PKOxXV56^MHpu;xSKn$}^txf|tDFHE(#!JKpnwk9^`YU--&5zVm~h{Ngu% z_{+aXzW)e7Kmrk%AOs~C!3jY~LJ^uUge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*) zLK2afBqSvn$w@&^$tANeUjK?+frA{3<< z#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?#K}~8=n>y5`9`$KJLmJVTCN!lP&1pePTG5&| zw51*G=|D$1(U~rEr5oMpK~H+on?CfVAN?7?Kn5|GAq-_0!x_OyMlqT(jAb0-nZQIQ zF_|e$Wg63&!Axc`n>oy79`jkiLKd-@B`jqb%UQunR$y!A)*)n>*a) z9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5`M^g$@tH4teQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13> z7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jz zvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-? z@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_^jE|33l{kU#_`2tf%(a6%B0 zP=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+V zGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*D zrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8 zZ+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QSKjd-0SHJS0uzLw1S2>h2uUbH6Na#aBRmm^ zNF*W?g{VX$Ix&bzEMgOfxWpqq2}npH5|f0aBqKQ~NJ%PElZLdUBRv_&NG39qg{)*F zJ2}WnE^?EHyyPQ41t>@%3R8rl6r(sLC`l}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqabB42= z<2)C*$R#dwg{xfSIybnZ7q7j`K z#3UB6i9=lC5uXGkBoT>8LQ;~EoD`%a6{$%>TGEl83}hq|naM&{vXPw}F`or2WD$#5!cvy8oE5BO6{}gpTGp|i z4Qyl+o7uuvwy~WZ>|__a*~4D;v7ZAR`P7Goai`c{=F7b#@ z0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SZ!x!W5w> z#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQv zw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00uIM!3<$2!x+v8Mly=gjA1O}7|#SI zGKtAdVJg#@&J1QUi`mR!F7uer0v57}#Vlbd%UI3|RNkn3jkd$O3 zCj}`YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^ zXS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZ zGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I z?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$ z@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN7Wu5;KfPe%dFhK}PFoF|; zkc1*MVF*h&!V`grL?SX#h)Oh~6N8wF-b^DGLn;ml%ygxX-G>t z(vyLVWFj+J$VxV{lY^Y(A~$)+OFr^bfPxgFFhwXzF^W@yl9Zw}WhhHI%2R=gRH8Cf zs7f`eQ-hk+qBeD?OFin-fQB@pF->SnGn&(amb9WZZD>n7+S7rKbfPm|=t?)b(}SM$ zqBni$OF#NEfPoBRFhdy1ForXNk&I$AV;IXg#xsG5Oky%qn94M!GlQATVm5P_%RJ_@ zfQ2k#F-us=GM2M~m8@blYgo%V*0X_)Y+^H8*vdAxvxA-NVmEu(%RcsVfP)<3Fh@Ab zF^+SBlbqr-XE@6_&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH;m%QRN zZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%fF)D{|G=p0uh)X1SJ^32|-9g5t=ZBB^=?2 zKtv)DnJ7dh8qtYCOkxq6IK(9$@ku~J5|NlBBqbTiNkK|dk(xB5B^~L>Kt?i=nJi=_ z8`;T0PI8f(Jme)G`6)m_3Q?FM6r~u&DM3j}QJON8r5xp{Kt(E1nJQGJ8r7*mO=?k_ zI@F~e^=Uvu8qt_0G^H8MX+cX`(V8~2r5)|*Ku0>!nJ#pt8{O$aPkPatKJ=v@{TaYO z1~Hf+3}qO@8NoS|UJKW_S_j$lW9`TqbJmneBdBICw@tQZhg5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQD zOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6 zB%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo z^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lo zu5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q z_{|^w@~@!(KLQYtKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS` zd=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5 zMJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bK zw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}g zFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;8 z4tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYL&hZ}s z2uL6T6NI1yBRC-lNhm@ShOmSqJQ0XUBq9@qs6-<=F^EYlViSkB#3MclNJt_QlZ2!s zBRMHZNh(s4hP0$3JsHSICNh(StYjlQImk&aa+8O=lxi$tXrMhOvxeJQJA6BqlS3sZ3)! zGnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q z>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j z^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{2S)^j{pQD5P=CoP=XPh z5QHQYp$S7+!V#VbL?jZCi9%GO5uF&sBo?uWLtNq!p9CZ%5s67cQj(FJ6r>~-sYydx z(vhAFWF!-r$wF4Lk)0gmBp12KLtgTcp8^!55QQm1QHoKV5|pGAr71&M%2A#QRHPD> zsX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUj zq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Su zp9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^5QjO! zQI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vhah)675{l4-AuQnt zPXrvz-t?g_{pimC z1~Q1j3}Gn47|sYrGK$fRVJzbq&jcniiOEc1D$|(G3}!Nm+00=s^O(;97P5%NEMY0j zSk4MovWnHLVJ+)e&jvQKiOp3)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX$whAR zke7VqrvL>hL}7|hlwuU81SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLV zL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K z1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_YSyrp zb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{1SdJgY0hw#bDZY_7rDe` zu5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0 z`NePk@RxsMoc|GkfCM5iK?q7Pf)j#}gd#Ly2unD^6M=|CA~I2kN;IMqgP6o3HgSkc zJmQmpgd`#{Nk~dEl9Pgzq#`wGNJ~1>lYxw6A~RXYN;a~SgPi0dH+jfQKJrt5f)t`K zMJP%!ic^A;l%h0cC`&oYQ-O+9qB2#eN;RregPPQ$Hg%{=J?hhdhBTrvO=wCpn$v=o zw4ya_XiGcV(}9k3qBC9SN;kUGgP!!FH+|?!Kl(F(fed0WLm0|1hBJbZjAArn7|S@u zGl7XrVlq>h$~2}kgPF`?HglNEJm#~2g)Cw*OIXS>ma~GDtYS55Sj#%rvw@9lVl!LV z$~LyMgPrVRH+$I2KK65fgB;>8M>xtcj&p*OoZ>WRILkTCbAgLo;xbpb$~CTYgPYvq zHg~woJ?`^>hdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83H-GrczaifL z2tYsr5ttwZB^bd8K}bRonlOYV9N~#TL?RKHC`2V1(TPD!ViB7-#3df_NkBppk(eYT zB^k*{K}u4Qnlz*(9qGwHMlz9^EMz4c*~vjpa*>-nMQr5Vj>K}%ZEnl`kh9qs8r zM>^4&E_9_E-RVJ3deNIc^ravD8NfgWF_<9?Wf;R5!AM3inlX%J9OIe5L?$trDNJP= z)0x3cW-*&N%w-<)S-?UTv6v++Wf{v^!Ae%Knl-Ft9qZY^MmDjTEo@~Q+u6ZRcCnj1 z>}4POIlw^fMJ{ofD_rFo*SWz>ZgHDC+~pqkdB8&+ z@t7w({N>*W_kRQ+Ab|)>5P}kn z;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0 zuXxQH-tvz3eBdLW_{`P7Goai`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@ zAuHL)P7ZRCi`?WPFZsw%0SZ!x!W5w>#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{O zi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax z00uIM!3<$2!x+v8Mly=gjA1O}7|#SIGKtAdVJg#@&J1QUi`mR!F7uer0v57}#Vlbd z%UI3|R{7OcbIL zjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ? z9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+ zjc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!d zj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&N zvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6 zC%^d3AO7;c1oBS+0uqS81R*HF2u=t>5{l4-AuQntPXrvz-t?g_{pimC1~Q1j3}Gn47|sYrGK$fRVJzbq z&jcniiOEc1D$|(G3}!Nm+00=s^O(;97P5%NEMY0jSk4MovWnHLVJ+)e&jvQKiOpeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn* zBc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb z>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZ zc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_?*>@=pK)5{SSAAt=EJ zP6$F0iqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7P6|?ziqxbb zE$K*41~QU~%w!=e*~m@~a*~VODP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G-RMpa zdeV#D^r0{P=+6KKGKj$pVJO2G&Im>_iqVW=EaMo@1ST?x$xLA?)0oZ-W-^P}%waC` zn9l+hvWUejVJXX4&I(qtiq))PE$dj%1~#&Z&1_*S+t|(ycCw4z>|rna*v|nDa)`qm z;V8#A&IwL(iqo9oEay1S1uk-l%Ut0q*SO9NZgPv;+~F?wxX%L~@`%Sg;VI8}&I?}h zir2j1E$?{G2R`zN&wSx4-}ufCe)5ao{NXSEODz8cARvJVOb~(+jNpVIB%ugR7{U^c z@I)XYk%&wbq7seh#2_ZIh)o>g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{ zs7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWO zU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3Ke zjODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd z8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?Z zpZLrdzVeOl{NN|Q_{|^w^1meVPXGcEh`h{PlzDalAq3R04a)TALT=}1ooGLnhRWFafr$W9J&l8fBr zAusvJPXP*2h{6=1D8(pF2})9m(v+brs7?)PQj6Nup)U2PPXij# zh{iObDa~k33tG~O*0iB5?PyO2I?{>GbfGKV=uQuM(u>~op)dXD&j1E8h`|hDD8m@e z2u3oB(Trg%;~38bCNhc1Okpb1n9dAlGK<;FVJ`ES&jJ>*h{Y^nDa%;S3Rbd;)vRGH z>sZeQHnNG$Y+)*> zT;VF$xXul3a*NyC;V$>M&jTLvh{rtPDbIM$3tsYy*Sz5^?|9D#KJtmreBmqK_|6Z0 z@{8a6;V=J7D*pr^Ab|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9 zkN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{`P7Goai`c{=F7b#@0uqvl#3Ugp z$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SZ!x!W5w>#VAe*N>Yl_ zl%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^ z(uvM=p)1|!P7iw0i{A91Fa7Ax00uIM!3<$2!x+v8Mly=gjA1O}7|#SIGKtAdVJg#@ z&J1QUi`mR!F7uer0v57}#Vlbd%UI3|R{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2j zl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1 zOckn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcI zC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q z`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g; zj&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7;c6!K310uqS81R*HF2u=t>5{l4-AuQnt zPXrvz-t?g_{pimC z1~Q1j3}Gn47|sYrGK$fRVJzbq&jcniiOEc1D$|(G3}!Nm+00=s^O(;97P5%NEMY0j zSk4MovWnHLVJ+)e&jvQKiOpeQenwWv)U>QayTG@v1k zXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}Gj zU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r6rS+e{1R*HF2u=t> z5{l4-AuQntPXr}a>$Rs8+g{e$qIy0EbEM_x@xy)le z3s}e^7PEw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~ z9OF1AILRqabB6yo%Q?<-fs0(?GFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L^MaSW z;x%u0%RAolfscIRGhg`1H@@?OpZwxCfB4Hk0;Thxzyu*E!3a(WLK2G5gdr^92u}ne z5{bw}Au7>`P7Goai`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL) zP7ZRCi`?WPFZsw%0SXd8AqrE3q7hfil%qTqs7NI$Q-!KjqdGOHNiAwq zhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%Z zAO&aK$t-3whq=sSJ_}gLA{MiRr7UAP zD_F@YR>(8$u4%YhrR4$KLhdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i z;xk|P$~V6AgP;83H-GrcKLVxqpTGnmD8UF$2tpEy(1al@;RsIzA`*$nL?J5Ch)xV* z5{uZxAujQVPXZE>h{PlzDalAq3R04a)TALT=}1ooGLnhRWFafr$W9J&l8fBrAusvJ zPXP)NKp_fKgrXFqI3*}aDN0j@vXrAd6{tuhDpQ53RHHgIs7WnqQ-`|LqdpC2NFy54 zgr+p3IW1^OD_YZrwzQ)?9q33WI@5)&bfY^x=t(bn(}%wFqdx-}$RGwYgrN*$I3pOz zC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=3 z8`#JuHnWATY-2k+*vT$-vxmLxV?PHt$RQ4MgrgkeI43yCDNb{S|2WGz&U1l_T;eiU zxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH;m%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK z;x~Wz%Rd5T@Sng0At=EJP6$F0iqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6h))6% zl8D44At}j7P6|?ziqxbbE$K*41~QU~%w!=e*~m@~a*~VOlxi$tXrMhOvxeJQJA6 zBqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gE zJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhW|LrInHx|i(KL|SGdYGu5*K%+~PKO zxXV56^MHpu;xSKn$}^txf|tDFHE(#!JKpnwk9^`YU--&5zVm~h{Ngu%_{%>6W%QrG z1R*HF2u=t>5{l4-AuQntPXr}a>$Rs8+g{e$qIy0Eb zEM_x@xy)le3s}e^7PEw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@ z2RO(f4s(Q~9OF1AILRqabB6yo%Q?<-fs0(?GFQ0DHLi1mo800yceu+v?(=|$JmN7= zc*--L^MaSW;x%u0%RAolfscIRGhg`1H@@?OpZwxCfB4Hk0%h`_zyu*E!3a(WLK2G5 zgdr^92u}ne5{bw}Au7>`P7Goai`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbb zl8MY@AuHL)P7ZRCi`?WPFZsw%0SXd8AqrE3q7hfil%qTqs7NI$Q-!Kj zqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZS zhraZqKLZ%ZAO&aK$t-3whq=sSJ_}gL zA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLhdkmjPk72Rp7Vm2yy7)) zc*{H9^MQ|i;xk|P$~V6AgP;83H-GrcKLTa;pTGnmD8UF$2tpEy(1al@;RsIzA`*$n zL?J5Ch)xV*5{uZxAujQVPXZE>h{PlzDalAq3R04a)TALT=}1ooGLnhRWFafr$W9J& zl8fBrAusvJPXP)NKp_fKgrXFqI3*}aDN0j@vXrAd6{tuhDpQ53RHHgIs7WnqQ-`|L zqdpC2NFy54gr+p3IW1^OD_YZrwzQ)?9q33WI@5)&bfY^x=t(bn(}%wFqdx-}$RGwY zgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)Jn zDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt$RQ4MgrgkeI43yCDNb{S|2WGz z&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH;m%QRNZ+Oc)-t&QveBv`- z_{ulF^MjxK;x~Wz%Rd5T@t?p1At=EJP6$F0iqM21Ea3=G1R@fN$V4G3(TGkAViJqk z#33&6h))6%l8D44At}j7P6|?ziqxbbE$K*41~QU~%w!=e*~m@~a*~VOlxi$tXrM zhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_ zCN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhW|LrInHx|i(KL|SGdYG zu5*K%+~PKOxXV56^MHpu;xSKn$}^txf|tDFHE(#!JKpnwk9^`YU--&5zVm~h{Ngu% z_{%>6W%ZxH1R*HF2u=t>5{l4-AuQntPXr}a>$Rs8+ zg{e$qIy0EbEM_x@xy)le3s}e^7PEw-V?7(#$R;+kg{^F3J3H9P zE_Snrz3gK@2RO(f4s(Q~9OF1AILRqabB6yo%Q?<-fs0(?GFQ0DHLi1mo800yceu+v z?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIRGhg`1H@@?OpZwxCfB4Hk0%h}`zyu*E z!3a(WLK2G5gdr^92u}ne5{bw}Au7>`P7Goai`c{=F7b#@0uqvl#3Ugp$w*ELQj&_) zq#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SXd8AqrE3q7hfil%qTq zs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{d zqdPt5NiTZShraZqKLZ%ZAO&aK$t-3w zhq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLhdkmjPk72R zp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83H-GrcKLTah{PlzDalAq3R04a)TALT=}1ooGLnhR zWFafr$W9J&l8fBrAusvJPXP)NKp_fKgrXFqI3*}aDN0j@vXrAd6{tuhDpQ53RHHgI zs7WnqQ-`|LqdpC2NFy54gr+p3IW1^OD_YZrwzQ)?9q33WI@5)&bfY^x=t(bn(}%wF zqdx-}$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZA zgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt$RQ4MgrgkeI43yC zDNb{S|2WGz&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH;m%QRNZ+Oc) z-t&QveBv`-_{ulF^MjxK;x~Wz%Rd6;@Sng0At=EJP6$F0iqM21Ea3=G1R@fN$V4G3 z(TGkAViJqk#33&6h))6%l8D44At}j7P6|?ziqxbbE$K*41~QU~%w!=e*~m@~a*~VO zlxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT} zhPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhW|LrInHx| zi(KL|SGdYGu5*K%+~PKOxXV56^MHpu;xSKn$}^txf|tDFHE(#!JKpnwk9^`YU--&5 zzVm~h{Ngu%_{%>6<@BGx1R*HF2u=t>5{l4-AuQntPXr}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw-V?7(#$R;+k zg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqabB6yo%Q?<-fs0(?GFQ0DHLi1m zo800yceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIRGhg`1H@@?OpZwxCfB4Hk z0_F0bzyu*E!3a(WLK2G5gdr^92u}ne5{bw}Au7>`P7Goai`c{=F7b#@0uqvl#3Ugp z$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SXd8AqrE3q7hfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8 z=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%Y zhrR4$KL zhdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83H-GrcKLX|UpTGnmD8UF$ z2tpEy(1al@;RsIzA`*$nL?J5Ch)xV*5{uZxAujQVPXZE>h{PlzDalAq3R04a)TALT z=}1ooGLnhRWFafr$W9J&l8fBrAusvJPXP)NKp_fKgrXFqI3*}aDN0j@vXrAd6{tuh zDpQ53RHHgIs7WnqQ-`|LqdpC2NFy54gr+p3IW1^OD_YZrwzQ)?9q33WI@5)&bfY^x z=t(bn(}%wFqdx-}$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j% zV?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt$RQ4M zgrgkeI43yCDNb{S|2WGz&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH; zm%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%Rd6;@t?p1At=EJP6$F0iqM21Ea3=G z1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7P6|?ziqxbbE$K*41~QU~%w!=e z*~m@~a*~VOlxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEA zV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~A zhW|LrInHx|i(KL|SGdYGu5*K%+~PKOxXV56^MHpu;xSKn$}^txf|tDFHE(#!JKpnw zk9^`YU--&5zVm~h{Ngu%_{%>6<@KMy1R*HF2u=t>5{l4-AuQntPXr}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw- zV?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqabB6yo%Q?<-fs0(? zGFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIRGhg`1H@@?O zpZwxCfB4Hk0_F3czyu*E!3a(WLK2G5gdr^92u}ne5{bw}Au7>`P7Goai`c{=F7b#@ z0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SXd8AqrE3 zq7hfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezA zTGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLhdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83H-GrcKLX|V zpTGnmD8UF$2tpEy(1al@;RsIzA`*$nL?J5Ch)xV*5{uZxAujQVPXZE>h{PlzDalAq z3R04a)TALT=}1ooGLnhRWFafr$W9J&l8fBrAusvJPXP)NKp_fKgrXFqI3*}aDN0j@ zvXrAd6{tuhDpQ53RHHgIs7WnqQ-`|LqdpC2NFy54gr+p3IW1^OD_YZrwzQ)?9q33W zI@5)&bfY^x=t(bn(}%wFqdx-}$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+AT zn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLx zV?PHt$RQ4MgrgkeI43yCDNb{S|2WGz&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP%fQLNd zF;95PGoJH;m%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%Rd4Y@Sng0At=EJP6$F0 ziqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7P6|?ziqxbbE$K*4 z1~QU~%w!=e*~m@~a*~VOlxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+a zSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD z<2WZc$tg~AhW|LrInHx|i(KL|SGdYGu5*K%+~PKOxXV56^MHpu;xSKn$}^txf|tDF zHE(#!JKpnwk9^`YU--&5zVm~h{Ngu%_{%>674)CL1R*HF2u=t>5{l4-AuQntPXr}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqabB6yo z%Q?<-fs0(?GFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIR zGhg`1H@@?OpZwxCfB4Hk0tNU_V1f{oU<4-wAqhoj!Vs2lgeL+Ki9}?g5S3^|Ck8Qz zMQq{_mw3b{0SQS&Vv>-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd z00jx45QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg= zQ<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLM zqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)q zY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^5QjO!QI2t(6P)A}r#ZuaoaG$nxxhs(ahWSz z$y!A)*)n>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5`M^g$@tH4t3)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX$whARke7VqrvL>Bpb&*ALQ#rQ zoD!6z6s0LcS;|qK3RI*Lm8n8is!^R9)T9=*sY6}rQJ)4hq!Ep2LQ|U2oEEgC6|HGQ zTiVf{4s@gwo#{eXy3w5;^rRQP=|f-o(VqbfWDtWH!cc}WoDqy<6r&l#SjI7)2~1=X zlbOO)rZJrv%w!g`nZsP>F`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ z>|__a*~4D;v7ZARNkn3jkd$O3Cj}`< zMQYNJmUN^i0~yIgX0ni#Y-A?~ImtzC@{pH&QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@Wo zSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rB zvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ> z9OMv(Il@tnahwyJfMJ{ofD_rFo*SWz>ZgHDC+~pqkdB8&+@t7w( z{N*2kiug}pf)JEo1SbR`2}Nka z5SDO+Cjt?PL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MD zL}s#(m26}u2RX?_Zt{?qeB`G91qq-Kg(*T&icy>rl%y1;DMMMxQJxA^q!N{>LRG3! zof_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62 zU;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^!c?X)of*tz7PFbdT;?&K1uSF{ zi&?@_ma&`_tYj6dS;Jb^v7QZVWD}d&!dAAiogM6C7rWWRUiPt{103WKhdIJgj&Yn5 zoa7XzIm3UPS|UJKW_S_j$lW9`TqbJmneBdBICw@tQZh z-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd00jx45QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}o zp9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=Q zP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_x zt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^5QjO!QI2t(6P)A}r#ZuaoaG$n zxxhs(ahWSz$y!A)*)n>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5`M^g$@tH4t z3)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX$whARke7VqrvL>B zpb&*ALQ#rQoD!6z6s0LcS;|qK3RI*Lm8n8is!^R9)T9=*sY6}rQJ)4hq!Ep2LQ|U2 zoEEgC6|HGQTiVf{4s@gwo#{eXy3w5;^rRQP=|f-o(VqbfWDtWH!cc}WoDqy<6r&l# zSjI7)2~1=XlbOO)rZJrv%w!g`nZsP>F`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+ zo7uuvwy~WZ>|__a*~4D;v7ZARNkn3j zkd$O3Cj}`QSEtG^7!YX+l$)(VP~vq!q1cLtEO> zo(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2 zRHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQm zyV=8D_OYJ>9OMv(Il@tnahwyJfMJ{ofD_rFo*SWz>ZgHDC+~pqk zdB8&+@t7w({N*2kO88G;f)JEo z1SbR`2}Nka5SDO+Cjt?PL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$aNkwYX zkd}0$Cj%MDL}s#(m26}u2RX?_Zt{?qeB`G91qq-Kg(*T&icy>rl%y1;DMMMxQJxA^ zq!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%c zogVb07rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^!c?X)of*tz7PFbd zT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZVWD}d&!dAAiogM6C7rWWRUiPt{103WK zhdIJgj&Yn5oa7XzIm3UPS|UJKW_S_j$lW9`TqbJmneB zdBICw@tQZh-QWF#jADM>|Y(vX&Pq$dLz$wX$d zkd00jx45QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJosp zq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQ zp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*E zQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^5QjO!QI2t(6P)A} zr#ZuaoaG$nxxhs(ahWSz$y!A)*)n>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5 z`M^g$@tH4t3)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX$whAR zke7VqrvL>Bpb&*ALQ#rQoD!6z6s0LcS;|qK3RI*Lm8n8is!^R9)T9=*sY6}rQJ)4h zq!Ep2LQ|U2oEEgC6|HGQTiVf{4s@gwo#{eXy3w5;^rRQP=|f-o(VqbfWDtWH!cc}W zoDqy<6r&l#SjI7)2~1=XlbOO)rZJrv%w!g`nZsP>F`or2WD$#5!cvy8oE5BO6{}gp zTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7ZARNkn3jkd$O3Cj}`QSEtG^7!YX+l$)(VP~v zq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^K zo(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww> zR<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJeQen zwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd7 z3}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZ zvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`v zBcJ%p7rye1@BH8=zxd4`{_>9iW&9@~fe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbIL zjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ? z9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+ zjc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!d zj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&N zvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6 zC%^d3AO7->0A>9rAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9 zkN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIik zjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{l zo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD` z%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gH zvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA z%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a)J{U;!S2uu)y5{%%4 zAS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1 zz35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@ zEMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk z%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9i75pb4fe1_xf)b42gdilL2u&Em5{~dh zAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_| zjqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d z9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFs zgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fH ztY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>- z%oo1$jqm*6C%^d3AO7->02TcwAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ zASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*K zAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p z8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SM zlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w z>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5z za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a(O{U;!S z2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13> z7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jz zvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-? z@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9iRs1I)fe1_xf)b42gdilL z2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*Fb zAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9 zjq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!R zANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@| zi&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9S zoZuv;3J>-%oo1$jqm*6C%^d3AO7->09E}bAb|)>5P}kn;DjI~p$JVF!V-?~L?9xO zh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>Y zjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J3 z7{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1x zo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj* z+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w z@{a)3{U;!S2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+M zj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR z6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX& zJm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9iHT)+afe1_x zf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}! zNKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRe zpdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+ zjqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$ z9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#R zhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->05$z5Ab|)>5P}kn;DjI~p$JVF z!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3 zeBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvH zpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$ zjNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D? z8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH} zm$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl z{NN|Q_{|^w@{a(u{U;!S2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S` zpe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cq zj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZb zx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9i zb^IqFfe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQm zl9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~ zC`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Y zpd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_F zjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q z9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0CoK*Ab|)>5P}kn z;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0 zuXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{ zs7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWO zU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3Ke zjODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd z8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?Z zpZLrdzVeOl{NN|Q_{|^w@{a)Z{U;!S2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1 z=)@oeQenwWv)U>QayTG@v1k zXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}Gj zU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8= zzxd4`{_>9i4g4n{fe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p> z_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrB zic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!e zXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~ zU?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet? zjqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->01f>o zAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP z> z6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV= zs#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob z=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKz zU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=q zjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR z8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a(G{U;!S2uu)y5{%%4AS9s(O&G!wj_^bv zB9Vwp6rvK1=)@oeQenwWv)U z>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG z7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@d zU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p z7rye1@BH8=zxd4`{_>9iP5dVyfe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6 zCb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp z{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800 zn$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A z7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^ zU?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3 zAO7->08RZTAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}Y zA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&s zC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;## zy3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7 zn9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7 z;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpS zjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a(`{U;!S2uu)y5{%%4AS9s( zO&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ z`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsv zSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkG zj`w`vBcJ%p7rye1@BH8=zxd4`{_>9iE&L}Sfe1_xf)b42gdilL2u&Em5{~dhAR>{7 zOcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzg zC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk# z`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*Z zhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9Up zSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$ zjqm*6C%^d3AO7->04@C|Ab|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVh zO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJ zOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2 z_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmD zrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm z*v%gHvXA{7;2?)M%n^=qjN_c(B&Rt2pJ96176JhP0NBa4ZQHhO+qQkPZQHi(HruxC z+Ig5y7|w8(bDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@md zcf98VANj;*zVMZAeCG#0`NePk@RxrCYU@9N2|`eU5u6Z&Bov_uLs-HQo(M!F5|N2Q zRH6}`7{nwNv57-m;t`(&BqR}uNkUSRk(?ByBo(PiLt4_2o(yCp6Pd|ERP^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEt zG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3?zU-3}y&J z8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1* zW({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;=0DDGmUEov z0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2 zZ+zzmKl#OP{_vN71Zw9$feAuTf)Sh$gd`N92}4-I5uOM{BodK{LR6v=ofyO<7O{y# zT;dU*1SBL8iAh3Il98Mgq$CxoNkdxFk)8}>Bomp*LRPYoogCyO7rDtpUhrl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esV zw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SqL7K@4UHLm9?!Mlh05jAjgD z8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaR5yaF%nN=K>eG#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL? ze*|jpKY~-sYydx(vhAFWF!-r$wF4Lk)0gmBp12KLtgTcp8^!55QQm1QHoKV5|pGA zr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4 zbfgoV=|We!(VZUjq!+#ELtpyQp8*UcfI$pq2tygha7HkaQH*8`V;RSICNPmnOlAsG znZ|TxFq2u#W)5?i$9xvBkVPzJ2}@bVa#paCRjg(WYgxy7Hn5RRY-S5v*~WHuu#;Wv zW)FMW$9@iQkV72i2uC@_aZYfOQ=H~M&Ty7q#cl3zmwVjj z0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%bmwyE6;6H&0LQsMc zoDhU06rl-2Si%vW2t*_jk%>Z7q7j`K#3UB6i9=lC5uXGkBoT>8LQ;~EoD`%a6{$%> zTGEl83}hq|naM&{vXPw}AZhTiM2TcCeFO>}C&p*~fkkaF9bB z<_JeQ#&J$?l2e@KKhAKLbDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW z1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk@RxrC>gYd#2|`eU5u6Z&Bov_uLs-HQ zo(M!F5|N2QRH6}`7{nwNv57-m;t`(&BqR}uNkUSRk(?ByBo(PiLt4_2o(yCp6Pd|E zRP^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~ zwW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O z3?zU-3}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^Hy zS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD; z=0DDGmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq18 z10VUsXTI>2Z+zzmKl#OP{_vN71nT5JfeAuTf)Sh$gd`N92}4-I5uOM{BodK{LR6v= zofyO<7O{y#T;dU*1SBL8iAh3Il98Mgq$CxoNkdxFk)8}>Bomp*LRPYoogCyO7rDtp zUhrl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA* zjcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SqL7K@4UHLm9?! zMlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaR5yaF%nN=K>eG z#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K z2S546Z~pL?e+266KY~-sYydx(vhAFWF!-r$wF4Lk)0gmBp12KLtgTcp8^!55QQm1 zQHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=l zt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*UcfI$pq2tygha7HkaQH*8`V;RSI zCNPmnOlAsGnZ|TxFq2u#W)5?i$9xvBkVPzJ2}@bVa#paCRjg(WYgxy7Hn5RRY-S5v z*~WHuu#;WvW)FMW$9@iQkV72i2uC@_aZYfOQ=H~M&Ty7q z#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%bmwyE6 z;y-~2LQsMcoDhU06rl-2Si%vW2t*_jk%>Z7q7j`K#3UB6i9=lC5uXGkBoT>8LQ;~E zoD`%a6{$%>TGEl83}hq|naM&{vXPw}AZhTiM2TcCeFO>}C&p z*~fkkaF9bB<_JeQ#&J$?l2e@KKhAKLbDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S z#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk@RxrC>gqp%2|`eU5u6Z& zBov_uLs-HQo(M!F5|N2QRH6}`7{nwNv57-m;t`(&BqR}uNkUSRk(?ByBo(PiLt4_2 zo(yCp6Pd|ERP^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb! zRjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLa zz3D?=`q7^O3?zU-3}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei| zImU5LaFSD;=0DDGmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$ z#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN71nTBLfeAuTf)Sh$gd`N92}4-I5uOM{ zBodK{LR6v=ofyO<7O{y#T;dU*1SBL8iAh3Il98Mgq$CxoNkdxFk)8}>Bomp*LRPYo zogCyO7rDtpUhrl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBE zUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SqL7 zK@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNp zR)oEPH>V_oaR5y zaF%nN=K>eG#AU83dBtnq@RoPH=K~-4 z#Am+nm2Z6K2S546Z~pL?e+268KY~-sYydx(vhAFWF!-r$wF4Lk)0gmBp12KLtgTc zp8^!55QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg= zQ<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*UcfI$pq2tygha7Hka zQH*8`V;RSICNPmnOlAsGnZ|TxFq2u#W)5?i$9xvBkVPzJ2}@bVa#paCRjg(WYgxy7 zHn5RRY-S5v*~WHuu#;WvW)FMW$9@iQkV72i2uC@_aZYfOQ=H~M&Ty7q#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe z#c%%bmwyE6;Xi>1LQsMcoDhU06rl-2Si%vW2t*_jk%>Z7q7j`K#3UB6i9=lC5uXGk zBoT>8LQ;~EoD`%a6{$%>TGEl83}hq|naM&{vXPw}AZhTiM2T zcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@KKhAKLbDZY_7rDe`u5guWT;~Qixy5bn zaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk@RxrC>ghj$ z2|`eU5u6Z&Bov_uLs-HQo(M!F5|N2QRH6}`7{nwNv57-m;t`(&BqR}uNkUSRk(?By zBo(PiLt4_2o(yCp6Pd|ERP^DMC?-QJfN#q!gtoLs`mE zo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@Wo zSGv)i9`vLaz3D?=`q7^O3?zU-3}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J< zS-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+ z4seh|9Oei|ImU5LaFSD;=0DDGmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$ z@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN71nT8KfeAuTf)Sh$gd`N9 z2}4-I5uOM{BodK{LR6v=ofyO<7O{y#T;dU*1SBL8iAh3Il98Mgq$CxoNkdxFk)8}> zBomp*LRPYoogCyO7rDtpUhrl%y1;DMMMxQJxA^q!N{>LRG3! zof_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62 zU;5FX0SqL7K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{f zMJ#3sOIgNpR)oE zPH>V_oaR5yaF%nN=K>eG#AU83dBtnq z@RoPH=K~-4#Am+nm2Z6K2S546Z~pL?e+267KY~-sYydx(vhAFWF!-r$wF4Lk)0gm zBp12KLtgTcp8^!55QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}o zp9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*UcfI$pq z2tygha7HkaQH*8`V;RSICNPmnOlAsGnZ|TxFq2u#W)5?i$9xvBkVPzJ2}@bVa#paC zRjg(WYgxy7Hn5RRY-S5v*~WHuu#;WvW)FMW$9@iQkV72i2uC@_aZYfOQ=H~M&Ty7< zoaX`;xx{6zaFuIZ=LR>q#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w z@Re_T=LbLe#c%%bmwyE6<3E83LQsMcoDhU06rl-2Si%vW2t*_jk%>Z7q7j`K#3UB6 zi9=lC5uXGkBoT>8LQ;~EoD`%a6{$%>TGEl83}hq|naM&{vXPw}AZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@KKhAKLbDZY_7rDe`u5guW zT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk z@RxrC>gzv&2|`eU5u6Z&Bov_uLs-HQo(M!F5|N2QRH6}`7{nwNv57-m;t`(&BqR}u zNkUSRk(?ByBo(PiLt4_2o(yCp6Pd|ERP^DMC?-QJfN# zq!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO> zo(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3?zU-3}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku z3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9n zUF>ELd)dc+4seh|9Oei|ImU5LaFSD;=0DDGmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT z+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN71nTEMfeAuT zf)Sh$gd`N92}4-I5uOM{BodK{LR6v=ofyO<7O{y#T;dU*1SBL8iAh3Il98Mgq$Cxo zNkdxFk)8}>Bomp*LRPYoogCyO7rDtpUhrl%y1;DMMMxQJxA^ zq!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%c zogVb07rp62U;5FX0SqL7K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW z4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaR5yaF%nN=K>eG#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL?e+269KY~-sYydx(vhAFWF!-r z$wF4Lk)0gmBp12KLtgTcp8^!55QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJosp zq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQ zp8*UcfI$pq2tygha7HkaQH*8`V;RSICNPmnOlAsGnZ|TxFq2u#W)5?i$9xvBkVPzJ z2}@bVa#paCRjg(WYgxy7Hn5RRY-S5v*~WHuu#;WvW)FMW$9@iQkV72i2uC@_aZYfO zQ=H~M&Ty7q#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-p zyypWS`NU_w@Re_T=LbLe#c%%bmwyBr;6H&0LQsMcoDhU06rl-2Si%vW2t*_jk%>Z7 zq7j`K#3UB6i9=lC5uXGkBoT>8LQ;~EoD`%a6{$%>TGEl83}hq|naM&{vXPw}AZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@KKhAKLbDZY_ z7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZA zeCG#0`NePk@RxrC8t6ZP2|`eU5u6Z&Bov_uLs-HQo(M!F5|N2QRH6}`7{nwNv57-m z;t`(&BqR}uNkUSRk(?ByBo(PiLt4_2o(yCp6Pd|ERP^ zDMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~v zq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3?zU-3}y&J8OCr%Fp^P>W(;E) z$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu7 z3tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;=0DDGmUEov0vEZ&Wv+0QYh33B zH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN7 z1Pbt`P7Goai`c{=F7b#@0uqvl#3Ugp z$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SZ!x!W5w>#VAe*N>Yl_ zl%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^ z(uvM=p)1|!P7iw0i{A91Fa7Ax00t7kAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%Y zhrR4$KL zhdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83H-GrcKLQQ%pTGnmD8UF$ z2tpEy(1al@;RsIzA`*$nL?J5Ch)xV*5{uZxAujQVPXZE>h{PlzDalAq3R04a)TALT z=}1ooGLnhRWFafr$W9J&l8fBrAusvJPXP*2h{6=1D8(pF2})9m(v+brs7?)PQj6Nup)U2PPXij#h{iObDa~k33tG~O*0iB5?PyO2I?{>GbfGKV=uQuM z(u>~op)dXD&j1Dzz#s-QgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j% zV?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt$RQ4M zgrgkeI43yCDNgerXE@6_&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH; zm%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%Rd4Q_MgB6At=EJP6$F0iqM21Ea3=G z1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7P6|?ziqxbbE$K*41~QU~%w!=e z*~m@~a*~VODP6JlYEp~Z z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G-RMpadeV#D^r0{P=+6KK z62Kq^GlZcGV>lxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEA zV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$th0r zA7?nrInHx|i(KL|SGdYGu5*K%+~PKOxXV56^MHpu;xSKn$}^txf|tDFHE(#!JKpnw zk9^`YU--&5zVm~h{Ngu%_{%>64e_7A1R*HF2u=t>5{l4-AuQntPXrvz-t?g_{pimC1`@y^1~Y`A3}ZMW z7|AF`GlsE@V>}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw- zV?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqa^B-q8%Q?<-fs0(? zGFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIRGhg`1H@@?O zpZwxCfB4Hk0uA+_zyu*E!3a(WLK2G5gdr^92u}ne5{bw}Au7>`P7Goai`c{=F7b#@ z0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SZ!x!W5w> z#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQv zw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00t7kAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLhdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83H-GrcKLQQ& zpTGnmD8UF$2tpEy(1al@;RsIzA`*$nL?J5Ch)xV*5{uZxAujQVPXZE>h{PlzDalAq z3R04a)TALT=}1ooGLnhRWFafr$W9J&l8fBrAusvJPXP*2h{6=1D8(pF2})9m(v+br zs7?)PQj6Nup)U2PPXij#h{iObDa~k33tG~O*0iB5?PyO2I?{>G zbfGKV=uQuM(u>~op)dXD&j1Dzz#s-QgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+AT zn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLx zV?PHt$RQ4MgrgkeI43yCDNgerXE@6_&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP%fQLNd zF;95PGoJH;m%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%Rd4Q_n*K7At=EJP6$F0 ziqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7P6|?ziqxbbE$K*4 z1~QU~%w!=e*~m@~a*~VODP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G-RMpadeV#D z^r0{P=+6KK62Kq^GlZcGV>lxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+a zSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD z<2WZc$th0rA7?nrInHx|i(KL|SGdYGu5*K%+~PKOxXV56^MHpu;xSKn$}^txf|tDF zHE(#!JKpnwk9^`YU--&5zVm~h{Ngu%_{%>6jqsnq1R*HF2u=t>5{l4-AuQntPXrvz-t?g_{pimC1`@y^ z1~Y`A3}ZMW7|AF`GlsE@V>}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqa^B-q8 z%Q?<-fs0(?GFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIR zGhg`1H@@?OpZwxCfB4Hk0*&;azyu*E!3a(WLK2G5gdr^92u}ne5{bw}Au7>`P7Goa zi`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw% z0SZ!x!W5w>#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR z&1g;wTGEQvw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00t7kAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLhdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83 zH-GrcKLU;NpTGnmD8UF$2tpEy(1al@;RsIzA`*$nL?J5Ch)xV*5{uZxAujQVPXZE> zh{PlzDalAq3R04a)TALT=}1ooGLnhRWFafr$W9J&l8fBrAusvJPXP*2h{6=1D8(pF z2})9m(v+brs7?)PQj6Nup)U2PPXij#h{iObDa~k33tG~O*0iB5 z?PyO2I?{>GbfGKV=uQuM(u>~op)dXD&j1Dzz#s-QgrN*$I3pOzC`L1ev5aFp6PU;( zCNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+ z*vT$-vxmLxV?PHt$RQ4MgrgkeI43yCDNgerXE@6_&U1l_T;eiUxXLxIbAy}Q;x>1< z%RTP%fQLNdF;95PGoJH;m%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%Rd5*_MgB6 zAt=EJP6$F0iqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7P6|?z ziqxbbE$K*41~QU~%w!=e*~m@~a*~VODP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G z-RMpadeV#D^r0{P=+6KK62Kq^GlZcGV>lxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmON zW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L% zILILmbA+QD<2WZc$th0rKg0B}1q1*90IZj7+qP}nwr$(CZQHhO+qPXh>=SmHGo0ld z=efW|E^(PFT;&?qxxr0tahp5b-nMQ zr5Vj>K}%ZEnl`kh9qs8rM>^4&E_9_E-RVJ3deNIc^ravD8NfgWF_<9?Wf;R5!AM3i znlX%J9OIe5L?$trDNJP=)0x3cW-*&N%w-<)S-?UTv6v++Wf{v^!Ae%Knl-Ft9qZY^ zMmDjTEo@~Q+u6ZRcCnj1>}4POIlw^fMJ{ofD_rFo z*SWz>ZgHDC+~pqkdB8&+@t7w( z{N*13#`sS_0uh)X1SJ^32|-9g5t=ZBB^=?2Ktv)DnJ7dh8qtYCOkxq6IK(9$@ku~J z5|NlBBqbTiNkK|dk(xB5B^~L>Kt?i=nJi=_8`;T0PI8f(Jme)G`6)m_3Q?FM6r~u& zDM3j}QJON8r5xp{Kt(E1nJQGJ8r7*mO=?k_I@F~e^=Uvu8qt_0G^H8MX+cX`(V8~2 zr5)|*Ku0>!nJ#pt8{O$aPkPatKJ=v@{TaYO1~Hf+3}qO@8NoS|UJKW_S z_j$lW9`TqbJmneBdBICw@tQZhfTJ9`Q*)LK2afBqSvn$w@&< zQjwZ8q$M5c$v{Rjk(n%HB^%kvK~8d!n>^$tANeUjK?+frA{3<<#VJ8aN>Q3Jl%*Wy zsX#?4QJE@Kr5e?#K}~8=n>y5`9`$KJLmJVTCN!lP&1pePTG5&|w51*G=|D$1(U~rE zr5oMpK~H+on?CfVAN?7?Kn5|GAq-_0!x_OyMlqT(jAb0-nZQIQF_|e$Wg63&!Axc` zn>oy79`jkiLKd-@B`jqb%UQunR$y!A)*)n>*a)9`|{`Lmu&%Cp_gD z&w0U1Uh$eYyyYG5`M^g$@tH4t>it7{LiaNJ0^s zFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&Gw zGLe}qWF;Hf$w5wXk()f^B_H`IKtT#om?9LV7{w_;NlH=yOIp#IHngQ3?dd>AI? zr62tnz(58um>~>h7{eLCNJcT5F^pv#;I&HLPVF>)F6YHnEv4Y-JnU*}+bBv70^YWgq)Fz(Edim?IqJ7{@um zNltN^Go0ld=efW|E^(PFT;&?qxxr0tahp5b-nMQr5Vj>K}%ZEnl`kh9qs8rM>^4&E_9_E-RVJ3deNIc^ravD8NfgWF_<9? zWf;R5!AM3inlX%J9OIe5L?$trDNJP=)0x3cW-*&N%w-<)S-?UTv6v++Wf{v^!Ae%K znl-Ft9qZY^MmDjTEo@~Q+u6ZRcCnj1>}4POIlw^f zMJ{ofD_rFo*SWz>ZgHDC+~pqkdB8&+@t7w({N*13CiqW40uh)X1SJ^32|-9g5t=ZBB^=?2Ktv)DnJ7dh8qtYCOkxq6 zIK(9$@ku~J5|NlBBqbTiNkK|dk(xB5B^~L>Kt?i=nJi=_8`;T0PI8f(Jme)G`6)m_ z3Q?FM6r~u&DM3j}QJON8r5xp{Kt(E1nJQGJ8r7*mO=?k_I@F~e^=Uvu8qt_0G^H8M zX+cX`(V8~2r5)|*Ku0>!nJ#pt8{O$aPkPatKJ=v@{TaYO1~Hf+3}qO@8NoS|UJKW_S_j$lW9`TqbJmneBdBICw@tQZhfTJ9`Q*)LK2af zBqSvn$w@&^$tANeUjK?+frA{3<<#VJ8a zN>Q3Jl%*WysX#?4QJE@Kr5e?#K}~8=n>y5`9`$KJLmJVTCN!lP&1pePTG5&|w51*G z=|D$1(U~rEr5oMpK~H+on?CfVAN?7?Kn5|GAq-_0!x_OyMlqT(jAb0-nZQIQF_|e$ zWg63&!Axc`n>oy79`jkiLKd-@B`jqb%UQunR$y!A)*)n>*a)9`|{` zLmu&%Cp_gD&w0U1Uh$eYyyYG5`M^g$@tH4t>it z7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)U zG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H`IKtT#om?9LV7{w_;NlH=yOIp#IHngQ3?dd>AI?r62tnz(58um>~>h7{eLCNJcT5F^pv#;I&HLPVF>)F6YHnEv4Y-JnU*}+bBv70^YWgq)Fz(Edi zm?IqJ7{@umNltN^Go0ld=efW|E^(PFT;&?qxxr0tahp5b-nMQr5Vj>K}%ZEnl`kh9qs8rM>^4&E_9_E-RVJ3deNIc^ravD z8NfgWF_<9?Wf;R5!AM3inlX%J9OIe5L?$trDNJP=)0x3cW-*&N%w-<)S-?UTv6v++ zWf{v^!Ae%Knl-Ft9qZY^MmDjTEo@~Q+u6ZRcCnj1>}4POIlw^fMJ{ofD_rFo*SWz>ZgHDC+~pqkdB8&+@t7w({N*13rua`l0uh)X1SJ^32|-9g5t=ZBB^=?2Ktv)DnJ7dh z8qtYCOkxq6IK(9$@ku~J5|NlBBqbTiNkK|dk(xB5B^~L>Kt?i=nJi=_8`;T0PI8f( zJme)G`6)m_3Q?FM6r~u&DM3j}QJON8r5xp{Kt(E1nJQGJ8r7*mO=?k_I@F~e^=Uvu z8qt_0G^H8MX+cX`(V8~2r5)|*Ku0>!nJ#pt8{O$aPkPatKJ=v@{TaYO1~Hf+3}qO@ z8NoS|UJKW_S_j$lW9`TqbJmneBdBICw@tQZhfTJ z9`Q*)LK2afBqSvn$w@&^$tANeUjK?+fr zA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?#K}~8=n>y5`9`$KJLmJVTCN!lP&1peP zTG5&|w51*G=|D$1(U~rEr5oMpK~H+on?CfVAN?7?Kn5|GAq-_0!x_OyMlqT(jAb0- znZQIQF_|e$Wg63&!Axc`n>oy79`jkiLKd-@B`jqb%UQunR$y!A)*) zn>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5`M^g$@tH4t>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`6 z8OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H`IKtT#om?9LV7{w_;NlH=yOIp#IHngQ3?dd>A zI?r62tnz(58um>~>h7{eLCNJcT5F^pv#;I&HLPVF>)F6YHnEv4Y-JnU*}+bBv70^Y zWgq)Fz(Edim?IqJ7{@umNltN^Go0ld=efW|E^(PFT;&?qxxr0tahp5b-nMQr5Vj>K}%ZEnl`kh9qs8rM>^4&E_9_E-RVJ3 zdeNIc^ravD8NfgWF_<9?Wf;R5!AM3inlX%J9OIe5L?$trDNJP=)0x3cW-*&N%w-<) zS-?UTv6v++Wf{v^!Ae%Knl-Ft9qZY^MmDjTEo@~Q+u6ZRcCnj1>}4POIlw^fMJ{ofD_rFo*SWz>ZgHDC+~pqkdB8&+@t7w({N*13X82D)0uh)X1SJ^32|-9g5t=ZBB^=?2 zKtv)DnJ7dh8qtYCOkxq6IK(9$@ku~J5|NlBBqbTiNkK|dk(xB5B^~L>Kt?i=nJi=_ z8`;T0PI8f(Jme)G`6)m_3Q?FM6r~u&DM3j}QJON8r5xp{Kt(E1nJQGJ8r7*mO=?k_ zI@F~e^=Uvu8qt_0G^H8MX+cX`(V8~2r5)|*Ku0>!nJ#pt8{O$aPkPatKJ=v@{TaYO z1~Hf+3}qO@8NoS|UJKW_S_j$lW9`TqbJmneBdBICw@tQZhfTJ9`Q*)LK2afBqSvn$w@&^$t zANeUjK?+frA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?#K}~8=n>y5`9`$KJLmJVT zCN!lP&1pePTG5&|w51*G=|D$1(U~rEr5oMpK~H+on?CfVAN?7?Kn5|GAq-_0!x_Oy zMlqT(jAb0-nZQIQF_|e$Wg63&!Axc`n>oy79`jkiLKd-@B`jqb%UQunR$y!A)*)n>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5`M^g$@tH4t>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8of zKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H`IKtT#om?9LV z7{w_;NlH=yOIp#I zHngQ3?dd>AI?r62tnz(58um>~>h7{eLCNJcT5F^pv#;I&HLPVF>)F6YHnEv4Y-JnU z*}+bBv70^YWgq)Fz(Edim?IqJ7{@umNltN^Go0ld=efW|E^(PFT;&?qxxr0tahp5b z-nMQr5Vj>K}%ZEnl`kh9qs8rM>^4& zE_9_E-RVJ3deNIc^ravD8NfgWF_<9?Wf;R5!AM3inlX%J9OIe5L?$trDNJP=)0x3c zW-*&N%w-<)S-?UTv6v++Wf{v^!Ae%Knl-Ft9qZY^MmDjTEo@~Q+u6ZRcCnj1>}4PO zIlw^fMJ{ofD_rFo*SWz>ZgHDC+~pqkdB8&+@t7w( z{N*13=J-!Q0uh)X1SJ^32|-9g z5t=ZBB^=?2Ktv)DnJ7dh8qtYCOkxq6IK(9$@ku~J5|NlBBqbTiNkK|dk(xB5B^~L> zKt?i=nJi=_8`;T0PI8f(Jme)G`6)m_3Q?FM6r~u&DM3j}QJON8r5xp{Kt(E1nJQGJ z8r7*mO=?k_I@F~e^=Uvu8qt_0G^H8MX+cX`(V8~2r5)|*Ku0>!nJ#pt8{O$aPkPat zKJ=v@{TaYO1~Hf+3}qO@8NoS|UJKW_S_j$lW9`TqbJmneBdBICw@tQZh zfTJ9`Q*)LK2afBqSvn$w@&^$tANeUjK?+frA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?#K}~8=n>y5` z9`$KJLmJVTCN!lP&1pePTG5&|w51*G=|D$1(U~rEr5oMpK~H+on?CfVAN?7?Kn5|G zAq-_0!x_OyMlqT(jAb0-nZQIQF_|e$Wg63&!Axc`n>oy79`jkiLKd-@B`jqb%UQun zR$y!A)*)n>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5`M^g$@tH4t z>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a z5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H`I zKtT#om?9LV7{w_;NlH=yOIp#IHngQ3?dd>AI?r62tnz(58um>~>h7{eLCNJcT5 zF^pv#;I&HLPVF>)F6Y zHnEv4Y-JnU*}+bBv70^YWgq)Fz(Edim?IqJ7{@umNltN^Go0ld=efW|E^(PFT;&?q zxxr0tahp5b-nMQr5Vj>K}%ZEnl`kh z9qs8rM>^4&E_9_E-RVJ3deNIc^ravD8NfgWF_<9?Wf;R5!AM3inlX%J9OIe5L?$tr zDNJP=)0x3cW-*&N%w-<)S-?UTv6v++Wf{v^!Ae%Knl-Ft9qZY^MmDjTEo@~Q+u6ZR zcCnj1>}4POIlw^fMJ{ofD_rFo*SWz>ZgHDC+~pqk zdB8&+@t7w({N*137Whv<0uh)X z1SJ^32|-9g5t=ZBB^=?2Ktv)DnJ7dh8qtYCOkxq6IK(9$@ku~J5|NlBBqbTiNkK|d zk(xB5B^~L>Kt?i=nJi=_8`;T0PI8f(Jme)G`6)m_3Q?FM6r~u&DM3j}QJON8r5xp{ zKt(E1nJQGJ8r7*mO=?k_I@F~e^=Uvu8qt_0G^H8MX+cX`(V8~2r5)|*Ku0>!nJ#pt z8{O$aPkPatKJ=v@{TaYO1~Hf+3}qO@8NoS|UJKW_S_j$lW9`TqbJmneB zdBICw@tQZhfTJ9`Q*)LK2afBqSvn$w@&^$tANeUjK?+frA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?# zK}~8=n>y5`9`$KJLmJVTCN!lP&1pePTG5&|w51*G=|D$1(U~rEr5oMpK~H+on?CfV zAN?7?Kn5|GAq-_0!x_OyMlqT(jAb0-nZQIQF_|e$Wg63&!Axc`n>oy79`jkiLKd-@ zB`jqb%UQunR$y!A)*)n>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5 z`M^g$@tH4t>it7{LiaNJ0^sFoY!>;fX**A`zJ= zL?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wX zk()f^B_H`IKtT#om?9LV7{w_;NlH=yOIp#IHngQ3?dd>AI?r62tnz(58um>~>h z7{eLCNJcT5F^pv#;I& zHLPVF>)F6YHnEv4Y-JnU*}+bBv70^YWgq)Fz(Edim?IqJ7{@umNltN^Go0ld=efW| zE^(PFT;&?qxxr0tahp5b-nMQr5Vj> zK}%ZEnl`kh9qs8rM>^4&E_9_E-RVJ3deNIc^ravD8NfgWF_<9?Wf;R5!AM3inlX%J z9OIe5L?$trDNJP=)0x3cW-*&N%w-<)S-?UTv6v++Wf{v^!Ae%Knl-Ft9qZY^MmDjT zEo@~Q+u6ZRcCnj1>}4POIlw^fMJ{ofD_rFo*SWz> zZgHDC+~pqkdB8&+@t7w({N*13 zmiSLV0uh)X1SJ^32|-9g5t=ZBB^=?2Ktv)DnJ7dh8qtYCOkxq6IK(9$@ku~J5|NlB zBqbTiNkK|dk(xB5B^~L>Kt?i=nJi=_8`;T0PI8f(Jme)G`6)m_3Q?FM6r~u&DM3j} zQJON8r5xp{Kt(E1nJQGJ8r7*mO=?k_I@F~e^=Uvu8qt_0G^H8MX+cX`(V8~2r5)|* zKu0>!nJ#pt8{O$aPkPatKJ=v@{TaYO1~Hf+3}qO@8NoS|UJKW_S_j$lW z9`TqbJmneBdBICw@tQZhfTJ9`Q*)LK2afBqSvn$w@&^$tANeUjK?+frA{3<<#VJ8aN>Q3Jl%*WysX#?4 zQJE@Kr5e?#K}~8=n>y5`9`$KJLmJVTCN!lP&1pePTG5&|w51*G=|D$1(U~rEr5oMp zK~H+on?CfVAN?7?Kn5|GAq-_0!x_OyMlqT(jAb0-nZQIQF_|e$Wg63&!Axc`n>oy7 z9`jkiLKd-@B`jqb%UQunR$y!A)*)n>*a)9`|{`Lmu&%Cp_gD&w0U1 zUh$eYyyYG5`M^g$@tH4t>it7{LiaNJ0^sFoY!> z;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}q zWF;Hf$w5wXk()f^B_H`IKtT#om?9LV7{w_;NlH=yOIp#IHngQ3?dd>AI?r62tn zz(58um>~>h7{eLCNJcT5F^pv#;I&HLPVF>)F6YHnEv4Y-JnU*}+bBv70^YWgq)Fz(Edim?IqJ7{@umNltN^ zGo0ld=efW|E^(PFT;&?qxxr0tahp5b-n zMQr5Vj>K}%ZEnl`kh9qs8rM>^4&E_9_E-RVJ3deNIc^ravD8NfgWF_<9?Wf;R5 z!AM3inlX%J9OIe5L?$trDNJP=)0x3cW-*&N%w-<)S-?UTv6v++Wf{v^!Ae%Knl-Ft z9qZY^MmDjTEo@~Q+u6ZRcCnj1>}4POIlw^fMJ{of zD_rFo*SWz>ZgHDC+~pqkdB8&+@t7w({N*13R`^dq0uh)X1SJ^32|-9g5t=ZBB^=?2Ktv)DnJ7dh8qtYCOkxq6IK(9$ z@ku~J5|NlBBqbTiNkK|dk(xB5B^~L>Kt?i=nJi=_8`;T0PI8f(Jme)G`6)m_3Q?FM z6r~u&DM3j}QJON8r5xp{Kt(E1nJQGJ8r7*mO=?k_I@F~e^=Uvu8qt_0G^H8MX+cX` z(V8~2r5)|*Ku0>!nJ#pt8{O$aPkPatKJ=v@{TaYO1~Hf+3}qO@8NoS|U zJKW_S_j$lW9`TqbJmneBdBICw@tQZhfTJ9`Q*)LK2afBqSvn z$w@&^$tANeUjK?+frA{3<<#VJ8aN>Q3J zl%*WysX#?4QJE@Kr5e?#K}~8=n>y5`9`$KJLmJVTCN!lP&1pePTG5&|w51*G=|D$1 z(U~rEr5oMpK~H+on?CfVAN?7?Kn5|GAq-_0!x_OyMlqT(jAb0-nZQIQF_|e$Wg63& z!Axc`n>oy79`jkiLKd-@B`jqb%UQunR$y!A)*)n>*a)9`|{`Lmu&% zCp_gD&w0U1Uh$eYyyYG5`M^g$@tH4t>it7{Lia zNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR z>B&GwGLe}qWF;Hf$w5wXk()f^B_H`IKtT#om?9LV7{w_;NlH=yOIp#IHngQ3?dd>AI?r62tnz(58um>~>h7{eLCNJcT5F^pv#;I&HLPVF>)F6YHnEv4Y-JnU*}+bBv70^YWgq)Fz(Edim?IqJ z7{@umNlyJ|m>#x(0001h^|Ec-wr$(CZQHhO+qP}nwrhud!Z^(t&T@|PT;L*?xXcx< za*gZU;3l`Y%^mJ?kNZ5}A&+>>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*K zAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p z8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SM zlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w z>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5z za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a&({3jrR z2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13> z7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jz zvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-? z@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9iYyBr6fe1_xf)b42gdilL z2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*Fb zAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9 zjq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!R zANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@| zi&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9S zoZuv;3J>-%oo1$jqm*6C%^d3AO7->0PFlGAb|)>5P}kn;DjI~p$JVF!V-?~L?9xO zh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>Y zjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J3 z7{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1x zo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj* z+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w z@{a%;{3jrR2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+M zj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR z6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX& zJm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9i8~rCBfe1_x zf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}! zNKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRe zpdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+ zjqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$ z9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#R zhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0Gs?LAb|)>5P}kn;DjI~p$JVF z!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3 zeBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvH zpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$ zjNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D? z8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH} zm$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl z{NN|Q_{|^w@{a&p{3jrR2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S` zpe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cq zj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZb zx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9i zTm2^>fe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQm zl9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~ zC`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Y zpd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_F zjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q z9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0Nea0Ab|)>5P}kn z;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0 zuXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{ zs7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWO zU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3Ke zjODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd z8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?Z zpZLrdzVeOl{NN|Q_{|^w@{a&J{3jrR2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1 z=)@oeQenwWv)U>QayTG@v1k zXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}Gj zU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8= zzxd4`{_>9iJN+jhfe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p> z_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrB zic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!e zXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~ zU?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet? zjqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0K5Dr zAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP z> z6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV= zs#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob z=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKz zU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=q zjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR z8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a&}{3jrR2uu)y5{%%4AS9s(O&G!wj_^bv zB9Vwp6rvK1=)@oeQenwWv)U z>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG z7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@d zU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p z7rye1@BH8=zxd4`{_>9id;KRMfe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6 zCb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp z{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800 zn$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A z7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^ zU?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3 zAO7->0Q>wWAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}Y zA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&s zC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;## zy3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7 zn9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7 z;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpS zjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a%q{3jrR2uu)y5{%%4AS9s( zO&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ z`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsv zSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkG zj`w`vBcJ%p7rye1@BH8=zxd4`{_>9i2mL1?fe1_xf)b42gdilL2u&Em5{~dhAR>{7 zOcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzg zC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk# z`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*Z zhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9Up zSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$ zjqm*6C%^d3AO7->0Ehf1Ab|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVh zO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJ zOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2 z_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmD zrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm z*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w z;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a&V{3jrR2uu)y z5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o z?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s z<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a z;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9iNBt)tfe1_xf)b42gdilL2u&Em z5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q` zOct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22( zCbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad z{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GO zma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv< zIL#T(a*p#{;3Ai}%oVP3jqBXtCbziF9qw|E`#j(wk9f=zp7M<6yx=9Tc+DH$@{ad> z;3J>-%oo1$jqm*6C%^d3AO7->0LT0%Ab|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis z5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g z5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhU zC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S= z@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2 zwz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+ zxXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a%~ z{3jrR2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn* zBc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb z>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZ zc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9iC;cZNfe1_xf)b42 zgdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2j zl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1 zOckn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcI zC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q z`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g; zj&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0H^#XAb|)>5P}kn;DjI~p$JVF!V-?~ zL?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP#&>@3lVAMi4}bYbfYbgH zkU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyt za#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib` z2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}RZ_6OcdzCI~?ZMsPw9 zl2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_ zRjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ z#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI- zkw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oV zc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZv zb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C8 z3}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf! zu##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>! z$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW) z3t#!hcYg4bU;O3|fB8p%bN&;MKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8j zlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N) zehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}g zO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05 zjAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2 z#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi z4}bYbfb;$nkU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={H zkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GI zaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc z$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}Q0d6Ocdz zCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=t zc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUV zUFk-5deDAZhTiM2TcCeFO>}C&p*~fkk zaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=Y zCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`l zkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_ zb!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799 zed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J- zEM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5L zaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo z$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%Oa2p(Km;ZTK?z21LJ*QrgeDAO2}gJ$5Rphk zCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+L zlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$V zeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UH zLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY} zaFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll> z#&>@3lVAMi4}bYbfXn_9kU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KM zCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)W zkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&F zaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}Q zM}RB-6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3| zl2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**h zdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO z>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoS zCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnx zkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0( zcY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh| z9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I z@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%YyK0EKm;ZTK?z21LJ*QrgeDAO z2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJe zCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dX zlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJ ze+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3s zOIgNpR)oEPH>V_ zoaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M` z@R3h^<_ll>#&>@3lVAMi4}bYbfb0GfkU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MR ziAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{G zCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC z@RMKs<_~}QM}Qmt6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}L ziAQ`AkdQ@0t zrU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%w zl2){)4Q**hdpgjOPIRUVUFk-5deDAZh zTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+- zNk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!V zrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZ zkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJ zbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>EL zd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMy zJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%TmBP}Km;ZTK?z21 zLJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk% zNk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1Vh zrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9 zlV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5u zd={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAv zyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfZP5PkU#_`2tf%(a6%B0P=qE7VF^cg zA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w) z$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz| zkUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxG zeC7*Z`NnsC@RMKs<_~}QM}Ry26OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$ zVi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zzn zrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p( zSGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK z5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8 zDMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cP zrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_% zkx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7 zc6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUj zce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%d;SxU zKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X> zQjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2 zDMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7b zrVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*d zlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^U zPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfcyRvkU#_`2tf%(a6%B0 zP=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+V zGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*D zrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8 zZ+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}P@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~ zsYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pV zc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*b zSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n9 z3Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^Pnn zX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P> zW(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9guf zkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(t zb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3| zfB8p%NB$F#Km;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5 zL?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYyc zN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APh zX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2 zW(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7 zeID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfXDt5kU#_` z2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0z zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;( zb6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}Q~(6OcdzCI~?ZMsPw9l2C*u z3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdG zYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$? zl2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=) z3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xD zT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v z8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J z8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1* zW({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPr zkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!h zcYg4bU;O3|fB8p%XZ{nAKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i z4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^K zLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7R zTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD z8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFR zlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYb zfam@bkU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV z2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5< zQk13)WhqB_Do~M1RHh15sYZ2bP?K8JrVe$fM|~R5kVZ772~BB6b6U`nRY(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~ zkVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}Qap6OcdzCI~?Z zMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tm zN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5 zdeDAZhTiM2TcCeFO>}C&p*~fkkaF9bB z<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ- zM|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ z3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$P zTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk z1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^Hy zS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD; z<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2T zkxzW)3t#!hcYg4bU;O3|fB8p%SN;=_Km;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrB zMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E` z4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^ zMl_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?! zMlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH^%+hxVWZ$dUz6aNgLq zZQHhO+qP}nwr$(CZQHXM8`ar=aH6a07N-nMQr5Vj>K}%ZEnl`kh9qs8rM>^4& zE_9_E-RVJ3deNIc^ravD8NfgWF_<9?Wf;R5!AM3inlX%J9OIe5L?$trDNJP=)0x3c zW-*&N%w-<)S-?UTv6v++Wf{v^!Ae%Knl-Ft9qZY^MmDjTEo@~Q+u6ZRcCnj1>}4PO zIlw^fMJ{ofD_rFo*SWz>ZgHDC+~pqkdB8&+@t7w( z{N*13-sqoz1R^j&2ud)56M~S0 zA~azLOE|(4frvyRGEs<1G@=uOn8YGBafnMi;*)@cBqA|MNJ=u2lY*3_A~k79OFGh% zfsAA#Gg-(=HnNk0oa7=mdB{sX@>76<6rwOiC`vJkQ-YF|qBLbFOF7C@fr?b3GF7Nb zHL6pCn$)5;b*M`{>eGORG@>z0Xi77h(}I??qBU)3OFP=rfsS;dGhOIPH@ee zEMhTBSjsY%vx1eZVl``6%R1JxfsJfpGh5ioHny{ao$O*ad)Ui9_H%%P9O5uXILa}O zbApqc;xuPC%Q?<-fs0(?GFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L^MaSW;x%u0 z%RAolfscIRGhg`1H@@?OpZwxCfB4Hk0=(5f0SQE4f)JEo1SbR`2}Nka5SDO+Cjt?P zL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u z2RX?_Zt{?qeB`G91t~;ficpkd6sH6wDMe|@P?mC(rveqJL}jW_m1+=(3WeG#AU83dBtnq@RoPH=K~-4#Am+n zm2Z6K2S546Z~pL?e*}1^e*zMSzyu*E!3a(WLK2G5gdr^92u}ne5{bw}Au7>`P7Goa zi`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw% z0SZ!x!W5w>#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR z&1g;wTGEQvw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00uIM!3<$2!x+v8Mly=g zjA1O}7|#SIGKtAdVJg#@&J1QUi`mR!F7uer0v57}#Vlbd%UI3|R~-sYydx(vhAFWF!-r$wF4Lk)0gmBp12KLtgTcp8^!55QQm1QHoKV z5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB z+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1 znZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4 zWEZ>H!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67TwNFfSSgrXFqI3*}aDN0j@vXrAd z6{tuhDpQ53RHHgIs7WnqQ-`|LqdpC2NFy54gr+p3IW1^OD_YZrwzQ)?9q33WI@5)& zbfY^x=t(bn(}%wFqdx-}$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?= zGl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt z$RQ4MgrgkeI43yCDNb{Svz+5R7r4kJE^~#eT;n=7xXCSUbBDX!<30~~$Ri%}gr_{? zIWKt0D_--4x4h#$ANa^8KJ$gIeB(Pm_{lGR^M}9uBfv-f6OcdzCI~?ZMsPw9l2C*u z3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdG zYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$? zl2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y8eQenwWv)U>QayT zG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alc zGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1 z@BH8=zxd4`{_>9ipY=~b0uh)X1SJ^32|-9g5t=ZBB^=?2Ktv)DnJ7dh8qtYCOkxq6 zIK(9$@ku~J5|NlBBqbTiNkK|dk(xB5B^~L>Kt?i=nJi=_8`;T0PI8f(Jme)G`6)m_ z3Q?FM6r~u&DM3j}QJON8r5xp{Kt(E1nJQGJ8r7*mO=?k_I@F~e^=Uvu8qt_0G^H8M zX+cX`(V8~2r5)|*Ku0>!nJ#pt8{O$aPkPatKJ=v@{TaYO1~Hf+3}qO@8NoS|UJKW_S_j$lW9`TqbJmneBdBICw@tQZhlYxw6A~RXYN;a~SgPi0dH+jfQKJrt5f)t`KMJP%!ic^A; zl%h0cC`&oYQ-O+9qB2#eN;RregPPQ$Hg%{=J?hhdhBTrvO=wCpn$v=ow4ya_XiGcV z(}9k3qBC9SN;kUGgP!!FH+|?!Kl(F(fed0WLm0|1hBJbZjAArn7|S@uGl7XrVlq>h z$~2}kgPF`?HglNEJm#~2g)Cw*OIXS>ma~GDtYS55Sj#%rvw@9lVl!LV$~LyMgPrVR zH+$I2KK65fgB;>8M>xtcj&p*OoZ>WRILkTCbAgLo;xbpb$~CTYgPYvqHg~woJ?`^> zhdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83H-GrcKLUK!KLH6uV1f{o zU<4-wAqhoj!Vs2lgeL+Ki9}?g5S3^|Ck8QzMQq{_mw3b{0SQS&Vv>-QWF#jADM>|Y z(vX&Pq$dLz$wX$dkd00k*TVTw?cViczYB`HN|%21Yal&1m} zsYGR}P?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3Ng< zrw2XhMQ{4hmwxnT00SAsV1_W1VGL&kBN@eL#xRy~jAsH9nZ#tKFqLUcX9hEw#cbv< zmwC)*0Sj5gVwSL!Wh`d}D_O;A*07d!tY-ro*~DhHu$66WX9qjk#cuYnmwoK#00%k5 zVUBQ=V;tuMCppDw&Ty7q#cl3zmwVjj0S|e^W1jGoXFTTx zFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%bmwyEKrhftwh`h{PlzDalAq3R04a)TALT=}1ooGLnhR zWFafr$W9J&l8fBrAusvJPXP*2h{6=1D8(pF2})9m(v+brs7?)P zQj6Nup)U2PPXij#h{iObDa~k33tG~O*0iB5?PyO2I?{>GbfGKV=uQuM(u>~op)dXD z&j1E8h`|hDD8m@e2u3oB(Trg%;~38bCNhc1Okpb1n9dAlGK<;FVJ`ES&jJ>*h{Y^n zDa%;S3Rbd;)vRGH>sZeQHnNG$Y+)*>T;VF$xXul3a*NyC;V$>M&jTLvh{rtPDbIM$3tsYy*Sz5^?|9D# zKJtmreBmqK_|6Z0@{8a6;V=IP@Lm4|BoKiKLQsMcoDhU06rl-2Si%vW2t*_jk%>Z7 zq7j`K#3UB6i9=lC5uXGkBoT>8LQ;~EoD`%a6{$%>TGEl83}hq|naM&{vXPw}F`or2WD$#5!cvy8oE5BO6{}gp zTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7ZARlxi$tXrMhOvxe zJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$ zt!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|y zZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{3F0m z{S%Nt1SSYU2}W>25Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+- zNk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!V zrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZ zkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJ zbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>EL zd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMy zJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%U-~B?fe1_xf)b42 zgdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2j zl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1 zOckn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcI zC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q z`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g; zj&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0KfH5Kmrk%AOs~C!3jY~LJ^uUge4r| zi9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*)LK2afBqSvn$w@&^$tANeUjK?+frA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?#K}~8= zn>y5`9`$KJLmJVTCN!lP&1pePTG5&|w51*G=|D$1(U~rEr5oMpK~H+on?CfVAN?7? zKn5|GAq-_0!x_OyMlqT(jAb0-nZQIQF_|e$Wg63&!Axc`n>oy79`jkiLKd-@B`jqb z%UQunR$y!A)*)n>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5`M^g$ z@tH4tF-b^DGLn;ml%ygxX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+ zOFr^bfPxgFFhwXzF^W@yl9Zw}WhhHI%2R=gRH8Cfs7f`eQ-hk+qBeD?OFin-fQB@p zF->SnGn&(amb9WZZD>n7+S7rKbfPm|=t?)b(}SM$qBni$OF#NEfPoBRFhdy1ForXN zk&I$AV;IXg#xsG5Oky%qn94M!GlQATVm5P_%RJ_@fQ2k#F-us=GM2M~m8@blYgo%V z*0X_)Y+^H8*vdAxvxA-NVmEu(%RcsVfP)<3Fh@AbF^+SBlbqr-XE@6_&U1l_T;eiU zxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH;m%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK z;x~Wz%Rd7A)jt6VL|}ptlwbrW1R)7UXu=SdaD*oU5s5@(q7ap6L?;F@iA8MU5SMtw zCjkjbL}HSVlw>3)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX$whARke7VqrvL>hL}7|h zlwuU81SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbs zYueD3cC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#>ag1jI z6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3L zY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{1SdJgY0hw#bDZY_7rDe`u5guWT;~Qixy5bn zaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk@RxrC_@{pY z5{SSAAt=EJP6$F0iqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7 zP6|?ziqxbbE$K*41~QU~%w!=e*~m@~a*~VODP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP; z&UB$G-RMpadeV#D^r0{P=+6KKGKj$pVJO2G&Im>_iqVW=EaMo@1ST?x$xLA?)0oZ- zW-^P}%waC`n9l+hvWUejVJXX4&I(qtiq))PE$dj%1~#&Z&1_*S+t|(ycCw4z>|rna z*v|nDa)`qm;V8#A&IwL(iqo9oEay1S1uk-l%Ut0q*SO9NZgPv;+~F?wxX%L~@`%Sg z;VI8}&I?}hir2j1E$?{G2R`zN&wSx4-}ufCe)5ao{NXSEQ2+l|K<_{VCI~?ZMsPw9 zl2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_ zRjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ z#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y8g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{ zs7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWO zU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3Ke zjODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd z8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?Z zpZLrdzVeOl{NN|Q_{|^w@(X`DA}~P+N-%;Gf{=tFG+_u!IKmTwh(sbXQHV-3 zq7#Fd#3D9vh)X=;lYoRIA~8uwN-~m@f|R5pHEBpoI?|JYjASA+S;$H@vXg_HI4f|8V?G-W7DIm%Okid3R9Rj5ies#AlS)S@Q6^rAO?=u1EPGk}2%VlYD($}omA zf{~13G-DXcIL0%9iA-WLQ<%y$rZa|!^2*vmflbAW>!;xI=z$}x^}f|H!$G-o)=InHx|i(KL| zSGdYGu5*K%+~PKOxXV56^MHpu;xSKn$}^txf|tDFHE(#!JKpnwk9^`YU--&5zVm~h z{Ngu%_{%?h^aK1yKmrk%AOs~C!3jY~LJ^uUge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ z9`Q*)LK2afBqSvn$w@&^$tANeUjK?+fr zA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?#K}~8=n>y5`9`$KJLmJVTCN!lP&1peP zTG5&|w51*G=|D$1(U~rEr5oMpK~H+on?CfVAN?7?Kn5|GAq-_0!x_OyMlqT(jAb0- znZQIQF_|e$Wg63&!Axc`n>oy79`jkiLKd-@B`jqb%UQunR$y!A)*) zn>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5`M^g$@tH4teQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn* zBc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb z>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZ zc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_+n$`vLwVAb|)>5P}kn z;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0 zuXxQH-tvz3eBdLW_{eQen zwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd7 z3}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZ zvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`v zBcJ%p7rye1@BH8=zxd4`{_+op`~m(WAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis z5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{25Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{ zafwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j z6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee z(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E) z$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu7 z3tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8Ez zTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fBA>u zet`c7NFV|egrEc?I3Wm0C_)p4u!JK#5r{}6A`^wEL?b#eh)FDB6Nk9OBR&a8NFoxG zgrp=RIVngTwNFfSSgrXFqI3*}a zDN0j@vXrAd6{tuhDpQ53RHHgIs7WnqQ-`|LqdpC2NFy54gr+p3IW1^OD_YZrwzQ)? z9q33WI@5)&bfY^x=t(bn(}%wFqdx-}$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVp zOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$- zvxmLxV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R7r4kJE^~#eT;n=7xXCSUbBDX!<30~~ z$Ri%}gr_{?IWKt0D_--4x4h#$ANa^8KJ$gIeB(Pm_{lGR^M}9u!^NHe{}GTt1SSYU z2}W>25Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoS zCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnx zkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0( zcY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh| z9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I z@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fBAAb|)>5P}kn;DjI~p$JVF z!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaPlxi$tXrMhOvxeJQJA6 zBqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gE zJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb z+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{KGMSfd2?c zAOaJFpadg0AqYt*LKB9tgd;o=h)5(N6NRWmBRVmNNi1R$hq%NeJ_$%jA`+8?q$DFb zDM(2wQj>hfi zl%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK z$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$ zKLlxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+a zSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD z<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy- zhPS-qJsKlsTne)EUF{KFGpfd2?cAOaJFpadg0AqYt*LKB9tgd;o= zh)5(N6NRWmBRVmNNi1R$hq%NeJ_$%jA`+8?q$DFbDM(2wQj>hfil%qTqs7NI$Q-!KjqdGOHNiAwq zhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%Z zAO&aK$t-3whq=sSJ_}gLA{MiRr7UAP zD_F@YR>(8$u4%YhrR4$KLlxi z$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9? zJsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M? zt6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTn ze)EUF{KNBpfd2?cAOaJFpadg0AqYt*LKB9tgd;o=h)5(N6NRWmBRVmNNi1R$hq%Ne zJ_$%jA`+8?q$DFbDM(2wQj>hfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezA zTGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLlxi$tXrMhOvxeJQJA6BqlS3sZ3)! zGnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q z>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j z^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{6lF^fd2?cAOaJFpadg0 zAqYt*LKB9tgd;o=h)5(N6NRWmBRVmNNi1R$hq%NeJ_$%jA`+8?q$DFbDM(2wQj>hfil%qTqs7NI$ zQ-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5 zNiTZShraZqKLZ%ZAO&aK$t-3whq=sS zJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLlxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEA zV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~A zhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{6kq^fd2?cAOaJFpadg0AqYt*LKB9tgd;o=h)5(N6NRWm zBRVmNNi1R$hq%NeJ_$%jA`+8?q$DFbDM(2wQj>hfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{ zBO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLlxi$tXrMhOvxe zJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$ zt!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|y zZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{6k4^ zfd2?cAOaJFpadg0AqYt*LKB9tgd;o=h)5(N6NRWmBRVmNNi1R$hq%NeJ_$%jA`+8? zq$DFbDM(2wQj>hfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8 z=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%Y zhrR4$KLlxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm z%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILm zbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q z$tzy-hPS-qJsKlsTne)EUF{6jf^fd2?cAOaJFpadg0AqYt*LKB9t zgd;o=h)5(N6NRWmBRVmNNi1R$hq%NeJ_$%jA`+8?q$DFbDM(2wQj>hfil%qTqs7NI$Q-!KjqdGOH zNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZq zKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiR zr7UAPD_F@YR>(8$u4%YhrR4$KLlxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT} zhPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujg zB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJs zKlsTne)EUF{KF_ufd2?cAOaJFpadg0AqYt*LKB9tgd;o=h)5(N6NRWmBRVmNNi1R$ zhq%NeJ_$%jA`+8?q$DFbDM(2wQj>hfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5D zEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLlxi$tXrMhOvxeJQJA6BqlS3 zsZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uC zcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnE zc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{KFVufd2?cAOaJF zpadg0AqYt*LKB9tgd;o=h)5(N6NRWmBRVmNNi1R$hq%NeJ_$%jA`+8?q$DFbDM(2w zQj>hfil%qTq zs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{d zqdPt5NiTZShraZqKLZ%ZAO&aK$t-3w zhq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLlxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4 zvxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc z$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-q zJsKlsTne)EUF{KE)ufd2?cAOaJFpadg0AqYt*LKB9tgd;o=h)5(N z6NRWmBRVmNNi1R$hq%NeJ_$%jA`+8?q$DFbDM(2wQj>hfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0G zJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@Y zR>(8$u4%YhrR4$KL5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVh zO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{ zNkn3jkd$O3Cj}`YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7 zmUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0U zWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-; zJK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT z+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN71V||V1SAlF z2|`eU5u6Z&Bov_uLs-HQo(M!F5|N2QRH6}`7{nwNv57-m;t`(&BqR}uNkUSRk(?By zBo(PiLt4_2o(yCp6Pd|ERP^DMC?-QJfN#q!gtoLs`mE zo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@Wo zSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rB zvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ> z9OMv(Il@tnahwyJ25Ry=Y zCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`l zkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_ zb!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799 zed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J- zEM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5L zaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo z$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%#PUx-0uh)X1SJ^32|-9g5t=ZBB^=?2Ktv)D znJ7dh8qtYCOkxq6IK(9$@ku~J5|NlBBqbTiNkK|dk(xB5B^~L>Kt?i=nJi=_8`;T0 zPI8f(Jme)G`6)m_3Q?FM6r~u&DM3j}QJON8r5xp{Kt(E1nJQGJ8r7*mO=?k_I@F~e z^=Uvu8qt_0G^H8MX+cX`(V8~2r5)|*Ku0>!nJ#pt8{O$aPkPatKJ=v@{TaYO1~Hf+ z3}qO@8NoS|UJKW_S_j$lW9`TqbJmneBdBICw@tQZh+=(3WeG#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL? ze*{P>{{$oufeAuTf)Sh$gd`N92}4-I5uOM{BodK{LR6v=ofyO<7O{y#T;dU*1SBL8 ziAh3Il98Mgq$CxoNkdxFk)8}>Bomp*LRPYoogCyO7rDtpUhr zl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu z(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^ z!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZVWD}d&!dAAiogM6C z7rWWRUiPt{103WKhdIJgj&Yn5oa7XzIm21bah?lYUG8z8 z2R!5vk9opVp7ER)yyO+HdBa=Y@tzNSQjn5V zq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuK zP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^ zMt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW z4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3 zUhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfaLN|Kmrk%AOs~C!3jY~LJ^uU zge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*)LK2afBqSvn$w@&^$tANeUjK?+frA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?# zK}~8=n>y5`9`$KJLmJVTCN!lP&1pePTG5&|w51*G=|D$1(U~rEr5oMpK~H+on?CfV zAN?7?Kn5|GAq-_0!x_OyMlqT(jAb0-nZQIQF_|e$Wg63&!Axc`n>oy79`jkiLKd-@ zB`jqb%UQunR$y!A)*)n>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5 z`M^g$@tH4t-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd00k*TVTw?cViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv z0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3Ngq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T z=LbLe#c%%bmwyCEDgOi{5P=CoP=XPh5QHQYp$S7+!V#VbL?jZCi9%GO5uF&sBo?uW zLtNq!p9CZ%5s67cQj(FJ6r>~-sYydx(vhAFWF!-r$wF4Lk)0gmBp12KLtgTcp8^!5 z5QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A7 z7PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k z#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg z*}_(~v7H_4WEZ>H!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67 zCL?#MRiAHo{5R+KMCJu3lM|={HkVGUV z2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5< zQk13)WhqB_Do~M1RHh15sYZ2bP?K8JrVe$fM|~R5kVZ772~BB6b6U`nRY(34*DrVoATM}Gz|kU z;3J>-%oo1$jqm*6C%^d3AO7->0IB^aAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis z5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{Cm?|cOb~(+jNpVIB%ugR7{U^c@I)XYk%&wbq7seh#2_ZIh)o>g z5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhU zC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S= z@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2 zwz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+ zxXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a&% z{U;!S2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn* zBc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb z>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZ zc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9i>HH@kfe1_xf)b42 zgdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2j zl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1 zOckn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcI zC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q z`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g; zj&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0O|cFAb|)>5P}kn;DjI~p$JVF!V-?~ zL?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW z_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQD zOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6 zB%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo z^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lo zu5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q z_{|^w@{a%+{U;!S2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3zn zO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)j zB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6 z?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9infxap zfe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(% zq#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4 zQjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2= zOc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_ zCbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2 z{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0Ga(KAb|)>5P}kn;DjI~ zp$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH z-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q} zQjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S z%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCg zC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N! z^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrd zzVeOl{NN|Q_{|^w@{a&n{U;!S2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@o< zv4~9^;u4SeBp@M)NK6uvl8oe}ASJ0tO&ZdYj`U<8Bbmrd7P69!?BpOPxyVf(@{*7I z6rdo5C`=KGQjFr1pd_UzO&Q8kj`CEXB9*926{=E=>eQenwWv)U>QayTG@v1kXiO8D z(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$ z%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4` z{_>9i+59IUfe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9 ziAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z? zl%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1 z(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4 z%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7U zC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0NMQ~Ab|)> z5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n z=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W z)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE` z(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG z%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c( zB&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc z_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a&H{U;!S2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp z6rvK1=)@oeQenwWv)U>QayT zG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alc zGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1 z@BH8=zxd4`{_>9ix%?*}fe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W3 z9O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)d zg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEs zw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^Q zGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@ z%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7-> z0J;4qAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E## z5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNA zm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA z^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsK zGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M z%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=I zC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a&{{U;!S2uu)y5{%%4AS9s(O&G!w zj_^bvB9Vwp6rvK1=)@oeQen zwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd7 z3}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZ zvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`v zBcJ%p7rye1@BH8=zxd4`{_>9i`TQp!fe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbIL zjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ? z9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+ zjc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!d zj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&N zvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6 zC%^d3AO7->0QvnVAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9 zkN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{Nkn3j zkd$O3Cj}`YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK z10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5c zX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-;JK4o< z_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xg zdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN71Sse~0SQE4f)JEo z1SbR`2}Nka5SDO+Cjt?PL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$aNkwYX zkd}0$Cj%MDL}s#(m26}u2RX?_Zt{?qeB`G91t~;ficpkd6sH6wDMe|@P?mC(rveqJ zL}jW_m1+=(3WeG#AU83 zdBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL?e*`GxKLH6uV1f{oU<4-wAqhoj!Vs2l zgeL+Ki9}?g5S3^|Ck8QzMQq{_mw3b{0SQS&Vv>-QWF#jADM>|Y(vX&Pq$dLz$wX$d zkd00k*TVTw?cViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2t zMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3Ngq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS z`NU_w@Re_T=LbLe#c%%bmwyB(>^}hsL|}ptlwbrW1R)7UXu=SdaD*oU5s5@(q7ap6 zL?;F@iA8MU5SMtwCjkjbL}HSVlw>3)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX$whAR zke7VqrvL>hL}7|hlwuU81SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLV zL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K z1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_YSyrp zb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{1SdJgY0hw#bDZY_7rDe` zu5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0 z`NePk@RxrCDB?c>2}EFm5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3 z#3um>Nkn3jkd$O3Cj}`YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u( zMQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{ z0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`E zZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a z?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN71Ssl1 z0SQE4f)JEo1SbR`2}Nka5SDO+Cjt?PL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^S zBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u2RX?_Zt{?qeB`G91t~;ficpkd6sH6wDMe|@ zP?mC(rveqJL}jW_m1+=(3WeG#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL?e*`GzKLH6uV1f{oU<4-w zAqhoj!Vs2lgeL+Ki9}?g5S3^|Ck8QzMQq{_mw3b{0SQS&Vv>-QWF#jADM>|Y(vX&P zq$dLz$wX$dkd00k*TVTw?cViczYB`HN|%21Yal&1m}sYGR} zP?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3Ngq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl z-td-pyypWS`NU_w@Re_T=LbLe#c%%bmwyB(?mqzuL|}ptlwbrW1R)7UXu=SdaD*oU z5s5@(q7ap6L?;F@iA8MU5SMtwCjkjbL}HSVlw>3)1u02IYSNIFbfhN(8OcOuvXGT* zWG4qX$whARke7VqrvL>hL}7|hlwuU81SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw- zP?vhtrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k z#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu z1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{1SdJgY0hw# zbDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;* zzVMZAeCG#0`NePk@RxrCDB(W=2}EFm5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIl zF^NTN;t-d3#3um>Nkn3jkd$O3Cj}`YE-8NHK|2y>QI+@)TaRrX+&e1 z(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob| z#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW z0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0Q zYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP z{_vN71Ssi00SQE4f)JEo1SbR`2}Nka5SDO+Cjt?PL}a26m1smK1~G|6Y~m1?c*G|G z2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u2RX?_Zt{?qeB`G91t~;ficpkd z6sH6wDMe|@P?mC(rveqJL}jW_m1+= z(3WeG#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL?e*`GyKLH6u zV1f{oU<4-wAqhoj!Vs2lgeL+Ki9}?g5S3^|Ck8QzMQq{_mw3b{0SQS&Vv>-QWF#jA zDM>|Y(vX&Pq$dLz$wX$dkd00k*TVTw?cViczYB`HN|%21Ya zl&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF` z(3Ng`P7Goa zi`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw% z0SZ!x!W5w>#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR z&1g;wTGEQvw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00uIM!3<$2!x+v8Mly=g zjA1O}7|#SIGKtAdVJg#@&J1QUi`mR!F7uer0v57}#Vlbd%UI3|R zh{PlzDalAq3R04a)TALT=}1ooGLnhRWFafr$W9J&l8fBrAusvJPXP*2h{6=1D8(pF z2})9m(v+brs7?)PQj6Nup)U2PPXij#h{iObDa~k33tG~O*0iB5 z?PyO2I?{>GbfGKV=uQuM(u>~op)dXD&j1E8h`|hDD8m@e2u3oB(Trg%;~38bCNhc1 zOkpb1n9dAlGK<;FVJ`ES&jJ>*h{Y^nDa%;S3Rbd;)vRGH>sZeQHnNG$Y+)*>T;VF$xXul3a*NyC;V$>M z&jTLvh{rtPDbIM$3tsYy*Sz5^?|9D#KJtmreBmqK_|6Z0@{8a6;V=IPP}Y9}5{SSA zAt=EJP6$F0iqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7P6|?z ziqxbbE$K*41~QU~%w!=e*~m@~a*~VODP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G z-RMpadeV#D^r0{P=+6KKGKj$pVJO2G&Im>_iqVW=EaMo@1ST?x$xLA?)0oZ-W-^P} z%waC`n9l+hvWUejVJXX4&I(qtiq))PE$dj%1~#&Z&1_*S+t|(ycCw4z>|rna*v|nD za)`qm;V8#A&IwL(iqo9oEay1S1uk-l%Ut0q*SO9NZgPv;+~F?wxX%L~@`%Sg;VI8} z&I?}hir2j1E$?{G2R`zN&wSx4-}ufCe)5ao{NXSE2vE*{0uqS81R*HF2u=t>5{l4- zAuQntPXrvz-t?g_ z{pimC1~Q1j3}Gn47|sYrGK$fRVJzbq&jcniiOEc1D$|(G3}!Nm+00=s^O(;97P5%N zEMY0jSk4MovWnHLVJ+)e&jvQKiOp`P7Goai`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRC zi`?WPFZsw%0SZ!x!W5w>#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES z0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00uIM!3<$2 z!x+v8Mly=gjA1O}7|#SIGKtAdVJg#@&J1QUi`mR!F7uer0v57}#Vlbd%UI3|Rh{PlzDalAq3R04a)TALT=}1ooGLnhRWFafr$W9J&l8fBrAusvJPXP*2 zh{6=1D8(pF2})9m(v+brs7?)PQj6Nup)U2PPXij#h{iObDa~k3 z3tG~O*0iB5?PyO2I?{>GbfGKV=uQuM(u>~op)dXD&j1E8h`|hDD8m@e2u3oB(Trg% z;~38bCNhc1Okpb1n9dAlGK<;FVJ`ES&jJ>*h{Y^nDa%;S3Rbd;)vRGH>sZeQHnNG$ zY+)*>T;VF$xXul3 za*NyC;V$>M&jTLvh{rtPDbIM$3tsYy*Sz5^?|9D#KJtmreBmqK_|6Z0@{8a6;V=IP zP|<$^5{SSAAt=EJP6$F0iqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44 zAt}j7P6|?ziqxbbE$K*41~QU~%w!=e*~m@~a*~VODP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe z2RhP;&UB$G-RMpadeV#D^r0{P=+6KKGKj$pVJO2G&Im>_iqVW=EaMo@1ST?x$xLA? z)0oZ-W-^P}%waC`n9l+hvWUejVJXX4&I(qtiq))PE$dj%1~#&Z&1_*S+t|(ycCw4z z>|rna*v|nDa)`qm;V8#A&IwL(iqo9oEay1S1uk-l%Ut0q*SO9NZgPv;+~F?wxX%L~ z@`%Sg;VI8}&I?}hir2j1E$?{G2R`zN&wSx4-}ufCe)5ao{NXSE2vEs?0uqS81R*HF z2u=t>5{l4-AuQntPXrvz-t?g_{pimC1~Q1j3}Gn47|sYrGK$fRVJzbq&jcniiOEc1D$|(G3}!Nm+00=s z^O(;97P5%NEMY0jSk4MovWnHLVJ+)e&jvQKiOp`P7Goai`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@ zAuHL)P7ZRCi`?WPFZsw%0SZ!x!W5w>#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{O zi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax z00uIM!3<$2!x+v8Mly=gjA1O}7|#SIGKtAdVJg#@&J1QUi`mR!F7uer0v57}#Vlbd z%UI3|Rh{PlzDalAq3R04a)TALT=}1ooGLnhRWFafr$W9J&l8fBr zAusvJPXP*2h{6=1D8(pF2})9m(v+brs7?)PQj6Nup)U2PPXij# zh{iObDa~k33tG~O*0iB5?PyO2I?{>GbfGKV=uQuM(u>~op)dXD&j1E8h`|hDD8m@e z2u3oB(Trg%;~38bCNhc1Okpb1n9dAlGK<;FVJ`ES&jJ>*h{Y^nDa%;S3Rbd;)vRGH z>sZeQHnNG$Y+)*> zT;VF$xXul3a*NyC;V$>M&jTLvh{rtPDbIM$3tsYy*Sz5^?|9D#KJtmreBmqK_|6Z0 z@{8a6;V=IPP}P3|5{SSAAt=EJP6$F0iqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6 zh))6%l8D44At}j7P6|?ziqxbbE$K*41~QU~%w!=e*~m@~a*~VODP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mn ziq^EDE$wJe2RhP;&UB$G-RMpadeV#D^r0{P=+6KKGKj$pVJO2G&Im>_iqVW=EaMo@ z1ST?x$xLA?)0oZ-W-^P}%waC`n9l+hvWUejVJXX4&I(qtiq))PE$dj%1~#&Z&1_*S z+t|(ycCw4z>|rna*v|nDa)`qm;V8#A&IwL(iqo9oEay1S1uk-l%Ut0q*SO9NZgPv; z+~F?wxX%L~@`%Sg;VI8}&I?}hir2j1E$?{G2R`zN&wSx4-}ufCe)5ao{NXSE2vE&` z0uqS81R*HF2u=t>5{l4-AuQntPXrvz-t?g_{pimC1~Q1j3}Gn47|sYrGK$fRVJzbq&jcniiOEc1D$|(G z3}!Nm+00=s^O(;97P5%NEMY0jSk4MovWnHLVJ+)e&jvQKiOp`P7Goai`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-To zNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SZ!x!W5w>#VAe*N>Yl_l%Xu;C{G0{Qi;k` zp(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^(uvM=p)1|!P7iw0 zi{A91Fa7Ax00uIM!3<$2!x+v8Mly=gjA1O}7|#SIGKtAdVJg#@&J1QUi`mR!F7uer z0v57}#Vlbd%UI3|Rh{PlzDalAq3R04a)TALT=}1ooGLnhRWFafr z$W9J&l8fBrAusvJPXP*2h{6=1D8(pF2})9m(v+brs7?)PQj6Nu zp)U2PPXij#h{iObDa~k33tG~O*0iB5?PyO2I?{>GbfGKV=uQuM(u>~op)dXD&j1E8 zh`|hDD8m@e2u3oB(Trg%;~38bCNhc1Okpb1n9dAlGK<;FVJ`ES&jJ>*h{Y^nDa%;S z3Rbd;)vRGH>sZeQHnNG$Y+)*>T;VF$xXul3a*NyC;V$>M&jTLvh{rtPDbIM$3tsYy*Sz5^?|9D#KJtmr zeBmqK_|6Z0@{8a6;V=IPP}6?`5{SSAAt=EJP6$F0iqM21Ea3=G1R@fN$V4G3(TGkA zViJqk#33&6h))6%l8D44At}j7P6|?ziqxbbE$K*41~QU~%w!=e*~m@~a*~VODP6JlYEp~Z)S)i*s80hL(ul@1 zp()L1P77Mniq^EDE$wJe2RhP;&UB$G-RMpadeV#D^r0{P=+6KKGKj$pVJO2G&Im>_ ziqVW=EaMo@1ST?x$xLA?)0oZ-W-^P}%waC`n9l+hvWUejVJXX4&I(qtiq))PE$dj% z1~#&Z&1_*S+t|(ycCw4z>|rna*v|nDa)`qm;V8#A&IwL(iqo9oEay1S1uk-l%Ut0q z*SO9NZgPv;+~F?wxX%L~@`%Sg;VI8}&I?}hir2j1E$?{G2R`zN&wSx4-}ufCe)5ao z{NXSE2vEy^0uqS81R*HF2u=t>5{l4-AuQntPXrvz-t?g_{pimC1~Q1j3}Gn47|sYrGK$fRVJzbq&jcni ziOEc1D$|(G3}!Nm+00=s^O(;97P5%NEMY0jSk4MovWnHLVJ+)e&jvQKiOp`P7Goai`c{=F7b#@0uqvl#3Ugp$w*EL zQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SZ!x!W5w>#VAe*N>Yl_l%Xu; zC{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^(uvM= zp)1|!P7iw0i{A91Fa7Ax00uIM!3<$2!x+v8Mly=gjA1O}7|#SIGKtAdVJg#@&J1QU zi`mR!F7uer0v57}#Vlbd%UI3|Rh{PlzDalAq3R04a)TALT=}1oo zGLnhRWFafr$W9J&l8fBrAusvJPXP*2h{6=1D8(pF2})9m(v+br zs7?)PQj6Nup)U2PPXij#h{iObDa~k33tG~O*0iB5?PyO2I?{>GbfGKV=uQuM(u>~o zp)dXD&j1E8h`|hDD8m@e2u3oB(Trg%;~38bCNhc1Okpb1n9dAlGK<;FVJ`ES&jJ>* zh{Y^nDa%;S3Rbd;)vRGH>sZeQHnNG$Y+)*>T;VF$xXul3a*NyC;V$>M&jTLvh{rtPDbIM$3tsYy*Sz5^ z?|9D#KJtmreBmqK_|6Z0@{8a6;V=IPP}hF~5{SSAAt=EJP6$F0iqM21Ea3=G1R@fN z$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7P6|?ziqxbbE$K*41~QU~%w!=e*~m@~ za*~VODP6JlYEp~Z)S)i* zs80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G-RMpadeV#D^r0{P=+6KKGKj$p zVJO2G&Im>_iqVW=EaMo@1ST?x$xLA?)0oZ-W-^P}%waC`n9l+hvWUejVJXX4&I(qt ziq))PE$dj%1~#&Z&1_*S+t|(ycCw4z>|rna*v|nDa)`qm;V8#A&IwL(iqo9oEay1S z1uk-l%Ut0q*SO9NZgPv;+~F?wxX%L~@`%Sg;VI8}&I?}hir2j1E$?{G2R`zN&wSx4 z-}ufCe)5ao{NXSE2vE;|0uqS81R*HF2u=t>5{l4-AuQntPXrvz-t?g_{pimC1~Q1j3}Gn47|sYrGK$fR zVJzbq&jcniiOEc1D$|(G3}!Nm+00=s^O(;97P5%NEMY0jSk4MovWnHLVJ+)e&jvQK ziOp`P7Goai`c{=F7b#@0uqvl z#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SZ!x!W5w>#VAe* zN>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQvw4p8S zXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00uIM!3<$2!x+v8Mly=gjA1O}7|#SIGKtAd zVJg#@&J1QUi`mR!F7uer0v57}#Vlbd%UI3|R5s*Lx zCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=t zc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUV zUFk-5deDAZhTiM2TcCeFO>}C&p*~fkk zaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=Y zCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`l zkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_ zb!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799 zed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J- zEM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5L zaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo z$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%M*b6!Km;ZTK?z21LJ*QrgeDAO2}gJ$5Rphk zCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+L zlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$V zeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UH zLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY} zaFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll> z#&>@3lVAMi4}bYbfX4n4kU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KM zCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)W zkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&F zaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}Q zM}Q{&6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3| zl2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**h zdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO z>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoS zCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnx zkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0( zcY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh| z9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I z@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%X8se9Km;ZTK?z21LJ*QrgeDAO z2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJe zCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dX zlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJ ze+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3s zOIgNpR)oEPH>V_ zoaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M` z@R3h^<_ll>#&>@3lVAMi4}bYbfad-akU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MR ziAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{G zCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC z@RMKs<_~}QM}QXo6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}L ziAQ`AkdQ@0t zrU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%w zl2){)4Q**hdpgjOPIRUVUFk-5deDAZh zTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+- zNk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!V zrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZ zkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJ zbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>EL zd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMy zJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%R{j%^Km;ZTK?z21 zLJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk% zNk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1Vh zrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9 zlV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5u zd={{fMJ#3sOIgNpR)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8= zzxd4`{_>9it^Fq;fe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p> z_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrB zic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!e zXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~ zU?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet? zjqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0B!sy zAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP z> z6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV= zs#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob z=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKz zU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=q zjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR z8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a)R{3jrR2uu)y5{%%4AS9s(O&G!wj_^bv zB9Vwp6rvK1=)@oeQenwWv)U z>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG z7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@d zU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p z7rye1@BH8=zxd4`{_>9i?foYpfe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6 zCb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp z{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800 zn$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A z7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^ zU?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3 zAO7->03G}%Ab|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}Y zA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&s zC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;## zy3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7 zn9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7 z;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpS zjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a(W{3jrR2uu)y5{%%4AS9s( zO&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ z`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsv zSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkG zj`w`vBcJ%p7rye1@BH8=zxd4`{_>9io&6^ufe1_xf)b42gdilL2u&Em5{~dhAR>{7 zOcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzg zC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk# z`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*Z zhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9Up zSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$ zjqm*6C%^d3AO7->0A2hiAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVh zO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJ zOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2 z_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmD zrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm z*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w z;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a)B{3jrR2uu)y z5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o z?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s z<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a z;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9i-TfyZfe1_xf)b42gdilL2u&Em z5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q` zOct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22( zCbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad z{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GO zma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv< zIL#T(a*p#{;3Ai}%oVP3jqBXtCbziF9qw|E`#j(wk9f=zp7M<6yx=9Tc+DH$@{ad> z;3J>-%oo1$jqm*6C%^d3AO7->06qLCAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis z5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g z5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhU zC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S= z@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2 zwz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+ zxXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a($ z{3jrR2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn* zBc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb z>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZ zc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9iz5OR3fe1_xf)b42 zgdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2j zl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1 zOckn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcI zC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q z`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g; zj&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0Db%?Ab|)>5P}kn;DjI~p$JVF!V-?~ zL?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW z_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQD zOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6 zB%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo z^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lo zu5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q z_{|^w@{a)h{3jrR2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3zn zO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)j zB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6 z?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9i{rx8( zfe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(% zq#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4 zQjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2= zOc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_ zCbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2 z{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->00aID@E-vQL|}ptlwbrW z1R)7UXu=SdaD*oU5s5@(q7ap6L?;F@iA8MU5SMtwCjkjbL}HSVlw>3)1u02IYSNIF zbfhN(8OcOuvXGT*WG4qX$whARke7VqrvL>hL}7|hlwuU81SKg&Y06NRa+Ie66{$pJ zs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB z=|yk)(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18Fqe7E zX8{XY#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e#9@wb zlw%y{1SdJgY0hw#bDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEU zYu@mdcf98VANj;*zVMZAeCG#0`NePk@RxrC80bF%2}EFm5R_m9Cj=o0MQFkhmT-h8 z0uhNsWTFt2XhbIlF^NTN;t-d3#3um>Nkn3jkd$O3Cj}`YE-8NHK|2y z>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA z8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yi zX9X)+#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rP zmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUs zXTI>2Z+zzmKl#OP{_vN71Q_H$0SQE4f)JEo1SbR`2}Nka5SDO+Cjt?PL}a26m1smK z1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u2RX?_Zt{?q zeB`G91t~;ficpkd6sH6wDMe|@P?mC(rveqJL}jW_m1+=(3WeG#AU8< zm1|t*1~<9IZSHWFd)(&%4|&96p74}sJm&>3dBtnq@RoPH=K~-4#Am+nm2Z6K2S546 zZ~pL?e*_rpKLH6uV1f{oU<4-wAqhoj!Vs2lgeL+Ki9}?g5S3^|Ck8QzMQq{_mw3b{ z0SQS&Vv>-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd00k*TVTw?c zViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY-Eont- z+R&DEw5J0d=|pF`(3Ngq#cl3z zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%bmwyBp;y(ci zL|}ptlwbrW1R)7UXu=SdaD*oU5s5@(q7ap6L?;F@iA8MU5SMtwCjkjbL}HSVlw>3) z1u02IYSNIFbfhN(8OcOuvXGT*WG4qX$whARke7VqrvL>hL}7|hlwuU81SKg&Y06NR za+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8 zy3mzwbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl& znZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8 z=Ku#e#9@wblw%y{1SdJgY0hw#bDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZD zlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk@RxrC80tR(2}EFm5R_m9Cj=o0 zMQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3#3um>Nkn3jkd$O3Cj}` zYE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn z`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$ zS;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU(aFk;l z=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1 zmUq1810VUsXTI>2Z+zzmKl#OP{_vN71Q_N&0SQE4f)JEo1SbR`2}Nka5SDO+Cjt?P zL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u z2RX?_Zt{?qeB`G91t~;ficpkd6sH6wDMe|@P?mC(rveqJL}jW_m1+=(3WeG#AU83dBtnq@RoPH=K~-4#Am+n zm2Z6K2S546Z~pL?e*_rrKLH6uV1f{oU<4-wAqhoj!Vs2lgeL+Ki9}?g5S3^|Ck8Qz zMQq{_mw3b{0SQS&Vv>-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd z00k*TVTw?cViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$HW17&E zW;CY-Eont-+R&DEw5J0d=|pF`(3Ngq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%b zmwyBp;XeThL|}ptlwbrW1R)7UXu=SdaD*oU5s5@(q7ap6L?;F@iA8MU5SMtwCjkjb zL}HSVlw>3)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX$whARke7VqrvL>hL}7|hlwuU8 z1SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbsYueD3 zcC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(h zrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M z*~M=5u$O)8=Ku#e#9@wblw%y{1SdJgY0hw#bDZY_7rDe`u5guWT;~Qixy5bnaF=`B z=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk@RxrC80kL&2}EFm z5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3#3um>Nkn3jkd$O3Cj}`< zMQYNJmUN^i0~yIgX0ni#Y-A?~ImtzC@{pH&YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^XS&dp zZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~ z<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I?B@Un zImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$@RVmf z=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN71Q_K%0SQE4f)JEo1SbR`2}Nka z5SDO+Cjt?PL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MD zL}s#(m26}u2RX?_Zt{?qeB`G91t~;ficpkd6sH6wDMe|@P?mC(rveqJL}jW_m1+=(3W5{l4-AuQntPXrvz-t?g_{pimC1~Q1j3}Gn47|sYrGK$fRVJzbq&jcniiOEc1 zD$|(G3}!Nm+00=s^O(;97P5%NEMY0jSk4MovWnHLVJ+)e&jvQKiOp`P7Goai`c{=F7b#@0uqvl#3Ugp$w*ELQj&_) zq#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SZ!x!W5w>#VAe*N>Yl_l%Xu;C{G0{ zQi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^(uvM=p)1|! zP7iw0i{A91Fa7Ax00uIM!3<$2!x+v8Mly=gjA1O}7|#SIGKtAdVJg#@&J1QUi`mR! zF7uer0v57}#Vlbd%UI3|Rh{PlzDalAq3R04a)TALT=}1ooGLnhR zWFafr$W9J&l8fBrAusvJPXP*2h{6=1D8(pF2})9m(v+brs7?)P zQj6Nup)U2PPXij#h{iObDa~k33tG~O*0iB5?PyO2I?{>GbfGKV=uQuM(u>~op)dXD z&j1E8h`|hDD8m@e2u3oB(Trg%;~38bCNhc1Okpb1n9dAlGK<;FVJ`ES&jJ>*h{Y^n zDa%;S3Rbd;)vRGH>sZeQHnNG$Y+)*>T;VF$xXul3a*NyC;V$>M&jTLvh{rtPDbIM$3tsYy*Sz5^?|9D# zKJtmreBmqK_|6Z0@{8a6;V=IPFwTDh5{SSAAt=EJP6$F0iqM21Ea3=G1R@fN$V4G3 z(TGkAViJqk#33&6h))6%l8D44At}j7P6|?ziqxbbE$K*41~QU~%w!=e*~m@~a*~VO zDP6JlYEp~Z)S)i*s80hL z(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G-RMpadeV#D^r0{P=+6KKGKj$pVJO2G z&Im>_iqVW=EaMo@1ST?x$xLA?)0oZ-W-^P}%waC`n9l+hvWUejVJXX4&I(qtiq))P zE$dj%1~#&Z&1_*S+t|(ycCw4z>|rna*v|nDa)`qm;V8#A&IwL(iqo9oEay1S1uk-l z%Ut0q*SO9NZgPv;+~F?wxX%L~@`%Sg;VI8}&I?}hir2j1E$?{G2R`zN&wSx4-}ufC ze)5ao{NXSE2r%A%0uqS81R*HF2u=t>5{l4-AuQntPXrvz-t?g_{pimC1~Q1j3}Gn47|sYrGK$fRVJzbq z&jcniiOEc1D$|(G3}!Nm+00=s^O(;97P5%NEMY0jSk4MovWnHLVJ+)e&jvQKiOp`P7Goai`c{=F7b#@0uqvl#3Ugp z$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SZ!x!W5w>#VAe*N>Yl_ zl%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^ z(uvM=p)1|!P7iw0i{A91Fa7Ax00uIM!3<$2!x+v8Mly=gjA1O}7|#SIGKtAdVJg#@ z&J1QUi`mR!F7uer0v57}#Vlbd%UI3|Rh{PlzDalAq3R04a)TALT z=}1ooGLnhRWFafr$W9J&l8fBrAusvJPXP*2h{6=1D8(pF2})9m(v+brs7?)PQj6Nup)U2PPXij#h{iObDa~k33tG~O*0iB5?PyO2I?{>GbfGKV=uQuM z(u>~op)dXD&j1E8h`|hDD8m@e2u3oB(Trg%;~38bCNhc1Okpb1n9dAlGK<;FVJ`ES z&jJ>*h{Y^nDa%;S3Rbd;)vRGH>sZeQHnNG$Y+)*>T;VF$xXul3a*NyC;V$>M&jTLvh{rtPDbIM$3tsYy z*Sz5^?|9D#KJtmreBmqK_|6Z0@{8a6;V=IPFv))c5{SSAAt=EJP6$F0iqM21Ea3=G z1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7P6|?ziqxbbE$K*41~QU~%w!=e z*~m@~a*~VODP6JlYEp~Z z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G-RMpadeV#D^r0{P=+6KK zGKj$pVJO2G&Im>_iqVW=EaMo@1ST?x$xLA?)0oZ-W-^P}%waC`n9l+hvWUejVJXX4 z&I(qtiq))PE$dj%1~#&Z&1_*S+t|(ycCw4z>|rna*v|nDa)`qm;V8#A&IwL(iqo9o zEay1S1uk-l%Ut0q*SO9NZgPv;+~F?wxX%L~@`%Sg;VI8}&I?}hir2j1E$?{G2R`zN z&wSx4-}ufCe)5ao{NXSE2r$`y0uqS81R*HF2u=t>5{l4-AuQntPXrvz-t?g_{pimC1~Q1j3}Gn47|sYr zGK$fRVJzbq&jcniiOEc1D$|(G3}!Nm+00=s^O(;97P5%NEMY0jSk4MovWnHLVJ+)e z&jvQKiOp`P7Goai`c{=F7b#@ z0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SZ!x!W5w> z#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQv zw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00uIM!3<$2!x+v8Mly=gjA1O}7|#SI zGKtAdVJg#@&J1QUi`mR!F7uer0v57}#Vlbd%UI3|Rh{PlzDalAq z3R04a)TALT=}1ooGLnhRWFafr$W9J&l8fBrAusvJPXP*2h{6=1D8(pF2})9m(v+br zs7?)PQj6Nup)U2PPXij#h{iObDa~k33tG~O*0iB5?PyO2I?{>G zbfGKV=uQuM(u>~op)dXD&j1E8h`|hDD8m@e2u3oB(Trg%;~38bCNhc1Okpb1n9dAl zGK<;FVJ`ES&jJ>*h{Y^nDa%;S3Rbd;)vRGH>sZeQHnNG$Y+)*>T;VF$xXul3a*NyC;V$>M&jTLvh{rtP zDbIM$3tsYy*Sz5^?|9D#KJtmreBmqK_|6Z0@{8a6;V=IPFwK7g5{SSAAt=EJP6$F0 ziqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7P6|?ziqxbbE$K*4 z1~QU~%w!=e*~m@~a*~VODP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G-RMpadeV#D z^r0{P=+6KKGKj$pVJO2G&Im>_iqVW=EaMo@1ST?x$xLA?)0oZ-W-^P}%waC`n9l+h zvWUejVJXX4&I(qtiq))PE$dj%1~#&Z&1_*S+t|(ycCw4z>|rna*v|nDa)`qm;V8#A z&IwL(iqo9oEay1S1uk-l%Ut0q*SO9NZgPv;+~F?wxX%L~@`%Sg;VI8}&I?}hir2j1 zE$?{G2R`zN&wSx4-}ufCe)5ao{NXSE2r%7$0uqS81R*HF2u=t>5{l4-AuQntPXrvz-t?g_{pimC1~Q1j z3}Gn47|sYrGK$fRVJzbq&jcniiOEc1D$|(G3}!Nm+00=s^O(;97P5%NEMY0jSk4Mo zvWnHLVJ+)e&jvQKiOp`P7Goa zi`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw% z0SZ!x!W5w>#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR z&1g;wTGEQvw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00uIM!3<$2!x+v8Mly=g zjA1O}7|#SIGKtAdVJg#@&J1QUi`mR!F7uer0v57}#Vlbd%UI3|R zh{PlzDalAq3R04a)TALT=}1ooGLnhRWFafr$W9J&l8fBrAusvJPXP*2h{6=1D8(pF z2})9m(v+brs7?)PQj6Nup)U2PPXij#h{iObDa~k33tG~O*0iB5 z?PyO2I?{>GbfGKV=uQuM(u>~op)dXD&j1E8h`|hDD8m@e2u3oB(Trg%;~38bCNhc1 zOkpb1n9dAlGK<;FVJ`ES&jJ>*h{Y^nDa%;S3Rbd;)vRGH>sZeQHnNG$Y+)*>T;VF$xXul3a*NyC;V$>M z&jTLvh{rtPDbIM$3tsYy*Sz5^?|9D#KJtmreBmqK_|6Z0@{8a6;V=IPFw1`e5{SSA zAt=EJP6$F0iqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7P6|?z ziqxbbE$K*41~QU~%w!=e*~m@~a*~VODP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G z-RMpadeV#D^r0{P=+6KKGKj$pVJO2G&Im>_iqVW=EaMo@1ST?x$xLA?)0oZ-W-^P} z%waC`n9l+hvWUejVJXX4&I(qtiq))PE$dj%1~#&Z&1_*S+t|(ycCw4z>|rna*v|nD za)`qm;V8#A&IwL(iqo9oEay1S1uk-l%Ut0q*SO9NZgPv;+~F?wxX%L~@`%Sg;VI8} z&I?}hir2j1E$?{G2R`zN&wSx4-}ufCe)5ao{NXSE2r%1!0uqS81R*HF2u=t>5{l4- zAuQntPXrvz-t?g_ z{pimC1~Q1j3}Gn47|sYrGK$fRVJzbq&jcniiOEc1D$|(G3}!Nm+00=s^O(;97P5%N zEMY0jSk4MovWnHLVJ+)e&jvQKiOp`P7Goai`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRC zi`?WPFZsw%0SZ!x!W5w>#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES z0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00uIM!3<$2 z!x+v8Mly=gjA1O}7|#SIGKtAdVJg#@&J1QUi`mR!F7uer0v57}#Vlbd%UI3|Rh{PlzDalAq3R04a)TALT=}1ooGLnhRWFafr$W9J&l8fBrAusvJPXP*2 zh{6=1D8(pF2})9m(v+brs7?)PQj6Nup)U2PPXij#h{iObDa~k3 z3tG~O*0iB5?PyO2I?{>GbfGKV=uQuM(u>~op)dXD&j1E8h`|hDD8m@e2u3oB(Trg% z;~38bCNhc1Okpb1n9dAlGK<;FVJ`ES&jJ>*h{Y^nDa%;S3Rbd;)vRGH>sZeQHnNG$ zY+)*>T;VF$xXul3 za*NyC;V$>M&jTLvh{rtPDbIM$3tsYy*Sz5^?|9D#KJtmreBmqK_|6Z0@{8a6;V=IP zFwcJi5{SSAAt=EJP6$F0iqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44 zAt}j7P6|?ziqxbbE$K*41~QU~%w!=e*~m@~a*~VODP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe z2RhP;&UB$G-RMpadeV#D^r0{P=+6KKGKj$pVJO2G&Im>_iqVW=EaMo@1ST?x$xLA? z)0oZ-W-^P}%waC`n9l+hvWUejVJXX4&I(qtiq))PE$dj%1~#&Z&1_*S+t|(ycCw4z z>|rna*v|nDa)`qm;V8#A&IwL(iqo9oEay1S1uk-l%Ut0q*SO9NZgPv;+~F?wxX%L~ z@`%Sg;VI8}&I?}hir2j1E$?{G2R`zN&wSx4-}ufCe)5ao{NXSE2r%D&0uqS81R*HF z2u=t>5{l4-AuQntPXrvz-t?g_{pimC1~Q1j3}Gn47|sYrGK$fRVJzbq&jcniiOEc1D$|(G3}!Nm+00=s z^O(;97P5%NEMY0jSk4MovWnHLVJ+)e&jvQKiOpCL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr> zWF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoAT zM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXi zKJbxGeC7*Z`NnsC@RMKs<_~}QM}UR?6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(I zQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp z(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~ zOI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{ zafwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j z6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee z(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E) z$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu7 z3tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8Ez zTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p% z#r_kJKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8& zNl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwg zl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH z(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8 z#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?T zM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfF=GDkU#_`2tf%( za6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;i zX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y z(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0 zSG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}VdN6OcdzCI~?ZMsPw9l2C*u3}FdJ zcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9} z)TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K z3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>th zbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJX zdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknN zG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr% zFp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju z$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W z3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4b zU;O3|fB8p%<^B_pKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS` zd=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5 zMJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bK zw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}g zFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;8 z4tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfEE4| zkU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyt za#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib` z2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}U?76OcdzCI~?ZMsPw9 zl2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_ zRjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ z#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI- zkw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oV zc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZv zb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C8 z3}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf! zu##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4sh^)_WlHH+j49h{?j~{N|X#G z3Q0sI!+jA^G#H``Q9NV_k$H%e5Xul`<}qZ*P*mo}m?23hQ&N)YY0xA?^{xN^=XbR% z>;3J^ab92sI3@T_@ZI2h!S{nx zgC7K^1wRZ<4}KJ!5&Ss#N$}I)%;2oxXTi^dUj)AleifV@{5m)%_)Tzba9;4+;QZis z!3DwZgFgg+4E_}SIr#73!r-Fd;^30tFTth3Wx?ga6~UFkUxTZHzXg8}{t^5$xH`Bd zxHeek6S@9_WrO8{<%1Q16@!(6m4j7+RfE-n)q^#HHG{Q+wSyZ6>jdit>jgIn)(>tP z+$`82*f6+xuu*V};FiIyf?Ee02b%=92{sLG8{96~EZ97_eQ<~1j=>heoq{ccI|o|@ zcM0wqY#rP!xO=coux+qiaF1a7;GV&~f_n$|2^Ix&!F_}K1v>=y4;~Qg7(6g|P_R?5 zbMWBcA;B)euEB1>?!iNYhXoH09ue#jJTiDxuxGGW@aW(%!DEBR1$zgN51tV06YLv2 zF?dq&AHkD@rv&>2PYs?HJUw_uuz&E(;90@5g9C!+1kVi)44xM}KX^g#!r(>0i-VU0 zFAZK6ygWE4ct!Ba;Naj@!6Ct+!K;JAg4YDE4PF-<9=twyL-5Anh~UWJO~IRkw*+qu zjtbruygfKNI3{>U@Xp{}!MlU^1n&*r7ra0CK=7Zz2ZIj<9}Yee92Q<{5kmV;KJad;Nswt;4i_Y!DYea!4<)k!C!-` zg1-fS5B?GSGq^gqCb%|O=D1w{!Lq?}!ScZh!HU63!OFoZ!K%S(!Ro;p!J5HZ!P>!% zgLQ&+gY|-&1nUPk4Q>`}5NsISJlH6>MR3dDR>7@bVp!Bc|$f~N*g3!WZ4BiKK9X7H@w*}(z9bAsmv2L{gz zo*%p*cwz9O;Kjj9f|mv_3tk=^6ucsMWpHrts^E~|(BRd%ljIZwB8Az8#zrd?)yB@V(&s!KuLyg42Q@2B!x<3eE_A9Q-8sX>ew6R`9dn z=fN+6Uk1Ml&JKPZoD=*eI5#*i_-$~0@VnrG;P=5Ff4S!3c-rOO2Nv(D#5D3 zYQgHk8o`>uTEW`Eje~W9b%XVSn*{3zHw|tUY!GZ1+&tJQxJ7Ww;8ww{gN=htg4+a} z2Dc4v7i<=69^5{-LvY7ni{MVdmcgBat%AD*cMY}hk_3W9|?{PJ{o*1_;~P%;JDzE!KZ>x2cHR!4^9X^8+uyd9b6M!8!YpwT>rtc!E(X! z!3x2O!Ail(!79P3!D_+k!5YDu!CJxE!Ht7;f^~!Sf|~^E2R99F7Hkk~7~DMAD7Zy% z%ivbQt%Hq&O@iA5n+CTHZWnA8Y#!V`xI=KqV2j{R!Ir_DgRO$Q1a}R#4(=A*J=iAL zHrOt>N3eZx&){Ccy@UG%i-Nh}zQO&19fJD@4+wS)9vD0**eTdKcyRELV3%OmV7FlR z;Gx08f`2=)jb89XZ3GuSJ5bnuwqvBBely@SUGPYCu2_6?pGJSq5(;K{*Lg8hQ0 z22Tr~9y}x1KX_*Ftl-(f0l{;E=LQD`&kLR(ydZdC@S@j!H0qm2OkNJ4L%xtEckfviQu^4lfkEgPY0g~jt@=< zJ{x>4I59XWI63%y@P*)u!Iy$B2VV)k8vIxAwczW)H-c{l-wM7RoDzH|_-^pM;QPU; z!4HDdf*%H_2R{nV2!0&=B=~7?W^h*Uv*72!FM?kNzY5L{ejS_>{3bXzI4}5ZaDMQ+ z;DX@y!5@M@27e0v9Q=21VQ^7!ad1iSm*CRivf%RIir~uNufbKp--5pf{|NpWTpe5! zTpKL&>0JN8vcYn}^1%whior_3%E2nZs=;c(>cJYpn!#GZ+QE&3b%J$+^@5uO>jyUt zZWe41Y#7`;*eJL~aLeFU!L5UhgH3|l1e*r84Q>}~7Hl5eKDa}0$6$-#PQjMJorA4{ zy99R)whrzV+&$PP*f!WMxJR&kaL?dg!M%g~1dD>X;J(5Af*peU2M-8#3?3LfDA+03 zIe2jJkYJZ!*I>6`_u!$y!-9tgj|lb%9vM6;*fZEGcy#cX;IYBug1v*s2Tut03HA-1 z7(6NXkKoC{Q-b}1rv^_8o*q0S*gtq?@T}n3!2!W@g69SY2G0wgAG{!VVeq2h#lcI0 zmj*8jULG72ydrpIaB%Rd;E>?Z;MKul!E1uo2CoYa4_+UsZ362j=2tFHpE;unbDL6U!eDHfC^O;=#!Lq?}!ScZh!HU63!OFoZ!K%S(!Ro;p!J5HZ!P>!% zgLQ&+gY|-&1nUPk4Q>`}5NsISJlH6>MR3dDR>7@bVp!Bc|$f~N*g3!WZ4BiKK9X7H@w*}(z9bAsmv2L{gz zo*%p*cwz9O;Kjj9f|mv_3tk=^6ucsMWpHrts^E~|(BRd%ljIZwB8Az8#zrd?)yB@V(&s!KuLyg42Q@2B!x<3eE_A9Q-8sX>ew6R`9dn z=fN+6Uk1Ml&JKPZoD=*eI5#*i_-$~0@VnrG;P=5FfCrC{Y?m0;Ci zwP5vNjbP1Stzhlo#=$zly1{zEO@j456@y9QeacMI+wY!hr7Y!}=k*gm*taIfIr z!F_^7!CY|P;C{gl!To~=1Um)~3?3Bh6zm*4ICw~~OR#IOTd;fZ(BNUg!-GczdjyXR z9u@2v>=isZcuerv;Bmp;!Q+D`1p5U022Tv06#Pf<GF*qVPGI&$)=HM;CTZ5y5w*_wxjt-6q-VwYrcvtZ5;61^6gZBmR z4?Yn5XYj$`L&1lGj|9gC9}PYhd_4F>a9r@o;8Ve;gUX)%3BD72H~3!g{ovH#2f=B<4};T#9|dOw zKMsBp{4_W-I4k&B@blmo!7qbf1!o7p4$cXF6Pz2I7yLFjKloj6LGb(F55XUUKLvjd z{yVrZxG1_1pf@K4z3BV4VF0}*MG2Vuw1Zw zutKn6uu`ycuu8CMuv)NsututN$xli)VNronB4+Xb5in+LZK?hxED*dn-7uw`)PV5{IR!Cix`gS!QH54H)m z4YmvJ5o{maGq_i9@8CYcqF^q#Z*ae0hv5Ff1A-lc2L=xcb_#Y59vnO**d^FC*e%#S zcxdpj;Nig|f<1yq29FB%4E72h9Xuv@Z1A{X@8I#lp35(@%rZ~f=fHgq*mA!OZvV;y z?)fV=E>>-{#~Z(1BazyJUL9=yzf2i$$%{ciu7=k5FE{l0j_X**xD=-^%MvFa~B z@z+I9-}>R(yk(~~<{q-ui90@d|Mllizx~079=-a_=3e`PqdvUl)*CEl^W!xS*yndo zIAg=PSy^7QzEgEh-1xJ{y#9wbS#ZCutAG31qj~tJ^2M7+_36Zy8ee(xktb}w!rZ;q zd&lOt{Kh)-$9by0bx!HTuYJS=PPy6UH=X&o$Q$)>KGKc2``Sl!F+Y~a#vk73l}|ls znf2z+`%&LM59N>a?KhWoc0L=+-}#%D-v7cEuQB)L^FDCf(|5edT(5(!nT}swY#uzT zZdBL0#Ib(OhhMYnZU-HA-MZw{jppIUJ^!dL{b7eZ6_`z?L3g*`YBsIOy4#?79X+w8R^aI^@n~`k6)g;%~Nr8u>3n6 z`{*Ke>$Nrzr)?t6}4K=rZ>bK25#quzH&o4e=dE)Fo zj^Ybt^+r5ZPu@r;j<2t7DqmbbuOs}}abVN4XJvV_vbywlJmPL=U9rLnbKAe=il6^u zhqdQluf?ZWy+gkJ>Xlyet{X4*oGLz5NBlJxuX^m$S6*j$U%cRB-}&LMk63#?E)P%j zd&E1x@vW6!d0l;ZSpL<=Jnu~(|NC0=>*1%vBme2||Ld!NdhXiu&y#(<$j3*#aEB*d zcE9W1N6=$BtZ(m^_=$Vp=YDJcXz}AAu5O>7;_6?1$zxx+>GM~byZkpR|Km+hyRM#i z^L{^l|0)-6f8+V%Bd(wNxQ{2@h}FY%Y^=UGTfF&RpWo}8)o*>>c{R$jKJ}W#<@fWi z^G_a~=OcdX{Uy7(*Kx`=e_H8or>!@C-qK(5+sm(c&1YAgbDr_z(RrkPKVR_6Z`-=o z{NtGyy!#{T&cC1H$MSHWXLR~(dg({*{EouqN zh}G?Sv*x=lI)Bu!{Zo13&Fb*`T*-Oc`$s3QxzAhcqH}!IVT)tuF=BQ2U4N9%-};`1u6b&G>f%}J>O(J|pZ$Lt+mESz==hY~bw|$+z29Be z{n+c8y14ah-1XU8eRZ3S&N}t)i##8HVBhbo{K&trIsg8%^Yt?i8@Ik~x~cn`yuJ?1 ztq!J>hw0ha{Os1Lr@pwk#pSonFR$&(KYaGO5B$>Vb1(eGPww%}RTh6gJi0HdqhHV0 z{rWjgK5o6b{J8b{wx1r`FM2GF)fx4tlkYlWyDrqBA2FTzS|{F2$A8I|U-{#sR~ z9Qo<+>mT>kb+SsBm#))#w*9a^e)+CPek_jlAI0g!NBcB-|E|6|Z1tK)`_#I&)o(xB=it3B@_Md5 zf9bprvF}(P^V4I;i!EdA*ZsVMfAsp{e5UJt)JNYwe>zTwyPiInj@>{1>NuVKu&=#eqdfV| zBfa(MBagr5P=~+u;{0sP?|TVdhi;11F(+<6yX*1WS8@Jk^;^froyU(m&hB{IQ~lM! zt`q0;=seX2%h#`ukNAky>3-_TqiYtQmAme&dHRm@&Wl;&>UAE!I&HUq6sK#p{)Ogs zosq3>bL*$#t#5mj&p)N78?pQ?cE0N5uda5ZxeK>`{3dtUf3?NFhhRUaSUudwoqwUc z(Cckf-#(1uv--WR+K*9P{=V)#fAs5%{gP*%w)vaQGpa*R*DT)rfp}fR|k*$ozKRd*S7k&=eACH&GJS}@Ab;_n)&3har@cMGde8Z ztUtf?bsinR^PG+8Ms@U|Z=HNP`%91M*dtbleq{4w-&60;FU0lhedsv5**qhr7oW1t z(|UQhb@c6TJ-bBv!}TAz8B#BF9dUZ> z^ETHxKOW}&>-Q7s^kZLNRu8K;vPW~un_~Hxo~7lN zp3&=IH>-!$>3-r9Dx>v0j%t zPG=r{*dta)-0Lm7d8)2Cx^CB@YaZqCdk#=fJ{x--W1D-VryH^Uqxi_LpSinE&qb%6 zd@P@h9XH=2W{cxdUGaV%9QC7brpMinZQX2otS%e#H;b#M{z%79C!ZgS+t)rmou_~M z)$6!=;`*_%dYFI2beN9qdC&dCT>7)|V)_4i?h_xeJgmMsu=7rwzFD94k8Jh5KlgqN z>!)tBx>J6-S=n5D{5xOY_Orc@^SxB->^%0UpLx_}V}AR^-%K}RdU3xm=W`8ninBY9 zEslLY&F(sE$DfTmPao{}jCvnCkKL?}epB4}Q~Lj@apz6X$3N@7OzFBF{S=#vjy=V* z>gjOT?enSQZ0mDgjPmA=eBzycyY}*Po*U`A|0uupZL7m?J}k~&TI}Zvo^SNW{Q8*# z(}}a)59q`(fA7D1I?OMRf6AuAt@j+_e&2C<&8>6XvADVIV?Rf$OONF>x1NpVWA9fT z54z@_TU;G;@K3S4*3DX{^QZDU?z~#k{+-7*SNG$`^q3#J?mVZdC(f4NOy|6!$Mke; zasIaX?H?P{i+5di$K{K+&5y-hpU%&Y)A8exzvI@^`hJe@>sB7NUiPf4FTMHL&D}>n zmOrxFPmleaXSCmRQ`~*5Lte-EM@--AAL;q!vHw5*fBt)he(vhHPwiXB+g8W%>bT?3 z{^?&8eI1()J6}gkCm-{7p7@C6jpFuGyz9$vrsrpmm`;5<{$}xi7wg~s z%sYy=erefL{qB3-Ztq)p{~OKivC*Lq-{nuM&%JH;M;*E2p=-|nT^4hg-}S=ZtRFq5 z6UX9gI_FdS#iv*v_PuTWz$7s_kLA=v!A2L^ZlXLP1)vY z?mY4Kw{0H&&TE^_=iB|fDL!KLx^LTb>U5m{`m#Q_>y7+$;?3e%oINYc!?WhuFL_g} zZtFJK;Ob9Zwezxb%U^k)r{3eKYtR2(wAQiJ!6U!8`wzRh?-$}zbw@hy2i-U96PAZZ z{pp+K@w0LJ%^_}Gbj@^Fylr)St}os!-*J#f$98|C?>Ji=%g6j!p8D*L%NJ*xn;-l9 zk=^Wd-2Gg9R8M@w<`FkP?l@aNEFbeb59NttpKtYZIKBNC&BKr7VSdl=`ih$qi%+q9 z>!asak1g)?Q=WLANBrhrsI6b;@vGZ5KbB9&b{^7MFPlytKW@K#e*42#57V=oT_5_1 ztLNu1?bo;c@|w-z_{nFto;{k&dD{8rQNQb$V^mju=drPUW6Se-ow@X(!|k84UElhs zGiB2)l+E9H-EY=-uTP!!cRe;e8}m1dWAV26@v_UUzwQ3JEkFNxm-9?~ly4n$&F{$1fj?tHa;=DO(<<$IjnTy#3~q-*)Ti z+HYOBbv_4bKf76d+;OiP-LLN}qkQXZZhhPI`r_8L?e(XhSLmj=*H3RA@wWN#lIF?B z>WplDY@f{6`K@C&kMiim_2I|jY`orjU)yK@XDvVH@Bh(_SRU^CHUB7|-@dR%dHlHb z{8KE?^*DN-RfoQ>D{5(L-VO4kH6<@KfV0_Rcx-Q{-b%FhogLXc%)lWzq-vgRK3&RvE}-E-g@~te-Xh zgSbBIDIU!s&m7I-&0cTJ*>QE+-}XY+p)T%v?H|o2ulsjC9rpKI+0F9ttZ{lQkB$9Y zMSO~_Pk!sgogb}ZE(62KcAw*t+!rrtUtT+_@`JNZoTKFK0oP4 ztd2Ol**fUhtsB{`SEu!!L##s{J(kyT{^pUc>#?yqQ?}>7DP70Sr4O5qEsn+6t#dxM zj()^GN3;KQ>SKQOu{fI!kNo0zRvrBf&E~=Sv2pv^Q#_SF>%Mj!eW#vZ>GWYQDLa46 zgS$RI*01yVuP=8W^+ta2|6SRBTc3T!y)L@;(~sh<@4g+MwNB@;&4c-uHoI=ji}h)n zA5X>UMr>PGn^zq+A&6q~Pks^608r|OC?bU)}FC%n)(_5YvF)^|hCY5(-;zV2`0 z^qBwu6!v#@dcFVC_M_)}<#OgOY z&(!t(2X*Mh?SnWL$NY{<*Ab`3BfrvTN$T~};B zKWUwKU!QdP(qVnst!taEd6Rd&Yp*w*a-+FN{Q6NlK5dN~&;NU^bo!`=#hXWQ`|0(> z`sB-_>o}b_eVfccFIA2D6r~C`ex9?sryS{qX+t&-d{ifr0{k30Qe>(mte$VHZUFT1)US`hg zUhCDxqvs-V&ll>rj?6{Z>~%+8uan+BwoaUXp8t5}1@HdIy7TY%>^uF4k9^9-m(MM` z>|Fnxp!@grsGk08tiL!GAKCo&lP$0P_8ZgNSL={3PEW_*EU%9nzxrKAT)np2FMiSB4#@|#_!{9VWVqd5PlAHVAv^UH5GSL@72FFs7Ya`PDTC zd&E~h>Xvug`F6|Bx&P70*N?whp7q-&wmNN(_J_`K=zi+qUO#`cI_=kQ6sM;f%}qBe zkNWXj|E%?hpVDWp|$AD&E|Bael{( zAB$TjzkcFa9X6KNb@)dtAGeMlcYXfm(VVSgcVG4>KJs@S9iEC?AAR$E*Wc||=d7{% zVxPm0>bCzW=RfmP$DV!JqOUdUbO96i+wJjZ|C#lr*Hl6ZQioe z8uR%*{|V1o?W|okUTyxlc$BA)>%e`RUL5md*E<_~4)%UxKL20O>#kRR^P58*amdFMC2wbCosnKPHTJbvHn=BJyL-PDLJ{_mS>iB%k z`s91PWz%DR?ERs>{Pd&iTAbef>)v<&<^8YO=SFiruan>U#nyAc|NZx&>70*r`dBZ2 z*Kb=r`Hr`IOeY`9!}OTnzVr8SrBm1X^mQEQ__5=|#`L}4Q_n%>P^Ygybuk@#itqQZ z%P&0jnCq@T`_g&*xZ~`p{^E{F~%uA0K?)EIyj2_r34i z@^POholiH#=4qD4|Gv#%_@G1Hc%wOe^)n}(`wzRh>#D~;;@0V}e%qru{OXPJ)uX3t z?zr=7O4oU#ess9+7w#{(`}Xlrr*-^2$1`tx*qIN#bh-KWp&eI8zRxE|y51l6XL|Qv z^<2l^chHHC)-67|U(2Jj4to36aXLH|r|Y@-M|{6+_So}~{a2iGAC*tv`zVgBk8Mu2 zI(ZjT^3=h-PyFhz&7-e8Hl}Ceryci{!`}9g6&Abyh%c1&alGw=I^xZveUR7d z z9q&5!z5U&nPCa^dGkxpWQ>-2x8;|_mm#(>=?>l~rO<(c1y`Op6q7OXmgw;;};4*W& z{$s_EJx}qsUR_M*{z&h9Yn{0J^t}DA`;_aX z{radU-g@U@zfQP+b-ub&tRJ1@+~-C2HIKjduMW0P>dI%g&hhDWv@H*NKh|}{?T>ix zE1fvI`-)pPdsMI2PcL7eX1bBz`-Ps5ev~hc=`Q%pKd*ZCLCepXSA2@Qzj}Cd9ms2) z`}|a2dFssT|MfYq=L~-D&)D*?dg9I(wm5zJ#YgP?5Vy~4?7U#p>4(Kf^Uz&ip6Vk$ zV(YOE^WssSxy8NS^!-B|>oYp<=+wvjnBSai+&cD%?L)`a!|u2A{8M?YYkQQ>Pe0<` zcl#{gb<4(dhhMYnZU-H=#{AEP?5p*vufI4}57V)+-zV}ufo`;);_~~xYJTyy`MW-y z`Sro_#Mzh*_w&a{M}Mz#KXCpNZ@R*q*TwEb=k>PhvHQ5lYo_OC>+Aer)49*uFYkjp zpT6_?>9M-()~VCSjm|u5`mQJb$jvU<`);pVVa|SazV)|XezSi3>as_3h|_QOlT~*5 z)-zX`zwX4|F ziT6I*-;TFV96N8!!;kqfzjdpRM>>A&{80~!J1*>wv+@4lUVq(-_gr!Q`@o*hI^Ue~ zoL_$4Pfy3jJ=aLb-}*jI>bBo}_~mbW@13{3`tn8U^1HvN!_USe9lh^?ut%&OKK5rP zzHs-quQ=y*O*6)6=p5w-r-*)>u&c>ee4&Gy%MOSUU!u)w?4*O~z^{w0c8uc*U z6x$E|=$#L2b(=?VbJMHOc3k=KRA2qD>qx%(j@KU_@zXO7I)Cx+U(z+J+y1sc@#sw- zbMylje?IRyx}J6OV|iG=w)?qDzVm~gzgZlMn~NWt1Jn2M6>p~JXS?sPJKp|n{<+h= z-gy5N=ig7#W7h+_^VyirzO{d3_kF8%>hibVzKS=?cRa-TdtT>x>-5oobl%W)T)*a? zOMg0Z;EvNZ(;s`g=e+T?pSbRQQRkaizPRJx>rhu*9>03*j`Mq-VC!Rl<+(1*#gDiD z!K?mo#uZo2zmD>&+xC>-{G+_iKk6f2eAa8vTxtIM9OCxJ@nwrQd)?3%)0wO9=jw{f zqhrs?`i=CXc=wk-()aNk=|+C_arf`Mj?25DxXXXJvEycOvxF zN1WezA>MuXk6&Yx7kuWPE6+cN$hS_q&S!glV7rgHFZ#ZkdRSe@k3GfmF@4W1j_Ky- zocLZD-EHo<*KX(RzRLXfVED26Y<)04=5KcVrgWY&>8yLo*3Z21^kqA*)oZ4A+~i?> z{G5m1`RKmj{7_FG*4Mo35zE8+wqCsb^ya4HXE%Glrk?e%TR-yCjp9>&`-JJu&+b0_ z3uSe%zHIFNAZ{LUezrN-_&N8z;Fu%7boruvzVO3U?z-l(bN(J9z0XbA>ax}8_Z$3l z&TBTN!|Jn}ef}dKyC2f?WBxu5`OV*Y*Av}nK6!p_;C!XGkLqA~Y^<-idgi2a-0Apn z``s_Z-8af?hgH>0*=ufN6|6Zp$*nY`li{qY;9@F)@)N>xOF+E!y zcGq`akK(QG^RKUCb@Y{w`}mJ^{Excm_!m57>s98zKdug*-^YJ_|BHWC)(1Op*;pUz zbKZ(OkHqb(c-!hZUR`gruhylmI&A&vx-S2SJ@@IaE6@)vo;Z874*N)l zJD(rhC;3x)dG^EewdYvz-d}aGe%6D<+g8`Sbo^61swc1K>H1T)I{L6jOxMSIq@UHV zE`2|5@i#kO?Qgs5i;w)`ON*EGel4xJmbA{d4m)zA-40%HvF{o8`L?9>J8#zgThji{ z1NX`9zofRh@|~|e0ShpZ=rz zqjhzEI`zcO&lbnl%cjGgBgFL)x36rv5pQ(THY?v`!OxG-KUiK8LGtzaOJz{lcjrV!$ zb3plBkKIh~_X+)-7N6IMcixiP$2@DR!~gQd)#krv(slI1y-xRw(cfq4^QY^NY~NRs zPuFwwJmQ{n+g7LR`gyK;;;u7w#QX1j@zc4E+0EwQXOGxC^qAl0?4AeoSI>NGpHs2b zVRwE0-Vc8DvF8tU=y3b>A93f=S#Q^)r*odN>HEIT->e=Mx87N~^F8m+ziLb75Bc=$p4;mOe{<)n@8hg_<;h2$u>E!4=NskqT(5fCW=Fkj<&_uvdoQi?dg*niuTy&a+3PxW z?R#(f{IgeH?0u&><*)dSZ9nkn^;cQ!_fW*?v3{5zyZ*%0;itpmZCj5z9cTMoo89a_ z!QcJ(arfgNvEwv~FR8!h7|m^c;?C2l>q&iiJ*POo>#qIc>fqiNc^y}mUp=q)Z08Rh z?mqP5KF3tA>$F~;eKoi9k-qE5Yd?L@Nyo3x=)R>+^Vd(j%fXl3anZvub@Ph1o{j0$VT(6+TpnG= z*{!1=u{_*5{t?rQvqwyaTi1SevpoKh&F?vgjr%yN*L=#M7d`uF8~Ze|_~&&s}@|_p9jDWn=!)`(x*=^Q+Ipo^y1Z^}~KXuYa??^v(Lp>%OgL%VW!D zt3&7cM!fZG^Rn^AtN-yOcYpTEbNw74j=R45pE)`%54W!MZTEf1@ok;@-q-2F?>NdE zvGvIF{Lbz?e%!}}AIoPqo1bpPoj1~XU)THA`#Q?+&v)!=>z!Bpy$}3d&pPJg^|@F3 zM|yrNk8N)D6#KlzI_RB8>NV@z+~<`%b(?4XT(C^9P`ROqK6d!VjBTxO-hgO>Z9;Eu6r|xK7 z^zKV+danbcb@9{paaPY9&Ei;`z2i@|-}gIvT=zMpb<*k2Zg!rjhw0en=Wiax<>S_k z{OXId<@4i_UtB)> zPn;f){Nnnyj*aQrxc%%A%d_8f{FwjVyWZv4joxtG-<1+KHyyvaY}Zfg*v;z7$8_q` z@ndmz=eJ+H+0Py5z3#hjwVpk%uiq=;r^D94rWr8&A8~o?){A30%r9@m-ItD^?R?>P-xB9%n}dzbHR4eoKX#s~!#`p=bGXm7zw_z& z*%#dNb`RX_XRFSC9&8@*W}g@7rykpNFHaovyFS<*=f{0q_&e{MeeS)-%|E>I{J$?v zH@d#X)wd3H+ipEw``O~Xul$(4S-iP*AGyV4Z+rEdu6xcDH$NMX>haSxi(~u7Zaur> z?B*%GxbL+&|IH!Z>(+;kO^?Mp-+i5~*?mNw`q-T8X7$?77Qb-o$8U0n{jdA`My{jQ znM0m9o;n}ptFI2b>)1CsOwX2w{e4!Si|}J}bpFWZ$9>(KQ~eRkpJMrRZJVEe#B}P6 zxbx}w)#>}Nb+=v~?l>EdbR&P~(czA>@klrFU$W&_zIpiiYtDZjHPW4V%3a^T)8SVv zdh9jF++v4gmYehUx%IV=^0A+9&|!KuJ=@=*W_P^pzCPvY<9N!$bj{-O-H%!~^3$o~ zx@teWSsw2AthRjLQ}ce5U!8gTU+0Ph$@qf+D z#=Y---|V^NdG7bQ1OJHC>DN7Tieu|mkH7cR>tvt5^qtRkJy<_I)}M}z)nWVmrt`(k z&Bk44l+W*aQcr$!*B75U-`rQ|?W^Nv4%|9+v*Tp0DfV1qz4~>Y`CJcd>zLQq`L7;* z&&#I6{OZc@IqBqKd2G5q&)Tn#_egTM{LM@6f8mSQnE$-oaTS?^nn5bsez#xz+U|?s&4B^&j~=?)AX)f;b+%j$1!n z_hXBX*!t`b?tO9ntBciTPw}jJbB*fFTBq}^3wL~>cGqdU*D;!#-+AjeV8`2h{POTr ze58}t@wVxvxbH(p-Dvk+f3wyVi~L@C-zU1B=K+3mxK8-7>x7N{J$<&nzo;I+*Fko3 z&)e&x@4EcW&I`v8x2|pVN8EZpSHJwjXRrIfFRecR`>pcn+16R*WCLp z-~E*>k1eh~|LFSYd~@?-bufSPf$zI^`G34_<+*-8Z611as)y+?zdU}nxb?9y9hN_T zAF7{+x~}Nd!M#88b^i67Cr>|l?B=QXLiMA1BmY{@KJti*HlF=^{OZiQPWrx{-5VAHz~^3!2Das9=e2hJ;cERQ|KBR#+SkmoCNh?~Ql`iaxqS2}U|^615J zzfQ=b7iX*IdS~~~(fj#GKl%}mbbfB*_y0TJeBO7dgXzWTy+7=K$3&j{mVDG`d0em4anZN)+8)*Cw|>m8e*4wG)3M+A{>z`g*8Jz>S0D4d zH+}r?*V%NQE7betu{*x&_PeY(zaReHKl+8T=NRu7I^X@ke53WeZTCkVx#OYN&E@YW z*$=<>+5eu9e=kH`{T)BH`z;%*@AZ=(cU^ugAM;=H+sm(c&1YAgd**EqJM*EJE;qm5 z;>+@3XXj zp|-h4bF{zhpTFVTZ~4;RD=l`Owr-(w(ZBF!w|c~hTdg#Izv3Tp_icNW*Z(flNXOr= zEBqtAg@6(cAN8PX2%f^0w_M{)b{HWJ$xa9Yj?z>Ri>#Mo$x6K}V9% z&2`6nY4`1V*Iv2Gi{AdKs}|{xTgSgp9@XLh-iaq|vB`(8U9A5?`%LMVU2gqt_uuWh ze^+iw-*NM{e`J4uqj$gU;v*LR?`tl!kN(@<P*Geono&`bZzU? zOy|DPaej5#bo{ve?B>1>#mzHSPkdHZ-}@o9pQrY7vH9q5_Z#_Jr(XMez2YOkI-|br zAK72u_ir2Tb?zEV{G2c~hjny+>uP_$f0jSRi`7}+>tWYd&w1YQw&|^F6sK#RRd1fD ze8;8hvZwOJTd%Hve@J}9^d0YYhY7&`-N-MFN4hD$xH|ebi#OBx z{E&A5ZB!F0Z+D>}LDi`=cH`8}m=Gx^(iVn0~~aKhm{dUi*8_wp-6u zkDl#3 z6nj>7zwULax6|K#^w_UldEMtBqq^4Bbw+xAdAR*;&#IG$cRb>P3tqAAGV|{{M(1(Y zm*3nve~;SwTR*bxzj)jHQ~ay1Jn1F(xbKbTKewXqIr&H2dba)QJaPWb-?i-Rw!6`d z=J&bdbR)kw9`zmh<&F3Q4?AJC(?59Kc`(u~Y5iUo+j+6x+0XsprJuTH{_`&J(Hv88 zd97=Eq~pgQ-s{s}e&SVEPtG^0uTC>P9>w|TFh6epoA>+T5vT1u`@X6(#ocG5r*q!0 z@yV<1^RaW!x^7=bb=oh#{R_3HUSITS?mpt}AFZ2Cp6h^(>DB&)<3cozLI;-oK7d+2&Gz*1q&p^&h+3(_Znz?_RaY>$ZOKuzJ?he*X?b`xk2K zBM@_dC`6K_nh)st(f8?LiO~v)c`e1Xb!xo>FN1s3R&pGwM z>MzumXI}Zw{OZxWp8bxi=6~Km*XySjXM4_Ji+4VM>)7U^>wLC;bn-{`l;3`s$OvnD!Xa4rlTmAfs#r9u(#9e2kFfMu{`I@#bR+KL zG}6uL*MExD(|@F=8*!gUBc0z@*N2WhV!9E_8^zl{rMDlQH}bdcf3@9nIzHBo%{j99 zG5v_U??}hL-IXU@e*WtJT*(LC&WO9tNXPGW!G7`U%U)<*c_UUIn}dCQ`;GGX zz2DN$oNe=u_`pX$e4Rs2yzYBnboz8X`^=B!jd-L}ZqqONYi_-G`?tB}HAi2y@uiFU-%+D)mhbyb-Y;R_yOBrVuXCgG zfqshB$MkI6=Rbez*?3C#;M-sL(?5KCl{xPt1=Y`;g)I(=}*XSGN9?Vqys zyYKqD{py@GR-ga*0e|Q7>eWG*Sb)0Q|ldm)N`^)CmhmCvP{Q8-n-*K@2*5!D& z-Sx$>^%%>~+t_|Mh)scC$Y6*-MM{Q?G6QW;(y`>T^pv@sZ8n+<6^uyU*W_ zFSOoB&+jy561J}#X%tL=Jjy?L>C+x$z)OKTlV z+Fzb^Vg6ZpN%Ll{Pxt?}KGub;Z*<<%-B7Im{@-4I-HZ2JasKcB&)QG^ta`eBo#ns2 zyrlCiY2FRBj{nv7iGKbY9hbhJ_I}vcX7%{l&8`dkL67N2cKUL8!wp5l?7zt3y++D|XuHotum_dccT(a*~2 z`QE>}{G&SJ-Jf6H$e!{$URXW$R6ac&=2wR;jz{s)`K3>nSmXAB1AB(fq z;m6`5o8LU_&TBtC7WesA@29xBn4g~AOh4kDL;grFKI$vazOu1?Z1pg|`fPFeSiD)> z99SLtk==fJEZ*Glw(0rJ$-humXT+m=^zLtT<`Ku@>}GNMJgU=qZ24?;+Aogv@wpM( z`O~(%5z~w7kNI1tADwvn<axZ8n_JgwOU)`PHRsTb?+Z4vRNCf7;)+I?Ye} z^^4be!7Z;`bjKs^cGeXutT5;AD|Wv9@?6;Qh1%Y)Sub8_ohiNbPR&i%JXL=bS7#Jo zQoouJ2}X&*$R&>?t;9uTP%%i0QEVDm_2jd~D1=$`_}{{FonifBx3DJ<{yw>^LMUC^&GFB&w8-$0Xfh5b%hR# z>)U`l-WKXI5LiDb}ZT`tj?F`J4T{V&`qwp;xC_9LsMV zTO9M_-fwlq@vJ)e*mYyQ{J8hG=Va5f&BgAxy86=7Vfo_n#IZOVPx-}1td4&Np!d0L zdiC1o$5V0ZrSJWakLl#KpN;A9$p5#uZ*lpP|GDa7e;>r_nf!&a^1?Pp`UDQLXu#)@#pPY5sf3;v@EXl79A=jrr|6TU>oM=C|MSo9P$I>Z|AV-S;uo zqcb;Kd}(q2o%5->=BD#J%a6^Ay*`M`pW;3ay&vj#U3TZw>r1CDn~tpxKU=(+P9HWM zTVM6~ofq=4IJ>#yZ0viR>i0Z8Z|S;p{A_jkt%oh%EPqNTZ=~;h{aepgZ^T`Xj(_xA z+4b4xasI2L?m}6<`u#qy>*K40hd2OoO$>Ni{L_ib9w_V2%%M}0P3bDwwgqdD5& z_2hSd{^rhSw~jp(pH=7I#c-WlmwbM&1NzR&>d~vqcAw^NJzdAy_Lr`0x@LXauTJ}C zwdG@Zo^M@m<`kcGo{>(SDek@_y*WG1KdRH~Zd<*PUmVj-vEL)}Ifi|br`~Ap*2}~4 z*|`1e5$hwa4j%c%aqHOU9dyZ~w|nC1!|!8SzdG1l>?LLQi_SM+`Tc-s!s~=S_KR&D{OqO0 zOS`Um<{#bXdj8H6SI0i_)3-h4_xw7_>-^TuYSZCa&tLtq{E^*$`Vn97lb1Zg*ELR9F8@B-;P+$gyE>j1*tpl_IkofYN9;V2=XkT_Suf_t=5hUw>X=gvV;>{)qKzw6Pd+qQk=A93f?wV#dYu+KgGJce$>y`GV-{rd5{p4qtT%bVI4 z`BSW3>-hC?pQRILWAloSY}cFkD4$e^l4|w0@uE^|$95+598ce-!7Z!~A$wf9u$@?o0Pu@%}$M{so&~x#)t={PU`J zAGG{ppOcS%&a5w17xQC&uiLIa{t?rQtLON##ZP$7YG>`T@oMuwALYmNJ{MryKX&W+ zF+Jw*JoC4%ZF&67T}Qn0%t6m?y*zR3ePn;HSH9!MmZzS+?2fms&PeY$t>fxobFrKK zy+-};sIE9xuk{_Ld;~J zMm9fg{cY~K*KX(RzRLXfAoZui=3(QJUcCGA+gEn;D34Bjst!Gt*F1{z<56D6?F+ql zzt8LVDJOmWs26R!)|`BKqx~0GhpzL*=`sJT`p#qfyOpEsLLd6>$KTv};_^pvI`L-t zUgt*oDZl$c>)0did8TxZtGu>H`TW)^zxj`k_~{u3oxj@rc_-faZPQKFr^B=A^^>aDbjIOJ$Pv5K_J$7BUp4~cin(3SA+TZp_r$3&`qnnkxUgwGX{-*tM z-010=t&7h2MJLY2^q7Cd>d-gK>hd?Y zj=uf&S3X^{xO`04HoZ7oKmJ*{>$5M}@+;pweEl`&e_wXidP_^^_|IC;+_UOOI-h%p z+uvF1Pw7T+e#en*j-}1k)pffs8_RQi_?y+`_damydo%RJ>DkTl=teBB;Y^_7r#igDZXAncneZ)5+&=rfdJm?mk}sTz~SqZqLzid9&*1)p1{Ci+hgd$KuW6 zxZ?}8)xo2DareEE?uPQ~KWlw@EYEqskHsP6Gg`NpUEh0E&-Y=S zNBnH}`S!E>{kNZ&bbr@@yyn)kr}*n9-sRxS?zrmw&+Gc-2f;b87l#`PlD+>&MR?ao1%#U)bv5DZjWn z@yjSR$>Yc3ZChVor*u=SU)SfKHGfJs>v5f` zGm7{8Bi+b9YyPad?qfe)x9VX2&ST4Wp2{2Tt2kCizIq)W+596`e-!7Zo0VNJqj^Vl zety*}AM)I1T(!vGPqA)uc#cxP>vTVM>l`<6_1RNArSE=hb>;K3F+U#peGW4^pX6ix z*`s|B*SGV;FfqLobo5xiX7T3k)A5l# zs_%PT&QJOJVEN)Bro$uMs4lRj+NKxB{LSLc zbo_0%zvFD5x3c9mi(_#%=EwZF{cY1>`^UzPr+my$hsD{=9cPbNzP~rgZZ^N?@19S6 zes~n4R z8P5ToH@Yv={kzzl`t`c`N4!w|s80LsC+_&tvRz;5>9?fo>itx=S)cZ|O^3zXZohbQ z>)0did^SD%(MYLVZ+@%c*YM)xZ^tS;uq?Pp`Ug&s%wOUn8-tH;mA?Kd|b z={m1<;)fmbj05-GV2%0jPpjK3pI<%}$0NUZv%2k9$Mq;qKZ?_hSYF4Shwax7cl>|4 zJ(_#852N)=={xS{RqY?uU#Q>fW#^67OE(p#8?pQOD9%6CXKG)>r~1+9yHK7re@Zus zPwm6hyi1xt${YF3(d%fN4o}7D{#|T+3!Q69KNX*KeO;&RQJuaHX3ZPboAUcTspYS{ z&r|R5)U}5{&zq{#@t(Ww*0bqw``OK{@AISMozIrX#{K%tKdRgQQC)Qw%3Z(hh1R1t zCvHD`iWfT1l-}o+Q+>r9uU>~Z9`&8dlaEJr#IG-p>MzuPedieEo1>YYpY896+h=h$ z9b24#Nm)JThq}1ywtrSzpM|pi`gHy%-hMV#r)_@wA%13G|%XZQ8UzqHtK9L*!Xr2R&9)f=skU%olm^4XZ*->2~XK>p^=V`F+Y9{D>? zH{ylrM|J*f{`wyMLi<{;>rXyE<{$BKx7h26cl!P+i~W74)~kp6JmMeawSJ`QI_#-+ z(#^_K{YU+LKUE)f*qFb$<0G5DS-mMgops>O>z}7}Tpj*Cj{KM&^EZp{e##l=Z1L9B z=6{cu&b)L}esL@xx4-L(^G|W>M>apUf9ms(Z2l3;Z>HyGPqFzrukFo_-{)yhxbUh) ze&4Qt?`76~?|JlTrt7+NJ@?2jUp+cDo>fPW`}KBI-{)icw9e=A{LT6`tA{(zRb!`&_Lb+1Gc@&No*x9Y5Q7jz@FK6K7-f#23n5H`GxV^P7`@ zip?RPjYod*uFsDMxX+w9Zss$G6z>FQ@Ks#Om{ZS3=yn%d|$*){D1)WYgm*UB~6&j*o15?0JbT&-a~w zdF+nwy8SL|&c8m2FO=0E?Wef9ZS!OC=6ij9uX9$v_1ZIkZloUWdhAi0A20O0?dOlK z!)~^Z?Qgs17v~>w>)80Hk9_f2uRSyW-rNEE{O$>7Y&g&A*#~j{wrBOLNALV(yT9Sy zpMG612Ue%;QN6A&54*0|^wyy+yZg(-;_7sM>%`?@x@L3m(_{Xn#p=%bd+pXOZ=rMa z-)$M?tKY1@yte7ZuP=8!-(z*0#OI%b>pE;5J-_++&Fj3u{J8Z~e(`44N7ozK?N_h; zZCfurZXLV#g)NUg((BhcdaT|Qt3#*$s1Ch2mN$yi>C^1~$v-+j)Tf)`sh{7;_j?BF z_q^6e-*)TUmdD>LjyvA=b{8G?&9{I0(nY5|X^(fGx6Cqg$Ny!gomM`1?fKWquETD& zUVeYSjE!5zZ!U5B%|BxK*zs4V^G2V`jP#wa55Mz^J;j~})G;qxJ{$8li>o8f&&Jj% z-Yib<{A7=~>rCmsu>avNz53*3=Dgn7$L>E`7d_TrU$%U8+qOP&`RareKFEj5#UY=0IDb)Hf9v$3K9AqlaX#GtNw2PMJ`VYN ze)u6j)CX7l>hu04{9_dzH*_35U#;U4-sUw||K2aX@6>_s3;E>Y(A*J+_dT^Ahg05E zr^EKseXddK<-MQu7oC?rF8S2u(^tGcIlH1c?VI%aPKx(<%%^)_iSyX=&)VE#OuCKZ|$HgzX{oAhnn-`ydCIK2boB{Wed_wl z>D{k74x2M^I&6P+b*MgJedYS-({a{Ut{*<+&mVgKM_qiw@9XJs)z1g(|5sN&^_e&Q zo%fvn%j?elo`?U=O%E==^hpoC?5!6a{yxER=r78H>ixN0y?OL~QJ#MD`|~-S@3`oB zusNP5r+NLk-TwOIP5tWi)9s~yLVj2u9m@TMi$CpqfBth%9l1aFpyR~hG>2ZF^8?i# zKWv?E!p@s~&DCeF^TJ1$*YBU{{PO7gVsqrf);p*5efiW!hn@ejA{%P){w;%U?&8~g=;neSbT=}N@lsoAj=kkt=(;T^dJkg_ zP(NS$Tj!$})nV)Sn?Lt69&o!qx#9mF)Q|W0_4_`W&)!9TIu5IQeZ_sHZjQcPQQoe7 zEB|r#TIFx8caNSo^`d;b{~w4?=sKx4hYo$6!dHI2qQ2?)ItQQb;~s}xedgH%ht+ZT z-9Po=o4o%irw(6FrcbyvxBcyFy?pXl$DJ2k9ijG0`LEv`sJ@l+!S2`je5*P2 z)vvz7RiF9_JBPn|Ip1_1>hI&IbzCmKLf2(_{L15#S5AleApN5iuQ+(+EADjR1&2Qe zo%Ej018n}J^Euz{7y9&dS6v@|TwLwB%I`k%ru%Qo)2A-Cx;lOGsq@47Cm%nYd_I4U zuh_m`Z*{02w=bl_`f^KbQ_KYi217ajS0e0fE=TlJN1dfsT? zR_;Enf4UFrn~tx(=9TlybDeO=2dm@I-zk_!*I#r#_}ZtgZ}QRk@uHm0nS3j~Ir8Du z-#R|!O}cz_IZz!=x_YsG9D2VSuHQcR*~V{v;#EKX*$?=@>Hpz7-sPd{v3zq&mqPA~ratuMIf?QcDLzMAjrWBd75X#Z8e`jjUJ zI&K`wf%5R8da*v7&pb%y^ZQ17(jos;m&*_JspC_f&JXoLzVbIc;@+2k@(WLmpRdaA zKJmJ_<5HjU)%jul_J;cE!;AdhuZY)&t3z|up*pON!^i&2PhIhx>u!4FeT?nrht7*V zaD84E!S$^;AFRK*xcU0*3l0}pMKc>D=&Qc z8*lUI3y$0e{5{Y5%_-N{I-S4V`G9=o^a=Up!}>q;SJ!{&$uGTNd_K`9Prv($&ZiEm zJ0Em8lb;UttvDa#FRB+E7r%P%e>xx3?|7^0^LJ*R2kHDpbw3A~Q{SZP=bwD){E$9j zeK_BmLqK@JY-_OusNhx**#bbfUlR@VplAbr)x2PePW3H49dzR6d; zebavJd;B9mc(+e|!23_%{}1nV#p^FWb@;vx-}lt-d0f8h$!CvpI`lk%pA>ekJ)7UX z^+A69)p5x0=Qii5b-qdW^DiH?M|pFc*XoWJ%7L!8#~U3sk8ZE2Zr-Xc584NBPV*){ z>3tuDIgSS}syDYjb$;iyeCm74L$3Y(ANuPH55KSA(+{h={>~TVEB1X({8N5)e#a}H zjzc~*Wo^io}_viB! zohN;8n&*D$e)@`hbpNjrH^*M`)#-eYKJDNB`s6@)$3>4r$1Tr3a8>7XKIGU}9m>P` z@g6@N%7t_&zq#uA)S-H@dHh?^|BH28`aDm|@7!{akLL8eAL;wZ=Tw+u{&XJHi*lG_+^LyvRHTE}MT&cO3HfMaO5Z9Q(r7`L?2* z`kOoL!v~v#Pj$Nd`ssYFPrQBlp}ro!KDhF?E_a3QllFUlu@_wBP4(v2chdRJn>o|` zN%wt}e%M_4R-EQd{k!_7oa)ETo%(mxyVtJVJnvJPu21hTef!R9-!!+rty~_oFW#I< z=WAUa?DGH}%7N8!SRegtqyGoCn!D@1liz&?S97QOs^9Zd`=`C?EBAcge%$9%x=-lM z!PVV&tK-pkQn+>AR^QgW95=t?$9KhE7x{8=$APcVb?iRvQ>T~Hx8m0ReSOZ$)IaH4 z_vbSQhw`WEFa=9IUudrh3aLiy(6 zQ{SpS^=;MV+h=Rvu0C^i?OXZf?z;b0zkGX?(|1KVu>IA`r~j`w<#@a}Zh7T=>QFAe z6`Q}cZ}P43_T6)uH|f(J)A^h9DgUJOY0u^#_q=tEc_>K{l-0B z@HMwO|M2s%r##2qeaiJuy1L_D`S|NA=PU9-bsRqX%OCpm`#X<@9XfA#bL6YT`sgQx%`Z2{{;lJXzr4pcoi}sjOgO#nHTh3k-@0edL-%kVdOWNA zRc_}@e9ECi|5tFz>Ghp_`|9@Cw}0weo#&~q`kC5q>m27F>cjU%IdI>cRiAw5@i6r{ z-|Abr{K;Rv`RD8}& z>a8w0{QRKFe^PqStMgzVb8txC7v&V?RbO#^(DN+5E1IVd|AQZR%st-w>Prs)ZiUWQ zR4>+t^WjC;2ew}B`oh-bbS_?Of9vJ-yDog{cu~E`N5?1J)mMMd6JFmm{~z`L_y5N{ zsq^v9o8S5Ezkb>KPJh$8?)sD0{PE3>{Qb(0Ui%dfeZe1}bNG5n=k_|fp76=DopO065zvo{0`gd2}FJ!-dj+}j7^Rl~M`R;#y!{^J|7V5YKJsyO ze+P^Axa;SGt(Wudi`~cbPxH)$Q+=iDhy3N;i_dw+Vf*QDs#ot^btn(s=L_HY`A>ZL z%@6PY`f#WZ(qVPnUa)>TKdf)X^-Vb4AN!-fLt>=rc`Ev?Hz^I9+O{`z6hyZ-jk_r>Gp*>~Uh`u5#p z*ZDqQb2`8F*^1NNp6|Ej@J)H@#p(Dbz5Nrn$CRTEr<{*A{mno7`rrNYryc!2wcT^y zw9vF z{MB)FbLhn%{g=P`iGO+j3lERCKSwxjeR3gvh4tGD>c`=vZ>{qcegD$u=V?#Rv+B70 z=#UOOf71E-^BrAZaaEsQ7nGyFxT@EWJFj?g-`wV$ZQkoX9S0rS)8Db-kk9=?$JOb@ z$)^vt4}aosUUlA+pZf`iKc{&fXzrB5=lsZ}x38SPdi&Lj?Qi|0xH(WR-uu3FKB&IJ zef|21&TDmh&~g4E-=E$4E1!1Zl^;HR?=QRSi!S}K^N+l~{g9vhjn|#`!#BJRCfEHU zSDrc!tK(44uGc~SuGl%d_D_DtQ>=fg`{+^F%4*ypC;@AG|{oeL{7axA#H}#ok-<5BwSMT*vU(Mkw z+OvB3R$u$@UHcuU<0{InzLoFV&%Z0~dfe0goh!HgA9>=pefJf&zTy5Jz80usJLLsxHs*z*XPYy8NyFU46|zsr{!M^Pta_ zvNwIgDOW$N51(?+v~DlIfAsv&y{6{_{jhy>xHX5r=zLT!w@39|`PO-IC;z1DgDc;v ze$qLs^ElPJCm+4Is`EQONcZ_RTXXdFexx^_eq59bSNrn8`swz8?m4idN`OXL3>(l&D z-Om~AQ(s~8p})tp4_#hS9eRA?#m?{f^gLA`&X1oo z+IQDn=VjNv$-mlTHP7pr^5wa%^kUENG>0x%4i4!jjs5+ge0!DC?S=EfRh>^if3bCa z^{u$RoBZ8<9{D+syv33C`+9!kbN%GfacDnC*FW{~75R&NZ~olRc);!c4 zeq-rd_v-ohXt};O)_FTqb9X?9@A%-9r(UcdpHRQL zJ$eN9g$YpnAES zJ|3H+AIhnZ&R47-w+DaqDOVrA{>e{=^~-6UuXS9#eg1z=>-GKOV=w&U%Wiw&fuG~~ z<@4j}K1T}Y!=dw}UTm&DK6PB3-h6e~`pLOQHI9d~{9YYv^?{*XTP)yKa=ea+QZ z-OoGrRsUGQ>A0$|j%U~7-!*@l-|IE`ZYhZog5w?4c+93Fl?`&<6#&Ck2$mdp1u>az!|Za(D0i|yy9 zL%RM+_qeE!AF9JCpTGY{+SgD0MSYWQ9;|OyE(e-Fy-!V@AFk%Quk{!8SMPN(Z^~1b z2j$|B-afo_I!xXbN7eA?%JInVmG;_5iI=B#|3 zQ~y+_^Orj>bV%0+)r($l(FgTS$XDdAj{CXC_ua0aI$Z6kKKZNT_R|mjo=4r|Mjzxa zwvNm5eI>4+4~O&#S2?ZYP%gg0$=`ja9KKbZ&wWw9J@_W9uUu~X>HJ&K_iys_;qIq> z^P4AE-h}$5diDBObLwB^wT_!JyEXs!p8uY! zuD$LS2fi+ysq^FdoYe7k&wf2=9XB7+A$@v2ROde~Ixo$c^!j$?-G91IcFpCNf6}?l zH-~;wXzzdhsM|g32Tz?ke1D30>gJWxx1!vBzoLJYzx6&br+IkM{F6fS;l8;ZmvV}Z zLp~1qSG@iBy?)~V{@>sK1vh-IO!N5QRHwUsc=w|7wT?sn6|c{}{l1D1%H=;U9yeD% zTgQK?J?Ky#Upf7_*j)3Eo7?`A%H6u})_KkA-sSv7ugCGL<3;;H_W>U+ zhflqn52_c{Ve=-Puh@L`=9Kdl9XDM*4(W2s`Fzfy*DdH!KR%)S37f;`cyQP``eA)I zvgjes#wKr~Fl2pIlrY9jdQ5--PX-eARuO=>L73^60R6<-7X$Ve`uC>-$8e zp96b6B6&oAVBT@1+j;;J*4v zzfZ_ME3_}HpAK8cTgTlmy>9AI4qs6n>Vy0qzx4X?ttbb!Z>8IduPD!X!lC}@e&(BU z_46GUJ7?mZ)9d1RA^-IJqzNuSA*7=I{;ocuPov-GU z%USjF!Rh$bJEz=rGk0sB9R7a(wR(|%tL}3p`KLXbTdtqp9D059t@!<~`_pgx@%y~@ z^s^4``xC!*=W`DFxmC^a`Uu_p3A;C6``s7nxbx}#r>i`D&2QgSH{U!y{pv-2x<1_Z z8P&_psV;{;;pD51LwV(s&UcT${?dQ?s%PEw!12*>*MsisK#vpWGgl6-UoKsr9A7Wh zAs^1)>&K_gPlt4S@vGzZbv*R?%>VcQ zhtba`2dYCpyr^Du-sn@GxsVUn4<}vy$_roq#@jslg2T_-ln3<}TbBp<%O{-=%6H#Y zS8pC4eXEaO|KmUDzkSHd?sDFd_j~*L%xAyV{UjgSOF#W=q4}$Mj&tQ}eb+vI=L3iK zb^gs$$KiMX)Q4~K{->Nea$kF#$>T4|h3Yt@!a{Iw4 z*L7>IzO6c+KIrepaeF}e)K7={Cce_uJC_d4;hXUPe9`@%d;7~SIeh=M^T{vA;|qr# zm$>;wd31b2zCM4__2JMS?ejS|d{Bw?f|^*LU1p{f~d-2k-W&4|xCSgQtJP9slYUH#vCx|M7>P^V;)o z`1^q#pFNyUIpuVI9D01>d=t73{Hu9#-uctdeB8OOKJW1Pg03IRS2w567kv7l^Mvb{ zrw^a%d>*fpUq7tR-qn5nyt@7g^}{c@{oAhnn-`yd;P2ubuX?#TbU69d?ZbydI_wa9+gA~-a2kCerV1L^-n%?p!{-rQEv6}%P)P>gD-pQMF*Z2ru^pd!Pd=D zpSV7cU!1?Z`qsLiBkbe+HxK74uWtUN>xcZsRo(Z!^{wWr!}i-_rK?XUUmjk+I-Gp^ z{Qp4yem~?os(bwFr}Ito+<#Laz4+7*ec6M4=;v=uXrS4$o0E4m(h zJ+5;8>bQJ)6Y@{>t-Aj!XfD)m&ZN7}eEQ&4oe%0SPS2lwQ-AdykN)cIbN%?$+oxW< z&1ecDgI z`c{AYaMb*=l+%m) z={S^wuh8cVt$fqG{v0NUAJXA!&(_Q3?2D_trmqjX&NByY?e~9F_`QyUZ#^G;?nirg z{K%u@XAAuu{&c>(r@i|7uQ&hf>wovppLWCRPWv9u*1pMCz1;p2@)uo4`qb}y@j;(U zg>S{q(MQMa2i5I^PpD7cUh!rpP}pbxW~6*bM#HR`i+gwbNA@p^_AD(yovk#%c*`+ z`m|s59#?tyX@BeZRv-V3jjQ9H_H&%@iNAT(c~5@sCmjA=!PK{}zIwdcLp~1a`=aN& zefv+UZ#o`2?7T^@Z&xlCZteH=&HcBvpC6i6PTz{VUf-?zZk>NzpM8p}ztih^({CT# z`N8$!_0wVN`XL_<>1PV<1*bXcMgFZi-_+;0r_V!~`sF?1Up(UcSH14~)7N~;yPtj4 zGj4c)pSs5#4&|Cp$EQBNt!PgDUMKN6h3>b`rx)c__x*HrT-_YHJt4h5`ZQl1PQEEu z--Py)D+hPo_#ht+`PJn>I<%KM?tOoB`74wQ_1goxWb^ zmkae5`RV+y_W=&|dmK(Vd_{AhzXx#tm?Kv|uCKZ}z4sp-His@}+JkRGefRmocYgj8 zUw-q$zq_oT&mNG^9{7ZO`r+hP@9+IQj;Fo!75U9;eZ{-KJbkT~^A-8*RjglKpE|v~ zy83Ibc;9UwcHIr{=XE?&E?r(xZn1ska`fTeCxNRM)nV%^u5Uv9tyiCpt9|9oX?^1R z_Q}(Kw(v~NU7dHw*ZJkEocgC+I@DKGhppr4u)4=BeTBDu&=&wa|nzTu84*BDK3H9!`o!rI zwx4g()uFv6PKR6XC-Xhd^iOCHeSG+Yd_Je!JbraZ-xsHxN$+u)TmR(a-xZs`wO?QN zp*z2=Z_S^4@~3)rKNsjL){pa*`+7ome4a=2dHoINFY1%idO06dmt!96zWnMwFPaY3 zx1#I4)xXu(-0nB=>gLfQ9ab;r^L+*mC;z1D+ZU(YNk3C_rg@X@zT9`8p)yaLQAM@4VBiU;ETsU2^#MkaYJM?r~F2hw9UOzNx-d zU(J!T)yH4-{XlaZ2h``h;p**IFY@_4>LI`Vl~20*qE9;Vyg1Eku07~-p*p13->;+m z^-cZuRWGN*DOY`0obu?!>GTx^70>l=p8ON=fL|?)uHRCAF6M~ zef#7)J~@yM=@Zr`zkdIpy*j@f*!z#dFm7T z`DCi^tM|Na&Dr%h`aHjN&Q{;FPj#OQQ@wLm_4>DR_s5yaw};0Aex}gzoOJ%a_vLZ- zn2yKwg1gSyw{O=u|LFfOpTF+!j(R?(>pS^&^}Ehce>uI_J@6ar@nHUh_E*PGdSB;H zE^cno9@V$#RT z!i)Ctc(Q+eC(X@0Ztj#r@A)vV^~vY&nf1ZRzwh~*^6Y6Yq(l0Yqh93qd+642zO864 zemTxh^$$Mhd!F&)zrXpB*Om1h7tMp+kAB=aTl>wMP>wndtK+af$6FnT`X}To@>egn zNB#fost^A5J-_Rm1Aj;2b4&HtU(Q$D>TBP}I`=r+dK}J^>ofK7sr&t_|6{9OY%b1c zUmThP^}($=pWI^W<&(dAw-1L?4xO*Zr%uOLXg|47A71o*&NPn>ko z6Hfc~{?pG7?W68|IgSrbzODLdUUS?h)p2<_NSozfDLi)ZqO4kqhaabMqK8fBJ>P2}ze;xODsb4OgpAOY=KKfSNwQpCyJ?x2} zEj;er={lXQ{ipN2`dp-GzbS9>@2huCd9O?BtGUzn5BhrDcFmV_Ts+%z&-T3Io}d4} z_iw!(TYbBpFORe4PrQ2j)#28C_>1lT&0oLs&wk-EK5*LCORqoGchbDi7bl(X{h^Nk zr1DpJ`yN+wzxuxXfBXG6-Qk%>|Nl?(dwtZKSH1N?LGNDf9Zps@63hG zq3gr>%K2L7vyb}ZpLBiD>qNfaqQmCYrw;8|UR@ok!|L`?FQ*szVC&`P7VE?17X95= zbNJjp>hd5Tblv%j`k+3%s6L_312m`o)u;WYe0lnCx$T>Def&727hCW9&(vZ2?K9!z zcf9TE9Cdyu*WdZ!usPLz?h$>3_Gm7>{nx+n&u;mEU%BYW`}pkJK3qO7m%hUKCr*d{ zey(%XcSU=y`s%~ss$ac+-2H<8&zHXH=U#Q{L#Lnf=({}iU9Y_G!1rB_n-9{xuS*^s z+5@(q4%LhDs!x2%n{?kl$a6gSuJc!Y`{v0l_PB8W2i@13RbT5XZVn&r_{#Yv)TfTi zp_i|8_2QJX@@?&t<2dl5deNNf`sw)O=UbuszBxFQV=h#O{klnqa-bY&A9bjXPuTCH znr9DrxV-x5kY7Kf!}tB$J6!)wAGqMa^NfD}a=LzX*gBu%o$7Qs`c|k9@=tv0@6*~Z z7xw(uk2@adJjf}h?~CT>pZ1va_RE3lknVgqzqtB@e9c>Nd5#0uCzoE%rw-*o`pU1a zZ$gi=*3GHD;_WNfzjZ%;IlJQY_ug`$TzkRR%k>qv`tTjJsVdvp;^x<$1b zCH}su^?mv3dN|JMIMk>4Ue9lT=k8i}KHAsk*VgSxhxG16@9W&2fB5B0XfLmy@X4QW z<+BH$eOwnhG^dUZAFf%@^zv0rt3_58|LG?!jZUtzDi z9M>P0gTohI`ooWW`8og1;m@b;Z}s*$PwM8>S6#g*2dbCTJD)zGoMQcQt4~~>I^O$C zy~tne{iLrxpM$Fo`Ec0p8|bb#u7B(K;L``2N9S)HFY1Hpa;mS+KmQ6J{{#2@syjaV z?@oW!=e^?JfB$!V;PkV<{Gm_3|C25`^0}$@k%vz>Juduy#Bo76@>e+Z(cNFT{GzW< z_B9u;Uwy(pPwB6}d$mu!eYjlcc-5ggtd7IpSKXsI`sk28VST&u=C)tm{!_g^yx9J7 zb71?=G`9~l&py>BPS+=gUQ~zeqeK0#yYF+)d+$qba^QJcpE^HOhje~O-xcM`fm?I* z*FWifyzBG4gKx#|yW-8YCsdbHRQG(*`o!hygOi``eBnj8bo=3}dj0xf>o@z2d%WOl zZgu|Q_mlN?o;vLD^t$VZ=0iF7nK=J3lYuWknOU2ZuY%EjTTkFV%_ zG#4-a{H-sz=)7r*W{PyW-ZfBn?q^Oruk zc>8d5{-QenzBuJn@AJ{F^P1=H1*-3w%RfCoIB$F_oc7t8v(-1v*}C7bX^zq%i^5)2gt?O6E;iUWest)z-i}q_?`M&w>Gp{;+Qgc^1Z+gVNFaP8h zo;vdWO?#Ya-1R=&bsy)s=K-HkpLu-M)z36KPrJ_F)xYa;$ajA9uQ=aUG^hT~X&v9{ z<1Ze!zj@{IVe9+ylggXUzrD$b|7>W=?R&*}Vr&Ts20Zts=Pac%Wac_-a34^DIG zlW*VqPhN2~Pkk%OcOBaIE!RH({CC{z6PDk1$|+8{o%4Y=KL0=5;s-x;`kg=h%*UPk z>hli#J-od7C%wLXx#RAf@_qCBb2r}nt>G9F^!TRi>j`K~NKB3=tsmn75 zSBL7bdO6=OKK8;tzU;Oa9(i6d2ljq!9v|#^ocvzbwvT>(*K4X**YE45=Py1eA6EbL zU%Jbe-R7P*{GBG>w2!$^UO64g#i72{d8~iR<5QQ9L&t|tC~t-O>zj1R70TP%*ZWt0b#vwVJp0KfN8g0)cYgJo zr=N}&r+RZ9`u1P=-f#Zw8-D+*t{<0QPUpv0IORYsPf$P`ntbZ%Y=Rf3c`J*>K@0wd4&QW*0 zA>BTZ4(q2E`HJ=7hx>ly=fuu$UEc~O;i|s!>E|o9Zm;^vSH9KxXx_fu9?_nZ3Za<=YWpLtMjeROCp4(a}$30E(gv-0WVE4mKN z>v6RYm*4)@Cth8i|BIu(6&(-1JZMkI2l*U7onO5=4*BtuLi3Be&U?)j@4M~8uDkf~ z^~3%=YTqfh^ZB7V-t(z0AM&fim97r;IZpFo=i&NrxK-yf2Z!Bn()IU#)?c(|^{szr z-91)w>+f8g58Bi5;r!)veq0{D75#rW$0t`_ah1zo-*g<+r+#^UkJddsUiCwL(C1j` z_qsj5eI}HnU*CkztGd^PJ}`TTNs-BX{OqB>Nccy<2! zKkdzL{#Um==fLMIyARZ%-|yh^ww}kSPydvsZ$f=j-S3tBo{!JE4 z>nl2+lfSz651R{np7g=a#r5&YEB@Z|-*eTq*WKdq_qh6}KDzw+@yZiM(@dK4>p_{N?oK%28iobNl?Q zUvB;C-J7p@eEL=>$NZIl-@4C#&~Gk2As^(kFQiXCy6dTr?z};DxkWj2Irvu8H=&&F zW4=DV3H{vR>;L4d-nr^@^C2D5r@4G``Fniy`pWB5Ut#;)uhs1fTer7)d^n`HpUwyQ zye?%99lC$Z>GFXv+6HdAHzvP4O|Dxaicjp}VJ0j0l^&OYn$JZBp%3al`KKj=FGj+W7 zSUu11ooU>9K302dJ)X`hH)qmY=X3w4Pss1*A$;=F9Up)14?3T|B3~b`?c*!T<5#Db zn^T>C!j<3u*J!`J=*_|TaQ=@KbY9`Edms0>oxfe@^1FW_{cPiL&%;UY>-QyFb9ddp z*R6atxBhbbY{hAwpEuPzXX|}$kM`5$%Y*#&@zd+``${@LoOE@$)8j%vAM|^Psm^y? z?4I(fJCF3@)W@fvZ#phMef~d(^QRy3LArc;IUiKVcSUn{?c;acc=5RT&6{}V9QV9* zPV@b~qP~5(eCWL5`{p_iaNnF=`|MrxcPWmqxznE2<;rOt=Q9WQ|2z8kaeRJn&M!~B z*t))=@6YwOj;l|(>ik7@*gC$o&Ik3w2fpu(U;FC6JLllim*4%=Ke^3$2mX&F|5ohr zmdi0$-R}W$zH&O0gRf8?Y(Eb9ARSiUI)CNcwQe7;bJ%NZPQT9ShjMU8Hy=**KHmAE zdULxUpE>#`yzkvF|LP}x`^^qNUs3*qayrL6eSCD>^8~%fN5^6H&f|mp_2CohlLPt7 zeP7f%A9TKPe&^HmY@M&VJ=Gx{(qVPE6V_j@Prl=!!zWz*wJ$xm?1IDhmC8{s$}95G z<&@JskLrW!kS+(RPp>Q0*W=e;U0<)eJs@9E9rixtHy`Jx`#rUK_o3^<_2aEy{}-p; z|BOc+{d|+=m&=v6LVkOc>p!f2^nxlW>)%l@1tX|Fs)wkl-K0YXa;??<~`Y(U`Q-9!t zuQ=zx|HGbsPTCSivunM5xc47{&IS;zUHe#{d{z&UQUO7 z+|%Vky2qnj$Ori$9}fHX&U87`^Nc#bd|wwKoexg^bU5|g3ml0`rK>v=F9DQ;e&i~`SB@Vy?(jsUbk+JzWV9^m_>Vz~j!B zUz`xy_o-Je`=(7m?iyKnT%-`dZoABU5! zZXTo;-H$7uzO6p~t$XsXu=D@*qi*-CA3SyH@b%ACf9sB)zS_6-ayi{|tFL|XR;Uk7 z^W>=W(#e7(~T+tgAY`+nl#>)Wdw&-0US+K+Co{&G50hs~iM7td7g zu6rGK59e+5cj_J&yY9EI-+i-h|I~N3kHhtGp3CXb-uUO=>Op_{ri|W(QC&GQ#I=-66XD-w?)%hUb3$A$m zsjvF`8$KV4K4IsSH^02OeH~PuzH)l8xm&p$b5?!)kROM1NS}~zh59Go?|kFs&-=@B z&N=Wp-{hk^Zn>~}{pxhT2hmT*p}u14`eEN6Mu+-wXbuji$9wCz9CIL@52`~x99Gxw zcwgeNcZneL9XQ zmtUT*6V9jH?nmd-Pd5*ruzi#7Z0Yy@vb(ZcHbN%f{hxOwt)IaS@=aW}X-xcNW+PAOY-XAUKIL`Dw=D3e=Ki^kZ zcYPq;zU5O+{rdX4etkH!hdH=BoFA&=6Sn^$KlvN4JMV{&zTVt^`TB7<`KS8i@AseP z!SY2dhth_ZxqG(|M}DeK_QY)x9s34*7R|9%!DN=2ka{ z57OPYP=C2T$S0>d4kw=+SYP}3AV1DuPM?s!=sf6CudWW&`RQA+U;n0@{=CEo&6^$< z>Z^U5=Y6EkznlrXCtq_XUR^&_-@1=Js2|c-dHhfx4jn(_E9Y1Ddb8_ChxN;&L)TZ| z3iUz$tvT(}Pk+sI|K>CA{P5#Z+`V}9(%Xt zG^hUR<@N8&<-)Bw`}&=?RsX7P&&fwG>a)j$`qc3WJh7tIj>}^RQfKzWx>JTlsd)mFIeGouhAGv?r9amD{s^y1XL)gg^Hw z5Br8YzTy1k|521Hr*m=0*ZWW%_B!aB@af5n^`OL$i{o7C1 z*LrpS>3Ge9`pfCi_kn!S931MiFTLEp{E%N=Uy+YKar&-kANly@mp-?eYbJ8Av6drkd)zVdkW zxeks)zw3zWhw8ZZyV2$0awg=T>h$_>XkJkr%G(w7!}imQd~|#(wh#C9xH;;RKGpee zb^HJEbH4KbI_JRW3-K5Ei=Y0t*WCG<%Wrw)`v|_~xL)ofKIk|hT@DWEuzKI;-8v5a z{u_rLN4VqYT#plV{`S-Ppu8eKY<*uYZ@P{>9((FD7l-xHC%^jZe&p$wKIqDu9lj5a ze`}uOkf$Fur(9q4sekg*q5c(L`Ml56{j~Bs4ro54H;2wQp~tEF1fTrg=c#V4<1rWV ztvKHb%_~lQeEZg?zLmZ@kE{MweRW)`{*$gx`%Jp|txtTV`#Y_D&wKOjcee1P9v}9V z=W$&f-xbf)d9p8@=Ft6oi$llL1DW9)(`mVUzLmuC* z=U;Xl+K3M;*T<)%YTm8Ns^KadI-@Ufx z*EjL%TaROFA0M3ZTYuL*zWTur|4-)}T>rv9yX6CZ<)Xv;XLa7xdtIiv{GIQ9*9ZBF z>dm3^wqKX!K+n%Ov>&9e&>oNya{ZpZ&(C~)TRC#`+EJ!eN5kq@}Rz6Pn-`<_mP|xuKw<<{q~?wyt;k$K|V;I zusOJX*MVM6=bz?O*H^t?cUsp6)$#6O-|G6dqJDGQM|Z#DeC@~W$EUBlI^@IQuDbJW zZ#ht&`o!()bpu>ZQ4Sq{*~9O1-%H;32}eHnP93(7Zmz!*=<~m?FZ_MNZ5D}Ac3=1q0KZ}d5ruCF;oIn}pv{m}p8+uFa?=lNo*f2*&LkM=pP z>gB8byx)6kUh{GNt9g!#&;R?ty>DEey5|piae999yv1){-%ofxG9S7>^;P$GB>sPz zT-bg&j)Sl0@4o2fPJMFu^i@}xzn9^IeH@rK-FNam zzNQ>L^|OsY~9zV=J6NnlUJYTk*Ut_d8oPSyP|n;Yk&O{pY&blxGz_I z<`q|c>c91}m*3&jUijhD{hU1Y?$OWt=ykD&?`PEMa;x*J^TSD3pHLsHkG>WCe?#}L zcy#U-*370`RBjmUPnK7S09{m)gd2lPVWaksLth+MrH=(&u4u5m_AYak%rRe-0E9kiG>%8E_eUH+h7y z*Yjw(MRr$hCkI`sIEV-I!xIOK!+?McU{K6-JQ%O@XB{;j(Iqbd)YH|40;U+z56 zq4S2ztKasq3*5^9t zgY~yh-QU~lo1QoLVf}cqetT4J-{kZ2tLMGuv`-zHGu*!%I$gMQ=hPVluvypt($9a=<5i6(sP^J z^LSG8I_IQvcg=C0r@meHoE}e|Q$EdK>Gp$iA>I2c{GGKu>*J@J?>>Nh<@%t0NY`If z=U2y9$Uo(%PuTp)N9V_j-J|~d{qil&x%TPj9QeQL^*g_GXbvtHsu%g`IMfgMART(Y zf%}QC-~Z8J=h5Z%xYhOH{B*onKdx`$^rF6EeYkz_qSx!I~TN?)T)lI;@UE zKPUMAOLTk4!PV(_ksq%7?Z@@Wp*wG$kNKcFt`Bb>4(qF~K4IrgzFl*hGxc{q&JXEw z-A}FaRmWj{a_JMVE)P!qbUr8#hy3mj=>K5xwO^n5#QQjH4z3@{g?tn8!TRJvzH<6j zG)GR+{lmA)b^hz~yad(Fn>Zb|f11a?b?^G^H6g$HR$ia|pyQDX)xED<4!xYd!l}=B zUiI6zj}vLX`(`XN9p8rqi`zY^Q z?QyQS-1=OHB0p5ep*`i&`Fnr!7xhE^u(@$A0t) zo6A?doUhlJKKbc<(DNfc`P5;3e$QSVFFH@v%gvjRzx7Gyo9aCu{6+iI<-zJWKw4zZLZt^;gH$PYRp+k`KQBi+=mxopbP)KlIM8x#u_B z@cDM;c|1C9s9u!Mhu7D7Ie+h4x?D(?Q{Mz&dIXHi@ed_JwgM2uox1YX3Ir{y+ ze(Ll8FxA_StHViGhxTxN>BZH3vzn)WyI(N79b`aIZc%I$gLcbt$u;pC%F^VOmJ@~NL6)>qzKeV#XPIO%eF{wBXXeK_2; zZ*^Se$c5%XJ{iC3m zp_~=UDshx7B{>P7ufed^W^Obn9n-*!28ZTAKBMj zyr}N|+xQCQOndiyH&36O)^R?3g_FN?aDKQozka_5?f*-h=Fp3sZ_b4J_3_ameZuzh zwZGhT=7)WqMjzzc7d?NrU;cDF^{=?R`X;@;t^B0+HLu@a^nBrt1KI=f$%T{O=dMim zMf-7c%xyj&9fx#t<)}}n57sBAI6cqm_jMA7a(11kPY!gvc%OgT=REUId#F#?Tt2@i zX)ZpYyw>H??a!}XY~BA2oP7L6=huAweE5X*`8m3N$5maw`8eMbfAgyIp8VV!KF^F# zy}Y`-$v63ZKDRoYayn=7$tgN-av&e>JmN)jtK+LW-wNF~E8nj59`COGyB^=lzpC38 z+82lP=BY!z^6Kiv$w&8f)8~b^{~sE6AGgK8Y`(=D9x{mgO`hESz z_r>Nm$MMuxK0Ti{ue>>}dp@kbmG}2ry$?Fyd8I@1aM#EAkqi0SS6v`nIC{DTiJk?mpr(*L{YoPslf+|3|ED zJ}wt8szY^rg_FPcZF64uu$R2*8{YfD({H%+dCz{w({6I$_u2K~-fw|VbJd~eYv-l! zYxel#m+SiB`uU*x#ObiP`X|&^oSxU}lS_9T^a=UZ@uK>39(|XmzU!429{F5T^V&CY zd5{mEaOJZ{`zO7=^3HQT>f4t$A79OJfARPD=ujOmn&)xic=+%qT>Z5#J-Fb(X zI#2xN`qc5xZGBgt{^|JTxqoqJAG|0Zs{8*^bf^xin+N^B823f}j*Gr4nlquiXtMNuPYq19V++xYErn`ux`Fxckc-`n0b)v=^+7!_J{k zD7Sq$)Q`iJ?l@QeRed#QRkufdIJ5`US5AleAwTXsdp%wsA3h-;VvEL=^{@D+|I%H)>^Aqj=*auAR()Id zmBYWf|EJ^g{5#dnDe^;g``|@&eMNpcUQ}Nl_m|xMZP)(Ii_bssbxNN+e9BShhmJ!Z zuC5Q#>sN=q4)YiF)Ad0*^m~KuSI!UBq5RHQ*9YlPAEfg`b0$tN_IXWRUeW!)2kliq zuI@PWO}N#k-yHwHv5!yli~5>lzPdiXB45$Z$MV{T>oW(cPslf++^Ju^`_bVGu6X^a zuloB-4*2L3*5~m_x9@7N=Ig7z;+^Ato${bP`RU!8zCt<2MaL({T>6CktTiAOtFL*j%PF>R;_@J$ zyy`gQ_xh7QI?j(z$Oq*V)uB8;AJ<>bufJHo$BVw!=|w)z2RPqru6W;VA9mfvhdZ>HLTF zk9^*wda*v--|^dvE+5KM$03~`%B`<{e1&qi=GEuxOm%z8U+uA~%Yo*>sh=ON{OViZ z*UImB?Lo&O-Sb^_{}+r8@XT>g)bICK{F6_;==B}?)W14UtGeSVcAk3ona)G! zwr|DFpYqkAJiouD+q;}zltV9T%=#E?)kG=E9XvzWbh^zRKZ; zzCUdrUNi@)<4``VuR0F-aY&!geD(IJuXJ^O=Nq5U^LFR^y8`!3>+-6bYo7_*C-06g zdi@)o@VJ{FzOK=JJ~}=jpLvsy&OhN+pYz5Kr(8N8q!-oURIiTfgFQcdkPnCSqB{J; zKe*GqF2B{s9lY(czwXoihi|{|p!bRUjlbA@`@;HheKgT89>gLnW zHu`%hKd+f@U+DQl9rpDK#{>0y-AfrpE>G9b$vKrbsX|ded|A)%6uy*H_=f+h1Sneh=#L zRe$HVf2#8p`RV52kk5TXpRhUQ`sniMIIOR_zT=`f%`uOTLw%4B^5GLs{q^&~)^WdA zoBj^i^BTWAXm7ak>ua8VbsSdLuZ~0h3H8DDxsTQ5)Q3;#|7EoBUZ^yzt49k$;bbyywubG7@fe!dlU4>?dj zUUc57pES1z?A~;9%jpx=Uv3_~D0jLZ>fXnO7v)yR-Cxc-KjbTRe|*BJpI_ZvI#kE` z=#XCQ`yN}LxOwt%sIS+_`Q$6|)8)%6=TqMoryP3G9@RUa@5V-Z*#n34t=K;2Vb$M0 zembNVS9SjS@Z)0h7-O;oouVpLoE3_`vDM{>)EZ@to^!deG0`lUJ1M z@rLu^eh$T9eJgH%{W#Q*^U?dfQ6E2DAFl3rdfe*zit5e7>$h*~%~4|@{d^Fww0^rF1#$L02w zV;_9N`pUf@(fiF@&neIA750Jr)A^asi@$@_5ACTB?>v6k`TEq$-6z$}nRIoz_^zlQ zn%5k4*uN)kAK#=q@9O;K;_A*TzAHMeHU|qI^2u`-@(*SM}ra)qHcIdAR$) z<5nFy-l95Gmy4@I^%eTu`ab{4nXq%GIeb%H{;EFt=ui$0=_}-iEB`;Vde2LF&&R6n z{_r}H{;BWjkA3&6?sT&cpZ0rJ{zH7rAHDf`*WB{R`yR}ZJ3S5$bMkis)wgoLM>My% z%JIBof7m`cGzaIej;q&Chy6Q&_Vdx@75V6RQI7L~!(PYc@p=7NKE1sEf2vuVkk`TBD)ov(8yz2BEiK055Y>eGBa*c^Ryod2ZI-;2mM zPd?r{ee&_ELw)MdeTDNu{U0r8uVVM}^K|tUm&@1lGUThoAe8sK4_Tm1X z%XzfNuDSZ;`gs?Z2kAw1C>Pehl^?g?9DCt%=};Yq^nG#lJ_~c~1*dsaT@IXla$9fT z#PzrSzJGg%>%Zv(7aaJ$u+LweS1wmy^ZDug)p5wDkB+NPy8498!J9{)awfh1cWLs` zoj*w5iuQ*3nl~NKuDblGPrcZETHlrLI=?@!m?sCW&ZEBi=yGuA_#q$U!y&)A$E!LW z()HnR+Pk0os9$bTUiJ2MUi)x9ytzJasQQY_gZ$-mpA*)){rHONu8(?i=siz#*gm{p zpUiDv^ZDfP7u8q(=F8DPar&<4=Un;rlS9Yhq_-}QAM!yuKOL%XtEsYby%O@+xGmG^A~$vran4!zU1Lkov+ycYotEq(D~rL z^Ys_EzCL6h^I`M$<$m9;U%t8Y73$;j^ED3ZqZj$QN1sQgKK<(WN#U-!j^m`}f2`y< zPyK$D?l{UkaM$a+@~`UV!qt9!tK8}M^_#ORn!9UX{hmLkJolSA zT|$0yY1zUQ0fs6#&JI;j`=%!T!B<;U&s9Q#$DxaYg6Zom5I zMLG6Rr^D)7IbYFrt6t7$56I{HLR{VRF0Kw8uYCF??|Jnj@AGXRI_>#J|E_qL_mTIx zO#PG3ez5)eVCxgF-|Hj%>cy!}hx+V2-G}@|{naPFtAEPbs+;Hi9{AMnJWTbI(obs6 zuE)b~ezA4jaq~~y`}jRhSAO|?c=M;a&&%W2U!3~u!{zD2)r;!IzTd5NIn{A>&yV(j z_3>B7C+y>X@*P+2=dtXX=lC2yF2{X`L;lv=&kyUTpDncaapyTsUnlV?*W8s)9m>;> z!^u~jf6Ccf=POS0>N_r9?JwWY5A}D?a{a|Vo|{|$#La8J$A$XTPoI2~u5UumtFZg6 zcysw->$u~_;l9VAe}$|3Rej2Ly!-y%wYjT3S}&JJ@6Vm|`sh#{R(Bog(AOt@MdypI zuY7vnR(8Y8(~Ip>w=WLurH>C+=eIA;H{n*Fe)IJ~d#Lln z`sh%-oDS8C>P5auw>RH}zMpJPdGpk#+}mFCmhZpYcb+=@dy}o#Pws?rI+qUh*XKH_ z_jL&Rgz{SdU+?-I7e4MK?>qhQ_k7J${^EN-c-sG0;xG1bE|1TiMfLX6-G@!nToGXDR;)f~Cz z)lcVBFHXK*7daEk_4+ej)K4$B59EV%SY6&$l*3<6--`C}bBUkZ=~K?C-adZ&;(XKf zoBaCrMfbDkdGqaMZgq7!A5=eS?DstV&_Q66j#y~s!J z*Mrva;vK&A*PeCyr#^7{O^>+u<)8e*QwLtxlMCB7as92!nQ*!;a(sQo`SE@630HsZ zOAju);Gp^TlxyCk^Fcnj_>`kQpw`jk_j&o|JgUNoP+HJ=}vqrcCO_2K;b zcSS!(nCElAeJ)3J`EZ)AkFT8GZ?9=^Pn6YR>z_Dap5P8uG2~9Hm}Fq`i;fiS0^>!aYDJ%eKG0!np4gPTQBD; z^1;?uTp#3r!RvnP(O>zU=N|Z62Ispz{_6Zwogemm`u$XO95$b>UmdFB$3>s3*2kl- zf9Am+FCTrv?pa^!<@VHPAGo?+>iVHMt(WsdedTo6y4N$+p}*6_i;i=vZZ2$J`IKKD z-dta|nu9x^c>D3*Pv+^vi}I_NPv3`_Tfe=EeDv}u&;NDucw6o5xXpp)c^?fQ9p}f@ zSJ?gK6n&1XJazM+dQly!JqPxSimBLA+q zZ;n0N|65=9124G8Z=HMi^>6jM)^z{NcRc0vqW9T5@9OSDyx4pkI?ndtt?N^V_0jpe zck6iX>z?PHSNZyJNH4DH{L}eeJzr1fL$10#aP=Zzb$mL%>YkVDGZ*rkR~=Wczq&ef z{p8T`qI#ca=&<*RJ>>bkYFu6ait`oa(Wm=Dz2|?@?F03>A3Imhg#A1_J~`%0Xs$lU zFNY54&~Z#?PkuQ?bLr*uRSuu;OZlNXG^ceO@;h(U)uFol>gsezZ(r+tQ2nG)K77je zzxV1#{N2YLe97(KcJ1H1`1}Ju4|Og-RG+x}N4==O=sdyJJx@$~^6Q7@tHViG_k8I0 zD)Q7PT;=NHlRIJ0r+$7p)AKB!K6yCw_u}=dLv?d;^{wdrq3tg}?i~Hley%UQ=zQ=) z`$6YZKb@cM`9>Y8L%M!k9kz}`KCeIE@}Rx+LG|`|-Pm#S*GK1T9p{6cOXv6f2EEAV z`pSd#p1NDmgK0LJL&3B-&T|h+ea_*(Q!EG>RV9`Y~LF$ecrR*@wA&9cwNx> z=W~Cy-}!?4<#hc;b?Ehedq8!#%9(un)Qhc`^V1<6(tZ8Holm~$_^6Gw1$LF|ksBcy0`&hv~&v);h-yXlZ@ALK3ak$c*@5whk zkGBsu7l-tHvHRJp`8a>kd^&&8*Co0>Sl#2d_4-=x9{9@FTpa3$)$yYFbp1tjsE!xa zC%n_UUizG`e(1Re)6bC}2ko~noaRotz9PT5c+vM+_EN{?u5>>0+OJNR2Pa*#n3y_{b3Ip}hV{Eip$P4!9F*Bl(K&byrdhrRobwyUhx2A-Zk5(R`9VnpClf^-r> z6ZWQujwn?+cqt0fL8&)@lmNjiU;>C#g9;b|LX;+OK|!QRQ9vPpC{ZCm2ni{Cj&Gdb z+G9Ltyx-a<1ogZ3o`0S(=X_>)%X-(l%3epF5{k#p4_g1(ONbA}g{jZ_Gp^$bFXP~6 z+?4V7lkp%s8J6~s$rl&$$15Q|yY`m+@!83K=bn1@)XT?Sl2d=wbyw~`eoF7+^Jeif zAAKF>{nS#N>?b^E|47cf+6B{2F8QY&FEM#!h@bNO>eEl$J1?4f#nerEHogB+*KU4^ z`aSjS%BA|+_3tXL-F)-gA6>1d#BaCGlK($TuWtSK|0`zyX;)&tf0}*^N^bW!%l=+a z`7@3@snVg?J zdF1)UQvAAj>cb<8M`nlgiTvvtc5$HmWN3b8 zo|My{?D)kOmyDPDHoQc9`iw)aLvfNPE=;@qHao;4ix1h!iD^%{?)i~;@+XQ1@k??^ z&kwr4mHAT6dBk5HNY9@hvZqWB+3OG=*74crm*1{m@=E=Y^`zg6`)qgaGI#Z8dJZ8D zp65;EMDZbe${80A;=|O}$?hY|1I0_3-ndDZ&CyP%OhaS@7C6?^goznfQ zl3yvldf43;F2$keM^+C#WKUT>dPtxBn&XEjJ{jVZ#fS8X`92~$Klxzl$@#lIeDM|Mpo>o`zv#*-hWKR!LAFCiXGUh3;) z{v{qgEb-~tAyJG|tqpPs*X^zxER$RBz?fDHMogIs6FgZT24;-x;@lXh{Te2E!{ogWk*dhgKr zlb?3*qfZov9={Ip)t!8L@!9#ocJ<=b@zb8NyovS;>SgEOZhn3xeCV2A9npC1{l;Mr z4*JBKyY*?hUM=MnC&!l_s*{|^UNP#LzOgmYAJaQs?qByBP>x{1+ zv;UFP&$ph7q z{_ON*NT2@f^oicbPkmSA%tMCiGk)}?JXu%r$>KtKc}nr=`ITgPC_b4#q|f^4=NB_? zU7Qj>>nz2=gZh)qFXcLYojs4AjIUj=WS0jICZF6ciVOLPPhW@pN|^q5sb5g?{Kn_! z`n}zH__fQwXv!0h?R81(ern!76{jw4+Do$Qu(W3$_FInX|Lk_l^l#?%ZNC4+f5x%{l9<`PacSun0fJG^2zB(pI8?s z`Ts1rw6CbEr``6o+h2A0(w=e2b?Em2^V{yMBjt>n{giV0w<~LB@=NivuJo&uOL6P` z{=3;1bU!TUcy;|Pu0+RU>iI!-b&!2; zB=zi29Q{ZyfBKWtP7lQ)FDU%~Ev|N}8`78N6MG$&u4n4}>g?u49q+^1vp?F6SE^4u zc5=oo=}SEO?2JoJ%;TvPm!Eo`zkZ9$SK97l)%*Bq&p7Omoh&Z>{9?xOyjUJ6e!DWB z_$AE#Odfk89(_qxcOpJL8K#~L@eoDV`EUxh?Azu1B?`c=^@L`F^58}@+%EMn=?Mpow>Q{dBDbv@j zS9sz=`Z|8B`V#WbeoTJy zPrdq0s3^SI;(@zj<2 ztWVwi@^^#$AwHQOJvlM??DQo}9=R?b9?bZuCqsNPq)%k`e<-YrIS%~r$&eoMCqsPi zo6(p0CH4IIC3>&IeBsZJoG1=Gx#UNW2jwl<@iI^PrM(o7KCiRr>rg%N%L~(=o?l|} z$;mT6>f+VeGwz3#OZ9%(xc_SY+6mQ{&*Ru3-ban*hdenC)KiE2ODJw)U0lyo#XaM} zZ}vU=@Q@hZ?%pMS{iBU~G)uoXO}~`I zhwLfS%S*<~-%-=!Lw@8E@`oiqdgyyZ{H#yx^ki74FV&g)jH4dBPWF{XpE+*8;Oe=6 zdJ_4G!%k05yY;ZNZaM#o1H~aj_ru6|rTp~xiR_7ZeveMhbzgpVnDOdl?}sE$eEK>W z52^>!C$gKbiPygJ$M z{qUi9`1E*?om|Ju_u=_L?any#@+I=G)0gt6U&`vC zmk+YT>|{K8$Xv$!5`scb{^6RR; zbRVn~M?XNkl3ddBE1~wM|M;)1G3Kp1`qy5U@DrzmrTnQkFU4i|oiBPQA08Rfm-y^3 zzt=*~pDaFo%6N6?eqjEtzs^s-<{y9GMnO8je$43CCoT@sjrjyCGw*u|4&8#uPoo^Fy8tl<!};|SS9`^Q>|~gFa#vA2 z=b7o>|NSSnymLUO_q8)FKl+r-ANoXo(0g%Y$d8FdyYaTzz|jKdDubDy9t_T-cG8%#g`3mQM_JSRN&)O!E5&?jo2Ph}lss9&^SzmXw* zjst!2#4jN}6gT6s&o6qfRXejDapg@rxx}MS)SlFn<;(q2=1ZA>3B`qVJa+p>GR*uL zH|-@qdgG9B*c033@pB&H2iZ&Yve%*Wjks`?)!uq!)3F1ZrE%Bpy7=r_XUfSFUp@Hb zeD8@q~)A=YA1iZlB~YuC7(T!fAYyN{pexIUefa` z<*)POU&4}q>dE4eA$=lyqV~}9%lS>8$S*N@WckGB$DZiC0r6q-#dlnkcV76-)jlz4)E#dHtE!zB}O))&KFy{>pfz{=zGv{D~z#eH}mTWbMfF zpXUS_za-bSS3bN%^9|4X*J&J%-0zS3J~^biKE=D59V)EHbdiD>C z89!y$UD<9tn03(WcXs;3T%Xd;AF`)RpIEBD^t)mH;wQ3~5I^mn2hrm}`VyAffuC_w z#!JlS4mob(B#M*zc4fzFT|Rk|S2uqA;A5DTw)>qcFFLcqE*=zzUH%=rKQ(!H^S#P1dH9Zd$AkOS>R_kOyzJs-9`*3U zyX%@ACw}&-=?&`wJ(QoEamnVlJmRuved4lN1J`j`Gs5r6ZapZH{W$Ich* zy2`@cn&#v4`%J(6nF&3s=kxMsyVUo)^B?^7oqP9fmipOui1R%|$B}yTe!KdheD~e9 z=ID1;Ubv|)cKaeSG(O2^x1NymcM=N~OpjR#%{CqMGsp)20st@@snJow^|-g#tW=CIz)91nKu1V8hGeb#qYnf~u{ z7OwJaJZOg(UK}`}(>lPvUG!X6p7blV2OsV^Z~Uh>9pAHQpQ3)}HTzQMU3n(laOv3X zAL!Y9`P6B9tb4$KrhSd?0&YvFt>$}x?ajEByo^;jIt@FS3>^So>hNOyY`~v zdfeT&x*z6xPCMYpG23jr*FL=}Kk@$j;{JzRFtK|l{e=g;IlbAVM>X%oF;DadeF^=) z;yjPYpMLc2hglbf+&Av=pUmplbbi%N{cU~VpO|^9E4~|GK3Vt8dvP3xdw2iqY7bAJ zS3Iuw82p{1Pk5zeUuEl=lke%@xqqvAI__tZwW}o4Lv^W>K4tv_`Dw5A)8mPQCqBO8 zh(3`&KH2}fykh8GH{R86USsB>8*hH-2R%BiZ~Hgzn7ms5*1qDDaeLm{+-~8f?;U17 zc}jZiGLO^)wNpRPL*ql1$MMgP9;%Dq1Djmlcjm-i&5?7q`rHMZ^=Vp1@p|+ew9a8W z^lEx9)B3@#9pa0dn0EdphkJu{@TMI{(RJ9_k4M1pJtzv zXD)i~E3Ng{^z6>#~#JmQye7HlvE4cCvQyGk&g5^eet`x^mbFqt3XX zd-GRAzkA7>V|!KY{>x6oSG?@>84dB$UmSKaOnu6DC6o`AcqRQB_lz9+>?7}2^~+zv zQk=|BcAW6**5mX~jd`+H^_;2K#j9`kqXRq7`=1>)=A^lkyH)#6*DLl9S)cU|aps)=|f)adzD*pFG-^{p`LNUiy{#)AH|?0Le_*7bpW>z{r2fj`^!oyI#~8$JBVzr5Ah z_V6qAIsKto)$!_k6ZpC^W7kL8Z*Tb-Zi z`OBYrvg;?`FH)y<{N^PW9`MH0g*sh-yKm$7Km6p?zvioTdcf;9y)pT$*0}J~KI?`1 z8m<%A)eYq%&o7Ge@a897z0Sius`V)I;$xxe;wABNLFVwUyl;Z0LXxvKY5$93o zLFqwG2h(>=|AJfTc0?;Z&klKorlEr z|Lr{Y&igs)u|MYLey4V5uYSOD{$Q8KbBVl;<_G0>-l9*Gw}kj zGG6+z^M`nlKR%hA9y-ski>n<_9Q%vZiwCVo;?kR^)%OfK)_eVD-r>s&)t7ep*zsZV z)dkaD@}p1W4@-9W^yA0gyZexhzB;e*$zxvFvG=5R8@;HHxnZ{4TJI3;0Rfm$NgsS zojd-?))#rqAO7O1%e?UX$a9A4S2*f|b8hIaXT&?8C%SpYf$n z6xaO%cKQ;w%X9w3pE!5+s7EgC*1T!W!}}jMaaPq%?UGOZj!*XOH^20tmu~9T={Wkg z4R+t*#T^%_#&4s|mmL1_e|x8jFTeODlrQ<@-+r~{Do^&AR_zlr4jz5V;_DZ6=X~W~ zLeDWv_P6gp?8qCZx9$^^c=TB(eY?mXw(Ez-4_eRI?R(5;#|7NwbCbV!;?Z*&?px?z z&$T^A$2ShAh#AUhPf469#|gi?^-Ow|V-ZD_(qZzt;MhygFH3 zF!}VQI+AbvjT^i6h({0UOXz#q;y`@oKQheuL@#g76LsSy>IZuFk;vLFuJbi}3DZv= zbta0Fdi?^~#XERXzdw$+ruCd#o!L+P66JN=k-LhSuU&uFdwCp}{MFA+mS4ZnmoWX4 zx5ZQI@Bho4`!%hD;^urR?WZzcNj~rC&+mHmv#s~4)MdP3bzRZ1Ps#U-_{}exuj(|9 z>}N`G@!6eU$Z2=~A?3x9eyLyZ zAzosg-MHFsC!buxcJuMqKk1kA3Lo}E0FQYxo)vLkGP*l@A;Q{^&>g^C(qmJ6JH(t z%@=a|t3&(oAbZ9o>ks@y{?&TfaX#}Ntoyb53_1ISargFX4!wP3za@tBt&V?s_j$z^ z7t-rLdZ=FWGRHyt@zT#Y(3j9SlJ}&S(OPWwaC{iI zoY(p}@88I4pClhW)KBU*kI(q*g^xUNUEfacv8W4Q9QX0b@+GosFWI;zUmkk%#q%ET z^?P5-^{@8?#fRc}-byZE)+J8XWnA(+v-N+yz1iQsF|c{m#;=XP@XqNC{pJUW=Iz(L>3w(eF8f1X^NYVc&bMUt*KVFO^Sh_E?)&Jkko&R%3p1f+eFL(CW z&h+=3kH0+Re4mLvdGzAX*mbE9Td&Zg>UYPby0=(#nReGF zUtM9d`=`Fsdf!Apj@$XTjRwB?PNUkl{BFu2huku~x}QD$KkxbTQESg?Wc(XHz54;H z{%WD>_fg{EsUK!tuZ($UXupv?tNjpO31{``-T#(9)xTdWk2=VS#(~~`j0|&rm}l%z zzO28*civBbaXxC47iQfls|UY?cy<0cU&P}l4n5hv+;L|;N*?)zn`iytGrxPcdhX-8 zf!%R!oEdU{h)ob=iL0D zI>=BRu6JD@;Y0kC)gcZZ*?cwca-Puh6JI}@U*aX7oX>s5f%$tV@58XmpIF@&=(umA z{@l0K#bJl?YnQy*gGaVsO+G(*=={VE-LDlNvXddb^C&s(>NMWTYH-%D&94w))L-6vCzIM4iIt*f>g)7obmA9nFN={w&4Wryi!-MsLfv%mhSUCP%% z{1e4fH@k6GS9Ltcdt|ON#o-TAZyvDAi$`Wx2N}=(ae7$IA9Z%@pTy-au6pb*%|q=L z7xEYH+QV+&;d@)O-uq;??s`6i4>KOwb3L*;e7C~9b6usoe18qkaZS#6@}(YMKaibQ@uByojGOCweE#?) z#DjRHI_dEf*^M(fvE(OzqIp5@_#!8!oxi#=KYx1l+W)b`JnvWhj`O{I<~Kj+zMXtI zZ%X5cFAj8GF4^hDb>8M*)gSkHyeD9P<@clF@rU}|dC2{Pb5EQ(Zoe6=-(lm6^Znf? z-gUstxedQN7RP;j`y$_Q;-9Ea{`uZTrC(|End1fwuHFYS&g${|(~R$VD4ux9BkON6 zm5+O`c%S;mpBui>CR5&SY_|0}R}Xuj^}A8Wf#XwN<6_>qkLLcHdW@GktrKMH ze$E?qSnXTmI>h>99*eI|=z4^`nwN`TI&7)?7i+p-mHE^UwHwOM4{AT2ee%P*E_=}? zy<5M-!Q+?cKIOijnEL6*KU*F@?d0$LPA;MP9@+PepMG+y*8O4M&s%Kpvs1TTp_MSfQyi2Cs-g=IMZ(YoI`~B>(h1U95kLE>dO}zPm8)h`T z_xSRZ9>?zeXzM<&->n(X_ZJy^__1%kSA9p*xa4~?_IdityfeP^iR#uab@O9)KZqT& zlOg@IkFWm5z1y{pSMAFB@YN?y3Gt1yPkdmzli#nNk0%em z4%_uB@#wQ%b$S0)?CMt!8PY@g65>HT@;?jB`;V#~@9&wnb?wYL$n9dr=hvD*5h9`aMYV!UI-)Ws%nV$nJNjuZlZzYTpr$ zF5Yx~XTM+7*|C36zw<8tL_B#C&C~QF+g~_e(`TF+Sy-Z z@gco@_A6vOviA^NztY>cmUD{tJ^6{Ru9B=Cb>k(9i(j&9r{Cq^ zIe&=**>fFNw|IDo=7qX){TD|*Jo^*p5#u1A_TD$|>wF(i-mHrr%13S&#ocPw6MNo0 zqx1IS`` zj}Ki(uzOCWo$3B2>HP)$X}o$Ye8u!1-`lI{cS7lh=l7D?59E&u)ob5Z%A+4jc6#%sj=$FjeV(e+Wazz`l3gA6FxyF= z$UhO!@ybr0vi@a<$)ktt`h}j%P7moJz5b`SUtovM@7b^X@KUD#M`K+bb@sY?(?4bY zB|Uq)m~qHZ9C8Vhm-B|7?*W@1zQ4>4GoJk$(|+ew^_BVqKl3<0@Q3=(eQEus zAH^{*>G{iNp3vvGn-?QbJ>d4GC$_$C?)Un>mn)9E&Rgc6@t236{-AfC+x;iMKl6V8 z#8=i%IAKE`MK*Gla4=VclP z^<1?1U!HjCske&vvBbqE*P(WmcHvZu{R~I*fhoALKyQ~Z1?Emg-bJu*g_5R1}d!Mn=@;_<)zbU*D%9mK;)2k2CC)yAA zp0n#w-zCYsWc?wY^MLgbuU)jS5fA#^wm9_AdQXP#m-5pO#!3C=nQ_Ax$Na{pw_cN> zeW5szJu&U_&_jOYhpze65sl|s^U6L7&pIjI#P6*&@Rpu^oBqFu_XO}usNZ1n)MI_N z@55(bYwV@hT;6Csm!|jpR)6Ym#}yv5ub;f|em|V@?A(TZG`sq=lML||6pE|8y1zN@ooauI@BM*{!>*mK@5ECN8Q;967vDNgU(DChZu1Qv z%4^*8JG;1v>acF5UH$a-!DR8}Q-|{lJs#w5+_Hc0Ain*xxb%4PlOaAC(nI~A-FT2* z-b6fl?c*m8dm?{4vi`)U*Ix1IlQ(t$qn{tNZRg+B`M-qx68-;+jECpGA-lS>E_Qmd z{vpF$&&&^Y?ag@lNqy?UhwM=#zO4onl@^c(H-xz0hamjV_Hu?M#vkrd7m5fI&#c_X--8z!(a$PMh~pC`jupLm-5%eV~6HtDPKw7>-?KGo-lA)^}Z{f z{h0G0y>=(ELv}J$FWLE=%#U8Xa{Z*wd1(JHj^j)}L-wpE?dmG&C){x9*zF%^eGg-m zZ@s+54-S62`mO}O%=6nVFWP$4>hCxFpI-N))hn+$wU=Hz$ZlRaj`F@gJ}kv!|ETaE zmA5WWoxRk4ez1;Lvj4O7|Lpqf@@N0xL+d*kI_}7c;vRg+s5$qq)Op{`&hMlbE+2pV zg{|*_c)mPi(92i%+okm$?ini%x_I~XW;gtwRQt5i*Zp#U$0Aj&(|W=z5=BKK8`4r=R<<^4gC(57=K_G3c*nj$Z7YY8@6A%IiE+ znlJX7{2+g_=kn^H_nn}OPlo!*bINw_JLm`fq%Np_vfsnv`~EB$;@8P|b(p^!&_5;A zFW%q4%RKfc^sXPsaMHU=E%w%at>c6qmg2J~miY9E=}*QZL*r^b83%kw&yPOQJWoA2 z{mJr^OIV7N`t*0ark-E64=?rj?DLD_h)+(;`0ORUeO=n+ar|4)l1G-u{XsH2WG6eG z><{_LkH_vj!d~L@D~%&NEXAW&Cw>V__0aRv4#yKa%zX5TIezT?$%)#P#}Pku@*~^7 zrym}~C(8%f<-;@1?2sMuW6!wsiFw{hd&>4ZsekT_)eb&l=hpvMQx{Br>G;uJ^+S4b z#APS5-}d-fYwo^M=kL|AC*OAj*~KL%S_hzb{EUa|bNXYZZ1v`6wrYK+J>#}3i!U!f zGL)BG;<48u|599fysR^2Jec`Q$CdqM@=LP&yQMr?m*)}Ysre_qIO?N^?6B@Q%Q*bJ zAK*Lzt>f|~s#_fG^L*91#h$1he(dtN4_Vne?(4GaFY`e>adMrfhvL90PkiT>J+Fhr z$vpV%-?lDf9N)3PS4X1%Ut_%4`Rz2}*av=fK7s=-eiae^&{E-H|H;Z^QyAP^8|6!r4D*=$cgMQ=LJ4H8Om3h zCwS`99{Rfe*I(*VM;(fv$giYlH&4_@Plog*tm9?7QsxiUEua3UhwO>^-*{dB+uKgq z@jHE*u2-$Ixn7dZeS_l~k3F$ur!QftPJDT?zu6O$S88wi$&+Y2 z#nDgckH?=~J-HrN>xcIrJ5U_?#LNAL-)YEW{@}YmC=N8A$^6YXvN+}$xrF@mk9O17 z#lce-)F1L@Tz-l8^x~zSojy^%)RXyVd@?(9e~TSvJhJ?FWOn^S59M<{bDZ(RgZPl% zd?Bkt9Q>5=tWV}|^2MkBuviz*aj0JXM^4lZe(J-sZ}A?h`L7P=Eq;!B{`!?%LUF}O zUP*8K<C!cpc~E>NxJ$?`t1_NDt{V9({?&4*8QI|F!qOWYQYz&#RsrvS+`TC-ivY z=ljj{=|^v#ko8~2C700q7|v6JR{HvSJN>owyj1);%=q~FDUm%<9C~u1;|8yU{P5eY zqZE%`+>%TW@nKyZ$s>!GSc*qq@-OK#en~F*)5EU%M>9crf*3 zhzIGNzv<;yr~G8=0zSL*0vR7qzC^r4>ps4Hl=Gc+gm$P;*!M?Kao9A9O(D+c=Yl(-_^mvSCU3fy`zZZU@x_l3lU0im0nCqc+#XQP+!7uT1Q?7pXfKQg+cS`<(l6_CO?mlZL%(~;n`3)5t)reBSm*F7 z?AV{nPoMGWGY+2m$oebw>Jm?0evmz7aZCM#pP2F3>D5VgoFy;o#n1DmI^gO zsGVe3@eAXJ2P=N;3+c`G>=*xE$bQRumvO~`*-zF5es$>ox$0l_iSIjx##=wV{>7)C zJoVN7P2=o6JN~|lCT@PmNPO|g{H@>WXD35?aUi{Z_J4uAr)|B|E_~1N9EbebJ}eA*DLzWn=+nuh-+WO4%Ka(D}JnB8ILRuq|g4R zPo8`wJ3Yit%($g>5D$uzGCj1P@w;n$XuTq5z1bheL;v%G@{*zPCd)(4-%I%aR_e#I z{>cOLyh9K9leMdKJ;2Tn@+T*17cBAJcW~X~e3bEK_37RJmOr(=Gx(#;w>f9TD?OXZ zE6JY68ZYk!=~wl!lVSd!=;X<(zl<|~s6X)d`F~A#(EToa$ghO_OMG_z>Y|6*i3dGb z;%DAzw{={cI^-w5xa#Lmf7#P3tpBBFW)z>#iNlYa_wU44FCITgztpx5A2@8u)^ovG zgZdo5&FS5nco4sY>nySS$)|1mLG?R1b>L@zh?_jJe!+v{;pKV4`3sL9e(L$>^%{M~ z)34%Yoz~;L?!klnp}O+_*H}OBp!Jep3ALMFiN}7~HXAK+JJQ}4dF_0x5j`!J3l{gnRVs*eo$k$?Nuo~u0Br}f=u@gQDF zc6{Sm2k_Nl|7)M54m@bxu>aD(P#*k5_9|cOdy`M*N3KKlz>SPDU)=AH`#w3O)BaJv_Z}PB|{t@6_WvKI`&`<2t~4M&|Fjj%Sp!#U^dd(raOmHqUeI$-W+#B)Kh^r~7CXcv8;{hJuRHm(cV7Ey>vxapRG0Q1b={TwkDtd6t+Ur5|Kw%(`UUUb6OO=k#dib0NPE9dh5e$A2=bUv-^j{a1&0F!kEYZk*&#J|6Uc zRPpjWD-J#xKM}88be&@y9AEmAY+so9=rbSx-<|*9x9{A$Z`Hr)Uy}KYiqV}D0BZ}9xSfh;cMxBcdq9`w>poqw;z4#i2VvnM}g{_0}a zPh>nY^d1g-zJF>z@B5q9SN^U?j4wURy6EL2!;)V7jF^a~ ze0ja^xdEPeC!XVhKfU(zgY@|HDT`wrXWwVY*)NQ{w_lg{E&NOQ=u4;`s2$!bB(v)m zGPGXc%cs6XcIR!f|9?^H58tK2PxOAT<1X!F_4vOPFYdG5xy#(uqv`yK=l&qR_LK3< zAF}-lUiJ$f#A_G%L3J4qapWblC+72H{1Q5z*vaa-?wN1?>|-aqTRn%xW3NMX#=5HN#+~MmFJbLK3=ciuh1Af}e4?p+yu0L{q z@zcNd*ZLF6m&i|h$m%7_<2{*-2&a@#ypTl7~M`eb$dhPnL&&VjgF%fB55DcgTtI zShv_SPU`ukK4tAvuX@CX{KQSYIC#*!AoIhA?o+ed*IMsPl^NQim zEwcRKo!=M6_y1(XFQI(=JkOx_dmDD=G3O(C?UF~o8OQ7weu?7HisM&Lk+nlRq2s6|^OsK?GCxQU=^ZEHdG70cBW|KN^yEbS zkGJ9WYhFL}{DnF_XOQ20XZ#Z8{E!!4|7nMIvdd>a>5tMpGH!U{z|8OYtvvFp2Y-H1 z-p#gN=jve(w62rHV~43HC*mjKrJn40CSD>Q)E{KXPd~3U_R?!EZ}jRkUy{!+_40Us zOkBLgQk>*aR>2v+kVg zc?ZA5j7x^ef9a4R&s?>4@8-qLO}_o})jL1m)=%*I=N{j7u_1FCiw%Bu>eefCYrZ_C z$FX}q+Pl+pMfq}kbIraF7c-D=qk3CV{^x8?5hYY<> zQ?lbh_tVMzAU&ja+^3$sgmwLFzKUBy@7br_`r^JyK6l2q54Zm-)vMpluM&^`flV&& zJ9A>Mru%WrjU9IR4_EG9tsi*mz$5FQ9RIYFp?L*;Z%IDSE%2fCt+@Jjf9%tv_5Db3 z_$TsDtm9=|?d6y8*w4Il>zfB$)cSwA^vNfShew9=>LK%o_+npM8=2gy*=vQ|7s;`~TiA6$h$+qpP<%cf(<=-_6L&4jl(%&n5IH z{hss2e|ppLo#To7-v#aWwHxYx?bL5%@Au*xkL*Wweq{Ht9B1_2*Rl_n7f&4T{gEAa z;?P6qHFoi`UVJ>VI_RNxvy<5q@x+CAB2GU~&EP z{T^|0{m{SciSp3@+XlPu@ZyfG>mGK92aN~2`q}C0`ZxLfpgi6iB=d7!`p6<1E_dAT zTko^8L-UE8XdLo+mpbrMrcV^lelG1~`NY*JxfABvN_9Cvw> zN6!2D;%56i2jBpS0Wj%KGv;LVmo=OE0hZ^!z_8isw4BE*?H!UI%G^sXhGK z#mradXFk^P*u{tR3mU~Qp?v!7qA5>2w$~+{j~DmtGES-8$s@}L>D^}{!{m|oK77e< zZ~5an4Zk0JYTd<`zPw+b>NwAND;^X_yHihwyR0~E?-8f>Zmv9b#Ix`AZr$&5oZvxm z<$>&Es9rLE_dV!g#!&~%c=XmM{)v81NT2ztx|X?h{CSTp(dqY`_C5Tediaa$JA>9W zdUZncgI!!Q)Xtoj^79jypZIvLr`h?jlhdB>g{cSPC#n}ueEnsg!jD}&^pGD}dy_8? z9+^KG;w6^&{BnHx>vudTp7}(^=MUNWTd&ypu_xyBK0oIb_i62e`Q!O+fqjR4mT|>* z-f|z(cti0ZKkf7X5WDx7_?N}!%<6Ps0nffX$J;y*w}kRT?IFuUhNX6}XFhS48#8)v zW25Pv?*F(hGCq5K(D$j8f7890`)BR)|6A1O|IW>OW%|6cZ(X?4`N8)TR$1+>M>ZWh zpt7si_`UR_JMWvhPx=0acJWJOhiNApuM*4pndn%mG{+7J2T z8$Wu;t`7Ogc)2d{W6!+wP(0&JPCNYx`(JVIx2JZm?vK*fp?I!~+#j&c++l5$rGntJ)U^{6Y=!xBJ2MAz?X)0YxHDC* zb0iKtZNM>i-*QCj{T^}hxkQdT|J{DL^S=F0ZuKkuzdGvgtW*2x^*6Z=9WV3im;J0B zD8A#@_mSw;M@~QX5{jFC8PD@}aqtt_XMJat>Hj{bwcg`xveWdxJu<%h{VY81mALQj zco!dLo%H$@(&LlmBSX9#S9+NH2>vkRr;JyJ@+Ge{uZ=6d=bvPC`2AKXK7LoxevO~_ z_JQ)l*KVFO^Sh_^>U3VP&&cbrY@hiipZ7b+&U5OJH{PgJ|@%kg5e!mtOoUhTe7K zUH#@Ydh{H$&S5*W){}EjoH=g48QrVPvF!Gp_v)UJ13kWLKB?`X8S^9(_qRj(89s(z~xh{;;SW zQ2iNK9cicMpD0fH(c`BqE`7!Whxj5yeEmk|CoVsF{$zg1V~36d|MwSPyRDm^i_qhVBVS(s@yD}2 zA=|f-6Z1MoeEHOoaq+SroyQ!%c;d;gpHrXr5AgJ3@>9;=N9VX{Pontt^V+4}5>|e( zkI(r0@yV_`>`RQlaq~V8y?K(?hx);MkVk*&2X)C$HeO_?AKVYX<1aow#Dl&ke|FEU zpTBnDxz+PHagN#J3yYn3TkAU?{eL&*kV9^nUh%{&q4sJ&^c+kc_bJ`q)UVKUG2icV zeaT;bGSt7uK|J>Kb6l`HzF_jjqlf(EHC|+Xc=kc*Pp(68q4DJ>4;fAxxa{#aZ_ux4 z9?|oM#*IB?dZ@kfs*4@^t|A`9hmL>GtMKx8Xo%{knz!{9@l14u1NtC-rDv|EE*8`oVdf@1M_aT;s1_^uKY2))()KWIpRLzIlr$ zK9qNhv9G;$+9$eI&q>_B_kM=^zw(P`-iYVE;`94Vzx|mBJ*)eo&SU2PYH!^-ez#qF zH2q(B@k(glk#>2t!@k7*t^9ww{PVkg`b#|D^D++f;*!NH$@+`^&>Igr>ymAIH{Bn0 z-*o@x9g|n^GrA0B-o`~Twq`~Ris zAN`ld89mJ^I|&sK@>okH3D=-W-4Tmz__|6aM1KW8V30l>HjLaUXVh zj}_MK-g-|(ygHN*;*(2=mxxcV9ppsz^h-JY+LgsmzWBy>laV{`cE(|Sn$D}n$$Ye5 z_5Yz9pZ2X2=guDW$fezy#>GCwJh$(0-RXKj9qt#Y)BgL0J(l~@xGnou-v_3*PF4Jo zQ~Qp1bn&M7r*8KA-HhKOyH0SwQh!-5_0I=07W(>kPM_K7K7{yd+%t0Mvyaq&M_GI8 zP+Z418QRy>#bI~9h(CPp-X(thqm6nrH(dMq&F1ab+7B70Rkofv`JVo*<4QdK(0DkW zAHQ_9LAx#8`MX_rU9;oF&t5gXdjE!hqH&;?H}&iguO!p!SL=s;wDGpzwN8nfX#br0 ze|1?uxF56l8^7Cb&RebjC^I+8tP8>XBy}8x(XJ{CB>`H%{W22ka%ielbq`jOWNXTYc_=&04=V6eoWN z@4TyC{f2+;h_Ao=(7AvAT}j8hcH9~te)tgI_cDD?=-x~F%-Q$rGa8>>{^?QEwtlbS zey2LLTU_WkA!nWL*XUn7^LbL=kIh+Qr4JgOn>vo3{OX?TA9YB#rr%GRKiVgc`A!xe z(rdpsWb?xDlJn2L$UGO%IFq5g;>u&aF%R?`p82M~@%ay4=KeePx_eH;ahvzqoxjaD z>j{73N1k7lKmE0Po3mg4&M9lnsMbmPc2V5q)5GlV3@Fm-5J&XfnVZ}PyE5^n@^hA`2Ow_?>b;+Yri4C`f{Af-UGGHS_jmV`OHIl zvg1SCUk&~4C2x*xy|3#11a*n;_!7r)tnQIxw%K;CeR?%LFYr6<(L0Z9%pBJG-L!SY z@x$Lbqh5OFcYcn4^{K~qc8nu`$CK~D$fN!ICw_0Ofw%N*efLSbq3aa&h|jK`tbfF! z$85Lk3EivfKI^jQvbisR;qC)ZTyNv_`Q0DLIQaDL8)RJPM|vo}@pT{SXNQeBY3}51P5U|X-F*)2qR-rx-R zy!^@P5}yqDCt6SC!8cFLOTQ)hn~$M+ihw?0kp-Ks}_ zK>4ruX^+LGezWy_%y-kX{r-=e`$YV;8(%*5JnnLQj@WmpC4X}NI}P^(+|Tm=0`>o# zC$9SOA}7ylWc~7-^up!ikH7Hk>U>7O?crDKbNWNA-<^B@u1=^OWO?LwpC*5YamUUV z?7GUrt>1Ub3wusEb?~2$p5EZ^d{cM)@h_o$zWum;nd6SVG+&H^^QQ63e$XFThkmK% zf2@!EM$B+8e?RwYm ziPho0ck=nQi~0kK=YEOvmGhdqje~VbK6bL_s$}SWQL^W^zF$ptK69Mv2jjzEJ3{8{hvGnb>$vYhmi+aj{SW^VpWXXL`aAjZ!(Qj#wDE+2t@kywSG=E(dhDJr z4{cp{)7x*7KPog2;LYd0H2v%)-fLX;^a|^L>6sY~$A$d*ySjhXaa^yx|0R>wSbtvi zzA=8{X`{zn)ceu*8uqXDgZfdwnIH7x*bkFGEZXn)pK;@@Pn_Sk>3Y@iVw}xydizN8 z+i_?;)t~kOzC)os?D`Xr9`9rC-F?VLU!B(w7oQ#K2eNk2Ter1Go^@6qGGXc!^EzD@ zyN{Q3`M!uc9H;IZI<7p=@x2pu*r&3K&+dMPc8nQ${-o(+-fR5l!FP;(bnAJIr7u`v z^?w^TqcPz1o8FjwR_FIqz5nMuRrg8gHQb_wVIP#7}*loPL}AY>{qHU)b8$vAd6*^IiPxFM8u>e$~xa z?@8rz3-P*&>Ng%xoE!)I4~yC>k9hLwFW(!n&e$*5Pxua#_sGSmLwVGJPagH=$wPL0 z?A_}4W>;?=CSQB#^)tQyH0ULC$?LpBecFZh>GJtcd)dhgNX^8j_}U(ZvW z2k5Pf)*ausmR}s}wBv<7Q9nTK^n3V49_#jn&)?CzdcN;|l6;P9`wiojd8~u>Dg6Dv z1%8m-b(#ISxYh;N9oB#S!(Tl8=sg10tTK7~b#?mb=hQpC?5~WQargd->wI-+r*_jHzWiCweE#j8P3s%I>q+13 z@cym368X_*-Sm0go%751hzHFB^9iQi{>l6>FVxdjlovYw;Z18E-v79Xt@{$C`08O- zxBV!&g#5H;+_Y^FI5VW1GxrE}gm-4gMVYPqjxUR|g z{OQdrdgH;K^`xC&g&q4wy!3Zm>i+@% zi%cGVS23>((_bE#*D>^vzvD2!bLYJ6zL51S{lzgpWcL?*&)4;k;OKEeMlbv!!0 z@_S7D@>FQ09?#8c)ydoG(28Hm}6dUVh@iTyN;p&-sGB4)rIV{3SW_;_0XK zXXjV4^H0>DsV9q{Xg^>c;3uwiVBZP*jC!|GmnZ$|WbMRLUr8?M(+{t!m~pf>*Q?}} zWP0OD&bsJJi0^nH*I~xPx6dL&d~%|GpijQ>)Ly(g^sh&i3 zC~l4uzvPkG`6rskB_6$a{MAviC!b&H$+_O;`iv(IG@o;xzqa(#AD?>Y^oHlf>0gpl zZ(k@M+;-As8*DMV_1=i_FWui#pLp`*dmZ9K&;9II^*6gX^pGB^kKMS_i&xS+UmGX< zO76JM^8CquOg`hpPhF5+JbKp)WQY&_o`D_u-sx7ep4jv58J*u7z{}rl(L;I2%?l4$ z^_4|h@59k2I^X$@tvFD>rk~>r&wH|X{%@f7d+6oE&+&C!iJNx!k;H@eWN5w^=j569 zuD=dC-ahqedLP=%0GGey3EbgCF$!A9CqAlKk>P zdC20_$<8-9zB%v3DItHDJoVI}cGU55p2(N}^mXyv7p>#f#giXTo%E1B`^$K!gFilh zc4$7E|LzyyTmQs?{M$wKs?+gZ`FE_ll^plk)FVH{H@~yp^2*0A&tD~fe0gA=2k4=C z$xuA~?mlY9EBVv&*PrTVuS0e4$5*F*B&!dPeb*SgB|0C7^U9cqhV~oT`hO+PLs=(To@%~(|Ey#F(L29*f5G|5eMa%}d&k-( zj`zLvgSf7f+}ATd`Kc3n-Xf0t?DFd8)Tf<4EcvnL^E>gO`KSNoqtE#K66H&M%K09Y zaq|8>zIj51nTM=y>z?=A=%KjYhY}ZNJbL~q``ujXztVm3FFtwj-0D3a^CXW)dj3$q zXFXYm_V7#OpYiDVv-8h9DdU;f=}(p?uhYpHmz-$-OfSFn)cd6Lc;=Tnp#6?IwS%Ag z-gI9%uaU)MK8oL-pYCqlfg#69?jDe~6Pjde1l5J#Q!D$xly)^0PyF zaZ=At4~-KUTF>~wjE~RWE@pegg{3(B@Sr-(C;CJ@`#bsp}~be)ecJ`|rFvWrizKV1jVs|(-z6ztYv z$B+0WG)-r+p_a_gU!3Flb*lv z#nWDP`bzG&?ju9vV;mqoUZQ=ZJox-`p6g%7yLfs2rB9THp6q(feGYl>yl-M(>$=wc z`Fx+n_YTB|;+aqS+k1C-+V6VU?*-WP6B&xHJtdy?AoKErd?>i;I_jC0TpKfpvAIT|KE+PYJUw{`4^Y@ls#ntFOf8 z2l2`2S10pJOh5fiuU-7;A$=XTJ0IjP#giA-@k;%ce%VfPT|F76uC83~>i8MIB#T>$ zr#&VAuIlA$*RNC;eWJMZ#=*MC4)N4QZnxdyi^oqK$X>#nZ+_2(FOE7PyYESp6ZzAp zOrNMd^ki7tZ`ps#lPI2c>qk8Pc)pXsKEJ4L-?{VNK*n=kmp|?F)+chdgI->;@pIl1 z-@cxVpK|Km5AY|j(V zoz>@@KJPY+N46vVOLFEVi%V`7GmpCYlLuZuWB4AQnpWK>NxL}s?DQWN#Y@a}-TES5 z%Je17e)Kz)JRfB{-ABm!$ns@;cIyV&b6hfiNUtt>=)8nS4^#iU7mnTUoinF*8ejYc zg_*bAxcp#_yZbHdF#9|68Ap14j!$}c#EGMxJ$D$HhE1ie&)Ga=J3GouO zlU~2(aYM$>Jf2f$T`BXUC(94%AwI0*snht2Q)h?YF!!(W<^4q84Yoh^eGl=WypSHcA7%XA-_(Bnsg7KC#PPd4?SQTe z$WT1_$o8Yg&wXPuUbctbxVVodAHMx7S^dVDogT7_Cm*}}=B4lD;X(bVe_cng%cH%e z{`G#b_pP-HiUY-S+-5t}gGW{u6rWvuGCR!vJ7w`{a~@f7X2bXzH}g;)vU#B{c6sHI zpB}PnukX(Je}4YIU3FdD@jM1!KHm={XZ+t@J?aayw`#pV%?|mglgwU1?Pm907&+1Z z(GtIe{IY*?ysQTqhrj1G?DS;McgTs>Pv7C-?|9^|PX2g%&Kv*fO~<$1zjR#aXXyTf zbx%AfUP%^5|0hpfP`s2=&kosh{;``6-cO~M?FZMZk=A!4m(yO`h*b&dZ+q-vjnE|h#xb_kKnt7hE4yi9O^Q)WQy6$%} z^x|kQ*?m;&KRy|c9?~b~bA0<_>#XPY8Am%D_v*wm-|(R4wB8TJcifVp-}|fE_g2Vw z;(MM+?|2}~lm6^bJiHR-|NYXR;uv4|H8PI4*PCd|lV)gqzgnaVoPy09i{PO(*c4+-{Ue}JQ?vD52|NX5sFPrdepQe4J^Mvm^ zs!Lq$d+^@Xf4KR#<}{`)`k6)dpEAAS{{W0U^?=)#p4g-MKULbX=Qj?$_=%ThG{iH{ zj_UoD|HIyWN8MGG>jF={R3IQhh!7$of&{5T2%Wt_fe->DAQ%xsRRN_)0OLWB6QoF# za5Pjolt}RaQUXE_(lMw=m!b$lXorIuLP)RIamV*tdyMBBbF41`yyxEQ{^uEQf9E^r znrp7P%3kwRf1K0d`dB>AWqU41d~%rlJif)Fug>fsIaX&-tiIrYFe_|dW?<|Th z4qE>vpI?0SL>s4$L;f81{Hm9Fcn^*r=(>rYM0!wuiCG`xDD~u*{*q3+^oNG2Zy&1E zZr_{q{aw%b^CKU}yYJIF9?T=Y=f*C_v3inwUdR8pmjEL-gz{%OWBiE2 z-nchE(DS`Xe(4(r`1WDQ`G@q(vuMc9{BHinr>9=YCpRydZ|IqK<)a>3Pdocp7u_m6DkjA-Ax~oyWX+?iqFn>;av|JAFhwGo$6-3 z=Z~KDI4-UK^SE_>wr;V`;UDss?W)FCypQbv&*a0-K8k*o54kw}itjsX-fPreax~-* z%0s>IAv-8OIeT*XI$o%WhH@cAQ0r#!zq_3l<9_Z{_Em!|L4xQ?`6 z_SVaX9d+I<_5W9paqJ7r1JZ*te{|nlCu}*d;r~|jhjv&O(ueLlc<-e0-(F|yqUl#p zIJxcKUQO#d*A3=l=OOm~Ur2oCBeeLC9nA0Am-O&q_NViQ_8Sl0%W|G!Po8w||3`__oB&#C_R z-TFcQ%9r1&-(tO7$=mtrA%B>9`0AN*^YYI>{-wh={@rp-`ocE~q z`vI<>$RRy+V#Xn7NA5a8eyK;lg!K7C(?>f#(U4vV`85vN$(J2I{SNa$tWW5}?1%K9 zaY}OW`DJIGLPL5bIX%yzny=ZB8z<;GtQ(ikC(hTUeM52dZ_azfPCR z*^X>4Kk3&vaDFt79gqAPcU|Xv?msrzqP1QWho1XZ_~!8(&+>7eXK#Oo9X{l@gxY6a zK+iZO=T9Emn>0Q<n8mr58s2e&#Pbci}e}5^7H@WzKh$X?Tj_YJ>9*jJ^p{f{{^vgf5rKp z-$Z_rUq@#@iVM{popJP^<5)jtT;tC57Ju}ef6-~LU)j~wgFSuiNIv?*#!`Iwec16` zx9KPK7FT}I`5Vd;^20v+&2=d`biB}ay?}<|7++|95?^<)MG%LmyvU=L7jd*8|4ifIs&9{kr=4iy z-}{v0(0qq>-yE%;{5ijns}q{uD@XNz?y6Ben&_oP`+V&9Pb4p)^~QiZ2lrmBf3K>a zjA!c(e*Hfr)PDV=zt}mS8fVbDg&qH{Tj&`_)i`M%@5Y^Z0WH3|qqF_^;zD}X3;62f zc;H{1=%MpC@&EMv+kZy0M?-x6(CVIg=nC8GrB1o7aoxke@he~LG!JW^JkX9Kdh*jR z^z-{n_?};qxBfxX;}_b0q6g{ogC>Xg#w)(@>3pjW5)6`Jx}L)!G4zi zwP2TiJSUQT`i>v8_Nx~=n0$E}2kf2S-S5{<#|b-_@caNXd!;`~nJUmv{Yz`NTPH2hyTKkl!~ z*Kwzw{G^`$qxb*ezVBy0)&J0oqyOQI`!v_DB012-Wx)fkYDl=Ew27aG+ya-7PZ&7%RKm@hlZI4KlIa|_E|qU|L{W} ziUZlhk{x^bu*bJfWKWMA=6Q-A?L*T~biA5>>w1>U>()_b`UT1F|V_jj~$di3l-?%Si zoYLo)U84G^3)*<0uRTy4?WLD|?J(cb*DiL6;;5f?u-ATe{adPr`?{=Sh_5A9&8gWa= zuYFuJ)IRONN2{Z8B@R7wqWJ?q>yHn`spgsXaZ4^9Kj=jA#ME$zU`*1yKbzfTi_czvIiKq{*Igxl_|Ww}|Mat9%%1HXP#)sqx#C1Jw5T$Kbl_7XZX2Z#?N`k{Na8B|B#*fsSlbQsv}x{ z+RaY?sDt|#;_{;o^!cTiG`@PW~FcG{arp8D#F57kAz=;5b7 zc8T^ij2Cumtg-0kxkKBk=ib=4Z;XC=_L=7_c%Wy~an0WNt=f6joU@*tx^gqG>*+&& zwFhln(zB0Ye~}(JG;YhU|<#G*ox`>P?O>fBjR9quAGAmvyiY!JZ!fXebZ= zkBsj*Py71zr;S(s<@R08GcdE>Nz0s)rY=)JpE-q!T4gQo$S;fEf0A? z_GtQO$bPQ{{pYvMYCXS1Zl99ghmGRa#i3V1_WF+=eqv|k^sJB2P=BGVPtf|o{HvdG z+{up}G>*{h`Gw{S^7M!Ppin;ib(WTI+NC``{6z9PWG7x7ral^~ueki_C&xEEa`wh2 zey+FZktdB`&7-joLBF%;JYw9I_O*?3@%cw*yVQdmKKJX*uiAZFYah@2m;ThRRA+L? zKR;03{NSe@dwloZ@F9CNzuHTleCJv6ME=b8@|F)dK6`afJ^CeN59jvXX_upyv{m=3 zt=EkU`&<0EUzu^yP#xrH-Kbvt9eURj%Wb|=TeYt$FKC~YUwm|8{@yU)N&({FP817imyHR zuw;*4hy23SFU6ska(w>C(dvc|$khxf6R>HeLLqld5X_J zzmOcAdgeiV{?Up2;qzO%e@LI6=f2Ut7qjd5H{U${qpkaB-p6!*nLdBw+egUjQTo>N zX#I}1&&*%8Ki4@aXQw~VspmW1_^was%g1+{^o#EjIq%Z8~cn$pFiW;c$Wvc`I{ep(+`?GJN$}n->=k8a`Dj6xI)VV;)}~q%Ein4>9M27 zFQjMRnqKBdAM)$Io#S`-%Xd$Hxc_?%e(Ymyyxl3Q_upnw_1q*s(0;4?v*sE7FHdnt zb^YrmkIYi4=+Jh#C>Q9d553N1&BQGKU`a>T0kUbjWAKd?( z7cYLGceM|VpU5sT_0ZZuA0H-P{^V$S>ZeZlCFF-)>e&Z#-#p{dFWK|2o$T?UIB0%h zUT5ZcT>ozM`mm4Pb3u>lyk!1zUF>wfJMq!%tY5^V zhn7!bb-syxUFW;Bcb`h!^jG5ZLk`(5EuD7!LvsCvhL4@N|LEPWpIN*PkdHdR7jK>S zAD{T+tm-`R%&y-#q5oTp8lS&wj-&$X*ehZ@u4`z4SjOs(mZUQB8U92PoxLQ z(IqsWnn$!leIa}OXkEvSA8`}Yo*W-0-~W}Ullk2J0rA;E`e^NtKbkzRKYXv0Tz)X^ z`6XYp#((wy=*2Uu^{V5Pyo9BA^hh{eM(F z>+-0RTOT>T^pE4rIMg1rGM@1i6@1bGN3;bl>^ueBii6Mkaaxo*Ihzj~mxGuy+zywFvD%$|JyZQHi4pU4x{&vD>6 z{kncgKiW}3`s5{Adt4V<7dhXtgX)y%xG>(t&35sVNYDC$T>p^so9k$NcIdVG{_x13 zoz{8}2tV~oG`?|xp1k~_*H3+ZQNub}e!i#Rd(fUg7q<@iFX?3-^w>fBUugY>PCI__ z6WQbQquq)8(MzPyAEZYP@m;@qUNYtM`0IVyQ+>AV|M&M*<2_7z>`U#-cF<40c{=6d z!kgxub^lK;Z@mvz%>%DaT<^(US8JO8=tIW^8fH6^PmT{Ar`jQJ@~lV7+2iMN>iY=% z^IOWtcs1{e&o4V@9_1I3!{p0H-t_S4C#JsZJ@$$0)k*t2=V6^=-lPwG-w>Vt<%@6L zmY45Z(@Q@|^8>XP;D{K0sUFqg_9t#jC!**?wQoJh;)tw>>_0?XJz+?|*F5 zVUt_mrDngZDDL9z*M0J~sSB$8O6}&CUWu;blP8w^CO_@a^b%8!hV;>i%BTzk8&^``~7v~ellkvfybpk#;a>pB*Tz|7G!3!=uzOSWjCtP#oVV6v8UB|H(7s^L`NFUNe zL;8u@k$iPeejP1eNIz+O>reOBuin&u@K;;^|H@yYSUOaiZK6IXPJ>h*E`X4lkpV-+r z?CSLC!PLihpMqSy9DgUyTVst&u3OZw59WNy9)4=OFYW#E@a3BN!ST(n{xXi)nJ?&> zx6zpoJ9_*(>D+4pW{y%^86VGz1Q%boBux=HRphHU-{OehIX@8A80*hos6#@?Cgv4NAHGR z_W1sw*Sb~b3whfoNArV*`1%vSgoibMIeC*6mT!um=sR8JM}EbD>c`&r5*JOM-s+!x z=vQiH z7?r7{K!*1@qOQtAN4^) z`Ve0{bcOBvBjoJR^w9Fd*B&%`$F+R|a(+5HKEz|k4-^j#OMLPYvP-0&_a*3+sr zI^J~1!UwP1a6z>WG7hzuAAZe~Xh_fZmdu~lyXxlnG~QeX;PV6dhdE#Ilu@B8(qI_Zg?}GMbJM{-Xd-`aYdie4=@9eK1IA*}y>ixi!C(Vvu zG`%xc{K17&?`-|gJU%_g1H{k#(?7j_Kl#FjlV6?JdhaNni=`(nbe?ov;6r@&P#%N7 zd-$De-_q8!&a`gTAN*uH@Y5fDqCAXq{@CAo?kh9TS#3_W&Lrn&-6v*VwaciEf~ zJA8FQL)X9JbQamCekneE$1xh}59@n*@mF`;@$+G0KEI>=9iFp`eK_Yq`I(>4iN;^@ z(c+@jNgY#;Pao2Qsb}2MhxE~|SMg!C6Q7-U_=)O(U(&~i{If$t^OWaKTtAYtQ&;rT zV){#3eZ-N!@lP%;`y5aBrT!wXL;JaX&UH%f<}G^W5Bk=T?DQ)+dvbjFL-Ekr9(D(IJNon|eml2e9(NtO|MruwIA!$0>U>*0 z-xc$Ke&tVIGp8T;uj`)NtLgaxdC<#z*wNeP&(F_Ye^TrHb9U+_uDsQWeIozx-nJoc zY_fgpf6@H!ihdCZzSKmzWBA7i_f`z`RaWa*Nx)y zQ$p?KpB>Ee7(MqnT;I?qSHDu+{H}V=8=ebbpZ?5){@ai}>cV79Y=e-m9o?8~@|5to)!~x^Znlh{5d13W34(zj`bKb%?&*nH#*RE~1 z{AJaJ^BUH>?uU3DSzOPhnm7EvnEx5zPhQ>|Tj7sWk2>nMnGH1iOWq!JVV~&>8lJZm z$9&|yQ~bnikM`2j?zayc{ilAzI(}c+^S+Klc6I-MVnoj zbhZy4()YfH@41k(_dLtkYksr)wI5s3IC4_&HwOK*_5En`f%iwW!}}#Oj_W&ZTAyy! zz8U}Yk~S{oXFfMhAUpBdp-cWfNAr>6&mTYSlf9ejsNVLo#qIaPPHzv`@4bfofb^Sr zprJa-i{EKi{^p}sU9_lST+w&G-S-;tOXz)FdBHr+^mF>j`JLSJnP|vA`hOaF@7wuQ zzUq#zU&zt=2_KT9J#TK`)cCV*qF>$T_~h-E{NRbznvZWe=*$D(>D9CkufL5${^ctl zw0P=HAL45#{sF6BGq~}e(&|-kz-<|YcW90Sw9kRly zU7F&Pn}3}L*o!M~G&z2@o1DJq9<^tm>rR^TyTjX>o;UMD0EbcGx1L+x0);o@8a{AikxnpwcQs{dPZ z<$DT_2gtwuMb|st^YYzJ@m~6KpL0fyT+~==>NkIP$Ywp82QI$k(HmFxyUi!nJlcL7yKjW=_{`_r)Wh+QmbZ2| zUe%Re39b94oPGX)y~noxhl(H9rP|HUgsD$GanOaW?=|3;FzxAio*fN62mi*#|F-ei z#}+o^VIAYT)p%qF{T~The5jv|Z{s8N%`@zVP5Q}pyDn(m$M?Uv?9At$C-c4)|N85t z9rhW&!r0dSwf7zQasCoF(erM}zwz$vWeOS z{G;jN(-&XApy{O@dEURKSBhucxc)|4Uu8W0p#Gx=GjDqGG)}!IWd3m-MNeMlo%BO* zz@3A8uhzd;({XFwpl?2rcM17}+M{34X`lM!`1S$u`60(oR7d*cRe!cW|AJr8Dl?0VDvC*N`D zf`)o)hjD;5e)hWJmitfr^5PE9GlhmVHZgVql9#CQGU zIOZ>rz3;NPKCGMnT=$5}FMm)zP+n;0`{ii<_;=jr`_=TIxb`>r!|(afRud2Cw_Jz+ zKUXL1rk_Zz9qw1!FL0d52g(C&UBiFguUcjG=ieUs>DKyyT^)+!e2#|f#dZCGPY>GX zK+}Wx5Z^qOwEm=@*BkO;hn5FEJZMR;XEywO>%Bzlp^PIQ)Q@QXT%XI|ddNJd-_nk~ z^C&qauS5FKIMW{cDe}->`t;D+Q5Ux)w?E7uJ$~^$Uw}^!(nG7i`(EnIKI>@z!~F?< z_;o%&^Kacw-*_UY@BS`YeCsCmkX~YbA45F-l+&(~#D(IHIcm|CYwfn6 z+Goq-iJtbdFCl%X{bg)jhw!Em>299lhcRv$=yG4zN2S+q&~Uxul7QI_;>%89N+zA<2mE>Jaum0b6;y+ zugJ%FQ6B8AL-EBsZN@j}fBU}HeV3dM>B&po`H>er$1{C-p?&wub7}rpg*`ofk6rKV z=SIxv)^y)QTzb%PK+d1|&WH5rLGjS^_#wxKS+5iOJ$J`9H*c+{(;vIUl3t0Q_UNV6 zXV+QeAF@N+XZBo;`q49A(^uEjqYuqT=2!hn&R^2$H^(P=-ap_^eu?gfh}T)^>#=L9?_tA2SsBR~G>8Atr$)AL-B=j6prJ^Cd~|4U{s_w9?$ zXuTiGA3c7o)03YxedEFWgAdt3{rL5+lYjlOBNtWAHKxA&@JEjM^ErQhaY^<5E`N!h z6UKMHM;$%Kl>R-Jzz#ZJl#b6l56jneDL?i*`GNF}7y60jom=kN_p#}1Gdk3*dTuc8 zuk)k5@=yo+O6Py=ote$Hw(5CrcF?@(`Po10Heu+HO;wv|bX|b9w3`jymLba>+~nmzA&1?8QIy%ZDy^&y?2x2&)^t%!eO* z-)Anh&-07?8DH%2&6}?8@FBTSjMq9_DH9H5!NV z)*gA}J{Ws)e*F)VxOx7NCp+g^c|&^S+Ufb5oLA_>^dla={N$}4*&7dzd-ELo60#>3 z2Q6Om(cq$uXf8L z^|c@0{>qNKtg*#MKJ{L;E_r6_RoA|(ch71)!M}Ly(d7A_p!(2A^bWIv*S;{+RvpA<(>OD?8)huP=A|0*%{YpD6f*gIj-qLe$n#8e`$jyGv+=yqv5@^JvY8*W2H+^^(+@Z@Nb`G_lD z@$qxss{F?F7=6e;{d~`p9yydR8qzn9;6rll6d(VLqu0OS)ZV?T_XP2+|FoMwsLu5H zC5Pgo^#?n0arjYp-*Yo=$=UG(+m^q4=FJauubyvE7ygVJ`OAwx=M(&8Mfud(%foyw zU-jSz%F}qj7pF8X#YsEI$+UY;8ne?jU8;R-{`iNk6ZzX{=-kQot~NCedLLG{g%f8eetY6@JpEEs-#z!A3ODs z2ej@b*Kg#o#3xS_7vFV@dX@HJwA=B*kN(zPe&O)3rycReh;G$9Y5zq3dQOJ^3*S6- z<1SyBUA>ntj&-?u$eTRlPriTTaZmRyKfjcD^XquxcWE)d=jZ<{_z}l^pdNW$r9bR@ zvCscu;t$UL;#z}-e!BIZitp=K*XYLuH$HjY(cfwPPwwn~uTJc}f5-Q1<+;+Fdym@j z8?EQ0^q073<1zaq^-A^EPW~W%9g5Em4e|MrSC!AG9d};oslL^^kUspN)=B*RPeXN) zm-DXgHIYNtQF;H?bvZw-53MiE=bi`Hb^M!ep8nC+_%mO#7Z2(${c3(l{W_Yz+i&Z; z%I*8jX;>HH8z20Lmwa;Lo}3>@j~s2imU{N%@FBaT<)^;n>V;1){m{?+=q2X5H~pG# z_)ScIPk<0oENP-$YI7eo~+a9C6@BTr{BSU&3TQz{Q1F8+V@M`C#09_I{l|V z<;5Q~p2^jlTs<>C`r@Y^KE1?@BObe?OY!v||E?$f&k;W`{j~FLv_gUz>Xfeg#0*PuMR7ME-m) zHRBmKX@?f?$fJfVd}xCi)jmHt|NNr$FaODRoIZBq{-bxhzV*IS`b9&2(7wk%amo*m z+voVU>iHRR-{=48yPy5ZbHA<~SCQz58SQ<3sTw|K6MRT}tn<(z9QrE_q*$ zp8G)Jp~ZpP!=Lt6cJ0s6=&$?^B)$Jrs2wotji2qpPyJFm*h6~!RJ7+p+mU~I(0Fk_ zQ+>%x$e(y<{a3OxE*w{>=eWb?KWYEdKwgKA6MFtPh+lbW2R-sc&!y30m+dEKpEN$? z$Mbvm?D$91$It6d_K;m7xp8G2@GA~IG(C3s{IgeIeEMj}f1>pXKdxg^FKPM7iyR-# zFFpAr(ud?pm-wDbrVs1llG9HV52}0Wp;Mm69Xk8zW-lO{&iM$ zzw+)0b1#4UbKRN`-gm-Vub=w-qQ)b4+_}*@*Dk5P z!>^qs6|a5W$gXs} zId4>Uv9G}%(u4R=oygJTP`l~rZ|&(U@|XG|~+x!)`wdhGCBKcS)fGV~ok zo`Bv*HIqB`NH zJz5>DhgV(ofkTfuu6y%{@k7@7?jiN_yXV8~PxC9TdbnSea(e1a4$0+-PRx3d`+g9A zjuUeHq)YjvK0BCp;^9N zCwCm7q5RR=j`WM}(sst0n53*M`_y5rP|Fq?f z9rWDsJ(|8Z#J}^m?}hM3o^eu+E+IcqUi?~TIG*S^zkBb1e|nBjejq)5AUUMRA3lBa z0KNB%+O56fKzTs?`K z({~KSv;I+M<6b?{@__7NiLWm7#Gx-=`H??($gppX`1+hiso&Z2n>2n2U-jz z>x}7I-6zM-dgMGUj_Xad>wN9Q=NIidDfyWnIllQ8U;SY6#lwg6ouBx}XP3wx-+75W zzWPDqIPK9H7p;!;pg8o<5Wh}e-jF`z58@|kXZm56eD`L+vn_m~dB=0Q0 zvwGT@`bpF4EV9=hF!}u9qoMvr(@Q@2`$c}m`JhluojCZ=eknbC zanlZ;UJ2C&{E3H;W{=KsMh@j;UCmCt=t27Q@F6~XblTzPeiT2x zmq{;?Uh>6-=^tO+5r1L);-yLnB& zU32PZ?!NlKh625+52g#xN3k}6dJN$evpPl=a z+UY!`KlAuur+@jkPa=L^ui!fmxj%pp`R7j@?Us+{|JWI)^yS4LRA=MKex&E4(~f`k z^1$bhJdrm%xYWg@*j2`ANR>v-tdFUgZ4QFH;}mki5#b=J{H266bwsrIpWF;oa)_Iq?(I zu9QDL`SF8qoSQctx9Ly)*r_YO_-OWMa+rK|JR-u4_|-a^GBX`{!fkm_ERUme)z|FG;g_L z^A&IF)~kB2iywNK7k=vDt8>cH@A`iMn0eJMqn0$p zrRV#V;^-f8_hX%>oX36NlAiAr%L8g}(()odchI+A{q4Eks^_x#wa!CB{vdzaK~KKq z>U-ne+s%6Lm$Rzp*Z5&qhy0~~eC_gn5`WhDXmQ!)K6J|ILDviD67mDZPh_9>4e?W7 z`|*9x-FpQ7r-r+iMpLoHwn{2U0 zb>9C!RgY5tzTbR4EWb;emwCr{b{wXk)H7c3{ZC5HU*=bOiCG8w;-lrqo}G0uJ?E>O zH~A|efBe(S^P4=#OKAQ{xj6Fs+ZG3}^O<8-=rGRht7JaxOL?e+=VREH?D!#d`Iz@Dw^5&I$h@O$C``>t~49o?G!AH4X^xPah{`iONVd~*) z2Y+ZtFV9Q(kbg8R@yVfj$phc{AoEe@^q(}p{FSg&H|v|nw;Xilf$#LH{?{V&6c_TB zdg5yjeMk=ZAy*IW!cSz6FAwdp{-jqz_E0{FX-_}-XzOR^eg5QWyqRCn{3fzXzW1Fx zkCFRm^x1pfX8-l4j~aAFk81raKXsQEd-G8#Pwl1;`7<8GNqv5kpZet5qrT!ndiJ}L zPhLX#veORw_$5p|_n}ID=tJ#8L;Q?Oo=7kGX!8uZsPFyz!v4MEjvskK{6z6edY;ow zyQKMn_V4ML56JOh=8vCPvZtpV5Wi&SI5XbZL3WAhmz*8McO2n+PqE~O9b^Zs|Ij5r z_^>qo`Khae@t{5YX8*}sp7hK!rT@vKcf^Dr48MNA}>;Us~h`vPVOF znEa&a!IRH>xBJwqThCkLL-x@7EhRabN<(f9A?~7-u5NT`;JG)9XqIf;^52Ibqv}%fj`F^dwS?P z6knWdXZoWL$sxY)#SQD#lD@d){NR_6KKb;kC!E}N zZ|gote)k=1KX6j7l@@Nc!IJ8|QgP+0fA~im7x+1U;u{C@gyPVvLvh)=o<~FD2#U`? zJ%}%#WKeYB5&+1h2Lyup`U&__V`o{W~ ze%j+F(ko%=C(SPZAISNDe(qas^6u@IjQnEj{}=NAL!FoSS2ybre#!C8Gxj~u)~D*o zUcW$bAiYHT$w$iz@>jB>$NsDPe*PDa?cDm#hIxaWKEIHEa{3Uz4$}`hkstrRVI1N+ zUx^RN(fSANK9~8?_b%8O|N7VUHo1DB`9+g!4}R+5L*u6!Z#Dm$$j)&pt~mUm>8l$# zzVnOt_}LD2=5zA2qX*?tLivkJkAF0zS3>=(UF@pln=Rj zq#n8WX!k{p%#<4ELSAV$Ig8uW{X7#9^Kcxq?2d&-cWyO*o?dh!F zlApBqf5G&PKXsswwjM`&pV9u5r(B?@gpuj^zdKWVW06UjBQ;H&?En#k$>+M zr~i+y_w11ALtF1j)U}5_zx1=61B=X&5T1{ zhtB)rr9M7XM|z*yd9#TR&v~!fm-PHJdCs%je*N0hU--?8Y9D}J`bU$?6Ae=jUtBb# z5Am~pDMv&4Xnw?nSuc7eOnY+>RWKS>Y zIzD*``GfL6XFuV;U$kG5ejLB@ReySEM@~PHUG}eb;={B@^Mj_3UqX72p7`iQaZ2rD zzqBaMs?+|s=fZc}nk#R8{}HbYXkGV{i_bqkB>(l9(~dv-lkYa>_3W|2ZT~gD`u-<5 z)PDWTkM(f2({&fV>jZv056?g37rH*+haSH1l-EV{_$k#P+ruvX@dNpT>>xe(g-Ji{ z@{1Q2Hmoo4VTo`5n_daUEn(W}2lp{bcKT6&d5>3rXg^Fp*46lV9@BsMK7@W@Ctozg z7eCust>5E48sm{4$PdIXq4?saUda!Aam>Atjdl4iZG8UpTlSCk(<{xFs$3#JjcpE zq~|*U_^vC^u1mBx-{YXS&vhqF`Q71dO~(`d)u+wd|O0s?Xkh%o_*_vt9VE9NP+xxNWq;$R9{z`o z&W{=2d6ZmxG9T?pIe+RxuKtd9dU>BZanT){_=BG`INe<;(Vf(m{ zC%!mnNY8o9qf1Cne6%=dh!64kN2fgL zl3x0um(K;!gZ!ft`N21jpxM*wEav&m``eB;e#Oy`jvxO+n(@flk@M$&K#`UfqZIQZg|C(^TCs*5lGh2KA9!g|+qZGL{}RuczKSx}wN_~$qC!H32_ zJM%ZXv&f(8E%gyU#{qqM?i*&kQcphk_MgR3M|seP+AA*p2Ziz|`I9%Kmo$C}msX!2 z;|I+TRDX2p_nG;*JO41U^XJj@chHhv&usYnuGP9-9BBL-5BUDC5-op-Z~d9quc?QI zo{u(v8b{vKHjmObe;P;XWF5~w+s__)UWC2zW8b`LNBeqGJE7||`y$$3I*!GWw>+TZ zLp$h+2lW$LJ=kjpIsewJ>f$_7>BaRbJ;=`<=lu6Yr)@sFT30!b=Ks&|s~zm=f8&~) zdM*Cx-{0GBkNe`!j@qivzs{-VQ}0=2U9C?FADiwnX>OI5^PB#09j!gSn^5J| zzK?JGTR*S=%yPR=Ikt7Z`@Qx1UGSxC7F7EKn_m0rwJ%+5e#8H2vlA!BuX$5G+UNhf z6?Y*6>w>*+>yogs}j062> zT&b)5a^sr4<4-*H0G1?A^U-{xjdp z3u-6icUe(B{PT0eE_-}`&}*&#UB;)c?r7&hwDz$>>p$&tKB31R;zM~td8mi)(9!4T zl^gDUaPGm~n$8dAb@RWvFMe(2;&X0azQg>&Uuk`ApOv2PC28l+K7GP@-@mbE^*pOO z(1)&{(Iqsl)j=F}RuAom`01A%s;l{nKL6+Ky4&qt7fo-hJMhc*PJ4W2HQ%yt&b@BY zs4ZtUdaZrk@E<)gy)mlmUpIMV=Hd=|;!J+%lJ4XG*0V$1`4b=h=*VA=e|+fT4)Y^@ zb%E?)^3m$UPonX{Ps-8cuE+U>=C_RNI2ycg_wCR7e5)S(LjKX_O|*V8PUwGXyD#ni z^6=%FQ_enrz}{nfHs|&0`K>+9=vvK#^dS4(Kh_TM7H_}qlebM>&=`BoZ+5@-V@n$T zzj}=|7Tr8|Xj?Pe<2pip_!;qNxAiwXx&D6<=|lM@jW6GB+Ya4#^W!^yufYF~vxok_ zDA#M|_Z=the(nwfTi=_s-V)b)^=Qa{iN;rd;{@7ACf{q9OTYHYO|5m(UB`_3&Z5a( zs^iK3ZF!DPJ)nFN9iPdUA0*G`&Yibir%9}dK7HKQ3mY2^ojduy6}mRJdVSc(?zx~xGuP?9<9EU}R~~lB z)E?Ei;$K{d50j5hq!0Bgw9Y4o{5XHBCq8?am+<=6LMvYx&(+qV4WGjD#NF-`=7UpzG;r|v*7Y?#nC(oz=$y~+p>+q^x?A1! zgLuwM@__8s!~O?8q_6+*(XO}Y={ND|!znvo)@$x99s7^{vSOcehd(~&?$&n>Gk($; zhrABiX%EC-T719u^5qAeSdz=Pq|Xl0M|T#}E@^&}Z=5-P>6v$oZ+gbDqxn+L3)@uB~J)DHX-%F}uS4b#p# zQ@-M*UT10bNPYd1e6;H+=W*jA*YEVLo76@Amz$ggpbdiYR3u+tB3 zy?oeF=iSoUuQR_JC-lX|rzfuVqsiGra`Cm(`Py~4{XFBqcMwYbDnEIM*Zqe#?R4FW zt$jLr*JhSzxYhTv8XVbXhj~~dt{X_gj@gTYD95hTl{1T=A!?f9f}^b>GeRZ|xiLlc+zeH^fc8d62w${^1+HwsQ9-yY!28 z-Gff_{Tkyr<>Hml{9wG5=4pQUNg7{!AijM!blRgGXY`=?lAih+FZkkW4}awRC2hUS zFMIm_pUeLYq#k>I*`wuA%9oyaiR6i?_puXS9NuHntPcBa^yHm&x^m!{A>TW%Yjs`u zr-NtS`P_BgnlB%`=eeJ}r>*JvAnP5dovyomS1IG6wI2=TWxVTeeDgj!uT%Mv51Kx@ zgzB1db#k7zk0Flx-)V;ye_7FaR=h`c`Od_x9%=orU(PG)t3B)-*Vc{lgWAasX5RGq zCFh@gxJIU5yLpFYR;xT0DNB zc;xEOUVX^fC6YUi<;_2R=UMv)?5uaR3txME*IYa0XB}gm$4)%)q5qqqhY#@~Kh9_P z@-m+EBR_D=>Yw<+9h>#4_SvjMx?iyAo;MuP8YlE2|LC3%Z8h>(k0Vcgd77Wy z&r&~fnD*MEpFA(29xFf5W#19MY<=%3_rJBitdpyI+SSpH1OC-#_}J5qcwQ zT8~wL|x`#$8*Ji^|2+WNzMPXGQPPu%yF0j=kK z@U;)kAHF;`@RZ^{Fy`W_?w5*nA*f!6EveaFu_T|Mn{8V8;S$?s`f_jyiG-s;OA zzWx{A{yF*kMeBO;)z$h+Kgk0vAMx>%Hh<-KMT^Tm{h~{9@%W*SU#gdVkG+0%Yu^{I z>iB#PKZ(P;J~MfX=A4FoCHqCG*I8PA^qr@69=zYk?;X>#>3I|F*ALp~_%d$!A&2bA zk6rKV=SIxvR_)X7u;rgVzxdGBJ{i3(ZD*`G?&;S3Wd0z%r12p+#CLwhx8LZwE_(Vm z+fVMiZvMeXYrpf0=cCe}d5^v4rQ`?66I~zT)4y$rCd#a{cZ6mT|Nf z-}R{WI}h@gnAf|;Ie+xgb?E(l^Qiq)`RG^A!DyHF8O(>`i0}AiU(#b&LV57(_%kn( z^KU-WKm4+%m$dT(J96x-{m{dQ+QSZ}TwHvJuifHkFPgr1$v3aCJ z>8Brh+DDG>JZYRcp7;}wJ(`>!^BcMG;5r{4W_>FE?eC4{ab=w;o_R{%`0iVv#ZgBz zOg*$ZnUBRcFL^Fwh1oy9{iz@JYI>iBzW3TZ*Q-7GzXRf_O9@j?`yDsVbM%Zu>nYD+ zlb5cm$P>-;$(OI|f9+IX_y5&XKYI?}bLyTOR!4f)NoeC!9>$@0z<3Z(zp0b+-sJ=C z`T0G)7dLi)ZS@sr-?5-!ABkVz4PHEA^jcTlxu`lXXfHi+(BjjRA31&^KhQX0hp#=! z=Z_vaJ|xe)@H^PGACLI1r_qpq{gC|hpYvzROSHV9IEi&~<23D@AGC)b`9N|sKlo_K z4_g0P|LWJYH}3J#InKySNMHPt9(kg6vdi{3F7tgFe%L{Lh;QCXzWDe_n`g-RqX+Tn zC6X`e{Ve|YNhDW4^S1n8>gjjqS@ll;XwLz#v(LppJ#iBAIJRz2JGAl44}Ky!tj-gw zUOI5ChgNBp`jH=Y=tOdU(dzw&Z*<$}>7K3UA{}@1(jPl@OFcAXPv3aPhveep^Ft0Z zkJM)e*+G10{fjR7Gk$Vi#g6~Xk6n%%aT58%N4wsZuXyG&>kf9}vWMglAL2vpLBo>1 z^9eoUFY}?N9rWqpCyEQ%C5}3FjUVrJ^TO)=Q|s@UEARI3I}>JAe14$#>y8_{dSl0# z4gE%rzUH~J?pkR~%TLCqFMsl+@vmF`l^f67U{RG9K9raKIPPo9ePor*-mUc2SzLDX z@y(ZcJkn#AdAc4XFQGU~i~O-Ok7~Dk%*W;n`iZCaIq}}xj&FTeB;{y+(U}K+Nl%{Y zFF$#g{P9~tcKU^Xc|i8`x83f>!CQa*-Rggaj4SfAOPXH#MJKXn2kDXD^V8wCeCDc- z@1du@_ToeS(249|NzRYF(7j$f^4Y(Br}exhejSQer$?T7p~(};VaCHxJMDw?&@k=l zXnyMSQqHap*~u^UQ;v3gpkew!r(9k0xJ`X_(0Rpq7(eGH^Q}1M;cQ=t=9fLhPdj}1 ztB>RopO1RCu$cva>qHETweH)91V@Pk{lnhgYt*;(DV}N!IY!P zq2s0`cYR2{v}nAgo%rgNc{tA4(NDU>Pd)vZ`l*LDKeEH`dFtH0=f2i@&I6xc?@i&C z<~RCKJa+hK^~nF5mY?@y=(8tByI+AePdV<5vvtQ0yzKf7Tkk{Sdmc+Z8IRvOOgnkP z%oCsAte1Sq?a!g1xcq4szI_;U#-Z=HAm^W7_Ru3c&VVx(PN66Xn=YOv8=|Oz$Mzcrfda<%^zn?^3{ZEadg>vL z_MpY#A0{7t%c2EC9=){nJu2^!=KR8c`g6WM^U|TW_L;DxvFrFZ-#q=Jt?ymsab^A$ zADRz5r|0?k{g3?hZ;l?^wW*%+aNof3!w)&yctOL|!~dU-nYa39zhpbojz0U8m&Uj8 zmh!YuT0Z&%;>!okz7&T(y|g2jFFky8VztgL%&!?oJNQAT9(nT3^Z1#cd5|2c3!49> zMfQoth54RbTqs|4rk8Z)MGx|WR!4UDIscI-%8wmn&ws|H$DjJ6VaYD-(RIi#J+$w? zWjyas(TD7`&+{JSC1j_)^zfnc5IQl(bISScENTaR{xT2p?DtZ8_?0i(d5Ayp;LPa< z{_DCY_v&yRO1u z#le@4>tONl<$+d*w9j~+H=_sT%b)Kji36?c(EbmIANCMm9{8T`w4S6#?)b;oel(;H z@gY7e9S8U&JNA&C>skDz^`qa}L;fMY<3${G)qnW(A$j^M$vf!9als$^Jbu|H(ocTU z_Fq$9dtGmom{3@;CYZk;gsVdw#=n zqw*k!;zD_$Vb(Y8+2KR>P#%sadUeP?_3+JOr94V@?8&tgopSS!S5gSgO7&draydokRRu9dieavTYbstC-M);(J=YWlgUrI6rbNj_K+N% zsNKnDCw_^>PvkH8`ZxX3OFJ}7z2uwk=t289=(Iyu$9wxcj?b=CFYTgVhy0cFO7i5R z6ZuVk9o<>Gl3w!B)-UMJV%o{y`0-pJzW37k&-d2p=|{&qeeZ?P`>=77B{@N;QI*P;}MU3 z()d;UxIWbX88_|FkiU|h^M~`j>yxz4e4V%HC0bAE5B}wo$X=f0X!0EQ-uEQW{cCwc z{?b31pVT9V^b*MvQxBbbC0ahlEBg}iQ=KQ;#}hx~b(s3&e`hJJJ9AEU-j_Yq zXUqO=&AR_n@gAah?D@_7&HLnNMkDiyrp>b$;C-~`=9LS zqxtciP4db0GkfT{S$4k9!w%AyCw=^iZeI_f-RC!d%LDQcjUV>>n~&+?qZ4y|LO#9k zC;A>Xb!PRx20z&@`#s*fqnCN3bG;#+cKBWwfv--CFng=$BCY_;cS?|62dciywLGPxkcDkUum#{_uTQdeVyPeCyWj zdRP0)#=H5-_qozuUdFvR=2dYL{U5aTrg;2A-&NM{{7l|zlbvS0I;)|-2anrh*g*$( zukyEFk@t<*^AGh48kWA3s4nc(f&UVkx7mq9l`H8-L47B*Zi-`~QOV&w$ zK>Gjvg=e4s?&~X5$2Y$J+eORIc?BQxOV9BpA9`s|pBycJ?Zu~8LVDuU;|C4#OY0Z@ z=%Hb@CuwmK9hdUtKkdbV4~{rs+*wmv??2@IOwjuQE^m zp!oE%9r)Sr))D;BGj4om9iJY=&-kt<$sxNsR3COQ^EIBbpXkGDzjVtzhtF-**E%ip zwx26M_WB*2a`nb{T%*~UC-I>?l1}|C54&*EX4@`q9JHj@GaLTCYxBT=Ir@U9UYXrt zf0iG4yZ#m@$ARk);}go8zqMW%J?W}v=QalQJ#o)<#&m7&I%MZb?{3igUQvE8MI3&h z|0~#GliU9EwcjtO#=SUonCC%$*~uSWLU!tsdgSVerg!gGZ|XnztMjV*r`-P!&?i@K zeEm!g$zkSc+?{y9zN?&hN9(*pzl7|vUFgiuzEb+5H|?I2#_Y6Bm!`U#KOC2@PHj7B z)Z;yx+R2aep?x2;`@ZTRFK9m`#}_$FdvWEN`Ov4wkGiKEpFTM|G&#Qd=lQ|^)v+^= zs0%)O>jrhOAL06wzPR$pyz%q6!cYCJr=9()i*9NC-;X%Y{d)7Ob{{vZq2KYHfBA#* z%Kgk-Z;c%D=X3u2;*x5fkdHc`#Y*&=9LGxszV`&%uLtt`#`N>K27Zk{dWq_U&(6L+zoU+OZo(GN zwAPo|AME&n>V@v07uPxV1OFF$_Z_WQS*8syKcP>?Q(5K3?m1*Az4L?IMQ&=4RA>3ptP=ePH)>wM4J=L8&Q z)|&IrweI`A?(&rV?7g48-+k~(C>~5+NuNA2KD6$zC*slLYcF&igAdus=8bstWPEZW zK4d4SKfQ5m%Ad!f_cr;tkCNB>fQ}REo^>5h9q{T?=WKuQGxc*adUcZhKPqyf_^!`O z=SMtPiqn6)-`?`&;j^meM)=lEnEsBR{C~y#b6lKXZanEn>ui6^?3VuZ+-vd+x8Hfl z^7Zvxm9O(S5|@6?u>N2E#Od{SJm|$GXC3bU*u{08qleZJaq*2m86VQi57UkZ@x;fc zC*zY7*`apenfGLf$B&*2o#)l1-s~rN=$*&>UpMbrdwycQ5zloB+4}(Mfa=UV^i3#^ z_TbY)@!26eq=!v$@$!60pZkgQ)8Dtww8^{8sjg4tcOR_(>Fu*PuC<4q-1K{0eD`AyX$N17oY4t+WN_!^T52(Zuy~j{K;ug|CFuA>5u0=U0izT|K5-xzV^~P4txiM z9`b|qkp9I(mwWok5%u$4`tG85o4m5?GIw3{U;f|mkAL~-AI1)?o->xt`~3BraVX_C zFZto+b+Z2h#%>)Tn>XUfPlotpc=x!&r;pk6|8w4PecD6J{N}OzrT5F!1FeVIesQ4V znIG)vGi;M1KGnDSE)YI@Nj7eHP3U+L4_deNhq&yX{Nj_li{h&{|8x?eo40yYn?!JMp!X9#0-f51aJtke~4- ztD_|I$5SUgzm&6|C;P{`qJI6& zuY}1XXB{calX25O{gU4#r@#0x?HRATy!2aCSw1LEQ=NECXkH~R^Rd%I`b2Tn*~CwO za{7}Y9+aoFuZ#!9fs3jy`S}i{_=)@$6~(j8yI-P*rFA052_LE}_s8jz=f2)PQS#(V zJsDaL#E0yO?75E7ThGXN^yZDYcrf+Oqx`aeQx*sE`_3n}8v2tB-sp|^KJD$8`yv#=r^SaJF^jsZJTqs}3jtA92wvV6rOY!(aJaYE8ag^^1dtCAU zRWE&`rJvRB`GR61sV z{y#o>(t$g@QvV-x&%N-x$FSM$U-|emf9Tzw|M-d9jc8nwr)*XCFI%=G%@i_iUj&^-sfS?!zIhp~UP?p3SyUSrIhmg}NPOaJlikN&p& z|5&sK%9nM@L$4k(bpI@lxUN_6%u~m;-|D{s2xxo`}pMi9SuD{$BnqxoU;0)t6%A; z_P6vSJAeH{UVq=!Zr|^;`K@`^KQ{iblmEUhKX&GN`>j^LN8@>xIL}S~z^|{{s(x-q z57j5Wc}WkAe;#-I#7iu-i=Xd3$}4`ZAL6>dBwJ6&P#niK^xRQ?eD>^bvVJh{>BV9H z&Qq&y{<){SzE`Fm`S{73db0N6%i}w+^pGD+J-LM5yK)}RIN5G-?%nCpdp^HH|Mp=& z`Qn)u@7ncvQnz?yzvrWO+>1*OOZn*?mwrDcPNI19O)?%#K7C>nuVmLh?1}R9RNv&s zo+uA}%BfF#%GML(cGxLTu5iq_`na)fhzsc-9=hc!$Nzp{^UL1V+t;1xzteYL;iKo8Qv(tNCn&%yHJ%7gczMAXcd~X}i z`B6T2c<+f1EHi3Bb>E<$pmDx+^x$W9TX}Gs?D!zR@8}E0PFuM?zN+8T#`8q=jJjpu zs~cWb|35|b$ZLG9&+N|sWXGX>FaGkROb>HD(Ays&>tC|`+D~@9AuqfBmrtBTajNm| z{2c|J>mEG&4Aw__d~ylp!S}roe9u+c6SXt-{2_a_K6K6tdUe>((@*@_p}f$289o`` zzJhs~{Z+~*zPM!Z>C@kPZSrTn><4kg*Dv(Y``wO5`;JY|&D8+4cX+ zl>F4GeeQF$!|#*up!<-_pE5pu%Je04+&T^`|IYK1sFxEGI~_Vb5$#$UT(^6;VW zC?&5+=HFd({!y3tCl3^F#U;-hb?vF;-;0bpw>@UU0rl??tb6>$TU6Aa;`zRox{Zgt z&eQhmD|_MmBd&Prq)-2}lO2C0ezrqC^NM}vmzQ09*6s6J-q$n_?Qh8Ux#LGI@oyiV z+hyOJ-Ek<-*LMB)+vl${z2a*ht`}P8Pdb_!=qQ9b&4K}1Do_|C(A32>j!eKH}sId z^+NyBC#F5);HwYP&kpet%?tUHPrmtsgN96-x>)tzum0s{-ni~}zS?xwgc+|4nO{9uySrnj zSJ&QRZfl!8XZ-Eq%X+sxUlWJF>puD6RoAa|=T%ed=Wg1w@%){)IDfnTZTkZ1)4ybK zp#53(fAsE+E?e>F`uBZ!O{fmMl3ddB>n@h!(8KP=OJ4e?oc!*};y`}--+H#?M!(x` z;mG>;JjqX49LNq!|1T5&rth!6_^o~F?-bIPP~0ZuU*fU*{W`h3==jB#rzF!ip*W@E zrlfC*%Pu|{rk?Eguht2A>wo&QL-VS{+hWSNR}NmLJ}=lWvtO9M3l^t@I}AVezJq>H ze`in~P(AuF*D1V2`Rr@)$74@<>j?vA0op1PoZKZYLKC*@D?d0ggYhpzAV8#nt)cz)M}2iZ$`?7QK? z^rweScD&O1kp8}3s=xUsk3O-)E9p!A*-zwBoUAwFroZDk_54bC@bMDW!GEpyuebM? zHk#Rb?u@lZ9lh7=7Jv3c@#x7-n0&JHCs~}7cYNP*`@X&3oa*%GS-)lS}hoJm(Mfs-HbE^JN}#`q>Ym*S=c@EHQuG)#~d_{)y%he|G<8 z$hwqv_x<#q7m}g%R^03d|L=zV&7+o_Hf>0s>N_i$Uq6Wt^)sY*TpBNVpyxwmelYc9 zhzIFm)`LfHyy%-yTs$%q58i*~1uJ~&wEorecY5dfS^KQG;V!FoRL>Xnw{a3zz51UX znulaOb@I>S5g)3LA3YRDeDUz@+q&PQ7uS2@+ONH?1GQUR?ect^zj~iVzIKbpPKNmK#p@>BH~WA-ZR6nh@|;6E z#e@96d*n&??{>=Emi5DPqN+dRxq*J+FR%8|=l7K8)x}S{^ZE@Rs#`x~K6T+i{)y&? zIG(qPuRqL7{_JFV>_>=4um6*O!CPmYxcuI8tNoI+lM}^F#G^0C`QCu<0e1~LUzYDxu+;z3DqfXiPv4dIO3MjI*OmjkDlCwu7lH0{b_f-*A&-v zlsM4!i|+txmw4*P`+es<>vEn?=*1N$uVd+5?@nQ14=OTVypVB8fp4Ba`{VeMeIHZ*$>VxQ9DMcACz=;{;^C3m6Y<2s|3{-bMF+qigZR*TZaR;Ex z{M=V(o%nd}%ZwwtcB?nv6Ouo_XYY4E*NiM~q*FOD{$A^Ba ze(%}2Ug-yZ>Jk^ytB1^R5Qo2d=u7JxJLD%0R39F^ z_P4j6u=^$btMhQylgF{^DgI5k%1_t*rDTi%HlWq z$=}3lvUfKQUXF9d$Aj!Ci{p4?hy1cXs^hft{ee7=tQ-6j#cx7+OFVJCH-cAs&j=q6 zYJb|v+DGO`R;T_cBFsSLl#dQ>k#{`0*!oL!{jLRj)+tU2U5~hbww~jwPyD?8aNp#*$++;hKBS*` z{eQm6xX%t-tnIpwA2jZNe&L`)&%dd6`_8@2-)GH1_512;ef*?lm)mSX_4{LfiTYn& z=(@$e>II|Ux@+zJ@3h|h`4PwbWJcfWe2uR?;?uiMF&`^^=Q{0rgr2|k!F7juk7qp1 z4}R?A66W}6FFrfDG!E>UH)T9^lOcWjk+l=r|IIq_6V1QW%P+2RqPIVj{lgAjXOiV1 z`(Btljw|=wj(dD4zwhmcD^B*C`Qm(I|H<>HS;Jl$H*oLzIFU!(CM@x_gMW!v(rZu7 zbMds3KR$a2t9YH~BRp});*(+W=<%U?64}K`^xXw<%~L#jvil~o^_A>+;Fs53c=`QX z`u!JP_MvSr>-v92UtQ~)Yn}G%`uC>z@?^W&6ZHo^|K!obCcAjz^J~KFFMQWcnb+}{ zdihK79FOAjH$NS>>K6}>AEZx|Up(=XXP#v|=T&-j(2MJS5^vO@JI(+3YW4R|)xj=5 z`MtuP#!Y_8+M9ayrrvnncJHs(*>&POU9LBB9*Ljva-8%xo;>oWoaZg^`16xL{Zmdp zIlrS<^27H#a58jVq@Av_)c1e5{R7JmU#9vUg#OTfjzj%#{EaunCubabyhQQo@nMsG zudR4-$C)G zUwz^69e3Bi&$X^;x42~S9DnQ(PyEz74veq*@u588sjI~2S3+^rBffqr`KhyuJ@$3k z#U;yIy1&HF-(4DC&qe*tNLB-P-h87kUH7s7qfuS@M?NydD}2zT9%f$pJnremOBAOG`H8P? z@yU2SMRCjv^FSPS_^J_X+9o__^*$ zy?Tr%e|{-9>Dfyt9>hzTKI_G!H;>8u@L=iv(BzZF%l;P+CZFuQi)Y;-8+Uwqvhi?! zW6yn1`Xz3(dd zKN;!odWqgXkng1|F>B%lw{G6`yENj1K9ZYIJjXG<`0S9K3`_d7XTO!kE&arY z{O~d^9=rBHde|_?$Ph30 z^U{u|KmFeXGJ9gi(ckpy9e@4hV?TL+pXz)d4mz?$wjSPh(43X`o3eOYKj!Zgw9EBwuH)*I z&wd*@*Lm${Pydwh=^?%K&iPV**pJlj+97WV#Xsky*_V!-RqxyE*7xQ!&px4k-j;dQ z!yl?gKK)L%Z{|M2dpsG>|A7^k-R~Xg#WhZ;XU}m-9(n%R2VVHmYwGXU@@LmR>o5DF zqVeKy-o0{C->;8+z5aiOrR#Tk{?4Q3KfV6b4%d@uCqsPmO`JU6>woVL=x=e@#e?j= z13+en`dwTyySm8i*+1gzAN*Vg_>0RgQ9a^7JofBwJeYat%?~mZU!7#@k-YfOI8^-3 zeF=8)_?LL}<{N){{^GGi?bSX!{uLIU^RSD@-?*|T;>&NHq))#75nX?bBB&S^0?REuG+~DKV|!J`d58;>gnBa(`!r5pHqEzPJP*4GC$`p@v;u@_4!Vj z{MJ+c;_8&@AUi|LPCw!Q3)T1A*yU9y`b>qS8PkJa$$sZ5mmt^`9>L)0kI?4R4 zmt=PRf45R2mH&&SNiP!Z&cR-<`KJm ziFou){IsVmPGS?U$)54Z{2)DazSfVh#Md9}{Ke}oI=)JL@!4IMjFKre?u;z^)BPdM^DDL-igcJB;!Hx^Z0k( z70>Yw`8l8Cl~6v2SCZ+ii}>=gr%Vs4c6IJQiNns{{TbOhhwpu9cK+;Dp2GV<_;}*D zFJ>2y-MnOnc;Xos_7aNAKY8v$#D#d|^!GkGUJ29R{eXBd{ned%e3 zdgjx6yxFJP$6)vVnd=97`~7735=(Y@*|o#GqsL>XH&56dm-6E^$@XXP-Yt5*Aiw%D zE<5y|Eq)?i#z`5k3DeKPchfs%$MUXe)60rtPAWVK6@!XKWIG2{PVm- z50ftr`(H+!vD!y}I=$Kl&3f>RNA4F}zcMaAShAO%Tl3SenJ43ECv<#@ll|m8hi^S0 z^Mm+g{iF`hYwgRjyDqVRqaDtF=C669pZPC+%;>NF?BcPL({9{K zcJ)F${}+J_#UFmde>}46)Ajoe^xBtv?WK3V;y3Qx_LvC=^lBS#$D8|Q$JeM^2EMxC zRUOrHSN`I{qCS2HrvFO(sRteVyJ5R_eeV#zg!&W8<2qiQP`mMc50o9U%j@--`#0chzrKzWt4- zrVOo~H{|~@<|hxobqDv`?q?6w-@C(u<`Fqj9O!#xAA54Ko$o(#vGxgvF4$O1I{1NWZ0M0K4`56u(p=MNoc?EKhMez*Ekyo`&d z-?W3C?7B4d{OHAp{2h_O#95d;&luEo}xN3pK)Wij(G1~fBAlmcEcPWalDtVAN7a2vyPJ9ykM7? zoN?4cpFA=&@9|6id0glHlX&`%TsmK|Cu$#5mwqI}{-{i%E-j@&uj|}nE1uJ{!zJ~J~J1qIrLwu;7g)h%o zc-C$8_cW~A@;lCUf8dE1*1YiV=h4o3^#7APoIHBDKQCx`uSERUFInxHKkqfa<+@kA z{N0~@6aU|kzvDx@`^*~gmvbJhe;0zMeTVm+_`ouw>icE(M0|R6L3tf-^ww#z{>ymc z(wDA(hrrE`62!bBe&dZ`5z8!4|smmQ-3|V-fv@9uYRX@KV!Y4 zhrS1@PV?XVQHSK0!eu4BjJr0RI++|P2o-uI$)cDwG7`PJ|4_C4VbXZ_*%cUn(wy7Wp{ z4D8?5Zx3#N^0-YN>}cB;QWw-NdFi2k!E+tRu0Nsn^TUJP)r-R~u_;cIT|DO#eB;Z$ z!|-G8JLm^}tNR$^!LCj?X8eaIzkc7_t)}x~DNe>En@6KJ?gGs^2AAf zcjc15ae#RGi)=oV&EKk@JI}Y)9mgG>I=v4l4n3q#KYHtvdimjZ7x{?`>3jX>U;P}x zb%VV4WPbEy^;p;GA%FeI-#Tx7c0IH7?~lFu%^MfC^8b(87x&yud}uv~yPtOIA+PSy zr@h^rd!9P?Hg&|s zL#EGbSx=w*&DxvqHLU!+OaJJvtdESBsQuTRvihW}U#b6Zk?R2G8U60KHJ{}*ZcuyW zQ-|Xw?J4tfo+2kt+_Yz1?swFOpQyg%IgZ6mKj&%nL2<~Xdf7|)*_~g+RR_E870~-` zIywF5`DcCXsdwIEcO6JhG>^3JZyOx&;nj~A+~xgmet6{WqIQ({>@fR7|K@eHc>GeP z_x~-~6Y)xjKl+*<9CX=~`h6F_11|YB>2rMWZ z#K5`5{qU@VZ2cySM^0pi?B)mgk*jZ6eU-0teXk&S_=)1@JaNDGk&o~9sTX$d`hPc! z*VixK<>nz5zSE^YK6A@ey?*+9eSepE^)J0T;Qkk_`n7N0|3=Grmw5D$enQnW-sGj-c+n?1e(BZcI*cC5heuAkb%`G4eTVs4s#AO@PKBMvH+y2m z>wMqRewDnX>ofLJJna|%?s11tAG7KF>iv;yk97|pivP$)8-9KN*9TPp?~>j9pLML% zuXwp`d0*+=r}o%q+%vt}-s{Qdd+OM3mrceEzkgnJo^hPB=Q^n$oEOxMpYjE7ops{! zd)Mn|iN_C?c=m(wyq|>c|7)|;mt^f>ht{K9ztS$g@gU=+oO=1)=d#nEy4aB$K7Dlk zU3cG8RbP(3dCcE+j<}E=suSXo<-_;?R}VYo$rX+nH>)}h_}MSW`%dx1@jWr^-)j5m zTc0uEebsxO_^vm^cU-V*H#h))d zuRd7fmGt6kKcqLm_|qGA`U%^9b=$8lUGGn+NB{G~XQ%hQKliD|mp^`@c;*2+z4-Kr z$$R*~X+K+L=lXlH?%(<0lYJMK-ul0L?KQhZOktex^gc1W)ddU+r{be(0~ z=*6Sw57~45;-AP5R{aq7&En#TLoQ*iXZ#ZNuQ=?!*G0}c@S!;R+kQ6x67px)zfJl0 zC5ltRj9cQB^yW9jQ-|Y>%0BZ&=4$B&&Ko^ilu_gscv9R0=*f8r)y72j{gFTNc&#A>$VSjm-TPt-nob*oQ1$?DDhDt7%q)*oc=F_C+U+Mj;vhc6zw+|yT%`1|vd&hw{r z$NML%KXLe=-R9K)H_kXEiYH&`_iuRokNCx~_rJbx|F-=m{md>NKmE+^e9hk7>j?br z;!i*G@Sp)}*6WqJp!qQDJD*u&;!9nBU+VXZcu+gkkuu&NKfdaYAN%c~>i_zd+NmD% zNn9wNJdj@r%~x^o%n`MhvL#55!Bvr#G(- z`OT>powHn@Hrf7)`vZFZQ2k^mzWS|GId9!xWE{^m#H-@0cG}l39kOiozLfhZ@$u#F zE_Tvi|7;*`ewrUmnMdie7C zyQ`%<^ww491MO#*&v)F6A09vRouBsbFU<>lh;M&R9(pJ~p7jPl@Ek^e>VN<5SR5#x>j&-N&;GGnMjm$H-)6UN zTkqhlc6`0-d*1V|e{B3=C--UlKSk$kc;ZXHI;T%@9TQjk5}ilYjSrKbvg=Lb!H=Ho zI)T4^aCZHmA0a-(FUj=K{-gM=3&l}4e&*%J4%1J(#FD@JSo1^NCd~L`e&n8F*1_LA zCCh`KdiIi@9pdRHGJ9g$$?8eIeMr2-9JJbLpj`;lEf^>_FGPVf`o z^H0Z_>qvPL<%8XQwA8 zuKcO(Xa8)w`gw_V;OVc7V;#p!d+OQ6|K86!mYVvFuGbl^xACpVuyB?s2`f;mqJD;=V@cO$m+J`5P_e1!p2M^-Iyg%ocdBhb5Pk)H#_kq?K zJbrk-Kk9n{^cAo3zRq)8=PCOwrF!_6(0fZI`+KF&`t*nR+N=M}2X=bx_B_!(7Jq#G z?0%7K|3iL$(7uU${IVW=`5=84jQjHJ5B^YIakQI0k)OEQxA^2G+tWYuM$7wPlP;Y7 zy{X&wslM-p|8CKB;k%8a9q>0Ve0vaA9XY7lL{=f2~`j`ARd1cpS?z*UcFR;Yx zsowL1p8A#e6MueL-?4w|-}YVXm52Q0q>YXq*mgg6#iR#se(j-IE$2bMzlMJ2;=6SI zubAV}zP{&BaNT=0Ug4RC=eEf9ar|z{eSmcidLPg8ANz{X`|ghKY&X5*$vRs?*Y(zK z&jFw~^B=$R#-XPyY|$s$KeLZ*y>{JLLceD$*%wv+#wPoIdc?1LwfX0DO!gZdw5~KE z{+wa`zx;{Qdsp8Pbsl}Us7~*(if7$k)OASQCw?|y$v*qk*O%6RagBfS=+!0O8e=zn zW@f*7UC86v_0YpZw_N4;-`DSf>1V&^5zl^!=eG^Ysy_2;ogc2c(&ZnRTm62-`O18AJj|MW_Maa6>&)u+?)rDR8)k3x z&_VV4?~X_Pi>FTKH^&>q*N^JpCyx2b?mo%&Y{sKcKkYLv=8g0BC+96Uw_|3%cCU`p zmml*)-|Bh2dZ0M`p!uy``1w4WUVBoemq-6V{enj}PwAn0p!p#$eaiIeU>7%K&z;y` z9`mae25wwGPw<`xd-`jKyzFGZ8}}VwcGsJDkllI7ym8*pU-pZ#esQ4wH?JHgf4%RT z{U>$ItKOfHSA24!xR5>N)QgL!F8xa8XP%RxIQ;a#=U{kE$Pdr)VBb%j(7w04{1Vx- zeszl{A3l8^kNU-Y#)E!Gk#X2z)=5r3dVcl|U6;{&4~5Ln?;_~`yU_JwQ$BS<{Okw% zxF z=D#}G`QypUPEYPGP8>Ay$5WnJ(B*wg_buY8m+X3iEFU@RWA84Cqrc4q=Lh#A`bAv7 z`&Tc$c)r_~dNRzo{Mmbo8L!Dd-;+pw)>D${6U9q?cjc0Q>d8$guYO9|@j!20kd3!_ zCr+*>dERv2E{-}YIrg0@ecT76o~)ikc6E~z)ytnU9=r1#Kj%;O#H?Sv+NU0v{`8QY zoX8I4YpN4pyP){u+_2t}gO9&yPIW)b4*9{nev=2Ej1SqNd69PhJw?Zz`24k#KF1Fa zYM*(*Kd+m`f#Tz*zSK^BP#t9P$T`pO<&#JMrXF8heEN5b)+6!7a~;YquYE^6da`zt z(@qbwy-oi1pVaFLx*Da*q@?ex|WeDllv;m6J|(YUJ5 z`7@t$Ij+2ax&Ok;KD6y+^>b7C_=)Gay1aPm(hhd0J;qf$e&Rs-TuT^B8 zPfR~@VvbkZOLAU!xNk|mx|;NO(75RD^d~2uJ`t}8<%OPiI&bjL_&Klf68YtP#*-J1 z%$|AhJohC#pOMAMaiWL#F#F$gV|M?446nP$zX`>|vtIe`K7DslKX#Yj#4{egH|05{ z{xr^>Z>hf&7hhcKKfmmcj5GOfFRy;@z4iA{v^SBT<3H_Wyu_@-`{{U|*Hv+1J(Cx| zgq6SVpvCXq_$BZ6Tkbh_@M&GY^M?=ll`wf^*KcIwq+Q~%C$gI-_B-h-erLa#4_)lh zFYLxgeAh*O2aP9>^`evqUp({CcVooy97#WDmwI;CX`5T#SgrovoVbbNE!^YS6|bDo z_5WS4`%aDPQuia;t6qF4AG`Xhx?{hOo*%ycBD2dwk4KM}C=VW_PrkV9_;_UR>CxL) z=f_Tl;-7l=WhXxS*;%cd&v|jiSs$psx1ZM|53TUsi(enx^}T9!Ky{3G`?Ke~_~rU} zgz;d%Z_2lZZ#=gC|CW1yZ2E`|Pw!X#{@MFeS+9N<&-J#r_?{o&t+?xhhYbJV!q(tf zKe_Gk^9EFTuG{_-XK(m&{oGtT_>rvx)(3LdlYZ(FhwM0W{gM5RFFrnh$Dj8xDt+ht zcD`{v$8J6F+)SP(O#us2+OnsW@-YiqVoo1gsY^^gA}Z=QNz-SrDU{UZ;(cuiR1iwD)KzKko5{SCZrHr{LB zGmhxr_Wr&&=`WA}ABZQ8_>ME_|)`y=c zzVnLylP}{szgTDR%ro_59z1sIpnjE?A6b6mz%E`B>IeSXn||hn-+8DLPo0n+s*{{` z%1dA3`@X6;>c`hFrROWItNBCiksq>WeeCInPfx~IU+UTEOFZLbeZu3PnDO)%Jxsm( z@Qg>#FHygzzNfPJpZUq=BRNt3YZp7cdeV*u@nHHV&w0hT;LAf!KhOK|?#9djSsz6*c-?>M&( zTbKO4LVSKuKct-c%0KpxD}CoahW5Db76-DE<%MbYTwnj%M_FRbEAI?n>Ft(vP`pHO z>BY~w$#_k_1HprthrXv+ij(z~c%^(_cw@cqjDMzo^?f?LjFWlHV|???yr%d2N^-_6 zjT2sJzOcLQwQkTud5teQ@2?#f+R2|Eq=(v_|G%2Or)b~Jyw;!cYo~UwJI;+u=JkDg zdj8^N96WhFXZ5=u-zgF&(eX$x4isO#cTBzDN z@4nQl{+%YC_-@$kub-9`1_ zlcBie+$W&tZ{CruXJqx7hx`-G2YUWw>w^1cdb~t+Ah#C|LLJP;^M(< z4<5hFNB{3bzI6AkM|b_dyz=Jr82!rb|0t2gg(bauVDha~{N4AE+4*U&czCJTUwAO% zko9ZwJU_5*$Tzy*;md#I*|&?oKi#eG&1ar{!r$N1i0fMZ+Lig(osa#lU7hUOOApiT zIFg5-?@{oB$rFzq8YeQI`1H{CD#-c#O_Ow7!Z1#gi}N@i(9OnRo2aIx8PN^jzNcbjHQ=o*Nlf_amLh zo$+-Xt1t6wA3GGc36t+ShM)Uqb>pj}&#V!DIp@Ky-wWoS$UpU^cDUb7ztVVSTr&SA z)bIQtKXM7xwPoeu{`5qjx_R~WqFRa=nzH#+@Q(d`FMGvRlb=(PCZ`P~ry2`pCuJ-5`db006 zIWEO<{Q5qL>p6bTXKP-1>m##Q>fL^Osl6B9@`E#5{?DPjzVD>pTtBjl2lIPb{MeiP z@t}V49-X`p&+(e~H~I^vAOF<9aKLWotbA8TwJ#(to^kSj_QXlVr&lK#=5eN8-@`Cp z%|mhV#3`Zod)>$KFY)!e_}YtaT%8Z;)yFQ6c&TSk)LwZvKkLXt?%4IMYJXY2#B2Zb z)t!HI?!1=%lowCjtV27q4l;j!8J8XMa~({Eu0O4x{KUmey*iy&@Dlk!$6d}pvj4Me z{mA<#ao#J;dda?*E|2z-@yL+g_fNsEP@EEv9`b|M_p|!!^1G`C)#GMd)zRxe|LX7J zJ6^@!JwiTxw^U#6o_OGtzJLdI9o%5@>P=C38SC{zS_pzTxfBIn`yXcgG1KavlJa#g?W$_Px z`R0!gZ2Ny6)usQ~ z$&lXrFvdw9h-W_i`GtcHJ^!Zq|4y+(?IeriIjj1$8_&FFs{{>uq{f-^a$Y zZmUxs$0c53=Hu`FJLBSu5BWLn$m%C2e(-|}Zk)YKN89g`vOeF-%-`+j^AUdbH!{zn z%GL?~c^^&x;65L|aGQQ}TGmVTxPI49TdsZU@4on(d9Ccn!+!F`GcVq?U)%XeT$;r3Up(U*=Wnp%{MHS7e{0+;7uV1I#8D@?gwAg{zn=Wf+MDk+tamlf zjhlK)sDG^!Wc`zVS!de$`@W`jh(}HoC*$w@^0JH1x_w^j?l0W1+{Ry+Q@x)fo_#g` z;;JL{Wb+VTzna%;?lODgJ%f9#aD6`bC_S z*S>P%2N&!+qviN_Um;Ge!}`~G+4#6`_kVEZOB6TJc{lqVPaHBFcmH`u?Rj)Z^?f3| z&3}FRpP!gne_scm-E}irzmyP9JKaa2EmZ;nUZgQH)#h;yV%IH6efXz>;6`OFa7Ii(k^S^Cu^t9kN4y z?1}8jPZ=-$Q|_ssxamiR@{sw_C*u9?fEg2>9^a?!y!znwCy(3Y!Fru>eiW~S?(dtP zm&jX+v-GrQcbor4M|D2`<>vGIJ$7yV{?)5%eRHkTem%dM=i)V?_S@%iznXqoSIKTY zVds}JJxsg(RQGYd7h}H#A8JQl?~C8G&;QwFFFE#vm+R-qJI{H1|GQ`PYF~ELx?|qB zb8tJ~FTQuDNALOk3jN#G!PEBIxHWrtzxLO*o^r_NckNZ_-6yFd(e?3mcMR?I)CKkX zr`iSikrx%!%ilg3xoIC{+F>IO-t39GpVZZa;zN9LV$LIW*9R$^zvj)jJ#QWS*wwwN z=f(0t@pFGbT)afj_nn8+KV|dMzK{JBdBn>+Wcw!K48Njd)lGZX|2GG(3FU+MWY-h= zQ9gF)ca;49r=j_6o|NhJLr@LDeq?c27G?)Z{l`{2L6GvLWJep4Uc&I_4O zUdS#EdDvby{{yX_{NbQpPhc{LC5}X*sk?;K7I1iKkfYR z$i^r6cv+|WHGDkixXAr3cE^MHqCeF^R^PHK|9sNF-aWr%J)wv8S3Nhi4!cis{ouYz ze)Tw?EWPyPkw+ZWw;E^bOGlq!n;h|}zU|xY{q;J#PJE|jAIAOK`0Fnp`^o$3?^L;d zGC!Tqw99iS_3K|q5531n7B~6Y1M%fGUS#b{J{hW)Y<%U1>XJu(evlr2;TEercI%XR zt!tlqY}cihThOxKcfshl?pnKl_us!2H}jB&|QywJG%9+`OT ziR@5au*6S&wnP7m1Jh4ldh^`)(3enL$A$fF{U9D$KJ~Ga#WQdCkKDH+N&P&ic6k1>e^H5|0ic0q4OfX``bgt?zG}p z53Ju`V&DC=QxAD{k3Q{dR~>!++1K}P8wdNzc7O!QV)9bPr%z;8Z%L--Pd2XB zReES%l3nM^=XVVG{q`JRc~dVgG`_~0z6r(k-kbKw3(W)d(~B<-ed+p^J<;)-@l)2X z=`X+Yi1DfPo!3VxtG|T!P+l@W{lgB~AwTN|9>hyoKN#PVJ@w+rn=-xl>=}pLT@(k( z!=LQEH2q;78%O?${8OK@eD>S4(>zbU`zPbcE}wYnB;%12*m6zT;_S}U2`D+i|WXRXvZrO(t58|mS^<@3v_%IKRi~RV|??>b*;SM+4 zd;IN}&uiT{@1V7gSnAC#?US!#(D!ECIJs}zeV*e+T+c_y>LBZHn09g#iicN^O6YtJ)89DpXLrA2ez8M5>yJ3}$@5+~{XYuzi}x}zkNQezUorj2+DZOrq53mF zJ!B^vPxH@lXkQ2)@`L;w$EEc%@1yx!H^jN9z0J4pU8n2wF5lNzhxzEalHVJM>-VPO z@-y$r#!vnB4YfmkWc|ZW9C~sI`I(RE72kZl>#E&vTK&oy)qWE@f4r-%U+d1Rrk39e z5g)3HoLI8cL;bqq%jf@U%oej+zj@)~!(LmbZ`-)&Pw%DXdEavh{i_ao@y${(aJc#u8iQrzS%s>~0T>PWk~V98Do z#pegp-X!z;--g=XQ`8@jf6DrUK9OGu@pFBqcO1wAGakM5GS3I>>6fzeA${hjS05RV z%ns#GrUh=2M zgYv`f&Nu#$zq+)a9U6D_I1i8$@nPEK6(7se&hba|2f`a__6mL^ndBSgtce%gx_Ldn z=%L?l@k`8gSblnO_>s*M>px6h%KV`?@|D&DeD(SLq5CKMX5x6RuD|nl5#p8dsT<;x z%_Dl4?-k**JATcJ();iD+Dp!O^mu6}_Y|{z{y&I(xjtDx+4)<)%@5;Ec0RK2(cL<8 z{gRhI8J6^E$7{sS-|g%7QXKjw)L-)Amt=Z~4@-J^@Jh%Z;*nuV&tAeNKlbjT<2>_e zuj_*xFY)=|J3iUz@t}E(2ieKKQy>mKOup+|&qLCW?D*lYeOZ6zQFroOXN!}5dDT7WOb9(57|q|k6nAn>M`E*&I``R;y^sIIOMeJUp#X1*r9l2eyL|K=`#-=^j@?$ zCDcz4Pkb`;99|x1-tnVht(8j{3oT6Q5oGK<#oLu*#z|uH1ga zJ1xIQ^S(8I@gV<{=@aqfC+GN={5-#Kyz<9)e2MRQ7dt+b*ZUk97mq)5JxAt`pP2pU z_Yv}|S3KlShCaOLGP)Pp?w(RU>@iFn(rA{XRIgUxIQrt#k=YI>o0z5p8?hP6RacR zsMq`?iz`m*eOHZMUf*4zhvMO-zNfPGdw-aJcTqjb*IwUYwqJ#B{o;r&gLv{lcKtxkc9PlQ6_Xyk`L&1Y|M#cvsvkSwhwasI`toC*=v(dU z%C9c*$Z02AH^|WUSW0p5-YZlm6jy#S#Ir8!IsUl&A3C_B`rf_%#TUo8WPh^bd%s(r zM7%Eg_|CEM>%!|C$JF~hS6**B4%O+tQXNn{JhD3Q^aB}>A7q!GoS5nG!FeE4VH^w(bTroV5UX_I%G)B5eWojyHp=h-dm`TWPPym9C$3tRfp zb@U%sdg^^s53ApI6h}Mq`cyv8EsU4`*Y9}l-}SHdX$L)7d+m?1t3!X`tG5Z&qdxwL z=81UbDcL&351)*e$lhI4r~VR8J2DPE9;7!u^yZg1^!nNUJH7i0vVD4d&&BKm=DIJR z`Cy#o7e{-Iv%GlbgX2Y9b+KzVJ^w`g%nv{P>G}JvKe_4uckqY&n$S82eGg^pXE#6Y z=QHcylZdNs<3WbT&2h`m_lF;PZKnmto-?<)Zt#6(b>{b%>BZBZ@dx<#ml_(kX;=80L3NyKXB)4c;ZXHI;Z}wt9dG}c=|&gamaY|^5uFWZu;S~ zi|07f&lxY*FaAxaJ&s#-!zTZCYuC@dM?!w^_6ci#_=oSb`d+loZr2?$zcqBzdk=YW zg7<___34O^{4imU&fmsJH6{U-_sV?^FGHhfBDGx=B>Q0^YGghDgKR&M9*yVHHP`Cc%SMdw` zf$Fd>izA7n);U*nj0 z$uQeRFD|>|%X-A_yoQ&EH{)CP{CV_7b6V%0dHDV(tWaNHY1g?=?Xl0eXX^LO>G|)y z#l-KQbnN`+(_{iq(bou|T$rA^P_sRdbdCBLm?D~5UJnM^i`a#_@e)#+M?>K2l z+j$e;yiXKIe*NxxQQYLI$2=03fAYzW$E-^`jDz^%L3;Vrr+#|vhw|Z>Po9@p*B~Br zeM1&6|G$vmsap?ScRJ40Yu<{de_T)E(Vy|LVHfSU*}Rtf&`qbE`5%|u^k!?_t5)s3 z#+W%R^VM;rKh-IY{u7_w|KGA6t1B`4$90*0#CM-F@A}8aA9ixRzr?PNCfPm(UWM_T zr_vX$|JXeTB>%H;sRsvd`kUk5YWe?4>M(xhr+K5l+(+W)zL4X~I5q97hzrFvUsA?P zyLI1j%CCgtuxGq%XY$GL$sJA}z1*J{RNwvcooW9k;-&@jc6#{oUTybj?q}Bg=1V*L zXjFZ@EFM%}%JlG-xqq9w>}vJ@ai!vt4$O9BytI>(r+=K!+3C%b^ru%(9(Uqsw|MlBzw@enCG)Wqm!EO-eRcbM zuD2XN;$>dR`6BZ)$=;W7e#&|5c+?)_FRt;mFP#4TzJB>GHxIe+ zo$7vtKg9dN@Dp}A@VlkvjOINHH39!$Rb zF!kzZd?^1aV~1by<2CAiQg$eBB74^V*xCPn-CG~3e@}DS)DagCnO^^2H2nQ~(%Xiv4?=yY>+ksppJ<;(f9`wGm;yAw9t*_Qo?Qp)5&;Ekr%=MQzIbZ0TP+k1B z$8|D)d9BCv>gOk(^RN9W{t!k zkE#FlM=78G@0EE|{?mpxUw8JkZ?@VG?0ET!m)75{&$vC6<;nl&xu|h^>Q~}7^;`OB z2fgEkoc7fF|3)Pq{-R=2+>*V!db~vQw5N6R6R+goWKTbQ<4Z2_=+#4p)&X+zO7Zbw z^4@v%m^q(YKGXWm z&-JMK#U$WS}fO|QL>9@0a4=sw?kxc0ZV zpRoHS{j2xO@tRP4`xf}dJKq~*PqYt9FK%~{pMG*ZN&jA>>pA;TrT;@{UK?-o-@I@= zqMh!)U7y*9#WR15n|%WQ&^*>|*O}G<`SI~!Nw0s|#qoSc9&y}HdydUdKiEHW-OR6q z`cuD%hkxf@=kK%Tpk8ftv8U`kL-r;VKarpPSa$l9)dAVzhd%n$PSbaJyZXN&c-n2B z&i&4>u6pR`)^l@P<{!RwLtNwHxb%Aj;ii`NOO1SpNSjrTp@UOEykRynXkf zTm9R@>N#TaQszfr!fdzW=!W%<9DMvubE-fDSHYkl1DeaG$l_I~wzQJ?p&$%$3|!hSlti;QwuR=RrpXm?%NQRCx^O#;7 zdiD4}?CkjL$;VSSK7GpK;3tor-u(5P!Mt#MdQK>hc_fZ?!}XEl3ST_=vMzf3${ycE z!h?8;?CNklyHE36G3$3e@La{ZARe@SXt(1v>#qT%FXZOSY zueE-VAIh&EjU#^b{(a}VM9(i#|E8WSzWnNEFQL5N|8<>VeB3wi7yq1-W?wpTR_`v? zt$5u<@tW|u?LTq$hA(%0KRokj552g~KlIjT_B`+5@xyccT4(UsOXqKP{KUm4FWH{{ znK!yz?=<;k9DM5!`;4JG{^IouXSO`I^ge^<8+cHh5xxJq_JcF(^`HG8jpna9tP}6d zTI|G2POqO&t#tmX>wM(WS=IdqzW3&?{nJ->{?WOA|39tc=3al>PW8UJ`tfgn?9BD{ zTdlsnpieYUTyN%aXM^o%DYg{GS!~<;}5Od;?Rp@9ZoyB3B`lX_u8+W?9jX= ztCOrgsDIRhM~0~{$?9W=*&q5{e0J@E?A^umQ%{q>I`vEPJwFp4UppYZdA&sE|IcxL zOMiLz!Hj2|*!dZ6$EWkBc54qmde_JN#ls^*`N`st)$2XyQk;@r9Ec|mS$oVE*Yo;S z9sH~-^f2=nFL~G@y}0yH+{zyN8@^j3j_23>>B;7c>-jv6@u2+1N&l!v{Ok|!6R<=5 zDn674k3NyTgz96@I_Yy<=<($xn+N6zJziqgAwJ%Sqn^HSgD1OQ2Rd%Vw_oA?zWb(p zYxu@vXIIx(*>9Ogz4XvLP!E)s3~yWS;H`Fi{qNstnzhxTn;kl|dR`$OUiK?}V&)MC zCSN=0?Z1SuO&$^7LpPts0?;_xH0)03h51bO*6|2fan>)-50b+Q{TdBjf?7vh&>{@Rl~ z^@;=SoA@p_z5Pbtt+C%>KIsR1?UbM1@ov95j|<25mp=RHrM`Z9pZ1$SKjN65%&31y z=lvORwKLnNU)ilI>YyjP{uD=D;?Ns6?V~q;$tBFZ^5bh)>e>0L3y)vUH-329MNT_8 z*9H2LAAKUf5+Up*ZrBODLXp;;Dnoj?bQX=o9hi#U&@YPQ^?AF!SJv zlXiJa?+NiQp|~YGee%>nuMT|c5<7iKriaD{^4E`eCB#oVePYJV_L1GUq`x||AIR2c ze&VUGq-RgWhvMaRIX%=)elWj_?>^uBcb#D0Tzlf{gc$S~)Pd>Kc4$UpbH=%M3O z|I@>)OFitF&wJqX;!gX2?A>?Vm-G8S{?e4}l_W(ZI}IznE~ShTAwo(^gT_^o@zu!?BO&@f_##e4gj| zy0#s^yxq8!IrSmu-}fb1e*GPIcF^zgvV&RQXT|-!I`YRJA8lOuy|t8Idfu&F&i}~c zI_`cb){(yFu=0WOL8}`(>nAz?(GDH$`C*5S_euPd^JgFExSL@x_a%9a(&SvhpUEFWNahy3l&!I^+E!clSvRPQK>QYU$szi0$xv)bkW_{cPODI*AL_i5)+M z`1JV6LVh8?zF+fxIeU6gy{&Jpj`{JsSEuKH7mh#n@`B`r>R@~t5BwEEaU${)`DpD! zL-EiMA7=5%;kxR{o4xwU*Zu~d|3b)LmL9n{p37P%*ttH&>jHTe@?QwW_x^osr|UgG zqbq$fXmS!kbLNS}XtP(PuwFvgF13%)7Z{gEhzIIp3^@@DQ%3i*%JCTm@ zj7Rp69oqVej`A$N@f71~pX;*g06$SbU0+JCtL&q`yo@7uXnw^-tFL_$zV%TYNDjq~ z`+aiAKH|WgE_}D+in8w^@(cNa{CKZje_C(JBN|uuuCvjvxLN+9eil8k(h(otQX~Jp z1ij|tdd{tPfByF+@U!sNF}pr-%NO~-Tj%!?wS%3!(d5RBae)uL&uINKE}|d$_~PMP zSIP0k#gBIQS;!BhXWT}(&Il%&X4EX&a1>{5BOfRmR{QJ(29zKkG`H6?l+E0`76ERC3`H_x(vS@Y@wGXnVhp(OL z2h}&q(Z&Nm{6>s%$;DxBeWCCC10B}|ejq>e<&TbN->f}R-}7qMA?+1!UC}(Tj}=cH z_8ecd2y{hT&qN$JhhKBs`Yu}Z1K1`onp6=^h zPx0xCr~X-WrKjJFk9hsjKlGq@>MRfP@*+Pl=C$DMJrC%#RsKARUPSTm`9VK$@uxpd z-16u2IomVIkgqSPSULTEiatLP?dR1q$|J2F`Z?Csc(qS6zT~_0uti5#nUjAmh#yg0 zeEos%cNqL0MYrt_tannEAJX4RqW90D@yuQxP+eivWA8dh4*7xQ)uRvjlLvnEhu?j~ z&=sdt$d4C%ehSg;wtb>W#gX~%1KItv7~}C1`K_9F>U`dS{JIq7(T*IFLw^TG-TeJJ zwD;VNck6}Uf1J?2;nXqJtC#s*5BAQ{#fRkRdyl_z))&*V|2`=_811c>I~n{&WG|k1Y`w2^z!AspGx*o^y;k~hkxh5@%IV&w|>bFKcaD<-SpA)BR$~xtv3I@bN26UvU6RH z_2myvo&ETri{8zD&&XcC(SzjH0W{Rl`X68W;`rs)c#8S5C)X}^?*Cmc=#yvBFQ2f( zlvY*B{@pQuZ;Tyue*E<(J^EdGf5jrtyX=4DAuf#HpWqu`XmMbrRb9Wi_~k!y{$3$H zaa|9s7vx#z^u{l}i2BEUH~;dKm-eFB887(!qxGxt5#{tCIm8!Fy{(({JKF93NUo#B+UCPwk0*+ur-s@JFuAU-zB+8t?p>ze{=y{cx-H6^kA|?$sLAcF*5e z$S<~=eSH5x-i1)U{6viQ@>Y*7XZN4_)~Bn|zh|!w>_J!VIjG30gVH8_95sj%!;Q!VmtZ4M??IW54m`dKKZ(0q4^&D8K2_An1{MT za{5^)UX-&pKk4~91okE3kwgB_5mW!+cSqR47~gxFslU?s#-Dw(I?Ing@42S-A-?yN z$obV?>qNXC=O41);ri=OyyAs*Kd0vh@~2(aRp(&z6F^$)rAom_rn*B{vQ-N9AT>ll6Lcl_BwawuLZFCB;EN53%tlijCm zP~?6*j$?JxU+Mtm3&l|fG!&N{P0o+HSTCao|EYvRc#yQ$J(QbVCIZt6{A3#rB^W8kw59I9l!KcrkxNF|J>Ap?I{EfwhC3_-N>UK^?S1T<0^|FFyLd-+JsZV6zoD z_15qF`1=>)vG+cuINA^Cv4d+aI(5oUw^mHQW5M^nEjxb5BYn=ni+lBMU!lzPLjEw? zNB`;;_1Qu3>7gUik8z@&exXm!f8<9wI%~Y>mqLEX^*5S-G>q$*c9NSH(VslEFZz%3 zh(CHze?@tg->B#B|L_OtLGy#$dV!`VAMqhQb;#oLLmwUYkLqlmM*T>~xbeCq4n6)O z&2P-V*V|*KUR=9U`uA@K=5_uQ&;y~;(^ znys2KZsv+y`++mMO?c^-blui}vE9xI_=)Iu_#(d$t)BGI>WLpw-RWncdeM)5j6-$e zho1V&2OagIJ~@4Ie6({Fbd-w=>7k>(c4XY z%1b=wf9%x9`%=DlGCufG7yEGYf**0{_y73p%|_JCKZm0S?L(rSxZZmq&qD3BUosA~ zOFoc3nqPM4D35&Y$A{X7j>xZg@`-wAbz(;!4e5)IkB0a#+R=mL^kY8O3-ZCE4tsCH zDJ#pIhm%8oAwI;1>V=MaXt?iQwP!Dxk^g%;_>do%#V@p

(pj-6z_o8lQ8jZM0_Z zMt_!BSF-Ymd3n!C-P!qm3k|&w;JSFs$M3CfI4A%2Ag#BqpX}oM81jhY!g)SEjP+oj zHE+bF2i2FHJ$dA#Aw7BF!?fL{=Q~;J20zv({vdzOFYRLr{e5G0)@5`S$^%9{>qF#c z(fmX--|*RMKboBWy2j@xqPp^nj(Slp9~j3Eenj&rtN*jcoqXiSulIJ)^dgOK9Lj?p zq*sWJdi3STzjFfm(7prh`5_wmeF^@d{y>YHMe`Ts`1WP|>QCQS<9i;-&Ny{{Y+pm} zJSML1{OND{@^FS zydisb^zro%`M(R*SsW;y>kXP*e00QUM?WGvbr8q+v#*PK{NR`O`x$o7dd<(j3$XL(Ro7T^QT^D$Uj;?$92^Gg!fcq9JDy-ST}reAv<}{Lu((Jyz`x%PTgQk z*>huZ@$CbgLy<%K?a|(7* zPA|pMzaN;=rO)Zv<3~Ea$4w8?kMojTUeG!g>qBM-E7NL+Pb zhmU3l=^NkleXmKc`I^I9TzW|U`xfIU^;>$q^!~VYhQ0l;c;b*}A^(ux-Ll@1>DL^Fcg%)=THb!)E?j`L~O!7sWcT<4^tZ`7y8Q6+(50di>)1d(zJH@L_D9 zI$7uR6Tk8mpFMx{@Z)}(9;7cWIt$r}kEV|=f8$#|^qiZjJ3fDfkbV}r9%z@miZ1WD z$LE{m-*+?~=%Jk#mN; z)W?V7p`q_i)GuCt`6c&U!+x9}b)b)rhWtdi`G{|wXNRv&)*W)|CYrwb;-g*f@YM$$ z^CV|aFVgtVJ7QhP*+Ks0%}yS!_r{_9Dt>&whn;x*#yIcKI_%ir4ln!txcR|8qUUUp zFOL2&U+OL{e&y7?tESg)`NeZs{5THz{qeSsHb3-0@bZ~rYf`|fKm>+oEqBK@h|;<1ZyjVt<5j<%oSFQWbx-+E~r@?$^8{`U7D8F}>8 zRnzY$u$Tl?f0 zk$vRC6;B75s9T6_7+LjKsH z?f=j)`oV|f@x68JA*U}6IV6`CK05W|edtnj{bdhR{nGn;{>bgKeE;RV-+tcwiT%l* zKl$N{tDR9!&vl(2{pWf{57OsP9B3Vb+QS|?=VoWUKtp+<*{gRt-ZSd^db6hIclkd5 zyAbA$dFOrV_@0<}_CfN{Zh5FLnjVb$^q}?4{1sO{_`zov(Kw+8qaIpb^s>-(N4?}F zU-|LJKYx*q=kN5^6H$LBX<+<(OU(EQLxTYvOJ^e+#2vBRg2_PuFbZ^$8kXulWd zoDbjqlKqtUF)qGw=6er%9P0wL+FT6pFHx>u)KQKS9Wa|9MI#% zPSw->raGz*zkU}4t>1iKYkcsJwyqdo?9~~qezCsfP~K>E(LcQy$3Fhc2iB~Y*b)|08{mO8c}!UgGi}(R)+c?f%brFt7ND_hYVKt3G{j+_e=}rTN4-k>)S* z(dvMP>>$4Pwfru=_p)3U%`7T<`)}MiXOSmAS!jJD=SMuWcz#C|eP4?vEn6*Kk-1Lk2mT}S z1GD7#9oAI3`pDb!zq_M;q5R}4k1X0eh;r|* zM0gwKkVGcpw$}<`N=|lqnte?m!En>IlYKk=V0o@ul;1!`#a)6arnVEKGFQg zyvZZ-%g%g^dT8<4;j>4Rn|E2)?Wm8I|K&qg&fBx1nTc z^o>h2{fJS{A3g1)m$u`kpD%c4@h0i-XvX~LyKh7D%a1(q-3QaxF8zluUgXoKCx8B- zcEZtO>S>~>kx_kOBUrOfr4KYpNddHs(M*%>F=BOavZ{!)AK+3_oXG(GjP z&x>+;{GlOz81s(&c)r6Aw7=HQ6ie3w_mS~AsyO^W{D|e1yU%kj8tu?f9OuRAW}R{l zrQYm3=W!loKfqr^ejz_u812#YqaSkL1A8w6-~EYktbP1Je&afv_G`v-b#b!v#9MyL zl;P_=SuK4Z!94JHUgZJ(jtV{319JT$zWnLOc@*`~kRAW{+U2`&awsku`Yv0$`HN_s zIjBS9+v`kTzes;AoB87AH(i~7Kbc?p{NTHP#D}lcxnbJ(msKwE{Fa_|7+MebgWk_T zM>K!zTg``fo#G!~z13H~(LcHUs&Q`piFUEyU3d6(-sPNLUY@u5zMp=a57EE)#;5U) z51mVkCw}xNF1twMd(VM9BE3TVEWKzKY5m9E^9|=`)=BT%(u>Hienvy>Wasze)!FaO z)AwFZwMBj3`F3>vcOUeR=L*KFc96@%ycXBECD)Ja>BakQdBH+|-zuF?rSA`TuZw*l zl*hhX?lfk6`~3Zgysex3&__dj82S9EQ!o&_+b~39VE9NpkbCjeDUc=S{&;q zJxC7mwFgFd7A-G+`+=1=6K`BfKo z?$g=Fd8uyJ4gT!coS!|gO^uq%mgKLuF&>(|_M*w*B&%IsGaEkV;0mYo>lfeU49{bG{lGaF!FteK@MB2{^+PWpDxe+ zcK4gJ`;X2)Z_p2}gDu-^(`4fvSLVE57WbLr%|G~otkf_|^q{`!4$h zeER%GzW2b)^Rtf{`SYaP^3N}hK6h-de{`%=shU?$OP0#x5rHd=2=R2uh={^cAPk-+RKce-#&Qq%zymigW zoWEb?eH8tW=2x1Jb*@93Yx{h9Z-pZDiFFi@eXPHIG(FFw(e7ichw3eF>pB0%i#&{f z{Y=h3yNKRvp{Kp-iXV|5{7BZ^kEjC|7G*e9C`5m6^hi` zyz-s5`Etsi)fVjbcE$Ajl-OSJoadm8%VTDr`P?f#*WQn4!6T^wSQgjrz%CBw|Y;9Klc2h<%QPY z&SyXAeo&`vZ_B@bNsk}vH9P#Mhp#`-_U~wR=CyjoJn6C1U+RMv&pv~Gw2%I?#xuLP ze-lr>Xz`#r@e{`rK7D@Z#qml{{>C9Y`-te5T^t|UO+O32JaFej8@^wo$o-z@FY;t3 z4mzU!rS;f;()~x)?`3P3@x!m*p%>RW9@`nmL+lsp5+(Lms?F|pSpK~@`r;VB za9WdoRc>kYM^69xeN=YV|Kt0<@M8bw71Q^_)m?wn7YA+s5cy~r$FuoioYFJjtT*NZ zc_CzHUPXO*(<6`T5Iu7G>SFxS(>~|6alE;H(brD2IO?6&CEPz)m*}&H_||>!z?*|mL7Q_WDlc$(<^el;_>f#){Nh9N z+&Zj%{CI9eE+2aQM2z!^UDWeCGLbJ|?IV|${banJ&|@bqJL8<5@1M~TV>|87oO{Oj z);HHB*H?M)Xa2`{^2X27bDtca-`c0xAMj%x@IFEO-FWS>Udh*UC-*n<;g6nn$;Ww; zev$`$f9KwMqus`<{$j^JnjhnYoF94-=|w(&;_?gW(-Q{`S8es#tm?;CNdI04J4g@W ziv!7_y3^NBS$TM#!2bWP=(<(j{Iow}v{#q7ZqbY5m%jcd7l$1rM`xk&2KjfN9R16K zzbMD22kD6uX?p5m{LtqY(j$lbvUe_PU5)!9cCH8fXQB0!e}2V<+5`C`M?-w`%YBUe z+)rD7=tuwT@#z&p?Xf<``5gUu4#010N96NMkALmMk9KJ7g7{hYapdcY+9@yg>f<^? zPd;dJ_Sz*+G=2VE-{QEYACVotdAr%m8|?S?@UqW|qJ9>QUkJs8+RF|fMn1Z{=>FX~ z7QawE(XhP!%d2O<;M_CDLBsO;rKcUc-23;}YrUI)Uc_IlbF`xe$UAMz9B+D9+S@gX@h577Lf*A=tkWbvbadg_9XdU2l_^|UK%T<}+@z5H6Y(CqN} zBVWDg!EO5gxn8<&#J66dq4x44|F{m)Hy+rb<8?xQ;-bZY(Qo9FYd5rSvj3sSo}T?H zjCn*m_W1Ud_z~To#r+Czfa))PW|YM7x^(Rdezexef8$IKc(O2;q!-9kFi@U zU-N3i)#=|0qnCy3qg);FJs-OF)HTn{-0inCA9Bx&qQBTq`zCdx5BXyk^|X_mzi7`- zM0&A(^!TTTUxkbal{K!li$91T^Dyqo=|lSD@jS};Aw70bJ)rfGoE~5?+t0Uc-B?>H+J-#KgImn(?@H!I^$~xT7R-P z{=Jt&4;r^<{-PiLvXDJ_r12qnMEAKde$+$jKXpy{;k_VnwT~V;$|Ik?IP~$+`Ug!O z*CldDFQPmmvU9&{y!q~c+;dE{{KZkfrw)4~>0PI4nfI&cvv=;xo*dGH@`Cm~?DaF$ zPV$JJXGT6c+RFnUR{Xj39gUjg-zQWD`uzRz`Hz20e5gkHK8X8gdWBGb$UEwb(|P2_ z6F**5`0vztuZW%X-S0@?N6hM2Vqh6%x6~e6X!7i?& z;%K+LU?DlZEEG2)eg4VO(7M}j!TN_kH*o#*I%&V7J@!-DLGJn){iEffZuk&i9QyVF z^z6^kS?D^Kwf@OJ+T%OVB9~93UC+q1!~Df}y;N_=Uu-u!dVWU_zq}ZqbGhz{>wOdc zqFj9USt|x@x@=j^vim4?`}~rZ>Qrx@e=pYhc>tWoy63-*w{I`XTZ(e$lfX#2GV`)yJ0`s(?8k>|DSq57(q zd2apY7foNDkUxL77F`JWqsO1P_-%I?`b>|RmDBIEqaJ;H`KpipkMjtfbxz_t1b)Sl z7aHP2{C^htDTJ|(;%PT~-y@(QeRLtDFD|+eM!)p&(fr~=a}X^A8}#K%X}s;FX}(}8L#EFrX?*$N7dI z^+(-wVE6lO%zsxvPu}9-L;fe%n7-wHJ1kGHBjnE!89m<_oVe}8S34}tU(d+3Pdt1y zq(^Q)>H1^5(>HGHSG3dqhF(PN;y22(XwMb0HGfn zVXmw4j=wjno%GFH^WFZOz4gF*N!9~?BC^A0j~|g9a#U#?xz zo*(|T6WVW~otMauJ@lTc>o>cIF<$+e-;8QDIR9N1eeFX>J2W&-(d?k{MNi&QU)`OX zXg5B)J_|ppk(|0B_wplici-W*KXd+$t9_=rn}`1HC_ViFyyb@9uT01J)1N%@c&}~Or0WQManKQ?yvrZcw`)B;|N8>+pr@bE zS*Sn6i!?iOsQ=UpMt${V2gRv*@mJk$Jg4kF*WaDcE_P5H82M=9lwQQFyxG&YZ^U1C z-kyC2cPjfk#^mfGt=;(Iqf;#XUIxuyrhd4OqsPvCO6gL4^$`a~J@Ze$o0s&Aw|IW! zxvKAN`G@SyD}KcBJ}iCfG&w#$FpfLtud)8(>0fno9w-jK5o7!qH_D?unqF2se&tIa zzHt7s!Tsy!=aF{sACVn?90$%*{GCYp#u57d8~54p!AjMN&fQ?{TeSz(NWV8G&%&*) zJ8ri}Kg+-8n5Bm=KkZVFKUy?+^TEaW_k+k|KjTAw^|SG<9`qpnTgLvoq5EpjH`qV1#g|X+^nUi= zRgq6be(}-r#E%&D(DYi)I{e~;b}9QDhaRMlhT@|msvmn8^`f7w^Xx1;ejz>cL;dk# z93S}5I7agi<&Cz_q)(2HNUl!u;Vi4|N)AMJzmU{)RE>Ap3qF8o4q zJqN^(^H!eZ5&7}EF)`1mUtXGD`Y|u-(?QKXJmin=71Q_2JwM-K*#}3i`JwE4=k5p8 zOMS)J`_|dgGL7 z`Sxm`@d5dbX#K_4KJ8F%^8dGBtYd6fl&gpOL^)c$)ZM(~pB_H_=r@jg>k51Rp!^^` ze(_hYH*V$kHGWRlTXKHb6~aRL<(1QeF>V&0UX(|g9@Jj-pbzOqB#(BUi;%PP{)_#! zb31y_c@&y`7Dl~Dv%_~?L&G@k@YzH5XyY1f9J5y+@~=PX(eKjxD;C*5&?i^FINs&w z{Exo=6AyY{i`@0g{RF+}C)QtF`rd=kE`05X`pyf)^`5P`^vUH*9{r=eSBHl3Vjq!S zuM(C=Yz?khl3nj&J?(dk*B{qdi};FAxtJw`ds0 zr}wS-k0>wihuM$DdU>uPKNzov`1;>_wf67wo1W5}VrB5nNO zXCZq?51obdU|h$u?8?jMS3A7Vfe-mpfBj*+7_U*E9X>SwA}xpdufr+FQgy!@ck|uef5mAd20O1 z(|nBYrTRPP;y`&sBj?kyQ5SsZ?;VM6 ze3Fl>wf%9A>|HH=p5Zx^`ieiHf5WL`s#j0XFUY+=z#mjc`Qgh0EpL3!d&zwtX8y~E zK0f^{l!rRg;|Hxi)_-#7y9WN~-*)2t^Lnn%|6L_=ej^r=NBv04C(Dn05qU&)*H6CZ zvR{hv(EOmYFzQ8G{#o`}eErWKKjsTNa;V?Y#;^Iu&OXfb9$&rC{A{%9(aRq^pi253 zRmv~De{hb+PQ4?aJfd|Wi^q#7D z82>ISJMqPX#)J9FKRefR_E|_jOCI^w_h^Uqd@|k_8h2Uq&pN|TjO+SH9+AHKprPL< zXQ#i#wQr=KVrjqXr)Zz*h4X2A`jIx?)rlNx2mAPYiq5g<(}SMhM!DbH#fPr*;zHk1 z`rQHkA$yp09alefXRrS3Gcn9B^~=-`=NsZ>=|?%*xQqGoqfQV%qI{v>J$-ePgBlF~ zsCxQ)+s-M)hp|rh`pr2PzI@OT^@BXElaWtueL=(M*SN%|XT6PisR#WmwBGR-{X~AG z#qmDAIP@TXME2@K&Mpg$8*+K0A%79wXJqxie&JU_5NLR+u+gX;2JtLv++zQ1yje)qhez4bv{_7Uluuk;I{es>?B zzuAeyzkc&OcjWXTe#F=w`szX7{xR}h&)EH|$Ui^gXCXayFxH(t{fJp|`)Yn6`xqzo z7d^;cKjTNt$|p;YUvl>HL6esk*+n$3@U;iczi}G*zH^RzcKF^)MQ5S;N^V^;-}zN1 z`Qk(N^vn-@*G=+hhmJ^}9~kxU3*Hxn{ZVQc_CbaC>Y$&{^1|2OXh<*SOD?|lr~2!d zCqHFS9ZE6AjdYApjvwcXc=+0Z4~;YR!}ohK;y~wZ>gGO49?$(~I+woWAd`#Phy68mc$+I|<_OOCOTMizl{w`Me7G_gL*0*hBg-e%DGb zD~|Po9zXWUXlT6XzpaNYI=af7vVUKNKgb@cPn4s}i~P~oPW2+krB$%~glqw79-z%zCdv5&!A|`BP{1`0~X!F4;rpK=klqevziv z>+P{qFRs1zeVx+%oq0$e_eb(*)??b7y$|>!eb3T+((<=IiE+szUtH$_-iy<}?6fnB zmN)XZTW$2#rs?lRMmzQ}whx~j#1{|U|DHY7!FDopJ0j{2{Tb!r&Of8e0Ymy#NWV+5?xy*d z&JXvA#t(n;5szQ(!)K?T$oWC@2gxJyV|>#WN4+4q{P^?!3|by&&!O1Qs59@LdDZ{O z#s21Z*e}~`Gktdcdo%t#kM-PGKWm5U5kLM;@;;Ycd-L_V%0=E=(C>c7fq&yf-s;Z3 zI_Ot+ke%@o_Z`-I?RMQ(Z}y%?(Ni~Q9n}tbX+Jyplk*Sd9s7qIs%P{Q>(5`b^BuW- z{BDRm)t4PV+KbPgzI6hhKl%~*(;jks^+VI+Uta9=1DZaXABgY0BkMRmd+m#Mo@?0; z$yXlcMYNMQKL6SUuqyFs3)f+#e`tZXJdfvs( zxvl#m<29~(b>=p&zGdxd>2=h2;}^c%bZ@8y)kJuX@oF$KNXu$Mp{Lz!Y`{$^KrWfa{JYu`)vzI?w9x#rFG{4ewK6?C;<7fGmAOG@T zkIx?8d&c;M;?T>&Xdm^Wd|he#Ir;O?k9Lyd(^FUD$b6v}$1i{6>dYT~G(F=44WpiX z@U08<`Js32k^9&9@a~^;<~==f?S}06r-!D;50r=dW%vEDz4oL0v4`^fefpVK-1Y0m zMe-q!cJ9Z>=|lOV>EXxz#E&R$yNTaiJ$9e`?_1;Rci%0s7w?s&hy6bE;`0C9p|LB9 ze?2S7>x+|x`f1UVy+-YSaK$p;jgT9U3!mQdwYys8e}}D*U+r*T<~>K(BiCPX=<6T% z8PD z^8@KY{T}nkqQz$)k)3l~-*uWluB)k^()(rOIpv4@SaJB*U*;FNbrr215T743c~+h9 zqg}Mml4tSR$LqyTPd1xgckrL-^JMWohwz-kdgHp}dr$L*{}^9;$zkN1H~9R-ev&_V zybp`|;?alr<`LTUMjrV8Dn@_y%j#WT|McPWPt@wX&ujVLSuL-hEIsvsQ7_J8dNAtG zKlp*;m)@~59be@1VHQ8i>A@vEhJLtJ`-(-*>!N%H17FV|9I{d{n3wnwC}#7 z9vad|$MJ+8ksbXfPrJ8v^V15SceDFvF^-e0eo#mAU;ftdLh(OXbY}OJ=l__#_s1VQ zwD?);mHN#Of9C8@_;j@GI5Z`&+$R0DEzG_MS_X(pO8oCd4o#an@>EX*$ zozUdadot)OKT%F^YEi4Jp4uyau7wXjTfE+xU0=`dYvkMNm><7;b$Z1j@2l|dymZC0 z1B&nYG5hxs`Da%M>FZZ{;75CWNI&XDnm$bBrTZ51A?Cq<7RGU#`VHrgW#VS+i`c8b z@d3?y`y+X~-nqY^$Di@0efZ{AR(|}`Gv4V#`#ydld8F+N$e}vZhgp2`i1cBUix=Ay z_0aV71DYIW@yX?rrH8MdVn34e7qRVOt>*mDXid)d4t~!||2XgPy>_%mi~sf~2X3`= zugXRCh2#6xo1XiD_5){hoAA;v>EF{}A2HUcy!|A8^oNde@9~g} zgU&+jib((d-+w#o)ob(XHNR0G%`T!k(2E%LBTXOQx`AF-jQ+HXA2hvm{VIKrlOA+F zijK%n^y|G_oSjr!#LqYEK_kUl>V%`5s*9%=X8QQz|h@w8LBQa`1?(-O}$=t25^ z?+6V&cl12f`eOX~dlK}&d|=J$8^*1D->USwCx7|kL+7#U)tK?)eNX528?LwP;@@p& zAF*k(GgqGb^s4mzvM5LM3u}Beaqf?k|H!RZX{&t)9F@X?_Z! zIFKJS^mlcwv##&tP&|I*OKzOe!{-;D9esL`UPN-3Wlzo?9ph>Tc|`WcGkfbGeR^3m zJAUMi@A-_nIhyU;MpA3i-8>t(;k|GJ`ni+18i zzIDjDPY?2kW-o8&@4sBV`;VussgbT*^dqv@esmVvcd83o-q88E=M}CO@|1@-X!8$k z-J}PNOLQ8ybe(qo$4}Hxzemov-_b7ZG#~gAH)70#zUz(tbAHTT{plA%cJ{6I&G_c0 z^IClIJuh-jM(%kNIt%5iU+HD#ZT~4gWas@5{Y1_my$)@z?epoq71Hlf@STHruNoin zYdrCvzV8^G^WVPk&Gwts&cC3&&Tj%{%G}}R|wffy_8>i9$?+j&Zv)$^NgQ= z7n(ovQ0LmuT=V9`zvO?1(tNQlpp7r~H7`df2If7 zL*veM#P67A>9d34!_=;Hp6X|O?L@=K=fCpQy^g%ASN^+p_Y?H#LH^MC2jBHb|IsUi z>|;CeBSt;>(o>hHhnApQ4 z=Sl3vm7loY!$L!L(0(hWGtNWEBkKPrrmUW^q;>x9b&7Z7&hP?c}P2Z=-daIZHAv^xj;);h~UevGrz-TW&81*8}KHkUS(}$6d7SDcA z-O1TQe09Q)NH6-s&(b#@=%Iag?mjr4XVK?3i`HIpm}M9FQJ)-=i-Qlzor9q1qaizT z^}vsMkxw4cdzwC82$i1dvM_lvIA^yxwTi28wE zMEcI(>AUZQ(QaL7*HL!jqU+cEW>mAm)zj~@^$$Jc!1%{!PwsvZA4Yxi2Z~2OVzfuA zm-y^l*CM}A9bBjF)7XoLw*HC-UH`?=F81=pXXpA%&prnY)r%dB*BAQa_BHt0f%ZHm z>Km8z_|eW7*ZV*AHS#_9v!iBKA5gJKeU0lFw_ELri>`UPdj377((}PIuhRXP`o(sr zZ_JC{%0cHgnZNXh^gUR9BWkaHL`OaGj5l%VL-$4W?`zSdWvj(2()YdDW%=hv95j7@ z_XCevPNB@k%eEJk3A-!5^BP{TZ5l zR=c&!_X4TEux?FX(sf$R<-g^$k6#$$p<{pGM@-|Eu8;DfS13;1g+u4u^v>#>>$f@> z=TIGB^zS*k^Xx*;2jpq|@#ngrzqLF1Vsbx_{wEKhulY;F5D|;+P(Lyy|1hGME<)Feq$VT z7Dl`Ho`vTg_Dl5D(fgSElSdjq3+Y38Xee%!qhZuj-^e!(qMdkw=`{FJ`O?0zyUezZr^mlyx`m97i;g)r77>RZ?O zkMi=;@}`f5Q`#(jYr%paa=zp9_dBc~em}wA&$e&jPkq$I@5kaF{mB!LK3{uf?wIGV zo4nx0<+-kd-ks89LH@jc`KH@%+GBBkz2H}VX#Vik8()0$pPlOkntfciqMSc`bo5Wo zuY4k(ebhrkb`dK-++gqTd#^0Bu6DTb{-?&A{724v7W_mso?`z+y+U+spZ6x}UGV#> z`wgv-K6i=pw&SN~*1YxV{O_IUKl^p9?PA-GOa?%fG+ncirSCp8bsX zyV*n6LF*_!^c*wBkM*K&JfP)+W*7Cyp?LHoP0w{x9PQ>mu1C(7_;Wo#^P7eH)cyGE z&zmn#&wtoup**~2Xnf$a^IYD!F}Xafm-a#A?#tDQepY{yLw=xq4XtBOX3|h#xV_PJH&Bzp>X(5TCyBjOLG?I-sF( zMDDvVG`)!KH}GRTe&hq``&|#?M_uUo{ci2@9r=Lgx7z&s&Q;627q;_{8-H^_pXKTO z_1z~mIQg1Gs}=eCf992OXB;_4aBky#$oH<^Ym~P+3v)id%UuK zdhUV`%}e7&zG&l2Jm~ogKhXH*C*_B8FMN9ZMvQuBbztxLh3hRp{*E0x^GEw0eRW~~ zhR^1|&v@v;O*ea})6eO-KR@iz`b8cGZ*|n7Pd2PsWZdD)kDYahTps$t`?vJ%i_tLV zga4mKzw;vhe|J3BVfD4YGOooFKjOWou6btWZolP>L-lq4rq1}#`>*P%AH{3F=I|Dm z9+F=_t<&;l=RF;EkiK)&I1boDcK<(i|HrBGYnQoh#d)P}_^x~9t)KbJk8x!j@C%I_ z&*6+W7}p_wjYD~PE+`&7YE^@`uF0QQ$}^%oA|Gwv#;qkB4zuKu|F6>G z!RSxj$c?ASXGibfjq!ZM?{F9gF`n~B?}=ySXP@gn%6N$WvS|Gs>yf3eey*2Ud1cxE ztNg5Z^7>c(|GVtfQ@-{czWZ}OtpEPixUSpc@n?VFywvsII4N)4__h9_wG-MGi4W;R z`sggZn4kT1)JI3;-#!Zs>BoGc91Yo_v+T*W109jStUTjA5r`9#n%q@kQ}m$NIxPy{mV~8diea{XCXay5T6}> z7EPaC7REa92ifr#|2{B1a%eoUrZ9Y#EGVE%gt@u7C0 zV|;S_EWOB&v^@EVG<`@9;RU1;x}qG8tjATNaSf%L_XDBl=2>hS}~ zogbsi8<#$R`jI`Foc@0s#g7>CP)B-E9%*`6?Ie#F{bbSXob#wFenfuo(GjCO()6{< z{HF)W(JK06rsS?#tyMLYH}?<_t1sL#*3B7cxQ{}GL!sLw8<{UkoSLP$Si zjL%QhJF`dUO)6BV&~51HXY}qqWMH@9y@w3#H)vpS^UhV*viIJz@&0=@F5dUd9v2kv z*SX4C&KZOH^cz;Zf6r3=J<9%5B(p9 zHHr^tbWZVsV~Shs(z)7NKZAP@?0&|uvx*PuyJ6?bYw2ERc0Z%I@{dWx1qzj59?jry2D>h z9XjZYwQVmxr1Sb~jn3%TqoiTQZ8}$9OAqKivRl8kA&c9#>(zOK|6!bY#;|_f{_8a|}>u)mtN)=iH=Lwgq=-mXID8f$e&bRY6ptRcgSkGSZsSOdHDAJk)Lal5rC z{*U*+-1HvWt+;*PZPpg)$T7tocIjKE?{s!C?4t;m*yxv;f9*v8S zZdajQ#S4o&9#eeGF6}CHuDF&vy7<@*9XcHG=h}aN{ij`pVa3Pw=-X)GnLR30{Hx!3 z4(fecx8hEJ1vq|8@d*M{Jfho!6)Rj&+_^ML)4z;Pec+T1^*62b)bE==`^}R6ALTCY z*QeHQC*PcW{PA;(2G+PfX}iOwU+whmkfiIZi?&|+#L3A^H*WjD+5L`6?wq{o1>GCe zD}x(W{^FdbgPSBL4t@6c(^g)gx`v{FXJJ)T~#Pc1hK(R}Q=RpXNcxYzs>76{k4pLM(N<K|%-HUY zm-~HlY*OR6rGFm$+h@7Uc7CjX{nZyI({I1@h$TDZ>v#NKbuT}B?uJRNO&8XDGI;P zFP(Et|Kzu}FCMb_vMHtGtYdQb6ZL;Qt++wbYi{okcf0ATWcIL^+IFAZFWGA(N?$L_t=_C6XWF7_r7|h-Ve=_7q-~<#Bt|M zOins-X2acAoRHSF)$G0dzS7{<^35AA*A$RWwV@8<7t`fIs#e5>#9 znQf{b+J023SK_~I(y`@_CtSPV#58a79LoQYqpLpr{zq4){>S%!{)D;vk4@g4yP$HN z%lf2#={H+EyZ6rRdM9JXY&zk>QAefn4fpe5$-!X4t-QlOE>rmriFXW!@eqyrV zhl%ZvJF{!@?X7E$*?gA~={&fh$31QKyP#JZx7mVO2RyOU;IvL}j9a++jyXFBY1WU2n-+^ajjv-8lUjdLaQw|}zhjd%WI)%D$zT-CYF=QX({XZQ)mbGM_n9+Ygp=$%oIbQqo1MIDW^Rv$dS!y_NwpDVgz`je+_ zb#*eLVWk!I``nfKw{ENN;NlzJ>^-e@>HNr#r;_DTKc>xpW^i)RE!#eI`}Cue zeYbgg^rk%?Oxs;y^w%wxuQ)P+8#VrPQ1#!BNqQYW^oDL{%}B0UbNJ``Zg*ZfUP{{C zF)5ixr9F)VHhEQ*Ci``0n#ddC8#m_Bnwy?je$G)N z)A@Dl(C=Ct_CTMs-j|)X_@nh+9-5B-YE$RmeB+fvlWJdWvatVKS0pX3`)%y<@#iJh z0a&uGAD7fQ>BL$yza3UaZhYQa|ILvP*X@?{n7ntpH#a{iDVYZYQ#<4Lp37eu)8)L$ zrQ_tF6#wjU?;cHuA74tJlKii9Uaw?)m8I8JpPv%D(~_s2Yqi7d_Xnr>kT*JZNP`2m z9+zx8YU$R)9=fD--90zWlU{jo{E?gP{O;TyrS|5_L8bH3I+M>sKN#QYXk31M))k-c z`%1fXT_)Ebt_S#cKeTJZGpZb&7_YzF*L>Px8+IxkC&gv@cXFL?{xKnURZhR!4>TS( zx9IAn0}|_qJmF`@Eq|!{%SR_$H~nsM?UT>VneW!`@BXplp_|-sWtnxdWPO~H^7(`D zI%54WANWU`2hhB1Q}vxjw_V&Wf!0Adxbw13<6k>6i71cbo*7b9@1(W~)F0%{zn|A* z#8ck&l7v>%rx8obSB^0%x0*sR*57t?u+FJITw_q(+3-TlVvlUg6v-+M)sBhu?k+bw?iXvI_4 z=j3O3xj) z^7p~wJuZ5`X~zV8e53ijCV!Ts{$u6cz-*txFJUp!>*+s-=d;iUgQeLnu}nBJ+r>v^nK$#v|Y zir#_Xq6&sv&U+QnO9?e%QYBxUJFWQIAo$%YHqyKy`z0Wo7wL^R1 z0kigLam0;(ODgrexp;@qdX#B5yAte{hy%&5?s@P<15Z6UmAkJcN0-d!Jxb^G9;yB- zlRH25`pAAce%Q$qzxQ#w79FzlU1^<-XLUQVb=R5Qmfn=MnP6pGcI2=vD-Dthz2cZt(tj7&UL=q+mEf-eE++1C3&0H=fYyrCnVcoUs0-)o;s<-J;=oPu$)$ ztxGB|Jr7aeG1WIZ{m$2)PTNE)m z`Yq1}OE$h|qopq=3s-Ko%{ep1<)VC>vpQ_I#lku1dZ%vc0Pk6LRfqdNzbWlc>uA5n zyEJ)r&pXq7rG6mi&wYyeoK~S~r&TkjCRO&jdgw-NZcOdj)f#rm;5zd!%AG%SyH~$> zcyPKeHZHW+{n^3Gt{VN&_QP_Q4?gxEoBX4F+JDxeYo-qy++*uaa@Kd_%(_`}-nDOX z|4-{(xODSr={T4$?AFyyYEDbkvt`Fot53V{sC3+!7xq)fwY>U)Jx86Hb3Rhizt`rr z?|bWK&on+eX>riIKTV%IEH~=;8oN)};+o{~{;xJTr(hGCW zN!0Ui^}nj{cFhSn?bePzE}4Hv+pagHbumxQ9l2%yw&zYu*CW?0=Yv-_e{0e6Tg^FsXE0n;*8^;DYpeEv~xQf53q)`>x;k`HRy2b{|QeVTgS{nOO#D?dLft@|6l^%;KS!*{3mZ>|d^|7J;tWv-Z-^i6ldH$zu!LS znKsGYAN)}9l&@dUp^uoq%Z8hbJue;qd(OZ8=MnYC=1$5b=bo^2-~4&kU+3b-rq_oq zr!~9jr%SHQjX3!H`A^lpCg&Wg!iU!$c;>cuCbwO2&s}x<4oD`Acx}#%pT?)-OMc&1 zIJ3=h8=hKb{O@)4Cq3TmFgRI#{(8G?`|bH@znWhq=SD>--+sit$v8D{>_ee?z)m$M zb!mU}rO8e+H*Iy!cDLm8BYE#R5B@Uzjaw7-FfO3+W*qPI!gDQa3^*elcV`cOdiAJx z?o7`c*;#L!Ua;t_x(A+=xPJBTH~)rnwi%Gy?Ts&I>{b1oWJLS^A8pa=gv7iQugWJ) zHa=wV-_m)o+w4ns-~P0T$wO<7s&d?s*W|1x??2Y~lku_RF^-ANaQj!Hu1Z0>2*ck1CH(VLEn0}<>GuPFRi~y=HJ=r`OJhA=C>x$3h?f z?8&u1UVLuS^ZkAU_SpW)bX}`9|JcWWo_cArVu#1>KmYAp(|WnCn)m-}9w#MVU)^B( z*k5|5^TK$fS5oh`$wR+Qt~sOS)TIA6dtE%OUB6U+pIgQ?zrRwSg+yLJMdkP%};e!PkQ>(`IB`f3yt$#cR2FX8M_>xl;CNl=i431Twh-P{KhvwYw~V# zd8IXnocnS2^nRi9HQViX#oNu24KMxbuJ(P}R`O-)ZrmfU~Y zPGj3$lCFQ`_EpxG|F59uHgoH?t3PDk_31pbE~$fYs9)9FxruR4u3z+Ts}-khfAy7f z(si626vzEEKW~iQy4ASHrYH60uR3Gk>MPUzk@?)^mIYTgT>JdS{ii&?ojd5uTPr-7 zUYGedFZZ5w<@IBp`zYD?`g0HaVEwhv8>)RbVEBPgrROr%C+p2MT{qb$_t@y%5uFsOg?W;1iizusr_>sj#^39usz-f)=N+j(dDBP3lb_Cg+_3UZ$$rmVHm%pT zQ__86%?88&c;urA$sHGcJov=TZ%o%=ehwLX*C!2!y_l?eDCu_F;&XHSHM#D9cF$Cq znNxT7tFDLkUFhMhe|YT4z3)sOF7Et7@qMS~oa5V{>^k(hvv2(6hTH|0R{6Hevs2Rc z^LxXr{*8BOJTw``bqUipP$xq{P$ZPcI~_&sa;7wos`n- zCl7eC#-I~>B>GQ3rSj6}59$uJ+rGfKGH##PzFYTqZ z>%=+73`y4mdiG}<-!^$xtqsmBeb3^M^f~+Ik2Gmf;i9$Axl7+~Fdr5^`g^a6lV<0v z8yii0`p`2UpIWMyKi6V+(wfS(Z*O#4PJN;4x%%Qm<5)ZCq5n4RxT%L+IW6f`FFCa6 zlgh0k)v|vf%-i(WTR&qR~?(2chj%0?Xc(RslDsnm(}k1Xi{-;u7n<+;6J#s{yW{C zc_>-gaah%1GjC4MxwXqWb?Ge)9$PTusxtlUeks=D=*t%!v~t2rxp!x;xcIbAgOhJw zKW*|3m!Frke!0g>8@_Z#X?yyld0z4Gn1hp!Lv!|5+F!DMj!4H3K5Wsx`{RH1nVUQ^ zc}(&2<>Ql$>b3vr_mQ2Fdyj5jYsNc6lHwhg9{v8Sebf5A|3j-2_I>$<^JUP zxP6CNX?^xQ=hKaL8F@)^>xieSo;&B}bY8ZtH~;lI$4n{H9{1Dd%>D4#7Qf6+?~6w+ zzv`KztDT%a@Ae*t@$!79RxjN<|ID;~znoid)`wHZr0b>mu0JoI_}12Yzxns1@4Yvl zx3KM`be$UT^x+$?*=};q{$s=+U92_N`0DMYrVoh9m2}xa0Wb_-U8a+5Oln)8{u= zytw&>JI)@N&a-8ocVBOlIo;Fth-1AHU)=Y{E;y|I*q?LnJ=441m?uw9{g_YR%$;%P zow@eOXSKH7^|7-CrswM)ZTHm?^O_bXH?JDhsm0h~N#j#)UOlS+ZB*r^-%rEwS#|t$kAK;F!igm_BbT1KRa^Bu4F$mG;K%8cp9GC zyYAD!Y~T;oM=l3SjZ{r(( z*x{<&$^%~+w(7MhIeC^`cWz5c@PZ7?KL@fe^ByPqpT$kCAGq%`FHg;}cR!0RFS<^- z&t?~Cd}#i|7R?{}>V)Z|(|rQJ?u+P|$E(|Z+I7&93 zC#36B$GTs3eEZRX>3FhkO}e7X(8(Y6`9Iiu&#44f)_#$SwPhJCA0$ zS(AJ~zJk7bx!6K0nh)Rsi1u#nJ|fjKZ6B-r^rLp)hn>_8^da_DDYMjG4yoMEw9Jk4 zCZ+kaDc9dTn&z;B_ElJqShvtipf~Wwd_(TNS#d*R=dD!s*kNR(#uY~X0*nK62i|B0 zY2ew(CU59tbL&6o4u2@*BIu3&k@o6!WJr##E!9UnDCmU#W@v3$u!u!dIpBx!KfP&r zb4RWTeMdW@ctdW?KA|$}bM#p{cZD1;kNq*Y+=Q@jm&PS2{Mf@oGZUXczV*zGME-AId|&pdRD` z%3+>h$MgBRL|4?mmXNMEvDr+p{$L+VkbXj(9Qc`!cT=Z*CeAZ~hvEvw+0k_;xNxOI zW^VC&h;HCtlp7y-_D#q-clr)~z<43wRJsi9t)$Zy$0P7x?7Dlx;nCntG>+Y0=W}es zRa&2@hyAqZx>S2K#D08u9#`U-)p^{g?bQFn7t)UMGRsLGf*(Ln%nS6uj+dK`2HPZ% z-oU(o?l|wnJUTsYzh#hBBE@H;T#B~zcjXC5B)_80{X8(O)r;u6u=sM{{si<3 z+OWjrdr%P31^L)7L7p4M_$5Vmv}B|8Q=iXYV#C}ISYA4`A&JZGyX<26^$6-0B1B1N?IeA=5>EnlH7iKm8Q2YJQ zoXC#`dk}P8IjU#4Z>A;7*<^D4leRj=zdREE=3cT{jZHG_)^(b!Cg~OMH~0e(e1!NL zB2eKeJ;PhIf;vqy^=fBGnDK} z(_FLca1~Wr2e7;2^ICs7jC5zPOEF%=}!>UJ|8)Kj!#Nj*`@&)x!9`r}M$j3c9eE;u4&;jcU{UELu?IUgh_#pqEP`F=2 zKH3B1>9>Xf^86~swl}?e=QLc88RP=aM6}JiE)N7^y_g zSE4RKwp|wWhxRd_z!Uo!;DLPb2iEVKUZsx*+m@32D3`ygkS8~vRnBo=H)q@h@_X>- zlTs81h<0&55B{XZC3%<+-k&4+$9I$yg%aV0+tV8~S-ZlLo?;4-WUoN} zgD#jC(e=H^YT&1vhI5Y60ms9QhWaof1#>4)_FqZ_opJ6ZDV0e6`>1`G;8Ilpk+joY5ma z0X+tM6Tc3V{NiNB#@kMxcjxw>^9g(bK|jpjaf^w~r+fWb58oB~%})sEtV{EPd_drf z@gg4({bHWrcK`$(Q63Qc8*9n@`{%?WsekYj$^mA|KmQ^V;6UXrc&dHM8yCs0X576Y ze?OB$xqlZTjuZI*d-XhNo}K!UH7(;9qt%6Myty4Ajt=;W6%rp z1^orP<#N4md25qBYaJkNv?0NT3)wQ&T%jzHgFTG$=ok7O`G5`*-4p}b;vO+RoO7Zd z%rDA|Lhvu_8}x^A`e*YcPEAW;y$`(YDXAGjury5&A=UjFa!jp6p*9|73bc z0pkJ0JU~yto<@E|tL4HiVmVxj3>)!2(N}=CE|YEA`dxgJ{~zlEbO%3xKL9Z-tJ4s%O=N6#mC}F)s9rG{z^IKi|*Y!Aa49 z{D~|7nOznEHF3uib}u{k~_R!6W%ih9%%PkiCX{Gv_rJs zFfWfgH9vDxPA9p-w__-hR%HbjN4}|<8_g!^DOby^Q`Nlve7meU{8* zRh_%2yCjf5?v6zB`_8kaXr8v17T?)3!jFqDRJ(U}<5ub)@!l8*?w4Y|vCi-v_yB_M zQT{)JqWd2O2LB)0`LDH)c7+i9!ndcy46~eN-R*TqAA&EIRQrFh@e38~tJcu^!9EJ@ zU|rz;FYv^7!25$%6&#jaO7=SB9pe3pEcUzS9LyvC627B-_!Hn?L_X{+^fOxKo1M9f zCGDp~_YFv9-S?2KOlF-*z)P<- zzs=5jH=evVr1v(^uk4)NYHwBZSlv9YaV9z)*<58i&D>NcI#+=|sD14=xxvHDi2t!J zvH!*T2LGi>bm)7n$8oknZLrhG-NHCHvegrSLC9j)HHH zHrs!Gfa$58?8y&3|3^g;f_=q&x_^Ooc|K62e&Y_UT~zkLnD~p2^HyNWo{q`(sYGyhI=pyOl(wAJw95{BRPV){nx~r`Kb%76rl3pxYK5dumkekh0=*1+0HQqn zA)piH6LJ-Hf65fAboWRLCL1QR`9!i0$yd-7a?0L$&*u&aj-;nB-{3p+kMe(mSYN0I zyg*0zy-*+D0iSlbld~u4Fzu^>$KU#gJi&L^;jsHqAM=fJz!Tqrk0^v(K|ff(Gk!l; zSJkkhb&m1kJNm=?fbTFbQ8|6a-fYxo%ksnnygu$A{ziS^N$Xi~eu21Rlq;@UT$YgL zLG@7&<3c&$gYU>k8um5vKNXFe{53Fy?%yIG<>&WGv!5d8Kz0`LvA1;S#On4s{ z?E??^Cy)l@=_N+@lbi;~H=U^8!=Apm(|bWK&S~}8u90bbF8#1#Vtu=4$IbTSz(1JR zLw3@`H5PB8^$I%x^UI%~#B;zq++>-J#E%rZXWA?iVyQDZgION;3Y<_E&b3c=(3|r; zi0nYvuYhvn7h2jy{dwMr?|*}^U+^9Lg0v{?@~q;WYo#vDH~iPUUrv(rz15Y<`;+e( z5`RK2fDb`$K+tcjre@_Z7b6M@RX8 z1>twx;xBFZT1%)eFyH70{!O$8I~r-=`~O4!T|>|z(~!HMQ+SALkgj>r>uLzy--P_b zyaU32fcmiW;8#9wbbqDJ{36!P>%+TH|7g0`#oL+E(%=Z(p3on?3D=kXJ1WG`>3U70c^DT>w$;Kx>9R9@zli=t+}=X=DbML^{B}#SkHD`yRAA>18tt&X zzl{ws-h6CeaT1-UpnaSNL%$&I5qM$!LcU0BJ+#e744VE+aPJ05oOe-#2x zj2Hd~$S3GQQMm#-)m-t@bu3PDek?X74 z?v*Xy(c@jO3*3C;rWbdkv{~I{e~01<1=16sCm`^EUdA|q2l!&4!mU@m49r;Zpn2!I zcU@2K4q?84C*VMnf!{N}>#<(a+qLI*7VdlS9sG)ULq7QYy3LZnTLvzy=eRM>KGTKg z$4kq9zfbIrt{6DY znKhcv?J`NyhWHEgfZqrA{V-p!hsgZV-}#*6h07*JREc(Jr6*=+|8u3vxSvNjv@(tpL! zzFWxt0bOPu>ehSMK@A4Ix-!qnt=+(#Bu8P7f(~JB4(dgk#uNwKXwbT6t#~roXO?>t z&m=wE%ao^&eC=}c7zck1@CJ0cb;wfrx;otp!uWV7^ot-3xyH*sGm`6AU;m_&0-IGB z_OWbZESI zj}8!W0p&2CslmTGb-xnA-H_h!G%^8fSvVMy_KynHsLc~_gbwX{dE7Mp)AV6WRz zLnaqsG_1Kwm(~sJHms8oz1M21$LW*);pb6!uX*jTWuxkjr_*^4^c?Dgp6-riu}j%jmFJ*1 znrGPe;GdX>F`G|@MsdFrhm6da=f?q0tQVADsv;LIHpGVB!4y58`zO8*3>9jM~9>@C)dK`|lVZ${`M);HN~r@Y$2UEK!xA zeFE$i+@k`XqIMp>V?4L#sEr?BlgE|5%7`0M>dY#WB5zB5+s0srp*-XR_9@VxTUxd% zcUQVgepcWMJn?QD=mh?ReVBdfn$E{xstorO;s1m_KzTsW5ox^FgZ|Q%De9eAt?*A>5zVg~=95Tom4Sh8*}C#5!ykv^rjCtbYlU%OSRU!zg7MyL-IGE9LCd{sxfBlXLn{DvGJXn#ul=} zv2T|yE8e&=#D|+HZ8~tvbR&unKz-l~h`u8iu@$N@ z>NHQl6LtdnLq7Pz+g9v$(NqVH*I&|Pf5G1kIfeR|VM1cS4$Mt<&#f0yr^7Ij&`$ArHR*3a%h|*xo>P~m4?4L+}8nlD;TXnE| zR(`tBp20rs4?l_E9c0u4U312?Ha^XE<(AwMQ`!5(nC;9>MfL^c9O#Gk6*Gr@ z-Z(Uu)*bLT(BGn`K~@y&C?Td0`qG)T#N=JBcrUyk47m;n`bz8G{CUf0HSxug<`v^& z+qbzh;gk)q|bk6q4=yMtwW+J>+q*%jOOmQ8{E^z^^u7 z%aVtk-S;r#X?pE_4Xn8A#S_e%9_XP89ADKYQB z2mFsT&Pi*pEzeZGT+ZSDC_KFlX|>fgiA+L>l@O z`)t@#pcCvQj0fWdp2%M{SZeU=maISQ2$TnXq2B-@Hy*4En5U>Jl#9R%5bII2J=Di~ zx!G@?P0Fzvb~-M9OZt?ycTTcZROoZWwcR>{BOmR?lWON z&<@^ThCPFJ;jgsFz3Vmm@*IIZ@aOxd;6uzGAm6?|?f)Qupa=dHL_4rAVducVjeA(Y zS5)tZ&VD&I=$$`9ycg^nwEH)BPxIiurB_`9a!7bigZ}w(c#;1J>jd=tTe~Uc`{wSK zRiXJ1EjMA?s3WE4x6}P0(eFs(J_+_;xbKVau+y<$L_YWfas+%C)6U*ZFCdIPA3L|c zvLN;k|31bC`hs5vj=p_gVV^be#lhP}$IXU&QX1%hUkR# z3i<<2$O%!peeSy9;j29s6qk$dXa{%$55vo1ug-1RMEygK^8FYxoM(6I8}~axOpV?P z1wLr!THMhgLplXA*{2;oY}P&U2meY~r)}9aa4(1Z0*HG=JHQkDiu%=|&k&D{d4T-@ z2>L+Iyq@LVPQ~p!*)x%oRMQP_3h$R<9b*2l9x;E&2i{v|FUq_&Kb)QHl zmGmk+wa}LZL@gTh;=(S0f6a^hY&d5C^d4lFA))Fb_}=!ekjQ`CFfQN&`XG&Y!MvhA zzmBC@w?3{iomQ_Sx{209eL&1R`hh(Ny#xJ@H2MXUtACdGL@SWqdj(&>9|Zhttm|Xk zW=RrWuv5?u&UJwYBBNu8tEvQtBc78V~O z|2yO#AoLC1GrurWwtvABcaFzP7GDZQ`%L{g_|ZUD&>invHN1OUyR%97 zKRVD2{axDcyQ2GkOFI9<`*-*bdk=Apu#*nVwt8;3*@WaQ`UO8$CFBg+o@C8X9+2lV zd7@ikO9!rlls&t2%|=JRj|;V@_GG>3Jyk~mKMDQvXdm+d`oaH(?|>(tuXy2fHH-YI z;8*Yg<^}nH?<*E;j8GMxO95{{_!H5;`jJ4j9vX>Eap!R3(Jjs-zoDPe57y(m79+_ubTI zt(FY(9eBge1OE7q@k3rCo&@V2@)PAuE;sf~G7BSnXVH_o*TZEzx!cdIt3PzllAkK4yo>o7qpKic_e3~A~E>cJ`Q{X z{1I=Ac7ZSasaS_t2aqFJ=g0>he0<(UHgcC!Opo1h?0xu?=!@R$mA$E?aslV^e)^e;y7KYtyb(qw_SlgYXXRWyKT~|bd=L+i&x;^lgGROFTgV&(z%oZI|c}RrK)w7 zmbL^_T(~HmcXTr;zSYrzZTsF{ym$UlhV=qFLUf$qfBa_ybXPRE+%8u&js3oDBjuWr z$7OwNz9m)_#KBGi9mXcy7{wBd1nW$f{FU%~V>~>+dC_=KAM5y^5a-~+^XGql|4;M( zZ10?{+QnRFq2C(g20dUWgKoIzf$vY#-VA!$D*R6>-iJUt;2S{bEqn(A9r*8tw2sja z^f~wu^~M=b{M_KALw;V!6aKqUzN0+!3Ge_t;eWyU0Oa3|jG}wRcVn-0_;v6Cb6*m) zFHb*}-QQf+<=Sc;wrfe6i_r=#_Vs#hzh1ZPXvP;OA9 z{|bT5=-06~C(}VegZKq@E93;)1;jX2n!Hbx=Oi&Ry(jC3WV+M4dA$9hK>jeSC&cN2 zPaz+19)tDbQsba}=V%=16VyjN*e58Dd{=qNoizgt*~G)?)fH{;OJbf-4)1$Zdyfv( zDv4n|)@JP4vtl2I`zx3?v?mG`)g^qqzF8CBfDVuw_)i{Br)2V<;oJ@Hio<`x_oqqY z6s-q*L}7NLL-<;&^@ImcKipH%B>x5Q0e)x)b{Y0R>;3!W-tx8PjAB13q!?Ec-oOuf z1AL5j0Fe)RAs-NYgL&rjHEEyPlo|Ev(dISe&jB5v7txM(wuWL@jRB1t?TGd-Ixnb? z@Uaq2kOHv#65rX3%&+~d`5Y|sR@_eUVJ}7>lp0KJao*I9|vr^n>S0`1 z51`*9Hs#T)H(_j5hOMIZ!Eh0NRHSiW-)H{JWzhW(2WZ|z>4APB_aNVq5B@|N-w{uY zdeGZgH^BGlyD>d7@2q1MuZ~`9xnV(m-t=w*r!?Bi(S8B*hJ7sh1$~f)eF!>%j*w?a zL#|=Gkdqh(Aj)I?B}v9@UjHVU_zv>Gxr8C~k!FS9D-Yi0`5haX);%Fn%57;Majaoj>0b{*MXk8tW7NfnPN`dbN9`r_I4` zeOC6eR_b{^hxgNXn87_dT=AXry};ppl79u0e<_({L>6=AnG18q+}lCxYSc!H#eOF@ zu{&!cimr^eVu&+C+|64T?IodSw$cB=@g4!>z^;>iAEl=n(|$&jPeGUe6oP)D<3j)c zX?vpOjn4TdPtzC1--v$ye>!ay@q5M8Qz`U+7x)2MCf9cfKjlpOd&JRze;~hr?}ek& zK3*$bLH0Y=jVQ$abZ){_AA{;u^g7m+FXdm$F+;dyvMyGPhTVGeq?P$SxJ62B+|02yW&$#D<{;+=o{O|IW)+fic z`f{$!WYV^NkKg*!d|^DG7uE;#%`T6f%R7zIV#5}COkJR*&f+dt)egxJ%C~>Er^@oQ z)TS1CAU@8M`T;+nAN2d*g_wW%lSJDCJuxmoUd}oTrmYGw9#k!rR@{`hXCziJbl~pIduL3dCu22 zWmunlxn&eby<=kaGT8$r6xVlI*Z;+qi&h-^!Mq!~tYEj+__Gl2wD&VR=u`O{A6p77 zHrR1z1|CZ2()J(Vl@{iaX|224{$sp#ymQe$_Ho{;a~d*ph(ADw{~8qj&lGgw<%cld z5b^?iC<-xusE=`iUOYdTksknh3izTN+JRpY-~R^r@=EOHlhUq5YXiBzm4jS`Tnz9D z4yy~aV$hFO+lRZy4PHV2oj`o?-`e~CdOqd>Fkw`=--~_1`{kI=|EY2C`p1yrJzU=2 z5o3r~!Me)HTK6#Xlncd$p*-XT;-&s~L4LgO)BS7szY7nvyTMcPRUf;e!Y zo&%oPU;T5wBv@8>jjOg#D7%+=^hnM~OWNmy&rx4Ajr@NXVw{jukVlha&OO~8qbZQP z;2+`rmH+GZ|J`yDY?#&aKC*@p0{^cf`GFxHp%(yg?zA@KgOvCl7fG2tO+D z!#YR&3Eo4+IUFGP3ic-UtN4!jYbaeip~>SalUv`V;KtoZx(5nB5$p~41(r1>-uKz* zO!qdRr_P8i_IQ|5!r-@=rfNND$xwIFx7cSoZcKVI>USL7w>uuZ)p&-N1=*W?dN)Hp z-VK8tg*5j6NCO7W6f?Abb&u{_gKqeaG~$?%kNq~%q7eMb*VknDj`r?Km0nAdh$eo* z_rJk`QRihYa=C0q&%&=_j=Kcs&I%Mi^S65cZvOk(gNM9*=*a@Z#5)AnpCx>;&JYjq z@3x0?0F=LUbI0Ha`8uX1J*FYiFP;2^Jil5|T=l`Rx4!AW^kP5v^!X`X_muwsigOEo zJ*%?Cd8>}fHFD zIpPQ*-(atlx4!%^dW1KNQEv9qHH>6C>TX$XTqpcLIs9K(KcJiIXXo}!l{p;0?+GAz z%!|mXop`vZU1q(w_MDoqcVFiV^G=W?rrBK{U%tAI2*vQj(`W=hrgbZ zw>vAlm<`+-e5u{eV$OAGV9HvXo9y65<%}N_90dMGF*={vJf^&QZEgkmch4=G)uBY& zoBD`Q3cU9?5Cxw|>yv zWIBJqd`Z`>h<>v^gF#O2HC!IJQ%{Ti4G#S1=k_xok^FR+pBqkjo|P_nw2n;GTxG9Z zu_6Bo%35c&scyg!0;;tH7u z^2;Kr-KXVhOk=D!-VoTzvdSFQ6A@2sQ2$e&{woP`mO42m7=#em&5m^ zYE2jV=lf51uJZa~!FrowTm)g7I`qk^1!^)N~! zh4b(2Vfqe*JG~~T(tk40PW$Cb0WR~RIHW}(=p>r|x3qO-pSq@|Jd)#oEBEi_+x)y8 zJu1hV=m5V2P^GoWuo7a{#!rz{;weTj`*(UyqJDYClfg{$Juh z@a~tY`c3|1pZ+U6@E!e)zx355dd;!F_7n5)f{kA10J=8?eR=t+{T=ST_idQPHSJ=PJ;XZe5lX=ydWSy#@N#)~r;^o*m0v7T0YO zw{_*P&w+muc5XLulZxnehY2r!-{ZvKABA4VIBPoX9en@P33gCkysMkdF7p3jKZWxv zi_hcTM;sGpZ~U4sk8??&@j>n&?%+|$olSLig=9C$7-V&LW9!7WI&4i__spK*|0s}? z8i8Mw+j)m`HJ0D6O#c$ZfZuJ`ombzRYEl|}UGXdK;N~kJ}Emr;2qrTS7oRgPcH*|gbZ7iX? z{FsZ1u^i5q&Og1C=i#2uVP0%&p3HrfC%nIj`@mS&NCS4bG@?bS)sE-~y$}CB+J$|B zd4PRtI7G{F=&>9+zr8eTi`=@3DE3*w-}FLxIr%Gt5(ho$u*R0*-A}Y5V^HwIA~uS} z=Y5?1aQb-KFJOIryuZY&;hP?Zdu}{_+ZfIlfiLVex%|-R#9bAF?}qHy!K$y}V~kik zr5}$j#YO+Y#~7#Nxjq|}&R8<|v7whiH`r;I580y5`%xc;IS=w@`OO` zJrozJ_BLGCOcMX2O6Cx+z|(CT$L~Y@*{j-xrC&@AksjRGQdJQ=GLY+^a>6As)tSTl z_3+2R-iN)hzqz1M$_ekKBn#}2In4iK?gz#1m+4(D%oq3t?^?s|uX)Fa4M8VP5cF9@-Iw6INY35&FP{+RJ=9^z7uQ0J3-Rzg?Z9=X~vDh5zlvxbfX& z{NUm$`ABB+HN*Yq!EoXy_=Pav-2<00;~6G2&n2$w4*i-LM*NOAiO{u$`}aSHqyK!N z9mq2=jS~AU(+|*l&dOF3E(VMWr}V;w-A4pmvZ-2+ikqMCu?{)ZzU+K0v!P_|6F8c_8=s_J#jLsG9n$?`Ic(hIne6WAf|5gI(z%D`tM#liu@y{{s;C zV!W_>upbFsqHQ{Ej2FGH06PQv5&Q#tV49Ls3^yu(?(M*CeW1Iu>+hAmG;ZXhzr=27 zvo@^q<&K}#J@_Ndhyemm_`3ly-_h$Hd@p34^nO0h*LglrAp08j0`xZY67&)1uy;zw z$*yBVsUFJx4FbQ>zi#TA`j`m*@74B>@aN7FlI!G%?%*59OXyeJp97!4e+7KdFZ?Pv zM?*P$7t`#!%Iks&;f;RK&VY>3V>(2Xv9I0swNo5wNcJ!AKs$igFJK%d<9eKLczuT( zr+iYr#W$U)G;3aL^f^ZH5FSeXr!*89&^ufBp9=I5{H-x}2Ye5WoX5`USLMxdx-B@D z@g_Zpb!0jr|9IH+WDfpY9*_B~dFm0jQElfVSU2Fid2&S~dK4zI8?qCA+DvRA{=;`b z#52yXEO%QtJC{@4G1xqFSq3-EHrR61l|T;X4t~vXt0(NvW~+|O|Gl(0lg?LM&0hbW z+}4lJu*BYrlpb={HjBj0+!MaP`7QYAIj`&hx<7^U-qFSJGu!p_q9^7^=h5un;p1>ECRnNpWb=P8ZxJNld&NR`x12~t) zJ&8llmzwt6wvO@Rl%xF={EMXj7KSV^>b!>O_s%*yc6k!{n_w3_@T`3sK3aHBq1$+! zZyVJz$iL}&;9b;Czbj;K;9VEU3%nz^@}v33?_IOFP;uYs6%X@CKI|Rbq3Y?g6uN%| z`x6j$5%!n&*2=}l$sA?cO^auBs41qn6wrsuON$&At48(`&hxOZ;^Qjy*{`VlCGo!# z*_Smfi6-w-S!L1bK2EI_Y-7y+0oCjF5FeC9Y0R2BQ2358-m&2QBR<^s%Yz1nH2bkJ z<2Dtpm{(2jf8~D|e_glYINQ^HamIO<26_*jYv++Q+af~nUZ*|l^G*6{<>pcj@5tbN zQOGNs+t+;${P^>|bl@>Oq3WO%XUPCj5Ap-^0Eq98COEuJ+Ez&TUbGN%aH)!>xNgW3 z9V4SVfs*=6ZTkM4;@GBFuk1k0Qv&|lO6VW_te1c`Se~Ya@o;kY&a;m5eL5l+UMno9j!yi8;lEnFX)%TGJmVOrBz&d{LQ|m<1=W!u>Jr+ zM?mDGU!=j0NJq>$c`Mn>lH@kVQK9)cxk*L%-XY2ZPozcfnTn=SZg8)$+gp3*(7P4d z=eqCP7b^T;5ca*O-_l;(sBuFs2l@an**u9-8Tb+=zZ9CXm3Tz<-)LC$Y9}TGfsal7E;tyiW`{jQQ%YZ{E%k88S>lZs+un zws)@pF&}`4&psaW=<3DJhpGKTB_TTYQ)^h)h|BY)2 zh>kaq-%aZWb|?J%IDZ6R$qyOsb}M5y^tZufAVoImt0$^pW^59qFFpqG;4L-bB5O8T~C#dd~!BS^!(Lq7b1NaOztNY7N7 zThqOG3$=rM;DI#k7Nl*Z=iR=Ny^-jEeAEMeuT~j@MhJq!*#bc&JJF_|H1NgAe^yIInPN zi@rrZ^oGUayn-TMKRO?6jyRfLIn9^;&yM=MUB8_HLjM3y*q@*`_Lay#KK;@9IE{0x zOm5q+8ImFFdeW&oliJQ*K!-Z>O6%%CXIkgjmw>hOp;fW)&T9R2TT=?Z`imb#+AH z$>H-ewo*Rqt)Z5=1#f4BurFF?OXJr&(Ra}_)z@vtYd=`|` zNnT^b1;h_7p>{Fvd^^T;-h%W5b&cy;-cby6g?>f9|AfYW(686`vNiQRgV@c8dpmVE z#?$-S_i_(6j4W~`JnD^a)u!w2pfumE9c#U5;eF7|i_KQbxuql3cHeVC{FXU=eAwpE zk3F}&`@!*a31Tz%k38nO*o)}K#~Hda*zrL*C+}9oCJX$H^I3~y$DS8;w$gdiX0^zq zR}H};{Tqv<)!B-{L6N`Tw8bTSzN9c<_g1pcaKG27uKV08iR;;wg`ck&-Bw{ZcS9Qb z0_z89K+$~HvZ-5__Nga4W?VUZsCZ@tYtiytW+HK#TNk|bp=nqShjk145c7w9Akxqa zfRKNpu)DVHc<&N__A6gCb=H?e4s?WnuJmo$)NYf*NPfW&1^$B{4*N35L5vS@PIU*@ z0j~o&v z7zgOe+qd({PX&5G-l6|G@voX|T!il?gKm5~!vCLG-?)GMePlK}X=Ak^NBK|r-H>nh zqt4|m^DWwNrsl^J&P45;%hUspNIzrUiQ*0a1@hsSf?p`t{!H=2)U(tM-iJYX*wIMC zZwLDG>3G^Nye;*fv8exEMt+&%GO-kwg$(v@!V}ZPCck{{OYi43ho8%m{~7c}yFAn- z|7r547ezh07jf8MHa_vvJf4|LatQhXe5ST}sPzE#D)J{Td|PJVaJtRkdExD;TUrt1 zXTpD5u-`#EEq|}fn^Qj=xPQk0H?m8_)Q8MiIJTKRz5U7M#JdvGhsuTHzxj+iz^;5> z(0D)2k;>yd75jO_JLCKUbb`O{@c6o21!I)ihT4*cXUgugM4uLA#qKBQJSatZ)taB} z)5(7E3Fva!Y0Cz#?Do}`A@ifzoLMcB17upkBnxt=D;_P!9vi%pGXE#<~RlaZLM)R|_kLQ}8h zI;?=+zk*&ydHJXi%}=q_9M*l}vFW>qKH5$8Ec}w9_Py=b1Khg+BhuG)jjyK6Iv>IM zm+bqh^|p-cycGAbZ*EIFQaP;C?Dpr^&p9MZavkH|qSZ1ZdVUF=lYwtQH>_hG{}7@l z`1pHV!}OvaHN=0o--UR4yd%ZO>#EUy2j?n~7dVGA?GkiL<8CF(lgQZv zX}mjzdaw2B^<3xg=Mcx-sr<7g0yqX8P*%}{|SZT0RHdJIG-sys>xQyd#65Yx1B>ffUv_MAF%I$JvOyM(}fWRoc!_$x0cClqI-mepSs4ry4)h8+eRH>z#3JM@EX@^LY;D==Q1Gl)X) z8|)d_RiY67ckEkxh3pykJMReLaqWG;S~a_M%vEl-n;HvX`7Wl@HB1_r>(}@Zd6F?q z#nItZRJ9)$S0dq}mzTiebA!9|{&|_@jz4p|Q|ulN_YxOm$$M=&b&qwf3#nTj(ZE3; z>Fhh{(e^e!t1js^FI*~xC1iNq>=>Ow{xir2K*$sD3-}Xq67rzmbp6+|DmiRuXz%-j zx*VtR6!{u=JG~$88%mJ-yfqxIlLFU@qo8W#suNJG<#%I##=1VqWvG@&0#Mf z9^-d6uIK%;9<&a}=X;ZWgkKHz5yshH_kFOsjSu;2 zptrGJA-7QP#IlWFOMMTrD@JPO3nV^sca6_=*BNHZPEEK}_GzLY$%ln8>reEYWkdQM zcw#+fyfxkG*wBI25xzqXqkmDo2|a-Mo7SXpL-Khz=_}kL+2(%y=k~j2*%RYQr+SMA za7(;OeBQ+6lV0t8;`Kt^wNa#3!x~K-L*$D&+}B22U$^FcGsKp=(E9;PCI?tS7rcDva8a9Wm2v*$I?b8Wb*a=n>*h`N4A#?}$}vi_de>0A$iubFVQTYnic`kD zFUXH?ySsf_j(JT;Q!<>bk8Vbnd+|)1yoH8R5Ag=5=9<>cBpC&1qeN&mKs< z)A3mo$_^bi*qmh<&psW05FE0xfXVb6-dDSSIklVLa$BzB*W;}E&fFnGo5L8^FVA1b zf_Qu*_NF#PPW$;orh4(3(y5=GwC_LguEw(>DUrqrIRHNVS8zw}h;~)xnHec5AISk?e30kEQXh7=-&sTZN}L0Vwu3a{RlxV4V}p3JvyEv8@fp6m-(-p&4?q{*ud|)Gn@8xi4zFjGK3;~8B6gA;jdF;`0<>U9 z1A6TAr8uph?J_>@n(E8pJK%@!@0?c-aAv9JpL)7G_)^@E%JSslPoHWr@WZ^1V!NJJ z?B<>?UH0wHodAY?8T?Mr&&}eu-#)*R$VvAvEsh+plFnUc-MhALNaQ}EE9B5-{iFHe zMwYCyb?54i1Fo^%Q}W9sv~9^>kNp_>DXQ4LsP1PXTkZd9j(XiLvTGr)z_*}3^!?Ml zUnbl$&Ei&{_a1z%mkn!Csp~RDJA#e)Rn(LsZ^G`hjEOij)S2jo_7zWxe_!fUN##Lr zeBU;=bCs-mGbfrq$HU{urg17H=fTI-qjWd*-QM<}Mgjha*MR=~cOl+e5x4SxHDH;S zu)Q4TfxAaaviBWtXU;6$%@F^H{;}^tS`_}@%N5~z`)57Tdd`Nv8ME9oPA4WUC2mUpl9tvbn!B6u~s3@?* z)aX6Ze|}#==Xan7{%e4Hvhbe+50t|`7x6kc2Zx_;@)j$n*6>|yz?{6x=h!O_{teWZ zicHhieaw;FhI~={?6PI|U3_tu4W46eW)x7)Wj8#GZ+_XxKo9<2p$5y}Xj!&>`zd-4 z4*!#^)KEBt2*+RAZ~VANHf30pkj zJ7Vl6seFplQV-6`U0Tw1??Vt52mc}D*wl7&?`OzS^Ku6FYY1p~B@{VSwxO%pywqO0kv@6VZuJXX6zXD0l z=z1M{r+K1*;=y=6(Ih$Pp*CW5ICU=0{K0MZ+LT>n^>AhG zAMMIJL~a?|SV;dJh9Aq}YOY*JoILwl)^mJ`dpt`Tt@~;F>!Td(5%hy|UhH=r4P1sx z);Li=Cq0_>_c@cxp*-aG%R<|$PKP7OJ`rD~Qom=bqhOx43CauK7vlY3o;04dDT%K0 z<&#K$@#pHww61Xf%tONDwtd&OcN%o(OAe1dLFeJX5c97(?<}ul>ZTDrnEMFN}@P)zuF>k&3 zqoEQ5Es`q`bzS_Na6oRFunmn*OyK`R?HrMJk#Ut7va0lY8S4HT~taWe>Uic zeXB&xlLvjdvou)-w$a?ZM%mSP^59)`4)%#DYswGvTw?v^^JG}e7_>)H)>># z8|xXpzmt;Raatd+gG9^E4d^?~$N31gzvzd_L-G1Elt#ON_)owOo6~)+UrHtaJmg;0 z>h&$Tee&o%gAPBM495sCb3!RdV4>fE9YS6@c!*g4(rf5?QQ++7n$7m zC1YoldS-B+VwQ##7Adne zuDVAI-M{%UdtkuRexF*{r7E6n{S-!DdhGcD}eJt#!J6V#a>;f*3 zzZUphv7QuPEgm9xXTzWDPONW~+h3h0`*>zF>$D*$w8Qj5u8+FUymsU5I6nR@k;8ov zK*&k(&yW$Fj?b0OWw!@6Pv7g9%Mj1nWmzZ74PmEPgQb@FvZ;yeYWC^C z-zkR)f=+d%{l^=L7jhYw4m_58bc(~d?X6nf^3f@bHQU)E=Z50!(REm{uoZ=(79zQ345zHWM#SKbE_s6E7ygRdozxDR;r0Pi$P zQ#sWCpN3c4br0Dio=*KZ9=^HSZ|^6<7xG)QU)b}a`AF0Hc6q+^U5hls|K&yV!KbJP z7}6SD|G+bk@IbyOgdP#ir}Q*6(}XWsoT=@*iK7SIr*YDE0e*gWytHc*>&dT-?|@AH`uI7_sa}YxA=-QrO(P zds7E~Pi5TJ%NpsrdQ41gy=9Sh76%A?kp|r8)@*U{`+jzAo%vYzr`H7UoJO)nJDKT? z=4aXB(cyV#Ro1h@&l+8?JTqXsL*7oja>j>)yhXc!{Jkf8wq{J`03C-Y=4_*FRo?br zj!%|B+h$D^{(lj1fHgA?wr+GnrK%5Vi-nL%(B3XEE z9N$;1vKC9!wIqJUyCm4(fK$9Nv9aX=H%zM0V~LU``TgL(Sl97Fy21}* z+6UpjU;UP6jam`44EMc2FUXf?1^w-djSkWLe7`o|NwU2q*@3V#q4%&Zj=P-*aB9e+ zeO&I8B1w%mI)eUX8SY&`9xW0dQCf4wj~l2K5%a!-3L9$nGXB*sBZmBxJInneKWR}~ zu5aw!@PQiy{s#%NhhY!ic`#UM(-RG5yR6q;#s1zL`dig8ewxg+olL@IT8oF>1~zP1 zX43rc0UY{qd|L0H_RWLI8w}E$d(xAu8a8XuDHwf9U` zld_~V&hOxVlDug&^x(Km@}FE97&Ky9gz$e{h>yd59DD%(8b59``oFlt@*O?i^}0#> zMgF@M`ES5q*bl=F1HS_zf6e2GVkc8|s6PLH9Un@=zXy6E4gvH*J4nNBgSDe zo>%VI`(g;ygIohW>OOr5uDD*t#TaFc=n|JhT@sX2HRTo@+IEoIMgH60?JI_NJ;rd4S0TC6tflvPc<`EF{Ts<_WY6>yzx6!X#JHQzNrTQ( zeb0G{)r%Lj#ZR65=Iztbi1Z)UQKHkx-#`4k>77&X(S<>KPd*wYJl}%-=#ez!fz^U? zu8ZgUDWfJw(z=1XIUf0Fk@tIVW+5H_~ATK{Xu@2~BvxDq0)R*%OXwJF6oA?286i_!I8&+~=(L~qEw!n~<$YN$QKJ#QJET}QgP@8$OTZdj%FL>LbPKPTiZ&MDyEh$wJf z&Qxr;nSJ`Sw;OzcYi^Rg6umK$#s$0q;U`5}Pi0|A{)rQ;P`P~cn3V_ED!1JBu{kMZ z*AMDHy5)XXONwg+A3+{gN(`8Nc<>Qgk65Q-mKMt!B=)nf_Z|i<)={SSqhLp0z7+M~ z$7c^NgL^r=%k7PHuNvR~29F#(`OZYjf@RE$pAgn-?H~1Q63%Ga4Af=Csf!m52-w1K zE{690RT||`AL+lr(=m;|rb%q)%xijubvpNgU0pzsPr|T^D30a z`@4T@|6k=}|7Ekot7zTZP@1Q|)x&!I+xNfakJ)g)Mt89UH^abh$+zSv!vAmOkq^2c zEeatIkbh*@E+efi-ptG8{^8C?;%Pj%zY4!M^j-4C3yBT;#E!;ygb>*3kCtLj;@rCeJlK#crOR`$gfA6)BNssS~hdP*u<={UVrHGPre&k z-PFBl|Mtu2Zp+jL3u-?|tM*QLOcvL9iQi>qElrAVIludKZP$J0Xdi-o^k})<1DQWl z$xekG=jCwcV56N-UxQw_w>M(V#-#Wo2J~(q=!|xkz3Gv*eVjYpS8Dc74^7$U#X*0D zAKN(X>8Y)Z=f62L9?U!R4`8%+jpuDEf27w{PK&>l4i_^WC@;2 zb?!E9BD$g-K=_-WSFpbZef|j*$PW2u{=fepWSn22KIW0n*J3_JQ_VZLhf+KM&XYwU zy9UaVti^_v0u|9{!7Q%Tv?us`|1A#aF%W8QIc)2>Q9J zMQT*m7YC}JT~b|Zy2g#-f6*WOBk-p{-oUTYZhpy-lRr1pdo7}R0P@JiINnHQ_%1;l zz83L4+Q<6By+QPc`dHtH>$$aZvYf?)?KCc|A3%%~^8tQ_{{`n`uzP_wZ|8b*zzgT# zNTVG3K^oryF%G2D4I9~|A6wbWiIZ=oEwo~~`U;j>U+c;4haH0U&_3>2AdUB>l&kOM z-Mn|5S=IC}QoFyO8~Js0>XCDm=d`G-E@Pgl?%+0s-Y*Z=v4?s8ZoR=4eesksa z*J(N*>Uv3V??#Kxcfs$FPvCd#D@D`De^l>YIkAKA|CpF(oZsOd5Fqpg?-xJJ7HsG- zMLhU0#nVX*@0>fwS$OXjctMYBdvNn`*@a3PAHEl7Tj-vzOD4Lbzehix-#gWq$>F^? z!)-!+r`7^8g5ZAcy#Uzb%`xPPJiwQZy?m^Dq3` zHGyTfe6{_U8^mQ_K9g2|Uie>Y9>0wOf6F#*T4wD`-{@4b8_+)V1Lh0);7?E8{(ego zlPR7W=g0{+7mGP0SQ7mlN4Z{FkrvMRe7oyVzV<8m6*1r7AD#~_Nw1(kK$*ynp*us; zDUMLrW73qUb-o<#!D{ZQFbMOFrTIaeiE)=*4*js=D-Z1Yx+{*Gz^a6RMFkNMv9P>!BC zXc@7(!gg{9*=3;5fxdT^j`zwL_=r3I<*{2_uSl+{pUY>Hju|3-pn16i{1*H!Ag9;) z-7-1M`TnGxA)hh`ufPN1D-CSBV#kll-Q4J3Z%sp{IdR8kD(Ou*x{dm+t|{Rx zy&_#!6037Lev1$Jojlp7^!&nvY}WouZGp6`Bk4cjN01jbb&Q{0)vAoUbFXq5*AgWudERJ}~cqk1}2z*!aU+q({rKiCRA{9KXMw=t5Om>+`nt>U4eqy-3QqZhPrb zUAhN?d46ZpMb7K-Sq}C8Zr#i9`DZ7xmtr0zhrer+S{hFJ0M;w)=-&3hpSN`W!b!Q# zF!Gl6;<_LDaUAGKzv5uuZU3--xZ#T!k-oW@_Lql49c&k>TGGC0QEIR^HMkek-|G_A$J>_8u^)A0 zct8aAr9~Hi<0S^f@4>f({0Q^q`RmE;!1|-y)9&XI^Q|6m*w=wa-9x|jWDPn>=VQPR z^k&eRUb^|!R?=QHUf+{#(^T7T>a)pZNJP>q@|yuafd0w%!-VPw-{s+|Kl0P2 zFVrl!{E(}xk9=G={1x#h@ISKqiTK>lFI_tLwY|w{EvW5fu{xC21J+GhSi{nXZv)65 z0r~;xS_q4a9;tNsP{#@LA*TrQkw*M`q=m39^=D?lR99LjU54K&ovN^o+TrbK z5%gX7|G!NG?>LwExBvg!@`#J@Z~y!MYk91H@JFPvzUxaraxwlJ*?iSDUR}-3vtcp{ zqvk03lfTY?d)%;NVBY^*^+O*)eXvt9l~UP?O{(-RFusG2ApU)~T(ey{BMU_F@H1)s z15c1Q&b!Com>}gr_2E80_!01n@!@~O-+}&u?|+5hmw(EMIN!#3pMvQ)sTY0$EMULi zuStdCb6<=P{eZrMb3^n8^Dya@s@=FCcW%?dyiaY8M$x?~=sB>f@a5-_o)15siiOL} zE3XF9ev9(fiLM89yEL6orh0tHIF&&97wAw}KlmTcDZwXqv|n5DBFjU>Cv`<};pd3t z1Ft{YW_@s;Qt^9}I5$bIYPS%c*e*ZC_g})v;d8Jl1>(Zf>?l+Y! zbj}VsK)et>Z7tFR70C{NyVY{vt4H^ed;~l?`0Y_wx#G^!C0|M9J@jGYD)Ur5FZhwX zhV_l|>(eWPwq1{BIR99Ef9e6F)TBSw`PjCfcFLTM7oArxBsrDGpBy`vnAdL4aX*ri z*2g(lR6H|a+A0GSt6qxl9|7OnWuNs3nypCl1-m5VH1$){-Lf7hkvzrwu~m>i3+Sy_ zG3Dvgy~b?k^}cqQ{kO8riCJ1DSH}{)VLc)4H|8-Z&gSN{JU`Oc_YJSjgSAmbA|DZqIBTXOpZt##Wv7ZO{8texsH@Z_&iPP)MKja?VPe^K2 zo|-pr3(+6?>#1$wq!U@gp`OLzQkG*q)TkWfH+)aGyVCN&ibTR6`1F0b%F@ zC9TSP?q)*B^GPXIl|SnKrQusCer|l%QNxF<+RC0yUlW+`y^HikUam5w_^@c-)au}- z)1PgqeaM60XIP)mZvpYYMfgL8sHm_TQ z^Ok;xSg5RePG*!oLp_#7Lrb2i>XTgn`vBs5q1>*V3m3PQ7!kc-9SO^=km$Dl{kCwb zUox;LVxyBdjtS~};;Ixn)FF!enJ~{dM}j>X<#~U;QqJ0aLgx9jA`a(m;1?)|`-`A^ zjU$Ic^NT0=)^dqJlaoD9{Ug07uMU`fh)SEDF zRng_+7Hn0**MZ-sxDh?_c4+atKcKIbn-wyoE;&)T8}(jENzW&7s4r<~tJd0Ma;X2H z7vPJB#`GQg6~-qs#MgP(szaoIq25M$ne*qbZYMf4o%|@KuFRI+m&E*`pYZd;|A3fR z*QpKXeva^`eIE26oZok&W<{U+5WymgruTYUm&^u=-kZgF&WX2$`nAEiB7Er4JYaq> zZr}m)0679_-VSz>TmPx7GUX;%*OQg5$^bDx(AH72P1=gw`p|nXY1Pg znMizh6~#L;CckO4w^(yY{*I4FD4rYekm~hK=f(Xs+~~s{d<|D^AiUx~{p8CBea?vQ zCDfUG4sZ8NJntxnan1}WecJBnW)6Ol_>S>`zu|nMvbJT5=QrHhn{n@gj%c0dXQQr9mH%XGcFUc%uDDjpA0LJsI=RYD;S~;)@tB_y_undk^@I zc>*1vKEU_3T7z47+A-b29Zw~OHTesQ-rGqDc&jC4F2*0|8TJv>hjzffu>Qwi82!rP zO(of}p^sp{hnxdEM*OU+eY@P7oAdDI!?c#pEYDr@$f6FlBL87;y628_CG>y5jlMRG zT?Oz>ynczLc|@zB_zZ)5*~_l*4|Db%OMR_dVR4Pp;OWr4zJLX#YgJ zz3WXMHs*Vh-30xGe-hp|IM`F7x4fy?PaX0O#?M1-5q`9}irIFS-E5sX$USHei`=FRB#YQI|9(tZni!+ZiSz^icF;0GafznyGa#*jSvK*y|w;-0N+ zG1IQqIq61zQ;4ev{}bq?=r6B#S<*T}8u}RYXYdiw8}txH#}5L8CUY)9^pyqOjJj| zk+rO$Owegmt2uzX(8UONu;VLYd%w;cXDe*?q%1fQ#!a%n^eJHvtBfS$CT8+s=n z3}cd=ZcREmJBR2IbPf3f|6w0|`E2W<$!(9(K7#VVH|z_L2a8oSSE{(HGueWeE#2l? zaG1wq?rU0UM;#$MINy#D>oVb&&xfv8nRMV?14lz&cKl<}lF?e(LubE7swVRSEB}4%@?G`VE?T`*S6$$~3Y$|7|bblQYun{IJ^3p7zm;Cvsw| zjF-^5#JnMXM#O;P&aGY))BTc^--SJ&WNI79y?n(1 zCYv!Jq~+q1tmxs$=mT%$NzTIm7-#;BQ4i-&_9y=*&;k4ju>SEr1L&T=_nOEi>iHGD zeOpL!7v>A^_hEh@XCV&Ru6+yoz4~3qUF~(xecTIGl7EE#d;7?J%g|~!Ie~zsHDzWu+NP>aT}=$;tvFJqlx{qEj)T_d1(G<(sgsuLHc#>{%fd2Gpy z6pb^Nv&gnQ6sD#@{GXrSRFYeS@;Le}gi@Wy+ZsK|ApBxJhm6a}-PKVd| zg)_W6^E~`Ob$r+=(YqXBv_7#e(GKvi;K-voop7;U3OeexdCAnC^1w_7%(^m6GgF7U;Bi7a#R`&f76R3w&o>C-v} z9l-vGdsyf{;?trW`hk0wcsCIHq+0%qfvvA5()~Z&7v=T)Y}(%t?*!*Rh|dBzb=)|q z&Q0-qz~>-`Kt93yxae17mG|bC+q0Oxcj8{t5!#~r-uC2w9+H2n$l{_M&4bnI%hS_V zYp|-*_pP`&^Tva zYrM3@f%*^n$9xp2xi9xQe3kGBehT>vX~I+#9>ra!KURfOP}d<4D7y zg7jFC-_CMc&#-3;A^fp{KhOo}q&o71+|;L@Y*TsNtB|wVgtvPO^FlqhY^M4lZ{vIj z5bZ&p#kjy<@gMLEc^z~Gc^dmS@P+Td7sd~NP{TnkXX~qM$$tp^2=k5h(J%auejxp9 zcmMX~o+^?>+#X~Zue|AP*AImDM8Y8kt&Fa~l)8u^Ft{49+_|1s`yW2}cMY%?Ug zH27XuDV=pU9KyIvWtO+1lN#--Xb<)M6-JWY2)>Z5(|@e|pa2f_qWrY5!xDquMhfzg z7W>I!UEzP&?~n!r-l0DNkDxO^lm|T{9}xMxd~C;j%|oB|i1gz+1lP9cupp0{?qv7A za!>|`@`$shZ8JSU@3Irk59F04nVXiaO%4;;;j~B|@RmNSJM@^?j*9&Z_UkPf_wQ=- ziy(Oj^{qYM#al1Rl=j)NPc4k>ee;NKe%POE*mJQ5(G&O+pzXN1rJZiB=76X1ze~Gs zj*4RODJy0ay*Fmqmq$+AxO$SzPTD7BzTeWbX(x`ai}?kOIeuD)nA7D z<3#Jjq*;i1UKbTjwOJ^BuT7%s)#2G4ya=BthjG9@;iDXJ*Va*!l@8>tERGQ0!_wAl zS%3I!D2F(_h{rrVZVLHXk9K4J5e+(=)7M~M@@^O9xrEG<0^J9KI~2V3gX3>E%%*%WmPs){k5j&g^q#j!GXRLJ01z6 ze!~y{jdShPE`>JCEFg4QirjjV+qzl!=e2H&xKGOL_4Sv=5~u8Gz3}e>>9XW8XU(tY z7_-rxBA8E#*e?Kdj`xEA!3VI9>ALrs*LGb#tC-?B`JP+TJIBtyoEu&n(YXTt0|Z^; z{Q&6a1GwAwyyI_^T@>x~j0!Se)L6kXRpPscyXvzIk6M2XV5dd(ucCcky+h~oo|EWQ?2dw&q|vBgPA&Ov zwnVQ`cDZ+c`yBg2#7`k-V7+{4`N-aGQUW{jMe_Z`nThQ69dFmdd~f3K7#AS$ut-tu z*E$<<99`r?ehr+RT(3Mbn)pNRvV&TQP47yB&t02%GM~G#gyZ+QW$aX}_4+Np9Y_v- zKB9fr$-eQ_Z=6ro-yfJ4+0%vWU%VWp%ZklIoTFdHQCuX@EzUu~cW}q zl&H?CJtu0DKiAZ=OKx57c98mk@nHOb7%%i7%+J!kPDVXH8Z%)zr1h6{zJK>_JlXeo zxy6vm%S@N4I=yZ?$#cJZ?Fcm*>p^%}IOa**)&bjDPPet42W2`^ImofQN=*4?o{l&cFUJ&#!=ud#)XW;96zOe{ThHS>3sd-CJA7zOn2Tf3K?Me1D zydQ};)mjZx0v5EoO7BXBs9aQuTINdke^CBEh43rwE18$}W?C508}NN!^G%+9r7G*F z7b&5*CywxN`IJdx-KgDUR|Oxb*w8Z8^Sv$c=_?nq4#bZ=NBF;d%KXRX6Q1;agZnaF zLyIz!Uw|*HOYEP>2ZSFN&6{LRrTH@r7BP16hLB}NEJE$>*GnN8-0107WeU~O84sga zPTR1a3)2HxV8ETL9WBM@mQQB3mAmMjNctMig?dZgxTBO{FVf4DSfzIEx6@7UKJt85 ziQ?!W|JjEFi8(c9M32B@%GicCS)q*a_w^zocIp-3LySNdF1=qJzDvFj0?$y8KZmL7-;a28NOs!A8F+?{k5Jg z9?VFm@t_|3Kfm|qozrIQqxc2zw>;W#YSz<$Dmvc*{z_V~9|_mb(>XEn75%&J-7)e6 z_224g><`~Vxg7LvluI#FE|VxPq5gnB;d|rZ#E_JRVyb6Q&iWxawT$!&j30D~btr_W zZ(8(4Unjp^Eca0Hh9yn@X#Bd~tvtj@fg!G9C~p?~|1eD*)E$AkD4=(RlHs=05Bw?LlL zqxppXsp>TL+A!H9lDCEXIpQ0mpMaRROV>3fPqDwrG|M#?T#!D(;hr+^1bh6!FOU!W2KqBh>tV&LfZrVGE2PZV{zOu+XnZ;} zPW=C?UZtwfFEci* zdob1m{zHC4jpm2I7YZs8TVGD=m2ou7AeT~zz+9OO#S59BA< zRYC6o$;*8A?KC31>Nq)Evza7*w_#02O0h|sL=Joyaqq6E^vHN2o6B9v3_X#RbDkx= z&b|N1!HmwQhqQU*Dj17ciQmmW?f z&-6MM(YkIip+hS@kAkLirMVB^j7?$sdASD%JSw4cCdBuEJqPw3%m?rfeHH5v-=TNF zKf8K%H{CV+!rAz$nq#Kb;yA9L=l*vVU5rUT!u)Kyoi?xxBfA>(MT~3t&KGHgcAJ>h zfX?Gb-tr>7H>u!rfc)D44t&Zby7XPctTI|Jh`XoR!BJgj?jFX+oX^Rb+a~hr3KyDcF$$R1IaqetjzjjMZB!USKm%rBg zj!MrV`}K;NuuWW(yjVv1*~*!lqa5P>x!pH)H+)Vw#32q# z)$D+Psi|kVO;1m$mIUWfd>r^eVE!&I>B&CL6x&~f;}(t+>C~PffM8@;*Dn;{Y8r2SFbgXHebnu^wJKnTvJAg^z7^bA@x~ z=^2hc$iNpj1uQJ6*l){~-kRT`^qu&<>D^l!How?+n&@Gdq<-`~k5mr+iX+k{cvN{@ z67i*`cb_iq$Z@f#jLKEK*=ZZe0~kLb=nQm&eCx)Zm-|;9V5V2+e{?n3 z+U)-*-yGEX{`fR^L;sKe=WiSn|LTr5r@wsR@6ZEwocFH0rj4y1O@7~P9(v2! zPW`XL4y!kmZ(g{Lom_Y0)nn!7T(@B>KK^vkYPOw=SJv$BU)B`&x!vV)8G*~2E!SLs zC3>!W74zGk!*}p6r1?1NVmkoxvHp;T-wWhta>?d>|*X$1o)uKKA{BSN(yZ#xeC6k2 zdpPo&gKfNaoL@Np+#mhNK92j{&Hdk8K7SuiOlP$<0nW$Dlt@2^9u7Wp=cQb6$@|Bg zYRZnoz25Ekqd&s+ig;LPAN>8V={bK}56T1TTE{Kd)jUG>p7ye;i}cg;sUGOhDBm3H zv2MlF+-hC=4}P}Il?UIxGiBY7E7uB%|2J3u@AAD}jjaY6m{R+~@>mBS_I9)#Vq3}K zJM{I-iJd16lioo8^Z5M}pZHG*!Ka1!!nCUNY^jU$hEe;F+lA%+X?j^hWKB!i1=MdL z9~)-*J7!YgS!xgU0{=+=rx5ELdI8R(5J$*cJvw1n&BZ_3|EKN!-8`V(hRR7Utsh-v zhx?DeH+=cu^BH0L_z!xC@H@}14asg@96Z+j)$xD7k3rrL)-OzBe*oNHx@?he$5IBq zGE`>W@nKnNWT%F_2xzUn{A)}*1@d1P){pext#9n7C@)OIo)5kTIr`SQAjvHncC76{ z6Py0$jmTce$GNa)vqyw1IUi_C_5kVnnhgt=2Xex5GU)fvlcCo`4#&F2I>I`{fACj9 zzww?eZ(ngDI~(o`W1OHX;2-q?LcW3?{BV|qW&FVXWVdlOx~(>^YXtM;a>_kz>p8@K zb`R0aRtd5o|6KSJ;(MR>ll|vz)LJ)|*j7%%iw=y`~LiE~Me zE8y{gK3#h5;2^)DJYSEVC=Q|%@e_RSwDME?d3pOte@46#^aK7gfkwy6W*dCwFh7+e zis#HW&8BhO`K7!j;7JLk!LRVXA;yFGhMW((2*!bPP1wbFKVu(;a~hP(E%@0bWa}Od zakzPSP?QEt5`0hM_W6%|bGY4ZZt1j({ZfL?Qh(7O%mez}90a{$|97|UerGkef&5TG zXXr2VC#-{@ZxS5~rYaDfqW#gUhHo_;8_w=GUQkIP(yu$wR zWB8rN5s$rC!}!>`^|s>kTJ#6~ySr;ddEJymhH)!e9US-hL_XmqzUEwY-%Ky2^f_;u z?QR3|-^2J}XNR4EUpJPt@3#uq$$FI$PxWD(Ga8JQ(+1~I{x;tx2@20TuFXgh@*@1U$hJO=uGkT$6l@!PYV8jU)Rg;@31e7buxQb zIklTDyLZpo0+>;2zP>Q(;biwD>=${8rldDihXeNNmNcX-QTSYpM*{JEuTp> zlgaLcc>!Kwzr?vR;+}%f#?5Z{a`BY-o#<=6!;8On6Tb(D`Y`|1cFALNyQRJ2mOFwU#moR4-4{JfqssAQ;^Sr5A0LeKhQrR#CObR zpt^$jx4=N+yBHtrpKkL)G(JnrAbtY60R%q<{;*FU&HPZb+&hf;3i#8Bq#2toz23p4 zHdxK|@CXszFA>YtocH1S}Vg>o$;m4E(M+h<+m;C-yt^5A%VzU|5elJs8mY zEtqfc8|>@wheSQ#E5HZRm?w-2_=TS_AncMecNG|HbS~jgKl+RRLAQK712YyLR6gp7 zm91zUxY7AL{sSK1H|==fYT}f>=~O@Zf8}Sm^Wb(HX5dH%cexJ^+eRy}&M%|I(rDC0b@;c!;M<<;8%ka)S z+5?^O^KL`?1#dqRzYC7}Jicl9;KULicItEg14BEx6Mup~HRh3De;ZhFn}soXv88hyiwLZq7d~>k$h+FT_LGp}`>v4hWu{HYT zvP%_Q7u$wOQ4@=3zRlB(v&U?*XVpErYIPkLAo7Qhq;?^^AQ6 z<%AG=D()HKJLGqyAqQb!Lq6WCLK^D}X~4E~ovLRpyviBZpZaKUw@D5Z#s3GLq8#`q z(#=7{8^iZ(gS)^7xMP zS8tonucVVNu(j#+v13Quiu8K%J`X(&@64edK=5&-EfXBq+8i(cqg~;>QPhk7gb?+% zPVd_?zpR4dfD6kZt#U-RS76h7Nl5=w2)_)JhyNSoJpJ0N5pz>($v+%&A<7Hk-+f1U zA>9i5fpWM<)@@@<{vZQY+CQNuOZWP${iyCd(GlLc!~Y%Ro;pAAFro7~9puZu z-t}wcWF?085Rngv{Qzn7zd3u@z+VLq(ib(w6BoV96`7V}aQ@yanlH$m{QK+ff6x!w z0TkL1(SKpTP+kc6bKPJztgX+_^kNJ0n}$59kal{=yB(KFzk{EGupYcqfc$^jKFT)- z3opHSGwt(Ivg=IQbe21#zea>VO@@69{sU+i@0P;O1$vY#FZGx{DOeX@m?qE^;USl?BOx1Ps9`$D?^=}@|KJ5;h|pmOCr7hM*jx+ zWn#aaS>1Bv4*BH}T|s|9dEtKMwC-)E75SkYPp=D!PLKvfKl!vK@d@Z(s2}aYp6fL8 z>6oXzYgtL}@pVbsUd&?r;Ah7lEM`~-&|mO>_Z91YpNaMm@j(?DN7}i2k^1s=9QuLs zu%99=93TH(ypN$A>{LR0;`^@+d$zZ5HRW)whV=tFLq9NY_>O&hTSt@Z-xnI$&8g4c zww*MK^g7@L{)uNh7!CDriZ=xP1@REj5A@F~t*?yp(lNA7c|FbkkNpC28rC=Z0|@?s z`om(cmp$pCPxb)FANVeWkQdM&eE;516|i9IdYUif>ulU{y_>la(N~RL!1MK0c1?aY z<0W#!3pmK-z$g64fM?JjlGS zOP~5lyq+KG%bb{}#j!#yg&prNZeqYE@PPV-^N)NX-6Q|if>ZD9y6H0Z+Hw))L$kIBA=egQ(xLmK$Elp9jtQ9F?KcYMcuAq|N4d+|T=0S!iM`E4UFKG(f^ zuKduB)!A(Ny7@Qcm$=cqK;J?8Xb<<+P+w7_M);&>3S{rWy-Lg*%FTNg7wj0VOY@2R zT?=m9Nbpsqc7b<%$2=nq`VjU5-+Of){9AigFuQE5@-y~o8&I?=wlkk&K& z=pct?TC}k1`^lc=eQ5thZ+Zf~m&)H0iXnR={`+m?x%TO4D~9<+oG*O8o;5^Or@IY} zYr5>jpstH+IrLM_=lu7ux#IZi>wRvu*AxMEL!c4!}TfN`Q7 z@K4wekPm(Xi21FHy=2?h(v(3y70xsCFw`T2r?xjfe|E-)gB*0a&*Q7{@?!sJ$VFI} zwXvU;YU-JiT^rwd=*0{@1}~YI?LzdyzbEJ_ihF5G?*;JoFg=F;V%-0?A>N||KZ2bO zY3S96uYRm*_pHs5_3K6N;_jvQ-GuZAxdj^=FiR6vtOf~Z%rQeg!By9nUN1U19m^0 zx1nGEw;}oiXmw(smuiB8h|emrnCUj%4!nEBL4N_nJnCmPCKTsxAbJBo62j)jg?fM= zqyaG>jqYm|LQa{|zWwmz*H~T6_9bWsbYeR{<$8LD#k5c0ya9BJ_gGP$@0T)_NB-o9 zd*8o(jiLPo`OU#q+k8)zWCw9um+Wq#dO3*b4)QVNW%bM#FAB7_lAla-c=@}0@DGd& z&@^+r#j7*Eq=%Ny&Gq~c@A${Pt-q`Ps8gkN&S`IskCR|Tc3GZI6(Uj`}LnOJFZSea*q< z{EeZ%^ZzN*cu~)rxhH4#lhmX3ATQuM=&IGXiH=D{;&*S==6=xLDG&eZru#gDpFQ&B zBDo7)pN9At`fxmc=CEy-lCD`yG36en{U|;y6U||t1^ugMJ{Z>8SCje$K8^a&4?ysj z7{#>Arxi+hJ2Qv&w<{`O4r*zwi1iD`5J|izR_{ ze-!Oc3wW{bOjIJhBjhZ)A@Q-j!KStEG0W-juS&b~UbcgSpj1S+jKjT02FJMZ|8i`B$+5ASyT8YL# z{aT@ipdR46Kz713-;Z%@a;LDzQAX*ab0iz$caV=U54>KaL;e}ilh9A-%@4aDZ9Kjq ziq%Rx-Bp{KC7Lf=vJ1kli1#B7?edK|Fe`)kbo!d?k++4)fj{y6&=d7f4EGGLb;%#1 z$GEwtAGT4&_`fEPf_2mC9*=eo108>>{kX`jaa48J0s$#(hUJBi~a!M=H{ z-S;kACqHNX-_D+M?C}m(pZGj8XM)%t9qq2$^ZDCpr5x%P?8AVPpQ?Y|Y;dFVe*6bI za(_GiRMk20{XgJaraDvUOviH~`jjGjPvKzMJF-?`9O?nz>Au9R*YMhvbWiL}$2-CA zGIYs~-p_beQHD!X9Pmx;e$W2BoJC5m^e*UXK=JSgzj=1Oab^MGA95Dv326nNwf$l% zjY$8O^i18Qxi^sF@j{;ko`GMiI|Hc&r8^Vvb9Z0+j(wl+$_?N8J}XEki3^jCJ`K6&27D`t0Z${KgC7f z?>AaoSz(sQ|3!|)UGx}b*sE#3G1&NPy2%!Xb1$5O!@h2`N>W-nWC{bseg(WQli8&6 zV^B3K+IZ&JtM6It;NGq27R3i>J;1L{2-AAM+OxFjy;OOr#|*F z%Lc^%>`VC0%O7I@N92kMBab?0lO!--jhr zyPzYK`=JyLo2ERe$sw^b3gcfWrLd(!zY< z|A^ZsEGJA0|NFOTVSNh~!c13x-P`QAh4rJK?q`mE%N_ud1>BuaBdDRjYA}+;yp5 zoX`K$e*IlJ$k!+*#LsZGL3R(+OKJU}oDjB9fAQMX_ZHbTCX5}`%WAC=@oB>A&C6~_ zS0<8NjP~&z>k#r7Rjs9^A{GI<9O}ZW2s# z{OtC7E%SzLWGQ>1PR|^gKzeBGE$b2Yo|iMk>-)D5{e~RzZ~y`#@7FzO;}MRJQ?-WTSb?8{KB2c_{C&EmweJ!dKz_;_tE{75nb|Y=qw#U@ ze8?XR`Xu~Wpa;TUh&1lg<(irwllUFOMVuWp*t*+7rW4*dwY`xgou~5lzl9V}7Vm6+ zj&XPyvD}vIrFp0Il7H+q62<9jy2mR0)w6JoCQDwWlKEqVGui22M+4rVPm*3!*{5XS zE^(Ya*f+5*c)OtwyJ|J1-6(knvNypVhInN-Cx9G|ar5_|LdmZfaRjjL(GKtjeFpkF z`foAjS~eX>9McV$>LxR^}>$={#=-M;5qY7$Gz4gbQten*xRtKG0tNTO(rf;Q6c{t z{<|WZlpOy-f1er~pa1qpv92YD@!&sx9a_--27V9{=qxi}o-@re#)J6GZ~1Qb2fFAJ{bGLb9dQ;whoC>)6G8jv-{i5$i$^J}BKr=;kNL*`;4A1S)(_g- zc)fS#h!B5z=NYWaHPVe6(8`Z} z+UL?~k+~1Uyj|S3rE#vm7vUN0(>5k?5q*EPKcje%_8s`C zh1S zJM`>`ILGw|zEi-Rq*#-JbRw{>M15pCmS9-r16oE{c;q>kmB#`p)0MsGG0*UM};ccCfyA z2>%Eby2sV=-L+pS-o(KS=LLNhax!s0aHW_6MZl-v##f9{>Oit z7k7DU!MV`+8{$B~9ur?V-a92PT=dSB6D$4x;=SZRU(x+QEy@RfhMyz;hx`YKcCo*r zJnT>?Cxj>mm>+ev%Xs~lT$>j%U)SACB>Y=0YO_m5#h2y@@+9Q_d(Y==UNm<;om2AP zC$sZA(@%NWgwgr`P_sSv%ci(e+%w3JfOwx5X}~rL$0Soe+R=Yn3u=2=tPZ7j@%p`Z zJuiFIMf#5a00Z~lzL_^!9Onaa59S@Poy3pT-z5CGsmt%qsXMfl{cb)v> zV){uQlV5m><|ecY_yFV$jI(8^|CgCzhp9f~HwUpk zf1A79a$XS6W^5YOWqX1(hkIKWoh}(E=EiYmYW|WN+TJ5O($pG*$d^5WDXt0h2fN$* z8Z3Oo=hkhiRHWLz^xn(i5JCX$1_aPHCZI!Ui~(>r3o+py!gAETp6Imef~r5jqM zaB_~nZscrrqj$_Oj><(6n$E{Jb9*-Ib#(9VNb3vVu^uo#h&Ky42IXMC$2x`m0^iYJ z+#3_x3o-A|_rQ<&w1vpe*@8ijKsl^;*z<6&5Z?jSRrYvH-CMxbH25v~pbvt9_cW6# zEN$)&b*6mG6YTs*W86ri|47516X~;GCfzNW`i6TqWt?A#!xlDbgNog|gT_Qxc=rtD zK}W|=INZ!@WzXE~W=nepX^}rNPe+=f`7vRLJAnVdXLEqm5B!h)0s9s9k%z5j9U9wPlkC`k#lvLkFXjp31zjK? z8yaAK<-qf$PdW z&z>-;i_3bXs~V7=3BC;d2;)FMkiIl7%ITAJ0LgKf??Bz^o24-aIVZ)C)fdt=i9bMI zLVpq066YwGFZ37fwaa*u(_JZs{D7hVgHAACfcOvN=j&Bui5Y3D=I%Tq@_P#5fG@~} zz$^Lzeh7Om+Jk)%^}Fx z|B?YyKNPe+Vo)sIcR!;)arEGCn`pivSF}Tr}-ZR4dV0{3O z*e{U3)2#GFFPA({qC!v4(MgB!BBOWs=lVEp;%`{rNpUter{zVn?eluIJFTBc{l`8E zJ1F=p&KddhNeA-N06zG0qb1aCw@(F^gJ&M&5YLGphclfU7@RiJ)SMQ=${wwJ5TYiw zck$yBzlT0c<%Lp1YhRL!L1#D@1Rjunw&+51bjSe?@r9v(f*)aAz$50h&81P+iz@wS zeh|+C_?r7z=eYkzZ#u7>Up}$>5kFfRFX}~oJsdiwF0ZNNKF3`#o4I-^10Tn^A?6MG zE#?{f4DfohKF+9L&<>KbV8257$C6#gpE_8=VP8glfWQyFV_(5K9W?TLHutfft!^ce zYhOK_#t(jrbH(|OdtFE_EhRd_{s}n?<3}2BRPyjw54kY%3xnK(?=esB8Y>Trr11gY z_zsBq!+ksG)lb$u4#=9dh%^1xQo3ty7UR>?MDq0Q(2a1L$;wbJUV zN$*;@v}$(Pqi_!IPM}`UDflV+jqmQ~omFmT#k0SIDDSwzILLA0re@2dT7+h0w2VuME5|qYt*Ua%6(*4-Z>_GY?;Em?!DNxuxu*vb=U{p`tMXtliNb? zSwTJ-+x=zba>+0b@ruzd;&Wj=pk2%}>P0@rfqDV?ebSTtI&;|L$L8(q+|w>AQc?n# zb#$ndw0=61^Y?UiUFIyZi+Hl!+cVXF|A-|28pxZF4{?7E_`rRe5w%q>q~nh=7v0uN z4;pOaz(=sZ3^k2Ec|pUH&Z+o%<%o|V{hvaef~<^yw%$}f@B)7NpVlkVL7Zf?XFmdh`wI^q%DZ68^HLO#8V-&z9r~@O`W&*a^Vztvi?>YiRAv z{#y`wW^?sHPHXPFFduph`XBVORs9~T%@ofG{&=Vt5c>iC1HO^=+%QMEA|!?8ANwBU z2gq&M|B(+pO6$tFwsO|9*}7UVo2}mHBl0t_qMhrg)CI*8hh~z_gkq%@(;O!bZ>{xKMZi(b(#@}c6rglJALV5%p zzI}Lqxc$zJWM@Qv*i*aX7vGw(PC=IKe-@l#=PaeTQLcWZw?qDeoCCQT?_S`2tvvG& z*9#(y+4ROD1LqQNZmo%2($bPr4)P)76wnLs3p|+07rZ*0QNrEKaHw3XaGJ)Abq2b{ z`48wQ_(1X3wN3B$Vn4>X&<^PM{)iV!W4?Q_U5gcZ6txQz#oG|y-$Xkro>UyTGsukY z8^d2W-!}g4IrX<>hxu}ET3T87DoVpH0C;q+uKuMjs?B~!xnIHl@sCT*|0p-RaKKfm z)7$^Z$A3boecfPnnRWz~=kcJ&LR2oQL@f)XeEbKw7wH}ScBs8_nEgjN&=bl5jtuhM zrqRKP*~aI#8(^v`;y=0+SMHGKZ6~wO2jhI@x;>- zt?vIQA^wbf)Hmss)1H}a+$p{pZP%sFUtvb{3p#%B!8gva_Xfs)UrqkUBlqm9Ec?2bYYt+*ps&Ar zG;(o|{Si#v^Y^HGy-PTx|0#rB8t-L*ZzIks|30BEjSJr|t!@AHV}>Ke5qPUNc0e2X z?QG!1jw_OGuNA=+1i=r`f6xK$H^FZi{1W&Fg#QijH+{hVk?Wt|=f-!aYv1p74(X?O zrxXzV9bQp;<#nG86h{E(Vp>PCz6~r9zrTR~0ixf2EthnDwdMdjGBvZ~o0k3@f1f*; z-faM1;@g`+_hjbZD7oU)-JA9=tOtw({R4!(4G{YY`T=|ZA|Lz9b58cqu{IH8Pr`l% ze+9?`S1p1jkBAGSxH#xP>Qhc$u(#tuUA8>XC_S_$l=e;FWy7QAlZp()??6Ld!?^f* z(zyNms@0xL#xs=1Imyz1my@+>T}1vjCQR$W+drX-FJwxsS-a%*ZL%@ECI84Cj#EtiJ7Pc%Gt+NSaFO?Z`cU_D4YIdW; z(aUx}f<*o?izt2-?2xeY3SrN}gfF^{MRe~%_#N{t%>TPI&RK-zI(_^(e_BW=$sxk; zJpCyXo`E-Exqq7mT?_w%zcccY=FcCh37_~bgphBA`B;C*7p9T_{}l*2|KIA*{OBG= z>xQoXTYUa+wclL5u%K)lN(PJ_=2 z$It0FWo3@LN_JiB7l}{aTO9D%%8K0{caFOoD2iXI!AxFFR+?DrP3IMuuNNanH|(8m zM{+IBWq@bcYhXtJAH(@M(%_p&L(fDxK;#3$o`rO8&G4AFt<*&KH6+Ook*ANQcz(IN z-e)uha-bLZ-+}HiADC~*f#@IFvy+}Y(5;|?rM3KKlDzH?chk2f&Ht<~?Kh|Ahu_%! zGMB?ULsAK65D1?W`D)@J^d zsfi5l(c+yxUY~X#Kix<7<4zBqbe7(SfLy0ryzTS0+&s3{Shv4)V+aR%0}%Kh{rX8t z_t7RKXMnD-e_|dmPT&uC9qPCE=GdJ+q?h17j01dY@$iW&_Lhp@*+MzKJw4L@Kws#` z;F2Gswamrmsf!194)Z%8PNN*grF&@D)Ek2hNH3b|JkjP-J3C4@tTfAhmf^#63wJz~ z7#2l%M}N@Y?4^4{zd4>~Hc{GMD|9lc9NP0A@KJKJv?+}nb_&cF{0e{voOj^;4$uqy zM=We-s+=nm>zBYc^vd(TF-nR>$BF*OT)W}bCNYKN9o{capVhn{yuX)U65Sg_J(#cC zPrtu@cVSxX!8 z;2$U_bo9N=d{i2tXIeIt=QESTY54&qfK&Isrj^Nn#}zy16*xZQrO-R#_W zu0rK~9PM{PKLgZ*@xu-bI)fi2pz{igTYZd7X(xZKjutl9V51-uq0NL9yFL*zjuYWSp zC-4t^f}XIh5Kjg4@^awveyz^DCBBb-ApQa5Cd@n9M>*7kG}>zp;++?i2Sh!HLx6RI zb)g{F=Dp-6D|Wm?R$y+!A(8_hKT%k}bddqsb1|<%c?R+$&RdX1`;a4%=J|%7C~k}r z)z6nxp?L#-gb?y9+Q}Y%>PDNmCj0M{yEYwus*`;W?I9l!{Q(3XP#*OHg71OeP!4n; z?4OZz+Rl%)7ntj}r4vtVt>82@m$}>;m_hp+=m_?)G3m*v%VwlJI>z+{oT|Cx{;hBy+^Co-OWipD#+8q^=u1BiB^ ze_;Q`z6Si^J0R|<<9j=!N`*xq;@FhqBgzLjC6ZmxvtiENv+GyUI7i<}QT^O1f=xe{ zxNnPf5X}Sn(Kouz>&QwA;xp(c<`YobEA&W1tzsh{A-=EEh9om&*a6jlv6@J(Hft=arm%V)wKI=4alh=YJM^q={O z9Vb3|w1xc9E*-lfHMYoFYjW6xH`e_{O%d<-mly0Z z{fYj;=RkMh53^SLy!2HzCp`xI0QEw?dSQs=sTqKXni}1dR@Xwc*VhiLu zoxSuk^^blQPSkuaKP!~z1@alj&$=e%oej(oop)GKd>;P$Du(s)^lH={>7gsBU3>?h z0e#@!73@ejR|h?zJkGcN4#IC7^MiGU_JHRNR`aEgA3DZe|2d`Yfj2(f`bBaUkDF?oYc|kkq2jW>^AALKudw0LjCUkF>f2Yl# z(x?Y~8*~PU`r#*y^57HDYpcEL40KLevCmzfp5OCSk9NS<-aoupf*;c{7 zMnzYL^jM4od<$}_FfD8keA~JIgKym@RIt=-y~b3`%qRN~_zxiJ`=3G{kK%V^G%glg zF}jmR?fzZ;cn^)&EA{9|GRIh4b9&<)c66k^{&d8Ak8EGU2ODbEthx2j4F-b{7@oGYOm^b(vCR=Auu zF5i&OS-wu3y7ucHhI?&**r%``V13%RO$qoGmcp??GL_1#mewEE3;1S*%$=AnT1HKA z*t^PTS~!UGoDJ-P$-0-lZ@ZG-1O5WNqdw(aL!DC{*&$9z&GfpLUdV(H`v}@YoNpf& z2@55k81l2)866a4DC1B5+3<7Y^#LEUPk_E4cj~tvwbIe?6oj?%Zx`+81V+e0X=D*BY)q%=P`QwmA&%S7RN( z?g>7Qd_d3{|m4AdY{h z!;S7~fdAq?8P02*=UaDr)1`v+Rp0~Vqil?-jvqL}4AWk%xm;>WkZ?lV>)^9d& z6VdCyqN%xSzXWp_FCgqm*iQkmpXHs)KiSu`kYS(3e0R9|)!P5%ZVvZ-anB2SGUO&+ zPST<{Ojut+2z?d#Gh^pZw2w<+b8KFCKd`Q)c^-84lCMug@cx(v=?UPo z(4U}B!_EeIgRe)C^kkI7e(F&E|M2$KaaktaDTJ1*_dv zn+M5zYV=RU(dB*0CoGnIINBS34D~>dS1UE(;XIo&s)Bn%-?~kXYtcs%n!R-&Ebp21 zygkNl?Uf(@Y*r}}*?MbXrN67*U2V?ae(Z{T8|0ktxViOR${dK&LQ__Ky4xyB#t-8g zxk~%yigSz26Qq2EV+U=^owiO%t5{h-c~^V>b#fu||MK)xmhDd;=C0_e&J+j?8~?&j z^flwD`{^Oi?fj3+yGXPTdW7~w4$$v|9tCYX`M#gZarUWKlaE0v^t9W$r?Hczp4hdt zd|sD&1_gNwE5&_4SB@v|__ zvAeNv77p0{Cd^}@+S0Ol>h%S~g`R#p_4!s{NMvWJKjq^eBkY_C_q*Skb|FO5>+LAz zMn1_eX3*WosWbg}FD%Ek%v5bsP}V_)~z!{GT&b`XcTd&Hqx>`n|!``paIbCsC_U z&5E>FoC_d5@It;ag{nSXE`ERHMn6~XA@$S4&F9YHx8w8mYH>ZM%DTU#ef=J zufy&GcW#cks`8|7(9O!xPxd{L^XNv6R($E`qLmm{=Jmb0`&HDEW#2=~^wl13=zV{4 z-N*7i&gBLD>x?NGtKO&Ubobd*H`OXn{XEZK&l9<$KDNC!MGgKuLhLr|mqFJiyn24m z-NO3GTI8d_wyA$w&vF&J;Mn-QL9480h~LxLUnx$UE|LD%>9XHP{0+Ybr<-i>6M1BP z&3q72d1R_@(_Ez8u#=cKk#p>vFK=DSF5MZaB@{ogeNx6Klb>OL$?h7Ug4XwL+@@$t zt$vGRS>jSmSNxxd{E{#8l0L5O6?SFmfJQ@7RrJt2YN)j1J+EryOS?j635xui{&_Oe zk$>KX+s~E@F#nHEIP(Ve2iN0kh<~tQktS;&KAj=s6aOcCSl3W)AobzB8~E}*5bvTQ zxB5OuSH(O;xzL9%F0M^eWZF_ypx~izjvJ#*`rya<{`%HUgMT&OH{gEmu4)I~6=*O< zeZF?&*Yv$+sth;c`q{hn6}iJs1u_mP|A!evS2+E+Pe{A8I_=o{qL=wT?`fxyC%sOL zm-Pqfk)z_dQ@tx!V}q(X+o#DM-_gQ{`<~?EnfKkJij~ag8+tp=*fi;czs7i{pKG;Q zw=izWcJ@B=qO=G|}Y+oTxa zx={Rs*lEza`F7g%^u|GL{;1opC;nkx{}9jr4A^NggB>5W%H%5YMtk7Tq}{Sz%~NgZ z$zY+wUfugkrP!q(CrEj8d0Sji?tN9VfCNxbG zE$@Hn?P6X>8Ts{Hx^mRm`xjLGE;GLD>Kd=Sj_ldq=-F(I{%f%P()WafZQ4fd@VRBT zHp%=>doQ|IbIia&^M#)NL*D||tu8*|`%7=JJMIOZuqsz&h0^^u!AU~OV~JjW4`#K- zJVHNJsa508(wWWgw&9P1ANvi|hjjz}M*qS$)7*~!4_^jqeWtuD?7THxgWeKM6<0TX zf$URc-dO%D!?(^S7RdZX{*<3}H|@yy7`Nu@a<_eUvL8tKe}BDg$(hEJwS|THX9{0q zez%43Mf)Q!@Fl$}yEFVmq19SH-=^wX+Yl)y>7ZYHI>74e?k$RbI~*B*u;al6!K&C9JxHES;t4^4Ui0XY5`59sdwTy%?wZ zxf}C22;;ryH$kOW_xo|5X{X0Uzl89~8vcIv6PHzN_s58YRpQ?nX#c`@Q}-#dp2H8s zdVzVIe&W52E35OIUsrUgj05Ij#&>|qRCaEfAob93#F`09mn!Vq`SJN%4Eo?LcCuc- zMZ$-Eq94G!%&fWlO3LA4KhVFxUqgb+FB!95>}$@a5RY9)e;N6M)6V$G#@lxZz5Q&b zHm2A6+rfDjXf0Ye1oSBsEAI@$AANV>m)`?VT=Nxw2IZ&y@LQALx8lA2aQSh*NynY! z+!5!JfUL)<2mK0v&dcyly*}@m@5Pay&d*&HI`?H_(Gts5+?yMP4<6g14Qd;hZ{udO zeei+~bFYb$#J(gQ z5WPWp@MpbBb$xZEom15B`LdU?8g)g|f1OdId-Ra4GEUJCj5p?I`t6`q#yP`tozx1R zEppVgeGBDx@N030l2P(r=9Z7GFJ5WASH=bMKtE=ETd_*RAMdZypFq}!)C0)8m}}nN zI`Q?LMLzMrvo8rfen9di+z9pdSfKt6r$|2#PP(^E7dPp9Vwv0*CLF&N_lUuFHomzz z^Oa*#PvVUbK0x#vIP*X0SXZGpbXZl+9gvRtyN0?qip@PI(fEIr`NZP$o4Ts52PVv) zoe(MU$PMK{e-aLV_PtqG5N?Fn@q}ZqFy8Qkv%i4-RH5B{ZTr?;ruB6T#d;Aw8=O8J z%~zU9C0Yx&lCCLj zBD5twgYDms4^x!arSIgDgPOUD{~JD>+tm4#OSF!Gj&h(U;LA8fexc`mDd>;`^mpW@ z-52xrjZn+B-P?NkLYS0``HJ&Yq(30)bP|dKbML6)(F22<6=Tgy1bkGuSmbakNqm% z%VS;vPYOQBQLyOK!#jj;QuHooCr+*#?=0uUjP*_`J@iS@{cJqrn)ad}ewI&C^nsUL zj}>^hLxYa~{MmY??i3gPOZhF@?^f%ER!KQj#tZYg4jW21^BM8HW5+x4{9}OKkKRHa zSoffZvCAkw5PeO0?%gs^jdjbMV)4sCV$Yxt$cOfaUcZlSBmP**Q7z}m@V{m~RI}5s za;RVMxE3?)7w?ZZ!eyREpYL1oSM$|N&HoGNz8n_XzJ3Tc22fH8lU7DY7v7uQ_fu#;MUs=bcui(T} zJ|N+iAaYDX>z*@~~bD%%*Ryle9ZYvgBy`gs5Gj*f+XNh%zBGbuVt z@7{VzTfV(RcZ`0`NP^M=#6|*b&VU-!ZlFxuXprYxkcUq z8hoK=oC2|z^!xO7ru}TQKaF}C{cPz9M$cHBZLyl}6SVADk;5uS4ZC_1Mvj;K$XDm@ zE8$7aKlet>`~7Y@KcT1H;b(-%8*~?TO!!di+^R(BnSYJxNe7?W9u8~oXJ{<`9PCYF zIwNjr+|)dgCh~|=jJopn^%l2IK~gU49wQ&hL%1cr#3u#O6VMs?8*%6?LGIBR<0e5RQPdIo|&{DftN|#jmZR>rpy;o?ll*bYu!t2CX`&R$zuH5sbi7y@+E&WA2 z&{DoXTVJF8g#W(bEt$%J|?#v_}5Z&VI?z zFLS8Gqen^qvylG$*>p+KQ{LCM9ZL<}8ZPA}-PZoQQqRrZFHt!0#`f8G#iPXH9HWKa zSZ?Hi^hv?3DgEb^y);hvB}Msab*7ipiLEq`+5QvdH^fkt`pr_Ab>VS4j82g#p!BQ&nJ{~DC<^u($Ch2OS2Z|=A` zZV=p<{%7UJm_E7oiZPufoO;vV_#Z6M8^f(X&iI;fthwKexRE~1#`AU^K2DQ%CSN0+ z5uX=YadGh`=J9BZ|ED@eCGX>+dg?j$@y*Kd6$89(|x!K0^!fTF8@{=`<-)f(ChMLexIFiAotvm%lxzV?n&r* zNqgpfs(Yg)0UGz3DKGa|NZ-QNx!%US8JM*B2aV`D#~(^(ae=ehl(jB8cEo7P#ze>_S4voWoW~yY@X(sdJx3)8#z3zCKzl;|n{A|I~m7>Xi+Nc3m#>4*iEbL>(x;b<3fh z8s*mC(+QG%a|H~Iii-=Ce+xN}$iHdG4daS(bjj4#C7a^_dEcXR3cp;gc_T${a1T-6 zA6p~mgsoP7u9bTJAvx!O-oU?v+|TVgJ<___HhEv1`q19>AC5|WznS@*0P9I39s3~6 zyR;9G^Kr;6_fX+8Y~HrU@kb)$-YWlgu@3Ui(#s%`e?2t1UxET{|*2R3PVVjOBQ>AY0ai7ri8(5zYLOA!5WJ$_z?J@3u;XVHK9d;dQ2kNvv}4L7Cr?=AUq9?l5S+syBjZ+Lv)*upn{ zyq{)*gwr4BFCgO$y~ntKp7hjLe}~@uK0EQod5nATj3f9muMiGI&VZf|suo%?VudPE zcXNZ{_rqnrr(B!5w|o2Mv9IVY?yFEQAbLdq-^^ca%pIRQU}&hiJfvFMQdS=75C1bc zGCp*adz8WTPY$j=#QfhRy9fQz1(Vk z|MKPKple5OE={EGnU5$p_7LX@nRjV#`X3y*Skl0z(5O}GwLK$F&BJ z2#x(P`j2}#=ws@4v1re07tc+W@fmV!dnxyijpcs^>ScuG*Bp=Nn$Sq*ed=N4&-ruW z;iK!t0n(o5Z)9BfC8x9CQyxy-?s=u7+B6F#ppol!I{r-mzW5 zVnh0G)jVEytfwjjihRN!dslBav;B!4g$_u)z^NZNdVq2;4zNR^L%+k1e>?)IYX)&yqP>2CMqf%X&CH(ByriRQ(pYm$=v0z^A|TKlP^`M#%YL z%FTbF&|#0Wu44W}-o47EdR^RQm5dv3Aom0O6Y@rd9ayW85BJ>}7n~-YOdFvfrkCwijvY+T=uARL+KSKDO(m4;@kj_-nsZn0C>xO@Qog8tL_U z%TdzP?z6uQS>K?0w7d(0JRujr{?E$9%{%;9g{H3j=EFgEEpkv}j~ZXh=Twoq?_W2c z*|~JAj5qq3cQC-Ir@p@EE#sK;MSq8N)bag}Wh#tcCvr!7Q9k(U=Qiicx=5cl3X9%G zUXZiuT|J+s82L?ckBV{ipP`G!xM5sU&MeEa{rTy$pJLq#es^q}xqn>qlXKSSALe=F zlk&5E!Jfe0V7}Gg3-2!XA!tYVK+n5;%+K(H-Uy5JFZuqGPfyX$IzMYU$2aw^$B7+n z*NT26A0X|i@8gb?dllsWHSNdsvvS7DJLBZvxm;hhp?q((Wznu78(eqF`wQI10KS{i z)9-}uJdJwl?dM|p2fU&5FXxEnhF?lE^oRY&d2`-5VjYV7Fb;TMg>dqLU%kAI>e%LY zlk>nY3s?QK%JgaS&xbx=PEb*s$2L*69vV<@_u2BU73Z=!mkEFLDET7S#M93FZ-*ZO zc|e|+*Pz$=bym)qhBdpCYpJ}8OZ$hfj@$P2WHT9m<<{|F)4RK7`Kg+H`Xi4$3uOH|Fx#i{b6w^t zE$!CY2{jgLWphS%n&t7E0%l*>bn1p}y~KY}Z`ljC=Rf>>dVkiGcB8%VBXF*Sc`j#z z1G%)-5$f@QfJHCdz17{jUIPxj-)#C{YrLE*M?a%SzWD9Sy`-3rr~4(z0h#c`^W`y0BjQOoOyLvoYaT*U>qV}K=|o)f zALzLcH8wg`$07^k75%P{o57-wYHvH8t;yt7TJ-UoP5WJ(XnOy^-gNJxoXM|K%k)l> zle7bJ$-Qjn@KOuLE)J9XN3<{PjT|74j0ausH&Nf5@*et}wXZ3Cch!B5ZHuq5T}6%# z=dROjT;OOKuhd_M=Kn4J9$s7YBXUD|7?-r$#vU27-5d79UfDW%ZT!_5iuZC4e=gP} z@cVI%`T%=W>Ab1lk^p(v2KrX*-<%AM?5B9I6a7oMa@9&1eCT*@)!FCj##*bbgU?+4D%58?X9JqsL!iBo4%g7=&G=P$shfSosRwmQV!aS{$U=rZcy`a zhLpQR4tQ?>y+i(tZ`zxEtR6GB*Qi~8tXejA@s10x{MDk1D_i7W>nQz%J;1o|zj~qi z$~=xHxon|IP5-=LSKWARVqj>*nMv+4FHtY#gmUQPW~#<`A{-c>zT3+5%RHn$*&;`c zy_0#Q9u3Mz0QkZfSmm+t$-7#OZB6&0nwb9Iv6FGZxNjSGap2_EeMO(q{_uOb zVQ%dv;gK40M)~#eKT6S0l_y@U9KFg;{DUElGn6{x^lhouRN3Y6 zovhSf+lMy#IAOW81O3ka7VQkgZunN(>t@y89?E;3gRBOot(;$t zHR9)ux<1V2+d=UQaF3O7$p0^-XIxeZjViHZQ>^x2d*(MALmcED5%N_fhv$*qZT73c zgLzi<_&QwLhkO}dUwU2rxbglbjrJv90vA6NgW?PEH2P|G}zw&)Yy zO~P4M_WM3#^N@&0k%xoD!d9PtGDl;*03GW#os{tYPKC+OYe>MR(k#+Vh4;ZSD-=D z%|7BkNMG}j*F(PnYIP;=Ki6d%uF@|_yL9r&K)GMeyvY1=+bVVav-YE9-RD^><^|Tloiz4cTdbT=dU4hSjrdk;j@NG5c#4KzM(-2P`2nM! z2|4x|73b7;zl+q1bo_6DoN;d@Xw~>MZyfr`y(HwF^PIr1?`FLY&*&y}t+LG?<==Fm zj6>`t@deSitfsVV~O1pL5tGzH=)m7CFO{@wwOd-m^94i`>Oy3}W%23&MI=j^*5#%uVmRyei1Th_gX=x_A$=^GKL zn$M0DeL+3+^>vVh>*aHj^Tu}`H~alz?*r;-O#e#Dhs{!%=k1Jij=m%F8ug)HpSVvL z>UJ(b;+emZFWy~dT}3(2*YLwHw{+mG6XiCU-{0q6)ES?g*$#}ms0EMq2_92@ulQl8 zFZvt4*a^D*SKqWwtuOl(CytbJeDcdU=||p`qx|f9z#o4Ee0e_^{{-#v*T$CFpR8Xk z@9@&!Xa6Xad*i~{iR?S(GwdMdi`FL!2BkZ{ROE?vI(jF?-boW4i@nUd%evf-SAMP+ z(^cI3Nvl?LTgM!(eWbp$3++$6;7dH^<$f^!MC^(U>F1^IRd%z;&-31AdylO-SL(~Y zj?ULf^akV62r19Zyj2fo8tpIRkn&L;^eB42-KTN)%9r><3x4m{HF$ZHNgnFSy!^>- zO{)x3V#MzTKgQ+VVYljs9K2?FKO|i0LwnE%2nwc6fSLMHI#Sc9uIN|>mqCmf2dA*YL z-M}m^_ka8Y{d!ihl}}9nO53X{TaFb8&b&tSBKz)EnZ2(DyjZJQf;Z<3+a4MfsW#dV zPZ&6Gw+3XM1!uj%xJEwMr$J6h$9Zt%k92zd?8RQe?&F+WkIbWQyt&IP(AzH zb>D}GJo7){&qDV9jp;0f8|nTn963aPAdmFt!Ou6A&JEb1ezo&!+C5^5*4#I;WAVJR zWgbHwXip&Ri9NIVz^QD$0X;PSOMWmn+gj^IJGB?z*3LXW?2cCO>zWE`WTeLXEvGu| z*w8+{qv%EGnLpa+%uu(Fsw(}!yBV)bY+oOAeu>&ODY{C!XkQJS^CgTk=0PCgM{7SD zx1;<;HSkKE0)2iB*Y=!@eK2rM57D=*$Myd}&F>T=w>te0q1Wm9D9XXO;9XYQnRp=W z2w!7(neB~QH`%sP@_~+Y*a1ikEXm@bEzAeNq z+1#XI+_t!8^1n$$#nP>2cN-wJV8IA_oB1ypB3%3M`J&ObnL5;9{x!|<`?Wt?}rs`g#30^b^0@7-6LLWwB2dy zPb+!IQ~WKL?v9H0>NHgTRis?V$+whgRs~ftzk`fkA6~2S_3(<@Rf+4tT?QQtRM36s zmV3>aE`#Nr0NR82pM}Uf>6j-z9a=el?amDv;j}OKKZU=h4{1BUsjaNL;CC@!3iaW~ zdq(sRdIi|aCHz&ZuTvH0DJg%cKMTCgldqQWqa7KiM!5S_-H3$gj4kmqj;1hpj zh4^{+*Nb;0kT2fP2QqIXKZMgi9q){bA9Z_!w*BeY(J>9~DC;aE4qv*|UhF~iJbt20 zn?gL6#m(0UhadXD>QGkucKiLM{LH)9o%9#&10=p}2mjxGTNb6}MOO=JKg#@`EANS& zNWHb(tGaVUKah^{@GqgUT^qSZ7khiSzvzukAsIjKbdS{t$6t3X<9=<`;i<}_MUPug zvd_@E)QElH={-rk%(}Pp)m(n!=kTz<_bF@mB$Hm~C;Rvg=YsQ1KHgdW8_1?=3_Hkkf(R}WOD^3CsW6@NYRwtmioe-Hb~KN^obyJeqJ)I;U>3>{wR z+$2r*r;D}Oy0uPg(>~Hv6Z8DO zx=dW|A@9iUD>kBIGnZXrr_fHj!+r8s3*RaJKjd*yy^^6%@4G1WMX*2l2a0 zA~g7O-^UU@U`cA5%kNwi@kYq|j6mY`^U;x#&KM6q)+Be}^gDdWpY<1X#9P9R;YNDm zjgazShu$djy!y$4J!C#4o^gu&(vINRn{U_8TC~1$UsdM%^U9;{uh)Rkfm?#e2j{J@ zv-!^)c?EjAWiC+l-H&tWk20@ZI=Nn=|4(>-nf##xe!l%Erjs^8(i86HbYz{^`v`5M z*R3r}FPZ%x)EoFX@N?h0!ETa%;MiAo4&g%tho5oYraX*qeP6PlA)Wc37M+h7XCD*( z#`yn?*E8@>8sF;p=0s!vST*H`vEOxdtjQj+mGwXM0$Q?H^l)3TFQ7+mXb_Quh8uDA>F9T$)14_JZrjh6^5a+E?(ikkt%if8-3Vu0ZRF4SBEqRB?aVmF z|H}M1cZ6^5i8Tkxx}5n0za8f*fOaqbsP;Kkgyzt;%H8iTyBg9pOmt3^`J8@+5B2|^ zrcR}jeeasiS$k>3qkpE`9Iv%L+)4P}J(bb_Qoi1D&X;$lS$_|kz3%+8sWoL^oOVd- zu1YsuFj2}&{mF;&vELWD+;?-gG!HcXbxtm1-#RJ!70XZAJ}JCHB}K{fj&r-|aHuqfdpj%M^KBOW3vXQ}N>ilWcd!ud&`EueQ0l z;6`YY?Mi*Hqb3ijzoN#5NovKpgu;IQ&WX~qe{9Up68HlIU49w@J+`JZyrf588LzlnK23VI!y{Sx$hmIoPq zbN%?AJAGun>0cji(NZn1+9J#8F!@&i`KDioqznHvWA*}h-%{YWUo1YVj3q|pX=-YALqmiJ^npFn=1EEzfYWA z>8;Ox)gWs3*xLR2i+xYKFdoux9{J|zUh{of&hu9CKfkbF)6VkG0`n5*3BX^ZXjeAh zvnF!y2)?ZEX&3nF`PUS=C7${Nv$+&$XcJ>TUqm?LLf40m@(vODfbk53zY)R*Nc*uq zWqtypk2ybMS8vFDn;-v6jm?$UV@!W%Xd?CQyk_NH-MRWWaJ4{-e82USjM3&r1*`*n27sJ8t?&hVE4ncu*fPj06Tn>J(R ze$DB2k^B({{A64)udqJJr*4gW{o|kEvymyP_5R^csnWH6hdvpiO#9ZY#Exejjr@Z1 zPkHfj8<#gs=p%luO1^pW7qgDiXphfjrmehs4L#LR#_iwB?I`<{pnN?F)Xd%garD zj&&5fg?=Vpr+1M4f-ii)$)EDlJ~euD&ED3no9Wzie&NIU1L`y4boO^2pL?rg^VfXY z^0k}kKYH^yWAy*K=2wols~slmY|26Y$e|G@oN-Ay%4uu|(gW!)(z7mxj}elN_CyZ! zbzFb-x>WsX``?<^NwL#U9ctw}NjuiV$8N+-v)|i#K=D5^_{C{;)0Ey5T5h)nU(VTs zlRr4~54b)asw(DV#)tEvphds+87}_S;F!kcU6u_}oM)Z9e%H-?KgvTpfdd)u;6Uiv zZ>Rrw?}hV7ZPSEa+OlGcDvfiCaQM;wuXbOrQ?HEqe^&G%_2PX3 z}>MCv=Mw&{;;Q`a&=HePwr1W+NPPjcgMUk?4GQ0$Hodo;^MNjN!tA!^*GEV>$tR|YP4>_I%>Os9ar^OR{?!hO z{%5>#KaBnu)oRL++bT-g_84&?Rl)gkuap1mS^q3p&~5C?qwH7KR%0S_tlQlrR_2c- zA6!1x_3o>7mpGa5u4J%;>-`)p_aKl<=5_j&btm@`^mHR+ABS|v4UqHT>>qMYp7ko{ z{IClPd@r%N+u1mc@yLGwbLULkllo4A0tf2}l31o%IN_$g=y_;t8k z?T@QnXUn)F9KSg214Is355e#GyHC$=ERa`-0^A$HRKPS~u@2|14vlvp$3leaN{n-~O|mZGSc2uVg*TIXCP=!qMYE z{K~u&06ptf#y@s6`2(>7slN_OiToa}yUcd|Nl(LmdTsI3K6sPGro!0`%E5cymda&r zs^8aKPq}aKNHw{Bfhz8?dt}~Y{peftP>D?5JB2^?IreAXpm}-f-FG+rd)`s?SbSkd z+0w)1-XG=coW^DP_IhVb;mr)NlwyCH`dq3|K7LPlYZF~f;rC}fEw+1FFEd`J#oq1T zYz4o)J)y?4=HrAPe7T>@IHG^C=aG{FebZHb`eduTSBAWij(<$)H`iw&Ax+DySCMPB zMCAFr)U>~9ekT&UoPIsGWp|bOts)h$+Nz^_8>NrXpaZu5?fr)_-|NXb;`HqMf931p zE$blGU&kstu3Y(SgXx@yi||2@0^v)#>hs=SzxjHaR=bMz{>aax#O{KQ{bU^vl5s-ht<tM%4~H6*d^%PWyoY0p2aQ^)EeC6sJ^H~_o3*`$Z|@EBrM;2ETlxED3X1bG-9HYH z_9b8JUi1d{Ng78kUT$q4rGbZC>X(qhdzwbQnOB)7E;(6e)28fG*3o;~ot)G~%7NZv zokqUkrBW4pyza4&v={A5xqzheKH-^jR@?xy{gu8I0#_h=`tPk-4->XM zmQ1h5%`AU3QF}pOzJ%4h$=&OVzBAfk&;cp;$-p_?pA7CP^VOKjo>hk~8=EK}=6U*s z{>MH>uPnT5H$G;Erz()r!>v!RrLx}P+-TVI4Qfis)2eEn!e1-xnkM=WJ6|uKi>fxd zOyOgp9YmgbWSjBoNCju9pZhf5&Y#7f zZEm||hEGU!6?yl-&{to(%DRpIr#!*4vtCM7*-q@1{rl`XjEr!Q_jSmJe-l~Pu`VN? z_J=R$R@r|Ly`c_x7ycyy!Y2_YpnZ$RV$x4^z?#{_BJZK-;!t3#P7mCfs_l# zxWrDyeggk{`?mRU-|YAW+qy2Y4)ELJ^fvt1X6^d=M>EHNSt9GG;^}r(j~VH!C6xWO zz=42{B1fDbrd=t=p;4LUOz{iRj=Y?>cy&Zyu^R_0m>yK|Y@p}^=+RH~cY!U-d_RPk z-}efuSY}{EnLcu^i+Wjt@HNI8`4Vr5o_I?T`_CB9I^P&>3IA{Nhue5u_6n_1HSF|U?_~Eg>5Z^q z=8Aj2WR1|+2PHneb@pdg-Xm3!g$E|Lnr43ggm~6#;7LK7nFV8u{T`U8yx32q=X@Fd zJi@uJ544m&@z|@0(r?)FQxmU51{AK=x?rZAJEBu@HH0xWF{w3ZBIhSb+ z2RD|FaA5A|A4V_uVHbh}*>?c91daS@H|UM=gzNp`kSN~)#e7Re<{YM;)EybsV90oZ zM!xV#F0@n*)@epQmgtRiKa2lUzR0mLUrT%~g&Wfwar7Vd4(oFC9P8K1=Vvt@^V~;k z+hI~(?->hazJ*`vQ#nWEU$s*Dne*?&Cl^|(N6hioJ4#h?6aLBNXNiva_3*lcwb>^{ z%6WZD@<+H)ufZRF*e}!r|L^b3L(d#}+EMfX|2NZ4_!BtC#XEwm3*iSnejL_;#FGv? zo_!x3jx^n00@^9)fyf>F;6pq(apL^3IQS zLa~{ddIhUD5AKgDw_vQPK6cWss8x1S$bV<8X@CLFHe7|C;4E{>2f(v z<`K%T!;z-<1X@VHQ*I#r0AC>Kq0{jo;Y0gjPk+AZ7O-IO1c|4eXKkJDv+T$FZGVrq zll3NaI)Ca3v`geyLSIqNLiING%Q(~Cly83%y|tv%`P!M{f&ESPXCJjD^ojaDa+XHF z0(U&=Xj^E2kNAP9FY!siD(x3PuUykx%7L61)3HxNxFtI7b3kVa(k`q|EYa!t1WEmp zOZV~1%-f$+j1svvrXzo2_|M|VwJ{z1k1RUwnt5P{MCIS+wq@5crkXI9%(9y89o!FeBW#xLdJT^;6O-mjw{jSznX=P}SHAWm22MF z(V&U!yWuBbe~)}BoNal0*UBr}vXMPXWPGfYeQBGpi48_;=mW}a2{N87#S?C6T+z?t z*Y5xQ>KF6BAhaLplY;akbVi(TOMF=$Q6BDpk$FN>+ioIeS)K*zS%XS?-+PvRIImjQsKjA=QxyYaSlKCBaAavkHXl!RA zJ>@c{vs6F!Vf1~s+8TlIN zjq%CF$tSt=KbtT78SizoN90|a`lHyXk53HVHL(wky&t*N zrtrC-@ye^|?knY+E=knyN!1JeoD?1PNbotiG0STkIk#d=r;+8gwIK5+p%h;V5yfe9dyhey8oe%%393k-Ph6P`}WW!1vw9Z{l$KorF6#ju|$_# zIW(q+f44RbntM&0B<%^^f6JHjK=J|qw;+6t{hAbi+CM2e_(SJ8>%itL^Ag_&BtE$i zzP#^?zCtf?-ygZgo`o)DG3#1&Dr}Q?6)okf-wzn29{f^&ZP{F1WFL=r^xLiY&3Emq zCh{Le!3hU`jn3jFIOW9ehP;wKDM-I0MMpgO9ZGk%OndLC+N7dAGHpKDPRgV6a}u0% zK;#u1_^Q^^yIv=HNIJ&3G29Y8bd-;ChDQ1u=SH^nzt>wqPdwq^!~+Qj63)8Z7;eO& zC!BK9UdDLnfY?RgMhHLFA>gzl{Y?1Vlf$;R=ocyPyFy2No)Tp~eoiq#>>|Q}Z8J1Z z@nzU>Q@r_~LgKmS!+y&@h4AHE-r_eYvYu%*OztBX`9n{=8JF}I_N}qr`g*TiB7Xw> zzDM-z*RO4B)#G^P@lG)=@*g97u$Q4{ToR7_6K{m@p}&F9QEv9z_d5PovU;w`a_<3u zGJHtqckpX*hmuhmdWvw`hx7bHCYHLLeYW|ZC?g%~bHZQ0+VlKakM$xa__>VmL*+JI z>KyfycP7!B&`}O>pplMziT|f?Qhdm$2C0IjT;SwGdr^Mk$rl`G3E_;JFKmHv9 zkKev*%ii<8f)j4n`qPoJAyX|SgMduA{B8u|0@7krFzL3mP-d|3}8&+H!nndix8)Y0cN z8?M=>!Qa>(4H`C|vhCDJDL-^S3n`z2>hk#Jk9Pz~j~)U4r;vO)RId>JHp)lxvBcL{ zUn5;o{cNOvQX<`|U3q6EnXfV3#)B!Q{MvJ&M)|S(Z6_T69NB1$0DBYuWXb2h9 zuxAMWS$MW~(~l0lJuLDkpP%K6J)2ZI#={Wr4!Z_Fj#Ru40!%9X&&E@qR~J%@>C`k# z&M%x>lX=~3yH@gU5qieB&QB^o_U)m={vcoOp&0oRZ|R)_o!-1ZMtbA82%of~*qgRf zM1J85WZiN^t-r2eY`(t-Ru34a!wWb1HwnQv#d@3J^y$oE%k%( zHHX)baR(jcNA5XCc<}SE)~Rw{kn_oms}YgD4x4SmiT7g+$&?>n}4E^fA+zVZ|v_*!`4;ElFwViF9p3(Z$Q7xt<%@NLng`m zM>-&MCy&Lva7huV;n&>xp#Je_8)x}%rADO-{R-6gG5zmmEA^?o=t9es9-eYumGTyI zvTEF}mU$gcI1u^g-Y5G~6|QDnWxwu)R`kf@H2IDn(?ZS$rVr}iFaOHx_d%Ph&hL+G zP4zii>^AE0Jflk~-|aKxoX`d5&Y4|aOwo9+=gYww<2se>BmbNd4rH8yqd&lnkbl*T z;g;}mEv-+y%HkvWH~d;4KFpphTp^gHo{8*xkF&<%4MFyC`@u#}5>bsf1c z`1O2u(|wp$5|7-H-UvDGVGRFsXF$a|Ic5l-RDqjbCj2!`aN>car#!1O_bhR$#iB&? z(2)*EIFN9lF&vz70gd!t8{XgCb7Pj2gYw}&fR8bq5r>ZX797~}^w$ULo{yG%@V^qT z%d4ZrXLbCrKJON@d_iY~j6dEF`@e$NG3d*(>2`JYXy&K2i2k&s*Zg+!o|&;ck$2lh zuHJf2GlpBjv)ruFW!a2D!q07CO|9O!mXaR5X(_!iJh|G z{F968<#rOjSu%zHR`u5i!IR4ex}@3xdj)#z8|F#U@BRGrP2mCo%C>Eh@mI%>l64vS zl=U9{j-3M^@Z>`5_oV0!jsA$yPWoV z@iax>-Z@t&{%5qrH@V@+qmh2irPR;5^!Jo`)fjIHM}Jw0H-^vHJTBr=i3u9#K#5PP zU7%zB0SDr5MlJ~lQclJ*;lSK)ss=Y2*4d(5K=*$Q*K0$aYu7lNWVu*J{%rY99$j{= z{l>d8hic4K)^xP#z;ZGxr%aUfuG%*5ze|Adi(;6=M>jx*B@DMhwRhdcwHnaHs2We_ZYtc_f<$oy=WKy z%VJ&8e&xv{UsCLs^J<(+!Cx@%Q140Qj?P!R9?WRv=3^t{NPm~0yXig0W^!I{%d5ec zT3O7%nvjy@W zgC#mCmnmQTWR~bHg<~gMivPF6Z+z=@r%1Jh@}D#Bc_EJ-YW#Zfc)~UO#HhJ^-`KnaE^yz-Hb`-iZLu|IK zn&zugZyWph%1AE>ryRPUWP+U6`+Ir%i=PEQBl{n^Ubo~osx5jI{hwS&|Dd-xKgv65 z=r8D=mMnd3S#5XIzl7#@;_)*&%q(mbb-tGAzvBv~cYQ~SpN9DWzczL&knu}-Xt&a} zFIU`d8zcH2y=Mvbp0Im+zqlT9Z;gD>f4m2U{CU~9-puXXRruq_#IM$>)rfKnorbGw z^UDVIJ!U2SdSUN7ZF=x9wKUVk_N|LO)n5Hku-${(OH|(#UB15jvyhyD@T&bfTUTxZAhxnnGpK91ni=8>bPQw2w-s;1X+b$VHwSUUTn4b3t zjBvuq#&xY1^_O`Kd4Y~`y(w<`$P2@cslf{Z*&UiQZAZ3i`D zIDT$j@AQ%V4I{4W_W=@r$fx$B?Ay%m=Ar-T2ka%vN&f>GAK;_|2Ut$A4~B`g;Os}bj+{BQ$E@U+z7E32shT7d4YJK{=RaY#{MJu19|_6 zdczm{ob^_xZ*7O|-gs8l9i&fPzv`X*XP2otzu6~T+~KM+cS*RI?^F-L34cF3Vvx(N zh7!)YgLokMgZm%PyfONTd0wZTi09pC#xLoCg!3*iIP)+53f`e69eR^>A@53}53n=) zEE^q}d;D>qQ#6aGNbQD5{7;pjcegC2#R^)qroy^$**>A>k%n(tby|DPmuZN_V;S4Vy^K2(vcyzjZ!%qs&9Z zGtR;Pp1=7%33SBM?#Mmie}^rUrG4d%Z;D@Z+PBH@4rmK`Z#{lg`=hU2Hj2HckC#Bx zxsyJL`q5ZE%0asW^?P@VB|YIuL7ks@Kiv{N@=rYD1KbELm6LGnTKI%*YU;2p%|h|t zJ)e?XCI<_Yp={q(!9 z`|#22g4Cwa0sSjZa1;B5`u|&y^$d{zDR}3+ibMH;=QSs)PEUqTI_3~20#yjEU1D;&C z@6V`Ax65DCIR9aU@YUsXk;Z&#q&rvp{W<6B=6Qp3O-lTB=AQKoIY)>+Kz*P??|~cl zpU?xwbkGxyo&_f!$aup}z%JS8ZBy2|*mP~%_TuYDuNKI~L*#v^h-IgmsAXQWHZzp#@B^aKa^j1OS_k2;k=!ZljR*3{5rG?kpBQkKjC4cr8_F# z(De3lRH{k9qbK|NE9(X|A7@DEE9Eqff69Tq&wHwqyPvwTclsLBKHUUKA747~&jDZN z%6rR<-#k_~+LZ2Xd0)*^KP=CB-^;4-1d$_4boze8NU?i*UAyac=izN-m9o>)Xoo}E zE)Vxk>pPhJ<(cdg$m?x|iMIB_fQB?l=F>yzTOYM(p5XSm{g z)4@L{b&mGgBXoMX&3>-RTOvMYx#ny!o_@4cU*o=`kq*1z@8RbB{~pdbt|$HYpW`j3 zw^SbVuW=lMZyS2Fj7^~_+JDZkp6a%6)4S|^p6#dOqqGOU%Y3|E`x@F0 zJycI^I&x)jmL{Df9sP`dkNms$`aJi=0Q3A#yE88!56nx9r~j-EEwzuiTt@wR2U$xj(S$}RGSIg>yTVMIlo$>>jAHenXKw;4f#(3-~z5L}&|5r9w6GrE8 zZ80HOrGI<=&sCAGvR*)b;155>Gx3}w0Wx1fPq_2+;J9h2hN}ThdqxEdM2l{ZeO#We5#aox_W+-Lqt%;=g*zdgq-Hq>_T9@BRCeDhYif74z!L47bBxFYPYv zN&BI%kYm!%^mW=;FY^J7{{i4PWL>Ia+1i@lC1f4IKk)2RkIlY3( znEsXMDme2r@onpV^xpg_Qk(zjujmqk_lRA9eUM!EBx?1kS&{bQFH3GZBOP*U4F6x_ z_yZSr?0WM1yWVPko{>%~+fUT+GydE8V>czmH{HCJ^?uzG`P2P^Tqngpx$)>@?6%~l zvqXp9vJ{`(aQ@RwioW59QtOL{L`ysJUQ<%({;%To`E7!XpB)DV-SRH4Vtg-Tfeto99qaaf$*dt=eM)3n3XEu>OghvafU`IJNSv8jr1Rb zekoV**)%Cf_<v7a-a*fzP`B%p_T}$7+gTuuRL@t5UgZE?kr;76b`e;q6Kb~JR zr8oN*xKAA3;cSPPHY?ToKW@Koo@<}lcWfF1H^O`-6&%3lHXb29F7e-L_o9p|d>XJOX? zIk&`m4|}Xt_Gi8siyTq*Espgs5~md7r-|)dk6|0V#BYIoP~Qdi9aerR;iZxbS??r8 z{~)K&Q>&+IlFc_Me#rUS`$gVV51pGN-}DZ>4|+EnD|G4FZ3=rbXOiG)nx^m4{Y{YI z#{Bj6S)?6Y|I%&JiVaE|aJuVqr{2kiUtKnoEO&EoB6_`CJw@NpAD`dM^Y+NGRn8${ zpX>MJI*T8Laf+X;MX$AG7VlYQiZ`Dl9h!d7wri=p6#m;4*>ZRdh&TTmOnV~djK8C2 zdlngWahC>U972!1559jy>&u^lo6A3Ft*2-`ilvOz+~RLesB*foj1$U@9eTXx`7+I za^QIEG&$#qeS`ibU7C8qr#p0a6#pImMaBXBKsxG`@c6?3k9*tY{H4+V$UH*3H>=WD z>k_s{)fiYUq(hUgl8*J|KZTqZfe-Bs{!bx(0{9s3=MYZ4!Htl1H-=lnkpoNdmcsFi z5Z``a#X;FT?f><5hyOo?=y&Riza9GreQX?0=poX9>+&#C{j$`x{}$Vy!WVxM>6ypCjWA?v#dq63x=KBb@kX3_@9xte z=J?1#GEWiSEpTG>jQ2v6*ZX4W`!w33QJKFMWS|sk(Bl{8iVTedN3`{e!-T zAO0-rML3Xf{(GJjG&Ho=BX_0SNfQ+72D}}rg&U}d- zKs<732{y8tU4P7Qcg6h=_)tI2KXY!EaR40x1LFSJvY;$qX(nL1R1pRpX5sszNI zJ-=7=i@Gv=ae>X+o)>8c<;fSN9HTPDrE?yfY)JcJ7jh2ukbi+R19H2H{heICcOEzU z{bBD-@~?|g?=cT!7a8>m;~9I9@-aVvbAF0(PdJcy#j{$6T&uoKQY)69vVBr`g^cf^ zd2h{aJ!XdBfnyuAIdy1xqH|oQokE`UI&nx}p+-tQ0E_v7lXk# zo6lT%I_kk1Wl3Mbw?XNrpXcgLMJ@|787?(td42rTyU# zWd8@8cNM{%S_V}wT&k-fy*aQzm^zdh&*GNyiG5p`g@tYg@S_)^LHPZiE<;6c_i9dE;>$g_<@1KoS--3gtcCNok z8R>r(pV2&`c%Dp=iTLmi$MQ(~0C(Gd8uRtf^0!3abYh?EHC}a2l&`VFXYTn8bstaAjCAO8V>tLOwP)7eEWPEPG2uo?K9rYu<~bnsCq602 zJ@cgK$RC&#y`}i`8@BFP)HPg#&)=bw_-9Lo22AYy!!OSKM!liOt`R)Pwai=Q1qM;{T6odT}6eR}9Ly+C^E0S+Xb@pt#g*T_#*mMQ*afDQ;f`fP~9#oCJ;Ix8cj{fyy89KQIMjqyq0 zqz4-5Igdp+bp0b*wXOPffku7&0w+fXFNra|+h>&sk`6y(i|jS$PfX*a{D)r4XT8Wg zFEC!AGvbZw=5f9~tGnhIW#6AUwJG zF>jHM@}oBhXP<|DHbRGPeILAU_N5Wy+sGF_K*~q??LQy1y6)yF^*}D@ALs||&2JMw z+!J+jbGH54mzj#VRsjOIxp*A zBfkGe=lPv4&rp_NnDc-DpWg>cJbaDx{6}GIAN-uJOVyvY|82A?;#TyaRmXLz?Shal z@3#2J`>pt6NRQu(`enYHZQH3%K5{RFa#(`M1AL(C^lR@SRVtg`fh8O|UB6Y8_l1o6 zZnQh;fUFO7Xg-&byl~_Dy`)bJkq6x$VrS9M`uBWm%X`#+4>$A2pGkdy$gvJxOy@q$ z@5tlt!+%A)(~pc(%FX*I_(?ghsM}v{^A6v$ z&{a)e8C}#Va+hk~zfqTo%L6p_(XpSnXHNKlt2cMeZ@59@d<^#^X*bGCx%BzaMfPcF zFJM%&(-r5f>u>T)j}ZMszd;9I@WOw5zO&J~pUACWn0=w_BUea0X5LgA2Y0xo4(G1Z zZCv1JdAE3S$nDD+26q;JE93QEmzSIR9P21{mVVwMT5#rd>PvYFS9@5^zD$fth`qAw z*{~Sdf21F}>>JUzm}3id%W=V+20#8IqWn5sq|wg)i}F_VYF$RoKRDYLu23Pon(V`q z4*d>)m&P4h);r(Dz;~*wOR-<>%s-lT#O!9GfAJ&3cX7`l9bdJ1BKOYtmrti_r~dTq zQ7?SIi|k8~K4+SqaZPLn3SY`cJHa3N)}3}gAKGq)(9@3pYpCn*Wr}_#zv(w~ehQDS zF8zkSV|;V|ocb_+iATpC9Ltbid&mIUj-?(jMU@Ce)hve4Ntf zNe^}ZS*MguLOZHa3!A5HX){>-$K1OHK74yCxPs3@)w%eAaW}jA$@vcCc!m9lu#VQ@ ziR6KNd6%C06Rz(Qb(i}K$ffS5>n(Z;ddB~z15OLREOSp!-V@xu5( zPtt$X8%Vq9xV5w!?Lj{H{ftoG$L}xc#+6UC=*qcBRpZmhDt>XD)WN|K?OYamtNz*T z%BDCm)%31_t@?Vs(2V{MJ1XP}zSI|(?qT+8u4lRLXD#Cf`-=Vm*6|G(ySIz0wBN2V z!^Y;`=r8I1USIS60O{jAW6NZ^uto!CJY!E%P9XefZ{{uD7r~xkUWD%5<@Ak$ce*P5 z|L4Bae&{RuIe0^%gWHPtRP1llZ^$2b*zb#WRhYS4qrWM4&0fv7K94c)Te07K;nhT& zE+gBU-e;_t2(r&e|KuL+8*%sP05v7BSkC&l%;zhRKiY$H0HL4qWY}7xp6o+#pOg8W z_GP?-qi^iWoy?W-LJx)A%s#GOKl8Z<@<+abbFZzuJ$C70?axL3kGQjr%W`=dzTMs3 z-REE{UMixPh=75Cq6jt$iY*|Rh@jX-*o}p~w%DylkKM=aKKk-`uKPRp%f)lQ==q)J zdH1t{q0)5dwJpvm(-72nZZ`j>X#*L~dkw{Ei=d&qn|Jfu+8yhk=_-xk zW~^s<$04Qa<{c;WbUuxe^B}YzzczTM+FP2`7!jyirFrV&U^hVQ9r}ZGwU1-_?dnd|7kKL~2y`Ey5?U>zie-8fY=R|E~opQSA=%aoG{51amh_X9Y_)^=$ zTHLBryDl#9(x@ln9XgrHJR5f9s*mD+o_>yFriQ($uQNA@JRK@kzuCt;b4~lCg1GmGA%g<+i4lcOH{FejgV4K=g0$o6Kid+?cJ_)$ZZa-+7YU z?_*rJRlC0Yy3-07_v9yDe+SK9_Wg+m8rw@aP(QCdQS3b0@oN6~VUv@a*Bzw4y{Osa z8RcC~|2K6IxuHGS1K{m?EB9&!uB&V@d5;+rE} z8&qPb*w6G6_AmA{^5mkafDU;(irq?ob50Px0jZDA*|^c=ojf%5(Fq5lXIW>#PwdnB z9kSOi_P4v7XCj_;EAoh)O*zkN)@=~o@3ksXDE;=WTVq83_Pf10Pnz?QGJbx6wUo&W~lt^D?2Sp2#060L79F4tb{LE`_X;ogZydp!v8PO@C) z{a>vQ<1(py>?iPE*NWOb+Gm;^q_ESNf9UT3*L=T!?6}6X&S+_}-<(wD6LWzL&T1)Uqn8fhXJgi+mtYoQpzU z7zer?P*~2ZcvN*8`` z4wHW7of!D~I4Hs?PJc*sY8M*4@mbF0CWVR(jJxu`a>? zk6#Y`%DPFnH~mEK;Kw%B5BHQtui=lMQ-S6)YT7C2lRqh_&u9LsXR|K(otm!H zM)tqww(!9rHScAc)!&+Il=f5)bNjopf4m)OdM6aJ)v7G#XA)a zdAqC5F*6nLS%H>$QyhuWY#Wuh*04cG(R*blxzxV8c8a|3Fa1C{Rf~i+kIgLQ2JXnS zD|WyfIiEbdNLJ^N+W}&St*F%c;gCJMOzW^|8vC4U|4MaX*ZXy9s@0?;`5mTdtb5Ui zz(?-+kL@ZlTGqArZ!$+*+`Id|d0&}(jEuLHV=A@3Y~`ok?7VlVuJtGxclh1(e(bFL z?(eu%YG#1Ui^x6wY#qGvVr)u3r8(vadvRu_8j$CR?UDBbv;ybSw_0?wzx-pXHsH zod!i6-1$oGk^Vhv$Mh0wUuoMqS1izZ(h1FBdxjyorffE?o6Pqx=@;t3`Um{a)P8L* zUJ4MqpK$8O{$1hi^D8II=r7}tbli6b2kQEi`yf4}-TFT5Ol@AKEI~U9_?h<4+(bW+ zf90#vF4=C4lzEx?1G$7>2ZGZcsO9ilTVk{PuQ!V~Yn+F|{{xPl2K|9wx4XJ~%+=8Q zgu^fN8sXraFCZL<-U$4B!*_qHPvZ9g=bg4ud%n6?=rmY?8zJ)*P?uL{1x|U459+^j z=Jy~q|*A%1_q(2jcf z8=K$Fh0ol>18@A})`#$yQ$#LV2e2OHeLeWdd<2eu#?O@{@0WPgi6)7cKkHm2!DD@e7@&!k;)C^~o__@!lKnFu?EfPhHP`vf8T3q$*o( zO2YsRI~;xgIbZ+grPKI|-AOp-l6Cpw+(Av5zj%io`GY^~AAnO2(sM5)y?2(=8Sa?v zRK5LyVt1eqyT0pjReO9`){7D9%jK;BGfnH2o~p>^D|Q9j2W!}u=f3x`x^Z!g^c!*# zvgnZS`oFzIUYXA*XTVgCTB(b>sowU54^&(?SHo@_+UEH0w@WY3Xb1BS>9&*{o8v;J zqhhB(w{A*Xb?og?SqEVML+9|^3mZFr57UrW!l@5>>e=aV;ulm>rXxvw#f8huBZpf$ii>t^b{z3dg{rPoQ(~X54=2^*C1Mv15L3x~L-!MgC~F zzD}s6(&TFDclW?@SvSx=^bqZ2-;#O|j@%H=`U5$^FZ;Xg)*{!BTv86%pY7e5`n=o= zW4_}3i-h$nt41WdI-|1hF3oG{fs~g9c}Y9qAN3gG(s2KoR;$EM?AvJP%aQrpNq-?MK#Rv ze9H4`!5Va!U%{Jgt=Mq?=wR7zV7`Yw>F~3|f5OLnnqOd3?b(Wb8Dl>76ZP~ivaW=0 z@HwG>C`dIfv-sVrSApu}+J{}|-rg&IcJ`GhpYn|L+7Z*Y-T|lQ!WZ7%7@elz+rKya zsLIvT1-2NuNaO)}?4!^h;2!k?{i{qHDd)D32V;GplMu$Y+w>o%F&zA2_wfmuVyAEp z-&jBV@z5b&e?Q1dX?=y{lT>sUZ z)(V_{uiBxWeUJ2Erg__1U_k2`x4nissT*oxaPiTzOfX33K#z5R4m+!}fiF+bDH161 zTFu(F^}JW}RYa{ZVaLx*mHC!_-O}h#hke7BNc*6J{TH_+{kqL7I|@BJ|A$ku*XSjF zTF%vQ9uhrV$N6#EwofY>=(ZF(@P~1&`+3d!l72|oKJ$HF=0}~5i`u_&RLTh)dn+CP8%4!Qr3IaOCKkWqR$BjQg7BFq_3B(`0j_P zwyOh|es^mc6K{v4y6<1z%S!m5kINXP??*VB!p-kbW5>{b$^&oGHqF*QZp80ven@Rq zyG?bW%X**ikDoJTjy&Qaen;j5`iFBRlt()v9$oUQ^xILf!;x>^f4KbW<>`U<9OPZP zd(pYu9a+;+Rf*Z%^u}l2J+YVfnXvzaUnYN=v0a?6;GVh>GEW=BE#b72bsFd1u={k_ zLinfi%}Letm|UpxlwdXeYR<78)<()Z4$LFJ3hDn}%}09uy~Fr%zj^W7T>b4R*elD4zWPHbhTaqI-Nml{x2EnBT)NrlX&X;YR$LP37%wA0{Pg zS5o{%FBs_|7s!t>{#Wr=H^L65y5X0oe!ohG^v@@{%vc;ZQT7=KH^NS~EuD|1nEuP< zvfh9mdIN~R5Ig5($qltub)IP2-*T4q68<3H?5*0QtiD-2?vuRIm)_o@pBj|hpSP?- z{JAxQzQWGd=Wic`VD<>=P2cDdR2jXJpS z$EKU^w=Mp|cBogn?bknc7rtBik1k<9_copTY%1%~8#O%tUXpsc+ylZ6roG5Fem`*D zb;55?`yQ{cz8HAaLF9vd66i7CLI?RXLimK7*lntG;z-feCVOPF_`i(vIq$zBN5CtG zo8`~8^I)R?Zs=e9v!n->n{n@W+?PpG9^v{rwXg7zaM}e9G}e>$5^sd)EBsc(6HYme zpZt~Le!J~bzrZ%rM!i`$QbRA0PcN^j^b6s@y6d)$_?qI7hJ8mk&{$vmyNgd>=v%PQ zRw;i({@QQWr5bB0r-kY~|LY%3`u7+68G6h+I&QXmb-g`Nxl|jxwL%6z(|`45I~RRT zKIj3d7dTM=XVAR=M0@`Gal<&_UR_P)KHU27mRpSc~gJzoZE)hCSe9U1>GCF`S% zL-(!qFFH}|eB`~nYpG)PUE}Ph@ zySkarEn`rWuZ&yvaWdbqa#}IR{Ei{~Mn9JhjP)6?c$ws*z36?;Ndh@{3_m!J34|{D zO3)kZVg2H6?*Q@RA@8JzPv?S*ocJ>Rm|7fUoovbaVAZqFh%$a*eKp?MyXM?8w&mw3 z8vFjxhacegosI?7J86F3fPT^aXubx&nuq8W^b+f5`j>IVIuv<^r){u(|NT+UCSQo8gNkj zRm=}j-FGg??!82#KWKkakou60@nQ@|UP$+!LhhITQ#$zjjrmy*5Ke!98}sSy>@4qI zkS-}$tB8Yjj;3pWIbTwATcs$NsaM8nLYHxF%!m9EUO%GVh{6}UNj@V^I^YMtUE{1> z!o)r!+z5?wV2uBt!qK}%`uruo6+%@SG6(XPkPyTTHQ69ZmRdO#Y%sg z94!CYSjzva;dysfJ)QqmFZqw#m|xdRHWCj`zZ=shg`*cp$9W9!{}f_p|0*5b?zEM5 zk{>@gkZ>S=5%7Nt>Uuv~V_x`Kx;0)5O%_q2qncba$gWMc)?!at%8z_^Ueh7df_v>G zAL*Glz<(9KuV}p`jbHafe6>V}ac(L8e>)uh1NC_@P%U-1dB5`1iDK6p`-|}pf60%% z&bOoU!2=3@6-_KN5XaJs1_wVd+KE7Fp(4fNdoHWY!o;UI*(^R zoIX6-MFElL%CDdGoBzez6yDbYbdmd!&|{v^{qA=a{&)N;*gg2yS@)tBbZ9O2@~{Jd z(AVul51BWhLwnKJ@E<=-*}-`;TdA1}`xrZi^t6NeFz#KJ$6mN$e?xm&sCb#V3!+rv z9}lum{WDnlW%<j%SG=yA zqKEiz;2-hG8~eb2)$BB7tN&s-Z`FTo&5cEF4p6TOGg`w4EY{PQ9{gkG$0wFOwz0V1Jz>q!QNvfq$hrafp&boR-kN&q-Bj5Rj?11b zWA$%+)%vzI^DVyQCU!IH4D#hTdTRQ_XQLJC0QQr>OCDa?D%a&(k{>>DFWC}=K9F(P zYm|H1RE5m?qd@V1yOkT7_nDF7`*wE=uh4u<_vYLEG`zfE^4%%d+sz=>y74mI3s>!*`{(rWf zm)j;l?#+x!|1H<1w}a)J1pXmC+<5QTRrre>biQ%0@r-9S^4=u-1=$)*Iqun~r<7CJ zyVUM+6Wm1);0FvkQo5;EhF)rCk;OfG)d-gNQS|<;F7F~RF94Yb?^gUgZbzqH>RI>R zd+RRQphaG?z2D~R06Awdu43kMr$YKG-kG5vI3Jq9?vr~CTk|_?#LsGT`^z>pSj+yS zOs&h6x{LhcU#0zT>Kt5I#=eI5OFjn_i~2KsjL2`!2^0LD4%DG-6L@%-qK|jtN zvUklNXMNQkn=dsgoL!`TbXi}y`mo;e|8MZPbT@xH+E~`7@c*IXUy*sfoBh<(SAS=y zqv%`gBifB!!Z;xxkb06XWXJ}8hdgIBC#xTW4{VOqQhDEg{dZin3QyO3;|H6na$lc$ zQilObzh56M@$0`;NZmBrPu7Wgx*0Oxkk1I2m#9DgFL18L7*Bq;0-ocihY=#~r$f{zQMXo-^*ZKnFWb?eZG;%x{zOigAl9d_6)<>os;$ zioL^S{ORo&BK)GBrMlY>ezVS5&gYO{A16*~_m6|c`p@jHXy>?V*0+y#YcKDY&S`ji zT8mpy*1_~ir4*W0TMp1*5 zE&k>5ptmT+;ixSQ$0#F2K7hvfe~O1~9n(lTcx(SOzomQ+Q%6OnJm@U)g#JX1*k44y zFyFCG(a(i77P-g1k0g}j3?reUm)jJn1_u}-{0;b>tW~^A?2Vik$3P*w!ZbM z7Z@z_H0?B&hy6OfT-{?cn(SA*&S!Jk=If(f4q1P0Rlp1_^}Zf+YfhXXe7w?cwZrM= zLBf~v4f^LlcXyw}Q_rK_gI&vJo-Fgjk--CJX3N-3eOTDu_35-|*{`QwCEs{_sB_*| z&K<6d-10fN@;FUDhZrR9{5UMlFv_OAx9snwp5^VkZ{mI_zf{k3Y0KNVsDBFCM-u;` z>HJ8R3Z7d>?Hi!>j1Ag#D14U*o-m!8tSs+JtSfeLSFTxiwTY>lx|jSMYtZvU65$UT zcMUI7BT~-G(Ld;IaOMTV(Yx5e$aRyR>8f3uRYhf)a-!fuxLo>& zdSW->htb1b<^2cJ(O%@j`{J@PKUSPjrBbb2f9>`ujry=YBj2kv`+i$Bz)OP+ooy zLpX5n!CL*^WM6AB9=%LEx}`ess#h6b#l6pja*O=#l5vcF)Zd-*61$xHgFyJkK40;p zaXlK29IYl7toq0y{(Uw24?6)!y@&@I!#R&lJo*;>NjQ27xiW^sUt>7+=KL7xkT=p> zg2)x?0n+L9^pNv#1LtqJ@N8yv;RosTdYjKh=;hj|#zj7zPBpuW8oBprwNgvF$#|qc z%I28SZk~5}b;JEg`mXtW648bJuR`9nqy5we2tD}K$^YQ!KG~ww`foS86pa6Obk+Gi zg~$5!Qr=Ffa)h^-BkLyaH$a#3J6%p>@^=mQ5IfN6<_G_louSp5O|MZj|xEeJJ$S&%y%($1FHqBuMOlpUsz4x{I^wc^x?KEp*XW(-)O$E4;|E%C$b*lpSSJV($7epE&g7H>6|5e9MLS(>%Q7>)4qzk0yn~G_UG)w zTTGF4Lbt*-=NGNuuYMKsp8)M)-GCedX%~9X2*18vG{QT3toT)QyUbnAcOV}wao@`= zwvLl@tl#k8P#!R-*`-wPcl&9SM>^oNyMKSoIAyR}Xg%c2WG_F_6XfUIXS&+`t4_ae zzDJvBVCCp?SsIF6g&fci9J2_4CfsuW4I+8xh8(rr5p9H z6zOYv@3@}u13gK){}kSE4cpzd_GqDxpWr{GOMcE5Fb)X+w_vf3+xK^x*;VTQt8{g~ zyZmx~OYO00GO$AMx$VZEbo}p z-_Y^B5Yr@ho~;50LLW%^M%b@Rw`%h|wj`=I>HcXykRLq=Bs?itX8!Zq>;1xoKj38= z6yCp~?IHC;a5XdK7?sT}C_GtVPBJ^t4m3$Js@<9`Hbx+9r?I_2;MsDgpiKkrfJ}JUQVu_bwfAt zWBm8@%=|UdhmNscgyUxc2Y%U@Z^(lR-4uG5a3eg|ylGUbQ|57KjQ>@9#rRDhBYIONGenZXU%SaEoC!G3lK5=vFjp3dp_R78)`?0{v z4_>*ZoY+JDLE%4X+dCKcbej~QL2sG&^ZIr%zS5uA59~+u9Nk!5YiYj6!T#KkR>!w2 zUhAxgXWhzrpZx{sts6Aq+ro@nr2q8s)>QEi5cPTMQlj*?-yD@T;8iw;>Wwfsax_4FG zPI(`PC}}_IA>;@?;fF%bIEQ3})QfP|)04Y|6Vf-Y9O7^0d>VXYoapnHgURn=ez!JZI`caN ztAY6)5z68H)N$J< zf3UrMM9$|kpHdGX`GB+w-1cqXd~K?ZHH{w|)o%B=kFf{)$a}B)IH|63#g%?}&why9 z)8o88as^%H1@!aC(`#Q8**`+Yr&EMYnRT%ta;`oi0DU zI`Pp`Ie$t&qd&pP$NMGB7sh&E53;XDJnw&8`1;1z(~#*?qbEKf!-C%n!!-K=S?9yO}no zcZAIUp(KpA68=ILfA`R1%ReL=x=6+m@j%|+0Wwa(EkVjp*pKG@MEK0PL(1EAX6=^8 zy#qDI5p?QX+fLtpn*T!VW!@oQ@k?#n@2opEQ9k0ar@)~L4&;8YB?ukb#XckJ2lQLj zu|8bDL?&c zDc%^KRC~S$F8!SK+kB0D{lDzYb|;0OtQWR+>$PP{{Q2*Mn^&qBRJ`kg77D)bi}{d?{++|Z6}N6Q2%rT{4$*!=U_1%^nMmX_h-}pY&z(o z=h0W_r!;Jpqov*{>SY@PeS+Kg0w3sdM8(X^*Z{)d|xA}^w0$+ zl|HHXBYp)^_s-Qf5g-3k`si0<`OIg=@T73#I3zvm4{#%-9sjgkBRwMyePcK{>vM2R zFsXEw%EA6XkB|<(RdBhM{RZ?pDeG*~V-H$_@QZle-)z4BjbDg!2=ou*7kiNPL`c~j zPSM5oh`)t+%CR*5XRhmbf8eYA@=iAE+4>GmLd)eb?_VNs@PYae4&*#qhBPf7gk(RU zR;@hk@TBlOu{-|?-q%OlJ4xZE0wQPN=nZhzrQk+LeF#q~J?YxyUtPOjL9ayh(ew9^ za3ekZAJ759Z*ZWIUO~q@Rc?Fw3H^lW93G>a#d`28OCSL!ivv!jGLHha4 ztIm7BG2S1RVTKBb^pkTR#2fp~*lyApp(TD8)BP;Yc@)y)Zv!_%J>Et5fF81x&lqlO zr!k)LjOCyoi8sQe;*IH(!Yz&8r1Jf0{J-6wzgoVrKP=_v9~evV|1|u-*6*)+pAV4n z0pGDp;ScB2Ij6_@TgEBrf%t!*hhF;cVGHp~rYN-kLYem?#GhwO?_@jmd99dp+SJ}n zJKA^HtJRNkFV?8y4h{JO{!@Nf%J)Z^-|v?x>nr2VQaVfFj8jYTmBy{TJ7?htjeQxT zzBJ|&yTsG4P4m?qG-EutuKz+U)_c#*Ij5J~^s|^BI!4HUXM}rBcCKUy{cppcEua0VpH2UtwgY<^I>G%GO>@n8p#iuh$h$7YtB7wW zs(6i*`znP0ThJ)4_z|JcehRoH*sby&u|pTGTh`NbULqh- zys;c3&Ur**xKZBlU+a3-TFNQy?lSq+6i;<|*8J)7tGCdKR_eO5*cu1TNG~ZIyUCc& z*w4mzaLxmO8zJ+CF&vz629BQ_9H`$@DJ<b837 zY4)A9qC?HTdQ{bsb=DEB{wqskpA*fk{dr|W~=@U!LqYI-AG&ifm~!P)0S zuE0BIyYcLv%MtM#klqN5{X_iD!;5=`yC)v!gab)`vRwRw@`XHwkHiB>x2^fp>mREH zn)WeWMP5h;B)uhQthc`JYo=$+x4Yhx?Rj0s$bOoh-&H*g@pYN^P-*PTasCQynjbHb{G2dQ6YD) zvKzOm)9d^Aw({DqNDm*NqvIZ0aqkt6Ka~iTeJtXElmo8&OWc()oOmGe3M8C-=udFQ zN1c-Ow=AAJN8V>69*BMh@~(yvlAdynkauISN11PVFPMKI@V_l7{j@}M$;$@0v6pjM z%dN|L-n_d&yV7@RwGwkfHP#3CmyieD-fy9}$4$Lzbs4Nqr?u65S9X85zuP$3Z)U!y z|5&GR?~C;n^2PeVC>L#O9}G^DbDwG$n=ea^8lf6~JKpV}9y&fk6{+6-!;AdpcXf%^ z`>kA}b7#e_#*FZprg828 zzt+onb-FH_uvPvM{WhW4kKQ5CigO6i0kV%da+b??rv`2?c#qMvo%j?n6TH&fwT-eeb8zM~iTcb7h%dv-$Bj_^jsVCvo zm-ZoV#FHNV0sngz9DelTNiUgqNk_fG(Sx)XI+S<2Qm#E8($7}hn` zaBQBVZW`e&zh>UkeXqG3WBK@XNN)++d1b2Ye%LKheJzDsqLWm(&cFEgc}@I*-{(eW zEE$(-pX$^-D19;a{Sr?)V?M%v7SeB|2Ty*yYVK>J%>rIK+AQs3j8; zwV!z8%Lw)J$+MImK3pUIVb^?f-xQr7Jq+^@{cP*;rbKymZ&>P48q7ufzCrU3EN9ukW~3-UZP0l#9IA zMY)BuJ$yU+k&C?lt-l*rPaUnh@N4zz?i%UB%D;X8{X{p#|KEf+{9Z17^XOTUP7ilg zEww*pG}NX^_|BQ<3!KirNce^v8RvnUHZkj;MS830kzN_^cn>tCH@}Om(;p=B82OoB z7=OTWHqp_`@?KV*SFEy~Tp>itM^46+uHLBhyMFQ>uD&1KPw3N5_|AE5BftMnwRM%B zZCCl{I$^w(@E3Z#mqtCAZ-9i?xENJ;cl`VdWIku!B^~xv_#wBz#>e-oKKt{vit!57 zpl5{GS>$K_C7sb8((PaKy?XdSdw_epP5xdt!$`3c;R|$u@aO-H+sL>gJ>`J&F2mwU zv)*ZcI!phuuTOg3?*w+dcxLkD9tRT5gTw>%a%|K{`+Orxq>10pvhQ{2{j6;oc0ctn zLfSRs`LoZDj&lCcRro@^$QLsB;QHmo>&W<|T;9(j9r=n~O}ltOsqP}DmC9uGin4Z7 z_}fT_J;Z+i$O(3>et*S7S+eiX4=FYOct!KSt>Bj6gCaxQo^+n7JbSHsSTp`U7wKpZ zIFR}z#M>M4Sy{x%w{>{`M_J2;NIJql|JS=Syg$}nRhe|P%8WJ6^4p9LF(q8%jSn#)uQ|k6L%R#H2m44iA;bD6BH?!jXc=A&(>@o19Abf=$ z(3lT7Wj-dJ`ZBM#x}{ytnQxiM8~O{lpnUs1mv;755rNl6JY9K65w6oSpWoGSM_CuM zt`i*%p7meC`dg_?9(#r~yShN59QO5DzpTCF zcBWqDjWS=6PKWT%O7>xgya~!WZrTCWw9>tcyPmFV4>6xGpOc^X zGUMOO*tx+?WgfY3Qu0o-WZ(7Aj9Z2$|7;#l3F~W>NL~}h)1JhT^0>#vIH;Pu_{gXI zP6?m)IE-!?u;GdYep#tv#fu%PvA37hcVfDi=_}T(BL_ygqKBm8p67kZ3)@00^w>?d6gJBwTx*H75-&@;kAf3;~g z`)r_URMjng#ti2BfC>3$)&og}y=58j(I8V zqiomuo(oG9uD7?JdNXFs;NAU}%KN>;B5cz%Yt>K5`@{crAH+)Tc@f{_Z0hnISC0~T z$KFC8#T+PdBgezJigh{lZ8|h^L)eryQXl=kLr0NI>dpTI%vXf(m_Mo0siIxwUJHDD z`lb8xiQSu-{A<=KWKWN*X{#(%$$Yvl`nqAD+*`o!kDTBq^)J}{zz3@kwdh{giHGXF z)4KM(;pGz2TkIyvf&Z+3c~4u9w~=-+&y{;HY477E^Tbb7zr@KO_ALh~yUim_rOa#lSh7Rp|+>4KXk?IaJdgiey>04o-e=fr2KbBd-V8dEv47v zGLGLm$-SQLQ{sHwFHKA&kJOL+=mYu_`Jf+252QXu_{w@xf&NqcD|`_EajT z)>043#V$afZ5TbS!>y9RYFqfk<{yKmX|7*#7fQE(ghv12H}lB!%=%N)9_szXH5D4% zcbEC(P5slUOD^f6(4*|@ymBnPb=>(OGHz)HkakiI?dN_l_XUwd((l?5bFJcMXB9Mg z-lyU_nkS;qJO-awPwVfSJ8MAVfqjY}E%isTAjQ35pzh!GQ;ZAJV>hx-P~%MH`-M_< zR0C7iy`Rx(o7iRWk9>?*{O+`$@#)?1`-Jp!HB~;v=-5y0)*ANPU8h%DdK_^O|0MPq{a( zpQrK?{o~iAXhg@GK8pV0zX^-z0X2aKQEx|wNwJIFY1HR1Ei0_R%D zcw}CLU+?P1MWnhhMcMQ&Ub}RIIf`>M$h%%%xEk3n!{qJBr>W+RpT(wI&{f)pzh586 zHZnhUof8{XCEP)yJmd&`?vH0FyN1|GJsAhY>#&E4%Kyiw_EY-HxE}GNmrGQgDN_E< zbFRBG4fYm)l%CJre(VD1Pe@y&=635DN`G%+pyFL6^bnBxf>SU0^~-^(eXDedP&O-v z|NZ`S7u9v_wM8=zqo$@&W$}xpc}G@yti~$^2g4^q(%})h+Vkda0Lz z(q7V~tNz&cQT%_LDZ1<&IBU)wZFIAN+qS-6qb)yn`|9Ct9xB({Y7-g^H1id{O!Oc2 zEq-@Uqh5s54rBiipA^*BCH+*o23A`hU+X4z5&NG>wZE{kN|C7lk<^TPz&9jmH7@KPt6){YypG5()w6C^!)fO80hC+p_Z?Qn(# ziSFr>o_do$;d;|X?P>LU)!>GmHR@yAsKm8~4LZs@P){o4zIp9Jpy*@diuUt!o&t6uVsRQE%xF-oaQ@eEGI%o!hC61D`IPY1dxrNjqsj^Jk?# z(@*ys;HgG`LRz~C){|w z^KzT@8)ZF7JpaK1*#}I2+S-5bwF7En%pZIFtcQrc$X0Rxlh5{MKO*J9NBW8L6!4Ys z%`dxIeR?uZ-Z3Vgc?#$>aIeQAt5A*eZj?iNNJqF18Glx4!1`_*TpZ2sjU-HGW%_TT zz1o#=&%HI(Bjp^mF&%cMUQf&K5Ym3*eR{(4s_>QHXPf1YayZ9By4#Ok8@7)+BmZHX z7!vh;c|Y?zAMi2R__u`|4op|Z|C*Q&v9qy*pl^iK!%{f$z?Sz*mfO9&tE?}czIWQP zJ?(h$SF*3kJ3G7!#`#OmK>~T720S4gtX5B|Q`l~tmz)R1KM)vO(#y#G&lLTL7*y?Z&e?5<|EiS#Gwp@*G7IDFS}>SLow&wjc7{@UO~`}3q@ z-vL~`7}s$~zbP^g5l*?_3HjtG{ZVG^@U#P7nDK;skJoo5{;>Z8UF2%#L;DW(2c41k zD)~oPr(=G{wDmy$I~yAelyY@C>|enTb9tR(XNT@B;-gA;8$9xBsHf?D<4BEhny@`) zKC({mE!80ELqwRy`+fR3gr+i%XxG^zIUo9Wc9U}z=zrqbZ=&4^Vd8o-|4~0^*S4hz<-y)GC_MwdBS;CF=Fygl^cTGNIRV`Up zLFeVgjLEWHoGj&HrxX9HaAc_VVq}#O(r)q_=^E=tI{FvM~~5u&}G~i;mMveog1ec zrhWLmrR~5EGh}{Z9;95O{?O@~^$YbSJq!m7ws2~AHBMSi^X{8Sc2@QS&FB=0mF0m zZ5l8^_7~72th?~<86kQ^-$x6Q^E8A*2b_It_BRRF*PYWe_T}jx{TxXL1tgq$ke_h& zPYDN(vrT)c-beGlC4?sh`(AP1|98sCvi{>-3+q72qdq|F1|xm=X$;rjIf#GHwvEH2 zrvW{szZpkOw?2*NbM=TRyuU_&;tz-3vf^ilZ!O{~?QuAxJgKkklj5}bTMNMF1X9r(ZW~i#r-b! zrJogOnK#9e7>#>r;H)R{|J$d})v9vi@#_1MV>8$9m?!5cSa0uqzsIh$bBwkt&!);B z4*APHHs~;}PmGH6Kjs@K=S%RfqDP2dm9xgPhCUaxa(PpZcP$nreq`Mr6#wpjmMc|P zPw-Hip2zI!T{KeGC#-AF%qp9%<`H-KR~~-D2kOH+%;+u7N9yTZ#Si(d`lm(r7q?Jj zKFu$%srKwd5Pu`{{@k_?Pp0|dA$~#1W!!-yH=L_N@9>WV=US*Q_9FHp^)7iM*{Lao zFKX=1zz51%KlEFcHv{KuyS~nSao6RnM!(=6;oKbQfzHJ*_DiucR_>EhPx`%3_gqo= zY(3QAKf|Au&AC-Wew>b7DtEGVg!n=7j&wRT$IV&x6QNJ}jPreecdF{MaiVti?<`lm z^Z2Sfk1t1UFYK%$?Q_2`<^z{EMxI{x*hxAMXFTOQ!7#exm4nO968OZqDCmO&SAN@&rB>cR1#StJnsaG`Q+jW8@%5xuPD8tiKLz>1AISbNIFNIE z@B{mHVBWz!)rftnOU1kwi|!B7MvQoMy_vy=MJ&p_sz4OPE8uZfze5stmU zy+`Upf0xNK;E>zzlSCgqNWZK2Z>1wNUB9_1^c?43)k=ppve=x_L1HC>&2?lt>rdVWX6drr_x2+e*%JsjLd{J;DsgB-zM z_>Mk}_Wm}u(dbQb&IS8BVR=@Hbt(Flce0r8jO|5V&=2Gzob=R-{xz11|CaEPJ3Wp$ zc5x8@tsd?u?bdPl!9HA5b|Yx- zx?9&7i`+LQO3ygBZuQse)K%-rc?4s9z~M9J;L-OwUtAU8M!vBBRxrzzW8o!~%H8j7 zoZFHW8g{7;TgZO0G2DnBuW>N?{N7dakHX0h>9@_!|Dgf>gPhQh8(R(j>uZrH(JRnH zzmSi1qW_N;eEr9|ut=E~`#4~G+QAV1?mr(-4ORlzB5hTq0i85+mmvoM_p zH}Z>c9ondn1%3MEndB+y=?BIq{%zws=d_de4cMOpQV#ws+6{z{=pDk*=L4*l_UZO5 z%))-5l?rjJ*K)*pN5#FZQMW=p-;|xJo|H(tW_O->(%D^`@TaE&3S< zJ?0Vi^|>z$-S+!djJ>$+gEsP3X6;DpW7@F#xl{D0dPJL^yHdksFZ-%|(I56bPPt9= zAobND{Emm&uVvb{C|u6TaIW`Nx!m1iZM+nC?@gbwH;ve)u|9;)$UFWA#xLoB%m*)b zjjvQI`y6#MpIgSDC|_Bp5)WPKtJ62$AGbHvw?(3Uxmr5;r_(MtBI$Vdns=eUWm%P}-Cs*Y{^?)(5jzfkwdp^7iBG}3 z8tX(I@_!W2L50n_Un%$KRk9vJ-V^3C|2KskQ6BuXoqTT1ogRnOZ`%C8g}shwoX^Cr z1yT>z*ObFLn0UeuI97N5y`7!uyhRVu3+OZS2JHqS=hZ#`%=_TxZ*o2!`q3?q`$rr% z_dDegk9=^?t<{8nmB;KGuILy3{bfBve$K@({-M)5-JN{x);q|#7x?&cbeFo*4thv9 z^(UTj51(I^t1u)@ofwULw4ZTI`9SE9K4Ch0Q@LhH`cCUStEBhGviAN#*FM^FF5&(koKpn@02sh zXNksqXiNugO;Qc#2mA>eQ=gNYTesX6*-P%%6K{mn2YqjhH{#Go&x4PA+`V4C z1BuTWjcPc}@nh~hBv953q(lB`H}xT&aOaA(W?y-ILHt?zK3;$M7ma??+Z`nRbKmZ6 z;T4*X$OH6r{zl9GLBjBv8s)P-r+vDdItZWQ`h4>4S#r4GtY>KlbdfjSeIxwc#(B{j zt0cak$v-NjLq3p;0-K(G7;r39CBOfk{qdkzMUP~00}eFcOL?Z!SJocGOH z=Nt6`>5S*Y;S+ifJBa!czj4ytoi7#~Rc^6W-kpg5Uk>@aHzD7gPU|}fj=a-O@oz1t zx@qNK^R>hEZKv*W4Abm7rAyag$rRImOg-U0d^bYcRp)8VUccvQXj(^B7k?7t6S=Pt z_ikg~<_@wCl3~Shx}j7I~2$}`k4N=1fkot(YpitmUa-m4ILxY>u)~) z%>F&$l*7GI*2(Bu$|D{9OE~gLx&3!NIXCRnE_G>Fwtzu$|7I z@2uZ%3zYpA{A!G6?2^!xqqlZSeP08zuBiUwZK@_)W~&KHT05t{I8XeBj2HC4?va(V zO#d9EP90lutRR02CCu;eT{(a7!JKm|72!sBtmWK$YuB$) z){jm3_58>$d(lxJC+TpNN+R6Ho zbpmone(;=QLhhA27;4IAe$R$@#qp*KeCu`@TP2Ox5J}_<**55|0*nT(m%EjO$A@*<0 zn&}HnNi$9XCtb^!z4ydff0yVKOH*k8&E!eUi{pDo$fuYL};K&3PR7A zj{W?ug>pD_3>m7n_(w+8-w>DxlArk#9DT$4;MgmKTlbw_H&x*{jr2M+-Vd-*b}9T$ z#mw?D*;&!r&Dwvh^*n2-G>8@W%9zC~}N9|LQDc|2~$LTT64R@IL$=-N{O zNw3qlQCpsFS{iV;r^xZlm?y_#*EE*>J?0zZIaS7O{&W*tE^h3gLMoNEo8QTNe-inj z9i(Tx5kAK@qPe#(w94r?n{j+Fi~rlURoZ)m;`gq|XO_pJ9ibnmuS+ReI+ zcwoYE9hGipyUG3w>FC#SBlgU#|JL0^*GAGY-=W`;fA^WkZ_TkgApC}phk6IqT=Kr7 zy4`v3$CNIfiutmMV5*KTA4-5;C_UPvi?F85BN&lJeuj=9EeQEuD!yfWp7kI*P z;wbmeXuo|i??uj+x`_SFItBVbPRP;~hoUK(R^$?ho<%-rU+Xqk z-nA~YOk@88du{Fp?LnD5VJhu_N{xeWI}88W-#Kr4@Ia3Cqg8=PUoQ@AY<_pW*vk#u zqL)RB-3*^Lx;kX5(`=AQZfw+ps6n-tWHz5S<$X`yIrvcUC`YR)e>1Baqei}y3(~r9}G;i?nYnzD%{%YTGqYE&Wc>Hj`&$f`=3?QUVppk zCg+rXHh)s-bp28-5nbdgsr)}1zpY4yWc~I=NjZall<%6WT`j?lbod{YaNczVH^zfA zzKrR9uHTwUeV_+4()-`S7o;zlSqnOjJtCgO0iPQK8fpGX^3@6?go)k{L|7nO` zLC>I9fb^TLx2mf_F*gFLo~b75GV~dC8tY@$XGVzrqFmAw&N?}#Q`qd+Da_}EjODX_ zqn?Zx!kL$lNAw=_fjiu*PF=iWyBhdx!kK+-r)h3G*H*F1;V*LdZ}A`hRUYrGZw@#1 z5dK-BkKJJ@KB@5JcA4h}zKnmTv%#F0Dx-#q{2Foog*Ar%TR8gjXX)WT|Jn3En{Lb0 z-tLtG1|`Xlr088umo?*_yIvOgi5xzT9b=d7b)>fWZShO42ezmhqZ&R>cAWRZSVvgN zyo?=#eFPos3if-(M|+f6SHwf1Z*LPy3$j9~jX7p$y^DELS+8k zH2!dv{5!g;=nsRO>yPyjyGeh4#z&El_0FDgvt~aSqTz8fK;P0)rUT~B5=6<%EH!o){@b>VMcQuXq;JdM1q=SFpzY53P z?o;Po2VXV+bHzEHfA>vPe@o^5YB@=zXP!(dT~hIki=@&e6(4rkddz`KYvmqDQt7LF z2s?4_lDYr)Zyc3#dcoR>_z9hy10wHwrVo|)=d&8u>l-#waMBqewi2rthmbNJLge}(=Hsk1+nJXYC_d+P6OFCGW(rpMn22YHRC3H*L-Dx^oU6J;i#8aOi^1{!)4F`F1O` zd;t@JYZeO?{hE+}tk=x*4SEeaPUW6;O18sU*1LLp%E@{cyNvXXQLC<>xcETkiB#Li zeEnmnudL(1;XC-RLi)*=kM%P38F|8gdRr|h(Y`PJ!+tdR4%RMFA=TbaivE~?{f_~g z;@7pEWDKtZ=Z2g*Foe2rYNZ^C<&^do*^aQr}| zgAVb55AQB{ogqa0YSfE+m6jlUv=o2+;@n<&r-qpBEx09u$g43w{foRAs=I`tASv^ljk+;|2du%VWGD?_uQmm(|9QEEg&bvvwjFXoO?}|zrECK+ixGc?3wwmLF_*CH~UWA5A_|l zdc^@P|KhkM^)$2oqyEYFyB_~+-%Gw45${>fzA5zl&VT8V%flb(+gyOeRB zcGmgmB{RHLb-(5I75Yc1_TQ{uclVet{w(V8=FE}@_0M#Ze`h^^JPDk&wYqBhaZ3%a zh;}lMAP?-va32``Lc4*7E*$RqHtzt@hl~%#A$+5sS2wmBe`%Jl_#ZiErSI4DGR-?Z z74nI_Vq7;9j((yX(otX5z3kJE+t6ZycZTtDPY^vwdSIT=xbvpY;8dW~G`m zYgf$q>+eNR=DdDs)V4OG6)>yy;uc!l2*tbHK>AI`TdGG(?u=hn+(qsSAQwZgwz#q6 z`cy^wm|f{zO8pou^Ah(9h-bXezq(vClywo~0eK@m;pkiF0cpR)7y9eLcx|S}JW4vC z(LNxY^o(0eFtAqE@aB#OHB0gTG+aL)?yBm|98#uB)%jZPQ^S8>m%Y9ES$g(MbG7NQ zDnesj$#|^4|4y$iyCX$@2?x?28SFl}=dcZx^O3}JUIO`b@tkq5+2!U6%XG zIdp z4s62oV+UK;jaB&vJPrA(;_v60-X(+2q@UNgsoUU_o27o}9q%CzJzqWdQ{JxXP1E-? z<=iv#8tKqu0Zx~XU9N5BKl&N|({5lpr`#h8PVXr1#SspD^d|CxKGoapBJZj9yD)O~ z+Z>Ig-`V$oKg_qO>rOah-#Pw2H&4Gd%~yAj`w{1QK||M`71k*u zW-7JDK(MXTL8R z=aTgHd6>?JHd z0NROM(SJS%vivxZW{ZYA7|;Jw9`vc#sa*c0{*3?cn)6B4f_MW?X#^n z?48#F4SN*50bTyDxUyz^>EB+)nC?08u3`(dXl)t$Ok+bd#&yHopKHgy3DH=uP%p~k zzMKAjsI6(dw-)<`^dFOdjElNvEB$cA?d!}|70v!f@WPGzPUv1ZQjIjIUmLSOU5mH#I9m~ZPRsFPRD}2 zvL5Aq_aeUEeXqUnk@Nn9bDm(^o(%n8`uM8HvmZ_$9_=FMCW?IVYcRL+WZ@5b{MbAj z&9iwMnMaT>Ao>8D`q5ANzSJu5qmoXSKS#OOaP{M!e97YF9JvJMtLay^MrUVJxOu;x z{5oX+y{nvy;JgX?6#0iP?PI>w^-`$#ZP8CaEEOv^A+{h?OXFZ5a=K31^=O2H^;#mnP*Q{z3mGhsJL#f#(cy*Ro(7xFa1M4)(P|9 z?h4PA{J8S-Ul;lzV4|8+yIr2Ld#`AmGr)gj?dJN|+y{M4^O%#|Q{a7K(i!^!elcEX zC*k1wy@snMf0icwOg#5iDJM^^w~r!AjZ!yVmMo}$VYIC0NY6e~|3UfPT~e>q(hvHh zS<&KqMgEw_s26%Fpjzr5&C+kz(2MYu`4)LW&Kb{~H$YC9=h_y@zVP~p{u=qXkD=R} zzT&T;9@v%oJ0wHpU2*zr@&4W}`ws4tcJsc-`YXPntp>N1^vE-Gfz+er^=~bo{&13U zKVgqU*249giJl}qeBm4>^<$n9nEcuQVeYNNx?GyTZ@asXiX9wVu@!F-#l*k>!2k&Z zi?Rz4MFB;`#6VH(?p#}sh27oVdhGLhz4!Ms-r(QUc6>MVR={AKT1#JW{JptsY~b>~a1-7j{)wZ8saM|ScPeqtZde}}SV@anQ|gUBm*Z@0alv2(*P@o&Hf z{IckUoZDhPy1d+_HOjcU{0lqt{}6<+>p0IvJpFw-D)ZEGPuB>2qz7(wo|X3MSdkC- z$9N)NyD~SYgl}4_F|QI2y@Y}2dD4NTqsQS7_bWK3Og{LX7`B&xZxhGc%DFb=_;jn2 z)mNMeQdYgHj&EbbzqVE??Wg&{Vg6=5CdOmlk02g82`7f;bEm9d6Q>*T8SN=^I_C>C zuLQ@X-Oc}6CxwsxcvGt0wEgd*WFAeNpZb7SivIaFb?U|~qmF3TuGJY6Kid3$3G#_N zB*tg{AHW#j`AFX7x2|yR7W>d%=wg0;UD&PPu0LpUFZN0`3QqohvxIg$N~AV+tEuv}c3gQ)QZKX_g-Fkbc$6ndR+2<1xQKpxX(S(qHfkJjU{z>qehq zXC%&NrQUXS_IXm;!!!^3nA&MRPi>S>`XOU!!GTyIQV24_g(xqj=AP`gJ+_`P>BQ(0{$^3%84w z=KqHZj_;G8o|yk>f=*y!zFR3G?F@|hJNb_n`aZ+BOdz0q9_k8GOXq0Ruw2VcMo^sAhvesmRg znP1T>r0dYEmx+g7!ik}oUwXW|@Ud9hpl^$I_c4Xrs|C+&cdic)Q*J5y?aJ>kN%AGe zXC5!KgZ7dSeS^IX^z~ezKE)qVg{HjOwP^kX&DdX?8~?NO$Yy8N??~>Fb84YKf1E4( zf6r@K|3pvG3SGAsTfw=0TQ&Ug-|yEd^L2Ha8i$Q>(Y{e4!$x z$BP~^&M)AN4w+T0*>?DE)>H5czo=8G=#P`4y_3M#UhLY9<1dZtd7)<#`ON*sdK@~+ z_Lxv~;rwnY{iF*CX*&35#P{gkdx2+tXNBLFc-}wK!|hG|VwHscHp?G&&)$iphi6M4 zBjv!WL$e)8yx;h_yFY#IX`;(k{L{?O$PwcYdy#m?Kl2q~@B^`fBifv96WwB%0)mI| z{|e&Y{9oZq4o{;^@3I+KgS|r)aKTE^9t2#MI8I@*Y3y`Iy%8TK#!RP9#MN;fdLJAsehT=@ednpGPIc~keXZ*2_@dGqd-J{m8DSzWS^6ZMH5GKPC0TcVO<6hr)`ynX4Qdrb<0F(92{mw-CFTbrEz@ zF5=vfe%b0*mHlqgo6mHvJZqT0{0G6f?p-|Z)+0@#)UNYIM^@<;B;%=T`ui4hL+5K< zZw~Lc`jW5GVU+NJaf$yEzrB-vi<*rq^^knXhh9EN;=zl)7}qR!!ja73s$SHRF5T~G zlF!0^!lU?R=5q^rf12M%VjWFC!%xNuP>=tyU%n*!%gZ>&?ENlLF@8aY4vsI$UPn2^m znVvsyc;Q3`%`3}&f5$LCv5%XUbbWEH+ziF}6!=2Bd6xz{bv-dm#*NidOP_g7dl<%( z`J4g!b$YoLhW|QSDBexh^SK-F)RpxH^EG-(*NYJvVc=W0)#uuby(r_gU1+6)_xBBu za~re^Ij*m^-+y(%Umc#3ZqHJSFe&#cDRT&WH0s;bPX++ z&Fi||Jhkve=TZ+(#>x9Q%#ZB1F<%?&WjET#(Y^RI{LHotWY`kM85&aXN1Y6 z>+^Sz_%)fA&=-1nI~kAA$v!%I3H?AAz0dnm$TRwleyFx3ep!PDKBn_dHRWERXXkY< zUj5xjy0jjCM__X*C{6B6+Rv<+}$aAucdNs6*(BUuV9N8J?F{$<@)`=ZZh8JclZN7J^bVU z`il=Y7kgb(-3hn9@y=?AHZg9*r2Q4Th~4+Z(q)ZLe*kLmnP<7WoFB?B!#Qy1ARalTJvtt+v@?P(K*G=B{B_4=eGH(J&M^5$rwN(1J?IGiX@q~Qwzn8Op zY}pEL9Oc{+bmL!2y>0c&^@AK_zf~{SM&6k~9~^o7bxpI{W;+-9^zl_)PdyrI~i_4o?>9>(+3g z*H{jI^FKD}tal0jTL}JtTmE;;ac=PcFOc#1f0`cZL5`TWuHV((XC1pj3-0-5UwtP} zxvz-cq>n{LhAxm-WO9o*55H$@xB1( z3Ghd-euEC$L6~t)82vRTKCV-P*|DM*m^#OZ^TiBzn+g40UBr&U4riVI&w$Zg9v$c_dWL&j)B~R%_D=n(#^HrRkM0k0F};su z#-FQ4%{SLtj!{O4UV(q4<2NA;UkJk&!oLeC55$j_97Nud%J*f?)kmq{_R{qE%uN~d z@eb&yBg0S4j2|!gu;Y@0-21{F`8{YSb`1O+eZ~6L;clHw=k^E7IvIX)-XFcrIMwep zxyZbZU7Og>uPAz)a^zzkPYzO!d7W`ZyXg-g_*l2D%DH~kbC+qd{^TCQzH-+0tg;P| zd)njH7e2VPIQ!UEvM$sAYZ9tj*4%r-cbvhyUZy7Jpk3M5OG5(o< znP<7zLi>+?9CP~QsJ_~UfD%VsK984sN}St-F7WX`TPwfMfjy^qihr7XoGTo*Y{%pE znv3j5(N5$9x@jl%5l?>NIWLCal=!MI+IqGwT3fYxn|^B(>t8oRq)D#r6#sDZUk&XCk4|Tt{F}l%1JGG}V0F7e6@pb$R%|9etS_P*lC>Ln+G@qXidiNsGRWB zNzG2R;e5{FoU1bL1GBDS+}s;!nx-T3XW|8zgiKvk{b z+lE~hkCX95yT)gA8Jl{ytBeEsAOBk7cG-(xPv`$2S&vT~fAeBSZ_W>JPT*(AJ~Q$H zB);kFeiK}eUR2FPo|Sms?zq;oh*QqsHsQI0X!L9mS&*R~!xOW9C5&z{%pGPniP62gp2(oyU6<@Dn?Tea;hQzWr^TCPwxb8DFG-{ObF8r$c}u+|#qNUyH_3 z8gvnF-Qh@vFpEL*uN3i&%ld!JDVV`=yqvEm9s8B@yT~1K$o~O){>id_E)w}VP4AP7 z#Sh2(Bt97Fbc*cjL;1 za!!tX$OU?jeZX-|wk@lC|HprolOC>U)w794e!@WP7Q#lDR5?AqiQqTZZ^ZL&!@PsW z`si2j==R)?b3CT@CkN>V<9aNqa_F(7(uoHzVIb{6F35+SMZYEm(F=Pj_q5#D>da5$ z2{{KZ>o@cZNEAslmXY+K91y=8qf zcuvap>z~`nysDo!U7>OARByNWyd3vPnLk+v!$0Dm^y}8+4>wIgFZw0#lZxdIyt<*{ zX63#x;6uFVTlmYo!hT?KkaEf8gHOrjGp0A){owMf#nZH3t;bkCx$wpV-RFN@;$d3< zhHLu&(ybMK#(W`j^Va?0Z>9fOA0T(Eo8dcjGG2>39p5N_cC-H;d+65V#`hn(ZWO-- z{4vTa^{&2q-g-&&DOF}u!&9D(%;$gEho@fTka0ykb}?Zcb{BhMc&`iXwP<&dL(a

AO0|>G>LVTknO72kedQDe|o2aZyWemp@*5;Ck`T(SGVd-U(|b zzdx?qb(6Z2ai^>0LLYhWfqvLF{K8TP=SbDYe_wrvmqBu0gZYE;Mtcuq%xDm?w?#zZ+&fYb=Lc7~|g*?02qh-v7Rx^sf=W zP5W)>4~Cr*KBB*j`Tkd7-Hx}A^@tHK=L3jGu7Sk={{=EX{abo+&FIx(TGu#D*AJeG z^#=A6=b=Wtjj;= zWsBfSk(oQmyuPR3oTipP?qN*)QZzjO(Bq=VS^px3FS6{om)C!XtQ%;jzMi*NoEz2U z*+uoAz2@w*snx|_Kz{s9yaUI+DeHaeb4oj`=l&DJgdW!S(8d2A=w0S-#%od#Ji!C9 zFAU7-E9VvP&+&c&?>mqm`tfsvAN#`y^>p)jKISRf4c?y93$GqpH%7y6!~QFFFLoyD zUGzKt3-lm*1iDIjAHQyq@388&@k9T)r_O4tx0bVRxqGr=-vqe=uMR6J?64JSiug?I zy<7N?|BZDA{wL-;`fca(xFaK*%@e;2c6jeKO~zmT6rf6Wa@DDSc$d^e`x$q7f0)lhOm$l}BE{-)G9JoYeO_tM-91|M zrc<8yQ-gdf#+PQSnG`)t#Gd7MUkme7^+``9`O|9Z6> zXW^RmwgP@m$dfz#@i=L>ZePV|#Q(PtI%2PEjQz4>m(bDh)SgrabH=K`QvbyGrwW$% zk7f65@$4QU`*h52;6eUrKVhKJK4;y|I^BBSmD{(*UzYx2zYu)X17zL-fA?ZjtycEm zApGK7F8Pdj^sxE;B%@tUJ?J0GBS)k^d9!)kw~3piUx^1F@q`jOA!>)u+ zkDINv>OEw+I%%CRC~I98)v!)pkDIexq`liSOfCJ?$6eON%Pu%BZ}%ofJ0IQHI{slN zSwBDr?SVe%C7ygh^a$aAlW%ihOy5J^-}shh)3Py5x|;s|Hor4MJNr8=Ie0aGh0sgA z-QP{V?-Jr8az_31D`D#OD%CCU%xZJLkxz%Vs`u?eo2~Ybk^i0ad0>#(5B&dzegiM- z7a(#&7)bu^o7#WPHo#HjmGobQ@Y9%o?UIwB?HVjH>5HlVGYH+evMtM;x}xX5rrSs_ zVek|FRjAKbzCY2!JZ8j$zF>Vsdg3tlQAb(7At&Sm4lX=rPPHHBE}z_=@orEf^Z&Gr z2k<8alcF=J{O~EvGO$y8*w&x=7ds&-`7q*Td=PI86EAk2Y2ObzNC#4$e};_lgnt!M z5A*V`mNVu94-h^4^i;P!;r`}%6#a^vu%E>Fo^ul%Bfk2q7r9{H1iNV77VkPoviA~w zxvxRO-10dC<@`AL;1gl}9EzXlG2)Mev>yHCYCkET_}qA1i3cBk8e{vJ2l5}TGREg_ zh&nj)>{_SqQ^fyIe&m{Y#b`HU_aNWgo1%W+kHU^k4!&AHr>0Frr0LwXqqK*6QRsQ> z(e7`mrfRqIFO%HIY4juK8+5+45WAapBfk~ehhC~*Wuy3OiZ+bz;lJddh8-;Jut+%C z`*C}jkFc+qSB>@>{=%+{|NeZyZoTaDLLV?brdaEf*Y>INss4C0tj=b|el~p9>o@y_ zu^Z_h_M87LqVlN<tSlt@oP)kHEAQ~Ls-}8?@mtD*zZ}oX!fz% zKh8&x4rJX!nEdb+zxI{zZdrP_?k)SRwA(1J$QS#O@MUa^NkxWVZ!6_bS?ybVdFvdF z{Zr;E%FP*lPV<=VC;9g@dz^piOgA;SRD*>dVyBqOjh6SiDbM(9x+-`>^C^q8mU(-e z`1{BvS$BY+ao2XqhE5l4L#4k+ueq_FU9QZtG}=QyVE>U1JxLgON1l)`__=5L#qWPw z^%D9M^O5_gE^?k3`AED@G~a_mAG7bqx`q8^y?#&GzdB>TApfwgzM}VaIkQ#Ex;MRD z*2hYq*XA)p>)XXk`;B}c3}hWn*a*?*#P7N>=TpFeF*4sV9!O6PaxN{oe7~E{dLyZF zEAIv5^X}>Q6JL_b-@RV{*l$@}MZVBG^egAhD9?PGro-pgRy9{jJ$-BByP$kaf}$1Y({%Z*qMS7q>p7M*gVwZO@R}U z+OAgBDu*|8`3WM=Nu?(jPd&-yOD-LKTKun57hdFXRY~QiJ|OvyeamCnV|$E@L+~Nz zj63WG>@M`({|a7D6R^45wZ-bdpoQ+cA}4EoozB;cb84@46+gahLZ&GqAH0kFU~H{= zxh$<^pOg6Ch5hz6&;HdSLjGT)-ONkOkLVBLlY;SuLhm+t|KnfGF%Jv3-O^pve7UQ~ z;5~stKl&1RP22o+Lhyr=+NNs5>c3yqLC%fpdNfXZ`_S^my-e{M@`j$JA6YMuPP`G~ z*XDhT|5FhA@V~_mpZ+Z#`0;Pc|7tnxb?EK%=FFsQ%_pi}8EP-so^8F@`TVPg+z`%C z{n6luqrB9opkfQJMvv5x3+U%Old(SuGcU7lyIH-mjcsvX@lT_Nsn-a(_s0K!?#(VX zy?Ak@VqFWJ=VJ%Ws(q-p>7T&Hihut$O+IheB;yqE2SXS8N`!%|Pw?Y0zfn*5f{s-N zjB2eOU5vh2zG!RHzK5-9?b)D1=u$t8d_eX^^>B5$X91oa;Tt>}UI~+U)-#j?k{>)k z=q0Sf#&RAFeqy)G-Qb;}@q$?KgVTRN>H}gg(ckcidZ71f=*DQN&-K3zd>rMGOnciz@te{Jm_ht%yO~~S_WvtRe&2p#Pe_s&}nDc10G5ohUNo&NT+o+QkEQqh?i-t2ha-<01<&Y}8y2CSLTV3rou zB<1tQrN$ZLqq?kLyc?ByIN*b;DQvC$hKybw`r6SHwpVHL^nZ9@ougVYviGoY)z+zI zg~F|;2ecIb2KFxf#WVE}k_x}nXc(CIb zXRKF{XY5D(1MH8me@Q%H%EM3a7$Ndsb8A9&n~5>-$Uckv~aKS#T?r82wD{Ga2!Jf!n_*JU9|@&|i1DY}S9zY#XVwDr&A%(zu) zWiDMElV;9>BHPc36gtyj9056X%`NQUMu&(sh{`4@Dt(hVBE#_UDEK{?$;XUAgH(foxk%J7&1=o z_j3*bd%AiP=hahsdB`~r^cv-X^b_mk=iiUm%-z#V-eHD6a-5#)z zcMxyb_5T>OcBb?n^8xK;e!*^nUi1t41bV&iPs^vb`KlMyo)@eAE6sP_irKi{%v{6VFwfbw-7$Vccc7e zE>|+hAzYJ{zuMh($B~P_q*ti22rUa`iC!-{=&`_yMNx&79}6MDE&Vh4>{+- z`+CqveMjbJT(x1TliGg3``V23BgF2bziBs+c+QU<@@nQW*Y}QgxAyHn8)e)q_r00N z3si2hZT`8{s)Kcr3$f#ts#xogC&3>lX%VwaMj!JXBKz(o!-7NGXBZ^-;VHv$2oI6 zjF~9)6AxrwCk#Zt!YAS{Z=Kh&ZRlK$ekC6L3S>TK{%1Y~FLn?4=}#T6`JY($ zDad|YNk2h)_?RZ=?~K_LV z?o;z7*+2cfyn~84)@*6Dbo0#gSzmZRYm2|w->fIWgFMo2#Jh&YKds#=P}cqMm3j%M zpWC$VAA2H2A26=yfAk0AG{`P+-hiIw|3$!qpObu?Ga()MLf-J74|!~Tdw0pbA|J>- z<$#Q1+ONlVSCtRfo^Yv*`M+N3Cmp}QnJN3$e~Mosek*-_(^$fvZ+I4p>KLU4+k~9i zQ*fsCWxe~Fp%bDt{!3z?xLt=vZj$bVE_t8`v!xKI7^ zqr*Ci-9o$QKk$?9d5fZr;t!9L`!dACKgx67k@OZFt;Pm@@|F6?&;RR2NIBvOgP$;T z0_(SH9BG-)PbCMDBl3Zd@UOz~aU~kITN03Dec&j%! zSlhf<@*jb07AUds387 zadmdRfI`bvy=luEE!etN-sz+sy`8*QW2eXuUx3)%gn`EReJi?@yE`aOIaGdCtyzr( z!3SRcKiRj|z2@T>XStWLG0e-eLXi31{Vv|!Y9tRftPr~=q2i>|Iu&QSCRL7-AUItR-0y=66Opcc9x(Rpei2 z_Cc_#po{VRwehE{2O=D0okqR9!$v;In7Nh+x-n$hNz7~EN ztdfHHOH3}b_`7S8>H2x41)6OKujnz^rfB>VgM8C}*azHq;ayxH`(3oFe|Fz5$^ zJwU$}ooD;`bz5JP-D9UN->x{}Qgt_x2gVVQ@rQokyjSqfMPZ>u$EfAQoA1fku$Sz! zP!D>Ne#XxOUizK&1o{B_$)|^H73(C@@uzX$Ix_Xw#z8mSWL-%e0dp%-v=$Q#V zs`T9+4;??W6S*8dvuT@~o(nYn|J`L`H&PD%8)2T;(;g13*jUaXQ7`!@4@{ijS;`sL zmFOw_Ev(lQHVsKN`pY@h@VjNk=5gkC3E&g*%=&?Hq(cYcMOzkr>ei^2^w;@%{hR)k zYUEGtuU=kzdgXP5oYU0h(^(Dj`f>Vb-W=g0{(8M0^ZkC_ISQI~ZB@`dSJmR5zyix1 znn=Bj&tuD@Q!J<*qOxZ7ER}lVWTm&KmMMQnf$*32Q+0eDRiW5o?YH`puZhW@T1DzZ zUa22`z;7G>W0h*Tw>JHsJ4oz$#vS7le=_ml!A?1?dhUvT&{93$Ryel2%TO8D)bCJi zP3zZ1SE#_P&3Y7Zm?eJb$0xlaN<@woJ;pmh+s`&~iJBZM|1eM=ka0zr^OZp2;ajy@ zn?j=PeS|K?Ir2k(ApHaV59WRyRwU~x@l(WB+IQ3L>1GZ6NPhNniN_9`lxI|+l|!)9 z4_!d`O26^DU3G2Y0RF@D2~bhp;XxX}5_`xf3Z&yl~I_mCyoX04ZTM}HdWgMaN) zjLO|7U#!eW*d=i(T9g`*-9h#di2q%vzjwVbNj%W^yLkUk<+t!FwR7}1&!6c1U(wlm z@y3&b9YVDKmVU;C5fAcgj5mgnZ)1E?Ve~xs36nqL&ibP*7xojr8PmyUgzQHVZwwRv ze;Rt{X`c3BNX!p=$HT5_$G_xVq<;N!pSa>bMb7X2uj#=52Hr6las@xV74Ton2l&uG z=m+AHgSy|{PWm&s{Mh%&T=yj%495Pj({nlWuo-ihhS4>|%ZWG)(nfS#xcX8~s#g zzq>bY6yblPx(Yuybm(@T`Tq*y(O=kc=nvBITQCo?eqp{vj_~ghX1xL)=5_2F>~q3K zNPg}&p*NC(x?SWbes28E_-)e+zIypVjaKrWEp{aMI<)c2l)YQ9`sdq(wi`B>?;E&m zoAfAev1s*A@p<`UE137oXcuzX^X2Skd5aGdd4mtUR}Ng~?tarF`&N^k`@?T)^6S%I zK>h<@{7?`5!@U;Lk6zli%6Djp;#>`Ww{BhP53Uh3Qsff(0?+F1`x@oH>Y{d+8?v|J zOD8q#UdnEHd}3wa9eLC5>kN@~j~)&+?eF(d-J6C~vnb^#^2&MxsQXJ=O8+3w%p33% z`(tRXTIZe)n5m5SK8<1S5$Wa4`=IDG{oT-MVn-rZ*rP`1*`)H3eHF~_m?B5`<)M=> z>p#N33d?Gp=QJDTuaSS)?x$5sE$XITSNQbRxAZ`bc99N*pNYe>1y6GE^XfGF81*eg z1LCiw9I)J~W0M?rHIV+K-Fp4AwG|`A;3 zcJ&#Wx#rukrtuf35~l~L6FJ}2x-=^6r~2gG*A4UD#=o2`?=C}!eT9+^)oMD(z7hPP z-@k=^yXIARfVwzvYKcWNJY*cOPer@XgUIFVc*hpj-OTrw@lPN>17eHPZJFv|^^ecK4GXmWmUYJ5UbIc|UORe&{6O>__2;&@debh(SLrZF_%V0Ikv2~r z#i-8rPR}UNXombx<$hsgs>MZIP47956#q}Es|EWWe7;fRd=dVz;{~?2t}?5m_{pgU zzbte?KVcyA8e!n-(N(H^-RPl`gRIAr%Xf3+gqLA;=c>kS(`~wRJ?gh1bQ#MtUlI>J z*fW$vztUdY{%!WBKeJEd7P(};raXQx!a(%uvyr}^EmpXQ9}hfDY)V{d*r1unHS1&` z@-e9O+eRsCw3GiSum?E*j=Z6ds2@l^!a(paZvk%>op~eEk8>)oUDICZQ)Pk1Jxtx7 z>SOwM!BNA%id{gMcDJhbE#->K5hi)`5&tOlvz}-CvA!mqet~}ACL8O8TNgH#dv@g4 zq4|FY{Fl&|m_II}2NRcXDf@olBYoE2m6k1R?Jnu)1I9Ua1n-aCIuO12YQtOV!|X}D zd)}~Cjop`J+w9{b{Rm#*yas1_mV4r+0^@AT&R#H3>iITu^Y9?&NbT9hjIsR!%H|hquWb3(lini7dOum4-bZy4`AXb>Emf`| z-LLdnO}dNFL%v<_G6%iR-cQQw=WzX{9>%dwhl}DJ4#pq)68{tSD0U9>0P`>Q3w8?W z@Y@(qI`u%04qJ#G$DSdbazNt2!+e0h8offkty9}>+k9`E)_iaL(AkGOYQ2t(w4PwG zN#2XaE@xlo(ewwChs6EpXVZJK2md*}B#qS*jd$H`Kc)Kou;Wm9r-XimuY|E5fXLU^ zm&LE#oE;?p$Y=c1@8p-+3$@1Q_js48;3xn6lK;(vCH}iCgT)U*d(l_)|FM8J^?KYH zsE)m;Q}Ay$Zp$?NNIR$bjvW5-J~RGv z`0kJ<&HF)*z16J-`=S;e4%d$K{^;jka)|nJ^HH>e=4-NdTZsLbV`RBLOCkd#-ngDJ zzN@3Z?-i+bG(PK9BTX-DPRnEG+STbPcC;?1aT@~+cG=MwVtf8-a`(!$BlhOJdk|_ zOXLvw*KzjuzH95dL@C}I_3htw>ZAEF^6nCRW!xY1aUS3Fg87|j{08hNVVBei+LpI` znL*l!_lLr!%rxI0oL28mt^GgFr|EJWVS?s+$8HyM9M93gUG~+WoAwXinQ{GjpFy&Y zqo3xTIN5sBZcmvn$-mLX{@vThBcwgV8}ZU#?8gBQ9dZoMpn_#Ti}F*-rT!Foq=TH3 zCmy>GK5*WRd7gZ%zmN~&OS!i3d9%v=9vX6-rpKR-ds6q3_coD3*6}uhk*Phauak8> z>sn(z@{>-ztak|mnFm;h^B$k`Uu%y!1#Z?}cRJV2sbQ=FZ~qmghfm%+S=Q0unKXUq z#ZxsJ$+%|yj31JGZ$>|7RM z-^Q4qej^|E`M?7`M*kr568=5%;ooHby}##u!}o#f@4EeP3Waw(!mQP9{zBT(`Mzd>4!&{`6MDP=DgqFeU5<-K2 z{M%%@50{vJXW={bU>|PJv-)hs<0nn>>nw6y%(LW&3&Xlf7`abuzqR-YZ-nQ1?-J`e z$vg``fYcAZ=XTHLKKgr@>Ai*OruQF!jYSUVKg!qXl&@9i@(VQj#qrhWE8<$#=ppl~=h0&ycNeu+_#^)#>qWBl)isVBK|Mt&rfAAHC^cBv79&lvx!Vd_DSlPU-QlS)r2UajiT zrE$2g$YE0X{#WfN(XpPhUN8l_)Q5X zRc})9$U#!+#Ovo3UBr(>IUwz3TwzzCpMoRiIk(6^%A{w^`^|c~`9CM{P|mwdw<@!G zZq$%d{xKvSdkH=f&-##fV>sQYzMG$(FyDjG{S4MJKQR7)%yZc3*uT(kq?>WGxcI3d zn~Ip*YYgMx0D^}wka*UuglTV5kbKz1jEg4MPCGmm&TYuSmag zPmgjy_zfOCzPsQd{zhbi5BuZMgaQV!p==yDIW_`?aiT$8;7 zk`90Luvw1CZ?k);b@}2G#Xm(p-gN*E@r3n#HaGFt;6L8|=#Kd6);x|656eW-2b<^y`DUS)<^rA;>^ zNqm(1zXey+pR;>yB`=|eaS&2vK*IV~6SSo0m=$o-DQIn9DYrdzTlOI@2P*IpraXF$ zbRg;f7AA+MY~l8Imi=RH->=rge@efaKdF4^S-bYy*Cly-3cr%0yNTnJPk+wxk^D*F zCtrr$HgziY-<)jzr0^sa&wP^I?xzT_*eB5^DE_;M+v{0ZP#V?w!oj-V>?$ZeEHlwzQ~_ce6N=u4_#Q_ zQyJyVn7{I!Mb`(-vyu9Y?WCS%&zGhQt1(>i5f6->Y!@*m!!SuV>UHDzCk#D6@Bs_; z>p0h~&|tw!Jo$md18FyUm~$mQ4%zP(*gZ-$DEg?;h}7o&HSD^WiD_TIiy5g{ms-RQ zcHQURSG7-7_xZ>8L9)*@V3pOP`yriWzmD>Gs#>@3JQpke5aOA~q324(^1iK|Jxu$1 zeky*YWx|!!-llzYFU3EX$Om}%KdfSCX_xFr+sS&HcPp5W^m8eeN?*T+iG2b-@^Q{I zSK6)%ZCW{r9Ra=ALqN(gE(z<<{GJr$JKa56*#1m&d4H7iJO8&J|C3-Jc6#uab;xQXfI))UOrCjd*Yc-u-k$7gRw_B z*TedN{$qT3914m1(=Af$8|bB;^IIF|wp?0X)BUH8@_#t#>=RNy@!bDrzYD!JJi?{g zo-OTUUjsVGNBzhv`%BpM>GAEe8&;xnMO%ZLD>r-WPRN5&n37U5+eQ2Z=v|bu0fa zzz@!GvyVr5#bX6yiq>Bz{Kh{>I{!+52Rcb#m+AEbhfsgfk9z!%@#1bXp}*^JMSdfs zf2fai+6{ifj05&T$xl8Yes}gMjs0Kt&XKNR@5ZWH^@ji1Q*)K|4eeumV($=dgnGNj zD&AG#9WEoC(96A7?ip~t%ZNAUx*~S*17>MP$oRs3Hl~Az`Zph}UiPoQ`)KG5#vgt| z{H8&-?fV3IEYy%!@NljHe7rlZ>z#ob;pCuwK&3;o6DCT2>M2$E@y9$RJmo%Na(I$U zUzIXsh2_@JpX#AK$(8@rbX~50_=`;Mu>ZGk=i%$Ea@&~yX?vD+{`m~q1I7Qf?$nYK z4bPd+sn8zoxpuudyyNOizUt(H6xCYhY%k~A&`0FQZ?FG<6Q|87W?Ry0?Hw(9&mz{X zqPxpDpnrh;qr<+|j5dGu&Qi@?_G_?fxZg}Z>gC;cJ-&l-EEoCw?FmQK?DCo8@1Oth zpH!Q+-YU*l-iN2W4jT(y-~%Gp%un=7VmMs&DY?A1mg|803&FTW|D=2#TEADSD3yNN znYj5;elqVH*CEFFoO1$3h+azkj#PEEbCN|-3!4DbyHeFv{u%>I4E(%Y!q{=#E8u-{ z+WF<}+@XFsx5#{ny?|aw3Nk;T2g#Q|%lXLpt47RG7J_r%xodiQ2!uFfWVrm4sub_wqjQ$KbI z=bX^zK>S|%{+plZaqMDm+o@yU&y5tjm~*?)&2IiNbpB|u>sUX+XX?jZr=FN}W2!}8 znpy){p&o5zKcD=x`(mr5{yS2e z|Gi{flMntPclgEhbhCe#{-Qnb5xIhIyTfcl(%KG|an1NfjtSpucE@6g_T${EY5W@@ z^cmv`CznpXSS^PeTn z&t4uczf34RPeadePl|N_{RxcnPn+uU{aza9e1Q6W23ylP=ytL$qJOb#u*0yk(WmG~ zu0SeB~GRjXs?{dT0^p>6kmUhP5Wvs#JL zy%t>GenERbqwA>SBUYK>R2^2)Ngf1&X*A64tS`&wIv876%2Em-KM|LAx0 zd;R$Ni;A3|^7qwCA;A1+n&BQSCO z!BW3dWc@qyKCjfOSFN!s`>sW%`ptAwZprdJ14C+!lk>{(nenKHoz=?`UFt^c?`gU} zZY}-n-KL(i<~>JM>rmxU%^&_MYUqkm>*sc8sos~|l=bs2FVlW!8+FZdXA9>?T}^UeE9| zTF?ZsE1(;wxBCY@BOcX%^~PHE&#^ZO)ErZ`hD%2Uo#-X{nf8NkboX+pI`3F2?=66r zblz!aeFeSXqh7+7-o4p8z#%}xe?WHC^uKAWx!~AASwfQdg95Mmp_+9wQtaH@CUX+aWSuZ?}BdsMPf#LI-xw z%b~505A3l>-o079X3VMEdwkT<;G_Ng!yB6J#hd@rdw(h8v9%LCRmY2sRlk4C@6yw5 zEqZ`;8Sv}sYE23+eye7sZx`Bj z-4d0p`s#9D@~oGC2=#x3$0*>LyYFXCJ9$tYX&TaD?cN9tzR=HGZ{=IJ*RrX|KYo(Z zy}BP-uwd2RBv$xt`{%sZfLf!_(FS<49a8b!$ z%5QVk6G1mL2l|OeU&24qkt@RRPxmi1k$RC6+Dm%-gRAT(PdTET)|b?lB}8iY zf8blmlXuT82@R8Y(t*&A-Hks^(oO%qGJZ)H*s9ObJiwVf3o;YbdnD}Kp6h)zF+Wb^Sy_Ytmox{i}o?$;Trib)-3yVdY!eh zZX&*Jm34)$EpU@@L43ifyMyCac__k>i<*y}J}X`oU%&L9!l{mnKWJQWza&3!KF)8}Dp#l2Aahy5+`>2!7yeDLvj>PP8= zpLLS`Ho}pus*bv~$D5=j1<`^T=VuzInk*F(CU$=_iue1(qJhYr_t`*uUqj$e@R z%6g7?%Hcmn?@r8c>*JDJ6SXn3u3x^BWvIw4bgs*OpumXffl`lmM5V#Y;vCfx_qi6g zKSXHI^`Fl{wKVxhd&<5J_sy^a*#D*7#xU|x;I>_%BlhO^v(eAs^KbaV-Malm;iGlV z9b2PvH5GpnbONadNPPLrPOVZlj~6_o)4l;m^4tmU(O3AP_rH(G2Y6@?_o*q*eSPo( zjpZm$I{iUDpfR3uqyzcak$GZ&-=kILxjUHprIYkea`E6Z!pT+MPJKQ2l#B<)g`V%n zJ$zSd`@bR<$oc`j0KMf0&CT1Qaxb~>O*-x8zsJxQmG*tV=PPo`J`42#@r!VN4>=05 zkGeH5po7%&q3OM~2U7J{m7blAYxu!a*7vlJbu=)!cq5<5&wrZmpLjjoN#3C{rvGPr zEeqTF4CW@cSvuLW7>*GUBhJD8q>*#{|Shlg&YO-%3oL}=XaSlc3NjufxTE;8y{2A-xzi0ZFentO*56C^If$MrKu(%d0eje7@_$%2jXWX$4WLzQ7 zqyrgG(4(&l$4I*^zF&6hGq$&!?*I?$9q_PzCmu-q>s32ha!AS;jr|!N_SM|RM!ZO? zt<}f}44E+NWASax)%mx>+T0#;OU;PvR)5CHODeEpy8@Tj9gzOf^?;{xSzXNPYT+KH z^{$1=nrm*+e3kd9XrJdP`&S$%`{jh$2X4FL!tu-v{*rzhv8Pq#Ih(J^dsyX*M!%{% zXQ|w$RR=mG#71rTiC*YNPIP};6~(`?tY7fMaW5`+hbhxvr)sAfp4yY@V9r<*-_7?b zkq_h)J&wNxIT3u1EZ&s5R72WBx!;9F*FSCPJoDI3c3)yV=6kEeGw%=vLMLG$?d#~Y z^jsrHN4eivEq~~x8y!1~-Wj*P@WHLcyGlCcQ->BAv$X6;RiandVw+a97rD^ui_;SC zi*s+Xy1W}+xLUc#b)R<-ywGDTr`KmE_R5of-Fp1trpfvdze3`1G*Ij$^d9MYd-|#C zJ1d@u*ybw#CNaL?*W=4_GSbK!0FQ1Jn3DsFx-E6peb} z8|~!1Q^Mp+{H~y{{QH1iNq+8K0%td`JnQ}1AMG)n13Y^zQ|#AV9wLvF*T+i>!~2E2 zvrJ3-Q}FQ1BpU^b_NcaO+sdB10p+#J<AvU7);1LVIRy?kSp-}~w8XWu06%{9{k+p5K*kI6D}Gb-rk;O*={-bWu~(2=<|F*L z*oph|txD_ueVbNf@|1)x=ex+i_RN!%Z<8@ktBQ?+)ziRQWBZ&pzX!%UjL0=%?hDfn z~DEzo$cI=iy!f4ps=()U{$%6m@W z2kL(NK|&vN!9Utx_UQg~={s#y+wYzl(luUFocHsnXg8|#LMQ1b_)B~A_dge!?EUVF z_dtQ51D(yRAKV{+Z^SbXG7j`|feMJ+^WPhCjr_+q zpS(2N-Yuekv4_~7Vx2~Pz_H~W9_?IfFXf1@`^3>Q<;HkT*RSowZ)zOBdickELese$ z>|4e)^8n)+eGGKgRFGqSCz-#Y6Z;)IpYcPxu$P%9VuSau&$sX|Ro}O6inM9>sBUE* z=FEEAd>$A6(y!=i_F0K1j2%h1#-~CRV@EACy{qjm^A-7w<>8Yto^e9IV0R=;t2{W5 z&t5g~W&56WPt2D7V4kO6fZH{vI}=`?QUg8|A6;-w`6S_+cBj&n=`uxuXX%C%h3o9= z^pigidfAU6j9-Z`d<&@bdQpi&Q?zmCj`zRvy1&>7^lM_+;-`61$78KdTR*FBl}~Bx zzc7B#gPbeQad+9c@GnzUgU#if=RS`W|BjI^=tJJvk0YM^@R2b79^{pHV>#l1^rvp; z1_@pCEBSz|PYGim^S(Xt$w9^$^iiJmZc^nL2l_tE5RGvP--)OH*w2Aqq|-jq;REk@q&4^sGh zpc9BbCCoeqKWR7Z1;RJz=3kzmO9!%5cJE`lk1@nFAGeWl4L?~IQ;&XL!d~o5@^PQ6 zgXe&J``;c`ymwDJ5IqUR?qi?i(z5M?;&Zu+9@EpkRi;YgM?CfLk$IN<=qbh{erLuP z?I)di8~Kbl+_>eAi*w}O7IXp`clb4kXP)Gp9rP&mL_TcvxclnGs^W;e1&Y~Dk$q6~ zad7$i^Gn_LlXsUn?+QPtN1xx!|MuzhM`&-IOO*avwY}KU>cwa$U+-bkf8b#}4I5V= zq1wv@8uKyp6Y`|T`-nf1@$s~=^`WSiuhk{nrE79F8LW;Zv~tLlb+*`tJrC~kEB9rb z$d7)`q_*4(q<>OO$hs}f>8%Z@kM?0tSTy()(09Zbm96Tn0U5qI$T>^aKhs*@`n*~B z2p@Gmw^y~DPBp$gWr3=Zdf)D*{!2Cdci;!Uynm*?)#Ozg{GeZHC;di#Ab!7RCu{Eb zyY~XMAid;nmUuon+k&9_9rdwh%cTzoYKU z_p63$_*dxnJ%{a5x1D%LD^~1tgIVdLgdX%I?Ogr!Mwdd97HG)#*MnB09ZI^XaPLhk zvK8;8oTp@7nBK!%&X=)of}Q~n{Ym}!|8)Az=NlO(oL@v<^!~FIK7pU{PXB^m$1_{j zC5ib{*W~Z0E9WAI%=r)%;O49iSa8^;PQo$m(Z%SS<%_nKcdTjmx!0ksIs~*<`}daJ z-|)<4xu0A0k=5qvy(N>B_SWX zq8%%h&Am{@kFkB+I{@FxjpfSrO>2H<(J1$sqS6;^U3R_3y-@6T=m3I`{Ws?4H!rr| zit0YkbZ)Mqj6cdD|GC~S&3N~QXOijnn}nS@^0ckoZ=yVqaS1%*mU=;6d$*tPk&fKK zH+{Z}lKzLT24}MU_4lM15>LC}1MP;-$R%_EnGdmNC{I1?$FcvgY3GU+wg228=iacR z^!Jl_U)=nTKkec?5p+?G@UB+XDu*|8k$=me8%TbjKAxOS>%HnSpOVfvBW#4stIVg+ z`DDtj8~)nf{rd%EYbv@@|XUAZXkMZeH*J)b)VLP&oy*)(A!AH&+>gD=Mx@*wxZSD)ZsQhoE zJ5G-3rGXDfJ&DUv-Uz#x@Dd-caef&*g$C5~s_<%*A-=C6Y{r8>^FP<$#pI`}slcz- z7b5c!<#f5RP|&mFVefSrb4`*k z(lrW{_p&Lc?+dXGGv7!1&v?3M`Z}t**g3|0=ojn({B&;N>+*i_3D&0CE-F5thKtA@ z`T#g^=ki8vE|~2E@MDh>P7LY4F0w8l9lS=Ur}q{6p8UYX{nbVL&*kB77cEati#IpZ z50v*indgxo=bV>3T9=(8elqxkT)`*m1@cY;`B?vv4xjCo2bErwZI`rXGWzck zey|ROkJQJ!NP6tDBQGwwE>YdDEiRwBpdWt} zdK3KQ`_*{L86o~9>cbu(%sj~aNId%ztTXV(VV{&MVSj6$Whe0igNOdW{_%F$Ims@i z`MfjzIJMm1+0A!s(OBw&+JHBO z%G%exkml;!7knY^J?it9p2T2wLOXMdXNa1l=?3 ztNC`FG1$~kHD$io|D;!yRMW?bT@F8ilwY^!M%?<>QR1gVo;-_I{yS56nD|NYmr@Qq z=ug6=uf8}qvXxI;(eLC#ZV8h=r&r^IK9=Tpv*8cVG6+FH($fp4dukHgwF z=6!VH!GE^8`=!|CVJ1IDoXp#_4~U+poYB4{o_ocF(R<**t|v@B!a(#6=_QM98r@@* zyT~W)AU|RH!)nBzZ^i`lkbj%NgWf{^DX-6)V@!H|pxj%boa@!L(jK{&Az7gn@In-}gD?HC&y#ek0wkysITY=|%{>#2drJ z^S>eefj-MQ?zls?A?A1M66bS~cL#`PKP_=P(T7RFnlkSoui#_8126Pp59nd@d%Tp} zlmC!q|7NzbZ>q~r3t8tuA97`c;Nku)>CgvVj1%%R?%^MH%H)odtxsp(tJPV0cw_Y3 z(PHO-7k?CC@Ub4)USyuTM~!fyztZMOAG2QRAo?Bqf^vkRmw3hvVfYC&#>02^u?Yjo zPklh*!3)&OSu4_Y{l_}MMefxY@w5J5KN~(1AC-D>r|Cb=`(g)D9(#!Tzn$2Zv(AtA z7W8y``Tr4mpdWjRa{P;+hs|O7{5NPi?}44zwMFh~dCE1B z`I~+s9Xh~6yP%7B)+>aW&j};)Qupgf?ZM+k6Ji$o$@!_!oA;yI zwzQZ3@sMBoiFU9KBFs5F?7oy0N_rK0wMEXIa{e^)gmEi;Qin)9Rndqz5_7kdG|^B$NH7E2rSZPD&N zD&XR?GL;So{%c6R{2xUaNPn=-gKqW(NS_}SF|ymYCZbQ!YuIZ*@Dir{@r}^~ZuV#| z=bgzHaMj1X+tEnzPeBKedR#kAU7NpExJEhjC-c>fu1981sXklefO6z#J|KLcZrSls zeU=KohPj?kd|oA7E46CjywL}JWt^c0C`Y>pGv0N2;xz8*F&>Q&eNB1(Cng{9(3@1c z`?f!P*A$$hcqfK(@B{t;k?)f^D!#kw(^vJ4+E@0&XM0ommV!seN4TZBmXLMQ%V)fc z-%|LS=CqA>VD=c3z3L+KXqZ(<>fk9(!q+&;~+F6jjQr*gj0 z%Vgc4VCS(-x`oDyT^_RS`MiL+dpU`TST-1i0_<0nwpgFpq{^ozu!!)Hw2(_8J|Qz4{5z(865 zqMo1s{A^u2BuxAj;-TM2-xcMSeL#(wA_v{BcNRNOe)N?va)vJI(cd-gFZ)`=v)@e^ zyMR69J_dB6FBcwEpT2p|eXT>x!KW`uZAc*(=s`ch@6!56NV?GrCBHG<GW1D}sH;Q8J~<4&;2Sb1RHGfxOL^BltF4ng)~8x;SXg0g zb;1hq7oiL2aJ@^RFFAZwiSe%zr#j8k{#~fQ|KC>yR~`1#mq-rD=7GX0kxbLXd^w^{C&&Ci9eO%acOH1F=GGCMX7mvaTw$N0cJ zm2sx|=9M{y2bll6W*wIHGS6oG{7QlC*K4r%E3SA!tbGcRmWO`xY+L*gv6O z#zpD@f}ea^qrG?1H(h7K&-#q5;(jH1&A5skU_TnW&-r8eKYls-&HA4)p8TYvkJJZ$ zu)CDUub^K1{{OGS{v*BeU3h1Hha7&vU+jeLCv{Z%zPNdwMn3L+FyAV6U`#-dd$9^X z9sZZ;={@RWcwf=W{NeeU?pd-&O&<8{PU!OuTCIJ%#@4B}OU@n6Uea)1hWzG#`Q~Ii zJ7@cVK(VXPo2~3j?_tyS%K2j6MMrOG2mgW~Z}i(3Cf*3kUfzGCe(VN0hsQf~jGOoY z@I|jbLC#msv8g|9Wbyh!KmAG1?b@j7%)an2OKmH7+#=~vWGJoj-p7YUsX*<-8K ziw}@{i~4$Yf7Sg+)&S=S582mbJq>(Dh`l79aUMG0KkMcAwR%6VCHr?b9dG-1SPoFz z55;K*7Yr0W!AHuE`f#z>=zD>}FV4Hbmz^b#?fA3QL=`k_uggyhcWG;e74*FDa+>mr zJ`iyE{Ti8{LO1Kw(BCp&gM3e3&eKwZoR=k?azOC1zD_)LiTN|>**0GuS;snA!{0$~ zf!HVNPl5GqaDm|saLIkKjA^i0~%o?q@J=ptStvr^inly2jA*HAWHa8 z{>UL083C>K3l33bW_}KrGDt;UyZ24p79l$?w5Yey|ci=nT8Gv zAFpu_o^j(xA$05cQ?5^T+TSw7`m z_sUz{G5s4rKK;Isd7qN?Khhar8JE#3`VajVzrD=X_4n12T{0hFeIdJ7r)MLzAeqnW zeEoXg=D*%!H=m2A|HseDk@T*VllY^=>vTCwe>Td8^$z$-IsUnzU94x5&b!Hku^)Aw z?Qru=4v_U6+JhfX{%@iAe=9xS7;bGE*PLX0V_f-s@Y2HP6~?KCmy5WaesWySndp3K zrYxEbsyJ=scf!leIGxb@E+Ez5LXtEC1RcX$Vmb?st}7rPBzvQI;QGrC{XHfQ$G;M1kB zWet8=GDm$6@-8?19DWi{`-mTtaL4w>XY)B9()D_$h&@0Kr1NeY@z@1pKMWj^&(kJw zqO1e34v+l-f(QLFuAh@mejxFTKa{W4aHYrZ`=6=TlkV0obi_w1a4hrbZ3jANI$l@N zXXE~>Uf!(lZ9S{^JmlX>vG1H?>;5O#^P1liK3cxZq>jmUYQmIjEux-c^P>77f5 zi(kR~4*evIziQ;;+}20V*w^zAKBqi z$*{tUzPLzx^maE@*jN4+0S|VV^$MfEfu6CSLOJ|o!t?{mlV0i9G~3g>8l^)296e)1 z z-)4JoWYL4BDe8l7(68rrmh)nIx{az3J7sIdd4pBss^zY4?9pHNtEcyoux@wF`jqv2 zj?KqAjFNp0%jD2SySnxiI*!iU8#S@#*MAs+=kISU{(^UktB4-K2cUj`+DrATo^|D? zGU4)WBzB*BcZ!70*3E$7xWMZ*9eI#C=*G7t* z^mdu|z0o`3S&x7(oX;iUF$mRL-MTJ|Zzoj)T`Qel0OCJq6jGS5i^TUGEwPmg9 zRd$FrpNpp6+Gk>h_ZsCceiibB-$r>bUm_m5xc3Ug|I^oPI>>q`>o~yQ90u2$xV?*s zPd2LKs%#5gr%o`PuX8lX%~s?=d=Gt0 z4dMsj?_hu9hFKMKtk*^OfWCNs{>gvlj+rvvAiqIwWx5p$_LTQ5(NE?j(0?<`&bO_7 zcj?E}Py4BV^da9DyGo2P$dowOf)KN1=+#>c_@4=;2e-9%C zAMMup8={qMJ@JBbeSf*vy)VnM4zq6@(7?w#AGCw`M2DB_yLOLM-~LBCLF(bZ6xz$U zGb$?En{3`&HOk@V;Rh_3G|_EinK-FmuP;&^4)}FKqGhz;XB|RMUnKAOecQeh-ohZ6>Nyaa!d=c~{80 zRUs>f4U1~Vd$)Duy;0;`r%skaQ!3f!3SR6M=`-h#^_;kJrKF?hqyy<^=&kD+ z?<3dFj#Pt+oZPzEYMtoU{41IARcN_E-XkJE^nnj(xvXy1A~}X2>=%$p>WphxQXc$*xtJ zn~SFiy?T6@gek|nG|+n{eAKJ?8P=)q!I#fw&Kct2rKJXS{+ridQ_E+JPw#vA;=S5! zRKxD`9)&lw_{Wfaf**zK3;myl_+xPvGmhHK4c4$L$Q}BOVd9Y=;eQHQuTHHT^x!{| zFV~`pkwt@tYJ`F0Cv1c};x26eW6(lnj883$e*dfK#&SQ(uk4-2*GyAlSc>+6uiDlM zyLY`GnQA-q{mZqceVHGJ_JKz}hBxw4l!soz_~qyW@j(2RGt~!%X{Q%yI{%zy9)cZS zS#)q3mcK(r2bQo{VLi+{lJqW!hUyZ7B1)JCRLi4Dz9PT2bJB!xKW=+sMPYYuaR0h@%V#;fku9_ z&O>{bIo`GL?YTwl&?uJ)SzDEk6FtE{2hQ5O*sj~a4YJ;qe^t>BxB8AW=^gKq*s1Mx z7ghG&>#CM)zP0K6nQ1a#C9L&1;keY zjB263&XV%RdKiBxUrRY`{^DnDKl$4=&iJP0!6|}A?96o z5e5#sXnQsG%2Z{9%!82EzY94(44wi*r+WQ%YO;oX03v6{g$*88{Q9m)X%{>1mn%D~ z%9aV)1{d^`cPQ}NJrdkk%w7~O`xeXxmkd2*;~LUc=852ePsmY^pI}-aDlhlJurti3 zN_y6}&C_wA@Rj!-!SgM2HPvgcY7D;fIMcpB3FDWMpKz|%V_$#j;*esVsm~`JRqo{Y z0w2~bkoG`d&psCIdaR!;?FTPh38O!Z3+xAt z+g0o1`A~P+C*$2tAnR)I6+P11S6%uU<0JEP=w3N%?X{sc-C+(lM8=_TH8S6fsFi6(JjP<|=WBfl2GybPm z?tArouRM5JXC-We)Pr8V?Y4K@?DppK8Kl3RbviM;WQghgN&cO4mU{vCALK`W2*dAg z>#FqHP+^UVKhb!>j$>nF{6pS)erK778ugF!Wk&qe!#_9FSF=o9`^lEaG{Q?Nx4q}H zBT@b@#ZRX^;{o`YZ@*3Z_F(*_=BEEi0#mFj94^|%&$U9htS?<&d8MLPn!6hMO#R4> z^~uqB`pqaEx=GX96(#Gm$ivv)KMJ+ZpKkwJ4G6sh()HLqWJILFKZuq73?A&Iz8_KXQ`tUDrN+{i*sDi2Son;W5=%@ zIW$Bg9=lH%h##1LRHtLnZeRWS|DwnIZY=jHiKpEE9$Fdr`}O~6Q#-$fW-|AH;fgy6G*-%-gtHd$4It%git0Onk6X{cXq0KJV65_Ltxn`h=f_ zJgB!~Ny~Xtx;0Sj6OxbegmvhkUUjKHGH2hG(jM}0PC>_Orl0h`=eLzf5BPt_O6EOA zJkSfIU+H1vKBieN*sav?(T~4Phkh%S(evuD!C%j#7}INvdvm_sz%=y>LXl5&FnI!(a(>Zq+a+4ULCd-`;i)djrN&$lG(=& zm^kgz;J4;~F!X-fRQwad?-#e)zO#_M=o$4J^#=Mlr>BRlUpmt>ch_yRM`-LH@E>=9I{xKqck8U&Dz_}T-FAx7 z>lvcGbIkb3s_JG_eM2F%M%U9!4ypr?cMr`~hirVSVoBI`yi zCmlZjw5*HNi~P_R>Zd>8?-TyEKeQIRMEan}_pgRdc9HY@$c6LuvqQ?{_8S-=_LlxS za@U@6Cu`WM%Z`D5OR89lenVe|<#il4lyX<-GyH-d>@#8SpojLbUyWYFU*t`gc`|sk z&c~yIs=Jup1vH;W)9s3-*!#mtwU2Lh9;_P7Skm43jwXIS{xW*qcG|`8T(`3;+J&Bd z%m1cwZpF&FY^g#GFKO7b!-L1(zPZg)-Ho|hyW7u!rt|q;qHox9@WOxI>4Q%}k!w5c z4>a#1!iQxQPkX-bysZIQuY-@szm;D$r{zaorJdQg9~n~2Zm+63b@w3KAxpJy;btv+ zTg!leiQBa{huU<{@XLFgELmfA24F_J_zF=jd%r7~g z3|#PV;ppjOedK&6=l0?6eJ7ulfr}R_Amf(kM=ys-J5J0M`BIMak-9$EE6(56JUX>N z!^okge~>#X{l5B8=?API6OSC|N32`mCzB67A>X|FS6$0~-JidIz`JaL5`)#PzGa$q z>9$MWgJzxh?_r3>ItTUBF2Y8r*Bh>M=x>5vGC$)V8S2B2b-nL;Jp9oq&F_zOog@6s z_kkB2vT-}K-c9&|on@S$-!qOQ7vQU$@xv^}$H@E6@P%~jszI5lXwKf6QQJzg?DrM~=Q;@^8M-7kK%u{`TrlZ)G)EO~dD ztQ+B1K^Oec{pAFWdm8X}w05wp_32?U4y0=sykVQC`JZX(ZEn9YdQ@;tu{V0WnNOkG z(8xInvm_n90>Q(%Kw~`Vz@0AwgQm7^q4tGuITqV{s`P8p;ZvrQqi?i1@KiOoE_tbO zqn6@FVwc(9z;B>lAovIa_f;R)u6l9v|I2zl2Sq&dIv{vbgWyHp%wLcT?fFnBM-@B2 zb<&@ZALVHm^Au`e#Cox*f+hL`5p^+s7IHZtBhmB8zJ)5 zPC7XCIFD5t&B;X(#$fIb)c7{}jUC z=sxj{s#ad7>^_dK|L3TAGQVirr^LN1U;l?RLhQdWKDF=@_e`FapZZ9D!QbE=1negI z0;IjzectiFUt=FZ?|&W|;|S+)x#tF7(Cccq^Nt-=8?UO_Dt12gk}!PTw%J{ z2hRIJ7jnbjt>)Ok&Na()X%BSLuKzSF)FnJm(Pq=6egA3v=+l21@4t#~_Ll)`8g`o@ z_cQ)gJpXSg$9=Kj%wxN)sj*wuh5o18XVeqy$B)v%zt5bv{n2v&Q~Cb8`!Vgnz7ziM zhX1K{F^>MH>18}YpMW{e*Xxv}q`yiEsy^^_L-Tn8{BX|CvL3;DBkO~_EJWM*PGqfP8fPhop|`yAis;dv{DxqkAC*TOV+1Yhhe*FNe)FCTVIca*xX!qZf5y0rUqpWDAwTlx92owY?msk@bppb%Z$mz;-+5Av&08+r z_N6`L{21#~32z2>Za8+RjO)CgL4D9cJ|OJ^FXhOet47bpQT?N2K8d~pb$_^-_+9W3 zKM4OfPx;)-&)2=GZnbRw>Au%6buRPil3Ruci(f!}*cZax7oLeOSH??)Y%SX9>HaCQ zU(LD-`OrW57xeM(Y{NI9l?&!wt$4REHCVK}?^x&bi@uvLwetTop7v4>Jt6#~kbV#U znWrEJ;(_FMEI7yFMa2#OZS8%&$8XP$M5piKU$@#mx7^m*407N_k(N zdZEYI53x7cN9M5|i?+&t;Gp?D2jdy^c(e%a5*dC=*0+!+{APTke)JgrfJe964FnJA z-2V)ZSWu;YhTbZ+gMF=Qr(9&b!u}SWI_p(p*|}QR7q`QbiZ@lq!+cr?q}?cXmHL6$ zd)5( z{{TojbTZEeKl>ZdrSr3?%qs~~-}ZFf10S@u*XSqw_wt{DE0U)a?b>LF_D}J_=kJw6 zzu?FB^8Zh#*Dv&LSJdX-skWbf_C302C;Cr&je2opk5k!70jm}Bwfkc_+}pUZft;(t z?of{X-N{{wYg^Awlyj`C3sW!pg&m}y62{*(`g@eu^UW2%lk)U0AotJ-Qy#s>-crxj zE|KgQbkpW4ShZ|9D#tiE7m8iL4q>m?Wc2Wf-0mlKhIeOl z{Y%gY1L=SGCG{POuK3WwUisgAJipm)3%LhLJ|J?Yzea?PZW58%M^T=AJI<|A4*N`h zrT@}DQiJ4Ued>=~7mHfc!~EkLKk0?1RO6$vG1AopjoXJx2eDCm;Pyr_)CIJNe0Hgy6y7GPZ{>`i6a=KDWd^$>E7h zOz((r?$krZz58A71t&JBtx=Eo57ml>x7t)hxV!id)oyOR zJJ)Wgx)2}#B>$>#+3$p3>>m?0;>V6)S9QIxQHwf8`gskQCg%t6cj*VnfAh%>FWYEO zWZ#MXW9kDke@1`MKhlBlf%OsMkvDvSAIPWFn)nNqo=r39LsJuffEKD*NYA;Oirmol z#hhN#<;!%_`*2p`XF-p#Ug#kmxgk&JBOR#6kCS~?;=xaO_>X=O&pIUU1EAN~g%i%f zk9r;rFs*Ntm+={UN`B}6jMKC)l6Htp?_Wt@~M{qbF3|Hf-X&%g)t zo9mWs*k)&K)aHGDcPDI?|GD6Yeot_Y*n8$j>-VJzE7)U=*n#-!qi(K=nXF+)kS|cL z@9V#8CObix@nmf2zs}~mvRlrz>H6g<=lamM??IhzXH{=oqW$@!F7loS@&{u7X(x2{ zDf3FZ(PpsNJN#_$mU)ogV&T{KJ=mXfu9A@XN!4HlKKKt_fmD8r*#tgX)k=PoTmAnjg_~k9+~bInKvm`126MM=n*@AxkUAs z8EnOllKw3;-xEb|v1hRkcFRAN^p)`*dsW(hVC|E|mZ-H;Uw@jl_L%mEL-&g<*C(ng z77t%!sMbL7ujZuieaD_p4iUX9^ERemsjT&+|I#l0MW^2auYKB6`*TQu$^KZVbm_9^ zdzp2==wZ9QmHXuw>Y(bBnNp|1l*Q6c^y=Gon(rkNPrpNduqUL02fGZtk79=uo3U-0 z)Q5f`N9fn(o$@`NJ<0Q~*1ZrY{g`q-&x6i(DIBY+-K=qO-tu0e_oP3nnD5%9(?jLG zT*5%~i}1e+k-xG0*^?D_WDA?98RNefhM(NKb+2%`f%}NLq8F?;a3A8uPnTCz*%qdN z__c)pDTIH>x9j$zYu7|gR>Kb;I^2K!LXGzsHV+y9afVM{nZF@N&Y7YQ;A0*E{pbOZ zafk68h+pOKr{81kmkF{?#C(%_p%?yPzw~};CHhA>{A~2~;FW3}j^1pf7~jwj=tBRE z@r;kyAI1^h?8B=`_uGwp(AR5xMStK6d`CWnpGO`3y!K?g;=e!S7=E*L_=-)pWSyS&a4rnKe|%S| z-^}yLQlHnsV!I#YEGzpc*kK@e-~(asQ9pFgE3tTENVg7R59oj7fAqm)bp6RmV()c) z=J#gcpO0;~lkoX<#wosq3Uw5_0)EbU69y6wWZsxs zI{9edlYA}b3()ator@tdBoFQ=>n@2kZveIqIXo z6VEy;>5M0Yf#f&BPfdKAeV8%XbWYzzkJ*R%)*@)@+vZwP=<$4J(na_Ry|fED;U8hr*=I$s(IcHc=6^s7RpEnE=5b%|<(6?M zG2Wxxbon0v`-a@3`gr$i|3|pSy$&exd9p4%R43T zfqMkx2M=_@C*G+x>cgzPAFdV2w^;40mzZva`JX>Pq-v;tQKlTo}lCHNiLEh&lANn}h z^SoPDZ^m0^ndd=2eg*dpz)L#uhqcBP$M&5p{s!ql=Hv8l_z(2WnmO%d|mH2A@Xogkk6Zd_M2 z$`QV^->0v?cncjnGQ?E9`(%Rn1DkUkaSmNKMf~$BW42GI9=cBaVD|BzWDmajaCKd2 zH+GVK44s@0Wj(p%m(|vT?)pnP^6BlfGMy9lmUP-v&c5pI3~Rcp*x0UPo*(Kj^E2H( z*s9sL>Mx3|l3=~e@#01$%kC^bZ5o? zH|PuD#=l#BIni#W>ED1vjeh~48~b+C`e${#d2it-c+ux?#~lk9x9K0~9e#`N>9x(K z&Eo%d#;2xgMbm|wc3RHXXb1Jvug*_O?%CsyDTaMp3;9nSegNSE;}>}854>Z+yz*A1 z_v5y7?X8&K(*JB>!$;bMKSjHMq_f{} z=}gD1t(=ysK8;srNeBzpHYCo9KHqAU*l*;D{YEd*KkPevB%Se>eH7$FKFX7i_Ea5S z_LUavtvH8HIqA=BJg?^M?I`Ed$cLO8Pa2h&{lE=5H}k&V(a1vO=4jN{eC$=bmNmlV z-YfXwqn^*z(2vajJcsxf=$`v=yxRTq)0V2CtH>F6jOZHX_iNpu z!e{IT_RGlM4D~0TutjqjyUfEb*3f^7yjtw%;O1qkKSeK-k{#i=?UV8fQR)s^p*a^ z{^+gZ($?1K-%wo;P)Y z>E6A0-SfqZ!FQ7nhHLN*z5sRpB*;4p#3N6yu1Q^boSZ1-v)Nu*KX#|D)T{d$GbBvA zkZ(xhve`Sn{>zJ8=TvamadxYx;$1@{UGxKEJmD+ai{81HO)~927Ese?B_&$>hKgOs zUeFHa&F~YtNH;<~e@j_cK|YixKYB%fF{V3q_X({!x4-z6RU(c}?Bq96!sr8d2ygVd zWWRZDyh=ahUW2Terfa&s)Kc4rcz0N1_tl^H?cv=ZZKlWrzUb@70Sfy@JP`fT!_LAl zpEie+=C9~1Vdfc>BR~G+dIzr^efu6yQUAAmGXFQB^Tqt18F-Nsc7pxJn@fvSC^KWd zoRg)!=mmVH9|6G&G{(|GrBEJEfXw3~64_5$H6`a)Q@>)qrYF!ci&Pr7+p zts8O8Li7Rt7{@Q@pgeveVdw{+K91SSxQ^VRlYIC$gc<*U#j@=5@pL+=V%yAlboJ}} zyj{1+N$;kvmGxcL*O?yzkqcq?PWYcfTE(nX@@Y4e*h^*KOrA_3&d`bPCfs7X#P(^FXv=f*Jd5r zPW(pbD&t-@CTWiO9?P!zb`d+DdYRg5tBmb4{%-*u=+poG>?ZR!-r31|%(Kt?_AxSk ze(OKkDc(7!-S9(y*QlG6BOQKnP6InfIrgAc{_ak+CZ6)(^{0P=B zjC|Gk>nZhpy#64fgXSY)+I{-U&kH`~?rk^^>0k)gk^fzbUfdA*`GOhGli&Uv^4o9b zcN7@k^!m{=CuLJS?1IbquF9v(&QdwL43O~+I?#u6ElbU4kgu22|8i>BAirEbrhnR6 zNW8Iqdi#4x`_Mz6G5_EHXUTsn^+g|{3;!Cuf$!K4twV!fzYI$-onJP;Pt(YAM)B7N z+{G_Ba5XtG=Q$shu6F(VJ-w%k-^Vz~dK~pKAB9is`=S5%H$UH9c%*O4QJLRh7kI}D zy1{es?QplXwR?#i@LNe|+()m0v=_TXf1(`z%*%DzPv&1VN$4S+^4Qt)q30rFt1OUv z5_hkq8Jw+3Yw35CgFl3!=lI6hQ^5_#$@%$O6UX_Evh`J|LHsGw!2@1kzng_OTI}%` zyuW5nzrXFCRqBsft%kYvc2`N8f35kZ+cMd2ryTnid;Cz2mhTf;wsppBw zHI@zZ(x`7jem2aQf_IR%1 zJsi^M_qpBbyu8xdybq~|!<7yfn4rJtEq051@CUl}a8vcNbc4t}uV3hk>tcLdDIO1EbVmS)SK!k-mk=9+~q|AMF7z`T-;#^kRnxx+k@( zVQKzvoqCPySd;@#&(ed2J?=D4@!q}OUh{ci`U&~j_vSwX>!bf9! zzr5?ZByfVihMl?sQE^b1?8%Uk4A8{Sn?T$y2ka zQ_f3{vi`~VuJ6m*nffbGOC?PFk3us(`X&3oz&1mIK8|?1PW&R;RXE$(o_0Ttmh~az zO*`p_U2PjS_nkCZL!RV=&)6;EkpuM*kKW?f5XOE0u{Wf1UWj@ak4Yc3?6q&^(~DG_ zjL(XVINMkBMQ_I*8Q-9Ta}nqt<0tD^jGxfYIvf1}$oS1UF!%=K-VXerUlGQh(_Y32 z;*lp|>@D|C;K#Reuoe4@JxLAf{4oDxLH{<^_bvYVvY&N!^zbly?d9bbSt#|9|k;(MRZ-wmV_gxriwBy5=AI9UC27s`8aB?D_udNNMlzh*o-(0|mEp!?&LQ`-gQD!+7;d#lVBJ2aWJWmo$}!mnA= zmPWMN-c^MkZ2$JzPd#M3;oNQOMFR#7tKg`($sVCgj+Y_tWN6+T#}|`!v4MOI>*Va^v6*!?ZH7 z5#`f=eaD&k6nY5M`RuIHhYdORG-;^tAAg>63DnO#2PphA=@ISI-&1!{HSe6hGNO@} za$PbaJa2%Py!&&r_5CKLuZ}RizwIUK58$KytuqC7db0WJJ*;E-yS{9uNm}s;mno}!WZPpyPniLrt`GGA!#?OV~_r9=RfFmBm9+4yL}oL zcd}7qyL&7i815$XTjYqnhHub=9E@;F{||j$J-x2pW_KDC9l2aRammy2;?z@GSi=V0 zv#skc>k-&J&ih{NtXW$%YoAbWlI?pdT3_{L=9y$UO(} zk&Zr;vl@T&QPU;r;B~8C?t9&m^WD%1zpzt;p@)1`nmNuWdBVJ3Z{!>KnrdozF@H_^ z3Gw=U#9+m_U*h2p^3nZI4_P0fe*mHDXy@Do#_jTz@sfCBKEn8G=o9k~!buI|PTc(Z zuQqlVeE7qePak^d@V>9iv+<|l1O8l*&9ked`6WQ~rH*|_aFhI-6!HHmq<=EL@$M${ z~`H&|tpJg_e zU!xbPfFVPUoLjt1#wqdx(NDtQg`e;jy&z0}`Uzp)m8O5;*P_pVSkyb5cE%df7vx+v z*=ohUvB4ViuFLm*4!_D0pTe(YePMs5n`PULoT<^D({}i>{)}Ce$Qycqv?!i@(o$J`g&=uk){${6E6_A@S|^ zY>j(myTHV^1Pwj-S0VKp%cCE}BUkdH|3KEOu!qDO;iZv(X7TRhpn&j`@rL}ocS0D5 zya_`e5dTMiXUSjWlcm+2i1JU@%6cPyHSMHbK>8DWCmwkc25xM%bXw^U^L|U#Q`Ia6 zOzB|S-*8m=dZDZAcfhYk9lRUnKjbO?2K-|@13&!-IY0+?ka2?cGhWaR`~vh7eCR3T zKk+*Lrn2t>zyB!&Kl)C2{C4ODl1@9;wr^MAUa?iI&R%0&|9#N|OM(w`;y%&R92g?60=v9S`l|s`lnlATA;S>EH zyU2J0{rIno`(8U*K52n^y)!&;U8Wcfc_2Ub^P!*lf=|dV<9>45toGc`SN)RT26{PT0qpB*1`+g|(?`WJp7`O!PZU*h%t>yTn!Cvo(|oawC0 z=kmy}`{%=D{y;qVIj@FYboq01;(13`IR}Z}v#v6-yv@F8%ePAXzLm2bigtGwd2`-x z_~KgE2d?41hqIjDrJXvTzWzIx|JBfhqyq9TB=iCCyNnR|8RL!N@8L1#|34L8@#xx_ z2g9ZcAAXdMA8j9U{879=nh!tHsQ0|Pr`s7P@jI~ps?3chhx@r}`nmsD?MLhT(R_=W zoa|Lq8z^{y`JN?nm*TFgg$XeQGVK; zoJVsV4$>G;zlXo=vI?VDy|9*f5%U`M!8lLN_=jJHegPS$jO$%1u9aA5@%6qx>pT2o z!nn;o!ta&dIkg_`r`%d+*->EU72aeqQ?0^feT{PXH-By)xHG=YA&vX8M#wmB zjQ@AT=;yzS$5NCoN za_9&3_{{6D;pDE>>hythb-!Hp*NR8w$k?i?`FtAdwm|focTky+G7m+M$d4R&pP2P7 z_{;tT=g{akl>1T0dLR3R@CUu&{JB29yQtr84sz>#Da<5K2Q_%V!}fJgCdqkA+6TUo zJtKa8b!V@}_=&#--x8? zILrRxf~@P7CNv)?{n*$J_+*TSFVK&^81q5*x6ph)j()6{vsJ%eu&H^p!~(7N!|LO< z+S;qvXJ+OMDcnugCBWY(@nWZwj?oIJ_aiIur;sCjLC*M7{Hq9E;Ne|O!nBY5a?bJK zS8)!q*Va$99 zQw|9Iv=4p~4;^=N+@EzRr=_xQ|MB`S8GDGl57z5AsN$+)8g$X`z=MAE?GsrbtbdZ| z4RT=pvUctvzC|K~QrLgwid{37BYdqtp?p0_Jr5y7a!6FW#%&M(PD0_^}^^hdSo3I%UWt;UDop_{MmH{#kDLId}S& z(==ngOzm5~%)5WQ3b8wB7xDF-OM zJ}l!J;{y=C2S14N@CQDmRv+~mA^5;Uedd+igO0F&Y3ebfe;G8i3xS>~!SM)#h zpZcC2a{bM%or~1RdwranA|Le;1{(9>my)hS^Sv}$7jY59Y7;J z-;1YT80}u?<{`PS+IAK?_+NteP|+*sqn`rv743gNwpLqZq{m1<`elUJ3-B#ldffg| zky&zozSgs6IW84jEcdN!Ys4REeTIKL)|<|unC}6BAAWaVU&edu#~{&v(pmRpUTfsb z_rlPdT0Ud?v}@Mohx}w`dT+vfPZGI-Crjt#dodAC;#bnoBe(f>ND~{cjCw{n>=SaP zounHf`_lOTr|LeuwlBhLC)oeMzI=OM(tIB>wfmCB{rZxHXCHW!uvozd?Aq?07e;RA zZa!B}|9~(1O0KnQHiCUuJK1+5ALAI%*iL<(-%QRw>v+xmA3nhc_(zy}(5ER?i}btj zTb%eQ=r4E}FLeK)x}1w;JZAn!KiBCluhP~UlGmX_XRUaZ7q2Rx9H5QPSoqcF^+RR; zP5W3!fgb21UGJ~v|Csdjj;8q+??73I-O~AC_9uGReOq;HgRYVee&m52APl74u@m=o z%KbW4&Jp6bK_B`59-8Se`d9ctM)`glwiUXm4?QEye3||aMD9T7!;c+hap~aak`o0# z>3xJ4 z^!jaNTtc3@f7DIhhvh$znL(T9uX~tJz3$QPe$}uzc{h=Bd(>;xf5MC(=qvj>+=D}J z;5+4*kI-*wOd5M-ev^)JevxzHGv?RNT^5o4p8ZXh zpj`DA$bQ|b^S=#|1Aun$ar#)q%xp5Hcj6fW~g>OqdVGH?HDUBUvjzTLCLrWcg< zrHt>@>J{#5tk*tiSR}*J+h=8-$b1Ss^e^<}$(ECImOXVAyGcI$cVn1%_yYe4!w2%A zSI}{N+p@n-?+lcCerpeBdo<#jhn(*mIAw5L$J1TZm6t`Q$L05veuJKYpMFNX5%#Qc z#k+qQUs(sE9POcB5%Cux$T}wNg$~Z~PwT%SF?)%= z%ECS}F2<*`;+`e>sGt2tqaUZ!Y4(qcM4bPUGrf-n{og|TZ5#1hzz@{(ldq17{n9LU z`{XbazB*DaHNVHsqTtyh>6=M@`WyRqv}?e*(w9%Xj}<>MO_zvVi>k(Hs|PJ}IbG_pmO=xWPMi*w_O)5oS?Hrh14 zn#W`6gAc5y1KGDa|NPLZo3`fr?DVU}PX~|Knj=QeJz!UWkrQ)w>>M>%+L3$h%QIC= zge%V1lP@)hJ!JfYPTha$A#!f>(XGg|d;Mg-06)Klytl&rO$*77y!HI#t8aQQ+*QuO zP(ON)9&_Fj`J+#s%NI2$8ycuC{&L{Sj`$hc{7!Y!yH0c!`vksmN9xs%=)YCQ2csVV zztP`XxeG3gZ9YWCTkzoL8SR8|UdlKRH0}$qo=E#RCyM?O53E&YKu7mN=KUM^aIW~q zTaBJ9koFq;9pfwQLmz(>(r(TlfCswZBYH$S=NRellz+anSLl7unHuvx^auY4{-Q6` zPdlhbUq3VN(_t@lzBHBlmQTJMw4RsTSH`ypE4yC{A9NJGqhByjg0Jl7=ydc_UB}!C zE?Qxu^at|k^f`;3e@lmj)JuN$?@C^t*s0&X@oL|fjiu8%jS#%V!$-;)=^MGgp^St7 zM)B9NU-T2!KhY=7v)s9H?2~1QXz}A1m(d6K&HRyj=E&Jt9{Exa?{*i?o9%9%2eC4b z#_vOZjDOTe{KNZyOgXf~U(T=7AK^#BoWd>pWt}7bH~K@n(aXAp1OD2TVWsdD{u$R1 zjNz;9`?K^YFx2$#V>a;*jr|I`p^J49&N1MZ1F0YSs0aN6hV@>v_HLt@qEFOAI^pN# z^Yz@+)JtWGJe3eTV~EhH%h5*KZCoFLU*O|@3G-g`;9rH{r#}-m;-fy~PWrRQRmUzX z)mz$+eqM8mozw92Xj!j=-;{&T+{Z^Q=nwU<4o8@L@Rj@jK%?AgPioLfQ-O~8yU07U z*nc4PP%r&vi_g2+?Jg`(X9u>NTI9?KX(#?j=rbGNMy}_yEw(#P-1;e0&JFGMv9TW> zKSk^e_-Qv`eZDqZ_R)2`=5-p@%cyVNo0G$xuTPWl4>~^`i9fdHV}Ff*EK}pd(07Gn zLP|_9)fXauJ9deF0DZ_AJC>$#ucFp(I*T6c&+YapEaOOx`mjgvm3ZVjGWUm->sHiL z?zwuoGGqH1_$aFRa+Rb2(!Us>6=! zKkR+FK<01Y*YhQ$s2_ii@sa$<+h{Mc`4-4Id}^#|oy`2Mc%9+3djIvwP5$8p4}2rc zI|=X`{H&J|PrDX=YUEjNMua-NH+a$U9IqPje;ea2{fG4cqudB155`66AS?$qTd{?QOh|zdENXK7Tp)jO%vA{YHzW z<-O;(a7z(}j_wQ3M3*b$rB0l3IX9!&dATR9^Ve*DjrPcx{=G2s&+Nt9{P}rAXIbw< zj>h@?_rkQFcJO}D{|{%qE3u`O*pdI!{9ql4cWoG7nJ;D^I5zryr=@D{-AQi}H*}MA z6#5_fq5oUgP42}vT5@XifnMFDKadZ-!M>v>q`w+6s`LtrF!5uFXB`>)b7Yt2-PMCr zuH%oMf2qlWY@r(U(C;b7`#*$rXnyyR@q~JT*bBly>?Y|u=M9MbrR!*!*JJ${J^a6jNWlNv( z3!J@VJT>|e1+?%^z0ypS^)%>#AB2%3^7lS?u-Pz&)pC!Ac;vu4wv?xRM!mBsnXO4k zYafmN0pAFtpT=`o$R9o!)AfF1D}0AO{A$WkAMK@`q@$PRN6l{+;TSG@tNWV{D$k&p zq_)i`34e8coGSgA_8aRZ9z94qAdh3)eiKE0?Q1&|(Z6;N*4XF39>5o1 zo$-Y>*p?2^*5B&+Zc~((jK4oEZ(d=Ji#a?p^Pc{7Ke)@h9RE+ZSLXL^_~!~f=yLNG zylp>LYJYrXqWo_IU9<~7h4#T;9bbY*`x@Fe3ork_><5C!!r?~2OnW0`9ST1i{NvAU zYivEUt;m;tft-QVPdo6Zut(&>|AI~+{#bMSjnSimYs$M)yOFJkBG_FS&*Au=C<42p}-=C*4r+?c{;_I9IXY+pndcKtZE2LJw_sP>c z2Rc8|mR}k_ezj-3=s|pubRKKg%#(hIK5!0@@q&0@_aj*YoFhEcp7QnlZ!X*-=Lk7J zY=r0w@xkra6<+7JSVejzoIY{e{0}62{<+18qnUpjFY9isYcFdQHLJ^!DCuw91BEW^ z;+BgIb1$g0O!DdJDc5Nz2ShIj(|+^<$hb59N#L({hwl{rp*NHV(tgqjvoAwD`HgVl zgP*?)j9Z{VkDl%<|GhdLNVa@lF--ceu{``^yfUUk5B+}sxKTMPHrOKLIQjpIe6cw3 z!~u~vcB$l!gdUeq&R3SB+ATfTJ6z~spMmo5m;N@OXZ-y0?H7uibUG5Wk=e9H>1-S& zp8dL|3E9`io|`4{`aEK;thY1Y%4*fOdyNcTJEpdCSKCbCDya3S4)cQ?KA;u%F@V{i!rz0m8~GzQ><#eS zb~a66cao#df2m;6S7V$7GB4J{R`QM#co{#T6FaPjZH1rY=f7L>>;D~kt1mH^ESEny zsa(gd9;!vo&}awxs-Mg4WI9jSNkuHO9=WH^e2w+KnT>kg+ga94V}0u7^2;IJnhuly zK$xFkcXWEp>t$9gdO6QoJWT#8M4oj&m314p%6tw&rz=524+gw#5!L#qbsFtP-ApoK>jzo>hxW)Kjdt8TEwx(RC|*%-gz?%)65F z?=L^7Wm6fS2m_Cn?=q=lvYpJMu}k2=?*@Nr5PLp4XYo>_D=ttUBih*<>+df9X}w}2 zs`)i=lX;R65AS3ARu(3XyQd7@sD zv)X>3gmsVLUdm?VUyoka?57gbR@y%9dCK!7#{aX7Vd^o`OFZKgVIzIUa`+v@6aM>k zSoF)hUi;LgfWsg6BgF5aUL%AK@Dm1Zd-AbNn-^1LT@HJUJwl$0W1N%5o{b#Q!zSA{ zvs{AruFuq{!$h?zYSzcNXlGTlY>!SGf~KqU``>*@JH|^O^D3ae570+3kJtHPZm%9T z_BZ&FT6`VVYhIr!*$>5QRXYrwv$*au#kmms-#YC}TWFq)XS%<@e{d=174Q{3gMY-+ zUkHas6z{U@ddl}g@H_G6($Bd&b>AnmKC+Jp9%DVkrv@EbN9FPOrJnSA@)_x4yk$K7 z?QruQwNI=TKb&%*&sE6Yg<;|+v5rSN^f4Y9;|T-%2VZ>`b#;)~FZ^u$2_X6T-v|10 zXXp`c-KLB9FXUsM&@g>@r!$TV730LIw=)+%e&Q(O0QBnX96iKd!v`S#1oZ+h{q?JJ z(4XU!em9~wmY|V&3XeD0yQZf5ykFnxd2lE`y#Cj5u3FLXR-3Y! z{JgLKg7@`r*J`se=px=_Ph|06YYtpG~vUs*7LNj znP--H>}~$1hy7`%zSC-aE*5UG@4eOaYE8QwJiA8I+tpO%tluvx-D3|q_k#cPHrsvWxeYJ zuaWm%bUWZ6ez4ddt8;(O+B8&SUyb!AP#pqCfvGgbwiF z=V2#{Oqx4zf8CifpMzfP|F_U=&+x;aT%7%BRZ%Zx=~{Qc+mjVa|377j1`KPPd@0X? z>Dv7rkB>KauwHx9u|=@Uyn9;3tAYD-Zab_^=}^Dlhbgl)&cW*8Dcag}g={ug*rh>t zks4(^MtBaD|3J_m&V#WI$9w)c!$M}B*|A9ES!eT!9M)43wP(++M1HCCzvy?~x?RVO zA7Roj-k&j_kJ9IrGt{%u-RpZ%r>}ekYds!msZp4LsCxsK^uj z*4sZv+Rwa^e=9f#zUax?yYF0F6>_+^cgwa%XO@}dv|Qu8nFceKba%dEC->ahe`1|U z|A(Z%obN{8=qKn8e1V_rf6&jFSL*+Tw3qoLelq2-gGLA*+6!F=bGPlb;MfqMe`~(_ z#SXU_E$i+j9`qZi%VW5_g9jeYBZB8!`F50kKz;lZ z!}%DGtbbU&vvF1E;hsEk^D};Z-wu30=%YWabN+BB|8KQb?R2lRh2QF}{6f0bOx|QK z?T5eck@-OMD4V4R2ihy_4|2k8LjSd!>BA}v_+8HFfbY%VW4`{+!%XWEEP{`&JSbmj*|JvU;Rp)e>gZ??kC5e&lO$mM374O(zf6788I4ujsE}41PwmM zEOC9)x<vjP&2zRWGrBKb_-mCDz8!l~p!F#!YqCCa(K!-{ulMB%bv$>Lc8B$R3A2 z)4rbLX;ZV>w8q`EJuBMwT4S-xRBo8!+%VAhe#1PgX0Md>9q@b$-KE|)nL6D3W9DG_ zkBa{WiN~&@KXaCzojm(4^}Cz?C!Zth49CWecPMc&T3ydj&vNDTXjR+F($TY(hulZd z_0?a)-mH5%HhSRa$y$}s`3e+oI$c9=zX#D1Bc#8i2KD=U6U1+1+yZiM19>y=E;z7% z^q5lvw5c~->N!aVl36OtC>1X7_9uaRHy0%^9nQ`K$@lFbSNIZ3Ki+i^<(tiB7tdqN29LrZD zg&$2i{)>OYua$jUm6d-_Z&i9fZcEqRDze>;4;z)Yl&2i?W+49+7@_!`qaQSU{?bbE zpDgV}k7)<*7Op5A?%l~}ww9%P>APizZq@Ys{vsdB^R6HEihI)=cOOhT_s-39KdqM{ zUYBE_tYgoPJ+h%n%~^_l0Pylo4(&s4^mjYI{(od@4|+s7_{ltW;f1dIOM3cAeb~>~ zHXUYv*fc}r#eN}lz!xK=9n=e?e)x@DfUjR3T+QCK|1#kNd`7>ycVp~d(7VregJ=3q zp7KtsUZ20v51;5K(4phAmwe1WpzA>S@y)kfm?-=|Gk>XVsfVpi^Uv}r;K3`^Ivl;( zNEMvj_(ah+U1griKD$2OuvCPR8}kt0=vGx~7rQY+xsBa6pl|=)f(N;R2YI~u@Z7IO z?x`~VKU{fv?6^@uCViY>g2O~VkqdBcp(C?Tk3Xd{*LvW4f9!BoGykLu*E)Aqy+$`t zms$ra_cw|6!XIz?I(`lO`FYkuCcoWV4b0qc^QE7H)lG*h1124eG|eYHw5LN)P5M$| zvO4&5Xo+jpC#YxjwYY8>J>xqT0MY5MwlfcpJK{D{!z zYm`17b`d{u*!e%oRy`1BT2G&${IYz?yYAI=wQ5}T>YtLvtB1$?gp>@APz`te^}JK| zWNlx3d~(Q)`KsEjg;$5qw^sT&keQ}=v9t2;RH)UAI$hM_$`{8!`ZU}$ujRf_Q{h{) z$*o&esum&pSlCOyj!;m^o(j^Za4Oce`X(^YS``U_?z-B3-$^7 zp8nQptM!wVnw0lx?okO1)sw(QHy;gYEB7|gmqCeT{K9sHX{?iTKDTY|dRYPjVodoR z)btT8@}(=|py_gVS5EUvcXMAFFXI~P1+;7BZ*8;=700MK`^L8~|64!xVd=4*ACpF^ zU!FDa^_w_VeO`O&{OgT}wZ$R6GlSgJ3lqEW?(^+Erq9pseCOQz$Ng(OYwxw!UTdy7N4(=5W4?SI3VttS zB`~ul(tJ9oRQ(O19q}qN7%J^0&(%FzXo^{CQSgKxK6I2mP>8dR@*k zw{wNd3xHRSYOg*a)Up3_0UtNj?;kg<8-n&ESys7%g@zrpvJGd%YJ>)gfru+ibkBFC` zKPS6$-d&5hAi8eQZW&c`-r?=hVqM1^n0y*n;1qVe`6D@oEcp1tzH2xE0-o&6xxnyG zr%um5Y3>#b_#9}DnD!l4!_cET-u%nG7V>tmRX$#t?-IhgA}0mft>h=*~yLB?|lt7+yc5Y?Kh zQpmd>cC44{Sr``!e(BZQ$Bvaj#qDm+;3E_n%0XP;2o*s9ZjbGb&-sST?#wal*I}+`pF=Jayk0 zl2WzB8E#RKbM)u{~9YNjq`j4nx?sVMHe?xnZ z{zH!5W_}g3<20|_wDPlXd!G@2fKBr9!enA1@NLQH3I#B3y}>oP_6o$F51A93mP++} z{r>X`9nS{IKmX4GK6sB`);pgI>-@jxZ{RFuJ)br?t2Tv=C?BTy#Ziy71=q7Kl9YV_ z1{?)MN_z5n;HxH2)cL+Gu(H!4LT& zm6^bs;W)pLFOOhDbvbyB@LukGb@&Cofo^^5|;S|>hIWMw)^5!U5d?4k+J;5A$zgAn= zxcM%W!uQoXTjx#D1+`KKi~H;~bRMS9x9_rD^Odfn{PoHD71h@XcSmy#&%AJgeg*ey z<+tUkUc|Vm|NDftxVb?RZSuDT00lp1+#Cc1%n-oroF-ihs+BgNw^9 zYxp*?*LTlUw*v@_8f!~`FGGW1wFdl7V@R#3U_9O8= zIhgb1d#hXp48D*Vd3Lx8vTHNH9ol07F%Q>n*p!n__r1pTW5s1&G2^8&F!A6FvVtoH zd^5a(&!S?PcWgf}_b+w*j}q~s&)yfjB=w?Uh1tX%jmkNYF8tAK$6F)l-9H+7QM!V> z&Jf8@`NX;Vo6{nXV|l5>u+}Q4c3&2GkvP2jhg~)3jm3$HEG%I8M}8z^iNUn$8_IMY z{1Ycsgv)FTV)`w$L4>#KzJrh{SgdkrepHZ6^MP@7wijxahEjg1WwwD$>2Np%j`KMm z?8=2zW;+Faa?POFeJvr#rMup#EQqkBX7_cFi?A@-Xt~q*Q-t^75m_zQJlLu) zsZ=wNNjO^^vVJZOB3rhejSrS+WA%gD4D-GE0~A--LqdY^q1m}H@OZOjrTNMpaz{+i zAR;px&fb5UU%+z#EJDxC=e;&StaH7m~QyuZpy7Q;Eh5)y?|1;z+jv$G1=COzAqi zR9vaY&)W~U|Bz%)z+BH=?c}?^WIX4|EZ{cS!XN6L1q-`4mCigepz?=9_p5BzGvsZQ zc$DQdMm@+22g40IQbg0o>~#?DCE9-;=S7j8VE zHm??6J_}@cgN&8rC1C2qD3{FVwyWO*_FqQWEcwWCLez49BZ2j05iQc|Vc34Zj zow*|b+;-`EshfMlM9C!ObNaq8^VSXPu}*v7f3oHJ)KErWg*oZxho_yT{_WrEPUm>3 z?*X}b;wh+5Tf1!^+@H96g;wl2xb3h!`I<-=Tsu+L;!#;ew!Xb+?Aquqnyr;uRB;M|aNb)d9=a{Ot`6aYQeAS|*1{C`>p# zyVdey0`;p=pNN*ulKi;lCbh4Kqci$xYE4TM8#tMcB7C%{&6{`&IIm#BWl|GRg$ z`AyuaQ>^iGrG6ad!!9Mo9CG;NPTuGAXD*%7K;w0cb0spi{>TY*0rr_6-sW71W#N>6 z;(8&mrJ;#6iS&0Er@PO0^orkJ4C6hj9lYZf)StoeNL0S6aW2k=;C`_O1=euPl4~K; zUGkPcyBtQu^^bYZGixQ&%I`$|V)*5<;~d`5w*h|JWqHT&C_%zbu(w z2UC;gU!?B`aRJp@lQ*H)tq_IW4;o{AMv~MpDxO;&?+a0qg@+LyEP*f1&_mUkJ2!IG*M{`kORW<4JF1{?2K+DeyA7=w?!s8A~1j zwo7xfHFVCvB90XXFWX{Z_RtYf3~K^hS7wI9h zZ{s)9ibg2!Ts9-=T{*?qPe=Z~bfxkxUEhfp3wC$Re@Ku&%j8GcvUup31nYM`3w)oJ zcddlX7!FN~6fL3gK9dKK3Qx~#^x3HAfs#SN!sn)W6sP*=+x%RItr!CK=@#6T0dWok^P|Bq^=3v)gSP9<;mOp)j zWv9al_FY4KR48Mm_j)D7QDgyeee7p>jJ@h*&BP2A<_YhHFM!3i4Vg50Dv;+k=e% z(kXi^J_6czW?ZKTJV&ppP4PS7r%-LC(-NUd_nuftS6O)sXB)*pOE>JM~m+eRg2)Ug3;agl1i(SXdhO@amGv^ z7b`qBBb=vN)AFYbl8wuBzHn%_&^TYI=~wd0xa&lza9yyowha`2STdLurbhJz>OIU) zV_hreOY!r+&%^I={owb1OU&b-L_Q+&0slT9kAEAKtljK#0DdT_v_E9TEr@5J#5@mE z{^2X&xZ^y*W7NlJKldNlx@`QO6TEDBkTj+Dk6zQ?>XjMYcZYcC8g0{jV*qoaUOs1~XHv)&qDo%E@09bZU^NXDX1LwV{fA#bmM~YJ(o%BFJ)+L?t z?(lh0zoY#7^N$$^j!t;hz{;b0)BCoY?P=R$8cFp|;ik8Xr!w?nuoJ6jfE z`(T;)379F;t05?G1au;HA73fk!HN^~;NTrHt(4E7<`){xgYzmbWl+2Y_3_t7k5BD5 zs7n3puBZIGmFdZ}KdzGUu_X!};jr+cSf#<&RKlxtJ>FM35t`(c`942zq4^T*8;JQ7 ztQSIlQb5e$sNM5+*8EV1YXjT2ba~t&$eYot4ep9Q^$|9#8{0m6*J*elzwnB4Mjk6a z=R;o9o-HUKN>J4_s-_~R1Jk;8-D)r04~I9|Yo0b6f#_;aDNuJLXm^&RmhZSG8V*0^ zesc9@&m|(G$u@-&wnVElGT>)gEL?J#D5Cz%7bXc@mst8KfgsK^k=reRrzVN)j=LNw zADl=;Cf0L*sy$8pm@=;%lf{LP2~&R^gP!-nN}A3pfcrYyZm@U$Y?T5FjC0nlQ?UlA zRL*rHBc8D1s)omtPa4!d%$mP}heP-o+*Va_Pv3TjD5iB^w9QBaYX#5bd&au3PIK0; zh=FFp%qz&V@&bZXrnd`Px@)Mx;7NmThVxsAr7v))=H`(#yK3)z{OV57KHxgNXELGS zu-F55Tz@u6r~a>p3t8! zzlB@Z@!#|k{*Uwa5~;D`Fo+OhADn)v7SR4M;|>oN{%uC}<5*LdYhm0qS}*j#aZ~lI z>~I>dO&m1RDVlVdFmZD;5L_Rh^{w?5o#z~r_ca9C7J}Xe`|34Z-lX4>-L17fkmcuT z6T}-VIg?}WRshAr5I1DTr-qR8`G(x=NXFUx$9j9_ThV+5<{5QfxoD(5tS3@BN>gq$ zcM{aUt$S^yeEoxIoV0Sn_Upf^b*MgI_GbzwOnHOUWE`$7V6TM!XHUPfte4{r{niq zG$qiYAO(J27W3M_%m_?puh3bSIYOBEJXf%DOB;T4vJOUtn-r$ruK*p-7NbQTIV91% zH+7lR0GT!Gy0?v8HCYsQ)=#LTlGyMs*qC{?7&4~Fi<)ykfTmm8!t*&RKt5T?;Qp^9 z@?3saW$Mq9aGP_9ZqYoCstHuWibk`YK`LF8|D#^CYVT_2Xh57F za`$Mg7>*#vc{H=f^(!H*r9Er5%qOxlZmuQo9`{=6t9cd!}~z{j`ke=c{~q! zMoY|QISp+MCVRh#esH%4p*ZG^mdiUf?r;EIrw44E+jPOBqHv<~>CL7L;UiUVIHB+s=D^>w&Q?u&mO zAL_hK$`s0?QvIrdtBiNioVS+<^5*BfJ!v4}=}Y>1PMgdNjQ{}?Uvp{aA%gi8l&FW% z&f+op1Dh{5o!q*zp^-t%b)w}ZtqRGo>?pTu z*L{LKHDsb2w3bkza7ddH>NSaG0~6U*cdU_;kozc|X;c z+|ZsryM6MXeZ3BGk8@0q%ppww%Z$z^jMuH!NQQ5E>_oPm)ol{gDxL>%Aa&7dh z>LV)?2g+{Sr&GKT^&i%C1x%LDxTs|Y0=vFB+jvB=q#Za`G%j2%Hb}~k92qd-siXOB z%oidqfcytshl1=eY%!-Jz|gIHak{)U*SqDYLb4Q zn2=B7Y~<(Q?=ZhLJibcmRv`e}@=V*nwIQI&-4Cl~wgc7^{!`k6Q~UV52f=>uR^@ih zQw^jWeJ;{ z%{9Pm+pJkvW*sL>LPxHha!v*w$+HSXEgiD`PfHmN-i2_kXGP&Amx;n}pZNv*WubmI z_j)A>PdMKeZEnu#1b#nVzr??@gfUHrKzGk`@LTBYymV1tlIR_=u}!r?;rg$_7Pvn*5TtI@a$<&=G!*H zUd@8*?M zjKxrXgRq%9tFSQ>`JLLzOtIBm(YnQP2e0KDC9rBcH1>Yn=$pQ}Nro!D6e?U9H2~!@7L}-Oz{(@z0_jWi}(?IKEzQlU%4;n)dsCw z$65R}Z_4Mi`mig;Yh5{6qOdnk>RT_V*;KqnIqEXhnUqO$i1$&P2zmM_(GNjhDjvI5 zd>;s2*h#j;%#=L5ERb;5jaRt+K1uWZnC~~rJs!pDV+YJWVs3!P$eRfUc|I$)0a(3f z@%K{$)o@QCVUO|8bAa*ZEQ6Cx1v{$1c*;Vk(mTxh`~b~6MCh%mxscFKRtSn-8eJ6n zZ}s*0cl_lRy*NdDdtIJfxYI%sWPg4!xEKphy<_;S|+J}cv1V%!%XPDd~9W8WdRHZzHM5X*+_b_n>;mn3}Eqx1icGMZt%fFaZg&R zHN}b5+f=xo?1_f6w|o}OVf6J8;aA(QyZH>6-133X=)w(H5cw{(q_dZ#gb0~18m<#> z?Jp~prE7?b)v5N`;aLRve<(dvTCaRPS3}Sb!uNdWQ0D39t3%;BTVhqioJz8L2cOA6 zk~Q#4eh^soF`i||tzk$s=1DM@4^-&~^3*CC5l2n7*>MWFFd~|Cv`N*Q6~D$1kLRzy zRJq5)SB|oS78^n+f2OEZ)XXuantWazvGQt08;z%sZ;SKzo3CJIUtBnitC@I_I^`cS z`$$H^;n#e=H}AXv#0hL(51g;wokRV#6cfu;_AAOEYE*S{bm1vrt^%n{=%Ey=Wx#H#AX#62%DX8}#_0P@Jr*w{R7}I!K$!9X;NP5Av0`tQh3!t3Dm*?Hx>hnmkp2ygwWg{r;eghf)^;SUuA^MHtF z{3n^>ccW8_Ka0)_j38Pn~!w;#C_qK&{nZu0T>UN!itZKm|r)K<%dgy zNzcLqGvC;-{0c)*-?8?#xqAknpPelBdL740OEUOgOJ4PDJoSrlpRxyQ#)O_(qyYA_ zMt=fvSsWiuPn%oor{=-|vu%xg&Cfu_y{Bej@dfZ~adp||Nqb@B!m<}H%?C;0wBtq+ z?oTMbj`-Z)66ZU9j(!-%nK)n9o*CHZ##;ohj63$Pj<$mZXRoB~BzA!M0nhVsZ+yA= zc^2$1&5^Q6&ZhMYm~Upr53ca__{BE6gUYP>2vrt;&=oYCrk_eLPonw`{R5`{)TH@h zT(1I-%Nx7`O=(^R^{ak;#B)BuIBI7)){X~7ROrIZr577E%x#AoS95z+D*eDX@MhRP z%NT<35BiVD7sLPWx~rQ%zuAt~VIj_;`)bdy0pD4wm(ZWY--#~v9gflrp!0;udz69Q z76~c`WZLQH_aXJ(@hwXAWkrJT^_qI^g-UFIlWF{onc-<9%Q~t3s%s$E((CP}ya@W-WI- z?6T?lJc+v#*1y~mYBci>eZLr2q923&RROQevzob9G@cOh{#o;Z(I0_%{t=j>bE>rW zsXfSdd3erV*iHT6F&@Ydx!Xf#jZIR{BQVBneK!4pn# zW1PQR9_N~_R5XQCT$lN!3_@w0hf2Z1(3xxQ66E2JJ*xFnU;heL*7$wvbT*@Xk(le@ zPhW{`jYdN0)>%MywLW2!t^nb+Ds2{N-{^fHUW*d@p`+cv&rxE1H$C3oH`~4-moW4C zx#Z%ahI7Xk7m@QLBHtHxG4M!M-vON8c-^F<3+9LG_))!+G|MlDtE`9Rzv;2!qiA}Z z%e!c=oW)~$jPDcU+>H(+Tm2{Gf_vB=i5n{ERCe}lRr&d8h^4Q5sovV%F%Wv=V<_wq z<_$49)kHtX>ss?Ftc&OUMDz`3MEL9)C(OM60XTFxsHscG8n8b_pOAp9fk!0k_c5?E zrsJB~bxX>3!+bI3snYhVZ+>+9&%U|JRs5ZI&lP~Q;|DPo8GluI6<2&?+F|NeEpg1pe2dg)U zMf<_F$+y zvrS_4QPpDQHDsyYRORGVTD!*&u8)6bIC#GO&r(%49_6486d7r*Q+7};k_Z!*Z#t~2J?f=HfalT8pzW{e`7*N=hCSQ5{T(p%?0oH-AHNq;pHFW ze1L0J-Wr$1J|L+cbX?oXAJ88`{{eXuOx{>3Y^`v%lsK&kQYJq(>GZ2mdxU(sPY&Df zBxshydOioA*_jNU;lK95427q%PIH%-?jsnNA&xoq>ACd^dp{6n{B)n7pL58oZ?qz6 zh`79x(pVJlPxCxW2fmMnGI)>}f1sS3Wh7DYqLAVQ_?{3qMLrt(za+R`#YBCWAm4(C zmm5;P3;G3~Uy~PBY_FluiMRukSJXuYU;DcsZO?@On*lY2bqeIjI)C>qy}7LV?jU*^<}*xYF3f_k3#^yeTU#?M{A25@jQV_@@2gOQN5%F!)E0^By}8 zZmQUpGBm;(Up1%#)dT_dbl7u(NBHoUF|z3RkLtngQBZs?eC4C6bYc}OrFy=~9%?%F zhXmcphIs8B$rQ~b7QU`U^%CL(IA5N(&y={Np-t`6jAIGai;UG^|EhuOZb}K{CFdFg z{a*^;8^*q0dG>3ToiisDM_c#Tug-#3hl&cjqD?68xKPWf^b2EO$Ze5UrXR%}Sb3p9 z%I{!~pCh%?qx=#rUJ~t;C-C^Ot6AIUYMOu1`_>yjWAQKx_w%NGFR*U_Q|_ex1L`Z3 z|2$8G;*lZx$L?5^ml5>$nEE4tAYTUk4_wD6MYvaK@0axjlRBPYcGD8F`h(w4R80lk zaSL>~y0-{^73+z97YQJT$D_K!*15CvfF_u%zBjyZrvt=XlOD*~7ewbH`q?=*8|0%F zW|F5r*Pj^Uv!i)yoOh+;S8}_O9AS#9iDTGj3s|>or{hfhFp%A8eDh6lIoPKK`}ZDk zqIz=s7xRl!rkON;Ksy*#5IAi^a5c4OIB!vpp#8=?{2TwLMWxB+)W4~*ZSyrZxJa0N zL42U`))HQiSe7X^u)*kc&Ns*iRBh>>zL z&|>gqJ@=kJI?skaAKHoSb}z1p&d4C|HiYCJb^i_O^R722@4XLc^JXb;`xr^SCK~_x z)m8^bs|)KR z;`k^VJC22%=&mL4D<3ES*gs6xDxD41YIFkTKFW;#Sxw_T@qyl8wqI*L$Gmi+bxNY@ zo3ts_zc>$>&nv}RUk9oGk9K95N-OvBx1}sUL6-8b>s^H``zy|XnCR9U6|*{EXu(A% z4JaTh?}To+&e(Sd>rGu3h1d=oC&3;fc{S&$1@*gdzDNu3)&5ugB>G3khpc}&?5y3>2sc=ptM*P(?>Iqw%v>*w{-yS>Cmvgy09juBqY=fo;rzy;DbY1= zS@T<*rI)NJ?~7T#=}qG`_tBgD4SQOtAHiH7Q6PTb|6^Z+94TpWdEtELJUL=FcSrrt z+hFc8@NTI?Gpk9oYZE>p6z}DL_VeYvr)Gx>Q0po-JUSfZHly3C*|NZ%T6jwn1 zz`=NZTqVavn%8K3C^(S&xso1Ze;%9~#eu?cV>DP05?qLE%2$=npXMdMIFA61)Cj)9O@4 z9)VTold3R@=q~dnU0{AO?x{X-zJ9u%b6+rI45!Qrudo9}O}Vw3Jrc=Mt(|(>uQcJM z_NknM5db-lZcF@Lk^?8aMZ!S0{4k$li~|c-joV{ zqwA`rK$fTZ+n0!CgnL7P&0)(&g zXxzE(EY&;6S9IQYecQL&^?&?WR{yMI{RPkaE#qOyLPw!V&Qo{0*Phlnx%DwWnWzqwGmq`1z?E4%GaJskXV(mpr)u?Kf&?*hvJCr-koo-9}E+ zzBsR*_kE~zjV6kY%XGdkX4HkYhPB<~5dohOH-&e>jJm7m+y&=OG5U%h_lS5rYR2j_ zsY!W4sE7Z~lOP`o{f5f77lvor8nfd3RJtDm>J#K821SV1=QhhhflQvyukMpHZulD) z!1vjD<($F7V;2eX9GUy$co6i@@IB%&-WT)#k_a>Y_GZQ5DD7CscGM4|_0#NkgwLI_ zraZ~l(y4bnjSE0aC$RpPj|;1=%?ma=kM~vhyHkG+{a8Kks1?`G=7WMv?NSwsEOPk5 zh;37vBRuC)+0cH@3uK?o6j%D{OE$czDvWI~g7ke5`c=`2>J`lQ`L35+6>vt4>fgJa zw$4-9GRWgLwQ2hp~%zB}-n9Dt7+K=VVSil;JZmg~e|OAOZ))YA}$KPd9f3ZYu>-@8KjA@@P`{E`9GfU*G3#-aazZn)Z!G z{O>q-c-qlW2ESZD^wEzIcd#nAE{RgtfW%RreOnGEQ@uO!LPu5pw^4$;6ej;&2|V}g z_|%g6gj}h!46mxyAvj(JujduNjt+r2zkl8^duc}=b?od_-WmjXfv3I*KdYhk6YYDf zz~|LmXYUcI(e0v@qE9JL%wX&Hne`6ol$V750pd=GLx;X+Gy`<5ruos-Sh+r@ZJrS5 zJ+ZrFTNLGWAs;sWW8W)A_aByBQwH=85f@}xyjeJg#yiY;qfGf2I6f#V9t4?rAGCu>uCFy5_UO|6S994{!Go(| zw9gIZm6-hLKYgIFo(c7V%Eb3DVVFqQ?`(d#*tCjLmVFe5s>7Lc+;3_Cr*Yt}Rp)#O z^7nB3L`CE}hgGA=A-_rQs=vlie=EVuZr*A63VI#H9Z)jy&~x;BhHG<>+#349d*tb1~K3nCViM*+7}lMlZ?f$wB=nU7;m8e zj>p)a3hV9^W8=mSFZG3+WbU44y-!(n2tI)QZ*g3gpKv#w;rE*AX`FvzGRM}075lU5 zAdl1eobKOyVl=N6Ha@st-S&%skF#bsmxlw=wt9hd+w?|mttVT-EFhR zjz>{Df&Pe@VUWA))OavI9>Q~3sR(%D=lI%BaD<`Zp0|@9`4G%Aqu-+ObC=-wF-D)9 z^3aTiP)1)>RzIwX79nz$BbKn~cV&e_csi`M*B#Jkk)e42(_dm1sY0DFcYAI|OwA?e ze|O6xQ?QcGgNut(m9B?t!mEbbl|-}?q8y7w%((*Tdc}N%`eutK<;t&U{4gP~>0ZHR zP1+9>`#j$JTwP+#sADU-xaPWhz&YY8^89DO@=E&rXy?%H#$&sU^1~)+S@5gubI11u zHwe~o;&~`(e&t{N3lFmTj_A?*aGLgPrQo6+1oeMiRC}!#PdS{bzMxS4EDJm@-Ov0Y zR8H$%un*Y473ro23qukUC~7MNmt_hJ&6o_%S!r$$e(_t ziPnb;tk>+Pcvxe1#nu&!T4mIunD@ypHu%tQUPds!K)q()bbj>R582z!kQs)EihfymNh^Q1=a3h z8}k9}{*xwJpBR0DoY;R${MM&^ZSj5X=W5jzIN3$*)9nOgFL}7zDPVlW<@^B-u}tQqh0x1V!h+=?}>6{osk6NK1q#N>>WGu;phR$Wzovo ztokeiNc|yM-T9?}W$)~1e2)I<-xBdh=6crvTt|AF%eS@7$fNzZnB#RA8ot!>%NcZ$ z2Zf8(^muG(oQ3m&8DE*euVwKwHm(f<_u5y5mEo^py0V>c$J}O^yi(@-(dJ6x6X9Yn zd5OVyZr*S~MxcP8zQK7L`6kU~$mR}NaY>EcWaeEmQ%2h5;jG(4=8hLn;umjl_@+BW z_Dd|hv$qk?ZD#b(-SxTYduTB0e*Vm(NiO5hiaMfboW$&d=K^0oOq+dOu@M@Nu3xFY z$`Rz$O~fnbRX z5%#5(ZGd{{h3H_W?1W%?jCQQ-=8+3!940h=*}eZ~X;7jRYhR0lz>-&qDiOg6AaRzCex!SZ5e; z@%?+oIQ=VLx1#m3@jZ%X@7b#V+rAn&FVrraqk%!KXU&_T#(>_bg^TSwpYAnGz z9pszt3ypKtvU3I{`NKI2?mC0*JSX3E#VK$}Oo^;evSjI7IjW~{yqSCuFL->qC8h98 zEbV88eEQ=NZTByxsRR0-9@kw}`wNpGq&&z)VsZjtd>v)E+fnRi93a0R{ep1G_xr9q zV$`obDBfasQ4M~U44c$-CsDm#$8+5Pr=i>hnSCPRuc-U>9mfzV{_b1su9Z z{h$7+E>hq0a_M~YdhuFaVr?Yd?;QCgsAn;5W#*^7p)*|R)vM@E$_rvXj~W~j*qXd# zjSozAty*}hDuUtXG|ugsZUvXGkGd~7kwp11LNn7QUFNiag^dk;JnhA_AKaGPW~QSa zW5o92+EnA4XMwBv?#|U54`}`g^W#__R>Iruz0EWL6!X@vkN8{%w!fA>JttI86wgj_ zY~pIBeS+~lqJEnAWR=U8eK*MWyL)b2@V!Y|%oaPYXDfjElk=W#3CJML4Pq^3LHkMJ zZ2hcp`|C75W8#RW;8m&+=*ZHx2tRyMCEI!KHneJ`mI9D z4&JSnzB<#|f-rGG8{+0a*I`@sahCoShm-EN#}1{(668nEQ|y%B(mhVrjLOWQnx4~4U6KJLc@Tfa1GU+PcedE<`@o2!5MgSeLGj5pK5 zY2VZ7%kF{t{;SX!V3D`zL?f^Zye#|8nN0cW57wEz2{}+t<3_}F5I4Fv`ZlgNS(@$} z(msFFR@3H8Sanr>x9<1{R{q_dwa$Dg?`!!gN4EzGN2s5aG;4C${IPC8d;=xcGcs}U zKx!YJ*JoN@>Uai^?oJP7*BvFepA^b0-RSzm!jI^>#rvLoB+Gv3(4RUA#Ek|%URD1h zTn|IK%G=MDDAM@mpZ#pY$qp4!pV3Kwevfe~;&uP@BMss9*3Y+17=1#~-Z61aQ&668 z>rUmvS{8oI*mvAyugdOuw<%u?^CwsjC;s)6;Ca2fM5MJ;szxxEpj|CV+x3 z+w|xb>G7~ptNIzix_@^@eUtLX4=+5x{Iu#ho=tAxx%$Zmw&e3LvolHVLBdr!K4_N_ zH$%OM$Fe=gG2kvjON5PvEmC=Kt3y;kMjb5_vz%@S9Y7@C_j^V-T_+2hQGu7 zdjI~a0xkUu6tDAHsySs=khPfsRKBwz>jTng3P6=GH_fH)>&S$rc52W&!yVCo?{zw-}U+lgj z!ss(=)vc`ks)v*~-@IX)9S{CKzLEp)E)ZrOLl)X5>^^4uFPe5d=p3q~C zGoW%?LxoE^8Gaa@+N79!94@#>Cf814^udlAZn{X_KI zFn{xOyIOPSQD0Vm$euM16o7q7pMho1LqNW;!h!DX@7bQwKJVdoe+#+)yieCTzHhWc zOrBO2?T4VfhduDkhXjKBMeVHGpc?Kta!6yr9Lc^veb6!fYforZ47D5}v9lr+e3$%%zHgn4T;Eago_GlE+!hz2Mj{q`w0SsG z3NL2vzchEtC2}`ArZ$l+oz)N17bcru>5tUEPGlB;^m2Y)1y{QcE_S)oKu}_wC6*P{ zAG>pe`lC1wk9G-h3~|{|eTKL_##g_S2Zn1}Lt)3KYQM`}K43EIz3i%6#jN+>OzUq) zwrBe`mShq$b}QuzIZRr>jx$;EYh9Nx{>X(tw+Rov*C?o>$R>cw%s zF!Pg{Q0}^}cfz|+cp^U}kW2jGxr77v{Aow1pN)M95jR`ZlQjMOwsJ6(6XCUH`@;)5 zAao`9z_L{G%r*M?uEX6hR%^G-QSu>Ox0ugj)*oB3>X1>MqIJoCe~*6i-=F_|jCr%a zKSw+BX;;*W*`g=t`(nnizLbxGaqa(K`TzcZ_*~5UiXk{2sNep+U(^fC=a#19k9f!5 z=i~L6JlH>d0Bv{`TM3Lw?uapZ|RJy!egBx>{rkSqf5p!+E<^dx@o=E?6?x0}JA99r zCr2JCevj9|`GXSI3!ab9hx#Ai3m#*^i+_H(1&Mx zLil+;xYB;Ph~HT*H=p_BZ4j$}!x4&ir4zQhdhHP;`SXViu6#-Oams>YT3;4PIIoNk*++z3?P_;##JWB#=jtABBF$?Bj;LRwYKXzMw9XZH!MW zAJ#A5GmBS0gH)yMso0|2M7HZ*zR`R&g^;XynoTN}@UhyZCwh_>Y4|2r-M!ERE@{0B z=N&ss4*I8-%#JFj_r=uDGVrN6cVpUG+c``V38 zdBEFdSu-Mc50nF!WQ_R~QGO@#JP(ZgK6kQVkk*}Ge8#NrXkz(gQq=E|DB5&7JQe`= zeZaoc94SH?E{y(C5P5)>w$Wr+w)HlAX5fH6EtNn3pohT>ZpQM4s&ZePRJG?`81* zesj(W{x;HfdL0RZk z9~iR&`_=2gos;Gd9$w9cDvLE&4*0hdCjp}m;@>lgp!*KCfY1_}@119$8#6b`mu#u~ zH9KLl1NFNRr}U3BOnhGFOZirkw;crU?JfsqpGi5&pF367@UZ!G7Ex?HP_&P+KY`GS zYtGxAXMh!7N%BITQ0V_8Qaky%AGJ5A*Z!8sD`!4`7Fl;@&Jx|JWrXkT%|k2KDpA}F z`2@`0AE0&{^%hOcevdVfMry=_~oB)n{O$yXcp(l0>19@d+iYfe<`xqpnstNF8E zG_!8&5Mo~Oy*^QU+=hD30$+fCvFnR=v=06k3 zUBc)?#p+khv^ytQ&u2;dW*KCR*iKt(MEQOl6#>(tCWsPMm$z%meEdn?Q^};?eJVv{u&#OJ^J;3Y_Z%vc$vW@+R)IOW$g{`W_;VX=uius-nV;Kn41GI>n8rxRbYH$H@RUs9FpO{ZVrV7X!I z&F@cH`N==~?3`^f(`#%QWZkzIjJ@tWTOD?lmG{?&uAzro(Hb|1bVjcm*T)RFS>c|y zgn_H{lx9rqyqQg(o5{lrpuB@{VZ&48C}V$`h@>wS{!Ww!*zw+1>{E&sFu;?IYZjh^ z2~$${U6|p$?0~L_Cxx+3o1vqv_aKVo0g%>QpgHz8oifL4vkMvwbYkn zK*a0wy{7KQki9%3dHh>9`TcuzfBt5FvS{AKVP&Nu(y84wW3zZAQMM5fDsXau>e7Xo zb0ho7-+621_{%}k41;feAucdOQ0ddJ+k)){}W|TLcU(5p>Wj42F;{wemw8PiY@R z#7pcQTx_2hykK3=obp}J&u8{o#sB*wncthUa1>+8KS5j__YcS4V}1ei4YO)zY${*) ziSi6Ww%kwYlky?n<6WC2lYr)dFu5FM=vaMP^ zAI1reGwNHWlmycb*$mIa*I4zo=`bhXcFo>7H%V8bklOPNDP(s4-R&l-H!41OSfjxycibl!;_jGcP_#V1mv@q3IOMeL{C*pPJTMo=Ie`P?*Kr5X!A6&({QSKWuW$nH5$Ru;n(|JB=-?-o%z z|H+2UUAWW{bTnMFBH;nG-?&~d-o!i;9uMzki#t1=v5#W-tU#mXfBJX-r(?{k;rDnw zTxZcMrIcknvk88W=cB~^75?U7DBaGkcGp*@dBR;GtCJ$M{^XPKy&{hdWn^e&+p85t zF#qcgiD=tvV36u*v;PERL(zq9He-g3;G#eL@$HFvSTZXuMSNie?RSVgJd|jMu-_;X z7qSEOpK?F@U*;36L%{P*L=`g6TCM+`QW)LfzaPBQsJwva-Wzh2#?NAnhKMN`*)Vs~cg2}9Pn zn*z@rds5723Np8*2}c3Rj_1Oizh^KNe~qx@H_$H2G-$LoH?mrsVm>5w{)K*UPxfU00 z)V88^%-|Uky^%MNV4Q-oZrb|ALFTU@mcLVc@2ptrCo|(38){#0p5p)hEzwRRPYth+ z=l%UXe*Qm8X*%!mJ^XL?f%lF7_n)qh_lXkE$Lr(&;r0I3>u8_;e$K!D53lq0=Xi|& zhsUS~@PF}h)ThjRyB5v!G3P1PeTvaMc_mj_>NDPOVD5Y523_J?UpLgJLZ*Dw=C@Ol zpxH}A{Q{o{aOt)#(%yTK>VI>7Aq{Px41zo{>|fnFDL_wgs0=XQ%d{)28T;==R%;F@ zvHD(V(YOKmU{|JYFmU#BffZqWDT+UD0PmD-u6lOY$lfiI-Sn}j^S}lb3ERDUz z*gqj^#S70b?jBIIZM~*&RUsrzJuO^KQi)qkosdFt9ZWm>d&bRk^)$bUc>J5dZqda& zk*xQ#0TQ3SF;h&fB@Ys({U7%JGAgSs`WuBsQN#qr!d6to07X%(MI$9CjYuQi-QChi zNJvWv5=yyf2~o-fY!nLx3k%OR{(H~mxV_K)KF=8MbH@2{KFzVOYv+m?zgg>N88i9^ zSf43Uw^c?3g^74B?AFH7Nbp@S=_yXQEtQ=hHsJW{!qmb-ClGJ3p|qu~o{HNIvQ zsKIKJg?~TZGd{~xoyLWaV+Zm3;`(+4C@|q;K*7pV)VbcPmak(N>E1on^X%IUA+Qrw z0~OZaUtWleyxFY2b!DNHK$aAta%0T?c-Nae>0q1`mRe)6EC!j)y0~O#)M5NFWZmH) zSv?GXf}*Kk-;0f+(BhW4z4j`$=m)EE$E5)!bZV`~UPbE^e8~C4WUjamQr+ddbKP-G zM!gd?E5uh$?9GinOL*tZcR;QjzgXt$C6l^_-5o0!#oLPsp2ORvP}#69kjU?!E5GMH ze4I%1;~|$LTHS*g=-w4GX_iTEyv0H4=X6^w7JMi0DqpV)OU2mz8r_^n;``+1$4ng& zzl0|)E9pw?Yb1Is=yyjuSXRGJO~R^&*frFqui-=PckFgm$s?_Md7O9L{^Zkh&+b+H zD9)ItqGQXMnEddJ{>u;g%rBty`-0rg={5vsIq2zhN?+(4W^;ZpPqgR(mRHa|DkIxZ z!JpW&C@tUlqjHrU$9q~+(xV&WgD6WVlRG^8Jap9=aDRE#gr-(ahapl>R~ z>mPfeSsV13QC}wU?(}wkQ_?3C);Y)@%6@jD@oNK|zL+(C-41(F{{#Fy5Wo6y|I^G` z13l!xRj{az{S*rB3z!?osJ{&SJS1V$X3p|#ycqLa-B9qQ`Iiu8bSmIIWQB2&<3>T@VgM^QPo{#u+4XzqKq5FaA({)l2q41v2 zhZv6kR}|_2{nvS*2Y}vp?ZttGA^LCWI@_NA+Z5(=xiI%l5x*KFU!MIU>ufu&r4oheik2QcMuem$wypEc5>>UD z&fX>@Gsb?B#kCk;?hbr7xU~TDS_*HLkx#+X)*VvX<>h$w7}~+59)=codJ5_eW}=0P zA4*oH#-VS?DlsE-s}cB(fI?l8^)pZG)(y%e^&rT4{U5(n1=;tdT4h`_sshM+f}NR= zI%kt4qrQoK=!#-qyIOobqkWzXdXB7re*YaO?MwF2?&@@|G_O=*=R4Kc$Di2JiYPrv zm#jyq!yk#X!MAfmOS!4VyF*Vpzr+CuX!9m2oBUm7Qjoy_i?CU&1& zVco0CNDF(+pLi5Kp#QJ);X0sz3&AmS`PjYs4qbw$L;S|I;-UWbwNb<`4E_9oZr!A_ zRPS~H=~qtGv5~>P*Rpi6P7?Zli(_fTt03&mY{IOc#lW5SiT^ed^hJ=LFKX_xT;!=c z-eO|yH@7)}jvG@Uap=O0=d%3#pl1!chsNNq4pHb z;XN*Ua&a(vU1RFn*7=smc^IdV19yIxyJjF*=Rl{9%4w-z^u{X9c0wC8C1|Qjj$u9i z?@>zOfHM2leQ8u(_Tz>Tz6|yT*gG)4V&M;BdIF3|9R`Tk zdw<9#^+3A|=6#wo;*>5->)!{6zktGzKo37jaLh+5R@t9gc$$14%qRF&0oM+f$@h86 zh^u>i{#TDYqrVx%RZ)GGv`F`EqC)=tqzDEXYQMbqVxXUv5h5@mi=2F+D??f#bLJE zcHxcaj7WUOyGxz;(&&z>S+oA=Nw8kP{!n7$I}v_%wmc`gg-#v?wC!|X?!lJXkhn7?-bVTg9lNOQl&@cS@NMjM(9Xk@g4EqH9A9F@yomSq?B=v~*C=4eh=7p2` zQSkoMyvLCE&w-mM>xw=Fk^a54>8f+W>ivn{Ch{q_Kkm0Go}9nHRW!Ys_%UFdfp3Cd z^rA`bVoCo?1oj~KPrqHMQCzv|G94EoLn!!-`dDj5Pp!X5_8nXY&-s$5U43sxGR-$d zan^aqi7jh#uwZQcvad|H=zgrmL~fqlJkG4JLy*L)7@N0?f3LP9d>`VgRz%#&Uw9yf z@GIVi`GSVh-Z=9+o8GD`LijP)q7|P-9Pq7=XVx_F70`LGr*YGrX1rDJIx^t-wy8@n z7|B|ExbyCLGi_Huz6tbg;3xbJo=f3*(q#REy{>X4J4{%<13SEonq%DMPw<}EdsyYy z30%NQua4d}JXVMeyw)7wUG75mv$2Yr`?H~|^t?$E+yn3j$oK5>`ED!lh*4i@-n#pj zxzAyUe_N-T`tk0DTv|RD5&WrpwJ_gQq!$9cRdUX)H-}IEBz|}B!@)cOg?@xP`pRflW~6s7#9ERu%lfQN8!+`6pz)K~7PAdGeSlMXkx_Ed6?wwbXawzZ<@%K~x?hG)z7aUW5duO^Io&kwBP~~{`+WovM z`5n%0*GoJ+y(|$cF*k|V&fY-y(ALmaYuf{{*w>?b>uswL5+|_u7VrAuy%}V_VBdqB z1q$*8^c$$N2)GqB4$cHOdhga-J~y|D@B_eImPcKh?&HZNaWjyQ3-v(24zWJnadVHf zJ=xEIBLn}S^dv{37f}3Kl*G%XCHe~PdR2xDUkq&wX$~ zU1vTm-Sjzv*sl;D0`JdWFMxiZD91M4mM&#JQP_8#PD=M9U#vXs-F>trfX2NT{-)p^ zf-CpAkbI&$Ju5j)D;&wV1O5Vfpw0fdoA!5wlKfKea|4C<1-T^dVb>xtV2VG*JG}Y0 zo(qe2>}*-T)`8UVf_jx^&!2yNT<1vi9cn)~5{;wa(gFiwEy z0EIXV>i7VjnY!1C^Ww38?L*j)K%rjddehve&3oMb^&IMXeE4MkJr0RWSp=7XI(@JX z;6CttkpGn~V_TS?`xCtt=56E7K-+8Wm&iV2;tMOV4K2ou%8Ktox-xMd%h2Z^vvUZa z1bavQt()I&seYt&+hBabuhXa(&?w2$LGBOZ7#!l}S1zPZ z>IPij<5+jX!H7OKBfrCVt@eAp!*#Pi`5o%C!@8ly&kXxyFW>1bwH2GGw9g1LI)k~L zpUY1u`4gP!xZ$HBMW!;$IxQTzzB(L3AG}4?w^cM%Lvh9DD4pMTAYMs;JTGvtNPh6h zb+TT;pZ!m2PX32JcwA0C2WJZZ$^Y`?dgAy>J(J*vzaLf{>xv8_^_s0j^bC}TUL%N8 zcHJbS*xHkfO(jc?&+j@#_?I%Tn)ydoM*S(e-zVU6CAHOpm$${E*Ky4wqVDM=o}P-U z7r+nB79O6TUxddt%*m-r8l~%J$C3O%Dqqu)=-*I33izLa>agG!<03@$bMU0)2|tGQ z0QwWeQGpz*Y`QwLbL|N6w|{xM?`tQk2k|$BA7w6(*>8)}iVOsDbq8^$`DLB`Cwxd< zHp=b-y-l7`@5tEeVkF>kYKW>Y?S{Pu`n8(NI*A?$d=uoYNU%%rgtiZ@&-&)vQIggKqBavYnuE!2`5lOT8(@CU$&KwqTfr5>pl0`&;0 zpDx&5Idut_?k_F2GFK+~E}*}`J_Nl6D997wA3*J|m4``eY$N(C$m##0lzriYPwhI5 zH@GkfK|L0#j!h-z5YUlIk!VE|>SvVJRwX0B$a_q!ueEU8&UyI*4-?RCqn*Di`^!*< zbceI@a~0BekXlcMc&aYxS^=Y88uh-Sp~2Ox*kW5|+tN3!hqJfix~eZM0_O<3n9x_iTmdL;e={eKbou|J6TylH$*% zL=RFdlznQK8HNMq|LSt!$;8_}pH;rMAP+xXtGdTmv4F(EQv6z(*ma<<03ZK9OaH_> z!F?fq=>PO{;lA)3p#Q7q{Qdub-3RUm6t081n*VhjoCnwazfJ#sPk6t-e~0&k|Ka%m zG==;B*Yp4W9dK2kX9kjGR06Vzya0J-y~o!^?L$4W$3gD~{tx&a_sM#0_3BI_KL9@m zxdixbY+!|I{L*$3$9m!Mj5L0^GMxX@dcCyFAc>DOicQ?7{(bnY5G7VfdY|u1AEDh(*Tsc2$pE1^BVJ>;icOCO6ik+RkFaw>I zJAV2zQwaL*o_?Pvz?0y5php26vVFdjJ?vQ)PKiuFISl1fg&B!wpm>ibz zA$|;MJde_N-BFVN0rD<~Nh7ygA>PW=c}v7qN+xV z?H5&=aY=l>B6C9lsiOmY4&qd{-V^K3>^g@cH~H-kdFM^W8T{##e@dLz2h0eLNX?He zUKe)Q>v2>ykq?dAmtNu75|8RUB07#T>QViUaNgRp!wh+)*t&$bx?mOKGO@25DL6Lo z*E(s|Dg^ljXPb?Mzpc!~N2ljLm1o#-31NzpDT-#e#KZe?<(@x%BtQ-Uo)f6K%WKt3 zD+G0^VEs^WJU0>4@zKmT@Lc|*33IWt?;c9cMx*n0MtH8vL;dVSr>gE?;#Z$$nq3sg zYen->FhbYsHz0igU>-qF z{;y-GvkiU$&|6@g0gi22qobia{glLUfnER<^mOodEt1r;xV6U~YbQy{>}I}$AdU|7 zELi`C7qf@w+MFji&T5DB^B4JSiGJxIng42kg9DcJy7=@8+bB5??gMcnzH00I_LKGgjaP?)OWP)GM=@}6)#*gvq2E^}XVJJQie<_(?;dLh&ygz<#; zr}k9=9apPGo)5SH*xBD&V!RpkvdFrG`G@a#+U~F}UqS=FpC|3AI1q{8|K%^uSGm== zlRou>O`lO>kQIJq60JJ%tO3FLqV}C8vEx%e6eZ*?tsr&fsd^2LxKpU@fz6l+>aV`W zd-!-X9=)~YCQtBbO!4CwR5h@&#&jQ}PL)vgp=DJWiPHoh-^7voG4G5aR@oTo z-v8SXZ%c37xYI40@ClH|K&iMsV|)uco)3~W!{;Ax+DR806Z{TvW8g=RmAN-7JH{ce z)zcL}k7|>?et^ek^4gu|5{)Hz4#nSXY5iW2)Enh?#;3lNW+32i6u&Yj^@zYegM9^d zn&!5sZg$T^yf;~`<-l`wVkaavJx=M9cO~NodJE_s59T#*yQA!i9Yk}V3cLD{d4>HA zatQb`^lgK>xzRStqimzH#6B30eJpuhyqws%%)6aeUCBR4>;S+~FC0wPP#DjqaR48@ z*CXYu#y)%6Z>ERmy$vnz_jEzICc#IajhrCZI8?xj;4$#tRNYTK99{6+vJ_>J^#JoF zl+E#rOY}Pa@$tN?J^K}$=u|v$d4D)gHm;B}zY|ULH<0^>l^nOtEpqxxZ`y^QE8MKS zvA&+%pVGTD>HXu2z}|*=2^!n5h<{H5+0T?;UW@2+f9pSe-Am+78d>3Q=fBM@KXHcG zZ8ohF`diYp5XY7~{mjmOSi!QnF1OzjN7=TN=4}+j^DVs<>q2kfCs7NhI6bt<`~C0g z>#*)3_K)#AxsZmz?@s-0Lh@@NKI3nFj+zGx1ab%bHGqRa{6FMHKpzm0`&1wKeK=Zn zkJsZWHG<1RJm0bHr>5OgV+sCJe&dazH=|A>;3ZIxriimpR9rQU=6l@OM~;2#oh$kz zZwUJOrkpE3HC!J+_9N7V_FB!m+HGM4>NDu$7#`8b|3zz;9a`Td>w&i}kBveFS4f^d zd>`-ur)hnw{9+e^V@31oW>j~S7*uIjnBRHQ} zsEpJO-uQpT_2mg?xwJ7IxBzItzodVBz;#+XF6O)LOz$_uKue#l{d^?^0_>)uw)~}9y--@Vup-BW+nO%zp zr9;Z_*0zOX7LyvJ&K~tXS~N~wfsQlpWnRjD9Gzhf>oen0CgX+$3o3U+_~4eXh2yvV z!tk~037SXt2jWkiCqrLM`yw^9!!uV0UBg@Dy6|#YM^aZIv-SItq!njK{+YkfxspSr zw+W63_!uQWREhts(C~xL#tugP&3kB;z$|xy54Koz@ueFm(RD->@g1HlD{-a!gztkM z?riIne|m*EiR%SB7WfTytjeg9t^B+`(vk3Q)5+!EdrVzvJuZe(U*WBVfv`V5F8$6r z;B^e?I}CCi?t4D;PE1X4Kkm9HepUKSD}p#gh)2uMUn)|enu{R*3FPJAM2M`4<0%rq zX;qeI*i#gM(!>r+1k@FhcnIKIvwmFoZTs*k!4Vzy>-KJW8Gyc7FX)J_sv`ar>N};0 zol&yz`Q0Xsd>pCwEx^Jt6MN)sxbDor&!QAZt_u4lAW<8Ew&JGS2=v>(DgS{QUuCHV z+J9w^6Z87Mnx#U2B{k$UH81b?OJ}UmGR_t?&7??&jZ2!fI6Fz8S~B@-DQa@&Yy|>eegV171Yq(cEpYFY0zh=x<`!o zJ_|#pB`e%%JV1=jUyG*ozXYOhf}RL|7vte`6I#)gDB#!K7CTcP1nU#%0dc|SA|4L( zbNvY)PYjwbP^8VMpS3`+b?=A^E?BZ;V7E*VS%1(!VJC-RPtYf4EL3)_+j%;YzK;QZ zCoYdN%M>uw&w>1JcrL_?nQpB4WbvVw!~+6fg7*gs^<)5tq`otk{_a3zbX0!w=i75c zkAvqx{2#3A>1}}`B5A`oVjJ(OSrcXW9dA{JLJlJEDZP&&)`^_O8QQxG%aJ(Q+dYQ+>$WP;cBfTs`E9 zWxQ&)m>V$qiZ160ImxJRo^|>`O?^Wu;j8dHb;Y;#Y~8DkhwR?5wH(eTdZPXb6&Id~ z=Oo@}4eNuepPX)Eh+C7jTDoIF{tpCpq-2_vnH2Y3T<&zDbJC;&-?HX;X2qR?RepRG zMCH3?s4fyg|(92vGfwTZ!;>N)9Lz{%>&a zjODKNv50B^)4i-ejqz>v{Td6)q6lAV&dS;s%o9iYNq}9#taKrACQmimdT+>wIjtN& zD_*{vwJe&p9~pf|$J>o;SY3%co=6K^8F#~!_NO@$c@FwLWmkw{&_4}4MDPQdU_6ZX zyx6$x0vN6QI$B46BUBj0VPdqnES!MFhB+dX-3$+2_T^6jyE zuVdv9^ttkDct5LS+?eoDkRvfS-`^|A>!;%pBZ*!Pb{*_T<2m2u{cieVuC;Nl7ZuGA z;0yu_W*!*{Pry|CN)#?u4HYrca={+%QPbuHCV0-minT@uqv`#ogC%RFPe*b0PiAWzG}*R2t^ zh)2{uG{CO~9b=AI_|kTq0k$X>C|mc?@{e7&_Ey)KSIXqLZO5kF0~arl<7ZEzKXg^U zq~*2&S$_dlo(5Z)8?nmXY`(#()hI!#H$TGN0xM}APmpEQNr(3VK0w+1Mp#+fqv76| zBVOI|T|p~2f#}ch{ck3lM*KY(d8Fer4*xz}fu^E}`^lK8u z^DfQLQm$^qNvn#)tu&(Wx?um!4tGrO61O`NcPn#nTQ5hmsG|+>V>4@<8a>+VgcB3D zpIVY{N5}cN61?30W}kJ8Tn^n|HHgd)*n7a=|No_Xc_r2+?&%@+&&B}h(1cMZJgaV9 zhPadu_Uae>8nxY>{2w7PtA0tHIX<53n6psF2k*bN>-idHQ-V(b9`sN8r%w0Zzu*0` z=bDp=7|F|~l zkVxzt;L{#T(mN+_h+-R;_NEtiEO5r%FRg;f{>;}O=fH)^V|A@PmC|6rX0 z)phMV+ZT|D&MF8p?=<~WudejlYQf(%3i#^o(7K=dQpkP4eg_u`U1 zWw1Hvj{*Az>Q4iO{vEY#Z3nwFQs{Uh2mHQXRxI?CDc*N@{}UFKSfU@nd)s;XpD?oU zM^^V0s$4juu(?I4S}(6Xk-Kq zH2*d~3V*zzulGu}ocO;$oWO_PpFGD9abK(As^gg=@!*u7&InJ3_WgWu z(U0g?#x*lTAI&$%GR+D0asjc38m9wfy(-*mvDjmE2XQ6czNErxPsUTd$$H;tYbNqt z^J9_0kP8_f4zW3JZ@r8r`}^YOu}-$40)iic|J1=tqei^nAMehomy{a0PU?5VxW(?b zk5x8ILNFMmNtZozxW?}}dBujFD=k$dg_iH*Tk_=J%8lhOOWxTCu||Ka!J1cw5D!~ZUY_(wSZ zpU2$f`G5Zp=WRLv@?1mQ2|TM`nsY0Q(tn;0eT?BcxZgi1H!jqbe6r1!pY%PZ{{Qp) ze_j87|NFn+AMW?h=dL9F;J^Qe`%?7izs9*^m{;k>lT&|P5A*kDJpR599K(B1^DTlE zPV3FHexyt8_qB8JC`(}_$&=jw`@xY%yuk$bQoqg`|JXj4_8XtX;ID%^+^~K@zv63? z-@m>tp7aT#^ngGbzqdeCT>2$~cQ}}5>~57kOXCfJi1X5dz@4rxIE`<9Tm1|JT=diV zUW9NaQtLA=<~+F_$J^YmTNs!_^ugYbL-yT_c0uMrK>!ti2?sj_nJNZ$fgD#`+^&vGU}=V9|Q`1fXlyJ$HG-o z>G3qe339_{7gYKY+#U2=h~uZ?t{CoV$&n-ou6)pHd-VzKe5h^;V8uCgzQC)yL9l{$TgOw&+-uP#lI=YPw>NdoM`Qs%Bv>li^}RN9xzWN zac%2Pu>X$w=1TG;!5;~JBsf0O^!tO#qDFEa+#l>Es-B}UzFcR{wNS1Bfn0-lz?ta| zFAI2Oae@6NT^mN9;+p~cXNzn5pzp<;pR3r@5ZFf`{{Y`)FJC8-XMLZpr{PcQ|H>rZ z5Y`8*mqHm06OY_Pa)Z9{9ZsN_uI7Yg^5SlUUMl zOQ3k?PmxU84`6~K?_EF7EPN4-EuO1!CwERG_&FTx9|7-S=B6Nk2oVrwyS;gPrct!{qRw*Ax1o-zIF*8 zYXUCca>c4BlM&bW&A(05J&WjPFpuCzru?}j^nCDR<}meaWd$P|k5a{kNch{HG&gK9 zb@{CRY9qW`YP@idSv@_@&VNy;D`SF$!rr}C+}lp$Fq;2C&HnW}*sCDt|4ILS{@?#2 zccxz9vrYJuB)$~kH$?nT)Ol|7^ZtFGsr{OxpY<}y|1e+wygz)$zpwxMJgWbV+P}V! z`rU;5UanSs#p`+;eVjt%MnL!4`pCEo#O{Ih0``r|NUihJWv28x)FbQBZ{Z=$H@nJl z{V~p4^^$S;5!dPf2Ww@5!#MIi_vBvMf}pQ_Y*?7Z(Y`d|9|iupUvX08#?iB6{Zesv z`|#iSPBE@VC-p?T@R9r94|8&O;3kKP2J6L%m`nO)hAF!}7B$}Zg4OFXGFY|u{-TCD zw5_1>W#R2eEc9IA+r?%2xNiC7U0+&#N!|eXA3?A8u3aNDOEi?cN5Jh#-r*z@QokMa zyz}$htoc@*#%J_KGqslFVW@}Xz2EqGbISk%xgxdt(}@ojmNZ^;61gr!$7V{X5xaSk z>u^HLCq{qq|LKE$6bqUQzh@H+#P9NzN;PyZ;?ym7+k~0&>H0x2*mH+fdhj)OBG2Ku za6KFYrSk8Ban=om{W`(tahgo`prW8N9u7CV@o9GwUi5HP;z)2b;q!BOCdL-Z=wj7- zj^nR47!tgs)KtRk!;(UR+k)INV0(c+vjg5Mjg8(m>Nq-N;U$hwwc?T-2|j4akzc2C zH-PB*=gN>v78gK>+DbaRbD~(2gLjNo1L(- zRbaEaf%xA+-q@dhxbxl{7wnZiOYX2{BdO0o*-d`PT7F*u+rk{8-$xDx&(gmhPw+&* zfwecjg#xZvc4({Ls>4*TwGa1_Zb>>^t}#@CQ?VQ)foK;?Ubi zO>9U!DfC;R;w`;M{twjWY4w)z{PdjB=lW}=+>b6d8vj2^`~!;4rm21--k9=(xDY=G z_%$3pKF&YX}d!$0nBdt`@q z_(`I7{S%)u!inl}LAy=s(ZxygFXhdD`jw=%1t@T@IfFd{4@}QF7LT3AZhY(7p@E>E z8R$c~kA4LmpOs1Ur*DD33MNW}vC#5O@yhji_@3~qBqP}?m`hHq;GJ6%y$<=vdQ^I& z*?dSi8jFdUa^MuvS!Dfz|BQ+UjmA`6fo#Oqv|q!n zFB3Os?=kASlZF=>mUE>s`qLYFCR_#1nFQZ~{#$@6Q1`RJ$BOQ&^rnAE7%-SLR}sX}RKcGlU7=zH@qM0<(B2!5=~2q4IqgeQD)_ z0^ZCO#v$i+E9|usBl9*xdFeH;ng+b}Saq^#l^&5JfTP%6@BDgkK>$7#Z}j>0u`Fzn zC)1V95sS5R29vgJu_1aF;On;*Dc)UhybmW7Z@vDZPM6pzZ2Xm*bDmx$`5{^kt_S!F z%4oaEk?dD@=d^uyGW<|utmCri&6#*%o2y1v&m{!71JH(sjSs)rwIR@ZfnURVnOOTf z{rrJwGTwk|KwMfu;-~SCsqN%?Dj!aO@Mk!t^l2xuzJQ-VoL8=@ekk)NS9;v#NuG^= z*4KS2Yj5ILl5I+NZ?)k20t0z>3$G#2A7TH3o(TS$q8|loH?a8;oN`AEUxBY_8fM$^ zKzReBUjN^A#^1*w#_dLIcN@^B5^-&Zbu$|8zBhVY?8wM|6toj5tw_g`=h`}B%}Vjg z;l@8sg~=fBxbWb|Vdo=!R4upBTYge?0$D zXm}YnP1Z_nyL*e_Xa6`y$}$UGnElXn*~WWlpPx(8x_epZNzUQL84I;>z`I?`CQiE` zh=+tauuWy|OV6%8h$r63G+zA}O!SB}75+X&y+8f1sCrbzWc_$8alTvrRG#R2&tB`< z4D3~>j}5Vyp(6jXm#GN)-pDz|C7HQe{cAp@_Uvx@n83(uefcvS&Dw>pWwx(xId&Rd z{kULC*!A6CaU0nTJ8hJ|%+JG(Z;gchKF1|x6QxNNA@RGcO{nOi-W$&cXu_9 z)0P38HYP6`!iaCB^n&A9_Ka5E<}@3e;yGQ`E;)dT4_o9e`(%u#0%vlsej7;YegfZG zT6jD+sI`;e)bPIi+qZMi7i084XpSA)Z3Xg4p5XTs-2cM1GuOG*H z>HYF2PC@bLy>RJzXDoQ`*~J@olS$n$LEGe;tF}8}^H}vx8@}^IKZClTvXZsW795Mh z#|I8Nq#rCN@h6nsc$^XUsrc0Ux(}&yT{HjL&6SsIh+YqV5{RFg=Mw}3N;)0lI78}}!u|%ka$)#3H5V5bBA)}DXR|Qj+hje=aAH&E?HRxs z{LgmJ;T$A+MXZpvKQ+y;67E^79c z?L7&&c2(5fxYzYWUcr1O79h4gfhXxaU_X)%4CCs=a#w0tHX2!|-xkPLSH@JGC|^{4 zWsbPJTmsQgpkD*<1IUB@GBVF?w)Z%4c_rf5nj3}J2;DxuG_35;c!VZTZLE>P_vWW9 zZP@k_1D;ZU6TRKjbBp-#U|j+g5?p5ZC|Qg6drhwQHRcF=qdK9wqq{1MaJPa>n@MI5 zc38eqlWmmIzl6^BXa6-XAn<}MvD1O?FZ^zkebcv{Z)y8~ED>?QxMiV~~=mAh4%e?Mt>3mynvOlYDe28R!olNvm$d{P% z@ZF|wn~X=s4UfLr8H7Z71tg!?d6D{Y;Gc$ZUDPi8k;~f)KW!3MSZ>IOCwHHAk+g~? zd0bRoSX;vPAU^nU-m7hcca=!K1K=+&bTioF{H=+-4{^U0JM!2URCOa*Cr5r3HH4IW zM4zQ@udx=jWmI2S(atPCPsoP-I8Q;M4LuIh#Q#ObN1h;ds(J-mL20`mZIAfk1>kBoQ`^};boQ|d9Z?jE=3Z`(3*97G=H@!!2aTNb`W8Jv@~j-PyF~m+98Z)=akx*b zEv--4A<#F#@8{7o%EAu#qRW*^bIIA5|{TKr0BxzBaDXWrLd+qz0pkFoQul2&E89T|7e4boSx9FW3}CpuhbS2+{E#)oCU z@!U=iqK|@or`^54S2rH=j%@K*g^1z7ltetTgs1P5{s|IKwTQozV_Uu(*+-C{x3I8# zYD;SnuD-urVR%6w!HGZR7nIsF2ckyN$NZ_=i-`Wb^kO6Dm~H?%d_GP_I_@0t*Kn*_ zG5TR{Fs9^nGb(&oU%1-+5LsublYtyRU*)6i6W1q)MB~VJm5t|hG&Y;y6&+J|_>!SM zmN==44}L?}IO7ZA3tQ>FSmD@JD=675s2c&^4|c-K?uK1chD9X58}htie&D!Icrbs1 zY%tNQrV}?s7AFM|xi7)-ZDg`Bjr7&hNwkbu^!h7mm=jRlbT|T2{;y-?`@ydT{!2Kf zDCC3g!e`qy?N1ulC4CVNSjx{0^svSFspDj;&~s8B6u$ePRF2N0SxeWo5cn7U=lQz` z&I<9n@PBUg+Gm|f`gGlx!vu$fJTTxNaQ;8(Q4D+w#+ACC64B>Dzl3^~&<6tK7wBog z&nUdd9^2=M&iVe$28DBSAJ)-mL8k*xd3zXm5PeJfxcNxa3OtNxLh_E~TouFT7;-$qq%ynN|ko7D#&&O%AO&`H8WYpwN@~tw( zRQ-u~A{QvRa*~dRbiu=e=L}bbr{fB%2@7?TLXzL~OvIx6n$q~CSuSBz`h5) z34RAX7>)stfn(@5nfs+jV#!%!f&)_Lsgii$-CQ5HRL_qm^;tfCw>{F%T|&mIlb}P0IFZfk3d<%XV*dc{1@8&^{e3@UN%v#H zG`~`$?;lL^izO1gM&djJk=|5{eXoNj(KB;94sdN^3!&`+bzBqA7bFm!OYk1=l3xYZ z&En*{sqs7d*YPg84yP|&k5`A5UxswuL@m51>V@aG9zV={*PhKZM;!x>0Cphk6FH}n zh<)eGNcQ2e3DVXyOwNP2&s{TKfg9h6#9$Qn)a$z7yR0*vGT zQxxXs|Ec>!yb~|rrg!nAma(&L9Iu9dj26E z-if}SF^22@zCYB_gZcdbDAkYczs6zZ(;tJsMv7@W^iLcl;D8`U!S8Rt?Y3!F-+ipT zboFAF2796hLtnF<_s;Bp<-^>-It3R9LxYpsccAqd}f6E+T^t@Sgf!NVs#dPn~ab+R@7{#Nv zUxpH#71qTF*B!R+g<8aJ3h^|ZD3%LGci+5^e~==IH7gbFw$F_udI{xMRmVDy+)tL? zvm<&i)T@Gc6e=EB1K(V=S-q1{ml)!V4xg=)jB_j_*THv#UPQ$~6r#7KZFeQRa)@2} z!o|;%D>D;ATq(rOL0#v^&es$Kua_dQk0Bm=mYZJiz$z^qFmv(gtF!;)7ejohTTATp z4#Cr;{%zV~xhIm>)o}YygMej9Z%97ng(_po8iqXz`GQH2oT7m%hDhIF!2cl*1>SGF zvK`l<6=#Wk3-fN!pwzi3AQtzz?PJTB(xUAFUm6by!(7|!-R?^pka>aoT^qOA>>T7t z;|prUPJnd(1*b81Uwx0IgCHVkAocx`Km3ay-jx>sHN?zlf-|qZrQ-jxcnRV zMc9<+i$m%7{EfZ8+wu~T-UL&^W9Ke(?wIEKKoF2L@vX)>4-j_jOQ^W z{s@!P=bfId2qO0}E;M7Ez7>PQ-<|)S{p38FygJHc_lc1w(0VU)jZ6t*_2$1aXT??Y zz;S(I__Y8skC3+u^ZoGlyPWkE*7WxrqMyf)zjr2wXnd6-`TXENwe(t1@`Pyw?+fyF zc9V7{I4HzLEWPlpXpw#gsk7I?k-n2lHXHlzI{Q7C=>mqjmkrChg}ACl2wwvI5B&5W zbdK#AVI9LzF9P&-^)Zhv^Msmk&7f27u{egkYHYPo{pD?<4}v}pdI#kvHo;Ku5A2vR zuIUTg78T(U+Zh`lCi-F_o}b@d=qJ#A4ab$Zz%gR5P$ERE}4Cw zfeXDAowu6b9?x^XW&1|T5HTORx;E=G;7+#KH6`U#@2^OF%Y2@lUe5`<_?=J4;=MQU zLFWAx?>42Nsug7^DXU? )ao z*>(haLFbJ~|HSc3GHwTX`5RsjhZEcb-WU9^FkkrVle;TeaG+S9en6HXI3xUX!orARpnLw%64FOgcuT3fOC z1FM_f99PLaM|wXGn6V-hxBFLGP4FAib>{7GPtNKeo{PwI!7mBc*c8p z-jZ>Iee*Ykx)Hz^GtU&QT^o-P$ah^IuC4JW0uht0#))QJhdAEaG&#QQ!^bwAdMv=w zh@kE+;8P*NcfQz|@!>TB+|r6JC-9|RcONX>Ac>d0d6@FyWH%kRuS44fp#MwI@x^Dz z`cRGOIIa4<41*m4d{zL>_4?~sI#Q=H#YH?)}JSN9Ex&zl7-VOC$JbO;deFeXcF>&ry8Q2(R8*$m$johpGN@=42kA zt{dnl+Xurd0_!vW^?zEZklI@IObmF#OzC(dMbBKk-TqyQ)y3OnT;G~JnqzP3PwP_x z_`8!#7|R+n+8*46U)?m0+!P&;FOIKR5W|&))v|WgthwBT9%^Q!9vSc;{g&TfVX+o! zxQyqo6n`J~I|m!QVlMt<+KNB#ty}A%--4yZ<=0<}s>eUrgL`J)O2YE74dr$b*%;!U zBR-vcT9loPrB=Er2~FoAg}Lqfd!AoKfK$$$-*eu5gCoj5m%qOBV?6P1z0s_l^w?QM z^j457Kw*7CeLnB8U+#;hqA}oH9tr*KM~s!Q;*KZB;<y%jFq4U=+1Y|T5I}-FW@XLaKMx^F@S?(nxG?rsIrn80* z>$|E8IjguJ9ka1&w(&oGf_qxp1osI3!4Fpn$8bI{kwHqTts;qYZE1T~l-Rw!JRwJT zuqqud$&kQ!#wB)z7m?Ivw>|M3*Y%*I}548R1GlU*#W@%%lOYa%uadLy%p3B(VDB&J=jFEuQ=;>!wHS3{x-2iZ#*p^{e;4pC zSTCSQ!F@nqfOSqC8`AN4x+Gs)AUirrN97ES3v1y7&ZTdJ&i?7|0d^VO7wq^KtA|^2 z)%%EjHumTlua487JQ&M+Dw4fFx^U;}fRdi>YgoW~pAJt>9pNXo%g2fXtZK37dk0Uw zMOI`U;C-q3i2fMr1j6&dZlvOvFOWF>MH^&4|8hA=%L8e`r&i5#zVz!^B*8~voZ!3Q zd60(=amg^wa6X*pyH#V=8D4RM`xgtj@Q7(XLG54bz0Zv~V8}xU{RZk1J0C1~mu=@l z`i2f!JZ><$97pVXu=C-0Qmi6VqBm~R^}WsTjY-k|~^T;^Y-ehsX@vzilT-FQs zm=#Y%NdQ^5-YcXumatcmeCq8YnU~bh^%J=d^8f!gWyERH{UG4HzmMT}i1!Cd#rg2j z__!9Km0$8K)!x|PwY$T8=G+iNR)mCpg^78c&B zn>58~{%(?=KU!kf1>yRRl^Ueq4B!Glp+6keKdS&=zID5RJ=%rD+pd@$s2U_ujLrDA zCp@}zhtvz8@F``?BCgkJAYVz#Gbe)AQGKIS@!5}&=kM=j;7seo%jfs}$-4%-6uuww zP&`FgbA3Y#v32aP*cER(@UZHR-cM!&_%+Y6hYtn?3BH^X$E-^ZuMi<}URu55blqcs= z`|{toCG1zA(0^XyM?%2!V_o>5aOuo!$z+s!%Jrv*QZk7PF0JR+a`HKkKwspn{4lwD zdmv_NQP6aMXM(Y&Tg*t;7+JQ?gm82`U1)IEmZA^#fu$CP~{MxF=j9OOUvLl#*jR;||m z)AtYLJoIA|W#S)GIQkH+NqHz(u)&Ae4ba!XaMWe`M&%QdKL*eFC;fx({_}T`fB!|H zE-O$t4~`A~^?m>M_lNU={(YZ6^=|%oJ)93zl=!m-+OD|COt|AImxgv59Xa|v{=P3i zIX^k4cLy^gZvK!?ixbCuA9RajWs^N4ZZg%WzF5}fG4cNcuKG6x91bY;|DSp;a6a%0 zpwKS@))V~x^W?hBMn;}F+z%*)Cqv#`5=vAL>E-Oo{Oi16M4fMfoSGw+Tsc^XTjbe8 zRHqWKWZI6dGM*s3bnVb1iBvn%?+?yrdCB&`tS^iH-Iq{!KcHM}A4b+B6yr-(@6I>R zcgMWyyBC*zQ9-cY!LGZwwM&IZ7y3FH;akF|*LF>Lkp6stF91#k>pEUeZ^@O?N}~V3 zbAey{O(E_D>PYinb}rohwF)saFMj`6HHF-#K>p$>ixPd3rw`u^dG$Z!M1NLw zns4rZG#k&*0VF;e@?jtED{B&Q4U6o#$NgSd@e5jg^HmF~D9~%j68jS$ zk-h5vG4=P&2yj`z=Q%2l|1c2gM9+5K`nl%4KYp;{;x?n|c#>ZQ`VNe*_=|1%A_wY;8QSvQ0F?jL*eWDSvq+0&1Zx8A>jmn zg6Esc+7Adnx4`>nep(p))DR18YDmwTX@NMhmak9kFTtmh?QaixYoT&iuSMrw>=C!@ z&1Y8^PawD+`Z_Jz^VoXsFD0S}0zU!0@!$g2`~KslwEgHyV2dM4hi!H-v#>st^@uAau3EEoPt9)c-U62xsVu6?~A|n zA4Z?R^X{^D?+1`|^UPr5bp5hE@;?&|cq~I?^;=o| zwp5Tw#i$?OvzG6%Jk?J3PjDhQ2izx1pXsH;7Ej_og#BVORH!^B81fts(ci6!pMAYv zX80|Rj>jlMkcV69z2qZjTP9k$na^zUr~VEGBaJh-$5f){_LBQDO3Xl*ZK}1i7@ddvY z=!KB45Bm)G)Wh<8nXGkx?1e8e!6R4Sr2GrlhH(IS0P-^?|8YRn@n}+?1?(b{;!n~^x^iK6ydse+AYUjsB1*0UoOwK5&*PwgJfh@|9jVJ+ z!~XiXL*XC!a_`e*wY8EX9UrVl?gMrX_vW!rGar}Z_lHoH)|@0fvdbX*H`94q?=wM^ zoY5uuGN)sv@-6fIG4wSL+7Xi9QF0q?OCRqn8vj$r7yK*xP90yL;qU>uX&~46%C*Fw zeU00~;YE)pj{ndXzvJLn9GQ-+Cs#)j{R8~^fOk#(?l(IWQ%l}o=2*`jO_!%6e-qX( z$XkzjuRF6ca)}*eV9ajn{k8&VnkNty3*^y0)buu@oKO>Ku*DaUNT$fg0QSQc^|58hb4*6h5G=7z8-M= zH~p3;Rez0BkMO6B0UwLPHP0jPhq0d)U-f%iC%)yrZ?})&SCW4K{3C}eY_@i@4|$)m z25ZEv--;`pcUcyn`M=nE@3AZIk({MMMMFbMMSE!v(a@%$Jyf)( zN|Tn3(v}j5L?j}!lB~k>{@w5Qae96F{Jzh9-~T?Z=da^+UDtV?*Lj`e*dv+Nheo{s zv(8O0$lTnJHPyD3em8%GkHU)SHuM_DiF^+;&sjX&mm3LF{@_f8)i*ow7$1am9sPZm zM05b-NDx+42siYFg^_5%F-yg#N2%Qcu03BUq$z>54|Q1hSq<24 z-Y+^3lSbE7`p7|-oUiI@ueSwl?FOKeeBQ zTAntST5*MpRGg|zTGd2+SIo4Lo_ZKUra1ZKH5?<$ckI01UWIWLyJ2HNGoMYSHNkUm z=fLIIlW93%8^2ta^N|fmZmyXi&VGxY%SDndFk@*f)o-|4Pqw$87{jvXG2+`FoIW*k z&lU=MzX^2R({_TzVQ+b#$Vt)j_3Q2wQN1un^5)oU->afK$fXszbL=8(VWY_J@}1M2 zp)T3({@p9>RGvWp3g-O&twYOa zLv&02|A`2YeuMK;(B7kt2)MsU02Zvde@o)QO;i`X+NYL91N~e4_om{`n zAPEff^gGn5{UO{;qyOM^Q_A<@_t4Kqo9p+q89}LJt!YvohiEbRc5*lOxm66i#VNKz z1t(XKjf)p6OS($!3y63Bw-Do|XWbT_*E(EIOcz&bi569k9__3cKE&V_y4!oIDY&u=K0j5 z_BQ+u^1uIG|JV-YNQC3RGrk}E4&n!d`2YAE`@{F~JR-#B2(jIGi1duAX!oB8So~<)=8umUd3xh~(vI}U zlKGRK=ha6u^5%tPw_XZX`-|^F{_I;_nL^_i@jN1o?;IJp%cTH9Rqn!Kx*58ITkQ~f8le@E!7Nr z2im)L*?KoFt}7=<&s}X=PYs4t!nKI!c3-zU0J9E{Hq4lsn?E!41q6Tm?)UPo3DpZR z`MkgM?bLAoLNotN@W4n)976nJA_0u@VRh*&Vkr)i)A?8nG$|XjW z?&AK!@1dR3A?{qFwO%`H3=KTMaVe0-O`_f`BYQ0UBUd>n_2@lIu)P73n?lA+Wk?4$yX}@uO$2wFE9g}m#^Ya6{xf3&5!OI+&^f4pMGVYPfvg? zft2{tud&xz{sJnnpoP7?yx|Cm6*w%}y)}(I6gQV&aiIymFYdVAXPr&`LZ-T%595ij(Yos7%62n8JmS8@3Ja6+-ZDQEu?-K4J zi9p}C)#T59uBle1;t1*+W&aG!$eHE~K64b`OHKR6vfoM3ao4cFdVXa4RhVz~KIX%3 zeX3VmFOodNa^YEO7sYWg^Zg#B{5sQa5<=}B%yveE^Wb-b+0wye&eM*w*X0ACd~>l3 zr{!llKSOaEoi-~hAZz%H(e$o|urJw)!}}(U)NjHzX5H3(U)5>9hS@TO`@cVc+bh%;Ox?=J18N=+ zJE^^l(iy~4=pT;q7RITeKK}X)>nO9#d}=4a{mt~V3ZU{b;(unpjQs2ZRg=oE#!^0u zsc-e9a!v2;#KBD2vn=^QpT@JHe*p4Fwsp%M&E@Z+dLX1b+-n3oMz7Zs%jk(ynP>S%cL;kbo;ro()@N)J?Cy)1@*Y0EHKsfiFjObjq1(NK7g>j=J5dcobzOYNu{-> zR1vN7g3rgpfyMLkK0mw3td8umPyO8~Ogg#oIa;b45@+ z73zsgvbPCel8YkeRQO~87E--7vx(rtg)G#}@ww~ww8wC~u+&pR|p)}4M2_c_+_Rkd2`sUdO^vQE#`nIZPqZxY8- zIv`DUZA)d<36rM&$ViW8$b=sTiYff$X^JJ6MUwv}TQ{^klkD}mVXL6~q#4V8V z{jgcJ?KBH!!08KGJ5Q$HhssGk6J|2vwd_vVOZxSNP`rkACtN4A!y?4{Xh%Ybcnafr z&@ZN{Az1cW%{e$GQY5v*DV(k=`la4%h!_?htfKp9&b9*&-BPlso(l0T>UXxZDXK?q z^{3|^_tAK`i+xpOrdKt^%V>xC?;xIc?2mWGd;3VI5{NEa{(4uwKb-&aa7&4BF3c;p zD7`yB7=|}!*vfz}C|wC%^UW$5^sCC2`L0c+{!nkrKZ{FDcBKBmS8HbF$sKv~Fa8Mq zkLz#k>)~E{fh70N{~}U)mDc@>T>0VGN%dPKOSrK8_o7JflD)X(Z1*|%VU&M)p!w#% z`or=6e+8Zq<>8+GBc0Mk^z&-#I_c+BR!xxadH-r<&to4yTF=+mQ^oD>?#I+0Ax2OU z;;ltMvT64nrwSb!H}QIGlhfz9Rl{PGs<`T2tE0A>8vE8vo5wEMp%>l(9Q^) zub~O+clu|^sbrBYRW>7+uI9t(J)EDWl%x}{f=}`4hZ**k|H^x44A)(r*#&kbLim){yINHmtt)u%;jzpGw}OEQ8T;+O=$<{*$DF14 zK1DrHn?29`fIEzM2c@=4mlrbfL$c!dpPi{|z3Spb5T79aMEv;r*Rod!nsNz~&vPe5 zT#Hw^R@>8f$3WxGeMbbYP<)MiBEmT;A(2CDN>t7<_V4^=I5U#cQ?zH}c+d|A;TEYK z@6{~b==U%mFV;;)z6j_0`xgIJ$s)s^tcv zTbeg*5PSnqyW8D(hV@zVt_3eWOH((z^n=kH)57*8&*^^0^L}yts)I4d455#^xi9>Q zC56L@%5nRb48vb;b(8p#bN?s5DZ4>oQ;P;DpWh|sDE3#5!@7n{I%EoHuR#Ab ztj9Jd!KQrPt#hPMp#0IT8&|2mjmf8~u*QEF){boJPSf(He!-KoXBqCftU~>$(JxlN zZ<~z$HF>HpV#;^sw5~k*<@?CpzW=7p1Nf6yI~EGM(Dkuv4cF+g?V$Lv`$L0>z{S7* z#kj8!PV&;t)+sO`U($xkTBlpnJi9or7u1)LvJM}ZJM3GnDHTBfNB`u<8W3 zQ9cjndF95q+=<7cDE>ma)@JcDcl$3LYF9kGHXPKa7SQ!XejVwbYQN96R_k-nv|R6* z-mdGk{*jclz`?R9zQD0@Y#*FRW!Z~Qf_9~9teH|2EU*+7oTB!KpdIMmlc?s*6J8MU zMbScUb2CA@$Mk=4r|UNGxi=BeWOdV0_Gxl0)Nba<6lYx;wa>F&H<*I0OImsKRv z;ZNtcv-HYjuG*WRz!i|-D$_{w6XN+tKMmCXV?JKIX2z*uy)Z)U1$eF^GY{HVhMXtg zG;7Oa6wg3~aO!&NT1H)D<5E1LlaxdK zg7E)5)7&+^AKhl1djl%(H{H`(;?Qx2+#Pv%^2D8Mfcu=+zf|qSo-znvo7R*h8_MD* zby)k@8&EH@v*a$fgkLN{e2j54%=#2Ttax!tnpY6xtWh7atM;M@r;HtJEPCKEXa6%= z&llxLY=;on4eOY`mYxyPdOLvXqpT!V%KkiXAe;#S0-XIx1oLTT_y`PMo0>qcaUA#@ zzlZk`8mc|LZW~ogFwO<@Md392e#Cuny@y#zi-h;|0% zbq*a5b6#xee#iH5KQZedC9vYNf~cPb;(4UUxZhqh#$+$_G=vlPwkdK9mry?sl=A}= zb>q02lIcD|Kd>O<)0IU51%z1-v6#x!FMA}!%Ux_}{oH@z?K7--xJhtbcRZNAck!wk zR=ko2rBg_EnSQf@^c)^#+w#g!Hw07*RxPLyz6ST=9{yH4kwo!b;`gK0i%k7!+_aNH ze^)_qD)qm`I#J>vA$|U?F%)hNQrr*bPQcUW2c|#zX3~trkqAyfP`<3tX zGMe`CEEM@08m#yDo0o20Zok4V-P4r5qdbFpN9MdM)8{DfGWnL1l58oZzzWeLFXwtm;LDpJ%Ul?1^c_@nKEZtvR zs(W_`?vJPQ*JWMqzKgAZ>>7fN0USE?zwq2?#arCwtf_*Xp4-_%CzsHCPYrX11bgj_ zpf?-~Z}t zDDpi!f&9wpl9qQ)q5KHD<7Tk-KMhwJ4NneD52gF1%i-Je)mBb`bqkPBW%?H$hplqT z-xGev)4JMEIgE@Z%=QB1(7<7&mjC(`;GCuzI`lYK&ug>zO`Bl(vdVApWoO?l+sQ)$QPe6JoV7}9L z2gi9Dhr0XEY%8y-8sHCquROxYUytAKIPktiN7fu()M;`??DvCUzr{)eIX$fBk`N)% zx-+wP0hv1U+z^>?iR@Vz$H#uu2u>~KXqd3{CPa=ovnemBp!yQzFVo*OPc<@2Bhw7h zgJDJqY!Fva`H}dLV4Xw6PvL-3>L%tL5GO(I;p^B(C*X3jDLyX?+7tATHnzTtl% zUyS~Uc#ZNWLdku+!$En67zvmd45%~|K%UI`|dF{c%!yeRb@n~m9oqYID2w1G8CUxl*sJAbj#Qh{4 z4%K+flG=Qp)lLlVxMtZdS~yJKL;W{Gw726m@<#~Ko`G@Yhempj^a9}Pa@)eCp>N)BCXO{RIh z5WhVBlB|28rid`t*NC9J&J}d#=RiRdK{-Tjs^EN+)i>aU+?#zX8FlXQf1mI9`T@MY z(tHAXu8R+D%#Q|U9x1nf!5_8_YF-w}RQ~*DyC7Ek@z9OpYs^oD^6Nj}cVp%Al!JSE z_jsRn+pzR$f9sN9K2nEOv-!+<<*6Sf`XQjd9@a;yK6rTU*T)XDo*>#0P|t{X2J>-X zJx0s?ZjViOH~%ZoD%ztl{_d&Z$E_`kj?+4h@;f|x4?Ms+U>j)tMC4bACGYBLZFR`{ z=~-|=pTL1%3&dCSSJ3zIKVmYuT@Pi8v+TJ1P}_WIQfVDw`R{G`7sR*>mof%t<<%=q}0DeBPv zGSuYCpFA4pj`Y#_!Mcyn;gTr7@WYWXRaj(tx!ZhZG>P>b zi<>*ZuwUd{x$Y^j0hspETHrctb}(It5sANPNwCa~8T7fEX1B{EQ$3hv?r&Ru_Z(oo zEnF{^TQ=g$H1<=!30&8_{LY)_#B6B4xUQ&o!S~T0(qi(Sh>3%Y{L)*lBJSE_j?7K3AZzEr>^ zX?U*sQt;)#8(1_wqwLQKcgp9lxp-6gYC#}fccwl{3AX6l?c3xhY|lNhxn?k@pzEna{64A=K>Vxou;ZPBcoRMM_}?O< zt2kD0hk=Fq(wDqtrBola`|gIYRg64UI3FMMCS4B`Yo+tKusFu*S;tALpZIueV+}Cs zMa;Xnudn8)3H8t5aNT{<@~u0opY8Bn?cDdqplq7&8~Nn%(6;AG0-IT~nJq;J@<}JUp z{t%Tvq`Eg+3;y&39X$fwLE@y=`620R)W0FIHeFCp zFppq^;^M!qam+-kPo@i2n+{j@`^8?~-p1}4AHsP9*;{aTVg zgYup7>_;5lnOIT%2J&tAJ?yvRQ>iA~3?rIf2>m*+9s2R(HP-p79(_N|&-XV!2tMza zm{am1B!=c+|HI=X>GAk)oDJ$7Uw z5<{wgw~_a_ndz3q!OR*2s`X{`9C?Qk|w zb8FQNCD6DV(&umLN4|-Vb!e(ZP(OfGhf}&suG!Ob$K)4ffjQ5GG)@QgSSbH62qJr1--l zSC%|+ir&}$J~wxBmkr!>^)9asZ>D-Tln>*NC~bds{{-v3!;HKk@*mqKGwe1saweu@ zNl-97|Fpw@mjlf#;2RtwH5pyyoBg!`|H4iq0GA!x1l`oeA^3;`817 ztK*N1Ez9>hp9^2h&|KfE(R z`y=u@cwNzyNE#DP0m`u`pFH1vEiPL5Am!gB<6gf!Ff)nP?P2b724BO*o3r9i8Hjn0 zY~H05Pc{$6JobpqV$Iinmfv6~d3)WmedIwg&7X#GY*FnglLEpEz{{nZgPq}Lh4YDd zl@(&5PpUKUZ+Q2^sj)ndX#J8+ow_H))B-4-K|e0$yxFqq|5+2AO%INIxbFv+W81F% z_>@QWahz)Mmjd}M;j_N;LT*Mrv-l@Bip&UDk6!`lymUHG(wVQLe> zx;%J(P=8&uWRZGqOcwQLaNNAm`(Y5HehB{?*_+$l!BsBcw|S^5nYmW{wa?C2s@Kl- zuT*XEeL&?^?M8cJpzn|Qr@68loeFltAMnI94;==2OG33snJnqp4*9OOT+o*%RB z^LZ-gWBgQO-*;ihVG|J36JJ>pmqVW`%as+&a|A$Ek5rxrZ#oHYpB%VRGM=7K>3&W1$%sEu z{z5*QY5#MB@h~=d^u4Wo3YhWAOnKw&PxXeV??C*5_yY6qpj_8ebYt5j*C2{Nuw9qa z2#2+y8r-eo2|w@ROZ6=ppVW_}PVk`P#eT-)C8=j(x#bBrsJ<1S<37dpX0C%KD9_pS zZK7`o{l6OX+ncZG9RYTKF&Uv(Hk41rI9}#B_k-<{pF>|4$O0#u>#IvEJSaXuJs0{* zqMii5uadCXwLh$g;sHFDIN#WA{PlmjkN<)D3hTm-|8HCui+h)z&OG!tUgG}FulMzz zD6!Tt7O?&Vvp+MsKIbizgm3G6Q+|Xw9%WXXo+b;gFzPm5$&eLzD@XYT90!gI?Gkt& z?OjZ|Ye4%)eh2m0n|f2a9j-{wxDLF=d5*8X<$K(#o<%pyVWR!zC+j!01OJ;`w^)hW z5ZfmrUm(^-jQo5)xKz%CW`Ji)H{e&T}-V$rcLRUgh0fdz;+KtotC%H)>#hG|5OmvteeH~8?#Ky zkMn8^1*y&60fHQL5a@Hj>r1sPD=)7DmDjPp-V&LYY>9<-l#k&4Fv}rzZaR%WpFQVw zvw3+QVLKSjzMC7%=3yG08=fmZk5bb}T%1zl=5|C5!dayoO+{9=o|A2GYKC z?&;03qyHBcV{_cjuMp6`_xQ)OX+k1yusz!RxAj0c<#V5K9b&7G^C1hao)j{ec^1YN zv(A7jZ8_7EgeF=6lCv*d%vz0SLyE-b!8li}bk{A*24En(_wPs5N! zN%^~d`M}3^=91f-AV!`i~jX3?>;vuvg_kk4b)plFi|LYmi><=2`w(TP6XZww_o3cQKn5sk-2Qlmm%U5?Y z?4rzbD9Nf5B}e&}{Tc}w-M<_u{YO0V`<;tP;pbiC<&@_>(PsA<`f8OHn+j^1GKiAZsO?&U2p>YR~_qRuI&s2j`Zi_0v zxI}=U@q70&rx3bda6S>Q@=ML?;#ist=UjGPuQm+^JD0fIy$7nmQHsr^emD#^>UiHA z8Y(4B`@IFtQ-X95A?jN&uAzVH2ktjqf#7?0w#gJm-TS8{+lHDgLI|GsB`f*FtJN<8 zGoM5R^;fw3)#lLz+hDr>h_A=Pf6_%wNP97~@#=C$ToS7eF7j!}ci{PQyVqUfJfRt4 z?+Pg>d8ZQ0pZ0txWP0Xfe{j8Ds+T$;31UVk4CC&{|*zliwfQYHb`&_(Y3pTISXe zlv`czEEs#?T} z`YR#dgb>$pe_F24t)@sQtlIVK{n|G~UB#UthjxJO+Fs|HL(SmeEczpQf*!?#+nYiq ztOainZsR{0cgG?rK3=r`Q@h&}hW%Mqyw=0Goa*!Ozc3C0=L_R1&rYl9>A#f(?eD-K zw$zg__kl8?pBT!Qi!_XXuqA2H^%7L#&$BmdBeTTCZZ?D}0{8ya?EE4%RNss99w_WI z_)#OA=p3lbmyU=a*dNAW@vd0Rk=c|*)Fe747vKMz&#`>>>+{?SIb`gqo8;pH2T1!l zFK*71bEM=3r=bPIfA&bQbaKbyBqE=cGEY4BZ+&a5vxM@J`b^$cFG(J?(;unYx3UjH zKxxr!W!=^HS^SbI^!sm36AbbuDK^tKc(+!7P3yMaEcRDq_L)ns#B5VY|K5jNzdX20 z_J}QrcihHLyPwf5H_q+j#vSjq)hzqj+;qWy7@yVfOXPbVr%y=JzEnVhGn|W$O?gFPgg22N zzibHF%W?gZ7UuqWb}O9(-Tbmpvu1=;E%tVr=1@v--p_K3@fHkQ!^JrnZO@Lpp#B*t zVcxrgCruQ``mzYo?t^)~sGTHVHpKXPa=N%zh561*M2pGZsQIvZ|WsI$2d|4 zG6yOC$2?x>zl3u7e}dQ!p{SzI!1TH5V6uE}NuzWq2-zxH{G3otF3y;robo0J-p#Vr zd6gCiN7BC>Q2x?HvfmuctoLdrXs^NlsFKU7n&h1hlcr40+^G~y&lTEDwEiJ)E}P+f!u0ocCi@;;9CBFBh`+n3*%bXr50Y2hPTQfzh{v4S zy-@vmAmz(Hskdj?0weDsE51-T-Fc|h?E(oc<* zdO}ysdw_jLrmNAJ^E3`AeDUx`joe57qHp8*5Im>jVcC4*bd`OP>x6Xh4<0kj}Y4-y&MnQ?mSXEuDFZpY4N@B z?eIH3MT-;@cQwHcK_UA?d?`>mmLF;U!i}8i{5nB2H40E)y{%!tT*DIvKfl~LHxi26nIp3r4k~27vM8Z&td5ZM~WWT|t?m)6-+YQ1a@7U$J@Q{s||o zgVTcm>*}Ch`SUh1u)41m7ABaT5O|voztlT;#!?cA>}9db;VuXp=bG^&0h&O zuSCH-uNxaCO?XW08E9wyZvUh_ZY55JNmCj1MsvuY!u(XisLQLn*w=mj zG7s|Sb-CEVz-aii*5m#YvtddvnRM>2pTj@tp9H0gNN<=>cHDieKZ6kSUhbyt#?w=r zfBc?Z?#hA>s}GH9|M&ZQ4Fzr4r>Tq^w-Sv5!Tf9pv0sGf@A}ViAbn@l2PoO`uuZ{_ zV0+B#jQ`!&K5vJy{{wIwB|hKl9Eiu{jiudhWMNyXKF8FoJmNQ}@aVvYQqZ&)`7vQa z5lD~mtPf4D14Zy0^zdfHA$ML|9w!q8)5)gM)uj)iz}jrxsvnJHWmn+n8r>f9I#=WO z?8TMD>bP~v)<`e1ecG-!rpuj4kkFftqkI4AA-+4ifA2Y#1%s|**WPgWlk`K*=htaf zk&v$fJiq2$gTp>NP9trX$l2?=4{NLmA-X+^UFJ)Isaz%(bmN3*`v_@KW&ilh`6bb^ z3wOzn35U3}WVO99d0_I}C0DR(syO=5we_ieKcZ4VM1{LP&65l#OV}6Q)O%b2wW=D! zP658eEGNBlqLdBP^fpy|=(tFx&YoJZlJCVhxpOD0F0LHZEQ;EETcw`TA>_mVckpkX zS=5J2SyIoPeYt?v-z}=ui62Y%0(F-?ivk{8VcB1${{>rAVqR~Oe?av*lYcjBmkuNV z^L;zopJ|(ko}6_f=t_S2arIIfLAh&&QFy-TJqxH?U!k<|c?JFN@$$XJ$NMYHS_t^9 zm>9|XBp4iBK5Cwn3nP0rdy8t0-DB-*JU<$6dwz|<>GX->=pTjOL;Qi)|9tKaoA>dF zyzyzH`38_*!}bUfZ($x~Lk0d@LOIb?K0>?b&h^Don!P~gEa7@8Q5^z2X+hZ!JE9=w zxo^@ky=xGbdsb%YqY%iL|MGsVBGZ%A)vJx^xI$A9x|G2`#X*Jn#6 z7?+0-`)kkY?v#FBG46ZG1nD`p`zK7M-^X^$ezIBPk%aO6GV`f8gJtx9lGd49@GJaT zT3lQ)rLT#DaSk24enjnTMBNgxSFmRG&7k~0nKa+?Z6zL$Uxx;%eHY`*FixMz4`|T# zs9(VQktq&#_56SHuQTlws#LDQelSj%nFqs&rI%vVv1a)XVt>r`I`n&}*TDDi`y%Jw zG=_8YnI3Eh#ia%UCRTRTepxiT{Ce!SR=Te28&-K- zI^sv=06Y)lA^I!hIFP=e9}eQ*e?kq|;wj|Me&70E^0CkAi_(|h=Ck559U)E9+_`66 zB%KH29#@SUq1RaXu7aTIshHQXg(+}s*r#P`qc63e`b;;`tt_=8hEw!P)pV+0jlz^O z$7cpoJSv&dBHmM)LR??ll^axEfn95SH)JWkr~Y3UH;r_<;6aq+hk%P@+pL|gi*6bM zyVk}>>+{rzW7!PNeLsq+9+C6cS+!{f8c@OZ{@m`Hri7_iH~|6^eZ}4xq_Ofr%0cgA zc83{LqDlQGzT%Ey@Y<8J>uS7CufVd3u5JknI-A?y4n z1NOa4Jm7sM8bS_6?LE&Q0O*InTo*CGyzur#Y)aBK)nNT$(c{LKLEwC2!qU~|-ta?p z=%Bzs59-HuJmo>u>Q(1JK=$;Pjd!x3!q)HuyOArTdCpgFIN=NI12xXs_j93S&THrB zo3|)_EYdwXWsc!1DmTJCso-nP47z%HuIYXcA9$s!8(LJHLgifd46S=pjcuV|PlH6h z_7&RC|CDYp^<@`WdNncXpTK*lIl@CS3N}Tqay`2;gz|@&Z@M|V{gmT|^N=7W_x#O@ zXb4QMwLUGZ3qRsjBVHfNAub0F)%>URFZn4>NbYDK&Wia7E&fk0k zuF4x@`Q;e#@A~eQyY?1<%v>RTo6X^{Zm;&<-lG9fDN&{9A^M2=aiSjX^jQsO@}ZsP z!+HFt{?GhJCNzJF-^&VbjdW@17dHCqiQJVEfQ&0H3L&2&!F@K~Yy}L_b;9tonTC zyauom-8XtK$phB+OL6d|#gLr?H+3DW+*vT6a8C=a^D+$~xK4;)-gBwBGYpEvpX_BW3JBd;*( z36Ju`eQ0WprTe5~-mc!B?<(+mj$Pu*&>#@me%|9#kU8)lS+(BucO;yw?i1n0dC2bpYd`n)L(nZ`gozk2>O$&Q-5!)JN}>ah--Eg)L&WP&$5pRf&3p{uGOAp zRNlilKcrjIFCOP^fAxvROQHP>=`qGfp}h6aYZt=IzvoEx=S=?#eO7*rP?~20_ZgGk z%8zR=1>5VYU3YHEr}{SLIRCzn^ak_&VSfns9KZZ7c+WQ4FY4`>|7k$+lXs5J(c-{% z2;P3QUZUhDkljtH^ZVMV-WKUM(nak5a0(WeI~{o_fgtD0+NPyNLPu5l<1z7Z!o zC&Vk7s@x#vr`%$Ok7ttK6Y_YEe~Eye%Ln>H*XqzXRi;0%0XVuv=K2PB(0Ju3vQqmz z9Nb{r8<*K`2h0e!rH<6KkEY-`^TzLmlEVb!fRheKU7TppLn1fdTe-N&g;fX6j41gW zEYUm?M;_%a*gDxh9DdAJ)t-1Xocf9RpR2i3v!W7yCq!9)`y&tG8C)fs&UKRAvBp#6 zwVqJ@4gzcx0sk*ala%E26#R9;jrOjDicU&`7ajJPWnU({IqxJ+|63L5+*0Q(C97iHu~fg%r(qe>fTfaNtS5>j$U`6dW6fv zlS7eAy*ZI{ORqlV-$dHGqK$?6mUX{4&h2N}vChD>3-MXjDo(IuLHe8v zH76)vhkQZF;Y+i+wDJi0m*py6{cv`$6ShRxE3RE%M8xf*}vgbDZx*rT0fq{k^OT0;K=J)l3 zGkU?_bd}x5YzCjF`K@(LekS>DwNh7o>^c~%wLiK#R)vJl&B%xTOtLS>q1CY=n0^oO zINFKdXgn!DXRil{=gW8BWKa8J1S4d5_}0*ius!{{%alpRv_9~GmTwo&p1#bAud$-| z1^sAIZ^X0*Yr)D3T<1hjTfy|t8TQXIy~yMem(fmpN4T-hOiEz74l&c)wm;}jB+T#- zQQ~E5B&`z_WB3eT5k0m`*}{_yAR{kpSNWp`Fc)mPbhBZiIPxh>zW5}?j>8p@4g)hgfsQ~yk9ouIcd5hMKk{g|I z^F*a4z%zEIku`br{hXH%xLz0CqH#y%W*hsboq>KSz%tQJMxJ}1};e)8%Ezd4;{=`X`b!CP&=!PqF^`2Jz` zvHC+0sNDFym(vr>7fxR%z{tZUc*m7LOr;A}eOElb^mr;%?zKERcl`wrH$L0Ad}Rjd zJu~6z;1MM-{A#!Br%f63>Ln<*tGWMcU#xjjToyZ}o1`vpJ6*g)f#PAAwm(Yc<^GhP z6?|)Z;A(R)_4ln-*NEL+?+G6ELnXrXMdZn%ypa_S=Si!K|BEMyrBGS0`YuQyY^@?9S{2ZA+&Uwy01>*DTG?BVKZWHg{mF* z?UXZ{K%F~qmCd%haK`=V@RirTto6Wk-$~a8_YFei^F}n5Eo%RM8x+PQ{5w|n!eXm- z>nVP@a7XgjCvJyCV)4_GyI|})5xu(H`fhRDe*wQ{ zS_CC+jU_9OwJbH!N+*Y>ofMmM95t9oRpAA?CYvruzFW3$u&Qutzbfm3wGk_>}|6#!b_mj^vS|9}-><_jC~S!#2;} znYZLwATZ%6nA+zdR{N5X4}<^iZIidk{}Bom8%-T_@PZVhM9&;^chE{STsl#fkq02< z)$?aXZe+%HjlsHkQLtfunYz*gM*RYfi1lsaL1d?W{?cP3rDP%3+eaCZ>=e&Tv^bJe zA(cYVAKH0`be~RnHuW#$5$aN2#;*rvZ5O@#NCh3&WgTs<M+kqHACA+O{^5{P}x?tMX{{wzN-Lnzu%Eg^M)QK!&!U?pEi zAaKXp<#$d?0P#b&0OQ=_`Nh2NpBv;Z96X&*+o4?@=`=#jkA&C%TPW?^cyvMf zIe?b<+}h6xV6>olc+ut>kl>l{yYlrzxPIr^^?9?(pis@~rm=A=5wlsDx7;_0=w*DZ z`thKO#;xn}`}6I3QUsBo%KCQCDWvBZ&pX1+ZjHk>JF8)AKk)*EUqE! zizXO+tMLMvwY@*?RR{x*xpRua*?4k>lk?@lVt=wMTIJ2@n2W$8;ZdM5$qtNms3s|# zii1->R{n1P?L}rSzrn8ERZQ&i<+E12c7xSg&C>htd%@~#yFV^21TdZ){oQOlb|@PP7sEC^ zJFkS79wbpTnnzPS3ib%h)zXM9AeXs?r>(WHf;h7m3TKp)8Tt(y{ZoSZBv0OJm3O=;WA?t0(+MJtuh(l_S6HSARQ9T$ah+ zxFLKDtT)A7O%+Na7%!1y!@J|~yQcqBS1YfaVK;8rs>?s9QBOWSvE>lzyifg4u>H+2 zrx}TBlgRvULYZe?wK4KLdq{XZy+A}@rKaZWdWzrrYX?@A?7s+_I?Yp~_jrMq`g`YD z54;K1y~p)Id82f9nnjOs7zmFF4F=8mMe`$b&JVsOdf_@z?)`Cem0Bv<<~u`p=Gxcf zRhsAZNgoqP?195G@4dK2QrQ+vPuy+@`f67a3>Unh*LZ*DL1lr@^M?r1h5tkkaJ~QU z&-GY%+Li_JTAAua(B6G~k)-XG&E+gRlNq&>Juz%sqIu*NI9_NPntD_pLVtf3XpzaF z{L;o9u_KC$6k)4EXga^YC~&N`Z5@pXCEen?!%W%?;A+*{Dg6nQQtuy_`YT%Ho?!k{1YmI_URco;gvsKEf6__Kn5|VjfnE zXF~f8UOzJ5GIgbhEsY04JsRqz)@X1a^k_1n`i#8W!y^`4j5tI=q1Zo99HC5M#-Td@ z-vsrn2sbN8ytZWM*Rk$bMa14=p8UsDFTwmi!(Tye`<_0f_XPL1%5aEzn0x`)w1;qw zg;v0OqbLVY9!I(^9xFBL#I&jj`sHqswvcoqW|S^tyx9K?ZU^yQbM>EJ(uAsAUjoD| zO5y&`KSt{^>j>Ff`)aae0o6yisarX4%7hc8p#WjYm@IO;*=s@Oq%cx`=gWObwji(? z>fgaNTn#HXT^ck#Q%Xj59v$T!en7|7BRZ(%CFcS*Wn!m;Hf2C%*Wuol1saqOVal6- z<9P*q4m-Tp41zu@o)kk%Rr0bD%2!Xcg^OJLal2-vk>{3md`sr_k@r7OeDpnW0DPvn ztTy$$OznU6LT_i=?=B*f%Joy{yO+bTH|JZs^$}G5$9U!H{Opsx8&bgf=JM4K_Fkj; zSNi(98(~{6Ve(x%AoDWDTU1I1Fz!P4`@x_Jrddy*Ov zdFBrB78{OHJru&4A0tw$Ym_>gYEJf>pL`M75(Sv=8TA_&|H!n%CKI%`DlA))<<(^b zDyPyP#%$4~a%!X2zLeELu8=gE%^QErhsGTrz97Hs?fo*=x@`xh{&O#w>*WT0WaOPW z*<_O7KGzxa`R?cM&S-|;qiG4)frbe);}t{CL-cormHzRdbR75cp5;^HfQrec&1B0YKfpziR! zN#&$#&+l2goF0>Rb|M#QCdLCSbl`t=_6oFDpWoQ-^^{zzu6XwLdLFI!ajj$dv@Wfa z#CPe(N2=nftok}eP&Rc^eaz!p;%xtE+vufhwC?PlLn@ayPfLO251YHUZ>=WjLP_V0 z2dXHYK)xR7#veNjt+=M^tJD<}j6ZC+ zH2r*Vm@nnOnEGUUcz)-AgMecJw0C55T>n!94RgD`AFZy1M*>&Q9mu~$l&b{7Wu1WV z%k8z!u zc}EYk>^}zp^ZtsC_3buX*9$MEUksmEd52`DEZO!vvXP9`f7Hslaf{~5?-hw^Grd&+ zJh~S?oxbS+y=IcH^Yc8&mdI&+Tl7+4eMPFv2~lsVKSO>B`BJ96&kS^+{rbl>M<`!{ z^abI>VUe*n@hQ~L0?+S1{VKvJzs7t|mPK!MSpRK6^K~JAjB*@PUX!DCIjmDW%RxZs z@Z4U4_!s#DS)Kwswj10Tet2w!Ph#;E=+ zSd(%5T*?z~>c@fgMv)G`w4QUxQa%}WhMc`EI>iW#P6poFXV0*I|5tu^19%&M_hfdK zC){-meQw5R$9>?irD~EdET4QKLVxFJK!3@9<~bFnc9g-bC24{tfi!M1W0Po|+3sRi zKE1Gi?YE5^ovzwcoPq114@T-&n9%2YXMXOHujiL$=MM6U z=HtNp1ej+FuhB0P@1uVwLTvZCs#)<}a`eCARFJ+Se~bLYuRwJLX2~Ty=lgp8RtyBcHcf!rTMZ#WerPi$^yyCdV`CXM4^`K44u0MIWoVzC4R% z?T>A=E;8E7*BCE)R?|30<2>uwH)M5&rUH*uSmZvJ*Dz!=xN5dgB6+0wq}B|KLDy)y z|Jf&XB<@_)>im}}uwp26Fn{tj;2dj_nphJBN|UZxYm*FEaOCrRjya8h{?+E<#!s87B%{Mlr4%JvhiMSJJ)uca8C1kWAn^<{$QZaA6~3Gufb64!AQ(|U@C&yk%q*Ykt2Bo`ErzVkk7?@qv+2&-7yWGm=BZ9f}$?JrTk%NuDJHwffGbk-KX@IyALq^ z-#l6NEHBtqaXIqv>K2j!`X-%TYT&Gv395 zb^gy$e1!jt=LP2r^Kg18-Kf_$aiaVi;ywHx#w($H599Jbv8{V{Z~7xv+|vdsk7NC& zPg_suSvDAeMAq8$FuucdJovx=2@aV)Z%NxM$J!TCEPDJm-y;*RZfDiSQ3U__i!~OF zsDZ)D^WQtv>|m7dVn&;k72to_hl`w4tUgNRx>MSRJA4aVss0%0D05zvAxd!4Dwm~! zly0NEiTf4j1?5P*X4VT6q4E^d&rp`;sYZJs;wk33^3(H!`6CgIKR?wGU0T2YJSLx8 z2WJaOMAH3({3NqZ<2h(d)5;kUI0NX%ivF!kyQ4SFzblY*@cWrD3zq+d1?>;>0pWk0 zh|so|*k(-Qjw3kCZ^joNnoQ*=M#JmP*H z50Q^TzaG3syFOFi*8}ktNpsg`(BLxr=DiQT+v<|=w#P8s4C@7aDOnN4%IWE-FQ4iJcH*6@gzd# zIZt5a%?kjNl}0?T27KvyA-=*mW1J@(H}1nAuVu4EpJ84y9jc#QsQTQQ>#ZY<&ku*+ z|DQtc!fA%1B%J1Nzw16vCTB|pSt@wjH+)?NYyX(iaU)*)=X@#9d^@0$n$WF3)P|iZ%jO`O7-oC|IrTrXX&RS zyIuzaQ!nPpYUe@Nd$m`VI6nrAM{ntKUOs1IKC5403K8F-9e+{EksIskF2M$Ye)()h zJzB)~-+Wyp+c!Uk_z7WO5)Zzic`Wc8;(q&Kx5(KdBaYg&aR1=`FCkIw0wP5O+u?po z*=;vxS?G6qeiWnLidJ~Kf$!|4b2*|~sJ|ZaJI=Bvz64Ev0XZZ3F3%jiNa|YEoBNtB zlSTTcceh3a12a$YX=>NS?}y#wIhncmIPrR#Rb7@`Npzc)IUDYK(>Qt~T|WU6DO0c) z37a+RY6uCQthdda;fIR#>6!e#8Z4~YdZ@Tv7a|_WU3p}w1Q)#LXDt-?2565(dFi6_ zk;hBlw-V79eb=LZ&QblDlun)uM{Y9I|3BpYWmr{F*9HpPi4p>efvt#%f`vE{5dlFE z1Vuy|6p&5{>5!04X#wdD6&WC@0#bsMfuf)o7}$FDdG{XE>+wC$bk1_7?bl#kWi$ZB$>osxt7pEUp5tlfLr+vZq;A8nL&##BW$Qh|kf?D1Ez~sl% zhF}2h+ln^8S;#MyZkEZy5!?ytLzD}1=bCBT^aM~o(pBtNM&@fUcukH)Bu87S(7Xw> zOK_Bnd!R4r=tb+gu|D_RmL=L<@AJupp5_;;Uf!qrgDD@3XrH4+`&_hZ=K{r3nf9g) z)Ojn~MPv%;Iad0bfbz9Nj9YbAd0=^%}lt6OKr zHNf~v)1P4UgzRthTX5j|06{$;`e^>Qh2;$-WN2OgAcGW;$vDn7^^1rKsdbKwNUYd7PLfml3TmME?Q% zYP`GYv1u1)6y%TeyWTx~liGd1%#Ck*thxaf%kO0v48{=TX`M7M&$MU%P0F9~uiVD( z&BPNWS@_6V*7wz-?*aQEJ(3%MV zDEWrN;l0DP3P*!riqj$?6ES@vC;4@5t^xxu&%D*gZ_B_t=Ra5#I2;5_-dqQ;?^^M; zkmE0()yjOSW1(CZC|{G()&oMXI;|+)!n8-j$niTnjs|YJ4SQ|()eRhH*nzFHZv}-j z`rH+ju$w*d1QT<8)gkhN=7Y6Qb<5hc(1`Ut1X#G`-~1HB+i*nruYYe#pu)XaaQk$0 zql!)%9F7c_SjqF5`U6sD*sn~8hS5BBChyE{=y=<1{ONZLe2F<(qG}*V@hSFadg}RC0SFS%l$MvAuJVr~cu$lS+0qT{vS6m9D zdC%&V`P0j_?vd}UewKifOUcZPCFT&|kukn`iZ)#G zdE7JGSQ)~-Vzx`)FoK9n$3Da!GXnpelT;dW&cgZ2nW4|wdSI1yw>(eTCCHcN&AKvp`+2~5pF94u<7luNDG#%# z-Jt9ZS0zM5I1{f>y8-QuStqsX9V9h?e?}*F`ssrpofq*+Ld+4^t7FvH9`^*@-ND~> z`nj>bqYdSwLHo4erpUCm_}j3ubo-iSkp$Z3VDs%Iee+LdgP4D4?Ao){B)xsj#==Pq zefrpUNd>t>Ft46-iu~wPm2}!)<9+J>bJ8y?$rj!Ot-M}8`aOF0j(0mOF{O5a<}TZq z80pU>s3p$HD9aPFeadzmTNwohtSinwiK-=%`;TR2|0yBt&7YR=Z%+Z8<>IU2?q49a z^(wCUT%W0Zz){ebSANwFDu6UP-tr_Sjc?inc2|&XAya1jyc0{7S(+;Z^%O&cxruB> zRsodg{f@}0cmnS%&t^O*D}<{y1z~?m69N0dGy4hq!YzwkkBdeC-mLspcJGT1JRO*J z`BalRy??AHMm{CfBe);G5B`q*^l*f)7557-FnFi_r;qAMYJWy;F5UX5Tn{ePWNlRb z&`;kV`X%TG#%yal;NDXJi=vhVHSVnfjJK70ZiuYsD1eOk6I*mI{mpYnd)j?x@20WS zxQ>jVD&J*;s=7MGb#Pwb@#wDy+j#4Yde_kPckhD#k-Hm<;EI3A@W#n)RBlgmKC*B5 z1xHx0tpBl8+~4c3Gwho0b2N{j9TTE$U5ofbpyc}&m8X&s^nIWo zd6DnsA8`i0kS?F-IG@q?6>%f1!)4|}X~IJNgVml(7=7>DSETfZJ5ydI9b;R<ms{TCY@!*|%T;cqo z!#+t&{h&|d&}etRIN~ugjiZ*J-GzPKBNRVNj4H;H7vs{OzWnweOulAUYQLPC{O+ax zyKsW<0Y|~!&Hbx{bKzo&NEXL44=Dc?(tqF699ACLI$D=`6k-~$-3k@S0^Wm;j5G{g z*mTr+cl!rVxWn_#dv22kyjUB^W0;gl`wmarTd^$pGozpIGlNl|j2K$K7N6au@M^># zEarA~$E&I!o6Z>RWyT(cv#$`cVs2^OBokG-ByV5=j-Dj?bZ~YQY=RNv6`2Csh;~@0$DlG(dJ-BM| zw0n7t5y3bR`dwJx%dOt0u-`clUiBq5pJI!obslIR=iK6x&XG@G$w4EU_c6RSabJH@ z9L+z$d5-5tIriU1JZ?wC)z&3vtZ3dR;%oRGFg}4iZ-^h5uPcyU7H7bEuSZzx1aZ)b95s3m2ucB5<0qW*|yzh;Lqv2&BC^-!0aFB z2dP~{hnB1kr0WFj_%;bY^QgfLdOWTl{6FF(joXimrFQGEc&;trez|n}if8eVscIRZ zc#zT8C4(>Ug?=)4o4+sEur`SHM?Ega-<{-rjq2%hPnVSKs0{|R2QQi&5eXGGf)}Ua zvKGHJqJCWA%G&;E(W!(PuT_PuZs7|O-Z1p=DuZFpNow@{Gw)9xj9kNxhAV19R+B;C z;OsgQedmX_!cqys%k{(4)e(VDN-j`>-Q9x3~W%8-(Ab{ z+iD5NsPZE#d4C$u=`V^GTW^s-(lRse-~4cv_G3W2AMpx-d1YVL?n;Eb0QsLMBhJC_ z!SI*^sb^U7Qxa4!+esy!v?VBi5Qjnk{Fk@3c+(^^Rz1BsgzS*7V;8KUeOj@PE7SkZ zrgjQbZkz(-=SJSqf3M#>t}t#e$3ELHDq3EJ@#r@CajalK5;~p!2{59p}=E~ zC#&w}G__x1s#+aFYgNeAHalJ=u~7QGMYx+&%ourvdq17-5S)<_AOKFTdtG*43N^#W`-8!|Fbe_;!`I%Z{gHPRZVuMLOw3lHWAUq~`_^ zA zflr^`r)ftGU~%tr(b;x#bRMFghxS>m-w&s`3-7@1dF$jq%y5CN3x4EhKmZ{Af_Wzm z@pt&8L^EmJ0p%&)*9nsLMbOEXAg;SW_4aDlT3?cVGD_*VswLH@3;A7x%~!gTq3I!W z-?Cdk*6J3&@nvOHf8XRce5tLP0x}UoElx!lfb#<11L_0jJjkRxluX|3D-c_C?t@QP z3h=f(DetT`1*V({qkMj-hvZg{$mH>8z|ztO{3k+-S-6AiKchLt6+Lq2x?Jgd$l4BO zjau|~rrm4~3Go9DYGN7vK1RjH1z*{d*+1;ECUT!rf1_Ey=FzhGsgwsIQB@)9=PEmx zJ7Rd3&n1NVr-<{$$==$twlfxvg)F+YcuflN6HBf)lgOfa>t#~2Q^(;#x}MR$!Fc`F z`5o@dew0vL9{VTt74oezt+oO$lgEm(TVx5=vuQ546d*hpOVK{FAUkm;&oZdU*uamC>8Nu_b`w3G|o50Cb z$E^Wx!&&l7_#Z#zEKK9!GO^UoC+SJEL~PFa!_hTkwRSGqG*3%w_|?{1I>F$r=e#2D zPCc1v{7QAAu!v=cU4*$Z%cdtY_?(Ao4k_~LrBb_!xsFs|^y~7wul3SF*}u!Iy#xEl zVt&XWh+no;`o-*Fp{L;C>z zC(Mss6Mbs3?o)q?C*k*=^E0UCq^>KdC`+d%8CJ1)n%pQ3)#?51vsH>Cl^aa_&l=24 zZwTqGN(aP~ux=%pGx6ZzLs6twVC?ai#CAB<$1};^`ZevBj&ZG-4gTt#Ql2oiIVa|} zMj2Gf=zz4V69m7L@``>d#KLbXA!_V$>XV9Gcgm9!WU=M~@Z9QHNo5 zq36rWG-zChd7L`kJ|KNv!^*^iY&kA^D#XByxP~pNxaQ$Xe`n&&$}m#6ttg|ylG;a1 zxh2KwlO9j|C4EbCvEQQclFH>t{js7pOBj6U`=biCINH#DVO>$DA_7b+sQy>m-rKKR zoDa-;baQZ0HoiLMcng(F_%=|_bsR3cg7tbwXNQOJpB)Q z5`AaM+@kqFI4>`$w+_@q<`VoKhvTC5M2sW>-@IiULVht2?3rx#yV?U*lpSRgKXHTF z8By(79PRR^EZ%=fh&cZ?kheURAWtIZlc?slX%EPSk_5%+(}=tl?ISLhA~!z0Eg6{o zAR}4+!QZ;icaod84Yaw__kH7X^TCD(Hc-yn^o1SxbmE$|wk7-*`en*VYGuMMG#gjiK+RpAXaAmEpQ`ApD93Ax&>hJQ)arXB4 zy7V}lwa1apjx4Gt5PvF?2{7h}dQN$QE1cA(oCt3N`|oQcmVXD3h+Qff zJ#`S|?#P{9pjATJ1DBbv-})LdIetc6X!#`(=4?ZuWd^*$RapYS-^YsalpyMpN^6z=yuD)s}!D~eQ=2@Q`7pwB>()YvkpA+eQ z;P+wPC)%mnaDDOo2<{mMEPLQE<+sG+@V-{L|2!^hfXAJneii=CJbpc>O#Upgy(x*# zbM!y({a`!+=Rf*Y_}uutp8pzaG?qUD_s$e4NEp4O{Zw8F@;vJ6^n|C^9`GJqI!S!G z08gB?QX(+(MD&4Ma&N!GqGVX9;c)2fvvk7jYvxGvTd}_`*0o{&JK|e*mku9z$o`bZ zO>y4fd__BoiSwDm_J+#07OtTz|4kis$^4i#YgG@;^FTcD@#ZDVcJi1*U;JowwwNXG ztHyooS&;^v32&}Fmvmv}QDZ(ejsf&NVw@G_7HF@L zFY0wSV-+vJkHkHO<;o5$emYq?;&%z&7|{@w>Iyp>gls=tFo(wtEA*b!yAr&wr@YYG z=X8taV@|VP7v6chjxg=lLo7KXPe=48uaxEA0Io9DZY%p3yZGIZ8?xs!#b}B zwa+@r_5s$b;CDp3aXGJamJOrMS(JTdpPySI zotMn>>9hJMB5$Gy?C@P={(0*oIF?$o(k%E2?Q^Fz?S^H2j|B03L&hGy9U*w%*BjR_ zPnL}%M?U0D?ifrWg$3KcIl3vc;?FS@KV{xGBhI*4sNp?&dYwNeYfJDtV^>?WEnb$>{@IH-``F6j|N3kAU5^P{eLA<%0@Ob{$Z1PDQ#%gp zmzn+iJmL87I?1T;1Mot5G@1AJ1y)|p-}-FBcd=tUD=)C@G8(8;Ef`oZt97ZJ(c3Jd+C|g3~_Ezfqt*m0KP<~4^p zrHUjaSvaL3VXj9*VwiDQU*6u5>Ot&lJ)SU8yC=4t>RYTU!4dNstS67;8_eHNaZQYO zq5q40F)<$wN3Yw2J!x5k3KgV6LYm4Q8u4NdN z2d6h%^iMT%hPP}tpYvGX1CF>g`PYXX0Q;#Nm7H>SSB5oUA1&m$!?<7bB(Ii{nZYz~ zis!zR&O_0=#JTK~ZP9bIlaIr$tc9oj7Y7rRuP-d(C$kN9QF)E=7Uu7I6bG@Mw`}=B z-vEMk3(6Dst%(X=FHf`N{%)w4Ej3G_vKg|)gAH9m|K?HeKj!$=AYXyjE$K;%MmqG_ zQ+=Ig^=6-Rp&{IBkhmJh^Ok|~8Gha4phVXN`aO7mn4c?@967D}<2}%Bn^`C~M;=8e}wX%q&Vlo)nAA0hOdH6uk2vrKpgb; z9ogCz7D?p{uIrblzfT+9Qg z*{aoxN{%C+L)KGH@r}o0H=m*@nqE88PzSa<2mnd(s zZ*K8UjgJ-83FaX%>w_&>bw#?Ae-eM+V81Wq;E&njtwoO4mY*)8 z^B?mA&|a%e>ugLCtfP8DaFzU%1OX|E@8n2!mmHYVNuFEp+I~i%hFq4f?px3pLVjt9 zBsiZbVCii;kQljXt|dFUTK19x@28n=L{qBJv@Xk(;y*-I@y3{D5@AbnI$QKvob^34 zA<%VTyT#EAnirb3pyhten+J5hpnZ??Solc!l+*7jseO#=>!bU1-mgvHS@9|@u#Ojb z7d9gdEGuVO#ydV_$w?!4B2-uSU8)F7)(U8y&l-co*+aXUIEE?zFy<-ae8Cad6aKzn zJZ~->NrUw~vyN8Iuj<%C@tu_2 zF=~o$Q(>>b{AiuqhR~bMuXu{x3)$f}>M@IiM%w~V(Pdg?Fq$(#zN@%7E6w|ej2^8j)4kK4*Di-}u$ z)U^IuOA_QY<(dnJD>>HAvFr825Hjgm6W{k1CxYt)zn3;!_qmMszJUB?rxxc0yR3+y z_-WOtMLElhYl%qON}*S~-h#0AMY{{Kb~N6K@}4LFoYO7LpPi^j^@`_pK>jZhH#u9FAvL<_89I-xamkMfk^Uo(} z+$6nTzFL`)1q9zWvrnP{EX=f;JK_-np0%8(<+o+Qq+Q#qb`&$V%XeDOeC`SJoY(I@ zxi*X(Nb>eE7;^^GklT}c+#_hbbk*w(rfIkQ=)AXHlhn94uIDExvYK&?$ou5oOBF(xVO)zZty|kxL z4<33|1Wxm+hGTCh9zEx1hnR-s-M*t4fR!?P-e#TViL znY`AuZhQ=0Dd98ivOoXk6JcJ5hK6^(ozp$azBmQsWr*|P5zYHLI z9fNSsSr}Z^xgLBOt)}wntT(wH{x$vo>=(nZD|D!SLjFmGX`NU5YrhkWli+^b)_d{x z%AF+x)V{*~%=M)TuM#y&XHPbT!P==wmrf=T>}SLE`|Oi z#c1l-{BQE zVp;DYgw6|;H`t$b_Oq&!d}`VhUqHWv7$`|u?9HHc74tiHw60I@p?vO4zP%IwKX2Pu z+sS{u5DPa=nnvzyYX+kgkFGD->p~)wC#EC^7EwEW&Zn{sYj<9z_8IzJ%=%6T$|oiF zk^T0K1LdSO&UjHKqhCA5kJQpWZYN(;VA=0kUMs%0P&=8K-w*@uJ?^OHeQ}}hAx>t; zuEkx<{ieD!&O4}7qLH;loxET#DZkF1245dNy|hO|f##Vk z*=HLb|EwLD^)Cjn?wgk78jfU`#cO5uSf>PD`bvh)bQpexz=JIMYAA3Hs`lY3m2; zsD4n)n_3iR(L%Ut;sT$hrhxjzDv^_pS>&a3M^dg~3{;<-l(cbuG^}ayS^IdWB`oHM z%a$_;04cMUZ?m(W(0JzRn#)3S8Y)SFc2kNqUmvwc|I_|C25CPIUH|<(9Pa&WJZ4;W zo{Sy#X>rwYqj`hqHotTc=xm^lsgoXw-1Hc+^g;2 zw&rH?E%7D!l|3?`b0C@aNw&%9`!c?wo7x-9c!N7Z`L&|yRr*j*9Guy{bKt|Gct#&O z$5)ab4lrvpZj-Ze`+O0>IRpR&b-v zcpz$~6O3`K(0dzgO*}>qMT8Rz_&hV*qs=jz@&F(o!GDhKbpD|KygTzE*U*!{@m!|; zrwI#0N~>hfc-G;EZ+|A-{4%bVc%`s5ZX9_aH{F`X^*)zx;W=`)4OWJ2nXn7VCe=5yVrzFZczk}0 z8n=6;fWWSTYdo^oz@O7niRWZHNwo6ck-52qCGS)~;zyk6Y&S<@J>}%-sN4e5!lkoV zy37&!?S+~)2s3z|XXY;XKGmBH%z5}St^ozWl2>F-7DP@`Y_*M#f~A&ZVm8mGzl zk&(PIwP@}P=yliH`S5KFTzQnT`A@7XbpJ3~a_>nDge=nYJwC$|(gW?neB#0>ewHs< zIb$QEURLIkwBzSnL*!k{HO&_{gUDM0XW^q3F`$$uF1h@2Cs@gp&3oE>#A%Y?OPvn!V8XUx7iZ3z8(hTHoh%6>IRq1 z6V53|-XIy4FfjQx#UO?&PpY>xbUIPReLi*_*b+~A0H>^P!a!sF2{ zXX0D7pcm<#62a*E$&72*L4$kVg+}X-RNo?Ay@Y*T%;dBr-saGTG(#V;XM;z9LtW?YzPGllybwvKoLg3xqhJ7R(^L<96LO{TvxUa-QTvoK zC@%JI91U?Id@mnAYl@aGFo%$&E6v&)OsTxyUXT^pJ(><3mu~N9V$TJ{%XvDC{oid& zBnQ%xw{reCYPVQ5lGnsaM3Fy)U8t)IZS$kB-W zty@N|p{jDGn`LVZ{T=fyhWvJfaTGeyxE|^;9QO~$nl4z=4(Ok9BuU?P&$vkYpx4Yf z(_&!J4tsQk$=!>W3EB}G6k?ulVc>n3*D8D2SEu5q1z;VQ>w`N#xrB9ym_&i+n05zX zeq7Y;`2Eoa5zDfv;VOTgLm8LOc1Xh8PprEOD;8~@g~IGi%*Tb?R9g7 z@CI@qL&Od)X+n}|RwKzd^SZY^FP03;lywOoV)WHx$^WIxN1M0LHid|Bvz+N=;RJDV z9P#_9J-xi<(Cj)`tUkBbu)7+t4-dvUHt&0rB9fCwa6iUnaQzo>-Fc(3(F&9WW#*Mn zswRjpXTO;->hm*^1Po~`wrKSvn}$Qe(j^i>bjc@CL;hLfp$YlF0ty=e`5aVtik0(z z?WOTN)IT`xwBD*WEE7zg=!?a_uC61`zf0zsCB##Fuvd5F6z8>aviQxlp0rp-A6xc& znn8^DuOO$s>k32f_imnj++UcHceHeL*n?o-!Z4D;ZuUm=SsJMB+;ggVYcovs;MGgx z7$qp@=G;wRb*p5E>{mU_=B$-Qk_|#sJmP}DDae{v#j%{s%irX{voZ))4h?DB_C^4B z<*h&TJCg`*;xldeP()l*S8$dNX2K@!vy!gCF`&tJ{?{Nef;a48+l7scVb=Bq@}|4I zNNn_?;M_- zBS(nRUq5oR(Zq_2(YFTiDvmveILfOm@h*Q5KEGx+scec;iq#QBc#M~q)cX0JVT?zttkR}goN2H7e5 zh1Ed!I@`mI*^Io(@x*g)w|l?_=YBaSj;oaKCS%`3YQUvjGCsWjn09n1Vd84K(D%(| z{h5*=_@4PkVoO#I)Rb+T_bEAz+Pk>!!oR0a^>VleQiku<7#uVLO%?hEFon}f~Pky@^H#e_BDGJo`e&- zMRL9Pt3ZnLsuw?Lf-4)kxL=s1k@Kwraw@zTutU;RFd)|xIu2d<{PO-a;=4%0#c63O z^}{qACQm)GxC$btzAH!>w}AaMW3ua4r+}@c;Jf|0M!@r6!0^E;Ynm_3%r8l#c1TF; zX7=>0qss9TeT$ zFnLOxKIK_u=9^hlJObm5Pke$T8WL^)mmQAl1^s=j3&rnX8KS{fS9S}sTOG(W z>dVfZ@6000`!tU@sprAWjT^LloTI7zh4~TK#}d!;|8FDeAzU~A?fLO{#2L{(#Q*=d z|6$&eSMS9==9@Dq4ya~Tt7;HnLG!x)+y8MtULWn;vwxJd#Dq*J9|rb$#NTm5y@lub zutqeZ_EQS=>(L)Zd4sq*9>4iuRfdf74QgL7_bbEA?wM1bS)7CTx5YyfR%hvR;s5@x z$Ai!k6;)L)5Kb<4mf2jt7{$tS-b;DG@IDY54JOXm8qX7L*M)A$zJjUime=MNX1CX2$}Sk+hhvHZ|OpzN@J*=Hkn za?rY|<%8cTx{fXtR1V&bt|b!YYd8GiOd-r|hF+hTzGL@MVOl3CzUYzj+rvXtpGVnx zCW)BYsDINr7j_ z9qv=U2PQ9=8!+o!b7(z{#19_+*J0!2{L`IEmOWP?DPF33*`sjCaa%m8w$B10Gj8_g zxrWf=5tlOBy0t-M3Zw7E0V6M=wrKi1+x)HX^ap#8#e9K_>*O=w_SWaBYsA~gr#k{3 zE+aQ!;8_3i1Q|ov$sM`W=y^IU^=zH0t(5@iFTI`MTz&b;Z5IDf9I;;~^0Oc(719a} z%<8Kd^&9_FM-Wd??xCLp^8~{^9-JrT>$V>!KZ*hSl;V0pzXwPBE@*eJaM-x~(FQMA zqorW+Ay);a)ywUdnqE#0iiTJ}WoTj`edUhZ9EFl!?AP{i_>g^FUn8cUsi4n=|Bw2! zjGf)p1R8@2>lItd;nnbkySqnxs6BITUGr%EsXSs-Xq*>(OqbEOP+j_jX(DNKy|VWA zggGd?x*B+Yv83_Zwpo@YPsMz}^hMA*>#SmUz3IB4(*;GcXG}+cZFv-^6ghGH@l6L~ zj{`F`YjZ(LZAs}(FMm)<ta;tIN*=J@z_D&t`AFXod9Jfs}-~J_wl%sU9)v@Ma_%$cbmB_KVYhwG=NJ z*|R86!=`~KS2PLp^R!UE2=x}O51e0^Pa`(G|7OdeCHXRMX+*t z4LF0(ce4$00Y+e`P7e3ES^@HUfB)!d+j++TICU4dL*RO`2ZaAp!yl}^Y2Ch|oy!i<(1?wEv=v z)6*fVO_i*8oG0b|$GqDK|NMmh@<56wAU=tHAb+#f++SRwEM9VTa9?2a@sElr3&)Ru zJChDK{9fosd32cgNjt@p>womFZM&`o*w+l@7|tKWy-9_!y>GNnolegTOA61Vc|JHV zaoyl?xZV0{$Zz+#E39~^J*;{^Yq^Mt3C%~?lUv@tr~WFG>r5Bty;=yl8VMVdB5qUu zP0Y*0@k=FNy}N=R)XjV4A<^DN^QM^3Z$jr0>H&N&lRi#v6q(Xa?N|KW$sp=P%&1cJOJzLe;efEW6GX?(VI&vG(}e=N;|jRb0HcTB11t-Q~zv4mb!I*N9-jtuS$fF=@OQ*T_Nwydd}s76MY|E>XPB4y|8~Ul$e`w z+r;bR@BfZiFXp$cVBrf%Ex`V%_#JUQjP!&*-njfIeQ(tzGqM7OB8mN`YZopGdXO2F zMbAidDG3lia8|Y17iKKDB`Wipk!N<|)!gTG?!@M*)c%2(A`(91Ir}Pya2oe)7W=9y zxLKDJW^cT@n#Y@p?;neoY8)PIxrwviLms(~N9W*&*g zp|ET)<^;#|E|5L#bJX*cIqZG8;>~tbU#i!G;>7u1Hbv07ZDE~O-Y4zBAaL&OmjbzS zT#X zS#DjM&ea@fE`I&J-6sdktHis!dkYBWi{tmfyvq3VC3~znN+`}P-oDU1l5q}l7he|Qkgj4X|RELr@FzJZfxHGXB^tXt9-kDPfgQ4l&Z}?I`|A*&k^N zBmGOeiB&JFZqA6M@5Et~%BkR;8#7?0MhW-A+j_)hesjI|_H?+iPOKqGITDPx=S&_v z*8trcx~7%A^{0KjZ>esM>{?g=itoh=ro~#azOO8euOL6%utmbB{bKs8IKVQ%d5QBH z*A?cAGVPQ@;PWAJ$s?H@>i?phf%;|f!Je`Wt~P-6fr}u(?P_5j#Zem_&g36`7z9!# zCAU9r4J1tcWJdD|uwPh4bEwW-rF?)w*JIM(9{{rt>|Y*iH#y&Z&-J|ni}8OyIZM0sZMdC_iU;&BJzOpCY3-K{}%UGl`TImB)9 zVQtG&+z|EH|JP&Ek2A+YRJ~Z&L46`carggbpZtHd|Ifzz1HNCop{|FtZ0jrmh3Pqo zRsG?tdUy-i?i71jP1p+TZmd-q?{tGGzYv2dJ!c4SWaqOFHh=rrn7-*)W!yp_h(F&f zH7Ad*Z>_LHKh=IZv*z7FxL3T+d_jaI#m{m5$(&hx?PifXQL4Q7rMy-RTAqq2A6gVd z{S&lr(9V3`m@UQ~Wk=)wDA({iquuqa@=;Vg{{`}94Nq3RQY6E#F}Qo@p&`sr)+^u2 z7ey3WFLvKoy-59d#7T_LEk2_)X)jPynCB^gizjFCxt_KlB<8-TuVrPRmAd>MH}=x1*>DSbCt%?YZ< zrEC=TIg?%QCl>!SXXMSZctEg@eC^3l<<5y=mR_@?{v7H#95HVn>u`(fCtc>#NFsgf zXFo7|Fs&Mo!~6Zu@fhI${vEOJ*S!#*zIu&|Ae$X{{2UnbdwA4qkUqwC<6iTJ`=+Z~6~iC&kz|2D-^@<_|@WwLWQ5jW1CdURhT8Q*$URl1^p_5&1(PkDNE zK@yA*QOms-`I?*A} zxmWz{8lOrst-|@oLmNA|S(B~z+ddkwPb;o>KAp5JTaKzzoG|!d{rkke7?|r6zHy|KagWetRc^b*K1$^uJO5BR-`vq4M=tSr*IQISU+ipITEVEn-*6-#G|+h81^F(vvK z_fb!}zjC5KAnctJ(QCe3vzfu;o&Wa2#Dk0GAnZ}xpZ2O0p2S_`T6NfujNZK1F4LX_ zK_4I3mp!fkm$zy0e?%3bOKxz3rFt|hRxwQY;SdUqn}oaaqIBW-Dz1W+HQuavw=(rJ zQQoHrj70v}lM1n1N9#=(aR}d>X%*mKExen-vlF3k!olMeMqx{Kkvqh1>GcNYO^{d~@-~_rs~g z(Y`5tfAI}an@%hpX92|io|?E)vlvcovnUmu<4SPE`atZnawKHBX+lMu=$~y{lj2>%FDG4q~W#sXjt1iJW zs-fCYeD((UZ1Pb@L1WpY%VgPysL40hw!x#_qd9KPAr#+1``PD#E}Q$_7sUOSSMkQ> zLon_=P+rxWK+fIoVNWp*qWL$7(_lRtu9tteYkBNOEMFy4{04FFe~-g$?01RhLwp*y z@w)%!>EJe=C*o88m@53mM{phEacJ-3@i^jj@VdA3)=7FlJ4gKp++V5fu6uHI7_Cde z{W#+FaC_1H1MjU?JfnHa|6YfAoDqyDwl28l`4_)2dC}t$aO6o9>hBKqw2yKc(zL!p zdW*!=Ne)-xgX^Bz65EPF^{(R@w+GIkWZZkPCAXI5zhR#&=J=P75pgP9=Qw}o1vHqb zc3%RN8|2-c`x(4Mbzyr(82%NLzug+xb{PDgQ;`B;W4=C_QaRL5 zscuPrem3_s#ls3mwkB`j6(`t_2l4wYZAo?-HjW_nDQ5fdmdk|m_X^kX>N4V2=wrKY zsyCIh+83m4-z5YxHQh$Oo_;wt9T$55jx>nvw zYSJBJ<)?)aX5CH&g9ZM@D~!59krcea^i4b$V8^SzUyWt}#yVdrk-wnrY`|d*z3cYhKNE6^+Udx@gLaWi&ZI5ba+#p|`K;2+V}-CqWYU#i zdP(plE?hMKVG3ccKUJ7MxZ~uCkz`0znSS8Z*9;cU6H3tj#d<%~*Z#{qjBUSElJGqz zxjMKa!Q<8}&HYa(Vt;ja-%d9pC{9@!&eP#be6$}gOz*x0 z`^igA*{N~xOYLJwQ>PTfn3Y8yG_->ueT8_j_PfMZRjOg?PN!R3Z_|_es?eV+%v~#Gw z9^|O2%@m3y$j^W1?dRsbsW-^--H!4ic`Y!}Rn!!*uNtyfyx_W)qyj}YtLq@`0NhG` zSUF}|0$fYIA1#(1hQ*mSnpa+E!IUaRVXpk=WZwJXp${^(w2ts(^s?O{ormDSo7)N6 zny#>2Y32eC!G~Zh#N&|AoC3t+vXOOGC2V-aX5~HXLNcyYm~Uk8@S(lA+V(e(5w8z< ze}8TClKHl)Y4mE!_L(^1sj6`|1nVkviVQY^tZ?YaXF>|K9i;8VcwEQ^H<{M;pGLgZ3MRpg|?0U)T1`mRkSExRTf~i@D zHpFR}gI>yQzY_wkL`cARjQ2+psdSjFFj!bf{I;d*XSZH~Phk<|a@-w+Z?nJw}C=*{^M{;#qRSkQ_8v`C_(93fa-JfArL#Kj9C4#=dMvI$2ckduhTc zFEaS__>zr@=BzyL9blN-oIP360TQNqs|J0$2AA8`jLp~4XYdZ|d5TQa0G+k|y%O@( z^!P!x!8E%FFSx7P<@+hr0Dfl7I$5`j?we3 zd1}HdILREAWvhQR|7i}T_VHIQZElAs!A{e~wJnS|t*j;Amqz&TQ6yvcJ}270%jdwC z$6FHY!K!AOG^v5x|X z$fUp&C98{MPrcnFo$u!4H*aW>YF0Fvz0azCjj9{LyzG3}-EX#!dJ{)|lNq1oy=mN@ zDW?nx_RSI-9_38!HiKHV?lb9`aL~Uj*y5 zPsEK)ZKn0Ds$1ELG-67D8AlGMd0>cBVSEeaG{#?%_X+W>rO(ZB=VjKxkpuG!zX;pI ztOecN3Qd=wb+l22zp9v3-zWw%H@sVH{xb{^H?VqgW4He5s}$Eldq7)H^j_(iPL>{% zgo+~$rFML=us2$M+FL0G>obcV=5ETywwQZ{wJwN zZ++-S<>5lgAA;`qXN*vy%1K)poXL;T( zgLfZ3wyD%d(fCGfQ|YIe$Tqm4G_>^UjXbb^(aJ5uTSMpLboD0(INp`OhCdv?zL)!e zlI+4{m2efZ!`I7y&9WRwcxU^5bFd#A>HU&aqtgg{zTe$Aq}^fq`nNHgAG<I%MK>Vdtd?>`tco0`<63U9l zXo6h9;!zRJRNxw4XqrCLpXO8T%Pjq6^-hK6Q@wVnPV;{lPwO`jU&DM{Ca$bW?ewp) zRZ{wOwsbpSY#>qYqZh49c(RH6*2HWEp9E`s`Z-SiuD&_Z%4k!O%PpXIx9wg&t5=o3 z3GzR&_1#*nJdMG>@jvxbJLt&lqZmV``qZn6PPT-9NAyF`|C0VuUFFgd1@5-f9`f#D z7e~IF*i3d8xg2q-&)6m}T9|*LiBz>;KQ#QKhw`A`_u1F-y!{jP`;iw6agAbC^IK=n zwh|`Kt~X$PGS+b^+!PiMnsJ``J2>CN>-g8yZOJAZ=bYfPI2;W&6Kh;HbQ*#A?R#40 zzuf@q4KaR!c_shZheH8U^ZONw62d4CW7M!fA?HzV8qdkM9TD#kvpB7{ zT!=e?mVIKxX6|zT|a}uC@&r2K!XclPJl!#T#_|XTKTP+u3vlG z^yxQstbqH9TBpR?Fql6@U}4SXV94U1U2iyamz5XvmmeGB@u+X{zEqc9aNWy@+oONB zyJ2LZI)m5VLB%m=?bmWzM~eFUaNxOl2W!h{9XLKe+5z=brIQL*MKS79?zoyt+knJ@ zD6Nz+hr*G~)BPWUF zJmSoCRz)`U)H{1lyGwE3+v|O}mG>2s*~wd42V7^1FBpIE&M9e#G)^~Fd{P)mc|n41 zlvV6C>Le2iWA}w@%ZQ}ju^l`wi zcJ-Sj1nUAZ-WKRLv+h8dBB<=$6}IbTJB_#Id=8n*LAt>1u%_)x2A^nJW#jc&<=en# zK{k%NrW35M#Pe|GY}TmnYNPh)5lQJY0^2{c@*%4z&v>P(^opBC4`}?v;P*#8`)^g` zS9G6BtA8rZ7j_1K~$~MkFzYfPzIr{H$h+CsSx5wb**2(hc zKzt96-s2c`0K<)9A=v@s6wmO~eTq@!+2NY6{$meG%<3D*t@91&eEP+9x%{qD4ZY6b z-q3S$0ZFWUK4)TM{$h?nXaVq%JV4^Z1pM9n~9Lj$Y-n={ZTqi|Rp!jM>c(zm!`^3eF0rIAb_ymg@ykm&ZVdf! zpWxt(3APl+!MJD4f4pi^nU%6)4~&hSeO4pqK=QnGbv8LMc*0oYyWS?=vDT7NFW^aK zT%Q-CJ_q-rs4Exc;m8S(J*$@cLAB_ahHqJnIt{!RyB={XLyOSY7VRf8;ArhQTH0;_ zihVmWv=cHZAL9#l^`5f(Da7T7n*S z)7XkY>c0>-_FkyF*cg^Yg!a-wmn-|A7jZ#1vuPHjA?iMs$|u1TkZkG9ji zj*`b~Tp~)`S>H>B&NsKOR_%VrvI%?gcdiEvzNW>Mryiv!nE>y(nbKRoGV=N^9Gh*{ zkq!M_!y#q%{^aG86N%R%uM=o?{Y`l_*RRn@ zru8ty6z%4|S{De%l`B*B{0;|~ z-jssoN*zhKicV)BOw&wdlhWzm@lX+i|>gb-Z zC53KaD>keZq3r~6Y0r0`97)fc&z_cId;92EpYs@kyn3?iiW&hn@Wla960N@q(c01zf%&Ird;OV~FpMG3Vg03&P zj$+%YI_>+H6dh`>;`aZ$_HVtnd)LH^GG;%cxN!NTLeXU{_EgWsJW^cmPf0yqTy`Rt z+9SA*Fym}4vYS1u{_A80Ps!u{g5@72X zgQKw82@m;L5d3MM9I>(+jIz6>mc;Y|lg~&WBK~ZiR@81lFi&7ts$YSTdOl>4XAuk4 z?$A6C#7{EgbZblvb3iyNXH$m*@-m)-;@M-(dWBC&v^;OIWs(x*6K*mejcz^U1jnC| zb`I_k@SGaiCw?IvESKl5-^uPo?Y;8ndN&n}62X8w`V7ZV82SD-_niZyPGc@deCxrp zMO2QXoWd6EKf}d$8)Y%Edhm@evYKW8ampFhdi>clG`F2y=I-( zv|jG%qOfU}V#c)J%R6LL6W~mmZ9}wF+~gp8-FdaHx=JX1P$95sO){8E9;+LWW5l_f zIOX+yTOP${I#*7qNlRwbe-7vAKj`8Mw@-UHqOw?Wc;UdB9%=!!#be=9hqSTXJS4+>w>)`j^&>W-~*zHGoYtWuNw#gy>*7gvB zdUiSYO55-uUHaarryXICNj*GJ3`d2}jW$^D(bE@Fr+$r<)!6f>9C0hi;o@VjO zTdn*(wag%Zk=L7ByhE&nL3K}g`n+~iIKVE=e>?m%NEpr4mo8xNiaOPg z`HR@V>j?k3pVt?F+!V3RtA8sI8QqVwe7*!h#oBpx5?m$3{K?)oTE@Phl5Zbk_{9?p z@S0};>NTK}lufyLLML%%=Tt7tEwUV!tkYE!>yeBm2v zx8eSZD2s}Vqb2{s?GV2k-y-iTZXb^W;(pwYEgtXf*PwgLsrn&pu7#ZJ2nRDb0hxd4~5Nk5i#P)N9wPiM)@3h~4NmDdUM@ zq@`@72rt8)#kfxPF-yzmJz__%*!q^)($Z>joT!(#S?eFdkXoL2-UpUo#+h97R&nZL)ec+`<@Rn>Z`Kywzc@@?C@1|p#EsLjyi3Jy^&OZ zMZZq+Qs=c+W61>N()Jn-iO3rdsojaV|2309MQT8j`X6QvKlu18I3He& zEXZ7^UI<6_=qtsZC?puCf%6*W17}j7hfT05cyPX7V4b)R)XGjr8OnrF9tp&!@O-0H#e)BF21^Y`}7(xi1% zHFzHE?XNE;XeXh)iY< zZxKa`{DBaoPfR!iQs7b_9u6=J{<3_s=Vpl z3o`pVypP^NUT!_YwC~MmoDRyjM?ZtvEEBw-XE3j?<9jic^Qhk(G`^~rG2#dQxe<2J zmEL4d^UX5{0*%2`=dt~lfIf0*R^#Le&t6fyAMxS;eH%%SXFi8GYko#D>MZVYc%IY= zu{RZ+@*1+iH#mYZxGVMBGV73I9Un`|_cHX( zqF(9&v@oDlA=QSHV_x~mJ!;1pD|Bxo}>I+QWd{PTs9Bn)uV&oB$`5XOVxve zO_y1%0c_Rv%6pWd0bH?ik!C7?>vN!;!(skJ;PZ1&)_UMa*9G=&pRHxD0r6y;McN8Q8f+B($N4)AsosLPBaRouo3KT` zG#sy+)GXF)yzf8&F8^&phwOxW3o8 z{tfzE|I_>Ych50?KVBDGTp#c_Y;pfT`;q^8K0FTFe;)7kuj8Kyh%45#Wz+XYKOt_% z_CH;ZxgEb#9=#58p3B37Web+MEl8$zD8>t*et~_opHPp*@rU*uuAey0?4MlIo$|#J znzt5szmrS*S6&3hU0_=+?iSKhc{_)wQ>N1rKC^NbZ=n|{D4TKpCV~Pl9g6^-m=SbKwNa6?+XJGKt%otB!ce?ILtiHFo`glC(q)68+lS+ci57>8z^E*;p z0rmD9>fUzpG8U}u;!x#Ur#@8B%8J*J2A#&@r{wbk((_}EM|x}l$(*gTDVC#*pdPUD ziQ6fIdoD2J&f6lxh8o~MaC5^GA#*UB9ufb8?GBvcTomc7d5xglTh}iCGgmK$=4s(P zLAk@^wF`#2$@|p~>w3eDnbI%a4z?5I55l}Vw0rI~y{QEDhGBtoUuE90B`HS7)zq4f(!Bbcu>GFRUDpu8E#7W_KY*{e)(f+(7~QOJI1F%rm!ZE?^TfUqSe{54GFS4%5ij-Sg+ME>vZ#s_1M?BaC8LpB65Q zC#sgMe&yVOaAC0D>OKhg!4sPTR0>p8cSwb=@f7iY$n8bWX2HxX1ERdZxFy8MLr+SC#aI{MP-^B@mD+RykNO!?*nX4N*cz0YY8u@|QnFIsKLvP%-7&p+y{ z+3Hll^YJ^NK7?}QC67Q`?WVg_-@B5T2DzUntb{7UjLzvAO?ZHCqV9`4LCQ z^#JvicV<^tJ*#yhbt1_Vto^FUR^Evrv*%u*@xaJ)Q_p| zKmly|b*ydMp9H!tgYykpW z4eu;|kxkbJmx+5T=dVsA9cf=Co!#9{^)SvCQrG7xl!8FblPYfSdYJe1gLhVlo$E5<3~xSzUm_K@@iS2Cka(ObR9iPqmk zeIMn?O{px=t&gH%#+73yyEA0QwVE)Chf|_zkud$AVcTL#lB-;ZSn2P_CJg>a{7)#i zEq6<+9*{^TO6v*+f7ynTFlnwOyc;dSk?liv%iUT!&(|$wueT2`C2!b&o%zujN$pP5 zM{zu3d|uGAwJ8Pn8i7kip~Q}@g^vG**Om$CWl>~A-@MvXz>&(`^IG>gX7xW|)rG8w zqf%AJEredc<7I+ndyAAnAh6ZF=G`4?CuiAlKQ~$(3C;Z9l#ki|t*0w~S83O=UDxSz zd+^8J50lL!=$|y_6`9oIoItd`Nf)Pai$RBg#(7xez_C$0a0xNoX? zt)!-}5=;JU2FcO9oyKvpbbeVIOOti^=jnQa;|BR!v5)aKh$C{G3JCo;QHGv(?V8e+ z;aU}7;+cw6?!Qmd{NlVc6|(l9O$vNlN%3r8DfG?e^=%8E-PM?!5mY=Mk2kp$?;wKBC_bHo~g2 zhy5yEb%MT+nuLE_PR<@w}Mt-Ltg+XsMtHbT=AD-e<&1 zC|P@3hrSIW+poKoH+;B4qHgAHTA6Sg=1fw4RhnoB8&7ga7LGDP+)hRCakNH&$#;?N zo3RxjIZrUwV~RSBLyBk$&DL+vq;dt<1*1|q?ntiZtoRi{8pneBF}?`nTSh00)+BUE zz{S%39>?5xQc~lZ)=*tV>#R?Rekf8tqY}!taZjDLT@m;l?p5+k3WB)EU-L6c^Tz3o z$`Hx^c-6p>5W2oG*H=cpMwXuw?Pw7xj*_>Vy+Q4!wa5V&Az9LGO?yf@2=d5XoO~TyGlnPvSU5yKlB}FO)9XQQ1nbroA3JCKUciLT2Pbd2Ri9)$h>vL>_fTgVG&ek!S3S80+Qa!y z_hZ zUVN*H%13uf(hj!;v`<#i}xDu@Uf%6%8j+HzEPb^>a zkkmcfz4M_ho9OaBO9P?=Wd2xQM{I=$%&qK&wL%(H??pWs*H6R^K78m7`OTk5Fm4`? zL)`0Ok=%J>r(9spI~_W1QGVh&h4T{UE3@5C*eH=(f{zi zo5vmZ_qxpY8sGnWJl;?B!LlVp7uc(Kqgly-fc}XdBuIzvvhkdIVGj7>^D7;h3{xW z?(T_;W8~w&zjIyS&l?WJS=1;}=IBkLeYqp%Rx5)atv&0=sD&B$ou7SR;RK-T5U%sa zE%#@%dML2`Nft2o&Fx)V$27oNOg8B45n+}*)uZ*$)#V0^wB^HDJSaJ2)!7H08Vha_ ztRJJA^eAlInm8(l5l>{|A)e%7RN$dQat~q9(pcx=(`Ldxq?(iH9!u0^=Op`WeL+eZ zF7KVcDw0(3$UAhG7LZqI0ycABiL&Z9>%scCCV zVv=@;qpK-zn)bua4BS z4R*$iwve|K$qx5RjcMF-nuuxA;U_Ls|6=O(ODRv*Lf06sy)R5aIeubOk%mpKJSPiwd5^&4g=VQScC9{_b=aB?F4zGjf zy(EF=+0Lnt4Vg3INc6vS#S458r?^DL=|0{k~h_;CHqa8L;^b}Xf!2vq1 znd_tq#k25xpx%h^6Tcey41go z{N~74gYEhdvEl1!@ql>IRFfcEmtGSVu5k*qY!5)!F?ZU}_pQtwI$#0S)3ukm*_%*% ziJ33Qh&#Mm*=rrmZP5S`)n!htvi@)_VL=L~Mk!=vh;J_&yh87T z_rw4ARJQ*0YDOFn>OIKYg2(-gI%$?&}ld4=J!>y;j#?iwlG`8-?%M97_4=F+T8#Q&8>gI1l>$u|BlO(;6-b-T)Zb z@9-*^{Vdhn5zifL*{9OxQbF+tjFXZwjt-ptEdS;s9G#MGwow1rblh<)paH z4W7(i*wq|TP3@)Z`nfr^HuO56dVXd(^&?>1pLugY)82}O#!f`oWQRCj_gJ-Cp&1dV1^_wKcpvp73S>n44 zC`jEEpLpGerSIsl;^Qv?(;ktc;}Yj1bKc2QzAmOe!xA307zVg((V%gX%z1PaDiWLu zR;RhJ>aW; zVBT7)_u_GQ9n`CFoyP6h$K&xh?Bo6Me)t@C-|@%ecK<@JtenmrtpBi?z879+{C)8} zZ1FxeqP}vYT)X~t9o&!4iSL8gAK%CO;ePDn{qQ~Uy2u}a@env4a6696vH3fag!|4> zURK=By#Hp1wb^mHV{aMw!H(m*-d%@Rl2^W3{JsTCHGE&G7NwErK0@z<&+3C=gPU94 zU^Z+1sRPp==S=1OPH)?>A`W+|Z=n8%b&q#It+0@FGfVy-1-ErChu1&y0lVh-qP1Hi zS>sZN#d~GR!W&M3eDv43>SNwu#@>AUq%R(*sL14aF+ZQheJQA<2M9{Qho?!skn8U zMigLOm35HqiCCCWwCIaboEc&AYw1FrYx7Ob?=8gtz@E+>0S*7c#ZW)^KW#C7z{F1|%gzq^K4b%VDpH?64cdZ} zb&+9dH-lI9$eeh^UvluZexc?gX%7}&dY-(V;5N&6T>-VLnDu+)==%0kH`e6E)>5kP zAZ~=~bo$c|n+g*D)>p-Np8u~}ADb!D;;)tf#!>YtCP!Diy#{l8Q?@TDxJC2ox30T( zX!Txsm^7;Xd)N8fFm%>>S5w0!GG#bW^H_~Oq%~b1l3UtE_aw$2{V9oUr( zU3x@#n(ZxeuUUMO`3Y|Z@8a|C@v%(=*QM^-v*mwgpQAV>=A|;9=Nii{UrJl;vK%>s z3n9e&$Kxb{iGgIsWqCI4v=->fvHfjkZNR9fL{?5!)TI9Rf7&mSpc%fjbNjaf>R-Ae z!qar;P!NzeQ(>{or%^(KK{_mJep_Rx+8csTc|zN zPXjskC^mBX!`JMo@tkT=a3(5sb2?uVIiq<0zKzm3;4CSQ$dykb@`Y<<3l4e_)IXSd zzCYZWJ;7H*$cMhKk8|qB%@Z|YeEYTQxs~Q%JOk$sDOpru0$Y!%ua%FF1>N=zS+2lx zIK!!=Zd`tg%$)Qh*!FNLdE%qhl{L4G9F&$TQ|Ryn4wp|)1UjWD9)UQ-uB$@lc1hd9 zg1D*F1)VYoP^LyiekYqhKwzwVJ|Fm6*#kc;K zCkt`jEpz7VG1zWJoNa%2%Egty0AJJ0CqJWs8Bfc|ugV|lSY4b7>UXS{cAJIKIz3-6 zi`pNHHzk2jv+i9M86n*Ts^N=oJ3)F)>7vH!yAb~3eMXpZB#F85yPdw!QWYzcYVvvysg_gJZTgh~QiUE6#0q$f5&U{O&<6fceKvImd{{D10=T z*G~`lyf<wbOI(XWD$FCH7d|5R%e@*~J#s6ONBCHha=r6vI3{mEmn~mOP()uTOeYAh=dhee8t$u^@ zdNAwL=o8cnR^7U+!>Q~DY%*%g1TD{l;lqzIx2O$Kvvyc`k+-z3noUm@poOAQ6AS; zW;>#&Mf0ywA3!}A+dPBW!e+bQ{a=&cST#CO zoEr6!oq~PdJzW>5UXSY*@+vX)-=*;Mx%AXYoI$YXlQSQiRT0#m_ zKSf*I2f@wyH#c!sLgpSX@0(|QDDIObnZj?o%$ed0ncH6eOyM^p?LYI@#YEhvG8hht+InxG-%wWZLU+gM87w5 zBr9nRcbL%o$r}8SH-4f4(LYS?NX+a4-Balfk+T@QlH51mPn>WMK75?Dcm0emil?J} zg5yhe?wf~dQN1ME=yz&lSsYp3_UuuskSXwSf9;cYMV9|@kb`#_<34~2Ct8CLh8YZPmfGs6J^FZ9RaicX~yr% z8FkH-{iEw#(n#$=cHtABdx*APkXnvJ0X+F*U$^*m9j)(-dTow}%nfJlNI1Ec>%P>S zWHRqvNXhdr6;v*-;j}rhFVhlgG9?d~#FdbD2W^v{9yTN%95=VtTPLz`*#PoYMn$w{ zLo_h)DSvRJ5|`nPXNaj9T!Ax{Z)ci&#S^d0)d$WF z_^|W-I(sHkG_i<rtv#Ei`AE+Dg>TH6F0#?yEp#6iSc*dN;W0T{7$TIp{Q9yLG8OjB&tdPovyHe-7HCXwTv}z<2>>-M}2mlZE>cZxB!rme!mR zK=UKNwdKs4{p1qmufug8^E}Wl#{1!OU?2TFvZuJLm-s1C|0>3{1YHplcrY=Vh-s`~ z&mL@n%*p$Xm%iyD`|Gwxh`OdyKB7zu)AO4PA}FuNF?nHy@41~IBl1}xa(6hZ^`P?; z=jlIN2fCkm9v=U9`#+C2rpF)jJa&X%Aei?5dH&zy#-IORA2ldU*W=(@T24 z82s$m|4%KBhkx#OptuvRU#Jf`rpG@&QlbGBJ2u&u6>0kOnUnyG31#^`QCm_L;w~8{L(l_A%B0!?-D)qq+yYQeU$EYYhFrn2*3S)Sb7u zw}#wn`P%PM@sNe1pC()aQMnfTZnE+rCCH+h^pdK9PCD;(&0P#uI@r?vb^QTfBN+U@ zsl(sqjG5+<*B{(_tlnKC>mnC)H=Io;)v4OTg%%7Ea#JYuFuN;_53Lvoxb=hGf%G(G z>dHpEAe&qEw=9QfVpZTb@R5;!!F@_^r=~Qcej?v-8_f+4z&9qHQ*ptX#wDYF4EyOKz;zkQBjY6ePM4xXZA_D&f+{_e)ofL;KJ@She=wnx&MZ? z@1lF~d0w1w{rp~9zZL%@&b#7n_w`{n;>gw3X>$gJE9i6L{V<*$ub(CLNZ{!N4`8c* z#FLyGK`<|W`%AHRd)$-%6{q-K$Y-balw;Iyg5M=1#g@xOA^;{DT+^M&^gp59kM?7CuSjf< z>Ny$@fp#<7nNx4cAXhoYD>L)9rJ#92=hdZGEg|v6ko1*>R&?EA&RYl2v25JPYo-no zYgT<&_q&kAN23L2XC2>dd%T6p#jd^X9%=pR_FrRewaYLRBe2xp5eLhBKoPHn#`IhsJ&v^Nl zUl{d(jn^v%mTFl6lV8Y{%0VVSm>=stesnxw{di_vts^vKC=V}b@}%*Dc-<@Q*QR~C z^^IVDH0q_Ozt2z58RiIlO7}Cj|E=${{nXY0p_EIst{q+n&&TUwp5{OIt3ch9ox!me z)L3@e4rSM}^Z!l!ZITiY!oPK+{}TV*1)Gnj8q@d!xD{Iedj}zHzo906(`UBD=?%LzoVc?jp+N{ahv1I zs29YlV~=g_!9Fp6gN4`uYwG{sJIwXBcawgvor71R*Un7R8KA#nZ zy~tKSmE}VDim+d4#(>dq9C%C4-#GH|CS6~c<3W#L{s*pe8BjE1jaxjOU+rF}b+?Y> z5bcP2S1!M>rSks94DNj`iS9&xvB^r`dIpani*JEBP829V@AD6yf^%=GvF0(__d8hl ztpw#w!+0f}$Ee33j=;40q-cB->al&NhVwM*7(AscUT*9&>ya|}g;{xSXg8w$jD2SN zpW`q;A6|cc0e=&HZ~VW^RvkE$$h48jJkl$AaDSJyGv!w~me|>{#QrgOO2_jQhi8NJ zEH7Up>kufPqfs|E^(*VU%h3E5alGPsv|4NWv<>3Q zkfuHCu%bo-sug`cCGTS7>$CVTHprQ--n+=2*0E#8bC^Nu?Y_dt4F50UNX?w{Jk?jV z6MumG74YvosO7OtlVg^;Tm{s-XFiBAV6?397>2^qz49FBl|vEi{&$=kn2 zKwR0kMW?TYKy=56d!8O{&>Ir*`mU-T%_o`lJ!7Ed#we9D=mi_&Vvh|X%qdBdx`h?f1^=D=YmQj@0_)jX6!;})6u5c=>#=brkP z-=^Ri^*x>YRwT`joqsCy?y6b_&j@RLqu+47c2Rz>?OCw%onz{C=@iuNYsj6q&zRP6 zu$EcZz{4&_MgOde4Uh|LeY9`z*=* zl~n&@uE#nM>L1VH|2~uA_L#?kc@y=~KW_w0MP3vMGNzTOrC#=!oH*}y&3s82^^+lP zdpdZe@Qs)!2z{K9KWySf?N8n}OCQD?+0yl%oBM<5tXnQr&-gk`_W8RYBWlMm^A}U; ze#~cd8=dl_T0a<$G}`{G;VY-|0ON&loT8k-_Wq|&->n5K=<&?$fAcqRJwQJ++E2$@ zS3TyM+)MR1oNqhh4{i)%yA3Zg7H*l5?GG(}7qcoJUL#&|XP(S(kE1yF*;i8?O{INd zUy7&d)SJHK=pRS!8?vXVe%IxfCOj)OinUH_Q#{-B?u9!o+tW#d)BIhx?J|k(2?rNN zkz67#zvRKQ)edwVW1Mi~{b$;2171`wLtbrM2g1LJB#teJBh0wLXv%+&_=e4^fY#-u zK4hI_!mce55mc|aaIbmobDspt*R(#?Kk?AY`>gfM4UqR)DW(2ND@QRLkNvSqs`nz5 zgG{-u1zL8zhqvT-P<;fy|F6bDmp_qrDDHyzOTb0<(4mkZXziXE_j7?c&7%n0#XrV* z>=esSrwQEObJ8~yD#M$(a|BgMs- zb^qKcevb3y4*ZNTd>u^3FEbuT65>e7oeilIMWa1)Mf~=pQ=alkb7ieUHn_s`-KkSP z3s?}e?*fDeN>?%TyLht~X~5vadOLJTW`Xl38mEPIU-3Ua<%s{9TH->!nmpc=IID>j zw;Du>&Kz-Yl8+~Wm7n?M_3P39bL8%^@{w9XG;2#^wlerHP)}PXoc8_#d;5e%6~tCZjyL#PI*6YAAfJ2r0X+}#i@Qc`U!x0}S$dxqtCeH5X0+Z7 z=93u5LqrxwR0t}9qq9k(Ms zkJ}OFbBw!P34ba*-?hx?LgeI~TeP`)%5&U9I#YYOj|y;`<-UJAobD!7o`#E5%V z3;n%)+9=hVa6S9~rz032^oev%S$aLhyZfH+U2yM; zA9zih(zBJ#4VJEznA9i~0!*C9oRufL8_up=`rdBaS(dyPr*ezQf9Xx@8&{0I{j`+F z88Dx?bV~S^S3@BL?UR~r0ojJrY~yBlZ`sdc~ghCX!%X0K^Tke+_u5~`K450c%)IFDz>v;_*PfKs&MXqzd$H$(2G;jB zqk6#mPjcx?M6_9W?rB;d7wvs_Z?m9w4kcC{AY+;rgZdEi2w@-p_eSvqkNsO2e2=1> zDH0zFVe{c1OM*x2$s0D=fyZkjfu~4{t-rzwlC(!(Y?6%wb%)h!gHO29`OCL9Yzr5M zHsM(MZj*6qWYDT-kDSUiD+Gzd(prh(&qgPv!5Rc z;d?w!|Msq=_A$oez8?D^II$p;96dRcS7^NkA*P4g#j+UoB&+VkS+_=?BaC>9&M9II zC4A1Xd2xo0ZL}e*v6n4b_DU8e&(MoD^|hjL4>>n`zQm2V(Kx&f4j-p3y`BPZ0x}vS z{Bpd4k<8BdOQW(7u&Sw`x zK#@||G*G4eCvcf$M>!CU4&{quq9b7&8r ze4wFqIhIkUTx=%izK(DRzn!|(;!Jnh{^tE%QUTY%qh2F)5W-6fr0!?zSRjh=A6`NoZ)9~t8UPd7Qng{{^2*Z&(o z&M}|<)~Idzngd5z`l=r3FuNR*ZF`N%37iM-YFi#TT(bg0Lm2_ft#NS2J7Vuws~}L< zwwY>OokJda_f9(5W=He;abBZd$?ONfyGXaO+Cc{2M}^xWr#&(>ZkDOHxI(IMx9QXC zfBnO_?)B|1Uier$6rK{_Mxz72*y^wajQRdCk2#`uIxY(T&O#M{ZD|Ppz+gVe6!touWwCTp% ztnVsG=k56K+Q@S+cy{kcYA>Q5i0x|qV*bk5PNFbD&^BR1EmWJVU3;Rh1Qah?R$Hwo zr*i!A=)8#sLxW&DTdjy_%PsK#!)C9&FZsXyuj8NRf8YPl@r=y#{_aQo^q<$m{o`AV zmmJ^zPmddao)G<>6J$)DCgr5TG>s+SwAorH-#?C%_ZJ_Z3mgq0XP+N;*)m@W<}dY) z?A>~U#))G7(7xO3;(|J9Fs7y${+&_hl^K5?O7X}Ty%TRMw=|RdyZ3L57{@T`!oD_6 zx*HCHR+m?DXy;P-be!Yr_oj{IWbmh2sKq&J!YTh{ZPwa)!X>uJ({e!y&Q6qU^vML#sk z1>^_6@My!@HKd%z0pW2>|E3P8mkytlNRFiWJiCPM@x|VbBSOLx)V@w(6UA}$K5yFK znT&FR{B2G9QZwGY$b}UypVGaRV~E8*gV(Z*Ja)9#nR(OF)b2n#4O>qC`7dYoGVlPM z>(|fdCBoDT+=|drO~=!w0p89d`i3C!vG%IU6n~=OXfy12<~mvRcKY!NIaR>5n_XjJ zm@DLdaGaYs=mD=5KRfG^|CHKm5^K%ZUz2TuW}813*DkCF?KO*ZO}aM{)c*|>4tFKG zc)~lLV~Zv->Tn$z<5X^*EJp&p=dLSLiHCb$XX1wshrpZ2xAniw93fZgu$Jn=I?&N? z`h8L%nC6qNO{$+!z9t*uuD&jL?`00EdD?bPcdH2E*!caJdY}ySH5fk;Z@3KpTU+oovo`jZnc*Y9+i9S`z{?^H-lZlm@t%4clReinWIsHe8FfTg#{ zL-LAdt9(9bczf-zl7c`Q%}dl;UumKJvz+P&Xvakq%-7Dk%&4FqpZetAD|CmklF;UKJiTG_d|B?a4N%aN%EaXBwz%(vXU{AsgqMRW-eW0(H>Xizj zX6-tO{$OI<%p;K%4Qsyd$T>aHkLn3@-Kg%X5P01Lx2q>w+kTHD+xR~eUA)l+(-z2f zm$j!t0sl_RXC}$;V1>4#Y~Mqc9^uN0dyyd51Fq|aOp&AU!#I9#P8RJizJCpr=kHER zdYwn@Kg98ohucj{;?RSi@#JJQpPBTddQy`a)gxrz0vy`4P4`9v$nWXR3Z{BhWH`Ni zTiOL<60YX_YN~KG7R3X%(cMk;^^i{_mc?PF}X$=E1hN@A$!lpeo2~jlg|4W zo0@*|esHGvkDG?)j?s~LQl9tw#<$@NQW#Rdt>DZ}7T)XwSDV)#kBs?SujYiK-TGfI zGr_C%tA?mq0%@ z`e!k}eCgRR-pHXe;@4)KuedXvjORPWK6CxqOUEJNZMYqAM$E_TSpN2yn`j3)u~)=U zEZY!dwHGH@xM)%RGNP%bap4VrihrX$zij{U3Y8sM5bl;0*w^Mq((FrQ7UlU9ybsDD z?4Q@l@*7&B`mgweg~@t++b87G?U{uSGTcpaXdmMgjw_Dct9Dl;TfQyH^Qf1Gwmvqg zIPG{=KDi0xt>v3J+clcv+n-lmnAa)d0y#z{D2QK^a_c5qYemC&DOA#mo1H~U3{EW(rb$nf4s9+ZVzC2#PE zCOiz@kPnP{Ss0%nuy`lbeW-(~6YK!t>=v^L(ia@-5XXK+*3c#W6UQn%)+eW|2chc9G3FLnI@6 zLG@`vSyGj%GblXdMuzQv-t3>@P11h}tPOJtWvwIosXtP~aY;*+pC4KD=0V|dk9hJ@ z&34VL(tJj~fYX-9^U*+DCKcPyFoB&huV!jEq(c9UCmg0Hf=P1f@*Tw53BWc#j$k)Aeokg4*Tc*E68)6=k z=A1*;Wa7n7PlvR7sovaVe)z@vdyZgay(Bh%#D~f`%oB=kwwt5(XpqJgApgOCY7ytc z{irXoud-4;&z(iDgWKQoTHewvZzK_3p&AuqCBQv}J6kp09PYR$uqn=q0sUOt3xT)d zh@ICl8&NG2s^4Lpo5|bRRXX>pS?_ZiE~Fj0cp%0YR;XIfJgw#kuf7`;_?hR!%LQ7u zZZA^8W9467f-?&bI!A6f3r16)4W@5+MC;Wx*e!Xh zbE}&2mep8H-?m`zF7PXkL_HdS7XeIQ`Lr^m6p1V;

z(pxV*HB;cu*cX4(^aNU`@K5&0^s_mpwEiUOOBfHpXZhQ*>%BQ_PF9*eH;|#{#$G?V zYVa71cWrdtu2Dg>sNUCm$Yc9aIW@@YKe>CEsuNkiR%e4!mOp%-yrt^G#gk-UTEtYI zpgS}#3iU|Tbo&bOD&Jjnj8ntYspviuvv?mG6dU!-u$Enq&U zHk6v~Jm49w3+d!2IS|$ZJ`YniYjF6&s&Axus;xCth79S~nTW%tS5Mh0>r7y7@LKCd zJmIh<&33a{wmW@4=6k9D|403wONSVG@6+|}NzEnjOukOIgOT4?Y4Z8g?vr_B+l0Yi zeF16o{c+u3&M!v2Iemu{M{ej5$+64aMm5pY&vt(O5*=MLbBJlR9})kA{OmiRzw~XR z@IWH8pNi+KGA+9!oZ=stFNQq*x}W9e zMC6UI;#5>1WZMQI7X}~aHF@b9KUZ1;)+0iH3_cI~RWFLv?5I-@1k)vtY}IBwhA%&> zuS7rZht3zf!Zcq8L9AACu2J|cP~4uo#*3>7Fz*rTxno}9IftMV!6&6*`@;K;jlRLK z+EjrjGv+q2m_Jc)W%NxtPZ5uq$HlQ%(xQge6P0MVmFu&%kYJtYNwb!a>xt)~+fJf? z;uIIsqjiP<@CrjJx8F|h`NdnTPR4S2v}JOf$?YL6{TmFtSBcMH-W~@(sEN?}uEZM; z;c+zw^<~;g`@y-Nth<{@#qhOf2ln12r)5lbC@L3|@IHlAPLKSFusBbyMY{}WiCa%R zl$l57Z0j|e{!11LpZ&?4=ll>{BlZ|yRJ5RW3HnvhKRW(<;QvFpkKYYjygq(EHpN?a zR-W=BxF1_QACJShLzM4$U#4GU9bn&EdGVp;#gVLds7QkOvp9ZmyrLb1?TPclClV%i z5^J@BoJ-&gh)<7i@jiGS%0uK)$2ffEdFu2!_+I$_;3giv>}8EJ#C>v{^~&WI@SoG>icQ!HS5n+&eK>7N z3Qc}JW1EvpYU&G8pZ?elJ|)GbudJ?+sa&o$OUj#}vd?9i(|zPs5P}6$&LoH(SA=uT zeF?4XnpE$=?_hRn@`B)_VKjaidFydI`hD^LVq7QFzA>Zcy)XSSqi(w$uq__*nX7OX zqRv#c$Xi(xU|iBW1>e8?xl4 z8MTM-KA8W8dhqYt_g*OQn^Akmab))PuXi3(oEyghuA6usUI+JMAN__s8@lV1`E@AI zD)T&b8YhJ3;djIDjeaupZ==5nuRFd?eS2~ao2ngIv*Q2Z?X9D#>bmez1r)JR1OpSh zMa5Q@ASx<|NQfdxgLIcj3L@PNA|c%^!laZ^q!a@LL<|fB1q~r?nd!Mz}n(@qM&bf2m(a%8Z1U_BW{;OC*9e8tV#@nyjP=2gM49}-suS~#| zN89H|T?u#zPbiNWbA`6@1t&%3FzTkT^cc!<)JLdS5NAPt+E%e0@8pdfs2*oNzbVaQ zLB5pL?&J^grV8*?Z?$)zN&sM;JD&o@JsAy&G){-tN3JVal8#aP1qzMv5LJCyDC$T&NiLM!lPw=i zG+sRua1}JA>j34tZ+1dR$BrPPxrJ~ZU#?E;#Nc|zynN&fFh_gH>A!Y&;=(W%uBc4$ zMaBDLGdgo`Q+@*GecATu31`*X!IH5g=l3syAuFTkfQv^f!MbXgPl9r>u24BYVwDw0 z{S1&bioZqkuTk=o!dc+^E?4PGaRCnYYpDfilVI$Mwsek>54k#F z`tuW;FGI`r4y)opQz+MY%Be8T9geSBwPn9(HMv#Sx6HQO4i0Ob`K~$&g zVz8MZirch;;@4SA7mG`bhC^ z+~+u=eT~OVJ#w7>-aVSFzvEOBs}E!l#R1T6l+@3D7i}d>m2{|l`fr|yJ@t>AJVjP8bV|4 z!Gf5&>-&f!?Dgo^u@SC^@u#8t2XrdoQ<;+iCxhqD>>nq>$`dq#^NrJ;E(B>qd+ZTW zwwGqKk16skf<2^%BcyEsN6b57z7H{K7w;R(8+mjp6hcDQDf1+mLc>EodzFS<2u^SR znYcIt?k~D&Sru#!4VO4ax~JK}>mTADzB^_ES@yl!V;T^X--GJCUYFtZ)1Q)8_UZ$# zq0bYGB%QzX2gdE=S?f!l%3-vRaWt3D_gTo`KQr+QO=_=xD7e0zJ<$lJjMVbW&sB$$ zLt(uMAG;_|UgPD5t{uzUDevLs_Y#?rX9~~)+GRnn6d@+PPHr|i2zP|vTm1T#00%1< zo7?Y}hp|f%Z#S-11vPOok(o`;DUNb7ykU|A4>mU+(qwM3uYF8`?1fF%5{0vkK47S(*MS@M9Q=3Xtrz$ zWAlg3`YCseHvH-5gE$=eKTP?KeR*YJ!JIf(gEvLge)u}Ca_bU-aHw)&m$|je2&zWY z8umZENo+p4&Ay_hL!MQSx4!W!fXNk|@#fz%Sbj+I_#ib?nY1E02es^*D5$;s$Y-~jv7!b%dh+$6|T#Q%-<4a!@*f9JBjS9V7S!B3INjqeLA$febt z+g@1oQ2q+qea!vjLf13eJ9wQ0XR8+DDJk%JlcwpSi$U-}`1p@p^#Q>61aqB9Lr=9r zx~)(%NGY0b7h5?BS=%&gy%XwSx?`cMeM%zr51ILK>aeFJB>(Jr~&P1o_Abf;mp#>YAb998Zy-h%wdAh_5W^sx|!nv>N7cTA%xNH-Jd! zi9YGA@FWiUb8G_{p3pYrU`E=}d~y*6Cy1$nAgYHEx;S*(|V{lFsJ zKP_H2)eKUXce)-cjReG%O=mX!%4o@|5tZVni=8Se$ZJXa`5kLx=<}n$i1JH$%c&v@^XrsXYfyXg z=-DDh-yzQNqm%iqNxR9~9V#CqS-1$JFOR%&nT}35L7p=H4_vn!ROPn0K*d=11;|84xY^O&D|)9d~H zd-RX-bM%Mt_@Cqds`KDT^G!6Nad1aAtB<)G%O23B zcEQ{YEJP3%4?|d*lo!UjrJU-kXhSYv%;tn@p<*o(ADqlij-}(p% zos1l^zi+MAHunISB^-Cjy~i8gJPl0FIhI5){|)~S@<<|NcFo~l#;BwIvHylbNh*Av z6U1dK^_Ai;$oKzWBd#xI-V>v*&+A!Fbz7X^ahQ0w^np|w-zf1~Ej*(%pWyd6@7M<# z*9HC#-!r}^wJNJ!g%-_J4xqkZzE49sZx?O*$2d0qWYiT9I4!(53#N5PUi`Vy3N*i+ zUnJ=g02kRx^!OR|R>dZM^?iM+9j-Evmp$VTOTVPGuj zC2=N1mJ~Fm?EW3wOxULr-I0I}(&}l}=9qbh&g1U8Gvy_#jiF{(CMNBz5tId;*}P^> z94O}<9cyf4#Jx{TaV=Fyr2aGV_t-2RZp+_3>mc%c8!z2(s<#TFdXzJE@)d5U2Ee*U z+}B%|R_2${zVG)Yu!~%Avw@u{Q;QuQU|sn`EIWvSuc#@GYC6Y}d_I3M%Wr?`BeZNY z*pU46Ho-hc^uzns1Z9~u8$;yfreBXmt3j>9F@Zlt7Xtgs3+;PzSo6P&`iaQzovIkB z7ymt!@`2W_be@u-b`1{P<-TC`S%j50X#gYRQ2og`36@sYgw)Ooq_}V}$NVQ3-JR&~ z*S-Co*dZMRm`{jx7|<>e-Y2&}ZI(W(9=jFAHSl@vO)Wg=oz_6sBy7D_ea9K(I>f+W zT!ZpqF)tteSd@!cF97{6?C*f_k*OoUM0R*H@)w%e9O4h3Aq64_;)>(MsJ>^5+-At1 zD$I(1s6+ZA3GO{hFGI+ug0|qq09dm}_sDnUFc3H){YZYU8ITuT!XNH>!2;3l^_==c zWNsbVS)E-a?5fT3h{Gfi>z-`xfy8 z94FZAIjld|4-Ta4{Q7X*mg+kp4k1_lFD04i@VGeH{d$HT0>JanU&8POy%Na4-ZGjO+%z|ThPJkv(51H+lGsQ9X+IH zwO8ZblRm_H#p($$Q=@78DgIFe$K&O)~znLSTmMQ<-F?Xo5J1h)hvBmNt7(_G(ypDYWKZ;$P>|SmrL@zIlM~WuqaJ6u>;?SG@b`AFoU$@bkm&jDBOHuwT{wz-&F}Fg|dnN3)By zUma-t0OJNYVmtxs095K^&B&kcM)%L9+4E%W`x&@yzW<$%B$497x<{1P+Xnr~^E1&- zlxR^hg5Oqi8o5&#_4rwRjc{Hn=G|RuDE_A}0e+rl{cJ#dY7ym?<2t|*^T*MyV#(zRPTRdJF$M(cp%L)V)D9lDDMO3-Fo(L=|0;kQd#0rJ>Q`On7F7HtX$slsQhR? ztT=6b{px5H%~QaAX1BO++m2QKWb!0WjV+C)6#opoKh0-bq71EV=F_dV;h~>y-LZ)K&$_WKm z$n5-2n||?IvErR+WURp?uTM0X2=a_>oUz7-*7w1_tpaj&zKVMpctb`U?^mv3Ff=wQ zYMByA>j=eL#OA*9a-#YV?TLSm+7w4XyW638_WZreCyR zo#e~PchjJGZ&)X3iOP_g9iwh1+G7v%uPe)NWI}G6`cAP^<;3;FqF$@QKvtYlk+t3| zp}d2?%8vw4eTjC{&%B{-j3_TI7^yzc|Y={Rq;^@S{4RRiqy=76$XI+a71@Av6b z)Zhe#3XoH9EBWPQ32b%+{I*xkNnuyFV^duK++4FMWnfMY^+O%Bx36rO8V6VpkIS+4 zDt~1eOn4Tt&thRJ95dd2__IeoaqKC)9klrconMT16)7*5ir}Ae1=9CWaJ|FHJEVH> za8iS2BpiG_L(u-*L@K9ooipXRJowqv9u=P$OZ6JY;g4h{XmEd3q`ZJFYwj%-nX1mJ zPb~+_6~10MyQ>Kn?Z{hXk#`GH4E8L@PalCQN#|J#_e3fFi|?UN+*xKS18+wCuX1cq z|Hzm%S-!shTpx)etIkd4PStz@?CkxT3j`b}PZ#Aqvv0zmJgE7?(*$B1{9!SdX_?BC zB4Qd8n=$-0g6=mE<1CaoYX}^!8_q2XZ6(g9^Oi~UIzf6jf27!S8-j5Omx#G;VS_Ito2I)9U4;(^Ua4)9VAMTf z#kCMeLY#M8@zzlFvWw84^6u#SgJR_NXWOYVsU|G_$mr9=!}mBLES<<6Sn?>=Eg5#R zr){|LxD(zpIQ^g3j*uxvnLNJhev!MOU%E9T-0Ay4`~%0SGk2%_+;9(m@6l=Pd7KBy z{-)t4w0#K5Db(kP8(`l9^j{E^)WL5G93g3$MQAcZTHixz_}Ih%-=)d=~zwV#EF_oa) zc6{9Jaetp7goy=DsZf4H^N9p3ie6jjTC#X?Vu0~{uWD!MBt|_ZuA=^?MJwy+`B(jl z!t+MbfZP9}*gL%^gj8+$UAjGv)vsI*>`u+PxuNJGoxcNIb+s1$dVs&PPyA6Y{J?{r zkM;=a`BK}dOTV)Dz>CR+3a@?zQN9lLX)&&@&yI>wga=$pbC1V9rgdV_&PIIX#`9aY zcV{NSmYV*VN7yPsaYtamP@xIroO>d=!o8LV>54|J)r}>cw|TfUwp=3jZ}jXkzcFk!v$y+vjDd??UzlTiQ3^H>3-kj|7#vvApq}aMM9_{}8dAf{ z_c4o}=PL1Q!n3LzieEEv-`!xwHZzrnHxwLF7V|bWl@g3UG3P-H9_%07IKx>5jz1R+ zKe{yyI6Kdg7;6{O{U~f}n??&6lK=L6Q?Nck9B zJ_ztNTqTVhq4~Gxv=QugjQOh}4+bUQUk_u|5jKUeBQ^D#AVZ0f$J4b4%AN4DA0BS8NQAkEE=|2+Cqw6D z)ynD7W>1vhO<{xM=rk+VIy(!@eXIjKF{k!+?TVu~ICCA?0f%zD!-6-ukfHd15rZjY zJ)aOGe`<Bq zbhfAh6v)2rl(sjcaTt_Ga(Az8`;frk5zL<#dD-v?1l25AS+hBfxIN((h#6vUBBwm(!fVl zKcPRbJZJQ&1!Mi@2vk4g2n(eAHzxnk53tTD))Qrpil9FFJyUI`E9J`~9x5>L_`(V5 zccEVNW6|^zmuMbFRNC|f#h1m8vxUko>FnilW?3Q$Nejw56>kB%S8@+lCA{=ye{X z`vLXshmpHcBR%niv%7QR;;H&@=8#^Lo3k;n7a9yC>~N&}xai$RSasn#rLG=M0p+jHunps`xEgm^hYu7kNOYCR>9@$esdV{)&JBlzHO;MfY1$X0AB*}4q;1*CC;(J>_ zywl@~f87^?VS^;85vx3cH~{j!n0EhJ2ynccys|8lg@-Co9w+(*_#Xak>^`_4T+|@| zb_EU`6ym>5dAM6#nonw7NN34w1@LKgWs81j0!ESMyDD_UXkH}hcjo?)rS<8V@kBFF zUVc$B!QKT-T;llcKfA*+dDGitb(dNHUmf`T2i+X6`;oHcJsukdOeju{>k{J@Aqf(T zhqn0x6StIw>LZ29`c)5!#N3G-iU%2Sr(1dnU*}vVi;E*RO_=5cyjj22e9SH(ZNHTE zZaBi|kMWQ8(aVUH{1grz&A|kz>@z%s>_n@5JJ58`69aw`)^& zIdWeocOCgBY4O@poXO5luo@&{S$e{ioLw9_dRzAuyq5oRPJP2GkOrq=dG=PCmy7ev zypAqQ&q=|_{q=9RK5c|o7FN{<#{B8$4MyB^hQ0XDn z$N2jxJGX~U4!cVCF*A?G0g8v>%d#~z=(@Lhy?;(-L@)%TW7bJppL z^gd{ZVjl%&egf8EJp?Wx18dfV`ca$)pD*(CHRV$Kd}25n_F?sCHsO)Z(mUc6#>x-! z2Ybtkw-=_}C*cX_U%aaJBN#VHeG`SdC zj9$@-v*h-ra$6_duq|xP_+9{gVw=92-*6&V)%g>#jy_F>-N0=#S?<29LpX(w1x2IoS*be zob8}qfI_{o;ALRnzV?XsyGw9}@A-P?JUi+){Yqe$GJJO#_8eMJuDSIOFQ2)dkF$7O zR^a{NR$7sIA?2Z`C%s8 zL5yc&JodZ!LOa9cC=zb+dSu{1Cbid=X|5Q3WUEB+pCj+4uCU+J%EqL z$y_dQuf*A?Io}3G`No8U7C(gA&aHYw_Gy515RH8A2y%Xn122ie=v_9_8F_ zxUkv$`4681;Y`+_!LIw2FmX0H7QaCR-rmT(o6%|oBK)fd#m$4s!Vnpb&FUs(zqFX& zT1LDK>j13YD%vO79|odD>Vxma(#X_w37IYR#$?)4Zs$iQ>f!q+H;=YM2ylIS&vW*! z1YNgZChnT$JgfxoCOKGnH%2mIg5BmaEBGnC|KZYxvhp)G2-+<-P6WN$ADlq*OBFVx zN9@_`L;WY@c`|VfMt@O@uCdm73n)3f;Pb(X8)U;uy{R0g2{5GJmHETUjOC|EQ-2NP zj@$|RN=u6i2(vz-1?8jSdSmJpZPK&Y#b{zoGVRlf{Gu!RK|P8mJmDQE&k1-R#_}t* ziNLyfErAnkiNpO#Tbex>{Qy~YmxI_}#T78}0Fg(m@4kEI^WPris!+zU?B>tZFU9k% zRtm?B#`=>^&VgIwLADfk-g|!=|L%36@OrV1!LAF9#JY0aIsSVf?DEyfIJ=lp@9*`P zCt=?N`$YL?3^+QIblo^xk6+&8((`a3o=1*g`sV$+u^v?r7|UDYxaS_3c=lMzD5G9i zM4Qe5`8HKRo=e)in2(E93rIk8-Q+w?LNuN}`dKw82&y|}Vq`i(flKu;ui?s4*nd8H zz;FL{nE!g+dEc}&(xQ`T@++*4xQj~e%KOv?{LLn94B8o)_j1L`n;#z##8)mGKC3@=Z2S#7AHmOaW_ZfWQp~?R0fx#`*&&BnNa)x=HB7Cc66k^em zgOjp91+FC2kngjmN<^J&ByZMaPfXLj0U5BQeER!1S~nV>pQ*PPdUvo)&8otQV7@%l zpOOLV%(S;UOI0b}xN+kgp5vPy61|9d%bOn+f<=3XhC>I&mtElq4@caY2lwIdJH_!` zF8Sn;mcT16`#8eCIPBBYM}b66l;ivB^iYZ?3?&8|IRE-nmrd3;E;@oc5EPc%@8{L8 zBZ9V0lNIWuz^1rd=7p&oh$c-ole(BnO2}mMEm~O=cN7qpeGoC?P5tVt#s=~aN|L}% zg>7kh_H0sfEo}0Wv3N43xAnA?*%`w9G+JnanGv0L?K^vtQVlezos7H|^ut&1Jswq- z=%sZ>9xTk8-(-G)pkKFYaPO_=cWtab2Y>o1Al{7r&cW>PV}VQb>F?AeHmZk{Yhd$p z$-v@*UV?FvxteFQ<`l;P+L3FO4%(EzH(~iR8N{WtIKg^q1l=#fhn-W-eGP%>%2^AR zO4YF9vhj3mOYM4mxI3L5GuJuv5IMH}E+S5$jO_TCI(Jp7Z_Rz^#9>dIdUf+HKa(+)vQ&4^4d>xT@ZRXo^c6UGh7CU>w7} zb*4D{ily^}eG5=-p`61JEGyQ6RmOQoq<%I=9 zlJl!6&V;xU&hHbW#hxjXYFKu@3CxvvmmWBUfoJ`v?))Kmu=2>pQ0Z98OTcw*==zCU z^J6UGD8Bsjv4s^2w>(3>kDs)D9UK8K->csLt`SW0h>(A#dS3E-#Cl6w=Sm>YjLqe0 z5X(MxhFiRDWeu}$lbhed>yIkC(7Ic19S-+$8sDY)C0mN`B(gu*PCVnEIX9^!labp7 z<#DU(iJ6sZ`=s)X;hYW!4RWYF^LWO#@NIHD?0B=!Mm4vb#$7Oei2DG?Zw*Oi zy9Fc3%=hPSnTxo>@XGoMv{|EI5+7<@Z_P}*=& z0APMU^pwxZ|JF)*-~a5FB?JXBvmR=^Ww0t189r^Fe~z`@!U(iv^MseWL8xzzT+&K?@q#(W>9 ze`XD`_s0|(p7()VoYf8GK4TaZ2!&epl@Tb-aXqLazRshVG zop&->`u#{OsOgT6%nD-Ew>X}9;L|1{sDQrM$h> z-OE?E7?`u8PXHW=xa+n?D&kMP;qHsU-({L$(RDOLFiewm zT{)J%RHgqP^Dxn_!~Kr@pYq}Eby+VSQ#=msOSKynheh}_z~Y`+;ZAU-{#c?-c+k7Z zF#3KlE;83Ons0C4AHORk;FP59IHTXg&e2wlXN>xMd=gR8QUP#ovHBYIUHz=UGOvZVA=`rS);OMdag>;2}745e+u%|Kcj$Rv;^UU>( zd8ToYF(Y^V(M1^)Z^ryi9MLbi$WhZ4Zk0*UU-^4Pyh_>VZR~Sj50>2}N97LY4La|9 zvhn@-ZzOlmzVeWT&&h6~R-NAroZ)-!xVyzy8Au!GS~7CvE9H?h>#(c9yvb9w-kP0f z)pwVo{WO`p!PB(vJHC&tJrwz~DZ7KqqSahqa)C#vUmdxNpg zgb-rAvUJM(J}dHLF#nwFEJr{)$;xV>_r5_!U-mK6AGc3i0ROu?TN5kqQoI!PgxBgh z(W&)5WaV&3gS4nLXr|ajq{Lc*QuFIouVVCJ`89F>5`J&mKMwtKv~&O0c&k%UOC;(~ zoU}M?E@#wjn4UV_ ztGtL6*E|8CQB`8&kDt>zU>NUWju)Ww!-R=?YCSB!PL3o`oTeSrUq|+?HR##3%mR*) zeg3;!oxt8nrc5fig0vT0V0$YSOZvUJ6SOKjY5x&?jt0_nC{D%^jvoBIu}ks`&9_Dz z0r`#0zF%(OuyocY{kTiu;>~-ZXInJEe5?ER)ms~a9cg@R!J|oa`_iR}(kx%@o-JO) zA*|=tadUGPPJEr7x1y=9J;~jZ`cry?5c^!!RtWI5a^3-NySg+s3{yi{= z#-2zpjHkk-wkgZBa~WDv@BF|L6YyJRjq? zYw2}YJ&7$DZw~;QNij_ytY-7Kiey!2>QDfn@2jHKNn^xssRTTcuYCjsWs}(Ei7`KGqRn z;z^2Beqr1%c-!>;Bl8}Tp*2;;i2+^IKgWHAap)hro9|WibwJwuu`s2HrPS~EI`L~= z+|$EQET%P(5~=~`R|@}px37ijiGdlvlzu#kAc$vH9B$y+W#xtuz(YGQe z185z1;VX-T6d3iHQ?9KY9$t`4LRYh|y1djI^yPT7YNcIC`ry2pRYC4lA8TlyRZ}n2 zr1nZ%hMTClM=ZfUYlyplH!tn-+Uibm_<>B}N24!%sC?Q{Zz${gHWGM3b!3B;;z_U@ zkBnRh){$k@Pf^=B+_}*~7(campv;5SGH#e!>f_)NDPT@FccYd#T zwKkReXb<7{*e?-}nd5OP_waknKf)2^J|5%mYg=pXi#@o=lH12w&v%6OZNl^Z{yo#K z!+Iup1noT3H~;+IpSrrt?Rzwy7|RES%c@L|*t3tN)5VtM8Qt>)4LYAM-i$ z{=!}U9Ao?p?O^oJaet$|jQBBgpDWQg^M@N*uT?^|D4!!Kj9aztv^||yv={LI;xXzS zw2SaL3dPIYL#A89tcR9lc%>B_&=|VTXe^i+WUWBKeXDI|E#nE;PV8G z&e=T9$PYHsm~B`hihX5eSn}%-y^ePbF&bXzP4@?`w|^U7$-KQW_qQ!eZ|c(jjn9K4 z?jJnH5$6L(oNteBPI7m$%&9)sN?bIdc4``xr&xCa>whux>l9dhljP~|aQ&eC#d*g2 zBj3&{RG^^L?N9v}CU4OTMy-}>buMwHxKE_f{M?rEK-l{JTbA1-3wZH@??+3M2HfvI zEodnd#)?N=Cg^V>J}W%=m4x0WJDNYvv@aO(=Q$P={CPXTK$Ly&=wLZ<@Yuf~%jyq~ zhyU-;dmnbi`Ok@KK-7YnNjF${qdUxaZM^3IBX7G%jQh~!pZZkKpoh6R zx=8r_-y`!_7LL9OuNw* z?(}w--g*%R_HE*ma)Z-AqInL>YgeZKi9cnJ<(D1E1Z`< zbU#WYgW3~V4=i#{R`o|If652Ked1Zc8^~rTM)5GzZ({5Eq(7LYkWF@c^Oqg+{|nDY z-1*Ol*TXz(e7}yDcNSLa`q4fPUuV2&Onh?)Mr1ujdd@e3=jEaBr;eHA3~`w;$mlO} zN^1Y3bt*X&fBv;rI9*&Q7%s1Oz3|=J1hStu>V{b}a_(3-6!ML?CGgpQ=QN}I$V0%^ zGck|B_h7}Fz6l?FXeYFS?mz5@iv9vV|GB6w?mHq};7b>0DEG^BYByN#(K36r@D};5 z@bbm+nIROPTl(=u?NHSjVD{^Fqj`)>`S1sSL4R`niakCpYj0A&pI3OrIJu<>{VEcE z!^*kzy0b@j@3nTmP8NCZ*}UmuAAO%pT6YmF^KYqtkA2v%-cAYs%wXQhS~Nb*d=4=x z#}NlX{|NUl?hoeqLag8a84>Sb<~yUG|A&u@`v}L~$IS+29NkSM#p`b?<{466AXD$i zLvL`)y6vSWsXvW8W2U@0N9Q>)CFMcsunu^#A90bCyiV@r2N`v%$6Mq9DX3VjeT%SdzyWD zF@{@eVUnV_^{Uu9veZduYwu79!8kqEwMDz}@A*f2hTW^Za&Pt-SXXeBW{EWWBES?urp81o)#_w+| z7`#-B@8SQ&|9^h9>l^v#XVmYwyq15zXn`(WchW)*@k76}LBPzQ#n2_1#z|40V*VNC z|1$sYAG;s_Kk{91z5<1%c@nDvAb!+HZoj=b3qKZt+DfUBOYVmWt`}UFUi~71f|b&A z-xZ1`*}h3BrM!B49?bheeAwy7o`AXCL*V5Rmw%Jrj_QL4KbvG4^#b6Fzqfkg`(RSo zy|8H3mNtTNaPzHAw$3#wuzMxXZ@X2Gh?AwF16OD%jc=nrY_nkZa0Z7Deg6CDkJc(r zJ4Rk!e(StNK8EEtOT+uVZ4(!G8k4@Sk#{8aCP1F9_@q-=#RTUEmmK>N^EQv6=Zo6oOO>*zK0$v2?H0GR zmiAdk-GIZUV$y3yS{}{=bNrK!fp+Xazu*4X`Tu^5`V)VT>j95lIu*9bWkgZ?h}*S( z>x`xX@aFCs{b(XiWKQ0UxzE7iqjN(`9&^=@q`6xoi`E9v_*I~ zfK}TaLxvw+Ba%83y_%w(X`I_H*{5WkQJa-7%qYL(cEG9!QeUrwv2J_Ik?3rKdFFGHPD)v>ie=$5PVnLp$62Qr z=|uXpq@~)&SQxIk_k8Xn1>o3Qy!gh5KPWytaQxz+;`(pGm4a3on#AT>_QGCf00&0q}TQ-$Rd&-n1^>rv>{y zS$5h1_f8AtS@DIiqC>S-^OQN1>ZXfrT;NOVN+OTM$VbdUnNhcT%a>T`tn3(SpJ2Vv zyc5AsO6DXItG=ceJ1=RITj4Xxi+NlK#_9f+&;NfPqn*g~J7mF%%df0*I1v!fLVvHg zyC?Z^r!kG2qkVXS>)?bjLq}={;yOpUkM%~-UT8gc)Fx`nc0fIfd8wFZzL}q2YM|N| zAK~heDc}YK#@0b5%@HG9dD_j{U3jwcZ(YMMflfit?hPl61U;3~8 zi18le?V|mS{2t6#d|ys1;VXkTYVK*gsP!7n+r>Dmes3$siQypFJKMyS!|CsS?R%jy zoPD3ppgYBtP@duXWD0FGTsKQw*ZJRH8BYBM ziyv0f;!0^WuKy)FJU*Mze}ZG=RfrV7BP(x29JcvtUe*jb4*{n+*)8%zK(7DmO%3}> zn%9l@!I8-$#kwn&Ae(iPef8Z)mcCYk^i8uaUuklLhi$u_Dh0Vi?EX_O+iScac>OW&SuIBc?f&M*>dw? zG#DKmOWHj2h296}lZk)nf~d!2wyMKb(7f;1#tVkdu*1@F{*K9uN$`bBp?e>#7iit_a6@AV3(y*muN3rP72J+1!^FTRgUaYmh5g>Xh!9|#H917TImUl{(XluZVNe6drQ0d>DvR0JU#S(G2Y3n zm#+yTTiwocUt-{Z;{l_`{Eorcs+I2hHiff(uM51#vPCR<-Jq)|%&o=C1SZ;Yx1Xtq zV8!(=!if_bZYV#v3(UGX9m|6-!0dYzJJ6)sb9WavL|Nk5mr4O14xcYRr$q!1FjdPl^&KUfT!P| zubq~Cl*$`pzAv*Jrkw|@m-uMI`kV^yi@=%B#wqSz!O}0=AuwS|;${CNT89~V#99lk z+{wyh^dX*BKXvbLIJGmF*EvT0%)Q#{*1mJqru9B50>_L8qOY>%I|R1ynL6>r#nSbd zdO!N*?ib|*dHqbk&j9XC`8az;NgU1NWBSu3u+?@)xzMXL&^mBm=F)l`B|h1Lq6v{=e&K)pu-hcWCzjt@=5Q-}z)%@=l6Xe^#3{e=@ZG73xv+ z=a}Okz9>mvIkif`kj2KNO!zPED5er?>^$8^*K6 z*C&S<(|7{bS44So*Qiak)vt=mJtp27Me}mdzmmFt#Lj=Tf^6GtZ996n9tH;{oqd;E z`#vzs9oLrt>M?%?H;bAJn@4gTfG!W0It10Pr<=qq!I-=gk>mKwE zFK0B`gymBdChz|GfV36vyj0Qt9F|RT{*_R!3j@2haz^&|k((cq=l8pnvHWRimOZM< zde2r2`;p1dPYq=2c)Kiy)_22w6@2RQ!XGxV#4+h~?q|h#g7drQfOlBwygb0Z(cce8 z?%UkgLX@8-a<1d?Bto2$vH>X%q4~|C>C49$Jj%Fh^WNQ7glkLBPb;`DNpTIPpTnph zyPEr>NI@7(w;xc?{Bnx&G*SNf&$=BjDiBQf+4?7iFOD7xqxEc@B?EelEoAAwcxp4k zWuheyAE%eTXmkd>UV1+5p2av#Sn+k{6a*IPl(rkY8y^Bmymp|Ewb`IW%s z6K1FRH36_cplsWFAK8t?1lLng!=}rVg)h@}h<#|Wt{uutj2G!1SDe&3>nXK+5FgU_ zN$k^_;YaO{gA-!IB`WJ!{Ue-UPP-smtw=3vU8vGJgIj;j{y9_22TaWqx3wr)1L6>f zzx|WfDhDTi&L~qU$9h>7^tti>;Ct0uJ&?LNQ<>tdXx~+ym|kcsn*%e2&iSwWSO77l zA_Fda8Tq?|Jr~B#$x(lanTPd<|IX}#s>tdqrb+Qylr#9gne%lMg!Xo?xi#WWkncWy z;q|4LV(V$0DeN!!zefL>nB(uZSyDg1x4hY|NwSQfeIJ|j&@fo36-pib3iGZNkp_vI z4}`Ay5_$H^Q+Iy7OH8LnyfvM#PuDT-4;*oQ<1vo^>vQD$;rTe?@34D>I_d^rt#Bm33PPt3{>gt`5FZm*4VOO=r@p~^M=)Awo zKP_G$?n3>2#OwZ!4`Y9aGU-){hoohp*&#o^Bif4EwHEJ|2F@GE1j8vA#v?qjP`XrA z<%xC|t)tD<+kqtKiLmWU^>T_!M4f1Cm)@gI{SrCZ!MBN59H^f8U&q2l8NAZl?dbW; z>skHlF>_t(L(8MHDf6q0VNccM-z!&y!`CTe#lC)i^f?f(t99I8f7&e^90U#pZtRa` z>6s%CyYfW+U8zv;xjb`t@Sr}6*LDt!t#l4?cew!akr0>aoMj(LZncvW_wzMooYH`Z zux_pinpWggtgF)V)k)-G{Eo-x-iE*dgGDl58F<7EkG_XRzQ@SgHnHx&J%;ZB(G_donc#O=@yc2qvI!sMa{F#AAjLEV?B z_TJSt^gUxd#J+KA+3@xNsQV<5-fI#~!d<`ft(ct5`kf`s*Tm~!UMVvUBh6aRlJKi@ z=}mQZb;{qteO|aMMg#5)P&-0SdaX=%MGGOvO`}Aji^vm+fJL4*8PreZ(Gt@zTv$x; z9PwWt4m@1MsLRp9B@z8xg5h6W>CrT;29Yj3qQmbD%QCcfrw5qB$!@dg({BC*^2qP?(H}CUmp&2A7zZ?ozP#=1^Yq`RsCoqmS1xL zFdpIm^XR#l+l+h&^>~xzFVtv11ur9!gLk+4(L9-p@_lV8I~aLnh2~v?Lq_1&P_<#0 z*8)7UZ+BIN#gn3_+$nQ{im6=^;&x${-eXBP6W?#7uVM;~%jcKNKTW3JGx2Z}_~`Lt zpZEn6Ry-H^*P1ZAyX*PtI~ip5Bkr;E!XU!TuewbT559ixiCDdeI_x;>Rylod7WuZ- zv*{3{zbNWYw66n8G@SKp8TmffJ!0c-?56qk=m#<5a~I%v%Ajn>kR6ntv2`c}1id(YxXzdw5K9$E@57)JOk3z|a(W_QQJ^z%ltApEbo&fO|KkxZE zwbJ*B>k0F%@%sAdJF}NOH=zEv;EpRsZ_I6o($I&WhH3i1^mA0esA_Jf;37NvUQ!yy zI;K|n!+{Thayxc;z+uTYxY#2?_~N{di#X;&>KgS2-x$0~K~9b%$JqU--`D>-Dl)P# znc_LPp87eQTXg1Jr*;HB->Mp~yG`61!2Pj;5YMPTjlZG)!i+NveX z^1`7j17=hXFzY1g!ICP`r!&`!61?xo$pC%!a6f{52GI@_TzKiw`mz*)`7A#rPle5X zb%{P7@;IMpK3(3l@o`-b;nEF#5B3!2hP2GQq+QXs3%iGo4yIK0e z54dkwNW=M1);u4ER4akQ^Xjj`;<(@PA|fS-dXZul0pSlK3%W@E zcW9}~Yerv+@mM1ZC+P%MU4L6xMX6RhZHXhlvX9?Cl zpPc>flU8FHY1RHPV^DC)LF9RDJ|QRGl6V_TRUiCzYm0{u(xKruR+vEX%{@DL+?84W zlq8GKtjQWJz+jD}t-aDS%9y1CDjX}v-3qicjTPll>a=(%40VVyAd3j zeFyw${ukoKqpz2zhJQDt`;Kd!S<}ym0CG*?{M3|R3V`{%Xn$k8k@?=#sa?ga^B_;_ zJ0%Jgx#e&pVBLTNz5BN4AG!qv+o7ujap|t0!+HTHB8i7`cZbNU zD6-*Kbj9PQY|!;lGx2*CP5dh76_@nfAdVM`KbX0;liux8g;kMG)Q|LIx9?tb1?>?z zYImTYjq>2{k@-H)0s4(+h_q3N{aFyuvt; zoCEA+p8y=ir=DP0fgr#j`lH@c8^(Mu~ecAA0aly3?J z2j8>Sl`O?$(Z4}|4E-2UUX?8wv7V6P>^|zZ+m$FU-WjoUy%U|UM6(b3#dEYNu7!1T zF<%3(hxj7OBeOdJq0O;@v@g)%oGorgzDNKYmzYvR7^5GBfwI~HRYLdmwVbP#``JV2 z^P(SuaU&cH64;k-6)c9`jXg%*@)selUp3^&Iy+cjz2bL9bqN^?yYuOVjvC9JIZFAV z;}2?mB$bjVzRlbJ`-ib@D7_!r=}er4*9OG8}v|C{k|o{l`r@88L)&#z67 z|GwY#>t`>2s#m1n<96wk-cF|LiDpCjOWW}d?T>)+3j^$!_hlm4&Y&z|EPx=MXSHu&Wd9BLvrx0UTDg4MHPB|+*kO2@cL+f;CjaTiA}EEt3Q6eLQZN5 z%ep5s>f8UP{@QJdd!c-2>zo=p#-s7)K7Sn>R376VTkK8x=lfhM+m=h5&F0o5dA70Q zPY0;pLwgP5u~>KBy6cwJ3qBo+V=#{u07v{C%5mIBOndpy_3?8D>j_-qy{@oBY9nX& zQYqH@Jw$PLW}Mp;WUEXME<1OGJ|FY?s`MD|`}cYIo?4n4os9tN6#giV`>~NLg4Qi$ zK8GMn{^&ybHc{zAN=o#)_?%4M)NWQ?&p&x?s2_cy`}R5oY1X_*{?~cT-;2Xx>B3Ok ztD}kqd#^=Tn*9G$Gnf1L@z{N8#%|Ee%%1QK3F#cU;?^;?D z)JXeEp#6*Suk?)z9WF>Z5{x&qEi^HhQSc3Zxn8dJP)GoOWAZX*z>o65alJ1UOHTjt z{RYeq*{`1SSsyq@9g;3)I8b?x@v9Ouah{IEYt%l+&!>1EIJV)XDREEO{XlfgANCrV z4_C$C0j-5mnOXJq1nmdp1z~>uvkf{t;~wTz?w)ar7=OP{jq(!lyh%>5(>-bpJGDztsz^g_dGSrZe8sPey`C?5cwUX$#v zT4P;5Un+NH=6K|t93=yA!{SH;> z|JbBx`{U5yU3hxTxU;A*gP=Y_KL!66^2gDB5snw*jZ8JCeh>P+7j_CIDZa1+&qsX^ zN3LHYS0~;x3b`FiFdq>6W^A*I@I5PJ1}Vu+(gTabp=Tp+*(g^CjGYdv-mD%%<1UKF zkK9qtHKTaNBB@_@=7AaQD~onC<{#piXwti|B-tPIV)t&(<8}nJpG8+3=i1rsMg7fx z)_)KKnT?s|G8?=>_50#I*JM0E>G5sp)6I$?;(Tp!WwkS{|B3g-^}>{=M`%9V58sh4 z+b!87L~f`(KEROGPt_T=yG|H*egpm8KXq?*_YU+K#xwAYjbS#$jeq(yqFsaUqitSl z!ElEs)LNzdR4O~YnC8i#54Ixy48JbtaoHxRwnKl@PQG@qNEF*wr|pT#1$U z>;Ot$K5dhh#}j5f>v$snLNfZ-#01J`z&L5DQdY6xg(y-{qT(jKDTwkHYS@GqyYn~D zdK+&9rplh|bOXVX{W|e;{NVE3_fCNm(jhGR=h;>(f6}U(;*`r(PY~b6c$mN7?Wgg2 zjxb$FZXEc{sb0nPg?jtnMg^XQuCwmv5ybgz1@`)jPg1A#9j`s{f%#cB6!$`YGOml6 zzRo6js~rgX`MB<$L^ND#+Z6^^*tk`SCmBZLi z8~x*<@sVQP+>6wnK|T%28M`XCpe4hP>G!yP_m8t3Tj6g6mn<8l))%C~O|h($4^f(s zA33$urZ5K{efU(f@mMy!ANsX!PM`KxzPbj6+HVqf*f8n^34K2$_@JNSaM?}b5gu0y zDNleY_jF;whI6_LZ2Up$eP(nNdlQv+*q;vfMXV5qTF#X$Qe|&4>4Ul&WLrUYpJ5=` z@^QCt#&7fg!`^#`_4vO3<5osS$(D$cm6<~1Dk_OmXh(a8hIX_|Tcw@$-h1oR&^AIu zDMhx-WQ5=I_jx|g%klF1y^qi5bNr6)f8W2(kmQ?Ysl zhr17HG2#Rtqf2!qNmhSt7Pr%SY8TBq`{7{EuH(=eCAe~=o>8B2qmn(hej)J^;(9Y- zksDdeulHutj#&5^Et$0~TZgVw#CbCP0n+gG&6g#~2i>T?v1RYo&Be3yA%598PB%v1 zn|8N_UO786sJ#+5Vv#q(7zk^=S@!dde34770GvC`Xfk?g%w*7TV_34Yy_JvU;E zxHA=Efl@Lx+;YTHrV@~Vc#2b-I#iQ~uQ4ci{& zk-%T-Cstc05g5AU+Le8Y>|3(!L2<`zlBl-Cnj`xhS;m=GS7K96a6Td5!2CC+U-dY} z%em-x&v~)blngAFPTOYWMfDS$R}LShnekmsp#K4$tW@2$+zu2DaIPwS=g9I)8_{*V z``8|5j)5w=AOE}D);#OShEW9Z?b9oka!=lR4my&KRX#xvcZzp7m%IS8t{epPrpCZ!?|mp$Nj8`hqjkiT3b{l$mItO^E``u$)VkB z`)A9j0M~m4$RyVV+}_OHDj;e``;rFit!`-^xWJNYs<8dWa)Ds>Kw$EhSc+RhyGZL- z9p@3jQ0mvfI6U$Td>_#Hocc|}WD`Z^lGq^<}C#;+sXB9}} zf=u~$jLPBd&(4Ia{jR6;YUksGa$iQi4)eVIU_bM2;mr+^nlY0kD(BI!G5GmS zbv649cxXE|u*SjxFwY0q!^m6_&NFMzQoRrT%bOfe8y(aP2PSUYlKl8|*}-~l1?>1# z)E4CWjrMEByr(g6^vexRCn?ntIhQ-sD1Vw%J2}R1X&;!nhRI)2I08u*Y-L&W!8;tMgcACpler_I150IkqqP=I|35nh)0(+5W zz1>FT1m_j%D>B*l;LK(#()0Oa`I)0Oq^wLNTJu>Ey`C9Ib%(Q`#d4PlKl>|h{!iX0 z+CBfIfAD|*+>h7&cgOL(|8ta?$7=$`S$WPgs(T63J~v~}K7 zN9N4+s?&Iw3=cSz!^W;+o}>_raMgKFSQ8Ev>n_zTJRM0M4A)GnIP6PMuQ{)2lz!@> zE`-V|uhdjx)N4E#{9y{;1>o8o6#r$H4aLVG&IEBMOuvaT9DFaiW7;!4m_4uVWO=17 zwMSw(i)R1MegsCketag9jxhH}X-|Cp1$gaqIX?I-7#p{Tnsr213qDDPud zeupl|{|aNvzB)jLuC-i`9SVVw`m`l#uNZaTgP!LcHj*Mdq9?1182$9pjCoTPcNap! zk(N}QF?Xm>a82>HX{G+{jU$7ZCbJv$L3@?ZNMk!f+8=IK)f4@`k>)VdW$1LBm0|8Jq`WpsYuxE_TX$R-HIo zNc_5Z=a{1ztsBSen`rp2?dY4WHx_2Q(zwdRB_2y$9K5MN9sOr$Cl_mo4P1X>Nigr@ zq%`~F7p*Cj@8bMMzH+#Eb_`Ef5SgEE?rI#L$f^(gCmxJ^0Qt{DwJGiscw8uc0QGUC zSceOrgB1HFb8nsLCu*woFS%Kt^VQO&u#nc3!sp?9!|OYjof=ShRY>DKo7-ljMh-iW z4cwCQTuF@nC(~?|*+!;Z#e7-yEtX~L*e+d67=a zXKr@yy~94i6=D~2_QkfP{L4S*vMF3l$n6?fH*9x0r04{4f_z7}i5zA5k zfm3a-r1%$w!KU%gN$P# z73X2#!P{rQvhTM8jk%qjSwo)G{y;kd`*5OOde7E1(vx$7xX68($kpEW2*xLnzbM$c z_9lmAg5jW%{PwC`IR4~4=X)0`_<1aQQ%qe7wL{U~`}rB|PU(y<@B|hWQI)8x3qnKI&1w6w~jW2>H9z_MQqzf=6T3 zT?LH3rG@_QqC6)0(|TYpq8{CBs1s+|4HmE@yuRtKQy#VFkx%o)%lOAK`h20igZ{L# z<3kJE0-DI7&z2QBtBUCV&|S7{0lTLWOP|*Vujg;Rzn|1j;{bygA0(GQAB z&0*@WyI2#$k0WkA;$<&hK#J^6dss-+ldL6DTaO+r1@=1Sr{Ro#7%0D|$(07YiuI*& zTGYcZj(~ZUEuwKhwr@9}c2CApYr&hNDjZ{rGG5P`zx&3E3 z_h0?rQyBdye2?35rLo>ymg06j@-|ckY)FD|?Z#VeyAwc|eR(t6Q%&fdS!zG=n-S_Z@V-sAfKJ}K4ay}ymY|$F76-kp4i+ztV8|khzC78 z)^@C_%LYW1m*;*z%BX|EvOk#f#De0*LyF#2t`@#T{dwr0#yAw>DRA9kzu}uEztrCS zvY~hx+pm^gF=civ|B4DhKB*#j!S&775Q1_5<6^k(QQm6sZ1j>!VAK`p3%V6q@}~|z z{vWJIh(nqp2qq2H)S4IgTMD<9%6pB)XBYpNi1BP7{ys)d;;rO zid>lSInO$a@~4So=L#jvF0%YpUcjC->Fw!_S1BIt!HM_L{Mwh`$}9CLMy@L0dS=7) z?wwhHb+vH3nd9cdxR0ZIfkh!;JO%wT^Wv9_D?i9!#hbTLeGL7iNb&z8Z69b9i#C2o zzkAk%=`)Ap=%t!#= z&GjCtNAA$)p!~=GkSRKAE6-vBs9#>~!OzgQj%ha!FJh|%%l;Tc6~!B%`6iyNKhTb# zT*G-Z>6qoS1Rp_?G&oFusm`(r%B1rN4fwLh)8Pc6k%J7ha?Ol?_$j0#=lHf?dLC zsk9(h>es}1iSNx^Uw`s);;+8&&Ms!eOaH5{gAnEKH}^`;$gr;=n#pN5Zn$nHa-Ey3 zO&&AyPi9^_vt@}kAg+*0cVG485^q>__S@o~{1}4u8>*I`S@^b8huUKUoA;}>b{CQ! z`RljsIkB%w7iNL5LqB5_DRYvjwHR;7Fp4JaS`M&SS+g}SmU4+B&U#r<( z+C$59{T1FWmh?a4JV1Vd+c;nT-u`>O;Bj1Mc-{Y&;(d_f^|*}`_aps#KW-zw4gC_# zyvtNrA7ME^#d44^amGf}?nc}(+PxT${V6r|1r!&u^cF^bKZ`#j9vZjRSrW$~S3NJk^HEWsD1Htw`S>umtOCs=`lc z4;`gj$?&}#{GAx}!4}15UwP))L$D74@)2hLRabBfiD-AWjwbat`fUp4Mbi2Th)Y-E z9ua;zTtx227tNC>zYA*13=Udp0tl>2;x8rXWN5+m+PHHgAdvT9t+2it)k|g0RzLfk z?+q%}CsTIHgfjA&^RvBWOTlr=$^rSi`LrH6)~Qr`XSk6kGMk`372`$1r4r+H>DrY4 zq1?y%UN{dCUx)gD=X-uKU-|QhYwvIa}17I5?nEMAyZB3*)tyceO*t z3-7S!l95#IH1O^9Ykg}0TiTk;O_L*NoICZ#-qkxw{^X^%_H91eIk*>?@eVJtQN@*e z|6n4GenC2>;IITFiZw=KCY=Kki}n zz`68Pf_Cz!PFAxFg>G$Hb$p_8E+L!C(Fplt)aw;eXcqu#U!R_E2z7a;5eu zQxExrr%RidB5PB14F+?@-u+OhgCkdCxrJQ*;IbclbIQ0NH%RVo3ojO8)Qu30Hg@A$ z-cI}3e{1OToY!%M>Yw)>m8ec6r8I80B)&CaH?e@yF;{<`6i=EDkK=THvuuv#Zf`iR zoYb9}S_A_>HP_hqbVFIu==UhcGi2~#)_D4nNWwO+KV@T-5!H)6)r^;X(#H7MA^Lw* z4RnRCOf;u{smnZy*TN-rS^gj^g7rMn--Uh4F`kQgWJs^YO_6l*GKIX09p^MX1F7BK zA^&CHq;h*!yugFLm&K;&b8_-8DW8}-uVK34**|zzl&h+WH`WWjN+hrNtK()&LtKCs zF!2PAV6v~T-1mtMVE+QdtK;>ElSMxi?k~T4rTe=`3`_24P`&i-EeSoZN*8!Hq^vxD zb~e@9uHXC|*;(|2h)P%ZIcg2D;{X02IAvDQnkB<@+$u!Be@cxrruHe?bNATv;zTP` zSbn6Kkcu z`vh?m)^8IotnSXF^^W+36{o4imeBlJ&bfBACu14)TUO6H;ZyHR$C>&6&Qg6F^I%ba z$n*!g|1NfdjPAx<-d8?k{z&$tJ#}8x4nqA7ufy%Y4(~kpbAj_p4C-ysmrRVL3%-!ENmPr>Ao}t_KMm86L z-+=+i^CR(aOW01c?@Jub$38Muxh1&UlL((zH&Yo*1ped+{uUYGq~*5xO#cG`^!r+* zHOlo9lVFEn=Jn#041e>dOp;pW1tAh_D{{&heJQMWtZnR9Wl>`gURpMvN8(R>i#cBU zzRf_m5P&DKTxA80J^5kGR<9~P-x-TXbv8B*tVbI;rq0Tsv2K0h-M3TGCya=+i>6nX{fvtxnp@0^*2W3y|&xs)kOIt&U5s4VBJ&nS97K=aO$0&PH_py zXK;Pj6};nqnd3wGp_gV@Vfxe}P*>O8!VsmvRoZ>VONLQb&CKs2?+Q1-dXH^qTx2^K zeSDdEhzCfwSNF$q*b)Orag%-h)}VR0mc8(PE}f4!kC^iD7|p}RzNN;Wl--iu-qZi2 z9Wz~P1&0I7=A9F|RsI1y*4Y~v``sUoC`f&@Ug$#QSA(28r)uY)I$bw@)t$E9V+S2_ z_JK*^8ANEid@|o!UkEBt+@vA;gazxHBuSWdN*Fr^hfE#+Pv1A zwcV4&(LTH(UO!(fE)yP3yRfUUtQoNXO29(>gIT|F!2LmIsP2149)Pp#_QHZNGP`JE zo!ag+AjR|C9F}*Hm!>!5`y-^t4#UqMbGg(=_@NEgYSuMUoG#DaZ#L%67Ss+wJ)UWA zGH@h$@#P+TVyyg9%=_3v@$MI!;^cGYAB9&Rp5GIgbd7aiX}Hgmcv3@MgRTSoUYz&n z*TDIR^B2#$irO!pY9P>JDSf#V_p2s_58t3`vcO0SDp}vF9Lwy6^4=LvD z;&Hqm=0RW|Ui1^E^AI_; z{j18|IB3yaWhb++p5phfUb8Tba4o6?>~ zczOTzU50<`w~*W$(HE8Jai%|XKk%B&U9jO>7}Yb-Ux0ofTt`fKpF{CY$mb$DvR()0 z+=L#n$nP~v4}i}+pRsvf0|fum_Z8dpLXK7w^iNrOC_X!CI1GBu`{3arAMn$-(N`al zN98y26Pzzh{mKS5-L$-`n{X9O+D5WI|460s8|~V{qMj?RVpf0@<2va7Mf+>i=}J;c zs1eP7N5AmLnYOWq6K=5VXEVz0vTv70z4f@t`cFPAy;2Bvo(`1VG>L($v~76vyqr-l zB558v;f)SWf&t!Q0&TsM0iR`OLanNm28bLka?Bt_fSsT6S`bWKK zRkE@@+|8OQNIIwsL!h0*i0zv-~A%;UoX< z@W#){ptLFMUbEkA;H>23=}3P`tR+0(=6$cC{VH%gXHGn-v-u1o-m?3i@2=}cEV*I_ z!r3e1W(gJ(tY3$6uziNVnXr2h>3Oi9^Ab-wxn^?Hq`U1Nd2gW@FeYw7zBzjKTf7*i z{q0_-Dui0!^#{z~!~Yc^@^ard{wx?g0Qz4Oi&_8E0i-r8&c5JW4l8!MP1yS_l(Fu& z&dNEMMEMZfnI@}*ALUdGz}k7ETRCd2Xq{lZe{`eO#&EWa1ml1hM^;`txaH1kPuf=+ z=L7nKQ9sAL6DD6UW8rDtC{73GZ(ZH|#d@1>l8I+7cuuv zYyOax5A`Rn)V!B#+KMeT|LVt!{zTLx&<}y}1>{ryi7K}zx&Mv3Od%z8EfVts>_F)> zqv|eS5nXRnjwT0AT3=4kuE+n_*jp><-Vq7!vLD@)PsoPy@@>X)*IdYTUYnAwvWD=K ze{<_qyW^1P`Ox8YW)tP3kB<+I^vG3GoP?mF!F0XZjnuz$?Ea-iYV9qM>TI25zjl`P`y^D$gn)q44&{mDV@9X%pu>IDA->P;B88R}Z|YR#=uxZRSn zF79F?IF-&H)^-#lF(7gwfyXKh&4?tYOIfb}AAec(D}@_|_Dw`^2kf2_M^5s_av6Yo( zA#mXSq)P{Q!YKY{i(loTS1${wUmfQg>W%muW$DlCN43tg>^*y6ZU?dW)_&Uexa;G= z@QBS_RQ`t_yp<8)WX_VGRy3auaYNB#o3fJS^+0J(^F!e~RbaO>^KFWiDvKYP!gG}a z5x1R6$mnmec6LU6TAZKK$LtOlpHioMEn`4*e@d7qggktEKwj93=4Ube*-A8??E2L4w=J9B3H zvFsfiR-C~I6lD4iCWfd(!T#LjXP-RjekLE20oxrLj>hivf;Vq=NJ(rC1AIRt$&0VY zLV^Kt1&cPU`?f~cnuROcPvdj=eTe5k>YT7caPk=-Q%w&qShX*X&J*T;JpfU#>+aRQ zGoa#<@kR(T;QWoGy%B>J5W#uAV%n;sfb){6S1VJw)sy^DGgUH|_8prsB~CBc$^t$w z6HWJVb!YiGP5_s^)C;W#j$VWZXy#8gEDDIQV z-x+vPrOV5=ady!8S3Z}0c8gL2J@0D7{a@>Zj0yT7knf{Cfbk$Xi_x>+T*BygpzJJ44?%hWeRPC!gQ4c}q6MUE%tV4B~h_ z)WFE=V8xS=&!PWOn*DHluFD^M6!Se8^`cn)zeGf4EcKh}0;h9UI|bJV6Z{^mQ*)zY z{`pR+C=fL>6W4g+3cYQjoD*(2f++V7qk(gO@?m(rW{_##$#A2zQ>xKjiPo=?yr9C* zn`T1u-sqzR9gq|sR@Y2{q{Ewh9y zHF-SiUE^`8SK|D{I43?_pPyPLWUiW7|>c=rH0`i4lW&WGz{kiTx-EXVO zedXy>k|Fu-i=P2&b76K`WO5?uAlNq)$LX;R19h9=M|k@Oex^w>^5t0m9<0lU^7nXJ zgHip2a>@_oH&51DXsgYthp7W0_6HVBTCGg|=D6OD-_Kw2%sT>LU*ANd;&9e~6@vcf z>}@XEcUW~$8F+ElbGyLk%B5$Api8f7e%~XjzbN*{m4&bNSDGzO$iXAo&jQVR;%K~b zj?NOBGU-Ml5jSJg@bEdnx@XwW0Q>IvyND)CI2;L>w>!ny^Txf~=V_e=^jD$$!T1RF zXGVHI^=;77**Wm!Xa0Sa$pJ*`(W|bR^0A zlN${xLP1f=>6N61185Jw+I&U#BK(RCOPQCN0{Ri&$>EbNs9kyIx}mpJbsE9A!Bemk zu~EB4nDX5So_|}=6RGDpPq4R zI)PO=?>@V&cCbRA-RIK!R??!C?Khapxz|f-WIXjz5s5|&kl$?*9vVL6xrTQ zt%6OysX4WA7swvlIQPcUXS5y$;^UF8VH_O!4zq4`9C(tZpQC&p!1rl@d*^Xy;QlUA zE29>{ip$yn@4|A46$9RonsN6_+97-DZ$N+KKlKSAR(~}`SYa6B8!~K0*VoZFw$Q~l zY=KSEOQiC427G@K!Z%IG5jqW)4I3`L0q<;OhUUJ|goshjVmldYR{d!!*faIw+nb|C zG;aj;e$*H7d;X@_j}`a-b9)E1BbdkkY%|y42^f@3yk0b=k8C&YT{PUkmEv?#WUCic z`9^?-?)?u})$5?e@rSt3wtS*GB$TV4d>NtxH}9$7NF=R4&JwTN$-sYa;$r^nCer>& zR%0;v7C}CR|HtBW@WyEzN5Nq8$Qw7g=Oleu@c7D8aio8LQU04GYjA&6ZZYd)9?j3h z`e#UE&Z}>D6TS)-)|Ky0jR}M)zg8D`-l-?^!&-I}-|e7v`2q(+;%4SRdB@G&+l|HT=2 z{&mLMoO>=HXf!ru@&{E|>>{G7Zsh?E`C2@i{k7@(LOtX1#T5a1ox0GsMsd%x$2ET) z=l|C>`i*g2mRkp2Q4nu}^zd?3wF*zhI9old8Hj}|DOc2##*N74dd?NI*tCIZ*IU5k zjgfJh5>;U1lxxR59!&A?li?2U)*wr`9uO<@%dr}IpKsZDk36P0=$AQHo|-r`!q7^& ziUW<6&~PB|Wx?_aif>1}^sH|o0g3LniHpX~S;;n~EWf%6XY1p& zp zR-t%1d_G=>+keyhx4!R1@rxVSa!KJ;C`e@i>CVU%dpp!i_xNj0FJs}Gec<`RjyqS5=~6$az0~z(ifUB^?}Pd?`r}Z4f6#o&vN^{C zdMAF5lCo#?S1R&Ps`XcdoQa>~#0*c82&wTg%`0JW=wq(VJVyQ$`aQ89H1Z*|Q_Mqn zUr*Sn2l9>gc;(Z6Lo3fs@j1H-KzL*L`j;<5sQ&@$zM{R0@*Cp%TtVq4Dtu zt*_j3HJxvd>jl_2#k|BP+KAfANvRTZzR0T5IMOPMwQd=5k<=f+tSjk3&<;R9)XIBG zZXae`ApJ$E2h@Ki!PbBSUj%j2iN%GDQF82gpl>YwrEgmy#Am1NP*e#9)s#lTFLPrd zb)T^C+=N{EeI?2kSB#BskeBV>yKG$Dl*cM+m`oAZmYUsH6_;I{wk>b?0lY2GCMfAqiBc#qCnZ{$H-xD~lh zmbVhTFP?|?8B*Mj^HOQyJBwu_RwT%>F+Y9fE|4!do-lK#FF0B5+2G=@MDZugany$D ziXEdhbB5@1@Ofw#qQ5{n$oTQ`1~ZCNK)lkf=nbOHQ3f!k(Nq(o;0Pb1Hr=(J&xpsK zv~>J&(U{`Z@xP5{4pvOM6GpzSAJbVmNtyT#KFzv&vxe2b0rNOgs2&}seA403Ogk`h z2vM>>dyS;;-eXsA>mhkm^Tjwy*qX*!(QmQfl$&+stuXqYO2dhl-?)WCXRi8t?wh{Q znc&ND_Ju18cNFOpG0y*gGCW-js608iZxD#%({HcT%e-WVAPxk@FuyIQ5=0 z>ieAKc0QdM_pkqr@dK2%%z33w^KDQ+`I`z@hB`+A_F)&L`W+MZZV9>@dA@kMTL2U9 zb(He4nV}J%cR7hu|1Wdi+0yln^BU))cWcw8p6P$b9l{9eAE=KrsTeDtFc{p0)!r?f z(m=O^Pe;9($9anSOWWla5|fr>h|&6bIFG{-YLaHlP5Wv=$7fm-zh%#OKaFoO<6NOE z9JD622hqOO&A4>=e3u--^Mq~I>ZL6Rp*T>)10dc)snNAlH7^7@d(57A@TAiEDT?j$ zG9SEYq1%{uih4G4U2cIFNo#jRnE6A(xlOvtI&QS?2g(WTM}>9+;!QT5EIBL2Qx1!t zJvrBOzY>nGdhtH_O%klV!XEnb$`G77X!PvNuG=j8h|za}%k@;*s6Y9vv$1>KtkdxR zQ0uf|(MyE)-j8KXlC>aw+bYXtSw0-vFHpCn*_mKIFSAe3CDweD1<&EH^0i@+#Oue3 z$}^WO$ms)Byo^XUJi5N*{Pp4r;FY}0&c5G#}Re`bEnR{Z^nzH6=36&GE1EnJ?o+-esfdt`4*KMdhgm@sa zkE+%4d@n+O+meNO>T$%eSLVqE6K|3>X7qKJ!%-@?FNx)22klTxEZ#`_Q-4wDJ}V=_MY!!^ksi zi|~s(cuNa(`qE6-79HH=|VuNw8@ZRTFt7ZbVo5S@I zhcp-YlHHs$G%n}*5F=a81z8_!$?EYoBTjW~7+vHP+niDg4}-II&&-IWeCnjtqx{q_ zi4a@sAsQ3x2cIe|z9kLz0``6Getpn9f~%gzPnAgf$}4V5^zOhkeqPI`i{hd9jAy>r z;a)iM; zN?tY8(6~Y98ZSK}EMRimBX>?Ekjh zU$}ziXJCHwp>Lv1p=L>B#Buvj%i=4n_)`Np@iE|8rr;fddN|VYrZ-@;)Q84pnSPrP zVwJO7gKKyXXlW!1ZCIR2wpsGTOsh=<854moStZsKXSRgz$+>f;VW2Ih__OD#8_m~2 zJqhDpVT0D4)razl%I;mFt!e2rj~elYD6cp&1&vmn4*{L$3Ys7Jvj`JU;YG&R-{UOO z9bojg(5`%TzJXqkd<{iR!!#B1{~i z1@-e``tCv{$?`daf> zCs-z0V|(pm4RO~xP&aH`PFB8>I)B~Vn&#JWOu2nLO-`HM@1JsHBcMN5<5KHokz7Vy zs{hjSbtpwW2ywI1KRzD#buONuJ+8lC)wPLJJ6Qg2`G47$XjlGCQJ?;MKXY61zrD|u znHyZ*_3Hn(=ly;EgX^q(Zf;Sh*Qtq2co&`?1s6@kt%b%@S@8uiO4oq!^fs+=QqMC- zdeOxU+W)LWYU3j91+`%N@t)usEoUO;8PYcUfCrc_DjRt@l1Ek-m^t=Z`%yW%|LyVY z>xUVB5?$@Zf%|pgTmj#OTNZjSyGrofV&f1pIa+dXBA+_=Xhzyi8ZjVK4Mcp!JmN^~ zSes+{o?Gxut}p)3qEoQ##rroE+q=pCRFA{+&`#o5z5K-Du|Iu(rkptS_>PGiam~D# zq}O!sPaPLleKvdPot@QzreN@n->%X-o@8u)SoU;jHaQtw5L92`0IxFyO6ni`!V}lu zZ{4;k5RC8R|3!-H;P3yz+}=+A$3Ktbeo2aRn=#LHZMd9D zFrI)o0F+NBHI@tHiQS-h%ul|7X%0`)2{Uh~o-BJ-bd<-ak*@y=HS=d>gK5OoG=0a+ z+r^~0VebypVZ{0l zcOqPww!l=k9JqF0$So|hA?oj%l$1_gCkIWWY~$Y-f@GT$UyNrW=?V@Nb=Qxk{ub_- zQ~kl$+6eMRr054gzlUf1r8S05m%(Rj<{BYCD{x(JwCuBsA1s<6Hdk^e5Y{MeYG5nW z{7WyEg-QJTxh}FX`gE4We@cJnNAq5oettWk((D$)Z2vpo? zZVLm-DH`{lWRk$?Ej|)&dZ;~xc$czDsn-WTHISqHp-1mqJRuiftkO~9x<%v5lkG~E z`jwuC{T3he&0h`@_MT^VCp6a6`HJJt{C|ejZ-DWKp81=vxobb9et%pCXb)o_XQY3} zgZ|!+c+TK!tAry*&anJEM%2zn`z3zqmPZDm4Xk>8w)8m4OQeX~pOP@P_sF9V_`K~+ zv&!Br(0ptoM%-zW;PblEi={s@a7AeUa0E`QjnVQ0uEN(1N^??ZoxJyHJl0*6-Xv}jXqP6s z!LF_{pM>xf!u|PKVU(#C?a$5U?{VSSbZ;19|Fl78nm_c;Vw1=#j-zO zS6sDF;#VfsPq)t-Ngv#MpZe|4-#DDL*@th_SbK5wFWoqKchrX3D?G%oPCWJyomvvlguM1G3@3HdVGS!nO0{;+LU+4Hut zU{FZZYu?GhPNskNdmcSKk2rE9zAYYTCQce2kK^A&!KvPxn%_HPs2zXq?qkO<(NAdq zT5}FNi_QFTAbMGdq%!i_&EE!1d12~G+^g|muj(*d7hU4c6Ies}JyUkz|11&|c|!fTEh+C##=RSa@}wbG^=YNl9yxmzigq6zg0_2PMT&6wj zO6MKg(a0~buEp_(ecRd}G(fnLY0-neDpnlA;(ttMc1n{gw__--7vn0-=c%*u`P9KL z>Dc+nqh7>D?L(X2y=(9|I4kGIIYz&TgT)~~rF|$rFBk0!_L%r5u6$!S{_(3FU7(>@ zWk)1CVKi;g4GaJ4F#cJ#81C!Q%n2drAC^((TmG@~ zGI5cwu9MM!N$o|P7dQ`);(nye{mN8d#&N^*k>dGCaox5i%*ZRrG=`O>qDPMGe+mh` z6{TiN+^C-k@8@)o?`V!nA#}%FkJn}3CVz_`?wAvO0hUHhA1(iK78WeK=DTW#H55(S zInb2VuSJ^Ibbuhfa+8G9i!btx zAazZ`l}9845Wht8rscdnUr(0+Q}t!LpE%hQlt1{LsK14Avn}J7h^F(7sb6gblxIre zKNNYChN*pr@*nL#q#Gyos~>V`A@VLyw5RTlC+vbZjvtu&p8C0v-{5=x9uU!4bFhrc z3ydqEUBs+Ipaiex_Kz2JG*Ep9aX?5XY^sP->vE%dz2pg7$Av3wh})yd2OT{UL7RKz zdPIK!jP8-wd$8^@d{L12R?5H!A?^#GhxN^7%Y;2xDP;>hmVOnotuZWp0QFUVmR+|W zJ{@^`VngFD@RSW&?(|3jIzDyYW$)L9o}gp1q>gk_`MpnPd1KmC9Wq^2`tKicza-Ki>C*BAXe*cTSJnN*MB0{^-H*uVH^N5QUE3ym&nXKz;7eMDyl z_HSJS*v}fr9dRBQ=fd-m;`x7X<8^o+q`3coOYwSUAEC2UzW-0}gYSv=`TKqUyW{AW z#p{rwe;f5+rd*ey{{#D3Bfc5qugFI+9)bBT`2X;}s7K-X%=$wrG;V|Q{o@sz(aQVh zKd;vtolF+}~>B7>H&H26LHxCNh7JG~$B z>ncz6X<0Vz6feWvF9tP1jw)Wm{-C2gJZpx0J1NrB8_?&dr1@s51)qO6Gx~cT+A%01 zv8SG(zKwZ6Og^!n#qU#yh}^M^RxyU(dh_YnvwdB##XkQ9oDOEN3r%{V1? za+xmhk1xvD^X3Aj{iZJDK93y^t>Z#zqBzVDpXZ#7n4~*wC z`x)y%K;fhuZ51E#f@{CT{hOY|%X~mVc9S~s>z<=}AtMap)*SVS{1^;%>o2ga+}2F- z_81po>ItfFwrT#v8Ao*Cxy1zz`#K=<#y*zLqRGVOTGA#C%@Bx-^OTt>5C&p5X8fEP z;z;uM3>MpHB*EyIvsBZHVuJDs#{=h4a)0xW&|7xYpVO({QTx{M7VW!-{)^ak%2&Fp z9a;9F3Yod~(;yKRYXfL&Xs z$u4K;7w5%Jnhqu1B&VFRyOjbfKxEqK2bvEr(!O;}{$)fAN4_Z?Y!L_d#b346jXu-5 zBWM>RMLh&5&Qmtg)nzp?MdY9SUXsR>a6dDyFGu4dxF7i{+P{cX#^*4pGQ}aGUQ%*x zLhzCki3Iuk^meC=7plILzhfMj`5f%ev4hGd%xA%P7vc_3o}k@{d7`*IkN0QJZ^rl{ z?rPSlnk^^T`&o9B5ab;>v*T1)A}BoUe4p%fk@j0ey94DM>T?Er-1FLp{8)Y$Y2b7o zJ@#fs9H}TeHWb?D1y84}db+3c0i&Kt({;(4CSd-JckhXyw`81G>(Sl}H|hstj)ObF zJiT8Yx@(TEW7t6;bh=Z)jU_K6SvXK#5YP&lKP~?f>=z04m^VKgoD-d1+qW|EC^l}r z{ps8qs&^xwM#}u}$H1b&Xs7<&X7XHK?Dww#MjwqA3UY&OWpL$AL!kKg3hIAHIfdhj z_!i{PC`X0AeO;WpAs$Lk-#K@Bw-vS5N{wC|k>ZS_d=vjS`svQ6eQ(=)(-D-yml~@z zv`{?}*W*T2uLYY#x?#rGH(YAXhoO4WMcMa(=b+yI<|IGkJgEDn-XKwS9*Q34R z$MHkzJEh{?th3MPeQ-a12NM_Q0h3?(7<9OvB__#fXX+D;pm0((@np{i4s|wf-8Blt zb@mgj{~qX-e7hoqmH)uVuMOKCbZU=3tNxn}!S|~ya^E1E>jX8v>WM>^ zb`Z=~bzQzFANa%`^*<1l1^$=7?IIivReX0Bz75fX>IioIv^7QaJ8@pe&08|Bd?%w` z!1Hl`GI=9BI?FbFwSWrN`QdP|&AKH#iI6o^x2A8l6=+l!>r7ph3KwRt zd3WGsH|+VbcKXDhcAz~PUeLF^f$A-&H$3bK`LOYzHkGr;C;qoI@jBvo z23n?CQTrb4d}Z1EX_CCrG;WT5?-{=FGnbq6Ls^6B@>0J0bi6HvY=_la{NdWgs_O~* z{xB_6Ip@e+C)ROks@Gy%0KXgg$cc9uPu@QDqkKwC@@@1>CqptcW4V~b;wHFPsi<=< zd=Fvw*V|bZSVC&`e5TIb^cim5^s%dKkcMYTU9(>L+f#k(Z~4ZI1N*|F*p5NYU!lOP z3!A_iCt0W)`_j=T7E4|otMs**vFFji)ZAe?vSpp`lSeB+CNRNJ6xyV?;D=(xk9Rs>UUVb!ldzl{2s$H zI-Xd^T+SeQ?*jG1u;y;wDaoA<6bG`R%iJa3q8c6~#4m{4qySl8Zw9|Us{~nE2L{(z z3c;pjyH{tL$3d{s&2?mx8`zJ(lX;RJ3hL*>AKSd^2i@`Wt~<0+;c%Sk@Qc*ju=|0# z!}n!&0AqvqhYnn1;39fo=$X6G_dz=WWX)a&$MurK9-$86X$~-~DDh$WG0Xf_v+JGnS@#Ay^d^I=w9_v)``f7 z$IFW^ttZ`wbDk-W-F+UiBB+j_A0(vgoCGL( zkbC;ECNf@E=sZOEhVl&c3-rriUBA(w6PZioLuuY!0Jo-(^6E<9duypJyP^i{9p#Vj zmoH}d0ko;ViKPD2Tu{*njb@&{Mj}n{^nu~=lwecvEplD#&~lHSkNzE`Mvk*J5OTLbF+c(!su9qOgoqaZLitV zxs}=%_`So5TdK3RpQ3%TP73(Cj1TG(yD9Q}UtM7IANra*-nyz7{Ht^Kl=8d6`~JzA zF(Gd#UkQ4`Ke~E(7p))eWi(kk!0!rZrjmurbc|r?&DJ*4Y$teWGx=doSTmSqTXZJa z4bb(5bDL9dV@O!lj1Cz+Lmx>AnLmeRUwDomGrW>L9 z>5Ey}>3*UxUH8q>$!E&D47>c6T}ILBj5FT-KaT5cjU#fk_LBF&t=T8xLF8fwrfr)M0}tPB`CheEiNQDCMlK%xW0&%!Wwtkb%b@nXCda$- z^$GDb?-cE-|4XO--t+rUop`4F@*)%VKab~kN%+6xb@rd*^Y?r~d5`{eLhHz462$!qce605|H7#`nYL;Bnk$ z#xITF@BPf{tZ3artXu8*DSdklXDXx4a8kEcQaxGs*n@b9xJLk*gKlp-InZlPE)h~i6du(d27X$CkbFgAKZ^SgLZed|Vz_MI(hjZ|OT?(JgdDC0lY1`(5@)xgjlSZs)X!2TUp!LF zp$nChBY)i(tpgtEL@$}=E<{fB%Sez?31pwTk@@1aCHOa`JOWN15UH6mxAr)rE_Gt! zVA3d~{vOM}`kyGqiLt*GZZr9^7+`&RRjK%bl3O`c??XGGSnJX2yln|Ee(!_H!`Z1I zdvfL7+}d$QoWExo#Ou@VA3FZNRHt15vK0%`EOfhot@^3(LA&qt` zb62`~l7BMf^n|7Bt>&vlMfrsEP9J;XIF~+a-YHYP6wgPB=YP7zrS)^`B{(jpuO2+Tg!cO#3W|2u z`JBO;cUbRnKdARjzcMr$LGdj?A@5W8!_`=FS`5hHy3n&W7XKPgQ6&|H_X<_;@m*M~ zwUH~yPd{;cYtA@nwXEPuSsn?#s+#OsKUL{^!g{oxMu#p~2xLQVOk}=QMLx(bH7PbM zcY{;S?B;ojC1BrEXI5t)356yD+y^qeSn^W?PTW!HyL-Ha>LbsR-nI3|s1vj|n0ksj z)M;#2{lZgAuuqQo^=A*syg~BqtVQyk_owJQ#6CT4TY}2;Ra?mDSAkR)_Ur#^{M(h^ zn-qS=*TN!wPswkbRZyZkG$r^7gj*t+v5MD~R?*dYTibW%JUSmA`8Q>zsCnzuk6;t}ovenlsC;%YnIGe(+mv&Ht7! zF!{xC)_Dv+sOJ3pZJu{v|K4AP9zVU|s`N<#h3GN@CSLhU^HN}o?xE1{>razTwK8sZ z_A25o7y8)3<~X(cQ19Cq^DbNPVIr%Zy)*R>EZnrBW!^-hF2yoX1B+ABek+(xz_ z16R`Qx|GduzA5!P_Rfru-RG4^>-A#)%9ot8Bn~;bvL;2$~owt$p#z#QQa$kjQAlB6pqH(H^pOoI&#I(UK_0FA{pHk@i zRz>;hjK4@HI}ARkpWCkuSA&cf&Fq#U5uy!u*P7pfYe|Ezmre0yt*8BIK3W?p{)Ykh|iMy9;uqlsY@|HT}Cf3V%RQ#_NufuQ||b{MW7 zW<4A)xNI2DrDPRFJ{oNPP%^KWIDI84`X$K(^}FOx^;>Q{sVC~`w60hW9fD0zRf|fPz_Lg~A6${)4>Yh1c$SAR z`Nhm_Pmo>mXz{*T=`=2OB)?~A@sDa^F;`}NW`s8FhlcNu^BMIwocDO#j!nSXBQXr7 zEYw*2aefuyb~~8t6x>9-#-_dA`nm$Nf*v>zs9gnN59g6!GcTAGc0h-i<&lr#3x=v4 zB4DyZy5{nDce*~AdZi+G%pEWDx*P!9Ga`Cg9dkf%bKB2Ac~3fD{^>`Srt6FOet)(T zp1rAxYdu4E%# z3WcEuJ*rt>5((m|roW68Tq|J?-t6z=KJW2i`CWDZcg*2IDQ|VCS6{%BSylwR6Gt`X z?sK4Zd#1NU{Xew5cUaEh`#)@DWE6@}gb*1io4TTnq*77QE|vB!?M1t^caiqijt>VDe#%cIlHDq%>Rfz87W*T?suze8UF0#g(Vv*1_Jf z!;f`yR#u)oVlcGyoD(am5!K*DP{cbv= z{&0iXu;@GwKpd`jOAjrc(po~WPL+wT#lW#;#Tn|vTyJfz2xG-_^+90gk}91q0pO5) zMQ3VU7^M>?u1Oe6&)0-iv*eevt&D^Z#erkzp83JAn5Ng04(h^~WUtZd)-qtLPJCnX z!~`75emrq(%>kx=Nt5>d$gaBj`u1}RDi=CVzbp;ecmnp^U8F24%J9eXEKYQ@kb#?C z&w_6A6hX1kmhZFjofx>Aa@Q0YeRj}ag}6rOr*GL9%&mGy9mX%#)GQnDfubIqTTjItaD+aM5wmsC-87E@ z{h&hZCwRp#g_5swmZwhd$f0r#_X|^R!+Muvl%GvMRb#SlrzYhW;qodU7cQ`esY_Sh z>N2*b_0_#Cl`e-q1+nxXRTiG!X_!0LP+)3cD&%d_{xzr6me#Q&KC-LLvsstBZOIms zClx-sbtrv0t~gsQou5VC{64L(w(9~JPLWI`3|u0*>>|p({_S+wIK~A-(@yGCm25uP2j0I+2{%(9~V!!Z#WO;=SEz=Z7(7M zfe)sZKDka7KD%xDpxT>E4)(gm8C3&TB{MD@&~$@sQRi%qNqCYK{2PJ}%t<5OUzaSN zo!teyMW0RLz7|RP<9ikTA3?noN6b&aW9%nCBf95eYNRd5Z`-lfFRqyk z$tZ7{$*`j$P0MFKFndRseZ{Q6XFOglUAPfa{59Dn+e^Xgrjd(yMH}^BmqjEs7pJ`h zrk}%+H8S`C%r;rR%YoYY=obpC$_6?82;a3uAzrHjMIM~v?U)?$fcNX9K-21JKILL~ahBiMY z^?ups{FdH=sn3o_D$iu#z|Gi~66;k2M|N@;n$8abUNu=Z_n;gSucaX~EY9fj_M!0} z&-Zj_2~f}3mY)u)B~gcM;{srK{;k&!Rx;|)3l|j6ei#fbC(MfFc3%d&@wxE^w~7e= z%MBsCLfs7i{J20gUp*<9d1(`OUl}V;%^nu|9Bi!{YbFP7o;f3Za){Iqen^;f#}}}U z1o3n8<)`&b@j3wLKe1r1j_+X9S0V1DeADb-H9w=Md}GFSYzdB-KccbRX^G}}bIR`y zJ$SLCHKmO{*VAX$wabf4VY!R^0{i+1+E2^+x!{YCoF!iB4*Op(C+|2e6h($a1*RKKfDIXwF0wi7tzHkBxnTU1ZY zJR;5)^er4(p7$l6TJ8mwk{v>Exhhl-!tZL~yrw;g;eSHh4b*S3Zv4U#snk#0RrEb~ zZ1+yGoKy}cYi$O-8z$9Hx3u}D5$j9q1YVgY&rDBDBU`urik6diW%)ls$UAFIS=-nk z7@uNi<{>gy0{yu-9!WfTW?A=Fg2y;c4v?QUmm!Z32MzVdm=WIhm4Dg@=B;CWhrsJ7 z#p`tp`V;!;QGMbVyu5VHX-;X~J*<$A2&&rmx{Cqc#e0Z$60d&D_K zf2jC`()#NUs%V@vYWgt8DraAKuM``fzSpci{LhKhtgP zU)lLEneJOAUH#4X{y!a~{{#00)Bm6a=*M--{Tl7O%McEA1aA{v(E!YNs26Kw@H1AP zKE`wN*5<9WcH0Kq(nVL7daILlJU@)G9GwaFg$Ow3;$0$foW>2RZ8!VpR5U_D7$?8b z%4*`2=X3JXIzMvTRdnR;tpHYjUI48J9;%pptDx&V?Y|on^6Ad#4L_DWtpZS);Z~N- zz*n#fvf}MIPtZ@m)LT!2ZPux)Q)6!u#OFhQ3+4%7{Q>$LF`va`d75WM!+D5YvCp=D zaTFY~NPTtv`FqNTnEcig5bq9gQJx-pc|hRtIm(YQPZQ~`<<64W)7^4ZzD7L``KsF$ z3JW%di6*drr}}z8IKPdqQWVuQkiVmzg7z14pIfq?7ftys>aVB=AswUMnsjAfU0I72 z%?HHi`mgFy`MB8;zP(Ya$Z^V{`~>UOW#99^9tjQuJ;Cd)Z}Jjgf3R5VyG@@VFkrB6 zmYE9t(JI`u%|VUEN6{|Ad3_L2?&7>-oM4=tIWOJ>``0cW+g1Ikr4+8j4E5e(%cT4c z`8kfYzZS~3Y_1^jA04rFaxK`x8UQJUIus>(=lkCe}Po7i% zk;;9$oDdIBMqDWM+)Vjof_RG8MGn2Ycu$$m(`v&)6Ipo!*ePvi9{n`|EG*C0g%~>% ziye#qa9@fh%XjZ-{#kJpxN~llRGBqUyRZ1l7=IIYJgukjkxZXze#e;pKeK+mZ#X&OO#;bV~~tw^*gqe7~u|5B(~ATc~`;^&HQ(eW@yzN%P7gSC??=E{cOg+nf&Q zhwq{MaMxzzL$aniz&YphPVtruRz89>D79S`GUDzeBFUo1-yC+Q{yUT}INvB&Fz*ia zM8ro~bN}VO3zxXY)_E>e0z#$J*PxZDCa4C@hX~ki*^l;sHdWz3V+A%z+=ptyf$L= zK}5R_ZaPb`^ORp?tUI@Q#l?2!q^?jl4f@XP7(DM(HmF4A-K>SX$D-r+HD=FuvH)*DI zQ=bm@DrIXvru!Y=ANd;|qaE@8c0|1m<>cG&^MjTH(a#(z*f6za<)14JLPt5qutw|GroF)L&BG1G<`VpW9C4nXYZ~!9_#QymrYu`fqWhRtr>Rc$ar3jAa&KO|O3W`T z;A%FlC5T76zg~K;DsiK6`P9@CZX<1)tos;w+d>aj`1x#U+y?XhbPSc%4r_W*{3+Bw zHU}Q;)n9so;#L(!9eQIUgYDoZId}g7`X0dU+o(i6=UreGwL5=?jOukGbD)n z{ZhkSRV+J^=4IjhV1E$ih`23Y;8E~9+pHjhD?NaFPsPEzZ@WJD_jhPGUdvyO9y{LS| z_rv>`kSEyO_wlv^W2r-GDdpUwpZ;$_vpr@qF0I3sMAihYw>U;$jES`wmC=n8}KanHKya znl;)T=B_Cu9jIjgysqO{9%(w8@TovD60Uw9cN}07BZ#l;@lfo^ z^;3*|&POYSN7)X-(-uwkXqiBW_*T|A${k1T$CjsqwKYR=U`3v+6by=|ao}OOA-*hP z$D%83)@TW9?1uVA%e+9$Mxc0QKnA%|apBIgl}*(C!tX?WanUB--im>1f%9T`qU6KK z_X7-h)e$Uj5=k~Y+g|Q{m`&q3sONU;cJ1&FPbam(Wd;%t6Tw}_H|dRn9zngtG)3Ml z?&DW#$6*~m;$urqv(9!I%7RzcbJ%V()@MNJIIQ}!MtMG?Z`2N++chU%xKSJ@`TWSfDaZfj2jF^R+!CLI z`xE*77Jh!Yn~4Q*?qkvVB#G{8(Gx|2*KRzebj+L&1`gZ0J)!4?0%@Hje(w?M2Y!0J z<#b=+`{VjD{iBA|E=D~b^`KXMQG-G&j?g$IQ!Z+Qlv&NuRkOv{*psp*6%C`eR-LL*C?csuB~8p#%`vOL?SHB z?aOfQj)oMMnxoMc+N91|Xccd>J&W!QAa&2A8{a$}s6PSe0KW(OnA~ajN@Dyi0P`_$ zz6FIGJK_WSh()b{?t6o$)P6vI^Y4hy$KUZeXfNS>Mjv@H#^`#&%BML5sb^G$SFF23 zaDDMP4czjfbAqCPh&K;UlPslup28pRc`zI#OZgY#A!6Mj`US8q(`of;doeRjSlSt| z=+O#8=zhV=RhE`O{m+tU{p=G8Qa-O^x;)K)*JV?u-fIFfUh2{M^T%N%gcNokt&>niT*%^B>Ns zNR9%L%R3#CObSW=GcB(A(pI9Z7^9l7vXT0acs_N{xY9O6n0>M}Y1{cwv|nm3htr~ReM?z6Ox68Q^07mrcT zsBmaEFKzZB*nbJ-8}qy-?BLjMrFqGQ>b1y6(au1>3a*1Y-)Ejj;+ue7?MQqGpC#b_ ztNJp?t2MccRTpMU`^ID4*R*BL+Nu`!seE|-==v{iW5T8uOILsm}e4JC}>lnV@*D)J}q0NRYtBJ7TFRkp-GO2A5yW3e?$3H%lpC; zmxo-yha_D;^|^|Sv5#zQPQvO#?rbHuRpP>{hR*A>zDN`&R!E_PVsXs)}3-+ zyZI(-pBqqr7wXB{@%-fST?0}S6rJ+avYaser%B|C`LV=ld+VY6>y~Xg=L^UJuTrTn zyALEOx|AGmt+-9`Uaoa4dnmo!x#ZK zUfrB1??{5l#i5~Go9__BjlfZRaPmjBn|(BYwvI#e@?0-h2vlZtga{0z_03QAX$plY zGx`#-{6tJYwja4B)c>tiT9fii+}Aj&9hMykFHxd)1J?UCmWZkSI2g;q>(8V7wRz(3 zgLWlT>PJMrh5i8Sld{~hbj#icO+;z(aBSl_YqI*y=j5M5kqzp?7#46i<#@A0MU z*it_3G-CVhw(V12PncIo{@l|{A@?=8*g9f*;6+*%TcMRN_1~f#8Gm5ulWOM8lFx?l z!F{DGk%=a%D<=nM@iu~LP~1L6tw%JE4!?IywLorGSQJc=-smE-bDZYSqWnVp|5eP3 zFsF+e@MQVc2jf@uX}*cq+7nAmwn!7K^Y=H`zqwrAkm@s2^)Fhl8qx#Lu@Cvv_BGMI zosC`BTu<-Lh3A%;Nx!Xcv+RORG;WT3GD3UTT9MyT#Q5{Ootu>WX`f1kwHY%b7`PLN z1I@HggQ=Z|b`0`aJjQ)(_-SS1q>uLr#(fVjI6m~=rJBr2wzcjIy+-wXlpEW_W*j~f z8pFaZ3n#IhkwTLXMiQ}Gil@%1U4#CdigJmdH`M=;@nXl;rTqn@xs2zvQ=$%|?_r;V z`L0(=WUwyQa_0eWPYdHz|NP4i#_ z=by9D-7`(X?$3^W6W*Vx9gO<`^Y8`&-SqiYT!E=47Za36NH0wLBY}|Vl{>DAUZVcp ze~)#}FX%~B==k5BPwU^nT^jM%Km70gmpPaIAzHokezbe=|Nrwi@Sp1v{_6L<77y?6 zXwdxBEs4zqGM%=p_@N`Ed&CJsIfnVj%zdXs=|j2KJH$o$JWGx{vT&X~;YyOPrX;^L zi!WHgcea^aIm71|eE88ev7&Hb;>*gg?CZaI+o-pp97Q^78Mlz1y5J7jA88kPvL=xv zUb}B=W12$wKJo|5Ut`80tRPpoHTOhUIWYau5j1}|rlLNTE5(sG?l)&2nbSt+3-v0* zrD}cieO==leJby*7Hsv?zkG)BJJctbd_WR9b<(e_@hG7<9>^bXM81W7z&+(Bmg*M% z?dPDTw(RzxKpM3x@IItVrk$on_qW01jbGe0b`tC}?Ya0+|DlSfl)nqVjh8fE$-u#4 z;lQBXFnTY2L)wdE%EyK0X10!4Gva5g{0MwM^z$Na3dTcGA4dL*bb@{B<*w&u*@$Pu z28lgNsk<1sox&bRg!$XR{+CeBm8>XGNOt(fIpPOjRBxSblJbJ7I`2A!t8yp~`#|Kp zK)%_w|JAP^=h=02{-F>05oErn!TudwPNYrosNwHv!36aZ8P07f=h!SMe?>b;>(ure z0h;G&TpjyahNKY7(PbfkI1{5BYCckGw!r+JC~y&dc;ojfMqe+%vguK0lfbV-dc368 z5ZZSA*u!@-4^VFGN*LZ%*%Qf%OKgWCZIP}ME$Pt46qPye+aA|CN7^Sa8eKB^ z2HM}aj}adS_XFym%wq$p-{by3{dLn>ZXSNg2o}9cLao$@-Zt+hl2w;fZsOw0%1<$Z zGp`&KI1bm5I$LYyVnq##w}N&s`bCF{Wk8RIF{KlHAB>kV^y{tU_6MN25TrH$;)cZf24e2vIQcLwnoCl=;%>U^Fs7UksnRTyTG`|AZSv>E- zv2OJ&;9A?e$}d!w+Iu%Pn&&LvluiPK*QmdaJ4LXb7X5xVKj-N^3(tVj=34`c?j46_ z!`7jrlZy%BWM7R^-@I;N23Tfnsn^?TMb50VmG><7CsPMne;fk>!Q+nP<%{2`ewvGIeA6V1m^y0zokLyZdR|HA!>>&ncNGz4b7b|I|~!udme z1?_vZyKz)ZDVmqO_7q+BgF{JtS2-?GdxjbJH3AWNm!$2s4KR7{^HX~6hJf^I-}i3q z=IdUtY3lcHy3!6rz^HG|1`&VQRKZ!z^DFXiT=TT&5&2wWa%jKaGri^}awy@-uSM~4 zM9t^ZcdL=>H13S_gZy}s!|j=O#Im5cdY`w2ph;)+d%T8Te#PLz~yC$*8jUpD)zbw|QBNR!tqrd%VJufcW=qSGf zR5+B&dXzKZ+IF(3$gGdXp|Nig)JQh-O*qQdL$NfKJs9$h=r2(anSs}aoR^Mx+ z{2%$^=8P)->S;k#9uFz8{j$3Jl5{fKo5u_o!d1z!?Hjt1;c~3h;sFREJMxcJh%#_# z#*QT(2<%NEGvz{@-A?}Pi-qftbyH6x9{h1POk>5X8Frn9N0rik4bm((wO&i<6qPR+ zhX|Xu^FEim8GUaVMVp!TtIx9XY>Zia$B*hcOg{FvZbP!?-R1Y&tEioaeA4Uj@p)&= zY^Z;PnMWN-?q61^{IxWT#jm|tdC-6L2h6{~@4~vO?Q6aN$X4r6d%x_W!M)gQJIY5< z-s6btg8r|h?d7>o=g3gI2KhS50~}F4?=m}6leRq=rv9Fqa@oazjO0Au&%MzcZs!j@ zojkb&)^4me%1m!)>tLwJL*jd?rfcz!r2HSYrTy<*C z4qs80E0^=3_)F-oL^+Bh&I8J2{6EzHF)z*bfNyDJjz{RwQu6`uA7OBMIUsV!v)a@t^i*&RW4m@tK!HGh?Yg z2>m`dFD3(jR=&w?qyLL`$<=t(8W(?EGQ%J>zpXa{B-lgpxL-Xb!!KXmHGYbD(>uWC zl=<4D4_Zl15AP`f&m6KbP2uiUuwcb66j=HbqwmN6#P4BYgqnr(3(^l9ATV(xoS=eat>=hw<*tK%=z{+k%5 zM!A9e2I(K^0rBjZ=Yxs0AphKEM*mTyTYP_{8z-T|FC%4pVS>$&@5H@cDwkWvAFS!B z)}irRw3~7Npx+YX#F%easCc(?cP-l4hOBwhWqrRWwHHRrW48qdN0R+d9G7&46o8K8 z?zdZByV3awdOg3z>(6Pb7avL9>729I7Gxuq_zlRMgmaUHB9}ZXW<5_4hH^5tcK3Tz zeT-R0qD}q6xF6ZQ5@)`uIsw?1jj4adQk?4J2Q3~qoppqO-~Goe_W99u!916VhrO3l=BQ9U?1ssuo)<(vk`37FZ z;(gC5v)hWS|GP+WG-E3IK87vTrur1xFNrO_M+JFJC{Fcwwfw$Q$8xAYc(cIgH5Id? z{)ul})A_Gnd1ao_gG5@Ng3m?$3+W2!jdSA>o57s3^!t#0P!By>lpnW)PtDz2I9GCQ2IeWi2NVz1&seYE_v!+ zQgn;rnBcx>7V;I0%gv^GIQk<|-$Z}$2icUUwp@LJ`VH;}jNh#&H}qZ`97Xv#&ZDya z&EiRBKC})C=Mizb@O^Qtt(>;y*-KCA_s8p*=MMriKVFvRo8Wyj2Ky)Tv7doh+h(u+ zm|}{HiTnZMpUC%^zhi%tO%xXsum5*M`u)$}|K5*$0@vx^=i_`Z^KfKXdYBZbJ9FEP z=OwcG#Q(+BLVEmnM7)}hn_X5OiO3=-S8yHB5BMv_oc-eVCoH{H6+CK`<*N79(ETkZ za{HX9{NMA)?{;yg$a6>ALVJsp&`fa$g8Mn%uedrp@eb94@%sP2M&56RiZ@SBlfduC zJO&)stJnzaS?mGEhjTO|g5DFs+ZzZ(CO4)?%|y<={9a@N3TshVXn z#e~Kwk-l)>e3ju&-8Ri1eqWlZXz|t!$_~%FpB-CDaGj8TjaDoY)LD~8Th@WRAo~x|K*D)pOHS9*ZITQXCWIrt*anEH~HslDI?ap+td70l;gPm z=)Yp>rA`#jvF&T>O!o7aDBiXE`}~e8>EXGmJbZ-^P8DXH?QW(#ToAGBRB3 zK;4i}E~d?aWe@4W)viZfpB|OdxD@g)w1))-oojUuT6MF@8HiSn@oz&oC~9^!uNDXA_nC zs3+k*L3(%)nr<(*F{-jln0-zw__7 zZ%NY9nd*#s%q`2qKLz<%)fO+!iWCO%vXF&PV_Gd z992l8{x-}r$op8?l5weu{_gF!xYEwVg@p^7&KkWyB1E`TWpf~GcsJKwT&IBM?bce~ z`EuoZJf$z|D{)rcvz@5E&fGtSth~oFEV@#GaM`}Hc^7@*@%0wjrOlzN`u+>l&aIm9 z{G-Fk`%wOIQBzFXC1Si)$74o@CDc6q5xacn71s3^NylbB9YOOtnvc!YdsN_Yj6Pei zRt)q3KOilKqW$K)*QEJw9y=MyZ9?a%JjeZx`wjaEqaBOqkq*r(?#|nEcaUIw zfA=3<1+$b1a&_nWOb2qA1hD#YUDAkmdGINZ&JV6T?iZ#WVomKFvg6&+3#}C(ztPCP zX{`&iGn%~%zWQ5_jC>dAxc^R^!QvoBJc5<)opU&S@{;{Yked-!zWJ3EESbDhykVlA zL++>ylLdt+5V|FwXps` z9qQ*7?r8A0rFsgJPbpEkiE$9gVzD9)9v3*C;$SB^yO-K!s1M?ZdCqu@{wE~|L%|{w zH`2~_NK!DO1*Fa&k{8-?iTd5J-mKMXW^|f*3tW7$`=h=4NkH6Z#B;EB@SnfzsteUO zUp-rUb&dCZT8BGhTFKgjD+|Cd@Z9)O>vUS*kMoQ5*cnRhrA2F8VCU4viYZ_NSRaq) zFTXfje|VoRl^^JT-5Z&ur9Di5S?AqA+-hdE#anwWxipkklo*?Y%Wm z56;&7T4%L4l011W_57vI6}Vz>qc$qnp5Q)r6cEq&mKH%y#3Z({6#zlK=7ishNs4F6 z$yr4;hx;MbB=ykcvrf`+WY&7yj`4&@QhRXLe)G#6e&v?u1APS9a*+T$ztoS@$v^%29thuX6b zl>o|fe9yVN2Kz-;UM9GHn8)|f;rrk^D`yCL&~Npt)&LeJ#l&ZD z`tw5S_dNvhem;Cw$y+9F0ICDW_uYE;SI>D}nUb4JwCK7GOe<1)DfETqm(*d&KT8_7 zt!YUyh%)r1{z)ZA?QiF_njq}%+L2TDqN#qlC2x&XO=TGwO@8%$`?DtEaq_(D0xLg? zcekcVpi_s-k@7+H+0)xixT8V*?P%B(S8LYujY&d!>fyI%v#Gr%ENyA_z&n=OUtqQg@5aZ+Xr5kO)Xs!YTQMG|1hU;(vFG+&CCt8~=Nb75$6pOk zJ`Wn9s&?D$1F8PW#6d6y!`}R*BZ^i3{I4P?&(zO0*;_{O0`h;N`9-*Igu}pG)^J- za-d}E*fn_gyYYl?oFAowHm*mt%Il)R=eD4p@1E%YdQT>Po)e3INW+(>OVk$)U!Zw@ z*njn7tgb~C`#^WHL#rB@2K5*2;V7IKoL9jS)^mV3;D>NAw zga$`2@_0USN{h@d2MM;mxXm)(Am{mfsb4aez)5_?-RBIPHD=!FNr>C*({n}Ip3>E2 zixKN}+f#sR;&$=QSN8zkXkz&@v~FH5gI zrFrOBA7gR4(Z8P&2Sz_kVr2|D{kVqu5Ac7`AJoPrCaz#=Oz}i6MwSLlb1r`x^sk!o%YpVs7GMup z|BZo{hx{Di`#@nw5zWr4Y9N2uIbQay)NF=@r z=Z?Oyqx=fv?C6)8xTAQBYvMGkk3<30dwyNf{65s`Pvf0vXH;vv+kYpg5EgFl=IL?M zhFkspe{|eW|FduBvX0RnnF~KTIxh|`YA0wHGxZErf_36(S7W>*`?-0p&lw%?7XGn% zcWfiLU(D-h9FZj&4?{)HIU-(yA!}XDfY)HYMwvn-t1e2N<~v3-tmG@VcA|9Z5jIO_ z>yZpNH4)waP_&845zMba{6WOm!8-Vd5>2YNYkeqg3hLu1|Nk9-9T;#sVNwb=R9t

d|8dPszrSK$0PzDsYh;@HSJPp`K z)AdO3YjdSK!g=jW`OaJSh^t`hvXi0V1obtSz-7-jyw@Nd1@`{)-dMv#(l&$jKmL@I9F$;%M!FpAu!CKl%sL`TX}f%zMgo zN_*ya#uHXv`~q&R>hN3Y=UcTm8LaylemmaR&wa=RDz9QV-79CTQl|0``3(9e(7wlh zifDK5+9+OdVCpB}etvsy)srjaNwVy#$n};iz1t8_-^9FloL7{OS$1tQx*;cMJqzw{ zPMPPmf`##?(?FI zWO$Ib{HO+pC44-qwI`&>7?$fbhf3ZsBWElE%zaXV$X&0v!^PGiM6f-Me_5vw7<(?Q zn&O3c)0$BGmiPQ41}+2UfuMX#5OD0BW|BeI6X)l)_07z0_dTdT8^3e!_8FSXRnjOQ z!@TNK-%i^bxVzAK*FG`BB_lJO^?k+!{Q&4MWX`8M{Jgc6Q}k{W7C~>k`NsGr)BZ98jbo`T+d1!0KVyr0?efYltnU@0>*2D0w#XNscp6v1JOrkF zst;QZevO@{wF0$T_PU^X&ndqTo@6Lha`_JIn;#Kp_~r+>zpj3B`QuuW zbm-Gy3M(3e}}kww2~GYUqOF4@)y*f5myKI57w8UUkK%zUe>D){Xc=Q+r0fEU(Qi5 zZ0P6l^*0~}-QWE8R98YqjQ8f_(lMktwr8sD{v1;MWz~U%uuL-e^HGLlXBpw%v>&EdESz1&m-*kWgP+WUYPM& zVeq=NPVv(2r}X|i;wO9N341|xwL;8*ra8>DdM)vXzJQDIN*_FYZU&@Bh0IzYFn#j6Wv4<6h~)%In)j`O}H{_FMIj zchmXB`;acNKLU<;9*^;TaQ>OUE5IVZWbQrBbm_Y4nNHo@^wkCix#Y?-ckQF`M_do= z6Tut}S^g4Ds+Te8XdgY^``g`isP8UVMQYyv(3(NwvLE%kJokoR35$t~Tf(TGK3dxL z+~!~+#CY!UnIh{4hbImRf7821l;ykk9o6w+`CGNfJ|(Ge!9})I?%4JD>sB-RBR__u z;FV|nSbnJzVrf8B4bnoX9f9>5OuIo6mdp^=X`Sf?fz1>9-=9n%h67vA%d9>JnQ8VP z=RaWJ*3I3#!Za+Pv$<}1=30tu`U53P(n&y}Grxw_b%I<^Jxp?s{^`G4IgzOzeXv1>yrerArJP zA+YDNATdsZA3FEeh)(#z>?JCq?FTQ?K75F4f^jS+pY&nnOJAh&9P=4=UZ0+vEoTDk zre9qr8bWA1iJ1@R2-#L4@#-t`0rlsxPOgQ)ul+%`d4_dTU_SY9%&N&wS)GI_)IVH! zJ%W6D_3`sF`S%3(BjVuVG2)kCKI{0Mt8RS{>i@w-@`B>p;TygNiDd5}>nFuE&40+KOF=#-DrK=DxWJd{^+8XYY7|5oNay+Z)EAT7 zXx=N@!>CvOh3I7M)5k2_fRhxT<=Lj@ z17)LG^q7gS5kYaIP);`N^tPMq=f~0y82J55c)p~~@+N2pV}G7GgTrlyoTsq#dP#`= zmEe?{9s^9g?!WcKKTivoR|iCZ;QKiO&udz!d_z8sBl1P$UuYkG=QfXUFHE9*5amuc z7+;NgaR_kyl%#RrX4T(3Ui1?f#o0<||176<5$L~o8n#_-QhEmUf0b`@*ssGL1I6O= zC%0HPQ@iNK*c-1rDRowSLLEf=M2tqPi{Zr!ebr2b9&-2E`XrYV{-kjBS9Xhs9^km& zucw|-pR;z=&GY+j6;S(F+f!g|)Db`OW8i7v?vsi%K8D|q-|OAMA?loOMEy`UuQfC( z1AHhyM>+LjChy_#(pbvBk$&P*#*kB6u}a$rWf#w*KK`v0{xF^bA58f2kzTmHw@Nk0i0IwTZ0K1&WUeP*B%+F-@0rP~AH36y| zwawI?j+XDr3U)mUD%;-ee`J)#!V5eD`IF7`mO9x`ePT+Yh{e*}Bb1(SpWi?COY>=f zDV3Wuc9UWK{>$Xbwe*GS|Jf^xsFL?zM}viD5i-Nb1G zQ8N{09Op=b+h%&pRATKY&KBY&T~=GzQ6+YP;BlbPuI{pJrIi2Ud*axUwBdDw>N9w0 z@-{$UA&%-RO5Qie!^K@esq>qp`K2p>_+Xhgo2PY7v!dTK*!6x_({L);duQa$574IZ zE3{K^eVO$Jn$%B?aTn%!6=?ePv`bI*?{nV^*!NWn7=oa>;Bv(_SGs@D&PVxS7R)Db=r6{C3f5s*8YW z^AC?DZ106lrNyh~Cs{#!aZvX(o`+yG?C3Ne*g~I!dGNT8I*&PNedrCLdJewd+w&r~ z^BHwUNdM@UIW$XR(k}}uR{Uxk981*^wCL_<)%6*{`{%1=IddYx^qZFV)4?7PIr;8v z#=2}+vGHULf1VOK>C%_%-~65>FBy5eO0GYQiWvMfCHvs&*N0%cPVV%+H9b^s5Bu`O zzIt{K)!U|8Hu6UBl~TVU*F=5Y0<|#Mx1s7}-C-9vz&3G%=XwdNu0fS-o4-tHCc~~7 zTbi(f?^FyVcxC3iW~|4%__a%d^S;u2hUKznU8@_yK`MO?S7)yhBpsYWPOSDMMa^e= zS1q)IV!nP|{dGX`F!rb|&mU7(f(>7H&3nV>6N35!j=#RXmWNS6Bz1EZJ9g`0yblqG~23Rkds-~FxYn3C&2fPzj?K;Q8=aPZ*yBsVBpSV%_ zM;uWm9ZLe{J5Fi7_qcD#3s(N9F2yklJz~1t<3l2hP34~Ize=8{?&Mj!_;Czbw(jTZ z1mmkTe-8bII3k~6#*?K0@vH~$Ws6wss{)NnxmP(V?!zU{xdpPFaRl?0h6fzd?Wmo2+@ zp_=X^wD0~M(f-GJXx+SziPy?>=zVzpKkrkc=ka&6C-HieKYDVjr>*;qbuh{lcYvA4 znhTl60bMh2?yBn#Vf&P?qhiTsw zW3}k-s81ZtGre`@Vj{(hM!m#H?e1HH+t-1Kr>e>tr6GM4dz=A7561o)Ot~UM`F7HBu7Ut4LOQI`o=Ux4`wD335c_cl1PEb3zo0`jNq)R2 zfR%p{M)elNcY9kM#IuWSri6KU#n;wxP3lK=SlaV8qBM(j>_}F<-E%x=);Q}}{l7-^ zyR!4^2Rbwy1g_nKrV?(gWLryv`;ILoL{RXkRi#z|akb1|GI^5|^>;Dp`!wxaJ!{du zetzLXxRS=}cjIt1;drjGI6*iZn0ey_3f;7h@LN{F`}g-u<2Mzs>@QR57hS({^QJ9t z(#YD7sgLAa`dNA6DlB`}1RB>(UCei-p7N>q8}rtKU=5httmqXi?grI)*Ni_r^oBX- zUf2i57J~NTx20V}^<-|{Paof@jQoICe4_&QrNK@-^=8QL%am{7`swY@doU$tnBXyv z<@;SFnz%fvo)S`-nZLu&mFC}wkN*+is4D)83*$P! z^Vo+~U+6|U8j)A)P8b$@{FRS^;mNC8rk4@KIoPc2clFb!93oqG$FHpH9<2utI=rC0 zP~i%>)3smUugZhUd(1cbcSJe;@%HtgH&W>=ImzgY>!6_VX;mye#(ZS-`!o6dL15;8 zWU%6Xs&xL3&HWuRCB}``>(%b#KhRRtNbPEr7Z)=fyS0piSot3IH13UYx$HqR$4Sm5 zpe1~r2w7Z%u;TcyMz2EQLf1fe0JjO$cIIDsW#miH?%VLy{-|ZKKit{pz2lYQIp`k= z?tc_>8KkPVuD2V#00$&SLQQ_>!DJP4fm!{LB>a%B)SG?rP}J5M8F$kNE?Ms@S^CkJ za4gA~P|ICH+Q2ydRP9T`)KkR)<32wojX2Gem?E)OtSwkQ;2iMJdbId*>S>l;CPVET z)UQxZpkIbr#~caI@2T(6JdjIqg>ar}-jj#onfLDlS^20|G%q#ncP8(=*f1I&N56!W zfs!cq%S7_nr{&$M2u)i5qCO!ZJHi`7uXp1=SXsGK9=b&rmUWn${#P6=v@g_m-_8NR zyeX{vd@pqA=MLLGR$Y-ll>`2-n)KTm;^E!Grm(`UK;jVftVM6W6>R=-RGcrP7%cR7 zM%~luq3HLU-}(lAv_8RZ{~hh0#kpW7pt<&-I76?QHte;{N|efDCZ0?%!MK<2={?bk zbE4t2-jkejez%U}zq@(Szn`OnQ`%b$6ieh=EM_hoBrqeN~LSPXU^I+|@~eV6)6P`>^@ z8@Ey1(5ky99iJU92Bfcmg8O4u}Mwioq-fJ(iSQ;65Qa+1%Df)3x&%^KY;hmqMk?;x7PtLSQ z%;^1SpCF&b<9|o2PZsl?npAJ2#M|HnhkN#ZoCE@QL z`9^}+rrwTYIhSdE9McZ8r*Z7KAj6-P8^fr5g8reMUo^E6MY@6gRLH4MqA{%NRq1=7 ze+BzYBHpoamaL%y!ykbDKAb0%uMxs^4= z&nqr7TBl%^Xs=~ibC>3)em>cEzmQR{%+y!aSbnuUf_MOuah}pGQYo_OE90{i^bOD@g;>cUd+_@k5T;Q&$YkGKI@p#{xZzG8%IFA>9g!_ z+R{@q0sH>lTq;qp>X#FZ8!(?|K=C6^<<8%%$MKr()7TT%!^UAf)J{jg4bt0%18a36 zyCaFhv5t{*BaFQD``^M80y0?sa~~*Bo_FE4e*(lGFP1Y1?E*NIJmKwNOVB==$Cc=x zC|gbY8X&*I5&iPx*R~g?hGnq$o;KCvjI;V>H)|(Se}t%K?h}!Szc`7^_tgc=cbG3T z!dI^8PxTCmi1=$di(&!uaNAcM=b0|z0Om)$4BO|&Q2z(|PwTEf+7r}e!oZu)Im=%f zO6SF%zvY{z`ZdDz+bV!~^~d8o-n&seEA*q`b3%LfyBEJ_Nv_qq0fbcTKa)PMSx9XFeJdx7e? z4Zrn+p0_jlarTx-1;-o0x7B60-TCq$=JA5DkVp|g901&RI5K}<%d&(1<~!l}Gwr4( zy|qOU|FN?!XRjS7P5dY@vakfSA8&V7`vlLlAxc3qUU`=)h`Qnu$y@L2s2(d^(bUPi z2wN`0GMuHZW1KEvNHP41lt zcpMG;FD1{`uXF*#VPo#Yzx_GI!%vpEe$S+O@48GRFw-vtzMuwT*Cqt9W_ zoz8Bxs*3#f{1oR~Sq{$^D9v0rua+RL5k3#|EzA-Uo4y`89vi{$U>fP68 z8m#d5_=^jL`A2AX;fQ{<|J`#1H8|wF+f1lG;yHP;X&z@d7mrm{axX8v(Lp3*3Q73H!nJ$ z_`CK8kNKg0yjj2h{XcxZaN)7lf+pSXeenBmL^@%vk1Y#t z|F1s?<5|cbkS~NDv$S96*+={NVty9ZG2w`H!$?<%`=;Dpb2n|TE{&_Be+jR{xC_1~ z(to&#gstc=M&Is68wq|58L0jw(r$d^2F0(!??JhT{xf#d%G{BuBZL_*Z2YhB=~G9e z)^Fu3e9HnlVx7dPO+mUFi|;^y*4xgC_DYsqu%~gNv&km*<~w5Hhu;*zW$*mxx@#Bd z#~bp*4-u4a~4(vT=4Ch z6bNA=E{6A4`4Fbu(xUigSbvNDWL&q0fe{CfsJ9a2Z=cjswutbR(YWb1?YWc8bv#*l z+5yxbgZ>1(Z(Q^BGMguDG|r3u7CAW^!8C18$Y?lexT7eX+Cf;CkvM&`LH6q;ng@<` z9d#~lF8j`1r~3@^y9ej>Ys>2Ak-4@ntE25Mk|R=6+IMF8QoJGNcR9f2C8;Mz`7Z)9 zpCO9cxe#6Pv$@I@^7lABw|qX3ywPJGj64(UFS7#Vq-R zI6#tgK2Q(Cb;or)%jvjKw$g+8F|od{#yIZ##UeR^eER*{MZIT;tLB%URGpL5#{*6eG(V4cuO5dZp&;4Fju@FJ*pGJF{^e2HKj z5A$Cv-)-d|od_cjb+^3UItjof^KnJf`wKMB;#0{he{sDoz;(s>S;)V5LHvL{^?y1W zao>vNOovauZmlZ4afS@{b^H1-{1E7$#QTtMwG?z;*r#=!)Jg~#?4ObWs~1}Bb<=DC z#EmFP(=gWJYNmEjufU>DAMa-pju)Ih2Z%cup1D-uwZ4X+f16patpeD${oiA>AMZw; zd}tgPNBuLHr-u6}b55La>5rFmo^ZZ!M86%5|Nf50(MdO6PZ7F7hVJv4)e2eBJOS*- zz&oYPw)LGk3pZ8_vge*!y!gvSA~|;V>mq|3vOc8!gkoR=?7UmG{Ox&fc++{=LhgAT zwF~h7dvhP(mmbU~&8jD=uATHDrGo}iw}wtpdPV&L_0`42_tu>ls|4nK{RI0(A>Ty1 zChhck=laWOfb?EgJ)Afxw}wPH$h^M2p@iW7`u}D1N;Q(0F0?{8i(_C3Mx zLAuBNjdFtXwch2{BRLQw{p-8d)eBUfA^offNHadzlfa@wd+Mjc^Gti$gvHN9;o+mv z#8?Ji5b`m!2T%{0wEV$?7lD_EvgqJX=hovO@gzY1rdJfC@vh9e5#&kj5uAs+^2v7} zZ)ez124+{Ko`qAon|Ec&n(4w(G%h5!Y+QIoh7z3odZuRP)<$sYx7RWHlR>zqZ@F>Z zk0nSs*b>Yo|?V);7TOJRGE8^3T^$cOraR&L+X(_3#vahq;_&X*a!RttO@ zFUoxx@$R=fCobyPT%`FcrqjDls16iRzl28OSft$W1FE+npTeke{TIx7!qd>=^ZMEr3j<33hAs26 zr6!*us4pV@GW~O2WT&jQNlfGj1U$QIqkGJse4jq5`dYsXUJpNXJ}%kw ztY5O?>|g(^;x5ZS<_a%Nq=keF9O1H>*uoh>r3CSe409&)d=L*OZcCGo<@lWkpUpio zcbDss^=H`x)ni?Um{=r_ZWZwcN8ku-)8=@8Q2%N+B(!0(&wPv-I@KkAi*|( zmH(zh_mhc*yi~8t4N$3!S(PLAkm`@v_ft%DQo;R1Ra*au`{MhHEf$LJ9#T70D?#c_ zlfekhXF>lz=0ResaIvBchToSrV&m|0395gk*bZIkIhF)x-_5B{sZ6DE=}ES(?{`d~Is_#jgjPFz%vB^HLChYn@&2x9wqn z@$i_q6c+&PAmneMqFP&x{x9m@JD%(J`yX$YcB0av(q2lblrAEnfkc#KkL;B#n^5*1 znMFpn5}mA2S|m{l4eg?$-S_!>KOX0DdwIQIpZDkc`F(%4-|zR=xjn}7dR~ufoa>DH zIp;?VF|dEEQ{1dU^9u|;VKlBnuZr{8sz)P$A!y+=5)(Hp?(mnL)d$u|#yl!xIi%P8a?NpiGt;IhfL`-2UphbSX(7iCz+X)^-6oEc=FV;YArDTUb{5!q z7s7z8A@8zlg|MdJg7U*#Rlt0gJ5fC6_kL~NWmfLbrt&+=Q4f}xT-@;HBKh%krBPVx z9g1s1d~o=p$Y8#8xn%TO--)k9yQqKW!PZ9U(i4@`U#n3Y-PnAk7=$||iI!w0ESWqv za@{vm>QBx8-utVFqo?9}MqCu)D0XdB^bAZl2CP4VxZ@+!zL!Lg&LNZd(*naT+=HpB z40GN|T_l(7N8|E$oSw8* za0v&$JbmVz={hyUV|@J|v+tLo(s$dUx>cD}K1Y9NtI4`Cf}5?`b*;t97h-h$@La|3 zE;xT} zpV(;!8tp%;uY|hN^@{unsY%bq^_%mm*zb_0{bF#!x`GP%gu`CR{(bj?tci_#}KE zDe85Yr(?`>53!o3_F#U0=gyp4;qXHEQ}FuQ z$-w({{#3d067p4JZoOWfC-oCnQ-j7 z*SuVFy#^xYSj7HT^BF2>HlAQKn8t5$VX7>e?{DgUTxt@|pxT^ksmQhW})- z!&WeCQ^3wd%L1qt?frE3M*uuJtHE9TI2j)O=>If5po!Ys5YK_@3GIQ*eo}(;kNdL0 z(1)H6xSk%TZQN^;u21!7T!*+%(7yG+XPnO+-gK(>mTyX5Wm%&I3nkj3k54g!rl(#v z56v`Yaj2?LILu=H?%;E9u<`NImU=f%y}aT61#iuvH)vCOp;tYr+{K?PCu|S8bBnA7 zmKG4b2a#SzJZUtqbb#JttqC??*mbB#?a3%#hgOZNoy`?XqzY_JW0lO{#CHA>aZUpS zadh~77$1tbVB{|@<8~c4X+A>F2fSagu)?f)X9CR3>fihmg5XQo{0Yfv_Ap!8u2|qk z3Y9a^|BH2K@%JeIAz#Jy&FHc2;BDKm`pv8w>bF_PC6u5aAI!#8=m7d<7{8Y_7#q#j z&>SWQGcL{3Y}z>JH)rw>MbYyM`32^$LtH#kvg&MfwP-0_FNYEY59?*5fWQ2cY5Y}X zG|%7ioTvoe0DHJ_+jQ1|axi3En=7%S?mnr^y);%*-h<{vK)ztsFg<9&*%($2v8DBP z9P)Q%#yZHuwHbBZV=tYixVQ(O`%29B+tO>a-wmbAd*1)yJrnZp+cRN*hgAJLlv!`KfpJngQaJQ2#-H(VX(0_+O=okl40mnO&kL>=7PQ|Is%V!bKEsf6t90 z%({@Ib|G9RC^zH&vdT?!J=JLi3QeC9bcJjwKSh5M`e6>Ql~fq9>j6Ri%hf-~xI%3Z zSAgyH8%~)q<>X;7KDAUxc#;7ezI6H}uRu7htBCyJ$Xsqk)zh}r|AcbN_4#|8w3fR; zan44q=$mC!U%xT_^jb+3vc;UNXk7SZnjK?$|oonF!U%~@Ln_ZMS(4q!?1o2 zjuZOT(NBrri*g(4!QtO;+h1xefzLbAB(xjP!PS}ffA6t&BN+do65l`NDCbThOt5bA6U_bwf26~?BT|Ghz7-|V<=f=1TW?hKE zm=BM*{HFU+xkF&qSdHl_ocvDxqlGu`lL96_D}Vc!gmpbwm;o%!j(+=e;&{nxXy`36#kVcR%c7k zS=1xW3CZq};NUyaABA=?DZBM^ckU=63QKb4Z}3%ttC6k0mkS$`%Uw=Z9aYvu^V;>O zPm?(HFoHV&NOI!)aD9F470kMCoB}*t9iz71Dk9e;Esa<3)KdQY@8?&ET?d2p`cPiO zJPgcrEMagJ=~O?&_n7+;^!~s9pTYKrKL2a`gY97Ze|^ru^RxJl|C&b7eSz%^?WdY` zwTgbAaQ>wa%_$EI2q;<2B zjx!@SsL=g~*9_m$1(XArapK?ziUd~r&eWviyEgJ<#9`-5Dkq}f4(0Wo;ZF}3tZ8O( zpjuQ4;0LKB(Wrn|Eel{FOTwlWU_d|boFxy~s z&Lx8(&xL7xHolMY6s~_9H|Bo_{}1=^(D}#n1J5mNj~Oq0;QRbW@oU3nXwtmjJhkjN z2lqXSJ6tXb&b=Gk_q?E$?q{q&h~tg8N|}{!#)u~P0)zkeg<;}4^CkL~;qp35qs?ni zz>ZtP%zMF!b~pRNCvs+z2yN3 zfwZ0r;=dI)SbsKJIk=9WZHyXy@5Lh;FNEhBw#VcdF{S6inI&~bZ3TLC9oDXw(Y@o+ zNY5Rt*N%DX@SI`3R|IB;mGBOe+eziWF1af8WnKqhpS^(i-T8-LuG-7jwF+h|4nLke z3giu)KE)c)9;dKBU+7E6MQHPFn$nR|3NBYYj31v)fa}d87b@-^PU}?EI8A~N-ap+R+77;lcw2mq*Z3UoBYo-AqvY{QoyPkx_|Y^P z*TTrB=B&TlA3T=V_B|r`VDczP^x_Ck{^to1Mn0P`-=qk@x0-9~e`ipmr}Bz zEw#I&JdYIdlz5GPK3pewjTH6Cq3@$#y6~j9N6_U-;&_ei;QM%eHf^ikyY~C=ATOZf z)(0JEd*9WuH2o~iOMrF(rT$Tkoxfs1zq!O^8h0>_|3Enz{is)Lo$^oKHiStX14p=P zk^%W6qhE6J(O=&FH2z>R9bep!dNT66=KoHib{LG)MtuU?DGJcnTjgO+`Tbpy?(EOQ zatQj}aGf)_l|V384;j5I#Q_+cY%Qz*9-#VPD5vPW=6H@@q}1xp4Q~s0H1Stxc!)L4 zJAidTQC?hncj4WK!At_ zsyC)BU-^+eCq(`huZQ~MlTNWe{Gne7+Ual}k0^|a@7YyKI(dKWsg_gWoLMR;ttzPho9cM%9c1; zZd-XGK$#q#a{t=?_%2xTXIo>;r##|u-(JX};xHL6^Hq;~XA;SYGqK`-cZiMGccy+X z?QcZj^`etxmC=l@5uCVgwD%T#xfyi-vnN!2ms#`Up%2+Nb8Cg^;T*!$)m4Q}5z}Yq zbf-{%HsU%k&nMdHFzy=V2s}qoU%>T&_72oP?Jss|T&#S+`cn?E<0A~7(O%9D!U|A5 z+h2U<%*Y|9hKukRxQpi+K(T7hFe!Fs+Z4+Y+Nq9Qycf#N^|j!LSjp7E!4T+Ej_uF_o1 zC@Y2L1I>5Y5j_s8rD%R?hVKT!zRjDw*0$O~@K!Dzk-3+t zpY8d%@zshulAz&z!*Q9$Lb@K8oEO-qu*L#fr$le~u=gT7<04{mauV>4d*Zc;ts$Tn zl{PAMQ3(mV)AmF-Hx)8;Y~D?OauM{MKh1x9E1Hy!%DfYKE)6o2j*LFy_yX!}WivdN z)x!s|<8Lf4Il%5fx%gaPZ^$rccpEsvi`q*>m4Dgn&CZ8mW(M8PBEk^fF=5vqo)Xs2 zG>F?8;bd@O%dsp-yb^Oxk*k}um<7C3<%^+qwQ~oI^r|FP;aRrJoa3KdVUDch^XNW1 za${frju9n((C&U@%d^QBS^LEy_>~&JLubuty55i#vq7g5Bnfcd1sY@agR0iQjsvsQlG?)GfQ5_aj037t+m|MLfe6MH20< zJzi_3?S(9!t*;ICS;3F(0sG4hvuNHGwC`YjP{wX$4q3Ov8t>0F1I+V+@}89OqdRNm zP7_8x!u=>m<8P4%q(2O@W?OHLp-Kg*`i#%O*`{&#bo^UBGcDa>79^n=EY`b7|Ji*_i9QIGwsE4Cn z@XdG4cfOjtsJ-ArWSy~VP%~M3GE1{Yh*QUk#q;5Jpd5?e!Qgh)sD6#OIpjN-kJ9{= z`_p#<)olJYeHKTYLr~7a@h#D6f2dRbgspGnNbPCZPDrtf1Snb)%m;|~v0sQI#`gX_ z9gM?~(#f1$VrfZnXxN`C(g(h^OXkseKz)pvk0bED>db1Fv|1WRk9t4Ke<&9z2;|R; zngs;?Rw!>U@9%_to}#6O7fUFA!T&*fHqPT!BSpytzndr@!F7gs6O4C3xf?0AQ&e;G z%+GT+;H(#`tH@{1#vyK?c1RxKc7f2~cw#^O0`IHJJbL~VMRqqgj!vij!}tW`3wUm# zJs0Wf6#e1R4t5}NWP8)p6f-JUGxa>RsD6X%v8(p*_y}o7%I{Ea#r?m2%G8qsM_z#1 z180HqKX(B4FRn9upZD?EP?tt)Kz!)<#JIlUMup(@qbK*nVQ2bXn799yQfCs_H_~|X zuCUtzb8S=UxZwInyU>4^4*lK#-D~{ce`*Ks52g4!r1<>*E7$+jkN>~iA3B~x`;E{4 z-=^5Fp%m-u4!!@sd;LHCzW?+;L)%6Ef)w@gpfTs=7G#!Dem&IA!dws9Z~jxe*gjJ1 zC;kra|4%8lgK|IWN67CGFVJ`K{G+2TD3>czdmZvSh7YUK`$wU<s6izJCVv|BCVONxJlT9irGU>6D#EmL=Ly$Q zKe}kK+H9@d5V)mb`f`HsPWjUDt6CxUOnCAMDqo#?FIe66{sfgjne}%V9Js&d z6l8CqaU3Z3tX-ykJkKnI_7nF7#!>0M2wqVT;7ZS9T$i}sk*1Bho%vX@kop&K-Kr^U zlAm?k8D6j8ecaw`Lus0AY{cDhv21?AeKelWxkGEwy`VJWpXmJHj)*%e7tNz~W|U*> z_8jZr(KUej&y$578tb$Afhe_;cu!2R+Gcc)<^{PTe_)@y^M1g15zKpq{&U15pxh

;bTi%aiFU#JDlXj5)z-(E!b>C~0&N&@pz;oM7~upX%>=+L{yb!3(e zzw(SpQu~mJk@B2rJK_Q3I2rtV92<7w_Ki4|+@mfHf*tV8*4z6T; zMMV8Rb7d&+{vbVH?mFzq-53~PFA}vpz{Hu;rx7_=wLigL}UX+hbkFx4qA8rG`J5Opqzf}s4 zpSw3@c{kB~*JvNcx(9fTEcpJ8U502NDs3We8&Zo#rWyiZ;E}kWEwO$I#<{H749wUMDbTfJ` zF!Ik)*3Ng7#`_@7EPYIs{1cap^n678ILJ+BWpc9q$N(|9zC5uqJ_EGpp5qQ&j!MBG{2>fs@DH?C6tE~ZF2OJXEei?%+fB%J@yrEFMBC#^<*+(ej&vp!yEE>}8 zV7`leF6Lr_GMAu#;UBAj^A8B}ok|6_nN!EKP`UW!l#b6O=E2ZO(zYGZiKF9y{dy3+ zuzVE9j=d)?M`7u9BU;xE^$7HvpkGkD@kzkV&jIl5-p)y;(G^rK?CG=<`|&-A%=JFIK#Zr9)^Ok$XeG!Su@B@WwGw&}i3}^FRYO(uG z9{%|7HCNltAcwqzi;oP~0sS%G!xE+EU2ds2s2|nuYw_z@mQi#bjp_#$wW!{N zBVmTW7OrR_$JA_I+_StzM0h_2Nwp@i^BTa?-84@k>N|Ljq$G#A`ChsNDLWD~-tkqi zb~H&g9!!(Qg>8*-vY$~>06w2Tw9R?Si3@r;@%&kTxxc-~;8>2*-(jB1f1)VAqJD|j zf7ORY;6~M#KdVAo2p-np>n4b6cQ|=c1S#gpezUlvIihfnZBcXlY zMt*YFXwE)m`Y#XdPdmFixg3esa%1KJ7FZb?oe`z`>Jr_X@SSGC<+)xMd*(AIld{l)4; zz&wK1oO|8- zxodi|Ehs-vN_gv@4o|Ka44GZ{AJZJ9hC%<{44{D(ZhH!|w<@e`5!_eVbHX2zb)|BF+KjJI0Ug!H)MJ zMY(@>S*Uy?2X`XtW|+I^sWXvZb20s1z+j#pqo1;)-h51gcRD>sct#jPRr*tpdB?-y zXkJ0JsvxKC@gMhD=l3gv*KIMqHAxZBe|nrt%Y$-oKXYXMCATo>?bpw({KCOcE!y_< z;l2hks!4xaW$Obr{?&uh6p@wo&3?56ac8oLOIltgmlBz|%k&qE*HOJtL;8fMdvY%I z|81$%E?zm#ilykk?klDCD9jtxHTKQHji))dowf6WWlJZ~ex@CmzWdxdP0Ek9yFRO#_sEgP17EG( zvGCjj3);`%wPshFCd$G3-||{^4yQoRZ%t|Ts$$wNjCc8;QmhB}pMKBOCH5!(={GKB$N6i7x2kF z`R8Yk67@SUc`mFet`6mCJU507>{U6VB1_O7)Lmt>zi_(;yq5_7B-80j<#GHj%wK{y zf!f8oq25Zlkm7Z!Zd*kN_%!eN$i2pq%CYz!>W7R!dKv9skbtq%o&gUyb0zSl=Ym&s zT_7F{_wV!rA(6c!6sf!y_if&WJ84d2y@$Sd^{Hg4caGe)OJa(b2{<0#v+JJ61PJWZgZVu5BX2eESr@>E$hq|c%cBT??Xod-?_60so&kJp z9BZ|S--6=T{`!9+z+EG~bex6_{r-nvnn(ZHupeTAyB5yiwxsg@P0NiQ&M(p_zKq-S z_1-4|(O?0Z@6)ebA!~o`xVQJG7v*m_PD3dZf2cy3`-Aob%rCvTbyi1^w6 zL~(!MdXjmcYqIlaK8qLEgG+ozcN|=2LG}HlqYJRh{ z9j0%HUb{c`A^Cdej?Bp`d#Kznw#lRFrC|h%N00)Ixl?Ns7bQ{su|On@XlP{;$6Ehz zodxA&L9|@TuE|jZ8pDIu5CLzZwhi3%9<@zfYQao=+Qe^Oxam1eLCp**6_jBpi5GKx7i^@Mkub<5x zNW99QPxTO7->Q5O9KTcmiM2c%cD5;ph;uhrs1@IUs_K#^Rrz~_iL;BN_SGr{(fs^r z!E_!Gj}m|U)Pwa7R$#g+@3^vTD8YTg_&MT9=ZH z7Lh-On>M?7XT!rfQlF8WNOAONcfh=wh%ZC`0_NXA{(yc1^rxs@P}o1z*1zTD->?t-nPvsuWyOqkfYkJ7rM951JeX!j-74F_w%bZnZ0dw{8Z}%r<5&Yi# zxHUS4W?SHWn%qKh12c$xQo}P_%!T?>ah!2~s1*)>tiP{`;6B87DihTfkyKSBI8||Z zN;(I(erjp{yN8t#RL|t!bXg{1y(MI}#_SuBp+na-Zvm6I(Z?&Z%>m=q9?YTd9DMu z9%^0raVQST??yQtn9Ru=nYZ0`vj1JmFY!FZb&nMDF);G)PU=U(_i?@A```MW9OP9@ zrt28x8I)V_T*JD(=gnT;S{6{w+KrAuM#SBF_0ig7aoey@LbKec{}uPq<8sf_sk}05 zeFY~7dwH)ZqBery|6_k}U*Ydw&!|&$m|hHtdx|D#3gyvu1x57!T;oRlcP~6_DQfZgk7m*)9VIU)Se>j3@CV8Z0POQ!4Hu4miy z+}Io#V=OA88d$-eqdUPP*QPIJ!yq5U`9{3;NUni5F;ha=d}^xD*eA*FG|7+dGm*8D z)xkfG1A`Y2Ci14Q4Rn1tb@$jhuSicSccw|2G_ms~N8|a59ox(otawFGF2iv>H~eJq z>oZvtpURv=D%9@Bmso#hE3p8i_#DqGq%N6hM~y@@=zAr{ubURsxYIfX%(~a3dIkPJ z#^0gc8P8Re+f*Sv!6`8kPEQ&>w)#~d&6mv7oz-XMKhFMU<9``@y%XHcp5%IYjSuxB zVmy7$Tot9L`JpiGRotp&5++n`l6NWEwcmtOU*worf&F78%J0|RkQB0)GKUS5_H<{- z2T?wQb#Nj!l7Q+F)-+xh@eL9RIr>s*rm#oM>gTaVsW86qg6^vkry;F!^MM&1C&&~Z zo`7d6dja)EhNcjv?kUzAaf0JxTV)^Z2_{+cIWgx1ok7bS^0jVfle>LBpYLU)v-tja zTE~l11haK5*InArCE504P2cOlgo9bFs&B>Fde&|ru>IDDHF#MUUtee z2O)15cHigzsNcSnAI)2u3bNu|fb!okL60kU&HbtVhx3p87b(7v`wQ*Y_#7$v&+r=Q z&~~xCe`*KMN%Yq+{0&KPz&1MU;Fo8dl0{)h7FeTjJ@dGY$7{k-#l@)%j_ z55jYI<>M0~-s^p7d&hY0Y|iUeqvtN>A<1&Gh|09}qk7rNi9+oIe_ZK)L%hh=&~xfX zpUK0XC8MwDZ?dI+h!3kS+*%NqP5;MbWWDTz?;-HhN8pb>Ctn?N?z_PjJ_Y`zdU~*{ za#AGkC{K!$J~*Ln;nJoImOtsy{3F@>)y8)XOMp3J7puR%77E$-S9trVB?0=kl0_a4 z*E^CAyjz#~iQF^d)SZ0fFn{YIx-ZhMwURYQr-(ConB0JOov+FW?lP#Hb@Gn?uOCG1 zxVY7miFe?)>hZ}|r5~x?3-dVrdpc+z`%ll&zm4?Yzi-9+{kS{Rn*MQto8#XWGj2W#{g!>5P z>M7n|_Fi3hnqdBqMw=~sE92}a|3keA_e0-@usCZ23o6$l|77yqctf*Xjj77SizJUb zSbH;nA&qY?-*d0aMM-ldb&jh3$-T2)d$Y4@E!YnH}GnnxM) zxij<>`Rla{8QqrSr&ahAR&4$h{_edC`7~@z*uai#2!C;MxPF)cJh^L~612kvw9^ic zyk<~D!Wv<6%|n0kaLcW%;uShXqf7Li4yO(g*4vqM)3K?4cqc*pks??4N3V@x^t@dl z+3}z!`4V041(x#F_BTpX4ngMICxOfN zr2wCD+jse*U}%>)AUayHp5_HZJ~_6f;)VgAFa2NrtIwDCa|;p0v=@ieIC*8zPchUl zg7;C5L5lK)s+CVs0jI9#gpp2Q+G-8WLSl1fPRpTk7Rp;lwc5_Rn2u8f%m)IYDhqbfR;9P0FL{H!KL^$yf8Q9naD1>^BJ21DNJ1|5R+`Mxc`m@)gfJ~_^% z_f-2?G@Z}zQ|4nNM-AdW(Vir4J<(~lkUq6PSx2N+LdWKjJt~}hZK@JM z!_sHpX60UGcp3R3$UgNDwfErqnk=;Ch@{4q!rC@2tD2EX66kT*Fbkm^! z5bYUg*IQFi+j>&@4lw7tJf+z?>k6VAIQiXDXRNZ5m8SQXES(p4UA%`N{t*2mIPSRb zP!97nY$qFL6@s&^d7|OVVrUoi&5F9LN$qHktJO=UB?M9VC&v51;<$@(z`fSkbt+>p`eWoVa8}3{2FQxxQvK=B*G0jC(;n^jpT+ z#Nq3z*mzVuFneJ!C&H_W){(_{UxqruU$2k-?Hcz3)*oZmy9v2b;oCMrsF|RDf$y0s8XaHc$1)uyPrv-`q4wVg z?y(@JB>dyZS)IO|mc%&9e;K)RF#iPhgSl_{H#?TBvP#u@O?yCE*Hm*; z>b4P`hxf}5ne|l^(*I@h{@-1n{?6IBqio>ARu)b-dVHow(qF;HbL5x(QdK|3rYg-eVr3{sUH_vV|4W|1A z_uCQ49FeVl)s!#Tt~gYE{c=2vj=lP|U7-M6BP}JDa`NLLzh(03`?Gx97OYLUGZ*L% z#%Z@7A9%9V!hy;c7|)J+KBKSM!#Adrk7*B-rgBC;8PU6yN0FVp&|S zM*I6+QA@SR+A}uxu7$?|^Vy-?fc0@vFFt<4NB{VOc-AkcL;Y6xJ-AO8ebEU@u5e}a zE>MT$jNQvZDg&wfk9L|3J}2xP<$S4~g~@wsOp@N;8fN0R7qkNoublRpvyc9jr@;>H zHay#>VK!LTV}?!RT-)*Y*tlsAx*qXd%q*4{`o8rvoXg9V%zSW$j!)bui6sVlAJ}|y zLDWBk>j3LE<9cVPG&Fn&RqalXC+PPSTy*`Lk<6g|B-yrVAg(o>$^`@M+OE z*A?a)!Es>tnmHuSotUXRBcIv_aNO4^h7Rm)?jiU-jyFEXIN4(|31s5%Lh6@8d;FW_ z(LaQJ{b7p!7&(i$R8BqgnHt&Syovg$Fm>)IFLGqw9QWyAm*KVa7m2i|(bUd@cEyM} zbr04GM^HSox3z|LO_nhP+<8LoSDu5q34!DMHe9Ci1lreepJ+Uf{B`?zJk?k6Iod~< z{q4=#heTnq<#WIDTPz^<%7~jY>XOKY&8uC1bbHcui}?u|{D}db_itNIPI8Efg^@R3 zMqMvH&iV}tDSuXZf2Lke)`{->_&LkuZ@G!n_yFD6pDwBD59ZYtmK`QRq#_7o_Zh@@ z;5?un6I1H!_*f{JAl?Jz($c>7t18UXDc@bt5_jFGRUJI148PzI7)JFc(E@Md8`PCO9wU8c=E|uj zA)u$%?qOFlTW{E%xTnltF#oMRY*NX@p(*L>ab&8nW%y^*|EAeiP4dTFSbN(g??p`k~v`!&|92d8+hm`K|LAkG&AFH zfUf6s`#p+s!Zv_$K**P8ecEEZe7-VZ{e#D^!>h~!8{wSw_tF=B!BjrEo7C}HP{In< zc^TEaxp4Be_^Al>zsq9la3)Yag_-wMDwpBDN1O{%CT{x-#fRZK!S#U@`5Ru#I-6~5 zFX6-!%zgFTlZ3JSX)xag%8ShJOu;c^O?e_u9`GLA(7aT`iPn9^@j`n5uG`LCe(U9w zG^l-W__N9k8Q)rZ-Z1=Ih4Npf&Q>{L?04?8PBQX)V+DDE$Co*AFuOBi^FuJ-x*cKS ztju9{@A&ukVx8%}Lw_N|$B)8wl@u%f)iN|*s`u2N-bYtd0rSudM44tD9UVf~4~`?( zTd5hpi31dja_YDcuS0*2{Qkd7kw4-4hI_!Jm_Io}AneQ!-`&AUS7Qq;p3J3|6NdxP|3oAPPn zt!VrL?#FEoCs$?&XhQWPr9`FHb1aR5@S6F8HEXh1{YROt=OaevVdh+22Z>fMunO%P znctZ}P`~MXCH1^Vvxw>i5&nvOv5JoHyw<&8tw$5=K6vEek?~>dIPQe{Lz-)2IC+Z- zdCj&cwsZq`|Az%v1>8Z3f1dQ?URT2S*Q{xtEA+P^MLY=3Yvi6A8}m*bh1Ctlk!mV# ztenJ&gJN-CXlKH8R9HJKi0{Z%g7ybH3DfZ(CpHj#pBcXj^0LQ%*wSqpl>f$GPb(R9 ztC*Fi57YI+{7#9kyUv7NFGH6fW%G+~2IbrCNl{BQ0qc1-iS#$=K2)UsWZcKMQ%2N3 zmQ5xeB5kYQs@D^oFU0>~|1eKgW6ifmp8Yvw-#Lj~6h;}8$J{kck6)IZ-Gh%6+=Z{Fqy_ed~u=1)h zU|vkL)1m(!`@@|7hd^+twPTx{4wah^ChHRa?n!teHsm5<1&d`bB;%DGpHdA3-;1rU5?s=4yL6O~udkIm>s znqW2G?u&`WRamRx)a~(D~N% zH=mq0Y!N;DZo!L4a^}>M_9nwrP_91t`pAx9;tEsF$H>Q>r0eum)3(DcUiq+tD|h94 zX*1aO;Z2T|Y9Je@>jByMzP6t}S+aSz4MAw`h=_?(OsRiOJj`*H!Ld-fZyJlj&7Wuw z;=~yF&lWI`5K@#2R}0I6V}$&$39)ni)%~?kuP*9ce^b zHZ+u;Cex{w`S!NdO7`Fa*H>*D#h6wph9U(h{$?RUy z@CgrmsDBl4!#7fPoSd*Ogh*Pxj`cT5qWQ;utPh)ZqN17d0{p`r_Smv9KXn{nQ<;=D!`j_O3cs2j~xdgVC1U7{My$x?(2!zrVU%SFX;Z*-a&2( zY;RZn;R8t?JJ&xBiGzHu9l6GpDZu32IshGYdjlLcwiDbJh;Kl@GlSo=2CN%|_*|qs z{P)|IOGg0um#n(ZPkZ1TN^wbezUFP_m9c6#2Ojpk$D}KGodEccBXJD69MvBT>CqemQM<%Xl6 z`Jw!de53)HRqg9-x2}MVTd`o<< z1xCdp3wg87(s|-~J*V_|Q4}zBf=)nP9^brL1z$K&!*48|SOBW`ZlAobRYkaZ=b9^L zodZ#y&Km-1RuCmIa-+@O2(qQ(-b>Xt(coE}Q|Yj`hQ@C*_zp=B(tflkYI{E2Cun~~ zeT@0v3sfIM`5gPR`k>n!$*w%&GEwbyukI;|r*H3mZMCtnnBv(O`@~+*s=BDq*qKMR zrN&*&;g5s~(!}AwDqGOyo-(k;yo!$3G~2+G35JDKK1qvkdi9y}9#@ixc)5rX^+$p8 zFK@486WagJTs!0U9z918PtC-?Isl#%NOvx=eLZ!K+BsgVCmi zMEQ&3fghZBmljge>}KW%&kDvhOlV7lj%7N18QXlw*$DxSX+~!W<~@vjeQwUyjrp`* z1f#bG(d*QV8;6=cTTuNC*D2;zC|Pk~Y;2j<5Ib5bt52$c(bwrS!KRq#?+_l~9%f0` z2d?MD6;fljNtx1fLpS_bo5jaFRB!&IrIeFnR7d@b7{7|R69y;mP5r_vx5v)>{Z^0U z+1FUXuygXHz?X6*}8aBBtd`oB&(k5!T0MyYSGEn<(ffs z{_IQnCf4ffgZX%gRuj)VaL+LJrEg0l&0C7{-;t=&lr`as#OhpF4KokucbS)^f~zJM|P6oo4VmR*RhG;ezkzo$gvq! z4};*G$<^V-e;$*CFYj)9+EotEOyW|uZ@NJ1nOtzV_gl9h43=B$B6kK}v-*w_Y`!*G zWpA|woSpRJ*T;caiX$0iaOL7`&n!^65FaGLdjo=E#)m1_)pFTHxV+-96)xE9i zUth*TDqqZflgf*fFK&8&STF8eIAo4+-gx(89ep45y9;YJAN(e9i|&u!kmsaR1@jPX zqUXoEU6&3`JHW{kduC3)qmeuei_{5Nuk8mgGTHjj*6Z-0Vdn+C>bqodUG4VqrY4mB zKDk4wz}J)v7f#4%TjtN6D+fvUpK;r!>zpObxJpxb2*(liRVGd~iOpLo51;v0jd0Rb zW9#m?(|JRG{*C5G72BjOKtn7QKu1LoXk+W+|X;(Zy7sjA$g>o+wmdo48@65$JXiD?{S2H zjOc`Q{;707;yH@z3it7Z`x>uaq=gcuj?zxH-^XB1t!3t|(V49MQwzRl+`RIm$brVq z;y4}=TUOi?eEM(a;9u>yVKgr+`Ug-BvzR8cA|q0hjtk1mO#dY5IDU!FOx>B93U7AW zW*rhT0tR1GuHa}_FD#xRq&C~-9qV^)xr9T87r+Jr9{wxr>{%L}KBtbkm zBgY)0`v>_}(Y?3b&L0m@J4&qlSX&PtQ)*}06>L<$cT*`r9LDygJevc?+kRXbvy?D2iy7U zcn?1R>-~Rf_dnhLdwZ*HN%t4>gcHmUhxmU6x06QCVZ>Dz-{&@&?9o?|*dV{yAt0R5|3L zR6)X-uL-QLT&YIC9Ir)hs7PgCT zmtp1n1FT-FO5aEOL-SkZM^0yR3ByN{Nv5%-;h*`(sNGIxQfa@tSuiO}OxPJU%MiW^ zRISUXzC$D@?r+oeDhI6lB&aiP>~hItY~Gy1z+4a3^++@9dg;*T ziB)?Z)TK1Qv?;M$+GJi3#OEPC6Xip-90A2N_Z}*DWRz5qL*G29pI76eG~RsS_L39yKCW-{w_)BD{`D1hSGTzn#-8Q_dO_2FCn&{I zc^2jUb%#X9Rlj|%Iz;7H<~+58Qstgis#zSo zESs+f@iiOm*UOGy7R=fc-Kc*L?e3^gtL2V3$QR1d^Zr$@Z4-QLxRaz+UQAG5#&Z_s zIOd#}gszikMk;5ygV373&D`6g>3VK|TA{o+&5qU`{aycamGPEXYClGOhdK8RSUZq3 z7&~)aid-5%e4~|JviSeuOi+L?Mx`YV7%k)5BVF^i}dJz!}`R{xw>UOV`_uE*BVjWq6*@ozXl*(|lgGcFjwqAT+(A93p9puD@lFZZfw zVjSFYj?g*mqeSiKD3>$&mUdD;k9tsE{(}lPF%OudVYP7Sh-`Qrl6@;CScTdtnQMLM zi*+q>y>Xi4udg0e#BD?MoVJFrwNK4c!0}f0`}vh8DXyjEL-mK{56?r24DYUkzb>%; z6$c1A(X&1@Je%_2s4;66@>|}c{+t=-V%}frFQwP@FK_%VzLgCl^ZeYm*_gnz1*PLO z+KUOUYxVDY1Ny~J(C_jZbMbk?jaVp=<#M@cSVXFWy$)KLYZKm)c?K(s3W=aZ$AYz8 zkE!hle)r++?A<8_-XHa^w~#qXI3LVz8J#bIx>~ z8iMBn;#zOt98(o16GZV37bg#Fs(#~5P@YDA)OF+0yb0UWs6B+yujS}CV7{^^l6RhV zs!Nbx2O6$ul*dy!laY@dV3vs6(v63eK`ZM++?7HLDo6M?D?HC19YObHbMV)QiX?A} zyJY-LoH{tLd5*1UB=w`BpK$vsg-=Phj#2p)`MiXH=wqjG1}x4%4Mu<5qOfxyjv(H^ z`E%{h^u_fA$E(->!HkTuP*}9qdfdJ2xA0(f%H&b|rN|ARKjzO~)zfjpbMRN&sq|^z z2jlOt{x;H)-^G(mD%{w7TXLYVePH{?&tY)OsN~Tr`B;jZWBkiLZ2L!m@n<`+dVDe~ ze}|B<33J^~T|NO~mUVhty2C+5?QGe#)?iw%KC!xN-^IjySn;c7{5Pj7By{iZb&<~J z>9|%2h{(E&c(D6xH}yMeq^95c=9~=@Ci*j6o}Q-X+1JMN-+bjf3HQNI0~bhbXBH#xm(u}rL*K6{-`M9*xoZxR_Uj`pMf znw}y9(}gy0jz&#{pV=!?dAmVI)AXfyT5=`Mra4WmB}KABX$|>X5Q4r!4;~Iv)9UYubl> z450pkfx|VIV-@_Vy_DfchuM8*MDwjHnd; zk9_FbxF?xM=AQ!}!?D~#l0Kw8M5c|HB*Wr=<*&16&z%5TPju&M@r?4itHkbc{cvwR zJGvg#HWx{4bnv3k`%zleL!penkiZPbhyF`$?*polqRcA+33IY?G=PLh!%IcLeDS+#4KU}Q3P}RcAc4C)Z<-uJ?DJyTXlYQ&E7M!XU|%zSNGN3SKpkmeW$N0 z`@T~kY^(e%)!BhG-k4Ey`P0rB;dI^!-VI&f{8OLZXAjfQUnV(t9$sod@zob|WG7sD zR0deDfzQ>anB#t7L=@Xc(ugqp(6%t%%~j(_MH^xG5KQQM!|`OU7p3~*u=b#qj$$QY z>_E&<_F?l=#9;Ze@b%{{D(QQUb=f*6GzR;L59d>&Us!FuVXVP?4!&^x*pIN#Bk(2O z{_SyT8`{4T^W{4) zY_yAoo%)FvvexC0?}EE-Hrj-NtoeHFMlTKeUjH2NJoLKG9kO{$a@NJB!|^wQ3)XML zJlNs?;RuPBM~a@J{tfQiDEa11dh=^hGM%4vJk%UhN6t?JCeEY6<`?_0c9Jry@4cWe zNPpxE{;TkD$Jx>hHwF59cpt}6w6hpJWCZ@- zRF{t^JqeEA?oIn}p?@B_<#*B4Vsp^Q7&SC^S0xD99NF8k=?uikc^XU2ct-tK zwELOoQ-&Wok1usU&Lg-#pk0Xif%@r>YEJWX*n#0px6*(^b_C;lX6BD3tIkSc`EX0f zr_*z~Pel8|)T#vw>R;u-?Et^Ht*@fV22abSH3KP79`oL_PBj7eJ}vE^a<-n}^B8?T z{W7XA7hLo8L1%+Sk-+LA>i=N= zaI!@`*)I_TW8HH5y{ZD?=XuMBlef|dJ`d*q@+Eg3J^a**&O1&joZrSHIbdqLWcS)I zZ-VFjvQ*xAJ&V)7afVfNPRuY5p0;#h(#`dcF2f%`n} zuSYkoA3JTuK^pg7d`W0V-;@D1pK3p~>+t>lH;H!N_mc~D%kPOJqCEckXXVpq{*6TN z@A?C)YKZov-&~U;%L&#gO7iaH?H@cvc%FMl`US?2>ZEOxf7EmMmo!t8cinM^2iK#= zP5bUadE%Hjh!}{9=orkmR)(t*K`-CUeos8tj~3tfBo2Ozs2i_#$pb#Dnc2Mc$357i z2eaK9ZxehExPRb&a=z-qn52Ab*stV1*+i=u#$V2nIq)Wf>Px&1fFd%X zC+Mc{{VV^t58e;;2+E%UoBIQ-iizhTi!T~e@}Q=vNQHaw9IOa^dDhLV26S@|EV9?A z0Ku8rUw*t$hNHmOrJ~shwsz_MLARaAqoEgC3yQD&W84`&_yXEz1>@v)&%J-$_A3Rf ztGh8cl}k9v0cw-dwn+XgCx|Cuy$|X))RQd{MTZxborUcWGvzc6hC|vc_0^xG&r|>H zW%L=(_GeG%{Hzsg%58m?2JOpsdA}PdfrOzu-d)ybsNO*Th{5^&pl5OVa!b8dkUpz& zx9IS7>YrkN4=KLGtM(s?gd1Bf3mYBDC0M_W^+l&s*1^v0HAF~rs-#b&3w;jE|3!U> zd6g*tZ$JOH>)wwkC+nM<0PVBj^+mH^is`~^rKDDobGKovddRu1m$obqof9mruWK_H z?Fedo-c$00GGJq?t6)V`IeF{+*`arn5A;9ob8ZkgPwOeuP5AYkn~UhUUyv1ON;_N% zmQ#uEIzbK|-qPKk8x%^?U+*%XXd=hvVd#P6qd0%D7gZpe5%NQMOA{OKwIpbNGB~b1 zNTu`nPnhwV)!XK@&H(L=uFmKWYYuSuOXgd5wex9GJ^?)bTmEO>xIDcM@i9C<^Yamv zUB?{Q@6Exm{oBS~0rl^} zjraI_1Dt97)xq8T9ccl1FjnrZ;2y_|Kr!kz6ZVcQ)V93r?)5nyXekT<6Zc!oKCli4xj}3;P5x{4W#a#5$OnUdqmpg|S2=$qVd@=X*m{0tsI>U}vFOwb%9D%pb)mQEhG!pg$i+H~ zhY4KnP^xNk+0?X}Fm-9>aG8J9mj0cmXr9x$*A}}x6N}h-GtPc?QnS-;i8gS1NGm)% zqsYdoEGaIJzr*Y!Dzxt&#!oR{9P`c*cTan`lD8zfk}&ZsJsS68@Of2es$Ae2_%;q+ z&iu_Ay)p#Omi#J}F!lt&kX2tRu7^M_ztC|W&b)AUlu&(JSq}RIq_~CK!|1r+K08%1 z=GNN>K=(TaC)9#^5rvZ>7U{HKH9jBi6M^jw@4w&B0TaQN_Z^&m5^in{o9{h633sNL zFZ(584C7V8LwF|iQT>JW?7qih2Km2wk=dTx6n@3{vT-dFihm*Qhj!Y4P)pPIRxj#T z<$d95pZz5bu-^Q*nM`%zks!GKdXh|fdIDga044Ic+N5@AeR-$=i?`j%zb84!*8kW7 z@*yBzU%Vthe#t}*|5rixrco}KS1APpP?+!1-wajCJAzCj%P3BP^A6u9_MyP}pFBq3 zV)%)>bUmRSM9Ew~%;$pl`%j7AF9)XX-IT^PG4B!MDXT8>++S>W6&$`xjB8z|3Og3t z1zo$94ZZJb6vs;5AQuN-yNMb^lh=>>gOp-32;y_HAw@B-Tn#vU#aBPG25wp$=K**!_TmN4DCQSz|5r?$UXsBt1J)&wMy;j=0m4`J;>m)q3djZQsRzDsplys1d~@ z@y9gidcyP3Peh4%`{?H~<8BTQ-+aDt$1INOH%2eU5{bBpye1Le1m7c5hwMY+AQ<1= zZMU>&ao}yz8L?)5uTUkyIwOojyYl|D>YY$S<1`GP;0gGe^~gmqE*G$m1Wy^Sare*% z8Xv;=)kAKfN&3$pv!9zndD*MOl@EGAT-)^CbNLwBm+x%F&r{8}43wjM{7;rj6>nLV*UmmGgA2LHuYB~}(kBBie^5`BiFYEehmQCYYt%JEMUDst0#|0TP3pu=4Ry&XBC+9oE zv?o*i`QKE46!{irdS5 zob*Qe-l2XR@}FS55#z_`cjD(!qkoF|Jk|rLPc6w}lh2Up^Q>q7`&3-IX-pldKISg(*Ax+sP&>u zjvl*ld9hqPoYlFyZ}tN%@EY=+WEQcX>^OVm;^CG=5Y0&ptrpG$K_Nk5@mbG_)JhxG z5D5>c_85OMckf%k`1sIM`Ad_V??F{snZBt-8qu7r|KQu3bg;6z8QR*H3?7PyUsSYv zQ+wdIw&Pb1Y3!40Lie$dOY7xE=jegmvTA{;>W9F#(9hE7ts*@0I_*$B$CKKtz5dlU zlAL*r`9_*)CzNJ38Ne#oP+Kyo4lFjFe8s)F4URrB9>G;u4O+EHKeBI?!+?2>+f8zm}Xt$Kyk z=;}boH#U;CuxX_4@pSM3UEYoc2%1*%wA%uJRQ(LqmW(3yleCs>y?GIuZEkye)MV0q z71w3zs2x3X3po7UW_*9nAFLuc@3Ai^*7wQ;+#C74t%?j(k60MUeSzk6Rz=KD2{GTz z>TP={FPJdXw>|-;DLPN|=(tO8-@)HQd>8#Cl$b}2`^DFwwQ^>2i~#MFJMwZFZ%0Pb zydSK){HAzd^n5E$exd2%Mdhar{=!|wS)M{0$d+I8INBqe;?1bXb$tRa{h4-;d|vQ< zVqQ}U84)93?_+FCkhkc#f7^hUK{Lh8j)mP7PF<`?5NF2tIU}vWw6*Ta@msB+loXUY zH?R=A@10icQm=wfEqkQ@aFfAYrYx23M^{#i^a{ayH~3QE}cuM@Q!cJZ&Rzr+7JBmK zdR>5h4@a7m#1XVdF)x;}*RX%CJpFyN<51#tXeTjoX;*f9#K0^3R!{kwaUvLBI?T1@ zRQF~8N&mv<%aZRsCYpKrIeP-4;Q6Fnu1UQ$kRRA|-&Qn >aZWT=GpWri6WX_XK zBfew~k=I;5`*t4gBo~H;q+iZ_N$ZEvzQ%k4d|y`M&CYj?c7|_>84cU>+i6}S`sM#k zy103a`l@srUW>QiIMP!_-`|#H+t%b8Cd0WrkHD;+7SJ2BY_hX)EzOg_`H#3LGY@Rx z!IjrKg$1{X*RqhtQtv2g?|*#fb$#n9eL9bE-k_aw%H$pYx)+DYjMqP}b@Nowb;O^e z(YHS{pODc0WwY)SfMaeW|DIjZ5cX2k&t~aaC@ibVHOwdlPu<FSADG~Xd1|8f_*#7%xP8OQ-N_ zi21}cf;?ELPcZI|ECeIJ%eoNJu-31`r-bQo+o#j2-ZcDgG#4P zZF_YA&`!nimx#1EVEH4M#*_DK<<3^n@n!Kc13GV*^=A)>W9}yg%Jvep1CWOSd3{SW zU*4CWCJyzvk8jqGDx-b{6JJUr!HRb+yp+4xyrR9(Dm*sf__}YDKM?txnDO6AaXXAZ zVZ8$Kmm&U$pCkXvu6KPS3?>ir9^_trRIGSKhvLEJUNLg93i5#CvO=zX@BAHCp#0{R zn_oXhKp}WM{ImQ5(Og*@?vUn7`|Y5eohTX;a?o>_M-b=9f0Kw0Gw0b*J>Q|@vT`vw z1jhsyc3s$%MR`izk9jqEv{npsicfp|c*Q6Y?aQe;$47$VW2o=(x`PTlu2ltbP<79xZ9Avl zl$j?I;Ievt&ejjZ`Pt0>b_8i*=QU=#y#e#Bkw?XIAr73^K@@b zfvJZ|Jc&NjUv)~ekbaIh7}}Azu27GmJ>lyuVj?SdpVfP|6mOdrmbFx-G7ZR$b2oo| zcP4vn-6p@Qyh87Pa<4`4w4oqUZoTMCeH5n;)b!&@N%kvP-X<^jerL_B%CsngzkBup zznA8*8mPYmdv3cPf>Oz*-wT9Np>^z8x5T6xYS#PpzPzt=s-s|3mlhu*0hohBnS z*XZ?p=HMHShAQu_pCyGiX7mSh>SobS{&er@lAo1lz?54&$W1+s;(piC)a&hojUfKf z^zY%vH&VP1^HNZH2+iHKubdOt*t#OyiR6%@@ju4@o?S`jrPAcQqHo(O*!QalJ(gLc z)D6l>v$LD`afMx^RQT|at!)A2-N!sy1{d263pd(ZM+vsTfzuOZDzh_)&`$kvfBMoW zPF!+wzVHOcVV-BSTM++Zq$uToz< zzN?ixviW0Tka<_$`rGzSnwO2|IY(}3SSOIk=071%rW$J>t8w<*1%pdFw^03}vf*iy zz!87?JQdd}>+|KB8IH|S7*4&NI} z)YsJzt1$emoW3TjzIk5IILO-bI&{9H{ZS(Jd~cN6 zRj^qprMjCdp4u4tMJWAfy6PEf(VWeS}{<)LcnFMjg z-dR1-JLX)2YK4^#w-}xWofwbo8}W5SqxS9DJ7TxkJSbiI-mU~l99aG95kb4lF~Q5U zd+7!8JMsQkz9AJd^N`!=FTPQv{HKRLk+*@dV}r-c-5>#~T8q>xP4-frq5hRG^h{29 zv2|*bsh{yvLr4F}{8uy&33*;nU*a*&C+yS3)JfUWxGeg2t?A*Rd6)8F%lgj#>zh-E zpXau^&y`Q;K5{oYV`ZiOD|X$x!ZHqq=#w5r?}K&^)=^I##rN&HYz@`d*iS@xMS0cc zl}>QI=j&GIAu}4M!+h(M``d+_Q*>cSeZ32hsU$QDt454(O(y@T$5rWmg8a3NK2`yl z#jg*Xd^povv^{{H@36&(SEdV(FGm-jMVwb@JZ#ixxwmE zmRBJX7(Rvs4*$V!g>#QQ$f$>b3wtx-h@P;DWVWpzTwQ&xHhy6fAP)oLFVUqg?$VR` z>Aod;r{g{k(S>&9?I2nAB*-@xRa^z+^@HP$^>nrn{`p+nh0+ejC><~g3fpJ2Um;{u#^@8 z(99e?C)eH{u2)AThj9EhgY>;oTP1zTF24EhQzWwJb$cY9r%Ce|!O>esBldKA!*aFQ zt+reCfv|e1Ui(~sqIY6?bG)PvaT{4(zx|jK;T`p)a%{yQL4P!Qn$GL1iN(;}|I2H| z;bZJP@%l>+`zIIHCh}P?xI%C}p?{9gkNLGszoKaBU*PAK24^Gt=N*FEo96x4{i2oF zSs$GycTI}&mZ4vb{onBT-z3KG@c-cR;Pc^i_ru8xUA!E%GH?k5j#*Yx^h~D6Vlt ze^@u5<;9)bOq)_%FWLBxBr z|HkrV355HLR$=SJ0J?u-o)g;X7+=pUzwq>Ky9Zqd$Pa^Yd(2;8_CImTmxVa7Yrev# zra^0X(xmYEytA%cmm)1!N3lG_`)NHN+C9A){g>jtwNYGn^vn_5`#8F_UwhP~ zig#Dp{*gA+-oo*;*q8W6^Q#XD>Y1yVP#n&|V~R^|Wx0?azc!Xg-H#;)0^hDzxpfrE zlgFkEwq7EhCB>D(p9|racFV$m5Hpr9(FxqRf6go!iiYPF+)K@R6KLKC+9zqL9m&R(Ep$f-kN>;rW;@vtY>g~u8e=j@Xbee;ysK_$f-OnOruu>In# zV3vBHj*R^`+7}h|2}+FjUmr;65Gu}x^B#^ zw#y~Qw2#dQ=j_wdo8EM5+vbz!+d{lwWtoC-@5>#PjrSs5$VL*O?rTNxb-_@raLEh(mYArXRD?6zR>Im zBZ7}C?�WrF|nhuAF$vzeNx9d-=GdIJ^wcV5H07(l!v9GCAwDL>5sQZ?sIrhQlw| zwru*dxP18fCrk9t=5j!u+LoJ_b&F@&fveZgHgTm~P;)yIE)msC`)(AsT~wa!SplK7 z7Ed~3^NF~s*uHgBD!?p3sNu+(Kx&U}{WfCd_G7mR_QS#Xj&|SL&|TeUv|M(^!looLLpifrrbn6W8|wzEldLyfwyh(W_l5T6jXx6mB@@p>UuVrinLn?9 z`92op`le(pD!c+al^t6wH*os&*)2WMv?`2_8}f8w-jvIU6WX_ag#+Iyvn1uVi{$w& zi?WPZ6Z-#g|G@XlXWDyp+oW{XUKXXe!N6sM3c<<}8V4HHSQk*gd=1MhZ9?n#u}_Qr z)@ql7+FmgEn$DbCJ-MKfpT)1mH$?puv>#NnBwuS)NwB<)Arz$r%O?Z z{|oaS*TjFjJFDs*^*@T{togpl+XhZuHs;D-v4^fB+&}-8I6o2Zx)5gJx+mHeGQ*PJ zJZg=l_NMOrpKALXjziLywfPxx1{8;KGQRO}DJQ(0TM#^J=@jv8&zuxX(`D{@yVfc`A z*t+21zJ<7snEGN_x}V^DM;;|S5B+(3F9X*L-)kGj(D};zFAH{_ECB3Fj(UFR+w{Pc zzGAZe(+&}1_wxkvmgfs4g!L?o1kB?@JU~HK_v9fC|0w1^?bP(TobvM^l$z@%Hk7#0 z&zXFb=Ops<`J(2|CuHm0Co{IMIRVp7?K*rT_$jrUmuz1WYuRy$eEB|C;j?-%^=A>^ z#{VZNX(yDXV*}=6H0I8GYe*DliN9+6V@Yuk{qXhDw`OR9C;_L1UIc8EYkx&&WkUN1 z3AwQxy8`viL%vIM2lBoGpVY3$<|5uOn_p>w{9}rwvoh}-#ijnnhxWK8UYr!> z$9}&XbT!`h|Iu!yetyy5wW0dv1ZbOIn%NzFl-;krL96TJ#aCUC@N53I+CLt?z#ph> zXuiXad`VJwk;#n)OZB_Lnd-`P|HgH`u0H(LxHVCv^V8WMlM2I#l2!kW$BB_7X~lZp zIU|~gap|{h)n#3Pc}Pm5_=IM-r-HcP4e2Xix57cMr%QTx>d0)X^G_Y-T9XB9tj3Qf zXFy=zWSvQ;qM)+ylVoZ%Cr@{?{YSG^dX!(9sY|ngru?A#-XrQ%PhuVl_H8hUF&;nV zA*ZjKL#WOC+rdQUROomv!EK0ugQtHn!e%9vy za=euN9?uh__rvRro~5ilaC(^k6ZIiVCXd7zrt!>`+9%vhyuR%#Wo_@+&N01}WitPuX!l9FZtfjgWa^;8;nzMmW_qkt0;`{G zVO`6!m_?j^vPxB+Un*-gfLCj+cHi83a#pKo>4>+Ah2QX`eep$1Qbqa$*XU>B7&)XcI-)++~b}gs;3%HulU%0X&<#qY#mozdd}esM?V|$A!XL) z99=9`!0L5TT8EDI*5`h&;t3*|R4*bJUbBblZPB=y^)Bmv1}a^hX) zi-Y3cP`0bUcbsAo7?kup)Zdpz{VK%&WOj00D2>Vf$LEL(ZVC_XkaV{JwE*4~HS-)n z>X}V)qd^!!9*(QU-TIrNYl;8;wI&-k`$6wY-p5^cV&SUBo?p%Dt`g@v#bRMe`{8`$ z1Y>Is4+Z+C=oe&-TCn7$TP{fa*>))-Czs|gqW)y$aKALvM>v1+yw_WeLkbQ`(s97J z5xyt1m(40pa3|fgCCC$p67>w`C8CVF;(PRu4~Kub`OWq`bswU+R`tC9n+n44+-Q($ zZo`UsbDc@DRQc@9!OoEHoqAKf>nvfe_b0m)#iE2}*#qYHV%<2#;{`%}gOtZRQ9GC6 z;|M3{cTP>RD;uG|8~*54f#TvmqP=3=s}P}Pvb6B=P;TiNuv_$_&%*r#TQ{TyXIDPG zVx3S-tU6StI_fyEc)cS?Rt1)Yzw9K}W^UE+^gBxD7us<+F5_koIb@dc!KfKlBd1mb zKx?O9N7bTWcxHPgiO>8H)oU34|8iO0_TE4dslM_(ZSk!<$W!WTXc-#_=TB?`Ei{wbuH?kBKFhp zQhWm$cX?Hs9xtc=0-N8C{>{4rPy4xMUgU0Q)z-m$PJfoUPtJzqE5V-R?PIb8R#5wR zk&(dX4%fpppIlF;aq;F{1rQhdm@@9RFV!Ph|6()iw1)+s8bSW6heatF%b%6Pw-II* zkM`z~g$LUehQ=0=PKoVd(?7eww_VG4w@63P`fz-|%($mfJN{&_h}wc_X)In~3o+9Z z9)W`beb30-m%DI_-05j&;M4j_Yd_mGst3@&8b5oT(~5)^SeNQA@F#3U&4doA?CU|t zNLG@VT;Jhykm2U_PQJp` z3b=h)&(SuX<~um=c#*_ySxW1!L?3qh)y~df<0l$0|HYQ(@u7wwdr`~ZkjsEd+!ry9 zG3oZYO_m`_6c=RdRXtV@$qw%qR}M`5xgeZG+!KAtwd5LNOmnr2CB}*Caz}UCt}zAfZ!pa;cq<>l))CC=p+w z`jf3M@Z&jmJ7(20PTj^F+J7ddbbpp9BJE|3=J% z!F8#0kk@ryq$#!Yao@x17?}f@&x`Y((E}w^Up)1h-ln_Y0^MJ+UU>g`MT>MTUtoSm z9jaGsaveV_irS_B+5dSHF#TA}sGW)NCmcV-m2uuNc{nF&Jc`NZaRhvRp$RkXR!d!= z$1iLJN0_);(s9FiBa+73v-a@=T91MKkC^;)2a2CzJ`CDtmrkW@^H|^F4f;J{)AEV@{L_wuddDmGYCdf^ zHL5j`CA-8(cb+bCbb$+z<^-g>%vEVP&EElavE;e?a|!B>rCz5spfmcbSI=!d;|0SasNVG2l+pd zXA$j~sJfGKr)Mg$c^T?-UeEaDVZ6m@m=BlHkGrXVj&@DTazS6Q-T4ITaX|H`GUwpH6_jR>C{L`F5l9bdI-fIdI2OPz|YpFcL{vV4)g zF#pe}9QmpO*jY78`^U5xs(+dDgf5; zLcMAJS%}gOv+p4xq)GWno?1@?99ix3bjapBgtjHi+x-%a9RC2C2g;1+ zIp9=-21LbP1@tq}p2hJ-TxaIA1%pqxY-l|^;&<`!E3~KQ+R=O^JkB%Yi7;~vr|Vi= z?7Qr;)uK>rVDQ9n>Ur|Fzfk>ht={CBYM`&*drWC^Dp_3mcJ-sX#o+6E8a2aEtQ!B_ifT^Vy1F44o73}Y0 zpXXtT?<-h+5xICbp4$63-``nZOdfl4; z@H0VtHoU(&es6LL#V-+8#qaTc*~SQ`%fNgE?2plAVp^uW-J1kYnt8Hczz1+2XZG0;njdpD zP3Yol!E(U77xas6nnoNBNx4qqv|A_b84RFt6kKn}LyY_p+dVGc@%v^+>!_Le&FS0q zIw0niSOV?4c5J@;x~UdfkmucS-PIt7;%ZJjzqfL^mjkZ5(|;n4Xx8}?JjQv$$-OhNIbP9tkNpD=FBNOPDe;N!5($CutOr!#-Qf^Z-CZp|k+Zf`N%lT&<eCy!SqhbMmeq1+P*`7!=W-S4_kJCIp- zr9^(@Ya7p)GRg~qcIWNrN6&wdV7RAx%*f9>lkS)3e~;Za{-D;7Bix$U*|{daouFN} zv2oL;Aq8W=yau%UD-3@7-wn=$C4;qJuO&x9hR}gy7V83N{08HbxV{YB_d%C*AlNi+ zdzM}wL&xQ(NMP~yBpXodnl7fKf1J*LXOkm$gm&9P&XL(MQ%+mL^;GV{(mZvDPI`B> zLdyh@?`ccaGtq;t3{;!gEXStxpdOnq$_~& z7TmA55A^F*-nmN3?ra${eqIjob@p0(8NuYiqhig%?{!2;B22Rm&e8da`@7Ku$hi8r%Zy2(!Th$NE-hF)#-#4fx?^DP=qmEq>?2V%p1mX^I2E1`h<_0| z7(oOM>s`tCB?=KrtVS61Pcy(kBd`u*JUK=`B+B(636N4MokGR9KzLFDWZ z^0qir@t58yu%EA}%~#|@Of$CcGyD-usyU>FQx2<;ZJD2cr19I5>I(C<7hZAtyYJFC z;@sv3Mhkg`x0ytPdh~rhle!RCJk)f@9kaxD~ay)a* zN%i2yGX@eiq&W1m?bq9ZWKq(F3$+V^$=Vr*H=Vi{O%`iMFU7f(Czs62-Jo8;N~!S%q34C3!2pgLu0 z2Jtz2QsS}mutfjr*!IXZ>xuSg@0Gpsab z&rbhWSrFoK8yyL_nj*xpOSDkogg0cxBUA)yZTqObw0}= z|4rg`Qeyqj@1H0ntxfmVX@`Zw|CYqM!Y__`f#%H|T!_8@w|Q^Xwp}*;zt(H0R|1!= zJU6c87Qy|e+CQyfvRNAW?HFcSQ{YbV*CG8ov&zz2=y|xG|9{$ePA682NhNbxeL0%g8M5ssn@r_&{&^|mn-g( zxEfF1sFRBug`4oeJDHqwWyoam;fTbDGx4$)89q==pq-6aV`<-!<}f zANkRCEK*hYCV8wgXLib`M4DH>^m~docRPnqJSC@Mhm{5O@4eSt^?x%i8ZK{6FVWu; z0XKhNTe9$V6a<8&+*o?~DD*-b5Aiz;E1SAOqS=p*`_CJ4(!9Soj>c_`(~+^vBG<1u)QeQon6mVddJ84RflS|IX5JeBV+9FJ+6lLUBv?1nALDM#JF zufeR^V7Oknn#O%6yh)QZyeJ5^87LxH)GwbOyhd8DZ-$-`HLy3sA?Nm<5Egq{N6M3 z$44#^4=;_E?_!^`c!n1B*U@iByLh9#`N;#TQX%<5p3F498scR+)on{@6&v^SXYoxH zDA}>wv~`aujPYMz+k4fY#T~_2KQM^mm>4%~{OArlZ1dPW8*_@2GJ1b2J%3)0yhi?l zV=P`#O8BnHs+?HlMCW;lvix=5**>&SPHAb!2-!M&>d&KHEWvwzx%#zp;3Iqdsg2`7 znwOTeDF1op&mXkTp5aljVUN8)ELi%$s&%n|{X$&pawNa`aQv`6AJtB53xW+#XK$}9 zuK~Aq!`zeysT3DSzgP0dtyS+IU7^p5c|HTZQ$tNk9Vkvm?fVng!j{M$2h9spbEbwy z!`ABXszbGzG~Sp~m)kC!Ttd8aUjJC3FHUhTztRnoEgy=hURC3XZ@Jzd3R?WuhR#MD zKFHUT3UWerP(LHHtzvmi;Th@&;(9@e{wUTBVLl!nBi|i!o)#T%#O(}ryz44`5&))9 z{dnf|7@CKcB3wJmNhXW>N!aiANb3Xv!+mE6#sTm-P+}Ylk8$4PG4iG1@8k3TeI9ck zJ-U9Ri+A=PJIf(Q zb>9<&;SIBAKR-e6dc=_tr@(l9u|@gRW=`HU`hBl|a5c}qn+=&W-*;`}ss`lG_*r5j zm9o7GX3bI-4ivDadK>-!yB`(9MufT$Dk+uBWz!+BqD$G+f{3MJ7|>+2|9PBgB-u% z9;9s)1=yDn?LT}DjPt#|7yD$@LOF^f&2)52AJ}a~aZ#0LsUsYQ^_OB?=B6G41Z>)VZO5%^WAO$HVor zxNlt5dv&D#ayiwb$m6tXV2sJqs5**sq^MZ{SBB}(@>W}OW8DPhh>{ySk{c%GvP-UrV|UOnd6fZ{dy zJ)Vy;Vn%Owv(z7YAI!tSeln=f@O;#BxDVpKis$_;|MNP|KFabt|9u|Le9{yj{>lhEB^?5^j7kh)8Y2ByRCl?t#F%P)-)WmOl)HZ78E!6RKUU0IS zosYI)xaqo4<@eir(##&Lm@)Shl<>A!#X2}aRFIle`nltjPwMLAq)lH=N73=rOpf@t zK<*sf2N)iTaDsYCX8)#eNrg&4eoy8(?Wi4#`EI!G@mQtRJ1s#_7xZ$EM$P2ps|&g7 zE}pfq42sN0-ue(y0!&|VFPJuZ>OdOb=YRMI%>5*wp6i5?XILraH!Ghd^x(^Z61ra| z ztx?dh_wtrq2*W%Q^VB+g`u*|R0!73#VVn;2!R_CJ*3%hrgxHuLOHIr1& zX%3Y@`^jasCoEs)#nwCc()EP%jOjO456CNqIN?__?!dTqg0POZAkwaVsuvBv9nB5(Y)V}EuHQqkM=r-knWY!1P z8<>M`{Gtb!S9KG`*3Y6=Sy@n4(-eJ#gV!+Y3H!VZ%Sm!?(q3n}vw3ok1oPzE*GU~* z++0lU{pSY<%JiCa|8XDYa|J+&`W@{+^s|sZ5!W+55A%Df(0Io{ZoT|{GVYDP6Yt$_ zTBn0N7RX0>%Un-ZM=_MvGcx+a3wo;`CTyN_7&z~>nlLb_k)D6EhkIPNT{xTH z;lujH-f({QXStb&8(`PC3ttWPM?&5c3+E9o#jL+JtoL!={hMUoi!z+=US&|=)k5ua zODz0Mc|@4`dzLWuFutJP-WuGYca^NIz7Xu3oet~1pZu`x zWhfM??%jE8s}p4D1R1L>521Wvhi_m0kpHqAzFyDeIdoQ!?&rxp=4W=DJqIb5_V)Vj zC}nXEQK<0Q;PUmlDLX%msNIcxQH<0Fo>g7SixwEL?@13Xk4;?L)9=snDj33ql{`&c zwhq)k!aSCdbK?tz=429XvG1*0N;-&Qm8Z@Wl`!aU1pn>*=OA-%s`F#+2$K4svdm(R zHwfRoo82QB&FTrAfB4D&_P+ny=XS~=5=%avAx4hf%Ue9-Xx&8P_K~+D5}Juv(TsqO zjUtVc+lR(_0Hsx212gt`R4R}t+f9M+70;o?*-0n&DRQKe@_)Y zaO-yzW=FF3m!fe?6VgcG6M=$d2g`?D$^k z(fyHme~L6N-yPMm;lQ$JNVqNV>W)DI_{k<#wS74U!2tn5Yke$X=Fs|pJ)Ay3IF8FN zr;#<+yjh-&Fq#kf-6-TiTTvIatD4h|=ERAo!KCKkneq)Ww4W&I_h*)&)!o{@uq?F! zMwq{Vn_GU}5S~*`6t~;PsF?%#1)dq-A%5t^Z~1z<@?1rm?wUZ^YTp5 zpj;O3aWZRSkc;Yf7wWf+w-a5shXj!Rk&}~th}~uTWZ2UFpgRO2FYw$N0&<4CIakq^ z>Ink{wO4mJd5T!afVe)6JN6&N^@sTyc+6a9Lj5|k{9E#S71XG{#rvTA`}!(-Tcsj- zO_~RS$0)g553P)8y+P|-k-rT4vtKNon>o(LgZ693@x$*?;^(+umN$;g@?PT#A*zNC zt~WoYeNCo3X!_JRSD)HFnD4lF;o4bqIQRnUL%bhK^k0w{o5{a4gxp_~ZoX1!px5F1 zLi-2#XVHH_-UQ_T!*Rj)jeHKcpJM(AN^8yga?K;!*nL-v=I_WFW$fYAl%YH-Sl_Zk zmH*6lCB=W7kNM#!ne{PzKRo_B&(!Zr4sVvP4~ySm{i+tlEpQ)4$>0c z`zH!H&&S4TYh}~?Z{%~reTUiSWGUYSzRyduO4fX?^JewYdbZ!79o1v_zVSU{T^%zI zZWDa(IA1mFYgLWIY}q~q!36afo`>Ur62}K6-Up@A^QVDo?*d>VSJP$puNstx`-tH* z>kIq*DL$C=$w^X$lPAXPuQqi4F!N6tiWk>D7?T*oK93Y|zkk22(YKJ=59q(6-oU=Y zwdz`lUUPgYuktFtLslu@GN@h0^y{?%rN^%Bs>iaZ9vS^)WoS(5aDT@f*;KbFbAsTw zt>c9sVJ4I>qhGg8*JJY;!av{;uwT)I`js0Tu8{^kGjMHlE=Xf(2ve}8==+E zpF@`AHwgfpj9{CEu0@3B*It$Hc`?ABFXy~YA(@CwyB+n;(hD3$zCLF>WzRqUH*-G& z2>!aq_4A95G#?A~5axSDnTgnM`WZ|0%E6tcqB{LHbUxwvxR0T}#5_Evt~L%%Zf*Y2 z-{HhQhd8LNdGdX9WDdn;zgSg|c`X}9^KK;k z;S$RrFq)}yBTzjYUf$~3Snwx}H1W&0>8;@4Ge-kH@pJh9TR#4h$Z9Miy4f>w3XIOf z9J0Z>ahny`G^Z8$4t}8Zo5*8=b$rM_fp%ED;@0`5h7X7H2xZJ4%`{Y_kqea_}ftrt05eJ{2l$W)wA35$)r=1|3K7u@k{Pw8PqSwer?|>9THtEPeG?$t@o9i=A3@Rj{HMQ zlR?&BxxjgaC-i-H`R!nx3ex2h)|?pd1|GxOi*+XhKws}_*Xd;z&}!1XA|m}B1bvZ_ z`o)QTw?u#andTA&Q><1TRm(fU`lV_lD<-v(zxC$d$ILo2f+>qW2uV)(%<4l? z8t21!&kW}+b1kRbqkh63vBZ(;KfDO8o8TE~m5rSKC5PwQY;)yx0#79ogR8TT!oJD! ztIj8?0AJo~=ZS--NwS)g@AH)f@W#0M+5R0NEI#H0<+=|=t>^fYKm9r9$EzfggRhr) zf0w>R#BBGz3oI{(6=(UzO!{U5Z*=_*6x&qNdI9VQm?k`j+q)o|&c~@Q>#p&}J|O~1 zlX3?vy~#q=x;Z-{lPNCzW9XEN{j^HxY~d~667E8;GdMP1a&7TZ)=#tnwClz1-<+iB z*9LDIS4~j6o(5y~tk+q+FNa>&c`r3+{DD(suHoxF?mugwu zr#H!smw$IC=^VwiaUR-OH>_TL#~WUZyyNXIn9K42TY%-w1m4sW@lf|c|GR)8(bqB`j{N5F0eu30VJj`LC4*1vvHc#L;NkX~e35g$@bzvn&!h)V zFxBApJpWO8aGeO8Z7%7c^A7z}l(x&Z>eauy%=Ue-0j6Jj79AJlboNLB z5oTrUMXiW21)OIuTO;a4HB&*-Ff;u_P7=sD-~Mz{sU5K15A(tB_YhwiyGXq@_&^rr z{X||u#0StHaJ=_ca4iS7;2UAo?e*vc8)w~5^MGHORs3AOPz`d=Kd-#U>93g2^E1J7 z8t1$*FT6L~Yyt@%dxL1V2jtkyuXDY=oh6w6fbl7*(ObM;r)fjotv^=>_F94Hs8IcF zXWfa+^2h2bMPDIRNpbVz+q$$4Bikf!clRT0s<*kU8&XB;=M!8%F2}hER>6BLogtGcp94xX`?0X`U0PA*eoZlRmo;Y@c zAJxlz%if&7l*Hjj6Xu>9GR~8IJ}H)`c{6L*s8W87^N0H6za@W$(lyWbMCc6?X_Y>M znvq4ITW-Al&pl%(D(<}Owc8G=wq~!kttCKKnpe(#?gK~f@AK$Abdl|2a}xNL zE`7?s*@Zn01FpE+nW@KPKx)UeFbU^GYTsbKmf}`J`2=2niYuXia$-y4=BRbYL2%t< zakGvSL^xo};>>0K#PNuT&C1_la7?i^NBo&R7RKWb;m=Bs!E);*v^zpL1JZP$o_ z)3gstl+1=>Ps>f%_aV&Y`=rwGL0+db!t>O`9{|C5-1;*4NiX|>?etKfZ6BXsN0jG>Ac3@!SCChY@UqJaHl+Qs1M)tABj`u zs-^1%{S{n~c>REE{k--Q-&y{5MTo!L(o;1piHP+qpFcjYo(x&ekKlP*O6P6uL**3Z zdkKK@@Xgi@q5xcP80NhQGfiul}vq~EY&;AeMIT; z#4&=hGa!_g;Ig+4DE2b)3)H8~{wb8wJW2u`V#`+-dV{ zk0zGiP9Bz~UJN-B-UYlh!o{b*#*rXpjwu^gTEUQ1-#v>$Ww^F(s@B_$S@5#LNAz8?O`e_v8L)f-^&HHs`~;8Jel? zqIY4zVt%qP!4Xb%`1MQ-C;*W>JF7Q0^l81eGTX{cW{|nC!M4J7srRmCyk)u^R)J7-xDEB zJaxI*HdRR9EIdWPp_ZIp}9}Mg=`n7#!j6N4i50~9(u_oBx8}aHkFTRm*tp7HB&mQaS-x(J9u+VVd+eF_g z2wu=D|73Y2)hqgn)+`%K;bzTOMqS&Bpi~Qicw&3^xY_fi!4$Va^MTU3TX``stQ`~Z z*d&Tzzj*8mgWqE)XuB%dCmu@XXe;yH5{14f_n-|kT}bf4qlXumgo0}2g_rY}g+pys zx!{0M2o#!lxP~$0lh`&%@l^q-G=8#3D@{n~xGF0@ykJ%3pk^p`);T8 zLZvwBe`MCd8$j~te9Jq_<5=>`hT7R^Prp4GebbDQzm0OBeewPEJIu!MF_3S}ENNLZ z;{AcjA6!QYX)BDc3pJBq)#ElpdRAmKYb30=`4#<-=x4PEZRQze$lt&DeZ=JBp0fC}l8)0L3D*fWXsy;hNI=yno6LWi3zWE6nmstoLx*D8jEO{bK^Kk}+Ec9|( z{0LKju!KzyUaXDzlFC}A<8mQF`h;D1M=UE3Cm4$770&Z834j?q1y9~~m$C8;57B&% zrLLg|Dupv)L|yJ}NlPX;HEYC`E;&K%Z^VJb^~3Df<_ZOGo2#8B$Wr?h=NohU&jRIl?3(baG9g?FEIKeVVnZxbalxry-!v{bY5ZpI?_mS<>xZe^>iF?|NoAT_laZM zk&)_{6-DPW>MxiNwMuH1`|`1L`oE?`@YqMn#DIEy;M0`vgQVWe=63avAIOR1hfdrP zMgJG#qM-e!WA`*|eTq5NudyDyv#fTL=wSxF1q;^}|d< z7`|P5KCPe1Z)t-YUyi-92b(`#Nfy06bpBarpAviN`;^R^TD__Il_8j%7?{Lu5lZ-- z4jErw{D8{M73^=|^zTflRIlM!Vw6P|z+v%gd~u}bN|bPY*&X6_W$w)Pir zrN&e)qn?WKGu&qKBUxH+i~Hxs#z`oyRD`iw-KX_C?dkI|zY_K8PXR7_CW%Ipjxfd6 zd!kL`&tcz9Q<7X+_JtEzSg$S&c^XRd?l8W9_#w>sWzV855JcZ; zzP%vJmA)sQj}*`U5OV1Kx`94wPoo`<{Q;kHyvSaqlndV;sf9?yyMlzA?a?9=6>v&( zWuGGw3I}B-m)`FSg{h(wgB(74kkyOq_h_VrvHZdMFc_de`{Tqmi0sIk-Eqv6+Ozl{ zzC=n%Rqey{tDE44F` z56baRI2&GEMDpVw^|kUpA*iqZKcnMzK?>XLNluJ-|HLKb{52~W{S^%TD;9X9fxh8} z7o9WgK*r=+Ra&PB^}9Uq?Dw#2^n)*RJ8Ttx=7aQyx5+JKR@839e9xfRM8|^y6*PW` z_KFODz}&$UOEROgJtax39zJ%@sF)z>37$36t*CKC@t z3xt>6Rld&155c$+{x@9zFIq}n$MQ`edt%FyYCdVIZ=t?doA10%LDh(bH|GbPJti;O zCRl@Ic%?*k%PbNU5up*;YI7y$PY)O zsXW5?5YmLUth8;GzQF9a;0tcj7w0FvcBb*%PmVQ7DWSGdHD~CWXW|`}9UV%ZDCoZb z{q71(^wi2xFVZFEmezx>xPwXPV&CWuhc3{%xnbUcR!@^OD!-2{^3>_uolmYy-@oyC zQYyjm#=0nsKcb%VocDYmDft^GiO~8Dx6#jsbtlNb zkm7kr@%iVTJDYh;y+%;)+!{$p8r2LFW)xsfj%C8h{XJ{5|5~2Q*DAoIlbyiWp z^w%a)djj=CW?h&Y1Z-QdUUM}Aum9ol&7+f!&~aws+nk~E{pGB_u`;tn!10uAc)RrV zw@NBs(0`A1i+1FO&aqi(1nmv(rDf;VYzY9rh}UxpIxj%OkK=v`QT6crR%^ql3>DUM z#3|h$$0;;4bROCTMQnR6lo1>!CN6{m!S|TxuAb8~a2(<o%j5#aD#a|pA)iOE$KXe6D^<$XI)$}p6U8~Rm>kMt+s87!v$JRA??XYQgw;c2l&G_U4xolNK% zhP+0(+gLnSJ*5AHV4NKFd8D`>{aL6VVZFyxG2xPzy=TVl<*k>Bgj3GJu8$Y*m~dHB z{u4aSQ?w{M9~>?$d&`yWL1acI2&V2zq4q;?xqn{a17SLEu^+d6ly_-|y#}nzO)!vD z2qgna_lyFAz3F+luJOCm7jK%cD-}uS=kb-3xHW%-fZB`4Cxo~xs2;k(u<&Zsxl&?Q zWVpj&EQg@K@XEH^#wy+SsosI}#bMT)1)q+2lYPxz8(o#(kT+k~=Ia!z6U0A4IdP+J zrt%%-dN3OKk+JPSA?44gZ}i0qOq({4Ma0x*>b@{6fy&+KrcVsQXj~ifa4_zM`UL9T z%s#)2e3C?agN-|U;luo4*9eh4wC=>*$#B;MMxUuZhznfqxt2xbE-<6P}p&c^__=6PJiLO zy)Rp+9H_q_np?a@hP5pR-lsxCpB-e>F%&&YuyQS3ZUCzMgcDKaT1HOgvFFs50>Ind6-ZSJV$&oV&t})~#SXTeM30d814{saHy@ zFkBx26P?e*PE`q`dNIbK)~_`ysX3KFn0@nHS$=JG=r-P`S=*2gIt%o}CSP-b%o(~n z#=I{Q-hkBB&!txY`=tc9jQPhGo}uga;mqt+Q1A1|$c z-R?HH6K1Q=?XCEdM-a!INv}|OiusJ#2MMp=vqY$=YDyrD3p4q`cs(1&VcFWpPQ+?e z)8`@|LcWOi1ufwtK_AOVCGX5j^Cs)j@5Vl6Xb%`2IUjRROPR$t&Qd=muEV>|{@2n< zfyO^D4#GTsk=pHRva>@4#R~}H&7z+S-)lj;>*mRAd2}5qS`O`+WK%(k-X3}OwYd1N zx@CVVpHLp{wF{NqeliJ=qJIA0bliTz`X}@kITU`Iwt4;wRz0*f&0krOnJgQ)H;ZoL z`37xD$LyE6(Rp-a@#&JVzBN?7;eSKAxcA#!(fT%Ma<q1< zdS#}5rNXjLk5GDB^zbo>vvp8!XgQL=o=fFB{!gq|-dQ3fCFa4XYi7mKrH4nWrWg8C z`G|67U)$q=TVnz6N$&CiXRUB(zItHbx|0U&&-G`pI^FVYD%q(P!X7-gALOihBun0u zzy$sN>;97~Ah~1ZwYbT9q=hm^K0J9D}a7a zy)WAFX>YpW`My1h#e80HTrlXlP>lx>c3L;;YJHOG88{z|D_^S}K3hn~r|+Up_#LlG zvfT4yc7V!d@?7@7Vf`6qRBoa?!2Wn>r{I6yzifBE<5Ydf*u=JZtw|1H_8YLGelWxh zeAdn7rBzZ7$!x&|TTfK7#!CWx*q7PV=7v+83bJ(C)$S|a)K9|9#|a{c%Z$(c!L2kg zeqBAqp;#bLeS5cL4DA;@L#pBPly3!Ob#8@2|8N`Cd+~Z^T~08K!(-i0e(Af**QPtt zyi#1pIp(u?ZG_S(p7YgLzb7n;jfKhf*AG5$D1yqb{9|smJ_I<1xh!G=$SUorQ`U)} zh50Mv&grmKv(|+;{cgN3zK>GjsnvY%d&ow&3N7>BrLa0|0^6;=as3hJ6Y61z?-5gc z^WBY4Hn8q|Lcy=)7g_65pZbM={7U<-{Un$2xA}*kt>z=1AmQ7P6km9rAfLV)$X#-K zM-s`tGdEz7NGkpR%;V$uCy3|G5%*zE^CBNG8jXJSn!_15XQ|CNE6_>#G~$oq{6W4w zv})4>+cy;uU!WNoFzN=M-#${YC~=|vMh+=H{mG@(2J&;Csf80YmL8!?>))7pOMX=D z&y3Qo@lj2p^*%FeEu<#SxdKJOyEffgb&>Vm4)p({-;8JSG`&}rry+%NL(~xWS5`fV z4KV9a&ccVo4ew&+21Co`$-?R%8mWFXw%x`wjQcRv+fe_U_1;!J`P4I7NB1S4Gf_bB z9_^c=NIbZPZO8kl;JC28jY)XZe2*Lr(pwd2okec8@wT_m^?~gbcV_MPk0s7qc+M}( zwt=?=b6)zi1i+g+)dELo{x^zw&9>+Hc57S&7&nE2F}>3c<<`FSX|!5zM=x!>|G z#-GHT+sZB?RSVWDer;?TO>b{bq+8e1?xq;4rlln%nyfoH@vN_ zURF>!H?vpy_}7>MsQE3~b?9yr?MIIK6qBBVEju2a&phn~HST>G-O;(!Uyu+QbpFh* z@jk6JMHcJ)MKi%a>G7$$8;Fl%0aekfmR3l4D-^N^9SdX1Y}&S9XR&s7G0N>WmDVx?Inq+YxbB{e*?jI zjmN7)m%@n~#Wk7*!lrF9ZqV~Q+N>&3lhI%IaklEzMDS5{i+)(#Li0ONK7Wwz*#1f? zovapedSxPhm9Phje9lrZg5!f#MPGe`!D#Pu!`Jq`^nID{sX*l-&U@@ri+yAjcUI`C zPx1wxMt|Ko$1-TYSC{j`c8W)y!>VE4vH3jPXgvbj#l|_?3zqbofarebV_bDvEIuqj z`zhn|TxBHwWEG7N+(!9~+epis*gm{Ydrjvn_o}gIQI9!SLcTxM@H4b#P<@yc)T?*LIFK z%nNGnFwXQQh)-MpXIA8#hFaD*NI;F}@r8pW1{4QccyHxkXlMnEugfRDe)rX)kOY_; zag2N^p!yQC&v!PBqh=r6dfNY&DtY?w*!qjU9`LR1_D@G+ClJklt1*{5j|B7kG#(t) zg}dx~+iG-dz+84st(}S;1h3GW`R8deY+Y(FSu!OWE)OeAd@mhNmR^-T*t#nMEZC+M z8XU?X$4pvpRF1m9CGWX%@)2fWxO{#^^PwUZ4TbrG4}GdsXp8`pG|JNUNm|4Eqno|k~#D(>-SLll>nLHB8*z0 zK!W@laTT$jyTP9T?LQZ+;kd5YDc=lBnrCRJFxaKB%@7)rV+tQ<1%c~tP3o9XV%VQ(t}LJ^)G^dMEm@B}2h{Dv#mP*K;g$IK_1Y$%Xce_|BIKp)(=-N`fxj6mzBS&S};;juSAxokX7 zH|C?t#~g8cn84G(XE47QN>?_B>4y~1zKuApyh0nhvzr`1v}10jv0oW<9f>-&RwW!} zPtje&tEB`%gFZ<^7ph^j)5hJ+F$X?&O}k;@A_rkBOqN$=Tp}rP%O}-NDgvyN!Tbo+ z|HLnuTdq811|7Dp^#>XKcc+---Y~WdgS~ZTrdd~$VTsY*?+r;Az_Dg@u%+3S*4trS zXWB0FgYE8CaBmfFY5wEWP{*&tW2wPbs)kW>dBs;i&XUF?3YHpPOVjdylWSp?N zw&&zOI1ofq^mwb&JSBqh7%ghU1oCSm}(?4qMt-~z+XDx8$ zd}y!R9}AnxT9a%|yuv)tJWwf9vxUaq-8^*kou_ko;Yo<@OiUs9kJ@J(+* z6D&Ejl3mW|7Ui2vyfz)G2QqQT6cjh6`b8t&hEq8$H~CZh^L?&_ z*R)`@$)ivR7Ha+So{?vVadf}N!_^UWKJ@Qu_)PF1rB)bNK|%X4IFiG3A-ZDIU+V2mN7mmFT60u~0hxFMN+>O%1Li z&pf0Sopa1(eb+HKxAL{DT4o94&d&0g(SDW2Z?|l+;8`*EGO5c=U$*jA0eNy+@@42c zbtHJ;U6T3hk*Tqwk;41c)rpWt~NXW2n;Zz^AYs} zq}W%6xs7_*xL*R#8_n75>MBu9^S)xk4rubN>Y(-TxL#Fu2R64(Ya$-WZTmJ@-y^}z zGGB%#nt+&RM4EVHE0qr+=_#wgwG;Sv1|9pj=porLk~7)Q?JKDsUR%&&UIj-jcvroW zs9^P-NhMsyV^OjC8Dv#kT+WH94b=aKd2sppLM?56*JwXBU!{T;-$yOrYSIwBMK^`z zhjasjw%Z3H8Tq((c#j9v^`-#(vhL(TgLK05lOF`O+PkllXB*P^G4?BoIC|n^%DGso zPqi(rQ+qAZL=I?vpLck|c^Gk0{5D|SPI%U9ChVAy1f9dpN+0s0VCt*b4QuxsgF4$3 zLuuxyvF zTU6{uSP&eacBA9Ad@ph0YnhP#<2y^A34$%B)(hr;&V~3kk-=RGjJ{>I4}Km@ttFy6 zxSS6rRf0%SU0=;%1<>HFIrKBWgf*|#peh;>g9l<*`t5eutEgmU8)QR@!ajXG&QU?_o_)GT z)6VogC6?+XIfpM7v;4XCbiMyh^qtl#7D~7Axqs6|l2#R~MNh)fir+y)iC3wg#F$@9 zsQlg&x^B;}j&j$%6$OY3fpJH)e~`Z5I(fEG%m_Yh+Xi_jYT!wH%j9!02O+b+I+M>) zkghMhPi}hTovSMu{n=Ud0qFO|``uUgmbUAw2kenqK4d-AK))yELE4Yl1|wSMwyuSD zaA4~Vy3TO^HAicIQ(l||*oQJfaIv1y)@U#j)HxT>)(xdn9^5e*-f(K=K;?e%M5ylF zwomHHD9y`4|C#w*k%{wN90>M9#r4;=r>sRuvjJX=otV(oX~=p%2`HVOEwOX!X|mI{ z=9^|$FbrJEOi(o|g{y-CY}W)^$=9}bVTCRwRBt<#=KowF`5M7Ie?haHiQbnQfSK=S zLFI??r0q|Co7T~MDAXtSduz*S45fjd-LGF7;v(eV>_hzjN8~?9C*F;MqV=`S^Cp#( zU=OLl*RLdqO33u&DLO{*MWTtDBwhpgEl*lknt8$M`wv|?;*!8>Q-`r^i7Q|}Tj;>& zr*%pxAZGe_U30BGxQ^(*9eCA8{WVe#0_=QLuLAa?ynA#)sq)ukh!M(@{^acso266c zNPC));<9rS7+F~`ZRL|0r%r|v%-=wYyeVHL+xwK(|Ky6BpLrL8_L~z*6qL5 zNRE}WMP6dWsogKW58yiclCCd|!<^yY9eo*?pY=S#y8^LYV_mK}Ux77jrfS|uzD|A`t0-ic@IWws<)}t7e{0@TKaSqVPWRZC&9L1blsYroS{1X$4%lcx!=H~LxJiuFMsr} zT5V7Ou|^B_bK7PT`?2^Qca59WUSj@#IheHNjf7ZI39;`KxYugYLG`Zh@!4EY81@Wv z-XEdQ!}*Tufyq}C>3JwmuwH_0v+_Y)BX4ZqKiWX?g)m51^!l^@w{v-OlzsB|7zVqMC$Gl?v-aeDm!==aC<%%o_yY=^)5_(u4=-ydmSP8^b|PlVWB zfhQHmIJZ?~Lu|p+A6uryvvBK`X&>+m-Z-KmP(${d)EfCU(oQZLOSPy8n6Pl}w82+Q zTKe``seli$hWxIt#;{MlD30^+qJ!4Q`43Bshk?{65I_~)2&`!ef$Nypau5*RaEke)7?Z1!Xe8&6e$jJ+A z+#EvlY5?)4i!;-c^kL zc9ZX3JHGZ9jo;$;;rzvI^lRaJ;BoAWhP{>?TF|u_lslk ztG(22$9azP7wMuM!%p9{n&4^o6ZgpKDk6TTr`;*IfR$(AO4#z)mNgqQaDxn7k4t4K z66AZweh0~|>>45c>*im$UeQDIDNpquQPtt{q5gD?Qz3siT|dm@<`MwSm7hBoHuw_$ zsn-{7uj{3_wwT9(c{w<)xQ)lr4n&H_(eE%{#_reQ`@w`P{AOAm8V8GhTU$EwJJ9uo z<9|wdeU$nA?0@J9s4x8Q=(v9IzdK)%>LdT>^Y!8RwLSKc*8WjF4`;()Z_ZOa?&dM@dP>6VL%llJFlq z-w=v>ih9MlWik(9v-GJS7Wo-d&vv8vZ2!%twu8agz8lkZ@6kM1#63rTH1=F;b>d`g z5;6DskAux_peWe2^RbpL+&p^aS>*0u5O*wXcNC0+0|O4zy*IkjeD%MdgYU^ES=_AU z*9Eucd+cusZHE|Pu8_3AWDtHn=Dz-f2l$^Fc&xpSkq;d#dYz4dXDqX#B&L3&5fpp% zbu9aM8{F;YpOtWrfZrDD-wfQjMsdFTa%8stU>l?S;mR6uspiYdw7&}4+lY6Hb`08~ zQKE(*_|%Uqx}HpKtPKRKfNpc`_8fxx?@^h?mJXit5c>AWY8Ua8f8ggx@ul;|DrJ-Y zov(7-+CoUCy5!R}7Q*1e8=F#}!@w(9^7S@H#A%9?aQn`5>Be2TR4-6^f8ca_R2}^f z=s&~v#BJuhKTG`;Xm{cG;=ILt4)pJBX|NX9cifvO9_02ZPLzh3x=$WW6}?35>*VKw z_h&gNQT?y?#0H-1dETJoGckazTbtF7!Hr-(Q0No=k(=Vd(6@49{MUWa&~RzT+f5A- zgo(rEMb7uWPmkGL1me%`JZcOyf|-KLZ8jU&kQ9!zhY5^0j;2tNlly5#AISgoG53VG zdj|LMY2SeClMjB4l;p7VJX@;oZPiILsNL)cbyjLGdel{jiEGr>Wh*lY|5#mXI-{?N z^6RR=-5S2+!9AnNi4HB~%ss2Le$hO@ILGfpXYU;IP9wbLd+ zKlDS$4qojpZhNU*2A^y$XOOHCqB*yF#9Ta;{CXSW6;N{>_GPbqF18#1^L(7A{d6mC zN`hlbb!TO_`jBa=_c|^*#gN6q?QSRR)gi88#I$RJD#3ML`NcYAf+VgqnsJ~K`)_k0-L3n$gKy4kT`X6^R? ziLU`QlSXym%p=u~!LdtZ&Ce9$floLoIPEq2y`sK@@ZQwpICzqPps*=o?yspONS!v2Nb6f<*{4ohKJdkUQryn)zSBjuHP$#XCmKI zxUN>i3^n!ddb2(LA%~8KU;gDFln?fcc8=z9T!57U9=>u@y(u2qp3|3K2k#LEq<2rc zTD&U!07i?Sj_lPPfx)Moe=LLJ2APTx|{O{H#whzC_2CKzoVVZ!?!5#@gZ4w(&W@xB9%%WdyCIG z@WTpveP5Vl+=!sKa!kH!0rQ$ae$4DS3-^ihc60eMXcKms7xKM`_y)l;B@Yu==hpq^ zb7}!>vH6u^$LN<={$;^j#rOs|#jTTja7Pv#o8!z@v4>$-ZS`8&UY`YRhQZE3g2nJH zUT#^UP%F``-AK23EVD9al2WYq9 zyna2YO69~&9l*FV>g5aaA^TUpEa>F9ug#hf2u$3w0$}Q8?o{v3)Ji)wzbgq;?iL*F zYq$hk-QOD>Uz`nsHSx`Z!EbJn!^x1-b9!f#UH1GR=(wHx zfJbr0r)TNZetgq?;8@8Y#&cQz*xKf`t4$|aK)>SOo z7P%e*ryqNnsIKp%enOP*Y#qlEPVx+ples>ZY_?XDqH8z0KOFENMN!ftLbnTO-P_e> z9f>XS4~TyFp92F1jnx17CQ4s!5}OwbHb*9lreB}N@!ct+@dNB5az#gQ z$U)#TwTsYxTVMTWgUiEMR(^^#%U^wjRgY%?b6l+Ua!g32$I{o&l`d;cs9bo^vt%ktx>!)`uy3H!xXpd`PgaEO0DLA)C#W%LCIXrBL3y>dpL$9CVmP01 zo}*rhd<6BQnxk7c1@2QNh|`Vdl}=0-y(W}P-sE%Cl-0MAh^VKJdHdW!b)x9TwB1Rd z8R6H@TM-6Q4ZC+F4tdkMp4^>%4*YE+EWbCyZnp|BU)f_a?G{l_To zKh~L{J&N0S-ZjC!&xB{1(RG0O$)D4C8%1ms=zCzDC+daxACRJd5bf$>QH$eeO9NT+ zbvImNPrvUu%a7XY$d5hE=2?a}Un7V|qjggE+Kegs5ZZDzebV9!)UL$;G4X8ZnO_^c zsU7J!`udNI%{8!mm*6YVQvpdlB?=*nI$&nvcE9TJOhFo1JN1 zHd8;vJQ@|)axnDu@#>vW;Iy&-*jO3mkLahs{1u#EQt}GdwrbeXJievrJ9PL1OF-}K z1=*z^OQ?OLnLQj^TdV;(YA0mVi!T88kKLRi^-5sTJijX8mnN&e+m-6+sJ|QK70loJ zq?FzVzvsWHEbF)|L>24q7I;zwvptf&Y)T4c)hAd$LtveY?x}HprhSWhccRV+<)esu z@nEQGO8HSgQo;Xn%wfwdm{~q+O1)|q>%G)rY3I6-TdSg>Ie{~`I75lzJTUDyJrL&? zUMW(QNAZT3{Llmb8-K+NMjPAu7u;2X7dBtkcqC}i|Gsh)Z;xVjE6WeHgZiUzyqQ!S zn7Cp93!AR~IQ}RBux|^t+{XZU_{Fk0psIWLldpJ>B9 z@=QV(jMIKkdZD2Y^ZV82J)F=(n&)0RCHhqczML?8lV9daj2)H)f9mm~?~isi#ud!N zJO;k+N+ok-ZKt2Vn?^AI8!2-g9)Z@Pu6EuQW6~ATQI~hOi&ReZdpGy_Es~{hBu+}d zh!r>5O`r2@$goB3fGzpCPVVj-V;^ARGMU3_*UNn|Z0F%JdsA}Bz91OOzw~hUjN4yz zS4TkX#UzzAE&jwYNOfynxh%XaKYw^CqhBfFX(H|c$Edt=o8dzurCWG??=35+aWiSJ zeR_l7cQWmNZ?Jl_B(AhQfF=KQ;obZ#2RQoVKrhEQeQB>R)nhXPB__nK4<|llpJw=M zDFuT-LlU?#hUF(YNWTyH6UO_?ZipRRyu%J=7v-l;zY;?b4}7U!j9W^XaOCOr|jPeWn%U+H$d$g_O63t6z=1~O$ciA}; zj;(j89fWq$M_<{dpGt|Kb$q>95+kl3nOW1j#Ks)bzw@O`o{|cK<{S1`^$ifTZ#Hjg zl9T`LMf0`LPdRnX>G{fxK02u9Sed(fZJF*1WtWQXoR8In*-?)SEjc48f92*YxRyO7 zl==;jZ(%>|cgJS$NHF_G{jO+d^vw=b$ekVntFE1o%W_Ji*Vn)2Z%@q10u{lJBO&kG zpjqACq5Ojy&1XkBIV`}gEESqVFi#WrBVKRZ^c6=IhwG5VZldj_=Pp9Tl}lZ*Q<8{f z<=XelYuw41B}YvT7!}jFKjv-kIaSE%JEIGj{_Z$Z+%)0hBDF+<{%^$ftyEepmDh0{ z&TJ`>%IF3_ynpnQO1Zz>b;u_U)Yj^0D{ZMEuO~JsG<_&1zj&V2zjX?x-&?4<@cpBR zP--VL<@!06U)-F?#?{|3G#KyWjkutgH{xiqXT3{+JbAx8aGTB~Ra#fU%sbGf>jC|W z=zmDRb1b<~J&rK-0|N;3xH7VlT@y~t5=q!O*hAdIE_NAlJJR`zb(Kthr43wG{E{+L z>}cGQ83&Q4aceyP{VT;hf8PXh_2-Df9pmnBN5$}&A1aFo$_0Er z^M9QJzC6iMhp-eDPHrg0(ZxFE|96z3Kc3xNWY;eY`Je07I)?edsfEpAY%!69iC66j z{?nQk?>`+&`3v$dq^N&bNV>J2RAKm^|8sr-eNVf-tF{C4m7xCcvH71L*Z^+-H#K1G zN2>IX>+w7BI^0Hz@)RlNjUZ*7=T7GZz9--6wg-l@&(ZoSoS#^qj{HqXXl+4kr6U-{ z$id^+CB(bqUGBGfcS!KuzC>LqfUa{UKk}gU?^q{SyL0EQ-fixri})@6H8GiRAKta} zQK1VU9{V;gy3rm8A3Bs+iXG<9WUt&vPACw|zqMCJXI6i|55Wp>a5j z`;hjR9UMZ9too1;7&~`bDM{7=4()aIhz{`rrC+gKqJuefzFB$8O0MS3BRY@!1$&H= zSoNKrU^ObtDVUc*am%s(B<(Akq7tLOsPMFA5$$e9e>5?()=d(caNTf=eAIw8iPfl9 z+$3TKmkpvSU7jBRjr(f@g}L@J;;`2_yL|N_=C+BDfJ!jSZWd+rRaauI4@qG5-ExL_ z(@QzaRL{bRGh4z1#u{ngnt{dZ4`-!@Ls5<3a-S99@U@NY^lI@=Vx{#%yy&C?#Hlah z?w)T64SO=U?u{8k`@JfY8|^7XWRv2W@}f)s@OR@pM*fZz{m;0K)F$!JWXYqBfOu{f zHV7P!QP!h+2G;d|wX3;qu6B&-%_keLyo{P(NhESEz6&h5N)qxfHc#Mp2FDVP!sI4b za#Lb)%3jH2D9s5h-Z|NdL>&70<#bILq^aqjJSd+)PHH20+`F33FqFpS%FJyA> zzG*Nl0|{}z8&5wpr}_nc7t5UP#6QNyPcxPV0mf_V;jEk<_TSB^d;r46ZhhHZDIlu^Eh@`GvbGx{egOB|mq zm`M3J<_|J)3qxSe=G=MIQk79;U z;=VbPEyfR?HmOd#B;f$TPukm-Ev}>f3-p^@_gD}dKGm1zuW^Pw4CqSoq~oTOuIH$g zJU|xj+5hkryAQ>M2`blZdLv{-aQ#nuxovDks4Deu9tzpE^xPClf_aW>TOZymxKcux z{@ZMV@n)o`hcNN6%)wkkzW%7WC5>O9fA4RKav*)sFh6fO*4KCt#81G!yJ+ts|3)g+ z$hB^#CZpcx^CaP&$3+138T7kXZpv_4YLQFj_^Y`q7R`JZM*a89c_RTi1uqO%Wtski zq962sqQ53)2^!uBrT6{&{GRufs_b0)^!RrE&yiBj;ovCuVS+;TQJQ~+@gS5l==c14 z8_z?E$N%2O>;K;W|J63$2kF1P$KS{Cy^#Lfaomp-?~m6Z{rmX;w2jyO|Bd4J|39TT zA8}l8-Qj-JJ8?YlyeW?#vGGqc2BggA?gb{UoIW6~2~uW%WE1FXig){IlgaA45JoN} z)_ohEYz`yx1^Z02cM$XoAw_=5jJwOTa6&A>exc3atk__X?V5Fe@u`P2&dT07T{F?q zh{l7M@q9+#p>y+|JTEy#_eT||g)VECq4EInzs^rQ`-k^x2}{pYfTbx5dGBn!O!dAw zKT7V$*GJLokpJuxTJyL}%?QTw6ef!>>MLy7Ta)(6+tKwaHno2&^RyE%>%QEfq)|QL z=M^2w=YIspyfR9Nfe)OI14q-1pljw?fnWRd0P7c!AEO^=?NNIu(Dr4;L%pc}iu~_y z%KUE%utY}FPmp8kK9q}pQ!%)CNAKDfDnBtVSw z1|CC8%iF8U==bQqIkflpqH}cIO567={-BTqJ_Bx#++$SXf0G{ z;D~#_*9qH^3y*(lUgvS7_c<>i@-$_#IITZMKPCDn5w{#Eez$H*oR-mEMxWM0T@pnH zMOb-X`&j;9ORA?}9SZ7=_&=L>7ufu)&V+=tIcH37IKpKQ&Vr9y%^^HLsq#s%Bh8z_ zdCK&&YSVl`zjwk)=gqFsx_xHffD^EI!vyv{vtq&4%vaduN<6$?7a}ytG>qJHjqAB2 z$M72^%FG>Uv8DNq>bwOHpSHaDNBui9KSmQgRuv!Kn&3}yMNm)w6shLi=9Ehe7R!3Q z5?6zP1?PGc`Rr-kFmKzRsT-RZIPxq%IQpTPeg_SxI=W}h2Rk>`|C6A3>%8-dJ@Q=5 zS^numG){|kIOn}P?{HY^z>eR~Kh9S0pz9p#c@S^F+w+%R#~+*zl?z`lI4U{hp6EZHk$6n&Gc`$v?X4{x(SAT9!YS%fS79kh{&i zMuzU+`0Atsqe_DC$A6An(|rmmCUZ>CTkKD9S2EPBCdi5xu*M~t$nZY{69!JcXzK&} z>i$barTLNY{__>o&cVK`_E!ah7fh&P@u5RtyGktib7BYycB)rRJ6Q(H+g!Sq%o<_T zl}uBf^+gXp>xs)0mT1#F!ch(HhYv0kK(GBLP76If)_%+@mH?H4VNcf_S>mO3*0MwO z9C&W`3|e;A7CJ}RCcM}(j@N?xAN4Pc6CfYO{cP{flwDa<2zQs9$4}yFf#{=o#^`3Y? zjEi7iX2w?4kDq2J!2SJ8IG<0gg8Pfa%>?wD3Evcf)32|G0{f;%zq-nNAwz1-fY821 z=+h5cVY({>4ximHv_z%?*ge;|bXt_K^z(6lHPb#G-$wuR%U#fRy=dGm-&$9931+tEs~re6huXyJOB=*ASb22VuigT#eyTYvAYV`YK&WqH zJ&)OesFi#AZ9r%C4$hOq5oAq-C)<=my)>@0)F5r(+7<_D? z2ei)3Uv>Is6md8q5ViDn4cVCw`^}Y1$h$IQ zaRDUf6%u31GJ`9BLIF-pnYBCc5|wM1e}Om@?hiOu@AoxgeJ zmGd0Mo%|+LS?wHM4ojBo3HO_Ho$PO$cxBMD0NPaNdTN`O5cy8c8z+K_$b;`1Q9@@g zfRB^->Su;2hy72mt^xC+@i58Bi-z4jE8zrt%H_*!W!h z-lfUH`}znl8_(o&Vz^>~u4V*8N$@;#2Z8pU&aCr)Fq`B3ckw1)T2E`Y=SAC4 zbpy4VFg}Fy5aT(<_I(c=PkH`Bo-=U+eOTA4!xX;G4?CK@Kscdol9}ykmVU=i>o_Jx z`{jLqbd%~`S@HKI_t$B${F;ieLuq=+J7r_Qx(BAe6YJJ?v+N;N2v6)+HVrsj6aXp^+~!QzO^+IM13pLlBa}GJfJtDm)h1xjN`SR^T{YweqI18hAk&t5KN}yg7(MX z6z2`@_sYL=^X#P%dL7EEwWGczODZjCy{DL|^H!Bv1<(@7lLEO=Bl)x1IhS%Q948YWI12thqnt$h>BqKy+q-1*gNr4 zv%~Cmc&}F;{^C(85pJ<;-lLulFK^7=Q!A$k7`MXtgmw_-b1?11L$pqg*#{$(U_KT0 z6~_8u^sBSC#&Y(m#j@tJ5zT93;-=WbGGMtjAIm2 zedkQol!14up#<0GOb4Zk)o;=WvpzkV#XraM_a%5n*G-<{3R2aU32glgoZwo{%R3qQ z0*I@Db_Dh}Lw~x1vw*MAA17A)JC1apl00J)!tlc+_$MYO?WFZ^_wFO^PceSW zj0f$d?~U6`e;+^fi{LiCA8zCM|K>-*|A_e{_?>t@z6b8d^HFcWZDFmXa&D(9^#5Vq zCHC(`%Dr`o%Isc6ilfb}w@V@aeSRFR-x@y5*L+5(mNhOL>G*7a6?5@-jW_jcy;hlb znd?v-^yl{VYYHaJZEohTPkKSuwikh)jR$Veu+yI!!cE=Y>%xql`k|BlLug8Me*6D4fw zS$S)k|Hxm%|BKXSef#(ws4De#MODao%Kx*t;vTec=jQM6v8DWP zQH0cGi_!7;ztq>Ym1!G1={mu6W*Yo}_`Efz^{pwHzB>X+oFMO>ZSYYG8ETIlGHKZG zvRR*CoduKX)AgWv#V&ZBn>nCdLOTU1`T^hZSp*krAE0_09!HA*2lcXoUM=62nudSy zMYJQ)PmJ~=bKNYX_%e0{qB+wZE3o9lxE~vzhj`*ld&B{X)W5gzEZ)Y-UpN9o;W-wP zZ{i5{Q{f_W1b%brK#@n2(4tB;2JYL^GaH7oXuiXAA2tJr2_FFM5FBS_-ZTS`QN(i0 zaJ>bMSD-zP_%)~}VZ9}uf3&>CXhmBA)!Wc7hjsI~jn^~lkfN#mCDOfIRpOQzD-YC# zjwkk+V2-Ccl@C)6N{o4kj@LUqINX!FYG5Crf3=`+|A-xzJUt)(+ji;E*>fGsS@CIO za-5i*mA>Rp(o-WpN~>$pzPKJUTefVAc>PyBtv=v)F!Mt-VRS`hfmc@=)qC+c_P>~H ze3tV;XAkQ>wk)a-dO8b3Qn~EfnmO;pslKe;owmK{momKk{yBeQP9k*eiD+(@uYp;YbC&QQJ459-6K6C4 z9iMbhlcMMRx=E0qAjS8?almcV&ou6daFs4BX64s- z!Ws_#6Q=B0kms^_^Uo41csI0Ca&~4YuZ>O9c)0obo%F_Tvy`U_UMZ2p%YYo&G@lup~1;? zYTuy$9jWQ1v^{2Q#jJdu5UK~hJ-+@^6(erdVsQSagjx*?|2dEHZ?q$s>sX(}N#E?2 z-K9^T!#wUr?Pavf(Ep6~4D)(h77mpg@mW2fmA1E=^7GE{FN56z#qi^SnMZVIS8s=_f*m7oOmf3-zd21xaN=53YG{x< zIP>kDy|(cwS@!(+kC2=aS{H=t4c}|3i|o*(2xGEY&%dNQM+5AaEf8LIOOb5cA_xttr2Gar*mb$yZVIKjC&{`_c5)01wDp%|MwqF<~GQcU+tl z@rc@^eseC52B_U<`5{8!#=ITME}nMu_`hxAe#}?7$)ne7E|o&ZaYgOX`s)`iKvgAw z^nt7tl6okY+xln;^s})CcP$(5AA{qp6)61B!oC4YH*7E2{IZSg94iVF{oX||ANBgx z)>DehY~X1yN87>xJ(#^IY{LB|bp-o-;kuf}r^~&UFLm61Wi|QFo6e{6U4)=nTVJO|A0g^} zq&n;4HK>twl6KF30ReTVc-s=<$)h%(LT7FUK2)~q>@4j~Yubq~1U4cEfX5SbZN`}vu5<1e>dcvf^?&&-$!b$bbJKRC?yTB|k z=3d&F0#elT;jrk^Bx1L-@uaImHK~|&Q~g3w7FpNpVY)Y82DZfW`n`EE-Z$}%xV-h4 zp9?G#)6Y3l8pWzlF{k_)*L}}f{gdZhdExZyO3h7A^~wLm+-X1n-1l=o&vW0`eO>2xo#**F$NQh(tol(*dCsuDg3HwC>&FEd3;MohsXTL7l!=-5(1$Rx2f(@@D zG;O8_Q#%;#E97Bj>JJ?%r{ts>o*#Beg~yAfblO`A!D`vrqP3lQWQ+9Zrn46dz;xb^ zZ$)eK!2CS#(2sqou))yel9hio?b}9q+R~SCYdMF)#(v%@6{c3yF8H!x>`Lb%TcYTH zZfUkr4%Do9?|xr910Fd|-E(+FG&ovIZUw57IYt4*v8tik^BSXh(-`jI#kXLD8i8DFOq1^9t_JSvQ zL?~%X@Qex<%6G=>>ugWuI_gE~*hpP%Co5`qbt;Lkn#t%lIv%Fay(;+(OK$j6`GL4s zZ^E`5cHuI>I;xKy?@b3Zh6(1G_$3VI7COhW;uXo{+9tN@>_rg->orVV!{ovhbbvX^ z1KyvCnQ_m^>U&gAT-VH7J*mi(@Lb&H;_lYPlKXa4{_A-vb1b@e5wL#};^oYGAQu)6 zC&|*2v%qxyCE;0KD%8J5d+USnilA~kKk{1j{VU5Osg%F1KJu;>cS8z|=VQLc+VTsl zeE!ZzF6jZ8LuKV3Dh1hjNl@a(?i!?H^~ z$(HecPmN_4hI6|Kf=D`QKxArRw9gBNg!kV^PdXl5E?0vt!KVZoLb#iji z_73jK`*c2U-Z0#?<4_h9exCj8e49C)|CQ~}w<=Yc5YD91UpEU=Ai=Zp&4M|3;C;-m z#NITF+Vf)%M<2X(N~FiQum0EgLRTQDeJT z_BQXvuOTORf18;wmX#&+pO|&Ex!)5FX?QnD9$8kH%qgn zUFhUNoGhC1wIdG^@+0B=y*kn_zWRkdNXk3ieE1}sEFDl^aJoF0t~;sMJa=QAhUhUf z&a4Vdo*5e!-;52-pO_@RrngMjgMJ=oz3kcA!@dOL7}1=!erz2NrFoWhLEeM8b9aN* z?ud@eo#udX+8hUC$E)E6a8f@KMwD)nKJ!-waove<(_`7*XYO$j9rcpyuuulv7k1Wv zO|oH%lH{jp_nlyv@5q8F_4(wR*UyX(*Duob$J25!QeGv;uD zG_OhDuc%$6a(5yjGT~Xs3EFoSdA2Yvvs-Q1weL!b!0eYD%o-C|qbtStEB5-Znf-oE zaTNSM`m4-!Cr$UI%9-esdC}I?Z(`~Z4Y=DbvZ7Wm519EfC*XXa@9F5}Ex>EHKI4vk zB&lB09sN-_mJIZFEa2EsOK?5UFw(kGafrc_(cWLo|3L)mtFw>Hmh)iwS*8#%bXQ$; z=T(?|_0WXaNEMBjV?GeZ#n2zY;~^<+0cGV0z1Y0P6) z%Abz=!$DEHOrgdQ%9XPnYxr!)yPc9_ou=L}E&W?#@LO-lwT|!*Of9DN>J-fd!H}4=cv(f&I4L*FDyk$>yPMcCV1<!~uGe7HfizuS`n1`z z3fL-Et6k5H1NKU_v7=i8p}{^U?)k$mvVLjJ?DUv$`kww%@7n*RcmEtC?u+@Fh~wct z#CYk#Pv440D>GnbN^)Yzyc2c9|{ zbg1N$55?pBJ%u%@#=|MUhO^`s@n@0Y#OYT_?rA+!vbONmOyfy+VM~nE+aHRVj=QA9)%(qti~+3hp+u=ZJ`!!;;%OJbF#^Axuk0Cx5(*R8(=K zvi%c7aW1`0{0(!?XTpPkmL&tj$>1?&e)Xb;GXtlV&yvjuAvyJ#r^8%=0O#Z4BTsfO z`Cu4GPa6vm4q@RxZbZb*M6Eg?0P0;kE-q23Bx)imTi=B`vhL3oX1nZOus_6%We10` z?0j7)Tb-_wzdeWchcJ*>GGxM0%KBXka@J{c*8OD0@3DBw`%5Rim0fGYibJTvcBf7U zrH7ATvq}4txV;RX&#dqnfg2x_3hx=55zDebBk_M)#xO z;oCLsYLk6I?)H;mDNQ^0c_Jb`{$Lh~mAn^tCD|1A&D>P|gFBF*zgTTzdnxftAZS?i zyzE-$4e{Q#_re(cYtgrOo1_@nXqK3o5^m$0ov0aV%QV1eV1os0O8J5vetg3yG%%y?^Nk zC$le2_5rma&ag>ey;yM}ZP;;#*WuFMa613@x+_!Xx->xQfc!DFZid{QH{PGP+LVqc z&py9RZ%*L747$+@`|5a$h(OP+=CUaf)Lxz)dpGrzQ4K3^-kACs7_Y-RYK(uQea+Mt z`>EZCb))AiCk!`eSkOMKh|}S^!Q(deCo9WrFVeVKVB|`bYdSAjd29OrbwA9!eq&;w zwshmhfNh}GSKTQ%=P<>wQ2&2^J!$5qpUI$kp)b#DXE^x%(9T*XuEOGL*~j4j&GE^b z>qYPT!VGhn!EN@`-oZRUJ@2+R2=}+w@@yGX7{~mtHs%MvmkwuF# zgp>TK|AF!sN5m03<{P>n^{ghZwzk`t%l+ZG#(E&tHkSn zwq42fFOTzNteXkGFC00$Pk74jP9t;YD9L;plO`@tbYc$wd`gy+j)+b)$bz8T1KWQSLmenUklk&w6&NRIT2r>~hzOyn44&=(_$%osK)gtS-eA}vEvYB8M z+gV$Z8oSlhav0D7srOV1#qcMr>*Q<5mf0N zeGxO~JlP07^WEE&p-&^LE!~m^dly~hV^=>#ajJ)Fx@I(o zy3xFbUAa+iT1OIz;;Q*UJ_gn-{jLK{d(oKI*&r^7_9^Do`laS_^M)3XCq+xgovRXA z&%YA{hIh6`zOw+A{!3HmZSw?P`;}UAI?sc1x?+=UfgRB^nycmZJ_2e^Kh}QdS46r# z>8vkYn+rrF{qTzMVA%b6RCOmK&eb{?Jt59k4iNWPxKhcB`bYR4O}ThDb2EZLXYJ&^ z7Veu2T;uTVT9XwdE2r~kr;8c+y!1O)MnfFcV=cWqcvLGw;OjAi$4`%&5ed=cJBJEx zvi6q_#VMMH6YJkhD+iAar(_s3bU^0!p4(6s0=kPW!WSi&!JAyYz|sv* zD4%Px#$9vqz#?GZmv!Z=NhXc+=e?0!e7dEI;=EXAEGB+yXMiXWQ|XUV=}!mX^Vv1U zJH>93&NIb+d7}vg^AnY4{4UM^@d)PRcUvUy%z$n4ZNIM4PJrx8p=P>an(#8#gil^Tg7-_b;e6YFU67SXA7B)W(Jc<1z!di^ZHYq)Y5UT*|GV~ux@4J z%*#1VAh=Nf;%3ckm|R}m-M{n^DV2CH^d$NL5zyeb_LyiUE#<<$?_7=txqUV^3O0t& z5|PlR?w<_0N%IGdckZJ5No4lMQ{V6EK%My_>08>LslLH&)*ZbSKQkYOOB}LebxQaO!@rPhc_Men7Br^N*&If)t|t! zLnJ8g8uGWHoba2b@lq! zjQaZ}=Q>*!9tZ4WhU*{oK8}BXj@SL$h}UBs0*-i|*(Wm;KJ&A;F0#J~rjCakKWuBJ zdH8qUo8B)!Ru9WH9`k>!)Fo|+W5tu(AF}$aOM|Kwo7#2XI>7!b(e`$3GxdiF`YGW) z&1ViAs)h4|9nUJh#giVXyE?jS%c#AJ_l?hob$vMEykNdA<~^c*WWFb52vM#wv~)U7 z{jZ^{s@m__m5{Tq^qbrKpuh4d7`$C9{&yU)9|gXbgQxqGz4A3Ej$+~JaaU+wE8QQ+ ztA+J~%wro?9^OW95bvD18q&z4m9kxJPGRJ_smIi$`E}%1jacLgy($QDnrlA2=M#8F zt>n76k%7Bx)=V8*djr%|G`i0$=mDgI3J!b z)aUNx>Lv0c0sSjx9He-bd((bViDW~9_9)J;R%A)imT*NDUz0vOpD*U-{3MsYKjSWL zA+y_OApCsw!k2HFSoWkP$Rs{{@Jcuk3`6d??vHDv^-$QK0{sY-lc?{Rqb9WznRPJ8 z8>L((94Dt$L-W0ySu)86$lMa^y_rA2m-Z6H<&wjIvZ^?K_Oasgq~9-&W0$3ZQaR`_N}cGCSs$R`aTAz&xMD3X`r0KhGi} z8y|$~$hr_ok%qEQv#SaE<%oyj=)b(CTYhf{&Bw@`{Ug$aCmOOk%~rYRzNXKC@`^cP zKgWN^+Y#q>6zaVDbLC}d{Y{Qv^UEXbZFAbjN~~$V0j^htmWhF5nUMtTeoMZqY+058 z1moM-XHAyBnRo4=G5qB7jI+C$1mYamH;zi5qxmRrzw3@%)IA8ADb63Js;1EWxZYK7 zpz382^?Pi!Jfa6o82!9`9NqKxA7hR7aCi7Kw+y3yFZ$z{4}>^6%7LBA&3)2icgQNM ztM4NI31#GUs7i_zg^{=KYur+ApQLdu+=op0a~{O@3okHa;I^ES%Ca(U#iXA%&i>}S zLSpfnXJAoYJvllp`)i1=HPKyYD}7S7fuQ_it|LQOD&O~g{$y_|$C-JK9&lCiUClAG z0N5+K(>Px>hOTeX)f;pKHeMyz9~yCdwy2r!lIM8A>wk_I=(o-eNhy0C3!^=;iZXk}Ta+R8%aGPG-o)H7(t88=kD+==3q+3T&;`5>#*w zWz=&9{LnV4q3fI(7mMam;jA66tb6pSUoD?9eLA=w zgIl`EkGodiB~m#ir>?!rp?c?uyJADu9yd@Nw$!`l)k)*CXt(0{F0Hm)d%h_gdX#X< z=y)}dJ8w6C^}Yo)_lw`ytN?=R6YD_-M2i!Dg#&E4AZeH#Y)t~c>Hj8uIm33r`Z9-|{X~ zQREMgTHlYY4rB8fe4Z<6p0P!R5f9lnGG(4=aCbve=L?Q5ivNa)bj|i$l>i{wT*n>c zN_uU+D<2@a)Zc!gUUa!Y%$rOs;E`zR2_Yt{kC?a_J_6*W!hSB7^ZV}C~Y!dtRA@GhVjl*wj zJ*qm}`y$L4&$q5k$t2ktmP!$JGNf((R_7^JC14mIeont5imW)Yb+9&54tDH)pxrdt z1oqsFo~-X01d(}F(V7*3BtqxW)TlCNGI!+kDl?H7*1Qyww~LZSg_{dW_5bXtC(b4k%)i)D9QbusrwWK|=)3-OB%b1gH4goATc$H`qwy83I=62?0-uxYnCUzA0|C9UB5(fdmTif>W=hB>t^S##>5;2)=&ZNICWSn^Ac%CW&d3q!TGo1iJk z7bhg-M9dQ`cIOne!3;LVdO_}RB3gU);G+^oJ$PC0-tP0&RIX-iSk&`E!I|cPH*;{_ z{ubg%?aQmC^|G&~=aDC01EzAXzCb>P1e{DAjv!x?HoLuEeT(Ji#gctb9>$~@2SIx2 z>yq}CODsHCmEyqZj-02il$q0hoSe>^b`BkAA-5)`33+QjB-vtu%AX3{S#|}3hmjSJ ze;Tv?-G!A&WQTd}ljyj1nqP`>yT9!!%-cfwg!-y2>5lxoWNY5bK}O#lYz{~6AD zB7Npq62)tVEl0+9kNd!yWl?KGKPH0d_PAcQItDMfACJ#qn?&q`A{kM_Y1uG-$p zy@fQsf%Z7=28)f{x;%v>q8Ci_lmSF5b&o&0gNFTDT!d}~8_Ii&TBr_23vqIJN^%m3jx zwXBHlZ?5qtNvvlEm;LuVZ7klCjRb1u`3;Xk^eUScCqc(f}DQbUZ zq(wDsIcEhecV&vw>kmL*_2BL~7p{T+*qox<``t)`MB1#8f*i=aaM|SLx+~=D?Huh> zrjBH@{3QA0!Z@mT5YI(%g!`7hGbudGuK4& zmUW$_bw9}4{-5K?zdpD6>-g`_@fb(tzphuNc(H@^l`dJeM|6I=8~cTo-VKt?GDDwq zJGx1($(&(92L9E`smU#P?kt1HX0BiT<9DR-LxNyIV=|fb?)a^}dfSNGM79iIr%f(!-z>$NXdfFVem0TM_NmwlN5cZx_VqRm0Z}lJ;&^|FKBu2 zh7X;oCQQFNh~;lefx zGUbmTRQ%v-dF`*@=s6v{fe3Vf=hajCd22Up$L8?3z36NJB$r!>B~hJKE5 zDwQ1m$ctOb;AN`>$E$)0f_0myuQ4CgLnE&sC07n?;;uI&)X6gVkn?@FWSnE!yQc`# zzDg!LmP$NXR~`W~?7ThJmNM$R7g&ENa}0*KV`^K)?jHjgvnBQi=Nkamte&$rQra{> ztn+#P2p{7;VLSt$6Gsts-VnmuL6|&WQt*q@VvLv3f0!wkb-=aWRe$*<6{yWE%`rHe z0Q`olKDRk)!JY%I@tGNQ1pOP-BPj3C-h5=-#A(hM1G-xsW*nFr22v@l&))q=1b&nF z?OmlFFuG*LPpzIhic?}8)(O#;9SL{s!2PNCNVcjg%(m9vHs#!Tg8U<>S67wK_xtDT zdsci#gW9_or@=ave>=wWc;9%8ycPIA*vE+aZ$=--uFcV4*|A0x_d}c#`y=A-;qRcl zz+?Oz{WR2TIG-q25yx9N=g>OE@6W0J#(7>g{mHzv6UZmzNclprZVZ2q8K+UCati+! z^NLG4^P+>UV*lC6yx-fN-G=ryh z-SImsI8%tiYVj?pzb->gg7GBtP2t4VKuqoJi^Ijskn{XCnHmTkFIQ0VMgFDIF8J6K00!&;b3v#x2+!|MDfXAxC`^NlJz}$yp zzW`?_qpmQSM{TGWQqJw1X>}kTxOv11`O+T)d*q%2PP=X4duNu8U3e+Ad)G^FOO`G) zr}2@~t8DMOJUa!cE1K<#mg%tYG&PE=VI4H)ld_-kFU@gqBmWGDeqVOT2f`aNPoB-p zqxRCe`~~{!)BPZ0$WypMy zE1+Kbw-NJ2@N>kw|82y1z|Zk}`$gv)yu6|bCCb+QW-l4_96?0jm!ulq=UA_b-@`Z( z${jpE=j>_GdaF=sC!?Ih|7FSxHNbeympdvymi%g^@)7ehFz$l-0_8mFbCjd&l`U8A zUf@FK8Seu}v^VjX`8``&zl-u3^KB64Kso%M-!r1?4&^NRbvO_ByvVcp_xG9kLdO8( zEcl#wU+8~f`~sg7pC9v$gzKuEMYdK`-U$31lv{s~sOQ3tj~Y}L?+51h^J#nwx4Kz2fZ>7~BYbY53Sw&tpESkbsV_WwnFyn3ybW5;1D z8t=#X6nuZ$LO}lsXxt8P_LIpbwrgKZc(4@{%u_ACJaoIp{wB+xM%-Erm~po=|AKFe zu=qC)Q9f?W`!eT&x8J`Y5U~QiB1VLesZo>QtXH86S6jL^j`L;4XCZ(+tOcn47A-$syCbXkT0_a z?xzk&(EBbjm799R(3o`Z;uf|~N+L47du-f3=Md>f%WYR(_k;HBX3HNj`hgoKX^9$ob1e-#rNlD-X3x z3)DmXK;iXG`!B)AXWR!rezc_cJu?n$0Sf#fnTpqE?Z^6d+(&^GOa!A!}D$$N2o|_{MoDi5;h9h3SAuS z_^)^?ts9TI6;xGFPO2x~jxXgaggO;der}^M;G2-D8!_xBZ1r8Ym#yxi>(+Y7z|_XB z5NhW!{hU+eaKsnbBJ2UON6#%k+!#Rn0%0Df_Bq{_9G=sFaYv@#;zRi&P(BK1TR2Vx z8`J&ttMz!w8i6W^8Q0}Jy*(NBrz_o2&G=J?gm~Bg8ZmB`KlWJ1DjL- z`6lt#vC#kLW9yn5oBhp_Nmvx;qT(BQq-$o&^rUUgtouJje>db~?SY;(*C3krjWj#E zKk&wn#?BIm0O_+lT_?8ql0Dk9o2w6pfkWr!{8p<>vRSy-fK#gtY*QM2))YAs4vFJm zSDi=$d)*@E6)mZ7??`L$*Xu42+s?VG&p8e*e|g>0btj1B&k9rAHS)Ni$4*9HL8e^P zg?(H{mxjK3?h7Oz z{pJZSJ9vdeix@ptfxRYNr{riKXY?D8-^1p?_}umx`rx%XS@ls}8Oz_$rum$o z?q5-U&d7&BJ<03?Y(w!Xtgm+CW51-coJrBd;nQ5UqN%0J(8xjWIkxhqLd zt&AwXvzj%+Rs&qB@67tV3PIwP!0*!38&LV_)dx0j526PjFLUGv!`^wC`9HpeviM{3 z8TnV$Mb;)+Fe7f3+;AYHe`NHx?+05W0D0V&+uN2Lx|K|pES!E&Rl6L%ofr-pJf;T8 z6+T|SSC103$Bg8c-rkrKMg4la17|tk&%8%44-;|gGKY18qrd#f_IWSgJ{HiUa=}hW zURYPCmf-K8-k*}USv_n=IF;AK9iB%Q-VTH@#pda2PJ{sd55~RUN^H;0Gqj@DpIkG) ztcN|F+Fw3qqu;s}pMdb0ccrzGZgk!K9zXxuu(kr+2k(CmJFZ3MFL>zJ(=$Nt51$kL zW5l)b7)QK+#3Atf44dwUBFc=uV!a=F&SWP8UWax7{yy4$Xt!v&X$bDN3!?lQXlJ6{ zL;hP_*Jv+y{QM{2UU4RD;rUSAf4}{&{>~btroT$!+>_Vj73WLqX5|_hpJej(X~7EB zyFr?}!-yoDSYo1NL*`xN_<8ffO%UfxRPWwU2BJPK#&0IlK`?&dCEd16(zIYy;(f3K zjZ@4V?wKw+m;@i59PB;O976h5E5&yVUt-}MdJr%A>h|Dh6sf$Y`o$$D5GSD@(RKR+z{{@j=I(=s8w^>I`mqFw28e{PEO{Yb$4(6c>X z%o~Sqz@nBN^-Fw8p*DC}n7^`3~DkD=5a#XPmY>mTKEpFRK7<_$}>Nl1pi(u5m4 z=6!RI9wmAnDaBEo!LTsd$6{03w%^$bD6E;S!C9 zrw@3C^-Gqp&KY+ zT&LjurLOJ4jC}on{FBWFr$>Rk$=z!k1{pjVs+=dXVvFE70eAHU$KZ12A)8wvJ`~qP zd5ZW1^5gL>)(t4gQv-pU_s{Cs*wKE=%s33A|9WvDd+e@WI$s!{VUDg;k9OGpY&~EO zMCsg#*$MK-WS~9#<;LZ5Fm$26zxP)MlsB_KR^z!vmT`Tt4v&o`ncdNLjz)#h_1kdz zbl(V89FI^QW5iEh89c7Na;=;QsX0!FGxF{hh>nTR-gF3V&8llComWGcaq3${f#1!) zqQ-#Q1NeO$H#u;hGOG8bpJTsE{JdGPM=SW|RS;9M*t_7K35Y*9rQBg*$jYPs!;{XO z$HOrD!UmJ{U>oQcvlI>gl}KclZFFFJ$Eb_Ee>(5T>O#=!ms}PlmjK67*cX1tE@$P5 zy2C!pd7s`Wn!*a>=#z71cEjxifq0X%i8SvO<6Ve5;xUeYpJ(9x-L0P-Sn@y>KD@oj&9U-5l}~dXUEOqF zClQdR81?&WQTD<-XE(}svvHo&d^ssc@@@NTL%S0Zlve}mGrELl#6@VuK|)WW#1}@q zf7upiqmQQ@py^(Er(B^2@cB%%*oeEb@=uIuUZ3i_G49&ULo_cQaS61e@c7?GwA+|* zHdSa{cfVD)`VX&hqk`p~pCvb;Q&Z}>@cKY9dg9}y#^>JT)p3g@b2{$O|HXaw{o%a1 zmj=DzkS(vW?b{+o{bt_PSC5Oy(5#aoF@v ze({@COQQ3`u0v(~x1DSEC)571ieewtqj&iL;=#CX&pr{lxwBJ&a7IKMX`BlJKIPWY zY1Ko7uPs?@%iH@zXr_DnfEK_xe4L(-}^-T+%j(Vbm@7 zPI)IS=1FD+Ig4L)W9-8fcGvFKClikKRu3kkL#aL8B9~uIPTc@b#VoN83jVPFgGz|{ z&O&HvJaho{i~0JhB=G91B4N%3jQ^H)S``--$Wd60WQm0z8dBO z-w{n$%xkiyas>VL?mh3dJQ@84@c4p&@Bx93rmVP}4U5+(8pd~AYCdjMP2;d1CG5E? zgt95l+YPtIK4@Krycf&&s=i|*O{VdmUmG*}94#4q<3SkwFaKl2{sC9tyijgt^kbDY zP!yWqA44#2nYsV|*j>0EaYX&DfAAb%-Qb2|WS(P#U|Q*guI z$Z(Up8R!*pw9acWWcf+%kZJJVb;VtCu+Er~&V43;ygKAnCwI|_95G4rU952)juw7>aU9^bl+R`_ymoY?c$D^Gx6RH=8#6;9=-cC??2=D*LtZ3j6UQy zGF3N!y9yG{Q)eHnYbSCmj?PYtJ4e>=`b>T-YD(*Ug>G;v&x=VRyd%e46`lmb{qUjj ziH-uo)bB?r&oAPI%ziCRWR?%x!P)1>whPa^Bc`I?yg7!IbZ&h zstn$i=nr+F#pajE-j3iiGX)h0ul(Kx-BRJ?o~GIQgn&GP^$dt7A+OVm$o|aljQaJE z?Ut6Gq*MU&G%?SGnYU6y6xU?*G+zxRxNmX&yzU)&5HhKh96DsVEOwYma}uF+lgL-v0NC-HM6{@?#)xGUnA^iA;6RNe_p@xdV6m*EWE=wOaPt)L6=A zhx3N^13nj@)yfZ}95t|S9ryGn$1GuDJl4UAr-YTin@m3LzFwGgUIDBp59Atgi$Ulf z-b`cROwiN3r+cD1koFsD^GpCw*I+8Y(2vDDU5qEpi8NM;&`PFtcNqUddGv4N{xgrd zmfKrXf`Ru+*IJN2ik>K)nK->W1nD|}? zw=GK8b=!^lL&$$C`&stBkY_s?*{($%o?`e*XN0zVV&q2^^vGSSk-P@S(m8}29u`o( zJ!Q{nKV{zNz})Ap=ZobovFdg0C=a5DM~rL>@rENt8Lu35&a&_!3pko~=F0kG<`hrB zb<2#8`qT4xzaKbDWUTmKg9Oh}K{kg3ntzM>3wdo-E=iOg)At}j^PPHKX0+41XS5R# z$K@^D(G!o z|2@n(gvJ~3dW_HJH_RHc?^0*s{tAHdh<*2uH!<zMM^ zoe;ch zt6}+FN2&jXc^z3A{z2Qs0wB8JPFqJn9Aw|yrvB(@59@cOp>~D#tNjc)_c?lY_qoyo zRQ@viB{6VA7LM2|yIH{RXFL(g=joZnc@i!xSn!E`gB7)B(T>yn&AUv59a!~sT3|VJ z!DynE5r^&n;ZLS+rt)mngPxXjAAizgce=!9QUT3d3l0yAot2jY#@yav3*}2$ez7a? zZ1GFJe65hx@7xX8D{cn62w#Q2^`Q9prJbQ^d#GOI3uj*vUG^EY-CwZjp4mz3qx4d> zt0EIKY5#Vt`)8Ya_obZsc_?hQdMvWegsvZazvB=1(so^Sh2rNU!$Te*57KovFh?rNCy88aiLG>KUbBXd1aT_MS zbd99Ohj8TVsweY4MD#msmZW{av40-s@!e;8Z{1$2PvtxAcN`^pZyy=$ZzqWJ;66k7 zj`yvfx_ily&lllYklfM5jQ$|Vt2h$BIq#cn5@3F#OH_CHVQXs;W3yIg+gC|(5WIh8 zoHU%S2b{-f*ESw?!q9vB+CE(=@g%keWcS3u91;*m%*GZ6(0YfDkM)#hUr70{^^5DB z87HuSPtx<_h1tB}C|9DArMNdyUa~1}CxfSUR#SfVJhQXZ9%af61CYsEFyUL|K=1dR zb@J%UmH7naiYHfF+>eiTj~#Mf_dQw7B> z56pce8T_vQw+_>g$^(@9*w0TmWBBg6k#y?!wtVoBRk4wSs7V92T>?DdjYRmB1IgN; zIPJ~kYYIJtInVz)evJH8_+E5UM6}v0Itbd6*hioyW3bOq)Qaj2jQ8MpIK}XpP(TID z98om0+~!Tpg+B*=x_6PNCfOxw_XJbFQ_SA=Ywo(sw2u~ZA2WD1SoLL0J5CxnrpnIk z)7GFkE6O*l>&5kmeg@hJxetp5cRVm>)ytj&6%Q%hf+y*8ec(F5I&s_|_zB39eW zCQ(4&zmD|Ad8TY;l$R0nYo-N@xOUCg12#J!fdw(K!08slK2WLwJM@Ek{f=D+u!;A2 zJQ_yhmq$J3w_U1ngCb-0d?)h^BI$QWsny1n>=-XopD`Q^TVt%(@;>y2GY20QccwFV zglD`}-w~(+HD?+G<4!7pq=lutO0tQ?y^GU*z41Zb8zY`p?l?`HKt zvTM$(7J9tAh2iP8Sz6jUygu)M*dWqgDG#*-gGBM=4t}|I+-M%UL z`bDCZ`sI7AbOGe3J(jTJZeiqsvAwR!vj>-@E-yLM8TkkCi}M{%%fkj+7z<+X(QEW_ zPILKr8wN81&mUZo1;~H5ewUwitZD^~yJy}vEL0QlqU#;kTlnqjMNyZHsNXW4wCcFA{lK681Itb>oA2;C2i`0(pS10&FTp&4^B2#|Fs{!f zm2$NM=52wj{VN2#MUhH!3?4P6oR^~U4D6ST@_(<1y(|%S0-N*K>=yqBV)a}00>oEv z9+1BQ^DJ?6I%~AQbgvz0t#gnYIQpl4joF_p7TDiRxmp;=s1FM4&z3zUMau6wPh9dh zW9@5A_&7Ft*Lf7=_8wH!JNy)FCrx8!X$>+5e*3Yk8A(?A8yyKkY0WXc#btI&P((Ca(@f>C! zu$g$rL!)VM7v;G`Kb$EqF>g==>I|1`3$L_+YkKl3JF+vW9?%Ob70g|hNb_xQ z-ce8Z2J=qngDT~15MOneLxfSs$jloKV?Ccd%T70EUJDp?9rQ=RbL= z1no!JR-LCm5;_RxVZ2!w=v%q{HqA>zyt&Bm^RrEH*J!)|{o~VPW9OV}GHD&&t(8rc zpH`*8M%A;r@$1ZqgKFO|lOO3UT-5*^uAc7^SMj2D&2Rbcr|HuR0M`xsG2J=`NiD#> zqqx7!Y<3uDus@;p%k(Lci-7nKP;0dBT@hnpxKR9_zaIn?qjxM%bgMg4Aujhfd|MQ8ny<907&h12_e z2(BZHccGo-s=_A|DzXduT$_0~`;Sw7Fh^fx?D>&kK>L7cw|Ie3l!hEZViO7+&l zT?9I}-x_+fSD*R`Xve2Z&GYkMzY1KFlr}G{h=LcL&$H@Qy`k$1*FTPkm*YCYW6WE{ zympKu;CZ|b^Hz{25q}r2$K%%{$GCbpHR$}|{=gA`2k{|Op2;S;0giz21LRk;lQnrU z&p@3OKRypvR8|_A|H!2K81D=F8>0Qe{j_#OnmtGWlxb|R=h(BDD7Yl=>|?(9P)gnfm=*{2~5 zH11khHz{b5RsxY-G{b*p&kg7tAD2GiTu;}Z<8gtxkG3Vl+tpI9-WMlA$)akvJ0Crv z&1`Lnw{8$C-}(eNr^zM`3CF{i%ibnE>r-jJ+ZSI9r*Uo$r+tLcU&XO*(Y?e)ql`SH zXBw-sZkoYr9d5RgsRgh!@^@as#>XtV>ql`|#A{GqVjUrlXz!w4#Pj$)%oD`_Uw8bU zL+aKlV)t@i#9zE zwWCSZkmZCtn);^OP|AmZ^Z50nfQI zaW9ac)|U6cp@hbjJ&WrNCmcd(JPOwZ;@X&3hx3Gb8{?Dczo5MOUnBk=^E#{ll6zv# zqu_V$6R99!PJxj^UV?_+$P zGx9t1YdSM1u26d>!%ic~g#Hia#p8(j7oVg2;0l#JxsmXbttit~N((m2oY~K9=|K9F z2NQXJnb7~oc{(<$t!LR|Pskfso00Lmn&Mq}Jzj_R*YWGi`?J~x0fOx=vj=Sl8#Os*zb(NmS_x$&W^NM)M2A)Ujgr0do8rK)@o3%CI^|pAYK?@b@pw{-BU#SHsGy@S^z@3qt+x+zGLza^zZ8?6*Nl zBNh*YE2CrXz8QqU2YSNtTcC%o5-{Tfp|oH9sIp~1#9>Cioku=?qWK2Yztr3@^-AM6 zKUnxJKYM-2af*|VEZUm;i-C)vUxn)d^$gmzc;8HaQI+O#Auk^@ew@s*KTVx*n zQ7;P#FS62p=3k`#MZoxAs%26ieXn>Qh=ausaffg&@}i$(T_H2>&FJr=^8SWig97~@ z?2{sv-J$YGJ(Bjv+u!)ozv-ht^>eXqv|^!?`@KFO0Jz6!FcHUvq3lSPPL_Y zsm`h&V`i3t6gNP*(o+42T=qUk^*ggJGlImmTCWp}t)cN3W~x3gio z|1~~>Q)hBGyxmE@3*O%RlYdgR_T$6@`4B2UoOcA|Jq{0~b-DN+nSQx9_&ypl?X~+t z>o0a|EjgFX=))K8o-$pz_9cnP6D)c7|4zzEb%v3s?*N6_d0=FXq=Ec^ls zXSV_8H(70qek9TLjDE}1o4p-}GO{SIFv_ueZ{9Vp+}}avBiaFBUoM3YwccUP|3P?m z;oOrCCYaZ9nCg9$kLb@RE%4;Nyrc+<-)=a4tv-~6PaDwvJ8u8etfSl)yhRO5-IJ3E zTj_;~r#2U%b(Z9w5QBJXN2iP$`PjW~CXMy%yayP3un8icMZX%2vHEt{z|8Lb&9Acy z0Qr#6KI0JMUmoa>abh9Z*ZHK}ZG9+<56S|16#I9x*A>zG(UxmaIK0Ib+$B?aUL1~~ zxXNz+NehQllpt`5Tu^_BJH^FuU3`30d|D*Yk@AIHF3Ia%&3lF7qximYUfk{Hn@GER zL&fl>mXS%xP;}P&pP+&$;JCAen0hCZ^A>wIy7;RS3FTOSQ@x`^bGlpa^rwb^_E*{N zv~%5zeqp$7nQ>D^D(~>V(iff+?_T8pr&ur_b^Y-s7SWywoD$h25+IK|eO;?1aE!_@qf#1^arg8{Q^z@@)%8%O&!@_WnL-mfD?UEWe&Sio{h-$WTa}tb1-7%Y&mrw0)oX1u>vA%qEckmiGESptg z1w4DiGTIbU;DDr}($)*T>HflffMbmGZWjms-4L{DlucoyDBUM$ z&*qg@u1j$efdxxbhL^260|Hm9d`--3=S^gZRO5nQ4o!51P== z@qWCE{%%(6rOj5v=N$N695s`mEnEuseSJ5!>@;Mr%&n}>4n!H>m#yzgVF z+@IVvFSq@E6*1E6$+MalNfbY8W^IieBUzQ7qkOIpLtlQ0ym9U@z~miqQ;yZq`fkq> z5$hSf){vYv;_5KVl@(u6CCI<`B-Pzn%g~R?>mk#g;DFr$!0dM#271}=Vr~^Cz~;Km zp(S@eStZ`yiHo_trR# zJRTxDY5ozjj^H#PudIzmk8){@ENI(=kVS)bP_r#(?Sz*(weRtH(EtB? zT=~6Gf6dl98sEXsQC{PS>j+1@?y|HQXgC*>iX!>*i#07s@cJpoL&CyYymMx>ZV=_D z*^g=`ovEv+e%BF6G5GN1Ff3lv*l~JxD78x$ABuG9C;K5>RK{@6+${Qj@O`5k#AD1W zLq7`n(Ekr>Zyi-t)cg;lVqsx72BIP&D2jz_K|nC-$B_^O>2?Ol}eP9hd8-{kITDQBm8n zsp3r)!SfKu`&S}P-Rrn1rG04<9iK~v#OFMm9!l*>#66^^*ZX`~dy)Eucz?}rjIMgM z`@w@awjIajE3oVcAMoifxje4s3!KqeN-m84EDL4_94J42o9f{n%dh>LOg!m$M>`Y8 zok;9{>(vj>QeN`K0SPZ#!sA%~FGlk;vF;)8t-SSbPfI}i6z>o7266nMpU1=x)LHT7 z37%SfztSC=)BA&*s2*pYF9*7Bt0Z|x1IY}NZ5ut`=fV8^rORey`VsVNT>`!gF79q1 zTAL@;7X~!Y?||O}ad;eOh$9X__L`l2?+A`V%$r5~HSoKX$>DBBJu54YVk^B)?RfMT z8vn&O+y5r<{35t6K@k(_VR8p z?Kv=|spmRf&vCrKw79f}nOb!Huq%Ets$*cv(u)^Z{;dRSej2dmjTMRgXtOTj)KwCr zB$xVYy%qg`9Is6OK$q^1@86R&e$kR{quqe^{`$G^)6OvJPH`PUS#e0Bs$8pv#^;#$ z<5`F;Q9QYDe=PX+J6A8Uh$jPnW|J@cievOs3TSk^7)EhD>|=n}d%$MwTe=14_3%D$ zoFUH*j!P!4IKk^N)Arbjr|I&5cnj+3CWnR$BVzQA-EbO!r+oHLhay0pf98Ei!*(un z$EX!0EPwkLoj?Dr9t7_n{}1(qlE%%TR|!sZz1!KG%C<~=fNrDyWUh~DQ2!}sW=wz= zY!Hz2^9G|Ys8nUqA1zjX_63@!t!jQx>Aa6AjRRudH`5PuCEr{pZ(jMvmHv+U zcHyncc4dcJ8aEt0zx`~8_yrcOqV_+e;yk0jzt_jI{KHd__$cD^K7A)J$*kx7wbKN= zGS89IYZ7T5Gmdxkzkld&j5XS73z%Pob<&t0YqP7l>z7D4&HsNZ?6XUE>M@!>hWG+g zpJ@OmUys7t)jDuoD|w(&-yd2R#i`E{HG(6zmsw1?)WKS}HR$?{>+a3x9$(V(_2Ib0 zNOsZrn-a;4e7G&$vUwBy`Zz8H z#*<#@wzpG$P>juX@ah=Uy^>oWaBS~F&mtLrdE6wvb za$PAp?`;&#XGZ%I=NqmYct2Q2XE48g&7;#7>3Ay(imdjZ-%0(8$AkQy-8hJ1UgG;iiTjzyN&S!O;P?7h;&oBtb^ew3eD&oQG_pT@d~;zJKx1 z1$zH)-pzY_V>N@vJ1_dD^v!&Ybjq_&9UV0j&CW{e=$<7 zI}=bfNY@#U*q@6Y{${H{-fxsRe=tsr{8j5>r6lc46?fi^c|a%q+A}Se!RIj` zb@rj8urkc&;N2S;>_zQo-*b0!82sfes9A0qIqiZ z{YOx8ZPYz!JdH5(tqiID(etf7zLrl9TARC+)KBb%5XoO()yooqw{1;HT|xq6$~|h? zThdKtZ|&Xi_*w_WopC(8n;!b=(8t4c-SKko@0zKvK=o&w=`vyO1WO=8$GaqQ#z53M zKjWhOJ30^0Za}F!s#!iK&k;_jH3(=&Sdcr~yH!8AN5CiPo$po(#(`PDV(sMvcPKuD z^^h?VKUb<*4nn-l@u9J*8p0ee5iIFN@P4uXZ(-EAxrP~8kh*1>OGgK`p7)MI>}3_HJy@*HpD}7w_oL;|b|CPvt$suI^eBVV^2zt6|j6XDt;?v*kg~-XR<>Xv{QN5z6G?8!pSrGE{1-R5K zPE-GFLj6rNc?w$}>>2mPa>RlH} zr30tg+=J$@YR${$9Wy85NazmK7wEiT%=WyOB%gsur&Uq}d789WJh={siV%{-<0`>#~{q|J|NL&&PV7 ze~&}E9rs^f6q)`@!-Iw2^3gtZ$nSyqc9;+FpK?FF9~@V&$&!cF((kFhs1Gv}`r|ke z&y@CD`Ab)$m1rA3it-q7hv6HA-Zgu@VM={fF2t(x z=J09(H#pI@Ea|#K0_{I&D73z!AupKrrC`QU&qI9m=f0OlDpY?>YLIc__|r+e-g1X% z)+Vud2F{Tvt##imRx{=+|MvEewwpkjbJkDA?TquL8m*i!?!(}pK0I&d)_a8eh2Olm zNfNNn!*!-^*C^q86)4>8n*mpSg;%(~N{0HOUs#r)H+r!Fi3^#?>nN3M$E{x==Q@gt1}_XRaVYfAPinN_m6#TX(YJrGxIT= zK~S(k%rv$X8csTKymie6#4G=mYo8k)8e6N#%6su4%k&O!9$Xg=Mo%>>DmX1c$8Ob; zZ8;vS_bW~F0`x{SeIu{sl7DdkwELO<`FYryT63({<2rCnOLgta3Zr@v^&{$W30rgV zAeTnM%u7|I|ATfZ?q{CIz`JH87ys3C1c#5G8>}Vo!s()Ux954Avg-0LKvKsOhu~?c zz*jhJ`|W`OKwkYh?>|KuE1x2^(|+w=pgctJYJ3j;)_B>xwm9(K7MN6}8^qEZmqCb^ zck?U>U63=s9QydG6Hz~U;Ms}M+Z3l0>Wo}+p|*(l8E%OPY0jqO9C4T*QQSS&y_s~} zZf(%6%@#Zk0?Eer6c4_j<9c%B4x<&RqTs(seQ~YxAW?f88L&p9ftdVUaAjUr9a(-i zV0xwC1CY6t5Ye}=o!pJnU82Hi4ry1q_zv#8MUDv_*|yTulHQls$$ff1yu66@i?|Kt zd$-eh!sNMhCeuGua=zUY1ehm`@ekw&v=@?_9=H1riU0lcLD$kSIzL)D;?3%I*TUsn z>865K!Ngyct3d5m75zP8r`Lj;eiM9mxIS)sy*ukuTP*d1us^Wc^NJUOb;aMX$=A-m?A2NstnnMjsw+^Y^BVOJj!zud`75}0 z4lQ&5tXJk8liX$Qm`N&h*q*2y$)*0Zky&1d#hyfJ7x&2*7X**G0ouhFkGAUZ_1e~0keo#?Z-$xopJGoPr1+e(^q~P<0qLyQif{4tA9p`dI z9pLtXmEMD#9mGz`!a8i&6*SY_3V(d-A?OD)@0XEB8{zh|;iVRM)z*}@jiyjMP3_Q2 z)!&T#gRM$3D?K?)8GJ<%0ep=5n#2q42Zno(!@Y~kqujiP$@$yPf{g)JK($a*=(ERl zB6(dOZ?d9RG6_FeI*6X!RiRTA{e5>-Ft#1=#l?ix8>`{Y8> zJor34{KODku-PE|>}?}#72kC@UDFvFeO8qpIiQ& z$wt?^Q_nq9`vpAc_3ga9c%5|f$>5#BbK72oLX{hDo0yU<;auq({7|NnFzr_zP}bhh zzInM6F_9YCy~I0`u&@5P=9I%{S|?k(MEH`qcnJMo_}%`Mvc(S+FW+;g_88WeAUxZ`9XGaes`< z`RzV`O7ZCxFiK5Wbn!H!A9SYY-(MpN)b6`{%~bGXc0A3itZFaa8=+|f%=&UI2;z}y zAIUU=n+K&{^Uic7>twP!&&FxN{M>KDjk!&%_a_BC)}LpZo>zj)cax&_&aNT97pwaC z8|FdxI`v&j=PF3{c8l@bb9R!Y)?b2NExkkLCYHE#OX^TwU6UB+=_(I%DK8Ah2jBNa zuCf>mg{v#7W{8#*(mK8az}Bj~p%6C8|MrWh%BT7R>k1y1*sTk`eU}tNHtFy=u&jJ9Hus+IH1mgZFK>Sh%}9NN=gL(YR4X zV!qlNW!06EwTit_t2a5q@{pBBtOm2F9?G1tX8x>m^#t`SzwL^!PxYlRd9{y7O>70- zpQr!iTj9!7($+LNbqaqP>Eh&3?v8#>@z%k)1AGpQdZW7r8{Iay+t7Fw>aDGv7mo_9 zGy&|Rf%6aJAE?)u>#8K{{up?<1fbTs!Qr^SS|-z(e)HR+FmVbJht_T0-lcL{= ze)VFG2gY?_SN`$4^Cg~uT;9iGqhuTRtYhw~PX_p3kgb$rShI# zgLMn&m!rh%VqP)gPN+A~Pe7c{HDKVi$!HXt_){%dvUMZR8qxuKDn-^u{_udBo3;T* zQfg^@74w!vQd+Z)7iAE(T7J&VKUt(Q_ROn~A6n_S6xn?}$AQ~{@L=i4 z;TsG-^-qax`|gh=(&s?FK$MrWT{qbbG{C_2Ic;@3jzlT(T}08#T6p>1ux)0IAB+Vn z7`5_L5aZ7IPLVQs#Hsl0C4&X|@FYBCvgPjpNarwrY*u0b=Qo*2a6YJ|{HWO_wmP4G z-61=CUR2H7X%G88ikb3l{Y)^f!<5Q24z%;~pC`F4S1GR8^KL)y$LRy)(b(rImy5Lo z@tTq+qw(+iJs^dve9MeErf}s*OY_VNafJDvO#t;tz|GK>C2S_JY<|z|f~Z>{+_o9| zO$T7hyVJ`|OP#2F(73u!a(+W6@b(rJ+&uh_2pEjoHa#c@v`d)dVby5g zTgO$wzkl5&ISqGEUdrR@&B&id{q~`zUg(_x_Gb~Mb%IR&!sy>OIy?2Ymo#0MnEt{A zx*n}@ef*8l!Wj_X2o|#7{s0lIy0OiaKM?sCQF>f6pAxgdp5)BBStld879`~hLT%i4 zu=Ill9G!H?LwRWpeP7ifY?TKU&8eS<^WJ3skuAv~nt=Kc_cQeY_D7e3@ygGOHB>KA zy9nR!mcX^*Ipa1o4uS96gv(8D;IlWy@zCF3KBoq?E9?voE|WRnORP(`r${^rCd)4< z^F`Om(!R5}?lbXe25(2Q_H9wOSTMZCpW2jAMsX5mJ%SThrrzOL)q97WoiX=wrY_bu z>;mHfk3epRU(h{b&v(ks7gjw^shZtkPW37B#}VBH;$~yYlm~$Moe$AIuE(XcJ@vx$ zS@|hyR8QgfL4N)vQ-sHOCs|VcD_X2sqA=f&<)83Flbum}o|Px;5#!{r>ehti>Qh~A zh514E@0lXkFZ#iX(9Uby(gX>{PnQ*&mC1ac@T0Lm6@IVul+Am6a_`amwrhTxBrhq) z(94RuZ~e#vxtEupH>Ib8&MgZEeTRHl^ij}F)JOrC{fvZId}=;454X=GoyQ^c7s0&V zfAKink2oZ5|0~fyHjz5K&GGvMs6HiKf0X?SY~9`+8n)jGa9qqtnZe`MA4To3%Uy3a zZmaXBxO}fE+q%9GN2(vuf7rsm>A5qb|H$zV2lARWDT8Rh6kj8sWIEr5KP<@Dq)`a1 z78~y;Z8!(*!e82TpU6Y$XO61kL3bcx6~PAUtZ05E-fvr{YRa-I2S^aweE98iM%>P@ zY<%ObEQ$*mN?M95GWtd%etxjEVsg#=i9Se7{J{vqJ-%{GDYBvV1KJyjUoU*yYkd;t zWX-wB^}&_KTR(X1N?s{41X#~=eTLJPuZBM0_hUOh-||N^FN$doO3?V*irET-MHLDE z!!Adh3GMQtfbB1RzIKv%h7HG4Udn^jCxyXn=k@4yEmoNB^!U(5TGknq)*tYJl{4N{ z->J)I;Xo=d%%j0R{nK@#l67(YvgLJ9pR}v%%OoAh{;BNJ*y;lEAG=p`WVgeVzY8lv zR6GImGn3N{v`l={SoIZ(G>(JwYhQ78c6!GZ!n8XL2*!oZ{`P;hVofO--|uF&CgvU} za4y@f8&gE{N^str7gzi?mUp7@0kp#c2hE#{k7W|9Kfyd^^aoJymgdTQtiPkc!gD35 zKZV~5?cp%%$1{&P-ssm^L~$*|LoQFZpBpec z5sZTacRBeb5vL4Gttjrx6bDV28S(MrzzCVV%CO8*EEd`e$_4fx@q^!T6^RXjsi3|s zc1`E1a@aRJSNiYU2Qclq(}C*YD^%kB{Xdn={5C6Kn|kwT38xGFj`dHvWZE-ah)H|x z%nlD_Rvh*m#huOWH`tnP3xaL|O@oul#(?}5Xb((IQ+qPCri$Vm|K>g6agw>!Q{c^c z2npdmyCBI74k@(=*xZd^<%L`U%`8jqB>&Kf{DPoki*=u55sACU$@abRWa{SYKXvqT zASGj@(EqPHeDrAQ{8`C%&{wWaE=byj`hgioQ)Ej6@<_zS{#nyI28p8nXA$k?)~}DRT{i51{H5pcuZ33_etIQauF_1 zQ@+KqJP}@Y@$qRszD)bWL|;^vU>9>HuQ_W*i>COn@`W_PTgfYPZDAp_A9^zN>{mB% zie;;sw8Vk+o)ux>Tm770de;c2hW)Eqr;};@RidA?`sEK{kbmx_(UY0ABwna9&Wy@b zp83LUHTP2$skOvs-pPdvJ}7{FoKeG&RSDr~<#@R%zJ(mP6P#UXZAR2@uJ(Jf(u&rR zt?ibcPVUu#(yb$-YNdza&%sIIsdN26i1WzIuL=>cmixWv(f?cDKU^x zGg0F8ox@zNSqq(D`GXUFA>v7xx8V5I@Ri$AGn(&hF?*ywFSZ0QzwVRH=8_d1F4Vq5 zeTDWT<_TbZE83&4e9u2>O1%m4s?4 z7B}^&4HLXQOA@vGcmpr8;yRKrH8T6~>^buE{VogSik!6LJhUvhr=!~tMR6(YPmH+z zzCUe6ZN4r9_upBy?`fKG0!x1=fyl>W+?G?#K`h=!%+N)bU>?%TUBhzHrA>f%0`{Fk zyy!*6nV^E%o>bo|E)Sj?!l^;)iZGA&<>7q}$!UoYVYXxP&ZFflyW;?SsuB4ce#)KV zYRE%`67`bVx_y5yDo*g%qMgO`=MPZ39Qg*251Y$g^6kC!VA_uf?RM+X+KnmNml=H_ zHe|1J51=?L*1>7&|9JL5!WLZ4ceg)zuR(cjPi`MAFS4~Ih*P0o!CbemLV%5RlSNE3 zaX+&4fzS?hIxlojt@)|JcZ=F{xPIgK!S@{@H~q4cn<13Nb(g*|3W5^Zjfo>~YYDD< zn@43+)>uZ8KM&=a7yY>iYX#3OJoLMQJnla$B_E(q5+*I(-*&^F@KeDGcI*u4RUYcU6*G>XebQiun;{<}!`ghLrPKLp^pZ9BQ@@LH_ zW4I*f{8u=nlF?76m}`Z4GU>WE*0y6q4*j3g1-m~sD@B31dSCH3Mt^g`p0Bqy8#usj ztJ$*AITdsspudXaBgsg4jYCc)wbSu=|5GZ#iPP3;bDdmi-3aDiBCis2zG$)5Ukhp< zW4;mc=MGg{eSDC7k|=wAm1A>uAS!dlrv%REB}|;Znk8=$M_uWo;kg+ws$rg4B_B%X zC+geDGQY2;{$Rwf7Vxk9GS!66YwR;=es{S^XJ;&p-!b#!yeZ!`+NFqJtlGCxz?bg| z%zczQQ~rw{owv;2HRyVV{#jCFi2K$ly)64m0tU7&D*H0CfclS29@#X4@xyb|t_(h7 zltEopNEbMJ#U8$S#&}z2n9=8YAU=>fIQasdFBnI`buVLUzp=#a7etePIqz*QMjzCZ zn;)FccYzU}O_ELqj{n$cJLx)u`ZYx%<8YZhqd&#}!7ui~n108@rSog)cNb^V;5xcL zjqpWugo*7Ara1UPURi@!)0^asZu^5PkxkHX!^mw1ga7ylS6=1g?heBFuK3xlNns>t z_TZ#EjU1BV(=2>!dMYf*4UAcKeIj1bovfl(vE?MVXgOXfX2d_WcO+PzAM^*6pFiF^ zXPu_@O>RWj=Ot{Be$D9h2aRz=?AksZn zy?}Kh&LOWhZ3^{+(9>-lYZ@Maw$#wKjgP89DA-`hwXPP{JeLKVt3prwYGSEf-6|K@ zax>u?&4Wd}8F4-wm+0T1-^S$saA$p=%XEEW-j@Ps-BPk?QPT!<{x=+DjJnw2=+QM> z4yVz)bIiZn(znNE+i4#toZAq(KRkde&3j-&6kO^3jb%UnrXF8S@VTFLZds6RDnb7b z^&9FNl*s>vc@u~)puO^C+U-HZ0_@u)OaBk~bG|*w;hg=%5>S3#leP@sHK{cdNpd;44Cu^*r?AdkfU zkKNzyyI50Px9y(cy?qahV02#ZrvhU}UjkOWy2Z=+GPaDqmiWF9PcXWdIO`;%4gqmg z=66tH^((C;SZ{{**4gTJ2KD?5o^zIdz5dfEe7wV-^*tSFUg9Sev4%fOOIi5|LiG6c zuX&9U%dE+X8xNP6ocCt+KQW`{-IHcdTg>nS75j%oy^dItCz_7yo<_JqOqyriv=nb5 zC-Y~ZRLG5Byt&wYo1}?T5PeR3UbOE{?{HcAEG-l)C)E#p$z;^u&-LFhsj`atXNddZ z{KUMBvS~K=$Y3YUZ^Hb%eV;DLPx<-7#~csCXub!|Bh)`QpU{3noDcm3 z<~%TkarTiZQ`7=k^*;d+?6yEbF~lDD=l$${-)uMi75Lr$+cwTa{2lLCu}EzHU$Hv!QR!J-b(ImQ&u|}i&eVq~LYt+0U+Ys` zT;=Ft#VuRn;S{4;z#&F`HR36j)4Ps7m5C+Czg|cjk2_C!_wc>re8+xc8`D)*%`2;d z9tdha+{wt>nY?UP+)g)|&!nDzO3pc-KX!uMD1{%g~qnfTl<4kY; zT~2mHNonQ%{tXVm@gwPmr)UD@{R=YW`l0^qER1|Q{wesgC%OG*=@ITKMn7%Ksy8DA ziVzXIYx+RjC1}ta-h9aWD&0Rr=$0b4y(h_Qef3NuIe_M`T<`y-RlC%i;*1uXwoDFg zHKutfLoqyR@3#cA?2SW!dHv{@p`VBI3?=UWCg&M=d8IYA*O=pDC)Kmat9C{5{wjIZ zB9dUtEhyGmLG?BBJ4%C}-a&JrU)9iULLL=_yeG)xfH*EnTz63ZZ~M`|LH&cgDu2Qr ze_QrZk<6F;aE0_=6}0B z7~0)4JBO?=dF~VYDUTeuzW4BseaE45a>nPs>2V;i*vxT3d^U@xhryp)@GbGkTTA-? zF|IW>dk#2&+?@0k;oGt)PQuhTI&>bBstw2N2K`vyPl4Kv_WbBu361m*2#KfxiKZ(PH|Lot7U53OIr^^)oT zxe{DAFqRId9kNR-do@@bFH2&DVNgS_f5qX4?1n z`wXf6MLqogRc6$ky#18XPYvxYlqE9H^JNcJK^NQHP?OGS2ic}hK9)6!B*^&PflP6V>@6CpI_<>zR->YnfubJQFd(#Id27_a}z0z=DAJn>wD3KDWz*F zX5I?VO;_QzuT`LX>C%l3ubST#v}mf-)>>H|T&b&>xn=c!Ld@Ui;!?^l}F zsekrviuURdXa=iC;e$IE`~*0jnCpi&Ti6V$>sA;H>)oeu zgn6G7gD?7Ok?46QKW95+lWmjkh{asG3)r^<<1+X?G`2OCecpNjI9mdxjyNdLb*iF9 ze0@^432?Fa0-64+1zlJ4Dl*>du_Z&E>C8Q=ju}$k2PS^a=%02k_;{tj1He2LCLWnf zmT{M6>y+qH{kc}O#XxUGBDnHM&3jW|%ixLRbBI(irt2|t{7KRGc!Edl>V<#-*7u*_ zCB?b~e4mKxV%~;^7{}~Sn)f00@S7VP3_lxjCX`rLa_+{gQLdQ*|KoS8S9xBvHA=HQ z9zuIE27mE55aC@-$L}9hq4o&cMF)1PESj(4K;PGtw5oW&nYDBq{Z)()?wvC_m9P0O z=_V!>zjk{gnl?^b*g&XfQaU#un_AJW3Z&on!)(mogOE`-EITQK_mD&@6HYiqIWY%LZ)h%-Sy z4S6vTSG(E#r>!<#ht3zAABbZj?%F+*{d7%yF{FJN+ac|lM(Zi?x-TYcf60!qruO&U z5My<@)7jvCOGd5fGGiS|_I>yFKnW2U`?k>hKnVHe(cP%Fww~4t&rR5|{DJ6A2_&m%$Xg1I{|0}<#a1qFzko;i2 zB!<@c3k==rwTu>n-cJjC%+^*=JI-G7(vpIyfwccA|M7X_VG$8zXpLZ+s>FUUx8rkA zDl3Mgd~#7sIDBB-iFbc%j3c$Y~+SKpCaf5Nmf9;6> z+{Qe(|895S@mQ~o^AG(&rZfYrA4($iMWh!qyBc&;SsH5lbEDpXhR$i7a zfc=U^t;ct7&}3p!+uXl4WE-!Sc~6L4}*P@9v01@vq^`1PU19l-g~C1QPY&oq5F z|J3T%#vh&p@v>9Tgl9&ratG}5gX8smZJn^z?><`3i}O)ua!jLaqb=O2ydgZ95kIk6 z9xT_hK@%d6|21khH6U2Gj67|j&d&X5?>r%>mWU>rgiycBfCN!KHAoW*firq zT$vXHG9isYmBf|ySv;TdrYQsrseg>~mx+5hu<$Yy5PfmF*zL0;E3P9??K%IPpAITU zmGt{vHJ2-XoSRD4KXE&ySK~tQ_r?9HTC4pX!AxXfYI=(?%{N+hc=pnlY(WI=N_;PY zZE_vi1->-zCGFhJ+@ykB5KB$o<2me0^__#^vtNy#jDC~?Tz*Fj=Ron6r6KmpCiH&` zBId@ux==s@S0_C8jn<;``)k6D=_^}bv(^y>nx|5utUH$Q&=6h?)DC^!d5(^EoZt4V ze0oY8Zo!($yX#s{1VT#9#=&9bZdzxw_l2NYUV;Z~ZZX@tRiOw(-0bG%E*l_I?ko2M zxPD;JIw&u(X#PSD)_+$W{8~=p%vOAQ2v5lT94@Kb#^L1n+*y$;{$^2JiHY-CgP)=7 zH@!kVD6QW!yecr2TsH2=PmOy*zXRUit%DYmG)@)%4}V5C#4SE}iU~AE8uEody-wq( zXumOeNi<+2{7HLG$W7p#GGcix*Na%H#z~7VFM*p&^&BpBoB+P|wB~D$3UEMk#lg+H zryWGQ;)=p^5dW4)X8k>o6Lx)~jsWXMGEWALITZWT`@;WKRBqX` zUb)5Vy6^wP9!0zLh|A_Ryu zDW)DLyD=7q^)A?(oRJ`&#>dwu<%ARLQ&^NDz_)g+n`I|6@~dOqZ^!F=q}RpqmJ^~i z$5AkTdxj_@0O2L6uJ^W z6NTrT&t+Kaw<_p!T5*Jy_`=O%!|R9H>WK5A%c(*NJ|H@6-J}fmeiC02rQtX^2L_tn z2Q>b!hliWvZURh2bkkd~(S@!Hp;usZ3jZS_yovkdD1#?~h(8hAAaw|SEvo&Gx&E+49JBr$q6wYd);{g=2KQjVk%} zTCr^=sCWOBsLx%*y|^Dgt^oMi$upwq2eT(}$JsOL1~%v{?EjjZ1@b%1Kk4yl!Mu+e zRl%)+0B`M8%=A-P{W`DH?{FmK?Bf>IyR3QvQ+TE#m-WyhlOV4k)Be|@@0aNhE3)cW zb*SBUq-)sXVn;Z!x|&`#d8CQ%_nUoUZumhSDD)MnESc}js-wC|<`_MlI_r}TwDNsB zeeBvqzaZv!m4e=S@71;nrtmHE@1#QEgP?or?T4~Q+O&_;;EJRAFV5YDHzPA0Is0zF zf-6N@N7p{0^}kp*iFyXdiJZcV)HyvNaIKJS%_f6

8?t{M7I#qTaHozUM?aNpH_w z^8AYqnSAJI$}y1-#6iGOL1j@RC}<2%FI6=L&b^YHg%y&to(ku`ebBOppE$!%-(d1#Wc?l z?MUy<*WC=f8TmY{d=8vvLhnD@HbodveD=`EQ4pPLmG}XZcN`BsEG_>!+AI^>20;2MuT3&IOYVCC_AeC-|IyB;POpdB+;YOPsgv zo?i$Oy7EGcM&~hEcdw#V0V)k8)#okBBHL8s?6sY}fM+y}ZJ)L|ITNz}Z(xl)U_J-( z%r+hWB0jm`3acNXGi!Wkz})Vp#0<+?g8ZeJkAT}4pG1lKQDWX5&ry!q{9kIQ|9WG^ z-tPKSkD=o0tj>Ug3H19Te)jan`#XoYyNI8b{>lyP`t&*f^M5YG+XHFWkM!mdi4)WE zyL$tmMPd1?PaAyb^_c671Q?CAuh+j%;JMejq0GNUl#dP9&vemsy1ULgg69=atE{Kj z;NG+C-U>&2c^1}=L-$b+UfI~Fj7q7#+VgAaUL+LF0%$Ox7_!PgG-N-!9sZY;4_H#~|X1N*+ zosl@F6cSGD8|L#f>LXbF=)G5a{0Y8e3SZ{meVU`hsE=jY^S)KLp6!WAgbka_Z5~VO zP(6Tl*y8p5t5*)?!;B-o*0yKvfJ|GhR^Qde_>wHenS}cimbdHY(|*ROArhUZ zH`c&8-RDyedcUIh%|6A*`>Lhqh*G;pZQfT;khs7T|IE;dt}poh%-%F@%>ShV4c7;w zOr!mYnEZLZy5eS<{~vCuAzI02OYx&n$?NMD&vIa`f6|co@LS;T6gw6Vq!kRGVV}Nu zQVi%VtiC@KM4dd+TNSGjE!=^5WdKj9=mtxHtFZxa^q%jXzUI|a`-T%pkQ zQuivW?k5cdyZ1IqsDwcuk7)0K_UE*2VbK##@odo^>Ys{uO#fs~{NT9r@o}e}K~P_R z=?h%V0qi4ydIkLs^h2(+JrpQBy_kI9ej{FTE(@;B+fvfi8&9ljo1+&cTf)P+d11Tq zYw38HJh01qcg<~<-nAm`IWOavGV&@_xA&Vm?Eg&b%1}RIUkBtH!*vz&Z!qr-_v3MB z*I>LWJEyzM;eZ)^U(9jE;Gv62eg5U9DV&YnrfMG(56NyDVn>YXq5ZVY#bY7Q$S$$v zeS^n5i0+QxyGFNIQM(rFfUr*k>YeR2oNr>Rx~ZN*ef8g@m}m@#f{q8(v*=H*QZnA_ zR;ohdbr?s$=fUG}y+nyTQ)qADevE(PdqO-iZLQ))_eCPCdaZ1N{uoNs?+5oT*6j~h zqkc5mH-ha=<)x093IbaT{Jgv!%Fv=#ejje>w}u_9;hR#$0053A6Z;n0CuKioc@$Q`{`M{b!jI zy^r-eEoPt7Pmu@g8*C@BogiozGT*Z*n0Puaj5-USb8>$ySYWfP)OM0;U z#8ZI$3s}d9^8@iiH;l z6?b;n1UjbHq%|$U{$^^_A8NW9=h$EsMAui0+`J)eZV!&C#bu)3f#<_-&w1~6YOt@cnzPAuxas<2r`N5+iUiq7>YA<8F^JLt+-9} z4sROJ;kJjWC5M~h+$%sU>5AVXM-wU^+$+lCo0dpUzbrex;mUc|JW-?b1?`rXhfnK> z%n2mSz9~L*eq|c;?foNu1X5K65^FniDV~kvKX2jzLlfX zMy=`nVm>sJzsHwg`~dkKk=F+$9?z5s^t$*vO6K|3=kU^V^mf<~j7Ol}!MF;>JrUnUz0Z+l{xmG*A;q`;8r!RnRvXZ5`V)CV$}WE&@K}e!(n)N&9$U}D+|R1dn-v-Sc9I=Zxe`0UV0^Wn({x6E zaJA}^h!bAWAkv)6DZ=nW?zYSm^NJ)|=Pio#l0)fwjdsBQzjE_G*Z+5W8SD2wVAK#i zeCtaH%`;@ii^W-S*&u^YzEoD*|c!7WqhoI-{=)R%Wtr0duNXopVQR!uOsB zalQ+y^P-~&@*>R5Y-+S~OM{~DV~4Wdgs|q50r_z6gqQc~B#J9lM{>=peq#w7j*&A) z@2b-JCyZxWixn;Tp`%IpW4Nlsd**HtCvL0FO3u$Tp!g@=Kl1lud=~j1F<&H3<@lp` z=LFVs2h#Nz(sE`vW}?3kBl)f*dT2sGd2F@eylueQE9>PqV+k@p$vIJMoQ{}`Ni zrRy%2ywtkga@WY2(8Bm_LGlFi$`!2Ut$yeyJGoP zeZutjE>gc~c|hK(k1+w{#AyFi{^u_!ZfP`iJ71=>0bu<}_+S3%MV)%YqM*;7P1GMS zug|#hbRMD~a_z;n}if0}T+jVKPJtGc%Xy4^6d=;#G#3(X+{@36St_Bt^wi~d2B7f`x;V%~Y^u6;4 zcWo__zXhwWPUDJM>PGP$T$d1k!1W5hOV5Fm^Slm6kw3e9(i6P&Sno>(PVKKepUlXc z));4JOT8XP*LVDmOo@2Mf4BSp^Z5TgF9eTo>Ta6vcYh*}N*gwQ+q0vTpg!VWxPEd@ zml;7nkiRABM_-mFSmKEwJuVYQ9@O>T6gGE*I2VD{U42oc z$y(-2_jWgeaWmuvm^-@bjjNWRltRR@jc+ez%-=>?oG!BOA;|i4nCaq4{@LE^AOCzI>&MUW;7RSM5 zDir^{RWY<^s!s+%+>|+9PD5JUJi5+OG%srZPI#p{&5h>q*o^td`LdZ1=DKl++R12N{^VA5E)`6oI0O3a zu}J9+S0auWA4EN+xKJqaBES(4C*U+P8M~ zliAhob{@@_;L3-}QQ1>=HL2%#UZTpC*t}xg*8;cs*hE$;u$H2JAhr zirwhCXdEw4p}pON;<@ODKWt>n_}ExYp3S~;xp!Ee^1#${vCBEm&jnKxkEPoexq~SG zYOzHATQn~N=S}YH1KYWCT(G3xU{F7rZ27|MH$;Y#++i3}Wmvc}0NHQya zu?ZHA9iH))PX&6o+PaE9+=O#n-(?=HbESSO<^_Mt_3&$}JWK67#1l?!?d%wLF$9c@ zxqR=ns+9Rg(qwYiX%z;+zDi-URf|e#{toj#guqd(Z&R5x#`kv8^*m7bYUJJf6>vX& zgRkKuwfn279>MsFfxU{2*8Ln3f3V`TSVJQGWtVx@!ka|Y;$*hw#pyBf zi;IkaUo9eO3wO!*%FlLyiYwEHWPQj-fI|A>sE-j@Kf z-rBb0yJ{(P87^Ft5fMo7&E@Sot4u1?fO~Mpu`SZx;HhQ0%;>W#2tPAww%YFjrwKSI zFIAzqF4I3XAlqLyve)jbgL}@eMSg3=!?W0W$>|RxVMTRT)0v=nxMVFFKW*tm|BzRq z@+z z2N-S?u-beZ{t9Fbg+?||{ds-WR3|-IbJq4H@aM2dQ8A5U>1R23xLWaW^leiZnx*0_ zT&zx>=iV+oW@%6D5VZIAs&a>(dg=|_!8gvGy6gZw#>EaFG8z2LZP~#EtFx%TiSr8k zqvAHkfAD&llfIep%T4gnqu-3{G3Gm<-+;g4e)KzW8_)aqc-)T?$Nh|bW)8_2`K;$W z2Yh268&aAWJbs_!H&|2$L+_N-=f-jcFj8`0`@*n9g7ywd%)djwA^hZ?_rZIk0sF<_ z{o2Vac{$!&Pq2RRdGxtUzn?pjkxzav#eFnLLZ84=M}Zz%Pc`Q;yOipfD%i}+{HQH? zi`rdBFCSfG&K*fQf5;lB{SE|SE&d1PqPt-6-aP@Y>rTTbnZ(j(>r&}@w(oUvUlM~T6ICU2%y7(wp`aU8UV@jAGl`JE8IR43?<;(EVRWTq5% zp&BsrZNq4t5VH?-DG7PEYOL_@V}ke@jvtK|ibfI3{78$;C952pH-LOKi0k9{Kt0CH zuSZ_eeQ?*-H_L7ggAY4pFt2!PG9d1Te(vDDNTH{}YTz`v)K$Pa49IofQ|lWX$(W~; z{tXTjsCu+RTPjBma9x-kC3ahs=NxN2*$oAjjfT0^j^yd|7iTxzucmxm827+=iQnVJ zf+e>zy|W=}tR;2d_9QqUP?CMEH3=}T&aBs|rS>t7XC{xS2?X?=F?h2~m*SfEeoIs< zugE_crr#g&&Z~LTDo-A*Be?zlRU&SCr*y+MgE^^i(#m$=)QgFJ^GrKTmfF?2C4=$C zuYKwJlYG9oqw4tpjR#s(=#(uVdjQEfN1x_wcV?~cQgEW|F@NmQbMR41Hn-!14{JRa z0yA}&7cWM<==zTFN5zD73cH_b6U_tMQ_hMx!V-(~jONh^aKLzXOuLjR7~ioKiMEY^ zp=|v{S|4R-z4GYe=Gg;IpBVYLUp8|@j}RFl=~+j<&p9|L_d~MBt1qO#81iX(DoHP*1GUC^#^0s2U|o%T;{N|8@i>$|^@hK< zjsy^+G@h$BDsK>8^RWn{)JFvGC;mxX52vmtXxINS3R)dac~rGuk4uW~t0$P>hWbp? z@KyN%iF&{|#LBC$ms;G3WNkYEbK4uXMr3z|vc*71{n@&cF*y+HB)OxH!CU<59=p&2 z_9iG%<#ulpx(`+Z{N_g)ebn%Mw}0cD7v%dKoENC=e=QWm=#L=|J;&T3h4WXa{rpt; z(q-ggl=qV2u67?jDgXJM0>31y8fZu5O43g^w1Z$6HkZ)JYYE90_QoVT4TO-zZ zO*3KMk2I|VD9^IvRZ>%=4=Hk`5~sGR85x+d^yIgs49+T(}VEP#niSkd?Q zb<)@R_#R34wyFQz2*Ym8&|jc5t0kA>0KfNg+O62x4#m|&E_eKHLRZwz`k2;mc+hAe z5FGAFk6SzC;7h0BAnI?us&batkXj3}Qs3j77A$P05R#Z{@`d~H8HAvBZp;-nQWyuGerWu26X%DeX_k-rkvw5GJHBmn> z#eMgVw^4SaxzuWyFS&}wbi?AHECqcw)m6x7B|D|l#z-2+b%=( zcCV337g8ubA{4mHZPxJ&Xi+;9A z8X0}p4~-5E35UYXlzDUA*R_$YZXS9qj&?+(PiorebOt|2rs#6+!Vp?7BWGtXrgplB zu%~*6eP{H^iQC_GH}~N^_$gx<*5-H%tZH+DHZ@(LeG!@RQW+i#o#ls78|qKlXbPy` zaO?nPpYb!`{I0WQ*2PFjQW}}0`PKr=^27?cADFZ71wD#0OqBUCNjcJl`ggd^{4O^1 zIQ&jHE_h>HV*knNzs`rhR~a;`6-ts}1R(E}33r zF~yF?OS5Kj^2L-I5s#U=2Nvl>(f$PA6cyb@0y2On^1GOi` zx+nEN7Dxvcxe2)uj5A|C`{%bGuVncbL($4T?&dvZq;=ma&hE7gJA1*C5$7k;a8L1( zhVuCb@Nvf-*(0_I#QNvs!nu7nz@^eZI|S3R5IoIPq2x5}6tn`CSV9e0F~xlC6ZVt8Y&jvPq#)74vMQF}90E>F(LS>C0Kxhs^jAWA>x4w^wXytqFF0b^HTK%~3Ha;7 z`f*DylIh6BrrwtVq6*7rHrZs7-|tT*4Vb?m$yc{VlHRj0B2o0PhwmXdN@mRsD)FHB z0OE%~GuV!v9>qLMN0#2*0hx2QT94*>)Bbme-X9aF)6j@&qTnEy6|e;57! zf%_W1KBfuae(~FlJ)O=pul8xl$<+BGIZ(6r-hxlZ@?c>^Z28aWsg$1@{b~iKu0YA}b$K2fU+xN_Xu!1vgfw74JLwkpy^GZ26p?OWts9iMqM*3XS_= zUImU`^J|ZbbzGuxRlYk%1lWyCX#W88Ymm1Mw+GmM-x*3^^ebF5KVH)z2XeE+y_V!M z`jlP}UYvLwdGw^A>P9MQNinB=We|_T@%|5UQCm(gh8(C)(0P+XzD5Z6+-VF2f%;Cd z-31{q>egzgxaumH>&<`X5fnu2DtkK%$E=^{;H3uFG3oLMg8FKhGd)4h=O*~56&7b) zJ_5aRjh+|I14+-4DL!#7jDEirpO1m+dTpOCv7#y3b_NM06JrG(Ie<*oY21yjS ze^3AQ1y;WuUs%)3`D?dx36y$0TC?MQ2gQ%j?iQ%i9CP~7Pni9Aq9O98*ksEG_gVgn zI*p6r@y$Jr?fW~8X@42SOYnE*_TO>KzvGwER6Zcif#<>a5Uw+(UBckUSFh&loYPA% zuJmtXOwQEwi`fM*QJn0Nj2Wf*IZS^$p5Q#VVxoQSdT}r;GZ-_NTdquu9@!r-R|W9) zjL|(X5(Li#TLp!cd#If>KX0~$_=heS-P3knt|^sV;Vk0xF%JgmS+DqAJuZ-_S%=E` z1P!U)X7UQ2rTMDdZ}ND{CZ1u<^OJDRHB*6L~}rY!r7$3NZKO| zcvLs(o!gxQ8(c5#b8xSraXuq|lUbg{I>31|s8!Gx=zL|q$K9-LeE-rcyo15ts9}EO z8pF=}-0GNh?fp%fM~UAN`yYgl6h$A|EC{M!!pE5lYCan*wN1_Ounw9}E+BN|Cqy_wWBOizG*!s)%ew zDmg5W5MP<%4YT5$7v8< z5%lwrtpRJEo+2A{PY*nw>PH@WK5a?$kD>GT)6rL*o9(X>-bMABhgWrz6Az9joV-*- zVpHE3edjR&C$+u@yS!W=MRU*H*8?dqQLAU$O_vyogKwR`Tw%JK5%uE`XGb}n(SA>n z)B8_7AmTcxFPO(O@Q7h!8*#qJto10#@}IS!)wg$UQ0Phco4>>0kl)TO%`>p$`>pSp z3_F&4cB=!QY8=G@5HH04A-=dO%ld2m?_lUD$vIP@;6dL{zWkN(-uV|OzJ$+#aU{pK zz+LCq3|W4MHViK8JbtjC3pRWgRDtnSh~@pZOsqZQ=LZ5yk}bAB{G~ zO_F8Q?H(Mon)}2t6}qK_3!5w>z*WjER-rKxn$9*xO;1dtex!!YJl840!*G2T|M!Pl zb@crEZcWQR`aBU_c3SThsVac5M^1zOK0UPlcSl^|x65S={8qR}Jy>u5AKYuu_Q+<6Xm+f|22N8)#bKbfli##q+ z(p|&b3HxRgtRIs;4aL<3=5Z!eQgS>giV#s^8Q72q-UjIUfZM$DD?cgEbn6s zWV~w=j2TE|tq(Jzo)WLf*{Vn9FUFNR8(s=7ec?{~e|$Rdgu(E1n#zA%|CkTiPO?a{Vl-+JH4SizbV$A+_i8-mcC``U9*!Qb$YW!;_=i^4nz?2tvg*ra;B!UNq}V}gxTo@% zPp>eU;ukny{~qPGIPQ{mNn_+$$g1SrvIHOYJxZ6Yl4-mf{b2cJmIkG4g{=9n#d_bi zR4-~Jg*;0Cc8g#?GRzmd$nk5jb-W5p8J_PFE!sf)iLg)a-{7^p7*<=>$MJ_n05g9n z5coE%b@hE>L;cBKGt+bVy4J8zQEviy-%5}d8~L-%ryG~`vz=kdmqWC!|8Yv_+~_+u zh}4VFH$&-8Am6K@s+yEb^Dp}Lt9=Z8p9h#<8nATc=3>E0mVL1s-o1%RusLN(?KspI z$cx*zaL9PTs}B&D_ceA4nfu-ZTy>&6P7@6p&qTWm^CM6W{#eJA|7ouiOp}%kN#XLR z`1aL`hi?027=GNZu=r`$i~g#cNdId)inWdVuh8G|{YS*)&e+ry2^NKKBcco9s2!eY zK0*CnHlq)akngq%#S~cWI{Z$MEs3y4t#~4&=LN5QQm=APzd}Mp>=gq2ZAkp1!mCxE zEomM9?2YXWS|;Zqbf=Z$As-XCG)egA!30}sUkRIq9N4H33wys0B~2@ehOrk`Lxqt# z1o1;AZe|BMo@;o_CH~m?qK`5S1P&WOX|=%dRsSo`*2(K#f5v-2{}1g+wBP==7ysVI z_x(SO=-1)@`|`4ypD^kQ(GJD^7;pTy>*MiT{XHC<4>=1KKDeh0iRj(A??s07HLK2lR?EY9(i&OfZvR9wVXW2Ng#@hE(+D3>uG1K$J2 zJCD~}OYo>m)AxnA753@G?||n)y94WW5Ld(B(LTWMga21*moqB#aG>@Gu4k;zWb$%H z!=$IX~{uV2e7VDpT-ZcP8sJFj!e5rmAWmbAK*DJ%s1MJev@o%(ojSd9luO3~b%i z%B6a2Ky#jJg|4S4oEt9go50A+Qnux3xsa1XFz@o(HZl?e@K>rKt5V7utnMZS&_P@gKi2Mgwmx%ra z+AZzd9ADkz?*Topk{4G>4QbqDf%ksF`%jcv_`V%{zh~i-Y#Ir?3A!IYMZ1FO*##DI z&As4t|Mtl_%hd=+%dM^KqWP@2zZjMKKNB10Pi((N@*c`f&`v5Q4IHUSQ@0z!arvw9 z{$;lC*jK>z7l$a(DKYzYckl$H1`L@?#gz*5xm!-VT*%ur8QM;VE zE+Xjtwxr)QnQf#6M?LpEpE0SL)PCH>@mMeg8mmmj5BoL}eHWVw3sXOm{>egVm%A@` zTe@VJ(Ozof0U9={^R&wnJGE#J~?57!3y&zi1aLj%TywFGbM92T+nosY`D1Qa^m0nAgssA^SwM9o_dMPX4 z!jfE^KR@(i%MI4^d9msXb_3?Ul-*3x*mqkMo=QC_o3}m;PIqSTR2KWwIt0we35#{= z>k{2UygF~CF>DDsU=V9vO!EQpzR*6MGeNn{e^DA>o-gtWVZ3jt z?!`@;j%YwevF(FNe1Gac(4NNiGr7#|`(3*;uth4=5+>IZl4<#tg~#>kfL_EMB`kY2ic7LUdh(uoD&>Da-o28L}@#TSYCh8uhp00&dBrp zV#`?eKI;JJe!Mzt{W4$HdQAiU7Av)x@ZsoZ7aYBns~z<}b$On)hYRc~bkXO}bj>bYA$(}MXt;tq)vkHGvm=E&e<`%j-M ze>m&QvtZ`~JF5Tjdz`ggr#LaE0krPE)3|Ug5lR}hl7D3CgB|*D_iFq{mov;pvdq8Q51*#lXy8%cpW= z>a#{i-}S+)`sw`;u9vj06mIE>nAM(($9^pGFz^=Z?gR8>h1En^s2Wt@F_( zPP|jqS@q>+ZeLTxHdF|3p7x>3GpP%Uzt5-r+7!mkD%Z6_ZWI|IclN=J}1`Yq5Q??z!9&D{vaNQ`F*&J$K#0h2>Q3UZgHIRpzC}n zPb_PFYEipVHY3Gtt5g~(ZF*WfRmz(7;lS^_kNxQSvUAAiu0;9PU-U%}tzUTrGbna{07<%?O< zQ)S7!slaa&`mo?uA>~iT@f`R?J{+}tagCUA9-Q*rFPPS^p}n?LIr)IdlX!x52+EyG8~H1|5xTHU zsKR&G(@>g+uxFCi=Xar3So-%6us^-AQrzOnf6ZI`ZfM7=q-=X;wlahG8Bb5xA(cz@ zF*AOt0!i{yCKEYrP&v9(vWQ)eCX4W#w(y zQ++PuGaA5EoJR5Lxr%|D7xtw<{K)r6v0__lU$Juv%KmgX36BDk*_3j<{>+>I)E6Fu z$R&=yzchu=`a6`jr!>fceoq_dN?g$Lzv_6IxYBNFN8t89$Bp#3yM<~ze5dm1_ReI& z&fn8c^fXTq`nLvUT!< z+jXq(v4g&!+hmqagR3Dl1>Ni1B%K8~PsvM>Z;rQ{K$3r+Mc+UaG-U9ddiOLRR`B5g?{382ql4ZM`Rt$+_s&8ZH~VLP=P{a>h4D%pHC%Z^K1zDCz_*_YhbXnVs_KOCuvq z2SuK=TCnolL}`6zeu~iq%MHH7^MmE%XTdiY{l|E?Y{2F2xvI(WZr8pj zTp?(O;mE9;J`9Tz?O$G76AO~xB&LQk>NnDF^6f175l@(QID==@V?$nf8jdIPW#P4Ye(7B7n7cmtxa|AVnTm#_0$z~C-tQWqRofX~opoDD6FFif~L>75=!T-%^ULDZwo3(k9ID^+yvZ&xyDuW;N zD_`N@*DO-ERi?*1-kavDw+#JOKB3V|aRbC{a75e`>xOGIZ^J3K3MwC#JS|z|e%hO^ z6V%6pY({h9EZRWeqO#0n6B~%Xa`ScbM|;XYHm$gSzaOUw@eY_R*vAtNq)K9CHKSjQ zZ$!h-<3hEJ`puNoDsw+l;Zx={R1-q&_;V4Fdw7l*L0Z22s?Cd@6ZC6Qt_HF%_u0%l z1gpkhfA`&cg7WO)^I-oG9C1JDE$04{{{!D1|G)mu#MS=rt)O0Jj>@dKp%m56*yoUW z|B}FSsr;Lczc;lHQ;+v1glz62%>Ro~If-~N?*F$D>$(xgLAwaI{~j^UkNmYLC-6Lm zQ@+5VB<^R+-G#r?@cM$^ZLt8?|eM)n%WJ z3Ph2G(cXJ9k^)J%vem)M@2o()I9+6L-m(8WANGA=o)^!vhW2$u+#dPMtWND78#ZL{ z>Anq+J#Ke|(Ld`^Lc;G?L{OOj_qwtia&!Exs_>8Q|MH*r)=KSEBB8YY9_=cu`(pCx zc|v3rDHTn84#U1}+t&)+fDJc?XMMR?6rQPLTr{u1K0-$RbQyv(TU_~7tt&E`s1BC`MVx{&;6z&H`| zQz=@ce!SQ_t#-C~bM%^kSXN)uXv!Opb#&OLmCyc}@acps+SlrR?ycyij8bBzdRr`A z^%$MU7zaMdB^JMu5yxpNQ?%_?Oai98n*bfD6Sf?le+)KPiS-C<3njHzL-kH+x&rng z!S#oJ3C0O=yz9Na^bl_y!FkQh&v6GW4-3N(9ZOnoh;dt{+}#h-quc`{$wL%}MLCE1 zM$_lDq~M1d7?{qnT`;YVEc4o^^^=#uzs2?ZQ1wF zuAlf1*-<%!>$A!#w*Hf^3LHH1N?57Oku?Ue;&{Py-E1kmJ^92}f5Pvv`jJAYAc^`W z^yU2?3+k`>bAK_lVAM+&>7NV~GE9XGiQc(p_C9bT@XNg$MYXK{Ir#+T3%(+j!jHcr(s}zek)G|NHOr=R4wY|F0un*LS|_t#wWry{R!L^~(s;j#s7eS>%(# zJcl?7`+R-H7vN`L9cjbuO?iiKej)C3*Y)w_);%edClmdksj1w**K*s_=d1`En;G9> z1sjAm&k*V{g3fk>9FZmYu+aG0yr^fVsGjFtClzm*ZAjyn(i}o5<)==P<^Da|MxB-9 zyj=K$J$GwPaLaGOGQ9Ah8c6A*2$-#ET;Bpkf`yY)|`MIi0o1SO&Nh{~?;YKXG zT7vJ8w`5(YkcYFNsK0zETK@ zXae2IMw%*hMaF>o;z*a4<@lEXL;&fVe#h>+W!XM zBhDjc{(=r{?|A0ayC#*TpN_$f(KT5)J%-Tl^l^rjp)%ZE@o`Q_pc|Yl7b*UAq7c%# zLIcl#@uKSpd4PU=db%;g+zLQ-O|kibRI*Btb8B2#7^xZY=A9NDLEoFe*x_^gKV}hw zV;zpC8TA&@N92#%J0<}4V8U{jcNWBbsm=Mp@A2TV%~DXQK9aOXe(IPSSqkIHo<25% zS)lNi|I%!aQ-tl_fV7mn!++&NVjrlL_2WUqJ)sn*MR}onW^+?`0{TtLAjc_gKc9!u zx9FZL-@UFbibvg(?LH`#R0bTKrG`#lOF(*alm3NYxnx$IrNRegMnAp(^w$<;;Fl2E(-O49pFZ-S_vNB(!Fzjcb0FKA8U zz)=xTgLj>2hT7P^UxFe=#Ov<-IjdC*VeamvLqt9WoQgi1fAK8@=Z?HF?m8#hj|ubZ zaC8cK&R%=dp5;Fug3tv^yDrYHV&OeIKqPCeRnh@#)_nNG1BiC!@eJ{E@gI#~$L&Rm z2SiT6HLGFwojWlPMg&qhGc%uXh0}aH)PoCLmWza+$pGPmT@6djds*ifp>h8H!&_&+ zDY^*(Y7Smsr6VXFi~c9mF4d#;`skku-Fv<^{&NYnLv{t#49=-I2cNoSZ@BqhXT=qL zX}!RJ>F<{_OLSR$r!kbT64w`Vofv?^Bo1*Gkraa0x4*qtc=ml@^_gsh1u0<`FD_Wo z-;qxc@mSnmD!y7!&B%@R$H%E0o*(S~h}`>0 z@fKXa80W)ngVEZ8Ts2QnS+2V_!!sPpi+3+>P3@=gf2_y6v$ed7W3n}^vt;5u9>9!; zTe9S)4MbgvY`ekW8A0BlxcWU#f%!Q!Z$Mp0sI8ks0CZm~F>lLb@v>-u)19>Y<62=b z$8C+|*Inb3R~h|O)L#};6e9c>d=yoWBz`wuE+p7rrgiT5;cCM=`o9aa9J7nN6X3BU zPn&>C9@S&En~!qj{yGmR_Y^G;%-hUqPUGyQUj=kGgcicGn0HkhE(KDak_NZO6IJt1 zgUf+;uXZi)fIxr$fKA?Jz|%2#icpdzv=3QmUyqIhtUt%RDZ~|Vo=n;L$!A)=O9=0{23l9lo#c5k=<$BD=Q_E4XVjG$c^)~Kqe6t|tHzDasfQCQ-6}4<~d5iN~4Rz^_!jH`DBGiGrmrG9CO|tqBtJnV>q7$v@dq{XNOTg zOw2D{Q_MD%h@_Gau0NV-{0VUzyWo|-xgA1T=QCmOS9B;Q9(QBm1%LXslDbbCq^Xch zs0?^%{W2AfPc5!-TK%UU3eShnky5Z|;wt5Is_!t4gwJ)?T|?KF5kFX}_WW5;jV=q< zGy%W)CYh&)tm%Bcm1g9)YEd=SgP4bf*TX&#GOcHyA3u}E!qHW!Ux~Od;$ibAY3Hsh z$z<^fG4doHD}`PB8BXPP_m|>j+kaP5xrlL2-|+W_mJD9ejD4b_^ON)F`!#7Bir>np zE1Z4K|Hi#S1}^cRdgtw||4YL`&+Ixj(|nrui+P}fb3+c;Ee?j%9@BSsr+JckuF5++ zSF~YQ?Ps29Mjs*ULsg<7_u>7^5Ng-{8ak1bIG@1-+V@IeQ*#8U4vXaJr&R;yFEV+< zoapti&IRLY1|OT#mqob{CQtDnzIyaOaGfF^7|EU4KOyiYAP$N5k2nt=AK`dl;iT2d z1bM|!A7dRC^LST+eh<#qnUma~oagnXd1!c_xNh+L=Ra@CPCJ76ry?M-^EiWQs|}Dp z5$y^*9`El!K38Gn*E6uTcYBSnlpp0+LVfXiHV@}$6C0%knRfc90MaLT7i_?0J=+>Izt{Hg-+-#9jnzWj5YS!!we zlNSETFJZ191FBCNj}6OTTpA4P{AWCLQt*LV)!JR^%L761m^J^7#U7L&9^bc@$^K|r z2B{MM&U_z|z^p@$pn4bM;W$nd9MQ2?$R%ihz{tvgWd9UT2 z(KDeI_aokdeO9~mx;gI;>O$w0%@zfF`Keu3FJo%mrNHR#8Bwjd;9@tyJ|h1dePE~V zx$+F5So%No&vspHR7)uJpmj;uzk=DXM~2D=oG;9}pG3NU>JqYQUrYrnzMuz-MA#)n z+xkFQ`S5%}n|i_=i%GZbk?ri?&$9B9yrD*R2ipbv<8U`iRik#DBDJG2e{HO1W@U(I z7mz)TPbNzi)88!}UU$idMZu$e(=CI0y{X=6|Nf$2KZ8#Y*A3cllfRW`TPvE8HF29# zZ%Aem)K4dmHWV!W>PfI4nzzIiOFzF%>er#%Y<}(OtW$OsOvO7m%S+DC-`6d87_y|S zfK*-A4_9fgr}``6zG$;XR2RYgzq};XO`AK*VfNX{65rqT!n5-ex_)N+gH(URE?*O0 zirb4+Xe~Tu5=rp7nBRi;i+UNq1Lj#**;pwS9#yAy{KK_%Lj}BckRhb;GRHLnig|O7 zUl3Pg@m(SRwg~-xh>zfPf2$aGUs-pRWryj*iO+{Fuk^(JZ#y8-S%M^2xY7QLDEE=) ztXX-sT&lkttW)#)uec5JtYJPsZsYj({)^e!ot5v5K&^3?P;Z(k zc<$WItE#3)zyHCs+y2^?f#l1zlZ&4AWy7#w!-uU(r{Tew^=bkq!^t$a2mXupF#2(x zOsdIAzDTeyysn0^>b5rwzWYw8Utjm-(mvVsu=`%xSRi@HS?5tKTT162)=A)VdJ@8|nJ{~!OimFBxXoqS{C$?s0A z`^EF)h{yATx$DN9o9WdA&(9qH^b4c7*s3naQtqSh<-wyMam}M(Q8ef+)G18m5Bg_V z_qtcS(&uin9C)iX=8QQPk=}KCF3jA?;8!$1sk>B%u|yRb1MB=)yc&ln?;Gk5jJu<} z-Q~f5(Z`5Uug1S8?Ndqw&11yhF+PHLF50QPcHjAU{+cZj`DQ2No~B6i`|)@texXjU zkM<9)2mC)?2lX>v2am_?zpsn@m?#HZc79EZUa8OO?_y8m_V|B%ZuGa12Lt8cTay;2 zy|Z)(#urg;KPfE`uCmAjhr|2Jt|vE;BDTe{kCWKC} z672-cyTJE>@i69bq0|p!=C|3xF@G}jqa=dz?qWY0ty3DaW0U=$w)eD{+%+rOS0T>F zXDD~v3EJW(dk(tR!NymWXWEC#3F2OXm)d?OO8mif)PtJxcFsyB%;#bBBT8OgUS`;;ztLuRiB(O>tXw=?`v(^AAVuN9lg8c0ClQF}|n4mZvdSqSRg@)1Iue`|1VAx2jsxZ>03OjG&*5b{Jb@iOE|x1|?cj)*-%^hk@gSB*($d z7K&#x<&hzHm>m|4+-d^0z(4P5cLOl{uS7HYpfl@e&@N_9K={V*J6y zYS(&?U<1}Fz>%Qk|FEy^@u%~fG z+;2HM%+A>|kgQTocaDC+or5jQGc&!&2PGYM!9}f9o-*^p&(m$U zy=?O%#lmPl(T=x#-r|;S(502MeBW3OJQDq6t>bf-9zWc_z2;G{CUA2dxu@h202h*6 zS0BCIL-h#C-Lct~PZru%f^;YE)Z@li;box7nY&-!LgKCblF!?EVaPpko3>s!%v|}s zVD7OvqO*9QVd>6NQ1mdG_IP0u+^D@}Yd0YlEIzIBSax|Q94*xs__nQ!;<8xRg847S zork3(TMdZu>ff8LO}zmS;I>9UxQ%|#)YGprI?H@$9s$k+{2r)Z{*F^J&%@xc{TIG2l+$=V zysm3-;v)6C80Yyr4*GYT7k|f547|neZFqH}g;cR6ObA{T&dLk*CgN39w|dT)l1LHz znc>AZ>3g(kjmj8(avS0Uh6K2mU5B5>eOseWGU7uvqay8FGvGqgwv9hOc*3m1!Sgzd zy=h+Xx@rFW#lYc zO{94ENJL)8`EX^x5%FoW+Iv5S^9x{R@0Hl*#B5?d^kZy_Rw&CawuD`5L$z*S9#Z*- z`t0w~=-obSv zZ0xuu#J++ouq~C`_EH=CHJ?{xi8l}x`K?l~MQvfLn2hb|FTs?r-n(5wTr%B&pdEN6 ztH9;*gBI$y;C_yivL)RdzGOwryiL8U|M;Jl4L1rClQiIR$xFv~d zex#jn&Kf4lZfic*-a_%}c?UIP#(#BC`HlJs{olVw{2g(*iEKx<-QCkgf)}Lin8P-!SIhZw|&2kfR?m$ zr9W>tDCX$pZEX!E;Id-}*8yAVpQ0aC2)<$34-Zm2RCB^R{fo<^h`*~+#-_vZtUevs zXA$FYBCuU}T&!v3b?_rjr|om9pzaBO)6TOmDDJ_Or(RTl<9(w%V)E3akiupAv($R4 zz~Yy{mPE6M)UHE$Y-Q`r(G%bftHR@(BRa3q`G|NbjxtY&H_vOUf{eTGnmfyb;EDaR zX*F*vh`{!V(p{#-RL)-)Z;LP4qySsLaHrNQM3Z-mA5Db792g1aZ#u7@OdfTp>c7pG zC5t>nlU8fVlG1HvCw4VB6Nkc=fgDe-kvbWx_qA>2-w^cDca@*s~ifdD|bW^wO^Xg&00H&;Zd&o_4(&WmE6=VuqhgN9aePB z-{D9eK8Uhqn{Pn-G3344Y;-6VMv8Np#zIk2G^`Q}gh3 zq9$J0ozDZLpLB0I<_)a}<@jAWtWR6yd&ebjX zaKcbzSJ8M8=t}3W5zp6SGHc_m1CM5;Q$5D({OVbTWg1}pBhzoU0`AsE`?!D!68POPE`#4==h9cg9h0MI z{7+bO-GrgSG;(-I<#$?gA6>8b|G&rMsDBu9J(RP%*nw=!h?Np zOQ6vAh2p;N{$#*rp#I%14}dWbRcq5A8u!I{;j_Hl3FG<8?_FTH+}C_kJuKQ^Z@;jwiS{GMKC-`;hip&D`AHBj!S{~1 z1#Z9DK~goQo}zpt$U}m7#y{t$82lJiTx*&#N|-ol4#D4%Z(z6Lk_}GcSIP6a=2w** zYiV6{B+uVmw}SZR$fdS$Bf`YTM7ZDPJQ7 zFn+jalYK)B;cHv|F*dk_6;C)t{b@Oav^@*eWnp25!u`qWjDFyu^Zj-Bd7x~T@IaBW zBf-2*oF|2<#bPgtM@YBO@#mOJ^w{BvAR7un0H-YV)W zkkuJcg$pvP&a~H_1o7KPmHd2KslMjR;0s@KyPf7gV1GQ!E0Z%i&u3}E%{A!9fJ==?Cp%wajPH@eLlP>=))jb$XyUI zQ@Kz1l9<;~qwcoig!0ZkKV{(6kucc2wEmIWV=s^$B6m2JT!eQ! zcjv9#HHX&0GUw}V8lORYNL1>Ayvn*-x*zc(O3*9T_2U16b= zn@RI>Fn)-n^(kFH686a{W)`-^p~{pnu-B zBzNV(Q0x=4gT@DhYh?EFPGIKb22IJweVIF9GYlF?M3uEKT0o5-pcUT;$~E3 zX*he(yv~#p#fP`ob`YW3>|f7g{_xIX+{KdnNvoQ4Ai;PT&Ua@1j3vG9ixUQuB_wlM zb##B?_l!1I?>Ou<0Fso?Jxx)jxLLQSyv?>&FIN4XC49Zzy;5Buh~>B1u>4A8STSxE zwEMa#s}4DzRLgD=3X#yD{A`HNqTPVF7A?@njIk%2DJ|ME?u>UPn7(3rmpSPlj>RpuQO+HuqCiMHktttic z`$xusSE_Hso1>H%ZhhH4tEd+^Ir}7Qc85dQ{hgf)%6$lX=G-^mzPp3Lr`%`ZqnU7A zaM8pM{DH9j`W$7s21{1GbOdZ^sLwg4R!jTWBhL_i&%eiyPv(^G`EnHsK7VbOoEZxv zn@wE5g~dV5?;gv28)B&*W!62~fWLp&$J3_qWTkUW|Dn2b@YQy?>*=gSf_@!yej89d zg7P2xH2La?Ot_ghSAuz*9mNZ0D!=2kWAG2-x^mI7yE35s3-t0`Bt7gkLI2snDnDUw za35IMkfd4rSG;dOYx_8B{1f-Xcpv)De~&ZR4VAX1XF<`-x6c#4@Ln#A z&ln1McS!@7cylStt^Syht*Zk`{u`nf9JoTTzx1s{8~jr2U2U&6fZR+fGj zrh1qepVg-S3)%EJP03moRF}zGdJG!T5qXtjmYwCU9?7Ns%$7~Pti02559LR~`Yy!F zqFdxOkGC`Wp3W?@k=S;H#-}l^gyY~wz4YG`L*aa=(5`E9Qz#ya{q&gY$qr@++H`!6 zk0cFdt-?uqig3j2Y_je08j8QH9GBd7^0+d!hril1EBl^qVCCzarTk53|1pQke9Dca>j3hY-?ZimzNdWlrL9B$E~`P584HD_4Ne_`63kWs??p8+7R zjHdZ*m9rTIAiU|__62*gXdIFmCz7G_buxe8{Vbk(mVLI7=8<9k57xCEkU!I1{i%}v zZ?kOPs6ciN$!)*3@|mSK7#+x$nbpdudwqT9eVV=&Oes$oF@9)Fugl~C@}d0I3AUZ5 ztS{MuWKM4E@Xd?VpE~q`d#G`GG$AW0eGV*0r}jSDA5`wL_>ocn{_vljc;3aC#(hx_ zArA&K|K5QXH>wL4JH;CgHpoYu5sQYpEWGk8~OD39i8|8pC8Q;|nCisD0f z{S(h_B{Z7+=})dB9_C#7g|Y7c!#8I@?p*7gyyEOBC_eIw-}YV%neSmEyd*IUL>+G| zo!F4T@}HccwWLs3Z+jZ?$p4vTQ7^@+D`fQXeJgoz#QX$tjcq;PdDWWQ`{?JOKk@%M zvhOcD+FAaHTnb%oB5HM<94&Y?n3nCs;)%>9D%zL1&Yw>vSZ9iM5pJIyvr;U5evryN zIbAdL#&R1vkC6Y}YDVOgN^NtNJ$H)cuV7zwLl>S~YpjxB|A%QRq0wG2zldAjC%$frVK^M zBbMd~S+T!3|C-y8$_KP-{bZrQ-GRX$Uc>44@??z6AX zJ=zU+wZ~)$gBSVkb@z&Uqv1q0%xjlZNEw;^bN9wTq(QzIeHa`;=I^ z{?R@}91U@4%=e5jtGXgp=s|f)aNVjbJMetQFL#RLBM<8_ySKYy^K~h|r;ogo?F^OM z^t+<|Mm>r3ALy^6e~)<;n2&&VD*C@T@6qnW^WpyQ6BSz=GZ}uxfACgks<)Xqx($fk zHJiA3e;S=9`1}|zLw$-P`px)WnAcrH^Wo4Q#OotokNWvbDN94C$tZ7 zWa?1`nkR%&kLU$@ki{7jO!5JtCYgk zIOj84Sn{6H%#0N;!}tW|(ICGFu16dZSHk=L=lG|N9`~dE*_$|H)6=JJtna7}tLFV0 zSKby$nCs6PmaICEG0`a&mL+#_R}Gy8>-xjmYn`kC{p7y#dF6u{m!QyMaf|nlKpNjd z9#Q0fLp{fHxte#M8KV!_fB1kz==Y%c5w^jWD|*h;IyQ`_GkIeiSo+O|;uC2;x(jOs z+@VL6`}2h41hU%qnyq7>_G@u`h z-+Spa-T0mxwlwbrzcX{5A+L%iJx}P-?xWF%oLO;4Q)uN?T{3lxGDOyzG@Y|N54BrH zl}w9FSn~A@)yp{V@w=kEK6ytOSL#PExH|jER7W=-ic2x~ThaH3-vQ;$zm3f2(xT6a zyyfUOU_RvE|3`lrahHGl{gt`V%xyBcEW1w$)+CMH$Q@(wKC*ah@%=HM_Y~=r*(Mja zu$IOr&_40l?-mgUdtue$&`^`eZPFMaKDuSooq2)L2cwR6I9@&PSZ*h=VY&CjDM07jfJjz!5yGqzEq8U%shhzY0wIt%@-5jpLw}9B^~0O%ts*!S{u7 z1mzIZ9^OsmT~85TP=S;S?AsfseZFTut1e6%B=>bZd&O=7S91>U`P@@LlqM@pXyUYl zH;bene_Gy7ZrqB_s_gfmcKo!B#jVeI66kwGyL+o%cE{mCz_!IDA4;hIi|a{l&%>h@qqk|k0_MXbZg*QhSa$tvOUPI@5U)2OfY_Kc zHD@TOLi@p8eUUrsp#NvRn(sM3D7=#=y8PB{^4r4W#EV8VXujQYaf;a)aEj4p_ZF=u zOx(p5oL`Sgb9INYwzq<4vbT}Sn`9!ZIX)KOm`@}W=G+~2I!>7Ris@uiiOq^h{krsh z?$o@0Gw&b+_p+Bsty4P)H!N>l^kmB-$);C~U6N`@)tjpu&h5HKM)v4MF4)vX5D!9s z4(;Gp-4px`EirIxbfdJ?gkG5RNHBWS$53$P{Ww8miZ4t_zqQX=(TlEwR$l#g;wDz4 zWL>lP)|ji%xUVlmbIK)>rziaU>l|Gc534H8YphS0V>iF?667Xtmufv*O7yt+ZW^T> z0oSyAVb!`w*mF(C{IR49WG7dR8}GD$nR6BiyGR#O`v!6A(aHN?jGT#t&R^k!RUcZ3 zcZR-7ua+&9zrwK|Qexk8S@Ecop!sF(ft}5l;P*J^d8;LMU~`^aa;vmq#SJP*fkq+! zgwkjdaHk+t+a-zwDef@-7L-E_WiQ=&Y?MmZF~^4^^5b4{u&4WgOZro9)_l^U@k!M0 zDCclK?mzz`p=oU-4uYlr~)h*kST__*k#cmCGKJ`?%cElpY;8iO1-`8+W*5Hg!hm{gf zgLyYQ!cDQn{dZ-$NQguDhdF$%AnA~Mb##?K3HqI$syDTj+5>|I*Jo%hv88=jQ2%56 zM|Q^H6tn4`q;&7@w6e7Qu(cx1BVm3b#Yv^&eLLbB(`bH6wCI^>Y<&sT&$_em=)k#H zO_--CBW!vslKkd7QJvfoPUFqk|0FD>_UoIemefB*yYh>Y-IkqM?^)k5o)l}y8*`s9 z1@pbDSFe$B0J)Z5T$w$UAb+Ibokwdr*q!w;U6^bQp_hCHI<$2mc;FlFk~IO;Z$P^g zh-o>RzsM)b9z)RQG41$G%RtTkhGujT3x(7mDm+eS{GaG4ScUVAF>6y(7qO9Vj-gX zQx4O7t96cXal848h-u6m4)Yu71aSkVz2HX{Y(C#Vi_u4&$!`+P((fun=JML)Dv1o5 zUyAx6P$PcDn35;;^PhzYlxSNpcn0oVN8&Q$ z2WRnnE4uzs9<755?;~^G?_cbiEzA@o2x% zM}KmIzb6YthAhf-OR_u@1#Y|7`EOBcg||%~Vcl#K__4}!t_p`WjrYHBGOGEZ;>hX~ zfw)dOwOi0GW7^$EA!>D4{dR%9BOXkNzw*%>s)G*s2EjeXxmHj=jDAV>vQmLq?3Rm8D$GR^MAt%x^N4lJ9;M%aq_u~`Kkn6e^N@6FQ!Vk&i zY&@C!{=e4VI;_gA>l?*F1rxEI)f{7vuc6-+KtTiTQv%h`b=X}@u*SPLn_nI-{HwvnrX63!Q6bif9TqXB+tUXgy_>;wrj!dBfWaDhm6`){gEC*i2emc4<3KJa0;&_40qF;FP%H}&#r z8;ZZIj7U#9C3gd^+CCWNXiE$?{V>1Ny14k4e2l zq|cp(MshDzf=k6}lz6?Ax4V9`oXjy+Gz#lTqxD(QZ-$iV&&ntJGK_BZHe{1*HBX2f z_5+J(jVrcW+(F~shv@kvjqb;gS94pv|CqrvHqn96u%m?dI8AU@J5DrfXXnliv4icO zFBLyy;Ca{=1o0KDkI9rrlC1jRCqPU)<#nW(5ICCce^(df2XkCDFI9E%C$HCYKkB{h z2PS%U4$Ch*AT#(M|IqLXr~3u*2OoRxb+!ve;1F-sW@n!~sLnpDTG&`huE9LXH(WvR zQ{Yd|c}8Cpv_n?;t`L}|r3@z?UtX)3tq)9nDv_)`U~P3zH78GU6BRd#;GqvrnxiM6K zLA$RvB7YZWUJ{s8AKu$2>_+2=F`jsIxVjGfH9sW~iJd#&f#9DDkIcNxtW z@T&@B8%Ik9H*L$Lr53ZAFmW-^o2i) zgoz`~OYg|V5J8^9TWmZO==`Dnfw%!u>|6ULng7c0whD@iAWk%%Zs51*SzM4#*C#%Y z<1zkzJjS|G=tscsIqR}WP`%iNe&=!?FWpV|6Nts$wl!DPgK511=KRO9>`h_#wZ%Gu zBR-MX3qF;S8BAu?<=F*ERd!W^!_A<2O@8sl?7IZ>`(;!LN87&y!0B-5DVbAJK-+ct z*En-VAJy(S&%@i|$n3Q|22zZA;&c1A$@xv|q4>#+x6gJ@ak)p2souMFq0drAzlVr- zD|l|jwo?6yX=iJ}#i-H?qr<lFLqDXzR~g7;|kx_GKr zqTiwLkIlJm(H`<~;VYSbu3{>;nfCr^sz;$8lt~TX=(cF_*j?4+8o8MkTi6BruDWli zH*JH@DMz1K7utd%|H2<`{Ov6LR|vW!EBQ>ajOq6v&W-U)%=KwQ>z^Xtm%4DBSIpL1 zr0<2q^^KDP$dneI&vpx{2;xh@U6b6D>drz)-0|WAAr;gPK!2*>X?=yJbfEnq53N#m z{VcA`%8OEgdt3u<0z*nPf9C0_xZ&&GjDC2J21{#~n3J~O{IlmuOAxOkNq5rk#!-JW zv)|bfy5GuHHb0o0kVW3Fsx9@uodZsrOk6S#dXmla*R5-~b&nvC+d+Ob%=u2Nm=lwz&*$h8;zQ|6Y05RnHwKQ7I)1GF>EzfFDeprR23Pk8cw zdR0l~64$TGiBEbgXdD&du*`WI%kQXtoGv7DRvCiWMx1-DRMYuJ{)6#(NHLEz()gOy zs^J(&Z9kVaXpQxj82#PS3Z8#XHh}6A9aiNnWB3p1H>f8eK2zk<@jSoP9`wz(_NMei zlT^vx_&;Wi1pC`_>EztsWa|y0>bynY4=KaPw_cZb2pU3`M8bru^_8GB6#2etZz0V~ zoqO&xf0rxEgvz4O|mh{&RcyDshVARSWfmdDtA$)-MY57)X=pe$CA;?JmS z>Sd{t+Y@|&gm2VX7xY&(T^}n>{7!zAe45oiMwsR$BR=5~P;}gQIs<3lv#M7@Tm~%n zu>Y_#_9GmJyxI$2JOuUuw*%din&`aG+?U|8x;B#VItzs*a(YnxGkr)na;Zrmq__-M zA87Og1bPMH6zN(dL5hk=Kc=JWp@Z+9B0_fY*wJ_cQ9YvHS!F=e9lz5DzCg%kH^uJ5x-o zr~DB)_5Cct{oBk#dMEMg7KQy{5*V|%q{}%$F(1~q^oSKfI_)m@rr}~)KAUi z$0w;C;;7Cu7#l3V zvzhCU^c48B=2?$buU-d4MmGyJTxq6p4(JEPb%4i6$NNX|7%AR|xCfp`iv14${(c6Z zQa<_hXo(`N%QyZQXf6q)=Z zewK5Y))r#{KR6;da!6JvmHg;l{m^w+FwLiB6Ro$8mMkO4pH6)6n5D~BLE@x-e$j3? z4Wl}`OQdX1!Tq&EpV*dLK%K06@9RQF-Xg317xEj2g;6sFZ%0$S5c{g3-wEH3{@En< zJ4qKT8U2UW35vbGnn2gD*q`4z?!3lyJxE3A4+aEZBbQt?Kqmb?)i1ttrfz=l+7C|4 zyVrZG<`VVa^RAD4F(I{Q)0K9t^kUUbACr%`4;2EY_7*eZBT=4XeYFTZo8;e98FdcyVkykE=ynfM0*H;dKU=cs0$|-#v60DpkBg7x#fb54YOS9d3e0}IvEVKHBVc$b z!_!pVT{?ZS3XnpDWAnKSDPNx&+m)3T?F**g-NO=xQi)CW1(7G~lWBftHN~}$hgRl- z^c>;TpecHkV*J&Ta6V&o%>)|PfOY}j#hT$09D#88vO`;oXfR29%{{a7PB@*IsByH?Z<cW<&&hhoEURRhyd`2F~hdG3Wc z7=FHb|D612=u%ogZ&`j2;g*`Cx09!p#6I~U*%ehqa9#OGRaAdENmzosH(d<`h98YziBb_-L&~rJ#cf~edIGW2lnz>PI)_UjIL{r zbvJ%Z^vwqLiPw&)xOvn1PR#oKwop*tTI?{{moWJ(BX29hODZI&LokJed1`w{)Ac+9j5$L?EIDx+Y2!WyuCIO>Cfud*K; zUc%^4D;uk6E^>vw7yaW{cNlT$sq&SfuaizO`nCTU)X0w~SbrFCz)xHr=Y+F3tfOTM`Fe>~IS1_nPDh2Qz*1VTi1%j+9Hge#Qo zch5$5mfSF9#ZT$bc-du@_iAM-Q_0Qv>5DA(c0lBOzPo{G=UDz6NjPVC{q3oW9M*ho zgs9NP2{{MG@}_Yf(T>D;POK9+dv*OZvGsPWxX9gr@r7wovP<2coTK{&pTm4&21q9`>XZJzja|^Cz&>Bd&;L7WPU{5z{eE-G$C>BNp~q9Q z;eCH6*>BBzuk>{kl^cJ5PV*n<+rIp8+kDRpo)nK1y9K&~bznPjlAjsd+k6JO|emQoN4&Z9*l@W=9|R(0CP$bHhAY{2inMJzKu+iMdVjU5u;2 z=THwroCVJ#o{QHJkHz;gsTQMunbWQKdnK?y@$eUwS+z9o8Ltb?9Q~-57Ekbh{QY@3 z7JuDG`SjnfYtcBO8BLES$WI#cKX>?cSRD_QfbH7ef6dzbl;A!`+^w^@b?4Td_B2jP zhI<$H@cUwdahuHhR6uCd@%y#aPg!}$&Vc+KaVZ?vzn?duaRuYgGoLeI=}9KkUKLJE zvaN~phk&NE(Y(%EtT_;|e#+<1Y4Zs)1oKi+J^iU4*~fygS(IdFO3-tQZ@B(UBz>Q&;=lftYSbz;8x zAM+UzX(ZEatE=oKlPG>>E8Tm1*(pE5>;v0CagAr$)``VMF4T_Sr2aYGRQ(&Z3lJxX zUpr}y`|>b)p1HpYNP_KdwtS!!%*yjxIIH}jyxe%{xv5qxe&P#1Hp?fU z=m;bePqm9W?XCiD!9wY$>uhLWbf!N%mrMe!9_zhU)Sg%%k$c<2bc95^N~L^f!@8uV z1P&1uxd#AG|-6!ZzZC(9vrO-$W)&HKT zj#L_SD6#Ztd6>Mr&mo#$gUTJ$caeI8ZA>Z|2_!f^7$1wrKJCH#!{_x7#9dL}Zgv}4 zvEL|@Jn(t8%sae{zQ1-^!}S*j^C7UO>(-1?FT(6M>;>r-@vjC}N5d!Qm5uAJYtjCD z=vTw|C5-<>JOudw;xD~73b?p3a!5n=^(eV>a;$m|hXCa)6VH>Ta@&kR?az1vR{m)n z<$t&?nR3vG#*esNbyDmrJVW~;AwPVw(L6m+FAH>v#XI(hF#I)X$#yYmmgMnK{+{&Q zOu#;IKMG1-?HBz-XQE3X6fL*!2wkAZv* z*GbLkhW^86*&5~7>xWi14Z!0)e%>m2pFmntvX}46Yx4GxhxVeVN8}@@tIp_agw>q~ z(k@O3f#(OmpO5%bNyKg}KXmG|Esdj}Q+c~+WZ6OZa+IqnH9LVduLoew`)_*~tw;&) zO_^e$C+!5~W8f{nY5s~{@FqgVIsbbeq?gE>PCs%Q9z8roo)j?pxUM+(>6h~umDp}C z{Y$fv>T8H+%$~Yhpy1F|dfv9HZTjt?!?3?*l5S}`P&-Pi`C7n3aE3!ZA1t`q>_P3G zBv}2yIyn14bOqa@H`#|+azu;n7aTYAN8)%6&RMcuW!*72wI^KaT5bSc$9O+89^alE zP$-`hvMUpW0$VNDJNnW*X`BaKPbjaMcD4<*@9}?PpJ4PyF`qM~{$RM&p)`;(eO zEL$^YPCu*+a;I(g?j^Q_ZOUNdmt7+)Tr7)a-w3hBRS5Q2KkiY9w1-`m*>6I!uaMoH z@)HI}vtX<~4ErCkKXO#A<9IIWKJ=vXYbC9VfN@ayKl*mPJAazuh;KAM|6ccfOrI}{ zfBtpV#SS>NT${71QyxxsTwl~B?*vQVUrsZB&BQCyeKJpNn3eTw34=nq6bR1(CUFZA&Z^%tI$2vhmOy@T4}825~J zIL2ilW&W-n9COGoIrh+q+S#}sk>dB^xM4mClbX`!@cJyZRT)DU9R4vr_#UK39GcaS zhT8q(KBm4IP3H~A3!lSd)I$xkJRiOK90y*n)+R2n&Y}Aj_hZ4N^uHoDJJUF0JdfY| zE~qJen5eV-^|lm0@EuIXL8m$>$lgT@2O||O} zR9SI*_SAktT&nhEyzc}dV}fzRsFz}Vxc%cZqGf>>N!$CJIZE^Osk}nH6!RdFuGl57 zoheq%k}G;N-hjzJoLF|5DZx7BI&+uyiHE(QI2W#;z1NLmGFC(Z#(P>v-E+u&UPklI zl$T|~ebKul{pK;jlIjw$Fb$s@7CL4(F#Ege0LD|J9n+j>v0P(mHh*R#kHVXd}8j*o53{BHKQoj)bax(54L1`oXku$cx3g| zV&AmOB$%Uh=^pJ6mc74`=Ko`!cJ|a?%ZNrbVOL&1|DCumL45+{22%OjH)+p27dNG`u!n{>TL9o9F>xoYhQq4D+@4~Txjq)c_r z22n5g^!QnT{QQ%wxSFGoAvERTRz@2b<~T>N_Dv>XH&D+xZ&*ul5T+h=8Uh4tgELa? zfn&fe%t*1B>iH;VvCb&!j~Ks!{%rQgFZ-1gwn6ASL4NNHH@d$uuNmzpCVmkG5B;OI z`3w8QvjMTPv?S1|B9kKEAqXr1;x zitM^Cd_zdkf!a;D|NHtvoL;6e;`mwXrs~FC(M!gGL`5jSJ;ycz_;^G0UYv=9kB=VB zsMhy|Cf*{~pu%W)c|qNAI-|c9>IGrpjn6p-9ue$6gLolc$G8AI9#2sY_@ z-(_d8pu^}2!Sks9;W3ly{i7caUjMi6StIPB7h~B){joFoJVvd3Ggs=a1(8_R9qO7NQ(QdPtSqbxDK<Y&h*wePexth?Web%dgDX)A@T*Lzm!q0*TuHBYepumC(v&hQlO~Z z^bdKO8T59_gH!mKi{Igk7el)MgK7eGUp7mnWb+?syM9#yDx_ zdi?kM@Va{C_p`3MYKX7%L7tUWT40@H_7ru#Dd-y7weQg|j56FnV=-6NN8(D)4Go46jC<6;hO zCW*$%ixU|7UG3(f+DbtC?Zd;#H3mcBR3F3fz&!ZA4GHD$H?C5go*91>0-7o@u6yFU zh>gJ8?5&?4(fKygQ?Ph7@glVK*!ev>Sx9Ca?o@OabEo>uZ^m+UkRCj&>8;sTleJ>8W&%t@k40G=gk+=D%7iC^_@zG8GXLZhLVhYuPyEhL;i7~za((4Y?L`U@W*>m z!67wP-BT}CpJFYlM~U`KTGGvz0KCRq+3xJSNFGVv&GuapM-aFD@+8L~`B5cn{0~4# zzRApOWf{;rVm>o&e<#&zuwGZf+MhN`eTQLNbd~kys_UeD&aU1qg>htZjeL<}QY)=D zf#cMBKWcQNtUi^~i;e}>)TN(XCTU^ktXe)#^P??bDoC_id+rf-#w&bJBTd^^+PlkTX^oJVIb%Oew@?oWO9-kQeVl?QWs-psow0jHOm9K%Bor%8TN8+J6 z)>818R6E&{mck2XE5T;f<99A%3FNbhJK3H*Sz^O{A48eIX%bkUHaksEb9+!Vako*M zH7Tr)v^_F7_+Vlo>{Hz+c(^8o_Jc>iqAd^Ku3^zsg8T>fHPins!}?!`;lcJtt3724 z$e(Ee`;U<;tbEmEnzxE^6R7{-F^((Bf261%AVs|e#}O&=L6j4^*DrBKHa3!mqPR;d z-@Ag@hMHZISEN!LF#N;T+&ZUts`uqQt5sYcS57oz;+4IgV|@%wxG*tBNBd(KeC7+Q zpJOwJ`c>5CI-*651Za z`HsY@X3k9FuLixho^!+h_>Aknu0`{#FwP8d8vI|#ukm>N_3_7eA5y%I@dNn3U8hvP zj`)}Wa-zOtu&!4VmOTPo(_iyjP-#2}i_=cNd zU*P@Y>AyWc{=Wa)?->7{e>>i$x@B;C?g_eH$KUtg{-3`;hxvI9^#A{Fy@&ZbzVy9+ z|J||QW1j!F?{J~}>Hqw^5giX4f3)+Ne9x3b_^sgD^~jORt!Dujv~QiLhOBwN93C?2 z@F9Q1IG^RNoV_I~6;z)>eyVR8(HYR*M6}KpTV-;(g297ZUeAK;X+I;c zc9=2$4tL_7I;yuLA4C5Bc|-T!J$BKQA2H9X!`|&{B#gasX}l0q&YKWs{Gt5BpdLzYSS|X($eTv~gLvnH zn5*A*Esvn%h1dVjbPT6Jet>k{9_KI0siidjcg!jqGJK&H%qNKDF%pW1eg>-p_^gMlmi0>GH)!Lw^NS!M>Kx zX}i^pAzP)FYirCc5Z#rZd|`(J3`;4J^im~w+B0*)QL}o&%wuQ7kNqbPXg3Ql^JL+F z>mcE$PMIv@J$EMW%$@Vl3A)aPuAOi-2h2=UDz44)fF^-EW&*RE;9{p`{1n&wU_IQm z%A%9e?vK@PBz>g_-yMfQ>MtH_pCfirWucl9M1GZn4yFYIzCKp%#o-KZ+99|||fOVE<$&#mQ za~S9+c!b_Lko&Qb*r-Uxe%5Iwxc{ua97$T(^OWYlqMjRQ=OW;s(@)RS{8+=_)yE{w z|MmR$LmAUH2w6es<9f$;T4B`AN4~RK{A}9ZsnrDQ@-S%xOFv3y<=;y~#-Nxvr>O$P zC2&5BiuX)eHa!paRv!Q2{3n$9eLU7K@2wSTp?C~){mE1Rrzg9BJsbBm7H+BsC-1x{ zTHRF%=|v5uSEgA|Ki+MIhcR?nJ4t?Hl`L=7L;TNYXTSG43#-3w`m^Gf4+}T}zh)2HS52-~FAJZ3shP0vojM%v+`-aURiLiLqAz}`8_icid4hO2 z+9!znVmt%diD;)Y`L-I>^RT{{Un_T^_Ajr0$d|oU4vYN$Iz#0V_Tgp5zlKmggX;+G zhncI5A;|9@D{sVPoPDUqvdawt?JkU`#r?Z1>(s)o?Tsuuajf3LW|QZ)rm1aGO+19v{-P?S!AaTygyGav{@2E z?FVLFtTr7V%v;M8IdeqmZ5DJazZfJN#i(=7s;`N5Fye#g4>Rd*{$$v1MAtbpAG#3M z_Xo%usNSOAi*cet-V&i&k#@9SG}^t$*HItW@=epVwM?YXqrVL67$U#J{yX!Yp7gq= zl1eVyDm5NZGNbl5(+^ri``w~n8|8NKd%rM;A5~;s?}n_1mN=S!6&LY)NOJLAlEU3& z5%)Ts+)w+ke)&a)+|%Y*(){!#34Z%gGL7RWL4Hf)Rjo`n2kvqw>^xlGx}nGMw6SWH&Z{gW<3fls zofn)p;Q&u3*8_ooet6{5u%RPW(jtP^-$L90abc$3rv;K1wzVBiFomq$>Q7RhID&4! zzG<+q7n$yPDK0LhpH+V+_#ZTP4$mK={q!H_G0p{P;(?v7(-xHh@>}eS{;S(4X>x)I zWKO%pem1X+?vJ@HH@;o<38wylgE8)(yNnrq5>+P4ef3pg`Lhobw8xLH7oA=nZ3Yir z<~Tg#J4^ix%K;X&x-gRus6B^fp zdB3w~&GO|a?}GCYJ;I&e(h2JKOkC0o?49=qr+@GzTv-znn;#Sr{63@-$8W2$dt|}A z$)(@TI0{Kqh(hVr)3JSwj7Yy zFKQ2{A0q!p{&3z))F|#!Hq{%l-aOX6s_p=3TY`mmsAN!nc;U*v8#i5RNZjJ0w~t;Y zfsXXqr-GA*Sh^~ii9nC-^2}@DnVIy%M4{pHe;4Xy7?3i|{YeD6Q`v39IJ zj-lkx(1MQ+&pb)$WOKI5qS2JUVE+23PA4NHDGAITOvzLh+7CNBcwcRaP=;jDLh-T{ zLm)mQ@XwB3SGwNkZR6FP(`!oQGumU@f6hJYI>5-27?-z>eXUEmGUxkonvgZ>PkPii zeaI%xS=IA@sL?q8hSeueh|Vd8&PnMqi_Bul1;rh;yxnG?(qDf3WN9Cb$B@6xw)af^ zQM#XSpL}iRkz06_(LZ46tLMJtG`YSh8U6^}A&7UOJ$6g0E;fDX4Qh{>PQSY|NM)@4 zF3<1tPqU?t0qVm{KDPr(mQRl}Tv*MD>xl<8*d30q(bbAtw=y;;PX64sN%|x9i1p9QLpBLj-k>dS$ z{J%^2X*}is^j@qB%Dhhmc=J>5y)g~}saLP`tFv-w-qrolhrO7UHk_xRnoPVgA#<(}nMc0Q5Qz@!eKp*wqxBIiqB_N~wbTo3qM zhm*1L>cIjKl;j({JgP#+=kN2t52AmrZm>LC%Cb+5=zaJekEO06zm~c~^7go-vWT&| z(r14bcV8GhLgfJB2}rHlUbD^CJq!NJqg_|UFyeDI^G3>^Uq-2oQ<<5zyFIXAnAa_H#j^g^JS*5#X zG3+o8S9=dZsV;cr<$vMepWpC#Rqe~u_4g@%aTV&l{A*PlwGR)L1-~y^R6_OYx;k6I z(Be^G*2T?X<#!jsfpFKxiDLdVZtrs9mz-}G znecjk;{h-8J$1{A$=r!k_4?kQCSG#83ql;dVAhTLnM)#l;cCsB@X22{kfZvyvxQTS zQGY6~yEC;Dwl02}03waSZ$}QKk&2sZ_UWvQr+U-E>3pm98<^01=m}p2_xFz$!{!Lz zkMZYUvg)=ck?%4KZUI1xjaTfy`mSDcaxafZ5N^3NC2KE3fbfruOQh2OQfM z^IOw=8=RkDE)x%Z?hJA%&@MIY+G(nnFylSU;3vm}sd_3s5VQWp{n<~A?!}E#7BQLMFleMpwW$kOKB`8nF zQ>HvnWyy0@So%m|xc^!ltzU zyU5=VuZgfucr$N~4&@t|XM*;|_oq>-rwRpA+y(uT_#Wh+XkTNUF_ra?ti2R6A^zxu zy)`z0G`?MaWX_tMulGYweD0w>htA+(Jii| z^{?56_PL$Ju6MZMFjpKocKdpZv{?#Rl$+?EKNAhJtmCSd7%EYF7Uf>(&=<4OY5B0L zEiA63x{m4_*atxT!VATDDh{xwI{Wx%pK=-px#XSDrmHe7)Gm+jdipD@b*#=YlmDx+ z>MP{ImP0(R73|J{=vhsk>eW#+PM7_;&+e9|&Tx6r#s>v=y{Nx7MdZ`^*#bso?IY!cfAL`({+{Lq3J}r<2I~BkFsqNt5h^uGE<01n~i+=$|)@BhvzF{8;vf zDs=AUcmHtp4xNvZ*lC<=qK;8HiE>ck$6E7W3vbciM?Nxpcj^J6luq^hmM=cm>nB)| z)git?D$@ce{?c`68 z@ndeXw<{3wmS>aqjrEa5T&mrJt>NpuNdta+Yb&al6Xt!6u&_|Tq~dfFq$%=Lur(xZ@-{*IU9=UZID|g}rI-%!!8qwP%I`(og*Q5KHvMrN5@6+@|$=kzf5AjqWPh zoiEV)FL**CvDvfX5;>9!RvDX9cBKrAdvD@@c^phoFU2|}%=iIIiZ`YeC65}!d>|r? z>49f7{D`aHhRH?Gp7N{=7%3^=^37QlN`+0G>X*DF8T>Y`k@x$+?x6Z3PK`<$-}NzA zYqk56LfX#^^X@QS4C}ZE%X3R@EcU1SOz7da7a7LCz*0D(@#NVXu<5#u?%MQpP*c0* zm9S$hUYS4KE6QYXHT8R-eK$c$TUu4mLM57PaK^2Ehuq|aip3FQaJ=YHahU#&{N6% zUJl|`Sbyt~PL9`tCZW76OSLo5a)aqE`Af4SzXmhaSed)D@=s6&OphxuB$*9qc!I=jLy*ai)fDS}(p2Q&>({<|i2D9S3w z0xlkoa};`6MaOYHTk<_$!*dk>V9IYDdL8*c+PO^rXbiGnvWMm6+bN!D`}F4dZ(0|@ zKyvF!`%jEMNvF54-&kY>ttaD#IP}8EyRa-`^d=OGP_>C6V5p zVbb1)IUqi#_}J#?a|G$CyeBgUuVbGeX(|s<&ZGW-^Vd=Q{E_Z<1ArgHBE`>bN!YVn z3)!EiL*~L-M=$Y*bYG!=5#=tf2WDM^YN}Tm23!x7Jr+&(wNlK?o)SZY}g?a1}1yZ}_u3USP)^ixIhoWB8 zDD%3ruhta=#noH}3ZIdCm!9ADTT({qm${x#_4!+S^oT8dSuy zaCln?+FLd~U!;RoS5AX9f5uSSJ=iw&V-(ynx;4M=p&{i{{k_w_^Zx9h@#lG$zix=% zc@~!Dcx92%Pddmav|$fV`S=$8FjXTdKDr zj;~vFVfMu!52_ywG+T#dGvWa;U%_QUbkTa9Bt~D?1ijN4#{vCom0I#2KfDSBMcykC zhN=Oq`n`Eh@$!jQ;tS~jLxHTF;^m3=QF@l(C8Ys zX(E+tp%u=%CvY{h@_96YL*}aqmsBJ{e7u6scKYPVGFW(6N8O+_6f7s-E3BLmL~(@I z!gp^PUulB@&ZP>*qy*BH{@SUlRZj9`G@U}X+@ksx)~Ojah$ieyK9Jg!!VAG~<6)tR zNIToLo8-bm3w8gaPf7f_`r}D!`^i-`r<5WSUm_6`r~lXHXjtQ$vT1*J0^Bw&Wq;8V z4{qBwC0saooJ`j(=?f4|fak-DE8m^Y2h3j&)6CZ>DLoCdrxqIMsid{M>?tw-|t&wyyEKMPqmp@_Eend23d5VAt#{ zBF1O&w3;`JlrMUc>ork|_OHV_e`t3s*nHeH5`eB3-c<^6lKWm#y9(D4+RI+rCjtWs z0wMa-2N^a-9bU<_?@t5bY*{#t4!F3AK2$5SXZc~wsh!-?QulpU#aP{W#91B<@_UXb z6~Hc|(<3E4e)M-yuTOu}&Z946LH#PfxGyA~Vf150d=l@&x)#`v73~J}Gt8d2=-Xxa zn`Dc4avik6^X+T9c%lQef6am4&2FsW#G;DpYSd*Yjh$(~cUr`SUMD ztqONif44B`OP?wtBzH1i>~!x7KG^?-K&x>antt&IFdmpaD}MSkJ% z{9BsOp4wy>iahn$=20vZ1npcV<7o?;e%@^v$Lv`8r!-WA{rdVeCKj+?vL-y<@k%xU zZfX{`R0^iRSK;k#=Wo_h`8@GSRI&4|R;q^}4lvl-dww;qD?N|)_jvy+`dRV0@z?SH z;Q7Db7e?zGSr%ugthR}ycqYnY{0=-uy$$n_@jBA+=Nt5R zM*Vf_NTlY?{nMUmk`r87w>~|;NL&{0d-$-eg5oF0CpO4T7uvBp1&+UWcCE0jgio55 zm5+8Nk=mS`H>C|{fa40>j+74sH~lpcjT$$}CE>19?YV{I>ABmSB0avaeAh1N*B?_L zpy=r?wt3}r-*8#%$gg|ZPyING5}7U&o;ML3hb8;sJyfRzl7siof7}hKRBL~WM9>Oc$rU{g3pL-UF%K6H0&+jJ2Ltmd&&$yc@;?WB#p}I^i67#DL=>g z!T0=~j@1$S`+3aslLltouQHAM$NMnP4v+s%|EKrj`~Pq0`1g-L9{=94>o^|!Gfpl3 zU@?}bi1pZe?^NHPcfAZ6cCyJ!q>kY&u?qd)tHF*i``ewO`C@2i**ZRU6hD-~>PO;D z>p!pIdJqu5J&S<8*E3r=4TAmzxy6q*DC|1`Q`cFa6gwFJAHwE1tDVUtypxKWHr_9S zB{d%I)s`4%d6-1{iFW7<1j98s&Xr<}{0@viIFhNZur#d_M9yB^wP=SeE8fi>JVn{; zn_79Ge^zb6fZPJ|$La&`k=3stNBHA?A&nc<{=@J85%FYMuka}4a{}6<&!tZ{Q~YxF zig#vH?$r}!JiZpy128_{pL=G-*W7HnPH_Js)eswf8>V-dWrrEi^^M~x8~A36+D&KL z|A8qNov2=eafSGMJLIc8N`JZm;-HA5GLQBD<-8I-Z?in5XYkh8ef5=Py@KD==yhBt z`2LqOCOFNQx0I=@X*Wb3dQ zNXUi%xV0)0ludNHBZrO*;zVw{ft%RihbLa9q7mWBUkP66W7% zy=4sZCM^h(X5{6eJ&*GF@06d$*&zOb>k)BNV@|ndZU(-O{9593Z%xENEI2O;Qq<*5 z1nlSG+1MN0z|cRiPBlKCR+eG?Q>q$n?XT%bqZu_N-lt zVE?qY1pUFU)!paqPPe2u@23k^7crGn^oOqAIol>#f(E=OpIo+ii#Kk#dA(w5Jm{D!&zG$HG=jhdK; zALTDtXE1gZ9Jyd^LhDZ_6=d!1%sou)SNu-YkEgA>Q}JKRiir<~N4Z6%G4?i#=6I8eJ5@eiMZ zu9cr=^piQ$9qWtcdr~_W-&en&eBNhbIfV23zfJM~;<%u_g!($# zV_eR9z2@f(pj*ACv2EgMFpdkzjGbgl=i`6tyKr7n-(t?cIt<3Wh;Yu*r0axlPWYsK z`iT^e{8+r}^seb0NRhAh{WiBsQkyBSo5+9nAN%LO{a*Z@_$eEH=9YF7 zG<(6@YI<)+>BYkf5_o*VM5>jgu9aauIH`dTb86s?GRD}IBncYNP?itlad zisen28AZ-ioAf7bO(NyXW&cvtFeld%2fpY;gpn;@9_{_Qy_Af99`8q5U+&+~b1Rg- z2iGZHN80^GcH~4(0$q<6xzD}gZE2+MU+!(Tbzn4?Y+D#~|B>1e`akfPDL=J9$hoPo zDb5p^_4^tAM%Ade(TU1*y?1KZJDxl0!RjY_h}Idzx^3uBL!1`<1X!=)+`R`p0g_e} zPepv0X-_Isxrpzw8;+b-EzB#q)aDUBT#dXC(`7W4n zPvb~`YzrI`;*9}}`nQ-@iuN4xLp=X?YDxX?m`A=+btU?EKK@@^ugrcS27q;{#*gnAk55NL z`NCMZY8LA|Y*=xlq13;C`xfyz{2kn%vP;bo?Kf&pROZ zaxdRQXF!|;|HoSSdAr{Vl*5L88^<|^5@@~3zvp@ALj;e%y7e2ZzbHg;G>j)=*0(qU z-&0oix;#7wzMt3Z;9Z(T{hUtbGL^rlOR?&zTEmmVj_cL}N>J&#W0r(wB*p1bPeD8o z<4TY+9Xz)K9{kC(I*L1XWM7i0IA7 zC_hH~lKJ~4z{9)viTNHws#oH;;<*2a+b3V!6G0N!@wjOhngG^+L;VeLI((mO(&F94 zo9qGiC(aM@U#w$!an#2*M1DV%mfdgg+HDU7*?*l1KN3mqb533z6rn=nEAY9?wuN@; z#~diX!upHMcua4)esCY)_v8Oz+QD9(Vmg}&g-!X+)P;8FKr(8$sba6h(Ap8V|iE;l;v_&;%-p&VB7OzzR)xDFVf zfcIhi1|B0GruJ~YyyZ71xWax&K=5573y-jXProl3oVc$JZ2H53>kMKDr)rL&gM2;| zgul3$_dN}Y9EO@BdCMt&f#ZjCn$D(s8%ouwUwHhuoqykTt>A?$mFLL+@w>1O7S>X4euMnt<6#BY-*da^I%C#d`1iUDh@&9I`NegD-^KI?+tNPM zM;8>Agp}J;T&TJsN9gjDkF*c07+1n1>x9#E-N|h=5C5Q4N^o2&+Sg_C<~LFQZh-Lq z>afM%A*!2aa?u<=s5%OYmj*GT!kQ|;yNL!Aw9pK}L&4(Hiop3k@AOY^8cgzK;P_puZ%nLt{12l+WZhx3Z_kLQu@7%`h1!sw5^ z$xC(A)&2nRvg(-O|77Ad-qe1;x+L{$Qn{*0CS50}w_)86d_PiLcQI8bYBfD82*z=! zhnl?>EexjiKdyJCyf=fc7I95+?m)UvuiVn%J#ps(xe|8MYa+il%sQE;UvJIGgLeAu z)cbZU&JXo7)Ekf@|3&{Vo@f3pBM)x!GjCyAq$=Z%_p!!7l6BsQt{?i`fAZ+02-ZtM zy%zlfSRaOaMZ4YpA7=se0OL0QECB;sg7ICrjuF3Lj^jEOpVgz|j(iaJImUP3{>J}{ z^W#3}EXRe5q4ams)D;VUu5ub%clHO_IX@&5vDBI6q9u$vaQ~@0s7Uk0P=7{@xQ`9XhtKNi({2G}j{L%R9 z<8d>*{&I)NOH)@nT0fya>Q$BV;TxoTg*tbFX&WnENt*IWl%L37ksjZ>N=$b8Me3Kp z??sAnBmY}>YN+qP|dW81dv-LY+(yJOq7-kH7c-i|mGRoPvc*_oZ)9aV_| zL7D_~ZPdO?iw@n=H|yM`Rl7!AI&@0kxl5<6O}cdL)U0#pavhpBYa2S?e>Fq=?|=X6 z+^k8LRvp?01R5F;xJl_DtWoW1~); zo275kxl?EwD3wmFdV~&$Ed3~b1EQv^8T`*_om)2Q*eoDg=>{7E{qMicuz=__LwcrN zqaGbQwQAobAV!(Y|7ELH`=+g$H0vA?vq|d?(r=u;eb;s!dp79Us)<4jUH;EOp-!C| z^{mmUQOAyd-f1i;#qJvrC*^ALkGnBKPCKMM&kdM zhoJ!p{tN5SscExL0SRjclAj_0iT(>~+NGxqC;tB<`R^!nK$8DTuvON8q-FkBCeZMJ zWR(Mwrz{iXzZ3HYq$pp$eCgjF|82_ruS-D6#{U&Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5 zMJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bK zw5APhX-9iH(2)Q-(U~rEr5oMpK~H+on?CfVAN?7?Kn5|GAq-_0!x_OyMlqT(jAb0- znZQIQF_|e$Wg63&!Axc`n>oy79`jkiLKd-@B`jqb%UQu+{LM;Mv6?lkWgY9;z(zK) znJsK(8{65zPIj@IJ?v#4`#Hct4snZgHDC+~pqkdB8&+@t7w( zjXw~92|`eU5u6Z&Bov_uLs-HQo(M!F5|N2QRH6}`7{nwNv57-m;t`(&BqR}uNkUSR zk(?ByBo(PiLt4_2o(yCp6Pd|ERP^DMC?-QJfN#q!gto zLs`mEo(fc?5|yb!RjN^)8vOY>u0?I?P?vhtrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh z9SNWlo#{eXy3w5;^rRQP=|f-o(VqbfWDtWH!cc}WoDqy<6r&l#SjI7)2~1=XlbOO) zrZJrv%w!g`nZsP>F`or2WD$#5!cvy8oE7}V->hU6t69TZ*0G)qY-AIg*}_(~v7H_4 zWEZ>H!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vk}@GqCS!d0$uog3Wb7Pq;> zUG8z82R!5vk9opVp7ER)yyO+HdBa=Y@tzNS5{l4-AuQntPXrF`or2WD$#5!cvy8oE7}V->hU6t69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5W zp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vk}@GqCS!d0$uog3Wb7Pq;>UG8z82R!5v zk9opVp7ER)yyO+HdBa=Y@tzNSP^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^) z8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^;*fKGI#3tj0(cY4s1Ui799 zed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J- zEM^HyS;lf!@E3oxl2xo`4QpA)dN#0;O>AZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ z#&J$?l2e@K3}-pVc`k5~OZ>yXT;>W_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0 zSG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs=6^x8e*zPPpadg0AqYt*LKB9tgd;o=h)5(N z6NRWmBRVmNNi1R$hq%NeJ_$%jA`+8?q$DFbDM(2wQj>hfil%qTqs7NI$Q-!KjqdGPCbH%F`wW&j0 z>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^;*fKGI#3tj0(cY4s1Ui799ed$Mk1~8C8 z3}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf! z@E3oxl2xo`4QpA)dN#0;O>AZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K z3}-pVc`k5~OZ>yXT;>W_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXi zKJbxGeC7*Z`NnsC@RMKs=6}Joe*zPPpadg0AqYt*LKB9tgd;o=h)5(N6NRWmBRVmN zNi1R$hq%NeJ_$%jA`+8?q$DFbDM(2wQj>hfil%qTqs7NI$Q-!KjqdGPCbN#j!wW&j0>QSEtG^7!Y zX+l$)(VP~vq!q1cLtEO>o(^;*fKGI#3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr% zFp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!@E3oxl2xo` z4QpA)dN#0;O>AZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~ zOZ>yXT;>W_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z z`NnsC@RMKs=6}Jpe*zPPpadg0AqYt*LKB9tgd;o=h)5(N6NRWmBRVmNNi1R$hq%Ne zJ_$%jA`+8?q$DFbDM(2wQj>hfil%qTqs7NI$Q-!KjqdGPCbH}L`wW&j0>QSEtG^7!YX+l$)(VP~v zq!q1cLtEO>o(^;*fKGI#3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E) z$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!@E3oxl2xo`4QpA)dN#0; zO>AZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OZ>yXT;>W_ zxyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs z=6@lye*zPPpadg0AqYt*LKB9tgd;o=h)5(N6NRWmBRVmNNi1R$hq%NeJ_$%jA`+8? zq$DFbDM(2wQj>hfil%qTqs7NI$Q-!KjqdGPCa~ru9wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO> zo(^;*fKGI#3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku z3R9WJbY?J-EM^HyS;lf!@E3oxl2xo`4QpA)dN#0;O>AZhTiM2T zcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OZ>yXT;>W_xyE&FaFbiy z<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs=FbiOKm;ZT zK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5V zq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuK zP?1VhrV3T5Ms;fNryocyYEy^0)T2HPXhC9jz zvzW~s<}#1@EMOsvSj-ZZvW(@d;4l7WC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gH zvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m-vT&xy%)=a*gZU;3l`Y%^mJ?kNZ5} zA&+>>6Q1&n=e*!0uXxQH-tvz3eBdLW_{{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*Fb zAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9 zjq23kPe-*{)TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjO06Ni`E_9_E-RVJ3 zdeNIc^ravD8NfgWF_<9?Wf;R5!AM3inlX%J9OIe5L?$trDNJP=)0x3cW-*&N%w-<) zS-?UTv6v++Wf{v^!C(B%N>;I&HLPVF>)F6YHnEv4Y-JnU*}+bBv70^YWgq)Fz(Edi zm?IqJ7{@umNltN^Go0ld=efW|F7Xfla+xb!$y!A)*)n>*a)9`|{`Lmu&%Cp_gD z&w0U1Uh$eYyyYG5`M^g$@tH4tKt?i=nJi=_ z8`;T0PI8f(Jme)G`6)m_3Q?FM6r~u&DM3j}QJON8r5xp{Kt(E1nJQGJ8r7-6pFWqh zs7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{l0d%4>UFb?Ty3>Q6^rAO?=u1EP zGk}2%VlYD($}omAf{~13G-DXcIL0%9iA-WLQ<%y$rZahdkmjPk72Rp7Vm2yy7)) zc*{H9^MQ|i;xk|P$~V6AgP;83H-9?y1|l#)2ud)56M~S0A~azLOE|(4frvyRGEs<1 zG@=uOn8YGBafnMi;*)@cBqA|MNJ=u2lY*3_A~k79OFGh%fsAA#Gg-(=HnNk0oa7=m zdB{sX@>76<6rwOiC`vJkQ-YF|qBLbFOF7C@fr?b3GF7NbHL6pCn$)5;b*M`{>eGOR zG@>z0Xi77h(}I??qBU)3OFP=rfsO>wiOzJPE8XZ$4|>vz-t?g_{pimC1~Q1j3}Gn4 z7|sYrGK$fRVJzbq&jcniiOEc1D$|(G3}!Nm+00=s^O(;97P5%NEMY0jSk4Om;%`>6 ziq))PE$dj%1~#&Z&1_*S+t|(ycCw4z>|rna*v|nDa)`qm;V8#A&IwL(iqo9oEay1S z1uk-lfB2WnT;VF$xXul3a*NyC;V$>M&jTLvh{rtPDbIM$3tsYy*Sz5^?|9D#KJtmr zeBmqK_|6Z0@{8a6>ChjDzyu*E!3a(WLK2G5gdr^92u}ne5{bw}Au7>`P7Goai`c{= zF7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SZ!x z!W5w>#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7VGHUa3WG>QI+@)TaRrX+&e1(3EC0 zrv)u(MQhs7mUgtK104yV6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r z!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78nB#ow%C6{}gpTGp|i z4Qyl+o7uuvwy~WZ>|__a*~4D;v7ZARBomp*LRPYoogCyO7rDtpUhr zl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu z(Vh-;B!EtIrVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2 zW(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR`3^pvyxS;W({ju$9gufkxgu73tQR7 zc6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxTr;zg*@DSGmS@Zg7)Z z+~y8CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0z zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5r62tnz(58um>~>h7{eLCNJcT5F^pv#S|UJKW_S_j$lW z9`TqbJmneBdBICw@tQZh-nMQr5Vj>K}%ZEnl`kh9qs8rM*`?XXS&dpZgi&yJ?TYn z`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$ zS;S(Nu#{yiX9a)pH!E4iYSyrpb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e#9@wb zlw%y{1SdJgY0hw#bDZY_7rDeg{L5voaFuIZ=LR>q#cl3zmwVjj0S|e^W1jGoXFTTx zFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%!$;15J#f)JEo1SbR`2}Nka5SDO+Cjt?P zL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u z2RX?_Zt{?qeB`G91t~;ficpkd6sH6wDMe|@P?mC(rveqJL}jW_m1+=(3WR<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJhfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$ zrZl5DEoezATGNKMw4*&8=tuya=u8*7(v9x)peMcPO&|KwkNyl`AcGjp5QZ|0;f!D; zqZrK?#xjoaOkg6Dn9LNWGL7lXU?#Je%^c=3kNGTMA&Xed5|*-z<*eW@{$?esSj`&N zvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1 z@BH8=zxd6ciF*POm>>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8of zKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H`IKtT#om?9LV z7{w_;NlH=yOIp#I zHngQ3?dd>A0_a3%y3mzwbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#>ag1jI z6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1%L53D_O;A*07d!tY-ro*~DhH zu$66WX9qjk#cuYnmwoK#00%k5VUBQ=V;tuMCppDw&Ty73dBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~jc$ z6^OtDAt=EJP6$F0iqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7 zP6|?ziqxbbE$K*41~QU~%w!=e*~m@~a*~VODP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe2Raf! zCpy!Gu5_b2J?Kdlxi$tXrMhOvxeJQJA6BqlS3sZ3)! zGnmONW;2Jm%ws+aSjZw4vxKEAV>v7Mi@#aPDps?GwX9=38`#JuHnWATY-2k+*vT$- zvxmLxV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R7r4kJ{^4IPbA_v1<2pCE$t`Ykhr8V4 zJ`Z@vBOddFr#$01FL=o-Uh{^xyyHC|_{b+d^M$W`<2yh2$uEBMXTrWf1SSYU2}W>2 z5Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvx zM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi z3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkpMc;nJ#pt8{O$a zPkPatKJ=v@{TaYO1~Hf+3}qO@8No}4POIlw^< zahM|<fMK19V|8kitT;&?qxxr0tahp5blYxw6A~RXY zN;a~SgPi0dH+jfQKJrt5f)t`KMJP%!ic^A;l%h0cC`&oYQ-O+9qB2#eN;RregPPQ$ zHg%{=J?hhdhBTrvO=wCpn$v=ow4ya_XiGcV(}9iz(234;p)1|!P7iw0i{A91Fa7Ax z00uIM!3<$2!x+v8Mly=gjA1O}7|#SIGKtAdVJg#@&J1QUi`mR!F7uer0v57}#Vlbd z%UI3|{^D;|vWnHLVJ+)e&jvQKiOp~-sYydx(vhAFWF!-r$wF4Lk)0gmBp12K zLtgTcp8^!55QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf z5shg=Q<~A77PO=lt!YDB+R>g4bR>XIbfybk=|*>Y(34*DrVoATM}Gz|kU)oEPH>V_oaPK?ImdY} zaFI*=!@peS3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW) z3t#!hcYg4bU;O6JB;A1sOb~(+jNpVIB%ugR7{U^c@I)XYk%&wbq7seh#2_ZIh)o>g z5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhU zC9P;p8`{#2_H>{l0d%4>UFb?Ty3>Q6^rAO?=u1EPGk}2%VlYD($}omAf{~13G-DXc zIL0%9iA-WLQ<%y$rZahdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83 zH-9GR4@6*s5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3#3um>Nkn3j zkd$O3Cj}`YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK z104yV6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2 zRHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78nB#ow%C6{}gpTGp|i4Qyl+o7uuvwy~WZ z>|__a*~4D;v7ZARh2uUbH6Na#aBRmm^NF*W?g{VX$Ix&bzEMgOfxWpqq2}npH5|f0aBqKQ~NJ%PE zlZLdUBRv_&NG39qg{)*FJ2}WnE^?EHyyPQ41t>@%3R8rl6r(sLC`l~U?P*4%oL_Fjp@u_CbO8$ z9Og2Q`7B@|i&)GOma>fHtl%&HW+kgw%^KFSj`eI{Bb(UF7PhjD?d)JDyV%Vh_Og%t z9N-{_ILr}_a*X4g;3TIw%^A*ej`LjLBA57wf4R&Ru5yj*+~6j+xXm5za*z8w;31EA z%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_|2b%c>)obAOs~C!3jY~LJ^uU zge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*)LK2afBqSvn$w@&^$tANeUjK?+frA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?# zK}~8=n>y5`9`$KJLmJVTCN!lP&1pePTG5&|w51*G=|D#U=tO6_(3NgeG#6SGYWv+0QYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$ z#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{w&HBh`h{PlzDalAq3R04a)TALT=}1ooGLnhRWFafr$W9J& zl8fBrAusvJPXP*2h{6=1D8(pF2})9m(v+brs7?)PQj6Nup)U2P zPXij#h{iObDa~k33tG~O*0iB5?PyO2Iubx9I@5)&bfY^x=t(bn(}%wFqdx-}$RGwY zgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV<>! zzgfvDR>(8$u4%YhrR4$KL@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}H zMsr%wl2){)4Q**hdpgjO06Ni`E_9_E-RVJ3deNIc^ravD8NfgWF_<9?Wf;R5!AM3i znlX%J9OIe5L?$trDNJP=)0x3cW-*&N%w-<)S-?UTv6v++Wf{v^!C(B%N>;I&HLPVF z>)F6YHnEv4Y-JnU*}+bBv70^YWgq)Fz(Edim?IqJ7{@umNltN^Go0ld=efW|F7Xfl za+xb!$y!A)*)n>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5`M^g$@tH4t76<6rwOiC`vJk zQ-YF|qBLbFOF7C@fr?b3GF7NbHL6pCn$)5;b*M`{>eGORG@>z0Xi77h(}I??qBU)3 zOFP=rfsO>wiOzJPE8XZ$4|>vz-t?g_{pimC1~Q1j3}Gn47|sYrGK$fRVJzbq&jcni ziOEc1D$|(G3}!Nm+00=s^O(;97P5%NEMY0jSk4Om;%`>6iq))PE$dj%1~#&Z&1_*S z+t|(ycCw4z>|rna*v|nDa)`qm;V8#A&IwL(iqo9oEay1S1uk-lfB2WnT;VF$xXul3 za*NyC;V$>M&jTLvh{rtPDbIM$3tsYy*Sz5^?|9D#KJtmreBmqK_|6Z0@{8a6S%^0f zfeAuTf)Sh$gd`N92}4-I5uOM{BodK{LR6v=ofyO<7O{y#T;dU*1SBL8iAh3Il98Mg zq$CxoNkdxFk)8}>Bomp*LRPYoogCyO7rDtpUhrl%y1;DMMMx zQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-;B!EtI zrVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*d zlUdAW4s)5ud={{fMJ#3sOIgNpR`3^pvyxS;W({ju$9gufkxgu73tQR7c6P9nUF>EL zd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxTr;zg*@DSGmS@Zg7)Z+~y8A@ASSVhO&sD9kN6}YA&E##5|WaPDN->I4f|8V?G-W7DIm%Okid3R9Rj5ies#AlS)S@Q6^rAO?=u1EPGk}2%VlYD($}omA zf{~13G-DXcIL0%9iA-WLQ<%y$rZa|!^2*vmflbAW>!;xI=z$}x^}f|H!$G-o)=InHx|i(KL| zSGdYGu5*K%+~PKOxXV56^MHpu;xSKn$}^txf|tDFHE(#!JKpnwk9^`YU--&5zVm~h z{Ngu%_{%>6#P^?o1R^j&2ud)56M~S0A~azLOE|(4frvyRGEs<1G@=uOn8YGBafnMi z;*)@cBqA|MNJ=u2lY*3_A~k79OFGh%fsAA#Gg-(=HnNk0oa7=mdB{sX@>76<6rwOi zC`vJkQ-YF|qBLbFOF7C@fr?b3GF7NbHL6pCn$)5;b*M`{>eGORG@>z0Xi77h(}I?? zqBU)3OFP=rfsS;dGhOIPH@eeEMhTBSjsY%vx1eZVl``6%R1JxfsJfpGh5io zHny{ao$O*ad)Ui9_H%%P9O5uXILa}ObApqc;xuPC%Q?<-fs0(?GFQ0DHLi1mo800y zceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIRGhg`1H@@?OpZwxCfB4Hk0wnOC zfCM5iK?q7Pf)j#}gd#Ly2unD^6M=|CA~I2kN;IMqgP6o3HgSkcJmQmpgd`#{Nk~dE zl9Pgzq#`wGNJ~1>lYxw6A~RXYN;a~SgPi0dH+jfQKJrt5f)t`KMJP%!ic^A;l%h0c zC`&oYQ-O+9qB2#eN;RregPPQ$Hg%{=J?hhdhBTrvO=wCpn$v=ow4ya_XiGcV(}9k3 zqBC9SN;kUGgP!!FH+|?!Kl(F(fed0WLm0|1hBJbZjAArn7|S@uGl7XrVlq>h$~2}k zgPF`?HglNEJm#~2g)Cw*OIXS>ma~GDtYS55Sj#%rvw@9lVl!LV$~LyMgPrVRH+$I2 zKK65fgB;>8M>xtcj&p*OoZ>WRILkTCbAgLo;xbpb$~CTYgPYvqHg~woJ?`^>hdkmj zPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83H-GrcKLRB5pMV4+FhK}PFoF|; zkc1*MVF*h&!V`grL?SX#h)Oh~6N8wF-b^DGLn;ml%ygxX-G>t z(vyLVWFj+J$VxV{lY^Y(A~$)+OFr^bfPxgFFhwXzF^W@yl9Zw}WhhHI%2R=gRH8Cf zs7f`eQ-hk+qBeD?OFin-fQB@pF->SnGn&(amb9WZZD>n7+S7rKbfPm|=t?)b(}SM$ zqBni$OF#NEfPoBRFhdy1ForXNk&I$AV;IXg#xsG5Oky%qn94M!GlQATVm5P_%RJ_@ zfQ2k#F-us=GM2M~m8@blYgo%V*0X_)Y+^H8*vdAxvxA-NVmEu(%RcsVfP)<3Fh@Ab zF^+SBlbqr-XE@6_&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH;m%QRN zZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%Rd4n@}GbNA}~P+N-%;Gf{=tFG+_u!IKmTw zh(sbXQHV-3q7#Fd#3D9vh)X=;lYoRIA~8uwN-~m@f|R5pHEBpoI?|JYjASA+S;$H@ zvXg_HI4f|8V?G-W7DIm%Okid3R9Rj5ies#AlS)S@Q6^rAO?=u1EPGk}2% zVlYD($}omAf{~13G-DXcIL0%9iA-WLQ<%y$rZa|!^2*vmflbAW>!;xI=z$}x^}f|H!$G-o)= zInHx|i(KL|SGdYGu5*K%+~PKOxXV56^MHpu;xSKn$}^txf|tDFHE(#!JKpnwk9^`Y zU--&5zVm~h{Ngu%_{%>6B=(76<6rwOiC`vJkQ-YF|qBLbFOF7C@fr?b3GF7NbHL6pCn$)5;b*M`{>eGORG@>z0 zXi77h(}I??qBU)3OFP=rfsS;dGhOIPH@eeEMhTBSjsY%vx1eZVl``6%R1Jx zfsJfpGh5ioHny{ao$O*ad)Ui9_H%%P9O5uXILa}ObApqc;xuPC%Q?<-fs0(?GFQ0D zHLi1mo800yceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIRGhg`1H@@?OpZwxC zfB4Hk0wnRDfCM5iK?q7Pf)j#}gd#Ly2unD^6M=|CA~I2kN;IMqgP6o3HgSkcJmQmp zgd`#{Nk~dEl9Pgzq#`wGNJ~1>lYxw6A~RXYN;a~SgPi0dH+jfQKJrt5f)t`KMJP%! zic^A;l%h0cC`&oYQ-O+9qB2#eN;RregPPQ$Hg%{=J?hhdhBTrvO=wCpn$v=ow4ya_ zXiGcV(}9k3qBC9SN;kUGgP!!FH+|?!Kl(F(fed0WLm0|1hBJbZjAArn7|S@uGl7Xr zVlq>h$~2}kgPF`?HglNEJm#~2g)Cw*OIXS>ma~GDtYS55Sj#%rvw@9lVl!LV$~LyM zgPrVRH+$I2KK65fgB;>8M>xtcj&p*OoZ>WRILkTCbAgLo;xbpb$~CTYgPYvqHg~wo zJ?`^>hdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83H-GrcKLRB6pMV4+ zFhK}PFoF|;kc1*MVF*h&!V`grL?SX#h)Oh~6N8wF-b^DGLn;m zl%ygxX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+OFr^bfPxgFFhwXzF^W@yl9Zw}WhhHI z%2R=gRH8Cfs7f`eQ-hk+qBeD?OFin-fQB@pF->SnGn&(amb9WZZD>n7+S7rKbfPm| z=t?)b(}SM$qBni$OF#NEfPoBRFhdy1ForXNk&I$AV;IXg#xsG5Oky%qn94M!GlQAT zVm5P_%RJ_@fQ2k#F-us=GM2M~m8@blYgo%V*0X_)Y+^H8*vdAxvxA-NVmEu(%RcsV zfP)<3Fh@AbF^+SBlbqr-XE@6_&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95P zGoJH;m%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%Rd4n^PhkOA}~P+N-%;Gf{=tF zG+_u!IKmTwh(sbXQHV-3q7#Fd#3D9vh)X=;lYoRIA~8uwN-~m@f|R5pHEBpoI?|JY zjASA+S;$H@vXg_HI4f|8V?G-W7DIm%Okid3R9Rj5ie zs#AlS)S@Q6^rAO? z=u1EPGk}2%VlYD($}omAf{~13G-DXcIL0%9iA-WLQ<%y$rZa|!^2*vmflbAW>!;xI=z$}x^} zf|H!$G-o)=InHx|i(KL|SGdYGu5*K%+~PKOxXV56^MHpu;xSKn$}^txf|tDFHE(#! zJKpnwk9^`YU--&5zVm~h{Ngu%_{%>6B=?_y1R^j&2ud)56M~S0A~azLOE|(4frvyR zGEs<1G@=uOn8YGBafnMi;*)@cBqA|MNJ=u2lY*3_A~k79OFGh%fsAA#Gg-(=HnNk0 zoa7=mdB{sX@>76<6rwOiC`vJkQ-YF|qBLbFOF7C@fr?b3GF7NbHL6pCn$)5;b*M`{ z>eGORG@>z0Xi77h(}I??qBU)3OFP=rfsS;dGhOIPH@eeEMhTBSjsY%vx1eZ zVl``6%R1JxfsJfpGh5ioHny{ao$O*ad)Ui9_H%%P9O5uXILa}ObApqc;xuPC%Q?<- zfs0(?GFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIRGhg`1 zH@@?OpZwxCfB4Hk0;KStfCM5iK?q7Pf)j#}gd#Ly2unD^6M=|CA~I2kN;IMqgP6o3 zHgSkcJmQmpgd`#{Nk~dEl9Pgzq#`wGNJ~1>lYxw6A~RXYN;a~SgPi0dH+jfQKJrt5 zf)t`KMJP%!ic^A;l%h0cC`&oYQ-O+9qB2#eN;RregPPQ$Hg%{=J?hhdhBTrvO=wCp zn$v=ow4ya_XiGcV(}9k3qBC9SN;kUGgP!!FH+|?!Kl(F(fed0WLm0|1hBJbZjAArn z7|S@uGl7XrVlq>h$~2}kgPF`?HglNEJm#~2g)Cw*OIXS>ma~GDtYS55Sj#%rvw@9l zVl!LV$~LyMgPrVRH+$I2KK65fgB;>8M>xtcj&p*OoZ>WRILkTCbAgLo;xbpb$~CTY zgPYvqHg~woJ?`^>hdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83H-Grc zKLVumpMV4+FhK}PFoF|;kc1*MVF*h&!V`grL?SX#h)Oh~6N8w zF-b^DGLn;ml%ygxX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+OFr^bfPxgFFhwXzF^W@y zl9Zw}WhhHI%2R=gRH8Cfs7f`eQ-hk+qBeD?OFin-fQB@pF->SnGn&(amb9WZZD>n7 z+S7rKbfPm|=t?)b(}SM$qBni$OF#NEfPoBRFhdy1ForXNk&I$AV;IXg#xsG5Oky%q zn94M!GlQATVm5P_%RJ_@fQ2k#F-us=GM2M~m8@blYgo%V*0X_)Y+^H8*vdAxvxA-N zVmEu(%RcsVfP)<3Fh@AbF^+SBlbqr-XE@6_&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP% zfQLNdF;95PGoJH;m%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%Rd67@}GbNA}~P+ zN-%;Gf{=tFG+_u!IKmTwh(sbXQHV-3q7#Fd#3D9vh)X=;lYoRIA~8uwN-~m@f|R5p zHEBpoI?|JYjASA+S;$H@vXg_HI4f|8V?G-W7DIm%Ok zid3R9Rj5ies#AlS)S@Q6^rAO?=u1EPGk}2%VlYD($}omAf{~13G-DXcIL0%9iA-WLQ<%y$rZa|!^2*vmflbAW>! z;xI=z$}x^}f|H!$G-o)=InHx|i(KL|SGdYGu5*K%+~PKOxXV56^MHpu;xSKn$}^tx zf|tDFHE(#!JKpnwk9^`YU--&5zVm~h{Ngu%_{%>6r1qbH1R^j&2ud)56M~S0A~azL zOE|(4frvyRGEs<1G@=uOn8YGBafnMi;*)@cBqA|MNJ=u2lY*3_A~k79OFGh%fsAA# zGg-(=HnNk0oa7=mdB{sX@>76<6rwOiC`vJkQ-YF|qBLbFOF7C@fr?b3GF7NbHL6pC zn$)5;b*M`{>eGORG@>z0Xi77h(}I??qBU)3OFP=rfsS;dGhOIPH@eeEMhTB zSjsY%vx1eZVl``6%R1JxfsJfpGh5ioHny{ao$O*ad)Ui9_H%%P9O5uXILa}ObApqc z;xuPC%Q?<-fs0(?GFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAol zfscIRGhg`1H@@?OpZwxCfB4Hk0;KVufCM5iK?q7Pf)j#}gd#Ly2unD^6M=|CA~I2k zN;IMqgP6o3HgSkcJmQmpgd`#{Nk~dEl9Pgzq#`wGNJ~1>lYxw6A~RXYN;a~SgPi0d zH+jfQKJrt5f)t`KMJP%!ic^A;l%h0cC`&oYQ-O+9qB2#eN;RregPPQ$Hg%{=J?hhd zhBTrvO=wCpn$v=ow4ya_XiGcV(}9k3qBC9SN;kUGgP!!FH+|?!Kl(F(fed0WLm0|1 zhBJbZjAArn7|S@uGl7XrVlq>h$~2}kgPF`?HglNEJm#~2g)Cw*OIXS>ma~GDtYS55 zSj#%rvw@9lVl!LV$~LyMgPrVRH+$I2KK65fgB;>8M>xtcj&p*OoZ>WRILkTCbAgLo z;xbpb$~CTYgPYvqHg~woJ?`^>hdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6A zgP;83H-GrcKLVunpMV4+FhK}PFoF|;kc1*MVF*h&!V`grL?SX#h)Oh~6N8wF-b^DGLn;ml%ygxX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+OFr^bfPxgF zFhwXzF^W@yl9Zw}WhhHI%2R=gRH8Cfs7f`eQ-hk+qBeD?OFin-fQB@pF->SnGn&(a zmb9WZZD>n7+S7rKbfPm|=t?)b(}SM$qBni$OF#NEfPoBRFhdy1ForXNk&I$AV;IXg z#xsG5Oky%qn94M!GlQATVm5P_%RJ_@fQ2k#F-us=GM2M~m8@blYgo%V*0X_)Y+^H8 z*vdAxvxA-NVmEu(%RcsVfP)<3Fh@AbF^+SBlbqr-XE@6_&U1l_T;eiUxXLxIbAy}Q z;x>1<%RTP%fQLNdF;95PGoJH;m%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%Rd67 z^PhkOA}~P+N-%;Gf{=tFG+_u!IKmTwh(sbXQHV-3q7#Fd#3D9vh)X=;lYoRIA~8uw zN-~m@f|R5pHEBpoI?|JYjASA+S;$H@vXg_HI4f|8V? zG-W7DIm%Okid3R9Rj5ies#AlS)S@Q6^rAO?=u1EPGk}2%VlYD($}omAf{~13G-DXcIL0%9iA-WLQ<%y$ zrZa|!^2 z*vmflbAW>!;xI=z$}x^}f|H!$G-o)=InHx|i(KL|SGdYGu5*K%+~PKOxXV56^MHpu z;xSKn$}^txf|tDFHE(#!JKpnwk9^`YU--&5zVm~h{Ngu%_{%>6r1zhI1R^j&2ud)5 z6M~S0A~azLOE|(4frvyRGEs<1G@=uOn8YGBafnMi;*)@cBqA|MNJ=u2lY*3_A~k79 zOFGh%fsAA#Gg-(=HnNk0oa7=mdB{sX@>76<6rwOiC`vJkQ-YF|qBLbFOF7C@fr?b3 zGF7NbHL6pCn$)5;b*M`{>eGORG@>z0Xi77h(}I??qBU)3OFP=rfsS;dGhOIPH@ee< zp7f$OedtR+`ZIum3}P@t7|Jk)GlG$fVl-nI%Q(g}fr(6FGEEMhTBSjsY%vx1eZVl``6%R1JxfsJfpGh5ioHny{ao$O*ad)Ui9_H%%P9O5uX zILa}ObApqc;xuPC%Q?<-fs0(?GFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L^MaSW z;x%u0%RAolfscIRGhg`1H@@?OpZwxCfB4Hk0%Y)?fCM5iK?q7Pf)j#}gd#Ly2unD^ z6M=|CA~I2kN;IMqgP6o3HgSkcJmQmpgd`#{Nk~dEl9Pgzq#`wGNJ~1>lYxw6A~RXY zN;a~SgPi0dH+jfQKJrt5f)t`KMJP%!ic^A;l%h0cC`&oYQ-O+9qB2#eN;RregPPQ$ zHg%{=J?hhdhBTrvO=wCpn$v=ow4ya_XiGcV(}9k3qBC9SN;kUGgP!!FH+|?!Kl(F( zfed0WLm0|1hBJbZjAArn7|S@uGl7XrVlq>h$~2}kgPF`?HglNEJm#~2g)Cw*OIXS> zma~GDtYS55Sj#%rvw@9lVl!LV$~LyMgPrVRH+$I2KK65fgB;>8M>xtcj&p*OoZ>WR zILkTCbAgLo;xbpb$~CTYgPYvqHg~woJ?`^>hdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i z;xk|P$~V6AgP;83H-GrcKLTX*pMV4+FhK}PFoF|;kc1*MVF*h&!V`grL?SX#h)Oh~ z6N8wF-b^DGLn;ml%ygxX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+ zOFr^bfPxgFFhwXzF^W@yl9Zw}WhhHI%2R=gRH8Cfs7f`eQ-hk+qBeD?OFin-fQB@p zF->SnGn&(amb9WZZD>n7+S7rKbfPm|=t?)b(}SM$qBni$OF#NEfPoBRFhdy1ForXN zk&I$AV;IXg#xsG5Oky%qn94M!GlQATVm5P_%RJ_@fQ2k#F-us=GM2M~m8@blYgo%V z*0X_)Y+^H8*vdAxvxA-NVmEu(%RcsVfP)<3Fh@AbF^+SBlbqr-XE@6_&U1l_T;eiU zxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH;m%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK z;x~Wz%Rd5S@}GbNA}~P+N-%;Gf{=tFG+_u!IKmTwh(sbXQHV-3q7#Fd#3D9vh)X=; zlYoRIA~8uwN-~m@f|R5pHEBpoI?|JYjASA+S;$H@vXg_HI4f|8V?G-W7DIm%Okid3R9Rj5ies#AlS)S@Q6^rAO?=u1EPGk}2%VlYD($}omAf{~13G-DXcIL0%9 ziA-WLQ<%y$rZa|!^2*vmflbAW>!;xI=z$}x^}f|H!$G-o)=InHx|i(KL|SGdYGu5*K%+~PKO zxXV56^MHpu;xSKn$}^txf|tDFHE(#!JKpnwk9^`YU--&5zVm~h{Ngu%_{%>6WcHtc z1R^j&2ud)56M~S0A~azLOE|(4frvyRGEs<1G@=uOn8YGBafnMi;*)@cBqA|MNJ=u2 zlY*3_A~k79OFGh%fsAA#Gg-(=HnNk0oa7=mdB{sX@>76<6rwOiC`vJkQ-YF|qBLbF zOF7C@fr?b3GF7NbHL6pCn$)5;b*M`{>eGORG@>z0Xi77h(}I??qBU)3OFP=rfsS;d zGhOIPH@eeEMhTBSjsY%vx1eZVl``6%R1JxfsJfpGh5ioHny{ao$O*ad)Ui9 z_H%%P9O5uXILa}ObApqc;xuPC%Q?<-fs0(?GFQ0DHLi1mo800yceu+v?(=|$JmN7= zc*--L^MaSW;x%u0%RAolfscIRGhg`1H@@?OpZwxCfB4Hk0%Y-@fCM5iK?q7Pf)j#} zgd#Ly2unD^6M=|CA~I2kN;IMqgP6o3HgSkcJmQmpgd`#{Nk~dEl9Pgzq#`wGNJ~1> zlYxw6A~RXYN;a~SgPi0dH+jfQKJrt5f)t`KMJP%!ic^A;l%h0cC`&oYQ-O+9qB2#e zN;RregPPQ$Hg%{=J?hhdhBTrvO=wCpn$v=ow4ya_XiGcV(}9k3qBC9SN;kUGgP!!F zH+|?!Kl(F(fed0WLm0|1hBJbZjAArn7|S@uGl7XrVlq>h$~2}kgPF`?HglNEJm#~2 zg)Cw*OIXS>ma~GDtYS55Sj#%rvw@9lVl!LV$~LyMgPrVRH+$I2KK65fgB;>8M>xtc zj&p*OoZ>WRILkTCbAgLo;xbpb$~CTYgPYvqHg~woJ?`^>hdkmjPk72Rp7Vm2yy7)) zc*{H9^MQ|i;xk|P$~V6AgP;83H-GrcKLTX+pMV4+FhK}PFoF|;kc1*MVF*h&!V`gr zL?SX#h)Oh~6N8wF-b^DGLn;ml%ygxX-G>t(vyLVWFj+J$VxV{ zlY^Y(A~$)+OFr^bfPxgFFhwXzF^W@yl9Zw}WhhHI%2R=gRH8Cfs7f`eQ-hk+qBeD? zOFin-fQB@pF->SnGn&(amb9WZZD>n7+S7rKbfPm|=t?)b(}SM$qBni$OF#NEfPoBR zFhdy1ForXNk&I$AV;IXg#xsG5Oky%qn94M!GlQATVm5P_%RJ_@fQ2k#F-us=GM2M~ zm8@blYgo%V*0X_)Y+^H8*vdAxvxA-NVmEu(%RcsVfP)<3Fh@AbF^+SBlbqr-XE@6_ z&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH;m%QRNZ+Oc)-t&QveBv`- z_{ulF^MjxK;x~Wz%Rd5S^PhkOA}~P+N-%;Gf{=tFG+_u!IKmTwh(sbXQHV-3q7#Fd z#3D9vh)X=;lYoRIA~8uwN-~m@f|R5pHEBpoI?|JYjASA+S;$H@vXg_HI4f|8V?G-W7DIm%Okid3R9Rj5ies#AlS)S@Q6^rAO?=u1EPGk}2%VlYD($}omAf{~13 zG-DXcIL0%9iA-WLQ<%y$rZa|!^2*vmflbAW>!;xI=z$}x^}f|H!$G-o)=InHx|i(KL|SGdYG zu5*K%+~PKOxXV56^MHpu;xSKn$}^txf|tDFHE(#!JKpnwk9^`YU--&5zVm~h{Ngu% z_{%>6WcQzd1R^j&2ud)56M~S0A~azLOE|(4frvyRGEs<1G@=uOn8YGBafnMi;*)@c zBqA|MNJ=u2lY*3_A~k79OFGh%fsAA#Gg-(=HnNk0oa7=mdB{sX@>76<6rwOiC`vJk zQ-YF|qBLbFOF7C@fr?b3GF7NbHL6pCn$)5;b*M`{>eGORG@>z0Xi77h(}I??qBU)3 zOFP=rfsS;dGhOIPH@eeEMhTBSjsY%vx1eZVl``6%R1JxfsJfpGh5ioHny{a zo$O*ad)Ui9_H%%P9O5uXILa}ObApqc;xuPC%Q?<-fs0(?GFQ0DHLi1mo800yceu+v z?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIRGhg`1H@@?OpZwxCfB4Hk0_5lYxw6A~RXYN;a~SgPi0dH+jfQKJrt5f)t`KMJP%!ic^A;l%h0cC`&oY zQ-O+9qB2#eN;RregPPQ$Hg%{=J?hhdhBTrvO=wCpn$v=ow4ya_XiGcV(}9k3qBC9S zN;kUGgP!!FH+|?!Kl(F(fed0WLm0|1hBJbZjAArn7|S@uGl7XrVlq>h$~2}kgPF`? zHglNEJm#~2g)Cw*OIXS>ma~GDtYS55Sj#%rvw@9lVl!LV$~LyMgPrVRH+$I2KK65f zgB;>8M>xtcj&p*OoZ>WRILkTCbAgLo;xbpb$~CTYgPYvqHg~woJ?`^>hdkmjPk72R zp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83H-GrcKLX_RpMV4+FhK}PFoF|;kc1*M zVF*h&!V`grL?SX#h)Oh~6N8wF-b^DGLn;ml%ygxX-G>t(vyLV zWFj+J$VxV{lY^Y(A~$)+OFr^bfPxgFFhwXzF^W@yl9Zw}WhhHI%2R=gRH8Cfs7f`e zQ-hk+qBeD?OFin-fQB@pF->SnGn&(amb9WZZD>n7+S7rKbfPm|=t?)b(}SM$qBni$ zOF#NEfPoBRFhdy1ForXNk&I$AV;IXg#xsG5Oky%qn94M!GlQATVm5P_%RJ_@fQ2k# zF-us=GM2M~m8@blYgo%V*0X_)Y+^H8*vdAxvxA-NVmEu(%RcsVfP)<3Fh@AbF^+SB zlbqr-XE@6_&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH;m%QRNZ+Oc) z-t&QveBv`-_{ulF^MjxK;x~Wz%Rd6-@}GbNA}~P+N-%;Gf{=tFG+_u!IKmTwh(sbX zQHV-3q7#Fd#3D9vh)X=;lYoRIA~8uwN-~m@f|R5pHEBpoI?|JYjASA+S;$H@vXg_H zI4f|8V?G-W7DIm%Okid3R9Rj5ies#AlS)S@Q6^rAO?=u1EPGk}2%VlYD( z$}omAf{~13G-DXcIL0%9iA-WLQ<%y$rZa|!^2*vmflbAW>!;xI=z$}x^}f|H!$G-o)=InHx| zi(KL|SGdYGu5*K%+~PKOxXV56^MHpu;xSKn$}^txf|tDFHE(#!JKpnwk9^`YU--&5 zzVm~h{Ngu%_{%>676< z6rwOiC`vJkQ-YF|qBLbFOF7C@fr?b3GF7NbHL6pCn$)5;b*M`{>eGORG@>z0Xi77h z(}I??qBU)3OFP=rfsS;dGhOIPH@eeEMhTBSjsY%vx1eZVl``6%R1JxfsJfp zGh5ioHny{ao$O*ad)Ui9_H%%P9O5uXILa}ObApqc;xuPC%Q?<-fs0(?GFQ0DHLi1m zo800yceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIRGhg`1H@@?OpZwxCfB4Hk z0_5?ZfCM5iK?q7Pf)j#}gd#Ly2unD^6M=|CA~I2kN;IMqgP6o3HgSkcJmQmpgd`#{ zNk~dEl9Pgzq#`wGNJ~1>lYxw6A~RXYN;a~SgPi0dH+jfQKJrt5f)t`KMJP%!ic^A; zl%h0cC`&oYQ-O+9qB2#eN;RregPPQ$Hg%{=J?hhdhBTrvO=wCpn$v=ow4ya_XiGcV z(}9k3qBC9SN;kUGgP!!FH+|?!Kl(F(fed0WLm0|1hBJbZjAArn7|S@uGl7XrVlq>h z$~2}kgPF`?HglNEJm#~2g)Cw*OIXS>ma~GDtYS55Sj#%rvw@9lVl!LV$~LyMgPrVR zH+$I2KK65fgB;>8M>xtcj&p*OoZ>WRILkTCbAgLo;xbpb$~CTYgPYvqHg~woJ?`^> zhdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83H-GrcKLX_SpMV4+FhK}P zFoF|;kc1*MVF*h&!V`grL?SX#h)Oh~6N8wF-b^DGLn;ml%ygx zX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+OFr^bfPxgFFhwXzF^W@yl9Zw}WhhHI%2R=g zRH8Cfs7f`eQ-hk+qBeD?OFin-fQB@pF->SnGn&(amb9WZZD>n7+S7rKbfPm|=t?)b z(}SM$qBni$OF#NEfPoBRFhdy1ForXNk&I$AV;IXg#xsG5Oky%qn94M!GlQATVm5P_ z%RJ_@fQ2k#F-us=GM2M~m8@blYgo%V*0X_)Y+^H8*vdAxvxA-NVmEu(%RcsVfP)<3 zFh@AbF^+SBlbqr-XE@6_&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH; zm%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%Rd6-^PhkOA}~P+N-%;Gf{=tFG+_u! zIKmTwh(sbXQHV-3q7#Fd#3D9vh)X=;lYoRIA~8uwN-~m@f|R5pHEBpoI?|JYjASA+ zS;$H@vXg_H0t{900013FWa_l+qP}nwr$(CZQHhOyLQ+o zj3N}J7{w_;NlH=y zOIp#IHngQ3?dd>AI?r62tnz(58um>~>h7{eLCNJcT5F^pv# z;I&HLPVF>)F6YHnEv4 zY-JnU*}+bBv70^YWgq)Fz(Edim?IqJ7{@umNltN^Go0ld=efW|E^(PFT;&?qxxr0t zahp5b-nMQr5Vj>K}%ZEnl`kh9qs8r zM>^4&E_9_E-RVJ3deNIc^ravD8NfgWF_<9?Wf;R5!AM3inlX%J9OIe5L?$trDNJP= z)0x3cW-*&N%w-<)S-?UTv6v++Wf{v^!Ae%Knl-Ft9qZY^MmDjTEo@~Q+u6ZRcCnj1 z>}4POIlw^fMJ{ofD_rFo*SWz>ZgHDC+~pqkdB8&+ z@t7w({N*133iwYz0uh)X1SJ^3 z2|-9g5t=ZBB^=?2Ktv)DnJ7dh8qtYCOkxq6IK(9$@ku~J5|NlBBqbTiNkK|dk(xB5 zB^~L>Kt?i=nJi=_8`;T0PI8f(Jme)G`6)m_3Q?FM6r~u&DM3j}QJON8r5xp{Kt(E1 znJQGJ8r7*mO=?k_I@F~e^=Uvu8qt_0G^H8MX+cX`(V8~2r5)|*Ku0>!nJ#pt8{O$a zPkPatKJ=v@{TaYO1~Hf+3}qO@8NoS|UJKW_S_j$lW9`TqbJmneBdBICw z@tQZhfTJ9`Q*)LK2afBqSvn$w@&^$tANeUjK?+frA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?#K}~8= zn>y5`9`$KJLmJVTCN!lP&1pePTG5&|w51*G=|D$1(U~rEr5oMpK~H+on?CfVAN?7? zKn5|GAq-_0!x_OyMlqT(jAb0-nZQIQF_|e$Wg63&!Axc`n>oy79`jkiLKd-@B`jqb z%UQunR$y!A)*)n>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5`M^g$ z@tH4t>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0 zi9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^ zB_H`IKtT#om?9LV7{w_;NlH=yOIp#IHngQ3?dd>AI?r62tnz(58um>~>h7{eLC zNJcT5F^pv#;I&HLPVF z>)F6YHnEv4Y-JnU*}+bBv70^YWgq)Fz(Edim?IqJ7{@umNltN^Go0ld=efW|E^(PF zT;&?qxxr0tahp5b-nMQr5Vj>K}%ZE znl`kh9qs8rM>^4&E_9_E-RVJ3deNIc^ravD8NfgWF_<9?Wf;R5!AM3inlX%J9OIe5 zL?$trDNJP=)0x3cW-*&N%w-<)S-?UTv6v++Wf{v^!Ae%Knl-Ft9qZY^MmDjTEo@~Q z+u6ZRcCnj1>}4POIlw^fMJ{ofD_rFo*SWz>ZgHDC z+~pqkdB8&+@t7w({N*13iug}J z0uh)X1SJ^32|-9g5t=ZBB^=?2Ktv)DnJ7dh8qtYCOkxq6IK(9$@ku~J5|NlBBqbTi zNkK|dk(xB5B^~L>Kt?i=nJi=_8`;T0PI8f(Jme)G`6)m_3Q?FM6r~u&DM3j}QJON8 zr5xp{Kt(E1nJQGJ8r7*mO=?k_I@F~e^=Uvu8qt_0G^H8MX+cX`(V8~2r5)|*Ku0>! znJ#pt8{O$aPkPatKJ=v@{TaYO1~Hf+3}qO@8NoS|UJKW_S_j$lW9`Tqb zJmneBdBICw@tQZhfTJ9`Q*)LK2afBqSvn$w@&^$tANeUjK?+frA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@K zr5e?#K}~8=n>y5`9`$KJLmJVTCN!lP&1pePTG5&|w51*G=|D$1(U~rEr5oMpK~H+o zn?CfVAN?7?Kn5|GAq-_0!x_OyMlqT(jAb0-nZQIQF_|e$Wg63&!Axc`n>oy79`jki zLKd-@B`jqb%UQunR$y!A)*)n>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eY zyyYG5`M^g$@tH4t>it7{LiaNJ0^sFoY!>;fX** zA`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf z$w5wXk()f^B_H`IKtT#om?9LV7{w_;NlH=yOIp#IHngQ3?dd>AI?r62tnz(58u zm>~>h7{eLCNJcT5F^pv#;I&HLPVF>)F6YHnEv4Y-JnU*}+bBv70^YWgq)Fz(Edim?IqJ7{@umNltN^Go0ld z=efW|E^(PFT;&?qxxr0tahp5b-nMQ zr5Vj>K}%ZEnl`kh9qs8rM>^4&E_9_E-RVJ3deNIc^ravD8NfgWF_<9?Wf;R5!AM3i znlX%J9OIe5L?$trDNJP=)0x3cW-*&N%w-<)S-?UTv6v++Wf{v^!Ae%Knl-Ft9qZY^ zMmDjTEo@~Q+u6ZRcCnj1>}4POIlw^fMJ{ofD_rFo z*SWz>ZgHDC+~pqkdB8&+@t7w( z{N*13O88Ge0uh)X1SJ^32|-9g5t=ZBB^=?2Ktv)DnJ7dh8qtYCOkxq6IK(9$@ku~J z5|NlBBqbTiNkK|dk(xB5B^~L>Kt?i=nJi=_8`;T0PI8f(Jme)G`6)m_3Q?FM6r~u& zDM3j}QJON8r5xp{Kt(E1nJQGJ8r7*mO=?k_I@F~e^=Uvu8qt_0G^H8MX+cX`(V8~2 zr5)|*Ku0>!nJ#pt8{O$aPkPatKJ=v@{TaYO1~Hf+3}qO@8NoS|UJKW_S z_j$lW9`TqbJmneBdBICw@tQZhfTJ9`Q*)LK2afBqSvn$w@&< zQjwZ8q$M5c$v{Rjk(n%HB^%kvK~8d!n>^$tANeUjK?+frA{3<<#VJ8aN>Q3Jl%*Wy zsX#?4QJE@Kr5e?#K}~8=n>y5`9`$KJLmJVTCN!lP&1pePTG5&|w51*G=|D$1(U~rE zr5oMpK~H+on?CfVAN?7?Kn5|GAq-_0!x_OyMlqT(jAb0-nZQIQF_|e$Wg63&!Axc` zn>oy79`jkiLKd-@B`jqb%UQunR$y!A)*)n>*a)9`|{`Lmu&%Cp_gD z&w0U1Uh$eYyyYG5`M^g$@tH4t>it7{LiaNJ0^s zFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&Gw zGLe}qWF;Hf$w5wXk()f^B_H`IKtT#om?9LV7{w_;NlH=yOIp#IHngQ3?dd>AI? zr62tnz(58um>~>h7{eLCNJcT5F^pv#;I&HLPVF>)F6YHnEv4Y-JnU*}+bBv70^YWgq)Fz(Edim?IqJ7{@um zNltN^Go0ld=efW|E^(PFT;&?qxxr0tahp5b-nMQr5Vj>K}%ZEnl`kh9qs8rM>^4&E_9_E-RVJ3deNIc^ravD8NfgWF_<9? zWf;R5!AM3inlX%J9OIe5L?$trDNJP=)0x3cW-*&N%w-<)S-?UTv6v++Wf{v^!Ae%K znl-Ft9qZY^MmDjTEo@~Q+u6ZRcCnj1>}4POIlw^f zMJ{ofD_rFo*SWz>ZgHDC+~pqkdB8&+@t7w({N*13%J@$}0uh)X1SJ^32|-9g5t=ZBB^=?2Ktv)DnJ7dh8qtYCOkxq6 zIK(9$@ku~J5|NlBBqbTiNkK|dk(xB5B^~L>Kt?i=nJi=_8`;T0PI8f(Jme)G`6)m_ z3Q?FM6r~u&DM3j}QJON8r5xp{Kt(E1nJQGJ8r7*mO=?k_I@F~e^=Uvu8qt_0G^H8M zX+cX`(V8~2r5)|*Ku0>!nJ#pt8{O$aPkPatKJ=v@{TaYO1~Hf+3}qO@8NoS|UJKW_S_j$lW9`TqbJmneBdBICw@tQZhfTJ9`Q*)LK2af zBqSvn$w@&^$tANeUjK?+frA{3<<#VJ8a zN>Q3Jl%*WysX#?4QJE@Kr5e?#K}~8=n>y5`9`$KJLmJVTCN!lP&1pePTG5&|w51*G z=|D$1(U~rEr5oMpK~H+on?CfVAN?7?Kn5|GAq-_0!x_OyMlqT(jAb0-nZQIQF_|e$ zWg63&!Axc`n>oy79`jkiLKd-@B`jqb%UQunR$y!A)*)n>*a)9`|{` zLmu&%Cp_gD&w0U1Uh$eYyyYG5`M^g$@tH4t>it z7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)U zG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H`IKtT#om?9LV7{w_;NlH=yOIp#IHngQ3?dd>AI?r62tnz(58um>~>h7{eLCNJcT5F^pv#;I&HLPVF>)F6YHnEv4Y-JnU*}+bBv70^YWgq)Fz(Edi zm?IqJ7{@umNltN^Go0ld=efW|E^(PFT;&?qxxr0tahp5b-nMQr5Vj>K}%ZEnl`kh9qs8rM>^4&E_9_E-RVJ3deNIc^ravD z8NfgWF_<9?Wf;R5!AM3inlX%J9OIe5L?$trDNJP=)0x3cW-*&N%w-<)S-?UTv6v++ zWf{v^!Ae%Knl-Ft9qZY^MmDjTEo@~Q+u6ZRcCnj1>}4POIlw^fMJ{ofD_rFo*SWz>ZgHDC+~pqkdB8&+@t7w({N*13D)>)80uh)X1SJ^32|-9g5t=ZBB^=?2Ktv)DnJ7dh z8qtYCOkxq6IK(9$@ku~J5|NlBBqbTiNkK|dk(xB5B^~L>Kt?i=nJi=_8`;T0PI8f( zJme)G`6)m_3Q?FM6r~u&DM3j}QJON8r5xp{Kt(E1nJQGJ8r7*mO=?k_I@F~e^=Uvu z8qt_0G^H8MX+cX`(V8~2r5)|*Ku0>!nJ#pt8{O$aPkPatKJ=v@{TaYO1~Hf+3}qO@ z8NoS|UJKW_S_j$lW9`TqbJmneBdBICw@tQZhfTJ z9`Q*)LK2afBqSvn$w@&^$tANeUjK?+fr zA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?#K}~8=n>y5`9`$KJLmJVTCN!lP&1peP zTG5&|w51*G=|D$1(U~rEr5oMpK~H+on?CfVAN?7?Kn5|GAq-_0!x_OyMlqT(jAb0- znZQIQF_|e$Wg63&!Axc`n>oy79`jkiLKd-@B`jqb%UQunR$y!A)*) zn>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5`M^g$@tH4t>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`6 z8OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H`IKtT#om?9LV7{w_;NlH=yOIp#IHngQ3?dd>A zI?r62tnz(58um>~>h7{eLCNJcT5F^pv#;I&HLPVF>)F6YHnEv4Y-JnU*}+bBv70^Y zWgq)Fz(Edim?IqJ7{@umNltN^Go0ld=efW|E^(PFT;&?qxxr0tahp5b-nMQr5Vj>K}%ZEnl`kh9qs8rM>^4&E_9_E-RVJ3 zdeNIc^ravD8NfgWF_<9?Wf;R5!AM3inlX%J9OIe5L?$trDNJP=)0x3cW-*&N%w-<) zS-?UTv6v++Wf{v^!Ae%Knl-Ft9qZY^MmDjTEo@~Q+u6ZRcCnj1>}4POIlw^fMJ{ofD_rFo*SWz>ZgHDC+~pqkdB8&+@t7w({N*13s`yVp0uh)X1SJ^32|-9g5t=ZBB^=?2 zKtv)DnJ7dh8qtYCOkxq6IK(9$@ku~J5|NlBBqbTiNkK|dk(xB5B^~L>Kt?i=nJi=_ z8`;T0PI8f(Jme)G`6)m_3Q?FM6r~u&DM3j}QJON8r5xp{Kt(E1nJQGJ8r7*mO=?k_ zI@F~e^=Uvu8qt_0G^H8MX+cX`(V8~2r5)|*Ku0>!nJ#pt8{O$aPkPatKJ=v@{TaYO z1~Hf+3}qO@8NoS|UJKW_S_j$lW9`TqbJmneBdBICw@tQZhKmrk%AOs~C!3jY~LJ^uUge4r|i9kdm5t%4NB^uF* zK}=#1n>fTJ9`Q*)LK2afBqSvn$w@&^$t zANeUjK?+frA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?#K}~8=n>y5`9`$KJLmJVT zCN!lP&1pePTG5&|w51*G=|D$1(U~rEr5oMpK~H+on?CfVAN?7?Kn5|GAq-_0!x_Oy zMlqT(jAb0-nZQIQF_|e$Wg63&!Axc`n>oy79`jkiLKd-@B`jqb%UQunR$y!A)*)n>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5`M^g$@tH4t>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8of zKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H`IKtT#om?9LV z7{w_;NlH=yOIp#I zHngQ3?dd>AI?r62tnz(58um>~>h7{eLCNJcT5F^pv#;I&HLPVF>)F6YHnEv4Y-JnU z*}+bBv70^YWgq)Fz(Edim?IqJ7{@umNltN^Go0ld=efW|E^(PFT;&?qxxr0tahp5b z-nMQr5Vj>K}%ZEnl`kh9qs8rM>^4& zE_9_E-RVJ3deNIc^ravD8NfgWF_<9?Wf;R5!AM3inlX%J9OIe5L?$trDNJP=)0x3c zW-*&N%w-<)S-?UTv6v++Wf{v^!Ae%Knl-Ft9qZY^MmDjTEo@~Q+u6ZRcCnj1>}4PO zIlw^fMJ{ofD_rFo*SWz>ZgHDC+~pqkdB8&+@t7w( z{N*13YWPn;0uh)X1SJ^32|-9g z5t=ZBB^=?2Ktv)DnJ7dh8qtYCOkxq6IK(9$@ku~J5|NlBBqbTiNkK|dk(xB5B^~L> zKt?i=nJi=_8`;T0PI8f(Jme)G`6)m_3Q?FM6r~u&DM3j}QJON8r5xp{Kt(E1nJQGJ z8r7*mO=?k_I@F~e^=Uvu8qt_0G^H8MX+cX`(V8~2r5)|*Ku0>!nJ#pt8{O$aPkPat zKJ=v@{TaYO1~Hf+3}qO@8NoS|UJKW_S_j$lW9`TqbJmneBdBICw@tQZh zfTJ9`Q*)LK2afBqSvn$w@&^$tANeUjK?+frA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?#K}~8=n>y5` z9`$KJLmJVTCN!lP&1pePTG5&|w51*G=|D$1(U~rEr5oMpK~H+on?CfVAN?7?Kn5|G zAq-_0!x_OyMlqT(jAb0-nZQIQF_|e$Wg63&!Axc`n>oy79`jkiLKd-@B`jqb%UQun zR$y!A)*)n>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5`M^g$@tH4t z>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a z5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H`I zKtT#om?9LV7{w_;NlH=yOIp#IHngQ3?dd>AI?r62tnz(58um>~>h7{eLCNJcT5 zF^pv#;I&HLPVF>)F6Y zHnEv4Y-JnU*}+bBv70^YWgq)Fz(Edim?IqJ7{@umNltN^Go0ld=efW|E^(PFT;&?q zxxr0tahp5b-nMQr5Vj>K}%ZEnl`kh z9qs8rM>^4&E_9_E-RVJ3deNIc^ravD8NfgWF_<9?Wf;R5!AM3inlX%J9OIe5L?$tr zDNJP=)0x3cW-*&N%w-<)S-?UTv6v++Wf{v^!Ae%Knl-Ft9qZY^MmDjTEo@~Q+u6ZR zcCnj1>}4POIlw^fMJ{ofD_rFo*SWz>ZgHDC+~pqk zdB8&+@t7w({N*13>iADU0uh)X z1SJ^32|-9g5t=ZBB^=?2Ktv)DnJ7dh8qtYCOkxq6IK(9$@ku~J5|NlBBqbTiNkK|d zk(xB5B^~L>Kt?i=nJi=_8`;T0PI8f(Jme)G`6)m_3Q?FM6r~u&DM3j}QJON8r5xp{ zKt(E1nJQGJ8r7*mO=?k_I@F~e^=Uvu8qt_0G^H8MX+cX`(V8~2r5)|*Ku0>!nJ#pt z8{O$aPkPatKJ=v@{TaYO1~Hf+3}qO@8NoS|UJKW_S_j$lW9`TqbJmneB zdBICw@tQZhfTJ9`Q*)LK2afBqSvn$w@&^$tANeUjK?+frA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?# zK}~8=n>y5`9`$KJLmJVTCN!lP&1pePTG5&|w51*G=|D$1(U~rEr5oMpK~H+on?CfV zAN?7?Kn5|GAq-_0!x_OyMlqT(jAb0-nZQIQF_|e$Wg63&!Axc`n>oy79`jkiLKd-@ zB`jqb%UQunR$y!A)*)n>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5 z`M^g$@tH4t>it7{LiaNJ0^sFoY!>;fX**A`zJ= zL?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wX zk()f^B_H`IKtT%epJ95~0s;U40M^U4ZQHhO+qP}nwr$(CZQHIL_6aLY5sFfb;*_8y zr6^4q%2JN>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNA zm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA z^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsK zGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M z%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=I zC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a%w{3jrR2uu)y5{%%4AS9s(O&G!w zj_^bvB9Vwp6rvK1=)@oeQen zwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd7 z3}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZ zvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`v zBcJ%p7rye1@BH8=zxd4`{_>9i4gDt|fe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbIL zjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ? z9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+ zjc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!d zj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&N zvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6 zC%^d3AO7->0FC@7Ab|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9 zkN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIik zjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{l zo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD` z%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gH zvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA z%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a&b{3jrR2uu)y5{%%4 zAS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1 zz35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@ zEMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk z%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9iP5mbzfe1_xf)b42gdilL2u&Em5{~dh zAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_| zjqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d z9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFs zgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fH ztY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>- z%oo1$jqm*6C%^d3AO7->0L}a-Ab|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ zASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*K zAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p z8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SM zlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w z>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5z za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a&5{3jrR z2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13> z7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jz zvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-? z@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9iE&V4Tfe1_xf)b42gdilL z2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*Fb zAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9 zjq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!R zANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@| zi&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9S zoZuv;3J>-%oo1$jqm*6C%^d3AO7->0ImEdAb|)>5P}kn;DjI~p$JVF!V-?~L?9xO zh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>Y zjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J3 z7{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1x zo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj* z+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w z@{a&*{3jrR2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+M zj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR z6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX& zJm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9iZT%-8fe1_x zf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}! zNKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRe zpdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+ zjqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$ z9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#R zhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0PXxIAb|)>5P}kn;DjI~p$JVF z!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3 zeBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvH zpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$ zjNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D? z8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH} zm$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl z{NN|Q_{|^w@{a%={3jrR2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S` zpe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cq zj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZb zx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9i z9sMUDfe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQm zl9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~ zC`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Y zpd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_F zjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q z9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0G<3NAb|)>5P}kn z;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0 zuXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{ zs7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWO zU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3Ke zjODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd z8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?Z zpZLrdzVeOl{NN|Q_{|^w@{a&r{3jrR2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1 z=)@oeQenwWv)U>QayTG@v1k zXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}Gj zU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8= zzxd4`{_>9iUHvB@fe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p> z_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrB zic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!e zXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~ zU?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet? zjqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0Nwm2 zAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP z> z6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV= zs#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob z=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKz zU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=q zjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR z8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a&L{3jrR2uu)y5{%%4AS9s(O&G!wj_^bv zB9Vwp6rvK1=)@oeQenwWv)U z>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG z7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@d zU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p z7rye1@BH8=zxd4`{_>9iJ^d#jfe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6 zCb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp z{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800 zn$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A z7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^ zU?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3 zAO7->0KNPtAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}Y zA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{>Cm?|c zOb~(+jNpVIB%ugR7{U^c@I)XYk%&wbq7seh#2_ZIh)o>g5|8*KAR&oJOcIikjO3&s zC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;## zy3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7 zn9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7 z;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpS zjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a(0{3jrR2uu)y5{%%4AS9s( zO&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ z`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsv zSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkG zj`w`vBcJ%p7rye1@BH8=zxd4`{_>9ief=jOfe1_xf)b42gdilL2u&Em5{~dhAR>{7 zOcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzg zC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk# z`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*Z zhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9Up zSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$ zjqm*6C%^d3AO7->0R8+YAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVh zO&sD9kN6}YA&E##5|WaPop(w>DP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G z-RMpadeV#D^r0{P=+6KG7|0+7GlZcGV>lxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmON zW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L% zILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27 z<2f&Q$tzy-hPS-qJsKlsTne)EUF{3Fl+{|QVGf)b42gdilL2u&Em z5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q` zOct_|jqKzgC%MQ?9`cfp{1l)dg(%E_6rm`^C{77VQi{@)p)BPnPX#JciON)=D%Ge? z4Qf)0+SH*g^{7t+8q$cyG@&WYXif`S(u&r!p)KubPX{{EiOzJPE8XZ$4|>vz-t?g_ z{pimC0vO031~Y`A3}ZMW7|AF`GlsE@V>}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^ z7PEw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1A zILRqabB42=<2)C*$R#dwg{xfSIybnCL?#MR ziAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{G zCJ%YZM}7)WkU|vZKZ;P4ViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv z0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3NgH!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a# zT;vj$xx!Vhah)67@0t z=0A#1lwuU81SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJlx8%i z1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8-{VWDtWH!cc}WoDqy<6r&l# zSjI7)2~1=XlbOO)rZJrv%w!g`nZsP>F`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+ zo7uuvwy~WZ>|__a*~4D;v7ZAR25Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+- zNk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6y`sQP?Ta6rvxP_ zMQO@VmU5J*0u`x5WvWn>YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK z10Cr^XS&dpZgi&yJ?TYn`p}nt^k)D83}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2 zRHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQm zyV=8D_OYJ>9OMv(Il@tnahwyJQjn5Vq$Uk% zNk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKNmdicpkd6sH6wDMe|@P?mC(rveqJ zL}jW_m1+=(3WUG8z82R!5vk9opVp7ER) zyyO+HdBa=Y@tzNSCL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w) z$wqc^kds{GCJ%YZM}7)WkU|vZKZ;P4ViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2t zMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3NgH!(R5Wp937^5QjO!QI2t(6P)A} zr#Zt}&T*a#T;vj$xx!Vhah)67@0t=0A#1lwuU81SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLV zL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8-{VWDtWH!cc}W zoDqy<6r&l#SjI7)2~1=XlbOO)rZJrv%w!g`nZsP>F`or2WD$#5!cvy8oE5BO6{}gp zTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7ZAR25Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK z5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6y`sQ zP?Ta6rvxP_MQO@VmU5J*0u`x5WvWn>YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u( zMQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)D83}g_48NyJ8F`N;MWE7(r!&t^K zo(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww> zR<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJ zQjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKNmdicpkd6sH6wDMe|@ zP?mC(rveqJL}jW_m1+=(3WUG8z82R!5v zk9opVp7ER)yyO+HdBa=Y@tzNSCL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+V zGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|vZKZ;P4ViczYB`HN|%21Yal&1m}sYGR} zP?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3NgH!(R5Wp937^5QjO! zQI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67@0t=0A#1lwuU81SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw- zP?vhtrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8-{V zWDtWH!cc}WoDqy<6r&l#SjI7)2~1=XlbOO)rZJrv%w!g`nZsP>F`or2WD$#5!cvy8 zoE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7ZAR25Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*b zSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n9 z3Q&+j6y`sQP?Ta6rvxP_MQO@VmU5J*0u`x5WvWn>YE-8NHK|2y>QI+@)TaRrX+&e1 z(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)D83}g_48NyJ8F`N;M zWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{ zo(*hd6Pww>R<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJQjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKNmdicpkd z6sH6wDMe|@P?mC(rveqJL}jW_m1+= z(3W zUG8z82R!5vk9opVp7ER)yyO+HdBa=Y@tzNSCL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0z zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|vZKZ;P4ViczYB`HN|%21Ya zl&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF` z(3NgH!(R5W zp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67@0t=0A#1lwuU81SKg&Y06NRa+Ie66{$pJs!)|` zRHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk) z(3gJnX8-{VWDtWH!cc}WoDqy<6r&l#SjI7)2~1=XlbOO)rZJrv%w!g`nZsP>F`or2 zWD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7ZAR25Ry=YCJbQ-M|dI-kw`=) z3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xD zT;wJXdC5n93Q&+j6y`sQP?Ta6rvxP_MQO@VmU5J*0u`x5WvWn>YE-8NHK|2y>QI+@ z)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)D83}g_4 z8NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mG zWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJQjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^K zLKNmdicpkd6sH6wDMe|@P?mC(rveqJL}jW_m1+=(3WUG8z82R!5vk9opVp7ER)yyO+HdBa=Y@tzNSCL?#MRiAHo{5R+KMCJu3lM|={HkVGUV z2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|vZKZ;P4ViczY zB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DE zw5J0d=|pF`(3NgH!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67@0t=0A#1lwuU81SKg&Y06NRa+Ie6 z6{$pJs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzw zbf*VB=|yk)(3gJnX8-{VWDtWH!cc}WoDqy<6r&l#SjI7)2~1=XlbOO)rZJrv%w!g` znZsP>F`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7ZAR z25Ry=YCJbQ- zM|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ z3t7oVc5;xDT;wJXdC5n93Q&+j6y`sQP?Ta6rvxP_MQO@VmU5J*0u`x5WvWn>YE-8N zHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt z^k)D83}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUj zS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJ zQjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E` z4|&N)ehN^KLKNmdicpkd6sH6wDMe|@P?mC(rveqJL}jW_m1+=(3WUG8z82R!5vk9opVp7ER)yyO+HdBa=Y@tzNSCL?#MRiAHo{5R+KMCJu3l zM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|vZ zKZ;P4ViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY- zEont-+R&DEw5J0d=|pF`(3NgH!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67 z@0t=0A#1lwuU81SKg& zY06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh z9qB}8y3mzwbf*VB=|yk)(3gJnX8-{VWDtWH!cc}WoDqy<6r&l#SjI7)2~1=XlbOO) zrZJrv%w!g`nZsP>F`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a z*~4D;v7ZAR2 z5Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvx zM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6y`sQP?Ta6rvxP_MQO@VmU5J*0u`x5 zWvWn>YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&y zJ?TYn`p}nt^k)D83}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO z<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ>9OMv( zIl@tnahwyJQjn5Vq$Uk%Nk@7zkdaJeCJR}~ zMs{+LlU(E`4|&N)ehN^KLKNmdicpkd6sH6wDMe|@P?mC(rveqJL}jW_m1+=(3WUG8z82R!5vk9opVp7ER)yyO+HdBa=Y@tzNS zCL?#MRiAHo{ z5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZ zM}7)WkU|vZKZ;P4ViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$H zW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3NgH!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$ zxx!Vhah)67@0t=0A#1 zlwuU81SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbs zYueD3cC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8-{VWDtWH!cc}WoDqy<6r&l#SjI7) z2~1=XlbOO)rZJrv%w!g`nZsP>F`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuv zwy~WZ>|__a*~4D;v7ZAR25Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~ zkdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6y`sQP?Ta6rvxP_MQO@V zmU5J*0u`x5WvWn>YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^ zXS&dpZgi&yJ?TYn`p}nt^k)D83}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV z8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D z_OYJ>9OMv(Il@tnahwyJQjn5Vq$Uk%Nk@7z zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKNmdicpkd6sH6wDMe|@P?mC(rveqJL}jW_ zm1+=(3WUG8z82R!5vk9opVp7ER)yyO+H zdBa=Y@tzNSC zL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^ zkds{GCJ%YZM}7)WkU|vZKZ;P4ViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R( zmwMEv0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3NgH!(R5Wp937^5QjO!QI2t(6P)A}r#Zt} z&T*a#T;vj$xx!Vhah)67@0t=0A#1lwuU81SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJ zlx8%i1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8-{VWDtWH!cc}WoDqy< z6r&l#SjI7)2~1=XlbOO)rZJrv%w!g`nZsP>F`or2WD$#5!cvy8oE5BO6{}gpTGp|i z4Qyl+o7uuvwy~WZ>|__a*~4D;v7ZAR25Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHY zBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6y|@1>0t{9 z00013FWa_l+qP}nwr$(CZQHhOyLQ+otPq7MLQ#rQoD!6z6s0LcS;|qK3RI*Lm8n8i zs!^R9)T9=*sY6}rQJ)4hq!Ep2LQ|U2oEEgC6|HGQTiVf{4s@gwo#{eXy3w5;^rRQP z=|f-o(VqbfWDtWH!cc}WoDqy<6r&l#SjI7)2~1=XlbOO)rZJrv%w!g`nZsP>F`or2 zWD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7ZARP^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0 z>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_4 z8NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mG zWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJBomp*LRPYoogCyO7rDtpUhrl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGzt zn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs} z8N*n{F`fxbWD=8^!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZV zWD}d&!dAAiogM6C7rWWRUiPt{103WKhdIJgj&Yn5oa7XzIm21bah?lYUG8z82R!5vk9opVp7ER)yyO+HdBa=Y@tzNS~-sYydx(vhAFWF!-r$wF4Lk)0gmBp12KLtgTcp8^!55QQm1QHoKV z5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB z+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1 znZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4 zWEZ>H!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67BoKiK zLQsMcoDhU06rl-2Si%vW2t*_jk%>Z7q7j`K#3UB6i9=lC5uXGkBoT>8LQ;~EoD`%a z6{$%>TGEl83}hq|naM&{vXPw}F`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7ZAR zP^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^) z8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?= z`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUj zS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJ zBomp*LRPYoogCyO z7rDtpUhrl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv z1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SsgigBik5 zhB2HGjARs}8N*n{F`fxbWD=8^!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6d zS;Jb^v7QZVWD}d&!dAAiogM6C7rWWRUiPt{103WKhdIJgj&Yn5oa7XzIm21bah?lY zUG8z82R!5vk9opVp7ER)yyO+HdBa=Y@tzNS~-sYydx(vhAFWF!-r$wF4Lk)0gmBp12KLtgTcp8^!5 z5QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A7 z7PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k z#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg z*}_(~v7H_4WEZ>H!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67 zZ7q7j`K#3UB6i9=lC5uXGkBoT>8 zLQ;~EoD`%a6{$%>TGEl83}hq|naM&{vXPw}F`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a z*~4D;v7ZARP^DMC?-QJfN#q!gtoLs`mEo(fc? z5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i z9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO z<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ>9OMv( zIl@tnahwyJ{{$oufeAuTf)Sh$gd`N92}4-I z5uOM{BodK{LR6v=ofyO<7O{y#T;dU*1SBL8iAh3Il98Mgq$CxoNkdxFk)8}>Bomp* zLRPYoogCyO7rDtpUhrl%y1;DMMMxQJxA^q!N{>LRG3!of_1n z7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX z0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ zma&`_tYj6dS;Jb^v7QZVWD}d&!dAAiogM6C7rWWRUiPt{103WKhdIJgj&Yn5oa7Xz zIm21bah?lYUG8z82R!5vk9opVp7ER)yyO+HdBa=Y@tzNS z~-sYydx(vhAFWF!-r$wF4Lk)0gmBp12K zLtgTcp8^!55QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf z5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_ z5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ z*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$ zxx!Vhah)67Z7q7j`K#3UB6i9=lC z5uXGkBoT>8LQ;~EoD`%a6{$%>TGEl83}hq|naM&{vXPw}F`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuv zwy~WZ>|__a*~4D;v7ZARP^DMC?-QJfN#q!gto zLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R z6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV z8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D z_OYJ>9OMv(Il@tnahwyJBomp*LRPYoogCyO7rDtpUhrl%y1;DMMMxQJxA^q!N{> zLRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb0 z7rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^!c?X)of*tz7PFbdT;?&K z1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZVWD}d&!dAAiogM6C7rWWRUiPt{103WKhdIJg zj&Yn5oa7XzIm21bah?lYUG8z82R!5vk9opVp7ER)yyO+H zdBa=Y@tzNS~-sYydx(vhAFWF!-r$wF4L zk)0gmBp12KLtgTcp8^!55QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQ zLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH z5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot z6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^5QjO!QI2t(6P)A}r#Zt} z&T*a#T;vj$xx!Vhah)67Z7q7j`K z#3UB6i9=lC5uXGkBoT>8LQ;~EoD`%a6{$%>TGEl83}hq|naM&{vXPw}F`or2WD$#5!cvy8oE5BO6{}gpTGp|i z4Qyl+o7uuvwy~WZ>|__a*~4D;v7ZARP^DMC?- zQJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1c zLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W83 z5|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O7 z9qeQmyV=8D_OYJ>9OMv(Il@tnahwyJBomp*LRPYoogCyO7rDtpUhrl%y1;DMMMx zQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR# zLRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^!c?X)of*tz z7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZVWD}d&!dAAiogM6C7rWWRUiPt{ z103WKhdIJgj&Yn5oa7XzIm21bah?lYUG8z82R!5vk9opV zp7ER)yyO+HdBa=Y@tzNS~-sYydx(vhAF zWF!-r$wF4Lk)0gmBp12KLtgTcp8^!55QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q% zQJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#E zLtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r z5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^5QjO!QI2t( z6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67Z7q7j`K#3UB6i9=lC5uXGkBoT>8LQ;~EoD`%a6{$%>TGEl83}hq|naM&{vXPw} zF`or2WD$#5!cvy8oE5BO z6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7ZARP^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$) z(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r z!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd z6Pww>R<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJBomp*LRPYoogCyO7rDtpUhr zl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu z(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^ z!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZVWD}d&!dAAiogM6C z7rWWRUiPt{103WKhdIJgj&Yn5oa7XzIm21bah?lYUG8z8 z2R!5vk9opVp7ER)yyO+HdBa=Y@tzNS~- zsYydx(vhAFWF!-r$wF4Lk)0gmBp12KLtgTcp8^!55QQm1QHoKV5|pGAr71&M%2A#Q zRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We! z(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT z!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^ z5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67Z7q7j`K#3UB6i9=lC5uXGkBoT>8LQ;~EoD`%a6{$%>TGEl83}hq| znaM&{vXPw}F`or2WD$#5 z!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7ZARP^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEt zG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8 zF`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf z!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJBomp*LRPYoogCyO7rDtpUhrl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esV zw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{ zF`fxbWD=8^!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZVWD}d& z!dAAiogM6C7rWWRUiPt{103WKhdIJgj&Yn5oa7XzIm21bah?lYUG8z82R!5vk9opVp7ER)yyO+HdBa=Y@tzNSb5P=CoP=XPh5QHQYp$S7+!V#VbL?jZCi9%GO5uF&sBo?uWLtNq!p9CZ%5s67c zQj(FJ6r>~-sYydx(vhAFWF!-r$wF4Lk)0gmBp12KLtgTcp8^!55QQm1QHoKV5|pGA zr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4 zbfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2 zF`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H z!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67{BoKiKLQsMc zoDhU06rl-2Si%vW2t*_jk%>Z7q7j`K#3UB6i9=lC5uXGkBoT>8LQ;~EoD`%a6{$%> zTGEl83}hq|naM&{vXPw} zF`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7ZARP^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~ zwW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O z3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75 zv78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJBomp*LRPYoogCyO7rDtp zUhrl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA* zjcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SsgigBik5hB2HG zjARs}8N*n{F`fxbWD=8^!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^ zv7QZVWD}d&!dAAiogM6C7rWWRUiPt{103WKhdIJgj&Yn5oa7XzIm21bah?lYUG8z82R!5vk9opVp7ER)yyO+HdBa=Y@tzNS~-sYydx(vhAFWF!-r$wF4Lk)0gmBp12KLtgTcp8^!55QQm1 zQHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=l zt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4= zOk@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~ zv7H_4WEZ>H!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67Z7q7j`K#3UB6i9=lC5uXGkBoT>8LQ;~E zoD`%a6{$%>TGEl83}hq|naM&{vXPw};mPZ$bQgrXFqI3*}aDN0j@vXrAd6{tuhDpQ53RHHgIs7Wnq zQ-`|LqdpC2NFy54gr+p3IW1^OD_YZrwzQ)?9q33WI@5)&bfY^x=t(bn(}%wFqdx-} z$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKF zIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?O~L;2?)M%n^=qjN_c(B&Rsd z8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?Z zpZLrdzVeOl{NN|Q_{|^w@{d3P{u7uW1SJ^32|-9g5t=ZBB^=?2Ktv)DnJ7dh8qtYC zOkxq6IK(9$@ku~J5|NlBBqbTiNkK|dk(xB5B^~L>Kt?i=nJi=_8`;T0PI8f(Jme)G z`6)m_3h^I>DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!Y zX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;M zWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{ zo(*hd6Pww>R<^O79qeQmyV=8D_OYJ;4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W z3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4b zU;O3|fB8qC1O5}3AOs~C!3jY~LJ^uUge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*) zLK2afBqSvn$w@&^$tANeUjK??C7g(*T& zicy>rl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cS zX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxb zWD=8^!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZVWD}d&!dAAi zogM6C7rWWRUiPt{01j}FLmcJ^M>)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;8 z4tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbpo9Js zm>>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdO zN>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H`IKtT%eAB8DGQHoKV5|pGAr71&M z%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV z=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIA zWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5W zp8yVUkV72i2uC@_aZYfOQ=H}uXF11tE^v`cT;>W_xyE&FaFbiy<_>qc$9*2~kVib` z2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QN1#Lg6PO?bB^bd8K}bRo znlOYV9N~#TL?RKHC`2V1(TPD!ViB7-#3df_NkBppk(eYTB^k*{K}u4Qnlz*(9qGwH zMlz9^EMz4c*~vjpa*>-nF`or2 zWD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7Z1AaF9bB<_JeQ z#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y8Kt?i=nJi=_8`;T0 zPI8f(Jme)G`6)m_3h^I>DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0 z>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_4 z8NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mG zWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ;4seh|9Oei|ImU5LaFSD;<_u>! z$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW) z3t#!hcYg4bU;O3|fB8qCBmNVZAOs~C!3jY~LJ^uUge4r|i9kdm5t%4NB^uF*K}=#1 zn>fTJ9`Q*)LK2afBqSvn$w@&^$tANeUj zK??C7g(*T&icy>rl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGzt zn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs} z8N*n{F`fxbWD=8^!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZV zWD}d&!dAAiogM6C7rWWRUiPt{01j}FLmcJ^M>)oEPH>V_oaPK?ImdY}aFI(~<_cH2 z#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi z4}bYbprig1m>>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9c zm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H`IKtT%eAB8DGQHoKV z5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB z+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1 znZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4 zWEZ>H!(R5Wp8yVUkV72i2uC@_aZYfOQ=H}uXF11tE^v`cT;>W_xyE&FaFbiy<_>qc z$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QN1$W=6PO?b zB^bd8K}bRonlOYV9N~#TL?RKHC`2V1(TPD!ViB7-#3df_NkBppk(eYTB^k*{K}u4Q znlz*(9qGwHMlz9^EMz4c*~vjpa*>-nF`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7Z1A zaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y8Kt?i= znJi=_8`;T0PI8f(Jme)G`6)m_3h^I>DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^) z8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?= z`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUj zS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ;4seh|9Oei|ImU5L zaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo z$9q2TkxzW)3t#!hcYg4bU;O3|fB8qC6aEvJAOs~C!3jY~LJ^uUge4r|i9kdm5t%4N zB^uF*K}=#1n>fTJ9`Q*)LK2afBqSvn$w@&^$tANeUjK??C7g(*T&icy>rl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv z1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SsgigBik5 zhB2HGjARs}8N*n{F`fxbWD=8^!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6d zS;Jb^v7QZVWD}d&!dAAiogM6C7rWWRUiPt{01j}FLmcJ^M>)oEPH>V_oaPK?ImdY} zaFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll> z#&>@3lVAMi4}bYbpp*U+m>>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~ zB_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H`IKtT%e zAB8DGQHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A7 z7PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k z#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg z*}_(~v7H_4WEZ>H!(R5Wp8yVUkV72i2uC@_aZYfOQ=H}uXF11tE^v`cT;>W_xyE&F zaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}Q zN1#*w6PO?bB^bd8K}bRonlOYV9N~#TL?RKHC`2V1(TPD!ViB7-#3df_NkBppk(eYT zB^k*{K}u4Qnlz*(9qGwHMlz9^EMz4c*~vjpa*>-nF`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a z*~4D;v7Z1AaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y8Kt?i=nJi=_8`;T0PI8f(Jme)G`6)m_3h^I>DMC?-QJfN#q!gtoLs`mEo(fc? z5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i z9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO z<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ;4seh| z9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I z@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8qCGyW5pAOs~C!3jY~LJ^uUge4r| zi9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*)LK2afBqSvn$w@&^$tANeUjK??C7g(*T&icy>rl%y1;DMMMxQJxA^q!N{>LRG3!of_1n z7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX z0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ zma&`_tYj6dS;Jb^v7QZVWD}d&!dAAiogM6C7rWWRUiPt{01j}FLmcJ^M>)oEPH>V_ zoaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M` z@R3h^<_ll>#&>@3lVAMi4}bYbptJrHm>>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0 zi9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^ zB_H`IKtT%eAB8DGQHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf z5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_ z5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ z*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp8yVUkV72i2uC@_aZYfOQ=H}uXF11tE^v`c zT;>W_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC z@RMKs<_~}QN1${56PO?bB^bd8K}bRonlOYV9N~#TL?RKHC`2V1(TPD!ViB7-#3df_ zNkBppk(eYTB^k*{K}u4Qnlz*(9qGwHMlz9^EMz4c*~vjpa*>-nF`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuv zwy~WZ>|__a*~4D;v7Z1AaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z z+~y8Kt?i=nJi=_8`;T0PI8f(Jme)G`6)m_3h^I>DMC?-QJfN#q!gto zLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R z6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV z8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D z_OYJ;4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMy zJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8qC3;q+BAOs~C!3jY~ zLJ^uUge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*)LK2afBqSvn$w@&^$tANeUjK??C7g(*T&icy>rl%y1;DMMMxQJxA^q!N{> zLRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb0 z7rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^!c?X)of*tz7PFbdT;?&K z1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZVWD}d&!dAAiogM6C7rWWRUiPt{01j}FLmcJ^ zM>)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAv zyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbpo{(!m>>it7{LiaNJ0^sFoY!>;fX** zA`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf z$w5wXk()f^B_H`IKtT%eAB8DGQHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQ zLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH z5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot z6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp8yVUkV72i2uC@_aZYfOQ=H}u zXF11tE^v`cT;>W_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxG zeC7*Z`NnsC@RMKs<_~}QN1#jo6PO?bB^bd8K}bRonlOYV9N~#TL?RKHC`2V1(TPD! zViB7-#3df_NkBppk(eYTB^k*{K}u4Qnlz*(9qGwHMlz9^EMz4c*~vjpa*>-nF`or2WD$#5!cvy8oE5BO6{}gpTGp|i z4Qyl+o7uuvwy~WZ>|__a*~4D;v7Z1AaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p( zSGmS@Zg7)Z+~y8Kt?i=nJi=_8`;T0PI8f(Jme)G`6)m_3h^I>DMC?- zQJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1c zLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W83 z5|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O7 z9qeQmyV=8D_OYJ;4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUj zce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8qCEB+Ih zAOs~C!3jY~LJ^uUge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*)LK2afBqSvn$w@&< zQjwZ8q$M5c$v{Rjk(n%HB^%kvK~8d!n>^$tANeUjK??C7g(*T&icy>rl%y1;DMMMx zQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR# zLRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^!c?X)of*tz z7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZVWD}d&!dAAiogM6C7rWWRUiPt{ z01j}FLmcJ^M>)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^U zPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbpsW59m>>it7{LiaNJ0^s zFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&Gw zGLe}qWF;Hf$w5wXk()f^B_H`IKtT%eAB8DGQHoKV5|pGAr71&M%2A#QRHPD>sX|q% zQJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#E zLtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r z5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp8yVUkV72i2uC@_ zaZYfOQ=H}uXF11tE^v`cT;>W_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8 zZ+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QN1$u|6PO?bB^bd8K}bRonlOYV9N~#TL?RKH zC`2V1(TPD!ViB7-#3df_NkBppk(eYTB^k*{K}u4Qnlz*(9qGwHMlz9^EMz4c*~vjp za*>-nF`or2WD$#5!cvy8oE5BO z6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7Z1AaF9bB<_JeQ#&J$?l2e@K3}-pV zc`k5~OI+p(SGmS@Zg7)Z+~y8Kt?i=nJi=_8`;T0PI8f(Jme)G`6)m_ z3h^I>DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$) z(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r z!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd z6Pww>R<^O79qeQmyV=8D_OYJ;4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(t zb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3| zfB8qC8~ziRAOs~C!3jY~LJ^uUge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*)LK2af zBqSvn$w@&^$tANeUjK??C7g(*T&icy>r zl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu z(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^ z!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZVWD}d&!dAAiogM6C z7rWWRUiPt{01j}FLmcJ^M>)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7 zeID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbpqu^^m>>it z7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)U zG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H`IKtT%eAB8DGQHoKV5|pGAr71&M%2A#Q zRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We! z(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT z!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp8yVU zkV72i2uC@_aZYfOQ=H}uXF11tE^v`cT;>W_xyE&FaFbiy<_>qc$9*2~kVib`2~T;( zb6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QN1$8&6PO?bB^bd8K}bRonlOYV z9N~#TL?RKHC`2V1(TPD!ViB7-#3df_NkBppk(eYTB^k*{K}u4Qnlz*(9qGwHMlz9^ zEMz4c*~vjpa*>-nF`or2WD$#5 z!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7Z1AaF9bB<_JeQ#&J$? zl2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y8Kt?i=nJi=_8`;T0PI8f( zJme)G`6)m_3h^I>DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEt zG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8 zF`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf z!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ;4seh|9Oei|ImU5LaFSD;<_u>!$9XPr zkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!h zcYg4bU;O3|fB8qCJN^@xAOs~C!3jY~LJ^uUge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ z9`Q*)LK2afBqSvn$w@&^$tANeUjK??C7 zg(*T&icy>rl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esV zw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{ zF`fxbWD=8^!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZVWD}d& z!dAAiogM6C7rWWRUiPt{01j}FLmcJ^M>)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFR zlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYb zpu7GPm>>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`6 z8OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H`IKtT%eAB8DGQHoKV5|pGA zr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4 zbfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2 zF`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H z!(R5Wp8yVUkV72i2uC@_aZYfOQ=H}uXF11tE^v`cT;>W_xyE&FaFbiy<_>qc$9*2~ zkVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QN1%KD6PO?bB^bd8 zK}bRonlOYV9N~#TL?RKHC`2V1(TPD!ViB7-#3df_NkBppk(eYTB^k*{K}u4Qnlz*( z9qGwHMlz9^EMz4c*~vjpa*>-nY(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC z@RMKs<_~}QM}YhO6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}L ziAQ`AkdQ@0t zrU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%w zl2){)4Q**hdpgjOPIRUVUFk-5deDAZh zTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+- zNk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!V zrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZ zkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJ zbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>EL zd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMy zJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%hyD|gKm;ZTK?z21 zLJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk% zNk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1Vh zrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9 zlV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5u zd={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAv zyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfJgolkU#_`2tf%(a6%B0P=qE7VF^cg zA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w) z$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz| zkUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxG zeC7*Z`NnsC@RMKs<_~}QM}Wuv6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$ zVi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zzn zrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p( zSGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK z5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8 zDMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cP zrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_% zkx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7 zc6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUj zce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%r~VU= zKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X> zQjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2 zDMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7b zrVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*d zlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^U zPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfM@;_kU#_`2tf%(a6%B0 zP=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+V zGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*D zrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8 zZ+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}X)46OcdzCI~?ZMsPw9l2C*u3}FdJcp?yy zNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~ zsYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pV zc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*b zSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n9 z3Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^Pnn zX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P> zW(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9guf zkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(t zb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3| zfB8p%m;MuwKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5 zL?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYyc zN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APh zX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2 zW(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7 zeID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfLHz#kU#_` z2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0z zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;( zb6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}XJ<6OcdzCI~?ZMsPw9l2C*u z3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdG zYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$? zl2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=) z3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xD zT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v z8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J z8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1* zW({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPr zkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!h zcYg4bU;O3|fB8p%xBe55Km;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i z4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^K zLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7R zTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD z8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFR zlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYb zfOq~AkU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV z2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5< zQk13)WhqB_Do~M1RHh15sYZ2bP?K8JrVe$fM|~R5kVZ772~BB6b6U`nRY(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~ zkVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}YVK6OcdzCI~?Z zMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tm zN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5 zdeDAZhTiM2TcCeFO>}C&p*~fkkaF9bB z<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ- zM|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ z3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$P zTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk z1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^Hy zS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD; z<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2T zkxzW)3t#!hcYg4bU;O3|fB8p%kNy*oKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrB zMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E` z4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^ zMl_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?! zMlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~ z<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3 zlVAMi4}bYbfKUDtkU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3l zM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu z2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy z<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}W`% z6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW z3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjO zPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p z*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y82 z5Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvx zM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi z3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1 zUi799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei| zImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=& z<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%ul^H|Km;ZTK?z21LJ*QrgeDAO2}gJ$ z5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~ zMs{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK z4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+ zK@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNp zR)oEPH>V_oaPK? zImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^ z<_ll>#&>@3lVAMi4}bYbfN%a2kU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{ z5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZ zM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_ zxyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs z<_~}QM}Y7C6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`A zkdQ@0trU*qT zMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){) z4Q**hdpgjOPIRUVUFk-5deDAZhTiM2T zcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y8< zxyOAT@Q_D5<_S-E#&cfql2^Ru4R3kJdp_`yPkiPJU-`y&e(;lD{N@jT`A2{s{u7Wu z1SSYU2}W>25Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~ zkdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2% zM|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1` z3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J< zS-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+ z4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{c zdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%pZ*h&Km;ZTK?z21LJ*Qr zgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7z zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5 zMs;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u z4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{f zMJ#3sOIgNpR)oE zPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvW zdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfM5O-kU#_`2tf%(a6%B0P=qE7VF^cgA`p>C zL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^ zkds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z z`NnsC@RMKs<_~}QM}Xh{6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9 z#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}H zMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@ zZg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHY zBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQh zP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXr zM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku z3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9n zUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X z9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%zy1@DKm;ZT zK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5V zq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuK zP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^ zMt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW z4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3 zUhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfPelIkU#_`2tf%(a6%B0P=qE7 zVF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr> zWF`w)$wqc^kds{GCJ%YZM}7+Y=ja}kKv$M1fF9enZCm%)wr$(CZQHhO+qP}IRj-nj zKbT4~)4iL56rwOiC`vJkQ-YF|qBLbFOF7C@fr?b3GF7NbHL6pCn$)5;b*M`{>eGOR zG@>z0Xi77h(}I??qBU)3OFP=rfsS;dGhOIPH@eeEMhTBSjsY%vx1eZVl``6 z%R1JxfsJfpGh5ioHny{ao$O*ad)Ui9_H%%P9O5uXILa}ObApqc;xuPC%Q?<-fs0(? zGFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIRGhg`1H@@?O zpZwxCfB4Hktp5LBfjk2fgrEc?I3Wm0C_)p4u!JK#5r{}6A`^wEL?b#eh)FDB6Nk9O zBR&a8NFoxGgrp=RIVngWBkAf7U zFhwXzF^W@yl9Zw}WhhHI%2R=gRH8Cfs7f`eQ-hk+qBeD?OFin-fQB@pF->SnGn&(a zmb9WZZD>n7+S7rKbfPm|=t?)b(}SM$qBni$OF#NEfPoBRFhdy1ForXNk&I$AV;IXg z#xsG5Oky%qn94M!GlQATVm5P_%RJ_@fQ2k#F-us=GM2M~m8@blYgo%V*0X_)Y+^H8 z*vdAxvxA-NVmEu(%RcsVfP)<3Fh@AbF^+SBlbqr-XE@6_&U1l_T;eiUxXLxIbAy}Q z;x>1<%RTP%fQLNdF;95PGoJH;m%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%Rd4H z4CoFRAP|8GLQsMcoDhU06rl-2Si%vW2t*_jk%>Z7q7j`K#3UB6i9=lC5uXGkBoT>8 zLQ;~EoD`%a6{$%>TGEl83}hq|naM&{vXPw}=yOIp#IHngQ3 z?dd>AI?r62tnz(58um>~>h7{eLCNJcT5F^pv#;I&HLPVF>)F6YHnEv4Y-JnU*}+bB zv70^YWgq)Fz(Edim?IqJ7{@umNltN^Go0ld=efW|E^(PFT;&?qxxr0tahp5bF-b^DGLn;ml%ygx zX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+OFr^bfd42+AqrE3q7hfil%qTq zs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{d zqdPt5NiTZShraZqKLZ%ZAO&aK$t-3w zhq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLKt?i= znJi=_8`;T0PI8f(Jme)G`6P^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^) z8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?= z`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUj zS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJ z>it7{LiaNJ0^sFoY!>;fX**A`zJ= zL?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wX zk()f^B_H`Iz<(5^5QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}o zp9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=Q zP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_x zt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a# zT;vj$xx!Vhah)67Kt?i=nJi=_8`;T0PI8f(Jme)G`6P^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$) z(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r z!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd z6Pww>R<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJ>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9c zm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H`Iz<(5^5QQm1QHoKV z5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB z+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1 znZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4 zWEZ>H!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67Kt?i=nJi=_8`;T0PI8f(Jme)G`6P^DMC?-QJfN#q!gtoLs`mE zo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@Wo zSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rB zvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ> z9OMv(Il@tnahwyJ>it7{LiaNJ0^s zFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&Gw zGLe}qWF;Hf$w5wXk()f^B_H`Iz<(5^5QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q% zQJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#E zLtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r z5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^5QjO!QI2t( z6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67Kt?i=nJi=_8`;T0 zPI8f(Jme)G`6P^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0 z>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_4 z8NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mG zWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJ>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a z5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H`I zz<(5^5QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg= zQ<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLM zqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)q zY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vh zah)67Kt?i=nJi=_8`;T0PI8f(Jme)G`6P^DMC?- zQJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1c zLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W83 z5|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O7 z9qeQmyV=8D_OYJ>9OMv(Il@tnahwyJ>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdO zN>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H`Iz<(5^5QQm1QHoKV5|pGAr71&M z%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV z=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIA zWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5W zp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67 zKt?i=nJi=_8`;T0PI8f(Jme)G`6P^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb! zRjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLa zz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfI zEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ>9OMv(Il@tn zahwyJ>it7{LiaNJ0^sFoY!>;fX** zA`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf z$w5wXk()f^B_H`Iz<(5^5QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQ zLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH z5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot z6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^5QjO!QI2t(6P)A}r#Zt} z&T*a#T;vj$xx!Vhah)67Kt?i=nJi=_8`;T0PI8f(Jme)G z`6P^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!Y zX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;M zWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{ zo(*hd6Pww>R<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJ>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8of zKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H`Iz<(5^5QQm1 zQHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=l zt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4= zOk@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~ zv7H_4WEZ>H!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67Kt?i=nJi=_8`;T0PI8f(Jme)G`6P^DMC?-QJfN#q!gto zLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R z6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV z8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D z_OYJ>9OMv(Il@tnahwyJ>it7{Lia zNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR z>B&GwGLe}qWF;Hf$w5wXk()f^B_H`Iz<(5^5QQm1QHoKV5|pGAr71&M%2A#QRHPD> zsX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUj zq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Su zp9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^5QjO! zQI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67Kt?i=nJi=_ z8`;T0PI8f(Jme)G`6P^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~ zwW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O z3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75 zv78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJ>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0 zi9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^ zB_H`Iz<(5^5QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf z5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_ z5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ z*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$ zxx!Vhah)67-70uh)X1SJ^32|-9g5t=ZBB^=?2Ktv)DnJ7dh8qtYCOkxq6IK(9$ z@ku~J5|NlBBqbTiNkK|dk(xB5B^~L>Kt?i=nJi=_8`;T0PI8f(Jme)G`6P^ zDMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~v zq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^K zo(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww> zR<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJ>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`6 z8OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H`Iz<(5^5QQm1QHoKV5|pGA zr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4 zbfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2 zF`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H z!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67Kt?i=nJi=_8`;T0PI8f(Jme)G`6P^DMC?-QJfN#q!gtoLs`mEo(fc? z5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i z9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO z<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ>9OMv( zIl@tnahwyJ>it7{LiaNJ0^sFoY!> z;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}q zWF;Hf$w5wXk()f^B_H`Iz<(5^5QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJosp zq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQ zp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*E zQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^5QjO!QI2t(6P)A} zr#Zt}&T*a#T;vj$xx!Vhah)67Kt?i=nJi=_8`;T0PI8f( zJme)G`6P^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEt zG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8 zF`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf z!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJF-b^DGLn;ml%ygxX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+OFr^bfd42+ zAqrE3q7hfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5D zEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLNkn3j zkd$O3Cj}`ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**h zdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO z>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y8`P7Goai`c{=F7b#@0uqvl#3Ugp$w*ELQj&_) zq#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0sf;Pg(yrBic*Z?l%OP~C`}p4QjYRe zpdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+ zjqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$ z9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#R zhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7+W!}tOOBoKiKLQsMcoDhU06rl-2 zSi%vW2t*_jk%>Z7q7j`K#3UB6i9=lC5uXGkBoT>8LQ;~EoD`%a6{$%>TGEl83}hq| znaM&{vXPw}=yOIp#IHngQ3?dd>AI? zr62tnz(58um>~>h7{eLCNJcT5F^pv#;I&HLPVF>)F6YHnEv4Y-JnU*}+bBv70^YWgq)Fz(Edim?IqJ7{@um zNltN^Go0ld=efW|E^(PFT;&?qxxr0tahp5bh2uUbH6Na#aBRmm^NF*W? zg{VX$Ix&bzEMgOfxWpqq2}npH5|f0aBqKQ~NJ%PElZLdUBRv_&NG39qg{)*FJ2}Wn zE^?EHyyPQ41^ADG6rwOiC`vJkQ-YF|qBLbFOF7C@fr?b3GF7NbHL6pCn$)5;b*M`{ z>eGORG@>z0Xi77h(}I??qBU)3OFP=rfsS;dGhOIPH@eeEMhTBSjsY%vx1eZ zVl``6%R1JxfsJfpGh5ioHny{ao$O*ad)Ui9_H%%P9O5uXILa}ObApqc;xuPC%Q?<- zfs0(?GFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIRGhg`1 zH@@?OpZwxCfB4Hk4B-tBkU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KM zCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7+M zKZfZc0Sp5G09aSswr$(CZQHhO+qP}nwr#u1Ax}sF3Q~x|6rm`^C{77VQi{@)p)BPn zPX#JciON)=D%Ge?4Qf)0+SH*g^{7t+8q$cyG@&WYXif`S(u&r!p)KubPX{{EiOzJP zE8XZ$4|>vz-t?g_{pimC1~Q1j3}Gn47|sYrGK$fRVJzbq&jcniiOEc1D$|(G3}!Nm z+00=s^O(;97P5%NEMY0jSk4MovWnHLVJ+)e&jvQKiOp`P7Goai`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbb zl8MY@AuHL)P7ZRCi`?WPFZsw%0SZ!x!W5w>#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p= zP7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^(uvM=p)1|!P7iw0i{A91 zFa7Ax00uIM!3<$2!x+v8Mly=gjA1O}7|#SIGKtAdVJg#@&J1QUi`mR!F7uer0v57} z#Vlbd%UI3|R5s*LxCI~?ZMsPw9l2C*u3}FdJcp?yy zNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~ zsYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pV zc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*b zSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n9 z3Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^Pnn zX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P> zW(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9guf zkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(t zb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3| zfB8p%ME(Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYyc zN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APh zX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2 zW(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7 zeID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfW-b2kU#_` z2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0z zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;( zb6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}Q>$6OcdzCI~?ZMsPw9l2C*u z3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdG zYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$? zl2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=) z3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xD zT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v z8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J z8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1* zW({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPr zkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!h zcYg4bU;O3|fB8p%Wd0M7Km;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i z4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^K zLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7R zTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD z8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFR zlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYb zfaLxYkU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV z2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5< zQk13)WhqB_Do~M1RHh15sYZ2bP?K8JrVe$fM|~R5kVZ772~BB6b6U`nRY(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~ zkVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}QRm6OcdzCI~?Z zMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tm zN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5 zdeDAZhTiM2TcCeFO>}C&p*~fkkaF9bB z<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ- zM|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ z3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$P zTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk z1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^Hy zS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD; z<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2T zkxzW)3t#!hcYg4bU;O3|fB8p%RQ?l?Km;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrB zMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E` z4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^ zMl_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?! zMlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~ z<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3 zlVAMi4}bYbfYkmIkU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3l zM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu z2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy z<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}Rc` z6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW z3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjO zPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p z*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y82 z5Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvx zM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi z3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1 zUi799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei| zImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=& z<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%bp8{NKm;ZTK?z21LJ*QrgeDAO2}gJ$ z5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~ zMs{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK z4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+ zK@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNp zR)oEPH>V_oaPK? zImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^ z<_ll>#&>@3lVAMi4}bYbfb{+okU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{ z5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZ zM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_ zxyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs z<_~}QM}Q3e6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`A zkdQ@0trU*qT zMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){) z4Q**hdpgjOPIRUVUFk-5deDAZhTiM2T zcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y8< zxyOAT@Q_D5<_S-E#&cfql2^Ru4R3kJdp_`yPkiPJU-`y&e(;lD{N@jT`A2|^{u7Wu z1SSYU2}W>25Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~ zkdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2% zM|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1` z3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J< zS-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+ z4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{c zdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%O#Ty)Km;ZTK?z21LJ*Qr zgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7z zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5 zMs;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u z4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{f zMJ#3sOIgNpR)oE zPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvW zdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfXx0AkU#_`2tf%(a6%B0P=qE7VF^cgA`p>C zL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^ zkds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z z`NnsC@RMKs<_~}QM}RE;6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9 z#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}H zMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@ zZg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHY zBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQh zP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXr zM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku z3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9n zUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X z9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%Z2l9FKm;ZT zK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5V zq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuK zP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^ zMt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW z4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3 zUhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfb9MgkU#_`2tf%(a6%B0P=qE7 zVF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr> zWF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoAT zM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXi zKJbxGeC7*Z`NnsC@RMKs<_~}QM}Qpu6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(I zQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp z(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~ zOI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{ zafwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j z6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee z(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E) z$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu7 z3tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8Ez zTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p% zT>cY~Km;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8& zNl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwg zl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH z(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8 z#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?T zM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfZYBQkU#_`2tf%( za6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;i zX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y z(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0 zSG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}R#36OcdzCI~?ZMsPw9l2C*u3}FdJ zcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9} z)TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K z3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>th zbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJX zdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknN zG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr% zFp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju z$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W z3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4b zU;O3|fB8p%eEt)VKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS` zd=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&P=Kg0Bp0EPho z0IaKR+qP}nwr$(CZQHhO+qT{1kSB!v6rdo5C`=KGQjFr1pd_UzO&Q8kj`CEXB9*92 z6{=E=>eQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1 zz35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@ zEMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk z%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9i`TZv#fe1_xf)b42gdilL2u&Em5{~dh zAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_| zjqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d z9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFs zgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fH ztY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>- z%oo1$jqm*6C%^d3AO7->00sUF@E-vQL|}ptlwbrW1R)7UXu=SdaD*oU5s5@(q7ap6 zL?;F@iA8MU5SMtwCjkjbL}HSVlw>3)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX$whAR zke7VqrvL>hL}7|hlwuU81SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLV zL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K z1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_YSyrp zb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{1SdJgY0hw#bDZY_7rDe` zu5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0 z`NePk@RxrCDCj={2}EFm5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3 z#3um>Nkn3jkd$O3Cj}`YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u( zMQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{ z0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`E zZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a z?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN71SsS` z0SQE4f)JEo1SbR`2}Nka5SDO+Cjt?PL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^S zBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u2RX?_Zt{?qeB`G91t~;ficpkd6sH6wDMe|@ zP?mC(rveqJL}jW_m1+=(3WeG#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL?e*`G(KLH6uV1f{oU<4-w zAqhoj!Vs2lgeL+Ki9}?g5S3^|Ck8QzMQq{_mw3b{0SQS&Vv>-QWF#jADM>|Y(vX&P zq$dLz$wX$dkd00k*TVTw?cViczYB`HN|%21Yal&1m}sYGR} zP?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3Ngq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl z-td-pyypWS`NU_w@Re_T=LbLe#c%%bmwyB(;y(ciL|}ptlwbrW1R)7UXu=SdaD*oU z5s5@(q7ap6L?;F@iA8MU5SMtwCjkjbL}HSVlw>3)1u02IYSNIFbfhN(8OcOuvXGT* zWG4qX$whARke7VqrvL>hL}7|hlwuU81SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw- zP?vhtrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k z#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu z1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{1SdJgY0hw# zbDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;* zzVMZAeCG#0`NePk@RxrCDC$1}2}EFm5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIl zF^NTN;t-d3#3um>Nkn3jkd$O3Cj}`YE-8NHK|2y>QI+@)TaRrX+&e1 z(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob| z#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW z0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0Q zYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP z{_vN71SsY|0SQE4f)JEo1SbR`2}Nka5SDO+Cjt?PL}a26m1smK1~G|6Y~m1?c*G|G z2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u2RX?_Zt{?qeB`G91t~;ficpkd z6sH6wDMe|@P?mC(rveqJL}jW_m1+= z(3WeG#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL?e*`G*KLH6u zV1f{oU<4-wAqhoj!Vs2lgeL+Ki9}?g5S3^|Ck8QzMQq{_mw3b{0SQS&Vv>-QWF#jA zDM>|Y(vX&Pq$dLz$wX$dkd00k*TVTw?cViczYB`HN|%21Ya zl&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF` z(3Ngq#cl3zmwVjj0S|e^W1jGo zXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%bmwyB(;XeThL|}ptlwbrW1R)7U zXu=SdaD*oU5s5@(q7ap6L?;F@iA8MU5SMtwCjkjbL}HSVlw>3)1u02IYSNIFbfhN( z8OcOuvXGT*WG4qX$whARke7VqrvL>hL}7|hlwuU81SKg&Y06NRa+Ie66{$pJs!)|` zRHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk) z(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY z#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{ z1SdJgY0hw#bDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@md zcf98VANj;*zVMZAeCG#0`NePk@RxrCDCs`|2}EFm5R_m9Cj=o0MQFkhmT-h80uhNs zWTFt2XhbIlF^NTN;t-d3#3um>Nkn3jkd$O3Cj}`YE-8NHK|2y>QI+@ z)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_Q zFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+ z#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov z0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2 zZ+zzmKl#OP{_vN71SsV{0SQE4f)JEo1SbR`2}Nka5SDO+Cjt?PL}a26m1smK1~G|6 zY~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u2RX?_Zt{?qeB`G9 z1t~;ficpkd6sH6wDMe|@P?mC(rveqJL}jW_m1+=(3WeG#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL? ze*`G)KLH6uV1f{oU<4-wAqhoj!Vs2lgeL+Ki9}?g5S3^|Ck8QzMQq{_mw3b{0SQS& zVv>-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd00k*TVTw?cViczY zB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DE zw5J0d=|pF`(3Ngq#cl3zmwVjj z0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%bmwyB(<39ljL|}pt zlwbrW1R)7UXu=SdaD*oU5s5@(q7ap6L?;F@iA8MU5SMtwCjkjbL}HSVlw>3)1u02I zYSNIFbfhN(8OcOuvXGT*WG4qX$whARke7VqrvL>hL}7|hlwuU81SKg&Y06NRa+Ie6 z6{$pJs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzw zbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18 zFqe7EX8{XY#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e z#9@wblw%y{1SdJgY0hw#bDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW z1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk@RxrCDC<7~2}EFm5R_m9Cj=o0MQFkh zmT-h80uhNsWTFt2XhbIlF^NTN;t-d3#3um>Nkn3jkd$O3Cj}`YE-8N zHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt z^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(N zu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D? z#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq18 z10VUsXTI>2Z+zzmKl#OP{_vN71Ssb}0SQE4f)JEo1SbR`2}Nka5SDO+Cjt?PL}a26 zm1smK1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u2RX?_ zZt{?qeB`G91t~;ficpkd6sH6wDMe|@P?mC(rveqJL}jW_m1+=(3WeG z#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K z2S546Z~pL?e*`G+KLH6uV1f{oU<4-wAqhoj!Vs2lgeL+Ki9}?g5S3^|Ck8QzMQq{_ zmw3b{0SQS&Vv>-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd00k*T zVTw?cViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY- zEont-+R&DEw5J0d=|pF`(3Ngq z#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%bmwyDP z;6DKgL|}ptlwbrW1R)7UXu=SdaD*oU5s5@(q7ap6L?;F@iA8MU5SMtwCjkjbL}HSV zlw>3)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX$whARke7VqrvL>hL}7|hlwuU81SKg& zY06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh z9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOh zOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M*~M=5 zu$O)8=Ku#e#9@wblw%y{1SdJgY0hw#bDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S z#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk@RxrCsOUcd2}EFm5R_m9 zCj=o0MQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3#3um>Nkn3jkd$O3Cj}`YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&y zJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe z%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU( zaFk;l=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$ z#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN71gPXc0SQE4f)JEo1SbR`2}Nka5SDO+ zCjt?PL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MDL}s#( zm26}u2RX?_Zt{?qeB`G91t~;ficpkd6sH6wDMe|@P?mC(rveqJL}jW_m1+=(3WeG#AU83dBtnq@RoPH=K~-4 z#Am+nm2Z6K2S546Z~pL?e*~!PKLH6uV1f{oU<4-wAqhoj!Vs2lgeL+Ki9}?g5S3^| zCk8QzMQq{_mw3b{0SQS&Vv>-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd00k*TVTw?cViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$H zW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3Ngq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe z#c%%bmwyDP;y(ciL|}ptlwbrW1R)7UXu=SdaD*oU5s5@(q7ap6L?;F@iA8MU5SMtw zCjkjbL}HSVlw>3)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX$whARke7VqrvL>hL}7|h zlwuU81SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbs zYueD3cC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#>ag1jI z6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3L zY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{1SdJgY0hw#bDZY_7rDe`u5guWT;~Qixy5bn zaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk@RxrCsOmof z2}EFm5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3#3um>Nkn3jkd$O3 zCj}`YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^ zXS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZ zGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I z?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$ z@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN71gPde0SQE4f)JEo1SbR` z2}Nka5SDO+Cjt?PL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$ zCj%MDL}s#(m26}u2RX?_Zt{?qeB`G91t~;ficpkd6sH6wDMe|@P?mC(rveqJL}jW_ zm1+=(3WeG#AU83dBtnq z@RoPH=K~-4#Am+nm2Z6K2S546Z~pL?e*~!RKLH6uV1f{oU<4-wAqhoj!Vs2lgeL+K zi9}?g5S3^|Ck8QzMQq{_mw3b{0SQS&Vv>-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd00k*TVTw?cViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R( zmwMEv0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3Ngq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w z@Re_T=LbLe#c%%bmwyDP;XeThL|}ptlwbrW1R)7UXu=SdaD*oU5s5@(q7ap6L?;F@ ziA8MU5SMtwCjkjbL}HSVlw>3)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX$whARke7Vq zrvL>hL}7|hlwuU81SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJ zlx8%i1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K1S1*6 zXvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_YSyrpb*yIt z8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{1SdJgY0hw#bDZY_7rDe`u5guW zT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk z@RxrCsOdie2}EFm5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3#3um> zNkn3jkd$O3Cj}`YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7 zmUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0U zWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-; zJK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT z+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN71gPad0SQE4 zf)JEo1SbR`2}Nka5SDO+Cjt?PL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$a zNkwYXkd}0$Cj%MDL}s#(m26}u2RX?_Zt{?qeB`G91t~;ficpkd6sH6wDMe|@P?mC( zrveqJL}jW_m1+=(3WeG#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL?e*~!QKLH6uV1f{oU<4-wAqhoj z!Vs2lgeL+Ki9}?g5S3^|Ck8QzMQq{_mw3b{0SQS&Vv>-QWF#jADM>|Y(vX&Pq$dLz z$wX$dkd00k*TVTw?cViczYB`HN|%21Yal&1m}sYGR}P?c&_ zrv^2tMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3Ngq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-p zyypWS`NU_w@Re_T=LbLe#c%%bmwyDP<39ljL|}ptlwbrW1R)7UXu=SdaD*oU5s5@( zq7ap6L?;F@iA8MU5SMtwCjkjbL}HSVlw>3)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX z$whARke7VqrvL>hL}7|hlwuU81SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vht zrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k#9)Rn zlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_ zYSyrpb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{1SdJgY0hw#bDZY_ z7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZA zeCG#0`NePk@RxrCsOvug2}EFm5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIlF^NTN z;t-d3#3um>Nkn3jkd$O3Cj}`YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0 zrv)u(MQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob|#c0Mb zmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`I zX11`EZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0QYh33B zH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN7 z1gPgf0SQE4f)JEo1SbR`2}Nka5SDO+Cjt?PL}a26m1smK1~G|6Y~m1?c*G|G2}wj^ zl8}^SBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u2RX?_Zu0Oy!}O2DP6Jl zYEp~Z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G-RMpadeV#D^r0{P z=+6KKGKj$pVJO2G&Im>_iqVW=EaMo@1ST?x$xLA?)0oZ-W-^P}%waC`n9l+hvWUej zVJXX4&I(qtiq))PE$dj%1~#&Z&1_*S+t|(ycCw4z>|rna*v|nDa)`qm;V8#A&IwL( ziqo9oEay1S1uk-l%Ut0q*SO9NZgPv;+~F?wxX%L~@`%Sg;VI8}&I?}hir2j1E$?{G z2R`zN&wSx4-}ufCe)5ao{NXSE2vFaD0uqS81R*HF2u=t>5{l4-AuQntPXrvz-t?g_{pimC1~Q1j3}Gn4 z7|sYrGK$fRVJzbq&jcniiOEc1D$|(G3}!Nm+00=s^O(;97P5%NEMY0jSk4MovWnHL zVJ+)e&jvQKiOpCL?#MRiAHo{5R+KM zCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)W zkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&F zaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}Q zM}UU@6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3| zl2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**h zdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO z>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoS zCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnx zkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0( zcY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh| z9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I z@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%#{LtKKm;ZTK?z21LJ*QrgeDAO z2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJe zCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dX zlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJ ze+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3s zOIgNpR)oEPH>V_ zoaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M` z@R3h^<_ll>#&>@3lVAMi4}bYbfF}MEkU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MR ziAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{G zCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC z@RMKs<_~}QM}VgO6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}L ziAQ`AkdQ@0t zrU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%w zl2){)4Q**hdpgjOPIRUVUFk-5deDAZh zTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+- zNk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!V zrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZ zkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJ zbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>EL zd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMy zJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%=Kd3qKm;ZTK?z21 zLJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk% zNk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1Vh zrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9 zlV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5u zd={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAv zyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfENA}kU#_`2tf%(a6%B0P=qE7VF^cg zA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w) z$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz| zkUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxG zeC7*Z`NnsC@RMKs<_~}QM}U_86OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$ zVi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zzn zrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p( zSGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK z5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8 zDMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cP zrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_% zkx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7 zc6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUj zce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%*8UTa zKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X> zQjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2 zDMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7b zrVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*d zlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^U zPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfHwXUkU#_`2tf%(a6%B0 zP=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+V zGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*D zrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8 zZ+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}W5e6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yy zNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~ zsYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pV zc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*b zSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n9 z3Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^Pnn zX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P> zW(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9guf zkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(t zb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3| zfB8p%_Wl!)Km;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5 zL?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYyc zN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APh zX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2 zW(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7 zeID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfDZl>kU#_` z2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0z zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;( zb6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}Ut06OcdzCI~?ZMsPw9l2C*u z3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdG zYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$? zl2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=) z3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xD zT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v z8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J z8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1* zW({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPr zkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!h zcYg4bU;O3|fB8p%&i)gSKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i z4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^K zLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7R zTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD z8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFR zlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYb zfG++MkU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV z2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5< zQk13)WhqB_Do~M1RHh15sYZ2bP?K8JrVe$fM|~R5kVZ772~BB6b6U`nRY(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~ zkVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}V&W6OcdzCI~?Z zMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tm zN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5 zdeDAZhTiM2TcCeFO>}C&p*~fkkaF9bB z<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ- zM|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ z3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$P zTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk z1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^Hy zS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD; z<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2T zkxzW)3t#!hcYg4bU;O3|fB8p%?*0>yKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrB zMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E` z4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^ zMl_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?! zMlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~ z<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3 zlVAMi4}bYbfFAx6kU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3l zM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu z2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy z<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}VIG z6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW z3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjO zPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p z*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y82 z5Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvx zM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi z3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1 zUi799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei| zImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=& z<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%-u@GiKm;ZTK?z21LJ*QrgeDAO2}gJ$ z5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~ zMs{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK z4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+ zK@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNp zR)oEPH>V_oaPK? zImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^ z<_ll>#&>@3lVAMi4}bYbfIj{ckU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{ z5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZ zM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_ zxyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs z<_~}QM}WTm6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`A zkdQ@0trU*qT zMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){) z4Q**hdpgjOPIRUVUFk-5deDAZhTiM2T zcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y8< zxyOAT@Q_D5<_S-E#&cfql2^Ru4R3kJdp_`yPkiPJU-`y&e(;lD{N@jT`A2|${u7Wu z1SSYU2}W>25Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~ zkdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;%?rVR}da!vFvP*44Ic+qP}nwr$(CZQHhO z+wOA66G9&Hl8^ippdf`POc9DwjN+7_B&8@#8OlHNAm8eV=s#1;W)SxD{s7)Q} zQjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S z%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCg zC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N! z^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrd zzVeOl{NN|Q_{|^w@{a)h{U;!S2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@o< zv4~9^;u4SeBp@M)NK6uvl8oe}ASJ0tO&ZdYj`U<8Bbmrd7P69!?BpOPxyVf(@{*7I z6rdo5C`=KGQjFr1pd_UzO&Q8kj`CEXB9*926{=E=>eQenwWv)U>QayTG@v1kXiO8D z(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$ z%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4` z{_>9i1O5x}9{~wOV1f{oU<4-wAqhoj!Vs2lgeL+Ki9}?g5S3^|Ck8QzMQq{_mw3b{ z0SQS&Vv>-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd00k*TVTw?c zViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY-Eont- z+R&DEw5J0d=|pF`(3Ngq#cl3z zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%bmwyBp=sy7o zL|}ptlwbrW1R)7UXu=SdaD*oU5s5@(q7ap6L?;F@iA8MU5SMtwCjkjbL}HSVlw>3) z1u02IYSNIFbfhN(8OcOuvXGT*WG4qX$whARke7VqrvL>hL}7|hlwuU81SKg&Y06NR za+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8 zy3mzwbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl& znZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8 z=Ku#e#9@wblw%y{1SdJgY0hw#bDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZD zlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk@RxrC800?z2}EFm5R_m9Cj=o0 zMQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3#3um>Nkn3jkd$O3Cj}` zYE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn z`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$ zS;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU(aFk;l z=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1 zmUq1810VUsXTI>2Z+zzmKl#OP{_vN71Q_f;0SQE4f)JEo1SbR`2}Nka5SDO+Cjt?P zL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u z2RX?_Zt{?qeB`G91t~;ficpkd6sH6wDMe|@P?mC(rveqJL}jW_m1+=(3WeG#AU83dBtnq@RoPH=K~-4#Am+n zm2Z6K2S546Z~pL?e*_rfKLH6uV1f{oU<4-wAqhoj!Vs2lgeL+Ki9}?g5S3^|Ck8Qz zMQq{_mw3b{0SQS&Vv>-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd z00k*TVTw?cViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$HW17&E zW;CY-Eont-+R&DEw5J0d=|pF`(3Ngq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%b zmwyBp>OTPqL|}ptlwbrW1R)7UXu=SdaD*oU5s5@(q7ap6L?;F@iA8MU5SMtwCjkjb zL}HSVlw>3)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX$whARke7VqrvL>hL}7|hlwuU8 z1SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbsYueD3 zcC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(h zrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M z*~M=5u$O)8=Ku#e#9@wblw%y{1SdJgY0hw#bDZY_7rDe`u5guWT;~Qixy5bnaF=`B z=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk@RxrC80J3#2}EFm z5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3#3um>Nkn3jkd$O3Cj}`< zMQYNJmUN^i0~yIgX0ni#Y-A?~ImtzC@{pH&YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^XS&dp zZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~ z<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I?B@Un zImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$@RVmf z=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN71Q_l=0SQE4f)JEo1SbR`2}Nka z5SDO+Cjt?PL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MD zL}s#(m26}u2RX?_Zt{?qeB`G91t~;ficpkd6sH6wDMe|@P?mC(rveqJL}jW_m1+=(3WeG#AU83dBtnq@RoPH z=K~-4#Am+nm2Z6K2S546Z~pL?e*_reKLH6uV1f{oU<4-wAqhoj!Vs2lgeL+Ki9}?g z5S3^|Ck8QzMQq{_mw3b{0SQS&Vv>-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd00k*TVTw?cViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv z0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3Ngq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T z=LbLe#c%%bmwyBp=|2GpL|}ptlwbrW1R)7UXu=SdaD*oU5s5@(q7ap6L?;F@iA8MU z5SMtwCjkjbL}HSVlw>3)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX$whARke7VqrvL>h zL}7|hlwuU81SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJlx8%i z1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#> zag1jI6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_YSyrpb*yIt8`;EW zwy>3LY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{1SdJgY0hw#bDZY_7rDe`u5guWT;~Qi zxy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk@RxrC z809|!2}EFm5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3#3um>Nkn3j zkd$O3Cj}`YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK z10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5c zX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-;JK4o< z_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xg zdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN71Q_i<0SQE4f)JEo z1SbR`2}Nka5SDO+Cjt?PL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$aNkwYX zkd}0$Cj%MDL}s#(m26}u2RX?_Zt{?qeB`G91t~;ficpkd6sH6wDMe|@P?mC(rveqJ zL}jW_m1+=(3WeG#AU83 zdBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL?e*_rgKLH6uV1f{oU<4-wAqhoj!Vs2l zgeL+Ki9}?g5S3^|Ck8QzMQq{_mw3b{0SQS&Vv>-QWF#jADM>|Y(vX&Pq$dLz$wX$d zkd00k*TVTw?cViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2t zMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3Ngq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS z`NU_w@Re_T=LbLe#c%%bmwyBp>puYrL|}ptlwbrW1R)7UXu=SdaD*oU5s5@(q7ap6 zL?;F@iA8MU5SMtwCjkjbL}HSVlw>3)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX$whAR zke7VqrvL>hL}7|hlwuU81SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLV zL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K z1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_YSyrp zb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{1SdJgY0hw#bDZY_7rDe` zu5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0 z`NePk@RxrC80S9$2}EFm5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3 z#3um>Nkn3jkd$O3Cj}`YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u( zMQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{ z0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`E zZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a z?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN71Q_o> z0SQE4f)JEo1SbR`2}Nka5SDO+Cjt?PL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^S zBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u2RX?_Zt{?qeB`G91t~;ficpkd6sH6wDMe|@ zP?mC(rveqJL}jW_m1+=(3WeG#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL?e*~D|KLH6uV1f{oU<4-w zAqhoj!Vs2lgeL+Ki9}?g5S3^|Ck8QzMQq{_mw3b{0SQS&Vv>-QWF#jADM>|Y(vX&P zq$dLz$wX$dkd00k*TVTw?cViczYB`HN|%21Yal&1m}sYGR} zP?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3Ngq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl z-td-pyypWS`NU_w@Re_T=LbLe#c%%bmwyD9=sy7oL|}ptlwbrW1R)7UXu=SdaD*oU z5s5@(q7ap6L?;F@iA8MU5SMtwCjkjbL}HSVlw>3)1u02IYSNIFbfhN(8OcOuvXGT* zWG4qX$whARke7VqrvL>hL}7|hlwuU81SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw- zP?vhtrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k z#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu z1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{1SdJgY0hw# zbDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;* zzVMZAeCG#0`NePk@RxrCnB+eJ2}EFm5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIl zF^NTN;t-d3#3um>Nkn3jkd$O3Cj}`YE-8NHK|2y>QI+@)TaRrX+&e1 z(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob| z#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW z0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0Q zYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP z{_vN71eokU0SQE4f)JEo1SbR`2}Nka5SDO+Cjt?PL}a26m1smK1~G|6Y~m1?c*G|G z2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u2RX?_Zt{?qeB`G91t~;ficpkd z6sH6wDMe|@P?mC(rveqJL}jW_m1+= z(3WeG#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL?e*~D~KLH6u zV1f{oU<4-wAqhoj!Vs2lgeL+Ki9}?g5S3^|Ck8QzMQq{_mw3b{0SQS&Vv>-QWF#jA zDM>|Y(vX&Pq$dLz$wX$dkd00k*TVTw?cViczYB`HN|%21Ya zl&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF` z(3Ngq#cl3zmwVjj0S|e^W1jGo zXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%bmwyD9>OTPqL|}ptlwbrW1R)7U zXu=SdaD*oU5s5@(q7ap6L?;F@iA8MU5SMtwCjkjbL}HSVlw>3)1u02IYSNIFbfhN( z8OcOuvXGT*WG4qX$whARke7VqrvL>hL}7|hlwuU81SKg&Y06NRa+Ie66{$pJs!)|` zRHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk) z(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY z#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{ z1SdJgY0hw#bDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@md zcf98VANj;*zVMZAeCG#0`NePk@RxrCnC3qL2}EFm5R_m9Cj=o0MQFkhmT-h80uhNs zWTFt2XhbIlF^NTN;t-d3#3um>Nkn3jkd$O3Cj}`YE-8NHK|2y>QI+@ z)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_Q zFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+ z#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov z0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2 zZ+zzmKl#OP{_vN71eoqW0SQE4f)JEo1SbR`2}Nka5SDO+Cjt?PL}a26m1smK1~G|6 zY~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u2RX?_Zt{?qeB`G9 z1t~;ficpkd6sH6wDMe|@P?mC(rveqJL}jW_m1+=(3WeG#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL? ze*~D}KLH6uV1f{oU<4-wAqhoj!Vs2lgeL+Ki9}?g5S3^|Ck8QzMQq{_mw3b{0SQS& zVv>-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd00k*TVTw?cViczY zB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DE zw5J0d=|pF`(3Ngq#cl3zmwVjj z0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%bmwyD9=|2GpL|}pt zlwbrW1R)7UXu=SdaD*oU5s5@(q7ap6L?;F@iA8MU5SMtwCjkjbL}HSVlw>3)1u02I zYSNIFbfhN(8OcOuvXGT*WG4qX$whARke7VqrvL>hL}7|hlwuU81SKg&Y06NRa+Ie6 z6{$pJs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzw zbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18 zFqe7EX8{XY#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e z#9@wblw%y{1SdJgY0hw#bDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW z1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk@RxrCnB_kK2}EFm5R_m9Cj=o0MQFkh zmT-h80uhNsWTFt2XhbIlF^NTN;t-d3#3um>Nkn3jkd$O3Cj}`YE-8N zHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt z^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(N zu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D? z#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq18 z10VUsXTI>2Z+zzmKl#OP{_vN71eonV0SQE4f)JEo1SbR`2}Nka5SDO+Cjt?PL}a26 zm1smK1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u2RX?_ zZt{?qeB`G91t~;ficpkd6sH6wDMe|@P?mC(rveqJL}jW_m1+=(3WeG z#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K z2S546Z~pL?e*~E0KLH6uV1f{oU<4-wAqhoj!Vs2lgeL+Ki9}?g5S3^|Ck8QzMQq{_ zmw3b{0SQS&Vv>-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd00k*T zVTw?cViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY- zEont-+R&DEw5J0d=|pF`(3Ngq z#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%bmwyD9 z>puYrL|}ptlwbrW1R)7UXu=SdaD*oU5s5@(q7ap6L?;F@iA8MU5SMtwCjkjbL}HSV zlw>3)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX$whARke7VqrvL>hL}7|hlwuU81SKg& zY06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh z9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOh zOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M*~M=5 zu$O)8=Ku#e#9@wblw%y{1SdJgY0hw#bDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S z#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk@RxrCnCCwM2}EFm5R_m9 zCj=o0MQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3#3um>Nkn3jkd$O3Cj}`4oL$pR z^QBFCbCH`oMQr5Vj>K}%ZEnl`kh9qs8rM>^4&E_9_E-RVJ3deNIc^ravD8NfgW zF_<9?Wf;R5!AM3inlX%J9OIe5L?$trDNJP=)0x3cW-*&N%w-<)S-?UTv6v++Wf{v^ z!Ae%Knl-Ft9qZY^MmDjTEo@~Q+u6ZRcCnj1>}4POIlw^fMJ{ofD_rFo*SWz>ZgHDC+~pqkdB8&+@t7w({N*13=Ift;1R^j&2ud)56M~S0A~azLOE|(4frvyRGEs<1G@=uO zn8YGBafnMi;*)@cBqA|MNJ=u2lY*3_A~k79OFGh%fsAA#Gg-(=HnNk0oa7=mdB{sX z@>76<6rwOiC`vJkQ-YF|qBLbFOF7C@fr?b3GF7NbHL6pCn$)5;b*M`{>eGORG@>z0 zXi77h(}I??qBU)3OFP=rfsS;dGhOIPH@eeEMhTBSjsY%vx1eZVl``6%R1Jx zfsJfpGh5ioHny{ao$O*ad)Ui9_H%%P9O5uXILa}ObApqc;xuPC%Q?<-fs0(?GFQ0D zHLi1mo800yceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIRGhg`1H@@?OpZwxC zfB4Hk0xbAnfd3JYKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS` zd=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5 zMJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bK zw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}g zFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;8 z4tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfQ9-e zAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP z> z6Q1&n=e*!0uXxQH-tvz3eBdLW_{>it7{Lia zNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR z>B&GwGLe}qWF;Hf$w5wXk()f^B_H`IKtT#om?9LV7{w_;NlH=yOIp#IHngQ3?dd>AI?r62tnz(58um>~>h7{eLCNJcT5F^pv#;I&HLPVF>)F6YHnEv4Y-JnU*}+bBv70^YWgq)Fz(Edim?IqJ z7{@umNltN^Go0ld=efW|E^(PFT;&?qxxr0tahp5bz{xGA}~P+N-%;Gf{=tFG+_u!IKmTw zh(sbXQHV-3q7#Fd#3D9vh)X=;lYoRIA~8uwN-~m@f|R5pHEBpoI?|JYjASA+S;$H@ zvXg_HI4f|8V?G-W7DIm%Okid3R9Rj5ies#AlS)S@Q6^rAO?=u1EPGk}2% zVlYD($}omAf{~13G-DXcIL0%9iA-WLQ<%y$rZa|!^2*vmflbAW>!;xI=z$}x^}f|H!$G-o)= zInHx|i(KL|SGdYGu5*K%+~PKOxXV56^MHpu;xSKn$}^txf|tDFHE(#!JKpnwk9^`Y zU--&5zVm~h{Ngu%_{%>6EYUv!2}EFm5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIl zF^NTN;t-d3#3um>Nkn3jkd$O3Cj}`YE-8NHK|2y>QI+@)TaRrX+&e1 z(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob| z#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW z0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0Q zYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP z{_vN71X!wn0uqS81R*HF2u=t>5{l4-AuQntPXrvz-t?g_{pimC1~Q1j3}Gn47|sYrGK$fRVJzbq&jcni ziOEc1D$|(G3}!Nm+00=s^O(;97P5%NEMY0jSk4MovWnHLVJ+)e&jvQKiOpBomp*LRPYoogCyO7rDtpUhrl%y1;DMMMx zQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR# zLRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^!c?X)of*tz z7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZVWD}d&!dAAiogM6C7rWWRUiPt{ z103WKhdIJgj&Yn5oa7XzIm21bah?lYUG8z82R!5vk9opV zp7ER)yyO+HdBa=Y@tzNShfil%qTqs7NI$Q-!Kj zqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZS zhraZqKLZ%ZAO&aK$t-3whq=sSJ_}gL zA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLC zL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^ zkds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z z`NnsC@RMKs<_~}QM}U?3Cm?|cOb~(+jNpVIB%ugR7{U^c@I)XYk%&wbq7seh#2_ZI zh)o>g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>Y zjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J3 z7{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1x zo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj* z+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w z@{a(k^iMzn5ttwZB^bd8K}bRonlOYV9N~#TL?RKHC`2V1(TPD!ViB7-#3df_NkBpp zk(eYTB^k*{K}u4Qnlz*(9qGwHMlz9^EMz4c*~vjpa*>-nMQr5Vj>K}%ZEnl`kh z9qs8rM>^4&E_9_E-RVJ3deNIc^ravD8NfgWF_<9?Wf;R5!AM3inlX%J9OIe5L?$tr zDNJP=)0x3cW-*&N%w-<)S-?UTv6v++Wf{v^!Ae%Knl-Ft9qZY^MmDjTEo@~Q+u6ZR zcCnj1>}4POIlw^fMJ{ofD_rFo*SWz>ZgHDC+~pqk zdB8&+@t7w({N*13R_mXD1R^j& z2ud)56M~S0A~azLOE|(4frvyRGEs<1G@=uOn8YGBafnMi;*)@cBqA|MNJ=u2lY*3_ zA~k79OFGh%fsAA#Gg-(=HnNk0oa7=mdB{sX@>76<6rwOiC`vJkQ-YF|qBLbFOF7C@ zfr?b3GF7NbHL6pCn$)5;b*M`{>eGORG@>z0Xi77h(}I??qBU)3OFP=rfsS;dGhOIP zH@eeEMhTBSjsY%vx1eZVl``6%R1JxfsJfpGh5ioHny{ao$O*ad)Ui9_H%%P z9O5uXILa}ObApqc;xuPC%Q?<-fs0(?GFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L z^MaSW;x%u0%RAolfscIRGhg`1H@@?OpZwxCfB4Hk0<6(L0SQE4f)JEo1SbR`2}Nka z5SDO+Cjt?PL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MD zL}s#(m26}u2RX?_Zt{?qeB`G91t~;ficpkd6sH6wDMe|@P?mC(rveqJL}jW_m1+=(3WeG#AU83dBtnq@RoPH z=K~-4#Am+nm2Z6K2S546Z~pL?e*{>oe*zMSzyu*E!3a(WLK2G5gdr^92u}ne5{bw} zAu7>`P7Goai`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRC zi`?WPFZsw%0SZ!x!W5w>#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES z0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00uIM!3<$2 z!x+v8Mly=gjA1O}7|#SIGKtAdVJg#@&J1QUi`mR!F7uer0v57}#Vlbd%UI3|R~-sYydx(vhAFWF!-r$wF4Lk)0gmBp12KLtgTcp8^!5 z5QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A7 z7PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k z#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg z*}_(~v7H_4WEZ>H!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67 zkcNFV|egrEc?I3Wm0C_)p4u!JK#5r{}6A`^wEL?b#eh)FDB6Nk9OBR&a8NFoxG zgrp=RIVngTwNFfSSgrXFqI3*}a zDN0j@vXrAd6{tuhDpQ53RHHgIs7WnqQ-`|LqdpC2NFy54gr+p3IW1^OD_YZrwzQ)? z9q33WI@5)&bfY^x=t(bn(}%wFqdx-}$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVp zOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$- zvxmLxV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R7r4kJE^~#eT;n=7xXCSUbBDX!<30~~ z$Ri%}gr_{?IWKt0D_--4x4h#$ANa^8KJ$gIeB(Pm_{lGR^M}9uBftjz6OcdzCI~?Z zMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tm zN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5 zdeDAZhTiM2TcCeFO>}C&p*~fkkaF9bB z<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y8eQen zwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd7 z3}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZ zvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`v zBcJ%p7rye1@BH8=zxd4`{_>9ioAggW0uh)X1SJ^32|-9g5t=ZBB^=?2Ktv)DnJ7dh z8qtYCOkxq6IK(9$@ku~J5|NlBBqbTiNkK|dk(xB5B^~L>Kt?i=nJi=_8`;T0PI8f( zJme)G`6)m_3Q?FM6r~u&DM3j}QJON8r5xp{Kt(E1nJQGJ8r7*mO=?k_I@G0l&;S7f zv}oJ7edmrHQZ|o~VnByfeLAF0-aK~mIL+ghtZ&7T4r!XlZ=Rre!sbbvrx@O)q4fcr zS%829A}~StZ=+xYCj=o0MQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3#3um>Nkn3j zkd$O3Cj}`YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK z10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5c zX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-;JK4o< z_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xg zdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN7{1^ZK2uL6T6NI1y zBRC-lNhm@ShOmSqJQ0XUBq9@qs6-<=F^EYlViSkB#3MclNJt_QlZ2!sBRMHZNh(s4 zhP0$3JsHSICNh(StYjlQImk&aa+8O=lxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm z%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILm zbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q z$tzy-hPS-qJsKlsTne)EUF{Nuli|9=D|5P=CoP=XPh5QHQYp$S7+ z!V#VbL?jZCi9%GO5uF&sBo?uWLtNq!p9CZ%5s67cQj(FJ6r>~-sYydx(vhAFWF!-r z$wF4Lk)0gmBp12KLtgTcp8^!55QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJosp zq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQ zp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*E zQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^5QjO!QI2t(6P)A} zr#Zt}&T*a#T;vj$xx!Vhah)67P^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEt zG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8 zF`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf z!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJh2uUbH6Na#aBRmm^NF*W?g{VX$Ix&bzEMgOf zxWpqq2}npH5|f0aBqKQ~NJ%PElZLdUBRv_&NG39qg{)*FJ2}WnE^?EHyyPQ41t>@% z3R8rl6r(sLC`l}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw-V?7(#$R;+k zg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqabB42=<2)C*$R#dwg{xfSIybn< zEpBs%yWHbG4|vEU9`l5!JmWbpc*!eX^M<#)<2@hv$R|GYg|B?$J3sizFMjifzx*RW z5d9O7Km;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8& zNl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwg zl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH z(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8 z#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?T zM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfS~#(Ab|)>5P}kn z;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaPv8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0( zcY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh| z9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I z@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%VEQK@fe1_xf)b42gdilL2u&Em z5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q` zOct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22( zCbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad z{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GO zma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv< zIL#T(a*p#{;3Ai}%oVP3jqBXtCbziF9qw|E`#j(wk9f=zp7M<6yx=9Tc+DH$@{ad> z;3J>-%oo1$jqm*6C%^d3AO7->|33KtM?eA*m>>it7{LiaNJ0^sFoY!>;fX**A`zJ= zL?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wX zk()f^B_H`IKtT#om?9LV7{w_;NlH=yOIp#IHngQ3?dd>AI?r62tnz(58um>~>h z7{eLCNJcT5F^pv#;I& zHLPVF>)F6YHnEv4Y-JnU*}+bBv70^YWgq)Fz(Edim?IqJ7{@umNltN^Go0ld=efW| zE^(PFT;&?qxxr0tahp5b76< z6rwOiC`vJkQ-YF|qBLbFOF7C@fr?b3GF7NbHL6pCn$)5;b*M`{>eGORG@>z0Xi77h z(}I??qBU)3OFP=rfsS;dGhOIPH@eeEMhTBSjsY%vx1eZVl``6%R1JxfsJfp zGh5ioHny{ao$O*ad)Ui9_H%%P9O5uXILa}ObApqc;xuPC%Q?<-fs0(?GFQ0DHLi1m zo800yceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIRGhg`1H@@?OpZwxCfB4Hk z{u}K39{~wOV1f{oU<4-wAqhoj!Vs2lgeL+Ki9}?g5S3^|Ck8QzMQq{_mw3b{0SQS& zVv>-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd00k*TVTw?cViczY zB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DE zw5J0d=|pF`(3Ngq#cl3zmwVjj z0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%bmw)^>)cZdI5{SSA zAt=EJP6$F0iqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7P6|?z ziqxbbE$K*41~QU~%w!=e*~m@~a*~VODP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G z-RMpadeV#D^r0{P=+6KKGKj$pVJO2G&Im>_iqVW=EaMo@1ST?x$xLA?)0oZ-W-^P} z%waC`n9l+hvWUejVJXX4&I(qtiq))PE$dj%1~#&Z&1_*S+t|(ycCw4z>|rna*v|nD za)`qm;VA#7=pGgTQIHq_?i<^-ZQHhO+qP}nwr$(CZF{!nP@j-ncXE_t9OnclImKzt zaF%nN=K>eG#AU83dBtnq@RoPH=K~-4 z#Am+nm2Z6K2S546Z~pL?e+T{l5rBXMA}~P+N-%;Gf{=tFG+_u!IKmTwh(sbXQHV-3 zq7#Fd#3D9vh)X=;lYoRIA~8uwN-~m@f|R5pHEBpoI?|JYjASA+S;$H@vXg_HI4f|8V?G-W7DIm%Okid3R9Rj5ies#AlS)S@Q6^rAO?=u1EPGk}2%VlYD($}omA zf{~13G-DXcIL0%9iA-WLQ<%y$rZa|!^2*vmflbAW>!;xI=z$}x^}f|H!$G-o)=InHx|i(KL| zSGdYGu5*K%+~PKOxXV56^MHpu;xSKn$}^txf|tDFHE(#!JKpnwk9^`YU--&5zVm~h z{Ngu%_{+a%p8p6yKmrk%AOs~C!3jY~LJ^uUge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ z9`Q*)LK2afBqSvn$w@&^$tANeUjK?+fr zA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?#K}~8=n>y5`9`$KJLmJVTCN!lP&1peP zTG5&|w51*G=|D$1(U~rEr5oMpK~H+on?CfVAN?7?Kn5|GAq-_0!x_OyMlqT(jAb0- znZQIQF_|e$Wg63&!Axc`n>oy79`jkiLKd-@B`jqb%UQunR$y!A)*) zn>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5`M^g$@tH4teQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn* zBc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb z>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZ zc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_^jM_dfyCL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;i zX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y z(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0 zSG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}Q_rU)j0SHJS0uzLw1S2>h2uUbH6Na#a zBRmm^NF*W?g{VX$Ix&bzEMgOfxWpqq2}npH5|f0aBqKQ~NJ%PElZLdUBRv_&NG39q zg{)*FJ2}WnE^?EHyyPQ41t>@%3R8rl6r(sLC`l}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw< zEMqw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqa zbB42=<2)C*$R#dwg{xfSIybnTYtBoKiKLQsMcoDhU06rl-2Si%vW2t*_jk%>Z7 zq7j`K#3UB6i9=lC5uXGkBoT>8LQ;~EoD`%a6{$%>TGEl83}hq|naM&{vXPw}F`or2WD$#5!cvy8oE5BO6{}gp zTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7ZAR`P7Goai`c{= zF7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SZ!x z!W5w>#VAe*N>Yl_l%Xu;C{G0{Qi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;w zTGEQvw4p8SXio<^(uvM=p)1|!P7iw0i{A91Fa7Ax00uIM!3<$2!x+v8Mly=gjA1O} z7|#SIGKtAdVJg#@&J1QUi`mR!F7uer0v57}#Vlbd%UI3|RNkn3j zkd$O3Cj}`YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK z10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5c zX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-;JK4o< z_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xg zdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN7g?;}KfPe%dFhK}P zFoF|;kc1*MVF*h&!V`grL?SX#h)Oh~6N8wF-b^DGLn;ml%ygx zX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+OFr^bfPxgFFhwXzF^W@yl9Zw}WhhHI%2R=g zRH8Cfs7f`eQ-hk+qBeD?OFin-fQB@pF->SnGn&(amb9WZZD>n7+S7rKbfPm|=t?)b z(}SM$qBni$OF#NEfPoBRFhdy1ForXNk&I$AV;IXg#xsG5Oky%qn94M!GlQATVm5P_ z%RJ_@fQ2k#F-us=GM2M~m8@blYgo%V*0X_)Y+^H8*vdAxvxA-NVmEu(%RcsVfP)<3 zFh@AbF^+SBlbqr-XE@6_&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH; zm%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%fGVD{|G=p0uh)X1SJ^32|-9g5t=ZB zB^=?2Ktv)DnJ7dh8qtYCOkxq6IK(9$@ku~J5|NlBBqbTiNkK|dk(xB5B^~L>Kt?i= znJi=_8`;T0PI8f(Jme)G`6)m_3Q?FM6r~u&DM3j}QJON8r5xp{Kt(E1nJQGJ8r7*m zO=?k_I@F~e^=Uvu8qt_0G^H8MX+cX`(V8~2r5)|*Ku0>!nJ#pt8{O$aPkPatKJ=v@ z{TaYO1~Hf+3}qO@8NoS|UJKW_S_j$lW9`TqbJmneBdBICw@tQZhg5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvH zpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$ zjNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D? z8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH} zm$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl z{NN|Q_{|^w@~@=(KLQYtKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i z4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^K zLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7R zTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD z8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFR zlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYr z(ElF+2uL6T6NI1yBRC-lNhm@ShOmSqJQ0XUBq9@qs6-<=F^EYlViSkB#3MclNJt_Q zlZ2!sBRMHZNh(s4hP0$3JsHSICNh(StYjlQImk&aa+8O=lxi$tXrMhOvxeJQJA6BqlS3 zsZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uC zcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnE zc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{2S-^j{pQD5P=Co zP=XPh5QHQYp$S7+!V#VbL?jZCi9%GO5uF&sBo?uWLtNq!p9CZ%5s67cQj(FJ6r>~- zsYydx(vhAFWF!-r$wF4Lk)0gmBp12KLtgTcp8^!55QQm1QHoKV5|pGAr71&M%2A#Q zRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We! z(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT z!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^ z5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vhah)675{l4- zAuQntPXrvz-t?g_ z{pimC1~Q1j3}Gn47|sYrGK$fRVJzbq&jcniiOEc1D$|(G3}!Nm+00=s^O(;97P5%N zEMY0jSk4MovWnHLVJ+)e&jvQKiOp3)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX z$whARke7VqrvL>hL}7|hlwuU81SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vht zrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k#9)Rn zlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_ zYSyrpb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{1SdJgY0hw#bDZY_ z7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZA zeCG#0`NePk@RxsseE$)EfCM5iK?q7Pf)j#}gd#Ly2unD^6M=|CA~I2kN;IMqgP6o3 zHgSkcJmQmpgd`#{Nk~dEl9Pgzq#`wGNJ~1>lYxw6A~RXYN;a~SgPi0dH+jfQKJrt5 zf)t`KMJP%!ic^A;l%h0cC`&oYQ-O+9qB2#eN;RregPPQ$Hg%{=J?hhdhBTrvO=wCp zn$v=ow4ya_XiGcV(}9k3qBC9SN;kUGgP!!FH+|?!Kl(F(fed0WLm0|1hBJbZjAArn z7|S@uGl7XrVlq>h$~2}kgPF`?HglNEJm#~2g)Cw*OIXS>ma~GDtYS55Sj#%rvw@9l zVl!LV$~LyMgPrVRH+$I2KK65fgB;>8M>xtcj&p*OoZ>WRILkTCbAgLo;xbpb$~CTY zgPYvqHg~woJ?`^>hdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83H-Grc zzcJ4L2tYsr5ttwZB^bd8K}bRonlOYV9N~#TL?RKHC`2V1(TPD!ViB7-#3df_NkBpp zk(eYTB^k*{K}u4Qnlz*(9qGwHMlz9^EMz4c*~vjpa*>-nMQr5Vj>K}%ZEnl`kh z9qs8rM>^4&E_9_E-RVJ3deNIc^ravD8NfgWF_<9?Wf;R5!AM3inlX%J9OIe5L?$tr zDNJP=)0x3cW-*&N%w-<)S-?UTv6v++Wf{v^!Ae%Knl-Ft9qZY^MmDjTEo@~Q+u6ZR zcCnj1>}4POIlw^fMJ{ofD_rFo*SWz>ZgHDC+~pqk zdB8&+@t7w({N>*e?|%d!Ab|)> z5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n z=e*!0uXxQH-tvz3eBdLW_{25Ry=Y zCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`l zkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_ zb!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799 zed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J- zEM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5L zaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo z$9q2TkxzW)3t#!hcYg4bU;O3|fB9cL`6mDY2}EFm5R_m9Cj=o0MQFkhmT-h80uhNs zWTFt2XhbIlF^NTN;t-d3#3um>Nkn3jkd$O3Cj}`YE-8NHK|2y>QI+@ z)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_Q zFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+ z#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov z0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2 zZ+zzmKl#OP{_vOo#g~5q5RgCwCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9 z#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}H zMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@ zZg7)Z+~y83)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX$whARke7VqrvL>hL}7|hlwuU8 z1SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbsYueD3 zcC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(h zrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M z*~M=5u$O)8=Ku#e#9@wblw%y{1SdJgY0hw#bDZY_7rDe`u5guWT;~Qixy5bnaF=`B z=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk@R$E3lz##ckU#_` z2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0z zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;( zb6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QUn2P@009X^V1f{oU<4-wAqhoj z!Vs2lgeL+Ki9}?g5S3^|Ck8QzMQq{_mw3b{0SQS&Vv>-QWF#jADM>|Y(vX&Pq$dLz z$wX$dkd00k*TVTw?cViczYB`HN|%21Yal&1m}sYGR}P?c&_ zrv^2tMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3Ngq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-p zyypWS`NU_w@Re_T=LbLe#c%%bm;WV}e*zGYKm;ZTK?z21LJ*QrgeDAO2}gJ$5Rphk zCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+L zlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$V zeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UH zLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY} zaFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll> z#&>@3lVAMi4}bYz68R?p0SQE4f)JEo1SbR`2}Nka5SDO+Cjt?PL}a26m1smK1~G|6 zY~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u2RX?_Zt{?qeB`G9 z1t~;ficpkd6sH6wDMe|@P?mC(rveqJL}jW_m1+=(3WeG#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL? z|0R`w0uYcu1SSYU2}W>25Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHY zBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQh zP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXr zM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku z3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9n zUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X z9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB9cB`6mDY2}EFm z5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3#3um>Nkn3jkd$O3Cj}`< zMQYNJmUN^i0~yIgX0ni#Y-A?~ImtzC@{pH&YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^XS&dp zZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~ z<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I?B@Un zImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$@RVmf z=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vOoC6|8!5RgCwCI~?ZMsPw9l2C*u z3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdG zYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$? zl2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y83)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX z$whARke7VqrvL>hL}7|hlwuU81SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vht zrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k#9)Rn zlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_ zYSyrpb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{1SdJgY0hw#bDZY_ z7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZA zeCG#0`NePk@R$Fklz##ckU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KM zCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)W zkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUhdkmjPk72R zp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83H-GrcKLVxopTGnmD8UF$2tpEy(1al@ z;RsIzA`*$nL?J5Ch)xV*5{uZxAujQVPXZE>h{PlzDalAq3R04a)TALT=}1ooGLnhR zWFafr$W9J&l8fBrAusvJPXP)NKp_fKgrXFqI3*}aDN0j@vXrAd6{tuhDpQ53RHHgI zs7WnqQ-`|LqdpC2NFy54gr+p3IW1^OD_YZrwzQ)?9q33WI@5)&bfY^x=t(bn(}%wF zqdx-}$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZA zgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt$RQ4MgrgkeI43yC zDNb{Svz+5R|8aqfT;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH;m%QRNZ+Oc) z-t&QveBv`-_{ulF^MjxK;x~Wz%Rd68^Pj*3At=EJP6$F0iqM21Ea3=G1R@fN$V4G3 z(TGkAViJqk#33&6h))6%l8D44At}j7P6|?ziqxbbE$K*41~QU~%w!=e*~m@~a*~VO zlxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT} zhPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJpXZl zi(KL|SGdYGu5*K%+~PKOxXV56^MHpu;xSKn$}^txf|tDFHE(#!JKpnwk9^`YU--&5 zzVm~h{Ngu%_{%>6rT3q}1R*HF2u=t>5{l4-AuQntPXr}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw-V?7(#$R;+k zg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqabB42=<2?Uyfs0(?GFQ0DHLi1m zo800yceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIRGhg`1H@@?OpZwxCfB4Hk z0%h=@zyu*E!3a(WLK2G5gdr^92u}ne5{bw}Au7>`P7Goai`c{=F7b#@0uqvl#3Ugp z$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SXd8AqrE3q7hfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8 z=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%Y zhrR4$KL zhdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83H-GrcKLTa+pTGnmD8UF$ z2tpEy(1al@;RsIzA`*$nL?J5Ch)xV*5{uZxAujQVPXZE>h{PlzDalAq3R04a)TALT z=}1ooGLnhRWFafr$W9J&l8fBrAusvJPXP)NKp_fKgrXFqI3*}aDN0j@vXrAd6{tuh zDpQ53RHHgIs7WnqQ-`|LqdpC2NFy54gr+p3IW1^OD_YZrwzQ)?9q33WI@5)&bfY^x z=t(bn(}%wFqdx-}$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j% zV?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt$RQ4M zgrgkeI43yCDNb{Svz+5R|8aqfT;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH; zm%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%Rd5T@}Iy2At=EJP6$F0iqM21Ea3=G z1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7P6|?ziqxbbE$K*41~QU~%w!=e z*~m@~a*~VOlxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEA zV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~A zhO?aGJpXZli(KL|SGdYGu5*K%+~PKOxXV56^MHpu;xSKn$}^txf|tDFHE(#!JKpnw zk9^`YU--&5zVm~h{Ngu%_{%>6W%i%I1R*HF2u=t>5{l4-AuQntPXr}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw- zV?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqabB42=<2?Uyfs0(? zGFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIRGhg`1H@@?O zpZwxCfB4Hk0%h@^zyu*E!3a(WLK2G5gdr^92u}ne5{bw}Au7>`P7Goai`c{=F7b#@ z0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SXd8AqrE3 zq7hfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezA zTGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLhdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83H-GrcKLTa- zpTGnmD8UF$2tpEy(1al@;RsIzA`*$nL?J5Ch)xV*5{uZxAujQVPXZE>h{PlzDalAq z3R04a)TALT=}1ooGLnhRWFafr$W9J&l8fBrAusvJPXP)NKp_fKgrXFqI3*}aDN0j@ zvXrAd6{tuhDpQ53RHHgIs7WnqQ-`|LqdpC2NFy54gr+p3IW1^OD_YZrwzQ)?9q33W zI@5)&bfY^x=t(bn(}%wFqdx-}$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+AT zn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLx zV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R|8aqfT;eiUxXLxIbAy}Q;x>1<%RTP%fQLNd zF;95PGoJH;m%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%Rd5T^Pj*3At=EJP6$F0 ziqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7P6|?ziqxbbE$K*4 z1~QU~%w!=e*~m@~a*~VOlxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+a zSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD z<2WZc$tg~AhO?aGJpXZli(KL|SGdYGu5*K%+~PKOxXV56^MHpu;xSKn$}^txf|tDF zHE(#!JKpnwk9^`YU--&5zVm~h{Ngu%_{%>6W%r-J1R*HF2u=t>5{l4-AuQntPXr}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqabB42= z<2?Uyfs0(?GFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIR zGhg`1H@@?OpZwxCfB4Hk0_E_Zzyu*E!3a(WLK2G5gdr^92u}ne5{bw}Au7>`P7Goa zi`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw% z0SXd8AqrE3q7hfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$ zrZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLhdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83 zH-GrcKLX|SpTGnmD8UF$2tpEy(1al@;RsIzA`*$nL?J5Ch)xV*5{uZxAujQVPXZE> zh{PlzDalAq3R04a)TALT=}1ooGLnhRWFafr$W9J&l8fBrAusvJPXP)NKp_fKgrXFq zI3*}aDN0j@vXrAd6{tuhDpQ53RHHgIs7WnqQ-`|LqdpC2NFy54gr+p3IW1^OD_YZr zwzQ)?9q33WI@5)&bfY^x=t(bn(}%wFqdx-}$RGwYgrN*$I3pOzC`L1ev5aFp6PU;( zCNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+ z*vT$-vxmLxV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R|8aqfT;eiUxXLxIbAy}Q;x>1< z%RTP%fQLNdF;95PGoJH;m%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%Rd6;@}Iy2 zAt=EJP6$F0iqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7P6|?z ziqxbbE$K*41~QU~%w!=e*~m@~a*~VOlxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmON zW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L% zILILmbA+QD<2WZc$tg~AhO?aGJpXZli(KL|SGdYGu5*K%+~PKOxXV56^MHpu;xSKn z$}^txf|tDFHE(#!JKpnwk9^`YU--&5zVm~h{Ngu%_{%>6<@TSz1R*HF2u=t>5{l4- zAuQntPXr}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^ z7PEw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1A zILRqabB42=<2?Uyfs0(?GFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L^MaSW;x%u0 z%RAolfscIRGhg`1H@@?OpZwxCfB4Hk0_E|azyu*E!3a(WLK2G5gdr^92u}ne5{bw} zAu7>`P7Goai`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@AuHL)P7ZRC zi`?WPFZsw%0SXd8AqrE3q7hfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0G zJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@Y zR>(8$u4%YhrR4$KLhdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P z$~V6AgP;83H-GrcKLX|TpTGnmD8UF$2tpEy(1al@;RsIzA`*$nL?J5Ch)xV*5{uZx zAujQVPXZE>h{PlzDalAq3R04a)TALT=}1ooGLnhRWFafr$W9J&l8fBrAusvJPXP)N zKp_fKgrXFqI3*}aDN0j@vXrAd6{tuhDpQ53RHHgIs7WnqQ-`|LqdpC2NFy54gr+p3 zIW1^OD_YZrwzQ)?9q33WI@5)&bfY^x=t(bn(}%wFqdx-}$RGwYgrN*$I3pOzC`L1e zv5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#Ju zHnWATY-2k+*vT$-vxmLxV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R|8aqfT;eiUxXLxI zbAy}Q;x>1<%RTP%fQLNdF;95PGoJH;m%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz z%Rd6;^Pj*3At=EJP6$F0iqM21Ea3=G1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44 zAt}j7P6|?ziqxbbE$K*41~QU~%w!=e*~m@~a*~VOlxi$tXrMhOvxeJQJA6BqlS3 zsZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uC zcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJpXZli(KL|SGdYGu5*K%+~PKOxXV56 z^MHpu;xSKn$}^txf|tDFHE(#!JKpnwk9^`YU--&5zVm~h{Ngu%_{%>6<@cY!1R*HF z2u=t>5{l4-AuQntPXr}a>$Rs8+g{e$qIy0EbEM_x@ zxy)le3s}e^7PEw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f z4s(Q~9OF1AILRqabB42=<2?Uyfs0(?GFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L z^MaSW;x%u0%RAolfscIRGhg`1H@@?OpZwxCfB4Hk0u}I|zyu*E!3a(WLK2G5gdr^9 z2u}ne5{bw}Au7>`P7Goai`c{=F7b#@0uqvl#3Ugp$w*ELQj&_)q#-ToNKXbbl8MY@ zAuHL)P7ZRCi`?WPFZsw%0SXd8AqrE3q7hfil%qTqs7NI$Q-!KjqdGOH zNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZq zKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiR zr7UAPD_F@YR>(8$u4%YhrR4$KLhdkmjPk72Rp7Vm2yy7))c*{H9 z^MQ|i;xk|P$~V6AgP;83H-GrcKLQo>pTGnmD8UF$2tpEy(1al@;RsIzA`*$nL?J5C zh)xV*5{uZxAujQVPXZE>h{PlzDalAq3R04a)TALT=}1ooGLnhRWFafr$W9J&l8fBr zAusvJPXP)NKp_fKgrXFqI3*}aDN0j@vXrAd6{tuhDpQ53RHHgIs7WnqQ-`|LqdpC2 zNFy54gr+p3IW1^OD_YZrwzQ)?9q33WI@5)&bfY^x=t(bn(}%wFqdx-}$RGwYgrN*$ zI3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?G zwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R|8aqf zT;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH;m%QRNZ+Oc)-t&QveBv`-_{ulF z^MjxK;x~Wz%Rd4I_)lPh5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3 z#3um>Nkn3jkd$O3Cj}`QSEtG^7!YX+l$)(VP~v zq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^K zo(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww> zR<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJ zZgHDC+~pqkdB8&+@t7w({N*2k z3i(f9f)JEo1SbR`2}Nka5SDO+Cjt?PL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^S zBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u2RX?_Zt{?qeB`G91qq-Kg(*T&icy>rl%y1; zDMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-; zq!XR#LRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^!c?X) zof*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZVWD}d&!dAAiogM6C7rWWR zUiPt{103WKhdIJgj&Yn5oa7XzIm21bai0IUz(p=`nJZl78rQkOO>S|UJKW_S_j$lW z9`TqbJmneBdBICw@tQZh-QWF#jADM>|Y(vX&P zq$dLz$wX$dkd00jx45QQm1QHoKV5|pGAr71&M%2A#QRHPD> zsX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUj zq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Su zp9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^5QjO! zQI2t(6P)A}r#Zt}&T*dqxWGj&ahWSz$y!A)*)n>*a)9`|{`Lmu&%Cp_gD&w0U1 zUh$eYyyYG5`M^g$@tH4t3)1u02IYSNIFbfhN(8OcOuvXGT* zWG4qX$whARke7VqrvL>Bpb&*ALQ#rQoD!6z6s0LcS;|qK3RI*Lm8n8is!^R9)T9=* zsY6}rQJ)4hq!Ep2LQ|U2oEEgC6|HGQTiVf{4s@gwo#{eXy3w5;^rRQP=|f-o(Vqbf zWDtWH!cc}WoDqy<6r&l#SjI7)2~1=XlbOO)rZJrv%w!g`nZsP>F`or2WD$#5!cvy8 zoE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7ZARNkn3jkd$O3Cj}`QSEtG^7!Y zX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;M zWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{ zo(*hd6Pww>R<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJZgHDC+~pqkdB8&+@t7w({N*2kiuq4qf)JEo1SbR`2}Nka5SDO+Cjt?PL}a26m1smK1~G|6Y~m1?c*G|G z2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u2RX?_Zt{?qeB`G91qq-Kg(*T& zicy>rl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cS zX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxb zWD=8^!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZVWD}d&!dAAi zogM6C7rWWRUiPt{103WKhdIJgj&Yn5oa7XzIm21bai0IUz(p=`nJZl78rQkOO>S|U zJKW_S_j$lW9`TqbJmneBdBICw@tQZh-QWF#jA zDM>|Y(vX&Pq$dLz$wX$dkd00jx45QQm1QHoKV5|pGAr71&M z%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV z=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIA zWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5W zp937^5QjO!QI2t(6P)A}r#Zt}&T*dqxWGj&ahWSz$y!A)*)n>*a)9`|{`Lmu&% zCp_gD&w0U1Uh$eYyyYG5`M^g$@tH4t3)1u02IYSNIFbfhN( z8OcOuvXGT*WG4qX$whARke7VqrvL>Bpb&*ALQ#rQoD!6z6s0LcS;|qK3RI*Lm8n8i zs!^R9)T9=*sY6}rQJ)4hq!Ep2LQ|U2oEEgC6|HGQTiVf{4s@gwo#{eXy3w5;^rRQP z=|f-o(VqbfWDtWH!cc}WoDqy<6r&l#SjI7)2~1=XlbOO)rZJrv%w!g`nZsP>F`or2 zWD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7ZARNkn3jkd$O3Cj}`QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_4 z8NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mG zWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJZgHDC+~pqkdB8&+@t7w({N*2kO8HMrl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGzt zn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs} z8N*n{F`fxbWD=8^!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZV zWD}d&!dAAiogM6C7rWWRUiPt{103WKhdIJgj&Yn5oa7XzIm21bai0IUz(p=`nJZl7 z8rQkOO>S|UJKW_S_j$lW9`TqbJmneBdBICw@tQZh-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd00jx45QQm1QHoKV z5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB z+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1 znZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4 zWEZ>H!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*dq8K#FVAOHXWV7+YHwr$(CZQHhO z+qP}nw(Z(spRn^>;3Ai}%oVP3jqBXtCbziF9qw|E`#j(wk9f=zp7M<6yx=9Tc+DH$ z@{ad>;3J>-%oo1$jqm*6C%^d3AO7->0HysWAb|)>5P}kn;DjI~p$JVF!V-?~L?9xO zh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>Y zjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J3 z7{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1x zo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj* z+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w z@{a&z{U;!S2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+M zj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR z6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX& zJm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9i<@_fgfe1_x zf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}! zNKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRe zpdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+ zjqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$ z9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#R zhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0OkEBAb|)>5P}kn;DjI~p$JVF z!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3 zeBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvH zpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$ zjNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D? z8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH} zm$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl z{NN|Q_{|^w@{a%&{U;!S2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S` zpe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cq zj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZb zx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9i zmHa0lfe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQm zl9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~ zC`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Y zpd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_F zjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q z9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0G0hGAb|)>5P}kn z;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0 zuXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{ zs7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWO zU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3Ke zjODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd z8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?Z zpZLrdzVeOl{NN|Q_{|^w@{a&j{U;!S2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1 z=)@oeQenwWv)U>QayTG@v1k zXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}Gj zU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8= zzxd4`{_>9i)%+(Qfe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p> z_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrB zic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!e zXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~ zU?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet? zjqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0M-2` zAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP z> z6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV= zs#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob z=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKz zU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=q zjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR z8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a&D{U;!S2uu)y5{%%4AS9s(O&G!wj_^bv zB9Vwp6rvK1=)@oeQenwWv)U z>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG z7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@d zU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p z7rye1@BH8=zxd4`{_>9iwfrX_fe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6 zCb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp z{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800 zn$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A z7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^ zU?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3 zAO7->0JZ%mAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}Y zA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJOcIikjO3&s zC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;## zy3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD`%wQ(7 zn9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7 z;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA%oCpS zjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a&@{U;!S2uu)y5{%%4AS9s( zO&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ z`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s<}#1@EMOsv zSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkG zj`w`vBcJ%p7rye1@BH8=zxd4`{_>9i_53Fwfe1_xf)b42gdilL2u&Em5{~dhAR>{7 zOcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzg zC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk# z`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*Z zhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9Up zSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$ zjqm*6C%^d3AO7->0QLPRAb|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVh zO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g5|8*KAR&oJ zOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2 z_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmD zrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm z*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w z;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a%w{U;!S2uu)y z5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o z?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb>C9jzvzW~s z<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZc+3-?@{H%a z;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9ijr=Ddfe1_xf)b42gdilL2u&Em z5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q` zOct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22( zCbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad z{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GO zma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv< zIL#T(a*p#{;3Ai}%oVP3jqBXtCbziF9qw|E`#j(wk9f=zp7M<6yx=9Tc+DH$@{ad> z;3J>-%oo1$jqm*6C%^d3AO7->0FC`8Ab|)>5P}kn;DjI~p$JVF!V-?~L?9xOh)fis z5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW_{g z5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhU zC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S= z@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2 zwz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+ zxXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a&b z{U;!S2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn* zBc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb z>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZ zc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9i&HN`Ife1_xf)b42 zgdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2j zl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1 zOckn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcI zC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q z`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g; zj&h9SoZuv;3J>-%oo1$jqm*6C%^d3AO7->0L}d;Ab|)>5P}kn;DjI~p$JVF!V-?~ zL?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0uXxQH-tvz3eBdLW z_{g5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQD zOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6 zB%>J37{)S=@l0SMlbFmDrZSD`%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo z^=x1xo7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lo zu5yj*+~6j+xXm5za*z8w;31EA%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q z_{|^w@{a&5{U;!S2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3zn zO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)j zB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6 z?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9it^6k- zfe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(% zq#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4 zQjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2= zOc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A7|j^QGLG>~U?P*4%oL_Fjp@u_ zCbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^U?ZE@%oet?jqU7UC%f3q9`>@2 z{T$#Rhd9g;j&h9SoZuvW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxG zeC7*Z`NnsC@RMKs<_~}QN1(R;6PO?bB^bd8K}bRonlOYV9N~#TL?RKHC`2V1(TPD! zViB7-#3df_NkBppk(eYTB^k*{K}u4Qnlz*(9qGwHMlz9^EMz4c*~vjpa*>-nMQ zr5Vj>K}%ZEnl`kh9qs8rM>^4&E_9_E-RVJ3deNIc^ravD8NfgS7{p+PFqB~oX9Ob| z#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW z0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUH~ac`k5~OI+p( zSGmS@Zg7)Z+~y8Kt?i=nJi=_8`;T0PI8f(Jme)G`6)m_3Q?FM6r~u& zDM3j}QJON8r5xp{Kt(E1nJQGJ8r7*mO=?k_I@F~e^=Uvu8qt_0G^H8MX+cX`(V8~2 zr5)|*Ku0>!nJ#pt8{O$aPkPatKJ=v@{TaYO0vN<#hA@<23}*x*8O3PEFqUzQX95$M z#AK#0m1#_81~Zw(Z00bRdCX@43t7Zsmavp%EN2BPS;cDBu$FbKX9FAA#Addzm2GTi z2RqrtZuYR3eeCA|2RX!Hj&PJ?9OnclImKztaF%oY$9XPrkxN|W3Rk(tb#8EzTioUj zce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8qC_Wl!? zAOs~C!3jY~LJ^uUge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*)LK2afBqSvn$w@&< zQjwZ8q$M5c$v{Rjk(n%HB^%kvK~8d!n>^$tANeUjK?+frA{3<<#VJ8aN>Q3Jl%*Wy zsX#?4QJE@Kr5e?#K}~8=n>y5`9`$KJLmJVTCN!lP&1pePTG5&|w51*G=|D$1(U~rE zr5oMpK~H+on?CfVAN?7?Kmr)VV1_W1VGL&kBN@eL#xRy~jAsH9nZ#tKFqLUcX9hEw z#cbv#&>@3lVAMi4}bYbpbq{Mm>>it7{LiaNJ0^s zFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&Gw zGLe}qWF;Hf$w5wXk()f^B_H`IKtT#om?9LV7{w_;NlH=yOIp#IHngQ3?dd>AI? zr62tnz(4{R#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY z#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{ z1SdJgY0hw#bNt77E^v`cT;>W_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8 zZ+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QN1%@W6PO?bB^bd8K}bRonlOYV9N~#TL?RKH zC`2V1(TPD!ViB7-#3df_NkBppk(eYTB^k*{K}u4Qnlz*(9qGwHMlz9^EMz4c*~vjp za*>-nMQr5Vj>K}%ZEnl`kh9qs8rM>^4&E_9_E-RVJ3deNIc^ravD8NfgS7{p+P zFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+ z#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUH~a zc`k5~OI+p(SGmS@Zg7)Z+~y8Kt?i=nJi=_8`;T0PI8f(Jme)G`6)m_ z3Q?FM6r~u&DM3j}QJON8r5xp{Kt(E1nJQGJ8r7*mO=?k_I@F~e^=Uvu8qt_0G^H8M zX+cX`(V8~2r5)|*Ku0>!nJ#pt8{O$aPkPatKJ=v@{TaYO0vN<#hA@<23}*x*8O3PE zFqUzQX95$M#AK#0m1#_81~Zw(Z00bRdCX@43t7Zsmavp%EN2BPS;cDBu$FbKX9FAA z#Addzm2GTi2RqrtZuYR3eeCA|2RX!Hj&PJ?9OnclImKztaF%oY$9XPrkxN|W3Rk(t zb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3| zfB8qC&i)gaAOs~C!3jY~LJ^uUge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*)LK2af zBqSvn$w@&^$tANeUjK?+frA{3<<#VJ8a zN>Q3Jl%*WysX#?4QJE@Kr5e?#K}~8=n>y5`9`$KJLmJVTCN!lP&1pePTG5&|w51*G z=|D$1(U~rEr5oMpK~H+on?CfVAN?7?Kmr)VV1_W1VGL&kBN@eL#xRy~jAsH9nZ#tK zFqLUcX9hEw#cbv#&>@3lVAMi4}bYbpf3Ism>>it z7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`68OcdON>Y)U zG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H`IKtT#om?9LV7{w_;NlH=yOIp#IHngQ3?dd>AI?r62tnz(4{R#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18 zFqe7EX8{XY#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e z#9@wblw%y{1SdJgY0hw#bNt77E^v`cT;>W_xyE&FaFbiy<_>qc$9*2~kVib`2~T;( zb6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QN1(3$6PO?bB^bd8K}bRonlOYV z9N~#TL?RKHC`2V1(TPD!ViB7-#3df_NkBppk(eYTB^k*{K}u4Qnlz*(9qGwHMlz9^ zEMz4c*~vjpa*>-nMQr5Vj>K}%ZEnl`kh9qs8rM>^4&E_9_E-RVJ3deNIc^ravD z8NfgS7{p+PFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(N zu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D? z#c9rPmUH~ac`k5~OI+p(SGmS@Zg7)Z+~y8Kt?i=nJi=_8`;T0PI8f( zJme)G`6)m_3Q?FM6r~u&DM3j}QJON8r5xp{Kt(E1nJQGJ8r7*mO=?k_I@F~e^=Uvu z8qt_0G^H8MX+cX`(V8~2r5)|*Ku0>!nJ#pt8{O$aPkPatKJ=v@{TaYO0vN<#hA@<2 z3}*x*8O3PEFqUzQX95$M#AK#0m1#_81~Zw(Z00bRdCX@43t7Zsmavp%EN2BPS;cDB zu$FbKX9FAA#Addzm2GTi2RqrtZuYR3eeCA|2RX!Hj&PJ?9OnclImKztaF%oY$9XPr zkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!h zcYg4bU;O3|fB8qC?*0>)AOs~C!3jY~LJ^uUge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ z9`Q*)LK2afBqSvn$w@&^$tANeUjK?+fr zA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?#K}~8=n>y5`9`$KJLmJVTCN!lP&1peP zTG5&|w51*G=|D$1(U~rEr5oMpK~H+on?CfVAN?7?Kmr)VV1_W1VGL&kBN@eL#xRy~ zjAsH9nZ#tKFqLUcX9hEw#cbv#&>@3lVAMi4}bYb zpdS7cm>>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8ofKtd9cm?R`6 z8OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H`IKtT#om?9LV7{w_;NlH=yOIp#IHngQ3?dd>A zI?r62tnz(4{R#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOh zOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M*~M=5 zu$O)8=Ku#e#9@wblw%y{1SdJgY0hw#bNt77E^v`cT;>W_xyE&FaFbiy<_>qc$9*2~ zkVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QN1&em6PO?bB^bd8 zK}bRonlOYV9N~#TL?RKHC`2V1(TPD!ViB7-#3df_NkBppk(eYTB^k*{K}u4Qnlz*( z9qGwHMlz9^EMz4c*~vjpa*>-nMQr5Vj>K}%ZEnl`kh9qs8rM>^4&E_9_E-RVJ3 zdeNIc^ravD8NfgS7{p+PFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe z%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU( zaFk;l=L9D?#c9rPmUH~ac`k5~OI+p(SGmS@Zg7)Z+~y8Kt?i=nJi=_ z8`;T0PI8f(Jme)G`6)m_3Q?FM6r~u&DM3j}QJON8r5xp{Kt(E1nJQGJ8r7*mO=?k_ zI@F~e^=Uvu8qt_0G^H8MX+cX`(V8~2r5)|*Ku0>!nJ#pt8{O$aPkPatKJ=v@{TaYO z0vN<#hA@<23}*x*8O3PEFqUzQX95$M#AK#0m1#_81~Zw(Z00bRdCX@43t7Zsmavp% zEN2BPS;cDBu$FbKX9FAA#Addzm2GTi2RqrtZuYR3eeCA|2RX!Hj&PJ?9OnclImKzt zaF%oY$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2T zkxzW)3t#!hcYg4bU;O3|fB8qC-u@GqAOs~C!3jY~LJ^uUge4r|i9kdm5t%4NB^uF* zK}=#1n>fTJ9`Q*)LK2afBqSvn$w@&^$t zANeUjK?+frA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?#K}~8=n>y5`9`$KJLmJVT zCN!lP&1pePTG5&|w51*G=|D$1(U~rEr5oMpK~H+on?CfVAN?7?Kmr)VV1_W1VGL&k zBN@eL#xRy~jAsH9nZ#tKFqLUcX9hEw#cbv#&>@3 zlVAMi4}bYbpg#T+m>>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a5t}%~B_8of zKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H`IKtT#om?9LV z7{w_;NlH=yOIp#I zHngQ3?dd>AI?r62tnz(4{R#9)Rnlwk~K1S1*6XvQ#>ag1jI z6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3L zY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{1SdJgY0hw#bNt77E^v`cT;>W_xyE&FaFbiy z<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QN1(p` z6PO?bB^bd8K}bRonlOYV9N~#TL?RKHC`2V1(TPD!ViB7-#3df_NkBppk(eYTB^k*{ zK}u4Qnlz*(9qGwHMlz9^EMz4c*~vjpa*>-nMQr5Vj>K}%ZEnl`kh9qs8rM>^4& zE_9_E-RVJ3deNIc^ravD8NfgS7{p+PFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZ zGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I z?B@UnImBU(aFk;l=L9D?#c9rPmUH~ac`k5~OI+p(SGmS@Zg7)Z+~y8 zKt?i=nJi=_8`;T0PI8f(Jme)G`6)m_3Q?FM6r~u&DM3j}QJON8r5xp{Kt(E1nJQGJ z8r7*mO=?k_I@F~e^=Uvu8qt_0G^H8MX+cX`(V8~2r5)|*Ku0>!nJ#pt8{O$aPkPat zKJ=v@{TaYO0vN<#hA@<23}*x*8O3PEFqUzQX95$M#AK#0m1#_81~Zw(Z00bRdCX@4 z3t7Zsmavp%EN2BPS;cDBu$FbKX9FAA#Addzm2GTi2RqrtZuYR3eeCA|2RX!Hj&PJ? z9OnclImKztaF%oY$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=& z<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8qC{{9n~AOs~C!3jY~LJ^uUge4r|i9kdm z5t%4NB^uF*K}=#1n>fTJ9`Q*)LK2afBqSvn$w@&^$tANeUjK?+frA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?#K}~8=n>y5` z9`$KJLmJVTCN!lP&1pePTG5&|w51*G=|D$1(U~rEr5oMpK~H+on?CfVAN?7?Kmr)V zV1_W1VGL&kBN@eL#xRy~jAsH9nZ#tKFqLUcX9hEw#cbv#&>@3lVAMi4}bYbpaK39m>>it7{LiaNJ0^sFoY!>;fX**A`zJ=L?s&0i9t+a z5t}%~B_8ofKtd9cm?R`68OcdON>Y)UG^8aR>B&GwGLe}qWF;Hf$w5wXk()f^B_H`I zKtT#om?9LV7{w_;NlH=yOIp#IHngQ3?dd>AI?r62tnz(4{R#9)Rnlwk~K1S1*6 zXvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_YSyrpb*yIt z8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{1SdJgY0hw#bNt77E^v`cT;>W_ zxyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs z<_~}QN1%cJ6PO?bB^bd8K}bRonlOYV9N~#TL?RKHC`2V1(TPD!ViB7-#3df_NkBpp zk(eYTB^k*{K}u4Qnlz*(9qGwHMlz9^EMz4c*~vjpa*>-nMQr5Vj>K}%ZEnl`kh z9qs8rM>^4&E_9_E-RVJ3deNIc^ravD8NfgS7{p+PFqB~oX9Ob|#c0MbmT`<{0u!0U zWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-; zJK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUH~ac`k5~OI+p(SGmS@Zg7)Z+~y8< zxyOAT@Q_D5<_S-E#&cfql2^Ru4R3kJdp_`yPkiPJU-`y&e(;lD{N@jT`A47t{|QVG zf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQml9G(%q#z}! zNKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~C`}p4QjYRe zpdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+ zjqdcIC%x!RANtad{tRFs0Ssa=Lm0|1hBJbZjAArn7|S@uGl7XrVlq>h$~2}kgPF`? zHglNEJm#~2g)Cw*OIXS>ma~GDtYS55Sj#%rvw@9lVl!LV$~LyMgPrVRH+$I2KK65f zgB;>8M>xtcj&p*OoZ>WRILkTy<2)C*$R#dwg{xfSIybnA@ASSVhO&sD9kN6}YA&E##5|WaPg5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvH zpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWOU?2euVlYD( z$}omAf{~13G-DXcIL0%9iA-WLQ<%y$rZa|!^2*vmflbAW>!;xI=z$}x^}f|H!$G-o)=IsW53 z7r4kJE^~#eT;n=7xXCSUbBDX!<30~~$Ri%}gr_{?IWKt0D_--4x4h#$ANa^8KJ$gI zeB(Pm_{lGR^M}9uBhV242}}@z5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S` zpe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7Gu3}P@t7|Jk)GlG$fVl-nI z%Q(g}fr(6FGEEMhTBSjsY%vx1eZVl``6%R1JxfsJfp zGh5ioHny{ao$O*ad)Ui9_H%%P9O5uXILa}ObApqc;xuPC%Q^nzJQujgB`$M?t6bwc zH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF z{3Fm%{|QVGf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p>_#_}9iAYQm zl9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrBic*Z?l%OP~ zC`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!eXiXd1(vJ3Y zpd+2=Oc%P+jqdcIC%x!RANtad{tRFs0Ssa=Lm0|1hBJbZjAArn7|S@uGl7XrVlq>h z$~2}kgPF`?HglNEJm#~2g)Cw*OIXS>ma~GDtYS55Sj#%rvw@9lVl!LV$~LyMgPrVR zH+$I2KK65fgB;>8M>xtcj&p*OoZ>WRILkTy<2)C*$R#dwg{xfSIybnA@ASSVhO&sD9kN6}YA&E##5|WaPg5|8*KAR&oJOcIikjO3&sC8HNAm8eV=s#1;W)SxD{ zs7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob=uIE`(vSWO zU?2euVlYD($}omAf{~13G-DXcIL0%9iA-WLQ<%y$rZa|!^2*vmflbAW>!;xI=z$}x^}f|H!$ zG-o)=IsW537r4kJE^~#eT;n=7xXCSUbBDX!<30~~$Ri%}gr_{?IWKt0D_--4x4h#$ zANa^8KJ$gIeB(Pm_{lGR^M}9uBhU!{2}}@z5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1 z=)@oeQenwWv)U>QayTG@v1k zXiO8D(v0S`pe3znO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7Gu3}P@t7|Jk) zGlG$fVl-nI%Q(g}fr(6FGEEMhTBSjsY%vx1eZVl``6 z%R1JxfsJfpGh5ioHny{ao$O*ad)Ui9_H%%P9O5uXILa}ObApqc;xuPC%Q^nzJQujg zB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJs zKlsTne)EUF{3Fmv{|QVGf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6Cb5W39O4p> z_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp{1l)dg(yrB zic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800n$nEsw4f!e zXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFs0Ssa=Lm0|1hBJbZjAArn7|S@u zGl7XrVlq>h$~2}kgPF`?HglNEJm#~2g)Cw*OIXS>ma~GDtYS55Sj#%rvw@9lVl!LV z$~LyMgPrVRH+$I2KK65fgB;>8M>xtcj&p*OoZ>WRILkTy<2)C*$R#dwg{xfSIybn< zEpBs%yWHbG4|vEU9`l5!JmWbpc*!eX^M<#)<2@hv$R|GYg|B?$J3sizFMjifzx*T6 zDE|pe5P}kn;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP zg5|8*KAR&oJOcIikjO3&sC8HNAm8eV= zs#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{lo#;##y3&pA^q?ob z=uIE`(vSWOU?2euVlYD($}omAf{~13G-DXcIL0%9iA-WLQ<%y$rZa|!^2*vmflbAW>!;xI=z z$}x^}f|H!$G-o)=IsRvu9=3o0004mXvTfV8ZQHhO+qP}nwr$(CYlnTp&T*a#T;vj$ zxx!Vhah)67Z7q7j`K#3UB6i9=lC z5uXGkBoT>8LQ;~EoD`%a6{$%>TGEl83}hq|naM&{vXPw}F`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuv zwy~WZ>|__a*~4D;v7ZARP^DMC?-QJfN#q!gto zLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R z6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV z8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D z_OYJ>9OMv(Il@tnahwyJBomp*LRPYoogCyO7rDtpUhrl%y1;DMMMxQJxA^q!N{> zLRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb0 z7rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^!c?X)of*tz7PFbdT;?&K z1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZVWD}d&!dAAiogM6C7rWWRUiPt{103WKhdIJg zj&Yn5oa7XzIm21bah?lYUG8z82R!5vk9opVp7ER)yyO+H zdBa=Y@tzNS~-sYydx(vhAFWF!-r$wF4L zk)0gmBp12KLtgTcp8^!55QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQ zLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH z5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot z6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^5QjO!QI2t(6P)A}r#Zt} z&T*a#T;vj$xx!Vhah)67Z7q7j`K z#3UB6i9=lC5uXGkBoT>8LQ;~EoD`%a6{$%>TGEl83}hq|naM&{vXPw}F`or2WD$#5!cvy8oE5BO6{}gpTGp|i z4Qyl+o7uuvwy~WZ>|__a*~4D;v7ZARP^DMC?- zQJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1c zLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W83 z5|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O7 z9qeQmyV=8D_OYJ>9OMv(Il@tnahwyJBomp*LRPYoogCyO7rDtpUhrl%y1;DMMMx zQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR# zLRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^!c?X)of*tz z7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZVWD}d&!dAAiogM6C7rWWRUiPt{ z103WKhdIJgj&Yn5oa7XzIm21bah?lYUG8z82R!5vk9opV zp7ER)yyO+HdBa=Y@tzNS~-sYydx(vhAF zWF!-r$wF4Lk)0gmBp12KLtgTcp8^!55QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q% zQJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#E zLtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r z5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^5QjO!QI2t( z6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67Z7q7j`K#3UB6i9=lC5uXGkBoT>8LQ;~EoD`%a6{$%>TGEl83}hq|naM&{vXPw} zF`or2WD$#5!cvy8oE5BO z6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7ZARP^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$) z(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r z!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd z6Pww>R<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJBomp*LRPYoogCyO7rDtpUhr zl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu z(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^ z!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZVWD}d&!dAAiogM6C z7rWWRUiPt{103WKhdIJgj&Yn5oa7XzIm21bah?lYUG8z8 z2R!5vk9opVp7ER)yyO+HdBa=Y@tzNS~- zsYydx(vhAFWF!-r$wF4Lk)0gmBp12KLtgTcp8^!55QQm1QHoKV5|pGAr71&M%2A#Q zRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We! z(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT z!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^ z5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67Z7q7j`K#3UB6i9=lC5uXGkBoT>8LQ;~EoD`%a6{$%>TGEl83}hq| znaM&{vXPw}F`or2WD$#5 z!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7ZARP^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEt zG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8 zF`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf z!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJBomp*LRPYoogCyO7rDtpUhrl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esV zw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{ zF`fxbWD=8^!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZVWD}d& z!dAAiogM6C7rWWRUiPt{103WKhdIJgj&Yn5oa7XzIm21bah?lYUG8z82R!5vk9opVp7ER)yyO+HdBa=Y@tzNS~-sYydx(vhAFWF!-r$wF4Lk)0gmBp12KLtgTcp8^!55QQm1QHoKV5|pGA zr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4 zbfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2 zF`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H z!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67Z7q7j`K#3UB6i9=lC5uXGkBoT>8LQ;~EoD`%a6{$%> zTGEl83}hq|naM&{vXPw} zF`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D;v7ZARP^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~ zwW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O z3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75 zv78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJBomp*LRPYoogCyO7rDtp zUhrl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA* zjcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SsgigBik5hB2HG zjARs}8N*n{F`fxbWD=8^!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^ zv7QZVWD}d&!dAAiogM6C7rWWRUiPt{103WKhdIJgj&Yn5oa7XzIm21bah?lYUG8z82R!5vk9opVp7ER)yyO+HdBa=Y@tzNS~-sYydx(vhAFWF!-r$wF4Lk)0gmBp12KLtgTcp8^!55QQm1 zQHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=l zt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4= zOk@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)qY-AIg*}_(~ zv7H_4WEZ>H!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vhah)67Z7q7j`K#3UB6i9=lC5uXGkBoT>8LQ;~E zoD`%a6{$%>TGEl83}hq|naM&{vXPw}F`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D; zv7ZARP^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb! zRjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLa zz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfI zEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ>9OMv(Il@tn zahwyJBomp*LRPYo zogCyO7rDtpUhrl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBE zUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX0Ssgi zgBik5hB2HGjARs}8N*n{F`fxbWD=8^!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ma&`_ ztYj6dS;Jb^v7QZVWD}d&!dAAiogM6C7rWWRUiPt{103WKhdIJgj&Yn5oa7XzIm21b zah?lYUG8z82R!5vk9opVp7ER)yyO+HdBa=Y@tzNS~-sYydx(vhAFWF!-r$wF4Lk)0gmBp12KLtgTc zp8^!55QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg= zQ<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLM zqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)q zY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a#T;vj$xx!Vh zah)67Z7q7j`K#3UB6i9=lC5uXGk zBoT>8LQ;~EoD`%a6{$%>TGEl83}hq|naM&{vXPw}F`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ z>|__a*~4D;v7ZARP^DMC?-QJfN#q!gtoLs`mE zo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@Wo zSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rB zvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQmyV=8D_OYJ> z9OMv(Il@tnahwyJ zBomp*LRPYoogCyO7rDtpUhrl%y1;DMMMxQJxA^q!N{>LRG3! zof_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62 zU;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^!c?X)of*tz7PFbdT;?&K1uSF{ zi&?@_ma&`_tYj6dS;Jb^v7QZVWD}d&!dAAiogM6C7rWWRUiPt{103WKhdIJgj&Yn5 zoa7XzIm21bah?lYUG8z82R!5vk9opVp7ER)yyO+HdBa=Y z@tzNS~-sYydx(vhAFWF!-r$wF4Lk)0gm zBp12KLtgTcp8^!55QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}o zp9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=Q zP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_x zt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^5QjO!QI2t(6P)A}r#Zt}&T*a# zT;vj$xx!Vhah)67Z7q7j`K#3UB6 zi9=lC5uXGkBoT>8LQ;~EoD`%a6{$%>TGEl83}hq|naM&{vXPw}F`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+ zo7uuvwy~WZ>|__a*~4D;v7ZARP^DMC?-QJfN# zq!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO> zo(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2 zRHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd6Pww>R<^O79qeQm zyV=8D_OYJ>9OMv(Il@tnahwyJBomp*LRPYoogCyO7rDtpUhrl%y1;DMMMxQJxA^ zq!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%c zogVb07rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^!c?X)of*tz7PFbd zT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZVWD}d&!dAAiogM6C7rWWRUiPt{103WK zhdIJgj&Yn5oa7XzIm21bah?lYUG8z82R!5vk9opVp7ER) zyyO+HdBa=Y@tzNS~-sYydx(vhAFWF!-r z$wF4Lk)0gmBp12KLtgTcp8^!55QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJosp zq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQ zp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*E zQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^5QjO!QI2t(6P)A} zr#Zvf{|wVZwipNi0Ih2uUbH6Na#aBRmm^NF*W?g{VX$Ix&bzEMgOfxWpqq2}npH5|f0a zBqKQ~NJ%PElZLdUBRv_&NG39qg{)*FJ2}WnE^?EHyyPQ41t>@%3R8rl6r(sLC`l}a>$Rs8+g{e$q zIy0EbEM_x@xy)le3s}e^7PEw-V?7%PU?ZE@%oet?jqU7UC%f3q z9`>@2{T$#Rhd9g;j&h9SoZuvhfil%qTqs7NI$ zQ-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5 zNiTZShraZqKLZ%ZAO&aK$t-3whq=sS zJ_}gLA{MiRr7UAPD_F@YRTwNFfSSgrXFqI3*}aDN0j@vXrAd6{tuhDpQ53RHHgIs7Wnq zQ-`|LqdpC2NFy54gr+p3IW1^OD_YZrwzQ)?9q33WI@5)&bfY^x=t(bn(}%wFqdx-} z$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKF zIV)JnDps?GwX9=38wg+{o7l`2wz7@w>|iIm*v%gHvXA{7;2?)M%n^=qjN_c(B&Rsd z8P4(_=Qz&=E^>*>T;VF$xXul3a*NyC;V$>M&jTLvh{rtPDbIM$3tsYy*Sz5^?|9D# zKJtmreBmqK_|6Z0@{8a6;V=IPw84J@6NI1yBRC-lNhm@ShOmSqJQ0XUBq9@qs6-<= zF^EYlViSkB#3MclNJt_QlZ2!sBRMHZNh(s4hP0$3JsHSICNh(StYjlQImk&aa+8O= zlxi z$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9? zJsSvMBb(UF7PhjD?d)JDyV%Vh_Og%t9N-{_ILr}_a*X4g;3TIw%^A+}ALlsF1uk-l z%Ut0q*SO9NZgPv;+~F?wxX%L~@`%Sg;VI8}&I?}hir2j1E$?{G2R`zN&wSx4-}ufC ze)5ao{NXSE2o&HyfeAuTf)Sh$gd`N92}4-I5uOM{BodK{LR6v=ofyO<7O{y#T;dU* z1SBL8iAh3Il98Mgq$CxoNkdxFk)8}>Bomp*LRPYoogCyO7rDtpUhrl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cS zX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxb zWD=8^!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QYCu#rt{W(!-{ z#&&kFlU?j)4}00iehzSuLmcJ^M>)oEPH>V_oaPK?`Hyp)=K>eG#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL?e+1g- zKY~-sYydx(vhAFWF!-r$wF4Lk)0gmBp12KLtgTcp8^!55QQm1QHoKV5|pGAr71&M z%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV z=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIA zWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)q1hA1!Y-S5v*~WHuu#;WvW)FMW z$9@iQkV72i2uC@_aZYfOQ=H}uXZeqFoaX`;xx{6zaFuIZ=LR>q#cl3zmwVjj0S|e^ zW1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%bmwyD>Z7q7j`K#3UB6i9=lC5uXGkBoT>8LQ;~EoD`%a6{$%>TGEl8 z3}hq|naM&{vXPw}F`or2 zWD$#5!cvy8oE5BO6{}gpTGp|i4Fs@}O>AZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ z#&J$?l2e@K3}^X|bDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEU zYu@mdcf98VANj;*zVMZAeCG#0`NePk@RxrC+U!4p2|`eU5u6Z&Bov_uLs-HQo(M!F z5|N2QRH6}`7{nwNv57-m;t`(&BqR}uNkUSRk(?ByBo(PiLt4_2o(yCp6Pd|ERP^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0 z>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_4 z8NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mG zWEHDf!&=s{o(%-Bkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u@~ zk8_;o0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUs zXTI>2Z+zzmKl#OP{_vN71lr<1feAuTf)Sh$gd`N92}4-I5uOM{BodK{LR6v=ofyO< z7O{y#T;dU*1SBL8iAh3Il98Mgq$CxoNkdxFk)8}>Bomp*LRPYoogCyO7rDtpUhrl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGzt zn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs} z8N*n{F`fxbWD=8^!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QYC zu#rt{W(!-{#&&kFlU?j)4}00iehzSuLmcJ^M>)oEPH>V_oaPK?`Hyp)=K>eG#AU8< zm1|t*1~<9IZSHWFd)(&%4|&96p74}sJm&>3dBtnq@RoPH=K~-4#Am+nm2Z6K2S546 zZ~pL?e+1g~-sYydx(vhAFWF!-r$wF4Lk)0gmBp12KLtgTcp8^!55QQm1QHoKV z5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB z+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1 znZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)q1hA1!Y-S5v*~WHu zu#;WvW)FMW$9@iQkV72i2uC@_aZYfOQ=H}uXZeqFoaX`;xx{6zaFuIZ=LR>q#cl3z zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%bmwyD>=0AZ6 zLQsMcoDhU06rl-2Si%vW2t*_jk%>Z7q7j`K#3UB6i9=lC5uXGkBoT>8LQ;~EoD`%a z6{$%>TGEl83}hq|naM&{vXPw}F`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Fs@}O>AZhTiM2TcCeFO>}C&p*~fkk zaF9bB<_JeQ#&J$?l2e@K3}^X|bDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZD zlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk@RxrC+U`Gr2|`eU5u6Z&Bov_u zLs-HQo(M!F5|N2QRH6}`7{nwNv57-m;t`(&BqR}uNkUSRk(?ByBo(PiLt4_2o(yCp z6Pd|ERP^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^) z8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?= z`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUj zS;A75v78mGWEHDf!&=s{o(%-Bkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5L zaFSD;<_u@~k8_;o0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1 zmUq1810VUsXTI>2Z+zzmKl#OP{_vN71lr+0feAuTf)Sh$gd`N92}4-I5uOM{BodK{ zLR6v=ofyO<7O{y#T;dU*1SBL8iAh3Il98Mgq$CxoNkdxFk)8}>Bomp*LRPYoogCyO z7rDtpUhrl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv z1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SsgigBik5 zhB2HGjARs}8N*n{F`fxbWD=8^!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6d zS;Jb^v7QYCu#rt{W(!-{#&&kFlU?j)4}00iehzSuLmcJ^M>)oEPH>V_oaPK?`Hyp) z=K>eG#AU83dBtnq@RoPH=K~-4#Am+n zm2Z6K2S546Z~pL?e+1g;KY~-sYydx(vhAFWF!-r$wF4Lk)0gmBp12KLtgTcp8^!5 z5QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A7 z7PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k z#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)q1hA1! zY-S5v*~WHuu#;WvW)FMW$9@iQkV72i2uC@_aZYfOQ=H}uXZeqFoaX`;xx{6zaFuIZ z=LR>q#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%b zmwyD>Z7q7j`K#3UB6i9=lC5uXGkBoT>8 zLQ;~EoD`%a6{$%>TGEl83}hq|naM&{vXPw}F`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Fs@}O>AZhTiM2TcCeFO z>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}^X|bDZY_7rDe`u5guWT;~Qixy5bnaF=`B z=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk@RxrC+U-Aq2|`eU z5u6Z&Bov_uLs-HQo(M!F5|N2QRH6}`7{nwNv57-m;t`(&BqR}uNkUSRk(?ByBo(Pi zLt4_2o(yCp6Pd|ERP^DMC?-QJfN#q!gtoLs`mEo(fc? z5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i z9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO z<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(%-Bkxgu73tQR7c6P9nUF>ELd)dc+4seh| z9Oei|ImU5LaFSD;<_u@~k8_;o0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$@RVmf z=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN71lr?2feAuTf)Sh$gd`N92}4-I z5uOM{BodK{LR6v=ofyO<7O{y#T;dU*1SBL8iAh3Il98Mgq$CxoNkdxFk)8}>Bomp* zLRPYoogCyO7rDtpUhrl%y1;DMMMxQJxA^q!N{>LRG3!of_1n z7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX z0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ zma&`_tYj6dS;Jb^v7QYCu#rt{W(!-{#&&kFlU?j)4}00iehzSuLmcJ^M>)oEPH>V_ zoaPK?`Hyp)=K>eG#AU83dBtnq@RoPH z=K~-4#Am+nm2Z6K2S546Z~pL?e+1g=KY~-sYydx(vhAFWF!-r$wF4Lk)0gmBp12K zLtgTcp8^!55QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQLtW}op9VCf z5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_ z5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot6|7_xt69TZ z*0G)q1hA1!Y-S5v*~WHuu#;WvW)FMW$9@iQkV72i2uC@_aZYfOQ=H}uXZeqFoaX`; zxx{6zaFuIZ=LR>q#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T z=LbLe#c%%bmwyD>=Rbi7LQsMcoDhU06rl-2Si%vW2t*_jk%>Z7q7j`K#3UB6i9=lC z5uXGkBoT>8LQ;~EoD`%a6{$%>TGEl83}hq|naM&{vXPw}F`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Fs@}O>AZh zTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}^X|bDZY_7rDe`u5guWT;~Qi zxy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk@RxrC z+V4Ms2|`eU5u6Z&Bov_uLs-HQo(M!F5|N2QRH6}`7{nwNv57-m;t`(&BqR}uNkUSR zk(?ByBo(PiLt4_2o(yCp6Pd|ERP^DMC?-QJfN#q!gto zLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R z6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W835|f$2RHiYV z8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(%-Bkxgu73tQR7c6P9nUF>EL zd)dc+4seh|9Oei|ImU5LaFSD;<_u@~k8_;o0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xg zdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN71Ule9feAuTf)Sh$ zgd`N92}4-I5uOM{BodK{LR6v=ofyO<7O{y#T;dU*1SBL8iAh3Il98Mgq$CxoNkdxF zk)8}>Bomp*LRPYoogCyO7rDtpUhrl%y1;DMMMxQJxA^q!N{> zLRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb0 z7rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^!c?X)of*tz7PFbdT;?&K z1uSF{i&?@_ma&`_tYj6dS;Jb^v7QYCu#rt{W(!-{#&&kFlU?j)4}00iehzSuLmcJ^ zM>)oEPH>V_oaPK?`Hyp)=K>eG#AU83 zdBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL?e*`+{KY~-sYydx(vhAFWF!-r$wF4L zk)0gmBp12KLtgTcp8^!55QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJospq!zWQ zLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQp8*VH z5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*EQkJot z6|7_xt69TZ*0G)q1hA1!Y-S5v*~WHuu#;WvW)FMW$9@iQkV72i2uC@_aZYfOQ=H}u zXZeqFoaX`;xx{6zaFuIZ=LR>q#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS z`NU_w@Re_T=LbLe#c%%bmwyC0Z7q7j`K z#3UB6i9=lC5uXGkBoT>8LQ;~EoD`%a6{$%>TGEl83}hq|naM&{vXPw}F`or2WD$#5!cvy8oE5BO6{}gpTGp|i z4Fs@}O>AZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}^X|bDZY_7rDe` zu5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0 z`NePk@RxrCI_y7z2|`eU5u6Z&Bov_uLs-HQo(M!F5|N2QRH6}`7{nwNv57-m;t`(& zBqR}uNkUSRk(?ByBo(PiLt4_2o(yCp6Pd|ERP^DMC?- zQJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$)(VP~vq!q1c zLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r!&t^Ko(W83 z5|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(%-Bkxgu73tQR7 zc6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u@~k8_;o0vEZ&Wv+0QYh33BH@U@a z?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN71UlkB zfeAuTf)Sh$gd`N92}4-I5uOM{BodK{LR6v=ofyO<7O{y#T;dU*1SBL8iAh3Il98Mg zq$CxoNkdxFk)8}>Bomp*LRPYoogCyO7rDtpUhrl%y1;DMMMx zQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu(Vh-;q!XR# zLRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^!c?X)of*tz z7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QYCu#rt{W(!-{#&&kFlU?j)4}00i zehzSuLmcJ^M>)oEPH>V_oaPK?`Hyp)=K>eG#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL?e*`+}KY~-sYydx(vhAF zWF!-r$wF4Lk)0gmBp12KLtgTcp8^!55QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q% zQJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#E zLtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r z5sO*EQkJot6|7_xt69TZ*0G)q1hA1!Y-S5v*~WHuu#;WvW)FMW$9@iQkV72i2uC@_ zaZYfOQ=H}uXZeqFoaX`;xx{6zaFuIZ=LR>q#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl z-td-pyypWS`NU_w@Re_T=LbLe#c%%bmwyC0=0AZ6LQsMcoDhU06rl-2Si%vW2t*_j zk%>Z7q7j`K#3UB6i9=lC5uXGkBoT>8LQ;~EoD`%a6{$%>TGEl83}hq|naM&{vXPw} zF`or2WD$#5!cvy8oE5BO z6{}gpTGp|i4Fs@}O>AZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}^X| zbDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;* zzVMZAeCG#0`NePk@RxrCI_^J#2|`eU5u6Z&Bov_uLs-HQo(M!F5|N2QRH6}`7{nwN zv57-m;t`(&BqR}uNkUSRk(?ByBo(PiLt4_2o(yCp6Pd|ERP^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$) z(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r z!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(%-B zkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u@~k8_;o0vEZ&Wv+0Q zYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP z{_vN71UlhAfeAuTf)Sh$gd`N92}4-I5uOM{BodK{LR6v=ofyO<7O{y#T;dU*1SBL8 ziAh3Il98Mgq$CxoNkdxFk)8}>Bomp*LRPYoogCyO7rDtpUhr zl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGztn$esVw4@cSX+vAu z(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs}8N*n{F`fxbWD=8^ z!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QYCu#rt{W(!-{#&&kF zlU?j)4}00iehzSuLmcJ^M>)oEPH>V_oaPK?`Hyp)=K>eG#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL?e*`+|KY~- zsYydx(vhAFWF!-r$wF4Lk)0gmBp12KLtgTcp8^!55QQm1QHoKV5|pGAr71&M%2A#Q zRHPD>sX|q%QJospq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We! z(VZUjq!+#ELtpyQp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT z!(8Sup9L&r5sO*EQkJot6|7_xt69TZ*0G)q1hA1!Y-S5v*~WHuu#;WvW)FMW$9@iQ zkV72i2uC@_aZYfOQ=H}uXZeqFoaX`;xx{6zaFuIZ=LR>q#cl3zmwVjj0S|e^W1jGo zXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%bmwyC0Z7q7j`K#3UB6i9=lC5uXGkBoT>8LQ;~EoD`%a6{$%>TGEl83}hq| znaM&{vXPw}F`or2WD$#5 z!cvy8oE5BO6{}gpTGp|i4Fs@}O>AZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$? zl2e@K3}^X|bDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@md zcf98VANj;*zVMZAeCG#0`NePk@RxrCI_*D!2|`eU5u6Z&Bov_uLs-HQo(M!F5|N2Q zRH6}`7{nwNv57-m;t`(&BqR}uNkUSRk(?ByBo(PiLt4_2o(yCp6Pd|ERP^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEt zG^7!YX+l$)(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8 zF`N;MWE7(r!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf z!&=s{o(%-Bkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u@~pJ95~ z0s;U40M^U4ZQHhO+qP}nwr$(CZQHIL_6a-7InHx|i(KL|SGdYGu5*K%+~PKOxXV56 z^MHpu;xSKn$}^txf|tDFHE(#!JKpnwk9^`YU--&5zVm~h{Ngu%_{%>6oc5o91R^j& z2ud)56M~S0A~azLOE|(4frvyRGEs<1G@=uOn8YGBafnMi;*)@cBqA|MNJ=u2lY*3_ zA~k79OFGh%fsAA#Gg-(=HnNk0oa7=mdB{sX@>76<6rwOiC`vJkQ-YF|qBLbFOF7C@ zfr?b3GF7NbHL6pCn$)5;b*M`{>eGORG@>z0Xi77h(}I??qBU)3OFP=rfsS;dGhOIP zH@eeEMhTBSjsY%vx1eZVl``6%R1JxfsJfpGh5ioHny{ao$O*ad)Ui9_H%%P z9O5uXILa}ObApqc;xuPC%Q?<-fs0(?GFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L z^MaSW;x%u0%RAolfscIRGhg`1H@@?OpZwxCfB4Hk0-W)mfCM5iK?q7Pf)j#}gd#Ly z2unD^6M=|CA~I2kN;IMqgP6o3HgSkcJmQmpgd`#{Nk~dEl9Pgzq#`wGNJ~1>lYxw6 zA~RXYN;a~SgPi0dH+jfQKJrt5f)t`KMJP%!ic^A;l%h0cC`&oYQ-O+9qB2#eN;Rre zgPPQ$Hg%{=J?hhdhBTrvO=wCpn$v=ow4ya_XiGcV(}9k3qBC9SN;kUGgP!!FH+|?! zKl(F(fed0WLm0|1hBJbZjAArn7|S@uGl7XrVlq>h$~2}kgPF`?HglNEJm#~2g)Cw* zOIXS>ma~GDtYS55Sj#%rvw@9lVl!LV$~LyMgPrVRH+$I2KK65fgB;>8M>xtcj&p*O zoZ>WRILkTCbAgLo;xbpb$~CTYgPYvqHg~woJ?`^>hdkmjPk72Rp7Vm2yy7))c*{H9 z^MQ|i;xk|P$~V6AgP;83H-GrcKLVWfpMV4+FhK}PFoF|;kc1*MVF*h&!V`grL?SX# zh)Oh~6N8wF-b^DGLn;ml%ygxX-G>t(vyLVWFj+J$VxV{lY^Y( zA~$)+OFr^bfPxgFFhwXzF^W@yl9Zw}WhhHI%2R=gRH8Cfs7f`eQ-hk+qBeD?OFin- zfQB@pF->SnGn&(amb9WZZD>n7+S7rKbfPm|=t?)b(}SM$qBni$OF#NEfPoBRFhdy1 zForXNk&I$AV;IXg#xsG5Oky%qn94M!GlQATVm5P_%RJ_@fQ2k#F-us=GM2M~m8@bl zYgo%V*0X_)Y+^H8*vdAxvxA-NVmEu(%RcsVfP)<3Fh@AbF^+SBlbqr-XE@6_&U1l_ zT;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH;m%QRNZ+Oc)-t&QveBv`-_{ulF z^MjxK;x~Wz%Rd5~^PhkOA}~P+N-%;Gf{=tFG+_u!IKmTwh(sbXQHV-3q7#Fd#3D9v zh)X=;lYoRIA~8uwN-~m@f|R5pHEBpoI?|JYjASA+S;$H@vXg_HI4f|8V?G-W7DIm%Okid3R9Rj5ies#AlS)S@Q6^rAO?=u1EPGk}2%VlYD($}omAf{~13G-DXc zIL0%9iA-WLQ<%y$rZa|!^2*vmflbAW>!;xI=z$}x^}f|H!$G-o)=InHx|i(KL|SGdYGu5*K% z+~PKOxXV56^MHpu;xSKn$}^txf|tDFHE(#!JKpnwk9^`YU--&5zVm~h{Ngu%_{%>6 zocEuA1R^j&2ud)56M~S0A~azLOE|(4frvyRGEs<1G@=uOn8YGBafnMi;*)@cBqA|M zNJ=u2lY*3_A~k79OFGh%fsAA#Gg-(=HnNk0oa7=mdB{sX@>76<6rwOiC`vJkQ-YF| zqBLbFOF7C@fr?b3GF7NbHL6pCn$)5;b*M`{>eGORG@>z0Xi77h(}I??qBU)3OFP=r zfsS;dGhOIPH@eeEMhTBSjsY%vx1eZVl``6%R1JxfsJfpGh5ioHny{ao$O*a zd)Ui9_H%%P9O5uXILa}ObApqc;xuPC%Q?<-fs0(?GFQ0DHLi1mo800yceu+v?(=|$ zJmN7=c*--L^MaSW;x%u0%RAolfscIRGhg`1H@@?OpZwxCfB4Hk0$lK)fCM5iK?q7P zf)j#}gd#Ly2unD^6M=|CA~I2kN;IMqgP6o3HgSkcJmQmpgd`#{Nk~dEl9Pgzq#`wG zNJ~1>lYxw6A~RXYN;a~SgPi0dH+jfQKJrt5f)t`KMJP%!ic^A;l%h0cC`&oYQ-O+9 zqB2#eN;RregPPQ$Hg%{=J?hhdhBTrvO=wCpn$v=ow4ya_XiGcV(}9k3qBC9SN;kUG zgP!!FH+|?!Kl(F(fed0WLm0|1hBJbZjAArn7|S@uGl7XrVlq>h$~2}kgPF`?HglNE zJm#~2g)Cw*OIXS>ma~GDtYS55Sj#%rvw@9lVl!LV$~LyMgPrVRH+$I2KK65fgB;>8 zM>xtcj&p*OoZ>WRILkTCbAgLo;xbpb$~CTYgPYvqHg~woJ?`^>hdkmjPk72Rp7Vm2 zyy7))c*{H9^MQ|i;xk|P$~V6AgP;83H-GrcKLT9zpMV4+FhK}PFoF|;kc1*MVF*h& z!V`grL?SX#h)Oh~6N8wF-b^DGLn;ml%ygxX-G>t(vyLVWFj+J z$VxV{lY^Y(A~$)+OFr^bfPxgFFhwXzF^W@yl9Zw}WhhHI%2R=gRH8Cfs7f`eQ-hk+ zqBeD?OFin-fQB@pF->SnGn&(amb9WZZD>n7+S7rKbfPm|=t?)b(}SM$qBni$OF#NE zfPoBRFhdy1ForXNk&I$AV;IXg#xsG5Oky%qn94M!GlQATVm5P_%RJ_@fQ2k#F-us= zGM2M~m8@blYgo%V*0X_)Y+^H8*vdAxvxA-NVmEu(%RcsVfP)<3Fh@AbF^+SBlbqr- zXE@6_&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH;m%QRNZ+Oc)-t&Qv zeBv`-_{ulF^MjxK;x~Wz%Rd5K@}GbNA}~P+N-%;Gf{=tFG+_u!IKmTwh(sbXQHV-3 zq7#Fd#3D9vh)X=;lYoRIA~8uwN-~m@f|R5pHEBpoI?|JYjASA+S;$H@vXg_HI4f|8V?G-W7DIm%Okid3R9Rj5ies#AlS)S@Q6^rAO?=u1EPGk}2%VlYD($}omA zf{~13G-DXcIL0%9iA-WLQ<%y$rZa|!^2*vmflbAW>!;xI=z$}x^}f|H!$G-o)=InHx|i(KL| zSGdYGu5*K%+~PKOxXV56^MHpu;xSKn$}^txf|tDFHE(#!JKpnwk9^`YU--&5zVm~h z{Ngu%_{%>6T=t)U1R^j&2ud)56M~S0A~azLOE|(4frvyRGEs<1G@=uOn8YGBafnMi z;*)@cBqA|MNJ=u2lY*3_A~k79OFGh%fsAA#Gg-(=HnNk0oa7=mdB{sX@>76<6rwOi zC`vJkQ-YF|qBLbFOF7C@fr?b3GF7NbHL6pCn$)5;b*M`{>eGORG@>z0Xi77h(}I?? zqBU)3OFP=rfsS;dGhOIPH@eeEMhTBSjsY%vx1eZVl``6%R1JxfsJfpGh5io zHny{ao$O*ad)Ui9_H%%P9O5uXILa}ObApqc;xuPC%Q?<-fs0(?GFQ0DHLi1mo800y zceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIRGhg`1H@@?OpZwxCfB4Hk0$lN* zfCM5iK?q7Pf)j#}gd#Ly2unD^6M=|CA~I2kN;IMqgP6o3HgSkcJmQmpgd`#{Nk~dE zl9Pgzq#`wGNJ~1>lYxw6A~RXYN;a~SgPi0dH+jfQKJrt5f)t`KMJP%!ic^A;l%h0c zC`&oYQ-O+9qB2#eN;RregPPQ$Hg%{=J?hhdhBTrvO=wCpn$v=ow4ya_XiGcV(}9k3 zqBC9SN;kUGgP!!FH+|?!Kl(F(fed0WLm0|1hBJbZjAArn7|S@uGl7XrVlq>h$~2}k zgPF`?HglNEJm#~2g)Cw*OIXS>ma~GDtYS55Sj#%rvw@9lVl!LV$~LyMgPrVRH+$I2 zKK65fgB;>8M>xtcj&p*OoZ>WRILkTCbAgLo;xbpb$~CTYgPYvqHg~woJ?`^>hdkmj zPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83H-GrcKLT9!pMV4+FhK}PFoF|; zkc1*MVF*h&!V`grL?SX#h)Oh~6N8wF-b^DGLn;ml%ygxX-G>t z(vyLVWFj+J$VxV{lY^Y(A~$)+OFr^bfPxgFFhwXzF^W@yl9Zw}WhhHI%2R=gRH8Cf zs7f`eQ-hk+qBeD?OFin-fQB@pF->SnGn&(amb9WZZD>n7+S7rKbfPm|=t?)b(}SM$ zqBni$OF#NEfPoBRFhdy1ForXNk&I$AV;IXg#xsG5Oky%qn94M!GlQATVm5P_%RJ_@ zfQ2k#F-us=GM2M~m8@blYgo%V*0X_)Y+^H8*vdAxvxA-NVmEu(%RcsVfP)<3Fh@Ab zF^+SBlbqr-XE@6_&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH;m%QRN zZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%Rd5K^PhkOA}~P+N-%;Gf{=tFG+_u!IKmTw zh(sbXQHV-3q7#Fd#3D9vh)X=;lYoRIA~8uwN-~m@f|R5pHEBpoI?|JYjASA+S;$H@ zvXg_HI4f|8V?G-W7DIm%Okid3R9Rj5ies#AlS)S@Q6^rAO?=u1EPGk}2% zVlYD($}omAf{~13G-DXcIL0%9iA-WLQ<%y$rZa|!^2*vmflbAW>!;xI=z$}x^}f|H!$G-o)= zInHx|i(KL|SGdYGu5*K%+~PKOxXV56^MHpu;xSKn$}^txf|tDFHE(#!JKpnwk9^`Y zU--&5zVm~h{Ngu%_{%>6T=$=V1R^j&2ud)56M~S0A~azLOE|(4frvyRGEs<1G@=uO zn8YGBafnMi;*)@cBqA|MNJ=u2lY*3_A~k79OFGh%fsAA#Gg-(=HnNk0oa7=mdB{sX z@>76<6rwOiC`vJkQ-YF|qBLbFOF7C@fr?b3GF7NbHL6pCn$)5;b*M`{>eGORG@>z0 zXi77h(}I??qBU)3OFP=rfsS;dGhOIPH@eeEMhTBSjsY%vx1eZVl``6%R1Jx zfsJfpGh5ioHny{ao$O*ad)Ui9_H%%P9O5uXILa}ObApqc;xuPC%Q?<-fs0(?GFQ0D zHLi1mo800yceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIRGhg`1H@@?OpZwxC zfB4Hk0^IPQfCM5iK?q7Pf)j#}gd#Ly2unD^6M=|CA~I2kN;IMqgP6o3HgSkcJmQmp zgd`#{Nk~dEl9Pgzq#`wGNJ~1>lYxw6A~RXYN;a~SgPi0dH+jfQKJrt5f)t`KMJP%! zic^A;l%h0cC`&oYQ-O+9qB2#eN;RregPPQ$Hg%{=J?hhdhBTrvO=wCpn$v=ow4ya_ zXiGcV(}9k3qBC9SN;kUGgP!!FH+|?!Kl(F(fed0WLm0|1hBJbZjAArn7|S@uGl7Xr zVlq>h$~2}kgPF`?HglNEJm#~2g)Cw*OIXS>ma~GDtYS55Sj#%rvw@9lVl!LV$~LyM zgPrVRH+$I2KK65fgB;>8M>xtcj&p*OoZ>WRILkTCbAgLo;xbpb$~CTYgPYvqHg~wo zJ?`^>hdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83H-GrcKLXtJpMV4+ zFhK}PFoF|;kc1*MVF*h&!V`grL?SX#h)Oh~6N8wF-b^DGLn;m zl%ygxX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+OFr^bfPxgFFhwXzF^W@yl9Zw}WhhHI z%2R=gRH8Cfs7f`eQ-hk+qBeD?OFin-fQB@pF->SnGn&(amb9WZZD>n7+S7rKbfPm| z=t?)b(}SM$qBni$OF#NEfPoBRFhdy1ForXNk&I$AV;IXg#xsG5Oky%qn94M!GlQAT zVm5P_%RJ_@fQ2k#F-us=GM2M~m8@blYgo%V*0X_)Y+^H8*vdAxvxA-NVmEu(%RcsV zfP)<3Fh@AbF^+SBlbqr-XE@6_&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95P zGoJH;m%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%Rd6#@}GbNA}~P+N-%;Gf{=tF zG+_u!IKmTwh(sbXQHV-3q7#Fd#3D9vh)X=;lYoRIA~8uwN-~m@f|R5pHEBpoI?|JY zjASA+S;$H@vXg_HI4f|8V?G-W7DIm%Okid3R9Rj5ie zs#AlS)S@Q6^rAO? z=u1EPGk}2%VlYD($}omAf{~13G-DXcIL0%9iA-WLQ<%y$rZa|!^2*vmflbAW>!;xI=z$}x^} zf|H!$G-o)=InHx|i(KL|SGdYGu5*K%+~PKOxXV56^MHpu;xSKn$}^txf|tDFHE(#! zJKpnwk9^`YU--&5zVm~h{Ngu%_{%>6-1eV<1R^j&2ud)56M~S0A~azLOE|(4frvyR zGEs<1G@=uOn8YGBafnMi;*)@cBqA|MNJ=u2lY*3_A~k79OFGh%fsAA#Gg-(=HnNk0 zoa7=mdB{sX@>76<6rwOiC`vJkQ-YF|qBLbFOF7C@fr?b3GF7NbHL6pCn$)5;b*M`{ z>eGORG@>z0Xi77h(}I??qBU)3OFP=rfsS;dGhOIPH@eeEMhTBSjsY%vx1eZ zVl``6%R1JxfsJfpGh5ioHny{ao$O*ad)Ui9_H%%P9O5uXILa}ObApqc;xuPC%Q?<- zfs0(?GFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIRGhg`1 zH@@?OpZwxCfB4Hk0^ISRfCM5iK?q7Pf)j#}gd#Ly2unD^6M=|CA~I2kN;IMqgP6o3 zHgSkcJmQmpgd`#{Nk~dEl9Pgzq#`wGNJ~1>lYxw6A~RXYN;a~SgPi0dH+jfQKJrt5 zf)t`KMJP%!ic^A;l%h0cC`&oYQ-O+9qB2#eN;RregPPQ$Hg%{=J?hhdhBTrvO=wCp zn$v=ow4ya_XiGcV(}9k3qBC9SN;kUGgP!!FH+|?!Kl(F(fed0WLm0|1hBJbZjAArn z7|S@uGl7XrVlq>h$~2}kgPF`?HglNEJm#~2g)Cw*OIXS>ma~GDtYS55Sj#%rvw@9l zVl!LV$~LyMgPrVRH+$I2KK65fgB;>8M>xtcj&p*OoZ>WRILkTCbAgLo;xbpb$~CTY zgPYvqHg~woJ?`^>hdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83H-Grc zKLXtKpMV4+FhK}PFoF|;kc1*MVF*h&!V`grL?SX#h)Oh~6N8w zF-b^DGLn;ml%ygxX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+OFr^bfPxgFFhwXzF^W@y zl9Zw}WhhHI%2R=gRH8Cfs7f`eQ-hk+qBeD?OFin-fQB@pF->SnGn&(amb9WZZD>n7 z+S7rKbfPm|=t?)b(}SM$qBni$OF#NEfPoBRFhdy1ForXNk&I$AV;IXg#xsG5Oky%q zn94M!GlQATVm5P_%RJ_@fQ2k#F-us=GM2M~m8@blYgo%V*0X_)Y+^H8*vdAxvxA-N zVmEu(%RcsVfP)<3Fh@AbF^+SBlbqr-XE@6_&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP% zfQLNdF;95PGoJH;m%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%Rd6#^PhkOA}~P+ zN-%;Gf{=tFG+_u!IKmTwh(sbXQHV-3q7#Fd#3D9vh)X=;lYoRIA~8uwN-~m@f|R5p zHEBpoI?|JYjASA+S;$H@vXg_HI4f|8V?G-W7DIm%Ok zid3R9Rj5ies#AlS)S@Q6^rAO?=u1EPGk}2%VlYD($}omAf{~13G-DXcIL0%9iA-WLQ<%y$rZa|!^2*vmflbAW>! z;xI=z$}x^}f|H!$G-o)=InHx|i(KL|SGdYGu5*K%+~PKOxXV56^MHpu;xSKn$}^tx zf|tDFHE(#!JKpnwk9^`YU--&5zVm~h{Ngu%_{%>6-1nb=1R^j&2ud)56M~S0A~azL zOE|(4frvyRGEs<1G@=uOn8YGBafnMi;*)@cBqA|MNJ=u2lY*3_A~k79OFGh%fsAA# zGg-(=HnNk0oa7=mdB{sX@>76<6rwOiC`vJkQ-YF|qBLbFOF7C@fr?b3GF7NbHL6pC zn$)5;b*M`{>eGORG@>z0Xi77h(}I??qBU)3OFP=rfsS;dGhOIPH@eeEMhTB zSjsY%vx1eZVl``6%R1JxfsJfpGh5ioHny{ao$O*ad)Ui9_H%%P9O5uXILa}ObApqc z;xuPC%Q?<-fs0(?GFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAol zfscIRGhg`1H@@?OpZwxCfB4Hk0zB}afCM5iK?q7Pf)j#}gd#Ly2unD^6M=|CA~I2k zN;IMqgP6o3HgSkcJmQmpgd`#{Nk~dEl9Pgzq#`wGNJ~1>lYxw6A~RXYN;a~SgPi0d zH+jfQKJrt5f)t`KMJP%!ic^A;l%h0cC`&oYQ-O+9qB2#eN;RregPPQ$Hg%{=J?hhd zhBTrvO=wCpn$v=ow4ya_XiGcV(}9k3qBC9SN;kUGgP!!FH+|?!Kl(F(fed0WLm0|1 zhBJbZjAArn7|S@uGl7XrVlq>h$~2}kgPF`?HglNEJm#~2g)Cw*OIXS>ma~GDtYS55 zSj#%rvw@9lVl!LV$~LyMgPrVRH+$I2KK65fgB;>8M>xtcj&p*OoZ>WRILkTCbAgLo z;xbpb$~CTYgPYvqHg~woJ?`^>hdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6A zgP;83H-GrcKLR}TpMV4+FhK}PFoF|;kc1*MVF*h&!V`grL?SX#h)Oh~6N8wF-b^DGLn;ml%ygxX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+OFr^bfPxgF zFhwXzF^W@yl9Zw}WhhHI%2R=gRH8Cfs7f`eQ-hk+qBeD?OFin-fQB@pF->SnGn&(a zmb9WZZD>n7+S7rKbfPm|=t?)b(}SM$qBni$OF#NEfPoBRFhdy1ForXNk&I$AV;IXg z#xsG5Oky%qn94M!GlQATVm5P_%RJ_@fQ2k#F-us=GM2M~m8@blYgo%V*0X_)Y+^H8 z*vdAxvxA-NVmEu(%RcsVfP)<3Fh@AbF^+SBlbqr-XE@6_&U1l_T;eiUxXLxIbAy}Q z;x>1<%RTP%fQLNdF;95PGoJH;m%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%Rd4< z@}GbNA}~P+N-%;Gf{=tFG+_u!IKmTwh(sbXQHV-3q7#Fd#3D9vh)X=;lYoRIA~8uw zN-~m@f|R5pHEBpoI?|JYjASA+S;$H@vXg_HI4f|8V? zG-W7DIm%Okid3R9Rj5ies#AlS)S@Q6^rAO?=u1EPGk}2%VlYD($}omAf{~13G-DXcIL0%9iA-WLQ<%y$ zrZa|!^2 z*vmflbAW>!;xI=z$}x^}f|H!$G-o)=InHx|i(KL|SGdYGu5*K%+~PKOxXV56^MHpu z;xSKn$}^txf|tDFHE(#!JKpnwk9^`YU--&5zVm~h{Ngu%_{%>6JocY}1R^j&2ud)5 z6M~S0A~azLOE|(4frvyRGEs<1G@=uOn8YGBafnMi;*)@cBqA|MNJ=u2lY*3_A~k79 zOFGh%fsAA#Gg-(=HnNk0oa7=mdB{sX@>76<6rwOiC`vJkQ-YF|qBLbFOF7C@fr?b3 zGF7NbHL6pCn$)5;b*M`{>eGORG@>z0Xi77h(}I??qBU)3OFP=rfsS;dGhOIPH@ee< zp7f$OedtR+`ZIum3}P@t7|Jk)GlG$fVl-nI%Q(g}fr(6FGEEMhTBSjsY%vx1eZVl``6%R1JxfsJfpGh5ioHny{ao$O*ad)Ui9_H%%P9O5uX zILa}ObApqc;xuPC%Q?<-fs0(?GFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L^MaSW z;x%u0%RAolfscIRGhg`1H@@?OpZwxCfB4Hk0zC1bfCM5iK?q7Pf)j#}gd#Ly2unD^ z6M=|CA~I2kN;IMqgP6o3HgSkcJmQmpgd`#{Nk~dEl9Pgzq#`wGNJ~1>lYxw6A~RXY zN;a~SgPi0dH+jfQKJrt5f)t`KMJP%!ic^A;l%h0cC`&oYQ-O+9qB2#eN;RregPPQ$ zHg%{=J?hhdhBTrvO=wCpn$v=ow4ya_XiGcV(}9k3qBC9SN;kUGgP!!FH+|?!Kl(F( zfed0WLm0|1hBJbZjAArn7|S@uGl7XrVlq>h$~2}kgPF`?HglNEJm#~2g)Cw*OIXS> zma~GDtYS55Sj#%rvw@9lVl!LV$~LyMgPrVRH+$I2KK65fgB;>8M>xtcj&p*OoZ>WR zILkTCbAgLo;xbpb$~CTYgPYvqHg~woJ?`^>hdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i z;xk|P$~V6AgP;83H-GrcKLR}UpMV4+FhK}PFoF|;kc1*MVF*h&!V`grL?SX#h)Oh~ z6N8wF-b^DGLn;ml%ygxX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+ zOFr^bfPxgFFhwXzF^W@yl9Zw}WhhHI%2R=gRH8Cfs7f`eQ-hk+qBeD?OFin-fQB@p zF->SnGn&(amb9WZZD>n7+S7rKbfPm|=t?)b(}SM$qBni$OF#NEfPoBRFhdy1ForXN zk&I$AV;IXg#xsG5Oky%qn94M!GlQATVm5P_%RJ_@fQ2k#F-us=GM2M~m8@blYgo%V z*0X_)Y+^H8*vdAxvxA-NVmEu(%RcsVfP)<3Fh@AbF^+SBlbqr-XE@6_&U1l_T;eiU zxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH;m%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK z;x~Wz%Rd4<^PhkOA}~P+N-%;Gf{=tFG+_u!IKmTwh(sbXQHV-3q7#Fd#3D9vh)X=; zlYoRIA~8uwN-~m@f|R5pHEBpoI?|JYjASA+S;$H@vXg_HI4f|8V?G-W7DIm%Okid3R9Rj5ies#AlS)S@Q6^rAO?=u1EPGk}2%VlYD($}omAf{~13G-DXcIL0%9 ziA-WLQ<%y$rZa|!^2*vmflbAW>!;xI=z$}x^}f|H!$G-o)=InHx|i(KL|SGdYGu5*K%+~PKO zxXV56^MHpu;xSKn$}^txf|tDFHE(#!JKpnwk9^`YU--&5zVm~h{Ngu%_{%>6Jole~ z1R^j&2ud)56M~S0A~azLOE|(4frvyRGEs<1G@=uOn8YGBafnMi;*)@cBqA|MNJ=u2 zlY*3_A~k79OFGh%fsAA#Gg-(=HnNk0oa7=mdB{sX@>76<6rwOiC`vJkQ-YF|qBLbF zOF7C@fr?b3GF7NbHL6pCn$)5;b*M`{>eGORG@>z0Xi77h(}I??qBU)3OFP=rfsS;d zGhOIPH@eeEMhTBSjsY%vx1eZVl``6%R1JxfsJfpGh5ioHny{ao$O*ad)Ui9 z_H%%P9O5uXILa}ObApqc;xuPC%Q?<-fs0(?GFQ0DHLi1mo800yceu+v?(=|$JmN7= zc*--L^MaSW;x%u0%RAolfscIRGhg`1H@@?OpZwxCfB4Hk0=)2_fCM5iK?q7Pf)j#} zgd#Ly2unD^6M=|CA~I2kN;IMqgP6o3HgSkcJmQmpgd`#{Nk~dEl9Pgzq#`wGNJ~1> zlYxw6A~RXYN;a~SgPi0dH+jfQKJrt5f)t`KMJP%!ic^A;l%h0cC`&oYQ-O+9qB2#e zN;RregPPQ$Hg%{=J?hhdhBTrvO=wCpn$v=ow4ya_XiGcV(}9k3qBC9SN;kUGgP!!F zH+|?!Kl(F(fed0WLm0|1hBJbZjAArn7|S@uGl7XrVlq>h$~2}kgPF`?HglNEJm#~2 zg)Cw*OIXS>ma~GDtYS55Sj#%rvw@9lVl!LV$~LyMgPrVRH+$I2KK65fgB;>8M>xtc zj&p*OoZ>WRILkTCbAgLo;xbpb$~CTYgPYvqHg~woJ?`^>hdkmjPk72Rp7Vm2yy7)) zc*{H9^MQ|i;xk|P$~V6AgP;83H-GrcKLWh;pMV4+FhK}PFoF|;kc1*MVF*h&!V`gr zL?SX#h)Oh~6N8wF-b^DGLn;ml%ygxX-G>t(vyLVWFj+J$VxV{ zlY^Y(A~$)+OFr^bfPxgFFhwXzF^W@yl9Zw}WhhHI%2R=gRH8Cfs7f`eQ-hk+qBeD? zOFin-fQB@pF->SnGn&(amb9WZZD>n7+S7rKbfPm|=t?)b(}SM$qBni$OF#NEfPoBR zFhdy1ForXNk&I$AV;IXg#xsG5Oky%qn94M!GlQATVm5P_%RJ_@fQ2k#F-us=GM2M~ zm8@blYgo%V*0X_)Y+^H8*vdAxvxA-NVmEu(%RcsVfP)<3Fh@AbF^+SBlbqr-XE@6_ z&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH;m%QRNZ+Oc)-t&QveBv`- z_{ulF^MjxK;x~Wz%Rd6V@}GbNA}~P+N-%;Gf{=tFG+_u!IKmTwh(sbXQHV-3q7#Fd z#3D9vh)X=;lYoRIA~8uwN-~m@f|R5pHEBpoI?|JYjASA+S;$H@vXg_HI4f|8V?G-W7DIm%Okid3R9Rj5ies#AlS)S@Q6^rAO?=u1EPGk}2%VlYD($}omAf{~13 zG-DXcIL0%9iA-WLQ<%y$rZa|!^2*vmflbAW>!;xI=z$}x^}f|H!$G-v*EXb(z&ELi{r=Z$UK zwr$(CZQHhO+qP}nwmqA%QJwteG#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL?e*}1~e*zMSzyu*E z!3a(WLK2G5gdr^92u}ne5{bw}Au7>`P7Goai`c{=F7b#@0uqvl#3Ugp$w*ELQj&_) zq#-ToNKXbbl8MY@AuHL)P7ZRCi`?WPFZsw%0SZ!x!W5w>#VAe*N>Yl_l%Xu;C{G0{ zQi;k`p(@p=P7P{Oi`vwoF7>ES0~*qZ#x$WR&1g;wTGEQvw4p8SXio<^(uvM=p)1|! zP7iw0i{A91Fa7Ax00uIM!3<$2!x+v8Mly=gjA1O}7|#SIGKtAdVJg#@&J1QUi`mR! zF7uer0v57}#Vlbd%UI3|R~-sYydx(vhAFWF!-r z$wF4Lk)0gmBp12KLtgTcp8^!55QQm1QHoKV5|pGAr71&M%2A#QRHPD>sX|q%QJosp zq!zWQLtW}op9VCf5shg=Q<~A77PO=lt!YDB+R>g4bfgoV=|We!(VZUjq!+#ELtpyQ zp8*VH5Q7=QP=+y_5sYLMqZz|k#xb4=Ok@(1nZi`2F`XIAWEQiT!(8Sup9L&r5sO*E zQkJot6|7_xt69TZ*0G)qY-AIg*}_(~v7H_4WEZ>H!(R5Wp937^5QjO!QI2t(6P)A} zr#Zt}&T*a#T;vj$xx!Vhah)67TwNFfSSgrXFqI3*}aDN0j@vXrAd6{tuhDpQ53RHHgIs7WnqQ-`|LqdpC2 zNFy54gr+p3IW1^OD_YZrwzQ)?9q33WI@5)&bfY^x=t(bn(}%wFqdx-}$RGwYgrN*$ zI3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?G zwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R7r4kJ zE^~#eT;n=7xXCSUbBDX!<30~~$Ri%}gr_{?IWKt0D_--4x4h#$ANa^8KJ$gIeB(Pm z_{lGR^M}9uBfvZT6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}L ziAQ`AkdQ@0t zrU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%w zl2){)4Q**hdpgjOPIRUVUFk-5deDAZh zTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z z+~y8eQenwWv)U>QayTG@v1kXiO8D(v0S`pe3znO&i+Mj`nn* zBc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)jB9oZR6s9tb z>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6?sAX&Jm4XZ zc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9iAM{T^0uh)X1SJ^3 z2|-9g5t=ZBB^=?2Ktv)DnJ7dh8qtYCOkxq6IK(9$@ku~J5|NlBBqbTiNkK|dk(xB5 zB^~L>Kt?i=nJi=_8`;T0PI8f(Jme)G`6)m_3Q?FM6r~u&DM3j}QJON8r5xp{Kt(E1 znJQGJ8r7*mO=?k_I@F~e^=Uvu8qt_0G^H8MX+cX`(V8~2r5)|*Ku0>!nJ#pt8{O$a zPkPatKJ=v@{TaYO1~Hf+3}qO@8NoS|UJKW_S_j$lW9`TqbJmneBdBICw z@tQZhlYxw6A~RXY zN;a~SgPi0dH+jfQKJrt5f)t`KMJP%!ic^A;l%h0cC`&oYQ-O+9qB2#eN;RregPPQ$ zHg%{=J?hhdhBTrvO=wCpn$v=ow4ya_XiGcV(}9k3qBC9SN;kUGgP!!FH+|?!Kl(F( zfed0WLm0|1hBJbZjAArn7|S@uGl7XrVlq>h$~2}kgPF`?HglNEJm#~2g)Cw*OIXS> zma~GDtYS55Sj#%rvw@9lVl!LV$~LyMgPrVRH+$I2KK65fgB;>8M>xtcj&p*OoZ>WR zILkTCbAgLo;xbpb$~CTYgPYvqHg~woJ?`^>hdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i z;xk|P$~V6AgP;83H-GrcKLUKxKLH6uV1f{oU<4-wAqhoj!Vs2lgeL+Ki9}?g5S3^| zCk8QzMQq{_mw3b{0SQS&Vv>-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd00k*TVTw?cViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$H zW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3Ngq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe z#c%%bmwyEKtbYO$h`h{PlzDalAq3R04a)TALT=}1ooGLnhRWFafr$W9J&l8fBrAusvJPXP*2h{6=1 zD8(pF2})9m(v+brs7?)PQj6Nup)U2PPXij#h{iObDa~k33tG~O z*0iB5?PyO2I?{>GbfGKV=uQuM(u>~op)dXD&j1E8h`|hDD8m@e2u3oB(Trg%;~38b zCNhc1Okpb1n9dAlGK<;FVJ`ES&jJ>*h{Y^nDa%;S3Rbd;)vRGH>sZeQHnNG$Y+)*>T;VF$xXul3a*NyC z;V$>M&jTLvh{rtPDbIM$3tsYy*Sz5^?|9D#KJtmreBmqK_|6Z0@{8a6;V=IP@J0Uw zBoKiKLQsMcoDhU06rl-2Si%vW2t*_jk%>Z7q7j`K#3UB6i9=lC5uXGkBoT>8LQ;~E zoD`%a6{$%>TGEl83}hq|naM&{vXPw}F`or2WD$#5!cvy8oE5BO6{}gpTGp|i4Qyl+o7uuvwy~WZ>|__a*~4D; zv7ZARlxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+a zSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD z<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy- zhPS-qJsKlsTne)EUF{3F0O{S%Nt1SSYU2}W>25Ry=YCJbQ-M|dI- zkw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oV zc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZv zb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C8 z3}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf! zu##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>! z$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW) z3t#!hcYg4bU;O3|fB8p%@A@Yofe1_xf)b42gdilL2u&Em5{~dhAR>{7OcbILjp)Q6 zCb5W39O4p>_#_}9iAYQml9G(%q#z}!NKG2jl8*FbAS0Q`Oct_|jqKzgC%MQ?9`cfp z{1l)dg(yrBic*Z?l%OP~C`}p4QjYRepdyv1Ockn9jq22(Cbg(d9qLk#`ZS;+jc800 zn$nEsw4f!eXiXd1(vJ3Ypd+2=Oc%P+jqdcIC%x!RANtad{tRFsgBZ*ZhBA!dj9?_A z7|j^QGLG>~U?P*4%oL_Fjp@u_CbO8$9Og2Q`7B@|i&)GOma>fHtY9UpSj`&NvX1p^ zU?ZE@%oet?jqU7UC%f3q9`>@2{T$#Rhd9g;j&h9SoZuv;3J>-%oo1$jqm*6C%^d3 zAO7->06+9kKmrk%AOs~C!3jY~LJ^uUge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*) zLK2afBqSvn$w@&^$tANeUjK?+frA{3<< z#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?#K}~8=n>y5`9`$KJLmJVTCN!lP&1pePTG5&| zw51*G=|D$1(U~rEr5oMpK~H+on?CfVAN?7?Kn5|GAq-_0!x_OyMlqT(jAb0-nZQIQ zF_|e$Wg63&!Axc`n>oy79`jkiLKd-@B`jqb%UQunR$y!A)*)n>*a) z9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5`M^g$@tH4tF-b^DGLn;m zl%ygxX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+OFr^bfPxgFFhwXzF^W@yl9Zw}WhhHI z%2R=gRH8Cfs7f`eQ-hk+qBeD?OFin-fQB@pF->SnGn&(amb9WZZD>n7+S7rKbfPm| z=t?)b(}SM$qBni$OF#NEfPoBRFhdy1ForXNk&I$AV;IXg#xsG5Oky%qn94M!GlQAT zVm5P_%RJ_@fQ2k#F-us=GM2M~m8@blYgo%V*0X_)Y+^H8*vdAxvxA-NVmEu(%RcsV zfP)<3Fh@AbF^+SBlbqr-XE@6_&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95P zGoJH;m%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%Rd7A(mw$SL|}ptlwbrW1R)7U zXu=SdaD*oU5s5@(q7ap6L?;F@iA8MU5SMtwCjkjbL}HSVlw>3)1u02IYSNIFbfhN( z8OcOuvXGT*WG4qX$whARke7VqrvL>hL}7|hlwuU81SKg&Y06NRa+Ie66{$pJs!)|` zRHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk) z(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY z#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{ z1SdJgY0hw#bDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@md zcf98VANj;*zVMZAeCG#0`NePk@RxrC_^p2e5{SSAAt=EJP6$F0iqM21Ea3=G1R@fN z$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7P6|?ziqxbbE$K*41~QU~%w!=e*~m@~ za*~VODP6JlYEp~Z)S)i* zs80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G-RMpadeV#D^r0{P=+6KKGKj$p zVJO2G&Im>_iqVW=EaMo@1ST?x$xLA?)0oZ-W-^P}%waC`n9l+hvWUejVJXX4&I(qt ziq))PE$dj%1~#&Z&1_*S+t|(ycCw4z>|rna*v|nDa)`qm;V8#A&IwL(iqo9oEay1S z1uk-l%Ut0q*SO9NZgPv;+~F?wxX%L~@`%Sg;VI8}&I?}hir2j1E$?{G2R`zN&wSx4 z-}ufCe)5ao{NXSE2=GV$1SAlF2|`eU5u6Z&Bov_uLs-HQo(M!F5|N2QRH6}`7{nwN zv57-m;t`(&BqR}uNkUSRk(?ByBo(PiLt4_2o(yCp6Pd|ERP^DMC?-QJfN#q!gtoLs`mEo(fc?5|yb!RjN^)8q}l~wW&j0>QSEtG^7!YX+l$) z(VP~vq!q1cLtEO>o(^=R6P@WoSGv)i9`vLaz3D?=`q7^O3}g_48NyJ8F`N;MWE7(r z!&t^Ko(W835|f$2RHiYV8O&rBvzfzO<}sfIEMyUjS;A75v78mGWEHDf!&=s{o(*hd z6Pww>R<^O79qeQmyV=8D_OYJ>9OMv(Il@tnahwyJ{s~AR0uzLw1S2>h2uUbH6Na#aBRmm^NF*W?g{VX$Ix&bzEMgOfxWpqq2}npH z5|f0aBqKQ~NJ%PElZLdUBRv_&NG39qg{)*FJ2}WnE^?EHyyPQ41t>@%3R8rl6r(sL zC`l}a>$Rs8+ zg{e$qIy0EbEM_x@xy)le3s}e^7PEw-V?7(#$R;+kg{^F3J3H9P zE_Snrz3gK@2RO(f4s(Q~9OF1AILRqabB42=<2)C*$R#dwg{xfSIybnKm8MsKm;ZT zK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5V zq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuK zP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^ zMt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW z4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3 zUhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bZG`v1QIdIusfK?q7Pf)j#}gd#Ly z2unD^6M=|CA~I2kN;IMqgP6o3HgSkcJmQmpgd`#{Nk~dEl9Pgzq#`wGNJ~1>lYxw6 zA~RXYN;a~SgPi0dH+jfQKJrt5f)t`KMJP%!ic^A;l%h0cC`&oYQ-O+9qB2#eN;Rre zgPPQ$Hg%{=J?hhdhBTrvO=wCpn$v=ow4ya_XiGcV(}9k3qBC9SN;kUGgP!!FH+|?! zKl(F(fed0WLm0|1hBJbZjAArn7|S@uGl7XrVlq>h$~2}kgPF`?HglNEJm#~2g)Cw* zOIXS>ma~GDtYS55Sj#%rvw@9lVl!LV$~LyMgPrVRH+$I2KK65fgB;>8M>xtcj&p*O zoZ>WRILkTCbAgLo;xbpb$~CTYgPYvqHg~woJ?`^>hdkmjPk72Rp7Vm2yy7))c*{H9 z^MQ|i;xk|P$~V6AgP;83H-GrcKLY&spXa{-0SQE4f)JEo1SbR`2}Nka5SDO+Cjt?P zL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u z2RX?_Zt{?qeB`G91t~;ficpkd6sH6wDMe|@P?mC(rveqJL}jW_m1+=(3WeG#AU83dBtnq@RoPH=K~-4#Am+n zm2Z6K2S546Z~pL?e+WOoe*`2DfeAuTf)Sh$gd`N92}4-I5uOM{BodK{LR6v=ofyO< z7O{y#T;dU*1SBL8iAh3Il98Mgq$CxoNkdxFk)8}>Bomp*LRPYoogCyO7rDtpUhrl%y1;DMMMxQJxA^q!N{>LRG3!of_1n7PYBEUFuPv1~jA*jcGzt zn$esVw4@cSX+vAu(Vh-;q!XR#LRY%cogVb07rp62U;5FX0SsgigBik5hB2HGjARs} z8N*n{F`fxbWD=8^!c?X)of*tz7PFbdT;?&K1uSF{i&?@_ma&`_tYj6dS;Jb^v7QZV zWD}d&!dAAiogM6C7rWWRUiPt{103WKhdIJgj&Yn5oa7XzIm21bah?lYUG8z82R!5vk9opVp7ER)yyO+HdBa=Y@tzNSD zP6JlYEp~Z)S)i*s80hL(ul@1p()L1P77Mniq^ED zE$wJe2RhP;&UB$G-RMpadeV#D^r0{P=+6KKGKj$pVJO2G&Im>_iqVW=EaMo@1ST?x z$xLA?)0oZ-W-^P}%waC`n9l+hvWUejVJXX4&I(qtiq))PE$dj%1~#&Z&1_*S+t|(y zcCw4z>|rna*v|nDa)`qm;V8#A&IwL(iqo9oEay1S1uk-l%Ut0q*SO9NZgPv;+~F?w zxX%L~@`%Sg;VI8}&I?}hir2j1E$?{G2R`zN&wSx4-}ufCe)5ao{NXSEu;CBz9{~wO zV1f{oU<4-wAqhoj!Vs2lgeL+Ki9}?g5S3^|Ck8QzMQq{_mw3b{0SQS&Vv>-QWF#jA zDM>|Y(vX&Pq$dLz$wX$dkd00k*TVTw?cViczYB`HN|%21Ya zl&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF` z(3Ngq#cl3zmwVjj0S|e^W1jGo zXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%bmw))#5AYuW2}EFm5R_m9Cj=o0 zMQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3#3um>Nkn3jkd$O3Cj}` zYE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn z`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$ zS;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU(aFk;l z=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1 zmUq1810VUsXTI>2Z+zzmKl#OP{_vN7IOq%T9{~wOV1f{oU<4-wAqhoj!Vs2lgeL+K zi9}?g5S3^|Ck8QzMQq{_mw3b{0SQS&Vv>-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd00k*TVTw?cViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R( zmwMEv0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3Ngq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w z@Re_T=LbLe#c%%bmw!0q5AYuW2}EFm5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIl zF^NTN;t-d3#3um>Nkn3jkd$O3Cj}`YE-8NHK|2y>QI+@)TaRrX+&e1 z(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob| z#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW z0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0Q zYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP z{_vN781M!7kAMUsFhK}PFoF|;kc1*MVF*h&!V`grL?SX#h)Oh~6N8wF-b^DGLn;ml%ygxX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+OFr^bfPxgFFhwXz zF^W@yl9Zw}WhhHI%2R=gRH8Cfs7f`eQ-hk+qBeD?OFin-fQB@pF->SnGn&(amb9WZ zZD>n7+S7rKbfPm|=t?)b(}SM$qBni$OF#NEfPoBRFhdy1ForXNk&I$AV;IXg#xsG5 zOky%qn94M!GlQATVm5P_%RJ_@fQ2k#F-us=GM2M~m8@blYgo%V*0X_)Y+^H8*vdAx zvxA-NVmEu(%RcsVfP)<3Fh@AbF^+SBlbqr-XE@6_&U1l_T;eiUxXLxIbAy}Q;x>1< z%RTP%fQLNdF;95PGoJH;m%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%RdbF1N=uo z0uh)X1SJ^32|-9g5t=ZBB^=?2Ktv)DnJ7dh8qtYCOkxq6IK(9$@ku~J5|NlBBqbTi zNkK|dk(xB5B^~L>Kt?i=nJi=_8`;T0PI8f(Jme)G`6)m_3Q?FM6r~u&DM3j}QJON8 zr5xp{Kt(E1nJQGJ8r7*mO=?k_I@F~e^=Uvu8qt_0G^H8MX+cX`(V8~2r5)|*Ku0>! znJ#pt8{O$aPkPatKJ=v@{TaYO1~Hf+3}qO@8NoS|UJKW_S_j$lW9`Tqb zJmneBdBICw@tQZhF-b^DGLn;ml%ygxX-G>t z(vyLVWFj+J$VxV{lY^Y(A~$)+OFr^bfPxgFFhwXzF^W@yl9Zw}WhhHI%2R=gRH8Cf zs7f`eQ-hk+qBeD?OFin-fQB@pF->SnGn&(amb9WZZD>n7+S7rKbfPm|=t?)b(}SM$ zqBni$OF#NEfPoBRFhdy1ForXNk&I$AV;IXg#xsG5Oky%qn94M!GlQATVm5P_%RJ_@ zfQ2k#F-us=GM2M~m8@blYgo%V*0X_)Y+^H8*vdAxvxA-NVmEu(%RcsVfP)<3Fh@Ab zF^+SBlbqr-XE@6_&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH;m%QRN zZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%RgM|3-BKS2}EFm5R_m9Cj=o0MQFkhmT-h8 z0uhNsWTFt2XhbIlF^NTN;t-d3#3um>Nkn3jkd$O3Cj}`YE-8NHK|2y z>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA z8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yi zX9X)+#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D?#cBS> z&^;sof&ei9oE_V?ZQHhO+qP}nwr$(CZF{y3^@QBIlQW#<9Ot>fMJ{ofD_rFo*SWz> zZgHDC+~pqkdB8&+@t7w({N*1G zdIS7NKmrk%AOs~C!3jY~LJ^uUge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*)LK2af zBqSvn$w@&^$tANeUjK?+frA{3<<#VJ8a zN>Q3Jl%*WysX#?4QJE@Kr5e?#K}~8=n>y5`9`$KJLmJVTCN!lP&1pePTG5&|w51*G z=|D$1(U~rEr5oMpK~H+on?CfVAN?7?Kn5|GAq-_0!x_OyMlqT(jAb0-nZQIQF_|e$ zWg63&!Axc`n>oy79`jkiLKd-@B`jqb%UQunR$y!A)*)n>*a)9`|{` zLmu&%Cp_gD&w0U1Uh$eYyyYG5`M^g$@tH4t-nMQr5Vj>K}%ZEnl`kh9qs8rM>^4&E_9_E z-RVJ3deNIc^ravD8NfgWF_<9?Wf;R5!AM3inlX%J9OIe5L?$trDNJP=)0x3cW-*&N z%w-<)S-?UTv6v++Wf{v^!Ae%Knl-Ft9qZY^MmDjTEo@~Q+u6ZRcCnj1>}4POIlw^< zahM|<fMJ{ofD_rFo*SWz>ZgHDC+~pqkdB8&+@t7w({N*1Wc>?@LKmrk%AOs~C!3jY~LJ^uU zge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*)LK2afBqSvn$w@&^$tANeUjK?+frA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?# zK}~8=n>y5`9`$KJLmJVTCN!lP&1pePTG5&|w51*G=|D$1(U~rEr5oMpK~H+on?CfV zAN?7?Kn5|GAq-_0!x_OyMlqT(jAb0-nZQIQF_|e$Wg63&!Axc`n>oy79`jkiLKd-@ zB`jqb%UQunR$y!A)*)n>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5 z`M^g$@tH4t-nMQr5Vj>K}%ZEnl`kh9qs8rM>^4&E_9_E-RVJ3deNIc^ravD8NfgWF_<9? zWf;R5!AM3inlX%J9OIe5L?$trDNJP=)0x3cW-*&N%w-<)S-?UTv6v++Wf{v^!Ae%K znl-Ft9qZY^MmDjTEo@~Q+u6ZRcCnj1>}4POIlw^f zMJ{ofD_rFo*SWz>ZgHDC+~pqkdB8&+@t7w({N*1Wcmw=LKmrk%AOs~C!3jY~LJ^uUge4r|i9kdm5t%4NB^uF*K}=#1 zn>fTJ9`Q*)LK2afBqSvn$w@&^$tANeUj zK?+frA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?#K}~8=n>y5`9`$KJLmJVTCN!lP z&1pePTG5&|w51*G=|D$1(U~rEr5oMpK~H+on?CfVAN?7?Kn5|GAq-_0!x_OyMlqT( zjAb0-nZQIQF_|e$Wg63&!Axc`n>oy79`jkiLKd-@B`jqb%UQunR$y z!A)*)n>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5`M^g$@tH4t-nMQr5Vj>K}%ZEnl`kh z9qs8rM>^4&E_9_E-RVJ3deNIc^ravD8NfgWF_<9?Wf;R5!AM3inlX%J9OIe5L?$tr zDNJP=)0x3cW-*&N%w-<)S-?UTv6v++Wf{v^!Ae%Knl-Ft9qZY^MmDjTEo@~Q+u6ZR zcCnj1>}4POIlw^fMJ{ofD_rFo*SWz>ZgHDC+~pqk zdB8&+@t7w({N*2tI|BSiKmrk% zAOs~C!3jY~LJ^uUge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*)LK2afBqSvn$w@&< zQjwZ8q$M5c$v{Rjk(n%HB^%kvK~8d!n>^$tANeUjK?+frA{3<<#VJ8aN>Q3Jl%*Wy zsX#?4QJE@Kr5e?#K}~8=n>y5`9`$KJLmJVTCN!lP&1pePTG5&|w51*G=|D$1(U~rE zr5oMpK~H+on?CfVAN?7?Kn5|GAq-_0!x_OyMlqT(jAb0-nZQIQF_|e$Wg63&!Axc` zn>oy79`jkiLKd-@B`jqb%UQunR$y!A)*)n>*a)9`|{`Lmu&%Cp_gD z&w0U1Uh$eYyyYG5`M^g$@tH4t-nMQr5Vj>K}%ZEnl`kh9qs8rM>^4&E_9_E-RVJ3deNIc z^ravD8NfgWF_<9?Wf;R5!AM3inlX%J9OIe5L?$trDNJP=)0x3cW-*&N%w-<)S-?UT zv6v++Wf{v^!Ae%Knl-Ft9qZY^MmDjTEo@~Q+u6ZRcCnj1>}4POIlw^fMJ{ofD_rFo*SWz>ZgHDC+~pqkdB8&+@t7w({N*1Cy8`@2Kmrk%AOs~C!3jY~LJ^uUge4r|i9kdm z5t%4NB^uF*K}=#1n>fTJ9`Q*)LK2afBqSvn$w@&^$tANeUjK?+frA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?#K}~8=n>y5` z9`$KJLmJVTCN!lP&1pePTG5&|w51*G=|D$1(U~rEr5oMpK~H+on?CfVAN?7?Kn5|G zAq-_0!x_OyMlqT(jAb0-nZQIQF_|e$Wg63&!Axc`n>oy79`jkiLKd-@B`jqb%UQun zR$y!A)*)n>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5`M^g$@tH4t z-nMQ zr5Vj>K}%ZEnl`kh9qs8rM>^4&E_9_E-RVJ3deNIc^ravD8NfgWF_<9?Wf;R5!AM3i znlX%J9OIe5L?$trDNJP=)0x3cW-*&N%w-<)S-?UTv6v++Wf{v^!Ae%Knl-Ft9qZY^ zMmDjTEo@~Q+u6ZRcCnj1>}4POIlw^fMJ{ofD_rFo z*SWz>ZgHDC+~pqkdB8&+@t7w( z{N*2tIs^PiKmrk%AOs~C!3jY~LJ^uUge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*) zLK2afBqSvn$w@&^$tANeUjK?+frA{3<< z#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?#K}~8=n>y5`9`$KJLmJVTCN!lP&1pePTG5&| zw51*G=|D$1(U~rEr5oMpK~H+on?CfVAN?7?Kn5|GAq-_0!x_OyMlqT(jAb0-nZQIQ zF_|e$Wg63&!Axc`n>oy79`jkiLKd-@B`jqb%UQunR$y!A)*)n>*a) z9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5`M^g$@tH4t-nMQr5Vj>K}%ZEnl`kh9qs8rM>^4& zE_9_E-RVJ3deNIc^ravD8NfgWF_<9?Wf;R5!AM3inlX%J9OIe5L?$trDNJP=)0x3c zW-*&N%w-<)S-?UTv6v++Wf{v^!Ae%Knl-Ft9qZY^MmDjTEo@~Q+u6ZRcCnj1>}4PO zIlw^fMJ{ofD_rFo*SWz>ZgHDC+~pqkdB8&+@t7w( z{N*1Cx&!=2Kmrk%AOs~C!3jY~ zLJ^uUge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*)LK2afBqSvn$w@&^$tANeUjK?+frA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@K zr5e?#K}~8=n>y5`9`$KJLmJVTCN!lP&1pePTG5&|w51*G=|D$1(U~rEr5oMpK~H+o zn?CfVAN?7?Kn5|GAq-_0!x_OyMlqT(jAb0-nZQIQF_|e$Wg63&!Axc`n>oy79`jki zLKd-@B`jqb%UQunR$y!A)*)n>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eY zyyYG5`M^g$@tH4t-nMQr5Vj>K}%ZEnl`kh9qs8rM>^4&E_9_E-RVJ3deNIc^ravD8NfgW zF_<9?Wf;R5!AM3inlX%J9OIe5L?$trDNJP=)0x3cW-*&N%w-<)S-?UTv6v++Wf{v^ z!Ae%Knl-Ft9qZY^MmDjTEo@~Q+u6ZRcCnj1>}4POIlw^fMJ{ofD_rFo*SWz>ZgHDC+~pqkdB8&+@t7w({N*2pIRgAgKmrk%AOs~C!3jY~LJ^uUge4r|i9kdm5t%4NB^uF* zK}=#1n>fTJ9`Q*)LK2afBqSvn$w@&^$t zANeUjK?+frA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?#K}~8=n>y5`9`$KJLmJVT zCN!lP&1pePTG5&|w51*G=|D$1(U~rEr5oMpK~H+on?CfVAN?7?Kn5|GAq-_0!x_Oy zMlqT(jAb0-nZQIQF_|e$Wg63&!Axc`n>oy79`jkiLKd-@B`jqb%UQunR$y!A)*)n>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5`M^g$@tH4t-nMQr5Vj>K}%ZE znl`kh9qs8rM>^4&E_9_E-RVJ3deNIc^ravD8NfgWF_<9?Wf;R5!AM3inlX%J9OIe5 zL?$trDNJP=)0x3cW-*&N%w-<)S-?UTv6v++Wf{v^!Ae%Knl-Ft9qZY^MmDjTEo@~Q z+u6ZRcCnj1>}4POIlw^fMJ{ofD_rFo*SWz>ZgHDC z+~pqkdB8&+@t7w({N*18xdQx0 zKmrk%AOs~C!3jY~LJ^uUge4r|i9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*)LK2afBqSvn z$w@&^$tANeUjK?+frA{3<<#VJ8aN>Q3J zl%*WysX#?4QJE@Kr5e?#K}~8=n>y5`9`$KJLmJVTCN!lP&1pePTG5&|w51*G=|D$1 z(U~rEr5oMpK~H+on?CfVAN?7?Kn5|GAq-_0!x_OyMlqT(jAb0-nZQIQF_|e$Wg63& z!Axc`n>oy79`jkiLKd-@B`jqb%UQunR$y!A)*)n>*a)9`|{`Lmu&% zCp_gD&w0U1Uh$eYyyYG5`M^g$@tH4t-nMQr5Vj>K}%ZEnl`kh9qs8rM>^4&E_9_E-RVJ3 zdeNIc^ravD8NfgWF_<9?Wf;R5!AM3inlX%J9OIe5L?$trDNJP=)0x3cW-*&N%w-<) zS-?UTv6v++Wf{v^!Ae%Knl-Ft9qZY^MmDjTEo@~Q+u6ZRcCnj1>}4POIlw^fMJ{ofD_rFo*SWz>ZgHDC+~pqkdB8&+@t7w({N*2pI0O7gKmrk%AOs~C!3jY~LJ^uUge4r| zi9kdm5t%4NB^uF*K}=#1n>fTJ9`Q*)LK2afBqSvn$w@&^$tANeUjK?+frA{3<<#VJ8aN>Q3Jl%*WysX#?4QJE@Kr5e?#K}~8= zn>y5`9`$KJLmJVTCN!lP&1pePTG5&|w51*G=|D$1(U~rEr5oMpK~H+on?CfVAN?7? zKn5|GAq-_0!x_OyMlqT(jAb0-nZQIQF_|e$Wg63&!Axc`n>oy79`jkiLKd-@B`jqb z%UQunR$y!A)*)n>*a)9`|{`Lmu&%Cp_gD&w0U1Uh$eYyyYG5`M^g$ z@tH4t-n zMQr5Vj>K}%ZEnl`kh9qs8rM>^4&E_9_E-RVJ3deNIc^ravD8NfgWF_<9?Wf;R5 z!AM3inlX%J9OIe5L?$trDNJP=)0x3cW-*&N%w-<)S-?UTv6v++Wf{v^!Ae%Knl-Ft z9qZY^MmDjTEo@~Q+u6ZRcCnj1>}4POIlw^fMJ{of zD_rFo*SWz>ZgHDC+~pqkdB8&+@t7w({N*13;>$k)2}EFm5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3 z#3um>Nkn3jkd$O3Cj}`YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u( zMQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{ z0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`E zZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a z?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN71W52- zfd2?cAOaJFpadg0AqYt*LKB9tgd;o=h)5(N6NRWmBRVmNNi1R$hq%NeJ_$%jA`+8? zq$DFbDM(2wQj>hfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8 z=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%Y zhrR4$KL5P}kn z;DjI~p$JVF!V-?~L?9xOh)fis5{>A@ASSVhO&sD9kN6}YA&E##5|WaP>6Q1&n=e*!0 zuXxQH-tvz3eBdLW_{F-b^DGLn;ml%ygxX-G>t(vyLVWFj+J z$VxV{lY^Y(A~$)+OFr^bfPxgFFhwXzF^W@yl9Zw}WhhHI%2R=gRH8Cfs7f`eQ-hk+ zqBeD?OFin-fQB@pF->SnGn&(amb9WZZD>n7+S7rKbfPm|=t?)b(}SM$qBni$OF#NE zfPoBRFhdy1ForXNk&I$AV;IXg#xsG5Oky%qn94M!GlQATVm5P_%RJ_@fQ2k#F-us= zGM2M~m8@blYgo%V*0X_)Y+^H8*vdAxvxA-NVmEu(%RcsVfP)<3Fh@AbF^+SBlbqr- zXE@6_&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH;m%QRNZ+Oc)-t&Qv zeBv`-_{ulF^MjxK;x~Wz%Rd4nmVW{gh`h{PlzDalAq3R04a)TALT=}1ooGLnhRWFafr$W9J&l8fBr zAusvJPXP*2h{6=1D8(pF2})9m(v+brs7?)PQj6Nup)U2PPXij# zh{iObDa~k33tG~O*0iB5?PyO2I?{>GbfGKV=uQuM(u>~op)dXD&j1E8h`|hDD8m@e z2u3oB(Trg%;~38bCNhc1Okpb1n9dAlGK<;FVJ`ES&jJ>*h{Y^nDa%;S3Rbd;)vRGH z>sZeQHnNG$Y+)*> zT;VF$xXul3a*NyC;V$>M&jTLvh{rtPDbIM$3tsYy*Sz5^?|9D#KJtmreBmqK_|6Z0 z@{8a6;V=IPkVO6oNFV|egrEc?I3Wm0C_)p4u!JK#5r{}6A`^wEL?b#eh)FDB6Nk9O zBR&a8NFoxGgrp=RIVngTwNFfSS zgrXFqI3*}aDN0j@vXrAd6{tuhDpQ53RHHgIs7WnqQ-`|LqdpC2NFy54gr+p3IW1^O zD_YZrwzQ)?9q33WI@5)&bfY^x=t(bn(}%wFqdx-}$RGwYgrN*$I3pOzC`L1ev5aFp z6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWAT zY-2k+*vT$-vxmLxV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R7r4kJE^~#eT;n=7xXCSU zbBDX!<30~~$Ri%}gr_{?IWKt0D_--4x4h#$ANa^8KJ$gIeB(Pm_{lGR^M}9uBS2F5 zCm?|cOb~(+jNpVIB%ugR7{U^c@I)XYk%&wbq7seh#2_ZIh)o>g5|8*KAR&oJOcIik zjO3&sC8HNAm8eV=s#1;W)SxD{s7)Q}QjhvHpdpQDOcR>YjOMhUC9P;p8`{#2_H>{l zo#;##y3&pA^q?ob=uIE`(vSWOU?77S%n*h$jNy!6B%>J37{)S=@l0SMlbFmDrZSD` z%wQ(7n9UsKGLQKzU?GcG%o3KejODCgC97D?8rHIo^=x1xo7l`2wz7@w>|iIm*v%gH zvXA{7;2?)M%n^=qjN_c(B&Rsd8P0N!^IYH}m$=Lou5yj*+~6j+xXm5za*z8w;31EA z%oCpSjOV=IC9inR8{YDc_k7?ZpZLrdzVeOl{NN|Q_{|^w@{a(?I4f|8V?G-W7DIm%Okid3R9 zRj5ies#AlS)S@Q6 z^rAO?=u1EPGk}2%VlYD($}omAf{~13G-DXcIL0%9iA-WLQ<%y$rZa|!^2*vmflbAW>!;xI=z z$}x^}f|H!$G-o)=InHx|i(KL|SGdYGu5*K%+~PKOxXV56^MHpu;xSKn$}^txf|tDF zHE(#!JKpnwk9^`YU--&5zVm~h{Ngu%_{%>6B$s~z5{SSAAt=EJP6$F0iqM21Ea3=G z1R@fN$V4G3(TGkAViJqk#33&6h))6%l8D44At}j7P6|?ziqxbbE$K*41~QU~%w!=e z*~m@~a*~VODP6JlYEp~Z z)S)i*s80hL(ul@1p()L1P77Mniq^EDE$wJe2RhP;&UB$G-RMpadeV#D^r0{P=+6KK zGKj$pVJO2G&Im>_iqVW=EaMo@1ST?x$xLA?)0oZ-W-^P}%waC`n9l+hvWUejVJXX4 z&I(qtiq))PE$dj%1~#&Z&1_*S+t|(ycCw4z>|rna*v|nDa)`qm;V8#A&IwL(iqo9o zEay1S1uk-l%Ut0q*SO9NZgPv;+~F?wxX%L~@`%Sg;VI8}&I?}hir2j1E$?{G2R`zN z&wSx4-}ufCe)5ao{NXSE2#`Yl2}mFU6NI1yBRC-lNhm@ShOmSqJQ0XUBq9@qs6-<= zF^EYlViSkB#3MclNJt_QlZ2!sBRMHZNh(s4hP0$3JsHSICNh(StYjlQImk&aa+8O= zlxi z$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9? zJsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M? zt6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTn ze)EUF{3Ae0`6nQO2uu)y5{%%4AS9s(O&G!wj_^bvB9Vwp6rvK1=)@oeQenwWv)U>QayTG@v1kXiO8D(v0S`pe3zn zO&i+Mj`nn*Bc13>7rN4o?)0E1z35FJ`qGd73}7IG7|alcGK}GjU?ig$%^1cqj`2)j zB9oZR6s9tb>C9jzvzW~s<}#1@EMOsvSj-ZZvW(@dU?r)hZbx46w6 z?sAX&Jm4XZc+3-?@{H%a;3cnk%^TkGj`w`vBcJ%p7rye1@BH8=zxd4`{_>9ispOx4 z1R^j&2ud)56M~S0A~azLOE|(4frvyRGEs<1G@=uOn8YGBafnMi;*)@cBqA|MNJ=u2 zlY*3_A~k79OFGh%fsAA#Gg-(=HnNk0oa7=mdB{sX@>76<6rwOiC`vJkQ-YF|qBLbF zOF7C@fr?b3GF7NbHL6pCn$)5;b*M`{>eGORG@>z0Xi77h(}I??qBU)3OFP=rfsS;d zGhOIPH@eeEMhTBSjsY%vx1eZVl``6%R1JxfsJfpGh5ioHny{ao$O*ad)Ui9 z_H%%P9O5uXILa}ObApqc`k!HXNC3kC007q2wr$(CZQHhO+qP}nwr$()a>x_HY0hw# zbDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;* zzVMZAeCG#0`NePk@RxrCNbNrX2}EFm5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIl zF^NTN;t-d3#3um>Nkn3jkd$O3Cj}`YE-8NHK|2y>QI+@)TaRrX+&e1 z(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob| z#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW z0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0Q zYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP z{_vN71W4mQ0SQE4f)JEo1SbR`2}Nka5SDO+Cjt?PL}a26m1smK1~G|6Y~m1?c*G|G z2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u2RX?_Zt{?qeB`G91t~;ficpkd z6sH6wDMe|@P?mC(rveqJL}jW_m1+= z(3WeG#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL?e*{SDKLH6u zV1f{oU<4-wAqhoj!Vs2lgeL+Ki9}?g5S3^|Ck8QzMQq{_mw3b{0SQS&Vv>-QWF#jA zDM>|Y(vX&Pq$dLz$wX$dkd00k*TVTw?cViczYB`HN|%21Ya zl&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF` z(3Ngq#cl3zmwVjj0S|e^W1jGo zXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%bmwyCE=RW}nL|}ptlwbrW1R)7U zXu=SdaD*oU5s5@(q7ap6L?;F@iA8MU5SMtwCjkjbL}HSVlw>3)1u02IYSNIFbfhN( z8OcOuvXGT*WG4qX$whARke7VqrvL>hL}7|hlwuU81SKg&Y06NRa+Ie66{$pJs!)|` zRHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk) z(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY z#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{ z1SdJgY0hw#bDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@md zcf98VANj;*zVMZAeCG#0`NePk@RxrCNbf%Z2}EFm5R_m9Cj=o0MQFkhmT-h80uhNs zWTFt2XhbIlF^NTN;t-d3#3um>Nkn3jkd$O3Cj}`YE-8NHK|2y>QI+@ z)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_Q zFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+ z#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov z0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2 zZ+zzmKl#OP{_vN71jyh&0SQE4f)JEo1SbR`2}Nka5SDO+Cjt?PL}a26m1smK1~G|6 zY~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u2RX?_Zt{?qeB`G9 z1t~;ficpkd6sH6wDMe|@P?mC(rveqJL}jW_m1+=(3WeG#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL? ze+0-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd00k*TVTw?cViczY zB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DE zw5J0d=|pF`(3Ngq#cl3zmwVjj z0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%bmwyDv3)1u02I zYSNIFbfhN(8OcOuvXGT*WG4qX$whARke7VqrvL>hL}7|hlwuU81SKg&Y06NRa+Ie6 z6{$pJs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzw zbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18 zFqe7EX8{XY#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e z#9@wblw%y{1SdJgY0hw#bDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW z1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk@RxrC$m~A>2}EFm5R_m9Cj=o0MQFkh zmT-h80uhNsWTFt2XhbIlF^NTN;t-d3#3um>Nkn3jkd$O3Cj}`YE-8N zHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt z^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(N zu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D? z#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq18 z10VUsXTI>2Z+zzmKl#OP{_vN71jyn)0SQE4f)JEo1SbR`2}Nka5SDO+Cjt?PL}a26 zm1smK1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u2RX?_ zZt{?qeB`G91t~;ficpkd6sH6wDMe|@P?mC(rveqJL}jW_m1+=(3WeG z#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K z2S546Z~pL?e+0-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd00k*T zVTw?cViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY- zEont-+R&DEw5J0d=|pF`(3Ngq z#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%bmwyDv z=05=mL|}ptlwbrW1R)7UXu=SdaD*oU5s5@(q7ap6L?;F@iA8MU5SMtwCjkjbL}HSV zlw>3)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX$whARke7VqrvL>hL}7|hlwuU81SKg& zY06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh z9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOh zOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M*~M=5 zu$O)8=Ku#e#9@wblw%y{1SdJgY0hw#bDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S z#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk@RxrC$nHM@2}EFm5R_m9 zCj=o0MQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3#3um>Nkn3jkd$O3Cj}`YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&y zJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe z%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU( zaFk;l=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$ z#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN71jyk(0SQE4f)JEo1SbR`2}Nka5SDO+ zCjt?PL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MDL}s#( zm26}u2RX?_Zt{?qeB`G91t~;ficpkd6sH6wDMe|@P?mC(rveqJL}jW_m1+=(3WeG#AU83dBtnq@RoPH=K~-4 z#Am+nm2Z6K2S546Z~pL?e+0-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd00k*TVTw?cViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$H zW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3Ngq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe z#c%%bmwyDv3)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX$whARke7VqrvL>hL}7|h zlwuU81SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbs zYueD3cC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#>ag1jI z6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3L zY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{1SdJgY0hw#bDZY_7rDe`u5guWT;~Qixy5bn zaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk@RxrC$n8G? z2}EFm5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3#3um>Nkn3jkd$O3 zCj}`YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^ zXS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZ zGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I z?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$ z@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN71jyq*0SQE4f)JEo1SbR` z2}Nka5SDO+Cjt?PL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$ zCj%MDL}s#(m26}u2RX?_Zt{?qeB`G91t~;ficpkd6sH6wDMe|@P?mC(rveqJL}jW_ zm1+=(3WeG#AU83dBtnq z@RoPH=K~-4#Am+nm2Z6K2S546Z~pL?e+0-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd00k*TVTw?cViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R( zmwMEv0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3Ngq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w z@Re_T=LbLe#c%%bmwyDv=RW}nL|}ptlwbrW1R)7UXu=SdaD*oU5s5@(q7ap6L?;F@ ziA8MU5SMtwCjkjbL}HSVlw>3)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX$whARke7Vq zrvL>hL}7|hlwuU81SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJ zlx8%i1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K1S1*6 zXvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_YSyrpb*yIt z8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{1SdJgY0hw#bDZY_7rDe`u5guW zT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk z@RxrC$nQS^2}EFm5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3#3um> zNkn3jkd$O3Cj}`YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7 zmUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0U zWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-; zJK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT z+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN71Ss%dfd2?c zAOaJFpadg0AqYt*LKB9tgd;o=h)5(N6NRWmBRVmNNi1R$hq%NeJ_$%jA`+8?q$DFb zDM(2wQj>hfi zl%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK z$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$ zKLTwNFfSSgrXFqI3*}aDN0j@vXrAd6{tuhDpQ53 zRHHgIs7WnqQ-`|LqdpC2NFy54gr+p3IW1^OD_YZrwzQ)?9q33WI@5)&bfY^x=t(bn z(}%wFqdx-}$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5 z$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt$RQ4Mgrgke zI43yCDNb{Svz+5R7r4kJE^~#eT;n=7xXCSUbBDX!<30~~$Ri%}gr_{?IWKt0D_--4 zx4h#$ANa^8KJ$gIeB(Pm_{lGR^M}9uBS0bl2}mFU6NI1yBRC-lNhm@ShOmSqJQ0XU zBq9@qs6-<=F^EYlViSkB#3MclNJt_QlZ2!sBRMHZNh(s4hP0$3JsHSICNh(StYjlQ zImk&aa+8O=lxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W z$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aG zJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{3AeN{|QJS0uzLw1S2>h2uUbH6Na#aBRmm^NF*W?g{VX$Ix&bz zEMgOfxWpqq2}npH5|f0aBqKQ~NJ%PElZLdUBRv_&NG39qg{)*FJ2}WnE^?EHyyPQ4 z1t>@%3R8rl6r(sLC`l}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw-V?7(# z$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqabB42=<2)C*$R#dwg{xfS zIybnhfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKM zw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8 z$u4%YhrR4$KLTwNFfSSgrXFqI3*}aDN0j@vXrAd z6{tuhDpQ53RHHgIs7WnqQ-`|LqdpC2NFy54gr+p3IW1^OD_YZrwzQ)?9q33WI@5)& zbfY^x=t(bn(}%wFqdx-}$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?= zGl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt z$RQ4MgrgkeI43yCDNb{Svz+5R7r4kJE^~#eT;n=7xXCSUbBDX!<30~~$Ri%}gr_{? zIWKt0D_--4x4h#$ANa^8KJ$gIeB(Pm_{lGR^M}9uBS10#2}mFU6NI1yBRC-lNhm@S zhOmSqJQ0XUBq9@qs6-<=F^EYlViSkB#3MclNJt_QlZ2!sBRMHZNh(s4hP0$3JsHSI zCNh(StYjlQImk&aa+8O=lxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4 zvxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc z$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-q zJsKlsTne)EUF{3Aed{|QJS0uzLw1S2>h2uUbH6Na#aBRmm^NF*W? zg{VX$Ix&bzEMgOfxWpqq2}npH5|f0aBqKQ~NJ%PElZLdUBRv_&NG39qg{)*FJ2}Wn zE^?EHyyPQ41t>@%3R8rl6r(sLC`l}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^7PEw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1AILRqabB42=<2)C* z$R#dwg{xfSIybnhfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5D zEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLTwNFfSSgrXFqI3*}a zDN0j@vXrAd6{tuhDpQ53RHHgIs7WnqQ-`|LqdpC2NFy54gr+p3IW1^OD_YZrwzQ)? z9q33WI@5)&bfY^x=t(bn(}%wFqdx-}$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVp zOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$- zvxmLxV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R7r4kJE^~#eT;n=7xXCSUbBDX!<30~~ z$Ri%}gr_{?IWKt0D_--4x4h#$ANa^8KJ$gIeB(Pm_{lGR^M}9uBS0zt2}mFU6NI1y zBRC-lNhm@ShOmSqJQ0XUBq9@qs6-<=F^EYlViSkB#3MclNJt_QlZ2!sBRMHZNh(s4 zhP0$3JsHSICNh(StYjlQImk&aa+8O=lxi$tXrMhOvxeJQJA6BqlS3sZ3)!GnmONW;2Jm z%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uCcC&}Q>|;L%ILILm zbA+QD<2WbypJ94P0K)(P0M^yEZQHhO+qP}nwr$(CZQJg0$P;psQ=H}uXF11tE^v`c zT;>W_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC z@RMKs<_~}QM}X4)6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}L ziAQ`AkdQ@0t zrU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%w zl2){)4Q**hdpgjOPIRUVUFk-5deDAZh zTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+- zNk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!V zrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZ zkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJ zbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>EL zd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMy zJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%vi=j0Km;ZTK?z21 zLJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk% zNk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1Vh zrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9 zlV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5u zd={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAv zyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfO7s5kU#_`2tf%(a6%B0P=qE7VF^cg zA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w) z$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz| zkUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxG zeC7*Z`NnsC@RMKs<_~}QM}YGF6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$ zVi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zzn zrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p( zSGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK z5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8 zDMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cP zrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_% zkx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7 zc6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUj zce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%ivAOj zKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X> zQjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2 zDMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7b zrVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*d zlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^U zPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfJ*)okU#_`2tf%(a6%B0 zP=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+V zGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*D zrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8 zZ+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}W%y6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yy zNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~ zsYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pV zc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*b zSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n9 z3Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^Pnn zX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P> zW(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9guf zkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(t zb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3| zfB8p%s{Rv@Km;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5 zL?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYyc zN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APh zX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2 zW(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7 zeID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfNK5|kU#_` z2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0z zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;( zb6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}X@76OcdzCI~?ZMsPw9l2C*u z3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdG zYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$? zl2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=) z3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xD zT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v z8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J z8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1* zW({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPr zkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!h zcYg4bU;O3|fB8p%n*I}zKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i z4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^K zLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7R zTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD z8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFR zlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYb zfLi_&kU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV z2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5< zQk13)WhqB_Do~M1RHh15sYZ2bP?K8JrVe$fM|~R5kVZ772~BB6b6U`nRY(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~ zkVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}XS?6OcdzCI~?Z zMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tm zN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5 zdeDAZhTiM2TcCeFO>}C&p*~fkkaF9bB z<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ- zM|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ z3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$P zTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk z1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^Hy zS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD; z<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2T zkxzW)3t#!hcYg4bU;O3|fB8p%y8aW8Km;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrB zMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E` z4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^ zMl_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?! zMlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~ z<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3 zlVAMi4}bYbfO`HDkU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3l zM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu z2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy z<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}YeN z6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW z3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjO zPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p z*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y8lYxw6A~RXYN;a~SgPi0dH+jfQKJrt5f)t`KMJP%!ic^A;l%h0cC`&oYQ-O+9 zqB2#eN;RregPPQ$Hg%{=J?hhdhBTrvO=wCpn$v=ow4ya_XiGcV(}9k3qBC9SN;kUG zgP!!FH+|?!Kl(F(fed0WLm0|1hBJbZjAArn7|S@uGl7XrVlq>h$~2}kgPF`?HglNE zJm#~2g)Cw*OIXS>ma~GDtYS55Sj#%rvw@9lVl!LV$~LyMgPrVRH+$I2KK65fgB;>8 zM>xtcj&p*OoZ>WRILkTCbAgLo;xbpb$~CTYgPYvqHg~woJ?`^>hdkmjPk72Rp7Vm2 zyy7))c*{H9^MQ|i;xk|P$~V6AgP;83H-GrcKLRxLpMV4+FhK}PFoF|;kc1*MVF*h& z!V`grL?SX#h)Oh~6N8wF-b^DGLn;ml%ygxX-G>t(vyLVWFj+J z$VxV{lY^Y(A~$)+OFr^bfPxgFFhwXzF^W@yl9Zw}WhhHI%2R=gRH8Cfs7f`eQ-hk+ zqBeD?OFin-fQB@pF->SnGn&(amb9WZZD>n7+S7rKbfPm|=t?)b(}SM$qBni$OF#NE zfPoBRFhdy1ForXNk&I$AV;IXg#xsG5Oky%qn94M!GlQATVm5P_%RJ_@fQ2k#F-us= zGM2M~m8@blYgo%V*0X_)Y+^H8*vdAxvxA-NVmEu(%RcsVfP)<3Fh@AbF^+SBlbqr- zXE@6_&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH;m%QRNZ+Oc)-t&Qv zeBv`-_{ulF^MjxK;x~Wz%Rd4%@}GbNA}~P+N-%;Gf{=tFG+_u!IKmTwh(sbXQHV-3 zq7#Fd#3D9vh)X=;lYoRIA~8uwN-~m@f|R5pHEBpoI?|JYjASA+S;$H@vXg_HI4f|8V?G-W7DIm%Okid3R9Rj5ies#AlS)S@Q6^rAO?=u1EPGk}2%VlYD($}omA zf{~13G-DXcIL0%9iA-WLQ<%y$rZa|!^2*vmflbAW>!;xI=z$}x^}f|H!$G-o)=InHx|i(KL| zSGdYGu5*K%+~PKOxXV56^MHpu;xSKn$}^txf|tDFHE(#!JKpnwk9^`YU--&5zVm~h z{Ngu%_{%>6H1?l>1R^j&2ud)56M~S0A~azLOE|(4frvyRGEs<1G@=uOn8YGBafnMi z;*)@cBqA|MNJ=u2lY*3_A~k79OFGh%fsAA#Gg-(=HnNk0oa7=mdB{sX@>76<6rwOi zC`vJkQ-YF|qBLbFOF7C@fr?b3GF7NbHL6pCn$)5;b*M`{>eGORG@>z0Xi77h(}I?? zqBU)3OFP=rfsS;dGhOIPH@eeEMhTBSjsY%vx1eZVl``6%R1JxfsJfpGh5io zHny{ao$O*ad)Ui9_H%%P9O5uXILa}ObApqc;xuPC%Q?<-fs0(?GFQ0DHLi1mo800y zceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIRGhg`1H@@?OpZwxCfB4Hk0yOcT zfCM5iK?q7Pf)j#}gd#Ly2unD^6M=|CA~I2kN;IMqgP6o3HgSkcJmQmpgd`#{Nk~dE zl9Pgzq#`wGNJ~1>lYxw6A~RXYN;a~SgPi0dH+jfQKJrt5f)t`KMJP%!ic^A;l%h0c zC`&oYQ-O+9qB2#eN;RregPPQ$Hg%{=J?hhdhBTrvO=wCpn$v=ow4ya_XiGcV(}9k3 zqBC9SN;kUGgP!!FH+|?!Kl(F(fed0WLm0|1hBJbZjAArn7|S@uGl7XrVlq>h$~2}k zgPF`?HglNEJm#~2g)Cw*OIXS>ma~GDtYS55Sj#%rvw@9lVl!LV$~LyMgPrVRH+$I2 zKK65fgB;>8M>xtcj&p*OoZ>WRILkTCbAgLo;xbpb$~CTYgPYvqHg~woJ?`^>hdkmj zPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83H-GrcKLRxMpMV4+FhK}PFoF|; zkc1*MVF*h&!V`grL?SX#h)Oh~6N8wF-b^DGLn;ml%ygxX-G>t z(vyLVWFj+J$VxV{lY^Y(A~$)+OFr^bfPxgFFhwXzF^W@yl9Zw}WhhHI%2R=gRH8Cf zs7f`eQ-hk+qBeD?OFin-fQB@pF->SnGn&(amb9WZZD>n7+S7rKbfPm|=t?)b(}SM$ zqBni$OF#NEfPoBRFhdy1ForXNk&I$AV;IXg#xsG5Oky%qn94M!GlQATVm5P_%RJ_@ zfQ2k#F-us=GM2M~m8@blYgo%V*0X_)Y+^H8*vdAxvxA-NVmEu(%RcsVfP)<3Fh@Ab zF^+SBlbqr-XE@6_&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95PGoJH;m%QRN zZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%Rd4%^PhkOA}~P+N-%;Gf{=tFG+_u!IKmTw zh(sbXQHV-3q7#Fd#3D9vh)X=;lYoRIA~8uwN-~m@f|R5pHEBpoI?|JYjASA+S;$H@ zvXg_HI4f|8V?G-W7DIm%Okid3R9Rj5ies#AlS)S@Q6^rAO?=u1EPGk}2% zVlYD($}omAf{~13G-DXcIL0%9iA-WLQ<%y$rZa|!^2*vmflbAW>!;xI=z$}x^}f|H!$G-o)= zInHx|i(KL|SGdYGu5*K%+~PKOxXV56^MHpu;xSKn$}^txf|tDFHE(#!JKpnwk9^`Y zU--&5zVm~h{Ngu%_{%>6H20r?1R^j&2ud)56M~S0A~azLOE|(4frvyRGEs<1G@=uO zn8YGBafnMi;*)@cBqA|MNJ=u2lY*3_A~k79OFGh%fsAA#Gg-(=HnNk0oa7=mdB{sX z@>76<6rwOiC`vJkQ-YF|qBLbFOF7C@fr?b3GF7NbHL6pCn$)5;b*M`{>eGORG@>z0 zXi77h(}I??qBU)3OFP=rfsS;dGhOIPH@eeEMhTBSjsY%vx1eZVl``6%R1Jx zfsJfpGh5ioHny{ao$O*ad)Ui9_H%%P9O5uXILa}ObApqc;xuPC%Q?<-fs0(?GFQ0D zHLi1mo800yceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIRGhg`1H@@?OpZwxC zfB4Hk0<`d-fCM5iK?q7Pf)j#}gd#Ly2unD^6M=|CA~I2kN;IMqgP6o3HgSkcJmQmp zgd`#{Nk~dEl9Pgzq#`wGNJ~1>lYxw6A~RXYN;a~SgPi0dH+jfQKJrt5f)t`KMJP%! zic^A;l%h0cC`&oYQ-O+9qB2#eN;RregPPQ$Hg%{=J?hhdhBTrvO=wCpn$v=ow4ya_ zXiGcV(}9k3qBC9SN;kUGgP!!FH+|?!Kl(F(fed0WLm0|1hBJbZjAArn7|S@uGl7Xr zVlq>h$~2}kgPF`?HglNEJm#~2g)Cw*OIXS>ma~GDtYS55Sj#%rvw@9lVl!LV$~LyM zgPrVRH+$I2KK65fgB;>8M>xtcj&p*OoZ>WRILkTCbAgLo;xbpb$~CTYgPYvqHg~wo zJ?`^>hdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83H-GrcKLWJ$pMV4+ zFhK}PFoF|;kc1*MVF*h&!V`grL?SX#h)Oh~6N8wF-b^DGLn;m zl%ygxX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+OFr^bfPxgFFhwXzF^W@yl9Zw}WhhHI z%2R=gRH8Cfs7f`eQ-hk+qBeD?OFin-fQB@pF->SnGn&(amb9WZZD>n7+S7rKbfPm| z=t?)b(}SM$qBni$OF#NEfPoBRFhdy1ForXNk&I$AV;IXg#xsG5Oky%qn94M!GlQAT zVm5P_%RJ_@fQ2k#F-us=GM2M~m8@blYgo%V*0X_)Y+^H8*vdAxvxA-NVmEu(%RcsV zfP)<3Fh@AbF^+SBlbqr-XE@6_&U1l_T;eiUxXLxIbAy}Q;x>1<%RTP%fQLNdF;95P zGoJH;m%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%Rd6N@}GbNA}~P+N-%;Gf{=tF zG+_u!IKmTwh(sbXQHV-3q7#Fd#3D9vh)X=;lYoRIA~8uwN-~m@f|R5pHEBpoI?|JY zjASA+S;$H@vXg_HI4f|8V?G-W7DIm%Okid3R9Rj5ie zs#AlS)S@Q6^rAO? z=u1EPGk}2%VlYD($}omAf{~13G-DXcIL0%9iA-WLQ<%y$rZa|!^2*vmflbAW>!;xI=z$}x`r z&oDhCfMEat0PAYowr$(CZQHhO+qP}nwrzJgq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%b zmwyCk?LPqtL|}ptlwbrW1R)7UXu=SdaD*oU5s5@(q7ap6L?;F@iA8MU5SMtwCjkjb zL}HSVlw>3)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX$whARke7VqrvL>hL}7|hlwuU8 z1SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbsYueD3 zcC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(h zrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M z*~M=5u$O)8=Ku#e#9@wblw%y{1SdJgY0hw#bDZY_7rDe`u5guWT;~Qixy5bnaF=`B z=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk@RxrCXyZQt2}EFm z5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3#3um>Nkn3jkd$O3Cj}`< zMQYNJmUN^i0~yIgX0ni#Y-A?~ImtzC@{pH&YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^XS&dp zZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~ z<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I?B@Un zImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$@RVmf z=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN71Ze9&0SQE4f)JEo1SbR`2}Nka z5SDO+Cjt?PL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MD zL}s#(m26}u2RX?_Zt{?qeB`G91t~;ficpkd6sH6wDMe|@P?mC(rveqJL}jW_m1+=(3WeG#AU83dBtnq@RoPH z=K~-4#Am+nm2Z6K2S546Z~pL?e*|dfKLH6uV1f{oU<4-wAqhoj!Vs2lgeL+Ki9}?g z5S3^|Ck8QzMQq{_mw3b{0SQS&Vv>-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd00k*TVTw?cViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv z0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3Ngq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T z=LbLe#c%%bmwyCk?>_+vL|}ptlwbrW1R)7UXu=SdaD*oU5s5@(q7ap6L?;F@iA8MU z5SMtwCjkjbL}HSVlw>3)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX$whARke7VqrvL>h zL}7|hlwuU81SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJlx8%i z1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#> zag1jI6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_YSyrpb*yIt8`;EW zwy>3LY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{1SdJgY0hw#bDZY_7rDe`u5guWT;~Qi zxy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk@RxrC z=-@vA2}EFm5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3#3um>Nkn3j zkd$O3Cj}`YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK z10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5c zX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`EZER-;JK4o< z_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xg zdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN71nB5L0SQE4f)JEo z1SbR`2}Nka5SDO+Cjt?PL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^SBqs$aNkwYX zkd}0$Cj%MDL}s#(m26}u2RX?_Zt{?qeB`G91t~;ficpkd6sH6wDMe|@P?mC(rveqJ zL}jW_m1+=(3WeG#AU83 zdBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL?e+1~{KLH6uV1f{oU<4-wAqhoj!Vs2l zgeL+Ki9}?g5S3^|Ck8QzMQq{_mw3b{0SQS&Vv>-QWF#jADM>|Y(vX&Pq$dLz$wX$d zkd00k*TVTw?cViczYB`HN|%21Yal&1m}sYGR}P?c&_rv^2t zMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3Ngq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl-td-pyypWS z`NU_w@Re_T=LbLe#c%%bmwyE4>^}hsL|}ptlwbrW1R)7UXu=SdaD*oU5s5@(q7ap6 zL?;F@iA8MU5SMtwCjkjbL}HSVlw>3)1u02IYSNIFbfhN(8OcOuvXGT*WG4qX$whAR zke7VqrvL>hL}7|hlwuU81SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw-P?vhtrvVLV zL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K z1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu1uI#_YSyrp zb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{1SdJgY0hw#bDZY_7rDe` zu5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;*zVMZAeCG#0 z`NePk@RxrC=;A*C2}EFm5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIlF^NTN;t-d3 z#3um>Nkn3jkd$O3Cj}`YE-8NHK|2y>QI+@)TaRrX+&e1(3EC0rv)u( zMQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob|#c0MbmT`<{ z0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW0~^`IX11`E zZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0QYh33BH@U@a z?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP{_vN71nBBN z0SQE4f)JEo1SbR`2}Nka5SDO+Cjt?PL}a26m1smK1~G|6Y~m1?c*G|G2}wj^l8}^S zBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u2RX?_Zt{?qeB`G91t~;ficpkd6sH6wDMe|@ zP?mC(rveqJL}jW_m1+=(3WeG#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL?e+1~}KLH6uV1f{oU<4-w zAqhoj!Vs2lgeL+Ki9}?g5S3^|Ck8QzMQq{_mw3b{0SQS&Vv>-QWF#jADM>|Y(vX&P zq$dLz$wX$dkd00k*TVTw?cViczYB`HN|%21Yal&1m}sYGR} zP?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF`(3Ngq#cl3zmwVjj0S|e^W1jGoXFTTxFL}jl z-td-pyypWS`NU_w@Re_T=LbLe#c%%bmwyE4?mqzuL|}ptlwbrW1R)7UXu=SdaD*oU z5s5@(q7ap6L?;F@iA8MU5SMtwCjkjbL}HSVlw>3)1u02IYSNIFbfhN(8OcOuvXGT* zWG4qX$whARke7VqrvL>hL}7|hlwuU81SKg&Y06NRa+Ie66{$pJs!)|`RHp_tsYPw- zP?vhtrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk)(3gJnX8;2k z#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY#A24Plw~Yu z1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{1SdJgY0hw# zbDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@mdcf98VANj;* zzVMZAeCG#0`NePk@RxrC=;1#B2}EFm5R_m9Cj=o0MQFkhmT-h80uhNsWTFt2XhbIl zF^NTN;t-d3#3um>Nkn3jkd$O3Cj}`YE-8NHK|2y>QI+@)TaRrX+&e1 z(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_QFqB~oX9Ob| z#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+#cI~DmUXOW z0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov0vEZ&Wv+0Q zYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2Z+zzmKl#OP z{_vN71nB8M0SQE4f)JEo1SbR`2}Nka5SDO+Cjt?PL}a26m1smK1~G|6Y~m1?c*G|G z2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u2RX?_Zt{?qeB`G91t~;ficpkd z6sH6wDMe|@P?mC(rveqJL}jW_m1+= z(3WeG#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL?e+1~|KLH6u zV1f{oU<4-wAqhoj!Vs2lgeL+Ki9}?g5S3^|Ck8QzMQq{_mw3b{0SQS&Vv>-QWF#jA zDM>|Y(vX&Pq$dLz$wX$dkd00k*TVTw?cViczYB`HN|%21Ya zl&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DEw5J0d=|pF` z(3Ngq#cl3zmwVjj0S|e^W1jGo zXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%bmwyE4?LPqtL|}ptlwbrW1R)7U zXu=SdaD*oU5s5@(q7ap6L?;F@iA8MU5SMtwCjkjbL}HSVlw>3)1u02IYSNIFbfhN( z8OcOuvXGT*WG4qX$whARke7VqrvL>hL}7|hlwuU81SKg&Y06NRa+Ie66{$pJs!)|` zRHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzwbf*VB=|yk) z(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18Fqe7EX8{XY z#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e#9@wblw%y{ z1SdJgY0hw#bDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW1uuEUYu@md zcf98VANj;*zVMZAeCG#0`NePk@RxrC=;J>D2}EFm5R_m9Cj=o0MQFkhmT-h80uhNs zWTFt2XhbIlF^NTN;t-d3#3um>Nkn3jkd$O3Cj}`YE-8NHK|2y>QI+@ z)TaRrX+&e1(3EC0rv)u(MQhs7mUgtK10Cr^XS&dpZgi&yJ?TYn`p}nt^k)DA8N^_Q zFqB~oX9Ob|#c0MbmT`<{0u!0UWTr5cX-sDZGnvI~<}jCe%x3`$S;S(Nu#{yiX9X)+ z#cI~DmUXOW0~^`IX11`EZER-;JK4o<_OO?I?B@UnImBU(aFk;l=L9D?#c9rPmUEov z0vEZ&Wv+0QYh33BH@U@a?r@iT+~)xgdBkI$@RVmf=LIi$#cSU1mUq1810VUsXTI>2 zZ+zzmKl#OP{_vN71nBEO0SQE4f)JEo1SbR`2}Nka5SDO+Cjt?PL}a26m1smK1~G|6 zY~m1?c*G|G2}wj^l8}^SBqs$aNkwYXkd}0$Cj%MDL}s#(m26}u2RX?_Zt{?qeB`G9 z1t~;ficpkd6sH6wDMe|@P?mC(rveqJL}jW_m1+=(3WeG#AU83dBtnq@RoPH=K~-4#Am+nm2Z6K2S546Z~pL? ze+1~~KLH6uV1f{oU<4-wAqhoj!Vs2lgeL+Ki9}?g5S3^|Ck8QzMQq{_mw3b{0SQS& zVv>-QWF#jADM>|Y(vX&Pq$dLz$wX$dkd00k*TVTw?cViczY zB`HN|%21Yal&1m}sYGR}P?c&_rv^2tMQ!R(mwMEv0S#$HW17&EW;CY-Eont-+R&DE zw5J0d=|pF`(3Ngq#cl3zmwVjj z0S|e^W1jGoXFTTxFL}jl-td-pyypWS`NU_w@Re_T=LbLe#c%%bmwyE4?>_+vL|}pt zlwbrW1R)7UXu=SdaD*oU5s5@(q7ap6L?;F@iA8MU5SMtwCjkjbL}HSVlw>3)1u02I zYSNIFbfhN(8OcOuvXGT*WG4qX$whARke7VqrvL>hL}7|hlwuU81SKg&Y06NRa+Ie6 z6{$pJs!)|`RHp_tsYPw-P?vhtrvVLVL}QxJlx8%i1ubbsYueD3cC@Dh9qB}8y3mzw zbf*VB=|yk)(3gJnX8;2k#9)Rnlwk~K1S1*6XvQ#>ag1jI6Pd(hrZAOhOlJl&nZ<18 zFqe7EX8{XY#A24Plw~Yu1uI#_YSyrpb*yIt8`;EWwy>3LY-a~M*~M=5u$O)8=Ku#e z#9@wblw%y{1SdJgY0hw#bDZY_7rDe`u5guWT;~Qixy5bnaF=`B=K&9S#ABZDlxIBW z1uuEUYu@mdcf98VANj;*zVMZAeCG#0`NePk@RxrC81P?!{|HDR0uzLw1S2>h2uUbH z6Na#aBRmm^NF*W?g{VX$Ix&bzEMgOfxWpqq2}npH5|f0aBqKQ~NJ%PElZLdUBRv_& zNG39qg{)*FJ2}WnE^?EHyyPQ41t>@%3R8rl6r(sLC`l}a>$Rs8+g{e$qIy0EbEM_x@xy)le3s}e^ z7PEw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f4s(Q~9OF1A zILRqabB42=<2)C*$R#dwg{xfSIybnK>rCyAOaJFpadg0AqYt*LKB9tgd;o=h)5(N z6NRWmBRVmNNi1R$hq%NeJ_$%jA`+8?q$DFbDM(2wQj>hfil%qTqs7NI$Q-!KjqdGOHNiAwqhq~0G zJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZqKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiRr7UAPD_F@Y zR>(8$u4%YhrR4$KLTw zNFfSSgrXFqI3*}aDN0j@vXrAd6{tuhDpQ53RHHgIs7WnqQ-`|LqdpC2NFy54gr+p3 zIW1^OD_YZrwzQ)?9q33WI@5)&bfY^x=t(bn(}%wFqdx-}$RGwYgrN*$I3pOzC`L1e zv5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?GwX9=38`#Ju zHnWATY-2k+*vT$-vxmLxV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R7r4kJE^~#eT;n=7 zxXCSUbBDX!<30~~$Ri%}gr_{?IWKt0D_--4x4h#$ANa^8KJ$gIeB(Pm_{lGR^M}9u zBfwz)2}mFU6NI1yBRC-lNhm@ShOmSqJQ0XUBq9@qs6-<=F^EYlViSkB#3MclNJt_Q zlZ2!sBRMHZNh(s4hP0$3JsHSICNh(StYjlQImk&aa+8O=lxi$tXrMhOvxeJQJA6BqlS3 zsZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$t!!gEJJ`uC zcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|yZgYpb+~YnE zc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{3E~+{|QJS0uzLw z1S2>h2uUbH6Na#aBRmm^NF*W?g{VX$Ix&bzEMgOfxWpqq2}npH5|f0aBqKQ~NJ%PE zlZLdUBRv_&NG39qg{)*FJ2}WnE^?EHyyPQ41t>@%3R8rl6r(sLC`l}a>$Rs8+g{e$qIy0EbEM_x@ zxy)le3s}e^7PEw-V?7(#$R;+kg{^F3J3H9PE_Snrz3gK@2RO(f z4s(Q~9OF1AILRqabB42=<2)C*$R#dwg{xfSIybnQ2z-?AOaJFpadg0AqYt*LKB9t zgd;o=h)5(N6NRWmBRVmNNi1R$hq%NeJ_$%jA`+8?q$DFbDM(2wQj>hfil%qTqs7NI$Q-!KjqdGOH zNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5NiTZShraZq zKLZ%ZAO&aK$t-3whq=sSJ_}gLA{MiR zr7UAPD_F@YR>(8$u4%YhrR4$KLTwNFfSSgrXFqI3*}aDN0j@vXrAd6{tuhDpQ53RHHgIs7WnqQ-`|LqdpC2 zNFy54gr+p3IW1^OD_YZrwzQ)?9q33WI@5)&bfY^x=t(bn(}%wFqdx-}$RGwYgrN*$ zI3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKFIV)JnDps?G zwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt$RQ4MgrgkeI43yCDNb{Svz+5R7r4kJ zE^~#eT;n=7xXCSUbBDX!<30~~$Ri%}gr_{?IWKt0D_--4x4h#$ANa^8KJ$gIeB(Pm z_{lGR^M}9uBfxO~2}mFU6NI1yBRC-lNhm@ShOmSqJQ0XUBq9@qs6-<=F^EYlViSkB z#3MclNJt_QlZ2!sBRMHZNh(s4hP0$3JsHSICNh(StYjlQImk&aa+8O=lxi$tXrMhOvxe zJQJA6BqlS3sZ3)!GnmONW;2Jm%ws+aSjZw4vxKEAV>v5W$tqT}hPA9?Jsa4_CN{H$ zt!!gEJJ`uCcC&}Q>|;L%ILILmbA+QD<2WZc$tg~AhO?aGJQujgB`$M?t6bwcH@L|y zZgYpb+~YnEc*r9j^Mt27<2f&Q$tzy-hPS-qJsKlsTne)EUF{3E~! z{|QJS0uzLw1S2>h2uUbH6Na#aBRmm^NF*W?g{VX$Ix&bzEMgOfxWpqq2}npH5|f0a zBqKQ~NJ%PElZLdUBRv_&NG39qg{)*FJ2}WnE^?EHyyPQ41t>@%3R8rl6r(sLC`l}a>$Rs8+g{e$q zIy0EbEM_x@xy)le3s}e^7PEw-V?7(#$R;+kg{^F3J3H9PE_Snr zz3gK@2RO(f4s(Q~9OF1AILRqabB42=<2)C*$R#dwg{xfSIybnNdE~)AOaJFpadg0 zAqYt*LKB9tgd;o=h)5(N6NRWmBRVmNNi1R$hq%NeJ_$%jA`+8?q$DFbDM(2wQj>hfil%qTqs7NI$ zQ-!KjqdGOHNiAwqhq~0GJ`HF{BO23$rZl5DEoezATGNKMw4*&8=tw6z(}k{dqdPt5 zNiTZShraZqKLZ%ZAO&aK$t-3whq=sS zJ_}gLA{MiRr7UAPD_F@YR>(8$u4%YhrR4$KLTwNFfSSgrXFqI3*}aDN0j@vXrAd6{tuhDpQ53RHHgIs7Wnq zQ-`|LqdpC2NFy54gr+p3IW1^OD_YZrwzQ)?9q33WI@5)&bfY^x=t(bn(}%wFqdx-} z$RGwYgrN*$I3pOzC`L1ev5aFp6PU;(CNqVpOk+ATn8_?=Gl#j%V?GO5$RZZAgrzKF zIV)JnDps?GwX9=38`#JuHnWATY-2k+*vT$-vxmLxV?PHt$RQ4Mgroe=Fg+xIVE_OC z>uTG!ZQHhO+qP}nwr$(CZFf232|31bPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;8 z4tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfYJUF zkU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyt za#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib` z2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}RT@6OcdzCI~?ZMsPw9 zl2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_ zRjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ z#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI- zkw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oV zc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZv zb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C8 z3}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf! zu##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>! z$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW) z3t#!hcYg4bU;O3|fB8p%asCsKKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8j zlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N) zehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}g zO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05 zjAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2 z#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi z4}bYbfbsqlkU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={H zkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GI zaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc z$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}P_b6Ocdz zCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=t zc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**hdpgjOPIRUV zUFk-5deDAZhTiM2TcCeFO>}C&p*~fkk zaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y8{u7Wu1SSYU2}W>25Ry=Y zCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`l zkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnxkxEpi3RS5_ zb!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0(cY4s1Ui799 zed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J- zEM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh|9Oei|ImU5L zaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo z$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%N&XX%Km;ZTK?z21LJ*QrgeDAO2}gJ$5Rphk zCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+L zlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dXlUmfK4t1$V zeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UH zLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY} zaFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M`@R3h^<_ll> z#&>@3lVAMi4}bYbfXV(7kU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MRiAHo{5R+KM zCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{GCJ%YZM}7)W zkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&F zaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC@RMKs<_~}Q zM}R5*6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3| zl2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%wl2){)4Q**h zdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO z>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+-Nk(!~kdjoS zCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!VrVM2%M|mnx zkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZkxq1`3tj0( zcY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>ELd)dc+4seh| z9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMyJmv{cdB$^I z@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%Y5o(CKm;ZTK?z21LJ*QrgeDAO z2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk%Nk@7zkdaJe zCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1VhrV3T5Ms;dX zlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9lV0?u4}IxJ ze+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5ud={{fMJ#3s zOIgNpR)oEPH>V_ zoaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAvyygvWdB=M` z@R3h^<_ll>#&>@3lVAMi4}bYbfa(4dkU#_`2tf%(a6%B0P=qE7VF^cgA`p>CL?#MR ziAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w)$wqc^kds{G zCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxGeC7*Z`NnsC z@RMKs<_~}QM}Qgr6OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$Vi1#9#3l}L ziAQ`AkdQ@0t zrU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zznrU^}HMsr%w zl2){)4Q**hdpgjOPIRUVUFk-5deDAZh zTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p(SGmS@Zg7)Z z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK5|EHYBqj+- zNk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8DMoQhP?A!V zrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cPrVVXrM|(QZ zkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_%kx5Ku3R9WJ zbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7c6P9nUF>EL zd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUjce%%X9`KMy zJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%S^g7{Km;ZTK?z21 zLJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X>Qjn5Vq$Uk% zNk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2DMxuKP?1Vh zrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7brVCx^Mt6G9 zlV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*dlUdAW4s)5u zd={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^UPkF|3UhtAv zyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfZ6^NkU#_`2tf%(a6%B0P=qE7VF^cg zA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+VGLVr>WF`w) z$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*DrVoATM}Gz| zkUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8Z+XXiKJbxG zeC7*Z`NnsC@RMKs<_~}QM}Rs06OcdzCI~?ZMsPw9l2C*u3}FdJcp?yyNJJ(IQHe%$ zVi1#9#3l}LiAQ`AkdQ@0trU*qTMsZ3|l2VkW3}q=tc`8tmN>ru_RjEdGYEY9})TRz~sYiVp(2zzn zrU^}HMsr%wl2){)4Q**hdpgjOPIRUVUFk-5deDAZhTiM2TcCeFO>}C&p*~fkkaF9bB<_JeQ#&J$?l2e@K3}-pVc`k5~OI+p( zSGmS@Zg7)Z+~y825Ry=YCJbQ-M|dI-kw`=)3Q>thbYc*bSi~j{afwHK z5|EHYBqj+-Nk(!~kdjoSCJkvxM|v`lkxXPJ3t7oVc5;xDT;wJXdC5n93Q&+j6s8D8 zDMoQhP?A!VrVM2%M|mnxkxEpi3RS5_b!t$PTGXZvb*V>v8qknNG^PnnX-0Ee(2`cP zrVVXrM|(QZkxq1`3tj0(cY4s1Ui799ed$Mk1~8C83}y&J8OCr%Fp^P>W(;E)$9N_% zkx5Ku3R9WJbY?J-EM^HyS;lf!u##1*W({ju$9gufkxgu73tQR7 zc6P9nUF>ELd)dc+4seh|9Oei|ImU5LaFSD;<_u>!$9XPrkxN|W3Rk(tb#8EzTioUj zce%%X9`KMyJmv{cdB$^I@RC=&<_&Lo$9q2TkxzW)3t#!hcYg4bU;O3|fB8p%dHxfS zKm;ZTK?z21LJ*QrgeDAO2}gJ$5RphkCJIrBMs#8jlUT$i4snS`d=ik5L?k8&Nl8X> zQjn5Vq$Uk%Nk@7zkdaJeCJR}~Ms{+LlU(E`4|&N)ehN^KLKLP5MJYycN>Gwgl%@=2 zDMxuKP?1VhrV3T5Ms;dXlUmfK4t1$VeHze^Ml_}gO=(7RTF{bKw5APhX-9iH(2-7b zrVCx^Mt6G9lV0?u4}IxJe+Dp+K@4UHLm9?!Mlh05jAjgD8OL}gFp)`2W(rf8#&l*d zlUdAW4s)5ud={{fMJ#3sOIgNpR)oEPH>V_oaPK?ImdY}aFI(~<_cH2#&vFRlUv;84tKf7eID?TM?B^U zPkF|3UhtAvyygvWdB=M`@R3h^<_ll>#&>@3lVAMi4}bYbfcgFtkU#_`2tf%(a6%B0 zP=qE7VF^cgA`p>CL?#MRiAHo{5R+KMCJu3lM|={HkVGUV2}wyta#E0zRHP;iX-P+V zGLVr>WF`w)$wqc^kds{GCJ%YZM}7)WkU|uu2t_GIaY|5Y(34*D zrVoATM}Gz|kUW_xyE&FaFbiy<_>qc$9*2~kVib`2~T;(b6)V0SG?v8 zZ+XXiKJbxGeC7*Z`NnsC@RMKs<_~}QM}P(Y1^ADE1R^j&2ud)56M~S0A~azLOE|(4 zfrvyRGEs<1G@=uOn8YGBafnMi;*)@cBqA|MNJ=u2lY*3_A~k79OFGh%fsAA#Gg-(= zHnNk0oa7=mdB{sX@>76<6rwOiC`vJkQ-YF|qBLbFOF7C@fr?b3GF7NbHL6pCn$)5; zb*M`{>eGORG@>z0Xi77h(}I??qBU)3OFP=rfsS;dGhOIPH@eeEMhTBSjsY% zvx1eZVl``6%R1JxfsJfpGh5ioHny{ao$O*ad)Ui9_H%%P9O5uXILa}ObApqc;xuPC z%Q?<-fs0(?GFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L^MaSW;x%u0%RAolfscIR zGhg`1H@@?OpZwxCfB4Hk0xa~OfCM5iK?q7Pf)j#}gd#Ly2unD^6M=|CA~I2kN;IMq zgP6o3HgSkcJmQmpgd`#{Nk~dEl9Pgzq#`wGNJ~1>lYxw6A~RXYN;a~SgPi0dH+jfQ zKJrt5f)t`KMJP%!ic^A;l%h0cC`&oYQ-O+9qB2#eN;RregPPQ$Hg%{=J?hhdhBTrv zO=wCpn$v=ow4ya_XiGcV(}9k3qBC9SN;kUGgP!!FH+|?!Kl(F(fed0WLm0|1hBJbZ zjAArn7|S@uGl7XrVlq>h$~2}kgPF`?HglNEJm#~2g)Cw*OIXS>ma~GDtYS55Sj#%r zvw@9lVl!LV$~LyMgPrVRH+$I2KK65fgB;>8M>xtcj&p*OoZ>WRILkTCbAgLo;xbpb z$~CTYgPYvqHg~woJ?`^>hdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P$~V6AgP;83 zH-GrcKLRZBpMV4+FhK}PFoF|;kc1*MVF*h&!V`grL?SX#h)Oh~6N8wF-b^DGLn;ml%ygxX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+OFr^bfPxgFFhwXz zF^W@yl9Zw}WhhHI%2R=gRH8Cfs7f`eQ-hk+qBeD?OFin-fQB@pF->SnGn&(amb9WZ zZD>n7+S7rKbfPm|=t?)b(}SM$qBni$OF#NEfPoBRFhdy1ForXNk&I$AV;IXg#xsG5 zOky%qn94M!GlQATVm5P_%RJ_@fQ2k#F-us=GM2M~m8@blYgo%V*0X_)Y+^H8*vdAx zvxA-NVmEu(%RcsVfP)<3Fh@AbF^+SBlbqr-XE@6_&U1l_T;eiUxXLxIbAy}Q;x>1< z%RTP%fQLNdF;95PGoJH;m%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz%Rd4v_MdI4f|8V?G-W7D zIm%Okid3R9Rj5ies#AlS)S@Q6^rAO?=u1EPGk}2%VlYD($}omAf{~13G-DXcIL0%9iA-WLQ<%y$rZa|!^2*vmfl zbAW>!;xI=z$}x^}f|H!$G-o)=InHx|i(KL|SGdYGu5*K%+~PKOxXV56^MHpu;xSKn z$}^txf|tDFHE(#!JKpnwk9^`YU--&5zVm~h{Ngu%_{%>6Eb*U!1R^j&2ud)56M~S0 zA~azLOE|(4frvyRGEs<1G@=uOn8YGBafnMi;*)@cBqA|MNJ=u2lY*3_A~k79OFGh% zfsAA#Gg-(=HnNk0oa7=mdB{sX@>76<6rwOiC`vJkQ-YF|qBLbFOF7C@fr?b3GF7Nb zHL6pCn$)5;b*M`{>eGORG@>z0Xi77h(}I??qBU)3OFP=rfsS;dGhOIPH@ee zEMhTBSjsY%vx1eZVl``6%R1JxfsJfpGh5ioHny{ao$O*ad)Ui9_H%%P9O5uXILa}O zbApqc;xuPC%Q?<-fs0(?GFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L^MaSW;x%u0 z%RAolfscIRGhg`1H@@?OpZwxCfB4Hk0xb2PfCM5iK?q7Pf)j#}gd#Ly2unD^6M=|C zA~I2kN;IMqgP6o3HgSkcJmQmpgd`#{Nk~dEl9Pgzq#`wGNJ~1>lYxw6A~RXYN;a~S zgPi0dH+jfQKJrt5f)t`KMJP%!ic^A;l%h0cC`&oYQ-O+9qB2#eN;RregPPQ$Hg%{= zJ?hhdhBTrvO=wCpn$v=ow4ya_XiGcV(}9k3qBC9SN;kUGgP!!FH+|?!Kl(F(fed0W zLm0|1hBJbZjAArn7|S@uGl7XrVlq>h$~2}kgPF`?HglNEJm#~2g)Cw*OIXS>ma~GD ztYS55Sj#%rvw@9lVl!LV$~LyMgPrVRH+$I2KK65fgB;>8M>xtcj&p*OoZ>WRILkTC zbAgLo;xbpb$~CTYgPYvqHg~woJ?`^>hdkmjPk72Rp7Vm2yy7))c*{H9^MQ|i;xk|P z$~V6AgP;83H-GrcKLRZCpMV4+FhK}PFoF|;kc1*MVF*h&!V`grL?SX#h)Oh~6N8w< zA~tb|OFZI}fP^F>F-b^DGLn;ml%ygxX-G>t(vyLVWFj+J$VxV{lY^Y(A~$)+OFr^b zfPxgFFhwXzF^W@yl9Zw}WhhHI%2R=gRH8Cfs7f`eQ-hk+qBeD?OFin-fQB@pF->Sn zGn&(amb9WZZD>n7+S7rKbfPm|=t?)b(}SM$qBni$OF#NEfPoBRFhdy1ForXNk&I$A zV;IXg#xsG5Oky%qn94M!GlQATVm5P_%RJ_@fQ2k#F-us=GM2M~m8@blYgo%V*0X_) zY+^H8*vdAxvxA-NVmEu(%RcsVfP)<3Fh@AbF^+SBlbqr-XE@6_&U1l_T;eiUxXLxI zbAy}Q;x>1<%RTP%fQLNdF;95PGoJH;m%QRNZ+Oc)-t&QveBv`-_{ulF^MjxK;x~Wz z%Rd4v_n&|SA}~P+N-%;Gf{=tFG+_u!IKmTwh(sbXQHV-3q7#Fd#3D9vh)X=;lYoRI zA~8uwN-~m@f|R5pHEBpoI?|JYjASA+S;$H@vXg_HI4 zf|8V?G-W7DIm%Okid3R9Rj5ies#AlS)S@Q6^rAO?=u1EPGk}2%VlYD($}omAf{~13G-DXcIL0%9iA-WL zQ<%y$rZa|!^2*vmflbAW>!;xI=z$}x^}f|H!$G-o)=InHx|i(KL|SGdYGu5*K%+~PKOxXV56 z^MHpu;xSKn$}^txf|tDFHE(#!JKpnwk9^`YU--&5zVm~h{Ngu%_{%>6tni76<6rwOiC`vJkQ-YF|qBLbFOF7C@ zfr?b3GF7NbHL6pCn$)5;b*M`{>eGORG@>z0Xi77h(}I??qBU)3OFP=rfsS;dGhOIP zH@eeEMhTBSjsY%vx1eZVl``6%R1JxfsJfpGh5ioHny{ao$O*ad)Ui9_H%%P z9O5uXILa}ObApqc;xuPC%Q?<-fs0(?GFQ0DHLi1mo800yceu+v?(=|$JmN7=c*--L z^MaSW;x%u0%RAolfscIRGhg`1H@@?OpZwxCfB4Hk0<83(fCM5iK?q7Pf)j#}gd#Ly z2unD^6M=|CA~I2kN;IMqgP6o3HgSkcJmQmpgd`#{Nk~dEl9Pgzq#`wGNJ~1>lYxw6 zA~RXYN;a~SgPi0dH+jfQKJrt5f)t`KMJP%!ic^A;l%h0cC`&oYQ-O+9qB2#eN;Rre zgPPQ$Hg%{=J?hhdhBTrvO=wCpn$v=ow4ya_XiGcV(}9k3qBC9SN;kUGgP!!FH+|?! zKl(F(fed0WLm0|1hBJbZjAArn7|S@uGl7XrVlq>h$~2}kgPF`?HglNEJm#~2g)Cw* zOIXS>ma~GDtYS55Sj#%rvw@9lVl!LV$~LyMgPrVRH+$I2KK65fgB;>8M>xtcj&p*O zoZ>WRILkTCbAgLo;xbpb$~CTYgPYvqHg~woJ?`^>hdkmjPk72Rp7Vm2yy7))c*{H9 z^MQ|i;xk|P$~V6AgP;83H-GrcKLV`spMV4+FhK}PFoF|;kc1*MVF*h&!V`grL?SX# zh)Oh~6N8wF-b^DGLn;ml%ygxX-G>t(vyLVWFj+J$VxV{lY^Y( zA~$)+OFr^bfPxgFFhwXzF^W@yl9Zw}WhhHI%2R=gRH8Cfs7f`eQ-hk+qBeD?OFin- zfQB@pF->SnGn&(amb9WZZD>n7+S7rKbfPm|=t?)b(}SM$qBni$OF#NEfPoBRFhdy1 zForXNk&I$AV;IXg#xsG5Oky%qn94M!GlQATVm5P_%RJ_@fQ2k#F-us=GM2M~m8@bl zYgo%V*0X_)Y+^H8*vdAxvxA-NVmEu(%RcsVfP)<3Fh~Ap?@z$CEyuRuKh1NgM9EO1 zkVI56+!ql=gCWWg#Y2V=nTJRTp$t)G9z%u1%C_v9{eNtXK;0JO>k|n%qMdF z2g?S_1Z1ZxIs1#1U44%P|Q4b}^8609HGG`Lx?L9k(P z^I)Uk7QropTLrfcHV!rkZWC-8+%~vfuvxHqaQom6!5xDwf;$CU26qm&3holzHP|}1 zTX6San_$~uyWk$d_Q5@adjcv zQ1FW2mBGQmtAay;Pb&3f-eSN3cehCCHQLaU%}UcuLs`;N0N6 z;J3l~!S8|#g5L*!2>uxSDfn~n-@%2!MZv|vCBa{UOM}aT%Y!R|D}%oVR|S6y{vP}z z_-Al+a7}P+u*`9}{)1(M<$~pd6@nFmm4cOnRf1K6)q>T7HG(yRwSu*S8wcwI>jvuu zHwo4cZW`Py*dW+2xOuQqaEsuU!L5Q@2O9^Q1h)w`4Q?CUF4!#CJh**uhv1IE7Qvl@ zErUA;TLpIs?iy?z+%33!uuZUSuw8JEVEf>n!M%ce2lojU1#`iDgZl+L1osaf5bPK{ zFnCa~Q?PUJ;NT&_F2SzBZo%%sLxYC}4-Xy@>=8UNcvP@wuvhTt;4#5tgU1DX2agY) z5bP7|8$2<1Qt%(alY^%O`vp%8o)$bkct)^)@XX*@!Lx${g69O!4Gs*R7d$_BLGZ%h zMZt@Mmjo{jUKYGOI4F2U@XFxe;8npP!J)ycgTsQ?1g{NV7aShEK6pd$#^8wH$ly)E zn}fFmZw-zL-WI$)I662cct`Ng;9bGHgZBjQ4c-^LKlniKpTP%%4+S3%J`x-od^Gr2 z@bTai!EwPSgHHvY4n7kcADj?;Huzj{VsKJ$a`5@!3&9tIF9lx?z7l*j_^;q=!PkRt z1m6t46?{85CHPM8-Qat{_k&Y|9|WfbKMYO}eiWP${5beY@YCST;H=k~-Uhv!C{NQ)N1;OuwKLmda{uKN<`0wDt;G*E-;F91k!KJ}v!R5gf z!Ii;ZgR6qS1%D6z5&Sc_I=CjdHdyA9x&DJ?gXMzdgB5}mgO!4ngH?i6gVlo7gEfLR zgSCRSgBu6y1nUOt1vd%S4{jRVEZ88}Ft~ZJQE-dkmcgxpTL&8ln*_HBHVtkY+%DKG z*gUv>aEIWI!4|=tf-QqP2U`Vq3GNzf9o#Lrd$3KgZLnQ%k6`=Yp259>dk6Ok76o&` zeS`Z2I|TO+9uVvpJTQ1ruv4&e@ZjJf!7jnB!EV9s!9#GI&(5XRufB z=-@HIV}r*9dk2pXo)GL4>>E5WcvA2m!IOih1p5U~4W1S}J$Od2fAGxUS;4b|1A^xS z&kYU?o)y^4PF+!JUA$LMexet;NVrkA;F=+tAoRW*95N(UKbo5 zygqnC@W$YX;K<-j!JC7(1aA$F3f>mHJvcfzCU{5i&fs0ayMy-x?+xA;yg&Fr@Snj4 zgAWBC4n7hb8+2sI3@T_@ZI2h!S{nxgC7K^1wRZ<4}KJ!5&Ss#N$}I) z%;2oxXTi^dUj)AleifV@{5m)%_)Tzba9;4+;QZis!3DwZgFgg+4E_}SIr#73!r-Fd z;^30tFTth3Wx?ga6~UFkUxTZHzXg8}{t^5$xH`BdxHeekQ@Q?wWrO8{<%1Q16@!(6 zm4j7+RfE-n)q^#HHG{Q+wSyZ6>jdit>jgIn)(>tP+$`82*f6+xuu*V};FiIyf?Ee0 z2b%=92{sLG8{96~EZ97_eQ<~1j=>heoq{ccI|o|@cM0wqY#rP!xO=coux+qiaF1a7 z;GV&~f_n$|2^Ix&!F_}K1v>=y4;~Qg7(6g|P_R?5bMWBcA;B)euEB1>?!iNYhXoH0 z9ue#jJTiDxuxGGW@aW(%!DEBR1$zgN51tV06YLv2F?dq&AHkD@rv&>2PYs?HJUw_u zuz&E(;90@5g9C!+1kVi)44xM}KX^g#!r(>0i-VU0FAZK6ygWE4ct!Ba;Naj@!6Ct+ z!K;JAg4YDE4PF-<9=twyL-5Anh~UWJO~IRkw*+qujtbruygfKNI3{>U@Xp{}!MlU^ z1n&*r7ra0CK=7Zz2ZIj<9}Yee92Q<{5kmV;KJad;Nswt;4i_Y!DYea!4<)k!C!-`g1-fS5B?GSGq^gqCb%|O=F_?U zgJpx|g5`r1f)#_6f|Y|+f>ndng4KgHf;EG+g0+Ji2kQju2I~bk3Dys88r&?{AlNXt zd9YD%i{O^Qt%6$z8wZ;Nw+S{4ZX4V#*euvQxP5Sk;Eur-!JUFFgF6RX1$PPV8f+ch zEx3EIO|WgSU2u=-;Scu=rYuygR>;32^- z!LGq>!S2CBgNFqV4;~Th5j-+@RIq2TSMccIF~MVl#|3)_j}M*@>=W!8JTZ7u@E^gG zgQo=h1y2p07Cb$8MzDYI%-~tUvx5VI=LF9U4h)_bJU@6r@WS9l!Ha{J1TPI<7Q8$- zD0oHi%HZJORly;_p~0(z!-CfYuMJ)o93H$rcth~U;E3SJ;7!4sgSP~44UP)l7Q8(; zIyfeHNAS+zUBSD9_XO_^-WR+-_(1TV!3Tp61s@JR5*!T7HG(yRwSu*S8wcwI>jvuu zHwo4cZW`Py*dW+2xOuQqaEsuU!L5Q@2O9^Q1h)w`4Q?CUF4!#CJh**uhv1IE7Qvl@ zErUA;TLpIs?iy?z+%33!uuZUSuw8JEVEf>n!M%ce2lojU1#`iDgZl+L1osaf5bPK{ zFnCa~Q?PUJ;NT&_F2SzBZo%%sLxYC}4-Xy@>=8UNcvP@wuvhTt;4#5tgU1DX2agY) z5bP7|8$2<1Qt%(alY^%O`vp%8o)$bkct)^)@XX*@!Lx${g69O!4Gs*R7d$_BLGZ%h zMZt@Mmjo{jUKYGOI4F2U@XFxe;8npP!J)ycgTsQ?1g{NV7aShEK6pd$#^8wH$ly)E zn}fFmZw-zL-WI$)I662cct`Ng;9bGHgZBjQ4c-^LKlniKpTP%%4+S3%J`x-od^Gr2 z@bTai!EwPSgHHvY4n7kcADj?;Huzj{VsKJ$a`5@!3&9tIF9lx?z7l*j_^;q=!PkRt z1m6t46?{85CHPM8-Qat{_k&Y|9|WfbKMYO}eiWP${5beY@YCST;H=k~-Uhv!C{NQ)N1;OuwKLmda{uKN<`0wDt;G*E-;F91k!KJ}v!R5gf z!Ii;ZgR6qS1%D6z5&Sc_I=CjdHdyBPT>rtc!E(X!!3x2O!Ail(!79P3!D_+k!5YDu z!CJxE!Ht7;f^~!Sf|~^E2R99F7Hkk~7~DMAD7Zy%%ivbQt%Hq&O@iA5n+CTHZWnA8 zY#!V`xI=KqV2j{R!Ir_DgRO$Q1a}R#4(=A*J=iALHrOt>N3eZx&){Ccy@UG%i-Nh} zzQO&19fJD@4+wS)9vD0**eTdKcyRELV3%OmV7FlR;Gx08f`2=)jb89XZ3GuSJ5 zbnuwqvBBely@SUGPYCu2_6?pGJSq5(;K{*Lg8hQ022Tr~9y}x1KX_*Ftl-(f0l{;E z=LQD`&kLR(ydZdC@S@j z!H0qm2OkNJ4L%xtEckfviQu^4lfkEgPY0g~jt@=4I59XWI63%y@P*)u!Iy$B z2VV)k8vIxAwczW)H-c{l-wM7RoDzH|_-^pM;QPU;!4HDdf*%H_2R{nV2!0&=B=~7? zW^h*Uv*72!FM?kNzY5L{ejS_>{3bXzI4}5ZaDMQ+;DX@y!5@M@27e0v9Q=21VQ^7! zad1iSm*CRivf%RIir~uNufbKp--5pf{|NpWTpe5!TpKKNLazT{*EZZdcjSC^@E!RHw!ihHVkeaY!uugxMgsw;MT#$ z!6w0Nf=z?l2Db|~3pNjKAKW3hW3WYVr(nzA&cRl}U4pv?TL*Uw?jCFtY#VGB+#}dN zxMy&$;NHP~f>2D8JUVzx@YvvS!QR2+gFTmDW|?K4w9kS29I)kn8{Gbt2i*B(2W++Z zejDv~i~Vl7^Zze?=mB@x@7DWmyx%7K-Db~aBYpCA2i*0+%RKl-haIr>!w$IH<_}(O zzs+{tb=RG*&42&@|2=q_0}r_SzWd$&HP74k&HH`vh|_kyX3@dB++)>We&Vl-p1$?N zw|UD>Ys@`ls}py8^8V}3oqqd+4?TMIo6WuU1xI~&%dIz9%;v{y94>SBH@kBvXP(JP;N(lYDKpZBA_ zeICjm>DzBE>+F0smcR2iFTMYTFJ5Er&F6jKwx{oSleu08T{9iOy4XB;R^6zsb%|sB znh(Eb*WC^}?z(l!ryI?~k9+=6U;4uidB%bJZm`DO*VcIQQ+D5Xz4`lI_oe4om%o{g zziocpbJI7|o7;IHzx7kLdYHa#ek?v>`!mv;*Xs}cs2;yOb(^Q+>R|bII`%u?fBEy* znsfd0WBP@%d@R4`ovp+E;2Uag{nT%pe~RT{`kr5W#PY=1eH_IX%Ib}H zs-C=&P8?rf-BiA~eqKlTvE#s|XV1#=W@UBh?|8)B&bnfS73Q{o%N0NW#|~@Hzg~+^ zv3iGm`_(JG=3O^l>^W6@s*d<;E?)K6r?0%u@Vi39ue&bs! zz4E&H^054?k9ppkKK}Q$=GVhdhe!U?-~ZQF|Mc9o=btD0dXbNhc;OCDy6k?}y^o;B zbXecsFYy!izR&&E{L$jaLtNcHKgHF*{F2AMa?|IpGH6hx)G~~>DX9(akhB#y*|I!Iji6Ly7Ow3XMO55i_7olU+14ZI?qS^ z*!xR%bFbr+ZT_^<-A-F?{=B8X=C_w$^P11DI_Es&$D{K|{eHgSm*2K^t@+0@FL?Jy z)}4Pp#gFCTKF{d%+4Rzn-1#GWtULKWl1^Q0o$6uhvw!sBxc%O*w%`3-UfcXw{_$&U z@`BIYbLIK_amTHz{cNmWv*ST$e;3o$=TGhv_D8-vwm3f)$8`Gh(>osg&2)X;^z|mM z`|vlb+x`=tv)Wm^Y`ofBU%zzfyZ-r`NA>%mM;^+<=s`@B+Lyw__^@e!-r^=8d? zU3C7aU;C%>#GBRO_qmeuw)c-tUUQ$f)6_*AvvK>` zBli5^x@(>Dt?ReWacG^o?Pp{4?05HVUB8|~pc6TV3Zf+gzi4 zwO+b~vbx>Rezkv8-yHPnsv}RlnV#SAXXDn{ukJs}SI0b;GiIk9~4wyjs( zy4WKg>AL3!`EMP{y6f};nzRz ztLvP%<7)HQRri(Wb;r8whqyd(^~KrZy)SgwbBQMsKD%}75s&hm|JK|2y)Rv- z^=$iLef;uWkNj91>pzOqiI4Va^!{Cab=c}PkM^l`ZL8mYw$H(PU*z>%eg4vUA7bCJ zKIW&#ju%_r$mUnK^ZBtj8+RRkuaEtH%)05!$ySdai?cC(?~6E=Z-09Z$49-+lYjhQ zcG_v>ldt=E2mk2x!}(0t`>2n;eg1Tu4tG6$Fde&p{?&0h`(a;uzeaiTn@4)<(?=eE z&!G-~>&5xmnBVsjx(?kGt7A^wes75s|#?|XQes$Vz|0qt^Z2b$(>pCM_-R9O$ z#arL@D4%~yPd8%uTkL$*$zNUVMspW#{rFApu>Wd{eGkEYPO*Bpk30WDd7;+3u^ ze&;zG(~aurL*F|2boQ4X)3Haa4*kgH$G)fDpI?aU*Za_McC&d#OfNoVo2T{iaO>#X z-+Fel{PvG*KY#1{YU}&Bi+4Y|j?;PmW4DfteNLpVeQ}=B@niLIU&s7doe|TSgHAs- zre{xa>wPc4{bRJ=S?l(k)}e2+y83sVZ7%k#tUi{5T4^>RGQkZS$K8x1TMa4v+lu%)_SV?>gf2*ynAobACL` z``7O$(&@*(zN{WrZ)A_=lsColF+E#fEZ#g7Z++XN{E=V2c+cB$Hl}C)Pvt(Zd%Zok zIPN(6OK-jEJ%8F^xw$_+;-_aEbpC4d-#hJo^dlbaWA|@e$J?go$0NV_{5+%A!ERO$ ztJD3&r&xXY>S2D&-*x%vMocHab>g_=Y;oN6*m#sDU)+B1H`8Hp?_<3#b)3#T`mjf= zj=0xbcJowSb9CLVL)SdYt8lNKZFn{YUYUUq5qqot}$MJ^5HZ8#`{k zN6Z$-qq^e#JUHq{-%O9YAKSXw^jKXs=5H2PPyLaOpH4nM7Pqf`d^%76_N&)%^~CjK zWA!lqi0LpL+w-3LiMjM=L z*p5FNcb-1j?-}(zb{@M~9sQ=b^QZLxQ{&E?o{xXleVNjAJ^Cp&7ae)Td`-+Wk{y|mcR6+GYQkNNd82c{EeyC2Yr zWB%TM`E;0H9{-e0hgjYi>Oo%g5fYIv#Y*J-4_z z=HQ=Vd99nZPUlbMb=-Nir2RXOZLaRekLfW#cHMbSQ%{^NznRW?MUUy}*y8+c^V>f* zrWfzJ?2gM9Z<`;ByFQ(t9jD{RBY(%Or}h0D-`A}?Y`yGRSzmhdv75V(d@O%tx1S#S zInQXn>87~*Scklh^N*Om*FVzp%VYn4{Qvy-4E@~Iai7|^j<>Cj9d^Esm`*zAl%Nxb*r+C+w-%QWX9xujQ z_KQ!kJnVbh`pFmP$DT(=aej5=@nicX-g@!&%jd`Hh_ky6eY3pw`}=#N_Zj+N&mZdX ztK0UJe-u|oA37|~cHG#_&MW?|>+_`6>C@c#>W+9;z2n*a+Ex#b`tr+X@uxZNBz*y|(qm zozLIg`=xH@w@s&>`?B{h{J8aO-1X&Q@zy&ZJMR6e{ANE#k>~qEt(&sV)7*LD?Qh#W z{GHb}ozJ)Xc~gAE>UH0?>D1{s|Mg{kaMv68>BO7Gu{e8HmWOA}vtRP2Sl!lbu))=z zx@zZT=a#?nK2N>JQ`esVyJ)RrtAj^=arYl~bKft-r|OP$-VeHO*e5IxkNVR$%j0L` z_M1c8y6Bqeuz1_*_*`GSS-#^SkB;sBM&EI^IF^t3u{`zJ9hWc8Ha9=^`6Ij8>$v;5 z_^6)vh|MEze%x`kepo){cOJ?U$3EZc=Wu%aF`9=T%ftMh-}MzYCl;S#`PN6zuO3_6 z>!&>NK9Bg#zffDh&f{0NZGJ4Dj_o|8vtBlxJbv7M`TX{WtsbUlH@iOc6IajAVcM^6 z`{gy8!|{{PZasT6m-Dpq&7*$TF~_K`{LW)z`^J{%^Ez|sLx~osYyq#~p_Otss>3QVyWBFJe`YG-@tyg!%-mi3?x+Cs-bm~|~>)7wxCBN;~)3x8aaO->y z)P8oe`ncm>H@aWnS4R2P+1&cJ>Gj2}YuoEjKd;bDaj&1=JmPKh<0Z|LkJTC3{MbI3 zuk%~SZXV^)iR;6U#o2hh^}e>x{?A%|&fou|8?ijx_iO%9KEHiokMj6&>-ncxp6hY+ zJgW|UUsvL|&uf0HPTT7C@nVb1$6d#L-1DM*`%90-yI#lXMs?^%EKi-*b$`djy6IcT zudaBnpKioHKXLr%)MM*oJsqbLXJdNYI`!#C@2|x>UtRHL@y;9R=zUHx(((8F{LSi) zm|ooHwvH>mer$QT<81LMR=4xm;`Wo@?_2bJg-)LS@~}9jlh2-F`FN!7xci9tU5DmV zM;?FA*M55W|Et(sQ~gKtIuA$r^6*Hvq<(dqZ>V~wzhlew_q_G;bN)_CvZ0zu0vhi_1Zt0PhR)$d^+s!x3Zh%<5}bMSRNbuxr+D{Tc7;a zi#tDB$Htw{R)^jCw&^;LJ<`kTcz-@chg)yG;#hxn=kZUmJluNEOMQOQk60aXcC&TR zv0FE?Tdz**J%?C_JbEmzqUY#sfGeU4`T z>D0&k>SJ*>9Ul3`@vJ)f8=B37^<(4qv!{3}f7X5NI{HpMztZW$UQ%}cm28QHb0(<(~a0Z z;*pMDzY)`QJ@5P5ua3N>#p>c&>$bj+f5%64XVs1JM}BqfBOd8TesxB1{?^$KeoQ}_ zXG-ViIHP>^Zzwij^Hjej)lbzGU+8|&J5G3^bL#&;ovrVNp40y6(|z6F#OX2r|0(S6 z>hya5r|n12<340=?{nC#Z@;+fP<)E%@sxgP#m(F2^U|uXjy~)urr+XC=k55>{VrYf z!k2FM$U8mj%0vJl9);Xu@jN;bk^JY5x z%bt}x&*vxn&HCg1+=yO(->>M`FLB>*WH)y`eMf%ztz(PJANj?b>G`|flx;ucV|nU- zZ|^P7T>Wd;Eb@Cy;#gk){J+nO*0ZtCE7|I{&2PRwp8dKezrPQl&WP1-cAly0`w!~S zi`xfrEROjdm#!mDk4Jv5b9=t<*RT2YudZF>b9j2JPuu+Z_+As6o=uO%M=YSOoMQJhYE#I5uEM?acJTt4=5Bk>!G_3NLL_P%s~dDiK8@VlfWI^{-lkNEYYc6{0zH=h6ZTIuvr4~sXC;`Y<)iS@~sN7r#W zar!>5`o5=5--p#(D0e?|sM9w8l5(FHOIkrp-Z*;s#ZEIzXN?I&Aa`|UTTx3AVAU!0zfzgb=%H-7cIj<|Ylw_p6g_0K%qtN4*MCZ9 ze*H)KS?keF)pMP8Kl%J^^EZ#`(RJMUqP}@Y`yo!R?&vttFDdu=*Ym4u4)%zzeAF%P zw)5?lopb-Aldm6tvpnm!Pi%GC9_wy+ug+Ox^~FAiAJuLD zQ_g?pr;a`QvPEa#`(a0{cJQ@}PC4o0N4;pi$4}q-;oH1rr#0sDd;Sxi zv)Wm^Y`oh1bMYuoAJ>8VHoZ9J$F6ra_8jc}#C-n0p4VNk{N^`@I^vig^EZocar6nN zU3Kex4)e}$d~2mwt}|yYae4f{*Ue8iE6c+^|6yaVpVsa38+|%Xht=`%Gcv(Js@d|oHN^^2|NfdBjNL(@4Q>GZK){;uD)dh#7_ z`It^VmWSyvzkTQL<4UKl_37(4(D7r(hmGlbzo(vq%%M(Sf9hg7_7vamVV7Tc>M_?{ zfA*#G_;JVCQ~kvq2YJ_*)m3N8b{tyoyqn5*e$(NRe?C6=yjgrSPw#u*x8>tLPdcA& zip|q3kNaQE%wp-$`gdyZ$`_OLS_dg*fW??XGTj(nd_j&!|0?$7k@zv{V;z3-qC zAFW$_bibBIXC3tRt>bifDo)pP^N;v`+w8IDA^Wd5=RPW*zV}faTOZq;Y<2p4>g&SK zyXC2ad!P8#VVg%^d2CG2#!ox$DTlr7AuB9){}Ep(>*ILa2X(}oNBbbJ*U3L(^*i3j zSKRf$_WU_-*YlhDcuFU};>)hO@#}uO{QT#dj+Z))ul3YBUJ&!pq{PMAN zo2%DF^XLrB0>6`mL+40eQtux1zUq3qg$j=_tlQ&{{&8|D^>A1dAbvxd5?0fsW zFP(by>}LAbv8Px)IyN5pyDwdHKi_x!7Ms4}Z+k!UvPBNz@pWcT+sr{>j%j*azUH+!DqZ@s#h&i#?z`PMpd_vv~2U-v23N&EFtPrUWc z!+xD`|LS~or&vEa$GOjo?rR=@?_V8kpVXDlZk^-P>u6gZ_I|AEirXLY-d8$tcJ~#x zZuY2Nub*DNKFxF^zxNA0AN?p_9MfI!nSWmO?t_+}Gq3m*cYpQp=sJ+sI`{dhzVg(W z*Z=EtUe6i)-k-7MVfDnFFKlu8_KT0$`5|tf+1Po(rqd6LkLIDfzC6`Oe8kpc9p=TO zJadbCz3KahIM!!$-qER#`7ysa*|>G=5!;83tB2ih>G`MfTG#d{pPzojz3=u}zU!8a z=?=eU*WC^}ZjJe$3)xreRbPK`tRALgW4}-2eFEKRKgH$uebxNpZS!}1I`iv;<%zQ~ z9q#9kk&gae=YHV)C*E|0Ij@V|htBJ5*JJl_k=IPm&(_!Z!KQPcwO`%`cRqdR^V4H> z*{xHjj~ktN*z{db{E?eoviIFywZfeJ>U`^Ozx-zX_|;{P<`Adf>?f=2^sQ&EGJoBP ztFMmpi=WOuvYThUUaVWc=F2a6>?=2Y{z~(obLk_GEss6L=3i(YeZOu`^%L)Xw7(s1 zoj7*hn1>(pV}9#aACGkW*!iO#7I$3O9cSbHzrFst7w@^^{P%%9pLM=D=}n17VL?J$&rXPJH3+Z(niF z^H8ss4y)_<)AzcZm+kNKPQ9+*e(@=m*M0f%RGbd$%U)7eXUEN-`}KX_xBUF~WR|p^ zJjcQN7=7$F9TuOm=|(KSnV!FG{^nVAoj0=8!*p%?yPxfETYmEo4t(TuANaA$7k%li zSH0&?J1jTneni)G*m#RA|8nXMN31^oI?O*}bq`+cq#tegtm}TS+<71_-*a61Jzu*X zj=RNPPrTFjSD8OA-CyPPx<=<0edn78yRWrQ{uHZo-nq*@Z|~DqnEzf6zjcj%Z&!VK z`(a)3{XQSvf#>dY@vV0H`yzI8zkYSRZO4t@`x7?yykTxE?!L?Jc>CS=`L{Xz!4G-d ze1-Y*&>Z&FJnCDw_ciKax+%6F`q4Wd z*y=Wq;^wATpY6EvVRyX!+x&B(u3My?qsLmhX6o^Y^^Y^VaF3|LDA->$rZ+J(vD;=D;1N zYo+_`=ZV_uY7UGzt^FzxIBLK*d6EhJi*q-{>pP*n2R58|ASZk;fyP; zoPQnVSGVmczxhXboqyCvzWA)yp1IQe_c_GvkK@Z0Z}z&OFQzkB-_O+*mq*8*mGv9x zNAd12f28l@Ins^%>f`R;c^#K`Lvf$Sv-at^XU%Kf^{q3NZ$GEbGrFZUpShaV_j4TA z9ltr`@i$M!TkpQr{K` zbFbab*?pDy@4@h6_1XGhe$3zO_)Y0NXVO{sl&zn6<>||IUaQwk@3_gs`uI5yzw^<3 z!TF({Jgl#I*&~*R^=-X)`{~V1$Iou|eoZ~=VYhzdryIqm{Pqdco1fi%_!r9RV13!x z{XyJ3;{0rLu<>*5d%-bBe(CZ>`+VVttK473VWOo!EH zH~aiYK6XE(=g0hg9`c*N^{ywn(R}j!+`#!tZy(jc^4M5karMke=eX1Hh`Vp7 z&rjF+?vr%#TgPtx%m%Bje$k&+ng6{`b+G-C#}>yuA3dh)b*bk(VqG&UY(eW>M%GRsQe}7yZJim|s`u-RHtgH`q-mMU3J*{({)|`5qs{_UtM~3p9kW7UeY&Pw>)w7XdU*E4tG93wome> z^z!V7=WEZg;=RA>V*RWKi?^+=dFlA4cvMeb&(rm%Y<2WukC?8H_eejhUtRis-r{d| zyxQM(*B2l8#g`T@?fqI>b1i9|Zyk2zM!Oxn;$q)3?(=O)>v!I)`?sY1od@od-G51K zb>%x>y>9ZGTb$p0SsgmBPjpy59hUDtL@&;^&sbc(zWh_{=hUNpwLbkv^+)UK{&ebz zo1ZO?t(Q%QJx7S^BW_>WbR*vAq-|Ed$%ZSu9l&!p?WKH>`QoQ@9kZLw!OtGCdFU~}&)Gc>=&zpn*gmIXtHbX4{JkIi z>SNCz>d@i#>p$YoqqE+wM^EQGWz+Y4o4;8-EN;ECa_4*ApMT%{ub->XnHNv>u^;m3 z**&+{5B}!PSI7H%dOEgwu|D$YaL-LAzw38B`eu3U*Oz~Ey^Nj{<&F5XyWj25$6mbB z{NKk}^U9NtJYoCmzRx$x>$zU_w9Srs*~%*~_V->|=k?O-PG6_=_OsV@>e~0-^!aD6 zyx99rbIM=w8{2;1(d)0W*zci;(_{TGKX(0ztHV!+#oM+Xbvn-Wxi-7meS*LH@#F5t zKVrve6kk$*&oP?Y`ox{5Q`eLF@_J5je%D?5#nr*RFY-FBF28zS@7c~DI^2Ee#eI&c zUe{^8Jo{>H=OcaBk=K6uo|BGWpV56wo#wBfc$b4OyW^_!_mhrWNBhmIulqIIT%EU2 zTYvqmTOEFV+4{5T?GJx5-K^|=vgaFl>awx9u(`$C?mBJD!=t||AwJ@%x;>ZcPCe^k z|L?}VzW?3kU)u9JA2$5@(WigzZ!6D#A9QK=QBObi4aNF6U)lOO4@OLf<-7jb&GaMI zZxkQ-^$}O6uTOE@dF{79o&)G{>-n+!G@IUB?(60iZ#^5+slyg;?zlX}GlVBb(oI5F7V#RImAzLoa&v(>DIgqHWKA$W6a|RQ?{;`~Ujt zpPsw+{O?!MtINjxqxZ+oTjy7whdt-$IO~V~d|v-%ed(L^mDhb+&z8rQ&sK-d^No1x z+2&>AjaUEUOYZ*cmFN07LL7H}_dj!VTpn&+>)Y=8kmK7r^}Vmthu?9OH)89N=lPx8 zdHlGK3qO|6ZZ<#Nh&ykj^S-Y4t@m}5-=FW;*Va3)_?!tni*?XDkJM|{x4F+NdFnRL`nhcP>AH?f``Pl@*!jZleUR64kL<^9_?llG{k4_n z@AvB3PkH=o-2Lb<-9p*^$kV6a*YeY0{wY4>4o9B)tq-j<|2;_cJ5Sxwy6D}P*z{fp zM(g6I@8hhVIhw_>ID5yRY`^b!_PFkIO6#Q4pWW;{QxDUz&ClOFip$5X8~N22XUpfu zBfq$O_REic>}Th8S#|#Wkl(tt>3Uz)9kD#DF77<%Rr}@Rj`BbH~s>G(1Ky?4FKu^YYNy1y$WZf-h$b=j_;*0Gz_m5=Gvr{l-s?9Ok$ zc(b27(0ko?-)cR3USGdg#7~E?LKd zOWxn8({u8hqq(1(>CI{VZ25H9{nY--!*pzQu=tYNUAOD`9zpBa^v)-9h_mV1wm;(X z*sT}GbeLb>h`TQxKim1j@4h9@&o&1en`^|QJbvsvRfm7XbmnlMYk%j{^Rq9w=j|T2 z+0Ry;|2)_{;>|uU(oa3M>t3EX=68LtJI;^$xbS!0Is4pukDGsZ<@tYKnr?J`i>q%P z>bBi_y7sfhdtdo6eY1FT>ppUe%ii|tH(mFfDQdg|mOsVv>Do3w|A^_-8FA;+@vGDK zVe4+aJlt_M9_dE@&ZEN}XXBA>3f2YH*SoGLyj=9AS z$1FGJ?{n*GALU~|-=M?vYD8D-M_P^dYSvP;%{O(uc>S3R2vgNUHKR_?i`Az4Go12Zh&M2SX z^`xHs=B_V3b-uZ;(A!tX%^bLO>}JQwTvP11#CrAXJoC98*w!(xuk&9$`kt3fhxyf& z-*eK*!}8d4eV(;nAMcmM)#>x0`_N(ee%|8W+2im0wnsXCeXxA%uwL;#Ke`SZtH*8@ z-}#%D-v7cEuQC65x#KkYet+3pT_j9Z3McnaZH|sz0ciiiN=LK;*dL6fZy6(poAF=h> zAKd%m`d1gL%bwy{_2wGYo3&2oTNm#5LhY{8cCTYJH^1}NalnqZ`S|7GsrX1Iuj6gg zO>y6cj=ItAyZ&aaD;D{^^uAAYJW{efey)D`htFR3fnQpE{`Xtu)3dG9JeZE{JeAi>C$G8pTfX}%TOM0n zeg4t)(fQ`)$Le7I<^$h%?ehP4-O6+Qe%d_r=2Q>UVSai1Y;o&jV>&E<{ytPc4|QG9 zse^le=Ii|HIZvK`^4QH&@rCL~^+x`+o_*vI7i~QI_xRPBb)EEmJ-a`M+ebFG{=V+S z&B3O3ALOUQbmIDpI}e;!^jIEyibr~W_aV<$<`6fBIrS5#x36^K^5xNs<9?lxM=#D+ z&-KpkpQHElk$&_e9_jqt#_#`kzWKcGQU}wE(|do||Bi_~_bvI(OH3!u-u^9D{QMs~ ztUdqwB97_W_Vc)2r{kh;=e0em&u{&hU;Xy0f2U)=^Zl1Uf35k?$*(@8y81hQZ1-C>R^RIz=C_w$^P11DI`_=m9(LwKFI{eazr|F59MJL1^eu>NZRf?T`i1K3qkWxq9kc3s9^Yqa|3YnZkLGB9 z+dqH9x8L%my;oZ7JZ;@V=c0e%&2IIG6SrDv{(i+j;_ln_D6jurrjd@nUsw1?e8~sj z`ut_TGTx^py^gwHua}Me{On0Te)&?&{Ckc6dM=-p zd*9R><%|1w)!gSs`YHcZzJ8}YX^(fGx6Cs0>*L2$eMa%A{_=i%_;)v2d7JBw_tNg$ z^{%~gl^4DJRaY(2AGeNwp**U?|Gg7W+G3LrU%OcUh4z`!FT33O+wQ;Hb^os1l)mHU zZU4yr{zmV9+r>vL{NLAHXdnHzy~%A~_KJsGJOA$(P1Tu-t2@PBm+0Eork#k0BmYR(`%kAI9@RCkJi3uz9FKHUesOj5Zx(N+^Z6rt#Pao} zvwv;VWAQ1r-*oD$(@e+THov+1b82yUc;r_{oZWfiOUmj^t-t%rvyb}ow_Y5N&Ij>@ zvcB?0Hb0)ycU)d`>)6fqx%WpsdN$^tVs+`{Pci+7JAb5Wzr6PMoNc$BtsXtwdC1@U zEFb$^hb><{{(m={zvp1%o=e`8-}7bbM|FK(Oi$M~zy4GEPp1yM>$FYR$E)km-Oy}4 z{n=Q5|E|}!zjo)3J>X6MT(s#AFMt07_Fnw`tk20iUmfdaH#@%kevZcW^C|YM?0((r zRBxxh{phh@x$?TtLq>J2tLu#P{PJ-7+n!Y?5AS%y1sA+x-DT$AcZ|;Ct}nm2b^ac; z^|yXx+kf%4`KS0-UwP6??s4B6&3|r1-*fVhxb+iiEF8_n-?$LU6X zaXjif^2;0X2Of69YNvnjy7OS9ThjWyF1GVxy|bVD!An1N&HU$G;-fjH;__P8_DIK% zKfKqczx>3juAZE4R9~HDdOV8r(_wzx{x|RU#UoDJdG>u(XNtSeNKfayVdIlm-REQH zo^{>6j_R~ue)|_{PrbhA)7*W;+do=2ojlh88`HUu9kSW_N9}cwe=K$$wq9TPU7x@6 z_&cA!^}T-`pR&!R{;YlJr|Lg;xu?D2hu^(wk=JegZ=$~`ygVkTCEzi92 zpZV3JcRl+ZSIz&tfv(q2FV6Oy!xry+{?@V0Mc4Uk{pjS6>?yzfR>vI9YrRT|N7W{*z(lJ{J8y{Pv`um$Kq}CFD+Jo#QKP{r`Y>x zdA)vqb^81kpOw|Y^4R~YxaVMFbG6MsVtP!s+a14k*VEVe%lzwi$LU7g$7!US)vx~) ztEc}+PdDN|k48GbudWXrd&G1jmN$yGe@bsZI&b7}-T!L4=X89m8=G@v^JDrEci)kY zf4eJBy8Qgr|GC)ff7j8!S)CDgoso{;>w^8_*O$G}y7ES>J~jvY`t}>;^LxLgpE=v+ zAMt^Ye)u|vo_O8&zUcJndiI$g%Ny}Xr`{;9=jb|Y`>zf^8@HdW4;>aC+5FA^eYf`i zPqi1i&eo6CMc3SV@%C?X%WIClYU4{6^}nM=-z?wvo4jAbzIP*!zF+4?=L7u|tB>i~ zxX*w7*0b@H?!mXe@TY(H_$qVWN62f|f2v;RP1$~rpmqA-j?Ze3^4mXU>v!Mvcl*^j zYpg#1^8^0Q=f{2DX?v9K{i-@k%If<)7{AXoYdznKa~|}0-}Y2p^Su6XUtQF57_pqudF%$?-0_7o1=N8lPB(bT=MxbzdY=7FTejr*G#Y8LRmd|zJKrc zs{Fnc9j0%a-+9KS>v`KhJdX!|H>>-okL@Gd_W;?CvA({AD-Gzw{gXA8_2| z%g^=SL7{iw(#Lfr-up!7y6ZUG`X*mz>i3t;tq&Xby7~1pKfmK(|E!)7Z{LOTJ-__@qbmAkMzq#`|-gckA9bag@k)Gdi z)`x#&^Z&cJ=lOT_b>Ez|pE;+FU)LL52Yp;RZ&us&+%#oA z@{;DwTA%L!ZGEf@Ti@usr@Nt8|NXzc{<;_Mx#Ila|DUy={8{yM{W{BkeR)aeS<<{4 zY90Tp?-Tv}H##nTKkfanug&W5vzuKP_JbbNkL><;j_K6J>gdB>QeIkhx_{4WJ*{hd zR$b>!*?qjH^y0lg=CeLFZoN8~jy=UAJ%69q>b0LfBC z*qzsYdMxhquij5_bum9ZyP1B(J%{{}UVPM7o_%Fw{n+YZe)ZYn^09ccxH+&o^dr0d z^jN&P<89OPo0ET`tj>r>_2}K-=*%OI#o5i`_IXsN^Vss)>a<@R>*I4Hw)3ZLc_XG5 z*B|q@PCq*F_RFUe=Vy!av(;sb^EbDy_2Tk;E@ckKq4VhZ)xq-FSYF%h@49W%^Uuoq z()XP0XLlZdGhNr^pOyW*O`TDnuGjk_KJu$e*S0)yHXRmkcK)=#ZFQQT_Ujj~^MYGm zx#*5Z-0iF@R#;)q-&gE>`{lW?;|sODU$b7k&^l9k>z$gLu6e5dD6Y;ZzNCIXXI;|# zQJ(8y6kn)+wEl&DzS@09bz8@_u7&2wUs|lcpKEqq@%AsN-Szx^x_%x}zxPT0lCtLo z^j+w)xnYf0QpykNGh_?*9C(Z+oQUUnn1YyXU;| zwVzmV&UI`q-y2}7YaZtpTYU6$8u2CN?&t4ZkLo#IJ)iYp-ve@<_3H{97T34?=!fa> zscYYR)90VP@|@R8e(PiR@!+50?%Q*-XJvC>bNYMT=CKcS{CKo){N^^7JiOYK$9?uk zZ&+#mJT-^7JagcVv-MMlt-6K-7xOp!d&SP%u0yX*vpAODI<`3G$GzX` zisM;z^0Dj2diinhZ_ml5XPb-Nadq{jr^E8a<%wf)HlFf}k60c54nXg7+w|(S&5x(z z)=S^}As^GpYd;&)O^~KxIR*#L<6UUyf z==j;#b>sN+)8p>LZti^RqU*T&cogsX=tkW2=-SW5bW_~=wmaYV&-hn;@&k7M=qs;S zbks+__^j8SxzhailEp{t^CbQ3FB|jQcec3tY|L-J$~q`sz+yTw)oQG z{yXPWbHr`MNGT{azC9e%cWGo3zcI<~&*@jEZ% zV{vwK$JyBTHr4NWeBRP^>G;{|@>>sEyjlK~PTol0`TDn>t=@>c9v%Paxw7lC&Ex!6 zN8N?8eD(W%Uf0tfcYMCi?GHZm=+$qw*zeo4p6%a%HIMpiy5>Ib=tpz3zw62G{`}3I z&u$%iDn6^uzl-5Iw=VhoUI+A@mDQtHm+d~y-+H=^v+XZk+jPzPv|pX}&uYuZ@;u+V z-pnaJ>pUZ!I#b+zM|yL1oPSiO*WI>yBfmJNn_|C5=5q}DBu~B3+^v^~<+E}7*(26R zTpc{}i{sX@&pYUnM{oDU)ra55w0?E4x!6m}?iZbJzV94Qf@73MV=Y`h^ee4(8I{4X3i!MG;_pWQ4 zuw4Fqw88Jk+IMw4FR*d1%X4by(~sDBBG2(=%d=k0kIm!y9n~?XI{L6NKUQBqe&>}u zed+k8xc8Y}ohkP3S^B=R`Q&vycF)^+^6A9w2b+#9&fm8F;?3%`zisDF`)AFU*LwEU zobpGyDgUUCyir`=5&L2Yz1H#T z<339#&c@~yAK9)q@lig%dYHfSJI-#luJ%va{=Edc?%#8XPwB9o=V?*Sdw;qq^;9r}#p->)p_{`Ic6nUjL}B z_i6n;%j<8?HM03ftp6y^Plx&Otp3)qXWf_Xx8nVOcKi!AzjDz9pZVui?>=bx#Xct= z{hV1}tS;uq{9d3uH1wtwu_^J99<-+AV5 zUEA{bo4by9=b3|^-FkWA*!#%-Uax$|jV(_-ec2svTb+^Kb6UsM!RBH&`+JT0;Za?2 ztX}IoPRCEr9>wXz*_glCy4}|<|M1!CKJZJc&#^n-@##8rxaXzkAJw75>WyrE-1^(x zbFbab*?pDy??LKMht0#rBfWU{<+rcw=20G<_*5NwEU$SK=f|VGj@uV{@qVAz@l#Iv z_)#y~cC9)2@<#hFt`1%2i_>HNS@oUA_IE2s*M&ax-H*Sy^Tg$k;&kH8^1aTD^izKK zgVwP}-1AK799Ma5kMjAgSAO#!AMw*O4my9e`SVV^^V_DIs!xY!)$1p3p*)o@Za>@Z zIoqbk=3A&Oues}VoJ}`kIy};~e^xzR?+^cvAGpt5Kfn8xi|%pai|={XuWvNx?-q+U zyRWyu?S9Ve`OU*Gf8-Z;A7jgxH#%SFM=alcr|Wbd_NbmXreo{JKVo`J$DWlvPxSZG z&7sa{-Qx7vJZ!9vxP28@ubE!HI6t-yHtzat@#axnfBMlJ{LSj}kLo-~|B)frt^U7x;LJ$mfAZauqo>NL|g)3v|tkxqX+l}9%#cfHON_x(-#<+#z)HCq>* z^NUWLjp;G}h}EHQmd8)ue(P&Lz5I@|@!{9(y4yj=tug<;%zmkZ>DA?LZXJF5?XP^g zW^wtLu5Eg8wtoDxa@S{HvgKF4dHDKk&i}sbto4?b&hekMp1Eh$k90ow5Vyax)}PXi z;{1*y+Z;=qt*h&HUpAKK`0zKY%kO>Q)c0oS^-;%l%f|F0o4>j9x?dj$`u2BS_DC03{0p~!{3dtUf3^ANo>9I$ zbJMXgT{FGo$EK6d-%Qv3k==c~{<;3-b={t$)m)&vI`JdPI&pA8ad2fBn#zmyKK3Hr;3ralf}@?%oIa zJ%{5b&Nc@Y$4h!YQO}%gb=m5(trMHm=e+dRCy$OTUq38g9Ctl_EFbfCKYlEZ`KRiL z%fs?9zw3UKXMOgm^VwKk>^Qog@Q?b5&&v9$$6hGApLO4^qYs|a%WoaKss*cD}IH!&827b>xkhekyLA zbe-q#9XbwlBepN^?>v<^+E;O`j(qhxKC<~oto|s@Pd6*OUPkkd>iqnwS3cyq z&$w!lzn@~==I|V)e%I-K?AAGM;_9=fcuL>>*y_sXXJdXm^7|ZSbUw+)`m;y-Ag*uc ziDSAxUQ>DE@*Q7wo9V4r9;O#(kJ!B8@r^o8xS@YzpE1w^?zw5JG@9&*CkJZ7gAL;0^e$C>|-KXOtdsN@|xSXHz z^}+JRM@)xDx=~$z*Qb2PRlJ#w-}!G2Os5`O9v&S(ae2+^(zQ)5j`^F#o9X!5Zhyzw zK5u2qYZk}iY|M}Oar@h*!}gDj9Z&g~pAL(&n>)@Pv3!4TlHF{6&)+?t`uyy!!yd)E zPwV=65+CuXAH9EP!Q5D0vpjzGtSqlte)~uBw4RN-4!h&*?!(`C{MhH(?lYbPI&XAe zru%oXIrZyx^N)C;`ca+s+fUr_rDeOm)YETC*VX%}ZnHk^Z<`K_x7~j6=GL)C-1%&J z_RH71@|TqLZB~z;joWW-JkoVu>%-xG*+oL*t9n6|HsyF5Lds53^d7r1=WE)o9@Sr{|N71`$~Q+dJwMyu5x39cY&y0$|B|wL z&JT5Q*KPl-wmu7G{q^bmQM~v?w?zxus>+RCsM|0y| zcdv(TR_=PU=FO@zpTEoA{lsUjH>+-R9J>FgUgx(xYn@U3DgV;m7xOM@-Og*f*VFN~ zThH$6k$-8i<2af}d`bI_>Z&(dAHRHau;sHczrRo6`+@w;oyW%XY&`OJoNmMm)sO1@ z+x+!C`i1tjUe}*|e#}4O<8HCn6Yuo>RTlgEPOVoD_j$xW%4_{d*LB!a>!h2Nr}~fj z`F^TC>aa0?bH_(Ef3td1emd*Go!384>$p1neH{5QJ?3u~-~E&`&e`IvtIhu&FP(Ym zru^bqK5l>473ZJg){ks{Z2#2fAKCmPmfuXz&z@rQbza+>9ly`ho^at+i~PP_|K7{2 z``+{D(@fWO>3Z&wU%q;DY&@%u9{20*sJ_p~^l6>X=lPrUYgP|;oULB#_~|;%zoa~> zH}WrOpU&%b_4m12KeDgyoSkp3W;%Yh^Bj-nlqb%{>WMFuy>6(ZF6K8U{}h`;J{ynx z;$5E~cYf$ty5W53jCmdD@r$Zvh(xbsIgf1mgK>NR)V_c>ZOvU_fJbLTrAbRF-x*dvy2{p{Aa zpY7*!tv4r~IJ^7tH(O_O>(pN;FKL~rypC_Ni)?3-`@^reeVd(s~7K5v<2=8pf%PCKo9^4jySlU;}1Y`y&cei<9L zj^AA3_M3mi^0DKuPUnq2ml^3hUmt$w7ki3552#~awtP0`Zx&ZaoS%)YQ@mN6-ucNM zao3sBePRE@UwZY)%glMbvya_>v@UwAzrJkw>b7lt;_}rMmnTlI4?pH_7Vmoet!KBM zUmot)E9)5PI1WndQo##?io^?!JeA!>fAot~~4WJ*VpTYl!}}*WS;5_Vau%=Tz0HQ>Pr)R()$O zU++`%Jl^=shyE|D>&FNAaJe|-GY{u4s_So^UexFD+d9sN`#Btf6os;elTpXG^;_$ww_TzBMo9cAfe!9;! zYQ4Polm4Rf(#IvAx_tVI*C%IJG^c%&Uf)Ua9*_BS?<;X0d;a;mkACR)R($$=e_q|s z|JC(XH|MzcCAWXuwSV*C^N)Pqs=523z4YS~PRB=w@*usr>XWWM;i^wve>uJTRmWj- zCQgU#udWW&C#v0 zx!?2f-?{0*<(EF`!I!=DqQl=OI1c?qc~HGSx2rdgzAwttZ+?G1r}G^bJr6d=^W-$I zKeyXopS-DGy?(mA^iRkS>!U-tzi{!VeechI?x`d92Oo5tIGpCt>vMjfy5onf^G(=! zldrk@%ynM)=<@pgGo4=^eP3*jeAs&Dw7xH&`slFp-}%$eeB8OOKJV~zJnC~C`qWpb zZ}bh{2iHH%o%HtOzOUJ}Pd}Xc-H$8ZRG)Gu-Q!%|adDa>w~r?})bF}O^%d&pYk%u} z^rAX!9e?xZe#QfC_a`^}--G(`9>0FyNAuac$WO;%b+50uuhh-aw=2rqwQuD=?p~|> zt@ZBF^QK;uPxt==@d;fg_2$r_uT%KS&sWqp9bf0*(|z3IkgLx;d*HA-4!`@SK75n+ zKjqZn>&f&9x8}CLeXW;I{_42%g3H6zCtaO?g+2fEn*-Iiaz5DoI-hSfr@s2tSGej^ zUt#C)S1;$A&O`lu9JP+i#aHOMOpjlAeDccaP#>g!wBi*9uYARwF1+CI=b)3`(|Lf+ zpL9Ow+xO9$dD}Mg19`vVgy7;0apN}uED0i#A@=ebh?c2)Tr}aarGr8h@DocdeGr@Tp* zuPz6w!%0^!){jH)cf1Q$3Oc4A2|KLe9fo-i>n`S-jU~z?&EcP#{uh` z^p(%~*oyMZ(}%ZChw6?CSD(=HKO7XQ|rg3n|QXiqxipXze?p+0qds?+(QKFC-8rbpcS@=t!@sqynw`Q0a8H+Nj> zQ@%Pstl!>HUwwFy-}@Eu`fznmsE$#g6dG8`GEuARnZ!`uO1Fmph^U3EMaMs<&_2uYHey zHGiTy{>ru<);qc*Wvq~`aO@!cRl&+QBH@R2k?`^&b4RrySF~bufIAD z`TgAHJhjd@>3;s@gZ3zIj`LdG@j^M!_4at9!{*WLHPy{q)#X9^;LT~?#3#M)!!XD3 z;6?T3)~C+zyp~UWZ+XbIzyCvjec|Ev6@2<(b=Tkdf_%lk&xwD^ug>py<I2EI6vOwr$f1r z4&^sjU7tEsFE)>VEBb%2j!U2CY5AR7?(xx_p7$etANiaLbIhO4gL+YJ_2#Nie)Thr z$DQvyPdPn*(|PD|PI-KCCm$U?;p(q_>A_|5&*_ds{=Vq=%#~wb*gD@+P|;Qd71hree3>w=HO8N zbUmi)segs?;mW_NI}UmHs&8vuZc#rSpXS&1p|AL^PksK&KX~{$zt_j=lUv;Co35k& zZ@KpQ=fC4#H~gLaw14O0awblna`i+074GV9-l~69Z(g~6sJ=Q6d|Ppq*ZFd*ulUqQ zpKxpLs(*DKx4(1M=|y#@j&H^Gt$1_mZ+$D@HD_PHKGz3_)4u9ZKfnKL>~nwVCynO& zx`ua7_fzlVul?ovVCy*Kn{e7|^3$h$I;_8XkAJn#)Zd))_I0m`(^n|pTzu+V)u+C# zx_tX=?c3F7&aQnczuaB--|Cldk8=91C{^O>uE@~cDV z4R4Nobyy$$q_Fwr=Geb=9P*d<_@?t_j+_an*S#kHN$Xqp?0M)O&O?u9mA}gEoQY34 zbm;#IPC324lW$+$9{cuBeXH|4^;JJp`)!@${6l^Cz9|+iN>HDIbqP*%Wt`B;i#dk&X^x=Q-1CP1KdtZIY;oq&$`HJer`fxtH z==#9c%UxgCx}46%i|uc{ynfe(PaQ9+7y0P;guD9c?|H)Oo96$c{{Q~}m?w2U-g)yo zzx~%Qd*A7Ade>cl@|r)s*^$3r`O#~?;-N42<8uyQPwCuVN7oZR`5hO$=vz;H;^Fi0 z%J28wD_{Ta%KL@v*Uyo&&udZagxp1nlbp4ROynFFE&p2#99ZvP?ovRMz!TWsSJ3s%4FTeTW{a+sr z^+7tUj@t{?Pv?jAt+>7kr~8Ay`76IZsQ<=7-@knDIp6b)7ytdu$LGa zPuFGDr#|g@++6u9oaRq`cmKcxKkvuyceBHPLaPlu5J#! z_@n>wS3mJD?|3LQiw;vtSVdqae zUw^)%>npD6)9ZqA^cPq4`f=wKFYcS$oU_e)-KXQALwou=HXQP~f9SY6y*T;w!S>-# z{LQP*d-8KX;qd1)&jZb!a`>Ddx%Bpx^H*=bda?bjpANKX(3+*S8EG0oxMieLQNzrEkvzVG70@B5}c^X$9wP4()%KI*GEd_{X!FW>5G zAHHk9<8)j_xz)GwUHkcW#a)kk+P`z<*8d|<{I>7D;?_6ZpX$@&L487VTkm|&BmA&^ zxPC~VP#&E6)aBqke!9K+i+n{t2k}q)s885FbLjZguMYWeIO)D$<(ts?YrT86zAK;h z+%;!kzyI&&xS+izG*5lv^c6N|gD#RzAN84PwwQObbWB;Th&iGXLTN@ zdiUg`7gu$D#|P;?-)3u$zTS`Y=F^Xha^Y%UK3G59UU*R-ogdO+^>V%meP8PNL_eJR z)S@VO+er@3-)NH^d4pnH9qAFBH~qkZZt zY@QtZw7$~Sq5kRjXMC$YTbEnCTt4*onD(K|E2=|}PrTUqJ)fSZ>cjc*lScdQn(Msm z+Bf-Ed#vVpJyX6s*OgxE`JLv_<;uY!{iLzKACzyea=N{6KDes$>E|!DuCKlo*LRb@ zyU!y(=aIKK@_t{>Z+xzwTsjWz2kH8!KE5JvG;fVcim&(zG;s0Gu3Y_ed}I5 zA0I8(_r^MJXKHTG^R9EI>q+k>a~KE2q#$64jsPyXcZ9DZnjxbm<1)M4``-u)dPobuF*_2U!jSGT9nHTC`s zb>|C*`gX;w{r>)H*Zj%vxV;`R`RI;&E9Wb&e$K5Q?|nkIm-7f6A0JdNm(#~%bM!+w z_0jo?_2c&7uRi7K9Bq|t@E{xtGCbp&uP8BUwrI^e|*_(FFf#bJimN?T;1nL z;e0rBp45xY)yJoftJ9mW4tpQdpxlj_0{q0di=ZQPxE`dCf|*vJI)n$zsb)xeIKun&vl`fd)#l;>uavLQ2w`m_Ji;K z6A!%j@b#wV;QH{Qdgs=M*N4Ny&u4$jAHDf`*W7aXenx%vfYr^1e0Z__{B%gyKj|J9 z_3=Y>IOX&A|494#slTXi(#?bQ?aJjq^QZTzsq@3tT=%v9qWn>hhpm9Mao| zw@!!l!=XMn>FTh1(TiL2^zlP_@fXg!U92c z=Yn-}Az6tq?{MB(k_xQfs^;3tdJ=G_Fb=-dXq2KeUd)(-Q{KeLBdA_g2 z_4DD7KH(~-bsWmYS2+2*@07#0s`I%o>bD2qg!PrnZ9koVEBgLTo<7|Dv~Pa%W8a+_@Lu) zUrqh|>aGVJ%Hu1i9~YZz{&92Le^R+y_uV?LdEL95zv%Ties#QPKj=Q-!{zX)m-9jO zqB?Ber1KS(9qPv?ls{o}_#6)oJ4ZjP4~Kkb3+=mg z-pa4;c;J-3s_T=B>!U;U73Z6<{gbb{uM_>hk5e8UHm`hFA3tnfd3}AK$nv-$9`=!@S9m?S=szZH{-{Y5FKfV>^!1k?ld+`;PIzM#0d{7;SlioUCu|C}UBd7D#oN_sVZ|8;-*Z9jgW_nv;%!F_+? z*Y14IK|i;uIbI*3n?GUq=4-$ELLGNLz5jHTr?2_#o9gD9$ERPt$WPaY`#z(3xjEJ4 z&?lUH)p01VeA4;u@z-DaPha({n;tkmI_`SVeI4j=;(X@H!S&0f>yzW_r8?xp`Fs8N z)cNUi5Ap9_@$_H3*G-SS-ffOt=fS>*{g3(o{{Jxg`Q$)# z$cGozi_RN;>N6Me;rijEt6zEH%inmLM_+LGd7JW}{$lI$Ab-_HB`c`f~IOV!-&DFP6 z=hFxM-8gO!NT2%YP~XH?x_al*p*egL{+}GI(Bl#}zbKE6 zPsrEjPr5!F+M|6w=Y|i;(N~m1*XR2MI#id7!%1(QugC|d`buv<4)xKJ@|bKYj4@Z@A-M-Qp$(kN-dZ@N-^!{tbUW(Brd* z^C_pC&W}TnPn>T;*MWaEPtH4k`k9YA_tobeK3~xFL;33F^!b8MA9S8@{qpqTQ=QM_ zb@Jr%b-iPPUVizdPkQiWZ@uWi^TL$hJU-aEIqDPF=kbg4 zmsj6f_j81Ood4$GeC5^6pLG3@zqqRVzPG;BTy@xfd#rTz3FXVf>sN=9PoMuE$lvdW zTt{_}fBkg6X`cIU>Z2E*`k^m-&=39G4WG}i?)^-7(O%Wd`MMvUI$Y^J{;5w6r*dIzDaLC{wFW^q6feKf$u$iyFWbtfv@|H8~*Q(?=$)2x*zDy3mu30_;GdEI<7vU z@Av#3g-?IyP4@%;)Gx<89O_?T{W#R`@%wrI@nLVe=%3x<@c(M5Lw!ZpgRjR`&R-pu zFKlwmeL#HjaM-yxzw5vcyBDqxpZxS<`&M=H>T?{`%YFa6n%h2n>Z4El=~v(CZyyeO z+$*ln9{7ZO(BlR-50~TkyuL^0Q^$+-b?}s~=4|b3GTR+>}&o}lxF4}+JoUQ#mkNeI$ z>Auxo$34DP|5T^L;~uxi!Etl+d%jxjw>rP_ip|9*)URItmWN#X`#<#87asY(+J5?= z{;AHlD|&uf^_jo&P4(`*Z{E~L@0{+#S6uZq2iMm;oDYZetvL13?{>wrf8j3o`p{{= zH}UwA&o^;;Q6F@?@^N+jIOJ1@>hf^)3H_gs)%~l!HMjHZEvI#y&zy34Q9m7ra_|-U zoS~I(n%AGhqwvaoi9G zxc#8IeeenO$(wxY_0!w8RpZ6T)N}7C(bvaemME)ay^dd zu=8>G_=J4&a9ABL`u{U@{T}!DR&0*GNmswI(RuD3-MhZ>`kOa#pMN>kPfDNmtKQ=( z?>_Bs9pCEXzp-(3+|z!J6F%`buR8C^&;5kMzblyf_SIL9S9{3EA$?!;e7A4^N%c*~ zLx-I=>Gkc(<-)D~zP`Etw)XQw^UCR4ao6j+b>FS?kL$BfarJk4J#YH$gF8RCKD>T9 zY+XO(!y)}lp}pWVN4?0uRp*=f9QX8jC{w?@NBoONod2rVU4QzTPkHyVuX@G}@9$Ih zxWl1b^Xd51$F~*Dso(1)KBv(A*7@|Jyz0K6u8ymlL$@cS*GHe`tHa4R&)(Hne44ZBo95Bw z;(orH_U}A>bnlPy{hNG`JH8?x9hYC^tG<=*+rQdtn%{Z;-oEc{m}SEu*>qr>LVV%TxTUY~wh#Kk_x{KGz4P=hT>NR@`}3cB>hNr-}WD$C>^K?V*nkpODYzbeqSo4(a>ilr!l)E_3UjeEhp&^SAcv>ppbnxAm?0 zlTZFsukPmpeZ~55zH(nr=#J0xh(52s;rvB?a#}CvgX(h3gWZ>3-RDKqq54*Iy|?xjeEUVJwe`Z?&v znt!(DPS>G&`D(wFUmZ?)>hPU+di86cdaFwg{~nU=KEpk3%IQ#jn$I`Yx9Y1oa<=;T zi@qOdj^lv(oHty({pv+Nzehdfx4-g9S6}o=N1hj_dCj#4T`p9I^!odCl)t{I-@fYQ zbU5Xz?}}3%y*M3TeG{MdoBVWro!>fN^;cg0;}5;V1?L=iU#dEE9rZ)?t+;QWe8(pT z(jk4q`sCN||Fc);mjio$@oA#;hb787?&Z=JjR_^{dQ~CDrc)-sTI-Zlx-}k;e?jF!s->!bw8R{>m7rO_3V?7?spV0p5_(|{U{K>`5E!v~{ zR=&#Ln$tbxLOJF1f2inuOz7vg)z`V6|Kpy|Ro<%ZcvgF?a(3-sohNxGJ=gJ`bgq3T zG|&9Wx2jKllfG}>zI~2!+UL0Xu6x->pZ}kQ7pLcQK6#FVju%^>I33FIcUpMSJ|0i@ zukWO}xyQ|&a_BuD=CwZg{5`WiIQjQIe^Z`4&4qMGpK{cT{C*GJI?lHh?Zq$0`KkWF z=X}pIUi|krKk~Y=zT={Ku=~-EJ7;UZc@xS}$6<9G*5`Pu<52&Ed`151<@TumpI!CA z-@fN}opa#tNPKRo{`$-Lid%i{`&j25XIqcMd2)TGK0bB7fAxQC)r-x=`Rt2BbD%!B zRp*miY`uK)cklM$aLS?c_4w53_zLYO7wW@{zR#KF(V@Je-1@4wj(7iZKG<9w*0<89 z_aEtlj@$na$0yWRoc5EWjzc*(A04Xi`u*POeXa5*oc5Xg^yzaf)g8~SsDHv~-`;=v z`JsK(oo~EYf9p8k3hOWT{a%k}mAh}H*e}&<(fbBZ`I9lUG?GWJ->8VKOM@& zVfAvy$zQBred?S1^r=rSUpak3exK_z`S#W2!zst{!O6E(U(IWd`=mN9@1*u?E`CyI z-=h5K@6t~C_{=*gbUdp(&kHM`x?D)#7pI&_-#TZyKF7`N{8gShZ2xijnab^6(;WJQ z{*GVX9xwIFrSsFFI?hMmio5ph>bHkI@w0`;ojYBp zv$g+pzE_`%H0?L#P5yoL&MEJ8X?-?hnVK4(T5&c((WMJm-0JzS`I8uh@e6XO9nu{;s_Lk9+HJ`MiM1@B94L z?QM_NPnvfQUfgxA{$2aF`d#PA-}&WJ-%0DMJv(o;=k$Ap&ROMj?wRHvZTs|ix9(Tp zm;Z0S|E4=U^XUKoX@0Mddh@Ec-scr{sNc^oIOK!$38%d$zvnM~(DR+SusL*nIA1wm z>wNZ6pZt@q4|<)*_gi$>och$EJi)KI-N4A|GtM+}vV)xZI+@8*2`q`$t_K zea-;^&;A1=3jldg{+hxB6WegBy{Y`=XbocxZreVwDu z59RthKO8ovy3akLuh1UNrMLh37yj8TAMh&|9eE$0ecOl2$K}#jSpUT7(BIE>uKKQM z&sAT2I9&Cs*N?kj@c;SJSN+_pPJQU~a~^${r@rfz7asV&%W?BTy7zU-qeFYZ_S2zy zQC{_lPkEE>`v-ZB2j6x6s&C&sxy2qA?*E|sdb8?leZ|e;!yR8a--Pabro=}-=o1MQ;@)$s}YeN^-8ArF^V zKOOSxhjjS9e|v}Pzv%-P9C)75&tFd0uMS)1bG%cXE=S)A^+EoLZ~c8*`{lx(|N3#q z1Dyvs<@9~g9R1TCliq$gP#w~p59b$GpOCM4D=yD*;QHj!%lXuyJV;;p)%8v2an`yy z)mOZI<@&eo$1i7Boc`WhE|hC8*m}9X;#Qx&UH$r?eeqSEI@C8IALJ|dbAYMS1+VxhIA4o9A3on5ef?9PkbhrvKR`LokGXh#{E#2lM~9QHZ$ka8(&{2}`uy6uJ?W6%z36?N+w%{Z;~P+d;-)%oXN;p2bco?msxNB`aFull@K z{QK|!t`D4k_Lo2O>GyxqB}YCt)jsm@38%+}-;X#hC`bMZr#`y-3zuK?^~t{G;`OUf z*ykzz^>?rKskaZ83mvaIREO1Z*!!w`G)EsD(kHBMSKi$AtJ{C7*M}F|Uv3U;|C#3Y zf#%t#`o!t_|8@6$?s@Nh$xRMCFY8n1hw6~d59zz2Tsd%Sj{f>5y^nW& zo_FxA*nL;Lx%PzWa*FDnFIu0te0^~8)15E8D3@+Od{wVsA8h?*zj2Qje9f)SKm2~O zzRpvJJ)T~7{m^_U2cLZXzTO;uIpx*Op}TJSTE`vdjt>+(peU%V)XZeP0VgtuN@PLZ!V?s(poBFGlPx;f{Tl<@<&*vNB z)0{rOn^)c(`LK2U>NuQqUtiUszJ1Yt%`4wGzkTLa$4_eRD(6j)xcB9s{K8X5-oI&& zGmX36XS?p>Joh}{6Y4XMue$n~M(1hQ`MdgeJr4QKkNy?s+luDY-#M-0TYdb+%4vQSM$$Q z?rQF;e%!r|d;hKW+j`wrIaA&7pXoWB-_QANeZ}p)@;R=p{weRI`{luDE`9Rtd;iHR zuI8z4Mft8n`@ZGc=b!(Mdws(4`%XEr^6)Q6w&+mFo_3HY4-Sqs$2j#=+pZ-gC`Lf&G z^M=3EppYPkDUm@^R?+@CoIuP=9@s?tZkNee{>p<>@Q0u0CON zCr&Tk_M*3Z|J}ax=<7uGfcji#`gEN9E9`Oc%g5_0=Yvzfdi(L#@smdL`nv5j$9bRX ztK-#YZvE;jTaT9DT%Tt@`Q+%Eu>H=je)IIx@#0i( z&O_h+3*YT9|AEX!6q3e$q zdpz>$!};N)tHb_XkG^8(>vtS@`+EK+U;FBt=Ii4>E^f`6eDn$Jr;Zm}$BU~zb$vLb z!>2#?-LJaS%|3kk6~FPEn>_7pH#>0sdY$!eMfv=P{4Ia<=I32=%fmV9t~aFH2hw5v z^deueKKyXskNlk2`K{|);i}Jhx98+v)w>6O^s3m)iq6o)wzM_s%=L`n6BJ)zSCmt2ZBS4!`5aC+zDw^_fF& zZtLaxiuU$+#p|2+%kzJ6)VHGJ;g<*P3HczOip+3iHKI}YP9}c(beCFV=`%Sw3-p~4r_N>13@2tDWYHt0V zi}OKyIzF7goX(HS!?&XU59j#g$}6sN`RkjGqx#e@&+pN?r^l;)s1N!aEB#)#=eN&< za`fw)(0Nt&x{w@tv2}ae%Y43*Mss$}?OvJzWdfB&bw`OW|8 zmggM!oMrccI`sP;T;A66IQ8kD^7KupZ>syflHc?3xgLl8ANe^QSLg5Jwsn0)=X3H` z_x@pXVb7C3*txhqK6%C8d;WW_y7szT9R40x|I|m9Uq9YCNBBq1ySyXy;rG^jo986Q z|MN3f4xI8`pZccrAZK6f969#JkBgnNIv)NN+H3N8d`$KB<3;^+_cK0W&tr2YuCH}- z=)3;EX6IcFl!tFceP8_AzrEkvzVC*g8=QC8JjVy^C6B+H-ds8AD{O9`zxB(lU%h+t zHIGl<3gwu;^6y*s`49Td#V6#0eD;O($wzlR_0gR-s4llChb{--iuxv$(|yd>$2Xy$ zJAD10eAPQwoo+s)L;5tAPcDCtk6vGSed;T0pZm4CePQeNHjfX7^!C&FAfMNz%%MZ~ zZ#iAwadFynYp#B{wQsA>@o)9->+77=@zmeBt>citoW4SRkpIT!_V|Z}&b!AazArj| z?XO;LK7GO|xBi!W@cm!(+yCyI1Aj;4`KrF-a{KuDf={`t`qW3?+JB~w*B-0q8NM@( zThGU8kFCekdFAFzdh2}dAN2|O{XB$Ee!Ao1@BKmN(^ur{!RI3Ldcv4YMk+;#8c9=G$i>s)^KFQlJsJnnfo>3#jaWNYrO`}ew)ujbZY zZlA3<&GYl7dgpAt@9oikx_o(%zdn9?eSTj_=ZBN7E_Zrd=;woeFEQ2mj*Hz>UUlb@ zUYz>)^z%)}#i!5z=Wzb?Lq15CPcP?#>iDi`&aQp@jvFr?H@|rk@0{bFm(FRv-&fSP zFP9IUSA5@G=K=1UvumHdi~cUf@ilkav$|Y4t>b*=;QoI{|2~e-@6Gw;sTW(e4 z{?>8zDOa7ps194lx7PWfe)z!mz42>b{deaaT>A36pZX`aIq$&#k>uZsJ>GIT=BoQW zAkJ4#hjQ>0%7g94As?i}>Racpe7n}|<8=;uZO!S|IsH%$4(aB@souvsKU8mS_v151 z|AhCw`{iH##BaaZ;pZ#LpHNQcn5U1Aj(eV<7y0NotloKikiR~BLVa=|f4T3ATIYk# zH_q>Tx}L4`Rkx=)q(eHaE_cHE%k{~3JaqVktH1W82bW!N_`Xs(>P2})KDwN8y5~`S zP#x0cK=tW$rTTjO`m5{fb+-rPE2_iZhy3Q_{B*ykR_{J^eYk$S_3QuQ)cc?DsH2~6 z()@C{@>a-ik8=Ho^^d#{Y2`cg-~P%cU479fZT{R;eda=X=h7!%b-d?Ij{l3xNB8`T ztHbImt`G9}?-W|c_eFE`PrN!mREO2e`Jnn%+}g(n$?{uOrqzkby1p7n#LP947fx$1A-@zYoPwq7o$dv5i$Pu>dk!D*fxb$+(uyZCZPhG!U`f;&ynrH65 zKG(bbxctuDmCJkD@#5ATef)TF zsz32JuR8C^&%NRICiRuuySnpP9f#ek+~-8N?^?%K^Z3k#`ldP`w3?)M=2={VF^Y+XO>`@`r^KMu{o;q-WK9hYMcr1L>_$cMw~`WQ ze=O2Fm-}B?R?5z&FXZ@|0_xpy{ak)i%RWIl3 z-gI;DqI%KS)7}@Iuh0DE<9xXHZ_1 zy?GO-LwT;h{phfMe1-a_ed&Di%IUkJ{9XI@_1pWS1s%tk-p3sG5$@;v>gui!q}#WA z%Bf#pU)Qe>hxRZBmxuF1b$r71KjbHW<8|l#@X^@~4k!OqpZxv)(>&O|a`T+O z)+fF-f7QQhj(u0TE1&Oo`OY@l-|=_8dXaC^)!~${z7@^e)xY)kGrQ)m_W03%`KzD! zm-j#V|M=Qx?u7iU`~6_`$?tySuWvd}^|ud){II(BrP3k)uFnI_lhfSl=I}wf`xfdi z*9ZCJRL9}ulLPB(KOf}B`OE1O@)w;4ed^WKp*lZ(EB5Q(l+&M=_@H^y<3fG4Z}Ys5 z)cKb)VfW-~?!>F>hw5AR(FgTI`YMkf>cgSqhkWJy>RxYl{phfMd35Od>RX{c$iFqG zefsIIx$fV5=G~w6-qVlx<=;L3vo1OJ!2Q&G{vto!b(;FkSJ&rx73af?)7K-p?cd7z zVCPPpAKIgS^+{KUeC1p9>;KKK{>@|W_P*2hkyD)VcI|5}-ki=``SiCB--_ncU%kBk zeYsq?HD_PH^S0_=)$KX?=tX_@m{6ZOKB4ECsZRI*0C4-@#Z|q2-19wNbX;)joXPj5 zue5CfeG@+Yo8NK$!MW!id7rucd_RPnGa;XOIJAHJ>H1o)&OaTm zc~E~j9r`|y51NBRefFi7+m|2mtLrQB(I-yd740J*zx>iCJ@~S>9({kDefePfcirPm z`R(U(DbMtrvz_m}ckZOux8lxUeJ7RQ+=)+nto*z7O?fA+A9t^*zt2}5uRhnoap-p) zas5yo_kK6JJY3F%{8OD?9}dkcszZ6ZqJG$ZdXbNgZ^icEz8*J6ebT2o|E+HSKYq?v z{$J-D_A%jHeivBzUiedgk@KKkTWf8CEf{n7_rd9%a!!SQd+a~$&Y z!{(Iht3LHlemc~@;wzu`nYy1=e#ZgLhxF#q`6l!@b)Vpq-}^k(&2>EHLcSH}TcLTy zsgG~p`qa15SLbonzpAf}Yt?_!^=Y3;H^23XuXKN>weNXvzWvS?p48*RzVbY-tK+-k znL1DQh0`3mpKo#KczWE^_XXzZgOjd4;nqISqupCBy*TCbwNBp^S9{3g+ZFwt&y>^S zkk1cYXMTE7KYYtWuKoQV`s)i1U+=459@Gcx-<8YVwQsB6*JJ*zd+)o~*8KV=UVZCv zZ0+NNQ-163y2n>P_~HNQoP+CM_-D6#z^`0%c>k=dFRbid$G9uB7*_4ZB2 z!N0=QyjA~HU*)==rvB>uj$c0B^FVJ7KGo^+Azi=s%eP*iy1uR0oUMH)?b~;Md+2vO z_}NC!W9}3C*mFXAPW6?pe?ogq_3FOw^1PyM4_vO_)A#wAua7Hz@^DBms@v;K;YrPL z{QK^CQhTiCn`2+EKe>Nxc&I_Rab|6INVitzU?gs%2S`X zeZ6jg%PGpC<1c&oeeQe78$aR5=iaHq_R-DtcLII>_w|L}ae3TMx%~U$na*wgiaU<_ z=umxylYga8_0_zo?)Qy8=hF2xrzofTR<0lVe|%f}xB5I^Z1r#T_3_a@$5p+2wV(HU zZ_R5yu75Spaq;GVFUN84 z75&{8-Q1~9E}y>Y>U22e@;gscZm(y3<`gHN_iM@3XCJ)S^DSQ=4(W2}_(vO_sr}?a zUx#-+e*M#VZM{D8CLf&-%7J`Ee%SgQ?)0wT{(`4nbolo&e6WuL^QQYwzQ@;;!>4|> z@odjG&-rt_o~PC6CxvG!*KzEcukWOf&mKi{=s5Jcvio)N(d`fE^5~Eb=}m2vxs?WUQs!#p5 zUiR`keA){?e7c{Lr`|pKc^|zl_VE3TI$dscesz90>FN{egZ0t3qW^E`{&gH%`}yoK z@#f;ish{5Kr(eA|)$RK&*FOLJciijf=kDr*Q?5GX!_Ddazz5a&T@Q8W_?xc|`+O@G z>gR{*_Nk7yU!T2ketav+=a;i9w!eI9-l|U>%JuuBo=^4q>BahR=c%X;)p6K4xO%a5 z_ajt?bo1$Q-7nQ~$dB)e*L=#mpMBLcE;xA2%kFyRyZ`wGhp&Umg}y%H&^*Th>3sBZ zz9L_BTwN}`ygnTI|5d#na`+}R7s}yp4j<$z`n?pL|6>Imw|$)#ytwain$!OBt@EbW z4cmWQ?)k5e^W)~~cV6%b`CK38jjoSg)W`RWkG=4ZFT3r9hkrlA-#q>a>zCtvnM*HD zxqRy7bl7^iJ*(?KE;hG(mH(`R`~JkQ-T9n@D=&Qc8*lUI8~zWMy?yF+ zIs9~}UQ~x3A9C!Wt{;bdP`^Ft_|!))PILL>!^yu@_kUF7LGz{@_4>=52Rd}#aC!Bc zUmu+xmjnHrWgcIVAF8kV_+a;JfAh20yGHFV=65>g}6+etz}5*PQmLLvyD4LmfIFa_JNL{%-PDw^xy``bl%ganiZ_ z=JmSBIjKE8UgYkJ(>{~lIlEq8xkb4>Z+z+#c8~I@@1%8e?G1e$!B2W_b9)|7YF_7@ zRPL@h&hyl_>z>o&sdLJw`77OiP%flBHi@%8&Z zI_x~U+#a{OKAfM97wgCMO`KlTSF8`W4_@?oeRbTNiPKl;yzcmrp*rT)67z zgZwMb2i=!=QC`vB{Nm+|9^>Y z4>`Cx9WV03mB0PCJ~?#f&GRuIRLAw<&BI}R)zv5Lyves~ZgZyo&d2#7U9S77b-wC2 ztWPd|;??EBsh`dV<>8Ru{Q>1P`40nPLO34I^seXBjr6_;C| z>rmu}>NvEgTsnX6Z~mfws2?_$E=M2EkNbTMA5=dsn&)`8=IP_dVRgr?4*4#5%OAb@ zdDq$sq31804<4EKm`D8QumAnq9Q3}_56#z4FPZ~e$JJd&xpY70(iBIRvak!qi97u2r%7^vSq58zD zcdyoQUvE60b`IZ!_2cHZZ_@duetqgItRFWAHiteTzj`@+Lid+GujAN{K4EkDs+aTi zI@2dVoez3`#3!FRtk3V+tK&uIsd~A26Y{q{>3mbY=Yzj!f4V$a9fy3dx_ot5U++V{ zqCD6-E+5j(!Q~Y7(fPNc{-XZsxcW(9b6@ho_kYoE|GRSz{_=<3`8D_ah8sTL&ODDt z#|_ns^7-)kS}*7CeM^@M>2ivEldfKr3%&l)^Wr{g|E}DA?c17fPuQHT{J8yF=d66w z`I!1vd+(aJ@0`^hQ|{LNw)&ahA&&bPwOnf!dy zFUrPt}nf~x^GtV^sjuKi|d2#8(%k}y5lO!tKPomwZ7_aeZ}R&mA~~Km+Q&b zIu7}ues$+VosOSvbU&H9^}MwYFUp0hI^R~5H~Clfsc-9fnEI>tIY^+XXR_%US1b&j`~(z ze*N?!U+1`Q`T1~uK3u)1AF5A%e2~Ams_*On?pyuQ%O3Mt=N@?9ndc+>nu{0Jy?+~D zp`2;&p6}-AlhZoRhp%w*cMi@Ex8~RH_n`fMiPIcAq+`ZjQOl z=cD70Zmt~l3H8DHo*_gd*W|ib>5Sod&B3M@u`de!<|RGXl`|URp(ow`)1|awcg|1wSU*+TlrUY`$GHTkls9X z$X8xny*T;kzHa)w@b>>h^or*+SV)wlBgUaR*(=R2=-XddqRI6rbBU;C=7L;Xedo)3A@&%yjF)VD%8 ze7N&lUA_8>>nl1RbUCm(4)ss_Hb>u9lt1Or>%-kgeCE2(aPD{;zf0+ zj<0a?_r7h;3m^89SAD~KKY02Lmp<>=?|9lx4*Wj5KHU2)@M*3(^nC5S^nJ}9fBbS? zKU_Z_RG&B|^1>sZYieHmCN2;1;S;WW z_Gtg4*H_+ou19_Q^5)~KIqon19v>a5<3;m4P8<&({)DT)_N51x-SD}GbZ8C^` z^x2ON)$yXbe!S z-np&s>eD|RzdZLZ4()>%xkaDfS{-+PnM0rURfqP1)p6K4^a*K>G&Z9aw1*shIHVW-9%=GbH@~{vN!Q0$ zT-BSq;?2i5DbIyVPL+SS<^)<(R zRbRR1FS_r?%%2`F{6&3mRiAwNdR+A4DyRMx|MXwF%a`5eo);Z?Kh~;m>%MaMSNH#P ze4c-&x;aIDsBRy;sIITbPsfYutKip1g=)=|ZL3;h_ z(AQ!9qJFwQNQZuJ(EZB!p*ob``Re*09qNO0erV3b>BT;;smm+6ANZiX>c`a`hrS87 z`t+OQ|2OvWX?{^(bIe!Q$5-Sl`uSL1`*3~cK=ldvCX_q%t9L&-e8Cm3KlN3Af5`zK zeZu-YKI!&d?bUpJ)mOZ8ysuLpv?o8kd(&4a=eX$j#XwBq0ha-p}fvfFY?*DoL=OEt>dfuXFm7b&$#EuecZwIFZ{Dx zKHyg_I{bf4`l0KJ%cbM3_xD@su>H-Tuk*E+q(=lKBVd(9Q^yY0iSyZG?uTJ`R;D>qM{ zTxdR|Lw(KhxrzGtp!0o}eNu>O(Hn^Z5> zhx-$>y9j`s; zIHY^NtM31T@j*UFhjjOU^>Tjtg!N6F4&{|sS1l=p8QjuU@zP$lrIWx6gG@ zcRuRF`P$byAKm?gZ$*9b%$@rE{)&I{sTaMzL!bIr=V?`UT*b~)?>^Ic=-l?LxcO7Q zI+W-4*K~WA(~ENG<#LMrP`&-?ldeAXw~r61L_Io_YU!k1( z=<;EGI6tHpTle=ctG!qAJE#1({qlCraa=ua+~38^pU_;m^2vAK^V3&3{LuHO?Zb=a zKy@6-hxJv*AwLf36PmByKJ}HZ&hLEV6MEk6e1BKqzG+=vb#v`AVf*CW@kOtH!xJ8N z^TXFQ+RsPFC*(74^3nMx-0E}Q_~DdG=Y#a3I-Kg&aec7ohY#}MkX}@WfA|M?y4U5m z`nZF)efHOV+W+wF7asIJali2wn{QuOKdukwr^D*}y^iz=rUg3D4ey@A!gTDUq73CE9+)q=T&hI$s_P}AUkAD85KKhE+Ctn{9CtZ%` z&mNzC=Lv5f4(l^Vy{N7a=c|rGzNt?g>Vx$5)1kV)V(a?qn|S-{Yu)cbJ-+Ji{Ps_E zz9K)}JRI`5Z|D;?r(7RhJ{^bkRo8c1G^aV{(Q&8`@iX4j$UmVz*gp5Mx}5s(3H`sU*5%2ElaF7Wf5Q54Cc@-DTlJIX z_JG}+Zf-e!!ure2qZj2)*F)X=*zls<>bU#MdFO|G#qN(!IQ8?Zn@fl4I3FF-i+$f? z>k~ImJ`VNuIys+wMSi+`dF6cS`{I;CFWRGe=kwjzXfJ!m0hA*6l&}b*+9r zc~GA^4x2-V&B2RPz8qMe`E*D(M}Ku(o!@z)*SA%dH=*3ttK-o3*ZS;J8Pn-_TEwAqVjE>_dA-6ukbgQq(|PfCu==4r_2Hez4?ACpobmv{2-&|bXdBt}{=UHx1-d26ulU|fh$9sR#i}tF1T)vubE;J8!A9&oVL&sZG zhw5^1b*R2VpIhJOUpW(Y?lgyQs>@&1Cm$Wk!6AKx{BY&}hgR=-Dew7M)!iRnC(=Ll zJ^iuoe$}0B_Tkfh&&q#@Z~3D)Kku4b9(mt`IdZ4R;bBhxZlL;B?)Ql17FRi*ckB<_ zM~CL%{MB*w`suKLC(wRAy1XJE9WTmp9&p&}*gQV3AIqng_y14z>nT6%Jo*atL4JEx zZ=H`mAz$AY;(WHxTy?ytj}NcUeD(V2kiX9da(#cor|+b3Yd)X-w(g;?{z-TLn#1RO zLV0{RKXhN$H*tN=zT$HEdR``-Pkn`*gG2qzZJn>U)z?1U-*Y*S_SiL7 zpIkrh;_@K9s1D`A`nU4q_M2lbTrM4|r0IlTU8z?VGs%*5CJU z?{NJ$ec*xv-xv1ztMkg`>T5nfoxeH``Sj6o^+{KsusL}1=u^(5_x~08m> zP+#+=yHD%8@?Gcm=N0qhz}0!wS07yt4jn(_gM2vTSNC{Tr$f3v98P=p zb077~Ey}CjzRqhO&WAVG=M7a~ae0uxobGeNTDKoxQQh@XZw|fZi4NO`_v@3n?Q1@t z9R8yE%HMoB`X^4`75$tm-+prFIGps>fhCO+|;J`-oD)L+x5#gm%c)Me15*hVSV%>U-#(q$keA_9X~1DHP>;R)clW?9OtRu&(a-7 z`ASzmE}9GFxzBJ|A06&`omc)<-CVfZk8hPb9lw5ac13e{?W^DO=alDuQ-`bl`8p5R z|MR!L;G(y`_536Mf2zK%obPO-=V`|U?csdTeLcr_#Z|w#tK7*~9f!Ujz|C=-bf^yb ziu{ltFY2fB!|M2i`rP+?(;Rik2VE!iBA>aizODSY{hedK>J#^TH`VP|AH68Y9_n;h zeJkfHx^C6W`RoDtd|!yGd)~#>q2rZLzvMlye&l_=?L((M-{{{J5A#0qK9{L~^4Slz zUmt9J;`MudgkQZl)#*^5y{G$-zo@_Z#CP>iIa_t}yx#+#`kjZVep32L&Dr&M_{}f2 zjyrDtiF+Tv$LY#1pAT>TRQGv#{Q8Sie|@+-eYkp2z1a7=wJxVRuI~BKKCnLi>iC3x z+)uva>is;HUGp5Dz}xJ?f1A)pZe*OZ_@Qm=y?@(zZGvTKWrU$ z+&J9#IP|Y@mA|S_`Hpwr-@7(AB8BOUtsq_60F(e;&2@7tYbFeO};~H*tEged_kbp}q9+;p+VM#rY=O>eFw&K4=ehepnwJs+ZHD zdQrW|H|h4~o6z@@%_(o5`jmUyi{A46cl*v$hktLf_4>)3P)_I4q5k?@NA;LOrzvIHkz2tqTAO4=NdCFgW?*~u&|4RJDKF;Ow*|VtLe!84u{c_t!Z-4pZbN+k3 zn6tvp;jg|cZ_Yjb`b+=mtDbe!1AjN+csw5X;dDIuU_XD-p6a-tkLAPq=*LBK_s#M7 z537FHfAVz?=e4Nc`M|egucI8;oJr@i_sZwPyD|Ke(DB*Sz}aeCox? z*Xtr@Lb+al#*6yt<@SMmkPfTM+lq4d%jsLuK7KCob31*?S=HOeZ(p2mx_*;i-@fR6 z_B?OCz09qyPUnN_Cyo8S=cMzU$CJ+e$Gm5~@J^q7>my%x_B}6sU1Q&zefy4kpLm=c zH)r4dSAF(d`HovZ+sA)W$91;%_WW#r^NX%Wb$zXu>#JVQw=c?r&7l|h=>2-oI$pfP zxBl9*PXE*gPQU39_rCm-UwG=k>w0ow`zEfxbvYAG*F}!6uQ)%xFFxVwuYKvkWfvSY z-=1>Kn{+ht*q`qYc&)3@gHLv!@^`LRBnU;nP?=LqwB z4wxKs)bY+;>GC|T@S@MJ~>ccxg0vAL;Xd6&r^NX zr*0mUgTv}L^gb^9q|tRc>D=b^cw4`*xclm)<~vR(ce*boU0-v``C#kid__Lk`ikp= z{4aRjk3IS;zw_J!pUdEU*T-L-f2#Ato=?A@s*c0v)Ag%Eb^N&KbJhBI^!3j?*yH7+ zPuM-{YrWi_`s@Q&*GpYLG^h1)eyFdU4qNwnraJU@nt0K1Zq?0&?JJ-1>%*Jt>sE7c z=M!%~-uuZseRxrR_44Wa5OeFdSCNliKIQqpP9AToy&bnX&^+&>;iKdHxcUmaznr4a zah0cT9#k)?LvQN>n=X>dZ#>S9;8Fp4WE3w>W)J$+^X}zseh`| z@AHBOKIPt@`SAz-pPif{zw?1RZrDCtT_1f{oF31+=GbR-AK91R9M9kM`aGWK6Y7^+ zpZ67i`rlr2=W8y%<>CFz5A`{o=Hh%%Kb-pci~9VWWey$E_0yqxQGM!b-TvM$)%T;w z;hW~k<-?&q+~We*XFeV3pODYKI6r=*{`~h`b?tSxIDDTN-&St@D}V_j`2MeCLT?A713&75B}tXZwHa z3xD7R_xP=I55NAcUe}uLfBBB5oL=-kd*@x2(>aadKfA?-3?|t3# z-1915KMv`|Rh@r2zpLl#>3qmlw+F6Xh)JwhpwL-I$l)o z^9&vKKCy>9pI42m>tAucqCEO^U#R!|Pr7}eKKEni%9*gAXU8YUoC(d<2l?gDAssr7 z3GK-*r)Vy{oW9E8^L;5lREOrYjzfOut-3l?mtS3-4(aV{oe!#?G|Goh`TqA_{fNK& zxPvdb{oAhnn-`yd;OC*v<%jAMcmJpt^%tEd*t+M5X-|Ir(0p|`>FS;j{a!_$`h=@o zeSC5!?D^EsFK2q5<>p)Lv={kkE_GhameTO2V5Ssmp-W8KCc@)ZvOh{e68bruyg7BzTco1`CMOluzp-$ z_iY`AeczHCb#o_O9qQYPa$)=EMLs$XCtZCj%7N{B!==xA_B)<-lLM~{I{$p`&-OcC zkiVR+zo-tq-fs`64p%voPoH|R^>ThXq(i!|U%2zhHyvNkBM#+V{}-p;|BOd{!r|xW z)1f)IembnquU=l=@9Fp)7Y_BU>U^DFPcy1FZ#Mf*9WV6{I*_S>)iui`I?JE{jfS-G@q`&s1DWfqWXk)de=*z z^VJVM_h9-t(&M20_Jz~jN!M58Hy1DZKFeO}xZIV_XI}f&>GI&Ds~78^I33FI_@I~5 zi#`WkPLbd7LcXa!>H3<3!_|40W6p%~)b+vthrRobwyP}H1)iQj5(R`9LPS8SbP_@n z)}n`wC{;RmC<@X+sV9Jx0Kp?*0*F+D3J3uqN)tGsAkw5rQ3xPPR0t44LfUoQv43-o z@$B*4xpoNZz4z>Yp7Fl#^Omp7Z+^3^xvl@~CB%o~!qjK|8P{=zmvQhjZpwK4$#{^R z3`_gRg8iE$*Di;x-0h|H>r2=d9!$#kG>A`erhRB z_7fhoe<#7}u%_30<>T^CKiV)CXvo8Et^Yd60{{hs=E+KTW^+CAWK=Wq;4F{251{)axJm zl!WSNd-}Xor_x9yp-(_k7|*b-|3AJo3C^DSll% z_2H4lBeO&LM1FWBnIGOi8|(7hH{xjr8LFFHLOduQIkDY+yEssOGBm$4Ps-^}cKqUt zOUBE68(tzlea0czp*YDC7pC2Qn;qhj#fR+V#I&be_xwma`4h#1_$9fd=Lg;2%6uv3 zJmN18q~}i$*;A&6>~)9_>-g;R%5T>%d8PiydeZOZeYQJy>AQP0J%@gWpL{U&)bsVTSP|kr`0V^(yL$2J_-RjB-bDKa^|JGCH$T4;K77q@j%d8_VdJoe27T)7-TE|L zua@$PljBPd)k#idubUU8cJfb5e%k9~btaDCExzeg4OQ=(_cRRP#ktL%-^Nb zcNOJ>{K+uCJ4RpPXFF5opNMBXp*)@s@WY3xC-WyK&a1zAGJa{?4M`b(Z4b zLH$YQmvWuH&Ys6l#@8-bvde=9lTU6J#fALDr>{ePB}{+3)Xy(@UgPs~{oZap{MzMT zH0jC5_qwEYKQ-^4ic=Ri?IqcDSlTlW`>jXye{Q>_`#1CYHsAl_pC}H!`9$ydW2cAs z?2w*6IWhU-LVP^>luP=Zho1SR?IsVX{$D_eClAC+%)Iz8`Q-GYPppfR{C|~P+E>)o z({B6P?XS9gY0tRiI`sR1d2M&rk#fe(eo8t0+m*F5`K9<-SNhe-rMPu||F7BScR$SU zcy;|Pu0+RU>iI!-b&!2;B=zi29Q{Zy zfBKWtP7lQ)&oBJHEv|N}8`78N6MG$&u4n4}>g?u49q*&svp?F6SE^4uc5=oo=}SEO z?2JoJ%;TvPm!EoGync(zSK96q)%*Bq&p7Omoh&Z>ykf@jyjUJ6e!DWB_$AE#Odfk8 z9(_qxcOpJL8K#~L@eoDV`EUxh?Azu1B?`c=^@L`F^58}@&%EMn=?Mpow>Q{dBDbv@jS9sz=`Z|8B`V#WbeoTJyPrdq0s3^SI;(@zj<2tWVwi@^^#$ zAwHQOJvlM??DQo}9=R?b9?bZuCqsNPq)%k`e<-YrIS%~r$&eoMCqsPio6(p0CH4II zC3>&IeBsZJoG1=Gx#UNW2jwl<@iI^PrM(o7KCiRr>rg%N%L~(=o?l|}$;mT6>f+Ve zGww%~OZ9%#xc_ec+6mQ{&*Ru3-p7sRhdenC)KiE2ODJw)U0lyo#XaMpZ}&a>@`bDS zl<36~pKSf3hwS{jigo@adr2?9^?{6UA4;EyN3Wga63T}U#e*gPcJ-zAPUI`aF+b~g zC4c%-JH*uw_$l+x`A07ffBHI1zW3!a9v;28^pGBpzFn;I6TcKM$GMJQij#gRm;Bn* ziw8@7?6AbE)0g@+_1?=bUH{K(9qC7g>Q@hZ;l9Ow`;(1&G)uoXO}~`IhwLfS%S*<~ z-%-=!Lw@8E@`oiqdgyyZ{H#yx^ki74FV&g)jH4dBPWF{XojG>E;Oe=6dJ_4G!%k05 zyY;ZNZaM#o1H~aj_ru6|rTp~xiR_7ZeveMhbzgpVnDOdl?}sE$eEK>W52^>!C$gKb ziPygJ$M{qUi9`1E*?om|Ju_u=_L?any#@+I=G)0gt6U&`vCmk+YTqq{Yo@5FVU5*M>|{K8$Xv$!5`scb{^6RR;bRVn~M?XNk zl3ddBE1~wM|G00gG5Vc5``2EV@DrzmrTnQkFU4i|oiBPQA08Rfm-y^3zt=*~pDaFo z%6N6?eqjEtzs^s-<{y9GMnO8je$43CCoT@sjrjyCGw*u|Nn~qUs=A-VZ8NA%Be5e@$`3M+MSmij~SPo zamX1j`FX#Ky$;32BbPAy6OTWnuS5J2@=v?>|5H!Sexrxt;^lgT$DVxS$ew&MKj^$i zhT@Q6o|o|;9$8)V_8+Oo$0I}fIxMv_?~{m|{M552mg?XSlc(MJT-yCMdH9nvPRio) zW2Z00DV?YJi&yf;D`C5S@?;#(`%8BGw5N<$hx6(uuJ(!p*~u{VRL8(Q^ZJ zSbx-8s;ADL=Y4$0uD|4APdWATt4?_mGhbKj`1(~l#U(?0G9E1H+4;ld)7PQ*;xcZ^ z8HXLR=RQGQ?8ztVH<*6>=Qn=bc}{rY>Gl45flt*wpUOJOP`_xuej`Kr90&U3iC;o| zC~n4MpI7u=t9E8R;>w$La*0Qus6DAC%a{A5%$G9%5{e7!cNit-=~NN+3OI$)K30*C0TvROFnxd|KyWl`q9IZy`<+?%3tTlzl0_K z)RV;_L;6JaMD3yHm-CxGkzZo+$nuHLk3G?O1LDKvi|@E7@zM`35s#icub6SvTZ)IT zJ&?Z6FXNZ|ds{iAY{gv@b{e@RT`4dZg`Z|8v$=Z?UKhFs=eo3xt zuY7ok<{O^%uhTdjx!<4meQHQ`eTtuTrCz?&lf6$u7Ec}I#N@M=^z0uMGk(ghyRzMQ zFzcY#@9gx6xjv375Y#ZP1}A%5CD52D9|^d&5{13%-WjF*_t9dg{n zNfamb?aGeVx_t5^uWtPK!8bNoe#;ep-}?Vk?beBx`N`r#{6zc`;)?^@9e3aR;Rod- zi-Y^$^ZMJPt>3CsXuw__-U_`OV9uL ziBC>shwNlXpIEA!AA9NgHLu5g$Ho0A`ShRpOmCbLOZ!1&jGw2Hs`gebI!i4 zwLakSlZU>9`1(N|_+)6`RBA83Qaj|c-@>QomwI+};z4$P(73T{$KQwTv&`oY>))K# zZTGuYUU+(gT|6ibyZk$Le|qAu<_DEu^6(w^jtBRt)xl1mdD+FwJnG?xclR|r-u(Hi zrZ%h#^iY0s#wDBI@`%fx^@+3mXE)@>0kOkMf}Zwe&UniojYH!>naO&YnqQQ z?lbj{XUF%fp3lpl?NZ1c%~9{IykJvZ z?Dj=uXnc~-ZapFA?;_|ONBTj3vHQQTWO>z1Z(qq?>NkA(^q1dnh|5mqXS~ynM~}x3 zvXlAgANmqj{Eq84GIV}9=E}LfW}e%xns3(CH^2PMQ>VV(ziGVrL3zm~)NkxL4~(n( zC&tC~lzzx@GvC?Km7FE2HEkp;r44@KlJlPvUG!X6p7blV2OsV^XWVBt9oMsIpQ3)}HTzQMU3tdeaOs%sAMDwD_0%bQ ztb4$KrhSd?0veTfH`T z;I!LkHm2Qo&Yz$7+xyjdamg2so^aJOt@FS3>^SO_1ON2Jo>hNOx%Q&tdfd~ux*z6x zPCMX;(c5gh*FL=}Kk@$Z^8SZhaC7%g`U?+wdup>sk80kFW1i>_`V#to#d#i)KmF+4 z53?=|xqs{vKbz67>HMml`rG=zKQZ%IS9~|Xe6sGF_u@DX_wN3;)gGBTr+8fNG5C8& zpYU4CzRK3qC*Iq?bN^QLbllG*Ygb98hw4%%eaiX=^3z`Jr^gcqPkemG5q%ay^@R&I>(jK3;`Qh`Xr04$=+*RIruBne zJH!_^G41?I$X|TxSH{7khp8t+amk6|)aBLR{I!Qa{N>2U@BQk~KFvNSPha@l*IMhJ zdHeEy8}7Ws4_o^j|A&XaaUqxTl#AL-Hm!=EcCvQyGk&g5^eet`x^l%6MxJp&_vUYge*coU z$MmY&{nwp_t#H}t(;DKXzc}n&>X*NSr8t?N>^R}q zt;gw0jDD(D^_;2K#j9`klLI@?`(GS3`lQ(tyH)#6*DLl9S)cUi(~*4So=yM}c? zVR|FmVgD*mqWbu;UvSpf_B>%|>-s>x_0K;1z+Y_pUgN!Qj2iaTU*BnLd-xUmoc{2P z>Uj0N34G@tvUyo*AD(s|^uiw&ym#MstMd>$6esJ|F6|k3{j_0wEYVu;*PV99)Yk{h zs@CWG?>*`-qr11x-~8nf$NVR!T|KGCUwXisC$4=&zvdeKdvEshU$xFlD_-7X`E|Ru z_VL=!PdsSd(w}+#?!KGz2tW0SYaVM?+WA3#iTv>3)G2%Z=d#E3tboo-kNw;Yh3tgpY_6h4c7_m>W1=> z=M}|yWb>1*Ugwb>)q0e9@iGrRWKWr1|F}M&hwPAEJk3aVu+@WyFVM6ul;Z0LXxvKY5$93oLFdwrVr zC8sQK`0!_s=zJeqyVY^{a%VmJ#dmvF`(^jJ)aQEGyrb7Y;*oFKch>z^t~|5h`qwG2h(>=|Anp+nzkXZ&klKorlEr|Lr{Y&igs) zu|MYLey4V5uYSOD{$Q8KbBVl;<_G0>-l9*Gw}kjGG6+z^M`nl zKR%hA9y-ski>n<_9Q%vZiwCVo;?kR^)%OfK)_eVD-r>s&)t7ep*zsZV)dkaD@}p1W z4@-9W^y4Q!xaW|KzCNe%>0@5nvG;`c8xvlfd(%maw(e78oRYlTk9Xd;|H-ZE@Ldl6 z)vpg7(Y@3D(zvOUEUxpT_`>x(?* z4}WphWnOrGYIXCoaK6uuJLw6X}r>QRO;GdZB&1*b%>n&M*k1n*~vd8_Q zU$ri)pFbHN((5mL@gY4-J^79^PhR!AYrb3UJM|v&-l_OitBy>JADb; zDYzFp)G+x5fa2d!u9_C4ma;{xvTg^52n@#t9%_bv3V=h~j5;~NL_ zOkVG=ftAj>vwVJ<>N>1c^*AKNIzpxpX0YVy?gcklIwWu;^Q z*BpJvKCR)aUj0)9~tI+qL(-4iMsI;^#i^8NM!97*ZG>ggy|=bIupf7y?%l0 z;vGDp-=BtG(|XRW&g>_CiSjz`$X&(E*RH?oy*!Rf{_1BZ%dcPPOPK!2+v4f<_y6_I z{hHQ6adSSE_EQAC>N4K2x~}Nhr{w!Z{N@$SS9O|4_A{lp`0UOv zkKTBaOaAO7RIhpL`T{@WI`6V4ztk`I5HGRLZd~oR zlTR*TyZQL*pY+Rlg%A1t?&S>z{dM(To!%SEcx2;hzak#QBPX&a;^p|!wcR`@G_d3+eSAJyfrG znd6}ScIbstGTI6jP9&TIXg_iyC2 zPm+%w>L+!Z$7g*0!bcyxu5YLJSk#3tj{Epz`4ZW+muy^;(3qv`n|8^`qz7c z;zMyfZzY#7>k=pHGA? zbN1`r^uD`!m;E8H`Ndxz=UX!S8@J4w{{2&1_kHwN^2nDxv;6vBd3IXk;rrM7!lu1C zzu$D6#ZSJ{dXEwxY9D{&&i{oYPhPd#S3CP_XZm~2$6p?D zzRyITJbLk`?YiXft(Wgn^}FLz-CHa?V$Ut^YOVYHt*?0UKzeynPln=_=9xI|$GCob zYTB7+&%CcsGv8YiSAUWd)miQHV%|CLst;y=i(5K=+4-kTpQxScOuOrouP?vZ1C!rt zy>Fr)$L@UGMg!k|uTkw=o}YBcA-7Jg?q^T^uY3P;)Y>x|8UM!5?0&$izgeLAeUx~3 z>W5j^Yoi|?+HXY9YCnWm!Wn&f_rLYe_3zipqYiSSaiF&!Bg32@<{3MbFY7Pyo%hpU zoR1sjg;{sX>cKA|UY&o=7xDOsLr=CZcidTzl1F~&mKi_#?DOwe&wX4susg1ev*U%` z{zHECjUI9SgsG!jzb7w^Gro9~oPjT?c;?ZZ__R-?;OIaNDTOR50$XUn!f;vo3G|w&J%im;_GMgOT6Th^SQ4$Fn&E8ouAmD`?cajb~2=Q9wnz;oyI$P{Mq@dH)ZQ=#=$r5*q!giNyMu| z@$s}vKC<}q_>kRvAt%b0*FomJczEQjgN#Rp=k0axBCl@I`u(6d>dD`6(&Lp-`|J4H zWBm1t`z?BY^1!@a%l6}mtDjR}*_Xa;+@fYTn-{)!_BWTlA)Jk)M+A%F3%J?xGh zey~OBy-#-QuIEGeFyoOu*CVULcPq?0_jO10zvIav-)Q~bpPxL5?BW{Nmogp{ zUtRR+S10o?@jP!R*;B6$$e!mXdi|38l&uGT4?6LIalOX;y-#&M^LsP%i@*N%JV`$7 z#)I_gqbEc9M0Rl!@$pKS@2}xGuE`lszSQIE2eR`jKJ?y{adUl-&mX^pco45tCp~^5 zyKyEbmi**TG%x5KU*yEJ^H*2q=TEO*`#*M==lzP`alV(&{N@MUx05gDO=%qQ#evSt zB|E*i&fEN}`r|&2_XO;({C-qC{!qU=54nGE?upaK?l-OVJ8XP$ez^P1cONi)cEj(E z#c?0szQ}i+_$R89f4+B7=~o(c=GXy)tM`G7vwHmgG~;_7iYH$3$oiWM`IGg(`AP5l zEA}tW^ZfM-exi9uuO9tP55*q>WH0F}EFFU74^RA1gUom;p z)^la{&n)-M$SGTYP(8=t4>PWDr-%6B(nESYdPtwV6>s|Q#|A&!`u@TfAMLrq%Ex_B zyifhpFAUpglS%J3Hrslgt5qkLLcHdW@GktrKMHe$E?qSnXTm zI>h>99*eI|=z4^`nwN`Sy5f=#EYftpD)XryYB!XhAJl$4`{YM+R5Mfom@ioJ-Y8(KmYVrt^32ipSQ^1=O%Bxe7EZNVHrpL?k60x z$Cnm4^Y)%i?LB?qd6!JOqxBpI-@2Ib_WQ--3#|2t9?gr^y7`s|ZL?q*yrgl^UnCvC#qY!)Xk6G{UCP8PKNYTKDqi^ z_ifiYUbQRh!&jd;CB!$*juU#A{_^t6cH{G}L;S9yxTU(;VIIf&$$3Y9?J-a2wbyzf zF2sZM@{l1OJGq4Er=D!Tc*(Ey9qXj`%*3(3kRRVZgFewbPd)#v1J69NU(EdK(mwI% z`CA9wuf~^`pYb=Y?(2vH`Kgo44pWaWAH-w#zUKE2Kk>osPX4fZKAt@MI&9ak#G}u4 z)#d$nv8!J_WJnL`ONa;Y$p0!d??0}3yuWAO*0nS1Ah(MdpI^IrypkU~#DnyZK9L=! zy)-V?8Rr)~ambKf|7RY0=six?p}yxOj{UcF-gkr8;e>(99DmCO{i^Rp(`SBq`JwvB z5dVr{FD$g&;XRw`^nA+wU3}+NvUS}3Ao0}YI-i{A`7S^4N`BtA)*gQ1mSl19w9ox3 ze)M?OTkTDKsSdnqU)}NjtK_>c>GvSb3lCWJwS`*mBfHPntsNBx`8)2|jVr%I^Pt2R7xE`Vdi`u3(c@_cIqiAB zM16SXh4WY5KNtVv@ppdXoM-!1|34@5i3fex5YPWVuny{<(tQPfc*cPq8V_~KpZ(=M z41Vsrz59)Y-+F66&*njAeEWi7Th1!p_v9zOx=ONo)Qy)YE`G_boqm^t=lmrOWY2Y6 z-QwXTniuNI^p4{`EX`R1+ka6TO zpNxn0h==EQ85yTtS)3Az!!Cb*PssTH^y&|9xNT(XJG1L-ttCQ zZ*}g5EB0*CJMX-8_pv8zyk6^lcX6S-WaxKLY0q^N-}mu+=Z~N7s^oFR4zu0PE8-hx zvi&kyeB&W58D<ilHAvd;2jCqwVmlGeOo{Q^65e$Rg8hnF(_KO5`nsI%AAoBk>DFX`Fa#f(FS z;*d+2yqq`ud=J?C@cm_WnDOi<`K6s7WOv;2gLz!0pZSO{9vNC6)1T~q+7p+qHfXn{ zdR6a`wHsTF4wv8(U;J5fb*C0n)W-ds;|@^_?gG~fj`uL?n~=8{V0xkNzY$C z^MpRf-Mkoa>H&8wb#v?c=6%3+D8Gm{B=?{AMx!r&A`!oLsKz#LU7k%c* z{?kwR?lXv|Zb+{_?IepMuYB%zn4i18HR1S!hPD3Br?}eBj|}yne7S$j{P{gPet714 z>dhnVaR1Hy3GKEH@NXBj2jBluQJ47gnuj@F_}O3Leq!|Nb5~rdbsbG_9LP|6q4?}D z_1Z%Z#WB9x#STmNOWgl*d^isHiBC>sSGW9*6LlL`b;|3wrWY?|b>;u%P|ro1|MkhI zpMIx!A4^<(avf?{iN_9ocSWAAqUSfh?|JyWW4HgqrPCYw(f{LhUE}=-dGx>gL+WN% zCmEmKIz&#pc=X13@x^EVbo$n<|MTkqL%3d3zw@hg(Djk=HSX@$%4dG6D-lm!+E+q+ zarjx!w9C36&i?PeF?-GTTkn6ox%U|>E%&q5|C_=qp?rxYKE3)NeWLwW03^<9$8 zOV%IaIS*J5@!CcE8u6gtZHq$>t@mW;ekniwV4T!%o*6fMam;Ugdh0bA+82rg*%Q+) z4?W~Ze)yW-9MO28HLvWW@T`;K-TZ^K2Hx7UZ`1!5@ty#F3H2LHo_eg$_I>#5YmK?| zn#&ul=hF0^-|A2O?YP2&_Vp7N-0#Peo}1mUk7ie&c9J39{6cZHmzGA5&`e^=VJ>rX7LV5T@ddQzFFS&&2momSSUOSTKJi)JBEVWO3sD1L6;^V`1d3F4( z)A^EL3A5hhmFg?$)4y~+$a+ihvOeoX>d8=iajoy_V<-DRndC%q#UoeO1Mxd)$7#+x zartLF@**63^x|8`>5KU~+HJn!LwSvxerFdq zQ61K;w5y-qKA0@NeClw1p~r*#ja&8)9>lkQ7MC7Relo--Lwcwmv>Ol7%bSQtuYLUF zVNc|bN7kSC^x7*veex#nfAoukw(b18I{%lDU!wnik@4`{H)L0L*2PXw)<0yJ>zVn% zuDuygKdDbW_>dinTSCu&GhbdGi3dG55SKpDb-3dnvRg;8U9PLeh5Qn|2kZY);fsq; zuYPv=x_-qIudB#kKaqV$n(Vk1pZ<;`-yQqSv)`@uNA$^~7bo+v*ZHwSe&(b8%J=#3 z=N08Cp}6eiMD0#}$&WtoE70pt@$`fJr|&-D!>6}6>8K%pnO%KXoS*vep!-qo2heAJ zbzIzi$L(MFWa~Ro^f2##ikFC=da}C7b$s)~agJ}F?)*e=eSq>*7~eVImx!-_t%vmb zk(~b42X^hK?o$4`cLoj$lljqWSFWG*IS=js#c`bJXULxQq+MMl{rDR$9kcy|t?yy1@|{<=_|d`d zR^OH2mwA4_Zm_|I_P!w0h-Lr}ol|2ieUl$5Gz*$A_hO>>n5Yv+~yEsk4{b z&kxq|O7?%X{$E{xUHbhTV^}|okt@h_xx9@>^Z^rK+&U@&TWskhR z^_>rO!PTysxcKbdTK{JuBPY6#lN zLht&43@5z5>4+EO}&k+#e*fLw2&`$^MX^{CMon zBkUzUztT9e!%{qYb>f$>R1ZBr?QlG?!^}sYnB&LJpPZ;&c^vUmCqJ_Nd-~x)e6oCy zT|PYH%nsQhKlY4EpP1*Jw5M#pllm9VSnc2=c5eNDHFd${myRFpRX?N`M_hI?`|VGh zwdU?Cb^cx*d-8opkX>AIqICd@$Ip1UKBqrs(pGPOcB|HR+B0suviS1yBSU$~B_4Yn z@-M}u$ICiX#)Fx^bX?hACch-Rzgx zkKOqRY8N~7{cY<)#_=5se03!H|24*&o!?I5kA3hr2ef`SVt)IbFCIUr9@jzQ>pyn< zMAx0->t8&2<4uNmP(PCGe{=rwH?JytJWmiuUFx70hn&a`b6()Hlc9X2d4i`t?V+#h zfBmH{b=0BwiTp}>cJoAi^khh1!a82ID`oyr-SX*wddQxr|Bcu6zrX#29lzJ7>3Y>V zo9iVxuVcmMm-&q!Jv1Nq+c!9_@z@hfcKQ;Q>cp2P`-}CPrTf3_??D4<`2I6gW^E*natmOBa366kxR%=|7bUTT^u}hLH!|b z#^slYPcL5T+36GIOFfx?#wW8w_qW(##v{v*M`qVQ^iV$MGshV}JctkJ%@?vd#KBJ) z&-!HkCSQE|kBW8i9Ea-Ff8<2%;HN%3`xfu9n*Zu>-s0!D=dWMMB@|bjTwLwb4#=*q)X!^v{af<)ev0{_4(qjkRX4l({JxkT zFVD-R`6&;7b&~am_1}KP{AK4Szu#|*L+`qb%&&yb3;F?1`%8K}_2JX2iygA-zvSt! ziq~;ou8!l5{l50`hxCv>~EM>*eFSJ<^9zgx|&j{N?Ddf6dA?NuK=8Cw6c?yN`u zS_fhJi7TJ)<){y4Kk!pG6h|IBak`4yAud@Q@e|n-#esf5k4G<$^R0QIACj;A^oioq zll}hC@1?{^#LxFE)Z_a=;)_eR?<0#(PSk#S{OW#8$9_azcqQ5O7aqhv;>3~9oxWH3 z|9jyls>}B<*~Mk2hq)eFSIncF7yJ^xFzM>o5BPNXeW&ElFWL8m>+W-BKI;d)ej;}j zOa7_19*WPdzf)h5OZpsV$1S~iD=*A>PM>*xGxYnHygjB@(>m(8fpreQ!jAp9{PY>0 zKI7o2kF38^uP*WAhonD<}$64~SUi>_7sx$k`@r*A%J{jsS_29`1 zo$txMUqj{x^0En4go_ULx_2EJ5IX*qv`GpL#o!UpAarkK`+4mZ= zZvOhoc|m;sc;x8|Z@l@Tb6elfqE{a|_j}^#j|b1XaOe)B`ZROA`QwrKL+vEPieDH% zJXrB#Ur2AhXTSLWLiStMyNoLi%zm;i@T)`r&sG1bPki4oG~W8@%`ZRm)TyucZyIOs z+41*XG;#AgM&gS{=5PI0KRX%Hiv#KPv;Pa^J#FiycHw)D=Q!lgE^nf|^!&(B9POm< zDxY8Gb^Ng>mhzZK*&pi6JmP9k%J}lB3xA#0xBc|p7x%9I&lY{gX;*K&v_pRJv`ano z>LRnt3)7x{;wQgOR=4>0xn9v{-jwmQLtOhJcBpRST=8T5%6MdPAbs{fee&ch+36vE zV#Y14gLqJ!l&^Z!9{Qgjl$Q*RH(4HX{$9fWw^Bcz^-ms{=N)>; zpR8S_>j8FtkUu$5yI_g$zJu!?=c9}_qfhVtxBj{Hoxz`MzRfwqU+dXSUP<;m)_8d@ zNWZF&oecB;L?=&P{bii_L;Zor&;M(}gYI|XLw+UXU*fa#R~J3hPCV$j5LX&R=-^@Ket}uh-}^o_-ZK>$D!{ zbq^lo57m|bzsCB32d$Ue)8h6L;4aXFXQpU(_S)6o^@!z)J^aB{ci78-<8H^m#=jE;3vAy$-H>t ziBF%;C-_4=n0oiUt)H&L+=p@e=%@4-SAAs2kNo?u_gv+vKCSOQiwE&avf~@iI)JYZ z`(OJcb>KnkhW(fRh4SDhvRCdHR!o`uRSL zabhR)gX~?!(sLh!3@k{82IEsh=KZo;p4I|KNUq z+V`m;o%WCV#s5amsPAey1Ma@mZHg9M=KXGcteIb!6+4eDqLV80IQ|c=dC$%d^5q^Dz*iRb| zb;#rSvi{-s&|QOfTkE&)G&~Q}4$r04B`-hy$WBj&;`u#*`XE2gd$pIpeK5ZJpW><` z-^UUciq|gcH+*qQh*yW{pM3VrpYsS0io*}mLwxW5`M)mg`ZfJavUuz{@94!(ng3~{ zMqkwXvDWvp>iF{DiId0<*~!qn%XyA(9Z)~yf5PC;e);w_`nG+ao8J~I9)17*SN3XV zJpcdM|0(qU$oWBjj%#x1cM<#&wZD@-uG960JkC@8-#U98@=spoZ&y~o{g?GdeEBk7 z+RZC^{Daed1>``c>Ci)_-+~2UD-T?8Zs{il~xb|_9_ojv&}^H&$Uej?+Mq4#ju z^Zir%dEei(zVdfHVtnag)sjkfHSgUq1CE zvO8~+{r`(nfA}sHexmn#9d~IbtH=MXczK`g&RzQM9!=*@Jog9jwV#Y<{*dig@Uma< zAYQx3530*}h$AnVJu#mr1v9A|b zf2ps8@|W!NxnHRAc3d}>Wd7D+#~r@@z@vwbdw%M5KH#Ul{P1&M@A@O>7eD=Lf2}{E ze2M(Dhpb+*Jl>PZINmSA6OWweex7~oDeoTn;WzJXy_c7KvbQmM(^{PjF$WPqVi-QNv3o<`^=sq>OeXaG*cX%_-#7AE^bcF}HHLn=nKg6ep{Gs)U?7UOSh3k>hdgK58 zT377Ljf=SEyMBe{8(BNF6FQDcGJpBRA@hUuklt}3p69;KH{vFWLr+fB|9Bg2zvlHr z&tIU^a|Zd{cg8Pa&JTI<^`CZVC%b&+ll~~pBjbiA4$SclozJKDT>Z5vqt~5PJ@4R`m~qK4 z`L7%@Zp~LG^*DC#$9i{q zt|(uQkNo-@4_5ZVK8_ulhn}~JlZX%P=kSaVw9hdQ@c84AAs*Ck>coTM;MXC({}ZB4 z@u0ly@{8~J@WA^PZch2~JH`95@`=m8B&Qxf5zo4j^|2?an_fG~@{pnTX-alH=zcnx zAEbx$j{DTJm$0s%%~x?t=so+iTVLE)$>+}a_Tlz_rF!+d`Bmc4Ke)-|eW%~ttLc8+ zvSU`f{KqSIuhtJdb>NZpPmX`u$Q4K4d)>Rpt6TIhUZBo6V`~pTbI-S1?+?;L-!bN2!bfhuW0hroIJeXJ zrNpPt`s|DBCp^dXoifi&-T(J~sW?#m8(qECxf`z7`rVAY?9g#Q_FO`L((gHE+-Ei& z*EycJ|F59^zIH?Xubujh?EPMRmQP&$#SZKA{H@RWi9XwJpDcc&`k^?<%W;=CdE~sWFK)Ka za{zu2AF8ipPrdyLy}X_;li6Xu&o8g`r=R_OzssK-u=bFDym#8M9;lmKLOh69CmVlt zLH;oHB{|14`$@aaudFYxBjm@+y!7&lPtX6OqIj+|>*C?#<#mwum)gUxUCexSe&%Bx zk6nC7Kfh7@63VCFE}Hb@<9l7w`FL^PF5{HiojkI9kluYJGE5$M@52}W?v_8D)$sel zr`KI{smuHIsgCoUx8gx@v^(`=xXTJt_8xwE@8-&5hClay@7Dc3#|a)3S02bthUz8r zci)2^W*l|Ej7M*M;-BdEg!GxOs%z=n#+~>0Vx4}^Y2U*is)xV0zB6cDqgN+1KiI`3 zL+#9YDL+4P`H7F`dYYXdJ2~z7UYL3yexiEu#MfW;Dg4;gLl60pwKw_V;F0;0AzosM z&o9T9zkbJq;+aomeEyJ~zx9fpAA4e6@AGqBai7*cm_MHH7T9;#XBk&~=PmakjW-kz z^3y*553zfXoBz7#tQno|E8y9e=Xje3;+9Z;s6AwP$gtE7_RJ^lvZF^0ZfrEQ)BPXU zMaE~ZxqY8r`FGu$xqsF!|G!0j{_otJ*QU-n`?du;ogaKpVU^Y1d34h;11h_Ejo&Lj zx$FMv`;_l*Xcxakc9?du@hTx+T^x4vmmkb=l5hOrS8ljqrP&SrrTvgUzVV}n?COw@ zjF;;IKlaQ^55+UyTeJeRp#A>i#Hw9g63=$o&E9Ox_Rp&y6P?_|_e%a6Jf#N%UeIJQl zedP3GFQK^Um+?Gr7Y9F)ea81znff2ITI)UDCOb|2`=jH^-_OGHUWxnej(724)=95l zAw51>J~G71aixd3kKhk8e#&@tC|~kQ^V+!Ld;UpQhu?3N;^TJ}?brB;ZyzW>eB+i` z)4zXeuTJL$`;5E}%l4UX@_E05>^!Fqc{7gR*|V3B-|cDE09pHY3c`>=-wed_Jq z`c(f1!#q}p?|!Jma{+emk(hUneYn^!-uiOq?>%c@>HME{izg31`(^v$^vm(GpAknp z^ap?cpT%_(ex7IOJqP!m7ky&3Lq2uj=X+1|+LLwZ&zvXehez-Fh^!vt==z$z4t+1A z#M3|4o#c5Ark=#SAFn?$PRjb7UR-h_yKzZ-uIJ(>-}=p-ap}dsV(8sB-ra9bqess{ z>m0U2Ydtyl#OY)Ao7TO$Ut)bSPsDZq!1E;WeNWJFgRj24U!k7dmujEvqHibGCRpZ;P`8Be?MGJZ*>HxK!j;>njN z4*!xYE`L1ed6xUM^o|$t6Yv-zrr-%GXb$JgV^E$86izkowRkA(F*Z=(0fk$@! zq_=#0kDWin@Akj{TK}hk zzFjmf^6`@groJSnKI7W|;FVCjOLldMumAD+)LwjEk53=sf25#S>3{{ha!|e}JbSlb>?_K03!udlJRBpVuz+may`ReSF5}k56{p zVP9hWjhpv*=*^S7KGYB9gFO0EKd4K7vhgBA{osB89)I!iAs+NS`Lla&{o=I?&aR%v ziF3>zUs~kM+gsoH=>PnrLk_uhYQ+<`gxah9&~q?(+^2MZQ@=vb#eBcd^(BA#$x#0q z2l3d`&vC)-_=3q7j~?=u*Lacn;n@eJKe-OYg~pekJY+aw;4;VGvO&M5c|^}28aMWo z>7n+@t1fovyNY-aA3FX$ufogcp7`D;mM78w*`_y7$l^nBEBUGqzWvOkg__nu{gk|2 zzA*6zCmubk;k)4MQ>X0tpUWQCx9R^MW?npc=sO2~KSr-E=(uB7AG_c6lcBshKiRKb z@r03QT+sRXqwlKQw^|3y1ND-{OU(1Jaq%9Y_NdQ&NHWaz&vlyfs{NCFy}H$t*MpZH zvH$obhP+cf-^YXMB18IPuAJLz=DGcv`fuH7cT9bKKFoyW}o)!w;n+-|$}X!^hM;+4?8 zBkl5Phkc3rTlxQV`R8~0^p|+P=Vct|#U+bZlJyt+p*J3M)+O8aZn{70zUltWJ14Hz zf5E2nKmJoc@4Il%T|2KUo|kJk{uwI_x_I~XTF>FLK0NwF_W!~E^Z!fJKl(3^GkU!L z!S?zy&(F?V`p2saa=veir)>1V|?tJormZXjW1-ke-O8Hys}$I`QNtY0UK@k zcI$Vp^pGF9tEm6#{N!={;CjP8F4y@S2mRvzVjMGL@x{lDpWS$B+L>q1ysuBwdjj&n zT<@|@Jjm|%di1%kQIGvG9)JC!y*d8wFFT)_C;Y{e$Gr31DEl>f6( zJbUKIM=$NxG%ofb=DB^3>rU4L>TthEo%Y{1?6K@u#%|fS`aUqdb*kcznA~^xV~aM; zKXtR`?`HfS*>!^ZmHNwisek59Ti~1DJAHbm`w-%V1R@r*`#C!XMEmE||GUfj!Tp#; z-+F$#S?{#|k0bl(1JAo;(j6Z(RvCNiW7C&v&4X1pIC1ch^=4Psr*-W$Zg{>6M25+u z?<%UFpSZ3IoWIOl>kJ-$zatl?t0)e?lkudz?VbN|hJm&dy9 z`s`1uerMHDznxXBd-_Wr_u1*y<$QssU8#3}8_)gF-@UxSpueu(tNDdVSHFJ1r+YV@ zcicy@etZ7pyi@l+pzn03Q(pD!2k7|LPtGg$Bkr?_v*@Dt?RVHWTI-(uvwYTJeCv$& z3hCQLbwYmH(PHTK-xo1XB+4_Tq`G4Wv+>Dp`Sn?O&_^kii)Bp0+ z`_roZ1HZ(dp7^8HH=i)Q@x$G3zWadbt^J1l>dSE^dk@q)YaLKe<}(lJ$&L?ke>3#^ zm%Kfu^}ee26VxTX<4YXJvARc$-e%jq_UYC1yuk0YN9{bKF@43>@20IIjvxNk8THaT zzw>kat4}??vtu0jJDz+GMjq|wfAbI48hC5Z)_0$@8@f(WkNE8B$@+&ce9U&soY1|x z?z1j?E}Q%Em+m?6#Pv4r-gG}j+`JA^hwDA{bi$7Fi~duec31H`z8|JN=C|Ji`oE_3 zDdO-aTOY~tRP(mxy#o0mKjWo+WW3a`wcAR!?>?&aoM^qP)eXf> zl;8bqN9(?n}y!3lQ>l&W_XJCJn@w+T{91o>_vCd6=U|g>;fA7=u-mQA{2bBMcpZ8c~ z^0!;h$9y+E+wcFlxlhDjyYb~?&*Lt~=ZJlmT>NJbyw`9)!2K-$FHrx_dh)8DE_Cvo zM%FLSNiSVK?)VGet<9gkb?BFB{>S>rPoDIb zPd{5{tOv{8v-Y?pkC@xgF8A%-fA+l5d8uxHXdQBY-TpW8JATx!Zr8hhPpl62y_3(c zUDO{?JoihSubkJ^Z5*si^0AXWS0zL5i;_LR_5EtH^O@sRKNuhW>T#a8Z}I#HPycHt zJroDhTgQD5vgEHH?SJ@}`0U;{(%;FKAND%`rj5rBY`w3cz2g0Hm8oYh_Ce#aXO>_8E6+}AI46Vb`B{^mw26;GRP^`ud!PxcKZ)KajPH-ny+l@~pG^knxkRnA7RH*nPaL%lAdp z;W%~Q&~fE?j_;kQ!#CM&Uf*%zvzvl`BgVxy(g8=EyU|8 zs^54(adI5+KPqakJmSfxzkF}RI%B_JKjAw}-Xj;M4&_k?K6&KZClA^2@%O9an_azi zn0)P_*U$9+j}JSv&m-r3cy;)m4cR<&zTjU%^_1-G>b*yk&jZw@e?3oi9-y}_T6cWk zT7Ge?(~cMVMEwA@)9>LIdc510zIbQv>iNF=N%A?a?Kg~9=CKair||dx7WhGS*JbwS z;#wD6cUb@R4}bCWqxT40w>sa7Yu@WWdhsAV)Nk5JFE2ZP=X-LZd2QUa&p6?`A4cvf zs4BOWvl%qN(3`zQ0myiiY9QC{fyhc~Txc>m*WZrztC#a9ozy6s2FCFG|) zW2apE+lx1z(XdW9zWCc8oA=o-#sj}yR0lMl$R!k?y_BE54y*lJ$8}A{=TC25(Hjr; ztS9aKD(u)d;-$aiQvWB)D;^m-F4%KjrHAT(^yUFs{PP|T znEvv>ypExV{2hn+ojd1k_l2xy=`W7)A-lied%muR9Ow2K_6h!fspHY{mEU9HCl8+A zEf`ndfijP@(|CGr=X~M$w|OOw_VN=C=6XY)e$E&4b*Mk_KRdsYoqwYK zOg&lrMEe2r06%f91N)BOXXN{hx;*JuCu=93`bu(1pMH2<#f+o9xn3o&B-0yLa@Iv( zLVU*qxehZPzI_%M;*%5g1AX$1r}pC2A-_5vJAR^e$*;a#|LLJP{N#anCAp;MCoUPk z4$nP%n@7&*HnoxKRr;By;+HV}@aW0v)i3PwKzw${pB?5pL!T&4>cxe5eaWw@n0a#l zo$J5&`hlEr=pnm(rFJCZl~6pGJbEa8^2m54IsJ3L$*-$uezohTPW2?RLveGQ_$80b z&OgySF7fEaO5C)&k0c(%CqwhaI494%cl~wH8Q;EO z*p{v1=IWhp?f=BJou8YC!=DW0A36N!h5y{U^*g0f9sHo*|By@1k>r;T%0m{XPIkV@ z@y&TJP6_$L~3WzGxkZFJ4*n1RrXKkrzWJT)mRCN0dHyQ->{ZE!J{p9)jbvN~$bIpv#BYUs*?11~`RPW_^ zFVXoxoYzJ_Jhb14*8eMU9?Ck&@>KKP`)3{VkKXyk`wPxb?lX#)-#gYWalG%PAH;Q? zUBXO~w$r#|icVabm@pWlfO%|HDwAAQE>mndKAQ_lCGjFb28@y!!5 z%sgauTlc)@Mi0gHK9smHC&y=Zoa5;~ zGP^nw^El&&rylc!9jXV9A3dZ`o;VOM`$L@M(R;qZ?s+>IPkwqbl%E~ai<5eGdT5-; z(0axXW_*11b}`!{E-c02hX>VRKG7%Q+5eee@|nlve>co|r#|f}trK{4C=Om8uk7@A z^yGFi{me(>mT~a$)Incb2Qp5bY@Xp|9{Q})K1V(LlEB*4ZdrsuU*_LO+mgUricesL4o@!3-@=}Y@o{UT1H_M~1v$_K@> z-=RU ze6N4#{`VhxB#W?tGBH6i;4Q$1C+)`ei%Gb@gPNy1H_`tK(<$(y?A8sk=eT74kX~K%(0K`u9;W{JmyX@D$HhE1ie&)Ga=J3GouOlU~2(aYM$> zJf2f$T`BXUC(94%AwI0*snht2Q)h?YF!!(W<^4q84Yoh^eGl=WypSHcA7%XA-_(Bnsg7KC#PPd4?SQTe$WT1_$o8Yg z&wXPuUbctbxVVodAHMx7S^dVDogT7_Cm*}}=B4lD;X(bVe_cng%cH%e{`G#b_pP-H ziUY-S+-5t}gGW{u6rWvuGCR!vJ7v)+vmRYxdc*h{H}g;)vU#B{c6sHIpB}PnukX(J ze}4YIU3FdD@jM1!KHm={XZ+t^J@QL4w`#pV%?|mglgwU1?Pm907&+1Z(GtIe{IY*? zysQTqhrj1G?DS;McgTs>Pv7C-?|9^|PX2g%&KdWaO~-cO~M? zEA}~g`oibF)~mVlnBmX8-@A8n=>cz^xb_kKnt7hE4yi9O^Q)WQy6$%}^x|kQ*?m;& zKRy|c9?~b~bA0<_>#XPY8Am%D_v*wm-|(R4wB8TJcifVp-}|fE_g2Vw;(MM+?|2}~ zlm6^bJiHR-|NYXR;uv4|H8PI4*PCd|l zV)gqzgnaVoPy09i{PO(*c4+-{Ue}JQ?vD52|KpuCFB|_{pQe4J^Mvm^s!Lq$d+5H^ zf4up3W;LcP{Mm)~pER}M{{W0Q^?*B;y17U7f2y=&&u<-i@sqDiYlvr_9o745OMLG6 z4?0~R%lE(7yYHyGs&ZZ6$(ITVNDv~#h{yp6Ql*5>-k`J)AOXRM5UL6&MFJQPf}9{l zqJ*QNMJ^>0@Bl&x2)Rhdpdww0A_$=!4r&M?y`s&OMlB3ldt$wLTo>=L{^C#v3^3J08;-K|!^7+MA zPqcCBIONZ9&#!u^hxg$4fv%hQNu&qmmzec2j#5v4=`ZQDOMhsX`u3qp?e@J%-{19| zKR@zuy!$?_TwTU(!=*jn*GZyT6`%-hC|^Men`AwJY^ zXqbHWk>%(8Ep;i`kvsnAX}>tuUHXON`s{gy{-jT6T0Gp$?oolto|>u&mx-1UzASA2H93-5Z+_;7uc?Nm4OJ%9AH$8l-> zpU189vvrGg4*!t9Y*#hD;(cWQeQJ8iu*Zjvr<5nHKH@t5_$eWMIQ->P z`cArJVdJ60kJ|UUQ{HVHxWm*dPaCzkarT5ExAYyqtTE`OUp=KP&YoT(JACv5_n!3T*siVr^TZc_dE4dvd&fV2CCq%179a9c z(e3*J`0OjW?-sP9Yc4e>_76+E=}L7aUE&D?9G>sIOc-M z_5W9paqJ7r1JZ-De{}DgCvCN$;r~|jhjv&O(ueLlc<-e0-(F|yqM6r>Keg?iUQO#d z*A3=l=OOm~Ur2oCBeeLC9nA0Am-O&q_NViQ_8Sl0%W|G!Po8sSUwhP%z4Zz`>l4>a`klRT!jCxC$;OrSuk$W_e*XQ7*PMCYiXH!-lpM-4G5-&R zT)dNZe&ezW@0#8C+H1$({IeI|ZS?=i7dD*w%7SX&^?}2Nerx#G=T-mvZvCKt<;!o? zZ?Rska(bRaHD9wMH%`!XST`=6Pn@qy`-bA^-<X69JJ^?wt z{Va6K@%3k-^^0+4{ID}V_=V)K&W;{TeSDa4(2yQKnI}0^XY@Y`)w{FtvK`r8e$uaT z;QVMDJ0AHp?z+zV+<$DaMQgn%4n6m+@Xg~np5@~_&))tFJABA*3AN9*!P0Bmp-=L-`Cyk^Y;9<@4ox?imm%z zuAB6iJbVw#){EJR|{mQPc9_;CBNAl4hHkRVc@57Gox=lZ+x480y z&fid;kRSHhZ>~$pq2qjg9v$M{0?ljyln&#BAX_%>eZ{G?xW$u5rv`ibhw55!MD z_Sf;%A=|-E#;c{{IUIgUC=dN3ANu&>Iv>avx*jn82L7?s$L?@_ggz(+=C?wRw&G{`}nh^`|VX&IjgydfJIL{=H904$XIH z_s!Aj$)EEJxjLcgy?o4oXRjXFqlsQ#w9m(m|3vZ7wl*GUki5W$8#dd zr|dRraC}!_cyYi_%UCY zC-Ci`%gghe+O3`X!8l|OEB*HC4A%{wE6(pk{`G-L2jA7UsNw&*`Eh?;zK%QfqT|*4BX8#s@$sSgBmIfT&if3h_d(I>0_7(UajYM_KdgOu zepFBMTl(P-($DjTe4J;{nIAgmdvTo?#nDgJr}|I5^}F}3op<@+m!9Xg`SJhc{MiTg zT&i|!4}bDG_UB(a_u`>Fn%ZrBMPGZ-<^|8qo9FqJ2lU*6^Qrr5`cXXg&W{;a9qDVI zy6As(*KU4Y=hM?(*KO7v&bQ+8qdn~1m*$_n^E!L$80!k-MxN}e`o?`B=M;S zUC_o0eeHqbXfM6wYlr!czIL%o6i5BEgT3~%^S@2Tr|TH@^wh=wbXnifH}84gL3`B4 zI54h_OL@ste)v!x{K=18+&rE=XJP+V9CrNi@A}nxb?EU|9D3Go7gWz3xNc<64xLz% zyWSpjdE2MA>DsmFd}?0dXYF&AJhIKG*88w2=U+S6sk8YVUmW8#`=NuM_TxmqWc~Pk zugI@?QhO5lH@;JDd|IE-*S^#@uacYhv`-xKlsx%yzrg;t>qc?u882uk4#a0a;DJk@ z_{D@J{#X*DS1_s}Z+^{MyGwL+#TJ ze6%_mSK`n^Cz?O-v;O!{oNAtFAGhS<@q$9Mk@KH4{zYAf?ep?S z=2YW2_l?9i?(9?Hs~`X3lPAg_pWT=~cRV@ZgcYmf)cz8G?4bQQe(=%GU-HK9{)=@t zd;2S`?@zJ&N2B9XTy=2W@QI?(PzCv&{fhw28u_WX-0-h0@rhVz*Cke+dc zuRqA0m%O(?52_>Db)UQ-fAsvnop|{DH~99p`~9`GK4DLeuESCub$0Jp?tEGDlXXbi zJYrn@=;&XLdu+(khV`&I-tw5*Qv&Z^F2A_2Q6-*>l67nFKGvT?LkAw zL5_nTJTv@@6Q67S@2q?vd-=iSqs@b8=P~su`K1qC7g!hKC(0-5AWkCtQl0o?M;|6% zTzvNW%lTZtx$Y|Y!-uZ-`Nub|(9rrb^)pZUkiPfjj92}pU(G}OsiSs7`5AYqXZ+HK z@<4kpI`c$39@SUA?CFW0{?YVuKEu!TGJeiO<`4H9_=oJ&PkqqjP#w|o({6V9M;+Y1 z5SJfypwBP8r19009e?!YK_4Iek3#cXXXD8eveVu~^3+#Xe5fw!MGrsyu}ieCVZ5+g zbIm0;&mYoOJ@>}WePi@fbI(3+(fvJ}j%)VDZ`IDL=biJ+^i`U9T~8nKt37DrlAe7G z`-}9*p>eA&jvxNbgQerU%723~XJ6WPjq3Rc^R02A4)%*OzWn)v zKW)77Ctt@6d-BZhXMebT^sq~MR?h*6uRiqcLr)PbHhWZO_eS+2x=3o7k<4%6;pmBs| z&o4Azkf%TN2Zi$Cud}p#(=P4l;U|*UAv^KvF!j+;eZ}QZKRLeXk+U~G@pHXJk34Do zY95V!2>P8x=Mm$!w6ATPi_bqg+oc}l@Y!E)e)XPXTl;wCzx1bmr8<*C{`rCO<_ACR z*yFqJh7Z}J`PE+Xd`MDdpN(}&buDFtgX6VZM|+>*x%yM z{mP7shUy?s>qhnB@9;YxUt#l=+p2w4c|rTE{Nke%^Z!1@f$Y)h>i$m3&EN8-KWxky zN4-A0Tl4APZ?fG1{ks$i4?jt>BQMdu^J)E(dg7)ZdO5$) z%XZ?!Qoj5;zQl*tGwdDL>`ExE`5a9jT|)8XAwTwzJw5yq(kDlYhfcZpDW_M5@71o( z@Bc0G|JT}Y{?e`z>L25?q=#=Dmi+TqhiOmWdO<$;XnCL^KK-Qeq4?T^4@>s=b;vJF z{ZbryDaYrJ9IbBnkQ~hq8scX?^L=spi6#5JyWeu|_eakv-nVm}lc)In^9#w*sb?O< z=O3NOA3ndO`-k-DdF~tSdojC>d*h8WKiayF=6y`}m+A8-zI}we9;I(RkJj&K`^@}h z`*WR>a(4OyoqE3Gjqm!DzI=SQNx%3mk@GHn&o{D5q$jT@CT!Aw#M<4f^%#A6z8hs- zil1m5tR3Xy@LRWjp~t>N<7dCKgW{vv)ge32gV7hy`WIinh{K+~y5Q3%PvjS7-PmV5 z`urK!#=AVo&ENd+n|{#j+2L1o`+lW%l8c9i#uZu~5MNw=QZ8QRPmdivejz>k*7Pzz z`jB7u?Hs?uUb<`QLj&Gz@M9lqXv+R&oSHo$A|31(;hTARDW_be`xKIA9)G+*B|o0hwRZ1|Ih*Fy>RLMy{mm_ z{6uz%sfX4M`uH&U@+U{rQ$KaWFCjndQqMk^`{o&se#xGH?PQM+#X<86^ExxntfHj^Xs@Xp5;dl-}>7)5Q*^KYZ=T{&Czx_UgypapQcbJ>=*_?Zij3vwjhe9$G$$)%hm& zb)E0h-hC=@(_e|t4>@GNymZ>}56Sfx8a{gRfunZ6es=LXKtAdKU$|w#e|++fbE@;i z)4P4=qycX(X?*_9Rk}QLVQYP@{)zlfdiI<%rr``SaPW^{?@r@lT$<=i8s$v-Q0N{x5v@yl;Q} zz>a)!akUda(foza4y}&KPny1Vpdo$r#)sk2gGLw>7%tn{%G>N{_wq0a{0lu=a+oRn*TZA zqnFOE)~k+F@)DNf(J$qdcIfwt+VfuRJ8M@rt~={zdG+eX>+<@m)Bi`+vo4Q1x%H9b zOaC~|j6>}~JKpS1(N|}3`xq^!_K-E-*Z#)qDP*z^OWyu*xzz|nTNHXeddFH z>F^y7`1rN0_o(PY>pe8gd4ZqIo4$Bx`KeddCH2!UJ9TrO!WT#Xu}|!*o^`Qt!4Lbx zzcp&sAzfPEW5Q2NJJ${P@>dVEc4m9{mlwL~kGWGXymhmuhnc2J!X9T&!%xY;g#66slAkn10Eesdj-&kns-zaJj`vol)n0pX`! ziN-fB&{J1D{QBw7EooRM%g^@|d=J|5=i=5O|0TW5gC09*{|l|Z&}qjnej2H&3TrTzJ!hbME`e z6|MKds(Ij*iR(SF+v-j8AARV!K*MZD^2za`<5WB3O`i2gIeYv(PJJJNe|}5(7_a7C z@%d#3&7=H6a+rMi$eSKM{lwIFy~jS0y*g>1=RB-)%$xL~?;E1izkKn{+w$^VYkKJ? zX?~#gLVR}olIyn;&0e1L@X^ro{`o(j;D3KaoB@ zx`ZV?eC;z1`N5}WKf`hCx?O)k`=@C3{FeCS_958OCr_k@Prt2O|E-VPw|mq7OL*_% zq3bTb^xf%QnvQGs&If4gd$j8(w0PC`H{0*)nFlwz^w!7buidqI+kKC2I&^C5yVUI8 zD~h{xhjpL0b^4-ezf!yTrB|Zs_~eNtzsXNKG`+->qal5CB6%V`*M-IdJ}lXhL-X{E zV@Dpj?Ndvu?+8@S6||27nM4Z(EWSsM0qWK^6Hyc zIelqkLI0lL+Uu;pf2X1SIP!hV{Ek`r*AMbxumASi;BU{odBY0Tbw%2L(6qSb0sSIB z^>@7B>o?yy(SPpe@|*Jld+o6A#~;3W+Xsfv=d*R$>$#*o%Q2~ytAlZQ(v8oZ%EJkt)5%Jhw|NJ@Bt&fcU;fvc>#R+ zYKP-S9D4lGPn3V!$)BIwK6~U&yT84xfnVpBzdAkfGcRN`xtS8YIHFx>(eVcY^+Eot0w z(?stued23Jeyn`H)XuCs+Hs{0#+~OR*^4JH*N4tit|z>YL;r(D@e?~6hh3dMJ(&9V z?o*Jfm*el`1#7N(*>y`A_Q9Ml*~5R?{!9D5G;D>YesFyAtG|q6cIFFu=52K5!;T(* zklcLA4meI(BnSugpn3qQuO=c@5bsJ)I`abd|W`Si_0 z`sc*c_IU2BL*8w8&&~fIjhuJT`7eKKNkhBYs}HmuvrfiW4|ev&`J;Eku6uod%U8Qq z=L>n;Cr9&xhWPpuzl29Le>ruNJ}WlGPxPHG^CQ3FK=os9e2I&uPj8J+J$Tn4_bhJs z-(};6o$vIEdqw}ho;_yOcdP3^dWqsd@}%)$%F*(L`0OD5@?zSngY~)h3ye$p^w3A2 zw$B}ZJ8XVcpXJTt{}+Ar%J!D{j#J~%b7b_Pac;iDhZzr@{YW2Lw^=8%v+h98zV^kB z?tWL_>UxV`^2OgjZ2WqYTF-0Zmr#4HPwnHlzJl5<-^wnYgT%Mr=y+n6dC-TchZf&+ zZ=XBxylbY+ZQVcW;J5vIH|8~dG7i4u&iRYK>}U4mkRN&K7w0qn=|gr9KjRo5$rn$Z zeMc9a{=^|iL;8uOlm6(Jnt{$b8n{5ZdA-`FFL9zORki>v!j zC4c;qC-O%RrXGF?>8HHJPrVZDd3$*#s*5^_=RUZ74%c@hk6-i0yWhOH8V?zly?zzX zb>_ue9Mj{P4O;h|$c-oe>y6KU()g|qAwK;opZ4$CB~4%Z(Iq`{^`M83P9!(K$PXXd zUm_QWJW<~C$<;$1_z)lB^JhKfc-BAql^%O^V(tT$^u-}JF6D*KzyAlZA8_FMGe>TD zR*&kth0}Jqyx0869oIqH#UB)hfAp}fPfy*VIj|a;^+8wzk-|}@%cxm-0@3~91ZcIc>+ zxwhl;EcT)KOO!9n|6S1DY^VOfXHOpuQx9K07o7X`gGUdXU%elg@}$}Ei>7zhNzRna8K+c!2nsfBL7_|0iGAaOx`yTJIgjbFuWqh0c?X3w(&r9?E0zcaOYd?a6IT z>rCrb{lQPR13&%YC(6S(=a2m@=f6Dryw&Gb>r8Tf)_r{T)w_=DI3C%X+ivcO0Xk{;VKDOPmhU;+mjr`9qKk|}4I=|b1uRrAp$+h1+VBVr< z{-AFi$xgqLvnR)wKNJt0?O}Itw`0$I{I~NP=5g1d2ktQS%F{+IuFkjB^Ib6y=vV&a zHGAg4|F-U_y_%jMkO#fYhaJ8B{`}nh^{2GnKWC?2;>uf{*eCK2?`hlP^-XqY{V$sT zUC}S%C8~ewnJ@A?ApB~tywWdz9m=1c>y6}_*O$IJd+B+%tysP9;<{0MeoCml{Ii33 z9;4?zhwB^qdBbx7?9-olkX(E;ochS~$FBci>pKzjpzqwiv-ODmM?Tu6 z`pzr=^t^XM-*e02{Qrs%3_ob>In(AeJTI(X#({k{bk1A&=Ghzv>e{t!@?Tb4yr5yd z>wbvmk;U~~s(Hizi}{}c{^aGou|9vCe#|kq&TgRDU-s6>i~G)8)bPBmIOZeoo#H2E zd$gCHcE5GRs6X`|+VT6sp7(Veva9?58^e)b(Ab#k4IRu{DPp|gGXkiPdl ze9wiPz2{lRO#029*M4kSNg*~`jRCLO?y{X&k` zPxz1=?Rj(irpBLj6aDHw$ER+)><5pp-h6DUEzdsq?Osj$@cP?0L5rvE^dY`> z;vcleC8I{ay0ltn>i1qR9R18+ztdJ72khnl(BVhz``sz;Hbz{3z+rt(@6r^X-2Cf2 zz+PN=qsj5J-Q@H=_ozMlU3bc~-yPZ3^t_q>+mg?Q zy`nw7Uz*1$d*5$xJ(2sN<}v;~$Kw71KaigBWWD2fCa14mo;xPDE_FUR@aSLv=Gehq zo0Cre%w5;K)|$WB^T$3>KIVV=b;wWZ;pg}KOM3L7b)Wndtf2jCzU8>#ujGzAG-0G)z7_NDl2+mc|jg z^p6kuLqmLspI9eP{TmNj_sf^=-m7~5Yqvq89ysEv*7IP-$8I;>ck1mE7B$pcJB$Og z@w3mBlkYqI%S$^v&mcZOXej^XMe*73Z~Qwx#ewAPlE!yDqZ7sFw}h#8)c79^yMAHE z=jKwcraroa?0t`h9zGgs4_Z6a6W{fZPbKN5@zx+Y@KzX5|@0X+bm> zcDP?@zrb-KA1DvBbq)V{ziQPro_lM^r(5d-c6BI@^En!_7uWR%K0Rok15FR&LwxgC z()yErUT?^Y9aml=;eoH&{&ZFdzybkF@ z<4k+(r^rKl>C;1NM_t^K-2O0s^!Ua1d;vZ^NDr<4?t7^-`>dn=5BDed;n(>9&A)X! zedCFozWcjq@vWQKLwbq%eGKvRQ?}Fn7x!iCugk}{6Bmj*`j{nKt+o52YM(8SCwkh; zzJ&Cl_M;(tbfWPIQ_dce8{cT-0ZqSz>P;W2e~B*nqhFGXr=7-WNuNJRFUN)JHFEmu zVP3FbOimxtCwKqI`Hr6Pk^1D$zuF7=;otpVa(wrfjpvNh^Yr=s&VRLay&@myMR~Bd z4#gMmj9K4Y`0aaJ_g!*6q$e+R=SN=j9MAOSh4$Sq&!zca754P_J$}7&pB+A{Tho0L zap^(F0Xcu-J0H@g2gO6vf5;AP zpV@OY>POFfO*c{o)hq#tor5kjQsegXB_d1PtS8jo|6|h_2`!{{V$ul!nZFutMz^;fAsjV zPEUT)^ob9!yhsF&*%O5g=N+IyZj}3P8i?)9(D8_ zQ~LK@0z2q@Q93^JJS<<=rTp0MUg#&9cP8Jx|D!Y8W_74r_1s|GU*|`A<)IGt zl`j0++q0W(ZPoMM?4Wtm^Rs{0ef*F;Hf>!$(n}OK`NlW7{2gBdKK|(mdwinf_htF< z{HXfj=XpWDlY6dD+&muX!L5$Cc*x?j z2fzA}9X)b!<>~&v`tnE5d6RwmMU%^ufBe)_UwZOHJHFVtPar>e)vfdSbKYa0d5KfU zH=ofjq4koup374oanvEdlS^Lm|6cj(%wGJ%zkK)#cTa2mkFdJY%Y693_kHG4`#itM zpYg>W-@NJi4j+=+$HKSY%b)zn6X`*9&|mmzr+xUTr*8J+ z=hy!*iJRvSd9rh!l{chEuAQF0$$5o7Oh4k`%TM0=k-hQYxHr$SFClw!anRx=A1y9F z(0L6F>3jZJ9Q8ueM;lk-;>(Xd#5X@@JxliZ9ri`qpC9C(9vb39`D(X3QeXS=?XT># z>zZ49L-r*F!_1^iT-;<^Gdc?{SxJipT~iAkwbNW)<5L(&wY3L zSNSf=o(rBl_@234n%3`s{NY1CzH4N!>N{lVSG@F(_Wc=l&^XCDl0(P2^FMw5lV(@S zE5|i`$S+!+_%Cj-Y}WiIW;MLGw)e(&uG8zLnbmrLUT4w&5M;ik`25O?9=>%gf5r*D zw8QuRT>RubPcJd|Cmc`wB<69(AHD3)VZVOrrH#h-X>NM$r`Mja`oe~J-Mq#gYM=c* zexdP{`o@L2(TAmYIgg9a4)VM0?f<&{bARsm{RVpWo#Y3}J?9{f{;u@e=QaBH;(KqC zeF^QGk>~&B>KAd$*Tx$=b#wm6{G5CkOV2oVohl#wmg7--v_l^1 z$8XZc5BqEPLh0iQGFb*`d5E=?#yw+f7U_%(Df6#gxcXg znEgHXGsJ=7Lw-}^Z@7k+W|NExj>{B_u z^MC8TH_wl}94Gq6yrW)~e*5=5(1~-qeCe(Y`^~Su)0ykTy63+5bG)HlFPS&gg&gV! zwDTHTdrJ27I*aKiX@1lb4YObIbKSu&qz994UdDf~$UpSFl<}oq#+^9EFFXBWeB;Bc zL(=s0U&>2-`LH*xemC%cT>SR9?oH#~cYvH%w9E6U^5ze^Uei9~Q$FI#SA6`Ow<^DJ zJw_k$Pe0%Dq(=_ri-z>gBlwV9JH^L8>)7=#I=y%A>ODbx>p$)052`bLe#xP@X#K&C zTpWJX-S^y#TXJ^%z_t~yn0@p8-K*yt)P+CeM*i~R&-n!Zy`p^T?B!uTm#=#81LbKv z;EPilm*S+I<7CF&r;Oft+b-2UHh=s>*NOaXG-UqNd;4^4n&Its^4OM;OCZy+a5mml$jl#`(RIR%1Y~e z>z3_%H~HsRdt48xGfY4F4`2WBCmwX%qM^8GdGYIbWna>##}DKOCLgWc@~1DKY_E9q z_^HFxPnx}WXh=Wv#HR<%SLAs-XdiiEUccpWKwmuT5Bw75xGL$@<;PAvXF$@LpK zEb++`#l?5sqF$wa80~hv@T0%AmtQz+%o#_$KD=8sPuf4xzn+t!|NJ*k-?+&Z3x32gAE-xOSLqM?UhMOKnD~Qp zzqr2YbSpYzYfJ`hlcq4$g9d{N$jf=x_nOF| z>!`ec>$;pD*N4^@=5x;j>^AO=H_rTMYy6q7*^3ADmwq)rq<$UE-)*<{TlKaB<~6Jf z@r@6D#7jQ8aZk<RH~c21KXQC@ zuHP$utSkS?Km7H>o*GbH2bSugzObZM$2U%3>KhNqf4{W6JB#Acmv7RkS4XpVd}%K} zDeiEJclAknx$xm87 zb#xC++(s?i13>b)EjxpYq}l8qehF zO|G7qAARvt51(FQ#u1NQ(xv$NkAK&b{^y7vnEu(}L;9|hJs+C#5{+*jl|Ljeq4;%J zXHTAf@S!^7cwk2lT|$1GFW7Y!a~uJYJ zj!XSjviHAG+DA{`=#(d49GG%-N}tP$#u{5tiD%G&L1@If6&kWiwDI+Cps?ZIsdDtez8xJ^|w!BTwCX`&vr(de)I4kW$*Q>Yy<>y4l7!cYBDJJ>^d{8Y5(LfesldeC@rKU00lOUR#i zX#H2RGcFugspq)E=Raxx(?DK_juU$RH;7+(X$L*>M9-zsW0&nGXP-1aY-Df#~nTWgg&p^kUw3s;*!SP`@jF6PyBUGb-(hi@$;{E z>vP?j58Qjwn`66nubwMOdv(t|>7`s;`bp#4Pth(&A1#h~kG=jU$4?~Z7Y);I+KZEX z{mW1KCucYEglETZ@pS7xCOJE3y)Q03exSH$di+3gG^Fo5LJwyB<&)^zI+>*w_x8JeRI@d0%zQeDbCFD2d z$)CJr(H@UXXx)F5Cro|*$mNMIf5@JG(!NKUa{eH>`~3WSzh8gY&qA|<;zRyn>LovE zd9Z{0Lwe{$>u2?Z;?ZC4o~%`Xgg6N40=|g<`K={zQp^DeOZe&+F-kdioyV%!Y z59vXCs7~Z)a;V+(^tbkO7Wqs4jNAQ(H|>1gO3VM=pZvt}JSEzD6uz75|2De+V%^Q& z{>r=6z5)Hr^S$zy*Dm8G&0k{b`JPan9y@yIn-2WZ#MdsK*WtaI)JxiV(0t)~);=Kr z`rY{Ar?caWe){2`A9@*wp8IO_@RP>>N1=9Q9=YEvAA0QYT|c3r`!e($Kb}9z{S5mF z;#ddT$FU#e{B0i75B7odgFK-4?E(SC8*%ga28@A`!t-};GvbKj(hR+Cx7loqqU1a|GTR_>a9Q7L3&B^ho3aQ zbp%?y^qc&|aoxfnnjGp^ep4S!pI)N)_-JvhXUX}^_~ekBJ|tInbfP-pr#)I7t%p}z z?f%1$JE42?sBwF&_1(kj=XcMC*`MZDT=j6jD&_RlnH-YK6P=j#BKQ3u{v0Rd_(_-Y zNqu%O?Zm@})_HaQ$f5HlKln+TPaT))V?65bw39Et+GV^YpIjU?q!007iBIl0LPPnZ zvmNOd-KFiUkB@z-^_~(w%;UyB3c3AuwDApn=hb}}`H>$n=Zz(wozr?QJoBc{e`4x; zZ(p6rA%FDT*H6Dmvr9gj{{wfJdgW=O7FX}Dl9#aLmp{l}-Q52}>;E%WIDX4#Pwdh3 zy&?XczkM%+Kk|%|a&!s#f%4+lI>Yfq&-vYZ2mI4>eDVY7@dL>rJ^t|Nn+NE!NZ+3A zopI6XNDqob4-N6_^yLldL;fIsqIRYqcFAY&dP%dK#Z_-OX%9B1TEKGxOj)QcXZPY)mBvqz^Le(p!{<9nI(66qyh zT$ujx)lFXe{OXo|FI+vZk@rus-r^=&&*1YfKY5Tt`4}JceK&w!Ubmaq^xLGe$ z$s29Fx_{!jpI_~fA3I3T{W0Hh&3-(3O7GXV{ApYD|5EnPGf)1KFP?Uj<7*dtw0#MD zs9tEuKboK9J3ouhU*<*5pZzlRF%HSAd~2Ss6(@1QmsVcoygu(#&(DdUn0BT7>B)~D zeB<1_>9|dQ>c>u9`Nc=GN0YtI z^l1GLQ$7!@f9WTxBfj|PtfT(W5A^W$2R?t~Y3Kjc=Aj+P%r2Jmoy@`4r&u0Pdy|$I`T1LZ`<36G->rHsn_ufZG~^HRrycaK`p4HU?w8@267rw&I=;HFqYqtIpw->F9Uodpp#O;%UAxH^YgXs||5NoS z_3!)5=fm>5ym^^-jAzGT`bjpf5gJe(c#<7t?dT%6XH&67t7C zy*$6kgS>?1pOlLuzrSs9=sKS{u1|+?ZeJzyVPDEa9XubyzGTM_xqSJ-r)NE^&iq66 zGe5HFjQjU)U60rg;fLRo588j#vv2R#9Pq%UPyAv*@22PG=<&xtWDiphUpx3iLwb2$ z!iW5$VTn%;)k_}u&Ig%~I;a1n`Q@*KrMg+)Jhs)AXCM4_uj+p-GEZ?Kf2k+F_Rxpq zkRNjO&@TK$_W1J99_vqfC1elflbH7OlaIE3cHZYtp2nN`1>Ovt8#~A@G5wOWgZPdkeD5ii{IG-Up!FZRxG zbub>Zhu`c!dCQZYd8YI~ne>ht|AS%IFPv9=9+!Xmbu>Mg`uNL>{6O|-h!2yWG(C9g z1@Cm9eogCnYkbHadcUP4rlht+}*ey;{;2mz*E`64EE1dCmA!+wN)I2g&cg zqwNPy>9z9W%{Ew8y;mx(eDx3iXyXDu=TCg&K%P(>dUYr+d)M=5XdFTD`KJf*<&%8- z`r;d3^h!uS<>DpM!$&7-Px9;R91ra2!}N#NUgKGvN`C0^3;9dAI$7UX|I$x;{6u;s zO#P(U<^KaYAJETzt4-dy?XnSHZ2kX2{(q?R694LE9l|d;zIn#J2ip2n9og#_C=R5T zNI&^#c|rb4cJ$bPb^p)*;?Z4N-`Oy4kkjWE@=s15;@4sNK_~L#|2K?7eCI3iAvs$A zpxx&(KlZ4Ma_zxSJ$z{VRO7AYe-qg`PQ?|6KQw)HBgc1s5g$L> z!Onb6o_6%0JW42kaq01ohV)9Pf3=HU)xYia71w$KEv|M#CcW~YvhLwb;ls4If0pvj()5g< z^iQt;Jl}@@VWEDvp2#@XW%%k3_gOSxVcVP@)$^zHp!T4(8~t9f$l`5?fqXc zedA9Z=%cO2(cWjYKjnDhukN~3yK?-9%MU&L7kAumT%R$m>j8S?A2jmsz2fx$iS?e@ zW9E?7dlGf+Vb3r9Y$rMW_lx|eU;L8)l&5{kuB3X&H87o^7@nqO!fp&hTOkKTOTgr8pC=-$jYfwuvhV&tR)-UB~ zNFU9QxG?KQuY~FE)v>=F*n4od>O96TJv2UZt9i%&?iUR2Twodadl65`XT4H4(ZpmC;f;kKQukpSNP&U{A?F{ zdWo*{l8L;Ck(CVST z@Y!o0eib*KQz3`u1vGy-FJ^t{LH6|ILk{Id50WR%FQms0I#IpUojqiaW}kHOQ_c@P zs2%i^#%FI{v@hs9OV4#-`Y|5FrB5&U(Cp!Rjl&-DBTfnFLwabK z`+Zq&<4ixMA9Uu$KRNpSB7ZRB;u~L`ji-H(9e-%`KpRi!#F898{j*QL=c@6wn?AI! zVf|Ioqi>yr{;;tw|K*L(pMJ~!(SCZR`I6lE8=dy@BTtkEe(Aev%Cz4d+17MC;a_vcf?bb%uC4j@B^yk7^MKZOKdnFRIQ#UCfBf0< z|LlF_#0$sG_*Cy|pK7lS{`Sn9H>^<6Td%&}>1PgI))=&Zw;@-q^Y{O?IsS@6&-(3x zhWYP`EuLRxz2jT^T=IhI2$Qd$)T`2q>mG9UiR>V`^?>^FLofRqKlSiGY;=Ci_|Bu` z+LQTcPs;gI7jpG?ywl73)ENgY-qnvz@Bf!S%^&&swyYApmJhZ&&<0py(>-6)!?%cEX8vorh zTk{M5;wO?rapjLrJN--E|M{KY8hF6F9qvc)%N|`qdg7zSK|_3q&p$flNtg7}550UY zh#ur0oyZTqc?8X#US~1SZ{FW_yzwiJesui!AJU9R&W@Zv{{v#5LI07PU&O{EC)T56t9y@&fn(G#F$S%iK%IV=lapa}WCH=ZO zv(rCl@x;LwpFEMC^-^7Y`7i$dVdK}E)V2BfAzM!zG;L9JKI5O?%m*JD|Ln})=*}X4 zuD8@j{2T}L>A7#1^-4YY;M;!|M;+xsA8N0-_#YI?qvTKCkY3XGC0t&8evBV9KT!SA zso!_@=kEB!h|Zr!)88S>dOf}2@4Hs(c5$HbZ#>}pze=?HA-?rzUcaUu8hSq3{AnC{ zPuo07-~4GDsgrd)`)ogZ=y?(L#*cmTsvYg?N$rHL)9j0Af9W_DN8a*)jt}jiCmz&K zX!T&P9pwC5x2lWtNTnCotMnj0d!6@Rmz=Tr+-hCrJevPM!>@L*r~i#fH}zWj)4#vB z-yZjcpB=Mx-+!A|&8Ob8%DQIzo!@Uh?LRi%b;|rIFXuP?<2qV8e__uyu z|LGO>oOXQcdiQ(l_rK^%+b*j12R6O-(`!#yePP4@YO@n3$FF%)KHBI1yX3RSmZSRp zXOH=f+wOaG)1gzBHGJ2||Cb&*;Jg>)msCzOYJ_zoR?eqO%et_S8H z+O6sQU|u)>tNYSdXD>bPwiP?fFZ`9(=k{6Y`CgKC{_N8yUGV)Idsff0ssnxK`Wan9 z<60fWQD^ngeu$rb$)UQMzv%OS!EU?X)^*9u#=3*Pe9w%>W>@nq`{w-XmWPs*)_vmE>5Cd;CjDm5Yd^NE;s2}GTyx3I z^M|xGvpudO)Q6wpk91pq!&B@37m+@cZ_@bk?Y7;J{Wm|cKwt|BG_HW`5sk z;-2U4IH>i#N$V|fy;qNh{Fi8a^*2tSePr@|cAfCGmv3sVlkPlj?01$-?NS|2{%^~3 zbm{@+lj!(NzWgA0K6mcC?K;goo8w8ljDLO;oiD^A&vv+vMLzb3qleG^%i_ktOE3Gx z=PqlV*R0p+C5n?MU;5V3j%)nRVy++9WnA@n=(>w9eRq17>UzR+k?f2M_WJ*S9Dmxh zy-#1*aJ=3#@#{0kZnLxv6 zxad5;;?slrXYhBAykqUjZOsR!|7g(QajolXdNA9We$hFf;X~^Vv~{<-=?C$gm*fH2 ztB3s$d`Msa;iFw|)6;L_(}&Y`xxCl>$sPNT{d>i}=MQ^q-d(Nl9A^BaGY)wjveO=j zzr6Tt__rd`tfB;Po5{L(Y;7~k}aW5XG{TCHZLAQ_kbYMXulJTQ{kT{K?T-Z*pi|LQkG(dXQh^AocK}eqg5`-hAnZV=kE7 z+OIRe8z=O|#iu8(_M^$!Lvr!8)A`zUx&1ujz;_Tz{VG3sh}ZpxH|>1gO09i5dgN$% zX&*j4D86-?c09e!YHMHKyJyq5;g284zx_k}MDZZG>l`#pJ^T`;J~}b&$+aWpXnG|Y zAC~lUUU=(>QGe<`v~}Oj_iybR@sp@OtT)6>zIl+mdEt>8zq(5ICcE^DcHM(c^!*y+ zIpyM&(EMP$mF8)F`AHgIdmz4jH+0&g9cT2Q`I4Uc8ZY?bY7c+p{3UI@%P)KS{-4YL z45S`=e%YhtQOcK|c!}hRsrRvyUl`V7%A5}SZS>@wb-HTM=smu7LD%ZK@=u4(zT?^J zx;0-qbno*&b$46S^Fh`-P&-|B`>s;PLu)@8%FB4y-}vTzbY7?OBOf$b@0! z&^To`bjnY*-)+(2>UhMr56ceU_}A~`?icAN`KYVw2X!?roWHcs{cG{~f#Q*?KYR5d zXO~FsIF>j6^qptzAF#9D(Jp-L^<8uAl%I8sbsjtM#E1TGh8{k|hx|C7;mgZ-(vSSW z(QAD23%769tJ-I?4(Wc;rhDITRBN2jhy0^^KDhP7gZi(~VLy&M_2p@Pc0Wt~$YI)R zkACvJgnF#{dKA8ICxK&r*C&}?ipC0=CB7Y@J|Mc+D5I>RJylFjZ-Qjuq zT)#Abz59f3U)p*u)qLqV=GXa}U-x~;p?QS8^R)Gc`JDcJdpv&cR|dA8_rcdbG=KQ= z-1(J#uj+kV*CyIL>wF?Ex$9bf-Y<$HPbd%mJ-3FYhdyB7+57MPR^MhmHvZ+B&uJWZ9wfh~ZQbWNL3yh$fB5=eeEa9* z?-#A>#aCDBEBz!7w0y+JPul#I;}tC~`}B)0$;IP`K7OfQ_C5Cb)h+#AxVq!>Is7CJ z>-zN6Et>Nh_Lb}xrCw)g`O$Zt+GX$oBffWB&!*>1v|m4HpX1B8<%b-yCqI6@bDteP zt6Q~CyW>`W`ux(vTl-}6y0o43@v%>}?kDpH=_QR1$sxY;E57|k&vnt$zuA6r=XLWB zK3e;oUpya`{>*#qJuf9cNS^5W5TE|VTO8BlnhiQWFG!x4d6DaH=eLZbz4)$2wcmM= zzr?)WHO~2?kFG=S@0&;Mr^-jadJaaryw6}h6i0l=FZ+@nyAsNSU&o($k(__?nf~FI zJ-wuzAJ~zLmvQ)Yz97fV zWUeJ?rdfi{1jq46bud?*iyuU%;EG4JEUw5Okb=xHB0 zzVoDU=6K>yJoadEe#~#=#)Ip8e3ipffh#{(J=MU>SR6^ z-@N3xj6QRJe%q5j?A7!>4Snymd9GJ`@_z@!Q0 z=aVmA*Z{5Itdr2jr#y^9^MLUno_Z))qjQ{*myo{rB|Y*)?PQnjaa`v6H2koG_z>T`m3;B>lQz$g^G6Tj(@P|OulKX~ z<0p|^{mk3)gQ=(AooCfM{i8hxz|KAw|MbL3%;VU)J?+rOGe7u=Xv$F$ezCOj1S4h$LEI}W*(`}4zh#z z(E1l$@@M?yx{4kDnIF3xH{vAnhmUr>Eno4>XVx9;#AOf3AwI;1+JlBAediN;#$V<` zPdn(-!%q|!vP&F!{F*=B{pQ8h`={35vsc;up|{7+srdXr@z)(YW{t*9vm5%296jmT zbM9Pubjwf1r!Rl)mdD2^zqG?c|6i% zmwCD#Brl;j%ZvQ6GmmPwe9Xt@3;Ky?_C5KYTTg6#S0v?Ve$kl+eo0TB>MuWem;CWt zLU#Ive|bRm^tapo#=+Zs{hjK6hKwunv`d;^`b8(QX9ww#-~H2JlRtBH$M?`vUwiQ( zf9OPZuq5Y4Ug%yg9R18+ztehN6Tc3{tJ5RTywK!{S9dMRgD zhwS8+`YA^{KF~1zpi{1{dEBNxJLtUPJdB_7llfL0^KiDWMDxoY;-?+H{ME<#E9La~ zA@`meT3kq9-S~m@(76xEo_~2JpS?P#+}d} zw0h+KP0P>wG4$D!qusASo2MN2#@V{#23>yrhOPG@@jZ_vpNz+E9j2W;Vdja?Z`Mmb zZ|K`}iU7PAD5BCimKm3rRjTbabJ^cUfn0c#z_Di-S?dY>ld1-tbZz)gvq~)VO zAijLi>`QUz(@Q&Y`O?EjCsyn1!u*X9ekJddCGnFq@V~8lYOfC0 z(c~rMpPYaFN}hajcBzNYu7vy~vaimk?em^E?jxYnKY!%v%`dbMV_wPY2YN8&;)qW# zk=!^SHy;@{^!TM`{i8k5yg{EmWS=y9@(Sa*BK5ak6(`r({E3q^zV@TlT^xM*xDFN% zUmj?6Nc)WEc{6%YzWn)qk~q-14(?{PU}f}(zaJ6^<5SN(@iACjlPlDvan92fkt&*PVUBK_niZT~g(wb%8w z`WugsKY610qlZrU$^D5#dvVk?vu^JAKB|1gw;x}6 z?}PpajmEWky5wJ;>S~_VPnBI9SLEWL`FnWeCeQZ0e`&*e3%-xwJs$DsCyiglkLyGI zpK;R;4f!kCIe$3cyFN+#%-4CFUZVAs{@`CeiR|S`jwa7>?|o15+`pDLsy; z<@K>~D^9LE*^{Hy0pi0Q_xbG42L5n`rtf#i%kf2zefp>Gy2Ek9PTko-@)C{j|M}>P zgQi!CLrx#kmp>$D2k{}ky687Fq)+ZRAm=CJ%a45t>G_|>l3wz~?S1)^eYYCW)~x$K z74IR6$DZHJ-@H$bHm=x1di?XJPUJbh(jM*j;fFosmp&wi$$$8Z>x|!}$ASj`_K$p* z(RBy^B|qtxeq!DyS3h;wa;sC`9dm!{e?r9fAcXtd~{;2PsnHX`((c(rq8b4 z*Wf4HWxvOJcl0uEbgnnV(+=Ou!sx(jW5vy->; zE1JIZD;lyl@8ZMsqy6Ok@4 zXx%Sgx_j$BAN>+)AAjz<>R;=BdGRA}{mGs_8uEu`#~;4$N>5p7op0T;eeY_2*?2c! z`94?L%geYI$Gj>|qW^=o-V~32=)21Lou8>&Z?f~8SLQVI_u#R64L#)0?p6NwEAqY( zd;Xz*LBrB_64iyBI`CgY^ENwi&=8+r^P+ymrw5;yuu1%64Dc&9zSS^Us}KLM-L6NJxPm` z=(v<8|7kA{d|>!NW6zn^djA=pea1o4gZScmuf#gj^ThmmE>yobzmW5*zwyPfE~V%E z%pX1SgVwlY)aX}R`^x;u*L*X--_E-pyR7xSEPDK@GrF^we&i)zG=E9s%a=djx26AK zq4+T4$P1FID>~))Fy%?pd%sv}hr04luhdWSOS`1`gY42j8q!CXkRB92^?g^C9;AnU zzv#Ht&N_eMLw0EEed|l}tNj6bu8+hw{vf>$824ew#gjiiTAqo{{HWibanbn$x>fC`PoC)i=i~#e_j4bR96FzhgI_}Ljmd)@ ztghGMJyLRZ>Mu_A13rDIu4w4EMLS-tU+r7>{jZy5Og(o=hyQVMeU*9g2gRqC?ZD4| zw~pY4o^j(l>-h8_e#Un_NePjC49uFZr0_1KG^e0gq%{aJqG?fP4s z90#sHj87Ya)Re2Ancvv5-^qKgGrDVYw>@^5^3DdW?-k|uQpDj0`oDr5H@Wps zU;F){YTS!chj||4m!164C1j^AsYkAkXnOa2^`-%Xzq+8Rf6D#;0DW@x#@El}kQ`>7 z#@)#W?Z4{Tx3|ta^h?Mt+l9{j>?@@|dNb}mW%SP5c4?}+`NMJf%JjBVMn2Y~sh#{d zAKLdpyYH(G@`Cn5a(t1)v=>*NnGbz>{HS}%@#&MZLzCmHf1V%wUmZL1h`Qjjw{B1e z`w^}`>5D6m%o{(CEBw^oX2!X{x@2B|$+)1UbMXBy4V51twR z#fi_g-hai1;y7M9@VzJ4em#)iH>RJ@HSlZv(Mwb(e0KKr`5k$}v*WjTy0yN{{$R%s zR4;S~y|~V?A4so+{K3>K@&6Zl_Z_WAS*{H{*{LJ}17bix4k%*iy$ZZ9y$A{@O*w%8 zYJfu*1Su+@Kmr7nE*1h96r@Wcgc3Z60@9=iqI65p5FiQZ`CMo1-^{nJ{XJ{;4)}S_ zT4(=rt^2;OyF6u{nR#a3*~ug0L+cKEA|5@y_CnV&_>i4!-iSv}#wRD@Lw0id(;LU8 z{COODZNIQ_T# z-7Q}pKC^mmgm2x1>F@Z-|5waE$Hn>O#*=@%&i1#=YUy9ky(YhK`<;g@UtiBv`8tmy zap`9d>;L6XoKb(rgI-*6*5Uq-U0mlmdT1RH7vK1k@gcqZFzt8{PkelOGCnzx9cl-j zc~6FT{OHNhd0t)W&3=-H-g(Ubb@QIJ=O@-1@m!~ny$_%csLsqo--P054?aBiR@}_rdy~-ad=tT6@^ZO~2R0cYkLca-MU%yS~0dl_ zxu>rjQ9tjc?=FhB$*a3AbJs=x*Z({I$*&&$tnpTB-H4yF9&B|p5pPWFGm z*sTL(^F|!`$q=6m?;dyfv@x6hKh8U@PkV@&-#nJT^nRIop!G1@FAj7(^Mf6IhHY}h zr}|dk1;S@9$;J(@2^}xuLF=~u5SQJ!ku#6;5X2*AzotLF{3Uzp@%gi-oce4ZzWFLH z9)JDdeIe~*&;F%PG!NvFUwm?RQGE4g+>}fFlE33W>&ZCm`h|>_n0EQ;%^QB&K{j6G z^iMlpPtmxl2a2O!*IB9Oj|Y>deco4LcfKZTC%$&l@ej|biVWdB%K)UUt!l`whatRrQ4 zGH&{(U-Fye^cNqdJ>zwkmwt;X%Lm12suQmX&8y^PK6ZLYpD3<6oA~KZPJc4QgYuO2 zmGPiBa8dOoKi`2AKat;}qIlMM_e=D!v`*wW;X`%h{y2T|+}GPDN}hbFCqwIj_>eu3 zJ=ZaM>lqo3-n@t``$_VF`+DIR}_N6!8>j`DqBk1O84>ZNbC^t1Xs zUl4E7g|ogtW!w7yZ1ZPVukX9=`;)y69DHj19Z;Hr9xfh=I7&g28D<6O6kG4O&p{LgGdE%8&e*FZK@Bgc(o-7VbJ$cMQqxP8j z`n+nNnO?tq@wqRs(my2F!rz3y=v9oYmAxQa$PiO=|A25(chK-AB*-t`La%V z=+#4p?w`dG*Yzr%dFr@!yz#>$o5%R{iTt2>N|x99M`lmdPW=g!mvxY}pPcoS;-tQk z3(pnA&wTvYA-(pcA6dWSxh~IjSUi6C^!9bh?CU=K`R@*x)Vpn8*YAIZOy73G@Aj?d zIlmHWS7P$n&;8|Ts~mG}yLxDof7Q&*pK^{XA#{+51Z=dXXr z>+ieT?facRuQm7j$HpIa%0JfS$Ie=Bzt!sZXgtpn=efxr_|0`&)z9tdq58x(FX^H2 z&*P4tc!{NU@$K2de_k8q@dvWPuDL=jA((lK_NfeL1NydZ8r%!C+mF)V5JyD*X>YM!76Xl^#IrV8z z*?MB!4m7h7KJ4<$Yc-yT@E_K^p_4O}36t{%>FZos7h3k#%7w^Ak9{pwgWY+H> zWk$`f?i=(IG|smkJNTL1Rvz3YJ3h$oJNkmLQ&+B!uj==-@jOvIqiz}a+J;xv|4&gp z@)}?3GrRLY*>Py!i@!W6)5Dw(^!7){`j;%f_LE(2$jh$(`?-*Z*=MD0vHf5={~51sRZULE%H^b>z}C@*whhEK+~uV7wgf0goy zFD_Yp`t^$R`pez)V%zGKsKb9F%R5@+_>Z_*k|cK!b{B|mj)pZi?x z@cSe@=sqO#r;JaZGJOdhw~oWgzw`X$c(R^3?#1J${rn-G@z-vcJbdUoO37=I`F9tc zf7E6E$pgh(amn*WU3*&j_afuYZI797K>a%e>mGmc78UiUc)qWtZsQ@Z^R)f?%3e7C zh%25t>C->$WXE5LpY4#(ykg(^m1P&7dHdX!_chH!`y29o?u1cG{KtpqblEp&cO1&| z^9gPIp?sxz$c`@_q)$|L>c!(v zE@6%{nZNkyPhUcO{Y=IuLwcBgc=YPCPSHbgV3R)WWO>DL{Xow3h92^_Ug%%?#I$D| zeDy(keEmaDhIkM!5uZNuWq*i=M}|Wm?e*zB?yUFIGAGIT z^uIrRS?{*zYvS;C-6uc1>iV_rylP7Q+)aBnp11QB=Wo})ZC^lr`j;#Yv_Gr*mzqL>OokIE&ira+zOFVYJUnh4L9l!YUlw|rQ6sL6Dl=Mw;*~KTr z)RX=G)jC0M{ZD^(XkL|gTf8*x)q|I*&kOd;>=)+mg2gG}4#SVT@1P&n-x*W~RF8hl zbqX(0KKoky@z_&dW9){{%;?wk_aOKgM?bSad)_aTmwZqfadHO8Sz2_7k}jC+p3)>F;<>J-<>Oe7r<;@L%iw>+Suejb^l-J9F(( zNAESO#h*P9xvJX^MiSu;mMDe zvUM}{Ss^Pe3^%we)dD?weOYzOUzq$wfcIKf1-KBpWXi%vM#0FeLubD zg=A>G6*v3A|GQy->!>BCP94&x`p!z`*H7X@{S4_Hm&QvT==l(tA51+N;z4?t_2AJP zFZw1F7mp0ZgZH0x!3v)`y?^!mo!)tV<~}QKxXY>?)$>LDZJfkaul}cp<{=qRo&587 z#E0tRM-RmjUp##Kw(j@n#r2-J_G_=}K29eMKo zyPZ0xW&QA+sOrynZlGWI%d36#`8_3ib@9{gyne%n>edgLPhEJBf1>#zj_0l7>kspi zKRa0-`w`;N>;L3m@b=j!Ex-4iYQH4y%qP4}MqxvuYZm*UYI zNA0A4_`s<@UuNgGs_!z^_8K3Mv zmduX~S03`$lQ%lL{{IGerFqQ{;zN4qI|;r=jtB9`iTV*b4)r5GJ2~T$Ve;rpC_cM+ zXP%1(?Qi1iPcp>sE~ekRmE|qPp-g)lKP&?i`u@X zJQ-KLklpc3?kS2_LUoE;;&oRqj<_YXj^ZcsqbE0^>)`ZLf7)H|HN|xuB@T4`;yZxa zC7wF+e&2b|x}4_|dU3_c>sWdyFF$e#wL|;Ff$U^;kxQ67aUef+=^uK$jFWaU6feg$ z?Ra@zMlUZpu@q0;>@fXH{p~$te&RuTC@vX~9mv9p7_ub<^YPcYdXK>cX?XqQBfnXMbCVJ%><-`7a(+m$>x#{|4~vyO8b6 z@Q3W#j?}Z$=Qz-pP`&JAnEI6Q5{+BxySx6UUw38WXWZ1Q9_xAj|I<=@{w2HdD%t79 zf%J*~A8d|mDNjkCaWikmPdopTo?ZSX9zJa1H`T{KdFp}kLF)@y9C9K%WEWq4^Nrm) z#n1Z3{?9`BGJfjSjpsdRvU>eqhQ7O)@vVFM$v$E!o_z%8GxgiI&kosr@02`r(|ZqjafSN( z=*D%$myUVpz;*k#t<%@RubZ4d6#ph%|EE4 zqkQsbJJLVvA&V!DapA9jwO9MtODGlCMiu1DNIThH;;Cw^XkxNmaZWL)@LAJR{}{=e8{+-HX^ z)^^>;4;uHsyl~K==ik)3edk{1@3ZEh`hE4aK7R7D%WXEl`u#D#MEx%>blqZK^@3yH zzH9CN3tMmf;)r8@I=ydozQ)%c@#$Tsn2(jdbDefQLeJm&;JU-S$1|Sh2S0Xl33L3k z7oVM68VB~wn=+od$&fz%$l3|*|7M-|iRNGG9r^4xp>;iAD_L1 zRlLsg5uP|?@yRfG^!QLciR|Je`tE|b<|!UM*?kk)`bu^@@XPBiy!`$x{r(Fs`_Q(R zb^Sl1udVg1wNC#{{d-ewwfg&~>R^|j{9a*C<0e04 z?M=OUQ*XR(yZ1Ni>^gB_m+Ot3N8)F^94GyaCy)Fo=Xpy!{`}-m|CEzY&hO}z{P6t_ zoD5wTX{YNf_5Cky|G=`tm#KaSp+EGW<52$_f8!1D$r*Ei1LLcHd?=52>MHU1l~5e@h_9bYe(LOEk9}Qsamn(Q?l1B4 zcbCT3b5XxD64!H6?V%_8PM-WwKJqDJFW%_8=X6xhZ~3#6#V_gE&F|#7AD~Z}zj4N+ zH{a+>*M02&Y*d&2k&g`VO2`kIZ^nrqJK4OThnbf?k9&IY62)mke&VZJd@^27Q5^Ha zJP?N+{`-zCyDJ|R6GKi55}SC8@J&oAXB zJ$nhogLo;^XT5mz<}sNc9xS~dntZZ&+5h6fA5?X-@}q$f26Xfj`8DvoBe5`WNO6s;+Ca6p*u>BH*6q}n@+42crM|oV>V@fNev1$BA-#IUaUNr*FU>!^?xJ}3 z)^9S*I@7Pay!5j^q+UGwoS*F0M{*O2=Qzd}pB=K3VM(9%?6=amrJwkaA6~}AW7i%? z@4CcyQJqi3!z*FtA(#B=@k()1pZss_bM@EG9yGK1u2%Bpf$SNF4DoV5FYS2x)BjB% zvnOU8{Y|gl@z-BI_LKMbsm=%Du;VW(y1vMIo8qfOUUDKkWKUW9(~f7JtCL=x{2+Vj z`4>N!eq`^hx=uNB^$Q-p|C#}9>*0L|&0cxGmlkj9$NZgwcDdfobzGhD*>5A~I7Oz_J*2nZIbZ4z`;q!xJLD~)_@hsrb?L~N^}fw+eQ!SNoD=KkZJAd+{Goc})9+;a zX6_@r$CL5=A6RkO{oavYT;r5__8gbwk>{Or;DsN(rv82{e|GJ&{<1GB8ZZ9l-K!_} z{l>^Q>i=h0x_+nU?>uV$)9XL&a6OrJGQ>CE#L4r${`dZX{uYN_Jjm`l0AzNk-^C@f ztBcH@{Ug5q!OwMozqtGo)gunXW6%D^gPDik{2)W|)k(G<$%_w-L&fjhmtYra~v-!061#ubl0+3yd@P#ie?ijGw`?cKY5;}#oiwarU! zRqr+U-GuXl^R@MXzwgHDhkRc|UZ@}V(?jD$hWPSi``N9J{Mxg|&mXbT^y)fy&d{+( z9{MLqUUrcc}d>#LkFpsl^;(H1}7?}Z^N4Q+e>PrdSLulz8NYwMJK zLUOJbS@-GJ{A%YPEmOaDlYI5aTf*d7SM(!$Vv}7x{NyKRd)W0K8DIa4%bt9Ce(yD! zAFlW0Yr>{F+10DPWbsp`&wlYf2zv>|Yr-z^|G3W%hb_KjweRS@MI7_kIMYM*IDYBL zB|p5xWBVPx{70Ux|G#Sb%cmXL-}#l|H-wo7HuIdBiSXA|8DcKkX@t zli0*-vS&OpKS&Rquk|A=@%0BgfAPADj;|75e0J9*IdAb`*8j*MdwuWaUiEh*O8)fb zpWkhyUOkQ%GCy_X^$tBg%=LvnQ61vQhd1cYXHS@ZUi~{Z&%KNnfBgT&k*^*2#ByEs zi~qM@{%7<{UjH~Qpm8MUx>;d@`2oj-e(r|^CdKAt%4i`m6vH!s;C zo_NNEy@cZOPoDb_aUmW#{k@NlSHkpnKOi1Ve|4uGA7*@deq`~;kp9Szp7rz|Z}qA6 zG1$F-=K6u&em_~h#FAZJcI`0l=<(R;%@cOVrTlnJvi%vncZ;4c$gjSP%MQI~i=T*> zaZ<)>!t`_e)03OxxUc8eQ_OWY^X0gUpFHOY>jHa;&t8hp4;l|L|2!|z!{m#@{?`#_ zuJ+NNO{?}nvmQL-k^9BguZ+tNmh7eH*8KEq=E->42_2u}WIs92;agA0{2)GAKdHm> zTKlr>u1oCSXovHk`D@}t`jL7+Tz&GA6U9+4I~md^vP1QeVfHJ%aU+-N zWj9{xNIo9KgZeAuq%5xQkGRjHhw_l+Y0|Spe)^A`_LP%Xs)Jvm{z!esk;i-?!xEo9 znBbU~L%!lv!4m*Fx z4<0*Nee#p>$oS6V?D~T&4w;`giN-PYC0V<~m#@U9Pac2vM0IN)e}2|kGJi5Z$ZkBW z8`@(%%eZ*ric`W8j~?<@A3bDG%zjCG`dk0>AAf$CzjU18ix24&o9q?8@E*fqKmFoa z7w=mC|6=FUtXH0_n;yT)*Kj|Hm;I#w#KjYz9=aaDqbEap@k{aYI5ls@X~JxeyfFRM z<9JD4*6BJ(9Ck=Aj(X%_hxGgt9hdl!A6Y&qul{qq<0ocbcJbKBX*X^qyLus>|BFC| z;t#*!KOb54>H7T!dhJWT_R>3F@f&w;d(4CbdbN$W|Q?|k#Amxfl)8}k1c z^OJ|)x`X>|_wxtp@7>`+^N5@%4)ndUk3G5A&i5a=So_37=Wn#)j&obSv#`ZW<6b>@ znSO2iK-OJ#Wxr=WvV7zAymjznSNE#EcVhkUeiMEP^&`JLZ$I?VMU?_Y)L(!T5mvU{-{i%E-j@&uj|}nE1uJ{!zJ~J~J1qIrLwu;71+PqBaQ1EW_cW~A z@;lCUf8dE1*1Yf^=h4o3^#7APoO0}Pf0^I%UWxc`T(a6Vf7xqZ%XP1K`MW>+CjP%6 zf5(S*_nA53ucIHVe;0zMeTVm+_`ouw>icE(M0|R6L3tf-^ww#z{>ymc(wDA(hrrE`62!bBe&dZ`5z5z4|smmQ-3?9-fv@9uYRX@KV!Y4hrS1@PV?XV zQHSUbN0wJz>SZTGddHpjR@|TX9eYQgVVfNB zslL^Ih;_hqQgu9Z?q|7P?|acYyIpt4yy|y%`=0p6v;X+~!q$_UF1^wf1N*o2+k@Mm zGH#OxJKFYz)CILmUV5ls@LUJ7>rbft{P19R_2TeLY>Lxl7ti?w-}ticF#Ndt4*Fr= z>ORJJu&Wb}8UNwQZ`}7ztLc1Lij#54`0C8~cs)h&x{KmlkGkuZJaJOrUAg3M93Y&6AG{Qsl&#XUC@A6n1h?x&x2$ZLD_X>T|Co~O<| zrR)7YKlPJ8wCnNPAG@G@e~y>kbxsl#!T_LTWK zPmz-+ZrZah_dDvtPgGy>9LM6OpYyc(pg81Gz3ip@?9MOZs)OD43g~?|ot%F3{Ifpx z)I0C7yAC8Lnn&9A_YDsC@ajhl?(+UOKRj}GQ9DX}c9{L4fAcz8Jbo$D`~Q~giFhT% zKlYj*9(37D_4_V<2VC-N(&zZ#%SSfOkUeF5{YS=6Jv%*2zWYvk$RE-}^`+fBa@-nU ze(VrWefmw@ZTCL=>RV>csIHso%@=<3rMlRmddM*2(LXTZx{FTQD2@2Vc+v^*n0fp|F~|5_dM7WonQ33^9QK6A@ey?*w5eSepE^)J0T;Qkk_`t|SJ|7Od0mw5D$enQnW-sGj-c+n?1e(BZcI*cC5heuAkb%`G4eTVs4s#AO@PKBMvH+y2m>wMqRewDnX z>ofLJJna|%?s11t8?))W>iv;yk97|pivP$)8-8Q|HwIMy?~>j9pLML%uXwp`d0*+= zr}o%q+%vt}-s{Qdd+OM3mrceEzkhCZo^hPB=Q^n$oEOxMpYjE7pMBEud)Mn|iN_C? zc=m(wyq|>c|7)|;mt^f>ht{K9ztS$g@gU=+oO=1)=d#nEw%CyyK7DlkU3cG8RbP(3 zdCcE+j<}E=suSXo<-_;?R}VY&$rX+nH?ukp_}MSW`%dx1@jWr^-)j45Tc0`MebsxO z_^vm^cU-V*H#GP`hCQH2T>h))duRd7fmGt6k zKcqLm_|qGA`U%^9b=$8lUGGn+NB{G~XQ%hQKliD|mp^`@c;*2+z4-Kr$$R*~sXt$4 z=lXlH?%(<0lYJMK-ul0L?N7lde?zhFkV^3M0)Z=S6Sv%#0?2uj^^zuM@=sL@|(ThjVAF}8A z#XpfBtokADo5jTwhg`y3&-f+kUvb!duZx^@;6rirxBYDXCFIYpf1C30OBAPs8MnkM z>CJD5rw+#%nceY4--P_k3&)}U5l?&cKe-fNTy`>~7tisKc5)&=dUexl4?ENzvO37# z!=&#n@^9i>SMXu_(feJ-pf7B{%a6Z4quP&QHx4NqKm9?5rF{6}=|_I_c;cu7j~_cf zJmY}R?zs%TIQoqr{=`kz-g?H%GphR$b>Z_@2YVh@o>PenJ-;LKC%Yf@UITq%)@>gy z>vCPeU!D3xe*K6i4%BXW?NeGe^Stc7%zKmD-7&P+Qy27V-}Hm^7r(X7fVS&F*9+pw zpQwHG>Qrj@sH;xo##*Mj`vSif8y{# zyUniuZ=7*T6i>d=@89tFAMwj!?|)<8{%!kB`k7rke)^f+`I^1E*Ae*L#h-oV;Xwn| ztk)}bLGxkQcR#bn#FxANzSQp*@t}67BW1ileSFm&KlZyp)&KP^wNpLjlekbkc_6vi|7;*`ewrulPsdie7CyQ`%<^ww49 z1MO#*&v)F6A09vRouBsbFU<>lh;M&R9(pJ~p7jPl@Ek^e>VN<5SR5#x>j&-N&;GGnMjm$H-)FUMTkqhlc6_7j zd){-ee{B3=r}Sz2KSiTAJn7|MkM2`k$HdjXMCVa;ve|fZG7u7xfIuU=XDOgaTQ0ur5<0q$&f#^ zPUm?6zX`=D%^TNCc(7ErevlVGWqNVsFY(0X2l+XUO8zCg`M?i~PnJi$^d-bg6gScR znCmepZ}Ky59^cvCY-h&nuB@KSPws!}tR+XkQvc3GT;qpl|BD^6C-TpBBu^au&Q1^M zvpwt(56aKJnrnz zUjLKzFF7&m$#_ltXP-ZQhheIj1SeP|H;;S z*8}uWKW;T{=h0gZufIE^eR%SCKZKup@E|_S`*VJoM_h66^oMwUA84Jy+_qrMkF zU-3Hc>paJGp0eLks)v6Gy|+}dzgPOKPk)H7z5365V5iq^&lBxq@yFNC?ib1SKjh~J z?VHHQFYCdV57KwRxG&HC;1A^$N4x10`H8E2i%(v%J?%4Zw!9BE>B3pxpR#SA>ib^! z?-pGbzS}t30e}0#$A`VXPS^i`#=fZN|0^%5f5~r?S9e|Ju8ZpT0!zG}>OD{Bsb7gd z@fVl%9sBqGZQsRSdB|T+-stFoZTE9mOnUI<*B_eMavt>iYv^|_zDwu-ia8$b>w69b z*S%-s6`px`PK#_G$M2Th2UzEz_whXcv9Acd@9y}{cGEkatg|I_U2pyN8~}^n1pVeNpvqZnE#ENBpK&n}1%%WWV7->q-;i&mPwQ%bz%- zcl8}n=h1hI>hvC~c-HMjU5CVd;^zaF?6XgOeQEs{*Z3!oUR~m?F?PdeX7sDqg*={J z4?R3|%T-SJL;W6@e)fAF@$8p)-n+!ii5J|uc^yC3x9WLleDC;NCIA`O&H?UH*YN)$d1~ugo{c!_3L&{Q0rJ&8U9wu78)iVb(?u9aO*n?s(L{ zc~*3-Z+1Ma_(|-I%f21_v$!f`7uxQt)ADb z2a3ZFn%~-mpU<=DwI^kIdGrs|FL-40lpd-FnjiAgr%bO7c5zeo+==~_F~446;Kudy z1n+sUr@wZ{%TD&Yao_P}cfE-R*`1fn8|MxEWxpuv7YFKp^U87ZxBITye^STX>irpc z#V03<3)xdny|{Sl(ywHG<~bRP!%zQv4u;o+{O}wP_Wjfe?R(41FOfa#SGRcb;nU~w zs9(%yJm_~68HXKao#gbR=V#y0bs4?)P{{oJE`t957rI_-%BN0{2F z>B-&2iGxP|@fQY&vP0w{(Ft$Yo~EZlowxnbNuii zexmsF$rqnpKgpMN{^FXC{2^Y-sTZe-$L>7G&-s%*G3!^a_NfP^KRsk8C$dBNn(D;Y zE-1b@H>`K$;1h0|UEL3}Lw+!?-{iq3<3o06UZkCWPtkEFK7Z|`&+)^9+Gk$y&+BG! zp!oQyFSU~&R0ml+a?Ue+`Q*{RsmB)=pZ?vV^+;x}>4#7Mr<>=^`rcRT=cn}IWP8${GC#-;Jx?T8yv})-`dm-&6Vs2JnB$f9 zlAPBa?pu&KvwQe$H#WM1DD+@#MuLvu7SW&wa_x zXJm15oaiAw%>MV>nBD&$!|N{cZ$k0#tXICfPv2eCkKN@r@r;M>O?ghKKaI2JTk0>x z#TVE5&oBEU<4pehE34moZ~Z+K?M>w8_)j|-FEQ)zemb7#byb{L&*a4~Vdd{TXz_bD ze#!g8mV1sJe0taK{NY1>B}^XK^&8nZX_t8HiR|Wy{Z9Id-`Q{GLl=AW3%l_V-*u7S zLF36|y(s0u7teh3-57B^N74`4rJfyj+UAxwSF67_CvKv63-&l}#VaRt{eKtizEk76 z)cuI|suv&1$F9Dr?%406=ZCMq$n5gaF>(%e#x!x8R-}3{!6?c8`kl`O(&>B4Rr?)+R-he94 zb=!a9oDE;8pPOq3KeBbe`asTl(obFDkR4~PKeE5^#mDFG`13wSrSF{I&Nr^-*sTYi zo5|CJ{7XFT@I1%+X!7y1j*xqbO?Bum>ju7Y$#s$)8ecM0Cs`i)L_B)=Vd}~J#K)&E zVfr`u;g`^SW6!+edwz(QSn^A~_VQ;ZJFe*y)kE(+73U3l@e(t?czEV_Q#{9=^%aVf zb>OqBLwo6yCr;|Ucge4W+UNMZ`n1{GAN)*5+q%n79S#(V91<`Mnd-rpA| z{pIoh1M$QW-*INV$#{wU%vXGRdC56{Qg&RYKHHPB`ARPzRCmVB`tTFQcV5wd@?~7- z7wZh3d8VGsgU4B;!&OFcV%iD#UwPk8(jGoJpUhpBfTp7H4UCF=Lo z_f$6jGe6mUBq!>B?P8}_PulSy9!&q_IjD-rID%_@0n?%ir&4jI;KtJM;RzWA0yqDBh|dq| zhm=!a`N#forSIIw&>q*_;y`w?yfE#a>+4_pC`*iab>Z-p-f39}#Y+^IUi_?^jMwx# z5ImT9=zEH#I9XqbSIYN=H`n{__-Fc8->1XNIGM*h#y8*0YkI%0Bxl^xIN_D%3%l!H z>jpiP*Z7k2{@QV&o&5PhdZ^v`|Et-1iuT>iYyBy|c4`N^ zR=@l4og#4(9gpK`&R?v-EX`d!JL>$ZJ)$6@JsKrg-va`^2Fa51)+JT~rS~8H!8JeFA#^ z<{jC3MpmzR$Uo71pyyAvF1T-|$4gWQ)7|>seAYQ9{^LE3xUS`|U73&F`PlE;)yb~C^f2v?BYF7w9tA&` zJn`6}aU$c1PY->sf}GFa#I0WJoz#nfAg82dB+Z|v+~hH&*fcDXIwn*xshRYKhk;J8DGb-`ZB-v zu|sj2F!`=y__=>pH@-Uh%pCF8(GPb0UNHYe{;4mu!~JghmBusUlKD5Ge&+}IkxQs9 z*Kz#ZujPGVDUSYt;*>DsjQrfl#qPSlzOPW1eKRsY$BX#pFFQT74*LBu{i`SU{l>^Q zW>@DI`ozs{|H{Xo`D5?4^AmgKOWC~3`tjVaWxr{kdJj8dN}p2<4@drvtDi2Rn`r0wMW0ulYRHeaVd`D*Y`xNL6DJX$UY%r^$C-M455s&l55>h3r-a_` zbsx*W#MkfQYcIZWbv~q5AG?04kW7oH<{bl(Qul@5^cmDCYb6fgT zUOaKL4(-f3$o%U3VgOXLR~cRBya{?D@YBk!NYd9N_* zCHr2wJladfBSU)MKOsZB5>~v}2deb(zO8Y}bs>)j`NZ*iIx@R)NIlv4j9fx-#7!Q( zeoZ^syv0vUfBlg>@e=tv9@*2sBwH8R<##?4uY}eq=j(L`_uKC057h5*i|77#lXaFG zKjr%is_&XPe$QC^+>2kD(DnbastcCt$m6Vc$4##k2-e{=;L3;*@ywkRP1e`H>gy;tgb?ABukKeOA)gRB4BMDM)3&7RZ${_thJ+xkbHiH;lVO}4{%Q$MI% zT)&IBX#AZ=o%8g7w(oal9=UkKWIGl13BY}r(J0m&p6}pvyS4i zL-EMI1IM2o>Sw=iTk)l19y)N{{?+xo=UMVSG4mT|&z;=A?YOg!usd#DpUbO1jJN(* zr|}m@ePrLibAA;U>Mz&t>Js1kKKAqI&p7O37o9qAU|YY6$4-W~EdJpy-~91`ZT~OK zapHTI?u*r5Vdr_-JR9)*sHgsRN_~Cqc<_9#^6NZr%MbOJ`(S*sy7V7A8Pa8+QX-MYJDr`OirVou9(V!h`tANvm=Zqsje%X+CE*YEmi%e8O){TF{bx0U^P*iXNB*2TN_Ydar_3w^g%TQZJbmoNVuMU~la$Rqo!xIPkj?RnMO}cN^0rmG>#E0sH^m)E> zU6=Fsi)ViG{0(-T*ScZvZ;yNR;`+ItIO-&q(D^Or*OR|pd-J`9^{(c*aZ_&z^{;h; ztbfuk>r6X;-`CU*@yLndWc;09S$6T6x6f_e{e>Hr+xQE!tM_xnv#-WqTy>zlf9a+E-5e;QW23 zw;ccOE5yllSpPaN8z1-W{tvEviQ*r~3%~!!D0F^eNLPCeQfd$?Nym=7IaZ$1Y!c*uE?Et?nPyE3W#C zxA{hv2j+1>c0A#&Klbvgu4wgb`+qn2eSSQ7)_wT%-yJZizTTdA@4iPpF>p@fezN+- zBWL?6{SC)Fe8!s7i*YMnd?!M@CgiUkSn^ALiASG&@k@Gk{^aDdLw3lIJ&`^6DdVMo z%02ZHH~q*^9x^}rM7-Z0Fnz+)@FuZ{}6=T)ZaKe)~M`SJN-+D%q_k?EF%uhiSK; z>ORi*V(hozL+!}xees+2`9HhtCC8okO8p#p=h=_%fA`E@?aPi@cg&l24sPfB#rN*? z=sllbp?}*tc=}!&w`L9R*Z%s}FCFsvU3*n}_ettVbbY+t9YcFPbwU09sdhnr{OAb<^JU|INW`Lir#*+4Y2el#d_&SNUr{Ik7!!{QMCcO|RZVNqfq!o5h96E6LUTjpv~1H?Kr8-id?fBVe9v(Dc%^B5ssg$P_NB!*LC$hsY4SV|bW7eRWc@UrhSF6_TlOsOWw|(2azgcJ3i3?lyVcf5czy9*EpS-{RPL=B?^V9iEyF7yVmaC{r7Lh%{*k|P|30Gr(Qhs)INcIW%nie!~Udwt-M~Q&)+G?Yk!RF zJ8U0W<(V&EvFEhv{RwqJ{cWDpm(c&STjop8@80j08P#zmFEp;cM4CQ_Ns@x;*#f$y7sjC|H&Cg=)8#U{`QcuJFWQD1MByf*mpnu zv_oFoqfh(VRgXRYoa_6yjf4GUJaua)eN+3)o8;$wX7_(Ik>d>WcIPms2tLuLA z(Rab+x#rZ>Ctdw&eLX5)3Hd>F;rIR7D(k-S`L|nt+k5(xQx2I?eP6)*(hqt5^M5?W zf!;&NdBYB~j-2;+CtUvAN%Nn4yXqJE^iLTtF?lKD(BSd^zI1)dp6K|^_$lkx^q1dx#Q0SD z&g-L;)n7t@bfH^PgS59B*;cAD>-2#Y@EFSF+KE3{?hxo3i@af5mUpsSy&n`c$ z%1dt^du~Gi{I!Q}GUV&;wCqEP2l3REda{0Se3*yEMSgtf_apL@aEBZ2J>mAt=eBN~ zd(c`(EcI5G_Q}^V==;-eoZPqVKF@I@uID3Ub&&NpOgp&=#ltJb%YCc#BWs^{C3HTA z>2I9)v%B9hzt|z3^+z1~_tE^V8{%Bl-sU^^uG95-m+$MV!+i8y$?pxs^?Ors`I+}*uXX2DQ_Am!h!538PAu8! zp?+QQmGgf+W{a7v-@fqiVXv>#w{2YXr}t9xyzjY${#6IP_~s`&R0r9(lG&m6c=Vs~ zvLERESbQiRRptjvb);Qguw@~Q;^q0(`9?eO$xu9T=*fxriFsaQFZt8sLHS{K=No^> zUtQYI4vo8doCnB>_%QAAiVx|N&#q2(dgn9x#N4+`yExuIAw&FC!7*F|hu>$KobteB(fmPflcq>}04;?+4v+ z#F$g&Pwe`>sPXaK%JV|+CyCdD`c*xS1MTC_PH*2O_2kNL=EMtb-MpS(^w96O_$B5# zEI++C{K)2s^&ciLW&Thc`AX{nzWV(B(EXErGjTju*WdZO2=Pk!)D7{;<`F&2_loe@ z9lz#9>HT+n?ImYCdc3rgdy3gU{~tuYT%W9;?EJ0Y=7;enJ0IEi=x&|4e#y(93`_d7 z<27RE@Amb3DGq%T>MwcmOENvghb6r{cqQZy@yM{GXD?xsAA5Jvai00K*Y!b;m-zhf z9iQy`**1ztppr^qB__dM{d>66z<2Cq5Z^ z4lfTh@A%QbTa>pHhrNW>k&=B;^?7_4NBv;FiO;Topmw54 zJjg#~`b0eW$vOTdKhG~5ul(^HU*db-#f}f<^*%?&#p4fM&yo4#CuaZoeT4k#6;C_J zen%oM{)8KTwE3Px>-R$0wSzxoPi(R$e^KS^heeH(^`=~ko4h7D<0L=rJ(c~RyY!O> zmhAL+(0l4+XdlKnn8$g)=6eR#8S9BSu20NE@oxIT`itM%XF&D+1nY=6>NP*f;);`c z-&LcR*LPRwp?G+y@2RZ)-XG@QT~trvwW@=Q+OoFx!m>@yJc`IaVS9C)vHX}P`d0h8@~cZca@xt( z4KnmSmQozN_X^bs#g(57@vIAbjz9kXhYs$jzIU&G@x?JN*`MtA-tU$t5wD9rzH@B+ zy6`&3G4+1WmDk&jLv^~ZR0k9fkE{+n{XoX!2ifH(CuThU#(`a)#EeHS@k)Ar_BqMc z-}FlvAF_A1e*MI6!5+u0c;$ro)pL@JoBRI*uXudOM$2`yz1QzNE?)ZEhg6^Qk@e8~ zME0qT3x3M_iCuhoofr9)>cVGFe0$EklRLJke^;VT*Wcb}D?Rtx_a}QDIQZ0FZQrrV z=REcw)Tuq{P+#ddVmFWYL3U`K>wkIKUw*0M_z{ovYx}NimwGza4Se&+I;EZR(>t#7 z|G3Dn9`*4T&v+VV&&~87zUPttFS_3&@l%KUVEMH}9P={kA#0a@NR%hzk)d%FH{+1; z^^@^7KKwIp`fIOv)84nv)XBTeZvAfDPM@B;^Q@NjeBR?%-Z=Es1ugyPI{Hs5J@vjR zht=;pilZHQeJY>l7RF2e>vuf&@A_B!w1b|kz4k}h)uF%e)!T&XQ6K+A^F%!Jlx&^i zhfl^!WbZDjQ-6u49T|rn57HYSdh<&hdi`wwo!O=z8izK62)vzs6Piy8IrNyJsR z@gPIv=D6kO`@;{tzSI2UM$f6P8+@Nxo%#J`dhzt9d=Ss^!^+WwkzWTJ;+aLT)N85LK^t10+fu8Yhk*EJbWKP5We=#7JX&g<-zzH`4P`QqUj zPxU!JThFpieu;S6Z+^>fe&qMW<@fz6{_4~&D6e|S`1+Sz*+*=(%@U6fyh8?)(^?cxOn{Lopa!YAHAmjZXbVsWazl!k7wSSXTHnAZru2l`kS5KdxaTS z{_KzBnRi(SUZQ?#(u;?mGJkq?x=*2p=Cgg5Q~>h_j_0OtJyC1YoGkVP4}MqxdqknEw26~^M~}>>-s~#^S5r}dC$ZCm3*=^`g;&O>x+2$LEY1T^oRHFIB7`Rc@y8fPZURf z{qA~E+~ldpJQA0G^2v_JtV=tLgZSb>dim6+etPYP^5L0Jo|jnHARcsmLl!UpzmVUl zTMu1#I?mK<-ioJxTuR_(pUnAt7!)p4Xh z)hUkt6QAAx-?AR7D>3`Wb(wy|cb_x&`p3o}c1pd!#IBAe***nch4GxH(ig7(*gXd% z|EqAR2M2HZ+Y{by`Tt7lFn;Ezd85DFN8;zckmJiZHSMd23&k~GQpQWWb>DHyuY}^T zXS{4@^2zYY9ZorRxxdV>zWe7p)BaDyP4nmO^zh}q+V0cb&#d{amv{K_sQP+YJgB~u z>ESJN{yt^d)$0G_O3%;nMrMaide0Mgf8dE1*1T|V`!A~>aNPCBzS*)~bT^JXIZoCA z@$l%6z2=7pUG`G>_i6H%P(1dW*J&pwnkV{GJnLQZ$@t_Z#CIIZV|}zw=)T$S3ay9E zL)lJopgQCuLp<-#I=-FPpzAjL^rzQ#@GO5A*-7_*-xIr;G>9D}1Qm@Op~k zz-&jxOFKDv`p5a4o!&f2e|q)gaVL&;i$@RnJFnVTG9OEE`58CgSGUjSddu-6UgmW_ zMGv)C{q!l*`#)Fzc*OBv`xNxzkQ2=(b$X6*(2PILUvI{omf!h$PVvJ}Y_RQV$JW>T z`r-Q`J|GMYzJ#(cA_4|={-v1$&P#ku@fA#+W?HlS3{hv5%$*s3P zY+*+`uM_>>Hv6^iGx(do&R1l1b-B*gU*-?YcJMDDzURA+EAj0w+Ak4DKJ&qO!v7)Y zf9k9yN54{kKfpeK_f!3jW&E-)UVr{-^IM)tlJLe&q+%lXaU<#tT2=Xa~D^F!}Do)T^KIq5P|i z9e%}6)~NSM*`d6N>{p60SCBQ72?t^U7g`Wg2B#U|rEJ8ZG)|21bG zvVNDBUi;~x^NRUty<~UXildHwrrz@9FK)0{+x2dqZ}E+bc=|aJPkZs9>o;+yU47vR z9e4j<-)Zl>&-DFs^EKBc{-r$Z>XDzUKg?(LM8~6e(EHAgdwz~TJb4_?@_C-;II*6v zJ5Py|s2%bq;%6K@>m{@wVLa6(j((O`T(b3uZ2q~9z}Fw*s)r1nSH+{x^PBU5IR5WZ z#qZpoAmfo8FRu6L|9_*pa(_!5`oZ`>$F2SqhoAYReeBjTaqNe?&XrFbzYjNl&~r=s z5%lRVuj9jf%6&dOc@x=}TK1VKyR2IOUn$>-WcU9w`MXYHht41V4-vk8!GooKX6L6L zoOc{g{PFndFLI*ei5?${m;ZN|Ub~<;Wb+8$c&hh9yB@#&u?y<+8bA3RNBr64S?m4l z?fs>VW>n8-(vH_t>}j0jt3UH5k3ID%i?`HY|MN$uyi`BO!pr`lZ;GEhc~UP9OgouB zUdqOk9r7nPA^so!IOOaR`_6BO@0>q4V(q7g zOs;w2KzUPko)R~C^w4=<9LG1i_0@W+9nM$s*xks*At&xK8FTul1N- z{rtpp{(06MtycSi9WOuW()zpg8MmjhJo*1T7d1{#{Yw0%eoH^?pm)5G)1G?& z->AgHUsP<0Te5dokC$kk_Oxz(;+6cH?CFPZe90vqy?V&dIzUcdDLy_--on?8nf(@Mv@U4gLGp*nJT#u?>T(bQJ z@#yj3-|o9+|4AM7eg}P`INIqx#P9m?wMYKUs~^PUM-Tbsd5oUF{r2o1_eZXK)_(K0 z%l6%;qk7NN`zuY)v;F=x^Ez+JuN}sV47Eeu^x6yQAw8sr?(@xuYkzn9iMwCYzk0tM zuL;GsZ-H;T^Swd#MEkJx;&vDL=_l8d^zSvgp0giS`agu`wedFp%?sBf+Ufq=^_hKG zJoCr6*(cx+&13C$ooOAAA0H2v^!k@w9M5;;5y$Dg z{yu9C>eW^kd&=H3WN$+86ZzSXWv5SB9grP<=%Y{VG;No6s{b2;r``7H-0%GQs)vql zJvXOi{^46U#5FFCOTR}jp7^gV|MJpXFFCvAdyD=bs5m7Qhh6*CL%-&ww>~m!rLO;n zn?FDEoSr`v7hn6>J%3_{=BeK;uXW3pKfKD0<^R7@$}f+&WaG5NJ9i(t)qgCgo+BnN zWq$M}%yv7DZdmWg!6)1_yV_Ub@Bcx6>7||D__v+sRQ0GAn!moM;ymp81=bD7&wFvk zOC0$f*XA9&^^9FSvUbr!=Pfe+f>)+5IQzCiZR>(@Qy-rGQwN^;<2VrC|4)7X?n6%A zZ0p`_>plA>ukO0cT^IFh`<}Az49H`DA78(?|F_Po&v{f`o_p|v`dc374c8IcH|)8s zr>wBo+bz#&t&cmt@A!S+*{_~2>hs<;IkC!L*iUD7{FyJt8>&xyJhFC)=Y44Q|L$lW zIu9GqsfUd?c(W(!bwN8v-tp*S>o3t!{Xb>zRcNQ{GyS0-$vL;3Zi zam26Qzwca^==mk;-_(=EmtXztC6w3uzpgWkkNXDx;*UOg)}}siq~BfuL-Z) z{uAeH_)6FJ!!wWe(2MK*LvMX%&+{H0KRm~;bq0^UbpB??Ph5QRlI>}qd9%y)PLp58 z!MFafPanGDFWm@q>e~$B8`pd%)W<2A> z&d+!|KAk_cTYLD?yFTVG9v&IWPZo!)Uhg@V;*|8_Ks`>i!iQYFZ^&`D_@?;z`p8n&{p4U(GU9j_h zy)^ISdG@?terM8%`n_Z8ka&2|`-ANIM_u%JeW=~yz|@;*;wR!|KJC{|_EH{k+*g+J;E8WM=^ck;dG!l@#!uNi z$IrO<+DC@`$WT4vWq;toQXIc`@jY=o?}eJL`bm5I-$e20^FEIr584;g4#-Z{FS*}^ zr`|;CZt~P4e*WLXjMF6B2N%!$P&a>dK*xjQ#yGM={ZAGzvC1F&_VnpbHgCwKerA`K z%wHb!B<*A<4nHzGJsG-Bke8qHpYtre{>^?=C%f^INBl%_A%02buRY0AuQ<@YiSKgL z+i&#U8v7mQlYYS0PWkB_@Aj+nxNv-b>9e0+>KnKBX}|T0BaZp$^!j&n-k%XyJF|WI zmEF3c4tlcdPjS>G4!v>HK6>+)T*AyNKfZRQo}ItC@c89?U7#=d(I@gN zVe-kz*KT%*m+f+1#nV5KU)oc~67iroj&Cx1_G{Y3r%x0Ivh$FTM2Skw+X=p9k?^#!G*8{IsW@J>O$$io?%!wtg+e$7lC`g7w^U7Wawx z-tWutHDATUhdEBpmwCOzAM!6@^2m^%{v*RCeXeKxO6Yn_e`NouEA!HeYaH}5exl*G57VzCH}RY7rMUF`Aw8sr^riX4 zjt}YIYZO1Rr+M;vOgwSOiR_Ly^B=N9{^p1EhnzgJd6)iV#|3@~GY_6PX_vS3o)G^M zid(YNCr=&p>cF=yvD24idT4wgfBlG8Lj1JTCuZDiAK86N`l~bhfoy%|C!YFBdiF$o zC|+Kd(?jj#2lKo5?(@xm*9rE`wb%Z%{c(Aqy3Ggqp1*nakN@r28P#(ndVKLypK-~M ze`3Zl9>yo_H3i$%w8IJKFV;plhrbH?!QokMh_1VAc?z^ttKGXOA|6l*EYkRxz`+X13v!3;= zXN{jk|FDbi{gSM>eg~c(^j%(lFzfxSxW3nq;_;^^8&|%!meUtr@76BY|JdU^?tCcr zBfk5v>VfJZ>oO6A36Gq!;c)#lf-8i&pOa?fgR$J#fcd0Wd1pR;eHvP1JN$+ zz!wM7L*tYjdG6;J2V2@sb%+P)<%_5tS$c7@>Sk9j*>!qyar24ejOVv}$A-V}6py@r z*!fp?EuYtN;MET`X|o}@@A$eWTzgo>-0xY$cDO(4ehRzoY~00uk{9YHe&Q6T#}g+D z#f9Q}f6epd{PCdvHoqO(YxVM1uPgd4oOt}z1=)-12jkOt5U)6tC!#n}Pu4y%l#dMQ zVV0g9mXxP%{`yb7);ILx7l-0y@z~{YU)DUq&+#!H7ud5<{Nhl4&)>&(I^K)JPKM$@ zJoVvap>=w3eDU$1?L^MPm_PE^qu%k-`Fd>M2hY@a?cR1}^1R2&U%ieyQI7eHNB)o> z+5Ae5_AI^e6!U7I=%MEs&40#4jDt@vAH8{%onBu0 z=trN0;y^s(HtOYLhuW1J2Zj5Ucu>5EzF!u3WO?{GuOOEc#nWHfC7<@hxa=_cMLqwl zc5V^fw8wc6&-@Vi_IJ;{_+E?WQu#+e@f--O19LJfu>G9N; zrB@gKh_*9coHxbyo*y1PjC%FSN6uPLvx^fk%O3Snj&ZVNei5|~^2ejsPW=bpIx2K>l{z%@#WM1 zS^bJrr?S<)ase{NSw5R?n>QOYT0~ zv+4M6E-YOx_x=>VI1#Pq^=Gt4S%28hv0sf>>ons_y*p0)s7LvSitY>2N0gV|_MrD2 z2H&ITw|m<<$DjC9?mJ0%|0){K{M7;VD~vq;j)Uw_9Jr-Cd?=ne=wm$k0h1@JJgHRC zc%c`kIJwI%Pc<(+rRe=Ye*Y@QeBwm?p{;uNIcIdyycF%xj~%i@zXPM+{C*wTbMD5w z`NH=fXN;_W)wD{LHv6szf7j9FhwS9}$6Rsimse;1J}DlI{^m<|?SsZ48PD;=I!9dd zCBF8{L%(K5m)Xk9wJrZXu;@FaTYo$M zhbPW2y3XQ$pt!b=_^t!T?-Pn|{!$-(MB_la@yYm69{obi?SJf({oPG|j;pbM#e-MP z`|H>XmK43u$lrFugY4!3GPIp-e|qhU<5yhcDb~xMUAy=>|98B=XU~#fId;$4hnC;` zcgOtR7(eLx@i(6i9C68l(s}N8S^ua*UKrm$p*OzB^1!ld`hGj>m5qttE5wu6@z8w1 zo^_qx_{EE8`#A3wU!CgGUNS%9gMM~LHj z6yIax2esGtF7=c4;i=cSb)S))-hQEeb*vm)?S~(>E}Lh6v;WHv`HAa%K^*&s_55e| zKK1O{er0pV8S_z`zxdn#$o6kC`?LMKPVRZ~FNyDSom~2f7k3=~du|Wl5> zAD@3vcX6m*aUw>4b?c84PaS#Ho1d-8{hqyk;8$Ecc6>-*Tzz=_V3wXe3u8XK;^IYn zl*QRn&=-g5yLeSPX7Rd}x#J?e`6ceZ;%XN@Wbe?q^{ow_|1I}DKHoF4K8e4h zz~4H^d*Xf&GF9fTe&Cs+ z>rb|iJkH1TLqvJ-VdUv2e8&U)i2NPj9jEDY>;J<0#g6OZ;K8UTZz;w&`Y-z96=&y% zALXcLhsD{A3uqkhvkoC=VOBodBeqia-2H`xdSz zm>2kq>$pbm`kMQs+9{9r#^ag!$os(B!B2iNbiSY;v_oFkXS82_@&msOY&g35%0z$L z?&A3U3;Fnao>Cs|hj{$p`V0Ecu6IZ2+f%yI_55r3-0z#k^$Ux*_Q{>V>Gtv-3TqWf@o&^jdg$?Lfn_AJz1>m}nryVL{m z$>Q=OM|;$3KRwhwazt_EQ%~fP^%FmQGQ^jko($<>^uvSf_^}@I1^c+u4u5aPNvk%y z9?lNMh4hdf>MwHSkzwn`wdQ>{x9InF=%F|;OJCf2LVv{l+j*jOs`2?y#ckI&*=OTs z^Ga47u`bU!>34qK-y%cL12``B`sBT}^&cwwJxKGd<0rrPJcc^rxNtq69>)IQpS9n} ziwE^DJAd}5Cqq1S(ZgK33$O2F%^TvFpTvXWxqfLKQ{3+x^D{4#vrru{^2`rWpCyYE z(f&ryU;D}I_$AFRPDK4GE;;g|T|F?4ANq*)r>yOtHSW}-K5;#_L&l3Ty>X}xJcw7E z9C`Ta6W?_Ld}!T4cK?tJeP2R+XnT<5&6357c6#eFacxiUSJS&6$$ydK#l^8*@$8Sb zi+*x^!4uzjqldN^9zCSrQdCziU*Yj1`m@t}E|Z*vS#{AH*Zk=tYB#-c6aDn7{Y2f6 zKRh5A_@D4*jEnO%Nz#OQ|~k)M8$$N00Zi#&1YxAgrPe$ad^&VLHEUmkId z7wvUCz>Da5Lez_=zsOL0vh5t_QRfq$Q;m7Z@{nV{(aQ_@sRNI!ePs4N_w??+)wIp8 z8?(!A9pE|?JGB0uz4Xn+CtY3iJqYd9FXmNs$9iHr*r9xo-uC7X@v`O_JaOEo;1}(9 zIV}ABz?@uopPoN`l;d;Uco0ACm+b0-=CRnX`0;w}XCrDYxutK>{bl*^$>O@c*|6S3mHh zC-Z~&#y7tAHSt=lKjNTEIuyO%VjSh-79KA>KW?7kZ#^uZJnUI0KE(UWcbA>MUG>$u z?;QGG8auQ<$cJaXbiH`u%^S=8Hmg!z><510>3@20?ALh3p?-)waq0b@wCj2FFt$%W zndfXLan&n7fAR3><9Zqo;>%0ULVog-@#)oXe5(h~byNLLFJ5topM{PG+NG|%%LX<4 zqH59ej>ZEX+4TbZK~^4ocF&1s)vu0dcRh$+JV^iFLhTn{-iVR+*~4i?Wi#;122h;g+aFAKHDej$%~TsOqqQj{<9 z>7jgN=)DvD7mvTmPEg zlbt_al<8gXi2cIO4~nmDe(G?%Hx8{=>ErV~{Nxii=6V0t!;kvyh|S+0w}0@D=ssK2 z%VT@kUv^uX|M&h)D&&se>WkN5>Ek#QclDhgZ-3ZRTj%cg$)Z->(-tufA7_4*Fzs}oPYWbMfdU4QFEWE2lo2DRNhN% z)|Y?duHTY*_szMq`}1Yp5gKXH5V z7f*fk@@i+a<2kO2WBWOt;X!=y)iaz7i6d|GJpM@8}AwY`+Cb3=brdu z(RU&2H}*TvQ^)7TO9*jJ)y702laYuit zOTFq7PkiyB9IwCQl@uMty1A;wpSy7m=Non?9@+Qe zT<4>AzGOWmf6Pm7oO#~^kDUzVQ4hWATd`lv>v;Tqe~270^4X)F47ZeLe&yHcoi+ns z>Rl!vIV$bb4t2>ZenihrX}9w~OV>b$$%cOzHlp5MdELf1cHz4~8V{$xlGi_=HD zJp9!G>7ySRkNm&Fxc-ZI-Peiw|CSv4skl7&TZ-aYSCfs)xEhcz`dC=LqN_dlnYgAN=C=M|#^UKA$E( zG_J|e_m>>^y{Bh8%Y*OvBF9bor)IC6`(68@?}WKdt9{UOT(%Sch%r99y0n`f(qD4^ z$tO;!U38r{wgVrsL;8|pN&O?AtQ}jLpWnK9Y1s;k)@JU1c(-1Zcj4pxO69(@Om7_c zz6w3`yI@;dm-AZJSBwMx))V5>Yd^l{Q}B#ucHd>@@45qi9B+}&@BbF6Prd5MlI;i4 z?)jDIkEg%L)^D~CKj$%I{Y{4AWTCjx&L6U?Pk%%^Uc{{HVERd1>&dL=cjSZeh(m9D zlEsg8vquz{pZziN$nx`}=TBz0-(?-QBcH7P%f_!-*r>wB&DQC09Aw3}ZW1@5I%7ZL zX|H_v#w8g)Vzi5gr=57YcHHvIdG9W*n){AstPkIL8(Ca&)Jg9=7+{f{p`e&aj$t}~}b(R+w7uY8c5KV&CEeDf`y_UJGC{}rl3K6R3#UB8+)9AC7H zzjnF4m=%vcV$2)2qdNAxw8eWrmoLBB@moA`pzHFsKRx7UoM?}H5YPFg_R{kcSN&u> z{bQXM?ResmAwG{mJ+-4!ie(J(of6{KPocKJlQqaURZX*Npq>@?`Pk zTXFmBQ_3u=n0p?v`xBgXcjL&YpYMh&YqF>zZjyvMI-sL*Iy4-K|em{QPA7Xs@ zjZfp99=a|qpZqbNy!@g}?>Ptdhwlf)OCqLhh z*U!E;kMFshiXRPs_xsa}zWZSNxUXQmY6rVI?AP)dx9qkff4q3!tu9#H?_1^er^4q4 zJlDm)I8;aL8ug}~*|q3=MBV01aq!8I9!9-*`YGC@A3Nl)|HR=Jkso9?ACO^IJbL-@ zqb!g46A!XOdhLPHo+YbG9Q7FIoB3tD-^jnDD8BC`SijLn)INFQ`r2{8{Knrp#QqcY zWO4NiKj-QE<9?~%%p2lauepBq;LcUH{^7f#<891G=C8eEc6FFP=Cl%>qB#)f-PVM|#H-Ao7T!>GG^pGA#z4tKK;X!LZ zKC<>_E0W*tdt=_n(~Ism*ba_^?KrDCHI^@A)mfc;{ukz>@vi{;n zZ(g9c?y_E>#}_y1JqKn#KlR8dzg%=@(fx}aXP+_npFPXwIo^pQk2&T`G^iyz0pMAK;W~<}PQUjMN|rJlDPBoME5MFO{c%Vn52qKlZWalyFL;bC8 z^SSuOi#m*d+nHT_ei1#_f~URul|G_4^iigdSR7AY?f0IpI@!h5e(k2mlTUx((?^-! zx=DW+AJ!eN2gu|6#PbK@*lvz%o)5Es*pJK`{9w!O?Q8CK!B4sS5V2nERtG<*Ka5*E z`YhC6>c{h)Wb=l0n1_wm9Dm@tJ&s$tORoR#uH@y1?>e1z8oPBgp8oK@x%Y6p|5oeQGC!BkbHCMd zI^yvcm#i+b?d|&Prvnb|y~~|N&tKw+W4`7`A9?h)2if|a%+G$Uzha$u{A@4%Lzd4v z13&u5_*vtbUtGV*r(UvrP(O(i#}hriICycq;;G*__@T<0aA6EbU zDtXTL+<#FgKY7RztuM{T)|1XZvc8wCUB-{NzC$msc|5i=j)%Bi%uC|DKdS8hZ&g^4 zoA>2=y#4g{(|1^r*zTT}H4fuC!~GNIW#T~ZBa&U;BmcKidt;uc_kCgdEHp1S8(eW- zzr%~3i^G@4_=Q(DA5s4HeKsVvukWMsGyfkm{Kc0>wkn-_K3u=s-uUv6tskPE4C8pV ze;B8D_BZp5{eitW9io4fjSCp<_Ct30tuyTh z{P5@@ySl`shxT*xu=a`Lz7e~6@WhE2_a}al=Q}b{uU_qASC{oUq9>oeCqV}A3SfX8$9(Fh&*C{xj`we^Q>+ifF%Nj2AbvMqd(2nrb>GSP zje5kx(=PS6o@6_z1K;o5n{Tw+c(uLwiBA^CIAIqDFCt#lizlzR5Fbw-GF(&h^IIz& zQ!4j+A^ad7q?ZS>L;a3#J7v}3eggmhPesSAEv--cBSwGy66Yd{1dOV0HPn7ZWhw+0iF2rMp;_`Q0*1Q_mMf@BO#Lq(Wsrcf`3$+J| z$4-Xy_Alo#>T^DA{=tv&`P1VShuUL)j{9?r=RSbAu^mw_E}r<>M<4yj+6C#e&g0li zirT3z{`$vp22VX?cK+I>PBOmuj&E^X<45F2Z@;bn%2o%weahzdi6TEsrY{cVh1$!H z9!5QROVRne>saDK{Yi#f8h=Z9)(ftC#yn)WrE&4Jqrv>Yy}r|uqWeYS#eR-{c#xf( zg?RFl@yYB_&u%{k_8F|{3H7>*} zuD#-#x5)hH#baMv?U0TmHt$QEUs7h>lg32`F#TCclr-szNn9R$!ngu;OjTO|2g-5 z9=&*E{c*+)E7reSe{Jsf!tk)4EB&;Y0EG zMV@xDix>UHiHH~5hbKNBeQ|Q+#k$G%tE_RYUE)FdSch@Xjt}wK5$qLHhaDbpTFzA{MjKM zR2Q`F;cq)b?PQPWerD8@qrW=nVd-Dm-@Q-sqUQd&x1IB#w!kO z4|PYrJbk8oGV_y(x_KSn+~edI+M zuQ<#aAN=AxDvx%n3l?X`%R+f0;)~BthUVS+?^HhG`7xDq$4ToQ?XjNH4tB@S7@w>T z{YDSz<-xZOz_UIlXQAU<*8Hdb=uhu@7Q1?)?0Ckm9rj;($4mVU#f$Cchvz$b^jnJY zK9}RJyq-4^FWTjIp0#ppwI6=idh>OZe*5CWmupvQRrFk}`N{qCx7M6H^S5Uzuq-P zy>W)GKV09B?ZV?{J45j!@{1@wjB%>`_|TId_xw3`J{|4eBXB*`_Hcd0bpgMltUo+| z;DEb#^gvUgw|VR*GtsLA9_yJ@ta@7m~W4*zdfzxxT5#6@U@Q|{m9Tb zCG&&E7oNH!U%$IP`fsep-yXmaW*SUUoLc91ud0^C& zjZ?gcS#|Trw{E2W;G9Oo$MxR)JI3t%qO9HY@{@B|_`VETyi9&LkHh0)eElO2 zj6D0F?QXxsGv4C$BllIkZ!13JZ@&^p9?!$#o2S|7#es3$x&9jaUq0JczquYLkGK(I z{+Kt~qdyrhE1$UP#fLAR`@^`Adlc_I-=IeYj^7rvkq>s`F$Kbh);&{lOyUs{xI@l zoUH5FS$^U|Jo|_Kr-yNT&_m;xEIw2>**X)Sog9%}KdDE&$ft+VPG*PpZ*t_3BjQ7L zvg>2?kR8VTp5Aec-h7mutS z?SptQs~^JDW3YDO~-$8Vd9LHVc&0hNE;*+i}YOnSgA5h$g=3jd4(+>U3{{Jf&`!TjF+VzM2iFUI7((m?5 z@$u;KW866I%`5!HgX)8L;?l1zGkw*MRes6Mx9sBZD-Mg}Z>b#*#=Kd2yl9Uy9@Jj_ zfe-N_vPVDnMcDay{>A#*bvr!hdK8&|7Dir_`O!PBkzpKn^!y=zvT;o|j``~!_HRBN zIO388rSq&G@Y(fW9PjFL{SV*vlMi}ci{0_d`2=2!6Z>CYe9u8>7rk~wzUu|@dd^l} ze0KG+$M|H=)sdmP_(#Nx`r`c9)t8GCt}ls;$4~#~{K9o6$2E3-;zh)Z_dVjcv0cRD zC!RWOhp3O^n_YVxU&XiXkO#W%E1x)Xn}1NX-k75EM|{tjd2aVr`Pj-LFx&7&pPsiCKcc!kA7(uo`^$X|^}%>Nq__P&S8M&QPVx1d`09)E z0ls?ij6410Jcb>rE6T*z0mqh|5;bqzx{r! zelfn{JR-h&^b0-odq?scpX^h1+WqLqnpDi)&u||~|H?mOWc{nARjQP`e!=ef0r8-I zR3E)M$m*tdzn9(nVfKIZ;M3!0p*r+4o;YOvWBzA{-fIvK|IXtUEF849=y#Ra#f?~; zJ@TWho~$_5MeGsvyY1wCF6*V3k1P&33nMSe>d*4e(%b&xiDQ4^#|~|Gvhi#G<7XY_ zcu%jt$l`3f=84N5Zc{$@9#u|Xc>drz9zXpZ_3RPNQ`#Ntjr=HUchr-kU4L44Xpi=j z`NOCeC#TOi4`bIaj*p&GwI9acW#uQoe9(BXzlzV#@tl7a;%C{T-uxc@$nH|gpXlOL{c$d|>BcCv97 z>la5qLHda5g}!_GYSn}5p7L>}-1oL!r<5PYexkSCT<4-!4>_Xkpic8-)U%sk$S}q= zF6r^ix3Mn$fuDuuJMm(isE@Kdp2wF557I~EuYcJ2WubAyu5L0EFQW5|tnF{Rh$|mC z#*cdKiaf{VSPy@7MZ0+?>Pss7y@%+hP8h#Kiy!+z-Nq5wd?g;#FV7!(L&dcV%H`Sa z?)URIKgi2JBEJ0-5F}4R^f8bj`M!n-1zke6S7f1dq z#N!8Jzw^hBm}R%F78ml5dE)lMgZyo0`iNQeWbwph=dT_z`<5cVi1sUb?IDYAoJPI( zoTHu}z2{QNS!jP{H!s=W#nn&hrHB0S>>u=wo9xk#91&j}7Er$)AH8U(fgi^Jka$v z{pLJL9nk$KGQ^ihedLJp@{fp*r!M-4{LPPKytqHI<9q)~KF^zzq5g)xlOT_{_>djW zn%U)*b4nFG$7;R6AL7IKUMpT!9`gmBIM&HzXuQ~dJ5KzlNBM^~|9utlAb+TTqMf{@ zC?39c>MwSBye!1eveUZ9)8wy`h#6QJTjz*QD2^LF6JQ4ZPllhS$-j3dD1X-RR=?zUVcjH7tPh_ZdN1grcY7Xt>wBg0#Md8C zJpIg{UcL0jC4cBT5FUN3FUoj>-#+82S+xqD*C|}z*$>&{`bZru2VVV9lQtW2&slm- zTK(21F)w@6%j_)x#?L|(n(#Ix$2 zQZcu`@lyvG(i21$w zR|k{_Pkqi;>GAkM*EQMs^TUJYA^Uw!U)U~j_(T1L4`ctRTR-y0hxGLtuYJD9*DDfn zq8+ce{=`$iIAnHtU{;-;Cp2&18Grgu+=%kZW50A=^o(myd?c@1l|0X#7>D9G-_nkV zwukK*?ee}g>clqVN0iFFmtx+{)nB-OI8QWw#8Z!a;%Xl~Kii329I|+jJ)$_qH@-aj z3$m+EJkQUN)j@V2ivQf&3-4c8X+sjXx40A6?Y#4K^NQX#6VLrv_l<35?QlF2$L}OJ zyL8TNHzeiqJhx!G`;LS7#)-Q1yZHLScI5~88830&VZPUH$8G)1-~A{&{RYjW+MzD( z=cj&l@u9lo_F;$mGscPiFJAQX9=UpaH$kjh{(_WVY{oB{mawJojc&i z;@|sMPjPwi;&zn}#(K%>gIWAI|KWQN{)Ks0U%P5)sXY5Hy?EXWP%mVUGQB#D1Ntn~ z@9g}^#UZ|W^glm#{Y@WH|A@m6y5GgmbzA2}#%rASYCqnpQjJ;_bH`EROs`Nd9pmt~eaH}B{HQ1Y zt0;b!KfC-eORwLuc>Lmaq37qghp^*i4UF8Vzu{S<$YZ8x8o7w$j!^knZFbh`Abug=`QXq~QJb!jJm?RUHsPaR|^9u&{> z@sUS{@~X!=kR9U5Ll4aA5rq9vM#@ zs1E1L&ii9~tw+V<57qhmb(1c?_t)+6)WaVAoR6{NL-msJ=;QXJk0@`KncrS>Mzf;t zThrU_-do}?-`|%V{`-VkTmHL4XROTsb!u9~mnREtr;ip5KJCCmN^kbw2)pt4!80{p zySH7@ci4)Hs~yhEJm=_m|ghd?7uOdd|Ca0&+hzt zze`)Z_jCE8_nO!vKgxLW+CEVIWPBL);y^rTyT>}RWcm3=dD^wjyy8NC&%$bACVvaqM`F^wHjLd^=^LuD#me= zwH@@M{a^j&@#6CT}MGq=)pb z$4wbH_n9ldEBZcR_<_UH@v|_F+g#jm{c*Fr8S5hc`rr6~_Iv9ibvxcUzrYjEc+)<5`&U+d;^P_b z_|UpfT*w|}>jHMDpYdUqo;@NyjCT2Adm@jFZ#$6LVV0g{>YU-0{Hhrc?fXucLV^2z)n>Ib}t zksoDzdh-Ukq!{CAmpEj+-27Ge948)heUuzgoEX=0x5hP|?Hl>*;**O*@gTl95$#v_ z(H>>z-I4EpgM8YlUAZ`g-)V{0HSi$5?;Vk$`;P9XnqQ1RzbAqJ)r0HT-Z;JBd8@+X zp8C~G4_%KfQ)TYz2c9WfZ#drai@)2>KVplPlUAMm%$nTuWzkL+7gqUt=Hsg`-jI|j zTeJ1(Ba7vKwc3^y1R{LO>-cv&((anw!k{)~R7|7=99CAah~dd`3z%14gK9x?LB z_A|0}kzrOmdOR5W%X&}zlA`Sv{p62&^N@KT4~j?TuWr}h*Il#!>Y?kai2Svm zoQ2k%`h~1+==!<)6^<9`REIod`ybi7i3g2KaxQP-Jnj0QIFX-wA35WEN4vDs{ve*b z5n~&N`{KYnq@&$`vRncn{CdM&;D?iaaE#_oO-ISbWmyW(ZlZT%@fjCBs?TmbK+|R`MPoe!s9s0S}v)8`y=(?isP}*P23uNPqKfC(0 zBO<%)M2^UhUf#|0Z=B!sxP8_o!%yq}`11ZmzejEzx#ITOr<7S#F*hE?i*e{9;%TpW zlWaWkbH9^cL_BER4(WsiPjXuiU?z18#MHT&H0P4A-L zqvYrJ+~lVhXa8#-etm77(z)jwJpYUb`9tH*am07bv-td={4nQNxS!h2^x8>=Q7?YE zs~UH^cW}{r?an9g@t}BQ+lSuq$o9i44*AD+(npLu_2TK5$Rn#$UAB+kA@&`7*R`#O z8vXRhb$yO4lNZnD^n>HOc`MeXKKqOO^ilSnNPPYlA4b0@<7q$4;?YCvb@P>eigEGv zr|ahQ#zpLZ_2@tR7@y4U`DE)2aon%RgRgWv{npm66n)o${$EA;)CH}l#O<=r@^`j}Jwas4L_URM4%AL2)U#}#^r59J}Ni_8yC z`{@5wG{1`r<(J3vZ0d0yk(Jl;L9TztxW;3QM;4bK%(6$l`$*Q8;z9YN9QEvui~5Bu zzWQLSM_hVw^snm;#;bMcBTWajJM71ex%)}{T8xMG7@0~jjj@PsB z#m$nnmmOyLMSbM6Lw0%SA-n4!WPCE@$F4uq-4Kzkek@UhE%wzk5o~LhX(i^YEvK)*ErZcYL7t`(v(GzA>j!%|3OC?h}fi zh4Mwjrzg8#MvjPYTsU8JyvE0a^bu_byomU&zvDaagwe00vg0T}dC7Zh{q1Qj$5qO` zpKbf#83)EcJ%4uRi}Wz^?LSaH{D{$?tiR;v=eQR2#r1>Zv~?PP`N-y9`Jm&!Jle%y zz4ZJXpYg17$WVXrgYo!+&u(2quN`FfVN@>-kV=md~xI<uD;|+>~2kl2>C{C2=p}1KxeZ0RG{cK13E5FFI-$gyX@fpWo zaqX}UjDF%8Pg&y?FQPi_f3}BsWPa9XWd2$0)-LZ0S>$>myUcL2--xBQ;7sh<# zxIO42=JFQKkLtoJF3)ZsOnB&)ch@G4-}=Eghx!4=`0k^-o?YDi0d*RG;yEtZ-r6Ux z^Dgb0x9h5_&%3-zZv7&T?Ti<(?uBRXl(bu&+b;6($1hH{UDc;u{C(d^ocNp>9y@<= z=_B&9z4%2Q+5V}W`Z3zYh4|vrx0*ia@j4624rDAZdq&d_wU*9 z?N3p!{&?Lxt8RL6p}29o)0-dhq4~;rIXzS#8H!7e#|8T0Q2f|G;z!he$o|oT>+atD zA3x`wV|G57l|TBE@zo{1b*1A1eQ_B3CGySd;z#?I%Id}^!`U5|z4^{NKPBGd^ZOm< z58qGl``Okl;^`m#;`_1mJwAQvi5F_EN_xF;{l)Lxv?A#{cFFAK?-X6HUr}xMY6F)R z%@^XTk1QU&{-&4T{?E_xg3Le8ThT5aJvqi_7gs$|&p-0WkYB`dkJfGSC!h6<=ezks$3gQbJ#-&4=8ye_Z#`*@ZDC0S9%A?)l$N9+hCGi{&$l_*Uv)w*9^@~<3a@T+OWuZDeXJ~xT^K)O`bz^pQ zm@ln^*qxW_C;Y7K$qvPV>QN^d@{=$6c|IMFA0B-~zY`FjKafWpezq%pR{W^PcN`GU z_>qquAJRw6@{^yx`)~YhCrFQPJd?%4(+^~59I<;ZjEoo2`38N=Cysg`zVCV%Kl%mF z_q(;rd*q{EsJZ=*eJX7BT-e^LxBK?IVJmXy*Y_P?_k?Q?tC;8a|Lj-BopIzkg6lS} z4|(6!bB*d&XT_Fl=1#wPWpesQH(WRQvXzN`j6COu^zk~kcu+r*9k=+i>nH11cF0aH zZhPWIKXS}l9G@M={Yd-7$Ah*D`Tkvx8`SXcm2=l!=%M}6cu_CeIFk>${~``FzQxJu z!*wruJaHpN9$7!|cmKliRvf=$$It$weNVjl!N~g06}_MF$ivmDKhpb`+;x9(_>*lH zbsSRj$d5kVX6roTj$VEI%tP$zupK;qi*H>_hOr*{|2F#0i~9f5`5cG!ul1F2EuZ`m z=l5U#?9KcAmKcZn*ZG@%riY$?)vvare67|WanL0lisn!Aw0ik@PKO`FcO5m31OAZT z{~rhZv;SMQHal*`{Yt;lJML|1|Ji@VF|LdQaiMYJKAiCe<2)p;ai}i$1?9stPR+ma z@r(HS?GNo+_tc+q=Xs9H;)x>;sX@F73Q z58|me>e-=r3!ffFf3k5^9FHAljWg}hZr>pw%SU#;%dhs+YwEsvZPE2gbw*T2)RV2- z#FY>7XXgjamw4)qe0CV)^MiO%j`MP~^V9ESe(I)&^m|@@+GBTjS&`dMU03m(pz8tr zAb&_7>ti?m^aDM#o)?EcBD*+bh)<5l4zui0|L@B3!5B}!u^UfO&kyfEjq&=3?{F9g zF`w&?o)gci&pOw6l<^SbWy!X8?2jzI{&T#{sw>O?-_>X3Q`f&6|3BrgKhHhN zTzAS>9LDeD%I|#__Y0gaKD5oAlOJqb^uB}qP&>#mKRbOEFY2SLPI01)5Ah&9KQenn zcJ=#?0Da_>*|ShQd`KVHXFD9Y@8_K_D?0zT9_5$2?v-&}ze0!iADY}?P3}H!9FNv( z`bAv(8yRXB*>k64n6-bf7l-PB`0__oZ_FEc;y`xSkI7q_7hgQvkw2Lo|9_40M~rpo zN4#i{GG10Y*(1g{Su#J@dGsrNL~-cJ5u-iI_}XRv$Aj!-80!=dI?uy{?BYgQe0qNL z5u=@-{P^@)7!W% z|IqG#=*ABiGkEOieiJ4Rm^dWAefK|_I$`Xng0|;(=u^4CY1D{;e>N|3ALqZ)(9` z{I@CICjV0k{x#=rV+c!A@lIGbu6Rq(ed)+XKmss3>V`b~9j zYWpVcrkVy7{B7b+F8JFNXOn(t!QZBMo9f-9+f=K%H_88}wic-Wt$&;Pd{Zr(YTA@z zQy*=TH~s(rsV$q@xyiPPv#GtC_?v3nRR1O%R`3_=+|mP5p;*&f2Bzv!)*7?^btEDF%w{!ljQ+uT64%zmWH$Lf= zT(o%d4byjSmJT~;`{rkL?vV8U`0?dy2kw`?`|JFZdNpmHmcRbHpT6De(BzWQ6U$wE zLeunbm2U5~ z`8PFPQhE2Z{j9TJzWRn5=@CcY^3t-`c217H;g-cKcitg=>6zMlZ2$cB>4IA2E~tIz zUdfk_j@f_tBUS$E{FO6m?^NoA6^kC;ck$>!y;dxGbb6&P4%)3oviItLH2v)2WsACf z-E(}W-ajqcc23^@XWYAdQQP@f9=CEu$MlhnS6$rys6*0bwfFt&;0lMO&(3`8j@zCY zkqkQgs%2Bkc1W-2Gr9h-W_juD2iMxO{UHt0l}GPdeaX)C(;rX0cwLi+8>MG2m^$X! z{dy)%w|eo*E)VRR?tIGX3of{}URu)l|84%qrOI!6_7#oNzr6Ir>Mz^1Nv5`#^w+Ul zH%VvyaP9TmKC*v$;{A8_ta|T3$x-*-v36qpebc|yAJ%T+>bl7b*KEJryvw#pAN_gT z{r_?A4(aM;jSg!6@~-LF57+;gSG_^f;_Hisb!b$*#QX=pd7yTF`L^k$)!sY#jZTe| z#^o-p_;`MsbnnNGd+eFtTc;On`{Je3M>R>l`uzL9bZgu(Irg`@H(&Vu>O~K?T-NZ{ z-p0U%jaP6-^^e~#{dUJ>w|#!=mE`U8-l0wAHB3v&U$^+j zFSmcQY1(eY#v|_QF(7HW5Jo#QUuamx9- zrhoQNx%AKe`Mt1z%B6qyPr3BZ{wbaQ**^_R+&{DDc4#iuP%mUd36>~T-McWUgBPC2T~u(sFikv6Nf`@8>`(k4B<&yB~7`go_br1Mot z`?F@_X`f8prB!;>w}%btzPwY?_M1Dp@ApCTbo5zGcUW0)9Qp3vN$oGM&@>rz-IujH zOlp$O+CKl>0nMwX+st|*Z_@YG(*6Iw&4ec>woG^9Kh+&nx zCSA5WXU;1%4@?g(z3V%pnm0-7?Y!u@8rvO^oIbtp33mP&X<*~s(>uFe_wCOwR8LNtam}pnht^7e zd203Cj{SB{%MZF|r-5zuPsT0ZzWT*;cSzSib3&6tE^n6JdDeX&U;fPj$r-Ob`hEZH zo26eYIP8}G%NwVSCy(lS`upvY%YK?OYi|2SCEmVol={5&C&#r+cj@uyEgwAHJgHRb z_@0Yj+t}{(d(K}muWz$-Uat+KKPh`)^3kK8FMe@N)589*lm2=9t&{$F{OwqH{M{w} z^Z2_*`seX?*AmxX(*FP7@V9)vE$RIH->(0X7Y=K(Ro$lP5xcG%|KxAY(qjfS{=D_f z_UW3h2ff&%+KI_OzG!+<&9|DTORt-B&y1@Zr>p0jyX3FSl4SaJYpM)hu|s;rtmD4w zxL>Vw*Y^9ho0-%~FB>|w^15egq!T+Fx5qa-?UHtXuGdd>&+L)>GQ01s4JOx5cV1C* z&alIprmMEWqeG2R?D?d5Ae!8qfkL~)Eub)10%FKn+mz|bQuJQK1J6t{?ojR`X z^GBw$(`Dn*zukYqZRr&!%$~n>pPQ1oW$$nJ%}3WK$F6(2)$}i$ChzV$g@FRymVNr zUJa_RJ235a;hRfdS~oB`?T2~;{(fV-wCk$Uzq~!9ZJPhpjt|{?)gft_sjbJoIdHqQ z)9`V(o_0osbY-_E9)Ef3ZPWd$ef4wWQ?^b2+3c7H#?-5ljw<_6xw|GcORjIX?CUc1 ze_k~8#-rb8bxDsT|C_5Gsj;d_n!oVuS1-D~X<8*2xX+UQwbP2p`W+tJd;b#GQ_|y6 zN&Bay@k@IAI&0zmWx z-YcDc(FZMNPu{oi_`XBo@x4vq@x5B%@x5B%@qORI<9nsT_1KoLSO44ldr9M$wEw$2 zosRtO?or9#Czk%WPK)Eyb9TDup&o^wesuFCRDdM+58 zK2fgGs$=GiEO9+0ozF|U|CV%nwft)C)C#{3Ob-2LxdA`-?v>1&wXEt(S0A6|&zyAh z);Pb&hAJ{W};D+_}Z`*ECGXK>{i>uY`mflcj zbviAtM>;<__k&OB_fP9Bzx<-V&pIsK*l)WJpIlxL=c!qL`Ffi^=~2fWbHwa)WHS23 z`Rl%UeP~jqd%v-J%{U=#Ir5lqu3kDIZE))Jzy0uFtMu*%TU?P0-96ps5)T4W)txr9z&FejnErqGDyW1Y=_@;vozM{<@N%yep%SvdRPq~hy6PdT(^^AaCl{@dfZ??nexoBYFoYocw-7-@)zE{)OZDkizjiq;NbRTsWTd3deJg!tva?#Mdi6 zoYeY(uYRqUK63a;x2^u$Ug

h9EZK&Rx;=9lh&ZH>LsTQ^=;|I|5k)3V>aI_#@; zb<@{h%YS6X8y%9JzN+zPxq7>$mmNH;_XB^glg>G9S>4u6>ZIGhw%g489^5@GQ@7JU zllr@-lU}_3(!2k3Ag$7B z`A2(Q-97nl^PBI}>4jC#9h{tW^w*Dc{-SnT{f>HYIx6kjCbiC_{pLaaBf6}(X!ZUB0eOy}SknbA|>fI;({n>BJ zjodIWS=j%Jsm;6eO-p*d)2G!TS3lOZY&vWCulv8(w^VxRu?yeq`d!^*&ncaTFK@hY z(I?N{Jh9BqWzr8mIDU`6eYtVb z)##|S!r4ndU-0PgzXhJ0`t`UDx)+Wlc)F9@u8_^jZ7 zed&sFH4bY$E#3F)wpR|__4H)Ms|OzcLc7uF4FlJ`@pZSA?M{87=j%_t(>K}sh-Pa) z>d`*k`JzS@x}Do4J?xU?oWqaZFCBT#Essn=Y5jOcieYz?eRU+)_>W0-7~v%PA{E$)yYc-?VFyq_nd>yyRKDo z+I7EP{m%ME>6ZuoW5d3?H%KeJepZzS4sD&h)_6kC`**EZ;_D|RT|aC)WW|&f*L6sj zcb~oRv{K`eXTSLC!vmgbpYC{Q=T-;S=#aj@|A>RDK7Mq1)0GvTIr6T~C2sGZ<7fNA z@l&;M{In<>Kij2$j-Tp<<7d0H`NYLvZNFx4QuoxR@Ae$rEB&}#-=m(t_~`Vmt#6*% z`{JY08&{++jec=(vg2!q^mytoy-Pfwl=OOgN%XyE6$H`|+n$GKV!#N+`*(2R~{qC1msNJi?8ix zzHiz&`KaBiXR2QIWV1i)Q#m|x$)4nOZD~py;-w+QhJYZXTAGmtMtvv zs}~*HqD4CJu!;M0Xxus3Wv8(>ZYbo4<7Ck<*|cyrY@P11cUomus;bZ&RU zu04|9Pr3ZABOh*^KDXhRBVV}Zl z?T@tvJa~QE}sHFiI>)xNV&Pfl&Wu*T|i za&mCP%ggqknx9^J@jWwN*>+@!*OMi^ztCpn;yZ79tbH=4`p^?T|Ezgh{g!{;RC)1% z>CrnhI_;zVJ0{;9{%x%*TC_|bd-b>FS3lgM#P`d-?>zOXN4{v0uIzZ>(WiacFZt@2 zvL}r{r&ZeX+Y1|BdrkB7rK3OHz4;{_()*Jk=YRTc^R(8*mmi)~J1||d&+;J)_8gQ{ zZ`r!?F$MQy8g|+C#>dWXo$mGO`{`}>9G>1Ved?{_Uu&JNyKd<@pEv2BOrM?p{MBXc z)7=j2x3bk`ozoXCo-^yq`90HlQ;#_It{09?zE1|6@>TW2N_@R&`TUuK8&+?Z)?M8H zvX`3;O`ht%PnniS9+7_k^%2juD5#_2#}9P>c4gy&>mMJE8uMF+5|8IO9n4h>y7tMgzgC`jP}2JTr}qDFmuBfFd%WBD%7*)=!&kgpXT;G5C5@IgI%(mB z^-Ihz>G@_!kMG~VwW0NPzwMFM?r}o%rxvzMzQ|v4%Qgkq!%lqZ-ZOf1+bdnW@cD5= z&uN}4I^e1$`}Eu+9r(eM6&Kg&pIp$$^XONTSsO6J?+9u zi3mzbgLHTIrc1iJySqUeC6q?6P)rO!6a`~cL_$GOEJ{TXMF~YjFnI6t_&IC6e}4C~ z&UdZntn>SS*1qT7pS@?#TyxD#eDin59uJ_Mhz+8w2tyG@inp6bT(SMhl^K|gBTU>CH*jAvs(=J$@Mhyp`#NO?q z4B|@i6AEskfUl#e=Ra<2g?(|d$B*hz5&N$}#4n0O{Gv+4FUmyxqDsUso+vxj<{QmV zQ*?nYs$Mf#5A?#-{C`PWph1eX&@mxHFo}HV{mw=YUIoSVYuYNHzxcBifjzxTHarlgVL|u zT=)Ft!9^%QzUPl4Y7aB~IUK43V&vxqX~XPc%(CI4&KE7NL0r}Cgx3O0G zNS8&c^?fuiJlU>yERDolD1C6{&!2TM2$0$nnjgi1W@5?i_dXGXzxFeXu%FI^{UqT% z|7Aa23HupF*iUyt{-4`hT>Jc2-i^@5gwSUK8kl7&UrKk+3>a-ep9ysDH{8XG^y#s6{n82|SAxcc-I{`sEH zLyF_Hdj*-&^pX18s&mXOda(J~#}luf>O<4iciw^)E0oJSvqFAV2Rr|Q>(ArL1l7Y1u&V;KNHnU5n9sNuX9UIlqA#_k&7r$pRx&8f9Q*v>@=0+0hZ+j`f+Aabw0z{((K~9I zXlCB)IQwq_FiW#Bvs4xX?QXJ)7E4y}cTni45#xow_>}>HU)d4(l>vcY=@a;sGl5^> z$9K5vzZ`7eb2`WXjScR4yXllM;!jD)4k^(G>#?B*$3b22-t8gOjvZb_&64&pGWkKLla?oM-KgTv@QmY8|__pC3y8XiNt3 zM8V6tynRi!fexe=6 zv%6<2V(pOhtKl~>gW_P`d#G+tmIyrG8^uM{p$N*Ndozw-7Xn;)19IkPmS-YSCx6s?TxX%kaKKg6V|9L*;FJ7le;C0>vUZ+6db&3RDXF%X} z>hN#NNO4<#~{yaj+c!6{!mi*(cx{2J))>u`=JvV3il?i2`b)-Md4~Mn{}T@VxI?G zf57ai)tTT%OO*5K4{f)hBGhcuoN_#74CeH8d8hJJL9$H7JJ!=06?u%b7J92;$KxXF z3Yla~)=(H=Lvy0s9$n;$@TLE-8&nRyZ(g*vfK93Q2C`*5k%mG-=i);{z?H}4uj0Os z|F-a4Hyl*-sRYLdx@=>?IpCj|Z!8df1Qmak zd7B?n2Ds-z<<(PTwdV-BPKO;#o7s(4j4YHD9rd7N|F*QPTlHa=#Iq*nVH@<4Pr#$5 zT?w17c#GOcR=k}azNu(VROhOpYsrsW_LDQh>~^N~W#=6bJ~6ZBUJNg!ZXADk@a7J{ z-5*?eTzzokDO|ixb?k8Z!W9W*lX15E-Bv%uJ>7i8Ak_>WIUYMNTxSGz(W~#}OcY^I z!C1K`(g+(rOml5`bUI2L$my2ZtgS?VtxsLFu}}eC-7SB9iO~)@cwW$Fx0eEng-)`E zSERB16RLyzd%9?BkfZJ=a6ls$pk8Zucc?&ki~MM1~+xCe?j0B*hjSN<;_#)ja-*bsae z3xW@0Met$V2tJG&j)$RL^vijHc$Bo~s#XbuKWf*}ZpORH;wLW@fc&dLsP7g+(db72V@J2&1jnRjepp=0GL&rx5*W@Stv6l(&1 z@gf@nFR~@@A_D?1(jo97T>>xC#@AL!`Tbhh+6gqJ)Gl6)GQqxIxaTcPS0HiQsw-N~ z*w7Y!WegU3rPV&sS&+E7JSK-@Orh}8jWvOMcNBOz=8$E!&QC+pTUFRBY6>gqzHnK6io1udzKC|(1sN^8qbpI9^~i7 z`-C-!{l~?}{<(eo8*j=I^^EpJJ)^X2)?=j!B@8+`0CCCU!C->VDg1<M-M_%qp@2EB? zWVsgxd8$B_$eqUVqf19s` zn@_>TmvGMy?)tcR5w1Kg9(yjQqxjmQAZib>Ik=@o0(E!rQ&65_1A!jFxm6B!;2vz& z-Oa!V3j<~C6B|r`E03Em#+4UmsdDwZY6N*#j1=_4%+P|`nZ3)lr1wSX^}rQV1NhYZ zxZsbG0}61ZwiI8|fPY&a_r4sXU(BVU)&>7934yUg`e^3)x_LypHY^McDjtZ`hS!BE z{TXvs=#hRw=dN#xfGdydU*YQC@xdZp_=Y6xY~*_%(jf%5<;tjZN%_B+LnZdPPo>~8 z-Li7rc@c;=THPC=Y>k-Zk92dL69Rcj%dIasj8KZf`vK+&ZMc5<$6e|_dhlIKWjMV= z6Fq+9$399egmCNE_Rzkz&DYa~cKys<1Cr`+W}(3~z|9g#wFunXLi(Lu*DNKUNNYd= zQ@4fieN&Vyzty(C%oo*s8?H-<(1b%ww(-isBz#`VAz*AkALehxI_|wZeLL=paKHem z9vSyN!rdQSdxFc?(m2+3r0T07^1W^#ecM46(k5<*XWmkVu+278vZoY*#>mtC*?l84 zU;EmqOh*m-|NgC)G$ZOIO^A9)SE63hk*Jp>@zwsTUeX3|?Jcf9jO*X7iE=!w79`c% zjjP}Fsd0px%*PxzdFP{r){jqrF8P5~L<&>=tSfw(b!{;$@WJ-SaQ!!2dEE1ZyMFAJ zbA5Wj8IacA`#3wx5`De!Yt>Z094vlGyL~;MjYRB459fF6MaS$NHFcl(px5!sv(&@R zNajjr^#Ro+kTreUp0|+>wW&@YekSpwR+cy9Q99YM9z}mNQmG2DDD&}8(1fAaGE2W` z${k?I_#ydG5-;T0voX<9ZWH*S#akGd9t^3k1e`l{{NSMQ>@r8NCcG06W(tT=fSUTy z%;#q`;P{>5TNIV7$rTeAhiX}V+KS;})sQ}PB> zqU*amg)0U=jJLd0;>-aCvq8$r_6%&i8do1&`+&>uec?kR8rm9x+BfYfsZ9+AE9!HW zz7|o)eQ`Qs*Ee^hrfz@63i&~|f2d}UT{!H_@g1e8*$Ls6qgTb+n8A^be0Zi_4N*cR zcqlSK-Cnl9L+v}ECVl1n+95`4zL|)5pZA^L4iK4pem4Gw70~9mUvQ1_LAyj3{(A5o^y59V^V{87fXhGm8-J-2@s|h@e@PJWmoyQ7i4gIZI`;ni zZT&cKIMEZV)M@T+VRi)_8msub2Cne-)1^e^=3q#m;ToWCw1W#$9A{K|vrseJyRq6J z3#7$fW}uvA3ME3eOjV_lknH=De(j?LdaA%1^O468T%>#0O^gKLFJFa|;H&Tud=(vn zufj&~Rk#Sg3I}$-GF<-w_xt7!`@CgX<^oIqqe3~snD`ck}HC^L?I`3Cwd-EPx&$!+gkdls$?a+~4 zJ)VNyFAJByfxADr^0@vRZoeLRs0zQWpj@##P)@O=td%Ka(5=o zEVLvU_8vf$eluY|Ud14(0}rO|(Xc|OS^0rpat*Zo<|!q+pXMOrk(t9y`CNPDLWi!k zmJPa+a{D@+xe50E;PTu5?f3C7Ur~nW|He=Be-kJAzmfQ%|JDCZlj#2@2$UA`Bgr{g zFs)!l#vqc2o_ZxTf9A78Zas=W&o8Be#fj=I=d5xN%cr;-l8++5k)C#RGJ+R=)t=53 zw$nw%sil$)EDUHN>aNYuMmnHi z)VWxs?}pa(+;-(w(m*SJa7SsTJ(#Edq1vJoiJgzYJ={d7!IbNH2k6H1-S1iuD!y=E0Sc8OLa{StlnxbfBY*72^TMD za!BSw*ZZohnT1r;Y4|CTm9YSweZ?H!ek%heEfeMIXOmF--q#0wz6GIsy)SMRzmJ0% zv4o~a@8e-TCH==|jx6+azO<+!A{qPpR`kCxJ{r9nh7%Nw;!e9F<<3TxJ}p!5KRs`T zM$ADYuftJ<+YO07vn+q0ZH`|bjah%1$u9ApO;i#t{%Tke4%v&I7A%}TW>^Gk$rIEs zwC#cCYImG-R|U$95Dwg9QG(rX85hsNwO6?I8CU+IdeRt=N&<4IY>{JecS2<~9}g^B zr2zL;&n0mmA9ST8U~>AWE6DK)#3pV;K?&3Qw-dz%s6&c}b#X!p40cNPzVFdQv~pKZ z*dJDa*yxs_8IXk``L~ZW9?1Ud_8fOV|H{h}{jp_<{@8Lve{4CTKeiIlA6o`+>vM7C zarGDQHlI0IEe$OBUOR2_)IpVzzqfarA(FV0x-ayD7`(YFFQweBfi_o8w{;auVC#?D z4;fc~-1YzB+rk7ME>7U#r2b(4g@+3gc(@XQhjS8m_&=A&{a$9`8m~5=tVEx3a!wX8 zQ~t2w^qm3G^4U-@szmpspdPIiw-yWem4UU@Co=h0x!C>&F1~^Lo^DRM9h&jF z4B00bPenLZg2Ce>98#^7XtW{HRl6|{9hEr0qbI%s49@!OsNu@RwpT;Z!!14|PQZJ) z=~RJxAj*7J^EiXV8@4?V8(%=?2e+;2eh6yCpm#!4MIT$dAzdqPT6atq6)lA1{5G{g zNmTd6YpyClf}87jc!(TqBBgm;kDI{78(R;G*vXUnyA_lnsREEm^^muHc@QLS=TcU+ z9Ys&((EeW$dB8XBBkMC(fv$G&mq!a`VZYb7=Z&WD&c2?QeTY&n*4*#aLG<`{jJP0W zA^4-7Yk{Zt!oy?J1wNL!@JXV-AV4S!EEsM_HtEX%FXJJ8wO%2(rJ2n#d07oU@fa?7 z4@kfcHxC}I1H!;{UVgm(u`R;o+s~@R?vH7W0gd4YTb?$hAaiRj)os^&-?j1UU8RgIcW^ee=D6wiy#;8m7WdJJjpK+Zy-4U}cRjqmJ{}p#Sq|UBWTig4H=~;;K7U1| zxgXT2T&EnQ^nrfS^>r0vKDPbA)xRg;qRtxqAvh)IQ8Mt(0qwe}qH#H@5-Gau=+F95 z4V0X@Ffdhs-1836C5d_=Ts*VS_4KCigS#Q_^n*sR8UyGh|FeHnlPM(I9Nib`?hK{O z_6kj*hVZceO+AlDG{T(^Lc8T#dB{svC_2LaX3YXY@5#oKDesKX!=*Sqy0Z!}JKb)h z5vhx!18Ny!GZnD?VO)K1<2&5-aoLh(?<)PsG z>mO94xgp`#rp8Xcra;`WA#WU!9C*syJ>XQV2!Z{gwi#J+z^vS)$!;bOg1L46;rAVp z)|UsHxPuj;{MX^bzd{wT@m}2X-#kA$@?@JM`jJxdXokP!&T z2u3+>ZWi=wcG&MxOFnb@vxCx*Jx($7)Jz2Sa49`m9g~Iamvo?+Tn^5Mifk8jlZ5xj zDX-RP+M#gw9N%zKo!|DAWBplw+#ruZ_wG&F1e8?Ir~l_l9P%;@@+y+>0r>>Gj2oZA zu;(M>oox8|+rSF^m|PlnlI}OJsEm$yj0HS@XTR#>WeKS>-|A*2JP_L<-FDGfQ|$h< zxc&^Ty~Vxn$1W?Fvg9Vh9pRJYw{#NGlcSx#%1ibDC#@g-&yyL*t}~6ER)W-bHL1*D zFX+Ixu+KZ~NqxsxI!1Q=ycB|TT82B9sf6M89UDfUW3jLyu+rm`=!+_+Eq5>eHb(!p z{v5}RR5?k0=IdK-pY}{1LV;pp7I%y)Av(HaOlfZ=s1_d2kP$zOn)09Jl`dCc=Vx)> zQ{49gSH7$IRPXIZc{t2vFvPx33=X7qHu)(C!rsfz2NIg(;6&NRwa#)$_^=R{-E-I; z+rP!l*N2PlS2y2&3pFUc&tWLP0e;Wzo_rX)gJ`?Qf%FxVH|$Q; z*!AGJ{t~YKxZfAI-xu!tHP}OYRHGsdj!j4~)=U*4y8F!c2R9NRrk`eBz(NTnZyCK< zdC>)3zq$FC`{E7v-=Ex^QoN=(%E|0RsEEC11 zZ@wHX7>>RFxcjL}FQ-#%FAb;f(8sJi7XmlwlmxSPl2FT^`m5Pn29{;|BCWJVU{dk? zOc%c`dR!1?Or2{A&3V3we>U9En54U_zMd&ONq)91Wv49+QCCV^n>Zu>uv0soHFsn8 zqrml_aqTm1|Hi}%9Q!9rRN+M5<$KB7nP6w3cKvG$9b_&+vo~#32d=fg-dvL*j|RTI z&i$M&i1bcgwo%O{_3f;#DUAJ~fMi)8j__R&gdU&mTrQUd;k=)VkMwCd^h4=B&(JC* zw*QHnFMGnsM6;-CgxDwVos)9b1>@i6zwpIbg5N}IkOyf_f`Zv;q1S18F#VWezvXo; zgv+17^?z{l>3`=l@(}YG#fkZhyu^G)E@D2TBr%_n1D4)9I!N}F!g7!lYuC_TbcWMz zM`u(aMBlt^rTkzY6iQ2VzqBIZ3oB2a@sMyeTzkG=F}&`g5ezxrR_QybQjreDO1RQm z2yD8lE61T0iEPgLS^PP?8+L8|68V5F5Zj;Mx-+E4&G;hHCtn+rk7=CPg6&H`ft?v`Pcb4VwF$Ultz4|&JnFglse~ful zzyRKo3~LpI4Dh^aYg=(_oHtO{bcdy>Jj}#gNHUps^OTtASzX_g5Gc3EVB`1XtHx)EUu*pJp7`?(vu26 zS~v8%o?S6o(zv(BX*a2FA-&+qY3f8m|4l@H-AzP)T_K{s?oVR=>}I0B?(f^U_5`=y z2RHwPs}HXK;H|tZ{}#m=#MCAlS$_5?Y!6`-D(bojcLF&Y`ww11V|!81>(K_Nq*DcD#?{2pYyCe3T#mH<)B+i1py zlb~m@;~rN?7GhZU$rQ=)#GZG98^1G{q?L_~r~yT6kt+A;ooLWfX>)**Ji7eNAgW-` z*W0CwBYP#=)scXL-4@+x9&G!MYp>*)q|0y4XQ1gavTegGY0Fm%{yl8Spc2nL6$FNtjUqM6T9{>H)4 zh>8BIi56)t-M&RT;rf|i?ED%opYZSf{pa(GT^-bmB}u&Xxloo@vGK`ZB`-kbaxoDJ zwYTNVMyR9SvOO1W*@r_%*^`7bG;ttkofz}AwgL62N7GMa#=>V~*U~@|?~`^!%x>~s z4kRaWgixPI1*J0->(?EU}iKW``eXAZ)DrYHPoTEc(kBK&6>Nd3tWk{}fdEgM(* z_7}&aO@5Clqoji2=fjk=d#{2(QF^*8V?GHv-aIb%tHu|bACBvv;J!z=^)I;cfpZ64 zem4ig*KxsJ2RQ=KTl2L;JdeV_Fi%d^UR?^c((DU9KNpLJZC+NVMSElW=eYe^arfu% z`}NP~^SWGgshUnwf!yvV7bZXwg)g;`{XBUh(S)B6s2BUPobOZm4H zu;X9cevi2C`}-+Fis%A+kR2({cm2Tuym}w5ZP&Je8dEpQbM_uchx38-GH;aT*qV; z_n*Y&BmIp}<%s?pB1HcUC8Ga^EYW{MjOf4Nh;a8a%it)>*$hvhD^;zx4bDR%6SWVP z8)YH9`~|c0Vk&Hu<_CUcNkS>!ZoLm4q+sVqaPf0i5o&Aah;-2Te0Ae$w=W2^==3=~ zNd&7Ip*^#YQz1q&&*ha>9croBSDhS#9}nW*cU=DgcmH1rGKl(cg&n`2(<4O_eQsVI)9iH3x$=MJG@qsv1rdCWogL6 zSU@K7J-x-Y5H@MR_La;VMZbcgtPm48c%tX+85b+4c&JR{e$oqRwFLS_csYaD_OIr0 zk4g2Gb7v=lFMYrL!BXn@i&Z=5x-6fV9%loejDj^MdZW?QCbo_URx4~g2RGiwt&he% zZ%P6sVkg;nVVTSOSlfPXu(}eeo#dy7zGi5CI;6-BT;58SlN^GOHXNIt*2E5lGA7Nu zZ!N)NJZEQUM*}K8~ z4C|4-$Q&_?fRePX4YFzKmo$%a1Z}OGjXO>B&=rAsuhygb*!Yj_Q%2e*KYMU^ebd=* z$_R;@h2A;N$qRyh{*99dY(Ub}+@lxSqKFv{)8;5~6d%J^!loe)vt{GSeIe4|@BD*l zzRMnMFD`jaGcE;d0oUGD?vMk48!Jh7rKPavGye7e|M|QvT>J2lc5eIGcUE9o(I&Iy z8x72jWQq6*+rXnK^}OBzbBHc*Pq}f{5BVDjv(BB@K@wY>RulXKKy@#D!t>9ru&^PU z*WBm}P4f@4PxHs1)D`zbj}|Y|yW=pHlb_ zClI}`J4xYt2&(^0@#(j#J%oOxIaIe`h*+}Xxk?`!K}*~ShyQk3G}q{?ukq6mj+xJM zf7@?{Ug+#6ci@pho7A|M@|rY|+r?91hCFHTGHdqRpF@c#@z&`9`HBSiq9mjERw4;r z)133xew2;gu9tA#{}hcKKjPls&H~XTX)R}+}A+IW1I` zuR-bAr3+=BSU!#S%VXy^aq*vp8&f`~0`)=uowv7&p&G3Vwf%OHoYHqbh@vhu`okpx zfT zUNR@i#gVgzK;3>i>F+xE-@s9BE#`Oi191WYnVS>-NDZ8mJTFPR*9Z zK)u~Sc#z3HB)55dwx}%;aNif)cm!7-H$KJ1D?E0IB>&hj1}ff!prm{kRNm$2q~d1> zf7&Y~zmgfk(!Hgp2gr=UsQ>1<1|ECtc=lvTT0c!k0-!f8Nzbbb5q&5Z$7*LHsJlvT zVx3Kb1WLDi_1yW$-YSG@%r6UjJ~i%s;_?$5={s}PNq$HgGkK-esy(8zYBSmCU=6Vz zvqih;t-<5`Y0t>rUZ`)G{mP~`L%`)9ezlmjAxoINoh01I^kq^Wt)!mT4OrEM022=j z!x&OOF-i&kqjz*ry40c$$3s5kYm;~MZn6e^q}TkjaL5@b%1U^YMVvv>;*rbm*Z$}+ znRm-wT@UnLxQNlR-xg|>(`SRs^^x`Y^PCPvN}!Y5$@4Kn4{a|}Nv_b92hN0B6=q5b z;In@~cV$QpaPe5&^Eq}XvhCpDan!Fc8}U9W2>r2n^$`h_Ax1Kd0LqLC5d0NzE}O9e z$d-ENT-YkH@gn!o+)8n88#J@K&tWf(72K6(mC!Bs1iw*_j>&9SFfZg^R^^F93q!f& z3*4@t|MA6AGzl;L-dr|!v&k1qP3kDAI76UPBK8qeW*}%}k4?T6U_~{}Vg(e3vJvk4 zzH8oK+Zc}#`epgnjb)z~tZJUGA6zp7>KADLH6>5fLrP~fQbr(?KSK9*O@(6jPsYWE zapQg5{K&r@@BdGGA4_(mbnSX43zv6Y+yCQ~BpkVruR?BNi+Ijy-B>i0fG$UN^ZVyz zAajq*5s42H*ykDdz5AcGKY!~^@`?=(+}CqM-3dnpFws=MX|S2Ak+tycEq2!e$xp$-?(l)X5tNgO{fzxak1F~3`pnBT2V%$=Qm}`xJYi*bcO0o)bY=~o#5o_ zrYjRQ&JaH@n`a&F3su9}Z+_cZp&P~4TYuk=N4W7R?)!)*S?d!{p>a z&4)=ahtwzEPUue3Dvu(xY+?8^JSYzgTiJxg$X&7Xq231+@(r2!kdo)=Cr`M{pkct2 zt0*)UJuiF3aa)}Ct<@Xn#RDs5*e6v0nz~Wp8lE zT)VteE)p#bTgs`h(FmVcwT1X_GDK> zJQ+I~jE=hU-JjmLjmrnd#q0ii_XQF6g_*c79K?O$Anwaf;=XVKLxA*b?S4m)1o3>d z&lnzA$XR;acZB-7eQuYM?4c!EkJ_az1bJ0Pom8K&#P&aN<7?di``17D=k@jIu|SpV zpdV11u*58;L?DK+mF??g-Y`#55c0^{4<@h7u37jeA${EzFTUzPP!_73ddgr9j~p_z z!d5j=*`Q|ga=ICOr*9c#IA8*Cq6U3KSw3i+V=^UEn?5#P*Sgcm!NF1&*jzkyT3Pr| zZL3(l_5)2g+NAsD!ZmG(O4`_zzR3k8dc7ACc&!Glr&MoFPtw_kG9x zzqtM_?)*F4eAE9ld0f0@q^_3iQt}pvyhn9-zm6WNXPP{y6s-XH9HFwE3R{uHQ?feA z5p9&J&rZl&67n8^`@L}EU)=LEx~H;oR=ExBrewRcGS&dQ z{aIAZUYr1f_9ql-pO3@Lm*x|Kv~6h9ulGkKKQ+R5P4UNYbyL*sPyW{6hz@Mp9XwB7 zZGg)9>-_x=-_(}N;%Lwo(F3a5kD2W)+SvV(PPbi*mswYU#q;(K^Xw`p=nP$?2AdpQ zOcH0ldPW{-6n0Rh#^@r3XkRsL4-v?x6LqI6G(d;<*xt|)lYq&$aknpDm501YL^aE% z1ljSNf8=VUU?x1Wp-o8x;mYIk;s44j6aAyqiT+WFME@v7qJNYj(LYK8aOVx-)@vU~ zsSbPVCk|=C^_m5B$|$XFy=LT>G)$|#`Xjze6sQNYX`1y^(11*w%|&h@Z2S=SeE#1q zk9)sx-@Cu}D}=aT-o*X#C+^ocald?t`{jwv|H0J<_x#{~UtD{OTc3EcZfR?5i4uHZ zDR4A;po3Z%H4Uh5lkka)XLe}YioqkL=IeXMNxT8=4FA16;()t8t~~BMZd`kdyZ;_4 znLd+tEHH7V%e$ah6rEmC*ifk=_0_f$O*y2z6EuXpI)vQB5ao}BRVHRe?DK|OuUfg^ zf7&P99JP>-)=?L#K~1jt^DnczQ9~$vfa;foIJ z7}*;5V_FTKpJzyob+ke!cBM5=sc8dk<^knvAJySMQFTw-43yiOxuofoWe{b9V0^?E1L>?B{>>^FQZ@9G>wVOKjY=3AkAP za~}Tx=b`$mTJDv4Rg}VB&QRQ^3X#3MvDfdYqpjPWQu2k=;ZH|Vy?2lfx_CaYLST5%WwIm251z+QZiB%Jv}74R^}K+@ zJ3Z~t^y5b&yf8x*!JL`cd==dN#FfWAZ@B%vale(_AcZPURQx9L)KVZ-smES}*kJ3Nrux=0UbZ-xf zzx0Rv`QYS*clJrT z?4wJIf#AIjH`qW6$- z<@!M=?KEcQzgCSsj|n$_hnt^b6TU^+Jz);tZ>(0<-!KKw%AKt7=e!X)>lEcXUn4LO z|)jp2JnnQXX!7HSBLf6&Ym42y$PqnjRxL!&X>P#SFru>Mk(K9}Qz zI(`^z)RRSH-lC|^Qm?z68jSPY+L+d(G=gU)T0FEmuq zX9aoS3gyP;hv3@hzx^?iiT)T~M1PDJqCZA3(I3N$=#LQry!^COM>4G7@_~iCZPkmn z&B>pCrW|pEh!cWC5r=}%4(ZOzo8rIl!!CC?@J(UYOs*#klci@E#5u!HWftXkV-DEo-+j{eTU2N=5(RJGFhh7Bs_rg$hZ+x zjU<#Qx*qpV-5VLmR(HG_i-pXhu}>P0T~X+X$2WRk#)0x{#Q|rZAedt|OEEL`f~bqF zff)uNp!kJ0(wr+E73)Vqg`_{+XPGhaeH4LR?|e;ohQl&I7i#VKrf>c)oa%-6sgjN&*w%tbbZkCJ0B#t!@NNt^jg@e zq7N{eNxvu=)Pd`tc)dltqwRCzJFdDz9pl1}YoxgoPZvh+_SLwf zLw$@l-je#*;_{=sI0AJHQ9RtY-z9UWCmLN?GW0t~7YhjzZHMm-hl5AOrXBslv1r>+ zK^=2rAnJ;jeY%TOcgdEks-Vk|fEb4CxLQZNAmYQB0=XTYz&HO)47%qaO| z+kf2iP(G~^8AuZb2aml>7f&u%}7tJ@g>C2{36{?Q>&q*pwgI2?vTp1i65!{vi; z_Y=4O9xgu|Hy^a=Wx?WS>ebxxJ=G#brWmiV6QRm;@;V^=FVT~o!$|spL^xSzS=)Il2~ISAaT+w)i{ggkYHtgdAfCG`uMKn4L73&0 zwdJdL?0P-i{lVpr2?sccMKm}=<^*SVrMwM#CF!5YAm9()As1vi$&Fy$qbSkIE&|Pe z&p*NIV}|YT;rjo$_Z{~>;+`K7s}Kh9QE$+zS}kIw2|(+!`}}?#vjf$})fM`qp3o}r zQS-x*aP)D9LCY&ASM2YL+y4`{egSv?uO>I$sWo#3x~M4G2R**1XJpb(V2RXce|(-( zTGI|5DBu3h?2>@qciK3e<~GGX55Z~@_dM*r+#Vl%GsJj!T{|}5+~-nZTi}|dx%{l( z8szE+pL{y%iIPH6l5Yj^V9$fb^$&67ao;aoJSWMf^`g+M0SJ}r_lVlqq0155j0_$d zfKI4y{x)fSpvrkW)pFGt>D{J5jMZjv5o4sijHlz`V#i9$G^CEHLib)i?`!`UtIldm_Dng-K>Cnu3{_uByzxB z?;*!-vpmSZzv>}tUytrxy|1`Ciay@C=42r{hW{BYDARWa7vTx7EcTzuy5|NZCv7I5)2{gONUd1Se0=KE4@HTfm9 z>DjyeUPrP~;8m)nlii1*_Dagaog0}5A}M-)26Phr`u=%;r>oT#HgUtg@XX}Hxlt84 z#G00Kic#MS{GLcmh*bMRbHT^(%2;z$QT6?~sap)f{k~3jWwvU`lKQROJZgS@lL)%0 zw*I>=hYR%Y+^lP~=7QvCwcVS^BoI66o4k}D9_SYt3sqgWf%Du6+7C$cZ6gzN=F{Aq zVf!hndDbXvh}c)EBbp|RW;4_57D;o*hBi&9Ou8rmr}fq2qjwY#^(I%F#{(PM=}m=8 zXFTQMjP0L@Npdwbes$_`&v!Yov82WF&m)>vyaP>w*FwX$a^yNv>5!kl$}jGl&2g`zFC*0##xafnMXOv>^4C@Fy&s0?fA(Lj(##zDti^+`>bD&HG?^N^-j)%<%s~itxIUi zt=UD)tNr)-8{oco{+Ukgsp3kAA+w5%>VpB8JoNQeaMnZ}g%e8K=-lCc(M;o8@la$k z`Zcb6)(N{F2Nxf}mCv^mId??I7AQOoB2F_|pvC6V4bwSm*y3~|mGie9@OqKj7g_`% zLl^tG!wi<7+axPmcflWi&6~e^BkuwOr)6t7PkO>4v&rCHnq1T{?SH0&R6iD-Oqo{g~g z^RK@r1mTvWSH;={!I6%9c&6SIQ9>nnC<;K`UbetP?LttKzH)x;5I^?%xcjg629E9# zFoZ6r?Alo+L&PVgv;Iv$2g0_?26vw`g&RU!Kb?N-gf^b?9F*G7!;bH8{XJa$as88j zTOQY*TTzXvc*L|ZxV9_PTr3E&zl{Q zOy?oDwEAdRU-=`xb=eW*;`5|6!50l#Gs}ivvIpNa*E2qQ>_NojO6cAoH{|MaR@dT$ z`M=Ju2)pDge2X+U%B5-L++Bzq49uzu{0rloR!$EZ6a|KA6>;kF&% z@*8pe8Qk;#KTSUDN=Ns%!h>+AeA!sDyAyrpj`dr9Ru1#tHCE4A_d~3*-en7}lOS3- zFrjy*7~9_B#v{1rS;)!h+SBwja1rZ?e_Vdet_ousMR6cq`zk;gYg^^s+ z+*vi_?QE&o_$2Oq$F*;`@@gK|)FmO_s5kCUz>y*Yq_)YjpfH&9KfU!m1HlVAuhG^7 z8u+8J?%z)}3h?87=hNTbD5j~vrE>Fq*=zE^dNFuvSwa@>z7^kTJEH`NjTH42e2Q@O zqSG7uB?s*M0`C9Ct>29O5J}OO<_Sd^AIf4*xuaYW!;{pSF7T5jnmYTO8)O#=N%cRD zL|K`=)dEicJAToHSUG>K3UysX$@*mDQll26+xKZ&b0ApPVR>ekxEtN`NXYmcr3AS7 z<@2-a=d&qnf&Id3-e2qH==5PfmyI{RV0ucO{)V~+JotR5sP?xO;G<)w8+xb^`T zU)o*Q-a)Gx4M0aO-4<&B59)UH*+@h|p58Sk6NhNHagXz1{tp4TAlk0o-N1CPSNwaIDAKC(SP-?f1$~|tH@a|BaGG=6PWwBQ_`m=D~Y41GiD51Zxf z+{bHy?LXk=gN&9JMej&hBf1$X8F_IYl*t9tJ70T%a;I;AsI@d~k6q!ZboNDhQ#9qV zW%k(mtb3hE*O{`0_2y1K30XH3>|hjK)nf%(!d&8pi$18g8%76 z@ISo?{-*`O|Fi~NeXb;n3_oDafEjupMe6<}_&DEJzEYn71AV23dF3yAN@hgdN!w-BEa|lCb^)!inh4#Ip;%| z>4!n=e#T(f_jX;H?QjZOzvng;oED6&53W7O?T`0wzb`qOQf~#QBH&egvik5~D4gHx z!yHf$4cUC@`^)xwqFuf#Aq=lmpzFc=l&9LIXhL-*qUWAJqD*YRzpvgIB?P2xu(Nu@ zbP=O$H)-zCo*_yV|7G}3F0?@dFueV)pb4AW7^QpenE}P$Q$9- z58~pnfAjB-ME>1~$iI{NxBOTB-JZz5M-usWYwUb0u0FW(Qyo>xA%;g#)1Jp7yr#uq z$SJsLIJzHt?zP1y>(!(8kr_SLJ{CiiaypqZRT<2)oL^-+d+1Z7Ph zY3_OBz@k~Q8+_qQT4N1~MjoZC4gF5AYrm-Hn9qgTb z^%Xnp*HtZJYULr#_hj1yeOwT+_$=tqK7H84;8on?E(hE5I5h^;4Pa~J?-ys+b>Q{s zCFLIpgEFrpXQ4J673S+@>WO=X+NL5`sJt@h;QjC63((g zXX8G`HF_CfzrU812Kl`APXcp@HJVa5_y4i?)=^bQProoyf=YvcN_Th1rn|dSq!Cb3 z5fK4NkuDJw5JW;L$q^G2F+fELMMV)4K|oZvXT6^L?_KU^E$@2n`+NRAv-X-Zd%m+L zKZB~e9|e8!It_83KVIg%T?w}z_>5*swxG8s>kg2RRKu)3SJ%N_8^}rPQ55YELoE|~ zp4)A+g^Y7qi=RiVz^=`Hr6WB6Su=Zm`8FwtjaL&K>+d@F&=NA+3pT$| zp)h9P_Q>$NE}Ww1*^FP0M9&!**$N(oV%Otv_gmrGL)`dc{I%MR*Fn_~&}Ao}lV1wO zQ^V||W#^zlJE>*i(Dv4X|`@t*awH2ou%b#tr3)vpOcX$ z>?e)%d2&nH2(9Y*f8PK@loj$k>e*=>@b*%TEc7q}iJB)L(m@aMina!<_8Y7Q;^jQv9*b8X^cOO}ihMqo99h^mb9rnVO$f8hIbs;onwA@U-FBEN`(;3)9 z=wro=f2~MgPU$dv1GR0H!aVgsB;J-fc%04~o^t0XnfZCb$}6K?_rpU`i^;xPd$Ya& z+`i%Bdw+PzD`)@75bc!SmRh;Z3XzymWi0wSLS=JwzL2gj2)mqh)4Qz$)h7hc)anFa z<53?N-%vaEL>PE71$9~JHwGe%xc4wT)k20>o7F9U2*B@o&Jp+BPc#!PU&fw`<_B$q zWFgKIQn1!-woZLe9Vs>SiBIm9g&Cg5Quz|%5b*Uecc7g*lAM)v@6Qy%_TO;hqqG-C zQtD1d({9GQ5kt9~9d)H4NUbY|GyFm**3E30ZG#utNStL+AUDLepAxE)Cz^!_ zxMy41-1-I>!L*2-y?z@z)cP)%CHSxd%j4VXQ^PE<&6S;s?S>}8_1|#w^SI}Gew?Pr zl&k=rZJEb;gHI!qa{s=ZxjYy~@WdyF2yfo89v3VFTO|7UT?#e z2ajb?tH;ToPGK^zxq2m5?1ci#OFJX;gjx!|aofL|k2QhpeA^fbG-9NA3NV@RpO!Rw?LRrWQnS8-)D+iESX=Ny(a_L_>R6}G%^8G=K-^; zKK5w6jxLwbB8F|>aPtZ{RP-_npD^|sSa++_KK%R)&|=&at! zF0PyWFwnBTE#{pe_I=^z_tuqdzLLGy0T9Wylq@hnBLPiO?M2#fQshTpxS2M%7QbGd zcxHu!U%X7U^iTqR^XCaS={4Z7%nc>9O9gc8X}34d+D(EvdbX>Wi0?+#% z-&D!BL%9CQ+dEB8j=Oc?ar3j7Fn>EF*=pBl`AQemwc1~%3+sT+fU>lqmL0MkmLIMp z=y|_#Te@Jk7tpm%idUwlAji7}r|8=q;DDsxo=zKQ=&e|uJ?tL|2eS`#91?JVU2}-* z=Qn+j;@9~`zpR7OAGlmN(xne%q;J)e4fNoi3hQW{t~s(_w0~jsP6pxHD_njqK9PtZ znbb!&zNkD88sS2Bi}JI)W;KA;&Yqt)L)yt#g+jA)6PJHndR%$_nQzj9VTyy-JhQZ5TkI>fJVkAI@Ig9Q$c3=Cg%xp% z{PaOuY)^Hh&ud`Yt3USB3Ldoy{5p7E55Bh?tm)fyMpUDh8M_5t5Nme$dI$jr`H+Ts zBRQ!7w)}DX`Eliwvt$1)a(h?wU^{tfn7RmXZWpyn(oqMhl+vbPEp_;@PWe0N96xZ2 z{wNGNgpVhW%MWfo;ZOeR@B71X{fF#B7YvWRE`%dOE?JdDIWYC(+T_mYlfcqauzb6= z8Kf9{l}+9kLzU(GasJd^6!2_yby*|;9%P2qB_51Ll zdkbAe`m)MX|F}0Ca`4+V%xDGFP6t(PRw<#9u5FJP8_a;Zh^8Pg$rwoa=yO@__@n1( zW}E!ehS>Qc+;{}np5Wq3;O;ADtm%BP5oUzi^I6?WT7PMNUg&vxmPLi|y>VOBw9A9+ zl9fc7Di`|VC&8#kux}i1%7dP6&wyiO{-HXLvr$P&T(@>!5^VSWAUDKt3`j|Z+rBL2 zp({I&lYh%QMw~C;A?}Z6CGL+FAnuRmChm`BC+?3nAoj!jJsv)8e(zt?Zswe7q)y#o@S_jCB!Q( zE>ni_R0O|H){*c11sRwbH$M9~N*ZQ1reipmXwZ>(cgp@XQS5vd?)!pEfB78`YlMOp zC~d|*33t&&$Aco3J_>3=6K~_C3c`D`O*r+Q=xZ|+LS;L9X{$W(`^D|2!llR6Pu%ly z>HnS|j!6@Xvz3~VIzH}{z^{s^);mHB9KH^WZ!^?Le60qrDp*Za34N7{w{xr?6ZTsE z>+j|N&iJcy|iT+Q3`$N%6x*dgz?_!H^;$TkQC2m|{{XHpdvmf1mlG)1wYU zHIx^nM0B9?2u%caiyzwe=;F#vH7&TAl~w3|O&f6YlWK>>=J%W1LiS=!(3r3Wv?gCY zQufOO*yz_7=ud{B(*Zf@_gzg<#BrnBx;yN!{X^V&F0${MIkBLHbi%7Wsy$>;uH9O5 z)+u8sS+W{>943QwXX>W{8&nWme~g%(moAJ=JgSu*{W)Ml)%k3SVQrvmvd4UtlM0xe8kj-o-cOgh0?%sJ>#wiqzaPcH@ z=Xr7U0oQ-Vl@BgGE*{|j>-4ztN%JA~a1iB%z;K&!(OOQRJo@^?1qwZ6cCGuy&|wak zxm+oIgMtTKnNzb&+Bt~*7&6590vY0bfdp~BK#DkDphlc85Wueg{^9@czc1YH7Z)D} zmmXLCxb(RH7ndIQ{rcli@)7r)aTE8Q=@IvxalxN`XS~FHXIw=5enrGUo)dac1eXSOH61R8HDja7hIUdHq=!3#$q0LA%_fcZ6VZc$uME}i5qbwfMzt{?v z&BekWdRHR7Baz;QNbg0YcOlX{{a>OFCi3G?#k8_- zwa6ZVvzmODZ!rOT+^)#+GJA--m`65r$R75jNAnzL+>6?8JxO_a&<^3s2N#b8_x%4f zdfkj;!$lQ;Kd)iVFc5Y@R|>cp%Xw9X1fX9%Y3Iyk75KoZ|JCcB7|^-8b84IvgguS2 zQ)TyUuQP8K2qYIAjB! zuk5qKm-ZswdH#i8%Y=OknD!YL?-V!Q!TrCu^BuVKxbx|wO-Y@8$&z43^-B7?upP>g zNmL%F5&?yT2at*kW~!Fw7wW*Y$c&NdCvh^PoF-rKQ9V7GF|6-XBLihRSId#C=pPR#D7d? zkB5kh)Nf*PxWLk(+mm9`3(lEWE|`;AzysMVlS?XYXs7rV_S!{r6xh{%h+?ZSXt$4; zot7~Ha^B+y$#+@;Zhj9}e{k`Njs1w(HtCoBs?~X>= zF;}ZhS1rLx=Q&G#sWo;zdT#hIt=IsUM}IO^-!XpE}d+ zgndDG{)FHTK@W&dkfIQui$-teZtU66aR;TG?;Pz~ZeW?&DSm^}3tfKnB3fA42OA$7 z_j~!1pZWWGS?IR4J;gMtkQyq)pmtvpeAJrcJby`}2~{JWaZ^QjG}0Mg++&3(wbi0( z^%b$_vvBJdxbxt+c(bGGDOPvP%F&syKFaKS8SwdI6fI{!4(RWkuk(#BM{Z|9LzbQgfLhcNsk`fqfIpvgnObJQd)+|u4k%OMk zm9N7}ERo8_dtctS^4R$bTz;zF34Qy0$pGmK{Mala_)lN%{fLp%GePl^6ZH%eijcK% zsU_!m0z2CdH+sZ=K?7_fjXjNR)2EKbkw<&KNnq^KY6%VwA zvtk>yyz|zuzNW{^kWIiRWy?F&rJw>qKRIpk^;ICoY?S-^SA8enq99$1!`&hmMA)So7siSwT;PscRm6%C>bnf!UTUWBR(Zia9b72g!Xih5W zNm#u)HXa~ueib*LjN6Zg>!0A-6I}lsx1M`@X8nbcO%kw~`cfXzJq(w+)tiq?#K2to z^@Hs7c}Oym;hDjubg-){S)#pu97zohG>?8H;40_J%CA^@qTMG@uOpK?$>{kTEmqD9_%bRtD zlu)<3zjfpU6b6`#`=^)>vexqE9-fUNKPH z14$xNMU9~s)Mom7>H36%u5sn7o1gb$|6kni7uWu4jwA%vU)+g$2C6>(x*-dC6N78V z5^YeX+m*^4cCt`*=EL{xV)9__BsVDcRu-Fo-23|1_5`<{GI4pOy-BtjwwyefW4pBx z?LRFi_QtFdirPk7yErOQ1gud|uC$nKl4zA<075S#2SP{5Um_fH-o<-M-8IuqH~9b4sS3}K zNW`bG=6|Y5p23BTRpD9pAsqG6lNis};R!8f0_c1dV(p5`q zZZm>68o`p=s{N4-%eNiAoTk|GlBZ03ZmgN{!=;_8?%6MR!F=wZ`vGUd{C?3QYoIbW zWOO<{Y$)1^UUN1~M-=g3abX0_dg4*%N-$QvVt@}>uqOG*`cOAp+5BUrl3^vw&jbJIgrF(yO$*8fz;%p zdcNHK-}AFy2iipMhx*!l9q34;dacgMf&`bJ$-K<|Fkt@9I?}*?ae%f=OZ-UVrvb6z zeLt0k2>V=JDK5r$cmdb(nu8H-t`L$NQXFg)fi(LCEjy79NXCsWFB9s?xc*o_mAABL zCp|1HsZSRstDvsf`>i=-jPQ<@>F|;h9fVBJC0>i*hWO3uiIP4#Y=1td;PqtM4rgH2 z-}6I?5J#zA&z<^xKpf5Tt{$V^dkEInCys>?_Qdfk>~D6Mh(aOjjjy69Y+$tZY`;y3 z9opO@(!Dz906i0Gp+#?PKs2r3Yw?I3gihE05LF6Axb_pb9~k$&XgU8dp;9j%0*&9@ zGO9U->fUTGaDN;Rs|NW~ev`2faOqWa_w`g1J5lnj_uV0Ed;72LC$9hbujz5)SzLUo ze@%}oA6$NL^#OOj8<&4v{}cE7!j%th{}`@3ar1Au{}|pm1^N}FxBf6f0aW3)?&eo5G)Vi=YwnFAG5`7Z^P#x+ zi`!qf=}9-){mBH(`Z9Xn(HMcPvx9K~xS-I}%|GTx9T2I7=YGCqQ&0$Um@k^O#;%9z zd)D{w-)?~1PkdM2Jj4wRuRlpn9pQsOu1}2N%AD}+(+9hYk-Tt$s?g<0Cl~hlg1caIT21V6{2{o3F50}FXT=0m}7?DrHm|A6~{-}n{UHb1q2%3nX7 zTQ>zkk!GlNM;{f;oh9Qs*zrq0?~TLk@6Mq0OLsJwe=1M0m#!c4$4*^ws;01%#V8rT)%yg^o~9%kUq*sPlvZ)p;I6h(*Qv z^x`fkYWg(t;?)I%I?=UiLw#UYDbgKWv_$?~&Xjz``1v}iO!B0ub$2+<@S=0lD;jZY zC!S&=_ki$X4)JUW+6U~lL1*j2(Wg7Lf!6P9?AKCx_+(Mge~82j zU3=Zz=G`X;tU4x&DlGCaAs(nf-=zm<@+k)`>s0~w{~8ECph?|riNsx+Zu2}h0x7-@ zn#^cjWWW>BwBhXnq_y8Hbg%g$>HD-t>W{i%*B>*^3d&_i7$T$6EV}tMOR)S=wDCS( zADNaE=!~ z+d9sfLB?8LW6}d7;0n^7;foHzevfeZ!JR+F?Qe04jrd`(TM>3m+_T$3B@NEuXP6)C zaYgd6G_NPRRN&*Aw&)NEIk@j+wAV9C4){(MzZnb;K%E&3ykZCC&})XI`foi3aI``{ zwqAc9-2WtHk;vhMG*}Ltx_8e3-gCY8o_J#k5w(|IF}<@yg>E|nv$pDhQSl82C1rCk zezTny2zyDce(7CkN%KNc<{|yZ%>&SCoYm2c*WU1ZaLJdGFfTw;J4`=M@DqlZj!+k$ z@_{hY&w9%|KG^z0uif=qr9a!^zjbmYl-HK@Lt*-xJDhH?Y$s&K6- z!mH)kHmfmNFgot1BppowX9Ef$rkxB}%3uGkJT8pP8xjor?~#Du(Te_r(QRO>xN2jw zXA9u=*Wvc-;^M7!Ioy1+wo1Usj_*2fOx7Dk%TR6Ioo@r<;iexVMXlhduXOB5@J42p z$1~bEi>N##hjYq7^`CzU8X86A2a%e!g@QH{u5B9!G z+LFWh6(ttnEN_$=ZkUu zfnAb28FsqvLp$$xY^4>~h1bEKXB=1v^}21F?iBHQpt9!klbTc>M#*TM{c8yO3Y{7k zwlgRIi%y)&jv!q$?DTP>lv@c>(l_I*O61^}nYtm(V?)H_VS4)OBRRm$hYy{oQ&T^$ zfgpOid#VA<-8R!ATGMi+oYiWEG?4?Dr`4!$m-SySwOFx>nJZv7OO9yeYa6WD$X zT(rPn(MFi@hYHwaK72Ct!v`JuEZ}|jv?iD>ZCM@jQ-g@Ntd|=LwXypZar-fF`N4fp z=P4VPj`%tv!BvzHv(FA*4cqtj%p0KoE&D##-F8GS0zW@)zP5sI%Bph7cRb+pN<=tA zr5?ol)%nm42B7x~GfxeMl|cRxN&A5aV@Nf98&oo91-y5x$d%o6vEy;veCdBT`tOrN zYgDIQVdT>rsiV2>h%-ogV5g)V=sj@wVshOP?l<(;S3KK`Jo6PIXMJq2<%4^_HjGS9 zX-S0P`QECihXv}0I+ZkVLz^G&{&*T9w?Wt|{D@zotm=p6>iA_Vl`&4h{eEv6Op*5A z)rR=|(5GCPDsbH5QiIf*6g-)5xHI-e3wS7>o<0z*4tqoND`*pa5pKMOn_t5HzHsIF zO)|am6TzNVijat$N|J^X42z_>A%d_yCvtk(N(|tQn73?!HM%xG6Dm7Yi&uGisC241R6~**?hGVXau4i+BvoUvu|0w??tGFpHjM*zEm~(!*(kwW zTENc!N9yqTQ($kMwla`iIPGmnzy+jrd)c+G%Nvcv)n>C&Xu~BI<^11-`s1j;%jZYC ze9$NI+)$DdKf+wbXz742p>BF_bXA)p3TfK1aXShVnjcwDId=7H5%B=!iFkmcz58|~gGvGv6@v0imx zQ#RUhi5%;Fn6Puc?YLuTXWfe0P4lWH?3_+Q(C z<)3}~Di6}3v9HN;<>9lzg4e!N@^IgB^^Vz5C+Dt3N;=^^)-8>_n!rGhxU z(M3Xj#rDP+n~5l5db#Z5qR$J9Yq9o6r1=m{B3qDECO3Az2p7+!{Hs~#(j{XU{jsIz zfu}aQB5;{{)z1-JZy)^G(yI?vYSgl%z1oV`+O>7-v_0K+DI#x zN<_(12OWs-QcI7Phj5_~Np0FiSxORBlWaWV1>V_VYX*20nREU61sC6Ce*4 z@73qEq;ny%diSjYgnc|oR4?{@&apyYZ`|2MXD*AqzXsP{;o_+l;J)hpjOj^g((qLDSdwYGV7_xb^)%^+7RWeNdQKAJin) z2L*`rL1|)rP!OIKY(F>njuB{_CK+e5=)of<+v(aCM#Lr)z2q%K1FAvP(ff7?qbP1l z5~X)^*zt=kZN=Nq8|P6)P&k(<*>PZ_^t+lWmkcJf3FZu$X&^B@?fzgX1@wkk+>iF8 z!uWB9i>?ydplQs1&rwSo){@@)50Xei-mQj}$G6ns#@;wS(Ex8W(`#DTz6W9V+u+Ja zCPMD3E_n{THU>h48C_ik+G4IS2;Sd3a0b`eJfI`?g@$}HgU+9LA=oeq4GJpZ%iJYg?qznMw7 zt0KChKOed-#EU2xF0z}p@PNRT^Gk7!s)%+hCiR()74#NsM|l^BAk_ErZLXmjTp`P* z4wjJx6>lc~V=3}rD{wVtl~W#Cw=yg~9F+wIYBoU;G8cqfKf;wKu6%Ig7hHY7A+<^ZmIaNi5u{2Q*mDLorARC$8ndR=hIp*d6Z-N0N?-a!Yt zbG9F%rq%^6vBwvj9$KRb9zOS?P6cdzbLSF@UE4GSO71BCm=tGp>birY5+U!k(U~Xy zjZ`1LUi&(BlGG3k?({WOaoQo=?+aJ{|26u*pZEN)o&Wdvw7B<+OaJHn-A(jQ*ogj# zB+)-%A^IoWME_(b;L`ue5AXy1_K6P$vnFU8&jo>T79NPTCG}S;<^kDVT#ui{s={HX z(+(liY;Y>{=Z(ZtO-OukJ=tJZ8mVsl4k@?S0_8oO{_!EIz`J{qG`8Oub+Gk!vs);j zhGX5CU0?K2XP|Y-)>cz=vzwQkqE;FBZu2j!684dBjJ9Z-GRVT`d%2y{n}q%#le7)3 zNO@=;3VN%xLl=p?K6ZVxNfF}LNE_Z0aLy>}r*k9%^pTB!shZmdY3zI>ZvEx`O;LUl z5o(~h+R0ydhzd?ZmYr*p6xtKxD-dvj9KJn|Z+yQ=4e1A@t1GoAvGE6R`)zRFYux!D z-1-qN|G4^(OOKo1#yuaG{tv#QA+Vj_%GxaBfTpj$Grq`g3=0q9b>a#0WDi~iT2<|E zMAK1mYd`X|u<^KX<6m5QTzOuu)sq%47K7IKSeLXz>Zmqsgv~ul7+xMSstKJEhNy%c zHX&w0h>g2JT!4uO3^Ij<9ro$Nh(`a2V!A%^wRr7mo~i@)#(xV$hU-H4yoBGfh&7Vy zcvSK3t|~Ep`Fs3K-1;5v{o?9>X5O;pLYFT*8EdXdqV;0+j+hDAT0-3MdlHT^=Yj^r{Cet&q`z(dZ^uf4{|u+>?tl zKJMEEt9{Fr`kw4S;d_D2M^zk!e_~?Hu4D$>`aZ5dkE{QmYxp>it}=u7cOBzj`|o@Qz}mxPQ4pZ3&~!FX0IE zL1N8P=B*V3)cNS?>zg9bjP(%F2}PB+$=h39SlBNel!r;Rcp*<+W!T3e!K%L92KD}m3}Y$S3;pCmV@uT@@ZDzk$jY-5C}oLU zne(|1%$p`pTA%a+dDXjgYQ}!p`iZMQxc)8f_l}EihWowX@`KyIft!EMr*_HWhzo#Q zIuf___4mTr&x`coE&<^4tD0e0`4q}tD9`ci^8;}sy&FgK@%we7TO+^7&yj$Ca#3lm z`R{?TVTL!WuDmEzR(xjV@$Z3I$M&V1%bNoMPQ9udD!&FiZk?&iwNHY;L;3z9J7XYl zh4(5w*-=QQ{YE+3Bdi{arGg7tk$KIO$j7Z^r_ErS)-jYmLkrz zx*%}#a56)&E%JMd(Ku{g$n!zI zHKO_)48|ZbTWa#e!UlDy2}G=Snn1yQGi0f)2~VvZO|{?ZqwMd2{PS_@@ZqrhHQ!_n zXp!mYw%|5LVqcqADBdVx)8oe19PM#CUOW##fn~J5p7TD?cbJO5JUkY08#$gy-W34V zr3!Mw0L<##u&s31SopbKx&eGUQ5#zT3(E; z+-r0~v~;&(qRjE}({SetaP9M-{Z`V%{Z?|s{Z^91{Z)QXE#>%IC!GS2cGr`tOZnQ9?f#&&7>Zi$H_Qy!JQJ-H4`l-S3RKAhv$u z*7tGeS#arb>le8BRa}1z_kG0uzqs^&{D;4<7vTP1Tz>wuv}E#f{AE#f{AKH@$RE#f{A0qlG@ z?tH<&zF*w)ap`gI>tE-?_g3?FEIudT{56N)e6A`3&nPrleW&DL>}eg@>w}6QS+f1e zX#zg?plGnD9hDuz-Pif-_ZPY(o*eY$l=zEdifO=Xec0)hemLyPJ>U9MItQ(sZf<G@UTs{ z>Vf9{Wst}W#NHo=n?J$zf12k-5_wWX&$8}Ws|&jJYjl}2 z_TT%rxb^{;9{2sl^;bXM=aud&cLEv1DI1e_2hm;D`G6oYCrHWj&<6WBW6>{NU14&+_!=T`~n;`<2(xW)5g=Dq*r@$OK9zB~KkAH;0Ud*d^Zk zt|*;TWB0%k{(J;3Ke+U`_5s&Eaj|N zJBWIUt5g_8BZb~u?|ymPfl}GZ^3`Hjpse-Ze|^&#Rh^q%EW6|b?n}Qp6*yGEH>{T} zoX{Wrq||5NQKA;qH&Y)Rl2?Jo$K4j)esU1*S6^TAzzgC2-~TjvlQGNl0p~2xv1c1Q zZW8dUi#CgD9nKhn8GY&T+T+R~o-5@Q>0yO3+{Z7ad8uIc^Z)-tp5~B!J8$}Ou0N{m zTo9$}FoROY&ud*4rZDz-d~mqP43!Tv_RiMZVEfy*zbRLah1wyg;~ccVLx=-83*+C! zX~W_o2fyuk6XZBgf18y`4qlk`jI4L+VaJcS@5RU&%K7zgmLOATvrwMsfDZNK>ez3y z1STnU!(B9HK+PUao^#&??YZ7apLEm|8!yF^_C5*e`$)KE=x+D!OC{K5Cc;!rqUu()gV_3po3F-wA94Ld+HW zhOxsk9cPGh^+JOmr(-kF1xb&Pu>#hZ83*^OV+*#4wp?kOfHJuJh zK5bZk-`osF-=%Eh<~IZD9pfx>v_1$IUjkP?xcZFSKaa}~E`70ariXN%GJ2>HOn1FP z2h!B0Ki$4!iVh}{iCi9%NByby51r_ehX6mFca5xsdA`I>T?r|7qWy^>+8;Nf{c$DQ zA2*`?@qzrDy>Glj%up-Y^HQob6(~wJd$Rb>6jfbf%KJ^D4Q_=T^}K3o;JlRNU&e#K z?;h8G#+A>%rpL{1|Lb`c-2dBro2G$+%?tKF={nDK*#$;}K9r7#96$-Fy622mB9Y@n zLzP2}7YMwOJl6PeANY3-7IQYc!9J;NWVdpn(U%WXJzqAQz*^~*t_=|If)-r*wv4(U zx%TYc&9Xk&_Ewth&Evs&BUJN%-n~pm3U-t=Q_Xd0qcZV=&K@^q2qK>|mY9|T*GIOR z7bi79$ZXi_>Ti1pOKyC3u-6iH9CN$q65)-wgq;oaPFlfetLWv%DO*T295a#=^+k?9 z`KvNNl0%!q2Z{CHzX#6F#K)&nkppMv=W}-~$U!$o<&JUK7Eo)6r+irkw_IW055Ie-ak3D=V#7ckoIzGk?!k3f00zY!YBz;6#vKKet_Rr(?8{ppWm)7lH zwGWv=_YHITNdo>E$$=gr@-XY z5UnJzNoGh~sjx#O3E30xFWDh7x-|J0x5VI?UKzDBVXvR>25s9%Ep|Bkc(6V%QWr@+ zd-yV9bQhQnm6s+SWrZgv_V1zW<_AUL6A9HlZhh|B->nC7}ygS1FD zT`w@s#S3W1nqG1NLw0g&?S-_KHc0O9%%xcML4_Ys#Kmw#Nm*}7eYF8AJ7 zK$FwJ*$+GyQBjFZ{-f0rI5ofgBKv14%>FzqB0f?rSb`(0=8n z^ilz|dZBIm)HPj%dtbQwE2$>rjP9u(Ly=m->YCn%;Y{dHHLv;OXz;|R-XiIEwA<19 zePl)=Ok~|<-fNx?frg~vif66Srxk~Y9>TuFG@%67XWy04lFU~s#$8I_ARVAaW}*Z; z`$8mHI~1|;9&zgtxbMrK{k*QI!f}R@iw9tuiF-kB-q7mIFF<9y#=(4djmnZm9xln(i%i6Nc(1w?gh`WsNTnuo{*_d z#r1(c8flVpKm91<1wu!fu3i7&4l=g_>Z|&kP~&?p@8x`}e{P>~?IEr{qFt3-zA1CvGi?LaTW+C*`UnlKI7WkH?Hy5 zyGVDUdtGUc7LFcpn$2EtSH2(W-5tB9)YbrEB=oFoC2e3uT&(hKo<347W=Q|>UJx}& zG>v>LGKEmDT^l+qCaB%>k?P|K3MAm_=Q=rI2`8fzmS3csptLux7v{oGqXP*ZouPM1 zz+vjr{0wapEDFdUj$b~5Ol|L-qdZv%^uH9INu@+%+c#YNb6ot!^|G+RItLl3PAg~m zMz4kLRY)HQ8kB&a2}_NS=OlnDG3t8DT}>pCEwGmPObYvZ$IV~i;w}HtpTD1X#;rHu z_RHb+`{DNg;LbPU(&O&Gz>R-#zjxgH9PtOM0s4q4{$!Wa3!cx^2TBA`2dT z;56ThP6#nwdTMP3Uk_BehaX`FT8cp4>dOQ?Jx}>rhF3=sTVQ=vcuWLnu`9k@e2|Pf zTyv>QxZ_an&Qm-ueN;Oc`TTYlhGOF8(qUFm9Hq8Ka)1d+TEWCa)PX5H;d zvXGGSfoIKM627W_kXH=E$LGQI$5`*M-)^1tgo*6ip3R=3a58N`s67jyYiT9;Kye}ojsK35bdK87BjIpo!$5f5%$8%Hx<#zNhv__Hr<($J%anr|q| z4?zQipybG98N&Q5hxNi;e)ws?l2m_H4EmU6I^AwrqNQv5yTsyzpy8^nu7IW}cKrhP zzDAppI{lI*!Hnva^mk!9lp~X`K8)briyl~9WF;j)PHOb`lPaa6M zK#^p6&=6dBLq8~|D#1%~joSL>i<*PkFL(Mj5aQEnK~g?{ZdBLn)#;YX4Xe*t%pN@E zL9HGqe>#Qnz~<_eSg{uZC@<}d%oA!Z?EMJ1_Ue#J)kxibQ6QsPVzaUo0=8jQ;d5zn z@NDqZlV(O+WbbiNm)%YR$Upax-ffq}mM3n$5tn~ldE(OJ_7~yCFaMeJe?QOlUz5+@ zpO3r$7nh&^(VxG;d;I(R`Xm2;M~@pH{kdNP?)m?>4~UPr56FnP4~Uz%4@i`_4~Pd; zzc=*^%2+`MX)?bInJqf(?QB?Y-hVJ9E!p{)z1Q_8z@wK zq#IBgHOcI)3 z7Uq+VNkA{NS8KrqO|+Z3lrv{Q02?0$w?2!D=a3`$QtCmmGhshjKz6vV4ZN&O+3Zhs z23omSTN%<_V9%2yDG8x=K(ZDizxBpp?EP`L{Nw5m?tTZ{{n5Dm;LaQ3>f6+l%gtxV zebD;VyILn^)FIaN(0Y%Q7I<#$xx{!w6U60LFWvvC0TZ^xQ$wBp?f78QgX;3bmH30u@ zFhl07`l?+9Z5A$X))i7h-R}O@krPyK;UPsJBVoT&-SXhIb@Ru@YYDKr zzv12|qmHgNh)7H$VIXab@0KIr)pHjQJ3f+BMdM~!u2z%(#U<9~|; zwRS}cH(6@HnJx+b>$_D!OMFORcEAz!>o__l$SJ|D>{CXFK?PPsKKZrs`XWXJC29u> zHIOi+J>7Xs3HU}P;M@fxs7Q=E8+ng_|5K?a;Tui{k9p2SpW`BdJv-xlEE5G$#sW`a z`}*cUdC{=&oCGNt4m50F) z`Vv%I>5n!7j~_0vih=7FId?|75%6-ZX1x+~QG>SERr^BqLSae5M}ai%5Hg!12~@r9 zfH*g%cF=!cR~UE}YF~MmtqOHG7-kM^jVu@?y{Q9R*z^k!29`%Yg%`6Xdp> zd-T8YOTP}ZiQW(OwfQ>Gk@$bcSH#W7;^IH!=Ff5C-(?Z@U*RG-Nac4-UhwZ^U@?^_ zrdusUWxpxT{7O9z`LsqsJT1u(e)#z(98x^$&}0R&0jCtMj}2zio2@`3`L#lR|HJSayRkhH6vu z>7IwXgOivbZayN*!&(FRob-FTM5=%uW*==bD`7%;rbTAv?+oB}^^W<$Qo=qXf#7RO z^ZIBhF@2eH;LX63v%X|EL$n}aA%W}21#8qh6tJ-vppE^#OxlQQ^){M-{b#1(WVTNO zLB?xbH^r=>CoMN%>lk6KhN75WDQ-Or*IwcFm*SqkUaQ3N zrAZjN!u{5(RJ4$Oy3cdJU1E?Brgft7g9Wsbw?*8Qbw;li=lZ{O>toMv{*k``gjhW9 z5NYEF2O6@6b7jVe0`kFKo)1b-u?ar^BpNBUxdOEo~R$91@K z(gw{AXnSlD=FAkRk3PDwLj^V#u6moy684mRvif|;UlChBapjNuz2oMKaQUfRjhi%S z=Yg`vH%B|Z6ZWHRf7as2qK{N;AX9;x6PWjteMv9i0riIKw_WwPvHKfw@9T82<{PC# zG2n7u@PDyi0Con)SIm4eL9_!IG72jM{;1LnHueYsnP;{G*RUW+zPX}g5+VWyW=m?v za(SUFE&uqlYF@M>c=8uHhY(ODyrk=^;|Hd}{$xrSU4%Q2FSyHQTj!z@Xy#^+{}Lzc zhsaE^`<|c(0qyJKH4%y+0g?+J9p%CA8&L5TIwIV9J#IXOdw$8A(P8qvMj&3I85=fZ z4*{hQlJ3NXprUN6iE4$Z0T&I~;+I^C(EefX_2+HYFnMc;fDr8pso%0~C}}N`Yq_ay z$1W>acVE>PKI{rx1bdqr9qiHjnvbiWb~q97pkyFYX0Jw`stlrFeYDwpP67_w4Xa!2 zl7e-uosVs!)zCHfsDzJ%`)o~NKK!^u5|XCKAB>p@LE;{TN2`<4K-;VZEo3s#7$ii? z?}I*_DE9zlA>-tlqd=nE4QUZO8J2@PbB(Tgc$1cfGhg< zh2ej(_vX=9N8i7=A|bPgGS58bc|PWOp67W^rVuJJq#}`$DG|z)Qm7D{QYk47WQ+BF#Zz2VQot0f=;ueK06%QyQmpTD1L5uZu6#*X zG}pQ_=y-uG6c?n4+%XG4`?iOW*Th(ZYqaCWD8Ujm#5;|2Tx{XkG}TyQZ6S)fzjIBK zG7l;Z#eP)u#=^GJkh2P21!#9(L6(tgHaK2%mgHgG54iQrxbIOagK`#OngCr(aSR%- z2*6Mv6cEZ}gSeGdjp#~6;qbcc;F~&0AowLJewh%(=F7reKdwE;mB-y5z0A}HXU-D& z)9ugq&i8X5r?cmuEOBgy-fm7lmb)y_xRc@-r>+2+ZV8uIXr{r&|8f0W+8qEe8=$o8zg5_rQ;EShpP}bvbzRsmeAaHrt z=Bj3EB%xwlhssp2>n(BZGw%9v^%EDbz>Q~d{W0+eL6dP2_Gm&Z+lZ&h3Msw#ctC)~ z4Wjy5zP;vgMR9FcJ5Pq{12B*~>=Si>zAdfg#%wwe>y&2rK+X*Xycp%HlMqD0uO$>R zU+IH9P2d$t2Nf`uvdP;UjgL>_?mzB*$HljC&-V{s&2r}-zM2IRU(IsoAHJI9&OdxL zUpoKr)vzPn@9kuyw_@Dk0~Hf5_%547qSUQoY!OL5z;XBGt4Vh7zf%Oc0)e>!VI{O97D}EI6rq%( zs>{J&9u92T-2SUv9^LJq43sid#nw06_2BMLZ}146)LnlVhBa}Q)=1PAaIPwv%^$7_ zzWwNPCjdl}iqAj!o=bWC77%du z(>A+khdOAPKNLjjqLQv8@rSEAu+v~@ktp9Bct#<0ttBeWaj&}lRuQsYR5Jop%|K%^l$-EP9uBsCWv8@N zflHsIqJ=fA5w1NsVSOgDs>2(Km+N>Qw!6XA!x0;VyL-{(C$rzl^Lx?nwd0-pczuBH zncvakxgfyJk5qYy@M=lQRZ-!j+U;e!PNV=(pD>U3NwgbXY2f`+7P;Ye|Jw zqo6(V{W*TfZbBA58wEJG&>EoprMKm0Pl>@#IYnTXl>wbgQ4TyQTEL;s)b2a0jTSrN zera43B{BtivPE?L(0Y1}e7?v+6kbjxizW-G!h!RG`KCx6X_|_bRUDH=xO@WtT0Sl@ zsbTxUFtDgUaQOE^Hrjc6@Fz=I5S;BNS7z8A3~?v5?%XE#h0N#r1FIRkvHKJM_4@y( z{r<;izmyq%@Byc_oBXW~Mf5gm=sX>XU_(=J(jGN%?(t=OZwAVRvsXS@TL4+&?fw*LPoyp%+xDr?fHaR) z8tz=&UATWn9jzEzC@DC~LFCnrfrl_y=loO$4f6?joFUc`;J()$FF10hH-tg= zNNL3VZV}jfdw-;uygA}?*;CONAV8dxetVAMpa{^3Qx1Q07sB>`aPtwk@iOlB;>zQ` zzkNsKj6M?U*>CmB%ZA(vM%BGtQm+{ufW70ui-9>`V!oC3Rcd?)8ebEtaAtLY%%mWS zz=BFd|Fup0*Juim_av#(Snq{jimep8i!z|ZPi~8tbtI56S9>i=W&kcy#Ik826xcDb-{ukGu$CbyO zzkq9haQkha4?nvg^Y}-nDb@9nai+D-8)I!2tK5_@^xBhUGIF((OsRYK^4;&9=FM&Q z9jN%x!+=c*->LoKu1$QxV+A7qmU&86{H`DD?tFGFKKwY64pbpz82du3n5eGIP#k>l zbo-#beh`j~6}8Ftq#-A-72Xf@2jJ43(~~9@3BXM0UL8+3iu&vOgrZswV9$5>!#}`E z;vZlk@einw_y-tC`~y2l`~ytb^VD$t;d95{_^+tyz?HKbB9#mQ=<=i3CrpBxaF%x& z4r*(|WpsG-m54P6Eu1{wm#GYY@KS3MUTQ|dOZ`ZAsUHb1wISi9PNaDXUMQL28;$>G z1<1>EnKdA&0hb;@>nKu#+`t6t@7;5T z5*37-kH*ErasBN-{an1Hel8PIKNoRc$ba>7@sRqtWJvv7Jn(!X-NJQ9ADu}&t64s! z1Weq8xrNKB@STG$#rTF9@`akpgKa8sh4R|BZ^DY$d;-fW@BL-e-fBgvbH0>a@_|sn z$&$_sDX8v}MnxX-MSFfMIlBZ$LO_$UC=K&o?E2UPG)K z1`>4>2?{XqCd9g&)(B0+CaitWlfmY9!mani#S{LuJZ}9nE`JX0dx3l3ar<*|&r3`= zaxhxX00>C5_Fmsy$%Tjxw_Mkr0e+e@X>Iuc>Ps5F`apnCC z+V6<^79a=q;$a2-Y`B`um3pNv8_wTd$b6-j3k{Ejlhy)H0Q+Y81J|FF{vTTZ-}40- zRob;scsd|@qidE|ZYx5>sS`mHU-ZF6ocYb2`%1{)jN`DGm;yv|{_rB(g5bQ_P76xD zWO&vaS(sUQ9yM{o@h_=!5ax z&O8N0xc=zJ!kH!oZ2TV=f5y!p;o@Vs@_+2l-}7nU<}YyVGp>J*n}5OOpTw2N<*UKv zyZDd%|DF#7cYko--#_om-`i*0`4_nPJ6!+#U+05x-(UWpYQt+$#5oxj{NV*Gtngb) zk2#L$FQ_vOSzSju!1&5c_hiR!t=%z3_uFgKN&dMsT(l^fTe-)NJkkm>KL(1!>aFE- z23}&Y#jlRtS4{&&F0e3XpA&@to<00~`~+8j{v-eYHa>~_Uf|lRe=WaM-K)0kO%_s8 zV2!T7F82V1ZW>*&YeS4?s zJADf22MBPcRFt5Yyg((DJ#nDHE|mRpJ{@rDdvX1loibBQ`+eDAxaG>m#ntVIw&g;m z=YuPqvtx5CCze@3YAWkq4Y7Xlin&rxH4`Izeac(bv$_jWDoQXKUn24o*!4VTHx)-L zQ_H@t2K?}4E#4tXMgY+zvxiz|@nZ8UKJJfdP8-li?6a&b6hhpPs~O~QrH>bi_sRUX(ZXgGsJc(D7;ar5c8{u{15E8AHTdFq35B^8$Ji1nkp-U)S6pO=O7kEqo? z(*fx-QpbMTDGA0Z+>c+4$bw4$#u(XCY3K}hC_Ne!0_NE_x;5mzU`r!KJLUb|ppo}; z*QttNxWMdnQ|OB?^z(1(JFR^JZF!s;oVk4$oV;`|@JR>(Y4TPX#8kqK1cyZE!bR|C(EXTJN@J%TC{Le2ASeu9pG`P@J3XPbd6(V3_9-zm^n3P2 zvNu2Y-HT3lVCP4d2Yfdjc*6_0{6e_?A?|(0m4BebUSjw|7M@5`)CW0hqPP-c?;EFN zQ3?O5#b}}y>}pdq-8L$ME^fS7_c^Ho22bmbEu9kv0e%tZ3kL93-0=H@c~@_5O+Pec*~u#pNDL{JzBBJ<%oo8X}Ahv z^5&>!%H9Q0=`!>??z5vMIn9H{jhxu~KXagqEaPq@5Sq?(YYhd1+LY}D*<*X*CI55B zD+l+&1A|Reb;i5ld;9TQ4=7I~Ts-qo*uguNE)sD3_F&bK5g`!C+MgIZvmHs^rDfp4*DQJ@BDQIDz*B^ga z7$&OkcxPm(po=T=zm-pmf}@>iLWzDPj(QNL$Mn>52BkucxJJ0Jl%k1lkEPd1}$-U## zge2&*O7za&*FdzgEfw}>>$_CJk2u)mH2Tih`+K0r1Fl&^ z4~@|$fnQQrMWj(rgwC+kA!#_KANK3gXBq5%(%fe~?M!0gQ1;b4_);hbx_#byh;_Fi z`uKpn@u-e4pbPa9uf*ixD`i5ycbX8$WPW~i69i#zj_A&&0%7osD65{FGC|+A(P)%T z@j+{}f7!q(VX#o<7M!6H#P0vXeUDzr8!4oG5r=-mV(Y?DM&!wJzdy=V8JTad$TKGP zb@6dseE3mtC(`(FY465qalowyu7CR^>qLn*%26L?P^4A>RtlEGYUA;Ul zgEcI0%M89bDS_DKc}!1SG$+-cAX5Fwc2fPxPE!5JPE!2|E2;iu7rbio8FH}o0F%vJ z29+WX(6(7v{jp9E5}k^pa@+0*9rG%MIs08$bhaOTa{Z$dS`@m! z&HS?^3{0hM6Fp%9Bm1wMJ6L7|T?`(Jp|aixcRm!ZJ;9YfX(%?6)gugx--4@>4-3N> zb5p!Vxd~ct=a`;x6@aU@eFm`sqHs_nV|cEJ9&qQOM^`Ys93&{QLZbB6d9tE`Ers|G4`(w(b2l zKe-*~>ZG=|j=un87`^&zZ!U+L7#_Y?(-4HOiB%Dk{Cp_k+x3BYJ$(NeSD*j2JZ^mI zM$I!sW~~V0`kHFJqBe-WU4yB5MwvLLL#=p2fY={xHayVFX##9tDMtkeTG;mLzjwcI z`ThQ0o{Zq|FuOz*hHM_$MueK9^L?hN7x$PUp)A2A!lEM3l-|%KyJ-%ztJ7mLEy{q~ zkAwTYC#+keGoQK<@#@p(J&63IvIEyXly-Tc$P;~nExN=xQ8Y6H-8yyI;l|@Ot+J3F~Ybcrjks&jorgER|iM)u#h|uU+fM&j`Y0wI46G))9F& z9R|$yoHK!dAo`9EKa5dto#ax5z8wf`P4zfYX$LWuweRnDkJj1#F2F&epw!}wZ6 zuy=+QVtH;9w*9s+;L79XBXGYL*T20iS;K9ctcE_aZDGx$^hB>7kuAii8be}t@1TO2 z9z3)$HP$_03v)T^Ynz|)B8tJE>JdNWA%@mRfBL2@EOJb8Zu(%0q=jYn?N65lMg_jQ znrt~(W-ERrWF-o?c*~#ozchsGsOiZNSw5qanBb`vuYyS~d-lS&kp z-yQs*DyxHR+A2hzkr8o-u>%Qn>7tMu@9>S;o)0yvm#~LqLy?)d_X?&J>t5fDsX+2mwz8%ir(FLx_fG`BDVdsOn?@xBl&qzv@KtS0hROY9z^D zCBBRQ<*!DP{8eJVJWJGJA9+Tg%e<)_`;iGG`snty#wa2l72~m~wQW#K*7R1qjRo9W zO`}@E8Q_&3<@bku_Mn*MKKbBdFbJo4zuNDVjbs!Dv?#Cm16xo+H??RO?2O_RmavJ& zp6`HLZ;8AAxbOS@ZhgZxAt|7iS)Z%U)tCwzNb{YLXw8$c+)-m=}^Gew7 zFYfve(}}v%5&3Y=Cfl}a6ZwW-z24h-twj#f!x7~>c11{u+4W2Ij3ms2g_k!es$=`B z4P!Uf^)&(zO90JWoH8BUn%sSR@_{I-zR0(_u;BrR^6zrh@amyWja4t5-`RmmYYxLB zN_|ALJak5Qiy7KF(f_#fiZ1M`J-y?IlP0vdP)Ft_=sy z^qQZx2KxhTKSL!Qp=Rbw-e*lG7*#KJIG5!B-XHYS=kCNK+;{<(-xQJtMjWKbc+1k7|M}C2?-3HhY4bk zd*^`rw_#lrn7K&xoI?Z}a!*wMaukPaPmq~0@9*ouaQ#VK{lR@-aP0{$ zUWaR+arFUr|NqGUeLXYo@8j;Lw5y=4-mz^cqxz{~_&s5$v!oc5z95P&9R9qv+93>z zY4q7 zPDbIa-_BVZMq>NhxbH7+{8j28^JC{V77!n}TNJQl1A8qEm_FZQhU_uJ50iGzU_Y4j zc9*aYGUEi-xD_At&9`A{u5evTO1G=r!$bldJm?f>vsE1Jr#Kk>+EW5i7F}`t#jFpX z_pE7Fz9+-}UR-<(cYiuZRc7CRP=b>Ccbe|V%7V7kc@Zn3z06Yyd~M~V3Re^ER8IYr z1JTa8d_h?yFnw-S9b9RNQb&H#-ZfBwGr!MVa4a(dbH<|d3+XB#kt^*T?P-lNJziWr z;;o7;|9{3l{JlNLwGUKp(p4;p{nWgV^y*Y%jL;iZ6LZ}*P3SMyvRo#{ztnX<hxhE?v+kg53TA-fM8RlWp?d52N&?%7zO{2+K|bEz^v+6L}41)VOX3Bu-s z!hOGRTk4N=?D-40 z^S*KAarrZG-!I&F4Ojnh^Xa(1kGntZ{Fn0T17%>FblIcJ+mw*w9WC*Q+voQ<~WJ3b#KI_depjUp37ujnxUk=#Ze{K?-d{)cmzMZ~CJ#+VLr; ztwh2F0-S~q@YV%Gq4dR-gJuR$L@*itEN%$*{N2wK4%wk1{lTByu1YAKvGQ7Tk}~=f z#&`Vq0Xam`@{5K4r5$!Wg%Vcf#HO@h|`c%v-rgVQwYoc4&- zRe>iCUN2L(yVXmyX-_TIA(G;i6}`WV$$=f#SYoTwnUOmN8AVEH zf6@Ax7aLMAtvd2coJSO>9;eV;(N#wM(tB+hxbXR4alaRLJ#%-(1x48PLW0)qweN-COTFuv~V>FO* z!!3z1VtvmmzCr0zk`fU7d5|~6UIR(Jmh$Mx62ayR!o@dm_Xn46>JPurzvC;$?H9() zul;LzTz})&98>HKIcBImR3MyqgdP+>?s?qjuYeka1)hamqJ!PE1e!}UOaSjRH)llA zVb9;h)#uvIeqkmW8F;WI=C;>y8K8-Oqn@WE3j^~qyG2|HFt-D7i~X=g+UzfNWvV5y z>#K45ad7u@*GjlCHL;I~#jbHaJ&Oa4+@11#8@U;U`qxCsIP!yya>V(&!orBKR`esS zWEVEy5pI9b?863Ur(Jq5czI-Bc#u7kYP7GndZPy#+RanPM0G*8Q$@x|+aB3HP&S?hx~>JDKEWJGyCa;J--8Y9tZCI#m!$QSiSqS+)e@1$@>fF^Q0kuZ7OWTRs&_| zlTVMF5=KmuBZhG+OIj5^`@}1#O|v$Ivl#GT=1W?XUqk~fS#?rj>92tz$HKQBZ*@doGksPBfmlwjv@ zzdbFL47fy=Z6DxtLkjV9Z-;NF!pG^RxG+h1c;amA?-ec&xb>yD-}|rSA8MIpT>VVM z)w=k9juAZ28{g94!JP`AGNjPtRW1uU7S-a%SP_VF3v(x!%3#-D;jVwiH=tsP$`9NX zUx=G#d%|INink8LKFRbtAu$y%VxBJM(n1c6H-yEx@02M@M_MPom-JKGBJTAf^6_{# z=y=(9Wp>>Uy_tJwD!JhVCHk+}&d_?oIz`O^^AIP5dtL#nXXR$hLtq;lH_i8c6=X$r zFXMwtB%<6kwy5yd3A~!#=sUT)!3UO=Lqi1od2P7w7cRbvyZ>pYvhN5!G=Q1q3NHL3mw#m2X@NTmNy_j~h>!j_8fFwy7h*y%xOg zxk~VBCo>m_s37f`xX)+TscusX_WJ}@YY z8a;D5F_XY)n%VVA%W zyQ%l8@Q(Qw3xQaFT52u+=7Enn!nL0-uB(4Ldfyn_G=9|U?G8qY&AtOq6ilJmtH<{$ zl_A*8jSg!@3PVHPF7|-Qvjxw@{yz1UL@7`UIC}>x<5h(=x{ol+4+NDv+ z*KnWyU)(UJ)<#Jc%LBN4;JEsUE04XOwYAGr^ThdqD@h&}GvFN^%=#d=vSjIr^JngZ{A%S#3j9&9sh#Ndy92FR2)$QwcT`deAAKt0G8 zjaVKS|JBJS|H;{`Mi0B*(za>&)M*NNkg^-5_S#B?5~XYU0{19@kxf_`e3XVGU&Pkt zep{nQn{RTbf0x0Y=h!(IuAWq>2zMXsdudsr1aqYe*I7rU5CwaMhaI}6N~)|1Ff0+G$#_E_%1%*sTh*vRhhOwd#t?6`kWel8t&{+geW$*tPTRun zTM3)UG%VmmvGq337+XZ6pLu+Czzo};#IIpejn2RjvEnVS5E9K2?PxAMo{sygGJM*Yf_`Zc*bh?sgiTUUpr3F3O#L_ZW zc~BcFevr{nfAcc|M$N*qAaP@G zQBhOwe`$(XIO=WQ^|~Wm{Qv)Ud0f17*XR$2s&H*EXzkC@JnV!5*2Fv~j_5#Qk$=;4 zuqNbuTZ~R(G(fkLdMLd$G_my)*M9!tHzq)T?^p8=<)ZMmY-@V>DdIT9Q2q6%Q9_^w zKlOfpmO8F(lr(yqM|53SO`Jj_lcE0=h2+E7vnz(81BNvnPgip|)jpd=H;7d_T-ss97Y9 zmWDS^y}w`pHIluy!)MjNCPiW41F=3$iK{NFXNt(9^iy8*VRMGFj-gK&;cioBOmC+=QY-V$&EsN*?gOhS?x{3jp~t7bJ%AP-*T!}CexwHB z@~{)v%q(E{xn=IhpRJ&@HTl%@FCHk3R??aLjWeRYa4DOUSP!P$M*F>cmnjrgjl7Qt z5d_Mcix;j^JE9qF9-+#mCt9xK961!pDlnQFBB6Cf780&Bq@$HC`_;%Py zd^@Zpz8x_V-wreO{D|f3=IP4oMEotuYHgCk2}#Yk|2`?F0~&9i#Wb9-0Q%Q#F3*BZ z(2@;{fGmv^+@8`(o^jGZd#=3tV?i+%HORo{)5m~7XC-&{GJWG$Ul~RMIrkka* zVM>6@w}!j_xb^{89(Vn?^}4w02`-XOd;I!+=R#Nd29J#+`kZf4ttYDuKV?jxzY#M5 zA3NI0ZKVci`D1*NYrg@Buk!Ebv*6;Txc%$&gvJaV+cwkKq$Ocgm~F`n2GOi7&I z$~gRPK^z{g`t@&j{jOD?q;+%DMikrM!@cjg{SLVLiMt-$cw}@WR^dD@w{&x(NBgo@erS{$+>9fj<;V4yOXi~B@y!n-d#T(AUv)9T}-GcjCFRytp5BeR#9MIg5rWeJC06-u^b+81)|}(Dw$r zpf@o;c}wPXfc~QISag96%v|g0tNN~s9l!sXhhhNl*)kjr?^&ZpW(|F+PF;A}P|cua zs|t@4uiQL3Zih~59rQoSt%m*kxcQOfNc~xVeH}=$z0$UWV29p*y)s!V8TV_6edq*B{d~E4br>6o=(%qi4D!7gr&Hr~pJDG5SCdcxR|e0en4*58-izy~Zl zj`#5|$sziv-*ER6*B_uMJF|&p(i@T%n5{D0bzxI&{OPPr zVbD0s#zA=JjriY$ZV;js;6nF>qc;mo(b!G0+)FyTV4y?JaxaGo*?etyP&i|VDpn0j z%{L4YEmP=2<9aO+w%yVt@lY9>B0IK76M3eUZ*8kh{kjwO==z+GF(RNi{yGYADh^1R z+}*P{&WYNOe-Pk^e9(!jZ@B&g?)!_YKXUGi;?Wa2prVxfK)zW8x;MRyzjjIoxP^U> z+dtNZN6EK)pYIU?z0{Vok>!5acqZ#b1eI_q-{+R-YINjk znW8s10(aV2YZ!=YtVa#Tdjmz-;mwKbj*t+@LA5V41^qPOlArEz2JM{|0V3HB5XU$k zvHNTwT=4p|z4oaC*nZ~@sA*t>pG|?yR@AnLMO^9exlOE4tYdNTM7jdFeX`AR36g?< zbjM6#MmcPJ7`Gkyd$!slo>R zFQ&l6o=-o`Ad4N3MDI)UUrJF2+KzkjOSx8PsFsVIDo7JfM01z!QCEiq(-+TlZkfZ! zF*43haZ40>s=l6(Vh#s5e;)PawL`&70WQcEbiN-H}=BU7`NWClN|KeA5sLZP6 zw8Ea}j@xg-WW+ARvsDSTm~%L9B#5Eu%-apDl?EWH8RWAVWP0$-tB5+PVBg zI@ov)ZhZxRU2v^@MNHNmR|Nw`6!R7{0wRiix|K zh}}PeI}g-Y((+XDgbR@$HfhspfE!#%3!qF_JA@_+60%%F9U(S2IOI^OJFIVsb$V;% z3`!4&^yQ{CP@bpTuBs3{kQ5i+D64Wo5Wz&T9B&3&hg00cg>A$v1WpkTw#* zH`FVSDk^i1eiJ;57FX-U%io1Uz~MtdulRPNt-IP4uFZsD$9MnJ^1rzE@ekfE2#ni? z=M7(*A{xFrp%<)t5O23RNWFj$N0M0q0W3unBgEZ;4_}=Cy#@qmQzmBA3>sersuPm;ThY>j0{@1)M zC6xJrFTZ)60ZPt15S@`^29pPSucY+S1AA}qKE_@nXxWggzQU#j-5SC7$!9gub-f6a z@Gu=j_F8;%V1O39C@Jk_X|_PP{7blah{=N_Vy&|mI<7j|t3{l*yI2?dD)y5-C|O=$ z4ZdNGDmq05x)Z;3ay#CyDHyWF_GfV8chBq{_FfGKKrSVmb1}UDtuTK7C4IvNnZJnr zX2Bc^^Rf%RsqE?C&=+2kKCmAIgAb=Ghnd29<=SfnRa2z0rkeac!xg!3Sq)h|HiC<9 zRjo5QbYU)z_!`%r$Gu;;_z&*y$KEf=sck0!b+x+BtqnnFc`52#^Gp<6vkO8me-j2h zPp1%9e^H=OS{N5NV~JX?RF=p6JOpG+nk5QF@gSdIw_MJ02pF3`h0JTGgG+tngSS?x zz*j61JMiN?3i)y{q*hN9w(QJh4NZ_o!b|t$Zf+KZtfGWodv_ste4W=~>9hihuC@3m zTP6g5{FA>wUtGKz*WbW>?{M>F|8L0ueg7ct`QrMkUWd3IxAj`W-A23U=F8sbiu~3> z+ne?v5^`s@=%6|5yUDTs($5DSt$rI@z-x|;H{!+@xcsiTzmHqri_15T+uw)#-r@GU z;o3J``;2?vao3}8crKjckvCBOX3AK+><+h2N6S{Qc)`h<9iu;;{Xs~^%e=GEoj8vs z*`_Ws<)8O!;O-Bu|A1RRi7StrPq}<$VfkC1FccnmHW>7aAC6JG)HTwYqFC~Pg~TiT zFzP_{{F=QG_~kUZOeyeV=c94&Bd$CyzWT4v7kB@0@v)B;o(A@}v*5*%bFO5U9pMR| zrS1I5y(l-Q+Pz8Z7}6|uYj=NYgUqT;5$E-E@bj0OFEi1Fr5i;)*NAmb*5HV=-Q21SMD0Og{p>le!`bLIO(BgfHvu??-Ih`#5@xDJ8 zzt35q=kmN!bKC~tB6Xj`*iaB|lxpraa`r%d);ngaksVT2=xq}S^+DOKF%>s&IYHZ$ zD|MN%H~5Vw1-MtZV&`jc^9#8C+u5~^IG6GhfHD#eHrXD5hQ3LA8S^Y~yLsdsId3FN z5khkp9;702<P zfpYcgCe1j=U6Ilc<&{I@L)R{sQKX{vu0HLfuiPQtZ2x+jv^RKdZM(|c;|UT9t5=`= z@PJ{vi3%@oFVL2~d3yMhH#}x|U8hs%4)AI+cjRsq%HR^&wjvUTj=fpFP#og}dn>~> zUu?$br^3ZEas3(Gcn4R$EW*d`q=OAQ+II2njuv$=_f|?BE)YdB2IJDxt@7wz<2LV0 zRJv%<_QQ+0-9-LCX{!d_dx0RpJsaV>=!R-D<@YQZIU$3-&PI4-hZ;6&=)NR!pxm4B z{J#xc;kOsVSnGl*nBU55dq-ysb}o)4r@lG0Me0`K+@pDYYX+|^BG~u|?s?@sd}(wp z(hQ!)${X&z=!%ruDwQ8-nt=bs1yl6G9MscW9Ywg@kochG$$MJn*zomH(qZ1Zc8hjSMA7LH1{b#Ww>)ebu=b@s>#x7VcUOMmR{oy)1!&vPE(1{5Wp@ z3%6eA|8{xY^TO>P$L+WJ`0ST5!w){-w04uf)uD*qMh%^(vl0OJ-ufhK3jtW`xEmRm zE{{4@@`uE1_`txcrXymTA@Vr7qVjt`FVwzWkQz@CfDoPq=13K8SX!93zZA_6byWGT zL)Uq*z5T)cUR?eEW3N0&_1<2jdhb1?dhcLTy|)jk-rE)XeZ_{rT7OMttOp=|9bt(1%iwd zn#SNt%ah4--ycnKQ*V_f@(I66*Z6FeZV0+6zbE!}3ZomWM!8E)hJb57|MmKDe_vYJ zisH>_9ymDbC+u6z4ZY`YaFmnp0DY?*2?JAY;+#_1&n$Agz*qTtfQBgxcD~husWZGz zPa1fcOZZiLg`h(th3(ZfRhZ{C`0U+J00uV?Zp|EF;H;M$FMeW+aMzE^_kzohin|`% z_ysp#gBy=eyBDob#j2v`=3Ao`gmlo!L3Z1iC_A+IZloYpf(zVya_9ORCpn-Q>F}WK z7KZuej{IBaRKRM*vqU3Q9a8sMlI@-`M&c(Q&B^9(L&sRC3!l^QgTuPf;x8VJf8Jk) zYd>-Q2V8t$uPPUP{+I=5>w5gGdyXJOoI;TB&JZ45{*~1>9g3nKB5%lCB-DtO z`s`bj2hZRAAHSKH!p)@Y)>TIQ{IA5s*^krfdeHr%!MTXv2RUl4TsF7#fYDrVy}#%N zqi$Q%g6+bP;-F=A#bZnC_z2gY;OaB(?;nUbb~)Nw8Rie)2;Xv24tCq79VtDb1fL1b zm&=t55MA7{;t?`Ms0MdAYL0a;5q5~>I~puVX9ha^ zPfGkw3`UbC>f1i37(@4r9%cJg{Q8{3>`3qcoi;K75+MmhBj#pb}{XzNn7TTslZ4|kiLe=24 z4;Cr>}P)9=`I!klp@^Lmt*hW*p z-W=})LllGSKWlxFu5inN%?Y+JV!Ix>9v=fs=N%Q2)DNLxHNVFd>dOFnm-52d& z6!PgS)dKUcn^vC(s6*83j%)S#I)KZEkGuX!<6=K~4n0(Rnk{DdwI?`lW8SAG=7naS zQrHdoxuf}vwA0TAo!~(I%-))CJ{aGqlaV9xMQ6Bb^ndfwLh9Y?DH1b^z+@S5t$eF6 zOebZOAF0(qnqqliEh~zhU+5uJ(%-nG1uAZRncHHN;ipSNYrsAPUuNT`w*Sz8@x&h@ z;xeir5j2!4>g_;0B=xv_%Ay*)xfb}NWU~cY z480(r8KVYvXU?ilB&&m-yp&YsDUE;5|ATv8xb_71zRXD|M(afyqgV8WCyr)Vq3D?E zt80ClKszkUK1Qz$CUj#xe5Gb!b8t_L`8_3U{m0GM|IxRv$fv zyTR4N5gUZNd(q@4v){?{d(rQ;eSq(o-_hc^ASk@d89Y*Ij)amOgrnjl&<#)K z8hxYyVQoK!KfRF#VoA$spEPB-Ay>FAK*V1s$hOd@=Fvl2@8a^b)=re55ZfL>%Lqpo z3rpymX~DhWq77p`C$g)*uofdigB`!%o>#}0na>rh*2sYVdBOD`hTs#XZ#L-Ufava) z>eUw@Q0z+eQC{Fjjpq`c)5N+!^G!GU6={F;-t$RYZ=*4=lfU~evS0^3;YoJ0L_UXQ z&8%z5Z6?53QX^=4!0Dgk4|H?(%<&nfM1GI4Q1fg9D3i*4Qk<&{hpBqzUZ1drWzGWE zRW2h4vKn;VDG-9HGq-M{@nx!+8#<_1;`H@4cNGYwm@$!@kOsGB zc3PLlG_m=YaQiQC<#FFHY`(sQr6U|U6=?E1S40;>A$)9;01Y?_UrSe#H~p?fNiB;~ zPuU7V^7{C>8}{Yc{Y|nB7xm{~hoevX*d7#S7{YGe&SX&R#;cE1BIUW)5~;^M2g{wMBwaP3Ka(TwWDAr*Aro1pHYqzHrOQnlVP+o0*& zbe@$U1?r7?bfpHSi1JM58N~%>kRIBI4L_m)JB&PK&ogVG;rImFmB%|F@I-L&%x4)e zu@07TF&0DKRnwOQiSvtb?f-Tz1}h*p0JC*A)}1~sNQIlHBV5`DWKMrz>#Q{cmD$@j z-*tPU&Kl+W!)->`^Q>|AA2)u%y^px|_Fv1N4mdV;`lcJo?vi{#PGjtl%T#Q8@I zT_v^j`*gr(H;wCwb{!bz6HfRfpo4wiaq}s-{xI(T;QFh18Rf@o^UC40*E^^4Z_lDx z$(jC$-vwY#eZ16NtO&ep4%19rtVSy{FO_Ic7X9;h5V!sl_db?WUOwkTp#;B6T@IM} znt;u(0&#ssEnpuyrFQ@3ZX~&VgDU!@DafC%(|$s*gRj%4z7+HvLdNQrK({Rjp66F3 zuPYuv#S5O+K|zu5-N%~a^_yro=tWT|GZ9RhAL@@(UR*Bx(`|gNVwxz=U ztQ|y0HV({yHL>6K^&|Cr*4Xn#ap#lb%G+>_JbU!i6PZ;w+UyN9gs%*IYzz4g=+py- z<)lyxsH>rB9p*6sl}9#BE=0bnKfiBJ`d&@a_nMQwSC90)+NAH*#*RmD&llGo;@&UZ z_Y3#;aq%l$d;r(}{K2cG;i5&++{!(E3FEq-PbJbWpu=@*e;}P8X zVz~FW+U3*yCRZWIN`3P6!WBXEe2QV6Jw*U^@*3%RYV$+mv$G}2C*)CA{Ws$m--z{# zX`Jk2_x^q!H*UWV?s@5xZy&U*RtEO!tvfEu8ls7=cP5tvRpG-xqHZEV0S4ZLSeMfp zp^4apweNW{*!7mU`32nb!d?IPnXI`mH4}8#pZv9csWyWh%QhT%q3lK)WVM6as7E*JP>z3apg-+PztS%@q)tLG}F_A8OZjrL1v*bu|C3C zt6qyY8+KBSwDmOZLDa!gymD8PV2+9FjOomNWcztcK}paL2B>J6t)GPxd3bXVoK*6L z+snGQ9onMN$=XQAgS$gueP+tk-P8;w8dc9L%mg8Y3y~$?d`+Qi`6Tr1Hio4x*~O~& zZs2wB{NYQ{mIybW`>*A3=kuO#;WlcRvVq|O8Zwm$Js2LZW$8|dMrNxW`yI;+KxM$| z;?V_LsGq+|HJ)P$p$!ezbFalg;ls@jw?62@8O~pl6Ky(ZAC*f>8bA7w%MR8`*xArZL0FRkXzZ$*fVp3#q=Eo>X7WOscPD0Ni*1H=l(&FBlj9CzDp=jc!pU@~Ei!Iw;8@d(lw$ z0ex*W5MX@0n8>5w|0Ax7i8xO*e%Fxjop?oTd;oVIagRulR>!g+x>vx$U7bq@Ei3dA zBlX*1d0t9G?*SJ?jBR|Py|;|2y8G6KQB*)cQbY;q?(Ri*cT0CmNh6AYB8UPKB4GiN z5{kkUObkL41qlnVP*6ez;oZ-}e#ZOl4A(t|w*t&QyoTJ zSz!}J?b)SrZG?N@;mYIY*EamUKmT5E?^E3VBiw%Zjv?~++Z4X&;)COFj=YwGjO@^z zj5egulKQ zr-{1!+)`UdcEfQEg z){djXuq>0ZH>^hv{rLIa^YwXt?0yQ|`xI9{M>0OOxo_hI5f+`TrEO9ma^0F<@45-9 zSk0ALVN!)qQCl`eb_KNToWw3DqzXENHJRVa_<);>-~N0e4_qwVx^OvF59RqOotSyvtNr4+vvq)1SEllQ~-ktYS7VHexVh>#E?K0*3 z-k_}_fn9HatIxRaYo-ywrF zQ@+)uBP!VYgS(%&{sV5j$SZ9)({v#fwUxf;mbHz5o+eM-m(nTdZ2H{E^!YGYkkGsO zSv>+qUr#a_r3S-k+g+3&jm<&K;2v3twHG>5eKN7$(h>M7UCnntBh=F-oXDTh@I=Ke zy?5dTjj-#ZTE2)-C5Q`y$bf6!;}tW+Y`jIh&P)jAN|_yQv+2T#G~ews`QysBG)3~hy;1Af7=C> zaNX=!jP`~!BmZ7+jR5p8$|LwJw=Y;|yZxx()`ioh>D~$_Wx(&6l{O8xD{5P7SA1Ba z4PUcnx^J#Y67nEMboo{*YPkAQ+%GE-;5aW!4>7-fC5P zTZF>tcKwLE@(0kKsx7?=gTC1MnKtPDn(jL*n0m$D(mYP!l_4!v+P@E>-J>!)zIpC~ zN4)d(X}l~zAW__X^3yK(+w!>ncGp<;Ho;mKw3hI=gGRvu#`eF>(|zOR$*=CrRaha%gU#e=n^w#u@60DpTvS6l{16O+mvx^<(s6+7Qr;ZQuK(nq}b$y>a$m{(yPRx)) zxbXq+Q1UA_G3v1ER*j9PJOOX;)NiB8_rmb$wYE5^kRvcI$rxH`StGUC4{f$P?7*x$ zv?YN{2dtt)J?`|VAm_!ljGTIXFq__fCi;^W^yyBO4d?5Fwcn)aNgFSOt8cjWoB^ov zE{IrwU!rm8l9e8~C0J9p__?Edqjl9uC*4s}O!NJ|-}-P|j-k{?zz&;F6Sux@17BAV z5}tKm%8Rfm36$5v85SD;;yX z`GJ7LOC$Vd>L)kclKb+4`Yk6k9SHcD5vq;CTwVlZ?&k!W;-+f3VlFVgWWR$aoC~}D z3f*`$ovWt|S4p!e0wtwD(Vc z=67)8?YQ&7{a!{+QC4-&Z~?XbOZwNxIKVX~+rDQL7h;x-{_f7tMyUUyi1wjUKv5jq zNaSbsg8P-7p{_q7kWjAHg~}CsFgRIMQNFGL1?P0Ub1w3rz?7U&krGRIE!}bGu**I; zPS#>X#!-trQi9s@$jc$bz4XNVa1*+A_}TS=ic08Ji9f#Wa~bgIr1`6no&#LG`lCNC z)9$+`4_da9Q`glu!L&qn-poTKIHgcnJdz*>G+Hz@-+6zi>A%THefPu?oBskgzKV-i zi5pMA&ClYFkLy3+_DkaW1Gx4I_q=f9fw=pLJO4SyUk74;nuA8*&#&dJ;>dCJ8lC1| zD~LM%Gs-H;93K6?zh|*n2_+ib+$W(&;JbcmqGA!94EZ6Q{9)G*p(n@Mx2O3g!lTuM zq>oc^(9_R;sm?YNi7MY4eQJ~hf-!b=<-2uJh z$%_@vo1v^HS{(|`gx|O4y#M|~66Gpbu68eR!7UAv`_Clg(XSZ0@`Zg|AZ4{#TqBGd zdfoCz$zE_n^&sUyI=G`lY8vq5wLCJ6Nke=hUck{~QFFb@0dg{nH5!$J(Q5F~{u?Lv zf$5VfN$FW_hXU5N0>O^G&7tSi;M6GHpkA>B`XCm3_g;e{2$R_@M|pXJ zLI!Qr@MlN(vMzC`p~?elW*??r;0i}^i_RruW3CW7(PffNh!f!YW4QW*D}U5JYIHfu z0353I$mu`Yqe~;lCbb^x!Di2t*1T>#V50YknG0}0;f?~9yQ~cWS02|s91p2=d%C6z zYIy}*u6^`S*5%p6`N0#-l-(f{5Y+{Hx67{M@_WHRVRWoPR}U15Uh9JIc93_vxSG z*WubX-2KOmSN}8lKj)|TXXBGX*6c5l=dL7>W7j!o{E-K7#p?Raim!J~+$xXUyn8c@ zjyiJQez)HB@A!XXfByTN?<7qS)5Mx4Fpa)N83HQcaQEWy7Ahuq>$=8#;D8FObo#bF z&XGhBHLP&_HqH`b z;HBx4Yt5oV*DqAbxlzd?-1paMzM1cP{8ZpAHy?v{xHJ?L2P6$&RECP1M?1HibVj*; z4;AAE$#Rstq4I=8)+~9bo&nu_S0BKt^`qUJ1fyrw8&j)6_(0Kl7nWim1zX@)BXJh_< zuYLx1e{l5y_j|#;-*NemaN}3F^3wvVqT8%P(QIMi{+gHjpa5v}2hu$tsjKR=M|?P{ zGZ`}r=yiwmx7l&@DxQF=&$ZX6%L1?Lhs>Vl{D>ExK*h1PLtMZFooydKqH;YJDEQCm zm^?a;dhUH>PPv{4^XglU_!s)Ze$%Vu@zy@5mXFLgZj%-8y(u|U!W54}&v1FS=}ANP z*pn2xrFej3jm8_aN{FhKz4!#RGZrs56`?mnp&I( zQnu#(^gm<{ToJaG^LmbG)RLCtM}`r63wUKaXlxAkPZUc`>slZc5(C5T3pzld%$BF2 zVgr-z3nxu%y-*Zcn1iyE4QNy=D!U|GL3ZX7_iN?e=%tc?Wt^E6HvR@~J`2}g;r63# z-Y#M*yWJIyeRG?y3bzFLO|04~Zw(R2fMJmz%wUnHn_m2 z3HS5|y=DaH$71+kpk$>}n);ql-PaHH+$WeL6?w-kDXtV{^)l0V@ z3}~Qx>!)sA5s-k6vPe#fQ7x2_O7_KWKmsT#*BhssB_aD88*7i36tVxsg~*rWK;%nO zA@U`;5c!g9haP2r{JOzao>=k}i zV^83>dcn!%acQU;*e-(NlZ zfB2wFwzU(MYSuuPdm_3r*aLgLxciSAKf&$a!QCI+`7j?W>Afi-1gZjLEw7~n!H$Pd z)gajny`S&A(K^Kk9iPUJkE9C0M5MRsw^lxAh*19du*M#Qat@8&WVeF8-)nX&**1{1 z^;5(9Qb*W&)O0$f+Y-8-k;M%$A3(VN9`1T^zu%hS8=BEKwZN)-H&0MH0f*$4t;KJC z31C@zH(g2-fSlB0hDw6>K?iqs?{Q~SDBki;NA5%{n%lw4>m{cFde1tqHdAO4IF5dTSE;XH*~E+~tqvG%1;H2?V3CeJYi}?hLY}pSMkW*aFjH z7v<6!TR2A_wEF|CEp|N&?)m<0`G$Ozcz0(dP`j&o>$I{tvhv8W$YoFlUzsZQa7AsP z_HQmbm1m9YQdeJI9@WHNFYbMTd!HIJUCWJ9UvsdkFq zPT(_)yxS4W40c<5XTB^mV)s|#z87}dh>cX={;eiIHRtE@RRkhkiYD6oHPO}wwVgF0 z!XWg^%_s5_9rENHTWC2U1o__-(^`rZ(1G12=#KU(K*)WLh^sf15XBC=1BZE)VC`B~ zv74_tsyi=#-c3&)n?GV>{=5)mI@&6Dg$Hb@Ne8Ej4bWCN2`)0+P?W*!Q_{u@1qq9_ zKTEiYoZ7BOT z>G3^5>s?>Y?D1A~GAJlONuxPNtF&x^;_ROIU5 z5O$VvfHe@w#8SU~(QW{r-(86g64io!dws8cAzH-o|NMM$`A2ZSFWm1JcmHwwF>&$V zg8Hp~F-q-1>&^6@n+|cH-6wjJ-^^>m=I=b`3cqL~`3Fz@{Aiwcu}isoe$3W_&a#6f zb8~*M=Id=@7)HQhKXhKOkvkY-GIRDYKl25|ZvHuA!3`n}i_#8fXCmD7Zpi=n`Qp}7 z;l?Ze+5G?f`^B9P?)~_;=a2iI!u7Xt^#K>Zy}o6%-=LWrWa?Kqlf7h6_pPI?Qj{|2 zq6FO8WWWg`3QJ@HnUWwe$5t*R#D?8ZihEz+)}!K{Z&zE$m9ZO3UC-L(+@#(~K$1*E ztG16J;^1Ritg4p)bLN}A6$ihm6!-GAKu!5#mbu*{Tw zmL5tU?;M?i%*X`a#fpm6EECETE(seVl&o@IO4?KeunV^T*|@ z`mrM_O18rcr9hcjZIS}KC$si*)l`Q-&K+$zJ;vzvZ;m#ko zANf?jF*4IogXb1@MjF#PD0|VL=RF~B`YA!C$1_b88YEk%(#5 zA-M9m^&7bRgDXEl>FgoH>x^hjuNO+(wuO_rM!oYF-M}K1_r;K7B#L^WvvRXl1I9#( z^ww^BV8^R*^#NBNH$RKppNs21;QCj%>)nw5bAJza{`V6sb(p?85%{m94$ANFMiJId z#{&zjVQX2iXd;UXJa}=Xt==U71=Q*dy)d%Ij&E=1{~lufp$4)3kcn7-$V{w1lqS|6 z(qfN~o4?q|PcgtV&a=@~duf4{DbB+zSq^1=f5ScB4Sa(?=f5WTQCqjWIRqU= zQL>>b=HR?gc_ov|0+bx8yTTMaAfu(XttZ$JMn&3(tvW6K;d=kx{er8{xcOY%dIQ|~ z;J)8+$H$$2S>_wBMMVv0C|%{RqVY!ckD~hNcvPX3V*wJ?)uA389-ZJf2j1Be#~xx*R!8OT*U?A5u(#%NkfNSzeZqnys5J$|9I?cW)#QtIORbUh z>rdk1731nNu6@HDAGd!Q_rAluuW|F6xZ~sILpSWnpWA2Ld^fJW!j;F}AKduoRCI+P zA_)i9QI%N9o0+I$OZj*e&wfaZ!TxQ1z_mZP{w?nOaqSzf z{s*^el`+Z(0MhspoVCvj`Y!fgle-;`?psy3Z%sOYY}c;^9HRFDRn}L+?reUrfse79 zh>xK~#K+h}#K+i0#K+(v;$!TDAM__=RY^RM{f*4BWp@*(6^Xy~QP&a%3fV%_&26A> z)YQbP(gOB|4Ti`mxFOvBYu6U}N1;d__`fF!v8>8KwQS~#YpF^gYrIuSwMz!3#Of1| znVTd29o`coQYr}d{f;{y+r_DgVt=+;<6`}Pd zzX$H8>4BcY>Ud>22a=lS*rd2-54iZfxb?=k{yFaVh5NnZ;>F>9kAK_WP~F7#G)P(k zcz1W*+DW5;5|Uk=)cpv3f-T{jIXFZ?XDFcJb*eHF&x&cCEEL7A$H4WkzMSJ`Pa)LB zxG!oNtoks*xw8*g9(gOFA_alHmlf!M!+m6)Ej;CAVy*im|H{?KZkk(i#r43t{^2-)C9a5oR0AYT)Y(AdfHlTW#`(%3NSDw zG4t@K0348acHHDC2Ude3Zj?n@Ao=h)oALoAsD7b&sl3}B;p!)@{^Q;+xb_5BpK-^3 z^L1e4;ix;*t)HCioHd5HNov*GXWh^cpQ5VEpdDNqO^?1KYzgfV#!^}_LFm<$r_wS? zF3{h7-a*~O6a-JKm5Ve5p$57Fi;BapPzzS^=&=LnYV6FIAM?lNe>AhwVcXi3hU#)j zizcdkVXNXigU0g+kiKiy_wj228a_X)8uKUsSkli0i@uA&{=RVc2RHwY>kr`CH{AK) z=A&`nI};u5!#0*KV6d4@r;6VOIyUnu_i6YdfmhMwPK>tD`AOk)PP`+KZ4YfL%J#>` zufUx@t~{?hG*zkhdCPQ=BflWzg`wl7r=Ot*kmjN$`>kWHZ6 z5V!4BsQ|*oZ^yk~aN}Lp?L~Zde#?N*P@5#jD*>3?dntUd(*d~|^F@bc%0d=1ztr{L zqM%f-ne|)`pD!EtzKeG(e{>;K2uP{FGnY+NsE?Y0($ zEnhk|KWq^L+1&{%Q$ejHzcfJhqu~@sB!b$7i`{X$8pv*)J9&Yc3UKiRPTS5K-cE>u z?HWEo#Uv3>VdQghXF?4L=a@7MJ-v^`aqSajUHV_9C>vv+6H@(+^$ydiQ{9kp}Si zarv@*G61>FRGZRXYC@dl`@2~UgnXcMf)Sav26jAjlVjSTJ#3OPpk;|ZeZF1o z(xV5_QBG&SCuqVV!)z;$vnBE#y?d|L76Hv=!>r73ZRn@fTblFK00aB;hM|w-VUp2- zf12MLanv7)NKw@WwuJtZcXSE}HZ+@>We?gH8O^2VEUV^CS!M+O-p^I5D%o0DwQbA5cn=uq$dVKbpCog;cu_^-|_#m`u4wV z|EVHU*1zryhh5|=<7Xx^(byr|TC(9VnA&QtFZw1FnCa@wizOn_X(>C7%TJ>Km;Vu$ zFCbN*6)FC(fd>v*OHJSGK)ODJv@zNTsXSilO|SMq_X~!lbqTx^rrnakv;|h!{SiC7 z=VIrIWMJ0xRA)Si8|ry`{fheyY1pM{D5tnn240BxtJ1b>!`YMDy3H;rVe>8G<{xqO z?bX?*Z1u+#;JQc8$NOEHNczK`d$T*0V6>=SR~uY2)6tLFtx7X67fI; zhuD1g>yXvaNE_$@5t_?X`k0y%^z2gqcQ?pKD_MV0p0_am-- z!@VDI<5#%#X~kzuv`gNLK&hHxZ^jWJP^y#*h*mN~3umVGe+>|X$c3cc$#ufe9wzem z44n|XnN8eGCCCcinFpwf*jT{BpJ8G5Z*|11EGqjcjTy|c_3VCRv4Yo>=gGzW%#dH@ zKzfqZ0Xnl4;>1@>;b)p%{NrR#bY#!AzU^l`(Yc{ZG2GcEz$zA;l9pX|HQS2xbhqI272&j%p^95fUB7^*X4dV#0?lK{oQCrv>=pRXxAjU z8=_O7U#}R~A^InO&d-P&-@vUO!>yNair=|X$S4U#u8|kW@A80Y*?#Hk^wJP>i^N-- zO&J2rW7x)ZgdvNJggWQ3EyC3Y+453i_&}yYGLdfa-(Sj<$d0L2dpPr^yp+n>Z;@86ck-Os;0AKdYA>j`n|)8GaFW@kMDFKX4btlTMn81Ttz ze=%f)9F~5}i(B(R^X9bT>Vy11Lvc%Qz>63B8M3isXh|^-Mv|>PZpfkhUObS$$_T-!Fv)q?l9{e5Vn;h3XNGIE^QWfNE=>Llw8~g zA(hGE866?$CV5FjF{ux>KZAR|xb_WK9=D$e_k1_*FJ5B&N{|@8;vvSbxQX#AX=40p z5B7fI*0*fzzZpuVS=#P3M|clsIZW#a3jv#!uv!KZf?S^i6hFIpAyV6c^F6aL;Kpw^ z)+O*wgmr&Ir1Y&b9CuFVlQ260i#4n)*S`V@Y7W(y2 zZ+Lo4vd4BHeQmB+RHqEM{zKm7?N74SB*67>u>(h$I&wafub@LC1vY;3%h`3JAX^eP z)bA+?OE=EVoaE3%xcY|c&u`PqdrUs%hT1<1n74*VgYsnSu*_o(=-6_Vl)6&}I)8C8 zzwnZW?4rcr5MEW7o|Y6!ab$yzEFluHTvmY4i@H&9ny8|+Oqhq28SYrq=quZ>!=v=8 zK0B6nWAD!yF4u%}ql_S*u3zO%O%J_1#&L>;9N;E+#Ps4RI!Jy$U>;-50AV{$*QQV@ zBT=&Q@P+g8;KQgMUwl{=9_HybihZ>wv~-T!i8si=-H#W4pAMG;2V*9S=g(zfRyw<5 zNlzTCdp}1qGYW&ae1!b)8wH^2da(G*RS0f6EB%GrSMfK}H2WT&v!|nR+!ofvv@C?igy;kA_sWuO1tQo{1TEX~!>3M{X zEcG5x3Kjwe%E}wN{RsUyC9BTsb0R2@ZOJ(C9w+wu1^2%ASN>1l7k?hF{%7_O5$z!( z(H`z0+QU6Wd$^Nm4_S!(iG+H#|I61bN#tv`Ch|2)68V~?hMzn=b&j-VfJ4;I0?b5)*0S(qj*anR=gUzd|7GnZVTm2Ir z-d%+FIf{LxkvGZ*8VXN4uMqg$Cg;fXEn{TSjFW$|;*Y(68xK4|fAGrM4Muc&!h(9d zO$;tqG%*<4yCBczGTu&7Ll73{rpfBv67Y}ngBkI(#XlmGX7`S*KSxbx5LCuec2 zxa@!8!}$q>3!+sbH50+3cHqO9tk;R0&=m-MfXae!+~wtdegF2pPu{oS3P4U_^XqJ5|oP!z{D68V|E z*!g1difuWX7s9~Ji8nS!>M+WfE@g^g2!Tv}o#{OfLSV1IoaZ@o0P#0iRY)9(#2#Pu zO5^yA^bi=>Vo|xA?GB6|B7|Ii#3S-e1@-MzF-Sino9qV7erQaeSIeRg!p{HV)+gh> zM{xUhu<fBn!Q>J72ZXuS8C$lL#=e+`|dF>FOR^6qJ!7 zneXn*a8_WLZKA6T+J(HDh3$KS_Y&iExbL+;{~rH)>cjuG_5S&JO$-!AntgPJ#?R6> zN8|0GRg}eNB_$bs^$hvo>1_w>fk$@@u{gmQ^WwK+19q^HU;cA`CER>8t~_o%60W=i z^Sfu=@Ac8S0a}-0O>v+qt|y;r*FeQ0r`kH46(C^Cl!55DI5<7AQoH<86{co=BW zg3KYlNQvWJXh?bwsYY-Qbd?wjnvKE$RC8s_ z{5*UVD$ai&R)L0|RfKkmHlS}E64%eA7Qv2%H9G=V4Ajq^wYnO08CbZPKgV`lM0Dp< zE*k}RpzMwog~?kTh_3m8*@wIqI5N|7%lpPHV9KdarH$l=%ZWv<%e=g>k2Keyr&1GL z&8Kk;*Wd!TWV*uJO{7TM&1z7VoluW>m@(nmX;VlY+cGd@s0YccvQL&@n!}EIb!Z^9 zfZ7259Xw9PFkP{=wMb<@+K^Wx%F7ew)rs;NM0pjWyeGE2%;66qTOPT=wspGnFZIsQ zb1Fizl3^d5xU_5Zw><$@SYn@XSEDninkHM+gc0h#q?XO~TEmdzWOJM-qdD}gj4|*e z*+7oY_w47^p72!t-JJt%7GQB{-y@D?8>D>p%9&H&bdbkYZLuyJ35XxRE|kL$iK!%Cw+TdT?Oypl%>%xt<=f}Ke zeRa(QouC+#PW_?;Z<>8pN;aFIF9GMdRU?(as-RSHJeg4UDJ>>eby5YiNg1D+Uep8T zi)6d%C2i68%^8EsJO=P_AWkz*SQ`f3_?wqg*`e{M13!M|slz$dJzQEEqVUa{jedAH zKYWeL{wZ-q3=TFP2$R9r0A?0CUEzB zU}{vBDcot0Df8@dM;@~#?(?-SXk}Ei_~iw2*uA}xN2k{y28!@KJ>3m-{fhd zqOtm5RWS~D(3Muk(X|Isl?;T3Soz?oL(Z<)BW!@ncZS`c!tblrxxj<&7BaA3%%z6b z#T_CewT!UvNlZnnmkmN+u6|Xg7eF#I$9%QL=z*74B1(Oy9vmW1a5>Utj_N$!9HKe6 zp|780C4xi;oF;lAoYriR`9r;GT2Eta{0-cCzpzK8$9zubq9g3>HGxU{VEO&$m(RBO zfm~LW<*au&cqYGpkWb|aU)a>{tv!qYTt2B34en^lWk>Wqab1mXL=Q|d#1ubKo4`^w zyMAf70UY^s{U`TfXXMiyUSgVVgk7JEi#NO7BD;J>l^@CIw)Uw7NOEV_)buQ-&*T)9H@K8XSb<$OxX7+?)-86ZQS|e&IcEt z9C!S`Esq-?*w}w=qQAsJ^p|vr{?c9|Uo98WUt$N``Qx7N$JyBaES*sF0Uk8h?REr) z_H!?eUho9}KK<{KKA~ui6L-CTTfQK?sWSCO7=((C@E$*P z5M3Mn*t99#8E!w5_Xs)~3^8vHbg^5fAThgTn)|e=;457|vRbAO{_YC~KXvWUI~{Yy z^G`GoyKPxrMwBx0KH^@iXJ!UL-+Rb^5b$$0{6hxFn*Am6+?5t`>^cXHKguAkSY5wa zaT=JoRUWx{H$B0gJ96HBM+3P2$=}|ef5-o?@5lU~+x)!gozT3*S%fbD>+)<83(plZ3)-YqrM$gZm2_oTsC@~}lUaiedHb$1C)R_4C zZ!hyul!}4z+NWHYULK!UyK@5DKH$b1asBQ8ZTe8G1JZZC8KFZah2cE}-XZ?##M@22 z${_3W%=jLi5+r_Fcgt%rLXmWJJ6C?FV4qjoj|)iw4X41|HuN6rreIXz&PE1vU4z(QcOO0!(s(aI0@3wtZ3E^!p z7*VSJSecA32Mba=r<}TKI8bNUT;y2?hp7desgG!*(qzl)>Vm>B@p^w(bE^~_3PIau zm}Ma~l4VV@Koq8eLdvhmDx(elL>HvGJ6BsS-T{vBS~8rh*O61lSR1{!!5M|#?Ba5fZMz#8a-WiL9(AYkcn|AsbJmoF5 z3VTrqxc%n1@;6_P_cTmd!}d`!=J*O-^i!9|Z7Y)noXlg(y_Uy-?u!`@T{Lq+@?Y;% z-0l>|j(4FOucmYLl;J9AHbtPM6ezkg@EklW16I5@W0u)vpplGjevqIibQH{df~1aU z!(K@c;{(>j_<#g4J|IMl56BVY0|cIvfc^_rZCa?9-pA?9D`}vwm^w?*uL#zRV)0`l zI_RVRhdp^Rve5QuWwzjo47UH{RaE}SwA%(Eq**N%D18x`nufRLWgEz6dy5htTfxfg zl2D1A4=VGEd-8p&6E?rIxV+hxH>dVO;=`E&BAW`(n_rCemO_u5mBdf#VOPBN&^_Ae2RoS*gH) z=wFc%{VNipf5k)euhzRZ{Hx7G|7yJpS08ZWZ@BmA!L)o9%1i!0;&EWC{-6hVX?E{F zpdxwNDH?6mOIQ=}@I8rm_|`-`d@CXzz8?_}-w_)R ze*=$83sE)YaoH|NLgAyLi}ZF{Xknf?c&Jhm%9SIk()Mq8zsj3UO@jBe^Wx!VPoj`^@ zY$BbStx48|q$>*VPe0U!bdy(Uz0rC=q17_6`dAy_m!O#{TOg9(J!!|l7zOk@SWjA2 zhl9|-uJ0A;VKDK1)A2Cw)9C0<R4wcaa(O*_J6z6#=B5MJ%D)sMvD)`1h3rqDDks|smroa9@?5WTC4Vyr zmY$vOW50$R*)kTSMjO$M506BHR9YY`rJ(Rsgar~KbzG)q=Y=P%E_|s%V!&%^l$|Le z1`~4kuDM9@L1D|!CAxd!*!>H*@#?vdfE^wrvG7Pv!0>8KBpjiv3)c3Ifl!XyIqiA; zV5eGrM}IOHnN#qokA6FfaPia14l&kgM#xarFy^!scS7;d>SxLlfvVngQ-sE#IL$CGjM zaU1!yolxnQ4>2tau(Rat@3KP*$fP<^uk$f2@THV?Cid+CE4gJ$OIA8C=zHEp9cKaS zw(n=Cg^a*A3zqd8?a-(^lSciT8@g9r`F3lF2@KJzvlTFy6Xi9C^2$VcJ)*ohQC^iO zuTHf866nHpw>IZ=30NN8X*}>u5;eN!tk@Ic%&~<^qwE8GP5G@OC%j?T4gJcMyZYy>@ zHr10TpF*&BsVxmk4jnJbeC(quFA}@NaYEDjy!23(c~1J{3Byd^z~0#iXR=5l85+%d$y z+&lDeHVAyJTgnzDQb9Dsr2U)E36wg>Vs2)35IbHstnq+;tjGZ+ZS85y<=+Nxr^BCe zesx4{4x2u zrgH6IXGhjTPqaVM%uhZlL>--=rwh|8xr#7lV)24Ds~q!UE(wsD5^{7{Zvb^?_*a<5249`pu0t4@sRif6;ln0e*?0urM_rl;Ho6WwE0P zeGlBfd3skI3SVa$Iej$_j2_U=Fg{C0KdGH(p2x?)+)K24H{T7tob)>y#g~G5=T8Z~ z6pz4;*WuPX;o65nxr7;CV=H7{TgzgTr330|9qb>1EzyoF`Pe)SO<;-Y%rhk9x!sRH z)>s_Sz}9En`D_WZ>tlS&1`?j>J5Ee!pyoh}q*Je0z~x<#p7v#CaJ9?*{#$Sl)VZ(S zRgGhVdndl+8fK(G(0I0tt5P;Hq`$BHCLsm*SHAC$+;JFv{G>7Ql!B1w_OJ305KREw z@i+K2l)$ShV^dtZIyx*Y{_(Si9GDDVV5Xr~gg*N#C!Z_pqtDV(z#1TmeP2*NXpH83 ziNLT>D`)kA8FC>b+w!fHpzj~#)~Lc%q3)SI--x6(a;K=vx_nLsd;f9yL2&s`amUBq zPu%)CQHCMwJsA=3$w*_qt~wH(y?A`dxF-TOsrGAsOf*8}LQ<+j2ZGVb@6Vz_2zahv zp1*F5KIH{2r!PbfukJ_H4?8~Ce(`{ZDpIlHXT3p`n=*CWCKA2cyYiV)+#B2-OBgPk zvq2nCpkI)_59O5Tb~z+iz$NM%YBrV@F!l6CkUpz9%zfYCPSI@w_cJait6Wq>LF)_K zJM7d^X6#!FF@hg`>^wz&n5ZNK)aKMvP)k5i^yN<^f@0X`i#z_`mY0s(Y!&dC4}Dye z=vOG!MS`6>vQ1(Y;ULdbH-95#_;U7A!y^WE)D%c1;c|w6Gl{uBxbnFDmALOm-d+2* zUGX{#1C>2eANQVsCh8}T*mj(N)JravcTaR6mC0gh1BHAzw9Xi{+43~@dU5OhaNpy& z^0@ntE00_MhC9Ai_)^%ats&%2%94)$R)r?f`I-I{LcEH9KJ)rTKXmq`spENDEf6VG zlzy+SgMD6MN4J0ZOy-TAwmDCmT3f+0QByxEPFp10SIk{{hz;qnHfgI;TEZ{mn~bL- z?6AjwdrbOkX_6nb^_Tn-{^bm`^b;%dEdG!Zy)fu2eF9w_3#X5$^MQ(iUGx^rN!a7# z?kBE1u0M(UJ-R);vDi9ZiEQ5t|N3|@9M(>?oHx9c3G8%+;`+OS;5@~P{Z{SKP{B56 zUlMxgukX+FgF1UV7A<&IKN1t-YmLMjt!vHRXn~4)%d1QQP0;L8kkC`NMpnHty=CkK z{GPvT5C5l+kLy4D?e*g7^ISy|EfJcF!W<{Yb!o?fMeLv#LN3Cjm z{AS2RWyYIVBGThvzu@BzU)wBHeP3cWV{ZUly-1%Rcr_8u-yh$5XIa%KkRADq)D}s>nZ<+dqoMXF>Rw4s^>tyOxTx%Y zW0eP5p9|PudLjUh*@Xf1OMIZ^YUl6hB>>yyX2-Y-Oc8E>J?{OEo6p77Ph9!chS$%& za;AdA^`|=@rsl(@iJTKdmIR!JyGq;RY6_6q>!Vr$C(1$n>cLO8{gtT4x?p_&XAdZ= z|0?P(9*B$-C{0OJ^}sh{*3nKe4kkBo-jQkuMvjT>A|&?%(C}zU{i;(wa%g!UO}RS| z{PI$ncS(eTgWnV1=m1}ElTu?z?2m`~on^|md_u7C|7Q;Er}+IK4LuE|pM2jI2WKor z6?HC!L8Wp|mruPkO1l~>;Amq+=vTNiYGrQ)LQJO|JzM$UP>Zg#R-h32qIfamyCn}S z$WA_PG2nqu4gKkBy0XaIk=#^hjs-UGG3bf-7_>xu40<9y1~m~MLx6~nK?DB`ui(%7 zXK~}NW{leBI4uG5%KZpi1>IyM0`AQh{@W-x@Ia3M(+E3Z6~Fm zDMC&xF31XXH{2Yf$`^;sYHGzi#+_hld$2E9SQ5~YQA5TZ-rybZ_DSTcP;@HfS8lg% zGO$CQ*b9y@l<>mbZ{b@In%EycI3cTneP7_dA2;|PnTh<5yNLXcszm$X_+N*0FbzTt0&nE=Q^l*d05l-4RP8A5K8Xq{kR|3wtxre{+wMF^PX2J*AWr34^ zE%}JK6zHokjW2$)MTgG5H0(Gp1+#7D_C@{Dps}m}J96=8?=? zK&WaTOJO7T0WyY>GK$q`B>(LF6l;Myc0F7Bshz(MY;gze*@W$x-JNQ)%5I}S>D^%b zp)ccnSQso$jGc(~+Y5|Yw`d|MQV<`?egvl+L4!Lr%JEznnp(D~a~t)5Pp7K1#ZrAi zDap#BWjqw=O(=;Rq_Bc_Hl|X0etUyi@3!&rU6JVVHfg@+UIaPrvjY_uykK&LeUb4; zG`hW_cV|s>t!5=Zwk^^}Br%GJx23*$i=|^02$_utQvj z56UGSJem~fhF#Bqd%yfE|6liS&Yj|bqlEVi#dfvX`^g8udGZi+_=Zm)myulazreUn%;8z=OTr|s?-(L@2-2^V}gw!)yO{G&W)R&f3Q*n7*M zEW7UiTPc$i3vEKokX06h%Z73*>*! z+ju>XNgeA7itf5EMMGyilCQ$xQ)Godrk*?J%o2w{Z_aX2+Bj`zHKMH z;L9Y3%v?!4@=y)1wQTT*RsZ-i=ZC$)@dfX&k4H56x2*@<@7=#`{{QrRiu__SZO)}4 zYgR$}CAUcETKn+jI%^c%ywhm27lOg&=5X{5g%ngqW>l2o6@gu^@=wqIf8+mW|3f1K z?=D%$ftJEczvV(n6niU#rY6S%k;?309|}|e^V;Pn6Yg>l>#eEIFD#AiAO7+g4nfSL zzRNj5DoAj8{8b>KK1=s*aZz0S0eF1cpNXQA10;A(pRBmS0J!;g$>~WA>Bq;Rzt+1j z`i(65rmiO;W-bDqXZJ+!+9e7{_#V|;jw_+3tn7CA?F9X7M&sS>tCFCQl}@(7FACBb zDW=~}N`Ob}uc>N+Zj%5AE`78R1Gg`*lReJ@;nq9huD8Bzs#LEx>|xu{q18RLiUc0! z5!z=2j>=w6Q*zUQv%p`vlG`P&T3&}ZL6wZN)QV<+8`CAvI)=B3I54Ipue zZ_DY^fcl-+&MAn~QR|N48e49Al(DmMkLxyD z$ZB*I{hDRw`m7samcM#371hj&i1MsQLOA1Qgot7;YT+Qir1dif_zxT( zjkq2It?b9f#aLOM^-A1~+V%5VCgA*p z@;cjqE=Z*K>_5k;hkgFUt&e?sG0tA@oHV#K?TR&^^F%(vSHGFaSfR(>9Z%Li1VGl& zk!qKqK%{z_hTZM7C$YcgzmI?Z<+%kA`Eou)zMMaiFBd}O%lQ!ba@pu~pTw`A0I6PNqS*+~01wNX~92xIU zqV^A0dkajg!CU>rFaDc0z`STxUvioYeUoogXYaL!nsQbPTkZ%5NRt^4*GohRr78@= zosm#_u`*`fYvI2 zu6{jkJvOetZSKf4lutYh8xM0v$%ZR{-d5aOF!(gOl}#Fc!R{LBzT}yb^!pM_>vgSG z?T<&#{!ArToCrmQ##Sv?Emhzi9nC53a5p4=!&0HI&KrIluH>^Ovw{7t8LbVW9t`-Pu95MOWPJkfi|^=zT`V3*eXJt$`BWHE zo~jobkuwDfYxjt?AI4}TT1cYGGYI(Ju?^}?c_L`))zqQI_n)}=EYH=Go^>ibK+c%O z;1wx~xV{XD+#unBjH1Z9rna0g+J02;%Xu*rRHye*xQr8u?ECkUDu*G)=|ehq!o!ie zd-$Ynw=03`Fx|(OlnhF~+3EGy($NpU&Ng<|B*mMQCJkMKi1yoj6(bA=~G~2T4LaMKNpVF-Zqy6dctdn-(SpQIxhCwZ%fP zV*MxNjJPmJ4?I7gc|efJe>(!TdPVQQ4bdUHq=NL1Cm7-T&94{L91a1wOZ`D-8GaP7 zypJyPB0W%~aNi3^l7s!`8J+D>;t;XQ-Pn3X8jLI{O#8n{!mzRJgUNL%XbkY^sx5aw z0!-IF`krxz!^{bypy`9IujMe6aq7bO&3*6E9K2vI>PpSk&It7IW!epa5GTOhzvo46 z=J6Y8qi3o`SH(z`Q1Jc(3yQVepe^}_FW|B`(4YBU$*r#p*|PCmjL*ff$H$F_(Eeg+ z{k(bzf|`E8w#Z#zs%}1vu1Y{)znv`KfG8X=eNnA^TMub9@tJkdAI7c^DPX!kwC7_c zhzE9PYo(lmfvIm_24hYk_VW^^AM*+EF zfv4eE{i&J-yc3x;-*D5wj?X%~&u4K!e%OVwJ%qf`Mus0xT8j$OGvgv#HV6Xc7bVuC z2eYBmkRytsGYz&oXKmaYs7G2uk1OkI(;&(CsX`H1Fsx?Z2nasl3g&f$p%Ss}oG`OA${gItbs@YFK|H*~1#U5=G)^ z2cUhl_dU&V5lDP3|N4(l40in1_e00fp`R`wDwZ%%mc|Y3H!J4s6KtWW!TG_nNh|nZ z?ka21=8E#49N;v3>xXc^@5)wBy;imuAxhl-*-c%3WF7x9hyE557|M!dS6Lr|>hCve zx4l1xczeHoN_W7IhvSZqYrn?7CO5s`6wIRT%;{6QAg#=K-5czNVEBUFg5{Ah%r|ZN z-wSs_w+=ivmDAP6zQ5qs^Z(^_h!S}ntVCXiD3RB}O5}C05qTZ#*zp0}{vF)&5^n!~ zN+4Qr2lZCc=eYE%8w3CtW!J=6+EUW zD@+LDVjBwwkH{cxo8sw$TT2QZrSjey1pUtu!vk+GArmAicDIY&%L!$6hE(3TNjR^+ zvffpu=?E^*W8G{kt%=`jc_MFIlE@oZAo9kYh`ezbB5zzA3b_{77(L|RH9OZnw?I+I zzu*=7_>wGC+{)-7%e6&W9wX96en`Ol*SQwMNfGSx0B(OMixIz|Rb32>X6BXC#u!Bns^`E0P${w#6+y2Sab5a+K$oWBoo{_4c}D}%i% z`E4ypRiO3x6p+p$58Ew;l4e9zfwU!B)#Rib`gP4k^f8qZkldXhCx0Xh?_XaIYCGtT zxH1>rIZkT>Q-rsHDYZH14VCl+2sj`Y*BgH(CJexEDsIYv#P}bNSK#{FE%6%pW;s*j zz&b0QDJ=x&AM@XNpCSZ#e7~>D@ryxcN2b8$L1Eaf7_=tkM7XbC**%f|M+odwE?6DC zsEBM!^Q6?MMZnBs^?PQc0Eia{Og?lGhV`4(i@8UY5pF#;Zhjf}e29C#TA#`<>Ah2e z!lF5|%(g0_!(hbg7F7rQe8oV?d$SpFZBaaX?AHt}g}J-u1g;~8%!XjaV^T1^eZFaa zV!ijE#(ud3zR$g@%WwVr+a#c=u58&^d`3a~r}KR?Yb~THXKVk)*%;OW>)Fm_X(K(& zQ&wcWW{_2R`w_jO3vwQB2^phRMMFNJ!?YiaKy=AuZ|*cFd~nrbH>4Fst#7#mJ}q%U zSea-B`A;sG%pyI&azzMLw0JCO@=+j>`INdPD>=wtRTh3=hhT{IiYnWXGh!5e2?LQ* zaK2nF^^LL;2syL%&&JDQp9gTySGf0g-2G?;9HN2*4$zEtPqfIC1w7MQrN4dG0oe4~ z-LJ{*4-8WSmpwb*Tr)D0Hgx#O)blSs!w68_Jta`?Srjuz>Jc0$Gbd-rJzl;&q zE2l)~G9=L9;rlBIwc^J&Bn^|1A&|R$0yrfz3)}LpmZ)iOc^pyb!i(!(Uz#5Bkf?aw77w z#EHBt1tKp?fym2}Ao8*h+_On~cTCn5*isXJmws`9N9{p%u1OK-@`uc$Dw^Kt)=W?^ z&nr)e_;ZA-K*0yQUUX^Sj$JA|Qm}V1<5F#~qUo}`COK*0!1X1CXv+;s-hvM85}d;O4d@`|sT ztuk6^-t$>0S{FJ8^u%T~)L>iidH(XiKt$$R(fH)J3A|rO7|Xt)0dE|74^G$^0It3& zE}sXtKP9jxDf+>QAkf^dZx@&!i=t|BX>1t-p=o)0YN1B}9M{}lbyg@5?XusJXd5T= znd#Qik9z#~>+SD+I6=#_;_inB$B;!y#ltU$IN)v{6YIV~f*uhgSsIhFC|YRq<6mxN zgx?w;n-_MbLQU=W=U)z;LZS=02Sp^a;q!6`YwA=oIDOlY2sn}gKa-UO-T5mJZodHT z`4BgMQAf)qc%Pt`(?iB=v^2s2zttHMF5lvVoBL+lZHEld+HL<1zDRDUyQQMSslbc9 zo;}-JZglLj16{}ady6GPkU+m{%v*DN*!0fj4p4Cgfin#a>5D)a&pbV+vV{4h@?!~-8Q5g|GL|(y#mGy2)L;8YLM0N zWI1f&0PNN=Z;Rcf4#(yi7T^C?hUmf%<_yU$NU@GJMeLR`;Qrr#+`jh#7wv8#7$y(7 z?Qlj2c1O(1=12&`*asnRZfibxe*m!@`%UNvIQT?a=#s#{ZvOVZr0+2N?%v*(f8G3X-!G?RevMMdA>h9EE%O4Y zI@(8OIoH%lf<*qXa{Lrm2d@)Ry`x%sD4feA)bNffHm?kKKDhRO^J@mg{2B)_zs5_< zukjM|Yn;UV8Xt(hJ0G;F&J32V%!fj>Xwf%{-_%XUbSNvTioa~;5V-1e6?~{>LOCWZ zq-PiQ{hxooxaYCS7s-0ok5y5AREd1~D+!=wDacH|_#mA9$ z0oeUnJyI=cT%C?U-8{p8@l*=37&)I!(`pXEf^JOh##Yc>@^vo8oe;;$jBbnOG>6s8 zX;oHMj&RsBN^CO-{mJ|Kh5BO~nle_BDwt{g>!m!3#kh);`)kl(=V*TdEOz&)QQ z&hHq%pREncQ=c3^J+wo7>~2ls>PBE?hXz+!3?M1N|GrO_9a3&IXFF}Df_*+&ysLWU zqpJ=)KWwAOb%hJcPpA9OzBNV-(`wrppJ{^Z$PO)WU0bv_8O`4Rt%Dt(u{**Y@ncH^ zD2|4@ho@Mf?0$0#NkSjbpY|O7FC=R4`S$0@b0iv|e(z>oIg2S0?o6orawrz1GuZ`X zJ0mnyR^cD>E&!F^y=&&H76Poc>a4G;J)rlrz}N0KuE70EG?s+GJxz5p+FhA#iW-@G zooU|bfMns@t1E_jur2ELgM{PuNLDnoYh^?Yo8N_--)y1D98L~!g?p>F$S#_sqOSC@ zpLxB`a3q6nHhahgqMa`9$)iyMdcE7REQefxF*92e(MrSmv1PYrHWx%EF1gE`Towd$ zs7l)tC4v3^Q>d!fgp#<(%Ag05prpL{P2-doI;=MCtt6)i3$J=zB%LIYY}LJ$i;s<< zHN9_Ub5#)%Te5=gv>IcNFKzYhnIWkjd|}^Tm&KzAR*#Nf2^R=NAJ>d*j}m?-xvbmO zRIUjTsmbY|di3E^>L2pSNOj=g5K-h4utBy|y1U2OG$EwR{9^S{O$ZhEzBk^@5-p#S z(G96l!`A!z%Uc!(CPN$1n>}jib>QO)N&``_z1t9Ls3!_PdIkedB&(oasl3O>2ytOt zKC_G5pUM0m+OR(+nM+UK5k0Q&3p&593mI3o_x@PZg|8(%bw%oSh~?4CzTTf&@Yi03 zXm3cgmm}KC5$*Me_R_@p{B!e%C(jAk44J`~0;9>Y!2neJg6Wn|uQ6Ed z8q=?0aE6y5BE~GQPXK9rYd3?qCAh5&IXLkdfl_tQ_G=L*(eu@e!6^m{P+y>aBm3C| z>`TNbb9t>`yO3YKr=U2BbQE@-zDUpqXxz!&Nach&6pjHUA@BS2^Mv`1SZ_3I7gY4J z-VvMMh|9Ocji*IT)>yY6lqBf7sO_pcVubb!8yvH$Q31}um?YW)6&R1uRw!XMM4MsR zmknAZ0he$8mw%!~U#x zjZ%XirUU@&K@at}y4HaEeNQVqw*S@+R{}@%Kqc-0`QD zxFG@s1F4M+PUh(H{7mBqFu?vk){appy>|{nA`Lf6E$zMFa@od^j#CKOvkBF?TFIdG zA0G~VRtQDvkq>6Cu?7(0Zl-k1+(Br#e187c&p;@+w8MYnaS)PiagyM-_e7d4Hq%7@a7RH zNm{)7<+&LuC(XL9udf0Iw%=xykIKRLKK^rGPHDiEtyX6S7a0)S)qi0%LkHoGkDI^7 zz3*(N{r>qnlOM!%>{%k)=LB(r>PPIKMxr^z_L8s)FT#2AB}3rrSX8~LFlW5YA8_@` zas44KUkKM;DqG=`(@PByJ^#4aK2rjvwVb2)_F^|IcdEtR&s77;AheLWE`|1(3sZTr zt0CO+|84ev{ew1I<1n1H50Hcz`Yttwud<*hB0O>TnF5H$+ornPOTu~cv)hUswEyw{ zJNn=f-K|+(q;&QquXm+5SY%x;kDOM3sqIa9E>E;k7rmq61zjn~Y@JQEALSzIFZ_Gv zkNbXc_aomBYHh36g*K`Ayx)6N!RzP|x#>|GG^5t3^6Y^)3>a~}`)Fp0rur?ECxZ2` zd0e>j|DXMT=9}%3WzJEOGlQ2-Uvu@$T~X+c04rG$Gf=9NmbHsBfy}fCr_ORWG$X@f z9A#kgkH0V6`@*h~lEj#DClqvi?#@mEha#VjS)@Wt5lV&GV@}?-0=@=juaZ|Lux_f| z&{O-*&;Nhx?LV(K+~>o*x>;czZUBegu3RCba6y-z&uw;udLqLee@d+HnxH7H6V8KNnuK}Og<7|1fk@iT zp4&mjh<5Fo5bG;>z~#B&>UZPTpWy0Y;ohf`t@VtCo5f(?`D<(*xd!O^8NFDl0V$MI zCnkKITNuuqJGm%Ctqs-@cVCok3B#a%?K7_W0F+m^nqyDkMGi@QeUYXgjG8r*_Z~eL zhIn89j%$jIgtEi4h8^ESV9SAergK>vbZ@42EmCTNiIut5d9X&lrA?x{rA$q=}(2lRIPi#wz1ZTrhy5WG}QbE;ogni--LUAca3XT z5jd^~nRjwtT+ebx7u%P3soQj+i0;#m4t*V%{4~`!oUe@pe)3&A<7{ z4*e3Jo>IPMg=>*sKTrFsq5!+6UTMLsKz-p_ox}w;(7kL)#SzE`LnAs943lA~VfR$f z$^9D8Y04M$veOL$q$GEV-U&txCT3*RcfG(Rj<3;E!VhruJ}RyVEqoNWAk?YuAgnt z!u!zI#dsUE#qE48$HIxYzD^6j%KY7{w`dfkZnhn$E-3QHHf;9d#s>!6@0~c8Era&2 zWygwDTBG3yPxM*PAJE zy$KW7n+S2ei4fyaHbnhmO`?7=!QcFU`o-Er{bC!Uez7hHGJbbfIb)1?-TVi5=Y7#W zi9a*aOlI)Op5s{BA2Xn}n`U3zLWW{4mDw3&tD<;TH;OcMw`NRI$6uZ71 zw;$gs?un#_*a1}jBKr8*3@s%1yq4ekyAC3QUFy8AbP)a5{e0bqhA>gSaCnK!7~7xY z&IfmWj_kPMIp9T)R=#F`7aA8sdU5CSy1%Hvo3W_Gvl=Q;qFEo>aY6~AuZL3=KD9s_ zD)~ma?g(j8%U>rSP(`MD82kI9MZh|*ctv_j1o+xg=RY6fg9Wka?E6~+fNPKI9|pMH z6?(pMprL|&ESIt(z?1yq(e&wpB`kjzu4MGT>txs`p7gyePl7B zJ~B1@)kmfy>LXKQ_XpwjN8r|zO1IFlEvf5Ydo;Qrr#n?3G&u1@gC84MBwb>o?Jb4g(+e7etc zZ@oEUR^(?rQYHkWyc(BHctm0UYi5QwmxTbAcZVDQ$DKd!eF`@}j$1#hN=pAo|B@se zytLy$ldw8^acfcQ3Wqc-jYTO(@rl9Myr*ILUJdjjH1fyK93kxcChmO%cYoooXIwp? z$)^)FLZiQXwRg5pKd1fC+cDFn_nn0T9?#kDdl~S(cbi0?_t(Lny}GSkcg%LOVe2X5 z&fncT>|w3Uu!)NmF%95p|=xO^$~Mc6+v zTzgzT60X1MvXXdPc#lx$Ey%}z{(2QWF<~>lG*ZyKGY2bl+xRdyI^eKXU7fF1Xqde^O&ZyE@ z)B+WerRT$3vY?ixH5mJi4|Z~E4a~NgAfwQ>fNd}Nq3U~A=#$Uf;Q5`5>qD#tsPb~Z zx*mEAa?iRhIQi(JX3}RxJ5!}0KS}rT>LNks@7lhcO-d!O&11gICMye8YYFZbSe3B* zU#Q$ZM|>_4gJu2mJ<;17(e2mWElxKH913M^326o~c*^f7Pt&0aWw{i62A5@EU`zMR zlXxL`th#cSk%b*}=AEI(vBe|)}GPtb8z*C2gDsDEnsG5bLN6$f}Z{%H{3EQP^z z_aOz5i{N)uL1=xsl%NmgB_!)zgE$+DKQpVBKxOOjnF_z_2sa*!dtbwi-~JdamxzkX z1K0c1q$>ltKtD2|_*kYDJ>6Wm-*Byvp!e{Wh1vWxd?(S=jsC4o?Eh6E_OlBU``J~9 z{p`ZTes&RJKf5Tget?EpKOjx4AD|=F4^R{92aXc!2dKg9$dc@{KjpBHv*oEvaRFL( zf9f1NPyl7utJXT{+R@g|VY}nx7r^pa>HG(VGYB`HhI^kqw2krI^`bx&UaL6IED(l9 zx>va59|a@#vBmkI&|vsr8mj-|ls||txj1lfhC+%}c@P!vCHQR`NxJ)eDU`S$zD?&) z35TRBD24_*kYNmIU;aor+>M9DHpvo%n=infKdwEl-a1)1)dxjUWy1d(U+-g+gwpYe znGbzRFkYh6Nx5PU5kuh{Gba_`^!B4qFL-*QV=tMn?(2zw?%X?XXPRSCis|pt>kqXdnbo!7rxuDAzu;x+4V=8y>k|= zYiF--^?F!#%lwhv=&h`oZcQYKgiqmC>RJT8U3~pGLEtEx^7?Nfm^yD%sA^jHmJtI6~Fc;*XTFs)0vK1e;sC*E`u6Hsya_;d%`Y_-( zCk?*U4CwM*Klla8<8AYIK zQiQ9dO3>iNO~qj&N6@<LGNODJ=15o;eyM?RUs+`G(9)l*_FTrEh(0NoLD*G z^ZgUnH=;P;T+RBpi>MI7)gL^pe0BD*yCuvAiFYXkJE5j4dJ}={X7FZ$Vb(I$93)6Q zOylZLpljRvtrOlDVb{Y4?`kMqB25C#GWGX|TC-qs?dH+#v*ob3?NV5RtO;VK$SS5E zO+=6CkIkvfRiV>^`J>PJgMcBVQafoY8clu)(tLX_91?_9^S1R%!ow(250iRZNU2?7 z5~U{8AwOgjx>;-q!Wz$wwHHIs$bokrUZj?gkQ)&GuE(0tZ|kdMf z+C;q}R-)bzD^YJqhNw4m5c@oKeJ8*BLyJR@IWHtC_lp5;HZeY4OOr(toE2P=j{D)g z(jAEpg9kuAaqpE_J_h*fZ)u4BmJ>x%bOZ|2wXxY+C`C_?oj$CA?}ZXJ0Z?n^O(Ca1Z}T#r?#f@!1m`6TUS^5 zwpqeCzPjI8r)1%*@hOtRb7qLfle~Y<(ir_RgN;RUA0$C)>fuaJ;MuWskPm-93@t_s z0bYD8koj5c)BKns`mR*#|C;t7ED!2G@;76Gp$zu1vQLaKHt>QO7uObp5yXp;zN(VudN??DbnH@-jEE=uf@1heEs0I^7R$!=NU+thHRW}CL8Hiefq{1 z5)K(&v*&*WrefzWqEmbXItd=F_?m5w3k9lcyjo)eB5WG8daRO$l%={^Cwlk_M~ zK#2TLu_NH}T5;Duu03wOIxau9=6M@N7SntKjxt95s|fhkOi&_ z3|%j}E+EqabuIcA$>8Q56Ce~82(B~6zkYPt!M67IlBuDAaFp@;2am@DF6hglary5~ zkYNDR(``zJ(Ut|+uVDgQX!5_`##P3ntWtVe@hp0Ee^>68rR zu?S>D=?zZ9Hn8_yf5%Z8XJ}{D*~Jjz0^jPUY){xYp(4upcQ*q|kP_+B{pX)v0Es^9 z+5H!y;8?$p(&*2#Xy5#%3yESfOnn&W=umG5AxVWcG}jDq5sB%aF0_I@)s2t`ZbRt4 zvfIaxpRNPjno&pt{Y{h?+bnZkRy1xGthk{^nbX=N=HhxB%$-v^G{7A9KmiZL35qo8jN?x z#ffn{1JBhrga6PALcM5&p6dOplEz3$^cwGkk^yo_PCc^!Ll)tl_$g6L;tVQ$bIko{c`C@? zX!SI{lna0Bi|mN?Md8HyB3oj8kqxoF$d*`N=I@S=z6KD)y;xM5Q)YtC>Pwg?%KTko&IlPF(3 ziaoukXEa#ZWM=~?1s}M)VtW(e&W8b5?sAOUL0dOI5qwuFzaG9Nf)4gaebv0B z0xtQ7B*e{Kpr(x@ewVi^7?NJ)@02_N_3gFoJU`=*)wEsCk0k-f`jvRjS56-B?9V8t zkr4vko$)jp)`YrNev(R+gu=&{(1HWa6s@m9>$geF0l76yY%vv7Fyr4 zTdwpKD|80AmW}0dfu1A_$D5rT*!``n1*!RDrGaR2>I3<~<4$0u`qnk%xh-rKg;2CH zJA>M9Q=N~4K`3-OZQa4o1$#Zn{U3pS!qWuLlkO+235RY|-vniqtc-sqhjV;IwzU zfI_C-n-dmJqF4vgK^2k=*n2(3BAhxMaQT+F`JHdVgWLJ<2%z@|)?LQ$34y~i@ipmg zam0M}%7xvj!Vof2&9{6+44oO{&bbqF9Io8`bLoeDHpm21^_`wQ4F(10uQZQl!ARe+ ze1@@jq&}Q({<7o@tmf-v4CK@jc|L4J{okX6cyOlW?d@zt{a{d zx-$b_KP)w?Ur7Ou{VhjnO46WvW1a+d6`|>J^*bk3(%|R}Uzf~EHg^06w?68sWy8`Q zT5(`dj8Nm^GIu;PwB}&@|jLz`#0Qt6Yl!2WH#^Fzqb|M zI(l1PJJyQW+VZk94O*c(O~+hoH4*K8oqOR`+I8f3g;{rNS`;d1PDtMMl|i%Rp4OBu zl5k_%O{aH37p+&yOfzcAf~!w*s?>%w_$>aK;QGJ_j+#Y>&k%HcysOl9a?pe!B?>h; znfn%Ca96_2Hqi&Z?(}c!c@v8K9$k3nbDMClxTq@NLg1S|Vl4}+I&u`4_D4Az#Hpk7 zCDy#wUxf9NKg{z+fDN>UgRdssWx>9`;Kt7jB}09a$JoJKTqB!Vj|~pS26gXwpn&>B zzK4ZG9)T}}0cTVxF=O5*nyj+sJW70Ooh6}$+h!#rzE zU+R#`#hLor%sjYDBOW5NWDEBX(K6*mnuGP+o433E*nv;?0Qb{*D=6^X7h>LQ1=pS~ z9G~n=K)8Akxa;RHKhuPm-%%pwcT9-+9VKFZN12%4QNfOv;^wDt{UNSC3vT_`?>!PJ zrf$K|AMupEMaKsO9~NtHQdNT4%sn?=+VhCk#MAlF?K1nI!0w_LGOFmIyDy4GQh4xI4sSLhdkRN;kt z6!j9=@oijx#jMh-WZJ5X$~-z65(+dSo$B7iwP;DCP5(hmNk|>SBF#s$J$caA{!)^A zy;9hGY~1IAyWergPa1ccqg^BPSGY#>E1xBB{7Fk>f*lY#^h}KEi^~DH&$-%^#CaIl zImiy>emDUCHhbLv8>7t9_d(Ga_(HGwe!64}nMTZ+*N!+r-qoz;SKtKKYHySt6>|X9 zZZ;Y&pCp7EZzs?BmC(H10N%T>nh2?BL3B538q1VEWNM4rjy@yYUyP2Vf3wmCAx^5P z$J+w1^WC^SXWaJ{mzerBojM4e`lS$eCo2iUA0-tDI0d1gkACe@JA=@jkfkH`pH4wU zNrXF}T_VE$e&Oy%ahVOuz?1GsmnDO@Wse(VpY>k-C}M|FLMiX;q76b$6`Cit$lbwd zsjm6z9uJ6UzGh(8U;^UY0fyw=MzDsq`Ll4jp+AFsmV$h)==aqVHEXn{@K)vRx2Yym z?0PNS=kLfxeYEenKNR-(Ngprp0NJRgqP|Z&ppUn)IrV4&h)|O0`F?PR?tA3xGb-m$ zPPMobWnB`e-n4GG@0ki$d!h8O?^)n0C<~veFG7gh(di0bI^19R?YgtzJT@;E_xbZY zpUbU$?ul%+2WHDO5_E?IMT!rmMo+|#Xl%ex z#T6>WBc5C3%^EDaP;kyyuTotLj+~`2mQr;<^`83&2AfS0zx$WElxAI^_8&7#J#38K z&ypwTp<--Y1hoU%htB=ThJe{HiFKnw$lgbBZ&T_LI(`J=EWYJH#j%W{ew%WHThD{L zK5?Jts*8`#9brSr5UI0nZj^>8Q5}7mGzXM?QaMP%R2O^)#8=m1%#jQu82EhC$Ik!a zo+pz#E^bmes(}XQOku%-7PQ}L*A;L!foa)-$qBjul(^~8l2fJw`p+_1f;BX-^Y6Il z!SZ(fNJjTU8i38BAxl)0`w6&@Y|~tm3k<_Bc;)z{5wY2 z`Fh-bcCrAAQTo@+Amnn2DtlH5UH3MMJ^$)3*e&>Is9re;_7+)do5vWT(do~Sd=xXp zE3t>|`EHHYPHri1O>2POX+h}^lzOn9$)Z^js0FDXx_`2#*rF5H1B>-f>0svzPHun4 zIyEB(aWAy}f6p31(MA5kEAJf92tVx(E>USP{(V>D;4^JxkZ_@p!deIZ>QC_!^|0iK zdRY8KJ*;CyJuGRW9u_Cj{=e7H;?^B@ytQcten}0BA>9VBH_`Trb)XYE!egbbdd?6= zn|ZG{JU4+;8k3r$ye>rkj|`Dt#7*QE@e%n&f<%51H<4c?gE}QjS>i95p({z18H-K? zJ%H!|dfQYrcrg9NSM!AtIDeM=yf2*}k!tzddc_~ap8r5~Xn0;WC*3e$7iRepF(W7^oi z-3A5scm@e86Q1MqHw%nw4sdqlM74^&8*=grzjNlhJ@)y;KQ-kH&gJYgBk7WWJ3emzEbe@8>sxTg$K~1Lj$fh7bH|lI70|k5 ziP9GWuTq}-t@mwJNTn!v@||A^oGUl;1S?HYplIG)?gI$u7rGd;x|&OO`VUJ3{XBkDRgEN!IhQ6Lw0-Q0Jk3d zm8(vQghUhs{4wzS{OCLs4s|MiBEO924^~$cXqF@L5Y;f&r2=?zC2976b2(%?2st;k z5$a}o;-smcIKs#Qv#Vu^mT)NTbz$45P^59c)$(hOGl+aSrFd|~8*q6JxZjIYJIHvu z6&#?I(fabI*f8`?g^a=VVGw*!d_2&T8UV#V#ZPZsj6yXUB}dL^_+i&m;p&U21g-~c zn0rCiOL5X?n|5$bV0H0fyek0rYFhWD)2M7l-@1lS&%s|HE&5K;4g3Cu%R5qkZWPSU zs1KE_!V;B7%#eOxEVJ@EEeQE!ZXSM8ALQinvkWbbV20XrWJK4ESWhBPtS8YU){`g_ z>q%sY^(6YldJ+kk{g{8_QbR1{*?yuPxSRyO3?V}Gl%?pomD=2;NP5tqn`0E&I15q} z)CI8Oh>8SHX;aIkA%)rH@Xx8Ckb2=kX-j=5$QO?&tn@@9Cf_L5MfE6I2bL94+*EZE=#6IWlsNb1q{kWYPwo3Xfn=(USE%_IJx1|R#>Az@sDVu=e zBClsDZ#l!e>a<-Csa+u?P_rgoGZb4tbXVDv16qHqfG3yok;5SYh|- z{_(;Bb5O@GY4yAlwe&HYoP`Q9c#)* z3siw{C0^KNrGo@q3#r2D2zA2rR)30^J)qh-<=ptF3rtCL-Sp}S1lG_8md&1K@GeFz zhEwq@dcWObkk;EAw%u_1W7nMsKDE{2`m!0QxY!}F@#x%YYguIpZnTbYP>iy3lvK5ZN_JRUTH${Kxal zxaWtPUq*k*J+*~xhd&w~ZE}NH&#V61_XNW06Z>+u(Q@!o%5VXB4K@$xq8LG++?5?c*!M@=d~20R3Ptax z0nC*J9qJ}^f%?PeD9#6aqUs<84q;PQL}LC?`u;6rRPK3*0=Bupizb(HGs1o4&yJmU zS=BZa>bkw6X40k6=0gp?!8?isUPnpwR|Ye5_)(VUM`2~S6?&rmbGJRzY}Fq5$ZP@G zIyV&kX&j+9@I>z9^#G*3b2*>-f+bkG)TN{zcf-zSO(%H14|2@_<4BTp#|J48Q6Zzq z@~8=!{<#+Xg!2qA-{a3aK9&NS^sLXv&*QI8+cra+(6))(Am04^8QtrL>WfPIpL@$1{u(2Gc}{2EV!;T+u;=XP8{Ea~Yl z`t#FZIgr-s^i&dTC_Zg=T1W@n`g7d#()0X`_dYUOXwa2(PPJ4Kw&{2*ljftWupow^U51{T&H@J$Oa% z!gv&b_@Bp2DXB2?=$>68O*mwIXOoOyDn@gCCnf3Sf}vG=+Tf^(2W*8@8z0arM7gil zZ@ju63LLwKGn9>^fJ4jmom;ds_IU<3|69cHZDz-yB66eKYP)wt1QN_N4%qpsBl*jt zjv<{=C@Lp^CVEQ|TIL-b#(Pz;>$`B{Ke+be8^_d@6`T=EV#&G!FDk=OyNHKJ%hj*k5~|OthM$)k2l0A z-_9t2!s2n$aCdb$kw5ZcF-J5i=y>k*_zkAokkN<1^nr_3q5CvA4+C zhnh1BvWCr7K)z{_;^-hWFH=+(TmR^9eozKnt4?o^I;DtG z_>M1qbd~_U@!Esbl+rM2*^>K2Rug>`6#*tM0XXaT$$6+C7Ck*(K55=+1-{H zt;0MQxnOxuv@1QIA(Wao(Rv*W%b9+7ij>J;JJq;-$x4^1#_cI&5O(Sdzmx=$!RQiX<9 zA2rSaFNAx4$NgU5?)QG3{KG1wp2*TmAmtK$GKdzxEP1q*fm+OE+>h)_f-BGau9;S4 z0IRRIhg(x7x@2%pO74vl$gYh=@R@spYM9xP6UIhhKly05$2<&;n<)B1tuWKr^` z3|Hd)@xSNy;y%y++5hMDhRe4v^ZZJx*5?LZRRJ&mA9-*6Rpk@4jUymRDIqD{NOv=I zcXxMpcT1OmQc|KIp$Lc|8&SeQ1x!Q*1I4CI_@4Lc`2#-pvzBW;?|Oeevu5ox_ss0s zdtdvyMq4~U__oWn{klGIm2{o){SGeSCvwIAjgb*V&QD5d+S{WJxy~nF=mgNuC}c#) z6^%HQi~MrT+~Fw6czbQE8_Z?RoDVu=jkIKR{6ca39gB}Hb~h4xpr2#6)$(2_L!4pa z&nseT;CkT71)3YGIN73|3-^Ahz!S^o&8}_;bHAG)d-p{faS24!I@#bheH0RSEE|7^ z@dDS(wjuYh7^>X}ai7`6#aoJ3NDfA`W4@o^_oRyFq5@R5SY22T;)97nCV1`~9(=cMsFc(+68*Ac?u@b5w*dI{hj5`1M#E zk2RyQX|uOJEWNf@onsI{1UEHqIp4BDfANG;cznJ%9-nW6$LEXT@%fT?e7-1VJStYa z;@|QAy3r~BCvSe3oDcuk@PULost-X2O2v8u?qkgf<%QZ5?bxa5vfdtZ(V z4J%{*zgXjC*0z*KJ3AK8@}Y-qtVbH8m&~KTG}@vtlM%0>I$Kma#rDV{=SM9u5t@OIy;kLC-(EP2n*# z2dwpd|AFtPSzE0@uIrB}bAk`5{QO>BH#-b6SL?qrr09d=_)aUGtveE^*!EvP=7_NN zcVk`uzkE2lcs?9;JRgoZo)1S0&xd1$=flwitmCob->{x{tm}jIeS(z_7OOo2!)F&r zTQg9y(Bqr|-wF_!=~&2T3qgh{Q}!8MC(&wdDUL8x6OOI;(n&{`!uG8n<)nH?k$2^b z=Utg@P!;dMBCL^t+b@qJvUB}FI-|_%sG1#cusH4zl{$maZqE*1rVCuyi&I;Si$T%P zNy%o0j3BlsvoeJn*Js16X}a&E4Py9u_I=%k2WEdES!^@5*`A9w9S_Ka1*Jew?Bg~m zt^jDY-O;`$n1FV_wT^^-P63H=Ll@p9?D05OJ}#{BK6CKQl`!(M! z-9*a3)@jN*{#hBEG0skV_53(g4MpxgiY0nruQ}3e-$j z$}v62fzgKHCUL<$=zKv;+tG{LC$}AqGOSyW=lbAq5nDQ#=oXUaok#`;Q-RE+g%e1Q zQ{H}kCJibso;_fCH4QF3aORko&BNz2b%6QFj1|Q}HLwqBJaV5U5J|^TzJ4;O51-!j z#RQ3H!aX}ZFV_%Fcye~Q&ZJchghlkN{Q1lw;>@#UhL3LO&s?3-D-w5fk$U^VK$RJ! z%`2^1npuKmB~xiwqbh2A%RSX7q5{9tqJEB1XrS@b=Y;7J8i@CIm~-8jGQ8YfIQza) z9R{blUli@)^imDC+C@HdBO`Y~J-IL1a6?-CwN$bN7_9kaHg#B`!rRZAIBC?-gOk;S z-EjvXWSpd~SWN?+qJ2>#6D9@O%mLz8q)3s_JmE><2dXGR#^JHS31eUuZnS&lY6%|< zSIAWrj6kj!(qtvywdD#I{BAqWe9c3T-S~*PCJo`(GhG|`G)rW|#3w5> zVGV)e1i80)96%s)()wz&Byv7#mlglW6$wffHch?M1}*gqVkYfsFu$P9!+O>LMpXtH zsA>a{LCBcbEkRAV{IYDH)p6Xok~Y$p*;ar8epIm<%b-~?bEBJ$K`3p!#C+g@4ZPTT zp*)MY(c3NhfhIlNJK#s0ckU%&)a)LS5KS$HWPFSe{D0Xm1pJcQF9b>s7J+B@ zaQGu*sUT7>3zW^}F7K|S0h6vX{4srM;Lbhkx?-e>e#%obmQL6q6KA>3z;GQHMrr1c zh3!z7sHTH%1_g zbYDEb;DH+M7u>XP(*X1Nq315M4oI=4Ji0^K9tyO_pA_G<0pB^wYLbL#wEw#|-D0c_ zI7^!?`M%#C(vaqC<#QH%%X_cqq`#2UZ+o&Ue{uePc%b7`uJz`7MH%_Am$ z_?l4kL%dHEGJ4}f#)Zt01o_k(!=7Wn6tj8!cnvRpKmYgn^9I`z{}h>niCDQVZILxR z(y3z2;qgPC_-zuC#{c*A`PcsU!HVj> zE4Y04!i5&E1`AE#`}o+&yFwN{l3Zf{{Y(}m2|jM5aL|PAbMHpNK@aM`SVfrc*#X1w zY-9fc10Yv6Jwj#dg}z8#^HwFd0l(XtWC_mxXywB~l=qlDp3g@P&*vkB=kt-p^ZCf) z`Fy1Dd_J}a%x94NrX_rH_hAUPv_%$kT;20`)M1iyo_X8L9L@~eegDC^t6F)bFZae# z8-#WJ6TffQ6@FJjbaTb0?DrHP!pp$zhlVBcqAHtN^H2be^&@u0!;0`xvzXx42_?+; z^Iv=ZyFaCW_JoQN7q33-PaCNUGzH>{GZx}FJ?_BvkGpG&CUC*F*1d|%3{*BwWk+?I z!A$stHStD2#Q!irgo9#~gC``bxk-1I{KE*@{M4K*e`a`oVK`P#VMa zF8E+2e14UiE~-@zr0q|eCWh%loFleC9rJ2a_A3h`%wuFV7T0IrgTwqjbT9qjcm@n;BsB zcPC<(S(b*JQ5or?RQeYKcy-a|S1qA4`V!E_trBGbmQ{5M&r=O?`F~N-mI@=l%2(4o zbcc|E+#RC&bMjpGxxu%_Yo$5&!jY{j)t{O)H>ginKP!L60od&ys|)*u;Pt8hJAXBO zg`+AXnL5(r`?K?ShaNFS5Lt1Csi6x;MwIC7q`^~IU03miJXDahhy5Ip!CdbqD7m=f z;ja!xs~wNo?1vBKjt!9) z#X7#iCr3j_(G!+`(|lR}ZVqd2Nu|+HI0~F%mp6Li2F2z8@4bVNd#FA2ZAm9U5=U={ z^UJ}yPLm)kN%< z#kMMvJZ$=g-JTvqKizr1TFC_Iw)x8A8+5R{N*z5YNdxE7s`(Of4}r|5;JdfIq)`_i z_niNEN(iJ7B0En;4e(BdFejW6^ZZ!reOU8vSm(z&{$Ja}vz%WY-j#rY=6`8Y4zz&! z_i90$mLpm}ti+-jTZx*CTKea5S|RxiNrI3&k?L5u^)tGcCo2j%S%urrwDkQHo9dg7LBmxld<+MW4(W{@`YlZA1fXS>v*j7-+w*+;lV-*;xqE7E$Mrn zb(A_fP&9w+;8`3Gz3r+=Wvw2_&}&d-d)T8)t_w_+gE-v6-43;BVo7v2CRSD=ysdF53XDmr?4vj(Amt9LlwEZs!s@TF>bI(B}WPC1J_v#D*@TJvVO}Kv?$!)_Tg$mD>VRlmRe& zs?|QoDF;bhO1S(!DiDk(YEQ1C~z7#Zx%lQ>^(GtoHxw@mSXf>wDlY ze}V)=NO-A~D@vgK40C(kEh3O)byL}lSqy%v(Lc0|Q9|R+(aE1ec`@r3WA%?%>$6z* zKT+*<&E!i)$X!nmaeXubA;gz0ENhDT-zr`{nr;GnPnt+|xGmA?s=&Zn0Yl9ASgii^ z@AvxedZSp^Q!-IwDt|By^^1gZax@pB^TgRfW2F&L#!>Mjgd`I#ez~9!XQKrR9a9Sf zX}I_3308(74?E;e>X!#64S^RWg;>+uqu6~<_qE8I!7ZQWCyBWJ|H{qg%1s=8@L%u$ zZ_NzwjO)!3Y_cF|gy2)P@oq+Y#SL^Bb zePP#AGg@!53I=+_PH|G42W2I${dN;&!2d}utRlJ)gntJdwu%`+<_+%e<$p||z!W>` zPoI3?dJ&i5vCUrS9DQ)0oVy&j9Hz{l9H@tR-WtktFZ(d#x3R|8|9U;K>cL^P2df_6 z-|_!FpRQ=2r6l>o|PCh9B+kB~n?~5gv zzn9yAy&t=;MZoOduJee5G8#K4DDoT$0AXLkkQ7dzf}{GT?VPA0j%vNoacorx^Zv)m z*MW8YvFfp6egFKO-vrf{IJJ(ymVqLBg&c1MLr{Jhz$UaU1<6Ajj3gHFaQ>TU1fQ}Q zW`3k3c}1fMHf13B$Pe1#@-S?`ahizK4YkkM-E=>x04$N$C~T<}VL3ql{3~B|z^cd8 z!}$7HwXZQ!VJg*(Cn zk&uvcaC4Mx;7iLblg&}hScO~qA#0;bJqaXBb&Lq>`vL2I_&Z)4of&o;aLN&fodr6h z`wt~huS>}^A zh2tCMjMaW2z(PU(#C+ZtEm~bI@}P@HSovcqW_7$oGva}-aWug0RV2LqRW`8pGaf!a zKKbsMb1j-G&|5#%6bbvyj7#JC(lOV|u=bl^jW>_ob-6*nSPHcT!sNewbKrH`0E5Bx zI`m*Up}5=dG@77#&U@oSA#4eKjP5Kf!|OkC;PoH%@%oQkc>PCqy#Av&UjLCDhTa<| z@eK*BCKeRc z;pu)A2G2!Jn16hR=yjA1h}Mv&)X%Bo_!a|?SsnC3458xrr!zevu2>q8@`R(R(TO4& z2UlphTy7$E&>iBU1;U^0xPc@jJO5%1z}%1HlJcVXkoYhxkxd8X^q+;zHNScSnp-Gr zvTLh)L_l;Qx%pK*W_)R7Hj&``6FayrT{38rWDU1MZ3&!i`6Ja{d%g!nCg?zm zZ!VvTHVS)l^h@SrM;Nx_{>pbs8pg)1PbKWz7$u>WJ}HLljpt)I~zW#e>S_U-HDHWFCKqOdmlpts6gE-eECcYb}Y>XXLo@BZG0#PHW&{K5MRV)*MXh~cll*av_8 zg#bDs_=(pySr&vjWlS%ekU~$j+irc1l!S$OH^yFG8IacN^X|pi($==^;z>Tu-&r(-ummm zwd>pfk&4a|twkc8RdbUN;&5~}cxmWVk|*qCEQqRrALjm}xlFTnw<^t`QBnTgj-DRe zj%PVdq~nd=btA1fHy`IARxGNAiiLmaZj7I47b?OZrvDvD0*z9-ES z0VhY6Z}EvFfadx@@{DL2qI*f+TSVXwyX7lG?MbFk$fnQBcvb^e7*y$;O(K!*P@UZo z98Z&vMZLFCiVk!VUTk0PHv_A|lYA3@q`_x?K!RgQ0A8}64WGSgkKBy-V#1EgKt3bC zW^wF*P$BJ5_L)9l$ zHszcVR{ln;`JCz-k`9tprO>Q4N9R<22w3 zK{L;{HNZ;ED?h(a3K_S3vt{ZuL+&G^;~K5XQ1wkHKd4p?71%0TE@!G@e!uk|VZPKv zU;-))abIqb>VQ(J4Jl!>8`>#y7jbI0fN_=4g?syq!PUC4d}`4J`T3Oo?r@fZgQ?+n zYU6}J+H7lPtil%2J3b0{9xDkEr;U^*SH!@u_qxhqE?oV4_fX#_H730NxF%kIoEfh_ z&Vbh+=fUfb)4{S(X{o!i9b}}AOCe%g_@X&C`nlc~KAydMl>LYe$Uhfgul2Wt^vC1{ z?)MT9RE7-kKPdu(tJjx&Y|fz*+icf9>F2=nFm|?Z%Hy#7hORh;B@v)ORB`%u9$?jf z#EQqpx;~Ri!3L}Jr4WBsp*Ev4ANpUdkeRVHAfTW9UZ7G0AJ&$2HHZsgCw8Lhj#oXx zdSA_64oAv-mauWYok_tz0_i>ds$X!?1z7G*pK_!3g%O1u+GA0nXz5^p|9F-QX8sMV zdffk-KWD~N^pSu#1G37J{FwMj5`L6u>v&GmAl|2n4rM0{&K)?{mQU0IhKmfzcv#C# z(d~;*9qh-nAZ{Qb+i%z&1q?P&U%RajTuZG39A50OUVrjY%xitj{}*e%w~9DrHqA-| zvD)pYOusA+<}?FkjSS)_C-&E-+Oh=5d+ML5V3S4{>;~EPG`KP2VX)rk;{xxs_RUE|$EcZk=tC|zTZ?k;TRaZbbToWMrul&N{9=u#u=-Q1`Rc#+ zYvS)`CH(#Di@%>W@b@#q-_Kf@{X5oth4MQIq5P$0IA=`jlgr)$Kgm1^pz;dZSlceF zo@fG*dpqm1`uSj_%SihdiLkbT8(L46_(m(K1Rin&-pU42nEBbFr)o>i4GZD$eM;^lzj>hlv4Gv#Ib5GW zQFTD~HXmrZ*!nwo2>_Yw=SA)+6U_0;DQ%FNST{sj#?|5D+48`DF8RgSB94J-qYv1GvIjBNtWgFXVJV(+ufO*GvM-x!Ry)Q&sZrJJ$Rd*7>pG*|6r9 zUXhd&Ke$_fCeOVM3C&E0dn-KWLJcwyRlxJ$TaoIhefH{ba7ZRZrEcg)P$yx&f3W7a zv92dpzI{E~C&glZ$#6hjc=}3RG>F#Aca)uqMX?5=na4Jcqx}N`G<_;zNHWv1dj4Y? zSg|uY6{*OBm2bM^sRUPeV!oru6yb}mp~(c|gPJhJ_2Re^c`(vEI%rNF?uYq3hLz72 z>wdmF6MiZ4z7}F!q3b8+WrI=`U+bRR9B?Y}BafUo2hh&28At|U;CGV%!$IiPC7GrbqhbYSsa`f?

~RTJxG z_#2{3VkMHJ>#FdnpTPUXWi@2JaDOAoRtNLd||Hy#6l(6PZldg zXa6f~T2KN44_dms4UmMFYf(ADS(2F7C&)cL_yNBGq%TN5Jw$2&cUVYPtgcHU>c#UX z?c(i#wqBmt%uWjpQaX&>X7tAF@2&?wzg}Tw0@)m!r*7EVp`PwIdyq_dNTmg~yq}&iDmV~+0yB1@o z_z>;)PW{Ofl7KaS#2TOeZyWzNK9v9#Ge@bBtJ>&w_@gFDQz>wo?o2T=mV)nBC&GNP zG|{O1iARFw67a4_o@rOg7Girjd-q8=Wv$brWz9>e1mIq~&4Ie4{b92c}?hDyGTx@U)& z0d2Ft+hLp@Y3RXY3@;CwA!>P=y{6|fkPw|H8Z#=0(+g1+-&s^eikWid(;w9!sJdya z7NRqp7(Ui7gINj6htX%&?EaKQw;gc*W-S}oB74UhXw zy?O}i_rf|JD_;s${1sL{E3Et~Hm>dOOR3Y4h-r&=a!VKx5D$8`M@7IgbB|bOo)<)% z_@ddx5{D#)P5JXM0|p<3t_2(nLcz4nzvX7* zQTHPwuIMWk&>81k@Bb(eY_DttSNQ}1aZAC?*N63yh0fp+k+o5X=Kue4&ZOHQKaW4>C{skZsMJL|0lHEDtbF*GQek z%>R!SPlEOTx~Lar^|5h)56!a4t8y)Lajb`GI_RNs3s4q0n!UqrROBmvE zS@HVyxcX0}OS3?%958*OKjo{d4jY72=ev0naKFot4prj%?X=7eyY82RO+lvLVS>d- z;ZJON;GayOGZd*lymJDb`m?|BcTN^m9MTKm?8$_%`U{-#Svi>NtyuHV%X(Q?R)3_R z9}!1v+f#htu7&PcxN#7aF&s-S3Wt2FRZ~`(7sQJuPjxF0U4g!>nzi9S<80cSB0gArUJJqwfaHKD{bOa!DdDdp#C;1sGx|vmLyu26KJ9zoXivVXG&qb!1N;9lU#yW{A%KF%*UU4C<4@@!~6Y z5);b8hO{)pVL1~pppoMl5HN$*4eI9~>739ICB=y)QCq}Z-LzQWY7X{0v|Um(YH)*+ zA?(Z%6L@yVFRG;-$DbO!U29sVhYZq80 zzHvn>Hbl-5S+ZchS|CzWEd|q7FWIGvwV(@m=e~R>g~vPncYG-U?a1JX#|e-&_Qdb& z#ZXi?6Zo5RI~C%8OY>{X$H8P-;5~_nc!WaZsTXnMzRq7@IseH5J*6?I%jrQdytdy^ z=zu=Zj(mJ-dczV`S;ZE*G3f#ISccUrQ+53P!vj?0Pd@4_8z3^y4&DcJoDgS8=&MxC z36jk051+;5u(@8_41HasV7kKpZ5#M?uSw}%>U&oR6`2QlBDSm(zY zpJMHA!rBk`ugCw*2QtG8B74PGm(})HNH7wh9BBB zwgZSh**EEJjnn? zdl<0UO#|mcE4t3~8R&$Oh6nG*ba+IW;O;%%gN~6!TOL@cgWe9t6NB$VMn6fTl#yK5i14$clJJ7_p;(28F!+6Y$l-6Lj6|13 zov#+~!(_e6fc;qU<71EeXQhCyy_foSfI7Ix2+VpmYk)UTjn*8S8h98*GC803K(l`G z+VCY1sk1&ZjQbpj#&?CBg->uIr$@W1)l0#!U6My3x)BLR=CA1q%3^_P=2wN=ZWQRa z{O)0F$w#t;?uHs-S!laU*+0)T781TVtiO{^#H_!GwSIwhJl6US*7yi({EoHWjkUf| z^K$NV*L^P#7>N&I_bx@wX<1exx|MK9qrZ6LX$q>*Vi(v^s6aZ=VN%7dWsr5qY+)%e z50%p?S6hrbfc>+P%7gmO&~PB;Nlji57+INS(T->V?7y_X&>#r&{pM~q%J@x06LB9k zWes`F2n==Sx+LjD;mgdy881h5c*Sx0Dff=c&HIT)0z`N@sLi`~5Qn0nlS7Df_jPCpD(M={#jhxkA0 zgPD$)T15@M)@84oa`@#DeglhmlJS0V1m8GhJ1@`1yOMF|}q zAdWJh7S-|3*@i-yJ!*s#fV_nRry52aSjuQ{Vk3K2V^ zS9XZB?R*hSggMAvq4;s_r~zPIe`j|7xbJ(qK*AC28=Gy9%C6hk%6VGC?m)TlI-xdv z8~-+6LZ}Nmw?@vLX0t+plV`S{IUIq|Z6B*xPhsdC7h`p?F+s^=><$O{^nm8B>HJ$p zV|26g{riLvZOr?}Gn(C`0W{GkeJ{L{+(yL|bC zLwJ*BB{ckUbX~FbgMGV|iT%tPX!)E<$~Tj2qhbu%Msb|)y=lwyC2 z<1wBkOiI>@w1Z!=^s=v?S;HcWdt;AvAlidS+HaC(ko9h?wQ$)Nd<#y+>o}PM&B5}3 zsdoWr$N##7K8YP>zN~D0ji&x2AGj^_b^7FPIN~@Jb3yZzH!zb*)TZL}rU*rOs{GFT zAjJb)^|^=4Fy|kzo_DPI)yJD!PE0%&IG)GZdt|-r(0*St*tJX(G^5^}qE<8m&J14L zo%5uzOi@h-34hN>Hher z2^paY``xD&vgRmNLU}!Ep9RufT$C`F$Id7D7mvq|$K$c#@pue)Jf0dJk9QQ0$D@V% z$%X@|N*yTlv-KQnOB(pp>jlw2$pa6f8U>>8V%YIxIK$1A1^(-kPaaPs!ce8!ANeIK zkj~Bd$U9{O0pmi9MaT6JUkP;?yNm_I%xA1jy);Gc70I7_Qk{`O3O;e~h9WAW5!Mx;iU0=tUz39s4&d2o^Xth*9%el7z3=nK9;LaW%Z^)zN!s<` zY1CS9V51e>H7iY;8goNmmV)h9NK9afFr4jb0S?b1t6nu=LLU_x(k1H5!ATx4X^4~>rjdf!>jd6ftV$4I z7R&lvTL|(G5KxxP*r0h{@(gfL17BGS0h%8QU{NspX!?f-O8mm>e!E^3j5hY|%zG|SkeaGgqaUd9`QoPfh+}bbXM@`{#nNUpH@Knrl3LKmKUFFHu=<3QVraESN$le#w|g*k2y82(*QYFi~F3e)Pyv3 z?ilhN2egsAr^@$K7mV{n6+Ytl47Q8d^yB6xQx z^r1Ssr|X~aaMln_87!%$y;XrDR^4YL#MR)z@o#75U#kFdwA#p0f)aG<49-P&YNOk} z6rmhQ?$h>N#hBOAO*Bz9`+PF!N*q>^IvNkpm-opo z&EoWPvxV{|6YG7sIO2sx0!@?J0zYr zj3>bnb>#wjpF)UaKl*j>dJ<9-ovoWri-lSpxm5;(aJ^YPWXEqwq8t;Br)pQ59(S6jr79k*? zm$%0AAOU$(jybbe!;5YW`Ey}l^K9_WQE^{5d#v>?d4&zw=(si9 zKjjVvVQklELwzBzz?DvH@HjFNePTWm?T_Mm!YOBUtl`1MrTqn0y`bbzKG>9oA+E4M zj`IW#z!#-=!5+tF`&Td90I!#=g4fH&#q0mSUbY|ltCy{b*UQ%aUpGF|kXu?##s?LM zEih=lvH{D8c$V~IZjke<_PMNx4r zqmIO6Ia(c)RiKC`;u43NE@T-QDJ(2%qX<&B<2{t>2D2#W#2ISU_aeEi;-Sh{VAem`8Qi10^Rnu*(1{D?7dOiWK*xAjhA6QU#|L7Z#^-en zl|7l72{*igT+&qPTn&10b*1=2JZ@cZfkdNVb?hW6C~-bhm}3Sfw-rKRx)KUj2JEiO zmxBe%HTHd*rHFFjFyZ8I3@8O;glbjW;PkY$FEa@m0ae_22{S_vM1Njl<_?2BiYJM$ z8STd5RONhz22G5C;;M5e0gD^F_7#PjnKsZ6(5frp;|{A|cL|e++`vT6W=%c89u6&y zY7r4;Au)~biqXo7D7B5_{U)fxh>WIMgn~9=cafc0chUkW;j?pn>KZ^3Le;wxtcm2F z&g&{X5`*h!0&5cADxobMV_9h%Nf;_7Pb4Lk0(PN?9d@(o=m{scbJYMZ=v}^c1%z+Z}1RNiDi=gdT2@X$FYo4`twcQJ@iT8YQk#)nI&%yd0-m5ZsF?=@? zvPqh+cql|bB$%gq5sI-?#&csYX!V_lk?l@o+*Ff))0J3_i^{d-#tM{v84aJ)mz3;ACQFR9TN!(P}bwW5m~Hq<5TiEw?MtL%e%7Hkdd?PH3` z2WHJ2(!kI(_@4EEt{}h%@(bU5v$`Y=Y~PGL7r&T-ff40z7NmmwI&54E=Pc2Hbf@|A z)5d6AU+USys3l;{KV#+poX$I=q};BLg7!AauGpHP<8iOeMRU}ku#NOYn20(Abe43J zQsVH4G3P%L2&#flV5IT#;3d>!;b1sqaT>zsLl$(G+rZ3TlSMg|Tw8SfFf8STNZqavH<1eiJHgyNhDCRT_RZY=Fy#Xl{^8`g-1dOA zA9A7IGoQ3GTI8I_JpyBAs6>?@V600%LXfJ|VGi z6xVyf)Vb3VWcb6(_79uG1|kS$PLSE=sk5AhMwH2&ru53N%w!$2*VO`I1 z;;BpA%*vqKLiyuns1!_2n^?BlD}kEyVlR8AGUSe3SAL1>`=?V~$`w84hOmyudVgZ= zcm6G|i@Uxq!sMCP_DV!kC@1CH)O79@c)F3%9n=6|ay(zJOJNeZ#L+HSrgmcHgS`~T zKRd~g3~#C2r4QbUh1JhD%eGD>!_3X1TKBt+Ncy@YYgT3~*jNlqgcW4{^Y4ZA`}SrZ zNqSf#3h9f)_va1xA(cgDZU=|MJk+fQJwy`F8Nh#t$59won)dgfRJKG|^Ep`kHD9s| zw?2UTsico`pS#Q#$P9>G#DPZ(_Co$(+uo zM_o}kecXbgx6MJ|Vp<|yQ&oKSP9T){Sh(r zOA>56#a_wbc;2_)c}|&8JE5nqC7kK!q;Pol=#I=Pv46fFt`lvge$DqqS4njWjrweX z@Nnna{5dmpV7*x=AkYL@Hj5?658I%LoekIfMc$bC@c-_&|IR0gb$^nFmAy*F>5;dp zl$+G28lVKyhaa-I)nJRay5Q6eWq9`^^!t5bD|Dg8{J<{(RbU|FCLA9$LgCGp(?2FO zP|54Km#JH_pzOg!wr^G%)Kv^Pm{~P|cIxpA8PG@N3gFBZF5Z3hwmIr zOEoy0mC>Q0D$%b|sDYrqkF-Pwp3l}Wt?${wVpYLvkfJ`C@FH5)s#gO7L%+{NI6j-w zTPM9d>qb;1(wI-H@@oJ|^=isMuPWy8|Jq+XeIY^}dv*Y6Xz1Fb$`-G)e`y`0P6vKP|xZ=Z zq^osa09I7_mGD7Z{SZCITx_xP8O9Yd^1} zkhiNgSD$qNsldELRC5dXkNG$AKCpuMlkz`w>4MM=!_GC*{Vsr7nMyR{EFrD`OUqRq zI}~r=X-KhZgPE@b>;DyJeDm8pUU}^h8R$s>OS~(P#v8Tt{k}HBo6_^Z}ml< zi-F^urRw=-Du8wTv17Sxj=9z-lJaSKo~sIUGin&5S@WZ;4q^VsU0QH>xpw!sv=Wkf zb9I-;LLc+|Y+HN^1urzwf(KRZCuV7Q!2`p?n{w!;Ub=Mlv??&2^|4AMkO46&x5ef_ zeuUM2tmDbAQZ&3z)L59=Y| zWmWfj|HTls>m4RC4tButhuze+(UnHUszX8f@w$j$c&VYE*&eZJ#U6Z5=n7c%K2G|p z7Lc8$gZ-Z$`$?Qeh^~v})75esIAZaRaoj-~N|}VoLn}oPNh3wg(QJOe8eb4^)~hB} ztAjdWZ`L@40_dIT6`hk8gqOa}TP(X8@O}FDPnB_Hu-WvFA=mamqA9F%*6-AznI}N$ zCyOTBm=9SCIu(He+rE(4;rdahp7N=lUeSS$5sagP5K1Qs1c7N+5{~f>GKdkM4 zEu$GEeMuEt-8+GR*0}rCL=FlLCMx>f(2iC;C-Ppqw!mW7f%bQ1=h54oPtItW6@*Nm z&wO6sN7Iz*W@IYARaYd=JUqP02q`=#e)bfSpw5`JHw*prxPAj{{RordzFPz5Vvy1I z{?sl_C-`veQRor&aCG{Sq|R$~Pf)%&Ozhe32Jc+lGV%|2V15r^t(S?i573*F%EA4o zX#!Ng#le!L^7@z0j);V*qrG?+$M<_CfwGfF8omj>{HLhG zY%ybjxG)97eS|`YiD4-#-j@x}=l0+E6|wF&f}mHm+|7xQ{QFkg*}ZbqoN99VKw~E8 z(@yY~Kga^Ur>urO*2Snhkyc1gH67?Us+#i`bm3~&c;Bd#Ca~&P4YIHJB8O`pWc!MB zaXP{3DgEl25LH4V(dep=x!)gaeGqFt0qgq*D?We6i@CT znGiIPFH-p`8pm(neQjec9aVeA5=;taqrLLpLwUaxpeOodcowZK;$RysSZ$z&msGcO zv^{O%vF^1q^r436C)d1CTDlb|%vG~SN4UU2mq#PIc8(y(rXOlF6pFUa^hjtC1tYCL zr1Wldt`NR`b8~yp9Z07enT~0iLtTt%!(%;t7)onB5i{n1hAsyG84`CzvG4X0xf>1O z?Osizq`xr~#ae!n{OXA6pQiFk&g#KsrD2^`YZKs2?%15^bVT}=9jSNs^npsyEo$ec z8D{^8b^n|wG~^cOYy}}R?w&9>0W+y1oitVTP`72S{%f@f^cMV^tnJ6q{9V)W;sdpq z*9YtS1grh^6NZV-bQQ3XATD?)A{WNwWOQC7q(Z`M+vTd5wvD@%;> zVXoI;jrYfRPQF)@aD-@X-`o;yYq-1e{ng{g4iFI+DA!=%3^~;V<=R~~py8V!bJ{o= zVg0``y%Arf-x7dtX4T0y<3FSGH>uz3IC7z2N#PgU5C4oV+g{ozzPLB)XE&_4tMGdi zEB^NXwef%7KT>!;Y6(0awG^I@S{BboErI8wwnF;eol?oy)llX@Ia6}CJgEN(ITTaG zi&D>=b98^E4qIbxcVo>JK+DPHwF!>D8|(MQ8h@?4PmhcsF#z$C^B$c-8n9C_7tcNy zglwO)f5}!lRfSTIMoBK>5wiA=Hrm=)bj(yy#U34{?_QK2VcgM&EZfN=?Y-FcmP>76Y! z4ht|*X;?zSOPNB(pSF-yuFE-q<7ekNc0^>G#0sp5V@#f0k4J>@a$&O`he5|LtT{1- z1lEl&58k9W1j5uSTVgSX;H{)hPY5p=1Q9I~pN*D8Sl@eC&llGEMfLw_61Zap1qn~f zm=jH5s)JJ#+IDwsoW&c1t^h8B?X{=(Z+-(nC}d;azKl*6J%SBb*lb+@s9CCEF zmk2mYjl#Sw>h{DuA!&;v`9PcxP~6jXu-J-#d$;`woZFSa?7(iF!?Yzz(D(6}!1bjl zlAMcn=+_6y<0DtcBPBYg;yDG2 z18i6EHuTzAgJT!vk5~29nDue6_Ag-7|H8@-aE!jv!Lwf$vM%XJX$C5yFAD8>8y3>A zDf4pXlD;&2?75e-tD}v)9S)it`-a2G(uQZdOHl!3{$;i3Pt+iMn=*1JN(QmZ>pffg zP7db?`d%NqLJLkq2I2i7hw=U0(rCcnyyif!5}Fv|BHrI70NhhNA9k1pf%R^Wx*;_e zuHUS5;Q1amW<8p}>tltV-w{8*9)5m({QMgD`86@?yZyyuDB$rJYIr<`I3AB7fyZNr z6tuL+7Y0Fh7~GqBtlH_F;`j?z1=|={U;QPX-m>)0@7SAQ36JXQ$`o8iMNs z&G1+tuA+k=lZAf4z9V2mNi_TRlmglh72qsQ3n%j!eQF2jpekvr^G7WWU_Fmm^+W&q zm;ZjBW9=`)s`vCi8&3-lIU8eI*r|YpKEcB@RTkxc;5>2Z=V7R=x+(Bhga-6)M)ssn zAHw%bisSWS?D2Xrl6busF}z-k8eT6(46|Ow|IB_Oy!`}t`}y$p?~VSopAc{V?x?`{ zS^Bz0YT#Pvf9V}Z25)YxhTqAd1~*~qALY5!@Tiisucv|n?0u(dYsh3V^ApxrtG!O6yMPiDN zDEfJU8$On&uXF_o!Jq_D^l^GKeHS3Z3TESJ!|&XYPcWzCY-TG?#|_hqSewZ{%UB_A#4_)Bwl^o(T=fzX$?^q&Y-x zmyjj5uzaaj53Ijt-QcT>K;9n|4A(1%FzcsaUH=H)=gd6h6c8G0aM@Ut4Ep3v+}skx z5p&iYd9(%zY;m>v?CYQc-Q#hr>Es76_mg6^=U<=SU#HCclIPE&5ff(X0pDi$wib9S zQ6~%0s8c}kObCjh?<*$C&qfdLZyNuO=m5${^JhByYQg8Ik$_lM6S8>rG?(;jH3S^k zcr@vD8Vr&Y^A28ZL-WJb$Lrcs&>!l}tBF*VAf_Bd#pas^z3kg!a+&RD!7jC3C@3Ao zUYAH1kC!9D$eUl;iE1(XmulIhcfLlN$gH#TsCB*!sAXPZTMgDghw|m(%GD*|X!O-` z0~slBFP>4~x-S7C?>Ew{#yx?dV2X3?i3>D75O>;p=Lz5Yo-tKDU-&Pg6cI#05D<{wL8^3yj`ZH8_uhN&NRc8)M~YHKIw}fF0YMZIMNo=h zS3nUJ0TJY${5|*OP24y6Ccos~wGw z&x_CRtKjqde4sU{U+-S4hZ1N0kl#}ihl_g`ub5rZ0G%Tx$ybu4Kp^*&eW0xY%CLFX zo@Or%a|Fh_R%#XS(M`#phU5||ce;O?x7#1gE5$t8s7v5l{ECU%WDfeE&{15*eG%-G zKd>K`wMT-HH`}I}48Umjfh41xDTqogZ$0reg1nc*V%H3u5$(mgM^DL&0c$84+1Kp?$Pi>kQ%-qeJ zzD8w?Ol_~K(3=Rtfz@8Zhh0K2V|C*}3`rE|$IXTFzB~sU{VmoG1EuIm{zSaLS~kiL z=PRpxoeC*-A1=Q;nhL~iM!6v`4Po)bX4G#hEui~Zd%!Nq5GKSpvUmE7pr*!^>S>t{ z2veJVN_-cDmMWdzvN;7nW1jTuX-RLm{o>^MNzwqg(Q>JQ)G!d35*R2N;(UNJ;3#2< zRzCi`BY;l6$39L*1kfEv`c{sa6LGE2h`h@F-LL!6Fi_oe9~>@K6o_r!?Z@hGW{^VS zw*PkybPclQSCd6SK&;~`#jzA93bJ2)nO2K*W$t{>F-?Md{0nJ4j{`9CaZY>q`|-Ma zq7$bhPL~pyz*etl!1Pio5o}&`@_IVllhTuCr~EKG=Mj{h{G-Tn`wwDbW>UCcb@P<^^X&& z9rD${al(CuSy%;nR}MZ@xupfp;rfpSYg9loeyjcqH{T}?*}VGeUFN5YVf zrj|a~GHSp4{bzI?K#D-^W%qGSaDFLN7WB{%qJ~O%540*F=Smte z!98#E-OcR)0p0)Y-}UdjLactUSo4+Nf=}Kr=7<56FW&ZV&4S_KpJyS&&$CfK0Zn24 zo-?TZJS)W87lcZC)2`pS;g8vGBr3r1gz_;%lu@PDX7yGH9+zD1)pSw=le_6*;!0`| z`kPjspViW+9#XdPCdq9ANYdO+BBP4?24G<(ZBbj`;lh zzsH}k`YZmg#h0+&H?jIH$b3?}1uXNUsqf!O_%1epZZ(hUphG$G(qj;z zyBh$+n!gw(t82h?eW~J6>IL8u>fC=)F$r!lMe%)8ZbM5y_1o=a@*!wX?X~dtI7qUW zy->R!r}H>sx+inn9%%hNK7V-NkK8%SbtYHsq2ROtliw?Q=*w`~*L@l1_jI<5;?^E^ zeNgslojs{Y6j)E%ERz0-hN;itSvL;)K_{E6VvF2qwa59|oEr7jSKx*P@#gn~Y)0tseTNetAK<{p z2Q=~V0d{c`*dIpF?XMpo*3?9j$=;2fi}7<$+3EAXX@0VH!zu+~*XLuyoI z`NVWCj6ArsTO*-_in^;lUfs$9E$^q#UJ?btI$C9`b*{trPlNBD9^d~leE-z={@L;U zli|PL{(U@H{SSW|>tBxZPywyq8*zoZ<{)9~dA?3C7)1~aP;7=cL3)}?88ML~np-jY zou1@^`Frx*bG^|CJv&$z9i59+vIMRLoG*=zKN65mdKKa7k1idgc$O4k19Ae|=lkwC zVD2Aleh2IPusZMArcsN)rFxBCVkQYx-XQz*;)3rF!ei3g=FG3P)b~{DNAmO22&1o#63zvlkSuk+I@l`kNY#rFEtaSwU#dCeK7bx zUk`(%Mi*CEB2l<_@W<8{$&eA+=9}PsPJhk+ z=KU{r7(BiDg5oVJv`2XUO7~Mm{x&Z>&jqmpWodik=~6b(X|OoV5x|C-H*vh7H?@v~ z45Uo0MwTXsK`%Ci=;q;5D3Vd?MRP0>JXc#@*pNC1cIPI>5BU;75xq@id#xK-FeXk) ziAaF5N2W>Op?FkpB}TSp?gDrGADq@PQ3U1<-aoPBCU8X5?&^@aDVQxj@%UA11nymp zSI8&LAl!Q2VPi&fsJR$gvHH;nBARwnX!#=$R(%cD_4fa+{_5X(=%48>etP-Q5uP+w z1_qmWqlc7n+Q(d+VE>Q)kH#jBu+YcyF(xYjsRpL0zQ>(+Sogz#o;F6?qzg!~hIAy2 zC?8SkQ>iIF%?8&~PE$+~=tT5*t)_C^rFHKWJc#xYBu_CJlH56jLMkM;s?k`Vd)ujWI5-s}!V)S5G z>6qs~RDMAq|75)^VX4(tesfplhy$xj>~+P!Q0+2w%KAP7RspUuU=@u2|ofQwfJ? zr4#ePuCiSA+sI{fr(oyHt8c}S!6!5oELs8|!h=7AY}KRGDwSHM)EuDV+k3TX9*J~K zREHVToxq9cP`3EKc(nT5M*XOyKf3pZGFjx77r->}!p7$eh@8A))kCL&%LAw#tUc*~ zXhrmSEw2~@=e_8pqeaH>BwS0OoXH;ThUPWscWOWs`EEoD>qQ9F`}&jrRx#?O?DVjW zNCKhvgXCo$c@U|mV)yGnIr=KC7kaPHpCpnKM9&R9SOvwjn6JO``a3s!%&zq|&2Jg>nX&uehR^BPR>yasnX zufZ0s`n;O8R?0&+#AO!}3?m@hV;HJKW1!^g6>GZ09Jod1x8RLp;LW}iqkJ7)yJ{{% zb~hGOcgw!#Y$^+E&eG^iOtGRi+nnDPzO1mfc_W;EkrU;oT@sl-coMFOZW?HG`y;Ex zj!3~{1~C46o|+@p6mrylWIs1?f@g~F?nU$%f?Aq|vA0j8-LR6^qs;QT@OD+yC7!-GjsD%K=?Q zMDvJ*2VJ&D`+2thoEvh7$YZIlpEHEvweaESl~eX8v&}cX@tY-P9yiwYgHYfN{fP6DRBzsnpEgwufNOmG8@r;Wo)tNjE6mv&_S*w-2EnSKF46{4%(BK zlVC2o0`VP=30nCbI9|A^t?blYgk-(jWY(I%j8=-V&!+>h@?WU5IK?e^0L#xNN~_O`h%G*?0Q|`_E&KR!K~(HqL0?l^`sBJ4dSsSn_D&YMp9wJ>hj|j;P1erlW4?*vNvMGG%?o3k-;d2i!kG;LD=;F9ixcN|gwx{h zUX87pBiZ8tM=rXbf-l^I-oaI3U=mm*RM#p7E956eA`OMX^ammRHC!DO)_gHm{fMjQ zVYM>*45YzE%45MB4P|^+4BwfD!8NL|stNrVbi-fcTYO(UurD`=xjl4*b(R|s7-cLG z_2tTB@g{fFC9eK(oh=L=t_h|ef)sd~&(^0O?2qQkL~ov@iA7lR*S9)i`<$-WpwfZi zdkMBKaI@lo>&;1bFc&G^&EX0L^JWG0dsD73I;xrcmNo^wX1-1|x_JUR4Qc#6`I#Ym zO?>sugd*Bhs`Gn$ln%b!)0^@$WrX2O_K8cY44BV%tbW3Jn*zM&2GfD7V78U#p zMF(sjI=M!vSs=UkXOU9eCaAMsnEvy5JuuOf>sbyG`p^A;_`~k*6;)fp&^ywW7zP~o zyTUqsCfp79y5IB8TycYvXBpqW-HJvpwh33=(!4Q0FB|XJ(2U!%xDDt`FcAeZ!KZ8qw;x4wJ{KMZtc$+az$)I zrBCj0nuEnb*=i;y6Sy*N+{jyYDYkEO zxFBTYI@mRE-GqKJ$@>ZJ<2m~W)Mn-GY!H~XT@ zE~$akgk4?w7aX^5rJZy>M-Q;-m9U=ItrpG8hmNWNjdFw)xu-E2wfOv^ghc~V&h14Q z6stg@j+_PsjvckX4!oR7mDhSGXN>wnZn<9|_quyuNK`i#cD3 zbw2s){e`3+IwJb@?p}gi6X0l+C_v89@b!5ObBski6n0DnKUpz?s5wc)6{k!jp0eb7 zV9Xwf_l~BnUONi|1%VgmWK6OejT{6e%$qk-OH0q+`_IKyw-f=+i zF%svaEPTMSrkVJ{mKP|UX&h$Bcp>tg)k07x4{T}J%$8nBgWh*m{&`|a@Mckt;Hh06 z*b+3f`qp0ns!?q}%H~wqe_&=+{X`q)@d%L@u79W0ht}jjmY*loz$z?1$eL9jm~t1z zhH~v-=GX4lYeqfbugm*UIuwl0FZ_G{l$XnYDo|7n`1?e2zBejD&ZJe}nXNNm(&jQq z#jFj~-*34pPN_okH*Yo0Ay3TXztSIFfB4*4q$$X6=+UJO^&aY5b|(!W`$J={X`((D zTwJpJkZO-e=ZsnhEe&A!>Kv=7nhgZZinO}m{Iaa>#PP^!DfA#-*eondAv5Y>A0T=%3`=l9zz@6`WOhaBY#Gid%|MXEf zVg(vitHc!aZd_a8`L#gI^KVKp$0-&W3`ry9p|M1MknnmZA+z5Oo)VWtzfnmBZuW5> z-~FMm@4T_w6X!zA{bPN zHC(dS0G~Kt1>Qw}B&%xp>hTF%DAgpB8p`xV>)+-Z_GRJndO8eN;RfyyH|3@#zwM7+ zNVt}b@twrX%a{w1Z2hp!30-GwYS)L@A-Ro%PQ*bSDU0O@6w|On&0Yz2WGM&iUmkP& z@QVYa@5YOdoC!x#p-=UNQ@qidhK1&Pxd3=^BxhaYYy_MhwiD}#)C{=MpFPg?ZqyY~6*=&KuQJ4}Cvtbq z-D$E>0n)gDv9fSk5I6Yw=*|TNR4el|~OPQeM`_4kg+G$bOpAKK95mTt@wx7NI*%I-nZ*@Gy`E+8vj}MVvHk$6{ zhBx!N;oh$lQO;VwLyE5=P}g|aQ_isC^c{T17fBV-Q7Nju>X)3r6hO*0>>LOT^Nnv( zUTOo4#F2YVLJ7zr$v8pqMHDiK)go+g^8w{aA*bIH!B9FD*}{^igB~{;di*NmgbVq@ zG;{>|=#lAcVjQau^!q;KAEpw8;gkCdIv50@+hU8U@o*;kpq1I;UT6nWBYEkJDK1b> zos-mI=K=8(SKI4cT;R51X3q2rXUzVzfA6!|c>l~aynkjk-aoSy@1L25_s=WNbR3`eF^hw#;Pe^3>{Dt(`Guu7 zYUYSh^cJxpDzk2$^Ghr;`CIfAep>@xSZ2u+}$XjR%I!rxqVvS^``OfMSFlAIB|Sri3+XWqBm z;EF=}-rX9PUZtX^?)M{G7J@PJkHl7!g_a9Fp!l@i^B2*Mz}^t=mUzqqdTxyQ@=W`q zs?_HOH6hMWU9E0*AtD^jouGg6+BpWQ`>&o1mvct1mi9Gq`bnVxcW9{i~~Iu$sd21erZhX)rk;ez6mlJ~I%u<@&E_O)L&G>+wb zN`BIT{^m#M@%a%Ie13!hpC37n&yR56^CL8XwO+0#&FX!Pi!-<}R|yM-o1<5ppJ<#D zy`c7Y>M7R`&TvlR5$#BbJ$mh~!5w`z0Acm(#=1VS##^w)L$1A!aHcFVfGwh$yKW;| zpx^ZC^-{P#5cbO7SXncG?E@xn;fWR)FTJ=XWgmc<7l4)5S-(Z9lc0~##*m}VRSy}o zMepFr`Q02^C>V(w&KQH7T8rIa3PNK!TcKx$3=!7&K*()Zff8L8)Y95I)2J8@g9Rdd zS}F;ktX(rBAd`j0-OCPSa7BWRm>bj9b0@^lO!@fkGi{hjTFX-KF$4eK<&&ZOOZ^K! zNH|spLl6!H6npld6^M#nEsl}0#~d#z6D?Rbyrcs&aSBpLaPiSCbM5;NPP%~&S=yrc znjcUdXC6|z-~rbN!{i0-Wg>xhBkw0zl#$Tgip9_R{6PLKc9E@17R9I2UNCyZ24PKm zI7yK_1nxUnEi^e<}cbr??)YY)dJmfmlJD48sOb_oJ}%U9MJS3kHW2H#A*FA z+52$=B%}+{wV@t__58y6e!YEfw7O}4^K~&)YDVQbTDWeTn0-pkK>S<@66HtJK(<3)+L{CFe z*RPGEBM7se9cw);*8l7D_Bf9nE?q9Qz9#-M3@?*TbX!!4xM}`*$~DMi~MQc=zCcuLwMq5Vn0&`{Ee^T{P+J) zd{qS>UzNniSH_DQgF{Qt-d{0?tYeC;#FNG#xbX1CK5qwfSG`pCYKkbD z9QwpT{o4cO@5V?SWe7rRgd2qwY~g5p=j-y_;BXXjIX}aJ68M@ zk+4^`#8dFhA8fq@8y$}N!sO;u%kAs&XjGL!sx~ni-N`NE+z<(Xy9c~$b}U0Nx5s+k z#X3y&ZQ=ANq*__ohK9~+_TH>Pf{L=-_%@e*|qX)X}u z9wXT2PzZ^~ncF;g8xWm?dF|ZI0=Qoi^@5?g5_A5@pVG)EPD&qDxDC2yi*ZA${tr@$ zd7N)|WB*9dVO4m2A$2_Rm^dUEG})0Tr~wC+mwnzf9DlET?B0(64LJIdDEs*ZD-^`~ zl{8Du2n+_jHebKjfT5TDLU*0bpfjJr%k4oj^i&L7UBu~sR66%Fv3MrKHv-EF;jmQL z7^t@OI+6gAYe&;v=jxDQM{;3F1shbv)Qkk=siK9m!OP#Tvcuk)je8!BtT60I#noQA zA8KqhE?-+eiMf7B!YkBJ)5rsT;ICk7aWjKG8oKa_KR7?oF`SmC*$&w{l*Bx&F^8Xw zT0uQ2*z2RP=CiPVul}#K$I4UwUmHJG{q=u6exJy22^U3ESQI!N+*WD|NfdUJhem`! zF{i_?R?G-kiL<+;1A=k-V=1Qg2xEAlpq<*j<_I!(*mmdmv(X#J3il}nXONl}@3gCO z043dezH>Bwz{AYN9HC{8`F+8vkNB_W=iN#2azXw$AZpQkrMDdov|U5oVk6;*;7Zlc z5{-1keS>wC;J!Bc@Ic{?pp^sW|BKac^3j2wE7Z&jy+EarGftV)-F zkE|+6-53k28I^$b`=QZq8st!wNzI?Vr2~ z82^8c|NMV#eqQr9=M7i|LW#gb`v!GCa19Y4&mc-cvS;1w&)Y;IKAM3GSLA|#UY6p% z`h_se>vOTlW%J;>Y#4reB~L>z5t8|c9yzt;0%^1Ti?W+VVB>l}g7sw@ln~qVzx>gO zd4IrKfAU{HU#$K%|MhsV_K!7wjfrQ-dB^H)%5n*21;r zMU7geZj||%x%l;DG#GtM8QGbw1>S%wRRfm$B(sr7yDtRFoPNhX7*|uZmWip z1G={-6{zAc&s=j|GmeW6 zLOWuFrLPlmae7wIx%-zd!jn__^#$i}`SF3P#DtA0P>??)Nk~+RdctYfuXvflL)vV1 zHcb_@oS%`h6>oqp?Wd%7wlfCpSRLu#0*1(CK=~TS2`S9)V{#mQj$)MuYV2 zXt$hYdc{HvSOsg6+IDf=w@)0otN!9(U1Y94ts{=PUh#iz{b2P&{$Csae?6YqIWHLr zeN9v#ZU2BFUJZigq7se9xPf9hR#&4z4Q3O{4;)RlMCja6%FzvV%S|TX9QohL0PDKZ)%uIhC3c_6P{a@$z zGwgV4f%+^Q4ESaG#=sAmxc5@IWxD{&%#itYIy3mPOe0M0>4)w`EN^D^I%3v$cowaF zpvU?C9rPlxO_@zYx4u7CF1r&14z-q^J9LqV!29~X<19{aL1pQ^VplNOmhNy_SvsSO z#_F-*;>@7-?znz)j2YA^`k7Q*vPFHfMNw5V22j(d5zk$Vi+cu{ag><TXgHiX7+QTHEN8Cjr=vHtvG%G@yF{T-Gm|o-JC5*|7bA@4#R$S*UW^f*7b6IN zc`>KpFE2&_oXDBRSH3#I5Ok89TJVLzl0R3^Y6PKPWmXBYrzz;c=F-g9(*aPiB6Ro= zQ837rC~7t1_?8PZKVE&wYerA|Bo2IGPJ;WYXP@7HlnlxXml-ZFUj*{n^EGS-6ChZk zK(Y0MyKRFiR1(k3(&($heM^!zNy*Ca&4T^Q45=bKOR!3@KW_rY z`ybe?yfXlk=-ypVK{IH0|1EzFr_Y>~Ej6voGzI%*)#RnYaD=rz*8Kr%|5)31_N#Uo z+6RNEny+b5gC{)lzayq~BoXltr1^>6!})nk3A~^E<_k(%R}(lD1EI?_el@!z6*YjH z%3H^HIKn@}YNyqODA~P!b*Gnsf}DUYb$bbv%)EVmU7-yA){FXpSLHhMIIjMp;%3~1 z$!{?ziCoZP|C?}h@XFO}#=roO>?Qwo_k<_#g$)jj7)~o5%CaujBL-Pdhnxg6mb`XKV1~+k2LXbi9M=CYKdDp6$Qw-Khdm z@^Z}w2-QK%us!EtrXq?Ul1zHq;D%(1rP5I8a25QfEqkJOJ z9rnL@wLG|A5$=_~tG>;z1jX`gRFPrMh|hM&t3g~G{Q3)1OS+YzvohIdX}}O9zRBfI z?+C%&rW}q|5(XsdZQtGLBZ4;T9NkO5@xy-AC%4SFcu=^ci_N8voS6696Uwa%({2{< zCQzbRA;+wT-2dLemo>4=R0jIA`B+*}0Pdb9=1!JLZz@6eDF*q;ppK#GH^b zs&cO*r2Ha}mR%A?BSTL^M^eUC8m$G|bZiq}T?z-RdZ^@c$I*KYBdACnFYgEqKrany zGK_Uy;2o8z;80*P3hi{W*uCO`TxtpYX|i&m?s1-(_6r*{s^}BWBo}~IRvAD4DKSR| z#Q>aJ~hLm&p25NzOs}hT37_E0L%-B&#O(mIN$j*%1~ixu9h0KpR(H zXVh3z*0;zTh>C@L?>%A9#r%A+elPt!zoPNyR~G*Kip8H_(fIQ#6MudM0(E`*q1{+( zVD0H|%%kQ9Zp#Gb)?4;yL+EFb-79A__i(dT-BSe)rn>hGy4wR*J#`>I<<+6z3CR0v z>}PFU-K)j^lS<;(;vh|NMZG#B1lp%oN4on%0R(g9D=p4p{(gHMS9;^|QE`-6AVa}@ zh#wj=8Sk$}E2FbC_Mt5^f^di6t!vVh0Nf3=F?y|w^9i&FncWQ01j|MZQmSPO)G(8^ zsPaey2%X})^Y3Z^EtO-~nx`cSu;MW~Zld|0KQFBQgqp2K|0FWmA~E;0pt1g> zTq3;*1b@>ld>!G0R0PM)w7$}XyH}-sMN6>zb7Ea@O()YcOq6ASuStPqpST`6!ZDZU z+OGzOjXj=KQlExxrFOq*XC2i2wUX|wlN9Foz~A@%G+zIB1h0Rj#_JysN=e zU(^4H>nNEpj1mP8*kuU=S@;{-{L>;Zu_Elnjq~$ZI*yome;Xl1y64KmIKNb^>%nPT zky`PI3Ll;6`x6;6Xt*`+=&9+yRvAa#u7(K)pwB-H&$8ft zCv4E^y;gMw!qbv7R{QiY`x#=*A4M`%kjjs!fPKmVf=}u)(DcE|N-rDd%e@|On?gqo zT*BrVMa2}LqT2MW=AIko?>D>V%XL(r_`piJY2o!LEfiw>i|8w@CfLnY1@u0Uh7R>_ zTwk9Upai`ud`cZMnAbB_y*bu;POR~$Hv#kP@i}LpzIuDEcFPH}*$BMs*fWt+r%SYD zt`Gc-eZOkCd={SmH2-6}<%jwCmK4!XtX$%R9KX&bvLhT&5JjN(vqcHD6r_z?CFf(f& z7=0)Vci#uOuoFq66!T2F4wVyNNB8(g&^j%g3}x^?BBg+yG`*jW<)sB`=`IO|OnP8S zemb0bnifK3noGx%m64)L%i4ZQVK5;pUcEl7jNGj5bIm7+!{-wcUHz7W9~n@ zLpG7%A}t)8`tan3j3M;qPf>ireGmFDd$laRa|RcEd3{MA74*fZs5sHr5cB+F)eB>7 zpL+D&d^t`>sMDofO4P=JTAv+nTICZ)A6Z2=$&GP((#Ts~r%X?x4jl6BaE=F&x6Dljg~j1 zp!%9ULrT;M931EeC*a5BdnxOg?{XzgCjmuJNiEiP_G+tM3%7%Sbi^` zx&l-%-KMkdX{ilF(}@=y1eK6gu|11dGaJIX-h#%hJiJ-_7jE)tZ@4PL;I&n0d%vq?<&m|c1Y1YkbWUj1I>sSYSW1-g29R4O7{X~@F6>2 zaqNXEqRDo%cj7q;Sf4M}{j=xLKGN}Sd0;pj@jkXl0(hJULp?LiQIhQ)vX7kzv=nS> z$yOwx`Sy;bp@szdTMuA{uLm&1*8@c1>j5nB^#DfrdH^%b`@{Tn$F)lb9MSfjhl=S7 zauBW^wcUG45$s5M+o^^WKtO!6{qb*kcwzjq#?BsL*5hD(zp(0m|Hd~I@$n6De0)O_ zAK%cz$2Y|A@r~1f)t{trM456^Nd$;V*DNvv6;X|A`tXqwQTW}xch?xVzn_vRFSj?u zollR`C7!PEVLson>Ng9+UNgSBsf+Rs&Wk0i%D|fr*WYD?x@gt&3cGx;3>aT5mwp*1 z3o2qlLbVsaCd)#Z8$@R3RIJwrpjNY(z+ayekb9fe!of~& zD4Dc;nvh@*=JQTtliRW2XP;dXog9O7xbj;M6NsR>iEh$gSM4BdRN!jw0v_ znFQe87Kgcq zYgrI-w-a-G3XnXvGz`P@YyO?T5;R;0T{fKK-HyK-WFK-6~N7V$_F$mQ>zxKI-gSE%f6 zaN_h$kJ$D-EKsaOSoNNN$N%rVTCDm+toO%DHO9ux%&ZV7;w+yp!-|NGKi#`l%LLIT zqjCleCt+KWcFH)E9}U=q#C-On!OX+L8lS=19_#!l|K_b^zRi#FJ15l)8F+wvQ{s5# zCkgcCxlW_*M=so(aQz-NArUhF{&C{X6c6VA`+;Xikl4fyeJLsmYMRrBi$Hm1BGm|D z`)i9Gqa09+?!3O|s3D}j&5op!GsfKi-}Cz4`MFrncM0|^-ph0>@PpC*Qs;Rl(C_k8 z2y;?K-(%!f%Eak`(OyDtfq?^}o&-imHPK@}zpy?pto58&`K?&<5m@u}R=}ZJbWje( z6t0TjtdM{r0}8K`<0fcCWRzh44FnPc^t;1%rC?%#Wux3r7O?h@wf^(rgqbIsa~2qE zyXC18=A$D&^p-@MJ+BSk6 zzHVPDZ5?1og|U~qW!m{s)s2g(qp3tn*z!iFZxIxi z<}QrQ#=~gr? z@O3}U;(fgm%=Nk_U%#Md-||D_Db-_UG&bm-w3-d)Rvav=<Z zos>Dp5>a}BIJ$@+^kZx;fsGRUbP&6-t80KN z_4;-Bj%lNBeb4qQZY#q$rNIDQ|gx+A?&PPKVmKhhrQ(>9@^RJ$F zsi1wxuqQCQ5S6|yV97~M!yF<F>x2-;01x`aGzHl8p*l>cOD_mbXMqg%ChFvU^_V zBDiZWm!4kK2b1BhJ3|&%G5Zhy^`Ey#n+3KtJYkYRzeZc?rlABs2#;L7#vzT%|41CX zSs)23ss@yHM3NxfGbn6eB@L%O4hk-cio%S_N@|aXB)G~DUHD9?2~*2qKC|@F;4gUS zyj8h9!m6(yxPGJ{@1QeSaBc)Dx<(_C@}Bp>zk)!9T248k+Zkp=Sr3yiN27q&;p5Az zf#63j{wdZ&03zh`Z;`G`;dneBQdBbqfGh4+*<~_82%n-k-=-;rp3qyKVU*$ptmk{* z$0s*;K7_;mn|CZ#i2@K`~f%rP9^11j>blEFKStKb1Gq1re@%FoC zRxZ$^vLSK8I}q{joNpUkcLGbp_bO!>u5chdj|6ah`FmVrG#01KG0!K~d??oQ#hvY( zsOVNPnkn_4ALrR%@xy68wm?^Kqd-%_M2NV6s!qveA*xe3cg*v{QTfW=7iY&b zc)9(K?rljhjNJU#_u+LIlK33urc|8(*eb z)a->cjho`e_blNEuYK_5s6G5(9%50wZ3is`>|V9)0Vr$0{=F@M6Ht3vMIN~90tXgT zb2jz|qKyMev(tX|nEm##`n_O1PqE%NvF>jTa~8Msxr3phCVyu5bpkrg;+?HF;SYsr z%e2}K{-8f0ZbxEo`J+TCP9!gWe#47;aN!$;kEG1e%}G&^7D$KsFZr4Si&EdUt#bR?iKr`z&}Y?BJfNIMM_vb z*D939Jf0)hZiN_AdqQ_W*w5rwAxLW3qq~yO6k2qx@5cZ3gohG}P2W){x;N)bx0C0I zc|BmAA6bKhL7})Hkaaetr{}Rj-z(@j`|`p;`B`$NgHsk_d~-Yb;+P?_p_jICYzYI^ z{l}*C>Lr1$p5*v75q0$P&PUCwxbKGLiAd#0esP$1<6%%mu7O^LL~Q-a7ltrty(pbr zcCcP?rFeK-1DNXVQW&@q67~(Q^?A;R_VhytLI{+g;+51p%Ncddeuh}b^Vfe;5!NN; zUKS>KpzGm}+s^M-hL4A-qkmW+@P7F|ZXmz_BKN9a6yHXe*mAByj}bC4t&0Fiu;#@$cW2`4Hr=}*XJ@p_s_!uGtIbqp%o!H zl~F$D8ZMB zm&I|vjv=xSPi^c<%@Nl4+h4r{2OK%{VnzM679wM9;(SKK3gO0tZn8zJAj)uZY9?F; zqAe=SykF8`j(=k1)4iDfYGv}r9V{jc63>XZ!m%Dov7eX1(U*vw;3s}Q$lxJ&s%5zc zNE(HkJ$!f;7|ZGBPJ!x%o0FkDJ7Uyjm7ygOgY~bo1{DW{L1$s%p2wazYAQd} zKB-{}8}EfbcU>?>NlfQV<(JPOH8Z17ejNqGm3K3tL*Eej6x8k{#^QL{ql8gLhs}`e z$7BswYE3x!ghKeXlQdK`-f5$KrwiwqGn<63YJh>jw{w;E%@Ef0CYsF?GS+W}3UWs1 z|LEz!)pt7SKOd+-XKbkB3Y{T@_wq2h9mVDI2yvWtRcp-sFZ4Q0n;OZ3CLxnrEw=>p z5^~9oD`_B}SD~cV$4*1vid1nYzbNcCe>S=l#pury;KB8@Uc z$6J5v%v|z758i%RD$KC~;^moCkx5s~-`iO8Wmw}OSo_ENedX3o)Nxxv5CZPJOHVr$ zj2`TWlK2$8fWUalBN&0HAs;!CAmtwFb9 z4P-}i@<8aw*|5_=c|b_B^w!zG5cB*O^JP;xGK+z4uN(SGB#Wwre{N2dtHN3t$z_Ip zBJf9#N%i`;6e{7m5a@qT9%V;zHO;(5P~6jePTxfdPM49HDxEPvL}cj)iE#0m#(SPp z?0=Mjto0=`y)*XwKGt|$@Y>Z2+VSx)_eyWzmW4kweCv=V+fGH-sw9dY>ZYNCL)YEP z9D{+SuTb^{xj$g#ePF$>*~N%8lUr#;Z-* zG$-gdRdr|kxe?}i46OR=!*woE`zbPzn&yfzg7kcYZWEn>gg1Oh*4vWdQ`G13$My}{>>;|e!!yGpD?qG}d)*0E9zbf91K zH@T%h=6D*`{8ZdWAxnY>_TUmQTei*YfOhkr5xsfq0aKiQc5$m7XwX)XFSP9};v-BV zF2easwIBHqFCQ2KTvz5v6_(P`t2lXInPUm?J0Z5t00lvI2>J2Z@^sY6wETlE6#MwG z<`e(x_E^6+u=-VQQRPX<6F4G^+vh4b9dw~tAZl<~-3TU%nEX-=OksRhPuIA{5Kj6( z@jWeNk2#)yqj*$nY~Xmwubzl(VwKPCScXB}t+DP;hl1gk%Q?wMQVD3l{19k+Pe$<)Hoezj)6uduNQjrOg!0j z+X3@_+k7|uYVap5*xX$rY58P{i0#|tNOCm6;9BI*XckQf85kchsk1^B9I9UK8d{)i z`NH$-9s@*5*v{V85kOY)i}}ayFoJ=sXkM)qJzUcrz2ah3-X^w#H)~f38ro(cxJmG`#e# zV_M$`q<7bTvs62vjY`|qbJw_G;&&bU;oHWLw3i!8JZ1m~?_Z+lQ!#|{Q2om1XEfnv z{N=*XJ67mshtKX!VLKG|aW9Jfk`}z*E50P^p$nUvvM$5b1`t|VL@z{x)ie?L1zg?vb<2KL&20i0QPdz;%M1kB?oq-+;>oD#?VIZ) zT$13;y>d#y(G|~gm&Ehj4e>m86+F*f11?$Wb-k8d&PTrf+jtz@zNEtKV^4@KYz|niL6GQ2YI*pa7*X zWc^TrMV8ePp1s6x#pU2UGTC# zu$Q_`0p>47375nv!xnno7nVlGur_zJ_}5NvbpO@E9FChR;4d`<@0#SW?Sb}?y{pk9 z7kGMK-d}PU!3wwN>P~BKWM>d+-ZAQq@`}k`>9gp8K947C>Hj&a<%hK20~9DDBZEmMEQN+GDh9hfi04U zjA7Xy^6sRlKI}ROpU8jt`Lh#v?TQY+51;bI=1&=9v0BztNd?kLiRUyuQE<2RlI3Cb z9CYfE)IxAT4pI*oHt(@XfU+F#>=)*t*!f{xJ`P;ISKRs+uKbh)#l-IY`H1An_`5Zd zR8Tz2G9Rw358PZ5KTp0q4r#(Y#+0WLz^&g@BRV`EooH(Q`TLn<@g5cnu2E#r6f@nQGF;O_tQsuHtXVE`y*HJv`eN|>wa zVeZn<@IlB@;?)9!B?=m4zgWORg>u49Emjip+qmy*+Z(v&v+9qrbwWMnQ2viZMIE4`vCC#k zH$##!dq&o7al&bxTxu%=Jy@_`1r2WJ0Eufd1?u@94k>cf15h&`ydZEipE75ycdR2 z&iG%AZes9FtS{J9l@G?HFHPU&v_LA3VkIP$mSE*^{qn631pF2S^DUR8guq$G)$QR6 z3*fxPxVGzuHt3p6k=|4dLIs9ahm8De(6Z|mwPTmf;b?%@hutI=s9;5hiQQ2cT#agC zcD^wNZGXis0Av3L+($J?(t zI{9JyLtKA?E04=}kE?%TwCROsWft0Hf2)9f!Vl;=M1n#@UEtWDBNd64D|&W#uYH6< zEVKzw{VYxLg!8#()3bzn^5CHd+S+HF5lL^YH*ZuXs;4aX{=keNZUejq&|HdpB&;T-0PYo!36;%m-Zz5a0QqaNws2>M0N~5 z_oOPk5bphgD{mv5TRHnJ5j1PB8@27UPDxTQg}rTTH;yewQaEv?#Jql(h($vyrM=H+nt zr*QE-%=i}`d?C!MvxZ0yo;FfPGuq_WG6ikHkC9{pGOZzNd+4`&eGX`=R7$IiqCPqw zBWg=GBo0oCj6zp98BizJc=<0{2^e5&tzvp%f+UB7&Px(_TC%G70wQJkvGGH2*Z)tG zzjrMEXC9$XL#e5&#Ep>~%$SciI1~C~&8N20?V>hC4qf6pWUd-u^P`$YRaXt_6Z0Dw ztM^00w@*!U!~E!5;q9{G6bbZDUP9N2U z^F@2*xWNr&=1}^&4m&|hmxbTVc{6)e20qGua<98DjaG`R#NDo`L2uBu&WBs;|lL&-qP}sr^`ala*xz?`CIy`-a)1|8EFzb4 z-Oxyn&}x2=45$RjlFQav1I%0M2?%;2%Q3~{x4Nyd{nbD1`|j<&kWwEb2yFXG)n(2x zpo=WKV`)uT(CnTYo(V2I=w9q6mi^M~Xouy_SRr40|BU;8aq}m*`f=kuT>ZH6=klGO zbiQ!~gA=zc^!hEqBd0FzX$b*OEX$augvR#4!f_YLE}~lxD>#*o12hVm^nk%TCV&*&;Q4T zu#Zz;3`6&$>4vgstdRainbv+=N64wAeN~j}4CdtwuNp5{fn8_d$Mfv}JpcCZ_x;cJ z<3H^@{=1(4{Jn7Ty8mhWi94@>i|33x??!-dvwRd6gr3FcSM$6K2M=zp;E2I3=wh6W zSAK9Hc&Fbv8c(R(HjtrJ+tY`U^z@cg+oR@CG*}kPD{705-uX(IIIRz#w!FRdhYP{) z$ZzBCF4`l31FuUKxQwyy-yl9IXJK0|kX18vb7$g0?rffoyi3aH$)n)iGc+7vbH}!% zG=hK^{o1ITu8kgV?VfGWy3FnHPXsSNt3{a@Vm;O2*M z_5V+k&zDSk^rcxAE$q)Q9q#0YQxw~Cn68LIsyWl>g{zY2-j>+!m6QB%>Rc3KD90{X z`jD-bcq|bFq7_TjZPQRzU|9~ul>~S;8+LA~I}W@*yM0XCn~iRjI{$g`FyVikf55$u z{%Q7xTVKFkzZF#|IXRa<(xC6%n^0j6kI$4<(djrr@IYyKi-0X^TfR4a0qun=2Xw=W z-r7K4I_cB)Dt|;Ngf@93J4{1(& zp@~PoRU9cT0GD3|7hig_AD9b{&ixR6?ZOUuwzme1K5HS)SRKDPu>&xEw>pxPi4%s0 z9XRey9RT-;!JbN9E5vNx8*-|^3{+3`w?$Rkz#}K4g9ej+$m*8Z#W^{3=vcI`_2jgI z&OO_UP|aajQ#R}SqZbH)mAqb8Kcpe)m7}+Lgfh_2>3cUL?uLO!!ozZA^Miofzmx*Y zL8`kf!9wK9k9&58aKp*vP06Si;`;K8?rOFZn$(#S8zD7?fx(MHmGU;AqA>6>Gs6j9 zMBba!;7LW@UGsI_vku_XykGy0s~d6@$Q{L7zPt61nRnNUMV)0%-&~n6H`7rR`zCGTXq~$;--i*oryxaQ^)0;K2Ra0)_t9Chxp;yPL_DbtEx!aThC<+ zod9e((<|EK%7BhEU*-C~&I`EndS|U&3$o6Xz{R+@{1D!ANJI5q=56f)Xj09)lzpcN zZVS&OTJY7P?SF(V_q-^??hnMp>)!aRF#i3rC4Bw7BmK^66J+*U;hJ8SHk8nZ3}_H| z1o^%V(usGPA(dAzm8YMZA>8~wuK#a)xKAvDO$!e9?y@_z*9sXwF5rDCtPLo4H#>W! z2GINRf9oOO#l)@Hn;hPyj@=)Qdq4J4%S0*?@WdZ8(XbT8*?`03^bFM>X9&7^k8kLm zJ(T*>McOnGaBzpF#9nlypckDlMdCdZA?*Hu{^R&y@IF`f;#yKV>Q$eyrnHXIm9VzcFO`C-A6UNamX6>MLhrcN81|a ztu4r2?6OB{@PS7Dq8h^Ouj}o-uT*cP2G)!>iYk3~f#;gT>e($8Xmk&&=5Yc(n8}^n zOTGu`!F9o&tM{uQ!o9z~?TKRUW3WaG7ngqo5%8jqZ4DpU%U}c>N4GC2T(dwK_g%TZ zdZ_@P5+BQ(um7L@@PNM6ncgq`0?4-N%+n<%Zs_f1;h?+E1x?J`j<9G*p{dqj;kg!O zZ2yKE&*S#L;mY&Gt*TnLq@rl{#zX#r#vnNT;Za7C2~11)@T#eYLgb8ysIIdMBz!)7 zcVC?|jQalE&i~62UiKw6Hii-UYL6!)${b6GN)>%m-);e{m#HO>SL?#A)4R?cO7=(R z>ZVdX$`C|~bH`q8mw+eriJ3b2GEi`!Ql?hj4w+?J@|1}2f_7co;_WjEph}v#WUz|? z1`Y?iJvWp`s!Qy1Z%pS^?Z;;M?eEe-aBhZ*IDy~blcPIFfz@toyj;0L`mwCs_Jn6$Rb3~Ik1bma);f%SP(>;u zxrR>Rk^Pb|&hbjDP(&E~7GAOYTPY*aNm1upIRyT$RFC0pCG-$vGTbWAyccYCZ5^1d zP(Wl*2+q=UP@c``Q`trjC5OIWTCb#qGpv&1?2Z}%?4%Z$sYm`(ML%oq+?wzN{wM?Mq#USbONk_sQ)ZwHw zOGjYYh$OwA8i3~8*=sbI2)Le@@|*J-uEco_OX9qSFL7SOk2tSkN1WF%gh<}BiEp{a z==>;3IlL|ovMWat#j?oYM!gmjC4raqj#!ySS&w=!);)<^X-x_3)0LoM7WA_D(Ka3RXUN_L$Kap*Qa( zocBHFg30ozi)keXAoIoL9#yNoDDq6lONO1Auz0)q)zf-i2xR}i{FSzkAuKcUQ-dKMAhX&P#)|m^8+Kvqgv|o=qZ#x)hG=@4UjNQx4;YL~WVd@==pV;HP%N z)19^I_D===aP)xYJeBn}cc41L8B1gD0%X}^Qz-;|0re6om$&0SkUb|^aGTj3qWQ)n z;z{)hIMpQ%mweUWQD4%m<4;|b`H*{U?^}KFPmK^^?Kef!G@_5(TGWsniB+obo?sLb zJekHH?gj_w#Rr3REusB-Bh~y+Ad0OvF!-^@86LzwN!Z_JOYB$w>v$%(`59hji|uWT za-f=jblWdsDNxACu=-BuH}z}z@v=5d7DPbw^Q^5jcrO7ZSFtU^#Va;2v*Axp4@B~l zwkMpGZNN`C?ZjGA74B)fVV~OkGcjbLT-kGLI8mu=1wkC=9X^;@Lr0oXnEBfIljJkIsJqp z!u?)v!kv#v#)To%Wp5p!2X65BQe?A)gasG~r;hyO3Pry1_amPk^?*MX;nUL|`1XK{ z55JY$j{KLRF*fcw30<#F?excy+b z_(iz)*MCp`uj9Al`t$$ZdbSetu_VNNEH^P9yV13ok0mAMV>i0~r|I`!O!TkU_w1z94)MU=<`_#I{3;@IY%oa$NR!pr~713t0mu*DZc_dxpg-1bcp~M z%9&iePN{%4@y)hDv&S` zU+&tJpCigIcWufqcWufqc5TWt{_XO(_b={y5Z9mJ&WmZ5c0JG+B;2Qg!upm6O~7}b zL+PxfCmN|?j;|#RLcD$l*$){6gYfh(xjjR=P;0=Xrc!K#hHr8->Rxt6lGC=Wr+W@U zjrjGh-^XImE9V%#2cxb)x*X~$TIY|Q55$e1arsAH-?;v=huu9~h}O#j{E;rZ zQlTaCynf)!kbxEiJgT_szs(36Uk*2an<}p}=VR@F?!6|n9Gc=qBfGLrroJ?R&~CRg zSE+T8b8v0#l9@J~9NacwnWKlj|343D*fnyyB7Vmu{jo3&)PIG6W7u=Pd zAKLYvgTTKRu$~>Fg+iT&0**v*z@Cb$^|BS5V06K5H+L8(;Mynd{%_jDU(cT>I8;AA zA0h}_cYR|tGvx!uK1KesSyJ$(`^4ZCT1#Z@a#@qfN(8pe-ynU|A_~6->rKYe3aA0dBUY|32c9en}5TV$Mv_k@fB`< z1DF2@H@}LD=YZ=^Ht`nBh!^jmP;?8*2tSM5uXMTMPk_F56b;0L^ z3=qvbN!Vs$j%59Wv~`}S!t7eZRI59Jv)%h?PZbmLQ(I)XUv0>P+LtEl)|ONVCJ5H z;6poU@~%J&m5*LIs3OV^54+M%v3D^;ilV;I3l?5@X`jaso5hOlZwqt1rrd*!P}A1o za>^_PC`mIKT>M~&s;|-&{3g`%or+m6a4IQ*{kIg~3J!I+7QR2%u-FZ~bC|iK`MD6N zUbnb?p1TVnul#j??QKImqsJoeT|JMs<-ga+V>|?DZm*ubx_Jh%&c1oM_e2?#GMIb4 z)=Gs9nQnd7gY|IKsXa9+{xZrb9DDjFGa1Sr<=tB-J&qJT(_-1vlF;`;JH?RoM7U}j zbi}YR3wAB)=|w)whg39t$uQ~|c0FRgmWwTUbuYMo*Uf39aWdeE+;M@71>3k3<02mQB&Aj3UXwc^TJ&~ErK z21V%uXIRpOg}(pIA1@=KMwm~a4xKs}Um*%NR$uS6e{6}~TXl+(z7l}fy}~<|kT?Y8 zAJTvDOb9OhzQ9?{A`c$@Z{~ud<)BE;DKo~=1trwIVw}&=LHkQNvOO zW@aP=lO06h#!*2M(R^WmkUE{Hcnfr<^^_1d3qRbq+M}mrEeek_ulwv?5g_vAu|u=q z(}SKC?9iG-`Cge#8}Tl`k(fBXAB;bkhwE5#!0rk);lr0$p>gyK3;P!-Xe0HZ9dwt1 z3k(&;AL;DTs$V&)ijz28*66O&ES82iN1e~lPfB2~=ShE9OWHFn#5hCWx{Zeo@>P7T z8y~SlMZyu1Xrx_SUexpk%y-vM~FcslY=KpZOnNUAOJbGrL+W~fki;XaeT z8n6d$+_gNY0V9ICOtY*js{Nl2*A71SffJuc$#Mwq|36=auSkn~K&n==^A^iIJ5v`0Il?|B?h#2lZ*_O%&T#tv~>_vH~N{Xuq@8`qr zAI8l;;O1v=`-}c={kZG-va&cD5}pdur z0YtVoze=~47W=&5@|)oHM_GSyXnGTJ30hXdA0ai`%L2Vd35P@YzhL;GT(d9Sno~#%I><+&SRdO=6i+pO0<~*(FjaABMb) zt9OK(3J~u8@K5#?QFnR6JCSr=61qqb7+aUPH=B&Yk;n2;p=78PcK#~Y5`@D1oK~I_ zcwlh97jC{3w_l5*&BerV@-VEN?g%^5CTO+H<0Q+y7?dXU=AUk_T(SBbpe3L)Z zk<6HZHe}AJG$~slSB`O+;|k)0xliGqPZ{D+EcEl5vamFCv>zAw%_sre)xy8YyGvv5 zCobOm_G>M15fA)8@cKe^`dA|38#~W8%pMAUiaWpVIq3sp_d*-La2-N^Hxd>k5pJ70sFf56R8;^O<^%HzgMxbnE?3%6djiRW*Rf;N`7->`K< zM`GWbi)Na^v2#?#p(5rGa4GK!)h;s#ioX1XM8E{ber-9cFKG&fdd6Fvm-WDm;m6PU zE=82TZ}?VLhYMO;;ZAU@F@W0WfcPywVra}JuW;pdI@;p0i(~tR5HNVO@@SpK1JSmM z@4CL`hvut~{zyKZ1VxVOd8o|hs0>kOUcdBX zu|?wO>l?*~R@nWJoBo6XHu=0XhJK-D$2z^Bt(m2+{e6a6}Cwb2}%IbAcyg&|_zpO3#b~^W9 z8?_I_knJ>e0B2BE+ILshUj|I*_st1OyCI+0huYx^g?`1FIds&tEUREQ%mkIBr|9USY;(Hlk zzjtu$6IcEnoss{2LvLvQlR(;K>H>mco{zpC&qC4sR#VpEW-#rNQIcoo1|)4%t(lGi zfQygu{6qZCUv73NDw<;8>uX&Y7`O90Yo!k*?5%S{)W$G>*hj@dT?YoME1SYs?T{PA z#`>T4B4GCPk8`JlGP+$aAToydfwVckLrPWv*h~9tpNlG@mqy1NZ+{Ykv(v7Rtvo}~ z+EB@(10HT5xBuNOK$q5Y&vpst-WdSu2hQ->^(oOJIEt^jv*yd$#a zdZ#Vim~fyvt>*@wqldknY8(K!K61MFmy&G7Hl$x5{#HDb3v@q!sn}znft(NS_B-`S z5tdiPUBeO-5$kfCMUspH(CcZPm$`cw1Z=<1P>4oCZ?u+8AbS>EZM}c-IA16T-{N^9 zvMU|xJok7@3)f)tL3h17`|SEq4n%uDok%fDgMy%IS9%!Bz*oSfuxMX0Bv6LeHkntT zqNd`84Eu6~%O|o~f8-&~FK`p*7xanq3tYtc1s>x30w?kQ{pd_p%2ji5|rJ;;-w+jc0J>apQU1dae-}g>VS+LA@Fu+5YSeMPtke*m(4izee3x zhBgCq^eI)-Gtc1z9lNxsbU+l@7OzVp)d^y&xs< zx3AFiEJ%7T^6~NX5p2FiT>HemFL32I;|&^OykSU;H&lr61}!n(&?UwjHc+-QN^@&m z4dUDNN&1!Jk&rU%FkTD(y*dP053@lz%cig^sAYGB$`)dMRu=%PocJVvy%F;qrNftNN1cYFG zGNS8Rt0bfcBk~W7GLRCv|Bpn82uueBS2xQjA+x|mL6RT^#QMPhq}&HixZrA;{otD* zG#N*;k*`Xllz!W*X*>7`ez|_>P60o*{ouYwT3RmV-j`28CxV`3-L13%yHRG6ED3w? zRd8>&&?E2)F)^HbwQDH5_qb zDG?a7fcx&nts2ifP{?)RyHf(@e|voUy{uTD|CmVhgteek+KQ?y`YQAD{m{!&9e4z-B z?!-41pOJ^r6sKDc&bgp!I_GlXEi%CPETv?3w;Fuh+WNuAQwDJRc{cS667};F^_vj& z^APom6ZP}J<~$ue)c6%cObZ>*SHAy!DqS8K*C*=U>ZbbVPnf|{cGbdyg$Db5 zy{VsvsGp0dUyrDtov2@ssGkFSJ$nk44_e+A0Z!YDjHh#g;1Wn(wr9IJ+8?D5ekhR- zuI9~YXiZ2!k6@A2GeTXk>qV@1K#wHk-mK~Qs3HN^`1sg%L|P;5kNZ`2_=y0=!bh?z zk#ex-v^Y)vq6p-9F}U1*5CDhxJS*DICnMfVS;2#*;Xo2cO0J#g3rTg;iX(fHQLN$> zf0~*Y?EDq3e+zGVd--jU3N)L`+Zk~MA@AX1yz?P;gyAaZktA z@;!%g&W)1!ft=pf_ClKil%*ob#yaf}ZP!G$e9iI!qu}Avtg|st9nvy#{HYH%9~18T z9k;$Y)aIkz;3JE8PI(3V5etG(O~)0pA0@-{xzAo|?b%TI=ugDdh80LnB>m*xS&kAb zj?drPV-DXOIX$}j9gy!h*|`Ku2PmVMnz~7^3n6~PGXe?zDAX)LzT>AWMD}Uba;JqM zD#Hn>@O(mDWI4u5^kEDfk(;=zc%3kxd~=)8SdT75C4~M=@b$#bPvX|g{%(2P{si3h zblHY4-MDUwOtYOIPccP;bF;}I!B{7BrH|aXK|d57BUR$(+@1>5oTHV_LlNi~JI^Yo zM0mrGl9$?CfR?yPGY`K`!Hx%T&)3(c9SiCS zM$mE3Sb9WP8%QFGgsa2C&^E6#4X?#4;nP&gvlG{KVcNBe@wuZZ$U61M_gI9Z+NS7d zEy}j?e_-RppP=_SKQ#qk4sxGUJpmXq1Hv=7xmGSwAxX(7w(AT zQRD;nt%0!owEL^e7Z2z#e;?*oWe;@fRTRRZ2MK&?j%z#I2z~xX+8d_(++o#1JcPkn z0i27@|FQOqMB`V!O;=p;0`R%=r)W(E+n-d@j{*LFrhQa7+x+#%-VfKkk0W|%Q3?ob-}LdJtFpq%UoF9_k$*k zlCJ#OwyFWR^_`0(e7u*hq=3$o?;#&KCQJ`0h*mG_ipKMrB$+mtS!IRR-@f>VWa z%IIT7jXN`KF1mLBjs=tl!OCjH;X0!X*yX2AFTR=%-)q)r%nqIBcZusa#@z*nDm@2am7$oRZ6>Y-7D#4j6e1ucdslBR+F=bAD&fBVfQ!>S0L z!8aL0og`qe+@tGxk{VpNLKWF7tpJx^b(nN`OF^jjg$uRM+z{^kRLfHd{e!0y4Wj73<1rbM=X@@^-7%y!n#!FkU z@oE+d>>2D2>_fs1^NQCe6(I23S&v8Id!bu3R&pgw8~JUwsfn#sh5+@G)GxFJvHNXs z{r|O4-G&Ft;pn|F-3ZgP9pZ^ISdXE1gLiRzB1jSmxN=+F)PiIkfw!1%v31T6`~Tv8 z-_7+~qMcU@IBk~Iq4aTi9j&b;T3%#4_@YJ~%qlqDyQpD zaHR7_lTkUxP@NJ~{|t(dYq0~{kvyvCFLuxox>(ojAqf5DAV4>0j{UuG@v?C9Gn@M_ z0b+%_EFVH~jBCjP zOA>H(B3;GGBLeok`tc=)B@B8#Rjg#h9!5V@Pv@QN2_x?RU)R6edm(nATpH#~if$#4 zxS>1mZ#KJkN&$n0fvf_(Gz=ZCD80F={S9pPWB0Vm~^sbXH~V%raHJ^G)vKmXI#gPZTd-5=AP zm+f8NTB5f7oxHk5>QI|!xV&do3!0{DPwwN^1zxv|bN!j>Fn>GX_O%|%zx_OVHRz@? z9CAQH2X5AB%Su7)vB9ad01H@6`Tq6zEji?Q*Jck-Dj|P=GiW`tfex|!x^VB|v%lV7 zM)XI_$^BvnQm^F$ZH_M{x<75#qhd6&Xr%ZuM(aYt@1I;L-oIPvS z*c+XEIehJAfg?=5q&Ao%+&dOSH!{9!J3wL`sdvV7IC_zDKK9}vYizv4&3pw3ah`&N zI8VVt%$NQo=1aE_=P7=7;pR6O)rYUfl$pYc+is2n?`@Gn!Lm0ApC;HpTB1LaV+`#r zOgDnL9gvLTkq>n{3;{QO!;P>0?tCxqeg;L?JBkqckBa>hrTgeK(a#h53fqlL;r-RM zHR*ju(5q&;o^e+jIo|0xr<){-ogcu(E5ntqe|fV&$j=uV1~Lu#7$cE=><)$iQf#MuxY2=y@E_w2I-G+m?QuQ{TPTm3?i}GmNc+$oRT3+1dREK5I zm+D769CTdps{c31GJ`y*i#*wXc84~i7(d0?)hh$G-C|TK;%qR|dCKTI2_NcI`0=|u zl?60!cb1?I2w9fy@k%dGyg=7xICNS1OW!)7V1Z z@MrUeea_Hp-KFE1?}qewD?`}6g&|z~Arpx8=xvigay$YxjKZ2obd_@Od7Uhr_~Crv zORzo&hu)Zo26N%%^=rjK0@#f?`@K3@{}F%XKl`ODO^t~$bNZaoV}BS*OLR^))q zLNHP{WaxaM>H^cnH&>b;yJ7QjXjS?^PrA_o~7~GcSo3 z^$B#8e=M?SDFawV?zT$zlmV0VqE7Ql5qv#U@-AUH2Xb$@YSK+KAYa*_i_IStkt&ro zbt|bU`ZW`r7Cd4O#uRx)Db`Y`v~Tao7s9VYR>?`rJ`1Q+d9kjwVF8xsQv%93JkSp* zYZCP<_F%4&*P_U44!O3Ok3U+;BN@3XvnJ=Yu;*1b>&1T^FAn#10%MjZ?M_R5|sXGLsvw6K| zynbt+V{l3`!gr}vXk~sF7!E*}eyu4_I zT&|5~^FGys71w}Ebb7{+;BbCVN4hKGTvz}2L)QRoFDHGH3_J&oVWk4u_p5*>#-6sL z@d9jY=s@z{LsF^F98df*_M26tV*_!#1~^&^4k|a$k65jvdY~p!r;_!-kkc9GP1mM zZY`2e5W9aYoV?>5dE09lzk;n09aYhm_o4!z9Pag1VVgPRZ2Y|G|4R+2+s#DMMGC>dYaWvuT{7_2 zNaAI88e#r0DM{_{ydr9rdPCALB7o)&w6>YwmPIRh2PRO8Fp?KG4QSvYE!OX2w7gf2Ti1%mpb)Mcw%NNE_RK`rB(BJ*S$3LT^wzSB+-E zBmZ;TLawJGajCu=XZA%QTekiA2dXmRF5UQr2+ve({fBNHB~`4@L5;@(GJY8;Lsd>1 zy~GFsZ+q2!q1agklx$O2O9OS#Z0tv4+7Ve|ec`Y3v!o5UPtts20TZv-yBfKKInS+C ziV>~|F%3)aUh-ss$2^Ny(s=d*7xy-%!Y>R&{eK<*aI?Po*VltPAF-+budnCt{=XvI zUOHRWo<-vd`!}u~1$boa5Y+_o)X8^Et#(MGYdfMXHo&%L+<16Mds<${)&tQn z%>-Lj$;0`OSE{YiZonNj2>aIKg-t#hA)okn zuGvW%KwftEWvmP>Y-P!*v2rEgx3+!0KNez+J&%uDU%y8SYF9?lyJ^{FIQ15*tg{5Pd>T;ZeF!s%uSczh*%UN zqc{UmymDI#S6dNoJb?S&$K~_IeJ`_(7IxJo)S{=uM-Su0JA6g`Tl;jsBGTs)z6S2)rs6EF9#&->u&|GVY6+>EBnibY{xhAX{!x+2Kaa`yHT z@^eDBb9BJ%WBENdd|UG)iD#; zDe5|~7HE&|mFBN4cbUMEz+15Ax*7KRoemOSBgvtN*?8;6^>t0i4I%AV;|+%PrucVr z$_L?EDTx{7-2`-4&%j`*!3kSGZ*@@aHN%5Me$Nmhzh@$m-!qoT?-@qq_YA<+|99KZ zzxproyridrSW8l0rBWJ@WIpifO{^dsvO8%LG)9RX|KRe4{k#AFdH?_2pZ~l+>R~S&+q@+=NFf+1UG;9ul@YrWk0y}Bi!$c%lDm_>0K$ZYbVk$xRsfo zEQ&7sZz;$tqeHg`?%P~+CS_j+C0+Wrbb*kzTXop62>+*r*Fq)fb3>t z_V>lL2i*D^Zv24jKXLc}ki4SNeKutv|H22_Ve)X(fW3Mvl^d$-x9f8+R{)lX?wz)T zxwpvx`OEKo)d3fO40rwiJ^8<0kN)rJ|LgTET>YE<|DnZ0+ zl>~We3AG$6Q8<5_I_&!(4>*d(MH##ohEmS>UyW{J@J*~Q*i@Ad#-%S!-{rJGUyD0= z7|g?AkG#C{0ztDKH*iI7e(HH6jr%8ah_2fh5o%5>PWBSER1^TGpZK67r(1-YN?0&-q z($%i7*NoF{nmHilFz1;PYjsp}dDvn96LYk^?MOKLmVali;k3L zpdy-AsLTFlAq~qiZ~I&HrQu8C)673Q+Q{31(nN4U2)n+I%SYBIgy?48$pSm6j-~Tg zDu^R7mAC11LgHJLM>ozJgO9`mL(W^;C?{?0)@2uC?EYlj{V|dk^pHC#530Ry7K92V zfb-QuHHvI)#6MUZ!q<=BY6e4+hJ_jG{V5@JFhmVBW|#GEmZhPp#YeP``Js@1ov~|7 zFAmy{pS==6nTCe1{LEE<7Ybi9svZxKM_}V0;=Y&vZu`Nl|Kjq|cMhE2eMkdzwLp@3Jd%+t7zNij^u-4!MfO}px`xzXG^Xz)Wd3HnMJi7sL zp52i+&u;X$+wSXa?0?Gt&Z*mfD7~ z-{$Cp>Rmql5Usy`{kZ+){C6(wt2#{soWreey<@k-)V)t(k27h&O_*lAAd3bDi>R6# z3wMIOZ%<{}c3Jf4Q1JV2m6l+d^(8`zU@w}ZUnyj^#h{V7#tGwPOK=tOIkJo00uH;h z{5f&h0^1+r;!$k!XK|x8fAcbmCLwgcgL50%IY!{>;r_hJ%ml1Y8r2PHXkorTzin)T zj>up3*X42f9dP3T-1Cdu4~BcbaQlJ(Zh2fj%0HiIqS_@np+32kH$ICEWM&UOdE}*q z8hE*$`(I{-z@0+dFK_1n_@F|X8O92@_K*AC$Bp-Jzc222!L>Ks@4Ly*!bY5r5G2k= zuoLGaScvlx!o>LqW^DdkT>j8wbTgA=0ye%Y?tbFh8}9pVj+bwruQV?tuTK?!8s!0*Dejv?r}a@iDZT91Gn_DTNlEC< zQy!?#>i&9~oBMC?f5XM^<>n@x6MA zS;H)#W@hcU$(l%vPjra!ya6$u*CNLATEuwXni$V3VdH7z=F@QP;h!c?84^7?I$s2h z7B+*CFK;5@3Dy8_U4WM{GL#ox8laN$K~460K02N}CUKJ@9o_7x3k$jyiF9}b3xO{J z%`VqJwSO4_-Cj;r?KfQExLzVV@2f;Ke#%w&`+O=;{X(; zb|P&1VX&ZImx0m@6B3_(i2~WS#=DBFaR`_12KT)naNx={8*vG=wf4a&x8D5_&uw}7 zS11o~_OBRn-4sKW--6xy{}AS16>pGJMjasH7ikmmi!_P&MSev5A~hm@kpU6ENS*k8 z|LgPbxO`YAL?wsXwily7-Mwn2#wXB+{BKn*&$2;^QjGegYCf>5JzIS8G8A0uf4_Hl z8ihT-hI?Q8PJ8@mF;hpkQnoW5)!2!m_S@6$&Xz&+%v;oNGpRv%&XaOS1{(C!_83i0 zqXtMBdCr-waKNwhTDFC9Q;5pB9<`Os4GpL+GhflPM62huP8@dDgR_}(vf3e5Q1Q6T zq;W+YSelf0^oLj>J4w;Xdqfz@1kW~eO7BL87(-+S1ZW^@-#(q91byuJP~7v5yFb54 zpE2DY4TRQ)YSocbvB=`HyjO3sH`Hh~3g~eK!QqMT0lmd>NY(NWvlc@j442#!Z9eJ) zQ#$UXp%>i2beNyh#>ERB3x&v5A0YG_%HE7?%Z@`z+!S%9Gg0V+uYmcUsDr5I(u}&u zS2H-lw#C{O*+Kh;#=8**cSvp$@kw9^K@TMxdZ}jJu=8oS`QA!Ja!udnLJ+Q*IiMv} zi%M)}YM&7Jc6j(jMR^GNNivCHE#Q@x_LjU6X*BUiSzp^#QA+hoZmMj z&hN`$&--uc|Lgbw*RqR8j8e^j>SuUFTdx|({Y?8qL*s-7zH_ZuTiL?S^K@KcU%XJ| z9qrj{WQjfRCT3FnoLtTg3Fz?eT_TqU3r;%!&}0>O#vyh(JfZ-5}i^f}kQLDGEv$v?3@q3I?d42(}=I2?i2UBJce^-haU7JZpW|dVW9a zTIV`3XJ*gL-aVsQkpA50=dm~~?EW2G|K!r|b45*aBEX%#dU|IBKN1}e%bYm9(LZm^ z`StsTAiSH&S{a{}LXtCwE5BUj!uAhw>j7~4JsXT1eMqfNpr7=dU+wR^!>`@r@_$bH zKzhr1wA04`IJ3HQ;t)ZP)8dcp9sl$|?Dgyqu{oRL7XZe2UAI-F-GIDpXV0$tL7-B! zb-4I~Kh)E^-QfM@2_sxP9-dY|MdW+=@Ay1!d^-F)CfI&%2ZZn3*%8P9&vM13T(Z^-^=G{!SByr_st3S_|>eW z%l@a*FjEnIC9_lyY1A7yZf*4&|E=c~Q6=z}Ve+5g z<|}dS4{rPmI_vvn!;L|iPoBam+6;ZK(@K-7(Sxal;-Rq=eRxxzQ_FYA78yPW?JS?r z1b7v8PkBxo8CZ#5ASri8$~(>lDp07Q(SqQnTb&9(Gsm^aX5xgH>4$Tu#-gz818zPP zSAPNbfA?G5E%F^xBIrE6E{Twlg0Z|{ThmY(uyA&?vC3D3j4)x-oz60ls6nYh#_RS! z@8@b56lZ%>AOy_!#2a`2;e%$@uCb$`3Q!cpD9e9F7N{sbDLtH)fM@B(CulNlk&tDR zNIa_=L>wT0GZLi)hujC3#CMycvt*@}EusY8+*!w9`BDuK5ul4$H`c_Ce{thkyK1q8 z=*MYbv`}wzs4^bf?%Syq=B9y~kXtu@Mh3hauxtJ0mk8B|?ho%ga{=M**Wn18vo#kj zkrz`y%sw(6bmHF4z};>LIyN09V#2gQ=s8tAEbx6 zsERTO^^C5&J@-tWK3(0^I#w+07|EBxM1) z`ET9HX;jemo2(A|)IcOu`1lo>r5SbBhZy39En3jb>T}txl&}%V}PIEry=gJSKZBLO@xG7=ZU)2GzKKBNFG_?3xUMW=# zNWKfb&Zjm(*(!{WzqY7>*gcB%UwJ~X!~0j|pJOW6?+b2!F>Zbn7r({jQ^FmOdp;-o zR9pK5^pUQ8-(>e5XB64@a^KAx>S$NGp!oeN6=1uU3y($}P#ej^YCWAuY<*bV_32Z% zmdkh39cbF#h@8vLLUs>N7t(gvLZp}vOQ)p+^i(a+B>6=^R9@osL|%e^k(@?pr}2NU z7s6d1-1Wzezy9^J3qsPf+n0(WtdQ8NvFY$pAut{~Q<0j+56^Q#S$5r&0Xc!3~wkvsNb@)F4p!3b&DJJ`1Y=&ejs<|kSYCusLf~$EPC68Om)Y+~>}^p-|t1 z(0x|AXwc}b)WBJ5kh33cZ9eFZ?n?aSGdO399UtN1b^q)C?b#pn;_G4T)A>st)C!L8{6pZ~R6LPo zy^<^k{v8_=b>VU#3Sx8L>}0@aksv8lVu$|e1#1)ag4u|A!5l=rU=E^QFgsB%m>qk+ zBsvEr%pDy-{PUpbJ1I+er8S@3Nx(~dmB@>~(FDM=x!5DGnH?ZZlXIe%|4&Afdbn-3uQ~zAnfh&?1EG>T1gVFjE!Smc^sG)g}mSLnOn3 zlsO#ze5>x{j34-&sEpTjwg7sHqQLu~1JP>0prpYrd+hod-1*@01>xEgTz+Pu9_s#S zdtKzRJFxPEkqW4HlAiL2Rsoe&*=xDKjgW*!TdcDM5-FNE6KVu-nSwb5&MG0jq{M&l6>#gP&F_g zIlcINxDi!3)#eOZ7GT%+;;s*F{TnWRh>K6EdeR3T+0O$pAyfx74J=Uf_or`nUG+iA zMP#>cSvw%NvXijV1l{7KJcTB6M4Fk9o?NVsWKKVQ zZNEn!p8xHyT8q@jp3mD~BN>;kTfv!>@%WQ%77z=k_iV64Atr~-upxr}Y7m8$>qi2= z|GQsN*+-6AVt*eueq?jf_N}iq2aE5g+RxuI0oR+JS$EHdA^x88R%6sA5X#&7_6xZg zWY13y?0S#SCww93<+qN(10b<&nq@X_3-=8Yp9DPgN7ghy4!z&Q0nrJMq+PDr1GBOz z4f9P|?En2NGwsxRF&efXtrV#FL_=5Y-Q@0yTtrs;PJQEK3S$1bI@i225ej`2R)3yK z#I`@U@e%I(_;0)xQC~@tsIR0&)K`)u>MKbR^_8Tt=Z{+-h-*K0Ixj{V#)hJP9^t=? zE0%DD>|?rLh%PYS>8kq`=>vXDCrVz8S;C&7CN2glFN9m)h-?3&>bcu%d2JDSKTk@4 zuLmK{xnQ#IxE;z+7a2>fFhO#@+|1M!cJM(&+SS>Z7du{lIog@p;HQn=jIz&=)axOx z_~`V2lUiW@=1Gn1D53w%$X-w^g%^GQRQ!;OkT=Bjw{iVX-1{zZ@WZp)U-VJk6Iz!_ zO>v;EY@ztrrGY9%PIq=YD?s4Rj|QTX;^6euO0DUQD)xQE-7j2!xSvn_2_u1Tl%soZ z>@trg(4600`eC0D#3)Hm7&bVd?|)<8T0YW&b9=JZ@3I+T#|yam;{Ub(EL`ThDL)i} zES$)j60W-g`_a0n@M}>o7Cqq#usd`uNN`ktc}7k1j9Ac)&@0juDY$eN;Ymbg3uP z8SJ^E=+afgP*royj`ksQlqy>kML*#NGp6e1-^x7U$BUWkF{i!3rMw~P`JYI1`C<20 z+aI3rP(>{e`*^~+z`ioRgXHpYl%!;HNK_*cJf7q}Ic8XhROK2+^35}$ zDaG)?v7kga6%(*XtDHqVZxX1X$Gy`zTLM;JGZ{a5CW+cy^Ed4Y^#j|hH{yif$)ciT z)soLC#j*V*T>lN%p5wk3xc(Auy*lpq|LH{<67?cAhA@qF$sHQ7(&0bxvRs{Q# z0{v18ny8)DXN5~!6ue#j{JD2a9_;Mv-097<&`Rrx6XH9?;n|9ZgBo=P*s|UK@;xXN zP1QW2WjLG#C#DBu>w7X`fugI|;Y1jU=x7a`6I`#hZfGN(fgq|`OE-w^=TUnlWDV?r zWd|m00}$$+{#2l+3^&N~D1#)WK+%JNCnHM+taxw5uCmEM+itpFW1~_)M|qG>kjxR` zz89XaJ&_SXhlMFI_~MIl3&c2;8T1b6L%_$T^_|6p`TdQ}{(-hXO8 zBJV8)f(qwGm2+i~+r+)$$TDrzGxXw`!F2u%ZS3#k{x7b*%~oB@QK}Xr z;GR~;UDNqNW3|3-DB)MXPle>}Mr%RPM&&Sf9gT8r%^87?4*u5vTvm%e61D(lokmTM%|23h}zz4UCs|td9FAL-?lyR~t(-Ac%9-pIX@jO3WrC%HAZSnWGbZCktXAW9GoT(&<I_$ zgL=0G;QDWm^xwvsknthYJ628Y3yR3uA@jV=fDpQ(=4(&)R~-~gg_U0(R6Y85Jhc4=eAk0~M!Xx04BtutHh8vK7~W%^!lxuZ3HmkK1pB z`(Brtm!_8+grc45bnQ7a=8)A$Q5|?f5B@mFQk>ZD1p^Unp_k731EE6h=G=%UN?)TY zlkL}r$E}_3*uxaifsw|SS6*v@jmc$}1OiU%@VVw;B0;}S&ho*^?*dJ@({+0Lq-ZF( zUxx=%{k~u$J?o?P+yhRhQXX6zN`}JfL|e7PAz)l{nZtLrh}geI$kVsHiVgAeMq+K& zjb`tyKt;V{I#<9FH2W1K^whnP)v(O)IW`OIcpSGs4%hzd)p&Yc$Vn57_Yd30QES3Q zhvK+j;|7RiO@?causXa$th^OQx@ec-F5C24L8Rtk@0(mi(6>EXX6kl98E&dE7QgRg zMRKuhS#ew{a5l4ektRn4mPoRLRT`AA`2=w9OH5nDPnnM-;FnoiQE#%D1Njet-KOrN4@Q`mg^IoB!IX4KD_M=6z;R2lFRRE51_Rh>_L& zf!Qx5u+sh5(Ql&xn!D%HUhLNZ-0$Ps6WsB*?=RDUk7Q!DI&f0#RPT#W1*&UN54K)8 zq7wFN?eaHOz;Ccjwe7YVxTtWNC&s+T*600^Ii~!9T>!pcQd~P3!vm4cBD;v9}Ew@JiYOQ8w~F-q;wi0kFt1h}n$1cF z7Rf6=B#jHvOnXmMCPAkKcl~k4FaHhr6{@C={TC1*&SVB_bA z+&dmuB@=)L%5fZl8Z){4RB{x%?qc_<|Z#P>*n&WYtDSP7KUVdyLRN zm!T2HNjAi0&i41QmmU<2rVZcPwg=P65~{L92awRAn}4?%gh185AmoN46o0qk+r#gQ z-7ie3$UU0ZO`jT>HlOdece$N}SVGfJRH(x1|44>P_Jw0A>8_8T)YeS z`t>`t_>@!Ec3QJlZ>T$x6 zuH}kJJ#P4%_~Pu7J+cVbKI6W3xbZJ;zW}a3hU;(O+C#%}vy1+t33bNplmp?0 z5=toYcge#rY8e#bO?zlThZhcfIn!}{OaNO?2iHFQ)AunU>id`x^?h83`abqVeIE;= zzKHGE3_$l4x=~Gh$PO79xjF4(=-l3TL(9)bmG?GHk?8MV`jaf8q9L;oARy zVS?A)2|PU-Woz6iMoOGN zr@jlmsBujgP6(r>*L!VszO1MvT+=L%7L$YK2k)CAQ{{ncS**wAJSQq_Eq{7|kbl6f zPsWW;as6A|_XyV?_+Q&|-2B3Kk12*nA5GwZ_9kbUh$(t%-6(y9EgW4iPnu7#uz@O` z%p?0_wc%6b%g@WJF4+C`3G~Xjor_Z7L!}ft$7GG-I@F4@6y(qp7yEgpd|9-a*Iy;} zhzkPLOU>_Hw**xwR{rb=N$@$XC{^;q7L62BCyzW)1UAa*1WigwNU%Tt;&p~Px*_r+ z=Uu)rk*|Z3$nU{P- z$K_YV<=@85*WkvdxO`dv?B{>y>lVwhb5$nPr7*`wElEsUarr&%>IzCcOfm;FOIL^ea8R#SUwdtyP zLk_0y&x?~2_y!)awns-vNFdyLn1AmD6OoULfyl?DK;+}1CGv3{BJy$3{a@~vIgziM zpUBrON#yGmB=U9h6ZyIceZc3mMZLnv;2CFiOf5SJut5WaHYT#cVAKJAZVOKI{+!G?#Ml(%1#$Rkqtm{Am%OFhQY?ltQ@BC!~}4@;JN^ zZKa>(Ig1`sd3_xmyAb=g8c3KQ)jWCZgQi2? zJK2lYgH`?|%^t}NIGY!+v%D}J+>_YfODN>Pfzi(kH5WZ#h?TxOg#G5b#Pg)piYc_O{xv^YR&N>HZb8g&UmqlQdetbtdpAK?AqsZ=4rwq9G zEpEQ`M>daiCS^Ee?1{KFp%(`yzG=K?3Q2|3Zr^TAnoJ0}^ZfKepa)d-N=iD@pFz0! zDctxjrN_BShroBNv*U%GRJ%FwmG8bQRcDQs)t_8GYvzxFDaT4K*II&YrMA8JoDFQP zQ6}88ErNB1l)1ruZs@oFkB_e}pMtS2({o9ag=med{b(eq7pj9{QkR{X*nD)jcnEI) z3+{U2){73=4ryy7o&@)!DRnI);i!E0{H-f5j)QUdzTkYpJhXZ$nm6=oAd(ig`*Dyu z4I3ZBT_0Tk1Xn)-x4-xk*$2t1?^O}+HL`@O@}zJ`yZnsHC1KcqaF3{9wGd3Ns5u+P zFeA5{sam3={BYsxqZdabB2nei^Y~ic1V}#)Sr2|6g)81a=4j$fVeril;m)3eiOltwr4ifB5}gFDm9n z0^rtX{yT57(4p^AyL?9)j<)d}l=QGgn$r0q1cu_FXoI z4~0p)t(I-!;h3R@{gxg4E=W9eh0wQ4#U;c)J{pg3`8o4gujS1@je~+y8lFbWF;Lm{ zL+RO$ljxw<+TC)qV@UrA%|WrAIM~lyTR+jCjGYg~#W!%{S=@RI-0$P!1Gso;kVyaH z%|D*7H(~nL*HaEaUerhTP$e8aWZOK)dc_^Y9cKLcLnBc=e}K%*GB40r|9L9tXg=J} zBMo@g)P|NS*hD+JPrO= zB7M|2zOHu+ol_R8$UE!~DHa<0N@&tS^y;odO#`XWdT{nlnV$(#WiHT`OEiF!yp{~7 z^F$!dbCY)cs|gyH<_Q1FrUMRQ_nGx|dEis1-m3VBB?^AE_3V3|B)l)PpIFW`hwoq1 zZKKI_L11b7+{8~!w9!w_GSZ`hU9a26Z&FsPF9)ADdUXc=NQ0O7oy}x-Yn17(rFGI& z8l}q~pq&}_y znd`50>C~j*`s<)KRw7CuTPN<2lahuQ4YL)Flz9LRpZW`l;G^(W`qRWj{t=||>xcA- zhZ!Jt*1%Nzdosesf2jLk*w`KB1k$mcpQO)nf-8GoU>1uul2+oqVNuNrSKPw9{3tkK zafI%|<_~u0)m)$WUO|Tn+Z5v%8~9d6xODjhN>DsX>OPnbJ}vGUeU6zBOwql~_S6m~JzClI9VCKnJED(HV49hQrit0a$twez-x=eXk_t%Q}Oz#|ugnicN)TjwKm&|mkH zaROwOvjoeH8=A?BrVwR#Jmx#SJ(!QxuN`Q&0%?h0ipBv8P%>U}aQ+>S-Oq^Y zA9|;DYKe-QK;HeL$*To^=v?QV5Y2UCsG$F`)@5o0<3A>D50@IFGsE;fGnXu}@f_TK zL#ITh%`!$wsBn#Hpt#2arspE1d+4Phc96tJn^hSC&0|?7b%f#gZj!zEBev*^TFvKh z;V4uS<1ZA~d;&e#GiCDYVG@MrWbFG9Qv}{RdbNcd0R)|hpNl2YA?WpxT5Qa1b!f8G z)UlwEg<;L-8_`92h&(wi{hhHsnj^Q8m{OAg6`d@3$LE6B`LF-={gs^$VX&;Ag&XUc zk3Drf(aiMtVC|YQgeI>!?@-l&dQHmm;`!D7rMSL$A!RFUe$?lQYDx6>xFM-*LyY5# z29kfbNN()K4Lb%t8H&e68L~ZM`D~F+ndN%Ua0}XWj$b*|z?koL~*`9hV7R*4V zJIL;w&I_kM9H|}xQQcHEt7yE&B zcK=+=x(1S1lHD_7a|o2J^ZI9u4?;uEX>o67PQV@CAQy4tlmsKv92)s3V#SKixsl%d zT7D26=y}BN!pH|EWEVc{$lrlBPFX+HILQUL`Fc5-57Unp?2z(-aN1ITarn+Z7#vk2 z4b~AgVhyd*Fi(B>eu9Mr*esDUw-9s;aq%wP`keB+-8U-B3Q+Zs#aAPpLUgm`Xm-uf zA{0Winx`9F3Lj%OUq~$r4Nm#pkj~6?L;SGxOyq3FSh5e8eN^_w=`op^e&pS zDsY(}>Y0oJIHs78iWcQ~yA=;)adr9HRAwOcw(pU46OQOheOJ%+^E4i_1u=-XJO5V!K zWe549r7@1`JFAD$E?E&;{U%NbwYoEY&`=05OfP#n>TtoYwK$s;32wAE^em~W}YZsE)rvd-ocX^^eFGcj{b&3AG4$+?{)X)AOe_jE*-v<|u#XX<6@5P%x zskBLQYH&5h;PJb!+7P%p*l@PQ5>1!Z>wfJsK^$E|7tMF+fn}aWg4l#EcD#ujuMPK( z2W(^$bb{*>rSl(%gV7rn#uP;tM3;Oelrl>m{7%}W{JbFrnzd@@SE>~Vakg{{DT6s2 z^Rd`-q0kyNvmEiH{bB_2<)2!AnwtPg!oWznxGPeYj_&^XPzT#z{ij!sVC|;y24$2n zl5g%6d2?73rZ}I87mKQZ|H3nl0Bd6;HY4WJcS0T%DrR)S?+{FpIVipF&_LTI%i9el z`=Q}*U)!UcgK%YxJb>Oz8gkvQ)_Gr}g`^u#+}CnEV9SqLM4GA?$#O2;$W}@NLFIJe zOFg-8&{knLjcqX+j`(n9o+}ITLY{>kT5m(bvfi4K_sXE>ulb+BgnDQz&&xd0Q4is| zg2|!ht|5DpWlt%CGAL8Z>FTXBhc-nE{wK18eh%ZF*QE<#=xhJ#>xvWBAfbOZ_`b6` zh+En@ES>2zEUT|A_~Aq9e!A_wrZgU(Q8< zj`qFu8=C3xin&!>iZLC+*>gF23JcKJkCzOK-J-GU0dVn5L%KhqHg5iq*ruAL;1mhE zo^KgbH*?VHwv-&w}zbWme4rgPVqM16viiynm9h!Mx_Z=sx{McK*v^IP`<1P>&$!8 z^}CD+Ofr{hle-n5b=TG3zxiab@ti&i4+)`8T3D7>nJmdvL|t)@+fI?u!{>brNlW%L z5Ip%Ybs(Gr61LC3EbpbkzAwesKN)!Fx*(^rT#@lO3)tnV@q74|F}$n~`!W{gf%dJf zm^53h_s_lUsG420hkx_oAkN2tI3F(JeAtQeks!{89UDKv%`f1-FVhjN4|G?}k+RPT zB=I-`eR|m*sPOp|C?g5}Et_1Vw2$6F!ZiYMO@4dS?-~PFHKLzC+{{8J2i7)kv4=y* zq((@yUIM&7Uc_&=nhcbCBZ7v8PN3i3iIw_i!m$50;1GFk?oNMDUHCDf=cR=HrF(Yz;pn_{blDXQwzqnx47{j zZhm<**TPgGQyb2VILoSp+o9)CEcH}Z48g~@_-N^v9t6Jhy{7Qf4(-pcGQ2aZ4znLE zf2^7tfQyB?@GnXYXdCzwd~?$l(FoS1@GI!TT#SgU)tm#$ekXV4Ji8&We)7N9M~NSn zO;L|^MRR?h1yzjSADzXg!aq&_<+s)Qb-)oi$>%OR$>8O1TQy6}&$o|(v3uSMjmKSboKKS1QG z=OOadGhzF~cB1Q1M&0tz7P=s3LC`rY(V(E1ER=&_%?^r2IR)5L{>V$_x+ENA zm*M$(XDJf|o4&p-c#RQk_mYi$tW-qgPz)|I3{a7C(DzIy6O<;cG_IeahqaRIxT7s$ zaG$$j^4GltlyL9Mg{kx~V3WRByzF`eoHnV2MvRltpP{+B58X!q*WTjd+yC$lTKLBg zLks`-VPuK?FjQdj*&;&Mh7SJm!|VlIJ;%+k3O3Ed;vnKmvpKjGh9Vkl8x~2!pwRZ= zm5NC}NH*BBMDOo~l9kQGUhWk_dPPmIFO(8=RSX$8|41B0w^L4+`h6fn$Jch1kpEDI z&2wuL)cL~Dcf-8$+g(%adN3P~UX9*xRn%2-`jfFUC$hM<^6>U<4dkk%wyv-x4SBt% zKM4+~088ZWNFf3bI&S?u?s!~&$UFRgYJJNx=w2BE+r_^ewphQ71SC%O2&MGNLC_A1_Y(Cout(R` z`Pm&^^u6qzZh^WY_WI!7mw)&2O%pr zve!e#eVq59)%TJwZF&fDyA%FAl#Y`$~dz$`E1 zIVfiPC@O=>yFfPK-`tRVbLrqNO95zF5R2ebQAcAUdj@-SkD+0+Q-zDo!LW#ms=9{L zAlH<|Mkp%{JYCXFf;|h6YniP6n|LyFEm54}%7a*z4rML71==rZCg@PF1-y5YGU>{+U@Xp1t%}tgZN(H` zGP@>^eIFYad{6d#&q9XDXG#3`n8EAxQ8OBcQ0TO|svIXD2B{ZxYA%@uBH^UK0;MyN zaQdck<*S4QWTaj;J;3Avuio{W{)BikHZmaZLti?&nxRIRn4_gZ(T$& z?#i2^ErG4~f$RU{-bdE(Ms{B{CQyI!9JP{4LC}zjB*XLp_}e(5@|sZ|x*`f}F1T*? z3+R87TTU>+ju&w4KP3g((7m*D^!Ze+qDXTzlr%40;A{v&DO@RGZNK7RlKLVF*G@;L zBR}v;>m_3EudDd&e7h4e;QK(pGC55W80D_0FdIq%PiBR8@Eu#E`s*GEtG^5s{;8_^ z6DW;c-$hr#)Ze@sh|V8kSJ*Ll0Lky+mF0B|fw|p#tqtA7!0puBODp+Q6xCI%I62}C zU1wE;^z2>GL-PZlE+Q)=FEiB59q57bZbn_W(Q60Y(~gwY`tIQMHpR#Jf+M`L+z8u< zi-N`TwlXP%dKrHuuh9!+5m0M7dO$xQ97y*)Y`P_xiN=&ze7z+iu*X-)_hh~-twAQ* zZ^{ktp9QwvwD;CnkHW`+a=K^wwMa^M>HY`5GN^zMmy<3j*x$#^w-)f46(usB2Vs_n z)bF!eQM2Iz#?M-3;E4CD?>ow?U<~QGd-PR9%pETl^1TfRw?7@XJ|EXV$F2XweJ@(r zh1Pd%d!u$X%I=`SFr;VRoOVLP6Iy_c@eEwYZg_J0;ffu(K-e;mu43bN;^#QOx-Vk*&RS7KJ(;5sO zy90;EOi6fyKk|*gTWEIK1u1`etw`mm3n>aB18t<9*m~Bu_&+YbI?-hiC{G#!wG7#Lo#rN~QI1nf;PJ3h$?4nfp26vn=Ha|d%sqFBTCOe>Vnz=-7;|}pg2amT| z`9d+Bl7QqMKQN%9pZE~I=k>xi@0CBU|@ZIXnsTx*;So?yvWQ0L$_Ht8SZjJ+o7Gg zESl2j!}So6?;VG*@f@kE1M_;1tkDXi!dyDF7A*N^agmm;_tPKJzHx0`3wH8|s~-BP zi&XddR8drDW5?Is9Ytv+57LoMSLv_xwjfA;7odOIB@!-HuGq(c4+u0bZizihLi#D! zE%^_JV&e}I_XMw=-D3_{xrHTGSFPYjkI|tEa&}0S!6K%e)(GV=XEcZzX+Y$a_{8{| z0?54m;C$+pU?f2MTS=YU7frb98_f&)AwNwi^Dlb|x;~4krD2Sr;4}O;E~(KIJ3ot? zA9{r~FVkpuUzk(|A;em|q|v z;sYc^e1MmT4{Q?oV|NhofvtYr`hQ&e$pwFyzI%qj;21&Z@k}DhlKJ8EfHebjBs*4E z!r~$K9XH?Aoe@Y-_35v$7hcHC)P1LqXDnKJbo9MWiv_y*VR2o)I~gKA`evp@q=Hse zms*_uNmMsSO|LW>j(r|*2?-_MFumEVmxWv#8jBl>FS<7(vIS zaPppXi@7)2U)nJ8bdMF_@&)1chvM49hR21rMlVg!u=*PFqAoh9Gh>(vx_z$js^=;he%7f)%co^42uFOz_UiDrPG*BYsk!$oy zpGc;`d%Ziqs<#>1RH^|7wuD8T}-~WyO@BQhx-^cCO!;SZG>&I~S3pd}va%SQ> z`;+5{q8ykOGb3P9XuN!~KMm^ar|$J;q=BQF+{Z62`6%H1B2(;(D6qRNPN^!v25)-L z8Q&n`N4<(0TNN2BpmnRaqSl-R;=&Y-c904q<^$75L#(Kk^1L0bf@R40*HlV%|8<-r!C`3Mkb{YXA@`7n$OEg8?%9E92G z-A6-;#n7KX?TxW;CQyPct?dO4bbH@7_m3a;W8>Snc=-Q%{9(=3spo$7@IFGeTP@N9 zwKSPL4d=Fjk58GV?2p-k9I3x`>J?wqzGKia{i6kTegQWg!HswH%5qjp41_>@?e&j> zZ5}XW+g1O1LJbX_^2=(Xmqv4Jz{u^z4>|KR69PR#a7!^=vgGIqRJ_VPb<{H%1OzH? zoQI<@V4?O(p@*RV$zlHHF-IDb6t#KAy`F{ro_?V^Z_LkWgGw_k|BUA8p)k27s>WX| zsJ`bG?XfIE=}vQC`M@JhV5~XlqpPZoeSUEHNrd*FcJ#W=2S+<}rL}^D&=19nIZKuV z{9pFnNQVIr%(p(y{;MmCd>koEg%%D2?s(kuiOX+*YY%bj2XNOD*WbY9hrzAi!{ztD ztv|=rW{bH+l-`AxT2dDCyGm12|P*EKlB@N6hS-R`>VX3 z9Jc;1Eb%} zqub-WeJ8@TV1MA{GoR!Fq4<>d2ajN9)JFEYg5sC~lx7+~|Ml4k)wDAdZSA!H=MvUS zT*^k^u$1ms$!P(&=M(pTar?D7pS=ij+^#~K9Y5q!@>7v=O4P;c+tui7*AADxM%l=B z{4n#Ir&r<0)s^DPmJ6VNdEt0KejobIyF>ZpW*%6muCu<_z5s2JawO%Q7l4y-^Ksw3 zQYemSC2d9?Fg@lPvVW@ZMIGhW;jH!Vq zcl99L`nn7;k<4|a9t2*W-u-#f245LpH%VvJqWP1xbnb;{Iy(FNf6y}w=m zRxZ$=cns2T#Xwe}3*1*rT{-~X0%8leZ z!1uL(ph=Y~Y_Yz4dF6yQ5;^l?KbeRu_WIz~lU!aZzPQg*8WL`&l)Zc)gy^bRNuFBB z!XFyaTOV&q!Yf;zpujd^v?szKS9w+yRlV$-SuG*tdH<}f?h*Bc8L_3MgNs2>&LhBb zNHGB|-LPJ>iw=Re`%B5pm!c8wdg7i>-2MH(8_!9+zXyo-mzQ{dIf(a{nRtH*br|gY zackRpu!|$wFE+~o6%N|k$$MGB-_9bDMN%DD7+4t3C)ESp2fdeT*sQVdyNzyHoc&2> zSd^*@3Cqy}o?LbN(R~i+WIOpBxr_<&^a=hIbXyNjYgLn$>dF((|9_u9?)uPtP$OwI z(?KV4k0{Ms>2z_f-hFWfP9r*lR76}IZbXtDo z3s34N%xuE!fPZhCw!{MqsOGm*W!Uth;)_L10w$DW4=&o~;PS1!3Hk5<{D-nG9q*Tr>V)k0T&q?->rzlqx) zM6%sqs*xfB?6TU@s^>Y-GG{kDx*-ANU3B3_Lc$OsdTCFy)*(bK=2)7Ur-5+m6L9Zu zUdNN%Px^Fdq)5B>V2mlW%nT!A25&^=_C@zpl?l9*s@!`}go(h@-Yw6iY>vG?xb=;r zBjFvHPqfj&PfXW$^0GmJs-I2kLk_4+oad33-~fgZwjAMhb|B@^{fPM4L2Btj@81@G zq${dcq(XHBQmOGI64R_}|~h&`+y8ZQ@xF z+nAML-jxB$RH>3$FYA$Gmvyhkiwqc7v$LGf%Yf07Z0yXxvas{%2RKH^pXs?GHCJ^S z@+<>jNLl>2am*a{@^G)m&^sehfxc&@b-EBHP$oe~;D^I~e{u77xZ^D?LxX1Ntx@o) zz;m-F^otEQAx*NZBGmF*(Nu;HEp23U?=)Q z=&KXB=ibWuA`{8;Ei1&bX(9gk5})5E!m#UISN$J#me$dr$;fvxk8k*am?raABZ~x- z_qtAN+mXQAjJ!+w96fZ6yMFznpvRLW(KY`n5%nqnnUeRsgdaSB=N_Y3!baqSgu zytzNWC7m{kADWUYTvvH{!HulIVBmr#x=}*o7_Pwu?x}QTciPF2w!77sEE_jyTqto% zbdrUSlMh*rf3bl(n$m}Q>Xea6!nCSIz9YJFl>Sr(vpL#zCv>WBzyW)Ga*%X%U!WG8 zmWmO1$Lfr3e7!dBvr7Yh!*ix?7khB^^e$4#v4)u#>gQ8oUP$q28EbTeD^R#T@71$+ z0zo!|P~)4SXr-Z5Qk(1u(%z!n@6O}~;lGEMe|LF6TwA-DOQRLY@`ss|_gKIZA_-;V z^Fe>_3fqebd!x-(-})swYxtz~X=S3t8utA?Tr;8M0{7`lb}IEcz|L~2*}cKe&=GfZ zU>mstd!iF>#fAf1$myLor%cA~A9-7P;%l&y0lMo=Hlux39Y~D)zmt_{qk;z&-dOiOJ zSfH71jry9ke{2!@5d|-Ne^vd=03~lqNLvmP_%Fg}n`~>WAiPt5d?Qs3#6> zh!6U9_K-wWRWddoAZ|Q}s~3h_Pht_YC&N;b3puy^ilGF=D0;ijJ=CR5I z*qxFjOA#1{>K4TubDfjGcX#lG%RAk{P{}IHsLTXjf8BL!KEeZT)t<9b4s{3F<0E$* zjV$2s{V(|o)#(T~e}ua}(UolbFW=Ebs%1Ns9+a5E^a5MQB!OQncvO34^q2&?LTA?$ zv8a#C=6tL;RV=aV=W*AQ+uitMd5IY8&vIk3II2YG@8KF6qWb^Xd(WV%f~H#-K@?DO z5D<{8faDwpBc40im)oJkpyLI{(S$Xu>(f@K$xPb$kVd~G@K~6k?Wm88TQ@zI{if;dVYr&{dzT0 z6j^?`^s4~-{FBK={;BAEDg?#8nx++w2j$rI>z>Lb$TjqW?oXCn^v0=}HRMMkLGQW9 zd^c@6cK*CRq2YE~N(By~&+-)W1<*NCa(~}KC%V!iwz%y>33O3rcl~%-2+UM(iHe8} z5pMrshfQ_-+-q$R`q;uzdqxxZ9hPpFS$LuR@oQq`XAZ%+2%}%Byb2ITs@f}Hpbne& zp3uB`tPKbGXpbiyQbCaNOBtd=;OOytK26PHt99E9iMPK{lNq4s>|MmS2H$LTb zH@+v46`Au;OuD%?y|ZpNL(F$*Ws24F>PzaDW{rI z)HU}VVc$z3!PfBJ>7Wxpx}V6qgzXgi^?Yx=)w6Qgp|aZO>Rt@neozT28ss3wvJ0{| z`_duPs)_daJwG7vD5p*G$U&EaZxnbxOacp@wZJry0POmAM5k1dPuoN$=u?bJ+#F)tFpy6tFy&7tG>lItG2~A z>w{`DpSpjNSA(wVANw1rJ<#cih)G&rWvJ%dfFr7^a2g$bxUk;@_*M(DZyuM0UMDZh z7Hb{Q`X$#c(WwfmT@kZsBs!q5W)@~?=Z|Q(d@LH~)BwE=mbuWQjg1HU)4!70n$M-# zn$M-*n$M-$n$M-%n$M+%G1F&XrDT1Op+#LzZ1X`BZtFPst~3Pg`;vC>B{d6NlDNUV zE5#a!Un+2M2PJ~r`x9?vGaM1WP{uG@j19aNX%ZvfFt1By&0rotpiK~@l zTT2Ea^N!jP`z;+c);fI_;vvL4o%e^gkB-99d(xaqwIryG@0yo04BX@ z5ZvOg*uTYJA+^O{!3WnD7a4vNGoXT=TxZSeHgI#d=S!Xi?xf=>}dmb%jX#_-HN;Igx5$b1k{}FGHf{Od+E_Ovr!0Yp*&kENF z^HL_gagK~)aKHA)iv%BeM6;`htV4)!-(S3|ap)BtP})4ATgs*Zr>Gp8;caw?Sv>Ni z%YI5w@FkD*+y9e)-6Le{D^>lFKjpP?SGed1CT)tmc?jIijn(=CDA5Ih?xySPK zlteyIET<#VKJN{k)X%S#4Fy6m#duuPd2w*iDNI#P5{0*Q)pie$=^*ZykwJkbA;`Pf zt@3h>AL-Ie9RDCJ4C>@F^ck;}pvLj+xqO>)z()yMK6 z@@~E{>80aa@x#3pKb%|f!@U(h>|608w-rD8u;b_LvqHtfUFnED!~os#PgP4eAW)LrxNzGv3^LA12nT%$fnu2{e&e`c?EE7*-^Ksr zS~!xau>9dek%XkPeAS$Pg+i)@oYZVwI21=#XbG-|0Cd(wcJg^aj^pt}>-i7}_#{X? zQ0EB@I%mGChy_Ak+ijbn+DND#w25uw^M?=Q&Q^Pji;$Y(BW3adPRQ%v5T*RNkB~o? zFHJRTART$ig;4=E(4RI>XuQn@JGD1`X%yJu{p3sCC0+%@j)q6rndKq&eq-|eUzRBC z$PHtNQiiMdYzq6Nl|ZiP1=&M;1)%2OIAv+a3|bmiKX&*sLr6BYF2^Mm{$qL`0|C7=G_&xu7d$ z3ApnPxbZ3V__(&RoGbdK!Qm{{=#J=@cLrMB5Jx1gjSVIGJcPbVrGDfbf!Bt$_O)e{ z4@A^YG3Sm+!5za^>GCuCP%LlA(cjM{kk`xHP#$)IZt>d}D(k?AB~~v~z8C zGN4rzjV9#0s9KOfm8q#CYg3*`Lh8DI&H+atEA@#L-lRsl$`Y3Q3v6LUm&!_MG6c@` zhu%PhwX4D$$XIUGuCDjzPv?K_p+TD56=JRr6_&#=hUjoj1X~-`CE!ezllz z2=+z1AWGli3vaq*y^_*BQI*hegZ6qL8d#OQcl4VE5|K}y*#DC-kKdz1I+LLfB(F@5 z`QGyd8+AFkW_}-ZFKidFL0fFD2 zWs&Puh$pHh=O(@BYz~HecbcTc)gWfS%B(#N4dCKuaPuLqJ??(d7u=Nl`?WK2v{89i z6z+`b=Jtl$$Eic~++C%vZf981xOhbBxHjCfR?nMZbi&U6xc=bs50ItuKc;=lj{0LW z%_Ki4pl{8FcjvR@K{@%n{}&HyFtg52Kl#!YeO?wjd4Zo1`~KpU=&um6uU1gT&?43@ zWex!ch*EAiM5F0V)^nl87BKz&FssIKeb}W=75O>I9B}VjfAUfXgj#dJHqs468$(vu zdp@S;|Kf6Yi%s*Ern3S)jZAx+8yjI>V2_dH&t2#b-jW{v=pEB+=^e{#=^azUAH8F` zExltZSpFH-61dw0CYx$4cfO=TaXTL~33qCt9d`@QBm_GlVatK$jV1%QqOEK4(^CVR zFM>|kmc@{+79}>`T8R>_hPaYTQR~I^D1~IY*;73QxN?QN?RiUp%{~6I&w31YJ`udU zdtlLqfScawTbZS=1ghtVb6p~oKxtFDH}kVT5>t!r8Z%UY0CUbqxla`#N8IMI2#p4i zI*FUJdaA*xefOMXZh4>&%5RD&&Z~h4L+|4DsY8&U^khA7SQT6U@z1=T)Rw-y;+DSr zfh~P`fh~P`?k#K%7~6#_4(@ z@<^*}ylmhD^0uEInvfX6IuBD@{sA4Zy(iicB^-j@el&I9B>Ya?YH;avoeo5&ryXDG zH^S~WK4x<{(Pim}enS}jdkGUrdo|dUz2pU6S(Pzb4yHgyR_HtS$`@_=Tou>dVS|02 z^@p!Gbc?Upd5f>uev7X-WQ(uZb&Idq1sIQBjl4LUjt(u+C_6d00o77YyJKxU$c|~4 zCrr76gv@oV?!h?J?}&(LZbrax%=~;wt`&SMxvAp-EQnllbQ@on7Rn9FU$r@729c9Z zy;%JEHg-+MEk(oq`n1)v3w-FeZgWODiZqmE&8MT zwO~2HgZU135ccBg%u4G>cgb6*z5B!=J@^Y!~Te~>f3SiW#o1i7? zr3Y(~4$w_<~EA}Gs7b~2QJXRqTX9C|ChC;u% zm?4@+GBWDS2H5+>@9TRT>@Hiw56O>vyIz^YgIQtE+nzB%!-@%!#-B z`q=*$w_hsUYGs>0odm(V>@RS4MFJzO)tR6N@eubgIXKtvBx0Zl?Av)b7CLV8N`BcW zg(ac17hNJ$))MBBAtO?_%$wMH9OT5s>&$Djpr^9S}-`KUwk?5-@ANnf<~^xe+l zQBzphch$@7fIX6%{h{)pR}VC)t%%j~P2l>h{HfP0?D<#)p6 z-^M+kb@qsyDxY-TjdvDTsRN)g}SyttU61@5v^ySV$3)E9?y7N1Mx3%L?5S2%75&EF0 z^ND6#AzZIn_n&i4N2|F!L2DNI5c=9*?pQ`4xQX$nCB833xc-P-9Ci*~FhLV0Hm?%S zD*>M}aK}rUA@N)ncGeM9cpt$jDD{reXW6A;BU5t-`+fn}pZ~T0pW_F2eQ@;%3c$x` zb6g1>b>r==@HYg(d=gEwG!8J-ei2pthQL2#*&|FrZ3231gK5O4EV1iT-1CV6)5ZJ< zIc8uOE4CNZ*#pZFe1%Ti3H60@l?(CN-%X_sB4?H9GI;91}_r4~e|JYs;VHK3<@?naE zh5<3IW=xJ8G=S=h>&IreHPM^}gASiKBg$#{dH41`HSGF}S$I*``&Kc05N>$8S3dwWaKN_tSO{nL+vSw&Ex&~j=OtJMJ0Mm53P69 zBjC5aUvWp92QV7_HW|5n2)?Owq+eN2h5@ge?TTaZU?CATCQqk?csOHx=;Y;KlFHPB z{E;$xW1F}4Sb!zG4)D12OiT*wCq=u|h0IZVg^IZ6$227UY+v<@>QK1hzgt>yFcKcm zCq_LSOhZuv@Z@1)7*r_di+mJ`fj{=)TlTJ7_MThz;am1@TlPL6CwJ!Zt0y+FmfBv! zzpe)#0$vGEi4pKoRn*D5J1n5xv^O+~QwiO^^t{pbjwQq-J4)QmV}Y0lkLw%R_Q1Yd za=N7HLa2N2C{Gj<1CSSeN~@#cL4waF=`TEC#IC0p?vuU|3{6MdPV%1{=8J|qC%@_X`k=XN1#4)nLcU`GL%R9IsE@20(8(ug+zMBdT z(!Ts88c78&B&@mu`6$4j&rVhH$PiQyIsQB~jo_Hzc3z=ZS}<|?SJtKH zz9@7&W={;I25hRaH+&%Q5a9A9UKBh#ofwgfw%>VjI)O9@%t)m>j(rLRncO!Qob{6t zW%v#1CBo^_QZm{!;zv0A!814_WtMymnK)a><};%&&QXGB*Y7l6Upt~{NzRbh9F|}! zGRC5#B?UQA=5Hn5`JtKziF^`wZQz39WvwPlC*V7BYU5VBAJR2Hm3aHNEzk%!hi{HM z1FkeJ~$z=TC9%N!+dlCT5!Xymx0m292&KslJoYvBJs(=<;%1NFgrr@;OlkszrH@3`=t1fyx;>XOYudv zOm5IX?GG2l_rn8SqVY*n162QIrZ>!#7mnYfuWElz=#yj4FO!^T%#OHahiEk@DF*JD zzO&XVvJ8HB#E{q<@5<7Zwor zP|ZbC3pK9mu1U@DU0{hpD9uIX%WDvJ^SmmW4c6|P~ujjw!|AaT)@ja`~ zpq6{0e($mkZ2lDJRJiGf8aovpiSBZS<^=Hr6O(oz)3#Q9{AVCSR~BF9Yb(M9k{ohB zaS4!jq32CGDh1|zgHf9tQqaAV_QT!V5osUfsT5R zkY?5$MzY_HkA(JmL(gxX;MOKzm{_`7ca_>7dwwe9Tj}{_uVN^?^+WfjpAT?osPzvC zcB2A4)zmyt}GF&}q+WcOKw z!3v|NSng0P=nmhg)ep))HNPqL^*SnHyM?>85$8I52Uy9iOr zWfNrMIS@7Gs0RY8q1i1lCSW@?PZxK<7@4xt-v9Dk4E_F*UaUYR1-s*wiENBzkfO$n z@xvlaUonxpGx&Kn{J{^-zMPXfi^QdHIcA4d+O9eLZAid{`% zSSZ0;(OMHZUFMFK%QC^P$2Tj*NIrK{K#NLZ=d%@ z`U^|Kq>YaI;Xp~S@X)9cD-uU??^i^A$jG5I7RUXY1VCK@ zKO?@e!VkE7p}2goxbv8ItmK~`$k2gpBrjG^B@*uad*znPZ)(9Y!^PC`NNpfjKfCbb zmIlB#0b^x$KZJWe$L%lS-iPAyYrXDY+))xJ1+r9n+*eh^A*sQrCoa|sZGUxlUZzM4 z$bKbVe!?dS%4=P+r5DAp@3V0Gd${(v>xsKQxc;)ggL_5xedzC z+%T7_$Y6NY8TDQ`{!`Fd9qg(;DO@Sg!=6Vrycfmb9d{n;)eo8E{>miabX&?7g+`&E z)AAVEi4_G z5i;y)LHdA6qOx5DzF)S$0= z{Avco5#Rm%^Fu8~Kc?H77d*JTB`XWC{7^W&fHod}z zh_?v5ZeNa~59>xuj2#h`Wx1&F&1|s)O9@=&eCP3ztPpVL-*NrODMV?m#pfkU8fx7S6eOB}SCxB@y|DzWpAQc-ia0cAWGH5oOGU)=+0 z5ij$T`;UX{jgfu)%He2{KDg^)jW4okNUXng@)-Kt_+De$-ouoAX%NbLE3En8Q80Sq zX84si6D(8t!(6xvk^HH^R@W#!bn+sR#KZCo?E4Yi`zhS_b>Xt&zTS(up#Qad;P*{m z@Si?U>|a~}Dtm=giERtesHDQLlX8KOew%`&;aw5Jeg5c0ncE50S*Y#W+j;al7D(Hy z$(2Tu;G0d6JIQDidcLeF+ed1R?2m3MsWv`>%^!uE|8eVa+r^~jYdwa5!(Pg{QH_`L@vcP8&3 zxugkW1rcfa#O#n;U0hEk?SZmncgOxJCg=k%m1mp`{{QAd#8As+=W`Cn#9;Fwqrshf z;;7px@4F4*JpFs~LbT8mX;hegLi|3tDE#g9`P z64Y#gf1y;_&mb5bluuoZ@eD>M$SG%1LmWZrpnh)us0;kZi zEB2p7Z3%Zu6^0r?XCU{&L|-dBEbuA3_qYQaZ`oAwo;)<0Q13Avv(mbzin{5PG{^=B zc$v*++Dpon-p1~mqcYI14FN>G~D{sujFdafYwmmiUv#mRLC-a)W zV>AI;O9s70DkBJ=6*&B+D;nY6CmtwYPmv+3K!)@XPQ=Ad)Lu19d|7hF9xQ?hYEGh0zul4~%Cn%{@m?|i0HKPrgoFV|hD z{UQVc`PY4qE{dR?I}`1*I`|0lgXNwKy9^+bYh>OrCK~#9R~FvBRzdVj2DTr_6M(*s zFWY=Q8jkDlu>CYsfN=3bxc0dC{OWPFBhOwq!O&;Uprk=-LSKp~&SoD$H`n3$u~La3 zG#vS>{{xLJNRN=Jc15~j@9((hVch%WYh(0eQ=bwL5ykgoFKFCB=6v3EAu~UyAW|K_ z!siZ(lILS}OT3ZY?WOV}0>3Hld^#@v&6Y>-{oy@lQBGPXt94lk(C%bBuwt2uqWT?w z=24cxvf0d6*6Zq~g3UlmvH!lntj0dm398*HO#rqm8swE*b zxcklv5Q94sOB0IM#IWlZ-0wF;G4!SLwNRA9lx^fO>WRX8JNiT)xIxtA+qb_2xP$t| z9$jiF8`y749?}VivG0p<`vX3jJNCb%AObQ9={K4MMyQTN;^4aGuYpE#R)vl?<{<7W z?Z574gjy7+>??+Nw{uZJhRgt_Ng5^TO>Jx1a7pAsn8vT>o?7O zG9u4HkP&vUQ zu$C6y4F`S8$Jtl^Z3W>gX>&g#?cUzdLDFxuRO>fbxq8xfFDFJN0 z>=5#l>sF;XH;kVe@ggl@fvySJ4z@%_7_N>?fA7Twub(B`K5$}#ZRG7IKG$jd_45F| zspaQ0;h~7WfARU^a0)#65-1*aEd(si$u{@#XQNA5{z41pfl#ADyjXI>8~c6)_kH2w zmvFzY7%?IylDJlA+7Wf6-LMg?c^_S+I#`Q(YF|&blea+WzA5SvrDl*1QxVVFKZtPa zN4oVTFD6+hI7oc0Y;@Kb&RBf8)Z!P9qO{_b<<@QCxO7)LLy;NSo-fxoYc<>2zy5Rm zAl!V5yZ&ZJMVOU#@*uY1zQVN$3pDjb!TN`@E}R!n$`ZM*1%q5}WuF2ykm=6ONU9ud zsPHc}Y$xcX9eP~P;lSd7&T|FnId?dLV|tDZ6&>2fIL%>&hPN@W z(+5a>Vi@+G^#qHIg0>ZhXt*a}ATq`i1MrxISFgYieD4{>jvAMu_@WZhyttbvOYH8F zA=5da<+~Pt_uVLJ?#+A>bo3nT>x_(NA3P6NV#BXmrC-3_e{s(Pxb_FfmU6#KS|PUu z$~xOY129n}+5`zT$X8z*kzBAvG2J?B9ba@|VZZN*n@{lXn~bwa)wT=JqWbP7ok8A% z=*-(}4bz)+D8uTR&E4$%aC<{4C@^dnx~9roKz);-cZZn|JL-2N`YaLV@+Unjh#Za3 z#l*;yoD9P7c8_5m!vhVte?|FZkhuYp|H>iHeM1484?ooNlvcRKUZ_35pmp^=6C@gm zemDE9f+VPopYO9}0+F{9%dd-BAldr3((p&dt$xveJ`aoAFT%CoyHmil^qm2+>pDqa ztbP!Zi#{B`Wh(`x@1JrOKN1B4(He~%3kSi4mu!4|oCmvJz&-!t`j2am+mFKSpWy0C z;-23OsH?4fCuv}`cOd-wfFx2l;hbN{P6tEro5>C-6kw>%rO4p18*aBn4qbmsj*ZX6 zeP8^nW)$Z>$bw4#@$Ekj5_l)Gj#_*=A_LxMzs)p-$bc}2ym@Oa1s>}_##3UAaQjQR z>xt`6iP)vr-efht=9mC+Ai;{ABTr#RE7Vl>54~Io< zlG8Cer9po3ax8bEGFrU!YelX@3Eenc`B3PBI0##*4veb3Qb}znPxK_~3~c=hD6UFhdbunG!1*D=R^MM=Ii?Mv(QrW|>I94&m1Cxb+wA{GF5N zP@Z*`6nNe^V0I))92jIyDY58D0B>rAyZ?w4QvPs_h@HScUht#3`iHM1Hh%*1%y-t9 zJ=WkRyDr2aVZd55Dahit8`GUOiv}@6y-g>CZYNT)YHsJ>twy%{lZq2+I2da4df^xfIz={`KzCrr=k$N6FjY39z*vpXXNUkg8ToKe=u@-3xibd0hua=w> zYC?w}`P(GVmcpWVMc`wnDmZI(Y3(3`JRH9v6t%rs7HWjmr6w-hq4ey$OU~D%p)=)m ze)6g;WOrSr3h9#t-2dyp8cSj*AA;n@KZ@CgxNGRhIImxR))Y~jd zQ7{FH`a`bv)@q`?X``<7+d1JWlWWzdQ#`;ZTr9AxvL9BHDDDO9;(`ZVyE-e{ctLZZ zOQ@^M4RO|(g{h1mf;DOJ9z_-f#PcyY^mMf-;?pmg=-wd@?oorrzaAb2+D2C?0LpY(|+6duXlZyvat3?i3m2Nzffymx&Z+MSE0Fjq!FBsZ@P zbC28Thmu2){$_ui)d@|IyK}fDW7Q1WS9-`E=NZAV21S(*!5&B_cX%>K!w4Ft?-Os- z*uzL(LSm}9J+S=_Cmu~9%ypmVY&gVX3b^`KxcXVR=PTUv4=#QKw_l3uKQ5oupZP=% zxO9DO09@`U4b$?r!kD+jgM&Of+!pb+6%!k3s|AGyAvOdBc(+W79LWco?mDzo}Cj2ND^B z_XAWz(2IE?S(f!6lr=;8$?Qoc25!d%wf&Z;0BDl<58p2KA|pg`I^lP+xC2 z~fqRp{!}9^dR|P5H+P;g%f zd{#r6CK3>kOWyv$SsZ*mML89mRK?Z<#pOrE&4+7>QjRow+Q3E>CuW>P;Lk}Z`tBC* zh&0)GA|2mZATD>7*m^mA0#DKB6LWt0z*%bJ-g?6q8p1;FDEXQWr6wR&ON8awb1)X2t0UCeN5_h zYoqyym@i)o#h~Q#J-1V>0g(StY=%NM6|w2RFKB*X1F!NJ=jFN*k%gSbX|2-%F#TvB zg?W1<=uNiGjH@War|x1d9&=BmO7GVve+&UdXa4Sc0g8~IK6RL3%mA_=r=N6G5uRSX zr0Gb+g9ffHYky)eK^5(n{e<=(MCa~|D0_WTg9NhVllHa3aBAI)VJc7+`}?|LEWrMp z#TQ*ZX|vL{p%3jF->&Gs3q)fHXya{IFu1Ywv&u+%fM-{mo*5DTd>Jl(REkgp>-#=? zv@O(kl|{)6*(R_~J&(0T%&dazk-dRHw(Y{#1s881Eln4FwZjfsf9I{sdb=^uE4?E8 z?dR%1!$NHAF|v&Tj&o~`H;gt0)T88Y=mvfmQ0$7`u~^NF-iv=QX9*}qc~^W5tkcxM zH6@qkCzA$9Ts8A$97{v)eKm2P4rYM@kEIs3Z#D#%k*nJl5%|!J3SNd-$RK&YU9m)b z(oiv4Vv+~aVEFoawq_)PVSSCaSNE8rk@U@X(I5Tc#>%4fBNA=6Bs1mR;p2yB5-M$) zEg}%*#)QP&Rf0}ahf_2KfzK1SUx7QHi@Sf}`h#naTMy#)6L9g3xaWaKY1hyDm}kK= z$J~vXK|`cWtmY`6?S?Kec6d;31S44~E5SM^Yq+m{j92<)9LnnrJTye?4wY}dpZle- z6WK1v^p z!`BbwyvfEs&qpva-Hsp6N5A(iLfqjTG&UCfne$#2iry>LRenDg_#bk+w((_y+QFWd z2GM*ls?8R*EGmEz@0*N|vX7!#UUGd}*b63?ztjvSRH3yUO*6YwV?n#YZ0ekK4tD=R zJK;cpp&ci>x2BD9lLl8oD=YWvaytp?26AbT$qZ6`Q@}1FV8pt*{pRzHIWju zd*5MW&Li+T29I=HtICEqhBnK~(#HU|e~Zg+k9+T##!_E;FYT_46rhzDG}I&OZz&Ch>3-{L;MTT8G(%=!?Rbno=2 zd7%X1c6JdJ{yy-y^E(~+uP`LECuaP0wlfq(Yd6MvilQ=G`VR8rq0n`;YdD0}6D_xL zGLJ?p**8OK zs?Zop`)H1x5($}Jz5g{_8MNThQfe&&=w6A|7gkG~ucFQK=+!{HEQ} zFOtcSPgeD?#3mh4)K>j^ULB8p9>A?Paqq8j^(NdoE7x1Ik3&dBUbaeGJ*eKy`MjLd zgp#hUc31OcfO1E*d*z2xq<)r#PKzrAaL@lE`@K~9H+a#tGJ1}a`ION2iR$2kb_Up3 z5m8bfXNRCiKi;X*9U$noWqWCe&;e2DMIMwW2-Tm*!~`mMVMn1r6X??K$`O}Y8*usaX zZs9{@w(ueHTlf&2EqsVDHh<}_Kz#!WlOt%nXIH;bZUIDJ3KNg-ri)iFpxmtMr(dUh}#J#%kOSNFDrJv#2$)E~W3)SkOmd$S6# z^A+xX^sm|D)-SmER_UyzrdBmKn&>(!Hl3vlWovzwt)!kPu|n!@m76$BKL`|jI-yO# z>8+jp^28ku$)8!vw@O29p;_$(zY^i8dIMPlXAU|ZZ8IOu7Xj&^he{m{lHu__ZvE;~ zLm1c25aC&IhS!VnzoZlFz*IYUru0=N`j+Xj>tvQ6@Mz5+A;0JXc0!Ms3=a7N?tS!d z>Dt|nXJT;VTg>Hf4P#XDC9tzSloO75gv>22$b!WQXXU*+#9{Mb$91sbL5+Q7>9?+gno1+)sO0QRCoG_1aDUo$Pr&z@xPjbuH7zsox+fUU0;ab|7HG+CJAP5r`Wj? z_&-)|#42&0NCTA;$NcR(Q<0$1XV<5(-|Wr^~731#Mng`=xYO)LQ;1WY8uCdOrCnP6P$OM3(PpO@=nAEj;TMHyQ_` zUb>-fKQfW-wGZ5g=_F8>P6da4YlCgu+~&@WrJ{>Vg1>$xHp2dm0ZE+o1^QPP zLnK|bi0;)>XqefO#mKM>z%p=pC9eQ>1lN#X+}4O)Ka$Jy+&*?g3Pc60*<$HLfrqbX zZws*%YW>FSY`aSWW-QtH-cX5vjlRgw!WwayXsacuSw}#|xMGzXE(c>}H`JabIHSR% zr&Qh%$-_^fO?`$*IWSs%E@LvQfIVM;oBwg`aqCUodJ5Mcp*We(p4{#zxPgP=z)g8H z#yT<8{~#V^`WedS(`up912Nh>%wCYK|BT^O;}PgNLA7*Q@i?NlI+NC+8=t`_BE8Nieclm?AdabVjFFPVB3E ztAcia2;@3KnPhd9dxGWQQ7hQKMGxd2<_l&K5B4l$S+btwN(_eFz$E zjH=ygrbpxs241nNs(=0e;?|G2^Gg3(ycsEz?CP5|0E=1I{m~A_;AiuragEgpF%SBc zo32pwj=)hu@V`+y$Vxd)GFzYLszbjfg&V+Y({a-x3{ zyg5K5Gvv21`gOqI?4>bFGH!&sKDc;7+~?!k8$T{nbv1QI3#2WxSGL)qE{1oI>tKa! zD0dIu$n%0@$-eJj?6O2Zq%M+W8HE8ZegM~>5V;J$jw&@+{=!)L%31+^;UCr-+dxp^ zDsbvW83IpPH8rjgLqrlZF|AVY_rEV(|8e;xaG(GGn*DjZ2S4K~Q{k8p>1BiV1SGE~ zFhF-Z2O=QE#Wa|gQhkDUrJx=Q&Sq?ZsJVW`0i4!i8#f&6qA3_7( z&dGfbSRhwTE}y=K1D;PZ6Tvv!KNp|6Ub+!Joo>K+ES~5>pCcTj*)tvd(F4R3%2&5v zJciVw2J7@U4}-~}hm5TiF7QYHi+4-^OK3~~i+M}`i)Bmyi*8H*i~gVczyDhNhxnO@ zzB!tPC|*vub}z=EvOS`mLDB?%akI8FeeSUUQbz(&sW3>(4(RDM;?Jk!_G59^CtSMX zdV+BRiuwuyMaJHs+V#@gsnr5%cRYB=Xlw=7ZFfFRO*4ZJHax2j$V~ovJmB^}asThf zyPPLRHus_((g$gDI=CRnd}NwgPY}^BZn)ZMa>Iu&(Uu8fJcu%p+1DhC6C2Nr>kqCy zKgyYaVmnadNsh2<3PvwBO*@?*y246vqlQSb7bql{o1UEyLfQ)o2UEz+vELUiejC^S z&rC!MznzQGX`059Z-k>z+|*t@28elNuj?t*f?n~vF z$4ST_;!xcXUo(2lbYf9Msv5o%&{l(WDPTDfYn`EA4AiR^fAoY4!~PqkHXF73!OEpJ zN&hW3bdK-_J3KZq-_UGqEQyU77qNQ-4@*Zu$3-Y>2{(mdG$P0V8Ok}&H zpY>IVax+8gN0e5oqy&J?S=wlURSM$nhQ`O862M;1hlb2;IjqdU-tMvUi47BEGF17l z{8B_0KYV1R*g+3hi6fLo)!0G4H7+DJj~<(!2bV7$_rB@V6R?w~F9pZKE`Q4t5orI) zpr=7rHE^=3$vUf)fyZ(~`iGPPcwj&~^*it^%3Sik!`mH-bOaW2+e_Wi`!+UvrX?Gc zY?XY!F0L4{{5<|E-6$W}80!=GMl!J16Zif8?fx*XUI4EDxcHg>f6r%x2JaGxI!h0X zRnLCbrpY10wjZ=#!?|jRJvI5$14NZ1*`N)Y&p-CPPKkwX=QdEcZN7{CW(BuQVMqNOf9{&73 zE}j{8ef~B3Xyx4Q+;v_Ce7W7^X?l7epN zUt1qsJjnvuZpK5H)7W@(v#OOU0*R=bzkl#039$x-D_t^(gj?3jd~}YHh@41IKR+!8 z8~^jKt_Y9SF^ZDMn2{cd7yul2hN)L7WZZtFL0C zZl1vY9&!2M9X}ryT>q?#mh&Mg?F1zv zru6|ezy5L=%RQi;s-5Jc#*aK~vd77a8L;!o-@dQh`}^Dj!5>Hi|`3Lv;|7-t0$20Ew;P%^b`H24T z+sGitj8AgE<7lAm*{aCn1bXn_yq}rogac=ioqgVN!XuiH%2a1g?EU4xJ$`Wg$6ZfcJ}z8;aP9x# zL!8lOu~Wl=C|O{6&s6E9tp*>7X*y05cz2AhN|RqKmW34!6Y9gHvRm_~|G7Pb5)<`N zsZcn{(CbMwl#0Z^B{+{}JEKRH+a33VoA{Jn&1fELn#Tk_o29a9r4X6RQ|$7sDV1;T(+MC&@jo(md==;T`UVHF#S{VbPt;pMMlgEryGW!=N9aKT0?mPLYu^Is%^>%}fO%RCkWnOfonju_$ zYFs@FTzg!;Yg|5jT)q_CemHKw4!2*5yPml5jGIrk2V37}c*YK5ZpWw!7SzxgKhuQb z#l7J8++SOxgBhHx^FRI+V1-VXU)Pjl+2N0VkOS%_d00V~PN>^c4eozi>8^n~`FW;%I@rN) zw-7}K1sA|8W#VHY?AYg9+`aqV&E2XXnLb!eeNK01NGmz`rhWl(}jRku^_ z?@t19ub&Rv^nGCMnoN#~Sr+KEkH`KW_TDn8%C2i0MoLkT66x;ljdSfChyf%5L}=6wEN>mDy-T<`dvzkAHF#@zEtMQsm;;j_!Ep@mU! zk1A%&;!Oq;Zr2(UPjf*=XC>3yZyx|OQFi1JO(l#MQM?&)EQhV4Tk0zlk0Wt2p1O-? zNpSh&9nDwLByfATBi>Sz1Tjfcy~}QGWIoy@6_hjNdNy~HIC*YU>({Gg5-|JluR7yzLEy3TRPOClMX%!?H89u; zgV(LL9d_2j@T2cWY)GCm>er}vBxx@QxcVOyd;5(mOb1>Ii?IgBDMRI+WB#0WpzoJGsx9qEh9(NH$*u-rtZCp^&5l zhRfX|6&V|#1ok?4o{~pADS@J4C#d1;lk~RtD|AqppwLiDqQ$-sNqfGgF|#SavyMF) z?w=%~@A0-{zhV#)jDP=mgQhH4m>d{?tSke6sH+o+D(wo{!HehRZ@AoaxWr+MGgc{_RzN)sFC2od|!` zlJHlp34hgx@K=qo`5054?K();s)uSyyqd4R7KLJW&0WEo+Mx3yf=_x;7&0$@NJ|&jzEQy^w2dVcyfa7le%cJyh=Ofxj|yL1)uXVy}-| z9}H>`>H6|S8LqX*-gu%#=DVQLWel)GZwGfC4Q{-gVt@9O=vyNY-ETM`Veg1KqBfZr-8TYKL_q!~IYXe``SR77E;nS* zzY(!iSYXdz6RY30ufx(CB5S|%-JAD?nu}QnM!rO$TzXkIs#jr%?&!&4o_K#y@1g&B zh1&zHwq7hv(%^tC1LdAlX6*1TNwmy|S{I!^Zex^f$_8Ql*3zR*&7e3D0!7pm3*D!1Wj_=3YHT>cTc|StlgOK+n?x`4z`$fl4ZuJHbHSykz6M_3fu z_uTbI3Yt&(pn1rx92^T`yED2DfK1z-ZzDGjfFL;1s4N};F}ve3Uyql83z&z*k9A_- z54h(G*FVI)PyTK4xcLFx{(rVG=bwfqs^||VUF-E}QK*`@&6pvv4(_eHvJWunAi0D? zvnA{b;CzK9a9_PF_zYRm6<;EukFO>dPE45sOP^f_&#V)Q`H*05lVb_&F8ek16s1watOT!N)n)@ zP=Cu$$QuyyBtqVRkk=*T$^8!hkw*l-s49UkP$uvNZUnwSfxs7N5%>Z{?EE3F|Ay-i z;Ld+(4{Yg-qqPP5X6kH(&ml;HqE@z;*#?@8zIQRqSwXM0 zjl4WKk^1+Z>Qm(JcrfW3r$M9&d=9R@_=?QSe(YpPzHf^n?2CO^5-(zpaL+sL`NBQF zS@t-%&iCMgdTB_v8T?&LF_O&t->K z9?lQ!1g&tI93RD<5Om|-R3d37@LfOc$P={_;!hT^WoqWYrz0;fzp!b<#dO5e0gR zjk$g(V#9F6nNW9#r*d5<ymKbXhLKw6 zlV;2AZw@N(UG>G#IWmvj$J6)8^>Jeq?6JW{YF?U{Pw~&^O|0hA)Zx`L>(p&icBo{& z-#%-g%>rbr#Th_{f+!?0{q6P9;Z0 z?f}Ij_opVhb^y!mz4t`Bwu9;!q1nXTT5NruEuT}8;NG9O`ryVFxaW(jc)uB9mV`ygx!^NGj)+B7oz8_u z8e}au*L3d`2jRQp&~!orj%1}Z#t(@D?)!3!Ni|XHgBRT8Wac@L<^mosr)TK?dc(F$ z*Tu(QxkFVrYof~;cQ`x#Mtu^oY<~=Q|Cdc@ z-kDW(gSp4!cYT>ckvx3yU_9dn;o=4orL{@Y=QtMPnQdxJA<4xUe)uO{B&c-ZtyBzwMQ?( zAGM#fei$e04AT$UCfy2LK#elYDeFWCI=k+gN6xf8=rU8Lfs`4uL4^M+j zR9PQvc@tsT+nCmw=@2$v4>!LWl+|r0D{l?O17*)UN<&d?_XjD)F7n(~mQO#<+gQTL zr_n2el~(BRAj_qf#~q;der1c;fnad>(5_73svR6_y^%dk1B3L{i{yE-WFNUxq^Hdno#IC)NP z)%zXYXY>HKK92j|;pW3}<dgFr+@~At)#w4Ec?MIJx8=a|8vU51l?=Q{FG`>)utUXCIaj*LbrN6UTjRILxN`eS z@eI)f8SMK!G%|U%^?(x8aAs{%meoKMVlT325_!;v_?ler40(vq|0RB#9H$iKcEIDE zzWVOk7a1sf5$pMLn>@$^)u68{dES6}*GIM~2^gm`p>C2=fIUO%nM|Y7@L;Fpt7nvX zsGrJlm%-U>s5NST@;ZY^5L9^ciba{sS8prNt|J)&b-EduOZK7I^9b@8B)k|3oY0Xh zhf5?$ZJ2zS(BDDkzsQS5v~M|#At#ahuVSSxOmB;>?^Lx!xbN3$eU^o&&u%8_vnoV= zmVv0xG86S#25f&1x4z(`U!2#;rvM==FKu3xIic!j?NPdN3UIqWw^pEE3Uai}rAK(w zVAQ>YJ+(j<9ACFYAC-gT=3Ks}lrz$eG z;s)!tUvRiSYz!TX>nk-k*(2MecW0Yln*f~|r|9DiX23v^f3N{u(4JOj9~yccY(6gc z3GcEWA9SJg*UpkC9cv`9wWyv+iv&^|vYAXhwBXr~m@vOxHi&h^blaAzYQ+5Oe~yn9 zpYQ#xeOVBE=J~WHMTFpxpr%YIw+WhYrPQX8=Lg!9om$N)!m!K!2Kyg=0qp&Tdp~D> z_`}j$ABeae@A9o*2uG6praI4Yxk5+!&PcODSI{0VFIFSxDH*SbKYalXpm6ZeJl}0K zP-vwMUT|T8(fU`?o9$RozuV8DFF!2N&P4O3jC5{Do~yT0FH?h6d&&~_)FtexK-g1? zu%{kjPcd+wYC31tDhcfmMMT-pNF$VbSHJ9u80c$^_I3J-!;AU#W)3N;=&fgXmgWzB z?0I&${ur)5fIEMDb$;$V+lW`5% zzYgod!`nQGcORR9D9>Bkrgez zQ9}uIIr6de42L+>%zQU8%F%^e^w)hXnS`cP%4Y0+1u{gL9Pfj5??wSY7Edtu>0Ram`Gya|6Vh4A;h2!GF$@b|n3e=h(E zKAtjT-%IY_Fuk~YPoNWch9}Uz;4nrhj}CJVczZx~cD10;6MMLpxVL3wCKBP!%fS7= zxco({{g(ec-?%z2(iUYgE^Z8(7lE=p?lZ>HQow5{tw)|p4W%JzbU&|%LZXqo;5!a! z?0!yM{&v6hD?k6fmIb@}f4zGZbq9v$G-|ci^YVM? zHGf}l`~7hHuW--rTFc|=kL%wG@KtU0JZ1$9C!bFbQJBF_M&%bgc9x)3TC%aL$qM%T zIM$Z)zzp~!^e2Urw_*1);NG9O^WX0zl44t}l%V2+$F+A1DhTe}iaI8$0MzFwbW>6k z;D*KL>RvVyqQ5(RsOq#Bc0K_&p2C&Kt?%Q$zqtM0O7|omcI(@tobalZ@E_h}p47@1 zpI$rES)yZ>oZVibSx)9N? zE)3{V%FwW~7TPp=@7KO5UBnX9Y%UO_3z^lqmRkeJ{ovuf%R4pHfHB>or(|3c@r}Fd zvV_WlNmEqDj#x3!1IJ&nIm`W%4+3E@Nd`Dm*46WbNx=HBg8YjTHVF6q!aeUkF9!bj zel-Ex@EpU^K0DO-1FHR-1rhg@v1dZP5tyc*)GCiqLj9J8w-!tF05|@^ecy4<<0}3x z2yx7?by17zL8)%2^XWSzIF#{GL|uUdtV4XerOzUu6fv1b;)sa%DWFs8epH|X1$6xf zpCwB0ul^?ZSJ%NR|LPxX{?%3c|MT^6|1a+S`S@o|&l4{`kVu;!OE|{^ap@Yudj|Cp z<<0bWZ$5KE$hQmm0$Bnuxl59-F`pBAUK{RtmsHx@Fz~_{jP%dS+q95iJK&?-U<)>c-~EY=o-)8jZGOal zL;^M|kLERz=ZQURKA2qiTog_+7K~fb86dZV)THn^alqwE$IZ|D+vIW2*J?i}iRkB4 zA^JJZiGEHCqMuWl=;u_!=7+>RzqtO@3oFIZE4c>nG%Jg=3I7zzkwF?VmV&)i63y~ap!Sg{9a*koF|1mSM^ErqkHl2w5X@*b!QTpw@HX$_@NDOr9aer@0tJ^ zo7mS06(2yj`v>=az_mYaJ^_q>ZdQ%+0&Ow%4US2^Xs+2XTdCd^Cg%^_8s6asPY>>H z5+l!rx40eCeQ?wPW=8e~ekm~mM-~^=fogr|o8*j&oKOS(wmp=OMS_vgz9>aSFaqx7 zi|=ZXA(1aKBI=c~M7`3Gs8<>h^-3qAUTFbm^0#asJE#Xa&!``aSg1o5kLtsvrzF_i zPJ+`^`p_03zFEXm2WA>*x~g>ovFjkCO2{2ZFkmqjj+FH>$(e3^UJJA%8PTB=pe=q>)&@jG8U#n%26&onr$l;|+8s z!j7oEGBWb8geBnC>v8Kf86Nd_kHts<6~i|UJ6mz!7}SzzDj?&Iuk3%+&f`d{ryj~X=g4zV)$}X7t*Btn+%K8OJ`_;m+Bajexo7Kh{EHiD-h>QSqHf5RqT~=k;`4e;8MO zL(918AIojfCVKa^{#-Jc20pw0+igGUxWY=Ab~+aRdeV-(sgFknW1~j}wRT|Fi*0EN zyC|EV=`lS1B(VMdQh!?m14UWpO+AsLg?afdBv6Qcm1y=`AC|nQ_1)<#QGc1u@&LJ? zVz8t3adm?uP;~yF+Iu|&30*%ld_&X~+~~9$c*%L@qxT$pcpL)}?*9DmVu03((|2_7p5%SsI{A3HL?=ou&W?+Fq5vz2~ zDgp45EU;-QXNIhI5A0H$SRr=v!M1FAZG@Z8$IZ95T=suGNv^+Nqh9}Q%P9m$#%?^D zsxyJZ=|3bx8%#hf+}ZNxQ4++OYNuI`nPU5s@uJVUL^jbwOq9h1Yq^cksbS;im#%=g z@*ZwVGN6S8q2`cvCz!yrFqJoF(|YXlf{O=S_2)_G*d@PiuU#ZqdctP)U`!vK@hSQ3 z7Of8}OBYh5Ul^mZf;z=VbO>N`Zy2X`~x4T_Hs;p@**OVDpJH86w)38IXljbEY=}+_|V?X5mEH{BH;dPfz89O7M z7gbBNEH;2!zni&z%FUJA5XRakQldkhklY!kHrrQ*phG%0RVZNq2K^cerX(liIH)pM z%cqZ>uU^f6IuZF#IU@h5K;%Cai2SEKk^hv3Z9}KJHZ%Ccsowia7bp_ZAtQkbL+=P^ zkhR>gNz)Tfy8l$Tav5w$M>vrt2BeHKavuEGqQ3O-S$mRhD@?3c-k0Egf zh!l|8^kBUTGWpEu^h{#ZZPqtIz~Py7Uiz{HCtfj z2Jb#=9X7e=0?aYLY$2oi^M5m<85)@N8J1XZaj;dAHc<@ zF`}Q1_kZR8)9?4c_F3(3T>Jfi+dp<`eY#QO7hyD4dD7h_O9iOZZn(9?>cOp*;|jrf zhM>5}yWzASxlU``w(_;t1L3Z(J~3jd`A8nF9g94eF|CajOsv&ZT$JGAzD*f)bjrXl zJ$AxvSRaiG3VT;}i(;RbnyMAQ3XY4Y)nvjaIB`F!8S~&;WY320mp0a>W}iT{jh4QT zN=`$~*`&WTRaYQX$DmZ7{wy?FmadQHy8#c25xjkdi@_JRBD7gL zipllpe#H54%tL%88!b84evF-JLLzw=2Xeiv;mT3IBKx4-usu<`aN$NG65PPZo%Y}q zcKnO$zs0`kKT#l@hEk^HZuacf2G$($bHBy5!`a5psbYa(`0$#!M4!b7f@wsQBpwuC z*ZXkuvAFv4Q_SZ4l*mI1>e-I<>xEsz0QRkvmx6}T{ya!Mg_sZ@Fg#vI(3*_ENxgUG| zx_fsNSvLnl-NVqYl;+_O`OVrlkvaj!% z3(arrSdfMd;^x;UyBv{yQdca+3mIry>PdP$FAm{L)M6iZn1Yd%_*6%dBxrW56dZGi zf&(V~xw^Ez06&b%vMvR~y2mZHZ)=00)Mev*)wdv!4)PysR4PURuLEt1Q{uqS<2|HH{cAsD{d40*Ygr3uy-*{(4+0$XSP8P%|oCds7Sdjep21 zKgvg^`-L-))W<@c`|vs1t%=xpOk95n7cY;y-=^&!p5dM_geQ7$VqblYLNR}h_!byR z;4OJ3Y}(imZk3}Gh36eXT!nhKWQI9*JdT^+#_c!5{l9B1kIVOqi}%6RAD4dycYR#E z7;Zl#u0Gcp*kg}vv4N*|!xEcXY=J#$v7}JJ4>c4uGG<*5K#*-yAxG&51-y47!|qyQ zzZbaqLtOoF<%<%=ZvHMl4xi$@npn0rqI1sQvzaG6q3uDyGP64mo|%8! zaPsOg^ea;L^|l>$z;)*Gowvvf&DD8LQu{c9_wJJZ1u+}gqc1e%!Rn2!{JwvbBiI6P z`QLEkecb|cW0b`m_f$f z{T|%du{_UU7bHUX|(|zHI9hEhF72eufDq#lhWAZ0cWaH56H+wGu z^6!+#t$Nz)%^g@CUwW zv~k#?3>~c-mvl+k-)pVc$F&cxJg)!w_2-9xfw?${=Ij&Yc)bk{g-V2%{f>iIrxp(G z=8XkaRBITwF&a?rxYjF&1K9q#Nv49**>*o<_^B}O?}Jw4@u$LNJb4eOdULSgP42ut0CUY( zzr;K$Lq6{1Z-5BdnR0IgS4hiQyF+8;YYwMmva9ev}jl|DXr)M+d?Eq{7!5K#*P&ImF8-6 zbjzjirrBCBzxTMGA)Q<|bb0rdK}s7!_rQ|b8B_E`eXD-^Upq9=+W49#S{FuGNW7J- z=-@ImGgXjmug$p{=1MGu34N|6>F=c_f89FliA(=V?`F7?-h-2q*6j_t#xpJup;IuXcF@jEQxsv`oug1 zZDO8+KK6cCOgWT*Kn15%*ko~S2?Om7WT3B2U#fNGpBx83&HD6_b<7hdo)@Nl2 zJh(W42bUx8;PwO_T#CShivlhl`QNr5{$JN0*Pd&gPgv{og8P3@yS07T#B2;~25BDj z5sqlkZFam`z!dTeSJLbb8p2L19aDxeS0w0TSu_985Wa5xki)Mo2`vnKr)6rb(c@30 z8z`90+7DaFn+L?5l&R{KDHpmq7cqs>T_95C?H>Zh0&-9p8cI^ z{>#<`hJ}1#!s*RO{KPZi*%LL`@!G0=R0;bS682Fi?4wNB$CR*-GWPxEAd;IG{8<9Z z4VS%rq6FYIZGx={yDgGQ*=ZTQP8M#2bm>U#7Y5Vs+nTm#O2S(2Pu%^3E02rM!d?Fo zEwz)TqbRT{KNwvJ5Jt9t+z!{xASCpzPc-$AAZ#-~E&V=M2`+uO^ytU}KLl3rvR@1^ zL;iGOfU&a5d3m0#<5&A9i^TAxQ;`>eIR0>_)NEAQM; z^8+UDLk0-w54CTYK5vf>$&`2Zc$q;2^|U#eAO}1jI_jN#N{+)rzA`=+RfUqwpU$=$ zIALH|blIQL7!6(Nczj&c7=6!Cq+!rkBjcs!n|y~gApA>ac&niV&~TNqMWiVsv9C9k zE>KE9QFYoaCofUB*DYZEwOj?ow_49C)`?>CW&J3!5Hz{FA8Ln$N zw0W;d2JNjPq@`bFsq$tQpgb3D&b&tQoGX#~qS^2LovI&YfBl*3Z=6g|-?ia;KVSE! zrrS2(`wdexZ<|Md>DNA;PCIpk14&#xzV%2QGYCEDdJ&wu5#C&XA9r^bGx*6c|12wD zhDYUeou?1bgL~+};e#91uA?aAvPF+-WaHmD1i8dT~IQq*&K?`o5ts)(7F-P2wB9}Yvh!Oqa z!bE?#AkiOgMD&LX68+&qM1Qyt%vz-No_kGxXN-%SGT!*285b(=_&hbRe_tefuu2(j zIlbUl-e&}-P;kMEF=gWYRUrI%cfy}nBK&zWp5Qcg4`fu9&ffp63*(N@8-4u{F%O-LU-{4cba7&Sx*{<@U6Poe zE>6r(7st*IP}gt%NK!TcPR-%PD?;i}GyL%B$1D0Ud_?~u!)F&ry_vH7G*b_DuM-$Q z6dsOn^MOBn7kqzdg`*Q+-a(Y63viE+PK?gG!-z$~C5ARv5Z1}sXgd~;lmciDn=H5k zZa)bwo&~qx30I%L7IBLe1l6$py(CTkR)wODOG;Cs7yO~+d$bF$ZvY&PKlba$fmjrK zx`laK&kKGYj>;L52!u8%X``R&e&G4o8JaDFpq4aszhYoF+UM?}YfQ#{k9(XI-+C(; z8pbLUW*U1@nDZ^V^(vQvdC;hKy5u(cJLSH4*1aFT&>eRE^70%o^wdzY^&SH`(m4HG zToc@v{~JB^!xP?=+1p+TX+}SfuqZ7b&Hfainn^mlQ zEv2&1wXj)cqK!Pi;G>+5;h-+WJYD`wVlhK1Z})~8$&ve<|13M&Ny|C1KL-vY_m`dm`S3cAvCvv~Cv3KV>PHcox90JS;7yU+JniZr z<>*WG#8VM+Cx`kDaOoqP&MlknNT|Te_?UubJ|ncBbidQ^BYr;TOvG7EulNvD9&v`o zg#12SZcL-)n{tL-f3rzRbfkOodo+WNlRY2uCRUi>em=H6aru{U&*NJ6HyFRWw?s;Eb|DXF~xb=>;o@a!+KXK!`Yy3hgPw95S_65u9!bdYuG;^Kk z=Cb|3lF~A9nY{)TF?h;PSL{XYA*vHxWewo*xwp`Bzb9hropPF7A@iRrevCTy!4DN} z2{Cu)B+u!)!r(b^*aN6DU(}sXc84!|dXYz&q(Se#s=Qo_3ffj+|MxYQ2pmf~IG$cA z0sbsbx!hW+hiQ-mOyJ z>k3+$Ho7d@o)Dd`-X*$Bo;&lOda)K!FE%0S#d<`&Sc9k+n-cY6RqXqUVb6!{;qHgw z1qYq_U{N`w&wknVGW#%8OsOBfP?C$}&RP#q`ewr)uNnQ(taj}85%+#88}2X(AoJ26 zv#x%>aFYdj=T_~R4dH^N-tV=>zMMc4c!DE9O9sWxv9c7`;?L7u^ZWBZ`r8uv8xZH;hqFP)nyhzdG_=Ns;LIYztF2$m4){ zD1bUvox}Ep0&JVS7+}Jrj7F=gDBDw)`lGMX9@$4yLWfu<530rrLq1o8LXYxKJ?Rn3 zYMD_vl&tkjLPibXP-xl?H& zv8axYVKg_+8+2qW_x0WIhbXt98BLN3l%AX^EelnHMcv{1Z-+h57GZ|My%~xydb#dM z*KrMa(s?gL@u)K3@{bKJitgm35{LIWynD7u2*EX;7(r5o8ai-eAVFYQ6&)8F^a;@y z0r@L5ROiWgUflD7dwxGCNhaMN5{9Atd{@U33zQYRgmmWxpl`G|uR25svU+yc9A4Cc zq0&uDTNya9^S!HlkBY!!=c(M=XN+FQJ!)XERR*tHZ9D9&mElLlV3LUrtXATIs|SO2w^$HhnBo-bVepKnzXiQ^SPBNvmbpUVk@u01nt zP=Pqw6>P9EB%KLFCtlo?4i!SK)zX2lzOH?J^VANVPOsl1db)K!W4FWYVN%#Fb8@Qy ztXt9Fld)`zM1ybsvbkmtPYQN&%5ytm$B$(vH$L3+R{?zT54j7}l8{$Tg@!Ss5;%u_ zSt>py3#x}>NA3qI!eVdp+XDgy=mSM^@Vk)+)cWUvt%bNFc*(_&X*>)C=iHi};1qkX zF&J~cVd@NWq7O|C!?$7cx#7O=FA`its$I7L)28u{CNH(nM!^%JqioEO>PQ)?UBwJa zT>N7bsZy}rt;S{B^9|VfZQS@57Y~K&pRCs39f|t8B~gD*A?oiAME%{CsJ}a5Hx)FW2v`1z*}zuee;>U}g8YE3XIJk?u%Ske^c$T#cBGqkowQxc&dQ=QnVdb$o?k z0(#VSGCEeMmQ|T681l#wuT)0};m(vMnaa`EBXM z=aF%FFqE=B{uenfi)&B4rKrgEs{%mXKRHa|2UL9Mw7Bwn4N#7rej_Ds1b>&%xEl{^`Ra$5sW{mHJ|*e1jHRA^Ba{BZ+{m<^fFF z8KC}#M_tExMN!pa>)m4xh9I5(M@-?O2WrdmJ<6bK2JD~YIv57Lk+s35>0AwS*qo3> z=dsrUMnB3(30GNS=M!3VP3zJ%4AHU-g*C?z71)(&yVwM3kmsdlF8#f(fvy;Je9NRU z0CLUZubrnM_Wg{jKkojFkLnZHcF7#^XY%a~(bk0Xf}_cerxhT+IyTHG~)qM4}F%-LN?g}RJ9_qY^;FDf7gv^WIIA|Tr;N-kqyqJz3 zN*_7u(aoU_a{0z|P5ky~tD>!>`%yy>y|F!)xylfRQ!Vt4@Y?<{1WS9?IP^4JDo6T=4NRne{E#kS4ZbFM0>6GY zqQ{Z;`(Mf*LwXAR3+8uQ5f|Nj+SALPh#_nx`tpVzXml`SWeDoVo}Y_*9&zPy@wT|@ zujZHjx&O2I<>vbPl4dY8p`~S!W(<2JHAgGMU7<8ATE3|!9$gYtTtKbn5c24>;`S&q z9|UV$zP~aPFzmTNN}6Q`nL7*#7ZX(xzlPbtR1Yh7U9^bnipIwy2AiOA&Gsz z;p&4c?^gEXS9O3U}YBg$uuW@p^FRv9S=!a`Ak>}XHwajPv^j!zI_yUUL(-pA& zlShO1;%D2MQ0t3@h~^Jz5bnllN?DTuhsK`s_q@sj!|H_;IWphKfX0#6cN>+zv$N_V2y3M;-hB7R~?l z{dGndqEvf6y^*FwLQ*HY?QgIkj;W-072pS+tKUcYK8c`#{5f_LcW&(YT-tS=HRWH8 zQNRTwxqfE_$asE9YDb?MM6R=crEpXQHk$Z&ja@fEb5$=)N=cg7{v_^xw)gxZ;iG2> z4Nfda+r)H{$ElGt`eL#l%bisFR=@;mPqi5{J#;~V56zb?WDV9_pIV=!ypM7E@ZR*# zWJy*a8cy9@{p^A~bWcsO=IN8bjq8|V;U`;AGLZJUE1-e>eR2I6TzlgB+qmoF#xHAq zUU2n4Y5FK8Yu*A1JtKC^ObZ|_Q_=j|8D_L+S~@AXM+?1iTg*yNbwq!!NG;u6^nlav z+Zef|?NE?g$Jpn_B=k5vy1s+i6+TIJ@8(V;&t2dWH>&Fl1j|->CfYtHXfI;D$J9!m zi|p=Po*e9i(n$M<3YT?(MY@eQ_l*{;Z)qz$cH9gE_A!5NL)t_??LY5V!QDSklhjYo z{1PS4k@0T&eq9*y&WLa*`kNpF1ZkZnxZ*v81{T>TzhIKBo;VJ+L8U=!JKeOceH`W zBZQv(Ui)9|D{3d>)jJ>1vJKt#MxQ@>3Z(lzK)gtFtIo;arF;87)~X-odgVXn--#5bRjU0`{A2g ze(3exM+QOlIuO4SqJ93Y9#H#s9-c`4pLv@998agDM;~MqJ_Ii)Z{{>^&qp3UhQn-E zuEDl#f{C1O>QQ;4$@voIK4j2zo5yV7Ji#Q`Yzfif0o<$Lrs&oD<*Hr}Ed2kGuK7P5*XNVHjPgv1kmWGPYQ58mdQedNM z={WmV1*qSQ-aIBN2h%59814#bqSgGfA(4O9Ci2grME==;$Uh?@|7--fe1lAnjrYwq z_@HCW@02@V*}>n<%2S5h{1NpS)y(a$R&Z1Gp!1P_d+`^@UM9pT^pbG!_${r@|C z{&~FPEAVXY3r7evvC-4aY6qimU*3BnlL3&&VYYd3UjR%}=1w2{OYZk)y2es+Gyvhw z3&Z`td7tt(>{e1k*WYii%%#_Z?Iw95AMO|;-UT*(J92#`_~69tH)Ni$>Fu)NSp~XK zl>asL3ZELh|C6)$R!|IO>^4{Y!|sd%Z(X#G+n@@0zWx%dWIlKw>6)_r&1%?qt5rO* z27yObAn?e(1RhzJz#}UYcw|kYzT=7VtgGU#=9__dYv%Q{p_ZT;GG;ZvYyp`cSNzJ( zd7?z-Q*6I~Sb+wUBB{tp4vt-Bid%R@#)-?NC0V?dfhwW&<ktzkwSs;NG{m`wh4Ljyrz=S0CK^6s|n3|Dzgucd;W_5~#B{LhiT=!bVZHckj;F zBF?da9Zi!mFv(2C9uz48m!s~T_;5xNaPj+V?Qi4qCE|XswU$40&E3H)6! zfxmMm@OMt&!mpmbu-_ZK<>oAO9JYobjahY5Pe;h+yK%wdnlJL5^Okse&lXrZe+C6G z*kbqR+`kh};oV{hcI*Eh@wgR;(#=BxZiu;o7Hw;iN0&P&754UBjSoP~-_9xsPFcgM z{*HwHhJ^m+g#ONi{>Fsh>zx#*K7cru+H8TCk zSmlGFfK@&yQGyTZH^B$B4p#Y~{`BMCKmRs)-24FU_rm?ZxbYyaf4kaWiU_`aD}ry| zfZ*HLA^7&K2)=!F!0kuHmB+Pb7}uoeryL2m5%XM+&k7+uu6+eG4O&oH|Ju%Zy9hk% zV%(zGsEgh|Z?I@95Q9~`NeqEE2`BI-*#zDso4}hy5qOh0*m_VSLdQ!Af|_=(OW&n{ z@}=cJ%m#>o_3$wcMg~c^=hk`Pv9<=9RaOF?2wqt0_!>7J$K7wZ_P>$4F)1Nc8%dfO zx}++ZztAjPrR^ei#dF{*WbT=gB|FR3Np8zGR5}Kaq*|P_rptF_IAe87RYpJ zymzTG4RuO8SQ$u=c{L1;O1`GLKuhDUZ>8ipxF4=o9{MZm0yq8W3#P>4k=aA030HYL zWOC&j@2hfmpx?Rjz2DmrT&8L|?q|CKvr&Jhi>w3o|6OZ;54Znk@6#u{jW5~*r?DrM z*alm8S4XXU?4=!Ae@}1pqmw06jU3-xUlf9(`e{n9z55@&zJHES$JOV*<1Zo+`~cwu zKY#(j4}b`M06T&o0Abe$arfJ*|EW#z^Q#d2{2By5zZ${MuR-wh`yh+^t)qi_y0CDj zTu|6C1d&)HyEJzp*m$axek@8Gb{IbN-7;VWMNr&Fb3+@riuao#W=&X>oC`i96o^<< z)#+Slv_aN#b4~Y7br8Ng4oxS_;7C?lWBiah)IXX}5ZMw1TQ|q-3tdQpye}LQ)G>R& zZD2wus6HNMT*QPk`BLC6CG+w%@j8Ti-);_`Po1w;fjOJJG+|G1!k!w0J;ncZ=Y6g3 zlmA`+|8D-|-)2wT^MxxP!K%X+KxqJNJ|me+T?mweH}ff~*`o5{Cp>q~=z#L}QKu+< z8$?-DH>S_^Km7*(JYHk?{5Ny|`6SR(3tDoIP6N_x>caYO@o<>&cA(gyWOzYE)3Pgi z2Z;Smdw;6Pi~^QS*4E62Z&o=TWk4$+y2M>UTgiH;_8FzUlmu9M#dL)LDV7mM){}~?CIuD zwr=r3;(Lt*Y-F{7BXrMS`?uPVu$;%%-Kve}#kFKX%+w&ZTVjv~+bTity! zisaVEcfF*10zMI;LEl`vp`k&##(Z!ByMBZl?{F*x`qpu81;ZN;dM0|9(dKNUFW-u{ zB1J)tqL>$~aZ@EL%6#dS5+}%t-T!H|^4JfHW0H&yxEh=0j|`cZ$B+aP8iq@|9|hD8Bu=`AnGqt zMEyk&+djD8>+|NcL;D`V`Nm7Su;rAM{JVV!u4^^Arc=m(QCjb- zmA4w#ysa zzs2RRz~#rtE?E)?3y(sn;zxs@`Z`00tf@8kPIr`UGdx6-;0U4dmn}RrTtIhU$%_$h zXM*3=kKlJzC-`0U34T{ig5Oo0;CEHW{=fgW_v_!L4{rShH@}K2e~O}Q@bp_pxJ{8_ zvnb{OyuQb$IGVPh!|VQ3Z4bAFOpi-L&uvZ7QLC41f9ve9`Er-|-ze53I-x?IV7FJH zcJO6@vxU3a0iq5|c^OvP!?W7aYrlRtA(7=JD;Z@=gj+BBw|(EW)+cwMDRk0L5WM#Y zGdXSLgQI1Vf?da?!RnCO_*QFPxO~O!+68U_@bz!ijND^_wwAQ#FeR$P$;@h>B{I*w zFIB1e)kX(&p@PvPj?C-om&IIl{VXdo@^c(kXS`)4)Y`RDU)s>E(rCRMAWx$0dH zK1FFDs`&I*;eQaBpHNkbt5Oyg#*LOio^9Xv*c1Ld^HdEA^H_6#3D^H$>-~WHz1I5uwG8ncJ8ISr z4$Wt0lV(n%vK#925whcGqxCq|Xygs>Jie5?oxK-2()7K~H4Xlk{?b2>e^>DrECl{S zm%v}x6Zi{F0)Igw@E4+Jt>@{mwoHaxjXuBS1%<)zd zEDZbZ3)|Wt(|Mm_xnyx*x%y|?F-02I{dzvVT~88wf8ydJaP5y94=Ppe71@<)4|h)t zX?^mvhm6WCTN(Qj(Zoo?(U1sh_!TiIfMm)2DPD-NZqNqaS+#Dt7bXbu2b%AE5M_sf zl-%RjRzx8-k@m-vApy{gZ)9D1#t9YARMmDxnjq!G`!lSIK}aNBam+r*0iNsmINm5G z^DNQVr#TlpLd`tfiW&$)>_hr?y*Ym-i=at2hLD{;Fw;l7`FQWuwjZo1)eCi;akX zS&8^pgNT2bi1?R_h<}+u;;BQ?mmneFh+LxTd`d!(n@!oNmc^j-uax^lkpNtX<2kvU zFA2{le9INv#S!DDn&i$>Z{+)DQ9og?KNQ|orHIN8L?J1ioBFT%08PZxrYem<*vND; z>8nft!tFQ4&Hrrp)3CSaH$PmFmk;ly;se3AHk&LL4AAziXO~~>;DkNb8RP{zg}^By zX|SMx3)^49?f1alZ@A|LS01;1RCv!lCY7ZU8jM(X{~z|=I;!ff`xiw*X#^w$3F+>x zMR#{fcQ+D(l%NtKsR$y90!o8|$OKUV6;u#ZL=+VR1r-AWW zPQ-d|N1}cE=jRu<9vD|2aNno6^1)sIOjG4*{vZpq54SAX>|=!qU9;CYMY4#^Fr_T& z3==qa36&l!XNS4Rx2tWqnGx=MGhF;8XCDKB}5)3D=b3g_{FeHM|2HuwTtYd}@~v+;=HrOFF=X zJ%2TaPQ;z=fIg~Dx4o<_Dh~4tu>&35a*!Q?w!UUpg#B@xe`E=9rp2&`lbwp{sNwRl zC!CQ8-ES{+Op_q^sZp#~uWylt?=t-1tBy)gdir-~8=WqiaJ4%gU?7g|pUj(jhTKRG z19(nmC7BinMwiovKRhl$*N%jotuqLNSLC~-C*H?^W69Z5E5Dp!BrAZ_ci93`?UzV+ z_qZdrN4}bNH*G<&b~YhZ-T|ntWTd+Vc%%HGFm_5IDquAIz@O;39gWystJzxbjLtL} zn=~j{0Dy>7nCm8c8o89)1AN%{_?)U#T`T>#r$REGO;9z;03e!6qRQe?CV~w{I zI3y%ph@KXKA*X{97k()~>jl1?BfY-{aPwtvuZszgh*AOFV2?mq3MCZ5VSBd=(r8zr zuV7FUIjqhmH^1GWg8W#Sx*F}Rfa`Cd5|&r5hFbCKQ($o`sGOt{ay_YLErPQjL>d4VXyD40R=*1Dld7LNbHy*!F6({TW=m z!u4k>k$X9OQFnF00nus`XexPXn9k)0=f6Flm+SRMe($2CjN7bWgLda76NUdbKK9S& z?fl#D-#6R-Jl*A5lo19y(VNV~3<3-Fp^2 zAqM87$E(sagkdHxa@W>g1yB;nORKvih&`VN_x*cn=Eh__2KV*Bu&IG<0Imii4pP3M2Yxi8btgu z0ql8tfBFCC^N#+{^zEO2-$1qbD;hLMz$FnZ+n zJbfXW(`;(|OmP&lrE(8n4>g8R**2yV0g^DtPa|gb!U&#i)gM+j3PJ3`R~JGp44`U} zcImgK5%&Fv8*kZc`-!`LS$kmE@N_-Yij+|w?Cn4U(pLrzl25|rkmsG$59+|My$^kieaN#V2maQnZb6wbK0Z zxW%yf$K_{w;N$XYrzNc0im*$34n!}VUUitwBtV(_gn~t*78G+IV)Q@kgB+}cclK2K zAl!Hpu2HW)Y0Mmg33CCUeSq-hLl2d-hCj1O|f2-S8cJk-5;L!?i5oeFWYV2i#9$D}*Hl zeZ#X$rKqD&{sUXt32gnx)lb}cS-9T|*FTY0;PPAwa6nrsMgL^hWFYb0h4*BCV&MZ7 z-J`qFs-LrI zkjnKeLA5v$ZVk`!OQa?e=Syf4;&xs=?z!5qHp^mucUlLv?J4@@9H9dnYnPJ5pBkW& z1GTao5JCN5>D-yK58bd3a$LYqF0O0oUc=((baZpFD89d`x6fk`GMA zVq5o*as%%CI$V0(^Nu@Dd+nIki?j>rKo`twaiu;7nTm8bIQvH-YDL#a{cKT?&g?z& zF*+K2n7^$)C^ScD9z#A?VoQ+ZfMxSJzf7oS(1`DGDM33_&OZt3$bn}azj?nTXTq0r z+*hOTW@E>Paq)<8@t{*x)XcAQYrxib!e9`s0+&sBPm)o2p|j)8W8PJ&uq$?m)`?LK z7D80cKM&M_$z3%KW2>=9?2UY~K8p=do|y8_=I{htV~d#|_mbg&^wdwJB@G#fDkBSSrjdlxPfW|3M)lE7&dVaKN}@14F`snt zsW_6m?E2|OpBUiATRe4N@zbkEA<5+4wizxju>E~gd6$Mi$SE&IN1oh}Z?TR; ztmO^klhnSTJ#;GUq@poQWZe45pXdt$1zqH?4f9Z9bzYLw&j8@O5xn#*#uOT5j_Rhf{oj2BeoM#AY|3p>!K$J0S+|7 zo?e33^871*W@7$sJ28K!K+NAUz~B5G6ET0s0Ac&y+Z_+)N3tpjOa0n5=z$-lLHaIZ z&^)OwpRDKz7Uz;$2i4qAu+hMd!6%l`Wukg6&5a9q`c=;lzH>z?H_Ud=H0god+oA?7 zb`!X!IaJ4+YmBa*QZfo3x5bt}?tO$ykLzFI&Wpy)w{CbcJnmgK1@r!ceXr?^!Oq3e zq!e6H_=%PuZzdcOsikKme->drZ;0cY@&z00dT-qNZBE_R`I$gxcpjtJrxojsTFzTc zM)Nzs;v~zw^8rUtA`P-nZwf%|TZUctFWSI&rXz})BtFQwKfh+p+X9*;QihidZQ*VO zS7ffW15C_XTG*Yk0iLLP5lSjv2={y8;-`-~sz{}jpM{%m4=JFwcCfWIa7-)jLNlFa z7k>0!K{u~gehz!v0YAqA1{=r@g0HD9hq{J0c+NY1kO5lec$0YCxyx77PWpW`RjdEPIGaCio0wzK?gyg-8R=r-vSA z0~x~#gJM|@_Ib<^*IXfBfuV(+*0f_jyttqoEa_C(>KY zK$NGY!%;>Sk)6I#<2A|&$pUt@>rsNhH~!6x|FSeX{yD;X{0}!gR_ohJ8P9{gU)=ZF z_xlzaHVNra7I8&5>T))kJbaNlD=-aiucz)?T1LauF&GupQgX^DA z(+cL9PS-$7$ajH`!Sm?aHnZ`^9hER}1T>Hm{+% z^p^qFrvB_M_C<=W>BCa57uA6ugt_Ys zS>I%i+arJ1yl9(q+GzXIvu#;-DG~XBj4gXCDwRoo@KbX?#CPmu zuWBxYy=oyhUhJqqjol9qKHr-O6gO49-!v3r`#-q+;QD*G>(dy0ebIDZ0?OEp1jKz+ zQJ_5etKEdUc?Be7a*9nI&T^2i&^s8S-xrGK?f0u;&;K7&9y#^(sTYJUBvXECjYcYM zw;t1eC&ZC&?u$2X_knEA;FBxW8P*h>oe(4kFu^6X))3F^0ZVI_YgJ>5|o!HRTIo%3k4OS2|uG3+SK99Kc?Lrq%+uW1A0*Xv3A$@*xrU8tV4 zM;CrPa}4eFsfU8zS&G|FkAVvJd~}!SNu;`@tt_Q;8ZB%|o=6rgfYx8{+BjJKQ0*x@ zyJqg)5F_iSS)#TZQLs&JwA6DE>bJ%;tT}k#r#9=fU4l5e>JgvzK9U9dzQc{@L)iTPeP8_Z`xN)StBLRY zAn`Q{y;tJnelO~YTvkIT1CIDXut*$f(>Z^z?pEI_!{>=kmo@8gaQMRWtzi)wuj66p z+qG;YkF@L`8X3^A@%D;; z;sNg-THCH^`vd8sj|z}wqEXFC&Ydh?kTs}a{F>PtyZ#3^9(eD&&1z1gA37Y+a!$t2 z9;J)=c9?UyfyFlG55IIhKwR2g@2-L?vJ_0K?5T9YzTa{4r;R&fg|EvhpdC|lpZ)sP zLFDpim6L!Wl719$_=T(nRMAMBpm0z}_E+ERte8**ry*%7O&NlJ++SmUi9{IntN#35 zmAMP_2K%e(t#?6El&aYlQgO7C?OFETKyGaQFYYryH%yYC$w1=>FWCVUGWcP|syYSk z`6Yc^_?-$Yr%58`77wDJ#}`|T$YWr;u!?%gYAGm`LkJPI25_io#n zmcZbe@OtiICE~an{Osqk62N`GH_lStwQeaK z-dp1l<5mLH6k>KpQ;ld$w6nV}H66MAxv{$KND`9vJI$0+dK5y%Omw$fno+0z+pjK=F$QQNb>o${l{AiG$qd){g&GRT%<;J z8XF2g=PrvC);n_0cjU-0nWzqGUK`GEqLzWkv=2orS~6f4obOZ_E{@)LvZa;16^6g| zR+eaQWr_Ayl4x(GiS|~VXm15!jAQ!ozJM-wco$ z9sjlaw7SsX8MDJnQ3h^~b5qS2C&H2LsRNn!529|7eabmyap3M;yKM$DyRHL;!#q?~TI>D;ufw2knW}Gfd7<5Iw9pS%wWjs;h>x~rtT2olusH~L> zwty!j6!e)T+|W0=^5vzL7}~24e>swt7xGprkJESU0{06IHrtyekX`ec?{UH$fLnjt zaYkQ8qCy}Wp zpBZ{DS*%ZY3Un;j*6aK#K%tml>=^eMuy`n{aPwt9D&+pwN@2xFB<4wQK zESz(pN<23Irba1x?eJ7p=5RiwaFejiSrLN&^6xpDcpTmk&Cr1`dOIsq(% z+fvgXXMo)CvWWyYSM=xMwpm`*!^odn^?-<<8!B_rcpTRdgdJbPohQ86^z_{O3Kc6N z0g3H$USW$z%cpiOWH`q_>A`%7GO0LFR{UCe!Y2#S>Pj?ydm09~^?SJX2iG6?o6i*l z6Z^W+cjKbSsk-jY>P`U|9on^<`8q$eaggWl(v?RqyCWo)yEusW0N>LibpfaE-!cyCp>1(wQ=pLCL4fd1KlJ{f5?_WS*N>Y;qg@L-?|)LFT<=mP@b zH=W1#yTgtHP8*YFfTJkom&0!pquS%da3Ox z6tN^^3Ey)e?!*gsQt}c+>3Xx;W9lHh;SG~8k@SJOr}qM+^}OLz2bWb$k2kdbnYCvt z@`5R|D=k6X9#FerERxTejd1->Nv9m)>lyKBs~;p9$<-BD1Vb35TflGS5ZEzjxIy0I z51*N8h#^*lXm?Pv>T&McA4$9TR#Vzu0%v9>opuIi+ zOkNB$kKK;3YAQh$X`1Wi$p_#ZQ-a<^aR3sZ=wh!d@kdl@Uyn7#IzrVwAG)jlz92Fn z;*`C<2Q1#JyzL|mJjeAvt9)l98m{O-<8o-l^S9Qh)lJfvgj5ei`*=DcPisNxEaN?+ zV>almRQQdNR#hmrSluyv!wW(JS(v_PIziw*)xAocS*VoZ`9nJ;FYvg#-}sw^E7($} zrz;5iz^h2#!PFc-D3CVRTZ}S-GQPsaP?cbmrxKP*VeJcdvaeW^a7)3lsOeS|?N7uX zl!EH;^f+68K7^`hE_6JXbusk7jTn+S9KKKRT_5a-8omqC2ebXQE0l; zAi^67>0GEt9n%3p`bXq5-L~+$V7Xy?k~<1JocD*E*&1-`g~TfYekqT}AR9M|^U2*_ zz>|GCF1phV!ivKxLXD%5))gVE9^?a3dndkpN$`e;dUc%Tyktnz+n>>A+z^_kmL(bf zSi%na!70{dFT`{)j6lJ^#DS|dVr0Azx4p5#Cm`~1Dj1> zN42^Td&LQPRve^x#A*Xdy{t(+tIn|HD%bK86pGrq=U;^vn7~M(lv>et2W{UTzU7v^D zZy4++@4W1}2SnE!b8LQaU?YutKH zc?_D_E__}8T?99~w>qw;1E@UuioU({MBltP8WJ_EL5RsDfva8<20o2{Sx$C@mIHUz z9r^7*^iXrM`*C;lH$MN*=NmB6E_`k0yMZ=p&vuZSog&mnFwp)~Zv_fZ4Q-R~VzmE< z>-sx}Gq7Eok1~hQZ_1#ZBYkRA4aJUSTUV;uz}*L}3a1_#AllCvZq9Xfkdk#pyChQw zZB2}E`Y~jLaP2>CJq9j4Zoe~bejIncpE*OdW5}KDaJ_RNZgfB%snvQFmvAw`Q0m%# z_e^TA(A%xP!=Dx=8WV;_-%~+4?Ni$vT^;Dr+s895p$2DHPP+QLSt7|c{;S)bXaUbf zONmJ-b;xDDZXtBd1lb;h>5$(YaP<3Qc1o^xs2-S?>GW+zZ#v7m^!*!Acjnm>h4L-n zv}*tQjeQ?FIO8!xzitofR9cz4b^K7%aIqQvS#vl{YkuvPogdh~h|lc18iAJ@o)?`KVouslpNjT>4mXm7Kp2aK+~A;RT1m!dBluSRu|6osW&pq4X*509Mx0^Lsee-4Al(oz}*&0JIUq&A7lFZ(t;w;$>&3pG&F92 zJFoK9j}@Wetrk!yy7iiKx*Iy?^DX~cpCJfF7BDHWnL&(kYw0MN3p!ae(}!sFvE%KG zvQa08lf#hugUp4mJRaaOsCqN%a0H@LGCLC#MWDLk z?J_SgkN0G?2URr9t-$wkJPC!#tBG{%4glYScPHt3wbA3$SI--Cec|bJzrlj66wH-| zPe{c}!wLe30 zFivso`d}j~3_Co}X#MQxR!@C~Ejw6+3vel|v&;rz8<`%&13eecZ@62O^^ zM@ONBa4&1WGpsup5AD+{Bi#cD0FuR;HO~3SgGV^&`-Ty0<&6(a%yB_Sh8>-heeK{+ zPl?1TsR4Yv`f;j=)Cdf3_BWp7wnw=03UK4$KX~mYf0Eh5)W)-ikIH1wuxF24c$Nd& zz5Uyw+Z#(nG0VDmE0_aKTHa>k-tPps=kdSv|FgaNx5)=Lo`B2$-}*pV*k$b|-+#pb zy@;NvqqC9+_tEBk))w;c{mS*IfNVW9pi(v?Y9ot1zYbUbaqAOs>2d2J-FdYpr*e|u zsj6z&hteWgY7ic!+1iCZW@esEZLEW0ck*q{cgsQf_3yA#UNPva*H-t3sb1h1t-d9V zfJ1O1xjlrp-Wj58S!0hB?Sb@(A%;e>V5Iow#dx8mKKA(y2#yyQPB@Erh2UOzViwS@ z)t)>%k_jhH7{1|~&V|nubMg(gIk5FKBa;brF82Dk^?11Y_P77V9oH;+ZMkEOBpG7i$WD|rsmRD~+98a;s<{y`ze;Yk+zH+nq$9=!x z)}P?=k6SN8L!=XO$?c+cBVI=#6 zRo@l9O}B@*@dsRbT>0SAZ#F;ww)HogpUsv(gP>%;+k`#RywEyN!>kE(siW6vt&Bnc zisak3IyUI_LU+cGPy&9~tmfkhMLpQ;{ciU9n=Q}(uKz#BOE>%bc7EL}?Dg3RJ^uXi zP=~cYqBZ+yZ*H52EFIOK%1fCb(Z~^oqenx5+~IP6Twn6P&Yo|!{@|W>G1~Km4YuWI z@1p?jdGo^{;ZJ>d+2aW0L@N&V(o~@9d?K%DkNTh%4qkPK>=JDIu-W>s+45AX80%;) zRzp5^L+uaVa|2bM^KwhkH?41l!6Bw|TIh=0mCUFn4XAx{k458@I<~&y$_IA8>1L~U zMD+Gl>*32XAbN`5&~4TXe5I)L&HJ5@o>R%dV?RT1uDP{z&cO^C2gZdM3H5_x6meHQ z56b{`(sT6^C0V%pP9{{?RUF>3A#TxMwn&@(fv(J1$xY{fv%lA7uaEn^@;u*KlNknO z>6?tBY~})JG>VR?fJp}_*Ors}*9w8(&O@jOTXFt;I8krZR5wE z7m{Fo=Z{CftOgov6qS5}M1Zt2xmTVrAAq-F%xO|ejZoTf*lqAF0k;b?KZ`3LT>8!C z2X}p3dfffu(r-3D|F-ovn;%?zi<`gLZ2te#*VkC|c~veM0HSdnWw%YE(en|(yv(1z zU~77*Fo_`mvU4xLKJ6NhDqhU{-7+TRegDJl)n@bm-}OU&xU*1*!Mu$md{%rJ`a=pwm&UTn17*@W%gAK z;nutUr|Sdm{P6$u{cbk@HpSOcpBHeV7wNhWYAIZhou4`n;h<8z<7bln7^$HJUW z{IEqCX)IoM=m~T2FyCMQrT?Gp&%aGRxbuR9IBcnVJ}HA%@j>!+33*UGlw1JdpOvSIFlq zH;mR@+SHXU?C?9y7EXhMShRznH4AJhcN5Tr`E&V7WFF#qoD#JgYeP9P_8 zr<&W{3vM5b+w#aS9C=XIqWh0LL8Nt&Vxf@}#z#M!FP&tE7q#26BaTX;^$`7^_o7)q z4SwrweB?z#^zXeEU$SD)Yr^fs)&V8G zj)^C0Dlq+7xGf8Pu1OOEKg;Oay9he>E>i~SVO<3P|9n38am_lGE@ z@vV|8F6h>~Q2XOI{ITcd8jEu8)f_B?W;#-j67JKeb8+k9m8v5^{&8cZhx{m9=Dy{Z zDO!&_To&d(vmJ#s9tEMaML}?MkbSl*pAYm=^XxNOVR&RhGIqzt9Myfl-x+Ho00*a; zk2k**`7izdMn1Uq1h-$~zu)Ws-};GbPjK}CcRmL0`ndGC^9^v_UGy}pvd%V)PgIw5to=_^J?{m^&k|timo%(fC<2aT z)oQVxR%qv}0{yD5Fx(dW)RHAA4*UY-JC71Ds&M-yw>)IlIs7soNtYa#WVjX&A)WCb zpKHa!bt}=j58HF#YoXlPgy93|L{V#L=~&#qPM)~_8}9e=s}tz{G^+>0Em7BJ)pXzy zg(jQtoE}U)XdrtLX9!Z2H2Y3W>cEg#sF*#aA9A{N)$Dei7rgmNV?b5l3>-7<1}z@p zsQFY4hhd&4+`G4P?t;H7tY@$$fA}1V3_Q+zxFPSoiJ0<3Ktqi@8^_CyS05Ua zj(VB8C?kouZ68AftPyU13a=;6*92SmW_^{FG5f#<9~$G9%Sk9oH4yTcY zN3Ap$su~rr@nvxH`?&cp+<4S^{F6h}S z=%$J&zOSq?@8E+5dHW-!G#)72f5)_lj1wZ87LVe~vxditJX0nSHozERmi20vIb2Zt zv}?-~dAMIyLE4hEHV|=jYjvTv96H84U#S?y4>=qmGJWztw8W=Kt0eAAp=3qZ2c~73 z5Ua{XU-sAov~@jxH%(bVt{Az1_-jYF-SX#9-^*kaGq#s)FP%NC>2RI;MCwGCgDY_I z(EBd~or>=yfBs$`I5nS~oJ;v-fV*d<{-))Z0lh@kn)%mGeMsev z6^T0Xt!l7hM7Gc>IjWZMAPU&$6U}l6^Oz?shGB1T2#Wr^<!d2q49J1K#ea(|jwrUg+wJ%bni+^1!BRs-()I z01qXCHMd{XhuWiChpf)2VdKlIx_q6rCbNK5e%8if5o2(fmOh^-8I9h5wsGer{7!n# zyszb?F(e(xKDctl627L2*CyF}LUd-L)I4EM)`Rn^z2DvjqTp(oxK)NABwDVx=YFa) zaCY-w6kad`>O*dN*OzT!Zpm=sd5=Fzc~$yt(9|AIR_}$qx_^7Hd47VaQF;WS(KzKgfthmP|?XiSi<>tB%)Ffl~G<% z8e@Z`$XwUxxCIG#u^vME#iT&c(ySm~LJH=UMtVKugrK79$2Z0iX>7b#T)a-)`xJM+ zEABkBg=W_4NMm@a?h_7+i~TAaRnm{JL3Z$ulDh9bBX?0Y7=>-B&|Nk&SxyB+pC zc3k{)+<4SqJY@&ub4g!nz(E^Qo?I5&cf}Awx7a+FIinBMhI`znuQ{USil>If+9r^F zvF10umjM_FKCY~IX#zciJ?4@=cJN5OVrr5p3T6KG>@2A@1IyV0?pPxuY_vo{40xUUR;Z^T1mZXAi=0ViV4sQdsTZ$o(a?+%XVxuYa4ar2K3O3Rf9IXr!F0=` z#E3vYB-Li$Z1vm@G_<>(<%`&Y?tqGnk+vVQ8&epo;kF^-ef)ELC0u)c@q}imk#jh@ zWzF{LEb>Ll3Zs4eA{y^w^=1Ns-90k5}`~2Ncg#h;bf{8DK8_&npH{AOd zcfJ|!{CQmaQ&Mt*(~V030tG1aJ-Z0^DJd)K#SBHrD!DafIV=Yk6O!hbITeA$UihYs zg(bq(hjf{V35r2pD5-s3aM(ZqMO_g!SndBjHn8aV7OC3V26SgNj%c&}v1yw6 zHt}!Ks8RY&J^M8$sP{h;u)fC&x-t?4Z^rw;Ckp3*&=)RXR_i74dm@l1A9DEX@BJqF zd*txf-y?^={@xb&>+gwR%M(}rS17$@#Co>F7iEnnWm&4|V$z+qLNX?JP0yVA*_nXP z{A4lxYBVn-Z`3`k>}SBv|NcGi9>nu*M?CM|#PjY%Jnvq_^X>|)y2aZVBNjYwu!Jtw3|Xj#}V3CA3%9ugW0O7vavo!o{D$^{;UIHNMlw$1C<( zp$w>zYTl;;Z?@S7?a|eS(B1SsMOO)RUE|c$XkG&zk%-0lKGFf)`x^KA;@SsIhnr=w zeu5BgFR>^^z-1UJz4lu!H6Qs^=3lxT9}VWacCpF!MuL}bzpzDA%%;CDu=N4+{e`PP zD%)kX57}!$!{GMluQQ6^Cbc)-^o0gg@FlOedLj5MJr-d_c=yjMG%pVG`Jlhwi;t{EPfA6jWNDlbK^tdauW03rhgACICXt4?ARCxa=xtg zM|FJw7mp9upU3q#dSCR$$xO;2k)YPAmf6;5Z_D{@#v_VABeh0h)TjvQweQJ#kE_5v zO9_Vay7HhG{Vi(U(G`lHDw56qwt#lYPp|J}*aHZE%D;Rz3DrKfbUou}2ND&k@^7>q zAYA>de^-!q_J z((cGSu7s_GP8G~9<~S|9AmE>c@kTJl5axPZlow$9;ElQmD_Ao9>;TuE;KsLc?GJAL z4%h$B>C5K%xYHASyX=}<4-@7+H&AiXr@Da8#I&x{YeFBjkKEA2f+esa!HIh`>VUgn zT>nAzwm?)67(#0C?HwxK+HmbT$HT-X1Ncf#CfW>Q@7(<6GKz~eIVqf#` z0bKilYu|9`PgH2VR4x+-9+#!Sr;&od8k$@^Pk>sXA2=wh_-!{tQXVk;vr8DrJPRCo z#)ROnKW{_Clky_sNfGcs{uiEQit{wePJk;?lr&Dk4bFz8L4dT{HHfy`-ghNWR% z6!gK)p377aM(#3rzl~Qw13yI@dmiy)*YDxtLF2yHaPh$4LTFRVjiz#^m(CjX8lO-+^Vvk>P zHg53+PcF?LuDl6|Z*A!5N1Funj&tr&dVdhmIL)6J8Z*JhGs2bU-*{;xF<$CRjF%=7 zELAqswaf z8cbkV1fwjQMgm%x$ZmDEZI*B?_0xzkYJqlb<$1-LzbCJ#(?i?vjDRKb3SRLY!$0a`MC z%Tc1B2tBudEthvHfbyd$Bh?vc7;XryOj%S%Ukxpk6ddKCw~!`*M+WKSixHxk9n)6L9t4kM(@afVVnC+AG(zshFU)y$^ROpH~9feO;~| zEvhiw?;f+|ry{yUg$_x`D`MZjxbZIB`v~`Y;pz{re&Xg|e9O4ldVP$MH&sv`RH=g? zN{w(}H9?769&M>t(T1A=ryi!zX+r6jQ>9<_Y631k9WLG(?s>s||Kif)`Wv|Vub=Fs zJmjJR8n;A;DfKMT7ti#7PJVrmd{W|~a#ja?X`-d+rR`8@<7f3IUJdN{1Frvu%m3f{ z0ajxDfC#aEfbcH)U-bhl#QFhIV*LOU_WKd{{cAGuV1O=J2R0nvyrvUVhroldX540k zW|diWTK-t0k;YRmC?YgribH_NbWy z5{pP--PUP>8v5Wd=k;*Zt;%b)!0ZMpETJ_j+kBuldeV;ing?L}R|hl4%Bxw3_~1K< z_~1K;_~6V$d~kjuJ~%b}ag{ftaF>ASv=95_$)rJ5_r8o;$8_6$M%_E*(gOF&YTs@WD&b+nW1 zS@vE6=6jWy+S8!3yAjtL&jk7;MhNs+vbwFz4iAn9?^j6U1rt5ZTbIcNQIXViq|Vb- zEnNG68xO?wmvG;YxcY|sem~({{c_P%9hrS7uN9S>2A6+aesI^vtq;M?XW_1&xPLNzSw8}l zg1%LXV7TR433jp!n&}v;_bekHZAOWHe7px>ks4Z z7uTP`mCv!5ubLyg8c0|}Kt8L2A1IEiaFhMyg~>|AG2PlVWoRi1%&y&Rc4Cf2->7MA;C2jBy!AEk5&=n7d`)1($=nwVRIFFR zM}5%En8FNeIX~F9+IWFPFdWLswA!?u#3DL}PA3%R0X8ZV%o_s=2-lyS{PyIy?+;tJ z+V^a7HO?Ou(sMA)AGZU>l`resa2^uh^ z?0GcDNC_7o_gSoQv%<{69_FV}+kixADD=y9DlqTr8*!kN!>%{RwO6?D3S9bYwfh>9 z6;5gXqb_rAt`&*Iuc z-1i7>JfTeVy<7(NM+;4V+inZs)N>(>;n{CIVh;zE{U- zzs~KjYyI4{n|F24$VTaKr-%&n)x_Fnpk6X_`T9#8(_|h6|8X1ls95R9LuUD)yBV5rXv(qPHB`l$$ zX#3;!8B_3=UiWQTbVuRNGBV!$in@>+Uo9e zDlpqQ5g>a;9&qbvao=~i^tk-vz8`V@?b}BLza?9wpbF{mH*(`PNY<`T#G)?%)^-%P z(fAkwMO3p`j#@l;Sckq}Vs}DEjq~qT&yc1Qi5 z4}S#bObx7ze&zj6q6)#E(t;cHM1X>$m?dPdJQ7;HA$N&X1P)d09kq8Cgoz$ri`7yE z6w_$&Uba>cyWa%&zQg@qfBW}&f$rcX?fCb*LE;u&Y;T+a;!!bv{Omg?G?H|_5bNUy z_g>TJ?g$>}k3N3-{3#`Pv3+)<`jISR_x(IN3Hj(SvV&QXysDtK>igEIM+Mw>8#LE58KYL&>*_n& zWdL`-xc&@oz6{sjz&*dX>*Ln1{=F|ui2Y60#Qr92Vt1*x#gu?T>wDJ3Ge} zMtH}Pm|8az<_X3`lAI3m*CEXR8=P^|^hY1#pg=NN3xuCpc4ai{V&l6Fzq#kQ5@LX; zH#&yZLXV)*v392i$5J7*DExq@V+Nv4XsoCbPldyLx{^^3(un2dYB zrFHqsw_8F`nL0Tg_=gYjsa%@cXiZT(ng4QfD<8}{P)>E&3xaP^o69o=K4{GBJ#_Jd z0O|?0sod5kj;{CekyD&u2mTR(r8SP7z%|jTW5&n?E91pIPd1oAvqt(7{Zbjy4AZbK zVyOaZ1K|M^s&>?+e#}TSp%gkRm82>SG9c!85PBzoz~}9v*LFM7dB#s;P&~KY)neSZ&0rX;G4)2qouH@@Q&chCHnd>f-W^fwv z&(?acej*oLShjN&Zu5rh&*KPj?#HfY!|kuMId|sH>*I$&IL4x=>tr5SUP77wEmJr+A5$x~?RN71p{7B28Jp&+wlE)soF{POB4zcbJf;NQ@UyfkYSgPjRq^7AVNfm23bESb_B7Gm$_>!3ZTY-^VF+es~G(sZx6@2?NM z!X({o<00tt)b}Ed0Z;6FC9XaHzwLYNksc~?I-~#rH$`mIGGt+gQj^9`LL5LKtI98o z&{wJX=>`c`kOCZ8udZGXA2I!9pFeuc5m?*p*!fkb$E|N%Y(USh5V`G(h%1bSi%;`i;9-?o-(H^z?;{H^e%ii1qz z9}>{NO+K}!?ChGk|9O8XYo$tvhPxQ})#q(V&Xqwq;?hg+eT2Z`UIRM=ohVE=cOHG9 zu7cjn%fYS?F2JS#x5?)}ou67NI>n2-1KJO_IgS)BbmdM?>w6;$l>O>{`ng3z5L?g|I{ecN zrh4Pl-TGtEbK30!Jm*sXs}KKS_ZP0do!BmLanwo`=z=7q@7CI(tY5EAq^w#(-G|<& z!VWUDJLK$L-$WbawtDtRT8hc0>jUb4_Nv%O9WId-P=(6MfvPvNKxU2t*a;3Mu5l|s z+cw5e_a@|kk&0bNl+5*Ccc0?Qf3xX(*^W3}yrK=0or3FeXBFUUYuxGn4HHB;(ZSR! zWQy1dqJD;T%0r5#Ml(67(x!jkGXr0hNR=JY(BxI2zE%gPJA zR5nOXCcGpcgj>4(swCNu056k z`W9_yC6k5b5Mg=&Hwk!EN6}rSL8w!%(U0eDVU7Kw(cMOGZ3j-5+9_hgG#y1>tA{_0pk&A%*bs zM@KkP5RBAu>;5^R3#3h-?vSeLKwIvXJ9=iiko%^6@z}=z^#8E;mQhuA-`cRED4;Y* zcXxLzy1TnW=}r-(5tUR*q(eaoMMadUq5=wnB7%ydNE#TRg2lVv$Nhf4*BS3U&i{<( zeBEP?HRf-vwdb07U4Q4Db%}Ucc0{}^T_RqV4iPWQj)<3~4HE);(!oUw0u^n9={8ls zCja4+p-mr@yei;*zgiQ_*0z72@K=M#MW*hy6WTBpmlAm5Rx|pTR$!E~VUC<+zTaM= zFF>Y);y0Ey>S5#hGB3m16gVEk=jydu4T%ex{5nV7foo=VD_k}h`34MLb`Q1#i4{&x zo};eds99`LG3$r??b76$X7K%OTziGv-<3$0o=rIxii$;8uLgOzK)hq*YFU&g=(VeT zqjB{H6&j-ic@r1#=c(mB+7^ob=6_U)`64Z1zDSXnFH#}qi;Rf*B8h(;Zw(ip?SHyF z$>#u?I73z>bkm32a;Gcg@VZh_O*o-fMyj0iX@WrWM(*+MTc(ir@$y)ypANQt!_A-n zm6t}%eO{N`2)K>kpD~(^Ps*T9kAk00VKT7w{Yrw^tO6>|sgZd?E`^=X$E`0sO8V@X zvSf}PFZkbgzNG*(E}E1N>cc@ieX&7KBm{P{nXa#o(4hS6Ig8Zr6m0xMT>dPNvbu)d zcMOmc#~O85nL50B<^6?*Lm+Yk|tepZ98y7$T1O86InP5#*P8NmoM39gYna zzvwQEN2f2n6{YTRg9^IUjms9UFtPgh=I}{3R5eW3_qx>wdp~i{7gry>9SoBeElR-L zvYY9=i~)LaW68LkUj^QdC+Q@K$;0^E0jt`*hUi6X;>KpNG#s&Y+rInQcg?Y+k^@tk zHmK(=w+l(N4P51Jo*h@Wf;+il`%~(@QN>GP-PK@AcrY4yF=Jd0F)uRq>=fXHLXANC zj{DqDnf#7lNt&B5|Hhds*2M)R{00k1hzomvaP{vrXJpS2QH4UVA$Al&tF<-hqcJ@1S)fRC=0Z%-H6AnUrkjo@v9 z@crDjIrC{f2>bf!Alp|fG_7e$OJc2qy+0oMV>=HlMFJbwFDCkpXhfx``m2b`3Z-1o zGQ6;&i}uv{$otZTprPy>**$_$*!Zis_Y=4O6Ssc}cm3wR$`@?m2tDpP?vNrb2!#>* zZr#}~1sl?Qpdj#N?)9jT$1{WHFhW16&mr)rqcu1 zn<^5LcenxWJS?t0xcwV{*Eb`6uL|*dO^M&DP5fRp;`eF;?*8L`FRnc9ea7t{#@!!W zzC7IT{kP?DzZX}Yg!=dbkM?P3-~4U;;Cw3-4RYF=w_E}4p;iN%o3S8%jK8Kzg{)IZpfo!Id|LQ3YXT3UdyZXC9PSxxZg5uVk?=f^3re`(s9&V* z0=WE)fAtq2&ZmnI=hOL#^XYuV`E)trd^#&U&mZ+#s-{OAD=im8NE}ef`2%E*1bpw> zyggl?{P~dobeRZclmq(wr2FXo8;*d>A6nPLX?X6HHB6ULY*T)r3)3@a=x-j5LZ;uZ zCp*;WgYvj%b1ng2zwKQY*-U{2k=-syF5BP>e!XBM~Hwkb>_>hV&Q*Xe}|9vQoP$NV5dZ_vv;u@@)oUsluBX^ zS7I_#UcNI1QcXcIUMes2lQqDZ!rK^IpYm0!$)DlVny)G{8j|0~&(pcSw5gwHua@dx*8S zp;sSqbOay%eUBDhRrW-ht@=d%3q2zLMFf%mLYK&Yp-1Guup{zcm|*kW;QI5p@^a6a z);O*d!hqUhcT{~beAFW&ZA|V)Z*FWH*{e|m37HY(d=Z6EB>T{}(li_-ZK)rWi0nr~ zj=I~2SLD!5CYwLy_w1pH_VYn?Ra;p891wDEzX~ErW@*b9vw_W;5o@Z;k)S(vH)!{d zC?qtN+5SK?6n6GaO|;$&gMA4?FAr%XB15NRV^rq?iTE=HL_RWZA|Dwak&ld%$VbLY zjnO1#$S;=#b! z-NUBvx1MN4tS{>k>&wo>`mzhLzN|~EFB^dKfx0=qo4Uxs;rqGuMK45kz_54gtS#`3 zRwz#1nVX82B8AYA_qmtP6jAA9;G#--)04~p*iCBfO41Z4t(!u;vQF!zA>jnHfg?8*6U zYq8~kgp#WUhcio&ae8*%1*bD8*375DFXtF^=*VdJZxw)KHpABkdos~X^6Zsi-9mVO zT#ZM6xe&6%G*&+dwV>B5R(ppvGobBJ-b`+8I&3@d7i3nR4P8yi)#9P$P3cn(mn^90@?04qKy*o@?Kq-Ss+DMC&CL1r$H(6?`|F^#%VaY9 zszp$%#E{MODOIpOEdSwcj3H9wIGca_l_s$LmeVNOtqkG8PU&nH4N;-oQ6xd=%X%&y zq-I*E1NB)663s6opq|t|MA|VDKC(2~D&)H(k#CD^Qz#Nhh3D72e`KI@S@BI;$)(Wb z!%wlFD+`!clGo|nYSDa-arBAzX#{?zod=6HicrOaoV-+}9BjU}mD%dRBXWV@IuTRQ zrRe|yz0Wh6c7;P5|9Nc{gCr!>oTL6h#}$TO{T?^W3qrX4&$#$Yd?knGtiBQI#&Ovk zrKo1vs_WoA3jx1qGJhn3&qz?Ux>iYU#&9V6Io_6fg^(SQ`FaO z(L0+b<9i744g>EyR*O*^_-goUbvW4xjWJiniihi=byI8mO?4y0$q+DS-eUuw*YYN4 z2spDPai%Ua^!C6hoJ7TCYz`wyVqBkNJrM5v%bvVvZuep(8G-xDhnAbs*MJ>79ci_& zc8@9k%y1)Q8a{!j1EomQ-^w-MyAdK4;k@(N&j7tI?t9p@;sJ$H%xf2pdBWS4lb3fY z>7bG2b>^v?UWoo!z=@U&2MBI>Q2#X78|`>RUkeIdW z?xjK-z~yhnwO5?aQsi$5Gr$v{!ajdp8OSS5=&gQ926+o0Cwxy9_{<-&FY|opZ|MCq zP?}?e9?)7yh@RI5whtx|O7e!NCrqx-!%Y!n@4gp5E2#m;nySk_^4XwAO*?k)Vvana|6&l?H$hot!sWh!%!RX#W1))R5h zOOVxu;?id&&@4Q%^Ov|BsN`qaeI?*=?7#Tqabu(+NPy(q_m1-5{{_hSPB{E{}`Xg!{d?`FUJ^ zTWRL`$(zeYsBxUey;4UC_Ew%JTez%^D#c4LU3F82pq&fG5-+5{^^vV+`*RI!JXPH9 zb@uR7&PK=3y3MguuJy)1U29^+E))qP>e9mLgbh#^4h(%`R9!USdIO0 zzb2!OZk!R3c!7k0H&5pX>SP_FlF6$qw2LqAY$&2?@_S(bM z8zBvx!Hz(7dH0n|>n`Y7^?TMdVFx%oblY|gS_AtGhk|&O~6fPc(i|sYBxN;vaPUPTL<*DchKK0 zphebe=Z4D{3{d@d{c5vc252vB&^@CzO%Svpy&-;23431nFaF^_=a0KTc%d>>%^nPl zhQ5o768t-F=r!d{M6VgLD#Q<1L%rCaCf;Rh__3kKOMA>7`~AhW|G4-$xbOATPO{|O z$^ayfe^{}?DBe-|EKNE;5(cVdA8X7SGf^ zLjTmhw{e@=NP10y;6X zaqSQ8`nd5d?)tO3YL6tBYT@KnMUIB6Rq(FoC9}^`9sEj+iFIXd1U>HEPngfu0)^U? zXT{M0e|gF6t|wZ%6@FPPQ3=l6(A5>tRK<=5ou9fF zZ@iU&!XN1cq3Rk)cwc@k4T1kylq`+L&_xtxHp2INWosh(3BwSETlo0%xbfQf(@%`~ z?v9{W^)hYO6K_Db$!rG~s_@I0KP9(pEd_{(*|qU(R2o#G>gm7Fh`@;%1;y-O2ZS5% z&`jwce_!W;nj4qpF3efMA1b+5x*^_Z=j4vXdtc1pu0px}seWs4P3W32`)LKiyUxqs z_;nJM=bq_e{G0`!o{_RK-%bD>-jT@cPBRp}|MKIM>sb)!b^ppkbAM!Ha)ab*&vw`? zdV_w?h!8|YeLlBzj{&8MrqFyPC-h^xUe;AFexvzGC3RW%j|Rehua#mhbbC7aA+xpv z<@<($5Z42)h(C9oL42i(Ok2ni9-qnSvuQLVbWz)3c)XBvk_3^>O1JTzOo)^xY|D4}H_b z;jLPUg@cC#QdO0>D7K=5IM#O#F`J6O?tVs9&p;WtyyyPyEDw|@ z5cgArxSvAA{S?CP->Vx@5L0<*3@!PmREne-5qYrkASIgyntkg3T{c()_4XH~OKej> zTkE~wT5<^a$v;#V-fOYI!O5Gg#ZkIQ^6A4@kq=nGY^bUtHH`_Lg5MT;oOwE zD~#Cj5$^uu_AlZ3^SJ$5GA^5j_q3T%2+Km`LL?vDxOeM9YPAeHm8E#eNsu4*X8(!t z7UDrSYCO3re0Z_@H*nuy-2K7z4{`lHT>Fe0kKpQqYp>oq$|`Jn#Xx@N%G0g1Oi&m- z8EgJA2Z^T}U3&TEBpO%Cc%bK+18T8W*CaKvvGD_O<9+WvTWZwCA<&U(XC?pKAM$@v zWTk0EqGr3z(k~~{&>sqQ?zvw9g#Mu=y%p*pY<+O+-GAd3exTVi{m$UE38LUREAW_+ z2NG;a0@ccRK$ewj@@ax99CWI72zkK_xbt+l@e%I&xbnF11+F~q`-r>#hV?@UF=1g4 zKX&BF)mlCv`~F1BSIHX|@2PJ;H64rej%IsK-}Qj(^D4rW^G+Z>Dy8$|v@PnHi?^{k zqYkqM0)N&Y>w)WANreFeEA+0u|Bbz{7RZzJNw2DwXBDyKtM5gdgh=V5SQ=~D7EM{mU845YxQ37g z3C&@8Q$?6tlRP~)&HzWgZ+j=spa2<(;{zcZI$-nTicZQGO^7i$68C}52&^79Z7_A| zf}C^+S=%jbP&Hd~cKdb!yFP2fpONYRQ5Z^ff4O^va>JWl(Ut~GmPkB4-85{w1l$Se zQ5P-Z1H<)@hJz_0fLkBO?Z3kHe`qQgm>(z+-X%MovCAqPXz?XdJAHu!7*CikwD@qt z=x2^o8@j^C_;c5_>LDgy#G5BEr~s%vQ(Qd4^+mJv&EuUbTY}hlv$*{jxOjB9_6qm^g1i0~``nvWT6(Zz$LxA- zQ4@Ls&dX9;Xu(F(&P~n~T~J8$G^S94V-j=*@Bmm|Oyh$Qj zy}|OCFt3A$AB>2FE7o!a!K`9m;-%a~q{hEH(Q+{sJGoU-UgN>mA9p?u*Pq12iFYSTNmxMcyjO!2J{$FtG%NY;7U(>F!gN0whfX;COkL-?9s?nYZu{@Kf`r^w3 zBLbh#X9%zXAOB94l6Oql{F}J^#kluD+aN=TGnX(=+-vrOJVqTUox3LfoJ|&9@=QvV zNQlG!Pm|mS?9`FuYf1O(`9j$GR?$pa*O!^Y)se z1Fb83HT{uDYd&Cd{lzVmdY^RXmHIYhtvHdjUkxPRAe?~DuZ~Tlvk986*}Vn zxGTp?1q5qDj(3}yL-6T!&Ig|?p}IGb{jGvOs`$| zNK^?js0+W5ZG~d{leqr#U-^HIZ-aaPasA2vGJe)lJ zXv6}M^FpV>&igt*v-5VJ0=)*D>?zT1f3J((e}#L#6cyn+f(iMf?r6`N#vL}m9VGYu z_lgS|d=angmhX)G*`+m$;+deS7hfp4OMfcL*9+}U*kN?I&lq?QMqhkw$b*7B z()=e1bP>f^`JI|xQ;?r7EjJpnfUxDYG`m~Tz?478^LaW9Y933wZ7oH^#s#IYirGXc z*;3iw8x;x8;uN2E50)X^`-U68a>vu4}d0rN1jx<;b^%Mzs$43Qh=u3|gc&vSX z(rm7nqX{|g$Q4d~aF!foF*4xCt`FKjyeibk7ma4#6+YqAaE7B9-Zz6ABT+vWSL>w# zZz$DkkT=QnfC=C1(P<_x?EVVe`Vnrwz3T_bZk9)ZP(NdGt^PzjyfQAR?Ed7AqRl?d zC`X@w-bttdp0;<#mYi@d z@!Qt?iVy(a(Ql@FeNw1uEzEoL4<|fVy}FAmmJ8ezy`ECd_`--`VIZACx8t1_?N5 zH>_^ODg{5Z_D$Nxsi9l$u_^Dv1+eV{uKmHyKin0{sq?FlN9(6AoIWW|hmsyUE6#Bv zbnYoLgSLq#+;?=Ha+lqM40!GyQ5n|2-p?5=`OZW>AD|9&p3!VPjI87Kx{-yr+s-r)WHTr3pL`Bd+pWYq)ZC-N6OYqde! zyhSvR(Gr9?1vwK<{=fRZ2(i9zORVpU66^ay#QMHGvA!>Wt^eQqpbE)?mFn3Q1}M4W z$H~XPG+|!l=^s%pWgvTSn4&|+5RFPjTc6`lz+PWCvfG<)$OFy=E9JQB#iIJ%mdD=L zx`K#?DcDgO0&Pz9@d|%O^lgG!iMP)Odwtyh7j8eWD;KLj-6O&r+lCQ4x2`YBs9+E) z%Cm(%rYb!j7p$S?<8P|njJ{~-h!aJHuqh1l#!jl7atBdQag|d>aY&)>?$R%BJ5Z|p zwtl0`6?QcRh7W8xquPeopDVlYzxQuHHX-l$fBLZFKd_X_X_|BoP zVn8NjeEVgOEwYa7iP$zP4h`S0#!h__f&<@o3cfpJ2zsJIuexJJVBUXUYOJ{>a>*R{ zG@_vfY>NWP(5;Hb>ch@|tXG56F-P_6PpE-1yTs6}B02Vbz_sVN^0@hS-1~-GpTgB2 z*MC+hN!53|s*O~)xqmZX6NcQjW`{e6cO!}FdtSaA;_zdlkpGoE6S7kKe)MaDDD3aQ zwf!NF0o>VHb$e;)0GzttGq=ww0t_^5(zjD)p+l^r>+7=y=*-#;H`A*T*nGHc{)Yy6 zKWRaM)mBSsurAv2?>TE;t_kw&WDmT^6wuhiujMSf2rjHUMt#aQ!1m8^{dwH{Ev|os z>#ySWE8^C_aQlDU*M4&IYD@acb)Y6Y$5$zz7(jiGI_*P_>77b5&y zTN}qCu>EJHh1_%TzReKYEw_Uyu>d`t-gh&DuLX{#C?0y?R)mhnFy?I01Rz+c(fUw& z9?9g;HghM%fJlN(afd=Ma7`7e3FsYw`9rnOx3=dR2M(Vn9V#>3Zfo(}rB#R^FZ9?!0si6fV^*|muPTh!pf0*&9VHE&xHL8ATZt4BN;p;kK=atwU6==`pd_f8wmU@m2?5FbFbupu5O`*d`t!G7$lQt#P!iz zqZQU-c?GyM^7F&V3xv5xOuWrkC#BI@tT87|0WN)6@}3BwBVaej?yclBV$u`zxaRy4EBGJ+UkEfP#Z(SLITg8x$xYc z-|EMGzi|D-l`U@xuUF#m{X*4(xczrcR=PmHL`Eg_^K(PuM4bqnQCZghLc)e9`+oS> zmQ*1-cRk8eaXD1>ydc z6Z|rSKCql^(XLMr0S|e!kZZELe}ptMh^>*pH_Ei{43&vGbUu1?Y)Zue(Rj-Ye%vdJ zZ6982Bc)0&rh=z94y=R zdTzuXeM$-Zz<5Cg&ATjLKCgkG{`9RXbrm&`In)0;x>*etLMh}UY*k=Op-H1t-41#3 zyi_=*A`PWa#0OWhq~V0v&u(>bdFZ`-OyW1Q3{YrAttorULximQs)JG#dN=Syk;l^j zRy|q1{^&CU$Cze|VqI%^xbAv~Ps<4AY!W4^+N`1EdgQ=`)B1=l^Nvs5PHvdn=Tr6d zEFUmRl!`2C3c-goipkJDJn*z*&$)^-{Mh~ExcMvG_Zqi93RjJT_Vg{r>66 zBFKOm#a^2)DagXU9;vex%4_|+?d+aG`|$DbUuGwSZ=W(jGvWmsf%YQk?6mOhI0*@$ zw4kC-+LQv)i{wq>2b4gr=kB|k_-J&=*-G5o+!yRDv=)sN4k8|2L(5Ye0dOJEeBv}!IDCETtmv_c zV3)JK%I%d1*DgokT~zAOPqIeB+k3(673ZO zTu^u?@#8lo)W1wh$|hp~&P%He_beDdH(uqQaTqPAbtLV2bxIlG#-~BMtT$-=K571X z>05s&gby9hcYEb|NC&xFhAuUY5%6Qr#7#vLc&$gO7M)86v`_?lk~al`f5x1hE~PI+ z4g#WIi8@f}!Cg%!C33<%@`?JwF=l&tc(K33KE~1j+yB9xU&H;s3l^Q|oY3|~a~We) zK9si5V|z>Z?u&4wdT5_?g`yYaw=vA${^qXQ;Ht3s7K`(B}*K#i(v!zCnww2xf zBL`K7CK8W!63ziiDSoiqAx7t)5kn#}5KLz4u@EE+v!7$KLo;Qu?OWO)UD3hzjQ+d7 zGJ;B!?V#0uHj7c$3*j(ZhsB62SNUT&!Srnut60Yt8mp4rNL>*Hp1M( z@@~8R9y(eO%tLjl;FcM>JxW1=UaG^>ZK5&0PqiWJ@xb?POIt*~`K)pHm2s z?TbBch|52SyFWU*UgH9f(?P@E@8Y)f6cA{mFZ7pKt0tI#99gncr5MtV#&{=KHv>0w{R7R) zD=1++Dbbsz7NWM~>N9QAP=>Sd6moZTI}KT7>a|3~z)W8Vt_aQI!) z8j~iE*vI&?mdkcv+c(_)gvS+SBFlE=K*p1Z*kYhwg0&5^$x?dSly9T>l4Ge_VN7|I>}4V0mpr1{EsX{JQy#7Y4Mq4NXcb zp&#*%wdu-m@_M8#w_n(0Hi}b))_2&2K zOl4$#CdKgjC=Cdvow}Yvz&o&2{BC2zP75T3gf}Ou&YQ37>%ufNz_AY}f-Z(n{>CI`>F@dtatNC7whjJuz>^?ls<9oL`1?WgsNv~Cch zR)p&b>6f{jbI?G@S*|L*G}vzuYiuU$4_}_C(sz3KB3%KNpOLrYU{Tl2-bT?1+J^h2 z?{aw{8@>aX;`?;L!Sr4A?m=_VbDex_7Ga83nlg6AJraN>!%_ZlIYkI-r*6)a=Rt<$$BpB5!BD6%sNV_PX)g9>Ox(mSXxWVQ;!yyGx`u;u3Z? z&?Df6J?IqeZkw@%Y{Lm7IZ>RhkgJJhFyZO?J_;bgUZNHO_{?2tl5p{)^ zj+{1yCt+EKpKzMNu;z06aa(uP#C!DGk)tLsrFdo5m(~+%8WgCEpE^TZ?HV}!y z_T;$7fbGkBy*nYnZ_0O<)RDYQwNL6F2#vg|1n zxV0xCd4S3kIe%D^tZ1;pj=yl{cRtsLZkBndL;j$a)2_#=sIrt|R~m`V#7Xcj(udR+~1bCyxLHk$!u`-_FqZAOqzEjP<`djD4Z_VY;ofIle;fBc;Oc{GZ*lJfuKeGAS3jh2uH)q%dUK#WICN*Pr4#5~msnZR z_C`yud(t+8tqA>B8qXgn*uuiAM$fEgwury8m)Aqs71HR~7DuTAKyh&X`Ip3GB;dQl z`J1jg1dSDcm}l^Uvdg-ac?#iZ_2!NxqX+gt;qFjstmXrYRkvTfoI8M?Kcdn8R_6pp zLo-H~#@(Rb)AcfkcLvnNKRt8kLn0`CKgW_DoC%6T4*cYU^+>(l?ha{g5`>QR@EHC{ zf}X9T52pnjpa=!n_0*Ze`d8|FQwK-zv1YNj85@g!QLbIHw6TCXTAvrOPc4XiH2?g2 zD>7?xtfM1x+c;TfFBBo`=DA{l(ayQfZJ9k7AoO!r{L*Z_Z7` zzcnV}-|`aiZ@Gy0x6(xXTP|$AKed_*)umtbkpgPse?9B=T2<4BV8|Acyj6czFKV1;BvN{NJ`d?tQDZ<70Q9K8jev9=1z}B!jL<*UX8ZN08aeuRru`(qJT3 zGToN!5Ktzan7i@v5H@}YZawH0#i>CD5*biPK1uDNBo59KqH+Emwn+J03W>*0F(?@H z+HE~91zc8HiIE>gvFAx~`$hlC^T8xfOvr;{AJLBQ;ciEAqTRC9moH?vhmw`%BUeRf|!~+f8 z_&}OZI-+4YeJrU?7*^ZM-g_DF!oq@?z?$wp5W43hG)^iA$pHrCTRr=b63@i|MmZhy zf17>yzwLW*?cp1ij6jK1ebmS8zU_mABfPs3D{7_}PJjbkmN+u*2p=Rl_(lkGw9KXZ zWD39+nvIHLzAzQ%ug|P@n8O#oeP;@V zjlg+Qsy$vJ61`uucH<`ePSR?2^?a=nB;;fsS-oz7jdz55e{lPYaQ74Uy~bVtl#9!p z&e{=lq@wxat*%7)6WF~>r<;e;GKO9cv>bwMq<7wR`y7P841E{jhX=9!f82gf+gWBgM6d`SxnSIq7JCyRGue zj0a)4OzPKx<_s`>>T@kFAQ^D^ta16Ln(4W`P7S-Ea~qeHNy&ZD<=LsI=+9QLY_u71 zM8_He`>c}&r;I?5ZTIu>R098ddT;*ak9z3R0qgSJou=qcFYiv$CS~9o%EIbs;iVT_a)66hgRZ?=EHqSuD?5&n2g}HUiZ?xfdX_xc3fzeQ&M6O_yJ{+7fe^{}?DBe-|Bz)Sgm@bqMXQ8-la zOS}Wx*3p~2TI7hl>3;BgugXI89mlNqW+qVKSDSaW-W2k>D%pN<8e!+V{?>Enz?rrj!=E)84@)`wI^kqHZ-Duoi z{IV8V|FXAe)~rD3+sx#C?Wu$8c%xr(6M2aFiS9FrSFzxI)R#e=Bpv>E?b&$!LKUT^ zNJO_T#=)H(eKxUA4k1_YyZB+d9dxLOl-n{1urx7 zQ0w9M>tQ+w7at7w|03M6K>GR&8;lOEnZ2!LhBr04Gs8+G(XSxA9}goLK^1=MZhhiL zH>uuxEzIvD+J}GM-#e{1yI?^Z1rxt-mW&uhfL}93>-2gKT4MNdPg^$~Jq~*`qACyt zU&Q9E0)3L;Z@=F^=Xb{KFCu@4vq8PJW-YPX0U z2Ciy985aE}gzHb@e(!_P$cq`{dWdV;oNQes??-6(Y8dttxWn0aufGqH@qntL z#mIes=f=YJVD!V}VM}zlF6gKfX734612KK)h^*~;;AN#laqp@U3bNd%M80N&7<^;j z+sZN!aHdXvI@}!x_piFA+$&B;REM6iY$+zd1zob(u@Ns|y(#SC@+}Yq?>D3g?MT8t zFWmPXcitIyUK`in#^o2oi;Ls=<$EnW`|N4p{ai(JIE?LgLH2 zzt5T0L3D|NaXf832$RQu12;!_cJ|7NRCzD-{>eCX$O8-TCZVg0cd&=Zn)9KT%Y9Ky zbc>dhqBY>+UH_f85`YkkXFVbp_`!j4$HRq6V?+ui;4aSx6}ij-RhIkG+v`ej|rUr4Ao^)^7y!zdib>ZyTc5gFVMto*IFt&LSU` znirBt>g{~OVFfn7?pq+l_}oHc<59uH1PmKeX>;^XMZATkQNNZanyJ$Je;_ ztrk@<@yQYRw^Q~mh*U{K9LZ2U$*2ZovPS%{PE`kIi>-CqIde3hf9uv#rv^5@C9Xb9 zyMCEp+#`2^O_%=xYcqh1@4V+@@hQKhc^yyqI4mr_A^T()z|1?YB=jm3;~BA%&3RF!BYce?U?iBU;d+sYyWZQe{tunaPc(kY;-Db zSlgg9b;G7zs!r&b&uL%3LVW_R^Q-se-}Rxpb*)?XGy>_1{ade7wV`y(3|VSx!j!e6 zsrI5iI`;Jd|8k-_ygMj=%Qr&sh+Zf5a^OhEEL(scyeo(Ma92gsT77z3aK)+1kE^Pw; zM`YDeyNn45=%!p#jBXQx7=!P*p^8>$(2!}yLD&nbo`{dDXE*@sZT+F+4c?Hgv4c+j zf){N4aCK{qaR#Pn+0Ql{nW#~Nl~-3=0>0RB&^=)hf{#hZHl;5}LV9On*ex+@B(rC5 z-n2s$SmM_6^2!CU?=!ByhkJi;--|x`kL|L|x$vgqek!SwJi2;tJCmQfAF$@or1^AZ zg4d2JQzMfE#Ft#cL++iAwr8S2T7BmGPOLfu_+yvJr?;+jT8}Z{m4E9 z&&EUNpVMW9?M2x395>&Hn@_;a|KP@J1M?TBsy_Ka|L^POQkJPuP^0CY_c{Zp+4#Mq zTAI;5rp7HNmcuY!9TpqLT@1MW)wuQ$_rBrgE1sUK;**fEBFw`l39@F101ZjB3~6)PJe47Rj>6?^)m5&hRQ5l8m&qd#x< z#6Rg2hVq;6J!HQ);w70Hizybu=Fj~bKmK#P=*eYm`P45hz_YZ@%->oAl1JWU3UD<; zp2554{f3uNc3AF&QbZHDpWEY^^s@os;{RV0bN&_|k@$|O zOOcDxAj8zbL=$KX3pVxwD#o(dd`!6d;L1<(`5UG%se+98xqR1JN2JI#Id5F33U5x` z5mF)Wn=;;aeU!H@3pU>vXzHSr{^Rt={a!v_sYZ!I>ZtDC&y^Bi0?z^~e@5qbO=Ma> zyB5(T3)ZI_1+RmkXm2jXPqXj8`NXkU|%4v4~O~_C#cKQQV{* zHXx|OECN1`KwB;LjP11D|M>mKJ+IkwA}`O_SVLhb&3e>`Fq)B7eRRCe1C>UfOBAbj zMoaHz-0p_BK+{PT?MJ-$`}5Zx{&Rk0$=+LD5ih;ah?UdQq043z-m__91{0;s7SXNB<&=ak% ztUP=o@c2{p&&3rnq#q&e#dMF4SpSkI*1yz<^)F#!{Y!*c|KcUqzxV(*->w#v9X5%6N*qxkSKkx?8F_`tpGO5Cv*cG&l8GeneQ+r_z^I3C^})4o zN)Dx`h6hy9-hIaR8*<+EOZeMS1WX7)hGOe;dPO-9tq(tEyd{m2RP7~>wMk&tzXI}i zEE!(%1F_hr*N?ungOhP{iaQ$O(9(oN#NI3WktVg&_5HEIU}yXJ?woN5cK+G2Mq8in zrw;_WZfDf!w}1+PzJmJ32vjD)py>L-3FQul@&Ea>*gtctpJ#T+8*uX#pQ7vk?7CS9 z?tO3gIN#>OS6Q2;o`C2_LGFC zFoc%z6afYOruY?)V(3s~S)HIdiEi1j)fTIEqOLW4<@tzG=sLr&`ucDkab8RYq)Hm^ zzZDRI!T5~Ufh`4yh}pIAY*ZRlqU!0t&xpW@83o1cUrkYS0 zbu!v!n>K9B$LnSicw9CXv=6P3YrzED;2|*7#paLuYd`-v-tQ6a0iz-|LfuJ&k;O95 z3Y8tUIh#+d2aG2WPu?eOa1tkzd;8WJG2{obopI8_#uLVkXIC5fIMcrKgZEb*<6i;% z&{%ViZN%RMRVWK{wJY-gxA!7d`B?!l_G*1Dna_)zf56RGJRcyRjqle6$*KQ`y*H2M zI{N-bh02hGjG5YjDVZ}Y>84|>2Guf@%*&09&S4r z{QbviE!P3EH_x=oOh>H(@LQnHy4{I=5(4}R& zB^rhzJT+>7+YOW|XSYoII0DO$ZrYzG9ifgfl>O5VNAUZidf7)SA5Qm%svcPiLFAgN z3iT(m!Hq`GvDf?<2oZ#?e&mip7jgwT?On1F?)v|KlYjF3@fq2{wQf_Yju)>Omb*J& zUbR@_-U1_&9!zf{mb%FZy?Yk#taO`SzIxAriXSDpRz0i_7Y7Qu?`+mqBEWWEO|6h=dH-c;Y&>e;42!5@y=XMje#W0>%?>$zvo>eoafAFt z1)le*9xzP4|A2n9GprF<2vaW|Ao%Nn;08Sv*vxT^IV3?334gmQ-$kwhIVTeO?A?@L zu!Gm)+i`sq)nG9zcUlSCAL91I+%Za}a}jcd`gVz@OW776D?J%{xWFEY9;C?(^2H-s z$10mGuWZ4)DJAppbt~A&C(A*UoS$Z)njG59`gpy$Rtomp-`B9_kbzZgmS=Wx>gc9> z?19;EA+YDz^y81d4`O%KOJ96xLF6Z)xcfyCq3aIY_x@J0fjge+52lZspuVi;qfK=7 zAf4{yp}toK*b}01S1&5SOkv9O1!CR1Q;s4wi^U81aY@{C7g7bCzVn-%M3qSLawK^H zlDq^--kKyYMv@o8mdC9x;QAlj_kxVF73JIGJaAyzSJ>w)H}q9^vR6^Cg1%M0q=Bh6 z`gTBWfk}QB_$YVyYnU>@2LGK5iT_TW#D6DG;=fZM@!#o?`0s?U`$KT!A6)q-LbQj$ zRT}~cwxWzHs$iQlJkm$xpG*28kwI0L~;S4Ml<3ZU@XOU{bclc3&FaEZaW3kBb;IAG40hwc?ci=5Iu z4DC7}xXiv6A!)X~wsu=mL1W3^I>+`foO1cK_Tf_+HvX+J%6$mOT|q}6CDxS~_rG7V zx!^VC12e~K^`%n+K`q(N<}#75&S+ds@-Vd>;L79rhjSJjJHMBxL79!`e#$8>xV`4j z7!yC10P;5-@CID9J!;8#AOgj?|owYWMADkGa!bXDytuTV;6+JUQRxy zI|9(kL7By=tAO6M@0Fap%z-Wc*yMN1saMuu_>AWnq0|f*DDU5l&DH^T-EEE@v^G%s zvSMo>n8D+*!B8u@2!#8+xaSvF9@n4PU!YnDVaSHtgq#aMz4DOBq{0Esz!Z2gPx(ZV zXn!v+TXx5c7b2)Gxua!~2GKHw;3lAe>X=SOH0;08{X)E+)hqF1cZj(~Q@pe+G^wX% ztvIScO%Z)~?tTJt=MjltUJryVys?4%(i2d@Ek`G1-)Q*LQ7HM1+#eQhEPD2>;FAoC2qc=#Pn&!J#8O!bYV_`huj=Qxrc5%Uvxu`lhTv-ylkK~ ztnMs}iWNwp*8UGIGFcUoH%$$1V%E$Ik#L<1cGShf$Ae#^;(7pmC(nYj1SfT2A3o3p0qz%8k7{V)8$Bs9RzStl6G zwttZ{ppHY2u5s5D&AOvYfsE--zXxOY^We^h;`+ml|MmCzvBOUatU6k~(XHaPXY@&i z@W8iiC$pO!)Ed2|7Q8{M<2~y6c#XjvMsJh7Sn0C^-2Exa^LytVYK~ed#!gTjQH7FJ z^O3I~%uv-uro!KJI^b5!b&g+M9bCSr1eWvZ05fk%P4<`(+(^6G*6pSTTqY%*Jkx>5 zwbzGcQ=SpL`JJr`CH^pdzt|5`c@~!j2SINf$`DK$(Fa`;O%V6lEZ3^Sj6M% z&aDc9-v`dNaU)trJR7E1#_Z{y16t+L~Ja;3U))Bd9{!m#@l7)t;Iq6r)3J}aQ z#~7g^4d3Qw?3<$Gp^>WCb)-WEW=#{WU!Ky3Zw5K`N$Gt`5$@nOb>fLXk)(e@8<<@=P@_<*$qkG%S-xR0n+z!lfIXq^u0v9@t28Q zY;rZg|2z1_)rZ~4h>|+vX<7rkincHwV7fr$-)n&E**e%wU&T5!*n)85lYz%#bSiH> zK`QgxUB3V~SUXIJ969X|wf1adD`|=FPIj%rD$obEK318ixpWk<(g={>>@-J_HFkX~ zcXUzyRQ#KRKM0`V!%nklSP^tIO?f%Ebb;yK=m0mn611>Qy(|s1K$`5w^a)8Oa8$^a z>3FUr#QUu6Sovguo+$7}e&RL&7wLQK#)g8}{(NQ2_V&*;?vPjaI?krk7jh@tMafbF zAY0y==6FIL3TybD-L%6WRDIi0z8{arwtug!>nnezq`>;oANT8W8mOm1OzJff1@gAU zD+&ZL;4QuH^jKOAJvBeNyXTVxDSyI8%AfF&@+VxR{0R>!ee z@Ewt?zo7#Sb9+kPezHa_yQPfD$cc56t2~#&>$Kqb7{jnpxefXx9d`F#iz+t1&##Fu z;RzhRsJ$}xh*+fwG#0)wJjmq;O+Vj`%U|(FelwBM#;sPczKy-hM9~2|pODe8i{WTs zK0Hn|Prm*k11|rT3|`95f+0Ibj)mDv=tIki1>e#vNUNs~w_YtH`jHE@+MH*Gyx4G-4ocAQnp zhBLz#)GXajgF6}7EtVBecwMn1HTzBpsWNqJesJCuMIPDh*{S1zei~JUihuwzrqf*B zWwRSL{3r2U`#5VR{hpOFfY0zu<@c9{Jb*Yh%9NkThR!N}8|NC(YOE zljiFkNb~jT*zpGLefqDz_do0Z-|vzC_5Fg2xA3p`)2Ua6T2q!AUS2{6^m?un>CiYKK0?)O6S)LpXPrn(2;{~-@3`ylOX>R_l~am(^rhZq4W$E3wRf76 z{}G^7&^#J4MVtf4d9m#rPZ63Z@4Osv<_NYv|9U@h*T=Jh_Qgc_v( zxctnKg#i01D2oLz=%c4I=7)q52>-|5@Bgv?|JeWkZ2$k=>;acQ_h0LeTVK|v*!j%z ztTM2j-OAc5XNX?+d@yMeRE5t&iMojriZJvx*t%+)5qce)u)I-Q;c zz4%|-18#i^H-CjIkNZBtT^|>(O!VeCmdeu%z(3ah#y_40-rfEb`7nb4yd)V`3Xd?r z$Z_hnmZELo5_qqojD~=4^}+q#xz0zU&r*`W{NPl+M%FQSyDs1`|EduBW%s4_Rg|HL zhVU(=N6O&R%cg?|nJQ2gPp%_*f*o-Ay!5NQBnJ=O6-N~=+dz@{BhyL2Fm$g$Oz<~_ zC~&BkJ*HJ4;vLDRZh!911r$}X^H=`pqcG2k`P|>y5UC%-AGKEvO!nR$_t|QIdduom zZDfh_>Hni%{P+3)|H%J;dtc+`^Ec{)R_Gx8PZ~cWUtD3f%d~-nIB@AnXk{XCI2MpV zz0xZLG5RiiAK4`S+t~wde+#aC;`aODu8*t#M*le?^`D!O`pg1gnCy)Cdt$VQ~o#Ussfawlp9JFsUdFxixA2i8^gYv5;>H8G-@DPDAOP8OtCFK0ypZp7W7zz&KH`rz z44RYSf$>{aG34z0FgE7Ocl#X=36K5n|=`C zzxlGlL!qzDsY1IzK#-EXXoi)vJ`+iw9VC4eN&3)}^kF3FL;qjIhyQ#1H}>b>>4UpJ z|5_fmU*%ux^Ix;)zyDvj`v2GL;qUeNudPo(Ixl3T^CCz(FYDbK=a-yxUe>$+_4>GY zbh!CUT>sy7$~%_ba1SuO%c`zQ42!+H9C3LL|5$cR}&X+aYbVq*EV0#lQx0cPyWUJ8;6?9D$+JUpTP&6vpp< z*dm?f20}dDW_*RF&{-$6bS5nc?ce{9E!8IsH9Ba$rg$0w-!5?PIpi7yIa>|q+Kqyd z>pc@C5mkS*^HG0A@=JF(Qt;%XScn09ifiZymT-m+)A{Vr7A}B`2fNnO)7Y}d3ptt! z?EU0niw09CsOW}mLBzjGM^u*sWnW*+@A_#DC5`v5PC8p*&tu}ohjvqE_nwh3MGSA{ zfzr|j5rQNP3c(Y6-yjf-v-Yg^Fu8&(!$6X&6Zx;7^apiIK!Ij75H^f~(-6@CdlHM-xWP9{I zdXWWq;y5C9sA!?##`h!1Vl2RmY|uEoIhfH(0kXU<)%msU!0xBrc)$ETzXPuQ;J%MumE?R1RWm_%{3s^% zPih01SGbsc@h*0H)Qa|fx?`k!#Sr>a zcl(A!Si__SmnDI|I){LJMxu8cH+BQw`l1k&A5z@^9v%M3HX&Hv-tGj2WyH{bYhATwSu&Id#ye&x(P zcLCe*omS`L(vU=}mCG}4AE;yw|G1v+0Rk^2qE~);Lo&lzXGS?`xOG;J;`9(d96i@~ z-$zCkj4ujVoRO7;z7OknDiuXxd`}GT(L#39k%vZkXxYhx` zOm0(n8LQkfy($EkjooV(Zwo+Lt00@4w;|G1$d@c*762mLu1I3JAW(dM7&yHm2)w__ zZFV)L!#KfFfFdvfg3r%elzm8pL-(6^YZ#ZJxn&1ejfq2`b9k^)PaqLhH_5)6l@f%l z>(`3ZvpAvhiQHXLQ30T9yxg26E(oa%h4G=i1_*Z^R(;LO?^sbDh%!XA zWOZgBdrxztMuIoWZkZ(SHP3=A)J~6GCyya>T47~jtu)ZMY#qiIsRkDx7&Cn6|%sKP~Qi5V!vpH(tW^x48E&Zai=~ zd98g$*#;d8m)_GyoLk%-n16hR`!Y54T^TVl^=;qE7{ zzrw92PUxs>=Nf4vmZ=iHZ(@3|e&n{a9C1F)!)S!nTM*7o^?A(S6mqaZWy#jIJ=`xNZ%W5p+w}53~8*Y zQ-LI!?L`;gC}Hm>hcpWV%kBWg@~D05c1b;$+Vf@Hky#f`(yY60PSgk0WuG-_azz-V z*zOWor;EKl?)T#Q!`Byvt~r>9q205{X!#rwf9mXq1aC`YH1V`Wk@vI&h>J=#_Q*?v zynwQgvkr0IHI3+sm~j zlh4m}ODFf*dWlG)JB+>eg&Yu!*P8bj^P3{3$eFn`J3X}9h34#^Z`$CTdQxbRQX6~y zr0B4i`BVuQke@tZAnJp{X$~y}zHo%N=kB+fh3r9s-}F7&h)>$_|n3K|q_21Yr-pnc?L!Q{~d)Mt9zyk{^3JD$PyC%FFMUJ305 ziOX4V_Q;7k@6%x*MJE0Hd>=xzJT|8ZI*CZ@&sB>~RxhxZjoDkio`5)}GstZoM4@Lk zZ>dKtz2J=(%j57#YxvYxZ1pBJ7Ja%K_U^W(J4D^vzJoq)FZTE1+9!KVPQC?k-amZk zeXBQ`+mDxWyUH zr=3JVMR)E+^A0PabHevM0(1mHrgt+%r=BPY&y$aY=gCUK^AsZCdGeC*JlRQjo`wi_ zKKdFVq-=YXCzRYK+s@eU0vD1>B)uXcQSuRg`BznY(aTd;9zJYwhX+S2Pl$KoGd9OUlu~Ce<(}0P7!wg zr$O+=zMI3D=s*YI|52PS_pV+f#IRRPK9qzceXAj)AI=S~rZv^1>|KR>F-1x9&*f8NJ zbuOGaW4P-sUjb_86zHRJ$b_z!%$au?^Wi4@EXTI6a%AjQMB@8>z1g9h)Z zmnmC}A$WLq$=wJGBvhkL^UlWy2`C>jX8djjNf&FKnG8&@{SR(@i2J>`@&{-h1l>6( z0FPmUY!;o1+b z{_@mV${idg5! z3h?ois!#@GSYIo$O%p`-U6moTQbV`i-Tauwt_f7HukU;Kh=5AoH{4Xr(?`srDLmzm zbwR|5a@P72o6XQ+W`oYwu7ZG-JGV_qYj4xbY#PQ{Ns&gx!Oe&pN`zwucO}MIp#wxH0S7DPa)c z7jZswKoHKBZeDCkF+znwD#yH!3P6mG_m&1fAyD`c(WV$Jg#BLNw;9YxdPu~R-CsRY zdcYSoEzPrYh1mg{Xy`$c$2P$B^We1|oxaHMk#K0~L2GP25#0RqI+@7>8EbjSKTp-e zmn#LCkL{0pZrXud_ZcQ#QBfe`2K~%%^pk_+{+%L23O4`TKm6DH;orXpasA2CLywir zs_yQ#>30ep`IhMRrv>dA6K$Ye;bA_QtqG^5EP(qv1jMVDy-`zFiiHR9hl)&BbrS^d(CFt!_ePFV86R5W&ZkebQMY!@Ce7?I; znnh{k&2(cBX*h8EVxSo)1w1pq$6yKvX4bt5FYiV%3>TQ!md#20*MI+>YL=p5v)3vD zbN%v#Vxu6i{5EuG2TKWvTF~EbVsZf%!8vU&z8KV2d8=^K&MJg^-f``}W~r~^jgTQM ze(yEw3f6(h01FB(Ed_Wft*`syoFU{rG>(1yM;Byo+*qae4M4c|lirqhBi?fdYD}?X z{&89eSZRyowkk6r;iF#bA6!I%V(in-&OR;_cr3c@6qg9{UDamN9#%lxE*A1TF7iR? z!xLv2ofOdGSGKSxHGH7#7bL9Zz)!RGn*} z^g($jk%~fxUZ_Hb^z*E>W13(?7*XQbZ;7mo?_L@cLfG*SuKu|4xcM>M_33&-kLJz0 zLUpCc?C6poa$_}f$PRM?^AiO{1NBybC|*uCJ_$mcMuS?+cGiH)Cywj?&94pUSE4#} zx%TYyIKjlByf&t#LM+$ zp=!#i*R_Jta3G%FFQ6*}S^R3R+W9yZa>}m#{Q5KQpUdO!5AJ&h_rAlu-*M$P_@Hgj zz4ha_+C;VC>Zuq$>M=W%nX>hZ(~ve$*Q~crU($ixZ(N)={dBSOC%E-uTzoLMZBMuq zc0@qmtc)(ME&#>C=W@VyRGF;CNS4F&Z1s z6ZihwmFFCg?VABx>_*nQ7b1W!;#`?XL_RVk-@fZZZVLJ~KNrp$772vj*&i*>;y~?g z@p6*63YdO2v_C4M2z3=~>H<7&s6<}rb?Yw$(EGI(<#B}o1McVOY%~?%a;#F)&lx+A zJ3%qw-eCoMVy!*<iQb3ySXvDondE`PAS9<$20>S zTKajRJZVNyS(X==2DmdNF7g1mpy7KY!h_9sj2o{;s$}kIs?dRt%giMooYc^=@J+*e ziwI8mh&8@1MG&B@qr*q+7orG%_(ZEf8-fCk{c3bq0IGwL4=ds&K+*cgKu?hqV%a?s z@_HY!~={qD33n6=*0q~})zT)uDI{68+9=ZaK{pj3i3`mvUEeqe_#c*f6*?%t<^ zZvUaUT9#@EGcYQ4oly_&ydk&!9ixjKpX0tSaP1BEy@1;iZ90y!|aN`r)_;7leup{wh z7?Aifj7WSL`16Li_JAwD&3`6C5XlJn@bXofQ6eA?Ijgi#fqr3xG~IbesP5`ldD zq#8W&tQf4%SH;Hj$E}aFjOnC)Z?=NW<+*~1Vl!|Uc_DVt${wCdG-y>^FokMq`#*a! zEFje53StP0M!4}UuK&cfAKd!&%@V@Wl7JCBuL#L@d!_?(52B7gRJ2B4A64`{3(*Cd zrtFalV*lfxsU14*pDRY}*k5c$cr?Yfs} zBMT1S$=RE2iT#zB`4-&x9NS-E@^`T4ubQ7x;gk~o%>DDb-++!9B17zs&y=C3S| zfX79WDHPJqXj55uM{L3#Sh=b+_DoR;7AQO))|X1dJ%;nDLw}SYjn%?DzF8h7t*oN5 zGUb3rk&mlj+8G-U{KtNY)A9D65P5i?^ti7bj5euW`S~dj1y{<(e4`ISVkJr*Pxm{+ zu6BV=kx4V`{0Z*=!u9`U!XLhK1ZlvOfH0GPqym(bha``jRfp=HoEwxyZs=H0zbel% z0p2c7wpl-s$L>!yePVSssMZo4e(`799Ro!uSuZ)`c-jcecbrH&lcoZa$7H;sJgiZ+ z`_qd@yi@^KzLc>4L!h}GvOa%)mqWGzXs2G~{uE}5wr4BH7wYK3uGkxerb>F?oj0KK zV@L-(9&Y)vb2Mft2Qus5+8!J|hGAvxG9XlcE-6h~}ay)o>jVh~-?YoVa@QtL_M?n_2>BG~H} zi_HoJ9w2}upOV$ZVg>ZV;LL-$Xn7cW;>Fe~qy&n_ZT_vqd7fK+1EO`N^4RYe-1|ks zWG-3ugB9pr;bo`)5`h-X<5^TyEg0Hy<4Rwbe-h&X0zz?HtrX%&DURR#6IoJCB3wuY@^lX*#|t zgVwQZ%3qQSpqi6z|AV-{L6=vb)@(XL8i)U z4Jq^s-080}K%y!8?j?nE6xj9nMXb9mD%-9)VRI-QPX4SY*`DtTdWUNs3Ei`YON}-2 z+C=_Nw>iD>@*j@SF*cw(yW0tL_{fY7IJjWf7jWaTz&&xZ4Mp;BlKmj9f|Lp(6Ml1W za||c?9Cb3)JxK;abXG+k+*CqYscjKA66Hwt^Y{D(*!M3}WV*M)4xr2K(vF>F0Lgy3 z=qoWwh)2cv<-{^AG?2ATiC<*`w=1TR?R)95^8>i=JKTKW5|5(rf%ih-=pZ-2nZ*zK z==|7(oCv%yA-n&`#vD~IKW&S)5rph#Ocm$f;rHXc_wld!MpX-LN>9a2b5B9K8|9RP zb`_*G3W=$Bo`d3;rn!8YDhQ2p&SCo82kL<#`C!LkNds2?^)dSaqaWJoBYnZ`*IGp zZvr=sSgPXC-`&g7COxqR+mSF^4lNx88GJ5Ub?C4sgT$Q7KhJBK5bplq%H#eowU9^k zwHoH1bc+X)3=tbTu*`jINw@03n@C24>@8-L;`B*vQ^57*{O+7z+#X}I~Q?vL$X zm0i^kI>uVl`^g6NKT?|Ei`0eAuYBLKm~_CaW8KA%g$aF~NYD)4sR4t_zvVm@%pt_Z zG0$UA6wC|e<(rM1;VB0t`{Y(cx<(?l9fsn)=XC)AU^cA$*bS1occZI(N^3pTjc( z%;&F?r3dbTj=BdgoC@|MTzpjA`yJOlarMEK$30)T^0@Z}?*8D~1Fk%7Jr}nh0QY-w z6DlzcV5lfwA@LWa!IE5Db`p+`GP9bmekSV{0&5LEpt^wFmb!|tEN%~#{{SN?o! zb%9D*34Lz16WAGR4+RtRTpE;)5ZXG!@@$Sc-#7dGi_j((=x@8%AEgt9o(Rz%23Kte zB-n~FuBd`-&hSXziVsTqBIMnFQVYz#Z(4fduMUyZte4Ig>tOqT-1Twgy(!Pn^Lp8# zrw;UXPi%}(@8Jd`HYZz@agS^nh&-)^LGka029)4%M3v%&6?g3ag*(rM`<}u*U%34b z&he2ehPw#B@qEC38uL7jLsmdJiK(9=}0(;y}6-=AR1y@KmLh*8VOCdDJ-W{O0eVkE35@hoj0`M zahuSun6rxTqa~*9`nn0C8ob1KMc5Rv=0>cBwkbf8rp9?nasntk*BG(c9fypSA7w-- z_yGf*%8iL$f7rIoVEkQGFuG9MJ)5iV53!Nf{)Q(HhmXuyo}uny8bMkS`~sf(f$JJqw|6d{q$ z&8WUY7Uo_5#2i(U1J&EFj_0yULzKZDC6;O)Wb!ta^N5c%Fdpx{zrbsQF2*=&{d#W$ z>kgJ)iQ(3;gZx9auY)%-$TGQ;{6hk$L`-gvx7#6`*!BprHs1&*7!ziv(K1`31BTQwH`0mhwO&9r#YZqp6vQD{pyAiTcWMWth>oruW>e49S(( z?JZJMkeJ`TwwTsEaN|UB=H3_kQS+kio5FXY(0VUtFDvU_NTD{edCn0Idxo=Ucog>m zcB z0hBZRb`_1wAe*Gb6#f!rm@*51;v#GG{o>A$k%I*6en{N@fmH(!<$B^=z4l{`kQf;R z*FPV6Rm|dpg0AJB<5nc@Q=p@G?DLiGA@Xwzm4$lPe4w~^JGkc;H~(PhSrAjRTN0Ql zO)71kh{AS-r)jlBKD5VmWpP=rg`kQ4$a8aQUF2LwsU18=%qt$Jt?m6F4|L8i87Gg* zg2%pG=bM}45u04xcW)6XPz#}s3)p6iVtKcaDSwc`#!ECA9POq{)PZ%!k00p7)gdq& zmW*4C(3modPV*mYB3^pU)aJdK@PtvDtAt4#YPE&sf(?{W*-8*^(u@t-KR&QIcuE<5 z92j2zeoz@6GN&{x^~-}soMIOHtRm^W?0^kCfgP}cC!j>a6QG3+JOKvSz!RXuK3};1 z3s)Z3o^kQ7aQmNe`yp}fUtIlh<@+-0)iutVpwRV2nyXIMC@X%-Mmj?qj-H_|j*!xU zkn{P?)O6a!{C3j}nV1&f>c8*E*}!MVvmj#2P~GCy6m%}PZS;gkG^+KcsxQ$YLv-fhKO#PF( zXFu{_`&*;rYKgl#9v~MhS+AoMhXRf)&#n;hPNS^tTl}Ql;6`N3h)TK(+VuVcpVLnt zc*W~HzKhWsq-AG?qt5FvOb(UWE6x(Kc4fboiKov969OmzOUW5_Kz#? ztT!*kwHEfI$dc%~JCv1Ts=dJa2TRU*$d#l)g$ph`Wdi9fss~vPrahKWASdrqr zzn@2DYcv0`ci9-e9{)3W)z2Oww@=z8AN7F|QEnMOXaM^S?WL4-91&UE-S)CsUHF)+ zdFs&%VR)D8eqSH3+nlJJyF1O3n{nVc}Vrl5K=#XbvI7oMSJxwlJ7nvi8^dgR*y4l!|`%8)k`#y zAY@q4EmRx{Ij5^U*G!@ycXev=K7AMjQ46%b6hDscWKkN`ri24-y$RR;`R)on;A~a~ zaXU|nvE6czIzDith(iZiw(X?t7gdDGsPH3o-1?|M`%#o!%Il zsG4i@9~%Sxur@Sw4+t|5@fh!Kj=AZ1R2yjG z->Mf9bYN&kc8`dwI(%Y9++u4!NSkd`SN5zXwtNdc{Z{LT3cz%**m_t`7qZCoex2hd z_K~R99U3Lm25V7rAD+wJNalxxjCqze;O-A@e6sPqvZU{oC4H|P>3bze-)l?yUMXyS zHsTXSbhng=`|L3;X#cTY^2K>USe%j8(7P`M;V*y9Ycr}K#ScdV^`-gYMU%7{nN|?o ze&NVR|0W7;DZXWXpV=P@YAc7+_q#zl=bcCF&cu6mdRwH6k2`jJ(s@#Ij}Z}{tlye- z`Yf_T%8Gqg1wy=0?vy_Z46GZAk$U3K_OxH^NtM9Y)SFJ-_PUY)?0Dkv$*w(Xm3@OFK^_5IzqhVN3Q~? z2-XM>PSK-b`GBU~{IZZTrkioU$r^2UTh3%ZEr*R)hFf32wFg}Mga!s->4%qW;07g^ z&F6l7STkf!IoD$b*O|sU-0p^>?>ECcB@&FFp+`?oNXwKs@1?wT_>wn>Uy03a=Ws@@ ze0m@5e%^z4WB9maoxS1rzAN8GXIxNcO~d;WGTtP76&Vu$kvfV0NS?%hq(I_7(joC5 z36cB>KPjKUOUftklky2%q$S|N zizr&8eQmZyLkSVS72MW4tpq`h!EE-a3cy#etnM}<2})vDwuLlkA>8*4?))b1`m62% z+P|;s0QcqJjgeo}KsVrL*QyvL994C3xUZ)J9b06@AG&J*3VJl|9OjL1`;Bqm`y2ZI zy}jY)$BtdU#c49Y42RO3Uv7?J0`^^uT6XmO=!*YduZi^?uu4W1`hAlSN;RJs3p>h) zZO^#+#-!CoB=ReajC;_u>g6p;rJ#^oB_W223Wg`CRdV+PC0vtBiFrs^Ag!nwn zPA(8};BficR!xV`Mu+QxuIjN2+E8_nFmQ=T-=q&-*19wgt}3GtD;8zy@3v^CZ|tm{ z{7&ro5#0UR;A@~E@ioYi_!_p5_!_84d<_C5z6LT9p2`2Y^1F0f#zz93;cb-CRjp`m z)ZAq8I8wj?-alp@cRu0>1o9yJgN*^`;-*`!Da85*Zv2LuZ^X4v+;}6n$M(?ooFFin z^E22S6ab&U%6}MLiUl{%tuKRe&5>Vy@~!V=e(2!-tzN%P4k49KSp|M(MqoC+y*bWU z4#ZSi3K^Ny;MME!mELuI$mJ2O&TaHUX@*qa11GrmBG%RwA>igJ8;DgwHex}>^n?_ z76sLJxD^tJ{qd_WtgYmrwsY2?zflnuRwf9(U*!Oo58@T4_vsdgJ!l=GnHJ=&A?-s? z-O*M|}+5v2tT2)p&bj4^AP__|4^($CW5=tw^$uJ-WPeH1(^{L< zVYv52d0T}U`m#FWquQYe_g6>THRtt+dFb5zx;EA*;6_h^B$5AED|^2Y3$QS?7OasvJk}J*5G)2=Nkzmf6evl-K*l*>*M-o-1`o3cTD2PQdMWX@;WLsan>y$hT{NIoyhdra5^W<~BD_m?(Dk6z_O6>Tqq zkN$PutJd)7vyv!> zVUbp}V@viOSz}Kvl}r zMl;C>jz4j^Cx{%-;~+}YBQb{9_KfQvaQ74UJsvjyEU+R=0mv9UbMCqE!S=LW>H}(u zK)v_(=($x{cvHVX_1oGGeY$1*`e~vpm=N|JQzDN;GAsNqlHP+| zJrD`(HdJ|ELgT?qh{ycS%K!5|{d+zITs(hV`^1&U&FA3O3*veP*2?6g(Bng6g58!r z;C+G3e@r(DMG@fh+?N1Ib?3C;_Ve)_`)*S=o01QqE1&M(y5r~r%Mvu+f9 zim)mlMn2}HgHAH;$)0;afIH6=<75w+qmBN<9k8gZ@wzxw6?MixYR#iygb&-9_J4P# zhtSvW58jOAg~avh=VjOF!GfWCZ=;?J@G@5LtM&=O4UH6*@k^>O!)>tOH6Q`>yWP1p z^M!%)y!@;3N45y}{eo-%xbL-peO_?&!QCGzg438*modm;sgG z;&kOH1DKo73oDf{2B+5_8h+Z?BHVg`Z-zxwF>(HKr2ULP&6*u@`etp;z~ct_iwZpN zQ$1jqeE$LcXlGa>un?wRI)Kr;TxGWp)JVOZ<@%fFqA;|LGjaDtEu`pg?6HZ7$g5S| zC*A7Fin7`+3jA0R#>Q{Q^;fv{MBI7*f4%;{wolxClFt1%3c3Xj!bGBP*<5)bC@|6A z`ssfZ*&Q~I(XC5B)ty~V4UPWr?TWk5+`&Y6I>)r^oEeP-zsm2FT|0y{D)le#ql-Wu z1{bSaGDDES*@e`?H-})&yF9u2QwsKcJ+3|D%H#gu|H%LE`P%;V{%qXWf8Xzcd%sKW zs?ecvUu+9)7~bFl3hH-4k; zJIyYxX9JaSR;NadP2kF*y5hJVS9Il4*zYT{o@n2P^(2AQrtp5f?6iEa1-3r8`}wcs zart&}|L?!n|JB!l!wu~UP?7v3;b^NI?1SSptDN?T*<~%FPfQN>P}zCB50QsAUt==D z(uj3ydWpC1R|H7sosV?h^-1TQk96MoN#~s(`~TwV!yf~miZVGNvGS^8&o^Rz@TuRG zEklBEC+1?Y*E9jxPXwCxSiI{Fd9n2!%>f&PyFTvzUJZ?W5?*8DeKa!-i zpYg5$>@QuF=KZLHl;3>YZ0;)nn{G~xxMh}GU>`!GV)q~-9Q>{uaYxFy=;G9*PGJJ-G_~|eKB)^&Z$w;v!_*^@w z*ZIx~2#c{Ahn`x3>I~IR#z|3B=sPpgJ`#ldny(2i3B)1wFFv0O93vrl_Q8JJU`>36A91yMCHHEJ3}SijpL8Cl~JVW zlBa{eDY{wo_Sz!70*Z)PcHUy;k3KQTY;o|bL9`-G-o1)MywIPaMO6_jjpFBu=Ag|`7zvnX||Y*2a~IsNPfbuSJO%gqLX>q_~mra`uNYi zvFg&mF|^y^?vf0Y2AW(;W|M+@^w-CqFPb4fvD+~&O9=L7HxAX*34+3hSi(^^Eh1j8 zVfmr=#^?guvGw=uS|q$RdlLSzGzouLmV`enOTr(PA>j|pz~!9Z_0D<@=-{Ur>YO%L zxO>ndct@={avA327Ch^SZvE8Q-6re;=hKVYDg=qVshIf2xb>rrez3pCvm#WlwRp2e zf;(Y~p8i}I%)K%8HT@h7>sx}k3`!3JbKt<2o$sTdyg1h2`im3Td>IiBD~|@09YaUB zI~(^Td&1Jk*_Y3@1OXvC+jh=B5_}JSd{Dg27rt<5-TTuY1^-$ew_gj_J~#gF-`h{l zLIge4h0ofW>e<8$F#W3_7Ib)#GM@Gj~U_fe|=lwtNKr>oZ%_N}#*{5Z55O^g1L+F~D$ z=1NPW8($K6Yk}T)D8mPmyKBpQk|NOsi&s`5_q`!wDmRf)!xy_haIrjnzD|Ac1rnegX#4%I{blQ@c2pt*-Q2);ykg5&nd|RNY|)Od+w|=cDX4}$evr39Q7cBe5V`3=AQ)- zf4pJPoXmRn_^qlKa&~eU8*}Bm{cgQm?{L#Sj@N=PSF=S)bdm?=DsOLZ*d+*F*XoWQ zIHQ1$jCp16y~hU?JGOe9j*voDg3igjzdS*gGMeSEkPEEW?YlR%)eDv@>0Qf}A`$ha zecp;)yFof_*F>21ZbVtNeMVbB7uZ#YfA;b#!^z>tFK2pnV7OA}3f;UT#NXZb>*WD0 z$lS#HygWD<;pU5Q>%X}DD!BUK%HzH_apxm&`3{^OT%$O`tO5LKDG6<(hG6qek(Swj z$cs6r8Lq=)16pycYmutPp!->(N|l&WnnCD{rd??HR#Qo zVUV0u24_pFkH}vE>>L}8(p9)&<5A z(7Ki3>+qm1Fi^7zi&2E2>UM6U3llc*yp)Da<+UC>f7QU$n-Yc0mTn|Do;CoLAp@uNT>ec(|;5&VY*}2t^f!7px7fcR6_b>r^KW6VS8WTu-=QVk!a$Ih7tSy_ALR&DzjHAqVF}M79eO@f)VAH@BbA zutR>;g6&_&i248Kh&y9ya`0laCado&1$Z)APcaok0O>N?fY;c zGBYq3%yT#@(M7 zyQ$M#jgO$AhR-YSwPN7^V(%@3vh1R^VMIYf5D;mQ?(W`ncXyX`3P^*55&{w;hzLrE zia{!}1eLN2MGzGbQ3M236oc=2$LsI+%)Q?kXYPC6=QnFM`&xUQd#^awv5r_SoSS_a z14|Ac9^E&{MC@Oke(7|CK=txlYVo9WNQ)O6Jv3^Iat?S-Slb4mEnhv?Vd0c#>K%&zO-$FW?woGg8-s%UM+eAg}MxtPzK|sR% zdlDiwk}$b%9RL^QgGwB4?!(4=Hv)1K;m;)ki zXx@;8T$$NX@-vDc&_SCXcG>_aNashQHPqn1H~%fulG^aLdSBS*5`UETcH|A$VNIZl zsW!NoO5kyM{^+#yy&ruh6rJOf^xyirCa##TbCJW?8;@PDBG>y!6#GLy-}>HX)_!Hk zo`M&99`T=kHyL8T8$Yq%O^n#@W=ZUK6C(DziGqiA;epFs+z`O<#$viu4^>T`57Ut3 zhS9#PTJAnJ$WS#Fd(0sSPn-`kC**Qs-w(L?MqK$n@w+)OezzpX@9xC--H8~#TNC4V z6YTvfU6EGNSo1+=FLBIsO$LBD*KYHQqG+@{w%eB8Y#-c8VJxz~5`?6d?-)PHw+G2% zqK;P|=pzxb%3XnS*)ZxUTrk^Fh2oW%j@QvtqaLOc6Dw8)z*frqTZp0-8~N92@xbZqXP96V&M>tIbK@UFU>i?3uUV9)2py{~ZbFt~h` zxa$`U8cI|1^MEnu_voGt@TMy6OjgAn?DqmU z|A~8F;rau(?=Nn=fEyn%-e}%X>(GU!U6F#%lUMpmE?!VO=e|4>7d{Ld+U8i1!P`yjZ7|*7WVCM*&@rb8yere zwfaH3lbCN*1Ii{f@7|yC(D6*zsrivIxD-|fpZ}@|x*m>uUHp`RN^xN&jt9fV-{SsW-1UD>9h2H+CI+c>D>c<` z1qr-5r#fUREfA^uF?UOCL8vR$+DTe00{6qtXYlV91l;^Eu6^R>>u`TBF5Wfdczbxm zO)o^c*|SEaYXbtw{H%+$_V8G^{N3$rTPWrb@Ht)PjY^s)-(=P)Ve{GI?*D(~_xo6; z38F(Ec*@&1Hv6h8Mugu=kb?0@Ok2kA@4o-l&;P8S&U)Ufx>jmXG@BVEHKhmvEWu6# zgC2;j^K+e&xgrDt`Ommg6=?S1@Qm4}2$crHr-I@wV3)0A2k z1)0MNpQMb_Ndq9|iHO);8-vYuF$qg08LLz{BpWym$uQnV{>xA!x)kn+alux{2)Q?@Cy7K^< zue~SaekusQ1n?@pybp}e1U~4QDZkrBTA;gvQdnN+A;}Ni_d6B5z^aEz;+au8tiEJubBxL+^e;v!(F=Qn z(d|#46<=jy<1OXhNmqQ`3F@#f^X8{iOTFs_zZk?-m^>JsW@?9?h>9J+~K9m*@QlcKgD>C!a*F3vnpXU~+Z) zPk-$17k59n{bCeu z1Pyzlu=)3Ts7uZLO^!k04Xw}OBqvd-+kNeDhvU#)MfrpNRu%LooUB>B+l+?FgC*GH zj$zm9aqs7=Y4*8%WHG2}c{Vz!#tTjr_VOO+@C5PEUsMyv!%;~S(?GJQ4`|)^#cSH& z1oaBOjsl6nP!sr(Cs8B@O?FQ1Y5foc7K@9<>yP#l=4_=->m?^5L56Xq?00_H_z+ya ztn0GXJpsBI@Oxu5I!GxUsuIsP?R=jK-S19MdKe`EmDRv;YVj;EnoUm3iEco+_bu-G zg(GC%)Sua`1T7dEHCnOo6GU%LV-l7pWBd6%IJ`>)iFeUxfJ;zH2X}(k6T5;MO z9@R2Cjdxjs59`q$T`P6uTvPiaz(pFZu3p`KUe^pp%zuiqMd_d_7I!tlJwgZ<-;T?N zfcsv@cWNImuF64g`q8e`k5M4=JwC$uQzUF@G%;yyy(nJqgveBj8x&cuobd29L{&y2Nf+il0oNYb1Ns6}U&%o! zi*(Dw5nB|dp;Gh9$N{=*N8?`Zw};c34)jM={80(d(RCJTd+d3yxb}}*Ph^qLKA!60 zhw4tdKlLV6h2A+w$6N8<5HB^bRGZ)l3x1?@G8JK{X_)%*fW9a8dEwqyvotNT6`f}2 zgtlB(rkW1io8{b9@Nql(c)z(@h|vJZ%zez9+O-foxAIG75y0LL?)g&duw3WX7ew2f z7F0OB<)L?~E8}K^E;=9Oz%sQc59;y9b{zARMp>D!1vUMT>efUdPFG-HBKbkhZlGO?)s|R#ur=3z2K9}(oObNGt`paK(h6z5{g?g zYvKbhcvLP{bAHVOUDHfd%&$?y{(f=u?bv)NL)C{{u8I-!&-}#vvoJCLEJ(~h3lsCt z7Krv!ANTNxGb|cD^y1i_0C$af@B9=>M_PqlBrN<6Fi|JsYVs=%@vL&5yY(;mrx{jztu@g9FXh zhi{J=BQiJw?(%$4mB$iL-6;SS$zNK(SL5@y;J^S?}q^S`XI z^QE}&3obtY(mNjJCI&1UINS=*{7Q-08=P18&&og{%L^EdebJ zh0;iVj`T&Fv=+n%r^rnoMsVuUHG|p`aYQKbI}|YLp}~90h{}oqyZ$a*-Ei^!tPNcE z>ibsJ<_#b0+3(l)XCSd?M*H{qULez{cBVMP7G5*d)L*Fg!oF`EB7?3+zrO@NqT=2h zb}dk&>PWBq{Rt|so!^<0)&!NSWLM}}&I9Gr2g^3?%OJC7v%=`KG4#K`svq~8z}HCT z{oe4A9$fjL``Cue08ndkwRwmQs`R`lDo?8oY9}rqFI&||KHYkfefH9j^zy1`>NQ0O z*Gf>?a`wMcio$5tTp7Y@3*PNxf^A|8UUA;Wa6Zhp`v)=VA3lu^e$pNV*5`enD>^v z_DoL=zK&JsdNcjs)|>d?DbI<04STqOgX#a&3k-<$ls)jLp2AD4r*L8KANPD8w|M_5 zknw;<)kKm~E;smobY!c^&J@Hu_eeG$ks_I#!-e10-NB+jndKsvD>mM>Ha(n%KG_KE z)>waW|AP!1zny2raYY>Ngjs}mU66;Z+wIQPdCEaQt?Z}Jbv10hT+XM;8Xv72VLL~{ zyiZsy&|ej@ju>i$$*uE0pJs=9$6}LM3YQdQ$ zGv)(_w9!P@haBTgZD73i=qCAy794nBX=V3K2XNzG+|F8(mv`Var*1(v?_e_~N3LlslY`Tz`Ae zhqPEgujd_Ow`dnALA6`$q^v;6dX6Pf_!Mw0{P_5;^*GFaI6S{fGKw@pymi26hTa^t#@&LmKDWrl@ym08R4ntsRy|pm$B;{d;X|^zKbZ`u7km zLO+7W#61OFh*q#@4vdW^%r&e@xYHMh&NT)MyfTePW?-1NvK9j$+h6?peLWh6n0&11 zN8_M8{td_L9&=PeIVqPx;Om~g6!4>()Eq4ZpXSquRR!CM8kLu6YM?78DcNvD9ptm$ zhi|)M1>~FbIZNlwV4y5orhb|D<{cQ)w*#pU_e7PPvsGr?U%Wvdag&?)%QDXoj$Pm0@r6tB+| zY3N`gRUpbh$d}>bi*WOkxcCiR z{qH^gEuW@I8}XGN58V1u1M1#PU*FQI3~l@ch1VOjz(KSlhW;S}@$gZ(hr4aC`w{%O zkF7Qr9D=B-!v&fxCqe6W;n(@XQz(6K@j?w>9%!7c@jJFsfppth84P#`{jr%oFSb?e zCdMO-#CSx77?12C#v{9l@d(3Tm-qV+r|z0-0GFID*5{~b!{@MjG1Y{675A8-kNGwu z2>D!PUP+kGqoOfiL|+wzjd#WUy)(-%SE+{?(WlQ1#nGgM`L(^@qzN@JbnM`LrJJov zV55CQ@z?)6FD27X{52=Q`~+xT)ZxBz6H16O7B`f*@k5Xn9rPSd3lmBmyhLV z%&fHmTzNER)6epWF(3uD%bp27kRl0BF0C~Rx6SoU|870*DIyIW z2ak6|b9wo6qZ;!PGx#8Rie{}$19p_| zm^>10i=>+rwvUGygU@5V7hm5BfR~4mLa&8BI@`$l+?62!?F-VJ>iHE2wBM~G*1UaD zxB2VNmxTP?x2^Rfe1!f=c=C?_7onf~{Vh>`5)n$Ex!%cNo~DR)NeKsIq)*mrkppi20oR^!@pymq`OoKB;P!*hiBzmQTysOAr2!o7=GMSc zQLeem+87EJr;rDs-%y-2$GEFj9(?zVzg*>aL1{m{4Yu7s0J1F29&IhD5XEN3&!~_C zy>373e57*VBne|o+1GT~@VHZNSrSSJN zLL5ysZso3Xn$u)eN&P=GV0L(^EAEjx7@2e3I-a42CWPjEx+65P>*Kil!NpVI-v7Ak z|JnaPpSOi8ukG~dLS29!xYgN5yfqGhaKRosCzS})bZ)nngi|zfN=o$?ND2bdLHGBe z`~9)&LAdkZanB34UW|L6;L79PZ_eZHrQbeCK=DTA;V^X#B+QgwM@N|VAWD%=XXqjd zliwnOymBAdoVB>UKba&fiK?BW6GO|-Y{lYiSMW9 zdFQQRgN!8HXp-4_;sGxdG@lvqk&*_Zivs4SrNv?R-R7+td106e ziRFHhWR0Cqs8mdT7igx7tXf;y?GGt{R@N1+_hCAS_K;FSsWzb>E$&*WiGmz>7v0tV z@<0Y~@f*0`BW`{9N4PZYLw-v*AbIK~*gPq`Q6FW%TnRT&L0mq%xULL(tc z^UFyv=g?<*WW?O6Ok=AIrK^&^t3NZSu|TXru6l&1LuN~fw!?h!~;TKSdhe3#xoia!jk7~eOnl5{Ul$!8|n;Z zuH(UODVFHe#UJ8wFA|Vn(}$JNHfMC{&M}1st|(vvZ3HyPgW90B!S1u_i1GDJ&Mi|4*uNLI-yc^V7k`3# z|8(y#Z#67+K%ERi0UE*1=-|yM{zywV#3?V;OZC|a=nqdvhUMAAf%wu~zdl!NK8>qZ z{O%iB7V!MF$Hu0p7vkBRzAC9~gdA>ouOE{zfy3$Q_3I=`kjVd=HBH4H`@JYVOZDi` zZ!Pf1KIY6_YlYm7mn-Y<)B*dTmG#1N8lX@e`S`xCHhk?p_3j9_4Z_7Y;_4qaUen%c zeprId8?{Y};IHFD$&)nW&W9;)J>7fq!Lt0Mc zPgK#dGO9bhpau*Xx0u_H%fZQGag@fiTF5}N_{I1&HSBy{tZCSXh)^p~*49!zQEUuB z=Q4Wg<*Xs2JVRJQ-3(a09F}v(q7d)%>rDaz=Gfn3+Qo6Zy#)Rw`ufU*_hTAxlkIhz z<3TT^^W#&Co1G5S*i4B}JwTuqSHiYcoEPEd=W+dQMfKwEI(IVA#kB*?%(($D`t9gx zdDcimJ(%|CPl{w@?WgzcbopKo@kk9*UD^j~F|oP!B39taJCdA>X&Vx})VKchk8FUF`ZDF5eDryzsaCE8}|_erPsDfzBXVSVu}QtUl&f zeN&T;g7hNYoLVDbB_h3`Y$OD{UW$%{1|=a}`B!E#Px`ZTU?MF|D|JZ~U6vasxho-p z7WZ^?T3=U0Uk~qjjWWcMvbZTvucQ{Xe}x;rpGFDBe6z9WDt}&WZH6~IXXpOpAny$kdIsmWo$yAu`^W9~#9hDbp2&oI zurtu9Z8FA^X2P~cC2C>XG!RdtsfIPGECR8h;Lfe{6$*o z-XJ6j9b$#u<7*12_(s-naGnUL{}v8wsggk-O;5u8SYd2?#@)Z!&Kif{`*d*Ya$oFl zpBz#>;ZltpDRA8>lqsHjJ1Mao#>mU9|N#OIcS>aE&LhEH7^}_K&!1{^l zSfHT{tdY{4Jw-&_F z7Q0R}>cXCYKy`Kl3#6R1c4=3P61KmA`@Z1LH^=qg$g+x31=)Pj2v0BDmK;ZL>H0CP zre+P7CfPzx4(>%$zeq34N;!j_jq5VqC4B!1mmh$$Q1bWnaV-#hQv%g-q=nkoL{$Mn2z5nz;7!CqDHj#-~2S`1Bw#KJ_NXr{2W))E}~G zgxzRz?NCjc%~dTCHJEx6(|4&u2M&ZI@^>uykP*xNTc$z--iC(PT~;tfOoz{B(8UVD z*_0}ebpZkJ+*)irP_Ki!%Xhj&Y4d_t8hz!>i(8SNm+eCZF22A1z5MO_8TbC=9Tm27 zykw6y);43lY&xRzUKDwk-mn8#DgXBMCI^t7*b9eUZPC8T`x;lv{UB1WWmU(Q5Vuhu zK3+^Kf!>~Ns{J-Vg2qq&d{wnA6#2xRrSVa+gV(p^f9riG}$JGz6Ka9IRt~_r1^>35M{k?S0^ou^83`dQp=H)I=d%J4K{f|uG8)l&^ob63y!K&7Ze6pK zCiLu1F9_da4ZIw!y!SII(D}1!4?9}UQwISe)rG$oN?uG z^?xXMk2$Gf4s6j3GJ(xJyDcm2 z7IlHrx$XIZ78XeO$JK%^R}-Kgun>}Sc7%;puQT_IP0?<3<@NJLE~w3^^#e7%0_@gF zblDNCi$eN5+kpaqDq6g#tCNeU?XqmAkl_ ziaDX<3$6HgD?fZ*kW|+lA>hF#elBY zeDGmG9_t_|>aZ*Jn2JG5S|#6(Y=(oma$8pUW;!a~PMvHRA%gfqJ~Ny6%Az7=tNguP zs_5g8wBkG>^z}OIQDu*pfyMN~u^ScA(307c-?c1{I`>*1-F`t0-Rj}pMs`{l_=fmD zth0##=e;&HVPy5gvX4kpZ4OXf&J!D-6! zNC_DTZasXSl7Pbt-FJ3@L`0G}&q9*he}!8w#>IEx z;w^FGaa{S(E`xo`abBp5F;M?_x)E^9?Wp6TwFd6YMB9;d3&?FZAgkL&$a`KCQV9KI zgUw%!TQB>!$>ZMVxc$`Aj8QLY*0e#jJ}Ea-))L$f3+IyEbw`O&o1>ra8-hz}SfW>` z32be#`CZ^?gsz6I1&4rv zLL-E0pMTz?zsJ}2x6d~t&Mk2ussL>X*^$@2S_RE<$H&jiH6Z>)}q^*&}YW(+IxoFlmoPFIWz7VYrw@P0+06|wgZM^MR!}``LXdW zbk2-dXbTRYz&3!@Kv}vpCSTYOS<;pMwqseM_<^iighM@3(|##l!8Cou!dn3GiqBlq+%mlp}He zlnrtIloxUSlnZhGl+%A--YM?IdYmyhw-{0|d~ia|;{~sD?-~NBZ+b^*zacO&_{4uA z;8>zugl(AZjQ@4N*M035mjb6M_=aC)iFA{Ju_~XwM`>Ene4a9PSY8EMpY~Yv5aw}2 z`ZqV9dfV&q(dGH?;Jek{ZNptgn5s&8VrT4YY(#9pwBv~edGrXLC0F*bK<%ZOkbva z>Xh|KbN9~LsZua z;>tFAxm9QE_X5}caql18enZ^%8aIEXz*iu0ibWdMIJ{0=E|LJt_F&C;UmLWVqP|cq zF9IB13Kmmr@{sf}Iyvdg|G@{~;RkT7dj+SX(;{C}BtE5Mf^8g`l zW%EGd+!;f7F=Q&FSilMvv(Idjs@)N}Vd-6pw_d30qp(#+xE!dx>KK#1s|{DSb#JA) zCJ)y(cvznMDM4XXN?5pn1~z^YSD(20xyT$*`qlIxkoP^UKleNVM7zSxH6NBEQs-3m zs>O0NVOa0no0J7inbZ!~`mzDnpDYzUI{Uyg4YV`-@`}2X!8FT1A!RKY5^g17>B&gn#45B55Xe{T+AzxcbD6U;f~AcSC(pImEZ`g5A|KziJOCBlDIN!)tfx zKrp@LTFN~(uvJ{QvEiTx-1nC*{unuvaVWC$AMVgtv4P>KGv>cKy@0Ris_=}B7hFsD z_Q~v)6Wpb}@~MS35^-}(y?S>^3o4Us0z4!YLC$H6HZD>dZf9F%CdKQ(>KR@6ymKnB zCVKPI$g(eS9_v4!=TgqyZ%_R)6fr*a%>SI|1RI~fJpObi2=%_ZJA5bF7cPTfjrVac zXw#G(4t!{U{>1OQ;153r9g!bHk;sp+lgN+3K;*}u#pcJrCJ0!V79JGWgek?L9(P#+Pj~zGuk=F*dwvZre)|vqi7=7>grCTNVn*aY z;Un^&2om{E_^|aeKvgs3Kq>B zcF6ASl{dGKm;i!A!Dw}3)Thz(c5Pk<%IiMwJKkvur>logk$;J!zg0`dSMe{?zB49j*nt>i2r>9Or`w3Q^`)6k3R0nPKzfO97Zq)u_EcE(o)Q z?jzy>GkqLa39xtqiRieAd2O@`KRg%DlQ`W@j;_!5?&Xi>1&IO^lcOJxpzT-5)jeI0 zA|A@GO1Dyq!2R|ua=+M2Fq^XB;`?xbpud}APFfw=0|};TS*b44l5WUnoX$v`qkB#I+ebKIVH80l;gyzq;aB0X3 zLMgYo!b@5sIQwgHySarPJYn~erWh9oey-A)GhR;E`667rG;aRf@(4L=*`xw6+ikDO zRNz7N-TpEm9@fZ5x0}QzQW^&PKlnZ%SA(jr(iD6SGO(~L@%ysFJ~$$@$jn$14Z{(? zw`(=TgSB*{!Fj(Jlzyn{=+llYG&1G&y==n+;qoC+v)XlR>o7o9Z@5jR4+^99`YJi) zKpP01> z4z7%ahIt0PP(2e(v=mMCsnzbI*6RR)h1u z=egJxb>M|q)YYOWYm_%YRh?slK$(YO^d$kukJ}%LYyY_QFFO{d9Gt^G$H?AKdrXv0sW(Lz)XFdTY(P zNrX_Z%Eqs%Ob*b!-dojR#Q_PCDyCaV#Skm=>jQ~_T-f;p5!FnE_F!o^HEXN;WJU~` zR4Yq1hH2Ns5JM4%owEPie zqjPP`R^~vmf8cJ0lm}9ii@UOXTOYpB#>FXIu|(-mE7?kz+d9A9F33Yi3qp8kI}Z<- zp__N9sL+%;jFX7Q`i^VEA3Ucb9B4O?(+yEYODauyYc}%mS>e^)c4K*1XuF^D+dv=r zyHHq&e!|aR;ohHr?8lmDKUzflu_fA%7SVpRiT0xd$IDX3?TeYf-^;!2L0}B>?Guk- zJ!cE2-Z>;~%Z-C%E7FfWlSxS3w|>uz;XVl6uKDU-cQ&{>zB=UhFav(v8g_kLor`FT zK8BIb%fgjiM>>|CW)XNnCnl?kOVM|u?R2}FbEESrE`YaINWgPxzRr~-^jizY#uU(xhl6AN^{#6>{6TrET5D%SDBOGIo55(1icn*^$SO++ z=v@xh+SrW4_TNmta#*XHM?f3*bVQYxKe+E6JmZiN3XWI$MyuJ=5s&yDsr~gKAVdF4 zH83O=;m%XWQdnm2MQ1ABkxYGL?P<(u7_&gz=K0ILONS3Gs$@$>}W^(G- z{o}abFRnapJq7ps!kuq8H=hv`O>P3xRgZmI#dKi($fLwPk3x~-%RNguE5_i?d1u{w zzdleVd0wY=G={6oi(!XO=A+p|dpO+Oj{v>-fpWQ9$KZ+=>62ydN~oK79gW5YJmq=q2Meashj$3Y zVCQ>r>le8BNnHFku0N^l)#KnQ;0I03F3(CjVxYg_w*P0kAZTUZ_QWhB9vnZJW}KjN zfvVb_)vvZ3LD@-fco|svp>p#Y1zQO#l6~*8A|kdGmFPS(SX<!Q(>8)=Ik&WN zo}C@WY{c_+eH0<^zYcwMTwl_>E~hKSWGw+2+1y)%(uLucam}$OywpfmJ7iaQrVhgG z7jQjvQ{(AW6sQWS2WThz?Z(%&&eb(|Bz^FR%zlzK(h(0o=0|O{bYxPj@HIPxmCwPY)x`PY)u_PxmIyPj>-6bZjP^z|Z8>{Iy6|T@b`Z z8xA{>N<*r#QvJ-F4eB3LWY4-S1P;X&Ms<}^fUBQB^-V8gf3y;@KU$mEAFV>{k5(e~ zM=N39Z@ByU+wy9DVncjil8Nt&Gx2?~C%!Mv@P8-&&)+ZH-;28+-1X0fpB#I7 zz!!%6H5fCrUE%wZdv)dUY_w&rQdS_&7s!~#6Gzy+z_7-U&XmAI-7{~VEO=EMb~o_M z?d=hOKAB>2?Jr^wRb610^;iNf(X1)PvS!0VA+UUL`pG z@X^FVzcxIq(e9xk@Hr<8#{Zm1(S*D$+|Q5g-Am;6W&j$e35GWXbl?$R=rpi}0kO#J zTk{s80o7p2eE~a!Q5-ipiPF2B5I<+q$ZDDcwpJXDT*m`Zi%?esk5vq+qh`2I!IT6d z-L-Dt1;W5S?da>>>_yn?zehe+TIuNzk7&7bc~bMP@4(ABMgcgIk5{6w5tg z@DcIs&I(XR>$g5^41D8-9=X|ZYxg+lxP5Prul)gJzwhbv^jI7ep3|j#w>Ji|P9>b+ zch5%DR%?4r#iOzF^MB$aDY(%Xay03!8v0^jt|;#y3q3{DNtBdwut)6a8K;NZ=s6Fc zdj(;x8ZLeS_dfaCcuU;#a#u?Ap0Z_vmrXaka`J^y;}^M2r7{+9uoX_MR@@D00-ikr zt|Ex++tT_jMh0l+n3(m<6ktyZci0}mFYLxfz!;5{?q68T|+v{;_$ zNH<9UNktDIN>hcJuS3!zRq{YyDza}pN)7dTK)3#VWq9>iD6PO*k&w^27Pj%)2K#-y zaki{DOGX}&2e$+~^xy#XuSu$O-mHjPOWN@}NI^)}zzi9o9)0vO+o7%dq##b6;i$<2 z7r3<$+}+tO|fJ(UJx|9IR3X{vxI^em7VLTx?*4J*alaSbdIzpO;O0wl z^AEWCVQ#*X)5uQ+%Jwcp?;ntZMQS!#53Lm1&!POhHI)pW>3^8|s!R!<2Or#{4kyF5 zf86&S*Z$r4C!aK}7(pFbfHp%Rp?>UEE!}x31oiVg>exSI1P(2(y;2wS;Mkj4A#+V5 z$T?NC`_O$4LVZ)|0-1#+$lN1uP;E>`44kYIk-;vI#I=X1eXk9qe~cdfe$fW|d&I>D zIweGXH(*x;w&!>4c2G!zbL0ue2OO?QK7nTDd6x=&oV~m+R6-8!I~n~t z-IJF0B4F6D>|yj!4mFur?wq?Q4m63hVzM;CaJ;tXY+I%*rlVVQg#N~m^4b40vC9)ATG*R>5A>o;MzYfUk9$e;p+2m z-w(L=6>dF9!_|kc;Ia<5`)?G`oKgl+{feux)`7@-{A4#nzdi`D(Yb;%f!DmNWIrdD zE(BUXknQav@Yh%R*7RZ89+}(xytfk1f zWa-nE(r9p7rW%!Y2nJ(%!<4*JK|q=IGU$|R9CXb+l=+;=M~L_CH#T(YqGJpJuG6pO zfZ^oZ6O{J}bM_b|lP1OW(FddVY^CxF(0S*_V#Q^7?0UqLdt=>N+tT4fpwn%}ngc*X z_esR-aXv^rN|7@(ErhWr$7p$e9)PMSt(85Vt=Rq~?)e_%q5N{B%N8Q`zk5tCL6~E> zzjZi3!yoxXcN_m=^*|py%GjcQTEb7~Bepx}9ib#NU_prxk7*TCh$wmL5aup+sU6%W z5Bq7{3>&MZVcF$(Y=MFdsN9?^D`b|$p7)2l{(oJ5r%AYl0lf_@C`P-Ytw!K+L;bui zhdt1r>h+&JWCObjZmrHCQ}E=|I{P|zAGSUG*Y(r)iB8h}ye{hNO}AP9t&B=K9BQIR z`C$KbtJ2bWMfkDjp@n<`BjoSv7*DE`$F|SEeV_l=^^dEc|N8I!-~Ip3_c?Ap9JgMB z>o5K9dHv7l^MWwKp5VZ z>X|=y7~%e2T>tie@5BGu-YBl|U3=W_1M7V(HupB%U`AtgM+;jBe952KCX^P7%!5Nd z*%Hn%?pk#)n`sPs?fdM2@lR!_DDWDH+*E<6LYhwHd`pxOeV%U#fRYPpP7n} zbfC)&Mb+C5f4`-J4$maKO8cS+>OQPgTOP`TwuT8e8>bHJ8hUn@i&cThXY$YSexCZD zIKL9&ONWZk+aIK4ppAC?Yt6U=QmD%D+fKkgmOIjv4~fdb^0WL^xueq9{Y|*_1zdZ> z^?z{jkdoPs9%_WXB-X^}!i|f3uuz&YcP>;6x@5M-9b~dXew<C@cUw z1tfZ1@7W=Zb8S=9yEK3%dHB{2OC!*`Ch`8gwl#Y9rX&4(h!(tfp)qk!K^Jhp7pjgk zmj@UQqaO#Q_RM5AqZac+XASl=qc^dyqmr%Ski+PS<0pyKi|ik}&tBqEXd8g1{$8R&d0IVJsg>J|kB+EaHgnuZT8| z-QYpq26ABbpP@>z#37XsC5gTVmM?O1QSzJ0d6O+SHkzaPfxp3lafI%n@i*_S`V#M=uz4 z&6*cc^8?=8%pb>Bec@?mbcT|vE^~|`MCR$ zl^)#a`(O?<2gzKy_8URsj>RVzTPWDl7TA1@xaW%-f8qLvfBSrK>r*dD$Y?W5Y2nK7(&t%CHk2qIcQs-M9po(? zt)^|?0dD6St?61hkZtSfZ?QsD0Aj@+%v}-anB}ysRBJ3UVGg#===XtDz9%0iIAVaC z`L||_e++n8Mf)+n@<53h?y?ULvqIwd3|+XM%@@za2$V;@9H^t? zL!vYHcXhwojg1e)eZO$!|KNrGIsOE9ecX5u*Pe0XHC+4v?tP29AKZGS+W8~StDp3t zeY3pK%T^m?IYh7eksHE5UgznC{=LZ8sC*$|s~(g(#R~<>YGL=s;l^vY_JI37;>zR3 zr+@kZ|2h92F23%@;v>723`sbeH^VepE(&z&=TDW&e(9sANtrGV5r%^wYf??cWf0F* zFXpZuWu!`)z1LEX4bDkD8>FRRf~yv1e|#FyKt--xTramXL2No4h|OUEuf{t!wV8KA zi;bRciYW`4Imw^a5WOt_ zmIMN`DymMK|LS`@LO;9i%8SBe#izbL{nhuzv3;%R(q>fzTa;kder3p>LKfk!|F`9@nHk3BYI~v;R|Uxg zVQa$s8yy-QZwpC}N4)lp_@Vs6eX3LWHb6l|9UXne5?epG`!Dm9h-l{GgkV-Gog;-( zsPKA8?$ra*aO2d08O1aJ1xcd3q>*MYRSN_j^^3VCEaM#C`$MyGc*TbfMFs_hVNyo39D|5yHh_HX}f`r#cb zu7BZyP$oy|&OtU|^l{H=8FIHPLU+;#r9!l8_u2{y_iZKwn7~lhx@sF>u;%wS~@20@)|``7B0CVC(bWc0d1Z zd&bRIXu2&*rF-k6!ChN;f2fE6^O0km+MEhtXg@(kUZ?@L^AtlJUChx2cbtxMBEr`H zHRa0(1$(?;=Yg!$ZJgn1&F44Cfzc3KnADLZ;DEh8u0H?k z-^+jfeOEEb{jC)(59f!2=d^YZ`fX-1Z)~1Zg#F)0TizSW0D1GvB8ebFMEC5vMTyhaC|0@x#5nGIGct`t@fiX~0KY%`EKOPDsffV94&K{_EdMVIHNU3vUEC z&`?hGsQ7?~Uq)YCd?0lEFq&AZD?qLp-JupY0}1)sIc62xz`wp9Tz&rA{2$!?{M+7Z zK{gwz&J`ulEIzdDr??!b_BtLv~ln4J+px`Ta{MWrlHHq&s zUVPz%UjuHBrTY1hV8)xI4Avd!17-Y0Lv?l-8a|q>$j^@qJ!2`B1O9$~;NNz>xZl^` z_Q(GA`nY&qT>bpl-y_`L`~R9eZoL&(KY!{w+u*Xog2cwJUw!pc`}gNiYy+;&rG`<9 zZJ-;kGHM*Y1=QO1lfSMJM!5XCxcm9H$vALLt!TVC(nXk;L}sg$c*hX^nV)M5PtT9XhX?v0$qRO^1Sk!tYqh^VC~N~deag~? zT7JlOM1G`}%lcpE&*18RYH{vHnJ_27r6rj-DHfLq%JnrwMIhQOxz{?2zL4z(`Zj2zhW}h1QLl)_(B_>n9r-zBf z!twb!CdeBf39arTA@WoG^ZA3g`@xmRJ+D9d{CoSy-4E{X{oC;l&!p$;&95?0RO2;W zu_gie_a+rjH`<}F8R4y}wb*yV(8O7Xsgf{N_;ibwEHy5?f>KI2RGk~E05bBr|;Q( zErQwrx#xXR-b~_#mYGG#$y7eryJwLhQke@@7Z>c#66Q*tp(uA5>)Zo>d%h>`efzif z^G@`oLrG#1(m$+1l`F6xiB>w3S(mpTSaOw+Q%S=XaC2;xRlR@HL0c&W07fo!^@9 z%$EhKJtb}y@M~l1=f56*;l`)9zjy4j+vSWKDsYH?-#IQB!W^_+N9cYtX~EFdn@O); zDTCgA8jWNm2S`Z1+$r1Zuj?Nd|BU-R;>zRd6ZgCp$mo<;&hUcRtq!9Hm&p;SB~`=h zyWg6Z#J{r*&2d4}qX(}SeT0y04Vkt67B;}0Z-v{Rj;o)4oBY2mpH`fBMNsvj9VE}Z z*hqEbhhG7AyxtahppYwN&5yr(B1_iUZwZz1aDC$m^~R7h9Ov~&KJ|hhlyZz3{AqY$ zgx_qxN+n^wi%70TQyCAW%|Eb;x8s9I+M})MJ4~^^N8Em{zkR;A-xuzF{%!VvyZ`^X zJZ`-M_xJv7`}zOad&{UUyXAiv1(9wfq`SLo)7{Pl?(O>z*Jh&`Ypc3w)Z~vVC zpS|z6^ZvN^3m4x6x4wqE9|jkX?_zE@Z6ae7lAxhGyKB@NsIMxmwxk8a?z9%e$UTX$ z@KE_@y+9nY5-2DiFbhNyXJ2o4abh!!UR$vKaEKG88#d-`sgOgzB8`9CiDw5bSTS1t zB7iP4eDr_)Y7^kvhc$oZ&&{juCoi(T1|c9kbNk>Ph5-2WP3iE%@IdGh?tj-W908fv z*TaZGDk==ppZGnJi2iha|DXH*pS|yX<@C8*1xGCuG9TdOrSx5!lV&ccPk;MsBtV4Z>N9&?CODQ=Ll_rC#bBmAn} zyXMMLL1-X@x2IIe6kf$S^bD~%Bbz9mVs&<7_&9c)v*U*`P`@fZC~?CXIh#2R>(Urw z$B(%CWd1Zi|7+*t>KiWoFV2$8z%&QAfBImG?u0pVSpUHxT*V$N3hV~x-`hf?#LJ)# zMMvZrn_&J^+Z5rRj~hSY(&O@jYY%bt4VNEW`oA0hxcuPyKe*@P(pSxE=AN(9Kxtfi znTxM$z?N$Q2^TMEA!-JX@% zEkWb=V-x9Tc4%MJvR<~b3%sDF8>e-(fl8su(1-M)2v`3dHRm{G4;ev~waIn!U)oTe z-Sm>YP7lPX2OH#dRneqzkZ8dj2lRo`pQ5UR20Pz{Td&8J|3CEq-ao)@RN@f?xDVOK@qYJ{jTXfsRRomw27yMl>azC zxcvX=_si#@-y&aWAfjAfJ?1fGOu`N6&RB5QL??NtzjS^zfy&fEn-T?6VA%ag+u)%o zwtW7yJ;99^aOMBsPH(sf`GX@~$bI2WYPql@iW`U)w73$0_DDM3&@gm^)#Y?K)9Ze) ztzE-vb|Nghj=O6z6{riR64~Z+!KW*P|`T1X?$9>=b*W~lR_Px0K*wgPG^X%kQ z2f2I`>LdIPXp^Fyq{lHM5FOl>%e>DB?xb4k?dP>eE6ID0+qJ7hr8}*`zz-k9AnCb} zy3Pz<%v;`j6%q^Q`5z7Kunvd*rulu>9Q|P8P3g_B`3y9XI=$?BN)XZ}$s(xJ_yEd8 zXphjTBZ}Wk&b6;LgRqVQf6^&l^!ZD}-n@KX?Dy**`}6PZ|NmM%UNdVy@iX?F-t*eJ zwwSk?5L+{&>chLz|EPWXcb_GK5D}V{>>I);d5ZS;1zkIYYaej&eKwHm?HH#}L_^;W z`D#XqK%4EgVDbErlfEO?EjlHPt7aU!vSC3 zUE<&M1%cgUZ02mRC1ihVjyM-%3NN-KKd+P~?cq1y$#?{XVW0n}<^NAS_3!QBpO*js z+I-NTmgnE?d|Z2u>!0A_U;N$V^QZaY`EFe0yvGnpqtM+-b%Idc+wjpS=dGS{tqt9g zP9dO~oA_zEUkF~7#mopU;NxHX>GS`zeBQCP2*ifzKt{~Ax$v_ZprHF^^RS3NI>^!xAE2rU3oty!-zk#dIfBJj>^!XA!zKaXS4)7uNMa2i^D748}m_uUH z2Sj^M*g5C~00rF%Ng9)I)TVaW&0+MP{M-K@zRaKgUw^mrasAwrp~vkq5K($q9->vJm23{bt>a1Oz`)Ty-(T_iu6KgUdhe`TzK<|K4ByZ{Ig- z=3n4hWMBgw*++wI+wI`o^~&Q%XMEAs$FnW<9d4*P_`sGlI|uN(@@|Zk(h~bU!qqp9 zbn%3Hdlg`*pF!_(hYVai(3TP-p@bsEqnF^C6jacdT{PG)jhd!keZDj$f!6$ad1$h! zegAbx2>ImhEBY8J1>buY51RN%!iJ!eoPk<8DDD$0OUXeI@cled6wRb)Q3(}s~ z8wS>fweJ%^2fcKk&d5PhtR>gPJ>$Uny@&Tib|T>Z-=N{ z=kd3=!TMT#ZT5B!xL+8{L)j$)Y7&K+hcB`NZai|Wut{5|SrbLCF4A<9a6WdWPCLl$ zRDj*bsH@^+6(O>v>v!^Z2BuQw>$qLU5@ckF~1E+?XR*0x4?mJtk8@SBO7$Pkyk-0ljKR zq@G%Cpah$f`pPX;l_8*X)ZpuwBH+^F@=whu{qps)Fbt^8KBS)(gmY<;%Z0JVD9-0$ zl9>%(JC)DbM!1}m5gGjs(;O@i3)z9$IJ-<%+C<9e?{78MOG^p5r9lccHhBkTK zk9?Y<1PO<%wTIrwgH`K*E~AhN;L-1iH&-vHNN#pMSVZyFa5 z9rr!O&EMjl&re|=0V_?Ap!x9Do*NetBku=A-EGCt_G{#8jq?#moZV#G^m`Y&NB*_) z4mtu?={e$>*lgj+NORi&DoSYD+}Ao%NChYFY=~g76NX*>ZAXLK$pDugm;YYF z<$IrMnbF=>%~ZA~aad*hAmGfSjTk#A5*^0HprSJ-rfCxwI{l(;8g+~Qas65QUT#7@ z284Vz5%S?A2v)Bh#a+8<@c$RCeE!$yoi~1A-c+Rs7h<>9)9sT)-&%X4kd7@{oII^5XDth@ zdvxxMozw)I115W{Gi9*z3Ap<9r{&M^d-I`tT0St$QbnQF>j4xswA1v_-f%uO@5(Cj z1^x^#(b^v#&{)_zV^5ulaPu3u^X7%O?1tQaSizfHW<>*}yvQ5r0m@er@u=qLYVPYj zTjAiR!)Gd$;?Vju$G5R@kX{?Fu+90pjy*R&{LtSt z;gl?muJ|NnevD-Y-1i+<{wES)U^_?ojO29~`^7 z9c^6dKC1c31+sLEHQwC}0bF|A@5MczS+q-dyQep>E9DI=9Cn1QKGd<1GOj>zp4REi zbT%>{wGhc1cLt5L!aV=#VDOc{T;^7+0--k~95c5o0-M@N9WF~H5Xr3#j=t)ObmxZ1 zc*9j-@2~y)e?=-|zh7l(RZ%a3q##4APG@JW8p^2sQGM^19K6ze^jnHw0;q1~(3~|? zN2Bsv9ZvI#V&`L}HdT5Cb%;UUc~fPhC@D0n*<85bC<2SB&qmK%h``L*+dF@os-h52 zDqE>9o3Zmnxc|$jXvg*H{i0yueE8bTs3daRfB5!1mk3t? zEi#|Za})MW5#%e5-uxgc4#O$A#|KtbAuf?}>G7xnXeKnWexH6n z6a*hBT$jF60p&}}fA|SzEd+8)=`x&q-F1EEgypI)KA*zY&4&E`QvgzbYQ4*SDyG zhW4@YHSghtj;{9ndHzVGq)BvPCK0Odn3?O96d>gtb2(2}t$^dSiPOluBU1C`{3%jl0_AM> zKF`OMU@1Viw6DO|aItypq7yADNI_-_YDnbo7IPVBFXa7;L0qVOZXUlJyz~)gNp}=5F10+hy}1 zvqf-g+U?z-D!g0rD5n4{@c1{hm-2$$`AEH#AVV~tsWVfr!Ua73sVOz#Y zE^L3v)vx*89_BbCYj-3h^N2r?QCtXWP7H(>+-K!m3Y{ULYS!p9PdHL4O$c}_=8OG4 z;>sVFe(k+uC*C_Q;=N-d-aA&}y%Q$hI~r_#pfoEVrF!j;E_{@*@7SUY+Rr-ftBe{z zH^oJA`aTut`yt5rFjyT*YBOWDi0VR&V#j6kZe8@)s>9CvyBvr$3UkF;q_t&eJDx*s+-^}lQ<0J5)$YDaTA^8YD8SrdM546h`Lq#71tIq#e?XR!C zF7aA+Jy=}ddN$|U@BX#-SA=+f>52E3jd*`~iT786cz;>2<277;z^%vqx6|Y1+w}84NlHAMXI) zZh4J8ugVcy%cZZbk9MPwm-5qHKZ}vGaE@xwwLA#9_;zo0eF4m*j90yLDuk@XPb>vy z3Fu8*f^)n0F8D4h%xv&+2W0pf90;aAi4-bspQ)AbMXy$``$&rw!@TXPmU3tXtnEt_ zfWh|u#B2RVNUOnrPdTp;T;BFQ$9o4i*cb_FvxV@$trN+YuYKf#rbn$76UTx<;r@+{ znd2THzuHq8vw0_4dDuEq&L05M=OU)p&w9Wf*XVq{+F)#dpe6sldizxsbbyKf-N{Nv z@Y18DE7poe`?ZYLkuQj%=-J7zFg|CX9t*Num~{u-`M93E>y-j5AC6QGB z;%t#0JK)lPk_>Q&JFWr=8Z)QJbritzGTpA&WBOn@uToH^r~{m2Z@Es-s=_z!d$MC^ z{IL7kaQ$1{_}y=SHgxEw7hK}G_Wk4`8}Rt{*7=aE6R`Jk_WaIu2KUqu-|#O^us&(q z;6?uoYX&kz){2^##$@77qA9R2}i)Q({X%L)l3ouSL2|-FeJR29{5M=D0v3yM0Z?nda zEy0fp!H*fij|RbyJ;9GAWO^s}P|;Wd)w8i}eb4PtQ^in9%YAEDfAFTs<4JRfteVJ9 zi?K&cC4-d2tknqCvUr*QMbxc5b%D8eEV?9qZp;POm`AtXA`zI7b1hGTV9k+nCh(1n?)@r%MH zpk0=d@Ka6+ne4I{%=#(~RN@v_r#hUFLsCZ^*)th9^1VCh!549e_)Z}0CJGAaYh=WjnI}xtp@wYa5XB^!rB_Zv$>iWEOY31i35J9z3Czf?ZGP z-{NwhFf0PBODm3>^<7+>ejDgJ;RU$TQzu!N}Jw!ZX+%Xw*JU3Rhq2thAF(2EiD z5(K?1a@+iUd-SmcP&%F1I-3&#SG%jT7_}3j|3kiuZh#f~@$~HD;A_#4Q2fdW^7bIy z`UoyPE`A(tKF1>0=;3X{L{K~SeVwA|RybAdl#rtu2Z4v`R%>qTL@NGUnCV)!LL^5H zgX};EV&Xbjl73hMW>4+==x-_nuU}h>E*NbB@f(5SV;jUEBh<8JwPO=f7d#)zu55^K z?HjIt5}dQu{`$*cR2p*e<7+v45+7`*Rr{S`?3Vt^yxtHbC0J~fMs5%B_Kq>1#{9AE z74Cl5KmENg_%3X?{(UpFJFv$^O7lU<7nRwUWBTa3K~wBBGbel+w4I1`;enxI;jxBU zZosYg;l5wE^sV`9+a_w{AZL$we}AF?3}^J=EV&}IM2a(rc*($m)fw-~@o7f&7bmWBfq6fb*{5C$!66a_HCr+8?C6^c?Tz(|^ z&$PKJC?fKsLkIn@ZH9Car-ol~q98Q-%}TgO9@Q^w2^js&2T!!RDXEh9fg;ZB7TYv0 zC|A+qH&oAK0 z2lu|?-bY-1aOrXR!Hpkr`T2+bKdYa(`3+qE|q`yl_rI@VPGbJk*j3Q>WZcEeOl`y{;qQ0@CzCQ?$>AfevG( z%ixI!7~WNcdZ&GmTYYKU9#K3DmQ2x0@g7EUqZDR@&aI;s3kJ3*ZaQjul9!PvIPBlZ5?~J}l zm1{x4_q5&(D*EvHQFrpE77IQ->V5uZkC`@HBrlOn zy}g@fj-vt;#MFwX$|}G+pM}@oeC4q9t&h#|{O)p1I5mwFvwM_*+;H;n%6e_oq4$x2 zhT0CLQ(u_#e4+xq{_5V-=QO~;G*_IjP#%`Ltbb4^>LB&gy)sWWE5VfDgnWgp41|A~ z5QuQrL2@tTeEN#TvGoU6KDhZG-1Gl#^tknxFsi`&J!Jl%%X4YHi)jS9>$`&{?SVgp z^O2v*ru7Hbo$odp=ft8d4OBzy*S)d-7jFGmuIq|_+>|{Uv3Gx)bwLM6C4Zr9%8p2} zG=P`;sy=*45|C2)tObm;#_nndNVt@mg1UCw{LqVHXT?WW?#TK}h?MP6DUp~Dt z3KW@Fw8ElDd&U1SJ?{JkZvQ;4ztQ2o#Cw9F7`?G9J{?}=2O7hB3wiQGU_WbFZkt~O zY#%#yt|=r0di9IT?mr9$TzXu7aQ!RX`XeqqZhjKCo{O80!j%uM{BiAbt?C5~O_ ziy~g z%cfTs;r0XL-pBYO5;@1`w*dWB!P_#&1K^CFbmC6$cqmlnrJHiujZR+gKKO$4J)g5m zE$+Ye#l9~`Yrjw@>{f+$n|8XI4(X#-79C@%ekFKtx|vbWQ4&T}&t5E?G(wennZbp8 zQrPo)xb_pbUgLbBR%~#EG#_!dQ&Hf#1U%zE9)G9L1NmEvCCBYjg(6OIrJfa8&^lvS z^uSCFDjqad_bFO{-;bvYdG4k_BV@NrQ`Zx$Mb+g6r?w(pZEdT7K}+a6eJ@$)qaEa3 zIJm;#ZvtkbPipqPvVhJ@oz}8}PVh*3-`#PRIJ9HMuf4p%3Tz*j@NG3SgMFNH&cD7X zAXeJLx7Cwb&@=h0{QD;;(Zs8!A(t3w@JMqX?e646zWe#pjY;tx?t87Y`;NzM0S_QI z|2&p5?*h?u?ktzi{^~auxp+6~OA^whIJvERp9eTj%j)El`crZ9;kfk|Tz$r^Uno_C z+NMjULd8$(@)fcKxVgn#xkz>o@_X^cGlYw6yNA{ZF$fTl})EU z%l@hcI)Pj?>+Yz4fv%+hH?JYE4nG*><5Gnm^;L!w0|BsY_w3Y@W;f^-uG0LO?hhx^ z#%xBfMx*YVcM|h#{o%2+z$i6eICj0}3|HoPmOe+wdQc?&hFl#qyv2vlEXShzY)Ok| zTIRqRD>Wc_!whb#y%MtSwZ*m%xcVT?Au^r7&x3jo9bq>D!qZS}K5T#r>4=7YpxM0D;< zuBbE!i%@V?%!p(6N9CHhn@7xUfnB$D#Hz&?p%CTmDxZ_$LBk$_x@jELnJW$7*kXxp zt2OAcxkmzS{t(ySFx{HR)K9_}WO!n9Fq?*i?z+IRLyLAj+BLZH$>NAM@L%Afe0N0@ z@y16LWWK=9&%A0VIm=(64Pw8~CA~4GKw~OirXOt$K;Jb{P9e?|miF+^4*k+V<-Z1k znRVT;^$quXar^6V?FsIDnfjxzJXIlJFgzNjI}-N?JL0iAN_@lfj#lxdbzUaxT zs594{sSXBIv{-S5)53U@QfrpDU7FATbFf(G8`XfOR zoLeSjg=(CU7`G!$=bSp|?J1)8C8G?Q#re)(Gu0sc{EvG_*a@_t3T>B|M=A{3GOA_?#f8K3ahsDp-y2)Bu`Sv@inRAHpWkBmwv8|xy`~k~EUgA=;cw-f zXaztk@^;gaP9s#u66*ExxiYXEe%(NQTN9kw?AO5n0%!z<+`r|dkvs^n)C*}|6NNsVoJ~`0nlQs>^2L8t8W_EN_;ky}fTu-ivhKDc z!sQ=V{%iGUWhnaeL*{|60+hM+-Ld}QjD%86!#~N(!_>f`#PwWC@c6N(;MG_1*zfyp z#adC1C^KOp^18vFe3bI)hZ zzR|*=>nYQZqbcF>vG9#L)`G}WD0#z81uA$S8d}VuNDWmNk6c$bW<Y8+}#SSCVR;pHPXP=;p>)N0(^l0_h=Xmgb zCAE1Xw;a_ToY}#C)E-TY_;F;US-_Eu@Pp2k#^}fgiFNPDT#>fe=xgaqrXa4JWDhiM zf80OE-OsR=&-run@3{Up?tQ_f$F+yJ=i}N>-1Bkk1-SPGH(!LCAH)4#-2NHd|9h`? z-}*DD-}|>*q1<1puY~GYr)pH=gdv|hQlVRUSx@@z`dXQLawuKZ^MPfRF5u>`xJ&k$ zBW6kXCiy9(RmcgksH#)DZjc69D~1D|JH$bF-#j))JZhWyek7-5B zV`>odnA*fVrWP@eX+_Lq>VU+Ryj)(u4EHOk z+s{_efk)VIeGQEocE5LMQ1I8;ZDA<%^5)=qtw6|9==piQ$^m&YNnYc=-~iL7J!9UM znL}Ug`Fh%}@%{wSr`#g6bPyY3dC^9W2HG`j{r%Gw5O>}@wHh4C^2|#g0bj{mPIK*E;qZ6kts0#fbKh z!vFDq86moJ*YT@2#vIV_YUMz?gg$g1OcbPk?1Tz)HqN?@=>v7+YU`Ue11Op2<+&1Uh%Ns$ z{I!P!{+c9#zxIj1Uy~>B*H{VsHT?JsSKn~=0pj|fxcQkYe9g0lx(*Qj`IW(go0jl- z$B1Cdy*N}J^C|PnR#PaxA@NZ6l{E}@D#(OoSYzkYaL>o3|2Y0zo$;q2@Ys7P_x7ox z>G=DH=}G$ty|1-o*^}bmrM|(q&^%?-uTgbh(m@a|s!xZwOa?-?5G-);I=~#)7v+qI zDER))R_)B&IAGBYh)i^e1h33GA@bHjg!_IS*r)eOy-FJRJwAjzixq`UQR(}qK3O7$ z{vt)yZ-S(KI|Zh{dBlO-uf&!Ax)^poYO~?lsrzB>@G?QQTW@OsI&;cqJYLuZUXQa+ zxfi&C+WK(k?31DB+`0kJoYxN6^GCS*#;*r1uY|HX!>N!wlc24>XiM=?|F|Fz*xDh$ zZ1a!<6>6#PF}mc1Ob<`?t*3Iq?nm_(V-&bN84ERiTQueOg@bnbL*0)LC=j1-<}wip{US##;2mHP?ovuVn@XV!*@h~1u&YR(aUWQj*FV0#T>;A z^ag4`PXFbI-yIFWwLfe7(v^vQ>59a@bZ25;x+1YJU5VJ2PTFDgFZ*Ud*f#~jz8Mkr zO@Xj)iiCYrf~cebZ^ieb=;7RZTi$gnaGtqf!G}x~X@u4!^KX>_!=bAJC3Gwxt+B^a zUy%t>Yx9;H=(xbMfW-|+pXMIM)npqOT-@uQv)c(MR4#k%pAJG6MpkvIK~8{6-@1=N zcy6yM*iBL8-p^8mr!M8+dh2!3Sjz3ueWi-fdZ^h@hfEa$kVCrOMKf%9`We0vX3+LW zvguu|_j&EXapi_O59xm>sef3y6X^(hpAIRXu@6R@s+&f~X`Ha{BW^sqHV^pM=lgK! z*YXMM&=_6?Dd$;%y?%P-V4eoDIgx4BH_8NJ+xPcn-r@!)weOCOJj}#>|LgR){y$~D z_>H(+8QA1n+|`*b3aNAAr_Y~~1P6CY=Yg-{aNW^+^zJtaI2{+>-E_zf0gZ5C{*oM| z?-yTRt}70Sew^>uZIl72i8MY3cPWr}jjwyTo@BqvCfyuJct&gTXN9$WAWXzQ5H(^S z2qUcR17RWdfiPfyFRnb-`UyoL+V*jWWV;Bs(v#nLU1xzdKn3`y2t#clXJ~z=C{%Cz z+Ok|Pgv}4GKhw{D2!y7S!S&(u7U$pDXk{>QFW-DJz+@VIltdEfsb5hyp3OmSwx1QE z_HV_Gr*Pvt+em7*HTG!V^MMA+I1hB?lh0+bP*>O!oboiJ z-3ChStK*LL*+bppN&Xu>R&Xvq_LuZv5PJ66YBhT%2(2#d?oSbL0KxH~!n*fv*zp2x zJew6Y^i06f9#)Uv^_~g@>CRQXYw#K&wLUesbSf@Hxf(z}ej$J3omV zU-5n zL!2)|oX-tv^@o@qZ`g*slRWMvR|SA|%+(VwX15}lworP<@F>U_-;);cF#w#z7^nB# zjKkJX+>aXt)$CVFme1scso*Dl!ZQgMg{kTCf9DKPEOenU77bc#9!&$9H zXV0Do3nyxY<$@-N-5tN>o?9n?$ufg#JZbNjm^zhHk{$YV)M&fXAv2izQgQ80mN`7B zDLf*^?TRdK#CF!)GXz|J;QtLh1+48aS|RoqQNY^%A_`dBU$hR^_7_PY+xcz&$`|)t? z5AOak-1!dN`4rs#MHSYhyDJjpAgvm%2>W(Ckm~{?j1CA6~gY{!0rFX&6g@wC#6lL7eSlzRc7<4T=<}? z{=i|T2H7e*o9wt$0AHQ_Bjg|C!A7y?)efbV*!=^z`i4u7`@SC#^4)gyF&n7wG(QqT z&jQy)tkX6334p(3fo*doGi1LTvrlnmg*b+qmhE)f2v?tR=|LqfHaN;24z%?Oo$gOT zc@ewx@PtM(vP9nNDKSA_ECZwp2y6{40!CWgav z>0ovAm+dld6pEW$*mcP-2PWsKjU+$kWB2FRh`n9l4%dNcVKLT_cx9-ri_E%D+81#6 zQgI(eg*Vz0ep8cwNex~uzG%0@ zjFg1Hfbo-_l}a#jKcyg4KoWbuJ@vH)E-51i*q>~7@PWAnbZtLcm3+w)b+yH;bSe0u zl((xH!VQ-2dbOrODZ&POUoNhEaPvjMhebN(9+UFtXW|AQYbnB`4Z0jblge=SK@<6O zq8iB6&}JPNS0v^4qokavoU!|varF)N|2jTMm?+p}jrM6z)?DF`0nX9f{i{j*$j05B zTV7ip{1xa6_jJg@%)6}JeNm)5z`yn(|MmJi?ZI92vqj0sTJ!MoY(ohOlkjW^pA=$(Pzi%HANVkQHT=vl!o^l zh)?pTBhu%5V5rb63%K<5QFBsc(VB>NDB^(nTOl~^=TtbfAO)>9$$XUGRZz~T+qqm? zaZ+4*V*X0G1mNlqZoM8?pK^_=4saD>>R%x3ZmU9^30S!nTz2vYgBLrSMa6gA(u zdO3>T7Lm{DM_-sX#qMA7c;r*Q^g$N({Mbo>DNm6dUfp zQxCD;HH&7uA_l$&C3)?90uajb!uDmkF{+(B6Qe6905|$`4+`{iLyne(^j#h?xaU#E zky^kDxc&yNd~of_+WGzjzO6HXZyQ12+eQ-jwoU}Ttt+g}>!}fVa9RW&oC<*lr$XSt znGkqz(%AhEkLw1q0;se=!h!pPP?s`XeXcLU?t8g^Leu%;Eeds*Yx!QjkzD}oznuBy zC!+&)KWZuOPpfumOCaml=G%BP0o~;+4tSI-0h?oYQaox6MXH)0=)OA$6pMOW85m-~ zLo`Hb__r(Sj57IoCsH3I$y-F|qMYH0?V;29bGpEHv$H%;*AOToOj|TP-4WG>NdrcH ze;9nrETt6Y3Hk>f3r0MOL>8S7Uh57-A?XsMPj0jxP%TAAyUy1haOo8k%g7&>k^Ix- z6joC)DbQ3g^~|NUN68CiZbK1b@Q!zHR|9FkY>MZqxIUvecE8z*e-n9}To}?hFm&er zJ2%MFhi5=ArNzvnu0FRf~bEf68M#h1b(F~fnO<4;8$uB z_?4pA?e}+FC3pe%)1q>TTzocZWsj8o^Ge}mjXbSYSORzr7NQ2 zBfBwI>IZ@wBqtv0d#p!k*xxS3o_AUb6sz)1I{NG8jo2rA@Zg0ZA#?` za>qM2?Ry;#sd<`rO4x&;8)ZbCtqTM4ecqJ;5fRWsp8dg&HyD2Tm{7Vf6`|nlP9s@) z8z>nrf7-Su3?1zJAjQ~W4Ye$@OBZad;O^|b%h#)|QT=t6o)^a*vEwP+{teuEjW}Op z?c*9xShuZ#JF`FmjqDu}?~3w6$89wpbUM1gJ@G*=f%k5R?#@O*#zu2&{g*iVdc%to zn_=|Yg7t?(oG{(6F>gzS9QqY${NqkMJCG*6jaI*q{tLrL|JScJL2O9$+bj39VTV}2 zle@H}IlbX^Mv|mH1dv@$sccb&wuYd{QysF1?WWa%{m;~(tri9C+hGE??zo)t`fiAf z)O&P4&L|?OIAfTLFaZB9DuFlEHt0p{`8J_JLnze>WQ^cZ1={GJ?0zp)QB-x(;Bt}< zd`Nd)mw8GN#_uwO9`8^_p}X}%MANhoZhi(ge)+%sUs0lej8yOWSO1tf(LW|Y^p8mq z{bPdI_4FNV>F@JfRbYC9>i|=y68Pz#ml`f}L3dRo5668}1gYCkO=t3yVclY2e!Yt_ zY3$3Nu~sG&33462qazlFF6$i%<%kaf*OxD~vR|vA7Y}F+Z}_^yV~yssF?xaU`OrkD z<7+iw@Oj;+C#r&s>53-i&L~6Ojnu-mxq&V=u7_^ ze&Uz@HT*<&BEFj;@Du0y*YFcR^*6Ed`|rQ*jZQCJ(AYp7gf2XLkg#>m9^RQR#}yem zKv<7M`tSpD5Zk=*$yl}(_%fRHbsW`!qA3mfyc&IE+F6;F{#pZG8fWtLdT4<_$b)Rr zBNpfeU&N{pog#Sf_i)Nfs)KC7_#<8lA9V6wfkM)gWxb@gsT9uQYLN1jPcwVi1ioF^ zEq}UK2fLpKH-CsLA6$ByTak6G*%4@l-MjR>MKW4Ga_YF})YtxOldh`0R~f*}lXaWO zxk%VL(RbGONDQ`p!+l?H?;~#fh)a+Azupf@iI7QB1O25=k*W+TD1+V3UZ>>|PfCzz z_(=+wf1KX(ew7+_ZB;mYP@fWT_ru`wk4vB7d1$05R*KaBy})U2Ck~v~wIq%dD8r-6 zd+(oNaY8P>r;NCqWr1S0d;QJxa@hA5S3bD?;k`NepG4g1f%6vM592)tkq)iF-NyK8 zh|}55Izm$eN6&JI6!08J4{rC)O!`*?#~%4t8*bwfv_L(7Qijd9hmn zd{au?udEY7oQlZ{0ph%*{Rh;^p>!H3Nq~|}{VhL%Pb~sWv=3)YUsxgXXK0#38=AU?!ss-EJ54c7@GMPC#dNGYs?4TuBcW-RizEc2< zTCJ;x4P>$R58(O_xc&)lynq{DebGB@eBb|so1ehu>{&zCmC39|NS zsczDIRF`FZ#}ZZ@9!#0RGj{@|QFBn(g4 zWWPUM$B!Mar8t~BE&A3NME4pEOE@^8wisGd^rCe#i-a$OwK!2!2-k*Y;_wC-_eIl$Gd1I<=u&|Z{0OwVA6 z*42Pd80xF&Q-p0+-Rx@7Y^t~nYsI*oAw-U znvoMySGm?L92tO0x)K{N_LBDNJ@=$;F!zU`$*d6XMo+-)f55d5=R2QzJt6g%POiAA z9I|&rL6(n=4v86q=?kNc!Un zwhlwc+kziUCuRxC)wHhS+iQGUHK8&sH`OV#NW~Ba7hh)E8~BTa%7N( zjFn)ooIZ9v3s?Vf^XItt(MLTiV9IF|JZ&EE-&rhyn!YNps#kJ?tCK`py&5}ci~4nm zdP$-UOS9iu*;rsMjAwi1b#oYb+tLxmYmfZWRVy-XaH40O!!FP2O<_)uCvHO21?`?0 zic~4G0keHoD$#jnP&8mHEJVgm%G=R&hAUdb(&z!!y|&?K@WKsp)n}$qH8Q5Ldd(D` z#*npT&Kn?lE*)8=o&+X{0l`|OGD7DtIF0C2tl=NN^RYx2JkN7 zU?>NR5xnGTpO?F8h;8541j5o-qKqI~%ZVdyU789kzbr#$UMfL#m7-KbmdeRaZb?jHVxYKV#g^bW9619P}KFHPAvIiVjZX zZ+8U&M=JN@lZM#!5!`+oq3Z?T7tR<%_NPNxtOx87%UB1e$Zrz}*dp^?7Ma1!RO8dO zFD^*4fLn8*Lkl?gujZXeQittNy1sYtC_@0xd-5YMw9z5?Ybksy%3ylj_!PgGDtIqG zwA0M6K*RQoy@OmF(BSVTJ(a@=FQ)CU8L;Ugr%=1=gZo**FNP+-^fWg-H{iDB?`6l1 zUn)w2Uj;;4qgL|AwNwR~P@QXif9|anI&_Y;e1+ZsysLPR3u$YE$3jk6ouC2W=7(|r zFYf;QXR9(Eb)^27O8H#ZntXAjRY}jFz+i}83vmscSvEkf!X?Z>0Sd5RVURv^Q44VE z*H77`o$ju8hDs}2`je!7gqoj_vLVkAkO-@102e7gJJ0qN-FHXq*JBeR_1&=FBV7CN z?7?xX^o(`L*I?-JSy}<4_1sgOd7C`kv>v?ro>m&d-lPOLsEdH9=`PQd3kGQI{J-wc z4LfS7;hC+6SzvFA1B+e~?voC82+D8s-0av~~My<#v}7YU^v zaaE`Ly+C&SR()Jy2zqJstxVQA7ZFKb|Skk0(I%;|UY}czi@Zo)FQG$B&(l!p-Lw?J(9z zF_(wItlbaZD$0=d$r&b|nzulo^>mZ3i%LP>)`81L8smB=oOisYC++3N?T5$pe{lPy zmB)g_7H+E|s`~V#j~ybAK67ldM1}%5eYS0M<&%NY**y1YUom(!Z>@O!g#p5iH*xRp zTK?aj=zlXN`rkZ={x?se|ILW#e=`MKe=n1(FVN)y7o5(#JDaeN6D;i<1D|^#q_~{t zo^hWIwtVE}>VD1xqi@^F?=7Yn!}ISq8*QZ(+!%aK=o?%G1mq&ux6^wJC>&bGJE9x6MXGakA@5P7|ANBXB4WKa9yR%PfR zB$4n`T~FQ*ed;k0@K!htgM0UjrJL_X?Q~=(_~v$_;NQEG&QtA#b4+sUy^9OrwtRx^ z&CURn&!W#6VN?pX?dQhS5_ZAqqLCT-ca><$M|}G6w-Vw#`s@83xc>ZAdXBgzHd}Zy z5}tUZ*$y~jzLo7#@JEM>8yT~&1|ryQTP3&N2?}^eqQXb4u;&MH{S(}IibMCmY!zXP zflUmtrD0!_Aa9OSf+DsE+=m|t1s_U)H?CsBnS3cQvYz?ZfOrGKogWb`H5$2ap%$dy zpI$a=Dgk@xuy!w%D#(`GQCJ{z3x(a;o zr1zlpMKW>JtNCN4b_Wj_UFxkpV$TDqahg`^)=MKUj^}x4VSL#6((MMq$+X`+(L&~` zp4cNZuql+&oT0aYZzX)@`{OO3V5VnTINuwEw#C=m?zF;=PqFi{H-j<)EZpFZr2J$N zpFWaD{~vo_9aVMHwT&PMC?JA#cX!tuy1Tm@0SPG)ETmLg0Z~$E5D-LSs~A{VC?+9_ zfPsNn#CN`z^Y^>%dDiP%_r0F`-*fhwwP*kK% z_drAwl7jq*pm(bGbrB(tT3ppz55*?;XlCtFf@C@mQ`PA9cGom z#)C0V`3QrY0q~`>N$z6L1Jp5iLx?>WZt1H%n<}V5)`oYo{e$yh@ZE_w4|Vn++l2#% z%@=&(lShD)U04{RiFEEean}zrXQ-C9gE#!TE4k9j7lnT3wg+Bq@&MfP3wJ%@<_`~x z>Es`!4S|=P55^S=0$@gU|~7wsnXFLERGFR~-`FS5hVk2xfgo5US=0F4tBnUtSh(Mr@K5p6{UR2XC& z*)r(?Ouu_YmY;^A*n9Uw?#+5&kFULfdo)5(4ushUhqg1Qq1|a-?t~Co5b4@U&c`PW zh7ZH4ruJ$g+3bXK6UU_CbYIy^&M1UN&mM6~l@fuxXqL-YHxT)c(`QyX4P*n7h5y|to8o(H4t1@=+W`rI%hY0InA>;{6Dp8mSb zM#R@g9pz&a^ab4e#lz-;qBK4q_(e`*np)-zlTPRkrL_|((zmjId&3Z&t`SrC#_0~S zJ~JsoyrBrUKN9YIar;T)-gj`{3vl^5ao5-Qhnb-wF>Zj4kMi-dY*3Q-JS$~_fZj$u zjoP%#3bVd417il9u=Kb@-7y(1?UTG$!E> z4M_OIa8&$7eScS(8cJf%XUw^w29d*jG3PI8AR2n-q=Uj5u-cnl<`YanEp@7OKE|rB zH^-UKm#`DPt$##(y<~lI20@n_gvCa^ajfIjeS(t!$GTHg|o0a1nRbVpBMh@2X_QE+$tg* zL7TU0!jJb=@a_&-eLf0A!mRI`&hpno!5vSz4#iw}nE3Vj{m&+-PAl?^Pi!X|erk7x z&}50?4v$IYowA3^`*@i7TZ#N$i^g%zX|Cu)sycgYqAj$9-ecd+Y7A!A3dFpE4Um~y zjzCwR0W1buSt|(|p^GEeGk$n0A=_Tc6Umzeq3n9?)--QJSoePylK;Dq{NIh_|86Az z_aXVeGj@EK);JOt<>iF#K3HP8wbcTsVDPgloozVURfeT_#q`&OxwSy0)sbZ~-Sgny%!anoJ4bpHm=$w{Bz91McM%3(16^Aby zm~Grv+0ivuo)a~fbwSWMUGdWaBPcnL>@7U*hm1bI`m)la4%K`6w@X*)1I-hrx3!tx z=;zT-vqJ|R!M?24&Bhm%UrhK;tRHFL#Q6FChypOuu!)FM5c|5Y<~#Qc5J>qbB~m`hl$4J$ zBjuwMN%<%h?0oOHG_U!NcQ)uuMbJBiW2W%vRfWhQ2O-ol@T@iFfgCXpoyRJCLjkds zsH+vfGRE%b`QzHKT7bsIWdFV zET;+B;~#sOb@ zS~l;|ft0#z_HHX3w7c3Y-{XxUv@~zL$$MG}seSnTqkusZ;o>oH@jSTtug4E$r1)WF za6NtyAjJ zze(}CL<$2aa7hpiRv-XdpZMYZM80%u6*__@1 z6>R(9*2m%cC+__eH~+I!Ei=5ioXDf{V|&S4XEXFe7Jb#?i# zcp{3Z+Yfc}Z2FYd*bG+aplcZQmLhTYe0RKTZi?)8A$!HA%le`4PD<>?R&`P z9I~#W_hPvz^XH+aLeP*Lao*`G1@dIw6d`G7nl_Uy{;w}fkT;d|q=t>9{#(n9**IkPhbV!1dV6pq5sh;2)-ub}a!)Kn{-9fDc=i-wO6<${cyT~eW_A_z_mw(W1 z8`Bs)nHW3^sEof~q=jfQ$U|3kh2YlDu?WRgVjbE8A?dQppE}=1J8aY+@?hgnaPb&d zyK52eB~jS;=vrI55kJfrIA*5K@}Z~~kKbKeCGzj)G{66%CI~X*I_OIb{`&~-ezo2| zoS($U$3f!b<0tX)@ss%YxJZ0_M%eE)>+4qzo$mAL_Q;Tf@6Wbd+B`1_o!J$*~k7;C~jcxk*v0zK2&7NnVl41(E!gfqWhovCV@AuZ9bC&3#BHzwA z9z$@Ixz284Bm@`7PpL5TRiXqNYa^z)LZD+hbIkNf0hk#zDoIr}qN(1M`1$k4;Y5{A zllJdIP`i{k9O;&XhWS{?uT%uWg#Di1->!wgkxUAK(vDr|-S>30q0fQf=#^1kO~gk( zYhYCp2y21Uo+;4}_f^BJ_mCrFRRi1#O8ioLvI^B?Mt(g#$f}*&eS#P%z0aw49TVc!Jknv~?bYRN0581j8~QdM`aw+s-od z%1zd3{MkP2_e9+H(+wItm(IJNLQ?!a8|Xw&!ncnHtHqelK~2*k3bwbAXm)C!x1moZ za?1P_VO)F~nd+XQ6ccm@<&|W$g()8Rc!;+5(sM`9h`OeD=2-}AKO@D*D5r=D1M|{r zKkmZjOTyisar2qD{(#%RYrXzg0|II?Hza2e&_PMr`S*S*V0r&E8v~s>jJR|bj%k{p z_liU=xG-r_zu&(uZ#881Sty-|2Q2cc7E2HX_D?Kj!N&6Nm3(V+tB^QY4Jp&~7Ky?; z0~-c!N>O+zZJ|&u?1!%2uG$%@`9=q|T`|n`)`e{roTxHc7qmB|%cQO9!Q;jGQ?kV0 zapTn+Zl}qXM$94h^tBrC5(5~fSUp14XbOq8C$l0wT;MRXgJNTtA>6t-S;iw8jd1rL z-251>|KRd#;QE7qhGk5#ek^)?t}c-Fw>@(HVq?L`>j6g>6?xz6_k#Q6yHgEfUEsG0 zi^?={9pUnK;GQqXjpC@*dTqh;@^&XW4^yBnpugvoU;{Q?_rf_NY~Vt3&1@txhat65 zAu1G$UVOf@ui=~`l<#?%l-n*32~b4)i^~CRcl{kbEG`e>)b?I)!W3ZQb6m!b0}9yt zRd%GtOOISbu+}JzU@#|urSSVJpS~080pdc_s=bWB&`c$?PM-{l?Gf!)3oiRlbYm2lOoNZ86;hgBGD{GE2-3^aj=BjEQyG_BWJnoaC_unxFaU zdtKULQ~cMGa}0&R5@;bB@U03CKYgG=`K=N<^p;q@Yn*}`0_Wb}*nSn&_r#gg(F>v3 z+tVrYo>CCss(a#bj4n!h-|v;>F986Q%d4wDP;O>XG z{(!4L?)}}rn47iN&jk6>gk(agCJ3Y5k&Y~;C}G3X4K->6xEWOaB!x~JiWaMj7L&9A zm){w;9%M|yAWQ7mL2&*&LzSs<5Dri-P2D_u0PL5-_tAPDKrtvzx`=>-1XIcP5qo@Xb4&+uR2o8X$w^w2)cZV9U1{rpketrS@UQKVn4w4jQ#vVV0@QZ^lOkf(xKQ^o82l3 z(sE)K7zf2b`*!j&HN8IRenA22e5_<7K2{MDAM4uSIv*=JiH~)45Z69@XBIMl3Aw9@`+afqu^O>e-!}O7 z!V#nFtIv+L1EUhv=hFA*VBgb7KNG`iD5=VFrsVNixJl{aOZv+n_y8RGF^L#OwAsleW|5yJ1_Iv%^?1{U6|8DyKtIt2nKXLE- zt81Xo*V&q}>C$+KrTjJUi7Z32K z^8=kxWzMlr&cNFrxA^^&t6_@o{`^a)^T=JKaqDd0dDNCcDI3RH3n7B91fQ_A0&l+N z$+gkru<5vkK}6jlh?YkD60N1+syH(2wCN)Hrg15?SNRxR<>C!_TH65PysaHha=M73 z_S#9GVM$09vOl#PtqcNpmdpkF5Gwx~>3e5Y2A*qNprVeK1vRly?eXE{5Bu^;kvi&0R02CPWckgxtAqi&bB`ODS+_=l?$xssd zyU8cbP8~JL34rUbt4__!_yeD}Zg@{!5NODX*sp%hLJ6hYUw)VNhk~D%gLJ9`AaeF= zy2E9EV9mMC|M`g*oEnw$SbOUaKRQ(-OD961a7}$fZ;UUvO3{Aabo~&*mB+;!istSa3{Ti*^sRGgWwDdDr(_by7Z-K+4C;k@B(fqxuGdUMTMUXa=u3f_|5id!mnFb%NS)W?)}(Lj5JN@4vpHj7&|T1>n9%|59UQ z%e(4=tUOhl!gm@$A4<0!lX5}PGTtVcn~Co)spRd4=Z%0aUBuS&o-yFo@8ITRar05Q z{fqu|{sH&>^m)8$+srRv=rZxFS-c_$2ik?$&}ix8%$v?x;S2$i1XpRkTuXJH*cUxjo(OI`FUj|85_L ziu2}=HtPY!X4ZR!Kh#0qFF=OU)fkHCH))+;@YJ>T^Jp%ay|NOVv2lu{=`@VqtK8_pT@>mEx(V5zVa$}N(_nwG{`DSy$O;>!7@caQzmRKJ| z@q{n>S%o*$GZ5a;nD2!2h}0n~S1HK7{HXTOQ(+LzNlA`>!;EAcPS0(ABnGbor=8o6 zZA8gbxzl$_3B*2Ik%=edePC?q?vW%SkDc%XPHCkrL2&sl{{T&f4@7+_WBMQ$idMul zUhv&g#l~CW-Y;;^cU*bg^BuRo$&CJE{}u)ZxS?e0fz13+{4+0U9aUFo>|IkbJ7x#D z60>$(RXRvATsJl1fiCjdwDxm#S{iKbu6p*%YoUt`;?ggX7?5`+_bL+cmVC!D$F`z2cCA_h68*$1b?Hd`V(yGzpg9u>1Ct?FRL#1qPYxNnlFdM&Gl8 zHi$=Ob&K;s1F#`)J1Sph0IA7v(&w}diZNE0@O(t9tE>_s7Yybj;hFhJcxHYQo|&J7 zXBH;mnR&78gNwhCRLtJ`K9txeuCS;4r-u$Ywe>E4W;GA|8sBo1{ctTH`ULgODAk=v3 zpp)EYV*i=wuA_M<8Hp4{)4uHT0I{Z6&FBPs*nHDr&xEKI)SoxfEUqQ;4`Pn*RdsAN5RJab89>kn=0XQMEJ|V=o;8h9m3(l zEf4;5#}~WLNWp@8LE{!ORkVY}spR4tX~-y$aBOG&HR$r;$AzhJE%b5!ea+Xr#J-XB z>OXRK2|;X&6xF1V8DiNi<-3?F2#*$r8TC(zz>VQ2MZZ1@V&BJc`>XH2?>oi#Rg2WW zPL0&R&YRS~PLfBGhzkoy z9MU@?Mw+iRX}+SQ`AU-JD~i2daPv{Pcuw4S19!dS%H!_mxc=~`^|`8AxwJJV9EL>Y z<}>mSKw1rF^VZO8;InQmvZM0_D&ZQ6q9ZjZ?ELNvVNbHK{S9}%xc0=&FF7i^XaQ>w zESrmnzo7C33YVIv@{;lB)WORed`|5|YO{CbBkcVF=$57@ulQrn7Z|mJtQWU_gxO_oA1KA%3tN@qq1~-0N=QkH2 z@taGK_|1h#{N_R=esg6Kzd0v99-e9EL0`qc&ew*!esTFmas9_%bYk#vpBz#PWUFci zAqX0>2>6k$g$6b&TC0W$!D?|pqd)<%&R!{d>0}i?-#6}ghdW=~cmsF*_5Jy;^UdMj zHD4{oi2Z6rO|Oifvq!e^=c36bq@d>e zh4`^gq7eFhqsY5G#$X^JI@u8~j$Mz5>p%Z=d0hM$ZoPTjWYIwJqg1&0xH_)xaUIYO zgc^%#H$(S^pU1)ideIKQK0?>SHaL6hfc_l+Q6zUeAddb^I&^wOcdDIFg)vIA)C;!_ z;CtRsSEOS;N^#2cJ5-zi0gpMiOl#PI`S@_zv1lSLx?P7-UXR$PydYHQKK~BjXADj~ zzfyxfj2_%~`$8GKOBhPrpqquA?_%dU%WN}3atn(( z#Eu$Yp%Tr#fkGS_8%@fx*GEN}a^>$AlnWrv%^Hn^*Vrhd;S`AuC zFq@;#1EUm#UwS~Ztz+zSq!xDnD_lH`ob#g>X6hB_+kB40-QN93NT)xXMKc_Er7#4c z)JzDcf%OsZoyX&gf3X{Yz^?#)$gumAmey zhHz}2j*YT}0J!&A-17xj|9|EGcYnsc-{IO57w?qvHDd1%7h_Q16fqE*-2sL%HWxTw z`+@}%gEG=GMz(Zc=y&Z2L@In18-Pwk^~bzVj-Hq`nabCr9~7t}FpC zKuymk5E;@HCuSGzc222jhpZN)AAfIOLwwdlS3ENo9_Co zFrn9v~iFezN zPzbNY)hW%DS`ei> z3P`jXf~w@I11a)R@~~bV`hi^_};f7G%V1XUbSoCxiX@4 zT^_t}gc*Xb-7>5*<|e-La}>47FYDmOKe%`sT)r5drGaUybC$?`KK*8-lMyt)p{rME z1z=C<7HcUnJuv%OOOeH{4OAUH6#R-d2v;B6?~D5$w5D9A-L4gYy!pqK533WP=&{uG zxq}2Kmi*nJC1n7;J%^=N*mQxG5c5^d*8qF}!NoJ<*0bZrhq(TOE03#xPiR`s23kkp zYv-|#__d{O?C*?6%~u|x}p=8J=VB2^})6wE>I=T58eFo%_+lD z8ypT&Ro^Rdf`($LofY!F=)gecyPvBL@GJYN%uQ-L?DJamm*O6BCL1^uXiHn2?|@pk zcKB_bH3!w>Gi?htmOz$#`OaQhFQlm$e_`R4AsB6+nf$al8EKYMSPmbLfLq(V-6qtc zK~t{Y=CIvfq`6SAg?la%+%vtpx}w9d^H;d`#9dzvLQfMe-_Jy;WyvpkDt%#L&z6N8 z-vAJP_WFk+Ul1&Pu(s}P^M}T;$@?=2!PxN$Zv61@GqoRm?L86fSS|`YS2d2v9v_wNyfEL(O7$7#|a&-$kq{qBf;c$no{Bo6zCwx)V;Vku^UDnXHi|01z`yz+dj2?+zd)Pj{R>IS314)&x z8KFE5*nBHzMSIjHp2VQAJ(e=mq5d#z7@N{dwNufZOkG&70wQ?*}um=+D0Jmd*t1U7bvezzyxFX#F`m;)KYp zyrTs7n}c$g(`?C2xw*}RG zWpscU{h4p0tq!2PHkc!??Fw^0*)}yu+7bH&1?~DZstbW^t0&1%yMVHO^MjXn?ID~< zkjzk&fN;nE)B5Ay7yfSg|7rW+j*lykYfs$x9Jk&9R~|RNgqu&e%=UWQYVrk?dU~V! z2Z0PoNegNnK35Jh(J3Y^vy~vz{h97gOf->y!%!<$qXvRptCrZ-biw-6wipAUn>u&5 z2A|(2U;y!q^%5VAbb*nJO+EJ$3o`P!7^D#7f&TROT95z#dcQkdf56rMpDsTy%ye}= zQwc8Le=X#pxisjv+T_f3!T`DFcJ-q#GH_zGD0X;(5*=tXaK2kF1An*q>c(enzLS)Q z=6YW1{a7=H7m;TRbzI!wRh)M~{xvTUmuSAte$p8dPHy7|PVv8;{mFjs||^dwjXIXH9_~;T}`;u)c^Q=aqm;O^ZmQYsP3T{e5xqJbyR)|7m^3 zAMU)$>tqXwoyT)aADY3DtVy0QJ$|6xAn&@@ODH@O`DI}iWQ^2rsf@jr2!(5#>jmx|b3jUC1v~s(^pTCiw1wTC9oT%PdctI{t?^OF4SujA)&^}&^QRfTU7Il?gGw0Gv~kN`-@8doSNC;)qGj^H*90t8M{ zvvrH|A*YNJ1eI%6=ui6_uKu|D5AOR2uKfCb#RQM|PwlGV-Ad}`tU~JN%mC~CoVSts zIn%>`W=~xI5rpgyzof>z_~5AXzol%1DB49 z5P9SRz6#nDnSoZjk66tuBeVj}b{8Xp(eJU%n?4O%K?Uz!s;?LE-_sBIk$X8wC_rem z-Ka#J3{a&{XEstgAdAbrSB7^>!+6I@xhs_N;Le&Y;qU1JF^N5yi+@VG(`h8(MENb9ya~s{Vx79{XI$gJCgJd zCh6})(%+4we<;EoU*yPq49$ZA#L3e;be1a{xQZ#PqVJtT?ZeT*+21muy&~F0>Ovk! zC$$A!bWVhQqRXAF41ypRy5&%>1Ob9*sSC}c_z+7&F5!urE`;jT#y{7fLi?Vvx~cTo zV&m;``w8IsoAMh)R+}RUuzZi&LVa@%vMJwVO#Xf!be-ODBUue%fBQub-n5)gA*5s6)gbV)m2ySN?zRxAS+i5AJ#Q zchmo0eg1F#4L9ESZ?nJW*A*URZVm8{>|=}ekcY>meuEFv2vFZj6F01+4o#1Gt$G6$ zAv&p(g*~FtLB((_sJK>7Y4~zOd-xxpY+>!Kd0|nwp0K}uXiXWSdLz{%)TVS z>GC^6zSBWyyLA==M|=S6^OZF9LO!Uqt7)?A$huy+E#f&j)M%GzPNSgx5vWZE|U~*HZ29m1d^BAd}QIP?2Slk9Z?upYI-vy zV29T6c)BD!o*W5}r%%G;$&v7Q@+3T-0u&DH9O^u2h&T^i^{d**2d`NC%D*)V!glE* z@mb=yAJS;&VDk(?#_Js{mRfAI9O8=TzPkh|IwfapKmVanu*M!5aS*VmT^ zX?=N+)|VG)eL0iXS2}5ZxnldLQO7P7-YIivS*YCegI^CkKiYrUB5MKH)HPdj1s#d+ zUO(K01&l#bH(a8#pQwM8(7Dgg6k(_}`syB$`5yr<%U zJY13pmvEqVKq8e9M>@|GO^eyrIXF!|j_MA1uXc#E|w6X)+$2Z4zi2K0CPK!^0T2?S(Fm2{}H4fp{ zo8#WEXL|0vT>IgPST3m4a&&6JR5Rx%jaS5V%$Ry43F*VxQ(I-kSVUn{-W%yS?*Gr9 z%{>~SCI+;+ z^#$Ri`T`eHeSsr(e25#r;r9FeyU7ovIFes0a6+i}9`WSy0hcRJW>uPl;8%k5V!2H) zJhi?(6jq&%BoeR3Hn;cz?s@umn=h_DxcD*L@p0u3CyO*bohG&~>~6}k4%7vea#}}S z6B|THn@K}S>>tu_HB3!#RS#&}Uh=R9Xu+QzpSta;*p++c;H|UmV6%-WSY%a%zP_i2 zb{yfnlKe{@4P5A=**a_v71fFi*HxSlF8<_C>;IYjiZU6G0to4}TgKNcofqs;fNRBU&r{$L(p>`IbNTo)$tiqm(Pe_fe_RpSyEH6+rO! zC8pPB_>k}m?TTeyIk?xYO>Za2gaXsGGf!4%qtQ=$sgDOMpfzj0zCEf${)?tO9>yC+ zFs~+CX8G9+lwZ9HQC@ULxc;;5|57CUq#6l7DMi9hN|W%DY9#!mIQ-ql->tK`bV}L~ zuBt|V8(Erf1eRn|in88;>zkP?SZoq3*|$9mZMmB-b`p{G>j>WTpb zJ?xg}n^c1d-uj*Q2SSmLg~+bxEJMg<6IJM2(FToHz3ee#BW!#AY5j4>$Gy+uj*lD9 z<9;t(|Htirh&x|g{r_&`|7m^xw0&^(|I_lg>kGGDK5}8l+@Mbk%Hi#LMDZ*N5}lcH zcR#U(9PWxn&5jr}ObEGC6BGsuKh^l25&Li8-bZlt$BmzH^AEV^HSYMh_2~{YqB6YJ zhQQI|u%NhSCCEeS`j`)snkCkwnb2a|R#NMQGWz_ll? z{1!JIugnV?aBzfUC|yzog2#hJ=@z^YvOOf?u}tLsk=@S5xuynwWv9fRiYsH=A6K7+ zt=vb2y!63J>7$;fv?!`HE%XZgOn`{y^BENtI*=6h@%YP3F%+t^B6O?V0cob37ih~B zfEtOUyCuUkP=4Tkhn|}ydNHNW6}nX)825h`7rm;DJkok}=;d^=^~c@Mapjdw;-*Jm3AmXh|O1KDgiaPvgmP&llYH+4cOb zG%0^8M#|sXkn*>pr2MTUDSs>aAKH`1qx3&`bz(mamSjKcG$RsTotK1H7a-x)dH#0e z7syHeusZnPHh$sSW!V*TThQAfTg=*! z4$9riJZ8T85tmb!nal4)L>U=zm}X}vux(6YFx}%0TZr|m@#0Fb>+xw$R!JGq7@)tP zc1{(BAX zeuyjopVhNakm^&&NcAZ~r23S#!S(tSa#DTD+Teet&tJDE?)bR!xc4dC^Cg!dX^3}P z4mx;yj{K;Tf{NyYsuY%Xh^IljZ^2X&hMd?ft~ANQo;2AC$yrJ4dK`!9guT~YY>`j> zsL%P0mS{Y!qz-LEP-waFTURszIIo>*to+SXu85*8WSu)bLz?l3NbT?aZ24cMPq_}J{A~koMDW0LTrng zD@tZx2X|du63ikPfT54mfZtCe@K#&9qMt5~@~nn9gfsNu*2&}t!XgS_Ix8zl(Io>P zO?hV6AKN3&t&}=H0;GX8Mi625aEo@}**k9&f&-E@uMab`r}g>M<4?po36(lC!`97D z-Wg44AX@%L;nD4kkZ4aHta*$P6gYSvJx!E=-7XbQ5ihB+@i4gY|ChVxX!KOG!A$xI0ql<%E2Kpv#rgYPbo$Vja$1_HtoY+zpHbM@jVLLpdtO3Nb(_i zP=3E-Aa^}+22{-^yX;YG%Ang$(Ianz&s^0Y7< zc2&;^RM!Npi7+0?B|%8-{mMpVCkD-*WMV|L2-xcdcfZArH*oXS4i)FkA8pnHip{L| z3V*1BykCF}r7Q70ntqek`6WNJW29yW@2obMzuWVC&O;4w@wa#5lSGS)onf-mC&44v z2PKCO^~=UNfZ5QJ<%3~I2z}#hXtXa7y?GezZ#z-k_I?qo;6sp_*+_Qj zX%nOroG9hs=s-+8hwuE_+y>6Sg(`F2Gef8HJLz95bWlB>oSZ?;3_RT*Yi?RGgMNbg zP18t5&}>VlnmnO~aP`N1|4OW$?%^QfO6!(>Qmvjs$WA9T@zE`yWa}2i;ed*d|ekGy0yn zL&XMd9Wy-gzA6%(uANoveB}eH^oo=E5j)YwM-($Rzj(kk<>QVg27SRj@$3tW-#*y& zwz8_$8($UiLh6jah~F6=7_RDJucTlF1M8zwhGxV%##H%FObVRfr`jE;WyS=!^}@L4 zg=6x}puvzIsux*Z8t)@Oa>LIS=a}iikr$#@m2T)kgm$H{`3E8n+{)Z2DaZ(Wf56@U zas3T<{i6QKnLJ}nI8SkyCR|CIP%)7c$EahpqVhPa~m2`MV5@apwgzWd5VJKyjM(iH;POOzBn`eN|kChvSnmPT8S2cGwz zv^Y;Diu%=mt(5NL0{x5qr8PEOkQl9QzJXj4v9nGdNDAip$J=M$!+h)R_MK>`xbqQ1 ziWA)Q?_}QY;SV*&uV{n@VvzjZi?e-<9x!%=?CH;8|9|{^*ZD+LkZ0yMwY8M3&@lZ$ z=EWW+2<82-En1BpzI=G+&>XW38mWuj9(ObRu$0uH-_=H#o z^*`~6FDX7D)@l7ud}2$APi(O3YjDS>=V@v*ukc6u9EQiw3j{&zX_4Q%_;;b_C-3iP zf5Q%D&RxqN3xa{(mw#>NlK^aeaPbeg_x*MJh8PL2B1FQgSdj24f+W0(2nnwuh@Efw z)8jLFE_7H7K!83c4tQg;5mp9)ysKh4HKrw$`7orPnXCg{DQ0&s;%|8af(wEyFdf6XoX zwTQDhe0kfzebv(uwVb(rT;I|Zj@;0ycgj})Nn`dd$=jyD@>%2kuOMrLdtb)Y2lsxB zJ3g*F?t35Z__+LNxa0q6d0c)vpG|8&SEr@H=I*Lzzq}T@*dQ+b5{UtMXL7Hiia78c zyW#vmMgxsnd$^Y_Co(x6-( z{qU~8JS_FszAfa_L%8`6+xYcXniK6#tQ9wy1M16p%Rp=mDD+%G6svSr3dN`sDV_TtWS)W4a)W$ zJ$uMU9SkU#A6cDI1-3JrSX(cj#mO^#pd4Y3`K7V>nBJ7E`KQQdl{}g zuKzoS=_j9m?F9*(6DQj}Js_`c3pdZaE8L)XLMzJ}1PN1P#;>=!LRoB~`dIE>w4R@I zB=tX$BlSN~B=tX0CG|fc_QCj{{wG8nnCN(HGPxESo#Vl}|bD;fpCL1)~rwrX@ ztq55@9kl_STcNr7-Q1C6M`YgjFg7JlAKt#Wl^-LFkRpc*ZRImTFldzOIU;5V3j^7Y z2wM8s`xWkdar;5x;vcs2l~iXxGlqc!mpcbN^nu&7q=$DV7`a{Yqup@C7$#PA_ngz! zhq$9u@~6B_;aT5B_L_UHD9)Dk#f) za=|Vj!eK|-{aF=s^0GHBODTeS&OwK7sVWfC^=q_trwT}e%=~+2B?$Zi)Plv%2$zrk zPv^IB&llYHAl&l;_x%gEKLhUgxcg^q=_i_)TxFPL$#62dMnLV`v<#>R6=1C841SN9~J4O24wO`VDqgv)4qrneHsjM-;eKloo)?|^lf_+nB&3z_k;8&H)BB9 z&@v|a6sLmw#PTMyQ8bU0vjpoOhE9u(EN7}Q{WzH(=}(* zgO7Lex?is8!}fiC&o-89hX|`@=fpdi!HJII{+lv&L z<=e3Pb>QkF!BXVre@+ArbQvk?hfAQ3>Sr>)+6lp;^2D7kQz3ZQb~j_yNErpXQCmrT z;>14RZNfiGkVU8??rWhHs&56L-rGL&+E)o^x7@`;^<4?=z2kg#|7KC*yKKXk%LQT} zMcc<<=p72orccPmR6QZZHAB-ZWGB=sXY%ZliGi!5J|nA^5nz1f-O$yyd1y8_?V@j( zGu&31)u(T;f!F!FH`y;b!L9pdx-Kiuu#}f_q*1{RHVa6IJ{(Cx>-R?q(*046bbk~f z-5*f+f4yHl?*4`wKj6Ms;`%?XJns6%&42#W<=63J0wg>e4++m^K*FO4!i|R`2ukU-Itnndl@n`|s*A|!iF(w<20TKcdB7$^x=hEHXAt^{mNC^^BA__<&p&|x~h#~^Q zScD1+A}U~lf}+w2D#~}Am+SrWdp`F$=Q_vxd+z_|%$c2?ot>SX`3>&*`rGRNas3Hy z{E18dch1uhf-h&4mk;mbgNTb_8{Y64BbLo#UW*BYzNf_=2AwJaxYzT%;KwvCc0DJq ze%9z^iTxl_#C{N4Vn2u^abAfGu^&VdTOQnazW!VHi1BJVnltl}-gUqpozE}2busfa z+&i}*ed1RgxU$>nOzdrd4_B)BhBn+naZPT{OMQ6|Kj8k1F}xCW+}7MDI9mj!Gmh7f zMn|e&M1-N(-xb$}g{WaPb`A}Ce6X%&+T4?%8CpKKS6&629sOj9>0imNS zGn$M-NN)15zpex$G^B0aKU5+C$uB7T2aN^c0EhhJrBNxMtJj1}gg%YBKtVb_7crPP zvA(HP%?3qvmmfXXCJIz%RK0Gj@IlivA;+_ig}^zdII#Yk0O+_o>~{7M0&0aXFL;a0 ziSt?hyuK0ly@31wf@?px_sjnpJ+3|lP49W${AC9rsdbZ)Z5BY2;(Eb(uNUGHa?;m5 zY6%Y;L>lW}*g(3$prNdYH^S8?sqFzbUxzCXF8{Us8#OWiCQZ!0Z6M~~HWBl0yu|z) z89YBUe1ooXGtw!&bt;=p11VnV?AG)Ue!PSdv)LynLn(wG{1-y>LDWW|{{0X7cl~>s@j0#}_UKx?7K` zpbw&ftBQN+(W{fZQ@cOQ0&>iM5Ozo!#KbQ3^dFH2l@LYCqfQ9>{>7DNjb4G6uTUZ8 zE98jz3OQoFLXViQ5XF99976!O`*~}G;FlSk|@ug%P*1U;I0}X4clVFbADXrg-`j(6BqZ0LbEhQR2GXR^4TGJ z+l^lsw0i2+I|vc#wMUdDJ`m=(mUrK|az|PkG$l?5T0C+=`AU9oEgY2La_pT`Z+^*u zP{+qYK4}GPdwwz3mvXL27RnO`V-Gh-Lo^gn|KPAi%uYYUdW5ARXp@cm`#>3ZJr|iC zd{Bmf%lECNJ0k%E(8u)GRgvJ(;G$#jxeCp%j}WJc_JOEZ4xWa?``~B#If?9D$t2$| z-2HWVccpP?oe_KtD~yuo)PwD(rkgu>5_7~t2E$xvDRu!9S5?hJG~q! zNR5qui!1+y^)-E?O6g!-B`$tDBpKRh)IvI*7sI=uO~YSg(_k@d>S{S%7MkUAFqDE* zDDY|7@v~I^AonX)rfI|;T#l(}SU3B_^AW2ty;&>7xw2BhC+H0mWJ{wwR!P|N8gTo$ zj&vDFZRX7lvpPJ3u+?2_mda0Z%zx}&3FHt>}H;#jYS1NQ&&#Qlqo z4%>BLsD3y)#NQT4G}zWzjOl=y=G8Y@LfW9+p(JIXX^U*`$=$2u)Pj-JE#HEVsv#I~ z7X0OeN#|8KhQYD@;iN&hUB|5wh5*TsCykJF8WCaoM z`}1!~#&0!3Ul^&zFCCQy!B2NL=Izx+8P~6tEPj{6mIt@rcCEi@v16^j=}X62f74>e zT7T1G$69~WT*q2}6B~AXi>n{pcoO&hh#Ozs5fHPryLS-m-_So+=u85WS+Rs=uKzrn#K?GGmm%v~}MCxhlBQ%$|1PCDaYYE$c*3DPjMAQN87E&%bN}Ja*s4_nF$G z5lxdsEERJ^bD>xV`s$$POz`c)f^GnGR{vD5|G~w`14mUYvO(;`QnjKLx1~i8p*ByVLMLG2VVq5=Hu(c!T*>xyTCjTI1RhyFHea>?vIqC!D{MAh$Xvv zi;5J8Y)aZ<;4A_!mO}$P(=`y&puwK4w*|2KB}vVH=-A?mO~M>#<;i8=*NsAm+3b6m z?8pvinG}`?y2c9)G>^nLo!WqwKc@CYK4k;k`~a>!;Ns`w-bc9hux9^%KF=3d9$b1{ z|Bp*wCPKHZ@Sy;jto%_CB(VeWvz#40xh#Sf1q%xr3*^9Qc30Sx4lf$pTB;scEsY)j z;L3w*Z)^X{{KR?;K4LwF5wRYFmspR%Pprq_0XM}&uU9rK@bb(Z&-82|RQpwSRk478 zLuMlsTdu$is{9@;{4T<1{qpn@(^f|8_!&39jZ2SfKcuF|-7j2v-25;uelKqQ9xgp@ zeT7Rr^Uva~(opIiS-Yu=56mkgWZMWhdeL{te06uILZD^zj+c6(aA+eL?a@Aa)b90k z>#ZVhBp0_M)7l~s)g^>y6>tZk_r>JT9rlI6?Qgj*RYMBUGq*s$@GA_uLW8P@Clx`V zP1KLxLmnOkET-PIwnJYJ_i*H^$bk-zyTJVlE>QA3T<|nUT#GN7rq9+jn!V zhZC=_$2jm)LGhU9c)`MYV9C-AwKb6jTGvE-{!9jFa=7;9!jvYu{=i&lQc)bZ8;)d{ zOm9JM5zd!$33z*J{U-ciWP76LQ=c$$IDX>M{5C%5xy8ZF)JcdR*eSC(v}Mt|rVz0& zSJ{d46aTz^*o{jtW_i^BHtdY@k4|$!d3Wp`6uoWW_qBYnd2&6Ny*)d4l-vOH@839A z&1s8HiRpD%>FR)3ScK9s9W~HBKGEZ9_*=uT!?noIZ+xg1&c&s>>QH+aP?`4HfM*e$DJu=|di^iNN)`9+^!FLaSnq%h! zaqGcw@w+}eZ7NhF)NRLxt^~Z;;(&7BdES2|WP&D&J6V2KYQgt)4H2#88enui^w3WN zp0+`dtK3qH9TYw!TNf_KmM;<#Ysu*6!uJU7v*Br9bi8Eguew!-EFOPZ8Xy z4JwI$Z-Tz+n<>cIYeUPC&GA%JI>045bl!2m3O(oMbt}3ikBwJ@i`R{tf57G6TeacC zk9h>rh1OH$1l;HN)?95nY6MJ@Y6k4IYCyGZALWrp#)#ui-InAeRp=S*?Fl;}hi<6% zmrfrV()exJdH9ix3QD@oCi3#D3Y2Zs84z91hP3RiD?dA{h+R(`ZjeHDd`S>g#uRRv znDBze)dYpFr+JZ6WIy>87Xg^mp*naakRL<}YZbmK>R{)uw9K158R9izH&QXsa#lf7 z6_*w^svvl`?Wt*R7=j9hp9=9Rx~NrVa+kHJ3h}@1&;PS<>uvr!fAZ(?yk3@3XCeXL zXp^AP-B(RE$SSHSjO?`-oLXv)dNwNvyO$^hJ|!A}u8829#wcOzeAHS!j}D@_oX=yw zC=JEErDqr&bkO1)TkzmXX;AbD5YVtA)HC&RMzYe%LevtS-1K)lRM)92*culFWcQ8k z&(=giWM9+J{QhI;*|3aO$E|%p$9r>Gtt}3A&n4_WN5I8d&z{R17%Phe=DTFBlM6w1 zX>5CCigT`@mELuQzdQu#Zdy%>9&`g|Pr8AJYA)ct z!>%XLGX$-OKN6q5=mfa+$++aa~ge zPw;=*)iuF)0%_%Xm_DmAf+)`-&-^zh!Mto{VVF`6?xwSa@ec7LPJyr2nhe>HdBlgX zO+Pf@$m5Q>oS#y_X5BDFzSRo*e#h;H#l4Sk|7&pjk8tlVYeuGLbYwy>;!_~F$9|OHUdtl?OQim%j#i`n)kMD-0xtcs@2!LK^cs zzYJSUYdF39EaY^D2||vfsY`tjfsZa;-1)Y2AZVU(TPV#LvdHgCGRg!ZiW7%ld~C_RJgQR8*vB8)`_h=)YIMNP&#dY5&*vB8#t*psO<7uUqmK&K=|4HWv=zIb2shrwm48h?YQ*`NhJ^Drk*1ri zMx2kSPMnWvNSu$Uj2$21+5_%>;qu3|e_a27dw(kbl))ZoR9^9QXt6!`zeo(UTH%IAclX!s{HcYE_44}2 z7CB)Xr&hZojS_HH*u7^FmqV|PYiK3L$-#usiueXw4?_QWam4vi3n&75!~S$@NbERO zvMb&TT{L@P5qQrE(#Lb+7}adB-|x8fKRkjW#oVt2!A0N&+r0-os6YEHw|0;SaOw{; z&6}wLU+C@h=z3+8`R!5F_Y@gy{AAqof@}Y{?`2Z+$CU>+AB(F`-1AQA`vO=0xb(R3 zA+G*$`zdhui`4YE`oz88ao-DT_!agkg8 zW&MS?CQslxSQEMTiVN(?-BTQ7xEE=(3s_tuWa%YhA1*HL^TNiv>s{2^$|akMVyvGX zaFI*|AD7zt$nP%5?6v)T0j&#cv(3~?Yx0IrelMTPJ<6!mv-rc;EGsa-w^8H7XA9IQ z5?t-mU;tgu(u*UXTR?*6SG(9gYt%o)$ricK2>ZS8Q|rj###JNeRzCQ(lrZmZvgmMk z*0K?ldC67}W*fm#lbq8*ihA&?t&3j5G6Xr6oK6et@`hZ-MlfL8?KG?Y0 zc1$&k1C9?$cL@pc0`2*$^;sf(kV>Iat~5!Q*Ys2NRey*c!mWQ8a8P^Md)Ewc%Dn%; zP3RY+iYzmq;#CI?32vYETZYK%$l_tD8-#fb#Ko%W^vX@eZ* zElnA?T;b@VEZ6%~cNiewpP(Dz2tO5A6vjvG;ABfLIqPOGh-^yF^jPN!vsJfp(;w|c z4jx;6l_YsWMY7gerCMj;a(bpE77&7+pTy;lOOKnM$K{Vpj~fr*;tS!%pTb=AjrLN~ zh@z&e(z9nf#PQiwt%UIdPv18a-Zn{8z7XQo_nUxMtAh_aRHr52+ym_a*C-K0e^oN&eIgHx zE+x^PT^0qWa6Uu9?LRu6CEIpo5b*VJD;s+>7Swy)ctVGn4HV3H&4P zmSuPDgKu9fELtu_!1=&80~68F#CoSc$0NesU)=a-$?F5hsSaE8iJRraWm^km`!49! zF#_IKsr4lHlUW0hn2Vd4U7&@KmtRjC3hH6MUvU4IasA=a+?#2GZ=0d|UiA3Lo((W^ zI$)!kDK~QF*|+|I)F$}o=a5d>050Cn+Ixoy*5;XRA^O+}#y>rV%sLKvhoZ zA4&LM>z&wi>w^%;l;3R3I4nT?AD1NlkE;^@$7P8BbDq3N-n#IPbeTqi&Hn=b#lXuRfXzaZE?ta^)``RUIEP%cdpL067a<^|Lbw{lg$}#rPD|v;>o**r^^G%Cm7ynizex0TJ?V`7zklk~l?GoA zeb{zWpklpu7_z7@lC7!=0(P^n9#c|U=mX{cmK{GNk;16E2LlbEzSd>A0=Jzjio%;^?1Rx-{I)}U?4w|SDoRSfwI2aeam5p zgn;JQAaAMtXnUirfMTN;Jbb!n?X@imJO24J_Uh~THx9tqZrRB3*$0JAMOc|9y8x?w zp3;#VSE#><$kw+8qFqiSowJ6P@Pfmu>XKa$T7?LvSs6<>IC- zP5FV{lYwYy_Z?}Y4UX9Iti{__#CY467;oDU<82#ayzNblx2>?_bKLhhZaqA1JdBHH z+rpaX(A=&GkFW5rM4pj@ua_cgZmb%iO%EFxTLg>|YfjjYJy!_*BkF2(l;jFT{YVq_ zsYleOEK#4bM1ATI^(l>wPm8Nh-1ihNy-MJt+EdqbP#L42%h(%PU_9}@it3Rv*lv}G ze<7xarVKx_=gY~%wcej!imu3ky~mjkxeQ@Q+~SmP!YNN6qips*6S)iCvR{&{%d~~? z!fBn0905q?NVwOCfIEnvwRg%L^n|d@F4uW3*#k3!ePigbE5wf^haCyZKwGIpnl^ek z!-a=@vdfG602d$Fl>WGV;G-?jd8H$=r$ZL0RC(s+?_h*m`ejAhg)^4FAY3A zx9?WZXDYz$N8b99@kYL_JuvZZ?4$cQ0GUpN9z+Jk#iv1>zmQ(u+YKW z`0(+5?Ea&6r7KwiggO)YhEcJ~^fct~pdfF{ReOk#@a4E>?F4Pd7vJvp4~NK{_@;P% zdr(Yk$Ugz6(bRr@F&lPIw2w++`!DljNGX6^HQ{I>Y}cPQY9B0uKAx9919lezE`MBl zvZ5AVbU*}-f9sYKF6Dy_`NI2#_llw$?r>f2kr2Ed6g+U)NdQ_s+k=0+(MD3&?nqfW zD}&_Z9r4#PGBB+3DgD}RMetKuf9x~85e!X52ajx1hA{EXN1Ts)BHVg!T>k&k|7ZP^ zT0gk+K5*{~T=|blY%SrL*MTqI8b9BPE2GAG=B125xwSMjl-DhOVCV&drbP zA>&GiuBK}Ux|8}tGVQzrF`i^1;^}Q6;_1l|@$~44czTRPJUx22%xcgt~7vlQPCe z0uD?v`PZPL3@dE9)$8Xhtq5uaIJqbFDPNp5}pTX6A9anCRA|MH8X?2mg?j8LZ!#arD9O&~J~_(D;ri*oOm`gk9| zp&^~bUacXh4I7F-CSGgM09$MAvYS@cC`rxW^ad42l(VbS+b36#fMfLLbIFn(G@e~( z)Tu-ub+u#l?Ex+9{lcvuUb*EWrA3&VQ=5F@W!?uRl-Sqw*^@~I#v2Sycz%%t$>=?% z`=4u|+_|ztl{ylD`yYoZ4{p5*F8vxlE#ZIBC+3d!5kg-p#c`Dg4}`Xj$kEMvvqCTb zTzxA4cHrfs+;;2}D-j=;Kp2xglKIM?GJK8?9%3yjp*12kf`Kr)J5{MVPz6GGwz)6y0`F0X#%P7ka6ul z=ZmlgPe~q79&(-fPIU!6seC`e^CJ}$Wv;2zCzip(T1)e2!2>W~HYuegSpmV49Yxmp z=iyxRrQ^XT3*eXZFNtEm2Bz_a()&D1ygaC+6_ zs;Ra%2(fLSh#}vN!qzc`2~OxhnJwqx+nm}EW@ON9RHFm3>&iPWs%636#|tjX6bB(a z>3#P%sT9;Vey?Wz=ac9_;Z}vk_Xk0(+39YM6r9?P*#r&I^a~8J!;NrL7_P-apJ|3w18VqUnp`Q*2 zgdn~r&$yIlcEe|3DftbGK`;^%;heQG22nS5eVM+s3vlrtj2=GgppDalRr?QJ(EqxlL>F0aU~`{ilET)f zezuU1y`LWRs<-zlWa%Mq^KlQebZzK+@{2z_Ob5z8i2E)ITOrw|$Hylhs1W)8Ilc$( z{))8Gbi8pS)YokcEXy`A1L2&LV?;?wS4Zy#k7J~(H7#vHkJB}#@w5v>wx;MCPP%{ub8J|^Pdl)8qN^T` zKY)#=jr%^utuGapIeen~wI1kdU6wRIqX~l}dVD+18bgQrwaP8!fyg-Irq6w09k~8F zZ=G$H9(KH)_R}!MTPOh*#`3#%sHZ?PIbUOM@Bx%DH1j23r3CqoxiSqCaI)^1#9Mlc z#(w~pk=&slf-}*1Pjo617*=-yF8$0I&q}v^ zeI((uWIuk!5H9$Ka8&$M1miM^%@Qp;;OyrYo}~ob=M?@Etydb%5$<|%=_$RR`bqZ~ zA;r`!v(1?Vyt%;glh%>apz9E&k$cP-c^EH5va%Wj?STX;?$3n2TF0o7r6?nCI%lwn zamo>$9X|Y8r_TV$y_1^qZy5j!27Yl<2RliT+BQX#Y+``wt-6zXQ?!9fSQ|l6&^ahm8w8E8RrVlYMR5`rTCfGa<)K5^|KaA!V@TLgo4>$)$B3qCMm*0v?;YdpHv*OI@-I2PUZ z|FM5@%pV>)R2@o?48*oi-1Xw_*XOErvri6N!TCJXfr*<&AklSS`iw;+qMfi8xIJeD z%a>GMaI>1iMYXz+PrGdacRn>Pe_VUO&7Y839$fyqox*~JUG^x(g{t2(To4@}&OaQn z>;y7(Pgy7STLQV#hOjFP5@^*{ZeD8M6yfs6t)G-Dy}dt?QWo8~m@vP0UK#@YYHx84 zNTE{!gU1aB?~&0Aj(2HE1ib%v{))u1xPFr3% zjy*O66Ft{m=F|?T{F2s=IW1%GIlccumRJ34ty*jJ+3mq7IR!cD+sSgq* zn-eP@Yr!p%AQ9V5KG^XCu07-8IpF@M>{M>>$~FrIuHsi$sLl6)>qbNImf|1?HGF^Z zx9MBVY@s$rM_b)#3Vl@PIO4lXpSO>%QT^Ft|dRjqkqmY~7M_*Jv zp}hH8PXy8`u>W;k)C1x2|HY#o{UtFBsLYa%2UfZR@8j$Z3>!n?{annpQG&h&{A;au z|B6F`Sl=Xp@H%?&uv{NQ5iJ zg?C+_nLvN;@rN-y2cc=gOW0S<$OBd4ryuT$HXv7X z^PzrIc`}aMz2=AD13Ce`U8k!X&WM2!wh&S$xjI`3o#4n-mN2U}CdiKNrp{6X*ESlaL8I(d|7q94WGs+O=VDnXHfBy6N z9k}|zr5AK{dKAjd1FPm2+ceEp(afc=)(aCFz_aPxSZg;AR4%+KO^MM&8F@UuCzzE; zZV$Ne$=Z7V{JoqmOQRhSUWnpv-PuDE5CdfO?RQ?xdZG)pjTCzpEf7sklG{STemFSR zCE)T>9%BciYV!^<(}(^6@~8_<5wDC1&P!*hYY#IfzQof zWP=zJ_WvxY`z3MLi%XAd|2;QS@@pRHqXS{dFiJW zpyf;>%c=o$lG__@y*+L`h8zFm;#c6-U->M4+wfpc0dX91Q+asP2b6?_ZpzO^A)D=^ ze2TY2;7&?yK*}CRR5wtzO(Mn+PETx@*YOSoza3nHtu3}dQLGWIL%KOD@PLd&x00PzZIs zhJxwO@*pJKL0n0$2wWV_%iSAkMt+PF%%@J~L2`Vaknlhyv_G0`eLNY3;yNaNXT^LQTEY5U^hokD4t1iw8( z={(r+m1qze@KDr7b>-5Go`sw!PFYc`LqP^?V>xz5`Og6&ByHaZ(PupOi{< zN4}Pt9lZ8hJZ5I^gQ7NuIjPFnfz~-?Rks5+kdyV;tEJi(jj9M)$645b_>K)tS>B3} zxaj*TOhgQ&pPciT?vsU<97V;*jk2I~|3LmdQ9UH|Zb$jx7YXe3;`&>);Iem=>XmT& zmYLS)lhx?V^~-USA2UHCiPXw79Ej3pwv+<4Dt!7?8Cc6pw{M@$0b-CPOU`Z2hdX&`D(j{V?f& zywe`p+&o`!W5N=K>okIo23Ub*@MZSeV_s&2HvJuL{{ z<&_#gqlMi0N39QAAeiZJy5aUj0~|}<#c!)HN7Z%BG|Gf|3Ap`1MwS;i#O4)HCF3@m z-<_i1C%O+@N*6kKwkc5mTw+B*az)=70;y4tBW+JYj2MvmJ@tKa^^B~^T`JQ-xc%n1c#OE`1=pT&?O_f7*@uY# zOqj3ufAF6*iTKaDMEqwhBL1^3j7BM5n)tyFR}I}xE#BpYgAIIa(q8&VTlT0}2{SL8 zTrCxhE8_!-sb2qy?|j(((YW@H8*dEqZ%zScP4HK+7GnIa4A$8LPkX-aLh;l5UJoiX zz;t2V(x9&@?44k3tSi(a_V4q;8lJ{ZBA$jm5l@4Qh^N6r#M9s;(o+!W$%ymMY zf@Bl_;H51)fkBWxx8a#4@ZSMz&xh*hW(C_2Q#udYs(C8teU}Eb%ciyV4C#TFE|Si>3O0OCBP1owz@+sghiN-2WHJ-MNmhKRbdw z`4sc_X;b9>W~S`)gdLPAzjbmq*oFAb3v}5xTcav^I~J4o_So~MmXqI{Z;_KgEne$S zKG%={sdTfdPwP!#MAd*Z6>^8K=0>y@(Hc ziaLx?@z7OK=+%YnxZynZcm&-iIJJLQXao8Axku#6TF{Wb?vaj(Hl%;J{Jw0~4;wEl zjaJB&HbWO3KVaRaDJ%-F-bQpZHp#%j5VT>EO&*dXxBr$d5{LJDLaMLGt77{H-1Cc@ zkHzix$L+tv<-c~nDnGf!zJ4C>-tf z+-TJ=30#(Gv3qAkub`1xEC!0UT@#J7w{r+Zi-)B1H zvVYF@hGc_mU>CTrJ}YIHQkr)bFi)&DX^4r%u${&3~Ck2rk-c z4CL*x1{=A^;IbJnfr(+>TbKy`ApVWLqBa^`n%-1gDNmLIo2 z0{6X)YyY_a#kl;iY0 zYF_`3ez5IrU-KyE0hpYA^WizI54PnVKU2dzERi|;hpQLJ24TPV#I$eb=Ir@Kl6 zt`}>qw$yPTo4V7>k%H9N_KExdi>sf1I=xerKVqxVg|Ka2eg)E@h;L}1 z>c%;1c%tl){VZ4mGWP{>$~-d1)<3R(aQp9Y`OlHxl_%qr0X~h3*?eCO&=Z+dH>C(^ z5W2)zxvozd@@#hN%U21Y)77=jf;HkK$3sif;@!7-$r&vqtZE1h8-Q7+gz_g^Gx(On zX?T3E5oCO7`_7x@iu@Y)mYb)W051LCX8*YIb+oOrogUD*iQZm;_h8SRXw*(={rsF+}%7hHL8{}*uilUkpD8~^>C18o=c z^ig5rx|(lX(!k4_J>KlEk0O72Rx$7>6Z+p`OXB5aV53GvbN+4(?DL3QPetneIv>30 zXa7+fl(0Je&OJvKWX+9o>M5;(f?GT3jguwJy)zh^_~nJ-%iCu+T(iKoXWa9GYtL)- z34e}vglliO?;~9Pq<%l*);rANSmR`k4MaVT1N_A`&C|*savrS!-$q_}p?`U=EbY4>B@nLH5PK~t3*@{pLw7w% z{~w2oXGm)OkeWZK?FaWh#a%C{<;Rt0ExuBNSoQq2O^b$v`izM*-E1`wIM7yJL#+-m zL(E4Sj11AhHYY<4C1sNPlYTDi-CW2D{qjGV>8_-Sjs)mEy7%22a!r}tsD=seyJC$I z&!4*JouJx)?{`D!8M3U^e6t@p-DW(ZLzqt@#&_22tC~9$k{@}>MrIH1sp&s(pR@&Y zH9zqye74y1q_zj#{rX>{|J%+BF5V-l_v>%d52@GtFaQ6X5C7L5{;vj?_fAGg>_Yv? zngzvV;b3yp(b^(w7wC^xmF(p7MmG*Ozpgjdf((|Yl6K$J(99}%#&n`EO4rRbvPwa) zdh~ADaYKEucIaL?>tcyrpNzY|2}P%?n9bASKpOpN-`|JPiEjmGJ8P35Rrh$Us%J7x ze@$Si9>_&B2krZ(wNtUwO zDHZaOhx5@h_0?X|sMu&7Tc4;J!u1b-+xr(+9#a2@;@S`H{^Ir@;rc6KuKGrMDQQGe z(^cu&vmN62Y^qkm_<^VIn+b25Br0DB@#_1{38N~l8#YC8!F+4N?7(8BMsj5Ax79nR zI!?Wydvr7Vr^b%h-__Y{65yeBjz%U(0dXlt9iXAW$5+qWY2) zI`A~FdZY^26dhN7c|a9(WF;g{9V7T{deO1>-+AGV!t`_6ac;OA8~8mllz=DV_B=2v zf*a_|E}v5<;{nsNj&yu`@$pY^^@BUF3KuUF*FJIeiHldWMz4ctF6Z;uFG@pkZ|NCE z2OYFH#}+(zQW_L}0t7VdWZ+pZXCy1FEOFkw4Ut}pNN+==*CNtu6X|vSOL|!%e{Ldw zSt5UKB7Ytte_m{R!__D5dlq+parX;Xeq8>z?~yW-1IgVhRw%i9qpRCSU8L4Ev_rz$ z6n!MWmlgCW7>*z8w=oSeK~d>uH5tLGfXg3OpSbiaB}##6t}5VjDsx?2x+Y2!m7My# zO99LVYT4*%mEob|m1ECT4bf*=8Q=&M2i*C3xcVoxKf#p;m;S%g&!77r+2{ygl1^ z&NOL1%>Mp;#5yt?Jz0O8eAiSm)P`*x@Ik3?C$GTa6(fj>Q?8VouLBL z^RmYpo24O?I+JQ%gBlVMC;g8UHSGN1+J61H{o|fTTzkXqZ(VzjTcX-F&ugyfmasI! zY}!9$g&N$C{&Wnng4Lz#F`}>SP<}?0^iwJe?0PNS_2Sw;?)w*)KdwK)rN@nzaP0w? zp49qThORck=&ve2A-0-1V;653aw(rT_Ew z;+`+u`x^Iu5LX^!E<3uNUyRXQ{k1e%rUi|2{XWs2F7gn(w6ns}P6|RJC0O*rmNl+^ z8&N)_D~=uSt;r(*FVEcZOwU$AwO?gd6$^yG-bN_4T!9}{`8`_rU6j%K<>@7+tvuNC z_15g+&-d%UqyKaJ!Nn6JqfWmSSEh%KUz|p-KKcS>PxN^F`8_b0TD)J5IReOsj-6|w zNf0xC|dkzrw@+5)wS#i^D}K;EN5kY)Ps51a$^z){LW$Uh}!#2t9tBGKPn43NAMgydPqQ+9O^sNz81u(LXY_~-}>~HD` zRhVF(7hL~CYJK9)Yr~c2Z(Fa@7HQ3FTM4MWxn=Lyr~Kd|5gTPZE(XOsaVwWRC1FAG zUWkQ;AiR>Rdw++=n&jslSD(1_xc3n*eiyDhq^4i9w?D@}C$&7J=1=PN_N;h5l=Cuz z>{muvzE%!MKHgnyV1qU^t0)=fXB)r??ee}~;DGkcZ93Vtg+PZn51Q2a!L@%<%kwY) z{~Vv-=0ixWPh9&clM#BqBq0Om1+7;Ov1_61=K5>nw`CwTLHb#&q70;saO!;jsfo-* zlBzewOJc`wxa(ESWJnN*UGC^`*)T!7WP+&GCeGg5q6Ob#YXnZDYQws+pqr(XX6UPN zwB0o0|HZ5P^LP?hp8qv^-2Y14_Yv;<6t^B`ZNFrR?+Yp7`@)v^zL12q_k|4ceevJg zGcS?@CxTn@MC;yK9;YGN?+6mt4r*J z`yHv3J3H7RS;a_nkV62TI2~n;$=HEC&m!Kry0)ifcNc^L`y*tf9x4d;e+SpzaP4Q}{zXTJ?K&`2KO7z6Z;K=vZ0jt> zbU;n>>YFSfZP4yek}}Y=MK<^3?p1PX0d75^iA_)WM>$@gZ0n^q6kd(EktO+?w*qL-{pVa)2iXC)ejaz;!CgUrjrK)8)K$#Hc_x<@n!eJB4cBdj z#ZMAyI`?)!=;+FfCZiCNn>_5VE5V3upPQCBj&U`dhC@%9@}C_$hJFhP9ePGzK)@xztjELkCx09L+Wq_I`NqFZeq4F}wtOINyzR5+xa^q^ULacgocwjG zG(1fpyHKDWkGv|abT8Zw0kPHO4Z2yDXe{pweQ>QOHeNdJ{f?{ue>y#Gyo$SCQuD`^ z=WnwIT>LuR^X0bii&K7w3V4UKv4y!3&R6NKj>iWy;cPusWRILO)D5+mxA@9JnD5!M zHT|Cd_-W-G#Twjl~|7wrVgwi8F>H zc^1r%O^snth&e(a-X0})eF+&oXM*hyapl3a|C-WSs_?_|@PQ@WUcXBdH885_Zt5WP z>s&lTuVF0=z4Di?XTH!u1sVxHnVcddm!H(<5!e24>tk{2=W+KJmmYV$xco^?PwIGs z)cV0akEGV;-{wC9$e)kLvUvjq$fxIA3P={m&)!evw)~q?Z4GjX$ov{jcfgUwi(~`59dM z!OhRJg*QnGUl~ALrp&ZOL$_h?t%W-FV*IWQ*4YD3d%o{N@zeZX4=OakbYb1npsy)%B*xE# zKCu52KO1A?n=Pc89nE`ch_XG>`mPKLA`@ZD7#0;H@G*JfZM)(Kis_ue-M!vu{N@8* zjs#m6vU54iDVK%J8;@5+#74r1iCw?__(AlYJ!QQKUnH=0x?hxHZ(rUvVl%Z(JZV2MK%Mm6!q-^l-h2A;qjcoLIGzkma%mW=B_sn_s*T zZ&U=8N{tr$ZST9a_pclA{CW`2Z!q!v1`yA$7xDZ$ll;7pI=@Zo``265#@Bnh3Z5QRh&~ zy`tmHU}Sru=TqM{##mn5%ySG>~P-g5O4KidSX@+4T$S%dAM(bT3HdVPZJ!Fer3nH3*XuPy7=&)zQ4Hgtp{9;?B!> z^k6rc+yBGfn}>7Zbp7K(LLo~b`@Zk{I`)0v$xacHJ^NY+*%hKFQK=}=hErLhQc08) z6)h4e6s7!ppWeTJ@9UoXy5G;E>(l?Q>s+rnbLPyl@(aw_LJr+Zs3>0U!Hn&`*a%`0RPI z>&C`>G^9#))A@Ba+QxccWw|33()-KgZ`mgTZarsQdmuKxDA#wwE65c!l07S<%rJ&S zX=X#8-)%=#7Z?kF(pZCQ3CAg3HB)e&OYtk`u?88JCBr+~%qWQUP3W6YKDcq`R#Q@? z464|#*y1F}51Z0|MR*DEpc}_LxXQeFvFi!s#gqiT@)3nN!E*KVGDQ?u_WjV~Wl5M& z8U7{8B@C4JQ>Ytslu(~kxb-;>0U$dUIz=iZ0}`}m3pIlVXw<^x*X2rCph)E&-t=A) zbgr9QDxKy>J?USK8?TB0u6&{Q_x9~wG=q7abVUXC?Ile*Sbk?s@D_A1^L{T>JD`R@L-<$O{^gEJo(~ ztUyCcrIK{Bn*YEk2Ce*u@Ce*u@A=JB;A=JB8Ak@2- z!j_M#Ph321d;nKIE`Bq~yGwfpwb28^U9p4xrs%fGOU>jr8o*?CzE(zB3mzYstsNNG z0P;w!)|atr*!skcw-cMsTGJ2icyZUSPr7+niEcO=YCgGx`iCuY{9dn#6fQ*7$|HSkvg^i6)@a({*})gj^uSy7d}>dC z9$e#=RO4}H0n)&b9)?(Lz?F|XzqovG<>T_l#pCk9#pCk9tshQoKE#%fs~=oGxa%Ev ze@RkiXCZdIfkc=L?r zFF7#ib>|n9m4ypD2Rw8N=;8iQC4c8OgmCMp;f@!VKh1XGI1y?S6iMmbRjXiysNZt} zHJ=P*-pF~dmBb1Jf(I-ftiE5}HyzMaKWL5p9}SleE?$YPPWocHJ)-5-<$uqv2_xlS zpIWpSL4ne*{4`TDw13}*=y#lQaN%4l>zOuP0{?$M|BBf97ru3BYsE1h;ClLd_2^N%=DX9>)^zvdl~ z_C(d$$LW$fy%8i^lt_}=LI%gZK>vHD@E8Aos~=o@#_iu1%6HaLT_FZy;ve`K9!Nni zSHiZoJEQ>YsXf_XyASA#w(bv0%|lh86y_6?(b)9~iETf)`oZ<*xbaxr^C9m48e;pC z-}?(cY~J{E%HWj=qUJdx@OTRkMB9@3sU7A4*=<~d!_le`?^Nj!^n!)x{T*=U_wc){ zxiDHj81yK4=YN0$sWfiX%$pHI?%M3OYHi$LU(Hu%rNo9f)VFmlyy65tR6ZW8Dh-~e zzUJzx3xe346M0Ug(vWDZbbS1+4Z1m`$d-0j2psYc8C4yY0+RvDI{yv*R8;`~1gB$Xli|YyCy~>o$deFXA!lq7!cP z1l;j2}hdIoa*6j^Ac9Z^-FNZMBvFjs4u~gp!4!%ebQaG4Dns zs~yM~oT`Ix-}`X+;O<{;Ttd-{D~3S99qG4szcVW6aBx)ev4vkPh2mdG^_8r= zAsF0gJzd3Vhdvzt)isnQ3su&F%HN-vp_5ge9b;Jr(4{qV-BU*rnz|+ZjqjVIr)PxC zm`D(|eydNL87|WqTik$2GgsKUviD> zA-ntywcJ8JwtjH?EfO1lMX>)=%y$!bng8MS@}eV>4ph9I_s$3mZxkQMY+rpRkFav_ zDRV(~q>@kTYK#Gw5AOd0T=}@`1y?>Up4j8XwP#%ZfANR2KJMHG-&*I7>U*%ldY>~a z-m2m#WSWuT;87-Q`^VMir^b!5+Hq!ZwbNXF#84kd!i&YLLPHU`Z}qt+QnoNTk@B$M ziXpu5XlHq}-4dG*u6$g3!`&Zo{SPjGV(Wjc@xdLhOZNGr@3qZ=!rm>$;E5J|>)0v~ zo*0Z$4K2F&UABQHd;aNo`qh4brCaCD6j@-~Tc%ud-B_6{u;v^8dSs`JZr*!sw{OA> zEuR@?Klok2peIIX%?zQGXcpG)22O%y(D`Yrx$i%bL4y8IT9(tuP)gL&SC}jb~BH0eif-`u~gn z@9rG z5ZxYd?{~QNgS)@r%3o`E-1{}L`QzGW!1AHPX%1#cpnJBuX|DlPa19Q`9<)TaN@W^^ zf>!&_c3LuZaA`qavH#7B7nIQBvcsh3qc=eCEsBa zq-EldHBqdB%M+6lb8LGiw*9c_G>i`UIl=2Ng=?DOUg-Q;^GBh4_VDJ>mQkk+2T&yS zw@W&+6J1!>;ga&k8k;|{?<2&vpS30**Pe0fOXJ2jM7YjhbdZ)oWHsGKJ$u+7mf!Z+ za)Sd!GN0hRk z#DLXV55_5Y1R7}#VV3o?cnz5oDxVd5w(F1)_WH#g?_d1CK40OkU-M+vRP&9FNd0vo zzb%yxs4|b3TEEbP=vS?3AD>$w!NC^-EzbHtN@5+mwNejzesSMx{?6~ep5L{mA6$DI zs&#*M(Lxu=&pzAA&AR%3#m+W1akW39o9gslDJ69%^tQ??y!O3)=(3i$-c~Jads}Pz zA+~=e_IUsF^ER>d!yw_zYR+&JC7tM-+AC23aV6LGekra-sbm8ucj~4BPp(AccK#Az z_l>{4>r2cZZ_mWmXKjZR=e>MUVC|Nw->@tQ=Qu9+@7tpcg@H^8LPr!}BjsDwyDz0- zFvTpJF3kbq`XAhSKAkm@drJxgpu|ju(LII_K7Bu5-f)W#l_VZ(R=psGs;(SL-^3t; z@|9SZiZx^a8&6qdGt?{uub-Po2ffrnd9&?a`-8QB@%S!Jx?w)pLn+EUMyZA9l^Is5 zUkKpKCpQ0on0#W}n{efOx_}!xaC&ssu7vGlyYAcQSW8+{^uBPcfAFFf>~!WlaO9m1 z>~nX!tSW1Wuzq6^ z;No*v{*l%9ajA9N?O$_NG2t`CTR+&wSgGkk>x$lR4c=qacYt^+my?@ILV=e0 z_~N!#q3FkYHa@R3SA_eYXsy{N?s;;p@&D8L;M)I{xi`&OHjWdcX)MLnt zaDv!|?XC>A+o3JKnC119CnD*yE%6#O!M@+&#^?WZ{TCnAlkf>4gF&8SQ75=afPHJM zw`Gzb%KE@la_Rd@`;kMv!fzxiNBi7OvBpC4B~?)@EiysH)H z$!Hal!HYd(BxE=XjY#{fo1u+|u*2Jg1hwLzcVWCDTOb=XrZ2_Wxh7!OqZ8d)?Bdg` z2>UJ>$ms^Eq8XLC%sCr*m{%CqO)Sy|2J{Ri~IhC+b@sU z^M&i*aP@TR{sld2|F9;<$1#WM$wD)&wU`> zaKK1TG#s%npX$8xP#fJ|Deh7vY(4Kt1prGe`BO5@v$GH~z<2m38w zS#0}R*FWAZQKJYaY4)mQX=x+#`nbe7F9ndxH*bnnSAgwIfs4u7ddQak6yK3PMQr)M z>mkq+>LE}Q>LJh*>LJh*>LF|*)I(52F4kmK5%PPH2FKe+7H9`*)t1uHxw{vvn_2qi zs{9eM_U$7{bA{Jbfw_kic0(L>_w_SOiaF1)V%r<8{QH52s~7sUAZC(>=CzO+qH~ex1<;25yFZ*e*RBn@1~U$O zT8+@Jj`a~+Vk8i*|Hu6gi_5=pKU4f*sU)O4Cx19#A_Ph73Xi^xNCWM8EodN{ff1YWY?Z{o-Khp0Ab$ZG$u+&P*v-ylVEHDncD8oof{zVUvYXo)9|?U4gPff;Kr9mRpS(XcAKGR z55i^Eow9`=3vN5%r9Yx^mv;>9w}C+BiL;?fGLY+bdiqqb18jbxpZl@e9o5#nmuq@$ z1;1$JUg`#UA@V`8w|BmnLAOGweMP%9Y>&S1-0X)HHvUi7|6l(9djG}sZ`u3R+@?j9 z;5+k1dczPUbXn>nl?aC_-2HLG_VDWab$;4D3m;8>5TTbGO1Nc;aP_aL>_z!WNg8|@ z2fU4~R1wX5s%^fXEO1%2@(+tjK+|(=4{Q6+PA&^L zkX5LLdmzO6OrG|O4>Q~o_36 zVzsZq^eL6aoG5+>KPOJ{lHUYv-6-xgpRihYYrcnG_n08`_B<{AKEwCF)Srb9vZlX_ zKXK=Vy#ML{u7`g2&*g&Aj;aV!R$h4a%!Q|Of{W;Uh#ilrsB0CBAJPGiGZMYx7Y&f} z9ruU}*1FK)Vv|~!pbsjWSG*zK9I0Nq8eh90gMHt`wFg{0Zap#F`z$UWTs-di3OAmK z8!weVJ^SdXoEH)p{#IFLy$dp5zbx7GIvO3by)BUcB@X5mG)^amr=WF#ayOs+iU$5& zN6;s68PL&Ih`IVx9GOW3ObV26qv!5dmY}qs&|+r7R(MAX;l>+r@4vWs z-1++b-;e~FL?7(-u_1xxB+7AhP5~r1KP>a|;E#6mch+GB_UnMQTuVH${%3oQ#x`DE z?bSX%b{q^ttV-}H_TZ9qlP07##suFI^FlHkZ%>#ur~+%${DA|d3fTRCaQWlnas3Z& zJm+`+CM`n$CV4{tCSyYXCKE#cCOJa?CPjF2HJ(f^y%<@Z@e@um*$0qI@B7s?4Kk*u zMO;570n4P8L|1D*>d51r*|>K0JUklpx{zo{1VR1ALE z;-(3U^vMQr@<|L@=0fB%1%CH#NqBm93~()|7ZU6SzsT?26O2Y9F! ziZ0v2p4fK-^b%&E5nJE0Q)3764!dIflhqx4a4+5#x@-x{&PBGH=pC`+`MB|3-18Ey z{zoE}8s2^vfJ;VhC+0i(U|%CYi;R~6(viy(FWtfi$5+aPV$1n~?8803w@du++n-1f z{D~03pGXq?i8aBWtp3;eAAceMxc|Fx`TzD0Qc!DNHo4Hvi`>%w-+xI_LOm-HLOm;W zLOm;faQwkvmHlzPy-8t8;``6(_T!_mvFVia?VK$$C+=9xx9jdzxnmssxm~Rxmf~dv z3;N%|lf!R5KM8!u;Wr<0_|0b>{N^K!ef~+>G-k73M;lsn6S?}tRiSRC%4NrP3nbCV zcWc87P2jq0A^u2G4bmCA%mq7*kziF&?nP5`2s}E^d4JXtDz7FL4SaS(X`3XR$X+`k zs*`6AvWHoN(zQ)XH`z=8Hy;Uif7A{A8nWzQ0{LSKWY2zTzy*oV?;a%U0SJ9QaJ|kS z9UHN5Iq9Ga;)hk_-fQUtZu}oN|3PVZz))ofK}T(1Y1|uAv|wPaDDR*HS93SUQBmmv zm)PJLr+#bnl!wplP>TZK)=$Rm7clVj(Mjq1KiW+wTZW(0FScJExn};2lLCfbxigN1 zd}}9Bycsy(wbX8Q>Dq03N?!E)z9~w$Z%PyHn}USD_sZ6+Uascl8<7Ag8KZytx z(A;R@FNvdsJjk)zeohLp@AVPzKSK^*p2gNru28{&aOvu!S`^sxg?paFwSQcDz{TU9 zKXK*b<^%ukm!V4N_h&%p_oqqd_oqzg_h(4x_osk8U!EIQmVS*(fYpOvZmlxv=*DRg zi5Ey1NSk7>$|;Hf_u*d0N0O@Ov02Xc8K5j{2;qwrCbk+T~DhPxf{W8 zxyKs~#&sZgQZT@g&JY3xDi`%1=>oaW&`y~iW2BU}dG>OqGGqlDIc^gn1A2~;n)yX0 z$irkVf|=O_Xp$1Bcs>e45yg)-&mL{Cy&G}qxRo;+@;}PZbJ7Vo!jEn~+@%30H^FfW z8Yi^rjCqpEPAyn#@qrw=m=3OSX}HLBId}1-I8>h9uS8~UgE&uXT>oS&1|1HpW}Wp? zkeDP@DfV8B=<$Ky=MzRkykavUULjA2SI`mS6%2%U1s&1(thM?2-_g(7i5IOk{r_Dr z|4u*mwX=Tzch(CT!C#RO{1rdJU#+zNj<1pu{MAbPTH{0PcssG>|JLWfum8V%{`LCB zJs--*4(IDQRRM?Ikh`~B4tgcf;$W-X2+gXMj8mUnkS6yInvh%P(HXvXX~x%!5f5rT zyy^aaaN>IYIo{tA&9?32vDD0fTwPWkvRlWH1oKnNOS{5g*{WjqzR7r)*y|ggc~u`o ztH&~8ilxw%S5LYbXN}M$rN}SlNk(Xk$Airovj(8$mC=89qa1epBZ+4>&8uh{Ka(6l{!~+ zygx0QdV>j6sVb59?KXxJ@k~C=YSE;x-l!yJrHu4lJbW<| ztyp3XLowz<3X@*Ri200Svhr9YoEj@`PAam2P9Z-k}R zN>W|7R|58oEPv8sP)73aa{Tlpd9nRlJj_`YbsRwUPw%CZ6h*QuN3ywLUe5&Gp(nFeO})+-1+C0eUvsoV2cpNVCDXMa=Ok50h=eu-)aRY2qS1n& zsIyZfBAQ^|eWlZFxfVRn2D2ZLuY#jm-w#E&)xsmqJ%_1BYhXvc$gG;k6-0JEKa|U= z1x?m8d|)|~0gdhy*H~%;(D8|9oX)0)A=>x&{<^9|uHO0;+nb*%yoIxn0Bzk{nJr5dp@#4z(tPCw76Bfi%r||P0a~?q3@mP znzDnRYO<4=g+}o0))OVoENw7&ODoQ7;DY_16xUx-SX<;Zya+_OLv-zalO7P&oUoB9 zFbbWM5AqpEvaPk_pVB%cf4@Q!#1;fP81r=qc|zP z$)l7$#|vp2g;w7!PJg*oC=668eD~Au$b*!KBYP}^6z~ZYvDK0~pi|#jJe@bn!ee_5 zfe*Bj;AATKv#?SIaOD#lj~k!I<%9cPgDaodc~Ez2b+KZL>26Kz2bp4 zWWJ?X-U1%*{ejre^W1yTkDSIGUG=VOZhncapP1{~zRZVAL4CsY3OAD_+@={EddTMl z0WrySKN2EPPg)4cRYxlzfBJIc@+~WD{W!~waR^N_z=O9Rj1El8KmoPCVfSeUP|IOB zxg2hcXiY^WrRzSm>uOA<>8-9~VvqMyq(a=+DO->!BYWxAVhO>KAi@l9)$vIF*d!S#pF=4|r@8kpe{CB>AGhBnmg zcpXi3#sI!=vYS)S@)n&Dl0P>k@q<1e#V$Uxw|9E9pvo20`Se;$a z4^@WiCfrqIRGz4=&#Bj|Oa<7(Z*Fp=SA|yr%4c8uX=C$gzv6TEWz0-_!bLGC{GJxW;mG7`S5vLUiBF^D9 z`4qV*U^XarHAw~3Q=6x4^TJWT+FU;^J}n;No%l;NpqR z2UkAsdc?&OTR+>w8d@HO+W=KENv?vK4eG8q%kpH0HA>U`&@{zh4Xwcix2Jd6pbhS{ z*G`PvVy_q6^^5zz9(TTotxsah#~m+jelo6nT>J*{eNk1xN?^M=mxAu99l99Z-)Okm z4CvlWxzg`YhAaJZ%#F=Uo9S_Z>_A?@Dy~3u zS&yoJN47P#eBAjWHXb+rNgm>OpJ|)}q%Em(6NX7n07=W>>V`D zOZZiQzB`_+t+b1T>+CyY+PU1|b+^NMZy^RgoAo0*m>L61kuwOpMqZge4kN3N8 z-(HlDCN(V!>Y7iXwZ@;=d~{HO<(&pzWNk5im}^`D@t&Heqp%W0BB|YD z**+kNthERFRV@^-=XYC~;P%BKcUYGQr!IJgL0eR>#lnGnB*h}#CNm`f0}HRZIzA=B z)<<5GhCKN8gZrLNY<;dZ`Tw;25%>K)jo}u5*hhDynG$*OE~gHJn{PZJvt$pIk83h7 zp0S4o0pn|*JbclHjR*DTdhN08A2;6nyZ)O!q5hjCq5hi}q5hi{q5hjKq5hlCKh9qf zdwu=(C(@|)x@U`Px-@)yw#Dq>pbTns&->vNECVawu0)HCDWJlPV=_ZjQrPxzY2+C9 z7E)snlfByF*{KKd4l6YYKF&x?uJ)~?k3OVGEHpZqPquGs9?o;8RQo%>|K;=fpT1w< z{tv=kFS!4waPwVp^yL+qVa z^Vo3XMY!+#xb-=4&-1wdt#IcHSN=Z@k6VA{PuCCbdLj0B$*XOYL^(_#!@(3ab~&J$ zt_?@nWK<#Xt^o*X7=d=-Si(I)M`V|?lk?MzF%X*%u6$g7f-8Tm;eVgc1;E&@x@W3S z1UXhzKlrlR7q{moI}c+QA2eL%FnvdfUk{GR{@lMEw`sKI#bhWa<+ESjZ z^HeT`RNp_48mED_7(IfW4@_+SYfV1x`{P>UPi#Kb2c>#?gM3i`!tKZ>p1aXg zh6AC3t9=6GEsJ(Ps&j#Di*X#cjqQMLc&E4si!mr~meI<#lZ4tEn?o0d1Yo;lOr*)U zI2`7UU2gD{f;p+)U`tIQ7?rPo)4^+laQXk~`w{MVar57B<>TUO%4Vs;auneG)^rDh zZY|Wvpsq*RE(=f2)zN9%h`>FChAWxRby2Zqf^R0LDE9v>Tt2vX-1Uwd-^S&Gi!T*? zH@D4S9me?t8Fz%r!J+bi#GyJhsJ@ZiMqcEK^8N3sa4jmr>-kqrRs*s`-yd=L|Hc2` zo@f5*|G%sMz$vFUMMn<<_zqFSh9XdjInne{=OjA#?Xj_)tQgA7d@?{ zarBR0kGS<(|JvKXwzua_mN)jd*})=p!c@lD-H842Jt`&+Z#dhj`IOAa2k!Niv-6(~ zL>5u|Cs_O){&@TOYY+e09*C_U-1iaOen!OR|EJ4eYw-kJd-&7!|Cj&2_CLgazguhe zk82OO@nKy2t(D_@Hob|2E}w2ywwgq^C&hOCv34@*Ycm?;bIgHDTbq25K?)RJ9{a4y zbObfsoFBKdkOk{IEm4B|WZ2G7#lpy5%rtdL2YTU&+Z}?S&Bl`I0 zmlE9%9$>fHF4x+ofW||Is%b3wz_q77(aM|;7TdZ)cJ7ly?aC!XBGx=Wv8UZ@AX5Ql z9hpkGxknYK_gQutNNK>dhv(i=PfdvOSfVe}7lto+2hYNLJM8*Axcdt(9``+w*!GEA z&-S-}{`d2RaN`@e`D|*(nktLG=p*kddXnw-(h&FJx@cmXA_T6pel2}c9;gl6T?ac2 z(DdOkgM2L&FgDWrdPm+AuFW#UNNm-IK$GGafpHxaeOsn-ZN_l3T-Vm1Kwm(o4@ zS3I%n+i?4nE<})6qsGJ5-iO9rfh67Wsa+B;Y#F>8((faJu8qET+V;){^~*n9jttWT z-1SIod}O_H_guay=<~f#9tm_noTnxoWt=1-JZIzZ23KS7KlyH={F(zYY(6r%`<4kd z|Iz8U9mT>N02gOuBBfa1Q2xk)xG^pCZqM+Z4a>~%-b=FWi5?q#9Xh1zwUrrLKJNK} z*y{_oo;EK2lioyPh*c^&`gMQb7&F9YI_mHT<+Ei&e-yC z?Ex2$J72i*b6kDm^1-bKj;kNs`dzs3?L+ya`F5v*A%sfSO>3Jk-2cp@5VYtA!e>qQ z%6*MNENdmI{MsP*#xko1Fqg|g9cAeH0hV|R>w*%^?NM+G=USR&VyWo3{D{K_V+F4%V z01toeet&K<0^#cC!QEXXZmaJbRvUg*xb)bfSmT}EU4llSN^v^UrP&x{545)33bR4< za~Gs}UTOete}qX6+4Q7d2T+KU-0jyL1S_-8E!4Gb(YTDDL8@a468p8gwEcrO#GRe# z*)ZV=C!WseXOQzj#P#~*_{+R#@;t}x^##IcxP?=|L4ym5m!_YNOmw$@^@$Ff*W$pA z*9kYgS^w&^81(hbnSH1dhVf$?_5~MdqU8X+@BN_ypb9^AS7xQrP1=v1ZzcqxjnYe6 zw1peymDFF9q#3XNyL!-=OU4WDXc^<@oVXz9#havCq0$h$QvI~Fl?z)xLEq?nei^ca zei?Fvei_T7fx7&jd zi@(8JGZ$?8#FbBM{L`%AR@$Q*k#5<|6WJ`9NU5po9_63`q<#48W|YE>f^{#DZa*oG zT5Kw-N4IEU>j#%Vu07!5?Jk!IcKwuxodYd0+%JV;jO$crf15M%G!u*pIiLVpEJCu^ ze@cMrd7Z2$hKhi@zu?*@?)erMZ_YVM#%4r^-oNeNk=_#uKM^~^=aujCRm{8C`x6ZwF=PAZICvS^PO zEksa#s7up)A2!}y>Smr}_NxBx2-_qi%K($&8Ff|@S>R7A^9|~BKpLOBNjUuFp*E|gkt_#v!G zbUd#8tTq0`=5x-Y-xBCj|?>JRd} zo*y)^`#lkxKdyY-^@uAUx8EhM{C^rAx8B7+O+SCf`+vK?yxJh(e(!MtI_}%_GAY^( z<}?E{Q?#Q|yTk{+JscsBB&f2u^@b-r}QGU1DkNt<-=)+)rgnRxGHkk^elx2mCg7<1+i(7&Awb)VbSBi*ov*UZ| zhg;z;&D{s(i7fDge|PJPysw(L|0Qw#?Qj37i#A;-KGh#(fntY-2=yE zK*`r%P}6=j|MDJZ1T&2syl>Rmy}($r+HY*BukXZO#PwCe_MBoOI+jRr{ZUrq&+D?uSn7{(3*nZzg8>mBWMcW`n!<3L&KX#bnwUnQ7U2A9+r zgX4XRK_JQW^0~|k*t1Fgec~>0h|ws#PC2iPEIQuq*UJ_M!KCX)YN#b3dT>i_qp>pT zXLUAWR~CWp^WClM%oG7#%zJRTf*(;t?vG8dQ-+<2qci$@l|lbl-r=Y^X7u63jM+{% z3+()PTzd<}_dbjJ9*R3&T=}^1LtH+%=M&uc)uO-Rcv)o>I)8+BCb-27j{Gn+-sB>S!k>75 ztSnTAXAc4w3^*+z$SX$Yb+kRqe|%@oEj19 zxhoTTLgy=0=?)=nb|DY;51FtKFLo^2&I3YI_ezfX*us;uDp$Ww`k`GF(h*C!0~}0()r5m(3zK*lxDjf*jFM*yHW$t%w_K5 zI;_^%d~nyx?|8Tgq2G-Xq2G-fq2G-rq2G-Xq2G-O!p-;i&(_z!zklJr*WmV>?yQO2 zTT&nZC1x^=?lFAu>HGQehFg57B=K0Y>IE@Wb>&d{CI%Uluf)1ktRX|_x472&yZ!t9 zzi{&baP8rrhQ~d>;l3wQ(TTl&v&07-iZf4X#(CgEOu$m+9z7J|_B7x?I1kX3UpTE; z&I@LzoM`z&c|qUfRNJ172FNXQL3t&P8%~c;OFmEJgI!$H3?a&#@MU_+?raz@oS`gn z8EWCe?njI}Ufc1y;FDq|i2k)KkXu+IMSn4UgZrBBaq-+lvloIBH`y4DmMDV%ItBj0 z6=gV`dNuph0{OS(T7q9Zj$riwvCGE6UVdCkxbabQH0n+K4{HTSe1N2yp9} z;J*Lj=I7w%7ik-$32|mh!Qxf3?^F@$NaU*Acb+RiZ>PBa3^S!g4&Ip@cc#6-e)%=(B5_! zdzRz_Wg7XCbCSET^Jj41bJrUFX4U;}`Rjt<9CR>^g`E$?Wc0X#EsPPx<(xdwD@M;6d$)7F|@%uygzCmvX>R{pJ|e0~N4il8k#Uu8%$#O>Qfc zSAdp#Kc){g$z%6_$GsmtKa@Qgq-u=1e92zvRcZl=ssA)ti5|+oQ|9Ya(W)tvysb)8 zNCzkmPbRiBY69;4_poC8J3ljBWL00!W}l@1T4~ofCwJ>0+AO8$LTy=Ki)<@2QIG?# z+&=AvhcejqgWInhw;$*kuFNbu9aRuLqq$+7yan3KKT@!>T_0#|cRfDJs0iP+FYFoe zHABsxj}g+zT(GFq{3Moo5N>x1T1{$J!mBJk2fdM06r)Myk{^Bu6h~)8BgZbFiItuF zNrGC4;gz(&3QIh+Sg49!W8VYMMrm{3+7_TK9sRcld4l243+m58u7U75QT7_gARpWf zkgYkj;br@`$2q(OwyKEihSTEV6FiX5w7cd7&$@XxnJm zx23rhxO79@S@nGuYE^lkO|71UB6nY(Q=LzPm*nfi?mF&=R27ZM;Sw1bmW*EsO%(#V zCtIsLo+`jkdhPjjKcqpZrlaJHlPFC6c(f-n)dAu9lf~~k%YwZc&|SCrtI`h(5MI}z z`-0m7NgbTs{o$i0Qn@J2o}*z2+*>>8_*3Mu=eJO_bmE~$5@@IRX69ar2h+42(Ft?$ z5Z(3gRQr=eNZFmne9NpDnec!AF-@9^ik{RSYLhVrkMA$$_Bj~v`eLfUp)01DiButf zXAITSO$CV1bLM%^q6Tedh7lRs9_aIS1<7b(YslRi78JJE7UBkaJ)?SkQFdOt>S(qN zP*QIU3tR0|gqzR&TR+YO{WuWx6F|^U8bLoU1pRnm&(~?;n**{uhao;_!qz9E0{ygl z^U2F5AC%w)*%ihD5Y=4TFV9qsin(mJc`p=V_she*590RY`-}hA{R-Ebey$f!oC!H- zhvvp<-$$*+x!7<1^6lgkMo*qT>kYfD1r>S$VH#vwaQRwh+~;;7wAT3l<@4XQx6|!? zg7nnV(7Qh3mPd{>P)EO3D^!$$hf~slLM~!3$&5Hfe%K%_mM1#WbrL{q{KY~ktGLzk z+{8-`8tPNB(7fmKjb&qb(0aJHZTB~6SZb3wmHo>KJ)XV$MUR6GJ0BAFeuO(-+<5p# zC!1?ZY^8`XEcF04S3EpC_2U5T$6yd_uu?iV9)sx0n*xVzqrj>Dw)Ev2S+K`yEWbCG z8`+ykDEPjYhdj%IMCxWvM8aC*-%6znB8~PW74wqlvI2R)a;Fl)&DULP>xxxB`UaA9rysJ3@j~9*$daiI6M9q^?iXgNfPg&f2Khk^@DVBeP~pK0$->9{ewB(4 zeLt$v*v6}?EdgKbI2eXlh2T@{!6oS?Nl0ys3BDy}jbt|7o-l0?1=gtf0|!b4u+L+- z^Lr!YS^7O%1>~PoxFr9UA02@Sv3pM1sLU#<^<=vtD4D+Z-oa}Qa>bOJL%*q^j^YiO zHTMmW1q+2|h`%oK*;zSKE20KDOpyb03(9b$CRcIAdNnR^-zfPZmom}$*!uj~In#A_ zA_SG&+*0kd@PX+ZPlo++k?3w@)p43=KRBFS=>AaG7fd~9Q`Vo~iG6<=e`7QA&B_?u zthK~GQ)xrvt>vJrKO7L9NKK-UvH^UE5?8SO;EdA86pvJMnPA5!aqqvl{`|LmMi}Hd z7IlJaGq7)s^|nk>L|GqrN-lk;gCmD}h2KapfN^hlLrM=VcKnCf@^SlvDK8%aU)h8~0+;}@KpL0(KEoJ%i(6JGfQHg_E@LVjXKPJ@{-3?mIu9DD!kvQiA zuUFTp%v0t&ySHd#|1ZGJufRRu+RgLMy?f{dyKT+4Je0RbWeSJu&z9PuXa?!gP%k@_ z@zwZke76nSrIZ`w?e2vgFT$O#kurLtqq>T~pFXkP?42a2gr0vZn5Yb|ZS{EOF1sM+ zoqIYoJ7gh4X5tRT8AbS~;c?#|aq*h|EC~zL`_TMU%v~NoSEvukk0t95Lhmo`y+fN8 z28*`uLM{$E!#8z)p||r9|Dk^-Blv$3g8vsJ`2Usm-~OMJ;QxQM6MKGf?XxJ?cfu>k z6*ZDQE2GRXhC^v)L!aMmM^zUX3xCpBgKG)LDPA>GaGp!?E9bFZbM}clUSjKit;x65 zKX9NyI|t3};v|WvPY1hHp94{>k&w~cB+uHF4nqgG%4}50fWo^mj8r+rh}it|VoCyE z`G`WCV7YpFnIeiS`+n&0vLsBX4F3}45(diqDbx)*N~`&;;nwFk1PJdb;$Yz$-Jz2! z3=U)!s^K1%i1nE~?H3;*xF_)We42n5@bQzg7OnQY#?4px{a!;n`M>$dLDuwl@h9%m zkmuOeZ}!0s@kSf?PfJO`Xh&59DXT0zd*;H^IU$A3pF8%+^Ic!9AiOB)(K{_0boZj3 zWhk!-P%m8*bSbldeN5~0WsJ8Y-fIkF5pjmt@^STvdtSo*ABVf%anJv_c-;6Eu6$g5 z;>yRxuQmPS@+UUFh&J(CaEl?bCXtuR3)O=94+;#Uq%zR_ExxYkkscCv-LgwFNECRe z5a%NbEr<*CX47G^Mp;$*jV|Nb@Sv>bn(=BMFT0zWd*!wDA?n9g4KYp!G~bvIbd6P? z=y+UvTWkFPbUwKLaIK9OH-8wHKkoX)-M?_<6C02FKLVEzvHdx2J`65@T>S6AV$_iG@zo@K8FoD@T>UQ{d$v4RS%tDckuK3nHlUer z5>ZYskHWWlavfgADtMLQ*8RDm6gbV6>H9A(~ z^%)7T9wgcW7x#|X!6_@4Qb>xgZMOiPGU0J+N*T1tr+94hU4G~;FX}u0Q4K{3jIYz0 z;sd^$Ok0b+1c3eQe#>(y0@(6#`Gg-jadm}B0N9wb6_dM-P|xnzt8M9&AX1#r$S1%H zC)%urtHxDeB-S@F`{_1pKDhO)aQWlnaqS;hzK-=orm(9KdYe;S;E>^m7>&>5NIEz{ z)Ac;P3$8A}v){NG>8-TOobunj>|sOn`x-9)ffxJCU550~q1XzIs+WpD&smyZI3RnNQc-(lnCTaQ?6B=gdPYm{aWU7obzi>|v zTh3@YzxXKZ+`$OJx%)Mw-;2WJb}ybnJ6i1V;^yve-5Zl);r5mV|peJ+3qjw#N=xjd2l?t{v=wm%^>ii}RM7I{Z z_%sW`zDovjx`Co-Mx`!u&Sq7g3S)hjjQL@z;X(Q@0|m6hh0;QFmJK`qme}(J`b)G5 zp=O{as6=TSX^Ez5bdzPP3}JM(sHZ>C2u4aXPY7;vKqhzgw3I&9!5;5#{{O!H;No%p z6|VoseQ(0$gZrL~dtSwTugBF7ZoWG1eFXQt823Jii^tU`u6*3{@X4#CLemu`DE`@O z#{gqCym86N`Dvetmi%t3s7q!8iWgGe{38pJRl)x4D`Pa1)~`0P`pz&lU)JszdX?q?W+^B4k}=zx&P-0e+}sGXWc$Fse##XL`~TN}`1k8A z;I2nvzb_M8e*Twy-m|p((V=XnLvOzOBP9l3lGuz~=n?#=X0T}&qLQ?KA{K0iJnH3I zA3RKiDL&oP+ZWZr_EwC-V;y<0ZWis=QxJ#LVH=aj`xF2=?nJ#lxCJCqIF(gB91!k# zX;(|rmCICaVCH#m(-Fl8B+=m;|JK1Beg+l^g{f>m z-x)bp9S3o*MQ&f}ih%j~8yv4U$HR!7tYC6~B^qt=ZAco80y?&0{%+qi?0h*~{@D8$ zrau2O`(Lfs_CNU>EQI_GM9AM@Cgg9h5%M>fvDZ89cyamTo@a35Iknp`5yva{X?sFQvxVZGGlp_r)SPG0EJlKyNANU;~GbF^vbP4e>144Yv zfDj+kBgDu25bl0~yT9YkFR|AzE+5?S;^K3y4u#aTc|!U88Lm6mx5I_~dzQtz!qM0# z)0L#DaI~_R)4rG63wR#+WR_3*VW0PK`TXhl-}B2y$gkrj1gB$hu}9UkZ6SdUl`+E<|Un5PD%1ZKMR{4;0>cVt6#f6#66O48m(&km9uyO1&D!;9EOw zf*!BNnfG0F5aQU5LyuU@sUvi07X-U}*@>=`7T>mBu!Eu$fsnK3oPbV1 zqILUyJEU>0VRR#-2GGR!bZxRU0=+hg$w_T%^zK!2@=~DI>VBj#a$i9g`@Ia;|Nq73 zjOq3n0;x}ObKy-x*vjC&cQ(Kog}MmaFxwfgIsN0-H^arhAX!hFT1X4mdS>P)G`FD` z`N->gHf@H?nbIS)mo|axxmxSZ_3X&D{^VkW5H@NK z*2htyUQ?7}lQl9jAdMX_!nOYzb^5)%KdF(E*R@WmW*Zd2D{waPp(Tv;x^6t>tqKW- zQB!6AZ1qp9`1ikAxp{M#XYZVzY=vn58>zinyF9|ZUjIwOt zt<be8+*3qGe zu{QxWorcjNKPPw{rf^L&+zXvQYyK#d&mP`9+A`{t;Q)%H{&q=ccA^XGI$ToTSY!9c z#MS3qKlicDZ)}J{L432(SsvJ9+d05uB8nJa&U?G)^TOxFX!}HIK17qm5@40hjjey& z{Q{T&pN{{%zMR4Nv>_$K2Y+;G`2YD^M}og~B>3B11b@5QcXW-d7u@p+?s;RajrX6% z2iO1q)AWN|Kb+Y5`KQg-pYA{ZY4e3!51iQR1y}w*ZN6~Nx48NwHlEo0ar;~0=ELCX z2lsr1YtOj(d${s(`TLVT9gku00WwfXKiCk4G)|m;_hr}%v`x4vCHuV~|KI^<`OV?z zvF_0X`W5{CLAd#oxZ@oV*qFL{Ne4eg8)1ee6|l+fAL?21MsYI&UUw@s!EA2bw}BmM z5c-z+Vtt7=p+5x=@IGrE+Y!ADCORiW@1^sAr#SsmVFnKj6;m}e6tRP|-|Zu%)CSo7 zu(HbAj>z8hL~{8jr}#F8g3eT<_uHq@D1q5p&`}@)#V++7IQS?6j5SpBPt)&)^&4Wg zT1;tyNB4#u(yEwS!Tw zi$N8F(iB9OI+TE_CLv0=-vQzBAGiMk7r#3Dv1>!t#c-M@lhN4vIF!b}I?BAi0`|}B zGR>Sl2KQtu4AeeWB28kG(`vI72sgj;n#1c%z5Q;q2K$&k%UMC{#NG2*BfDVNk>Xgx zoz}oekrUK05rh^4+hk41oB&teaPj}s;1y0$N#}Rv!!fZnJuA*5u%@8F^_v(pnMij>ukI>6}%(w;8wEU@jLH^f`ozLoQVo|d2g ztSApW(zp~Yk*JS277n}D4spV$oRUNuH9zcN9+2Oh!i8NA@aw(*{rW)M`~6ifDhuJV zzM45|vS{6H|v$cb#3& z9x1|@df7R;G(|XINt@v5V1te(Jc}BmSA}CFN>36N6tVe_>tEpV2Nzx`t#1CuCstIw zq;NL<1V7Rpyt94!>DLx=mB=#}t=OPGUiwz!J!Q1Xi;szkSqGjK6_C`$kVD8lvXW!k zx~Q0Gs8BIX9u92}lDQ>MiNyOziX@(Cp*TgCm!^3Z8xD`Fe{kV(`HAb#;?lFx@XA8X z!=HFek+bS*w#Xt6+J5f2wpkeuN~(Eg7^p7;%u-QFX_l-o_tQU3Lh%2+-^G?+@*qc$ z2Y!M)ENlIe2PuL)Xkyz}98P7^-BC^;L~?hE4<)0DzfODe=s81eA!%Ck7dzPRq~A)D z9Rc6<`BHxvI$;0rxctPecM|2UyW$`ti%8G^b=tF&9pVIR&-@4z1ir2XGydDs=+u0O zSJx^R465BCqln}Np|ap(SIjJ6_vx=(-JdO?^k(A8zBxCPLM`b;I_iWdFVr062)731 zThz;~?54o~Wzxg%tqCbaX1BCtrau(7Z2t@JKFBhoLbh>hQ0 zZYC#mND=7B_Kg?t%fYbIgB_}t&S;kD-O0^AWg+CjXxG_&3ZTk+`AesjENnDA8;$=S zRY`{fi4G{n=hL|>Yk+f~Sd?GA4^pW;K;pil4%r=^)n-iGmI<67-#L|pwfV2nWq z)@nRek~DolB&nj;R=HTN=@4bU?WC1o~b*y&%)Q(qc-{)c=}cspb0M zEsI4iGI%lK&NLjh*g~Y#y8G+>s=8_z>>CSKNMoT>QV_|9*TG*I&TBFI;~a zcmF0XKev3mHnY$y06wL@=A$?GfKOjAnxoDDtqhjv7L)Qp1|yr1M+!d_^+ay2W#Gr| z$HDFY8q|x~cBfAd?wK?(?vK}ja!IG=i1q)n{oH^KSxGRuYuNgQam@fy|dzQ1U<6vu{0+;!E-|6%# z+OvtB7UkA28N zt*T{L-)g+(eCw1VpfIH&aN?&ri&K?q+Q_>|R9UzOAuA!sJ0sDPz z3Ulmce#Z$iK8I;f4C$aNyR8#)-?D?-Sg?_P4I8*S9-sdyx*cl0R{zqBQ4ugO`B+|>D=IHjBJ^MTKu+Bsmd_0cZ==t8(1C?efY zQ3|byj`&8#Svd9D_^tBc%jo^B2nO&r>!4zZ+@@PQRUl~7xQXN&X>fgNt5vgJ z*Nq!b*y#8_E&Kz_SaW2Qfh8G4a~ReFKtfC!(1yDvNz4^=AT4uWB&+p$gQu}EEjJl67k zB>FW^RR=h%T;-eZ*rRuQU!0|})PtR!)d^M>da!ioewcr%EoxE8dm(DAgU$bZmK@XL zrU;pp-ALuI35MYO&W@y~dyqCGY3I8-9rQgG6_Aj7p&8XmQT|vza9j~6J2L&XrBQK8 z^83%3mUBaKafd0sws1AgmOtF_wM8#l^`S|~T#I^r9NF6vHiR30R)sHS<-JD8IHja= z>!KoX3n)H}q|}Bm>37*wkJVwW*Y3%jp9<`YVEf{IX9xP-?33S(9?ora`433K&?L_l z7UmUgFgOz@7%6HFJIjuf7gSmSt%aknu#gT|ey)@rFSq(1@@N14J{??sTJ4?_BMNp# zoPPzDDo^M_rH5_$U-PEWU=hVdwrGcvyBsg4Y%yAw<4a%ekyj4aP$AeH+$#kKD&^2y`edehq&c~J(WLy6$#8O6ZHtYLJC!$ff$uVTV|p zSHe0)Wnnjkt^4@;9HHU4h{JnQ*Y|W?;(GADMH@cc$>}^FV1qQ5{MST7b%EqSv*Khg zf*DtGvz?o45oN^tc}^~MP`v+U`S}NRcyZ$E(yqE4h<=`E&ETdMhzEo_>ZYne=4_Mj zr^}Xzyy@dNwjw3$_l4V^n{r0TLzvqO9N5^8jn)Ms{s}|${HGVpK8~j+_H_qxL!SW` zx)9`YV!R{N+ZC)or5-i=<0^Y!1o^UpLIN;XeFz` z?|$`82x9v3K;}UWBIlji+`*CvVLYEreX`Pkght}RNzS9dyggCz&8sB%J}E#&a_lJf zd4Ik4zaPKC)enPPJ}mgi38Txy+S)q4@^IK_=(C-K#1|GT{}-1>)&j#uO2k1XO-5bM%_^5||Zi?8x9cf2i=bM3QM z|2KirE4hmB{h7<;(u@LhXhmHo4tGHRGxGWO-=k%^RHT8!dLFgq%?HoNKU*e=wpj@l z*`psMS#(QZwBd-^Cg-PCiYPbkZ8@W1n z@@Vi1g`#4h0DLmZQ*_SaLg`|q*%RmZu=$Cr4{`VB;>y3o)5qOcmUW@HU#}p%#TKo6 zwkEkSCF#`peb^2@*5 z|Fv=N5w{)#S3h$Rjahl@+>NN^;~RU9t0JWxPh~o%WWmAojQ5Yd;gI9{?ByeKGn7in z&|T%X9l8H?rsBB$2?&foxl5Ea4FVVV?$VPUhZNc`BrQ^9=Pf$=E9 zmH$dc_gzCgx+tyW;^OVqWi6ZhA;XAID(FN?Wer)hB1AYS<_Vrx0k4ISM4J&=P@$LA zK4K>Y6?f_PetRJZu2Qj)rtc)6fG_Sxy{9zHOFsy))Dngvh3fG(J{#=(0J!&scaN#+GE4dI2xUZRdX8AEUNjcUI~U{Duv1^N&YH7Kyu^ zT~UeS5E*B$BXmE>s}o+cLF3bszD5C_h>8A-v1YLgWPGv}Djs)&6LrLw?j6zweHEgH zIx}^6`jOOTp%?*Yg{b`UJ#W-m)x}_cZ9R?>`hw+Nde=|5le znKC>}5k9aUb};-)8#OR$=u@=F!OPl2JEWgrs$*B0o?li_1%hO|Np z0~AB~q2pYb=~SaETGKf+zud|XQ?|U9%B*=&X$^0U==%OVT>XGsUxd5gXUDBn_V45Y z$fEh;&2CRS;HwGEOAvB{Tl`8L$07pO^AAR+61wc5-)~c9(pS&XRDt&|frlJ* z${=RzK|0_n3n@cgcTR5CK|30mw>%P2fRXUfwDVm0=!AApqu!J}_I+6}w1iaYNdph# zDL&OsLAaxl%sO;M6{ffhK6`eF1D&fImu9vQa8%2^F7B~G>Sr2DbH5lM?;HA3E%q`H z|K_$>!W|{pO>8|Xb3p;94BdA=Z#P6U1;d8NwNe#gY(V^xbCRcs7e6jE12y z*qu8%9sE`l4X)NL<=s^SlE?c_g!n6i(j*y+ho&{MpK@vF4-JMFWQBfIf%_4QfUm&z z`VffD9xVIj9SjY;w+vtS#iJ+(yHhrIz2Q%X$K`*Qp&ZHZMN@R3P4dg5eqS&N_P2G? z2?R6RSqTHmDAaSC>-@=SH*{qef%+L@<;4GVq82 z&u5c^uiQm}&X>h&fJzkN#$1N>MTubl@3{XjZhjCqUV+R1<+%9;Hs1g^5?y=mF zDfA;q|9kIV7EptqdTXC~P%G`U=lB>a;NEY*NL+V8E(FL>uo-0F|9V~#=O3}D0 zJQ;kPk|P`qs#!x_A5SANBfdHX8z}-hawsw+$-rxGbhXtAoAI^q@Y%y>I&8 z`~A=N`=|2_S6$K}lUa?`pmz%og4ZYBZ9BT$gv3#amfX z*VD72B%gHtwa5Nz|NH-4|Kr9>|8)8Jr_qm_U&iex{ipHscRMd`e(HCl|DQ(BvA>LD zwg~Wo3FmV7%@say@R1%>PM3#;37-xt26NQ^PS%a}DL;%9MOLNcbN})FtOw8QnK?Fp zC}*MGJgx4B0zEjp1%|vKmCcxT;g~lJk)(_lu6m>I^lgmU7re3m>tFL{+z9h$JP7k= z_7LXJ1Q6!WcoF8$xcu?_{HMK_f6x2B>%ZXkpW@z^kH%_W{*oH7?oSo6*kOfURJDfZ zF09uD)eyHV&1=Bd5|K+qh8BqH`EYB?`uu5J{QtuL@5;}={QsB#+KeJdVIpgnz7*qz zzhAY~!N@l;+t8KoqS958TyWw|BIjQv5{Qmj@b%?*0bq~MB`Vb6K;@+l3bK3ueEaHm zdtbQzCNBNB{wZ$#mFE6AiLae*p!NRbcxG-+o1ljat%i!3*0M-O8dNv z7bf2&JNLVD05N6tnT0Za?Ds-LHU7i!>^-f8Z6_nMJ4C=KT_>}?NC$l$&XV3{D-E+6 z@vC90#3*@=&$KpPe8c~vjeal11|Wa`%X zbOME#56<^QeX#k1J8xm5`NPKF(*C-M6oI$R=nc0Sts-i+z`im;@cBS<_>rS1gx&et zmP)RIhSXO+Hudph&pX;^`hPe4!sZV=@BXxhkd*3)h})JxeQ;-u%ii^UIwH=7`q@^{ z-5_?Q`nB!)T!lVkc`={$x-IG~?pYG}oWyd^$xsY7TkDxF)f%A5r3KU7)>1%aH2Zk# zk2$T56A~nw*d;-J=pmiWlqOiRX#SjV5nP{7bxL<+%^4-Vc^X$mtpVxbLiC$xwgRO< zXKO;0I`+O%Tz-}oXpJf7sROt3$6dpriom)%u4HJ&1<|%-$|^3%LMTO=;VOqRka`?- z;C`Tl{a&UDM?CtXBw^|L!}MrSg6aKAsi!6#(2MSGI>JiIpy*f|{34bQ5{x!2<+iK9 zM$?1KpFbTQSAWj-kMuGq3n8s?%@ytxaftn91nx4t$bc@T;Muq|eCCDVtz$p zx||5RpAOf4!=*p^_2ELwOIoNjd*}Ik?*!qfv+7|#Rdvu94&oAD;D-Y@=h?_?M4;xg zRJf3aHp1Pfc0AAd?tt%ZR77#IT6DdBuHVO%$}QIfL?jlRoR4|H-DhHE9kx#3M}B;I z%+ejIqMLh|&jg}(&T(oz@&PEggYmAPhXv@8Z)WNg@dUl?FIq27I>GkdF1zU!Tf#i{ zzrU{`rPphOVV(na_{Oy99%BOs(h{|O9tdq4P@w(dvlSi-&ef#|vID=srfnyuwgPUw z>yK7f8J!byP?22o=EMgTl+bl;+LK8R-ZdDV^_-Cg>F8kd{japp@wwv6(|S^n68oer zc*zEAzTeP2@MQ-?m}W-JFgk%%?}eqUmu*2_CYYl7o;9eM&pYp2h$YM){`>QOAGlNy zEp(f~zKXxfMf3HclXUeMQI!eASf9=a+35sFneF7Of(+o%!?(p;!eNM6`3B9tQDLyw z{HFPg!Vm6{n)hBd@Il93*{!ITnL^RdSGLjby^-4!?f04L284cg7Q(ziX2QHdRl>YM zCc?Zy7Q(ziMtF2A-Cd_^7n+<)8s=K{M-R_Gn^-Wm1=#WvU>-jmkquBE~ z#aMG)e69&W>QzH|z1?DHR`p`~yo~^SRUGcRY9atr^*x7I4Hc1}3&jqx&+K5KHRx<8 z;|Xcs4!5|+1f#t~_2qIzF2F$|Omj2I9Vj|B*JOF`K_|n^Ew6~V0j~Ws;it%=fSzu1A89GqynM1G+I!c-qZcaR{_-u@jnf$p@H4h;#4(M3;+|FB!~CXz^8pbe-PEFf}|7<`W85mWdS1aw>Uos>$$ z;dINELj$q}DC;^k5^hNWrmuh1KO`$cDg6E)%4yPo#d_iOzSM)DnC*5`tS|#)?Q~xj zd#9mtzPt%G_r1u5B;z6p*&gIty=Ou-AQrT~caBVt?*px)*$LNQ#eynl*~RpODX1)= zgXC~k1k%xY-(FSdg!XDwlqjsvXS;HDyUb))80^WQHYUl5#Fpn@{d&@bem!+Uzn&bS zUr(OUuct%k*AoQXelA>p7I*%}*WyDjZcibUNVh=c`lH7 z$5Jl0vOt8sGw%mBcEH7t3s0AJXm_-z2fT2RNPnO03VJViy}n!vM_NT69)5MO28+qh z$8ujfqZ7xd-4~5ru=}~RJ4KDhkDG)13dey)JrgJ#cYHb-=Y$GHTearc4B;h5XhQX@ z6B@l$(%$~m2yo$X^*L^T0dBvHA~{{4=F=S@kbFInN7D>$+gw|Eb98+_2vu#k!oSWxG8wGqjPCoAj_8+K0g+k23~8PnI{vW8*QeyMmTc1Y zGA&^nAS;+mXlmF2xc#KK{P{Jn(upvy(u^>#(wQ)?(uy#z(tsAmo|LGP%d{!>8|c#r602QC`BCYigIpQQ3|B!_PX&LuGeDlcva?6zJn-IH8GUu65MnQ|46|&{ z0k3@4>*NDRfw(&E?ep$jpt>$(s$P(nQXhWf00Pzh0ZO~&b<|WgTh4V%ahH{>00d9OA*MGs)&tXaV1-aqY zNQ%^Dk%ntMp1|QIlq@C%f;-HPW=KfEkW$A@H#s3FxVpT+&>;=~H27cdzO}xQ%2=Jj)6<|_uVsutRTmBo1RyFEV?*Jv3Rs99(_0{s53a|2ww!BvQZU9{_*lq zu+)*y`To(+TXdxN(}dV(NDYq<7jR|2BWIMdY~>yM4!KTk(5wj>Dl zkMX|ibB{%bDfNSiQi9>kqk{XkEB-LlQG9dvt~ez9uJ_q zd$e=KStQ72PCA-g51Qv%h#g$d09h!nYV+>vh`#2dspqR=5SVF~Bc{!V2*sk#1j`T< zy$qr!EuBES{(XRZr9PY{>mOjTG=xrP^3jx3U6^y?pXsO2{>Q<`7F<|Kr}je)fm(t* zC#50#wxosQOKac{-M5DdtYCWnj?udkUG!bb=SSr$lMUz3ulJ}!c#l?u_ozpBk6MKH zXia#Js@VA{T>Gk9 zD!$3DDd(zygRMyHDJ4Zv7xcI(=(@h|WNCJhiCGSC?L*vnFYdm}ywc&6#)4ubdYM;* zh2k&}p#?+DBL%1-EVYCD&0%<;a#TqFdnW9(P)3;!hY0llef@y@-yPg>BXn}JI@l=L z+KktDBMNdVQ|k9B@WVf)DbQ67p8bscblyr8^w=$V46{_Bp6%UW!7dA=x$U^VQoIRd z3ED8_9+iL??-lyxNek2`&$D-u%K)6EI<^@b3V@Bg>FS}sG{E#mz#>K8`h0?H_nig@ z^`KP4kDFvYPyKUBAK)CR@@lss=;LgLu#h-bOBZ-Ji9YSwf z`R0>pAoiZJiJ*-2_se}RbZ}J}Rvn)Q$4D8Y15TpcQ^c}>tFK0^_k4XD#tJ6QpOrXz z#NqT2_gdjf6&MJ);T0;O1cS02B#y6cw|I_=PnWLmZLoh^e%1VvD%3p{5Zv0Jj!?{F zotyzB&{27Ir_n|x)g@`{co(id!R?p-NgukXy;}zHT=-7(ZavnJC)}2H^Ag$xMfi5m24%eRFfK5q3WASN_P2kUz2{YAyKRSSL z;d^fmeOBw;3ABfZ3+!?&q2yRg)BA37uzRNCH5q0P`F2;FYQEXQchEvNMdGpXMFxp51}EUg&<8BgS{=tJvq;5G+GWglBuZOW1OLSg`)?|tseCNToThs~GDxa_d= z-MH~aT>hv9^;DEM>7imqf7j8s^1yg@{0wD}D%deg#lMy?Kp%}Kx92D*Let}wnfykD z4S(-D7=w;>XGOt4nPurHV+{O|-1m?ptrRU*d^gTG5CB0A!U}shVj*X>A=l>Re!$JY zZSua>xU+M+lUfA9N3#-K)aDbnSd3CLwM-?)*i*WTVuKXzSXNjI? zlYw~-&ohn3B*F4(kXE#h4f=9GW9pQGC~$Zx?ikvx0P(%y`{S!bvFFR-{&ziw2EG2@ z$`KRp{RyWYQdH!7`fS8YdusN0d_lmmJwJ(+yg@revjo?B~pe?=CKe&OV}=PQSu-^b-Y?s*xWMm(o~Fx6rf zX;*e=ixwQBPTzLh*#Rw{s_~LTS|G8^qt0iCC%HPOvIthVVik-wKOCoN|%a%5XZ)kD{r{@3tWEU&i}`y|Cc`h z`}-qs&x=dX!~qx0+h(%xoRK7^@4Y0vsFRBQwrYeXng?9AdWypy7piv;%Ei#=szZyp zwFLIQ21nccuFW$_u-MMiH1%`gTx25|U*Sjhoe>GgV?*BQ-^<3jyWi$#N|dz}Xyx?d#}9H<4dfj8?P zaao|nx87da!CGLlWRMrMYL1@Q|6p3t)Pu?8!ZSA+C14+?c$D26UBKO6i94Se_r2rp zH^=qgaq9ta?d@Owpgd&Ge3y9XE(6()cY4h~+9AFe!+;rSX&7oNiy+x12Ll5xyzOJs zP$j~T76h3f>~Y(c&@c4R>bG3obX&O9zpwosHKX zhr(3)%co22Dad0WZtBHI64)N7KasAI3~Xoi`KBwRqdeoJ&)>Ks!2PQ7`u1gI5S~vE zWB;K5mlQKz-Aq;kMf1&Snk@=2E>(9R%gPD~)A|kd%V}WON8!$sjO)AL(!{0=QilvE z%ek!)tE{D{^94N+yuUw%p+FCMV@$P5IIYmns1uczjmp^nBkp{IhC|HzpBG9&^6O1c z`b>o(kwfw6;-C!B)@egMsVr0n3DXL=O2GTGo39mV*kaqOgGCI+r}dOT;PBXH^9djkWyckW9lsq-9)%gk>Y zDmx6>7Hy5Dae3&0w(Dy1ViNX#Vch&IZv6wUel{9As=RZ85~*KfZ61Cl0#B$p;#@Cl zAq78UcVZ?{AU@kE)!?xeWi(#q|F$fIy?+*We>85q2-knXmUpUE%H>6x6$my#B})kWOk%e<)A{xbsUldjB;Ke zO-$#6L_{2t<<&yL>l=6F{q=pzE7I3;Ua0Q{rV`~ld-PIK=aHGuy+H>-`_Vz~YsNfa zOV;Op^bI$Bv>`cuH(eR!WR}R5?%NJTX^Zc7D{&x4v39cpD^6^F;`0ArcedjNwsi!p^x(8N;J#fDggsm;qk(+s<6C`CfWG9 z8S;k8@&mV2pq}i?!h+Cxzeu4SsS|7ZShG=FgC zC*#tCyYC6NejAq_Tz!so5Fn^#5-3;O?WrrN6wXgmteU8@ezX z@iMiA9cA7eG9v!MiP%1teVQnd2ff8&zL^GbG#5-M5x7|z`~SkF=U@2$-T&xc{{LD0 z$E}~i)z7&50degI-1>@*j_={-%W(OLi~pB@VMp*U3<>^)3BkW`CHNP{1pmSSI9O;( z3!~3N{y{d1Vw+g#YWK@k*1rUD6Me_;khdW>m6(B>BPl@Qnt$EYy&QWV*)M-Y4^dyv z;dA&Z3k8phE;2gmp|5jnd-~4Fg0gRbke2=WKElUb5nE~GvG?8l(m!eh|45tQA1M+1 zJ5_>zXH4+#B(dX%xbYKQdk=SCOsJK_a{2>f2(PZH7xuD3#}_}}&8gLgx)iqP6T&-S z!eCRjM%zeeJyUB=fUKvzz+p}rsVHsE)U@?F4ToyIBXRkPg$imv2_WrC6zIz(vg%-*8qZ*`sv|W$GyEtv{?NeEnL6@5CpHu%71g5Ujk6oH+ko}vnr`ZQ3;ThMLYm*-o z&~=W8H_XR{;MsJAw+giZTn`Ot3mjH~7|$19w*}~&Et$2Rvcqmhdb+)$me}%u zyWb6$|G4#vxcE03{-f%qOKRl`a4h|tVp;b3zP}$g^ajio(AbLu>eQhYNO<-L8^tAg z;QScEDyAiat#3D){*A_utIwN%Fw#FY*F(fZIkk)q>vh(3hSkE68mR1I#>l~DWw_kG zDaS2L3N?TC{ua!kf?fZEOV42^t+7}IM<5+})%2*|3+=jSQm&F_1Hy9$+}%jMAktYQ zuxd*v+M7$Iclm-Fxa%Dpq-t`9>X=TB?k(2f{y4+tt+X1vikhhD^l}B&6^qyBzgWN< z9fsnoLa_)}zy0a(xbxyjPAGcfOkJw&^j zBE6!~&siUzC97c2AZ0T!IuZ!lX$vPtvSLxEX}kH|?jUUY3b(#GaPC0hB|Q%>`tq0D4H6MJQWV>1w^IOBU0zX9ThBVNtoPvmL_*ps#aTddEd= z=o>H);H)%-7R{#9^rwQ5X~lrBKe+I?^_jT% zarGgt{r~11k3?5g6e645m!LG{2~&cDZ|W9YQT%HXql%y)Q1y(S*Il0rb*E{ivi1=E zKHo##y7c$^jbKc;SkceW4hd7oEfo8iLR8DBma(TLD3ES@vedp4&1%Za1P-sigR?>; z{JVGv{ud9y|KcV1U%UkWOOW7yac?+0ZoYe?>AyqaB_q~E4_}ov-sGjIqU$j|4aZ0s zVS<)v|GX0&1iu+iytkJJ;?~Z-Dr}|$9m5o1u5@Wwx@rEMGC~6>*EUNGvdh5`?{n#s zk`fT``8iLZod%K`k#f6pL>L=>qtE*<{{Ity_`l14fztkoUF-I?RdqGHeWoI4r`+P2 z+@p(VGnHd(cr5L>9X~8CUp<2Padtu2WR!3w#<|o!Bk~8J2$f- zsJs#3J{713$uGAY@#+b}uK&zm3G8GtmxRsJ!p|PeDM3;6wI22fc{oisC+;n*1=Umn z^q=3bfy(Wy&WmEM2$y~bkBc9UGbABN%W}U1AKIwh;SI$UN2pp?hE00vwF20 zF-Y!MxYvMC2n-)z{_<>1ABDY`BNctC2A|5V)>&lhqdlf6Zx}sQ;5?Ol-M2h;nEc5Q zQ@&LhyT2IMe#5QL!Q~I`enVV+h)WMHJT5(#4&FR+{gVJ{3bZaHU(Y+=zsa|0^945G z?-2O7xP2RNcGv5eF)+ex*YTz|YfP}T_`_n*Mh`+&T{r1$wnb;c*wgR6QHR+_8Jv}> zx}e#upC{03gPyrAsanYEz^{I{Fi7*WraE^b0@ZTt@uvT<8h}Y*PA34}Ff1zFg^}VJ0&X&v%+j)%i+_m|j;c3Y!b zZuNrkvjr~f`FObW;MT|D_6y*~H*o#&-wl4cimdo+uQrUPT&jKLrvVR}d#kK`P0^#x zCE2a!)`-|}z|6`(8+yjvd#y_}A>O6zaYd*YkkZVvSy>7L+XFR`@-%tqZ$0s%j&Z#o z+Py|^o1G+Vn!QEx=&BTU{}-A(WQbO@X-}9gSkb*JQ{#7w<5uoT!rmELf zMqSeTtZO+1vE$*m@`($NdtO|7<5zzKf(nbG$!~wjA-9x*%xQl$SZw}!+Q35~l4@b!5xt3>p#Wwb!+ z3f-5l`)sl2Gi>yGk*-n>y7KuD%2m#iZ;CmJW&@gJNs}^RM|bR#G0uFn#Ky+a;gAhy zmmY4_pDqG6@h8@k)=nT*!hLpXH4F_ZhHDGjCBsq5^ypC;YoxM8RAJC%H$=pEb{^?Y zKweK4AEb;rf%u8~hwAquQO^0=l1Edn5aG@DA&}b@=90^l!NCpD-5>uc@nLcW|N2I)g7Rk{Pc&fjM+a99@l=r?MMC< zf8Zg+A4~}G2R=glftwJ2kRik$xIyq5ZPK0#hCo5`;X$~jI;1Z75symg!1$@CJzr1w zp~UeABV5^9K(+6bVS9om_WYB7nmpVcI-|tQa~wrmSsF4;rT`7o#R8L82f@^^N!oq~(Kb3Cgd5-9=zd$=`XyZbKqn~K?AmRI zG;8aJwlHY|&Hm2&)RxAee@Ak1QpXxij9g1v-mSgfkEuD>t*D3X58~2;3y)h5wnT5g zrq=8UtYLxE?;nPt0KpRTzFAMmRg&NgeY+k9&-5d{c0LR>?>t3wd(9IL_MNb7YS@d~ z@*1Dh#XG=5pGIbuojy=*G)gIOCmhN4-2HHyVJEz7C+c7B^udn*Opq$>aNQCH#YvWD zU@Z~3$M{@*sTKxK@^!5)l40P(Mg8&8)kKtZEB0VqYbZAUYpapw`?tnI+3U7Yb+$~@ zqqfY(b1@N~E1sp`4-A7{lGm3qWik=f#~qJuzE32~AN%|Bv~m5@oEoa9nX5_QeyG@) z=k#&3voue|fbJmJ2h1%VtvvvWr^5Pre3D_I`TWF5o*eWGUWNd#O@Nmpz)KR~WeM=Q z8xD`#&xq@P;oASd_@hnWj}?JGx&;1c68NJ-;LrM;jT8{##MGJ` zj?5PC#5%}vk$GKm z2%o_P?8!UPZMo_0q!i*$a7?mh^G zSIM)U`=x+W0nu5FZ~GCh|Ak8ru71G9j|;!i^x*oNxb_?Fd2!(rw#6FflsX|I*-gji zP0iu?btdC3Mp>v5-8Hl2t{n;_rVtMc)(3vJ6N5J@tpV2_yC1E}uxT^`S~Xq5xQIdk z!a_`U@D-r-^%}bE8lJHAFz0i>tziJ~dX2WX#A3%!aQTnRpI5^a=iPtuuj^H6mkhln zt(TSs!8xLG=n>Q8E4nRwKo#}y-B%L^)Tlr9dSnkL_J55lpLt(YQ?3>}q1bIF7>+z} zf{;$0@Edns5GAc+>>)uHSiPB9?77Pm)m~7(;A!MY&~LmTee(RHkAhpFBRZwBZA}ou zBFL5ox_Ce}{2bHb>ur$tT2blnZbNj4Mr0>Vnm#H?w7IPu z2+0xbtFrl$FdiII)~KkC^zNMQSbX3IML%rjU%zvJeJAz%*yux%VQHA!4PI~b?7(W) z>;2v+G2%|OuJs=H-SUID@*o-XNLe6e{XgRs=_q&gL0&zDeG?C@VaMLHo9hl)LzE`p ze58U83gC2WzjDM14o7LdoXE3(l~ktC`u-$mGdRJTF1cg=gbgI$WnIW)vjEY; zA3qjUVhR8C=aygp_2-sf|1}HYzn&ue*K;ku{_B|*T=~JZH#WK+2G{?>y|0a?9~VC^ zJZ^skF8)6q-cyK`16;(?myH+M<)zEPP-)-g_V%ek)Uha@hM{aOV->+W+1TYhM}Ww1Ms!rT@~HD!iy>hzobHMCZ8U%STnU zfI1;t>H4G^Tq&~`OqVdmu4llNA6$65>qSEMf3D}t`kG{U-ip95cjeyRJI=_{Tqr6m zV|~6ho3PyNpOTFMj_0{y1EDYjodbU*TvBhN~*oa<$s)`xGKyrjoADJDs)JXYUe> z=y?O}&b`tBG##dNunw6_P+|;qcgt zbwtZA88w``$y)BQANziB>#=d)*L*L}nf66?M5ZV~Z(Or3pSJCNY^Gv}>Frl<7Xv<+ zTZ*wykl{x(iEKeuM|cSOjSpy?1{p`Pc)&gSsM9@SKEx&)HSZp$Ys^QX&Och}ylDNpnf+k2L4n*_Pw zxaKbV`bRua96u$XEW@+jZ_Jf0ewiCc1PsTKF!ygK|G4@G_kMpjcwBkIjkj#{d2#>u zji%>c{QvpC!<9GOdV_!Y|DXB)r}GC_e&!fn^?!3>Lt3GQ0g9pg&~YxzbgEGnt?3+^ zUvA}xDO=u4W!Ai?w1&4vRFH4O|07)b|MdI%m;V3V_xO6Q>)@qp@^C7lFE*<|7NQ}S z>N|%WVsTyx>lBrR-4wR&<3VyTJQs0zPpaI8%m4324{p8jM$7ZR`r&`~z2M$2?*1}d z{J8MA@`KxNdp%2&=C4E+Gk1$DdJjY0&*rMBp$zCy{l3TOWC0qo_L8 z!R6;a4gSG`;K6OA$}pMCnHel12W=doyxQ@G=;Zy5eLTGes8Z;GyT6VCNVje#y{@OS z;rG?7yZmgXhyk5wP>o@(5Qa78k34o9>WHpsQ-t+XAvoEzXHNy|HdH%uu z`wmiT0SCY0UdJ$MR84c{=58-dAf_+Al4Y+6!VaYol~u2_V%_==sWaOm-1_i;nmqjJ z=e^cg!J3)1sul50<*n1l%@FHebc2|l2ien&Xg9Wrf)t|_7paFVT6kD+A$fg1&PJbi zqwODD{f`Te+rNPOzHsTemY?UudB6a+8$K5&5;R5`Z+ke6hO~kGO>(>X8xvUgQ1;nM z#R1LlPrMQ3sSl=omKOuccc6p)tJL=m6d->s|ANCABQU2gO1+S(0usliJ;U9tP^R0n z%W0mf*zmaYZ!|saG+Vi4&d%&KPKwVlj;tAsZ6Z{w=n zcHb67>iS)bE7RU^e)2`YwqdH)XHkv>G;{X3wpWyOyqxBDNyd9VRf8qZu`SDq$ZJgE?h5gT4D|5nakyL;0 z+r8alVBUGEC^1PGUZjU|klj=OC6V+4XKx5%>q9Q(QcJyhTlA9kN1fq5Mew&dy5_vT z*YZ1?vZq|AG5V6k@|BZV73lgt5gV{u!0!f+YcKt7^yAWltAB9eaq0ON{?B?Zxb^Te zR|>YWo=pK)sz)Ajr%I6d$n*QJ8q(p21;wa%_z7qWT20zEnhZ#Y`V!^ZNrY=J;mRj& zJQ-I$aqCZT@ozLd?!4vS4IWn>zC;=N-Kz_QhZ^nkw^a5*nURXX+y3Kd$NTr$34wco zHu?!kh*>a1DAW|QHEOTd|MgUqH|e2bMt|4QxAMSvcKi%wk1E(POU1vIFhC!TC%5M) zC_>ZYm6`lT1#EcS`j(BR2N(Z01*V51dI$;5dz|#B6@i}qC7}cM8gQ#7X!yId4r*7h z>ECN82$W(BlJZ-Xu=#^a&ql-J${VhJz@;Cz-Vz(WXv7e9QNa+Yv)bs@^*nvv*R_f~ zGN@p`)9^T*0;+m92QseLQ)YNxIq%y@^vB;XF8>doQ`edc^FzkR?)4ni-vQ_PUXXk( zb%plqgv1nESKwHSAh~}q2+dySIj6hL`j6)iuKeS|Pt*{UEsa`wRZ>_jmm24-$mn z9Rt@y8wJ3DhO~FQ*aU5cli;Sn4@K#0{->G*A%Fk3>g7{>aQV5`f*`FqoX--C>elo? zA3V#O1I&#fEo?5n|C%M#(Ow^Oc;kt-`;M*&*&Ac`YvAg0T>jwpL*e4boyUcXA9ue1 zZv855zfS|(WgEL|)u^F>&o=2+I-DzLlhqnY1}kw6-&xMXFjGl2FnT)!+^I;!AT1r- z=6`Z2a;kw($ZfW;owD$v$h+lfqBd04QATtss6zGgn>%i<_sNC%RaTyV;)(rUaR1+W zr|OSe7!-j;H`awZNDn=5ntoNpqYQ^K)?%#+<>8>Yh7rwkBgE@&R{Hs=JmBujz`b8w z`f>AXxb)!m`{3gL<^PHi>>q1_{Ub!Me?$oOj~>DP`S13-{r!Cexb>62o4(p;dT{3j z;mQN9zQV)?Il$X;y1V&^*LLESw|)_f1NQpYd%$ayq-2 zLJsO;>(7nm4{m;w*opjUGrtZJ8IK(q^K=;Y!il0aYvVB8l~W1Lu|-Bacd;I zrDM#jUJSNHea*-y6x{Ip+Gzf4G=5zE;92RN0?3tk-1( zBtA*ka$1dmmC-x;bC5II>mp*a)y@Q49&pclrj#qNvnHl914ZiUfA-*3Wm{_xj#{ zUf0^|tn)r+pMCb(`?X(NA3k!ty&J}?2Y-S-CG^Z0z-(LkqClk~SbH4t8qrb)J^v@E ze};n)uKgbyaE7RufCLm%wSE+0*%H-h~K`WBnq98tx> z(||iBI@tR5x5vj_&wqFMzpW2{`~3d9um9hk|G(OK`HwzWDl0n4L(kFeX;f4Sz$-D? z>heGrJ>nDaEGNV@|F%Bhjz5#2a_;pHA-HJb*|>T`0QPqXvdQ@xAw7ix$x2oMII&SB zl3FbYWN+^Vzy2q{@~_!aOYEP2ns`=&C!0#irDKpsvy#me&c+w z1}FthS`0I)L;AZ7pW=(=D4wyM_2;@KcD?}DKgX3{?_n>N+hdRJ-o5F*OsS7zjtOnA z`(Xkpe&4_OEAoK%H+`F;VJSrA;@ci8s*BC%_P6x`cfWAuanCQV{rN7Mzmt^P7b=@$ zd3I8VBhMqPUpTIML)t;!Kuw z)qx92@1%bGULH8{G&S`A<>~-W_lL&YR;vU0Nou!EqdpC2oJ*ycuVusTf8?`mySC=HP-*>^`iSJuV|`QYjUu0G?&!*TO#e|tS~ zzn4d&HSfdGJc$1maMMjX8wQ&+XoM3A!EJfqyvfx=z;t8`bVTb>oN;)<=jK{${^!3v z{-J5Bk^5HOuqr;`Ud<^&fEiIpW$+ws1Pv zW(rA|i}4*PJ|P4-C838?MmgZLASr3MoCvI~blh6_A__l*D?f@^TA;suU*PK7-xQjeRhstL{xhyW zgS(!%^0@q^oAS(Xc=?Cqv=;*uIQKuWc&mu`lZ`@_W$5AQ;PH4;b|ykUI5)l+|>Y2Y3Fs_6=7aH(s$RPY#>$jo-xh203iT zH^^Z#zOe;1;~Sy~R~~o%xczx?`w!y!Gr0aLZoC)Qp3IgXS&C3MMMD8(&kgEyfW$mx znXJqJ72d82@UOk1Etko0Tw6pBC@Plrc6Vq4Zom82x7%HuIrU-k?Bk@UU#79k$jd#v^+XyJGCd9k zdx=1)(@~NtZ*}bceYocl7Y~oC50;DrQLXwiu#2gNU+tC<^lN7Ac-pB3?|2MXd`2aJ z-rbW&t3VjI+T>@e$Lz4-#bf%Mz=&WaHD87KwHoY4boYVPkGcHpLPsX(G!6fWO585Qo}h)j#+|D4r# zMKysP^7SglaJVw0+-=4RQl7k5^p~wi4|Yum-B=7kTjY%!w?8@v`~5AMO{cTqY43Fg zMg<#?Ur<=DI*tp6J8i*_fdx>V*8tR;``>v-&VTeTr-$-Uy^Cx9_ccs7vVo z6fW*S8GuB7DC{L=wt<6zw$vwz98fz~q#wf@LLd3c*XKUkSOQ7v_0cRDFQlQ6(EITY zp#V!6+4Oi6@oxsWuT`>Py6zsuS_0N`Tw{1^0f$ zm6tvI-GpFp_@=hCc z#loy8RZJN2!xW!TU6F*4qDe-IeInTLgicqLhn%~zP^RALcE64kRCt&D?VMvGWb#hy zADD0lamE$0O zGSdYCbOnduP*722U{oz6*`99~S~LKmBK=`eTYJjTBU=Px?C zT#()XHDW3=15cH`zEACUz+Cg7&w(SN=+sw*4V6+haIzOosZnMH4I%FyA$Kvfb^XH{ zGYb=>WO>RzC}4+_$FmKMTswhxRMm9rK?&4xHAf(62MbV@eBFPXK>&#_j4@w+#tOK2 ze%$!5#g3lB1XVU*87_4fH`xhq5`>Dq$hFX=(^dwV#;hQ07JsuhnGKxDgBL%nv0&o| zgpWrY?KF>s@MEhy_g12zt|y~p{8Kv0rjc?Xdy$N&PM*o6HpM>urri)CTh3jSu*OrfIny{Z~8ipLkrBUbG#3(U_hPJL?0b z8kOv_QaUjId4!8rSqnmvDMGe2X`zqDR4CuyFhDCTFGiSZOp)vO$pr6NQ`k|d8m8$X z4grn1TT&0mq8tgCx9|Og!ScZ=HhNkyxaV@AWLiTNy;qP2t}t$*|4c^opGk=RvoO(r z-Wb^QpGk@S^PhowhL73Ql)4bGEg>lGzCL<2^}`}^k2ZX`e^0R>N*kUXRJoo0)*9W_ zKhVp&st6%Lg}+)o6@W4$_HIqG1Sr~k9lcuOjCQzBh0P_&L)>u-jhnA!z`SEni=JN* zdw)0Wl^n6(t_ZQ;t`f1|t}LRS-X9^yb#peA9%{!tHB2XxRa`KBe=dfvjYO1azb(yB$o^L?@%}vUw(m!hD)Z zQ{=2DB&5^WMOcU+wp}ffLd<-Ci%-L~=eYH!xc>Hh{+DYq6koM>`&}mGFjhzN%O|G} z$XY_MTiv%c`u79Qf4UO8G%XR2J;i+RoZkOZAO3m&Wn8{c-2Hv|A#`eELI>HD(u?b> zs=;F|slt2ms9`a9fJ$Qhc9eT2u>je@Nu=9hs{lRhdf$Wibv3lDnpy!>U zjyhHZ<{G5&NMNaP=3B6!gQ*i2X(li2X(l zi2X(#iTy@3AirE^{Lwcp5V8v#DxFY=!`-}zmd##BB+p=%m6STL1t0!nyQl%Xf9+@O zZqWc-JQ(i!e`pfm$y^fz->-V6zk&pzss1+S-9R%`r7FsMMwJhC`M##BY$fDpd`{0u zAK}N=2i)_Ed*9*e5AOOr8~3oOUiLx#s`uO9%%z};!hM%=QsbblOL+Np#BTIF^u-|k zND3^xiap(46^*?;*3w{h41#)d`Sbfzp!8GO9O!S94J`aS`Jh9ngEy`SA^m4+Qg#$?m{CeXJ2bX03z z5Zj-`&ClY-&&MAy_Rb{6fpJNi}_j1+5n02weZ!U?*kSW zdxsq<`4O&t!;L@V&L214!XKAXT%IV40@TD3mVfx81g5R8YdNf7&5oaA{I>;E=G=1F zM#qo#ezx`>3$TP-!wij$Fe6Cg%rLSPazvKs+4EO2dZ0tWb?4L@J#dzrzQ)~XkB+Ie z7}$I?fX#l&KE!^?Zp41d-o$>&KE!^?Zp41dSqRtv!F?~|-Y=Kxw8D*DJkcGSov)jb zJyKD;)hiI@i}HKoPh7s@488MiRP`o4;6J-J(Bp&~Y~o$DhoFogcLw-%Knv^vl3cwU~^y{l?1xL zmE@HwMOd~f?N1}|LDv`hF8E$ifSr0~%4)2N@JKRLi{X+1)R$0Pvp%g3xbgqu+tbF! zV$9(|f`ZZRQ*KDPw^3z8%M=1mE&tb~L1TZ9lL)sv5}&jxx~XjexbhUdtg-vI6r)Gv zHajDpx&mED>p4f&7%=V&_}!2f4g62Ms5lNpf;t^U8mC8s{0)!KY>BQYDw5WnEz1l5UmPQE$ zkmumuE`zv|{DneV$>H;p)V8G!Dmb)Tw&9o#1-Ac#JD-+)Jx4BmR7BmOww2pDG|*5F zKl#>^q98CV_;!s$47l%|(=})0hYzEL-E$iPfNTG8-{YJ8ULA=2UZsisUS)~>US)~> zUS){=US+WJec0=R8UO#KUv66xjF1VvR_9hi{KjEB$KYU^Jh+wBd{mo|2Z^qOFILzk z;HBc@qPrVX;5eq+zGk2Z$0L_)!{k&^fAmY2Onz3hp}zmLueltgR(@7_p|6ax_5FN` zF31D!e&NdF)~8G}L_}sps=-@|VEemweUL>9i;Ste5;(oNu0#D>3A|$zgmRDAK+Rc$ zh+!5PsI!c9lj*U8{o0r2Ps_(4vX#pN%PTf8AE3tkyww)uSy^-$+~g6R{qXi1@0_vE zFK)gY7e8=Y(fU5QiVs>eHWKr^`BR(j`$PX_N(*~~8u|_QYmP1y|)gwCQ z27o&sTzL!nTBoov1{k_95Pxex0jbyf6c%$c!L>bWSsweS!BU@3gC&p#?zJRdyY-$5 zJD!XiZ^X@au%4qU$l&2ePm|BJ@!w#Ce6u#LPp%^ahGbler?Pp0GHojP&^94-AF`OX zwXeJitJaa++xB|^+kRr+FSz=K>u>yRc|-5h{n6WXyN_Z+e$M`_l|~f-+_At<|nX^dkMwJzYvqsGQ}Tr|oeE z5+%M^fk1C`@IYbyNhv=dXYk{+=oEu_mrq`@ly=Cf_3g#RgFK+G_2u5{P7zQ|INEo2 zk0Q{07w_|Tq(S(O;Ms$_qEIFMyGtJTA8Bic*WYUDw}cBxvs{0!xxnt9 zO*2!EErGu@)AVSH0<7Nj8NYCWRY3Bf-cdrHjI36Dw>LuUPZa4s`|pIiLZ8lN3vq&gAUS)tf}zZIwNvVbb459^n#%whb)#I=!f3sf`0)c5?f9nnAh=jRvK zp5WFG;@SsXd1=dIox}awkVJ9#x>t)TtUKtMtf{L2yE_|$$a_z;Xw#OkWlandA3r1-^ZCjsOlWkk+;s4FnZZ?^43cuDBKq5NbxnDxL@V^%=3oNa%G1DNx!oT=$u^tVb_c=4`mp#Q zV<`eW{jKJ+%z%RZ5Zk?F}Qns6n^cMpBNhb+GSW-1rzSeghtfka`#s`W!X(94>q% z0{4RsUwSldj$FU3f0A(!gig}z>J|ddhMsEB_<}GC_=D@J(zvu!G+oF)67~Ic=2yDRa8IZh{^N z+>6k0?UWZBe`QOgUgtZq;NrlLx`SfDS#l2s^@H?GSEFlgotU_s@V2zfW^fTp;8^hC;l3Ne$uP!iW!L-cc|R6*8hxUn&(aoGLQDO=SGsJJV7Uptv|my}sae;J z8;j%smrr9ez9&eG-%1eUw`|1tEjuxO%S4RdGQ+0*v_={9->3st1flq_>uW;^ap2aM z(9T8TP#Ba#_5GR<#2dKsy-vuyKf#qxVcK_qb}SMVi*fXZdAUK7bL@wTIBzgG zqw$Tw-51mtOp+DN+#rze_^!ORNOVp0?Bu`>e;D#`B4OoEM7;D-e=htA0jgjKig0p- zJ}+vg=+{1|*)rda%+wtFeSvEaaql}^`5Pj^+Wo77=w<~oPjewHbbY0heB8zYtM8;W z^+&iNdgj+h9VStvxR@7gAkBo0Z{LjP8xZ69Jj8hZE@C`?7crjCON{69V&iXd&o8e2 z2)`1t$w?1|1d?m%x%0`0f4>#Q=j$;bNU>V)b}ax*Gk=vHBJd~_2}w)YafAWx{%*!U z<%#i6K4SdyF){urLyUha5#yhN(8Z}Hcg4>F#${QD?vqAtjvtvgCCY7U9ZR|l7RDp za$OkPf5x>}RP+)rUVRsULFEsRXcze4d`j5&+-L(7P1eLolpU@q&H@G}r{6J|o?s8ISGWtd0)=t|Q3&GAA;a?LnPhDhfxcQf@hT2*JJXU6!9q6;WJ^<$Jk$A!z${aF1b65;}Q%+rc@~-B7-5 zG{!A96VcwheLP~#5Hy^unn}w;L9>&|N!BtEHscBIL_R|kBA=l-k2jaqTDW__+S|{n4>mu3bVv8m6iE*xnAEu3w&uoU?&#YRrjT z-wC`JX)4JYd+ZS9P!0(5R^4uRrnC@=)(mENhq6^5M%nyqYpy34t=V+zb$LKb&OTw! zi=L=es&)H;EDsRlJ=^IdD~HIMZXWZw#R;i`_VvGFgn)nao4G)r466AOy4SK6Ww@Sjyr)93jdNgIv*kI%&$NWN3Kzt_Mo!wD5>mkgg!e zT-!=^iC_me<6R8I{3!!5f2u^xpKgcE{3#tmSZx0Xcl~kmU%36&#$EER<<{?%%*lzKQ zVUHAYl^tu^(aMXsw5kq9P%#6A!nYjrP+?FpemFiWOz_{5W4{}5Dg(!(Q3o1IS#XW1 zXSvVijuew=7am+s>>0B}^ksUKyPvAT*hvSn;(eN+ zd~U8^b6g89kGwgm8EJ!dE`59DeN78{f0^%JoG5tf2|Rm`d7Lh>hxBPF&&GEyaKwEe zAbKMcZCmecQhVtLdo>MI-`oiVT)r~gd=0L?W$FqfZeMdlU(z?Ug&!M(Wv;Z^J6cQl zmd|5S8*2&&-}QYL$niiyov}4m2h6eeck{k8AmTq`i1<%^BL35Wi2rmT;y=wm*C<v1qOrM9+gbqaOuO1`x<}j!D7Zag;P!k z*7jK@7gxKZnyBYl%!=ADdc$+t8#@q+S3G?f z=?>GhaCeS-;t`%SKyacmE^$?k_!1@bgnmiOVe{T=^nCZ_fa9FBV)=bk{~wh84&2 z)yW}^QCy!6(E*vtQpdeB^3b#%^59&r0;E6h=h&{LfL%{I9W26I>~4=zxXRa9w)vrF z>$gJhJPd=5#s>r61wG+lLXHe)hZ_vB6+ScE9fOR50W8%Pg0%0k*)pZMN>WeDG5`$G1lB2XK7c}(6g zLdzA;j0$zsu>Bt;fjqG$wq5Xr%cuUrQEsrl7^a=%uZKRTYrd;dWCt!EC99_#f{^wg zZckb(J9d6S-nR3NzF9ch_L&1FXFS01Owoy{Zbz7>$Vh#-;R{ke&2PUHIinogh1pg* z6NJkzq&_22Dx?zzamZ8tK%^f`gs&9}=7+)F&dxytVKqcCdo156BM`cue!gr)pMy@Q z-r3Kh=R`>P^*iet>A_{jN2uA1aE~2YQQgyG3|cXBAv?Vl(YW#CyCr=!gnQm`^HaF@ zufUb-g3g2XpvkCkVdH#VAE_-vK?L;JElzE~ZCu0w|`t!8c zcgoSu5==?C4I4!ap_f!xmSud z;XoU>Ix>)~G3|~zX;SukK5+n_Y8Rolon}Da*p;@R{z-ci@A1$3N8`R1aQ7GYzQE;M z>sP&SNVvxb=sRX4j~&QC&UZ?S7%n=&Zs|a-ZaY`#t6hD*CpZq`^V7Q0gq*Pb&(FQ- zD-TwWX=lZ!eA^go9B7=S8@qbsr#5%WpW{c^q`_OWg+@MH8S$zlWYCZi_?8-kNdnZ_Fn!^G>)^$KltH~8ju)+C5e&=S?D*^p&`hyL-SWta-BRRiLG;ENlNnS*8h@YFqsj=D&QC?3K3REpYdC>x0 z?$xBwNipM)N8$h}OHsFn+dQByA!PZpPa+EU*Lj-Z?g-TFrzIX&J7McT?tbCoA9$la z=-(8|M4ivKJe=mzMFo>DqF?p|!#cOuTj|*_SQ(J)vOFx0w6osR#!G}ij91313Q{E` zB>2^&^!pC@d_XFXj1__BjyGAnB+?*s^V+ZVo?qH4zaEpHVOJyaZT|EABe?g=83RED zlWkRqSxo=Mo#U~f`#tas-S$MN@%zwD5t0CrG;ei9`4V8bqjvC9V?1^|A9ww6=bskq z$En9c$m1P1>~LGKg|VupUQ>TZaJZJ6q^Ro%i9dH}N$>=r)sFOtUUo+!e}yoSze1eI zUm-~3uMi~iS11wrD>(nUzWr_cjJy80^82hVM=xzP2RmhZyH{u85al*%Gn&^X@GB_0 zJJj6_CVnS;Y_c&0eNO9LMtP>#^|rY2NxH$8wf1_fYnj>t@>}L=fy)37aYvYfdAIDvvgrSCgmo;S}ri?7KZMzgS&6$pEq?>$Yv^h^TD_qlz#*((mX{xGh+!j;FZFTfqY;Q2^nHlZ%1F=4oHfJO$km|gdf zRJ2FA$2{xv?ny#iP;uU>i7d>kuVj5A^gqJ&2XOHWxc4uvy~2%;87Xy6ya}^JuCKKn z3pEm9_THAMIm$=cHLOidMv+dac`M6WGfx(5t^B6DC~yGb>L+eI0aqTEZvj_-aNj%Y z_l?U|bG6l<551!l$Hw6uz?$zOCd-OeD^px~=Gi?41Tz?Oj z{{gqY8~1$|AIq1=roj)3g|o>cp*#@avd+9bXn^RBt#f5@W(8c_wJdtPoB;NC!&qBk$b_P(M>*p z;qtZOo_Ab%T)Y7;-yrV&j$6NfPeLs(MNJ*`RO}f-I>uL?Mk5Lw6*?lni3(; z$7DQfsR#m`bmYR%XqtJCyF|$rF${I8}<2zdJ9iK1SgTJ$LaV>(L(`^7Cqm1IOzOZ%4AO}R0nFM z-{A2?Bj?p9#UBQML#b`SwY}-s_y>yU`L=fnIp|fJrp~9Ux*)@z#K+?12i)H%QZ=Ht&Ay?v)adn9gw!eoChz2Fg9YN{w{=1nPV!+8Hl>Jw10(jfLo%9n=fQp%6 zP20XiK1Ww-1GjZTv_vXhl#W?s% zU=P2fmI(DVR{Ip@6JVmMg7j?iHi)`TQF~NJ4^=ZityGFpfEr-&&{~!7PxgW%T*5`j-pB`PQ5BF&dVA1J{&&?z|^y*BM!rg9psA^l^ zUhs;*w|cam^^mF^%D=93DS}<^-(H__@%;bMpZ{5ZaO1K6?&~@GX>?ypmjcx69Z$*Y zkb@*BrT)R?fLL9B#@rH@| zeXUN1(UJTb-+T2)aZsLne|8c$*>w-a9N7;k&qFJ6OhS=&?`-Ipvkj1xHn-nV4gjT0 z@fRs+wlHx`X~9Z06y2wxO7D|(#;*6o#lPYD=Tf`s&vc&I4c1)pkxAnvNO@xK$@U*E zpeFK6hUKLl)Y7oL>2(c)8(S=%DXV1>`KkVSJ=*5`QI=Q_>q@MLl_%E2$`I>eb%^z_ zGVr@oHvMeAGx|{OeuPrk8~tWzZaUdx4wOEji%tYSy!qi*E%EjSaAwgj@^OX{q>i6- z>t<5{=^R6v^`t%s4eiNhtk8!C$!6NM+&1WUV$o^q3o4*|Kw5*c_9~>@ z=ym`4d=N#q1XJm9oq!G9izWfS2SLGrKcSv=5RE4lINLM#LR8CMkEa2B=sjul`&XeQ zU=~#`+n`wq5gEHrohh$?eP?({=JYBcp~E4Bc}qFq#y1w`>g>*#8KKpOt?j$#Jt5h- zpY?yFLzA|-Y75mHV-MH4R89Ho@FzzxN^96k=6w4U7buz!3{;$o&Emi zo)aRq@{ShBCgAVGoZgf_x5a+H;J)v0`%&V)k8tBfoAmS(x3g_}JEV>^=k=_(HzD5%G2n2&ZiEjiE`445_lx5Y@*PHyv zGrQvO`yg>xyRv%B&|3_)`nR(AscWK`WoD-QV+5QUb8L>U0t3(;ul{LT2K$8N(`bAMG3noNK_W-!Svqr0Bx!+Y&gAHq!rhI z;KQ(H(qW9AsO-=^`^N?ix13nm8l?r}Ogh}<%sPKv{{6#0D)c}3fXl{R;Yz;}T8N!$ zptTkNk6UefZ7c;~y?-bsXukp)P%WDhv*m*yS>5kfi^E~@>w9X(jcgb`+WF>nv^M(I zMIPYMZ-GjkHQ5HWi;-0RfyWkx2eA3@|JBy#KlAzjS3fU2R!{ug$PaWZZw%rTw<0wv z?tOn;sL)-dOEr)EdEkB7d)BM8B1q2d!EH7Nj=!$||JmRFd4F;57j$L*b)m5aTqet> z3YU`yHD6}IeL0F?FLX6&jYknWwlRKsa8Di>sn~?Y$lS2=Ww`ZIxc)%1-=!aO_U0)5 zY}*8FvLo8vdgjTO1wHUuvobo;YXrXBrc6_a4?JCmev#VhVdLv?=Y#v+#2p`39yk7p zJ3g-bX1v{<$Oj%q~YzhvUAFaOH9F54iiaSs&p;tdAh@68?96 zgf6i@LXB7-p+c;WP$B%rtEa%74{rStZhQcDKDgtHSd92w{p|=**=>vQebzv;&*O|+ ztS{mfbu}_5uz`CW;+<`?_He*>+(bd#AN}q5;Ew;dw8Ci0=V5c$xI!Gt|{Jnxz>fv=WcV~q0%(u;2wJ&fu`QuwTElMv;T zr$bbhdw`?-+0+9AVVLzZd9{||57$4j-5R`Xg_!!R+RrfCfvo0rj#3+bAeX$f`h>&= zH7IMiFs$2w?$+Fn`{gQV@J@~VyXI)%emG-59U2JDMqEtRsfFmrP-x%t?J;ojN27P< zwlH`uw$)4kya1Q4*p7*LnvO&io&+3Ecu=Z|s1A^Z{vp&u-}ycrq3}llo<9_nsy_Z* zdu^iAMs1u228MFWgS8@{`RiMq;441xFv25tr+5L9$sD@fe=-{O-AT5#t_}uvotpxU z6#;)851Fj+tE%p?H1ODNe{Joi56%(~{F_^C(d$25D@C)0P_iv`;j0IMU*zi2`A7Z; z+kboD_d)N`V`s=7v*fzQX9u}GZ>HbmxWFGluS3V?Q&An`-S~qHj$p{N)auP)3++#; zTq|tl;rBW(#X&o1*cMy+vv)xctzOiS3wbLG=OljR1schMEtgGD`gtAHRJB4Cmq&=- z?Kt3MbW;a)Flic44#>lFdo#VZofzCzI(IpDRv(pWrw8Qn;N$&p&oAzM`mZLB`@J<@ z&;EG2dx1>jH|Dc+ZfL`>!-fBi5`5uvb-s7o9h7PJuy69v^poaPRluTXOgsUS|Q5!(s?!u>tViXQ53j zDn&aM=D9zdC`FNN+=5q6nV1^tt zt+=b8Pd5ieOWjB|1! zs3{@WI&`ldynUHPA=i)K%4B0@nTr#)y~5ouseQ?3G?Jsi^K)>+*4tqyu}Y3?+jMVPGZ6;MuYOzdPsXFi6!vm&1o7=T?s{H0+HaaWuLNb~f+q)`=^?*7>C-VZis0W= z<20DB3GTs1oZ1)QR;1YQ%a0HEjMgTzo06Jnr}6)|cV(IpgBtarxYE-@mx=q8pS= zc2iv<@M6|7IbvQ16|4;S=0xcL^NCO&`o{tgO)0+f8Kn+lRAt&|m=nUr%c+?i{G$`6 zNZ{28d#yvGk0ciM4Q{k6L+Uzd%MyVXf#USsQK=9^WEWhe;qguuaQV0jQp&=g`-?-G zaJA-vDrJ;b^`m^^mo&Uod;CY7R}?7kWl^8gQ$eFLyKURKg|O?7aPb4Ue0sQiZn*io z+43Vx5$dLBD1hv_L7fhen1?Krl^LMI+f@PnwO6#|GC7WGi|7GG#nRsH4(-2w-f{ES zxO{ZD=TVhGPUnb&G@QE15c_pX2;8Mp63iAPp@Kj4*Et^<_#!hBWvwj&PZir<4f5Ne zZMw~cKa}^Ng3ARz=Ux!*_2|+|XOkj<6Zu}B+8+i!oC8U36w*=gf#mCqs}b1!<#FvB zu6$7V+{dF^t$sG%5GquhDE_)0Wv)~=u#=WTX7lRr z=BZNPLhGj=sMjE#fqkd)U9w@54}3dp_N%3Y&3?5zi2Z7}!Dhc&D%k8-E01vb!*TDg z&PBeRu}V6ivXML$|fL&g_ii-cPY|fbUlfpc<3T3Qqr)f+m?&kCgk=$ zn63p;ImzOdrPJu>Bl!kV?pj2dHzoS$b`6~UtoUqh@dU)x-aeK0Dg(wB>?(fl%|z#< zv&$sK_d>w&=g!q{a*%?9{)JOwnTUI};An(f9>KzS-3&-`(#Ycf{)I25lctTCzwW)bO-3 z#{b9;;8t6ZJYLBS4Eu$nbhqvV(Q~i1K5yZK(OX|E-X3Rzh5Bv#qe`UFuP}oj4`NwC z9e(R?tn5P9=-&IhdbxwJ9;$7hx1=JYyHeqc5`Mr~qrNug7X@XKDgFV)3CP!NVSeoZ z0heb>TdYSGf-V2bFYv@?N`LTBnh-b3_ktV`@&!j7AK2e2B&O;e0%h@MmJ6tTAR^I& zL$+!^il$L~vo}-|QnZTuC|6C8)!^$KgCm+CoY7a)M6CtMldMNOOij=Oc2^TFRWb!rCd_wpK9a=w zs1oNRNt}-qaXzZV`G{fj@8RkXu78C){+h(Ys(0DJaQ^Y5bF5DeA~aC*M>^jDxpBuj zTn!3@4p@MT1+nmxJZD(NBM@-$e&tfPqh_92!`%^`E_?SJggnAUA3gDfR8MNv+*U$A zxI#;pN_|3KdAgI#OV7Np>m{Y~%*-m^H==EQ6q?@drx733H4&P|mR}Ke_M0;3dpU=?1*ihG^75=e zxfhyAP&xPdhY(ye@oZeZAprY31li<#jgX!~fn+7C0G!yU5=pHV1hThxgI|9a1i=qw zPK%9ukn)VrbL&W{u;mOSd7%EHXAn1OG%1t47?XoBc95iXxIZhje8zUG`!mGh7$ zdh@)j6ciLz;=T*zLyAgYsR^10${L8X`G`!!B8?D743)OSy4m;jyhvrpoJ z4oH1oZghrU4%EAwv_7R6z>@ny7iX>=l6u4YTD#K-R^kb__Im?ZAfFN|Saw9gE=y%b z4*Fo75y3mBYYi)?;>X(sPgI`2@KqCRu;+u@&vesY-9^NU@)7Z(hD5w5ClN17z%Twc zUX&M}ZE;imRm24w#U+rMqjHX-n;P){d+u6Ks% zj%|MJg#OF+f#u1cw_3s;agXZ`LfWA4QPj=^2Y;gZGI7*a7fI(hduc@30((ka z{*Uwe@UA%Pb$f(4T#_S8IJ6@M1#nAT_Y^V(-CJ#2okb0SVcPKM`vxy`s_Biwg%>vP zhfZN$Kf)K0Pm;a9{n-L;Dpfkx4%mWw^7&bdpEiU#g#Q{}jyS#maeN8l_%_7x#fakz zVULeHA6$LI9lvMPe$D@b6M9GQP-AgR5AJfG-F45=2Q@@gh|A~OK$wH`Hr5zJV0S5t z)ReXV>+9ni)Vhb{9ytj9HVaAXP(x2`&6++~o52U&@9zWpNzwDePunUS1d#M6o>qsz zrGbO@{V4f|ozcYM@0s0ibU^1<$m0+h4^$Bl@XLux0xvO_`ybl)ko-I3sd zZJ%-N6>h!^H$EWjZ`NSlOhy2$ex4RmWI(@mfBM>Px;UWj>@qSfA_qI(t=6RSYaxBb zU61M(#j(E^H=p&l*Qe)=ctOqDkUybUA2?8Bc4nk4lC3ij`L@e|sBg09 zRG&|`#{pSbd%|jQe^L&0coqC~A>3;lYnPKHo++W?gY|M#R5E}&A9nS2IBx2N?N!v&+Gwvo`rw%yb*>xc}0@fH;jQ|S3+=7jw>n} zbaGblw}(I7#gd;%4PoW_%6I{(F&N#x(sG=~0paFbaq&?{ZyL*P7vuv|?(cCuKl#DQ zU*?5Mt^#~p^dGiiv_Ov+W#{u*$UeyI>K&FcMq|fa)8UHggYNxdDmw)X$s}+Xy=dmUyl3uLGaIP zz0h4Yq?PIJ;$$NLYOMvAY>fGlimgR^*Om!w-27cyq2JdRA9kbP^H)B1Wd*@Z@Uzpu z^}K=PlSa?VuT<1J7rr(7M+m%>P_o7uW`7+%eh8=cjmesL=(^?l?D%Tz; z4x7T6`@G3FhMdv)iEJ9H%X;wJ^?^tCUIT3X#En~F8(dBo4u5a&e1Aq6fQ&ksQAW0>wjuNWj^Y3$#4;gKsYq#|o=W%nWzp%sa zQh*a;dGU}dE5Z&L#BlDpU0@AO(thm(2HMtNho=9=49QM}~Q=<>5 z?XlyfxZhh?=6dx>Ksc(RENK&~3q_Cp-KjlGO+i%hn~UpFZ@4-kZa!@90)g8K-@ml> z!nTLF^VvKv62$W&O*}7zejERNUPOuKMUr@4#EIwYpUdOUrz3}D&t#=GWX+P_A2(Bh z3@)XIYco1PcUA|^k?BHPm5s@>spSbBu!r|tWUY$*{wVgn1gGnF zd+=E}9l4Zj2X~JKvc5AByrztK;(zQUQ%WoI2dS4eWJ(#wR1)KF}yJcmCD!W zKH69UN$T~{EEzAPp^(t~@s1&O{sQ-V+t*AUm2PDM-S92Z!H#lJ#9(>8zav}ybB?VA@^BsaRbDCDU)8%%rxLG*D9$L2G!`o5`_3IkipJD=$$SVtk5pway)G6zt8&ws!}v zjd;?bePQUsrClfV*lhu~{}=A~xb>d6`g6Hh?oFkYHn0T>lX4BJfH~v(arR;*)IeP^ zpdOK*5jGa$OzHJz%RsuGvd%5Kc_ruz> z3Av?y4rFCe?G|OugwuM3CkzCOQS7mLdebk*u=}|LVUGW#{D$;}!$I)U$d@$cv@cjc z5#@LC3V^#3(aOhp!{C{6UrKjw3ephVmSX)n0Wr?co@ownf$_!CAV&%U4|@K%d+aVp zsEPhPO_J^er&pFqhJ%BU^W22GV!JKij{mpiaq)q;@|*DiBjlO;Rdpk67ql!aOV92V zfKc9LrWjQo_`Lki;Y=Jqv{IJ2O?C4E?)bRp3m0#UYk$%op7%&E%>=3}fe7lMIG9YC zk~Aedj`DQ<%u~2x;mvHvBPGs#z-V@FYe{!H47_N(fBDf7NDLgC&$7ve;)u?(!)%oh zEap{Gx+4?PDC3$sY^zaeM_GH0YZYQOF*v0(xEI8n-!X2Jj)z-`22SC-4#N4aq1Jqn z7?A82x+g`uADaE?0~IAtV8?TC`HFG*md!am#`?)mLB+Q)iepz!pf540=knRlAo*Vm z9oo~)@KgEd*vX?!h)3cZxzR!k*w)^>xMS=v7~ERmR+xm+lj)-XZu z736^{ObQz>R7!Kw=l^5xy`rjYmUUqSMMRR4bIv(unw)daS#r*x5+y1U6%j!JQA80X zDWH^sB1TXIMMOl*h!MriKmWyhZuhX)*zDsv`@5PKvqq2Vdb_KutDk!6|K}sJjsMEG z?Xx|E$6vYj^>sLUrMS3%y^uFLJ*Mn=V~aB=K2{Z%*S5#LkK^Kvart%E#<<*Kn&Sq! zfIPagM|!9|+%CQHF(-IEjW97h!3N$grJsI@b3m)#?;-6pZfyN=@pZWOWnBCQZokE! zaY0h|)77Eo%)t~YIUN*LT~AkIqXm=Kh6ebZRKRnpb10os1a7V`6{*fJN4V!NF5Y7W z&u>WJ`5g#6KZ!@~UwD2!0?+S6;Q4jI@l3VIKENJQ2|_g;^K8zdp+a62jTK7;_@{emFVG!PHsXSZK8C`6ZK%z z54tJiJ&4Ki_?Bt03+QEyL2e++K{S>cu}O31ZQxuR60y1828@%JWn~mCk$ZWn4f}m- z5PmcvFPdWp=k@QVA0@prk;_beUYBW&8VtQ@r{09Z8XEVJ7pf-6G)`9h($VdR^=S)l z>8=ns+%#oxRBw;S^E|xgnM1Ja6LI@T^hY_>76gZaW$~GdT8cif?$p{o$}8cZRsM^! zq9FvDHv60v{@@Qc1=d`z)ZLBhwRK*X-?l@OGt$po+Ytn%@S7>*=z^49+Dt*e3F?gr zy*u$;8<6Z4r^_z7fO|j1_9tCIcN>p+A+F4%llBj-fvoP`3F8b~F!g&fXuH=J`IMLV zA62yjo)>&CB1-MC_X{q*u9d+$_?%QMWZjoGoK1)Xs;uX{HlD?(*!yY}9hnQd)wTQM z3zazNQEZ*4txY8IZ-3s8&t|k)Tyj(ayu-JR?~jy)^{huNxQs~ng33FB`Q+BfCoQ|V zuYtthaHsaY92KcfIERakZ0LP|hr~!^fc^Xat_-Rwn;t=GVnSJ}v%`PDxVJ!#pwIN(m|A6E7{KuaMBRllZ4Xus+QzYbnB z`|aieK2^iV&!$8HZvLSxU{ZOHYYH+{W!W$w6#~Duo^p_Q5Dho%eLia(3I`9%7OQos z=}2HURY|Lql()Zd{F30b1G;S%`)qrJ9tdV_>B~5x25M)v@fyS%0V$D8w&9E;s;ti= zfBnP^9xXf{tQ6x0Xn!l8D9Z+WOQ#CA&gh~S(UZ~Zf3m_$KbiCQ3_0P;#9jkG7FJTf zoEGB*M^2~{V=^9`V1W#4*&p^_bdUnQ%~M`C7La*!+jZM{^)Il@;wzDUBW;AIbRAcKBvx)gPxks z39P-2-92q*3A-#c(VjL(xOP&+rIsrJ$+TD7sx4cB`GJoa;o(-;=LN1lRVv$F1X~&) z+vCSMor;t}H>a29Rir+mD^g7<*HZw_#Pj9m%8KB(`=;LKQF-G1g%OGtzDwQnW`Gix z^S3QuDag?tOPj{d+OA4bg!N`#xQ9 zNq96H-{0P)06U@(QL51QI*YJiNdzX`xR%+f=~z)Js3qC{khLp^O+w*Lcf^jMyvEuPhGV;s&wH1vv`JB?q_fA*@7rfa0uy7Xn~O7`Oo*ZxFO17+4P;Aj)2x$Zh~NkN zb3U;f(W=@XTXoRw;p?TlXBE-ixs$4mhm1jK>1nI~Z(W#UnvOeFsfrZkdkz*RNFdz$ zab6WOtMoK4pt`{rd{inF$vrDO5&Yf@%h+g1pYwiiEop9VutpItFm11rC4G`}6j;jyu z{=$v7uX*IW6xR#{f&AFkpOd1~#-C zU7lYw2A!%aZ>&2)Q27b!J4L_cz&m%p8(*C+@~qvXW<;+5P9Yzbid&^Yxh7_8BtRa% zoICuYf=?f<*#FPtXWa8ehdl42IV~&PPLJ}vW1)t0KJqP0+Pu|qn|>qaHpmE3yK}YW zUP_Sac>MUw9qF*|%PaBNpW|0?_d9O>3U~eE=8JI0$E{CaZGIBm{046P;H_7@ql1SJ zf;P`uKPfjv)elcbYRmA!wf>wszJ3nK(lC=8;}U_pZY8WK`P{G)KL--=vjq`9+Y|A# z6A?dK5%IGJ!o^dq_$wh`*m!^5c-9fk^A4LW$`6yu`AN7OCN3DUCeAKUg-1U!pU&Hn1EBrGSXopo*>_Dy> zh#uR1>2$CrCS6&HVnn;*c{2X}nj`k>Gc z+e42Th`~CJQs%H!MI`cZNZ~BG80@T09d`5-hFjfyRv#;sP~0)AH}VICvG>+J`9vbsgvM!`LlAm5#4q}Ke^L?uGIep~a^t$XWnFHJ}nmk8W zw-FgsUu@jTrh`;FF5jRUH-?yMyDb#IWTmOhz7jV}z?)_r@x;2l> zs%?OOt}A~tFR4yk|FnO+s~wnFFL$Q|T7jQ>3 z+01OBjz04T#`YL#BD3T(&L=rUq0~TO&P!PhUODgXtq2x`ca+siM&>o}%J`0Octts! z07^G+JwQ-xmfS?K4>W_f7HwAE1A*3gRVTP=vGZfY49W=_uRY-g`zEf6RA+FXefE6A zZ!d`GyCi!5i5pafGA1~ma)ZPgQM(7O-ATw5;qmP zFD6>~Izj-}wDs|^3Wy-b>YByt9-P?sUtE8_!k5JZy~A%8pXx}URHekeXc|(!MkUx?3}&FIUTCxtTs?(ZG#=V z+H5<^cOm!wyFEfT)3N!KaQ!Fldl_!LA+E5i{>qFI80wvtwId`*SDy<`K%E|3V%3o(al} z+@2drasao1q)q|ifYPAU4c{&@LxQ0j|4TN~J6qj|ZT9gdq*=84enr3`P?~*f_r>ZE zVxdfx%VBCk${r7NZ+10+R0icR7`4FK#wZ`>?C_jIZD;#p%cwvK11j5b#y`e!{Y&C!|JVNIAoec*kZQ%-%3IAW7-G#tvArPp~yy(S@GzlaIRXLls7<)JGF6 z(3|)(61AVzK=^%)>>Qm5c)oa^UCm(vtyxYM`_f!cO^tjj#{(m5e}#Mg;_jCjnaQWq zhPu#E^CqZ))Tex*jZsrL7!4{qbAQYNxqbQiLDo?S+R1bFAIla6 z`VE67qk+PJdp_d!L&wc;;Eo^ZKk5>G#ug56PSo~tR!mckXwfe|3IOGdq!OWW%wOt@MT|HH$BL`K|Ke_Lq;tO7*S*Bm4 z+`*nYBST5lpRi{H5pM($@kS&OZ-f%@Mko<)lp(+OT^uD&K9HCYlHoa@k0i4OE<4Tn z!nbKV!@vM9kX*jiW;q@OIWw#lBNx1g{vhH+e-HZ zY^Xbk4pB$62Jc2{+by|uh2qieow|`nepZrr?kEqi$?QgF`^bxrmK8zk(@W{}B_a^B zpxZmVMFgeZP~V{SO&sKvl*fPU5{4ZWKhx68Wk7Jjy(E;`5aHqnaMvg9e#FhUueLs` z&A)-GKd%4BwLk8C6IcHgef~V(j+>9go$rdgF2P@+OYm3d5&RXTzNP=-uP`F`D-br` z4>#UhvFD%T2|>Z`B87q`?4lBI&)%qyc1mpCRbr_NEXzGf@9&wwyu2c-z+PK)P}xCX z&_EdBelJ}7Fz)z9Q=1cJBkaK>$0#eh#~d_vJ$q5W;DR=AK6781^*{!%mtD!MEkUF! z-MjIjEa2kpapiH>5AJ-EALi}ba7+i)mUtc>m=lI#H}$+N>YAW66GkclA@LISd}5=t z7lRY;W#UA%bg|!0arIgAlTJd@vKVPromIWwl@Eo^hc^|ChXciyeVa136qE44*UCa3 zWP+pM+o&Bfk#JtEqfn&B7wAt-N!8`$BA4rxWelCp5HGWZtJ~fU`VK74ZVQfsgyOAT zTZKvZM@+mEuKqKY@^>%h=)+V-hHm;>4b-7HNp@3O94+v6b=zG~L0?LEAEPWOq$Xv- ze@;dhd;j9rC*q!`xbeon*T3w~`<;<*dYUz*=?9(cBD>mciqQ5&Cz0b7{%~sS+sOj^dyZc+ zMhjIl#-+OI*zqdv`oz7D;I8Mfol-3^1vk-&CzJ8xU;Du{D1O6o_5c_?db5{0cmM_} zYBfsv#?a?Fx%PL`1K8`?RWhHP)X~pNUkbddTRM`#H*@9VZl%RdIgS#S*+! z)BPSfu)y@uLEpTcV(7?c#bwn>HgI+jORZ6122Ej~9$^o0wC?NMB}S&r*!aNJ-e0)i z>)(_A^LXihX1;%}5AJ+7nDFh6WKcyX8?xSvO~}Cq#=cJuBkC{&^)}K)y5OA8HMdPq z3C{M?cj@nQK)B=M`oop+|9rl<{!=fVOD4&WROh?Vqwez0U}!iW{ORPj7zkf@&1S%u zgvcyJ^^-5efUI3yq^(;P_Iy{)UlO14zwY}H#C_k8xbN!`_kDZfzORS4{1M~I zbmn*mYET?F88zI20&3}<6Z4vp!KYoj7w?>g+BoiJIM58cZn=`b7d!fhLt9^gOUC+3D@5?^) zQ#}jjV0o^n_XVvfIJh~RRf0Q;tUdYd@4tc`xkmh3h|Y@8c`-l0-ijF`}P~4$;p=nCRysNAzEN5ZGIMuFo@HlQ+HbHSZI0mMe^wY~Bq;r@@z9f~{&sBu=++8AuW z=hSVl4~>ps{vtc+02>!D+YWpS9I%6t@UYe zH(o83V&V|;)Gm+cznTba3Xjh%S;oLUA2;`E`5oB)6Zd=J*8c{NzSNB??nyZ`pW}EFngu|Y?`-3XzloqZ1DWwSNJ98aBZ&!hk&hK{*$Etud$h>~z zq6Aw$0+rw%7Xr`E53&`9ufG;%g)7N9&4bIr5R*Xp^}$U(P>*Y1Tzbe3dmbvQ_G`pNm;*X~iHM{hv%K_OXcEym*NI~OLZ{of8 zq7b^YR%AZi1PmoaAGarpWAArddwLs0TnYgtsGjKVX-iRnS7+AEmA^Gc+O{2Ay_n@- zqVDIj^iXxgu<f~>fg}XJfv6j^ziVS3}{YB z*$$^UU^(}7znTCmm>KRr9PcWL0@jM9et6CV8OCn07oG~BAcuP)4n8c{@d>UySMsrC zM7}qR$oJ+F`QBV2-@BK{_vV5$H)U60fC;28Zg~_Vp+({+{SYjFlf)ZYtg4!@-T(}) zWt3l)bV6cJxogH2bclH7&;1XsKg6w9!W|#ip19+CMWiPck#NmJP2pLIr2e{>+mz}8 z`u&jqf|cKg<6h{;1L^%!M{I%pCvOQQmpyhq4Of3$e*P6aEd#+npib})Y$o^z=n4J- zK7xOM9@sX>=*`jTf!MFycilUcL4NS%6N*eL^nA$nyEU^ZDo|&N@V~1Bxg)pYEv~5m z?taI`7vbVv6;9UfUMpq+NedSSU-c#+aUr{zD@InpxozaGQHmLi=8w}qJnIe>2Px#V zu9^Yv`o#5D-K=GdfqM%#UHu3 z1_Bj8%*6BU+B45}7|!}$=2oMDlXuz**B4Tt&v#tAdUr~~l2Rsb%zz5|`t4J|Y?CP9 z@}WITGpt-{5P=udb|=4G69O3#<=NYz`lxW-Ml+jQ0bupU_`$)JA=d6fD@o@%htK4@<09 zT^=`H`rGthZGCY4EiT`qCH(>Cun`8h+|i#f+^>i<4*Hgsb8m)=+m^CCv#G(#fM1ho z3k}>lmUMCW&4z!o{+AKP`41*F@-hGyOPaq;h6*Zr&A+GfJ3Z9wy(;!hdNY_^jc>~u z#(zIrIZx$?^VE$vPZfysRF*hTb&2y-7Cyv3jire7N3@elRp%Id;nK{=SsJq-)K}TX z@%fW2=*0K!yQ8TBgVgHeilllZni=0~iQ-C-G;xHJRZ<2t&eQd3IX>?HJU35uhQxy+ zWG>g4IV=YvwJ)7iNc}%?@mK%I|JV35T>IeSS8>PxNB+P5UbR&^PgVCw0iZG*ypD_`^?Omtf$zM#_v9|6fkA%Q zt4EqSa6&GV=I*l`I6K^H(VUzP)dtNcsiTgry8gKK|4076UjP5;_Q8Gc{@dpJY2oy6 z?+YO`e}`V-OrH*nyR0?d$ZLzD*2oEQcB_LzUrJ3?vku(Q``TB2LHw`VU%2t!-)4VY zefk)}w#+bTB4Pi1eq32%@c46hr^7W__$0)c>_fVT278~5dt)jI<4u7KTn5^!{=NRw z;|JXL2;A?5E0230!M#u6>hq8MfA9JAszu@SM>amVvM0u<)6@ul9b!y=(&de!BbFpm zJq#g=s^I$5Y-3pGt~RTBg#rGt|9`LjSKFQmvJcbRXRX0tAi$MnI1GK?t*83cksHqB z2=`2!F^49%R$8S|W60PTZ8A$?4!HU7)z%+({NFq?lLoIfklM(lun=7_U~h`O`$1g` zn0yS83AtpFI+wo-0?GV z<8PHkXMz+Tjj6)MY7~Ly*SLq2L-JvHk9!h(;Kj^2d&Yu2X!o1)_*3&cfRneiXCLVu z;PmH*AXTdizXtZnbZ&J+XGN5?M`d-;`4}1RnP5GT$#_3xXsnI>en(|Dsk`8y0Q!CE z)@x;~kWSQoJ1$Zm@ZD4&w0XPaAcZ#7zEy_>iS9s@;w6&Ug6__tUdwD~rH*v?(DY>-q~f zbWFE~X5hIOqy#=UJ}2l4LgEEF{yy%o>`!+v_Poog>$BSH0r!1vwe`XE|EsOfYLAbb zpTyN?Y^}Tgk>3h%o4VI=@;)CrXds?t9;^h{cO9gj$S2{=G@b>`+_XWB83zz*md9St zxcdC3%dgaT%R`)epmw>2JX*(kXZd8KG;DLcs%6U|3*U8F#vPJ0(STRt_BW*bI_`W| z@=Jftr+rB@Sm*qr5E`mt$$i@eZjJ6aDY|Trp1qL{GzsxVj0_)5wfDP2;X4PB{m)#n`K)mF zFD^dhr@>ykieMXLO0V6%?vf*N+{iIFxK$tA_td;oC-qm6?8<-go?R23DovK%Sk{K; z*IHd&I1OO@1rL19yY$^;^=&> ztg=2T^^!PrdBhTxUCVQ+TQq{=-m0Ih7Dg~Qq1Jp`Q5PDYRNei6e$VjnuED<=I5KI14bUcPex2WC!jYcZTv* zSO9mvE9>Xa`MPn}&%ehX{^$MdaMus+e!=B$#GNm$Jg&bAnvL4l{G|lV+O$~xkj_DG z$8Jwtx)O*YspHko2j+t7kt37?9tYu->Mk7>?j)4fP`GvdLIJqxkJi5oJch1kS*pFH zJpeyXwtTnBtA&FlrFSCMmm`Jd+$~S86vGd5@wLsrg5b@rEK13BVL)oIcGbo+1i1>l z?@kcp1ZIoALjG%s$X0hrJzp&haP!-^_D@i*9!|H3LdoAiyu!v6blaYXcsCnD9p&T$ zW*cJ|c3b}>XNNv~a1~sbq|$|*onOLv`eT5pPSfQESuk8C^Kas*j0ST}^4R@+S!nlw z=ZjpL5TNh0=ACi#eeVq%SZ5K@ezDk z`~+VXKf#wJOz>rq`kQ|a$am)P2SxH_)!5guD1ralWCXcCyqyYD-h1C0Hqb?UAx$q@QQ-~t0hCgjk4B=46gMK|u* zdOM;FSZ`un51Y56?Vd?}RMh4`H8Z;H{9{{mq+%%f_=F{p*IhSy@X!>(_KatwM%tnm zQzuM5Pn#fIe~7yudsxd{&YahUI~~G56OJmu=eC5y=a$V7)vfl;JtF3awK(Q`M28}5 z)z&(`mRtpJ>vwSRpSbZP?)&U&%Ug@t-mjFp0Pn=fnEN)Lf_st=^Cn~`P(;+wQxS&! z$ecUwo>1Cp2wrMf_u)rB_@?m4Ke@OU>XvzQosaE?`OKH^ldkQ73$HG1%FSs)Rw8Ti ze~IjYSx4LI?7J0c7k%m=@0=X8^PbuLwMhzUPvojnSlJ_W1%p_sZnceczaal;u zkgb(`DT&>m5jQ?;ViuA-5K6UFO0fhg^FTONIhesK__Up?6&Hj^A&(7$f{Zf_Py`E|iw)UBs z^t3E^+;Px3F{KR#McG&P9$*GD$NJ&f%^b|x6U$i>finGsHLtS#iy7er6H zqNEl&sj=(nB19Fvq+A3+Mc2mHk6jS?@dUJqeAGg>u1C>5-^35j11@{3;$+gKTGai_ADc+ZK= zFTD~!|2aMx_j}>)_tloiJ@0VuJ9BTPJbox;qv2uuQCqJBxRN0EerC=I5~*$_ZqTC3fdT>>u9^8ni2iGO)!PSX+@F0YH-&t*Zd%zxU)*gRX z;<(0V{ZTG6D}T zLg3+-`&aPrWi zu}N`dZ2fWLXWV)vT>Ie4f6j0oi{5I17B3bTl&?32?b_cnX%%hZq>{cJ+q?;?|4~g_ z!eI*CbMVyN))ISt;_9=)_iID+cMu}_J4g`y9VCeU4#Gr#2TAPv4z519{t$P3T=~`B z@3{UMSO3+P$9=EF?I(z+RE|Wb4zx46vHbJ^b~?R`4#-%9IN)L0tity5IJt zLsnu6*)2l}lP*&J(g#lZ|@ z=Z~n6-jyeyAimE6;l4-U+H+-nG7|AW0}=l#5%E7g5&v%{;(vNH^}&^2ZU69S z;rU>t7&k!sTlqv;HrQJ_Rk(FV7rls{j9&kf6<+$uoWEyC>gzMH*T9d36;6vDwa(H@ z0wInbHD=>%Bv9cd#%Zww^lGH3eobXSI^$%~^s!RJI!VTK(G)+vl3mxqUM6mfiud&z zOdhg?VPo2Bh7?Y~{B9}t(4A0pYI=>y+$A&M_&B&km19S&w?B`!*Z5h4)<;Dn`)Vob zsf~JYn9fFcDv(s)pDRXrug4BP__)xWp0zQGkf|c(Bjw6+B4}fhP$i@FbB0o+O6AlY|j?l3@6{xlCD`%pbX)E38}c zvx4JNTL)ho+rwxTcXXbu6Wn@WZRJ4fL&6(#J4!{(7p>&qA|bqPk>}R?XsGSUs2KaO z9p%tSyHY$MHTh{eQOp$=3#z>|-!5{7VdJTA@gcbO#NEHR^0@mEcYIv=oZEi0n?7lQ zbzsV%{%$pJrZ}Jx@8g5mA1Kj%3{Zs|!XHlN2y23%&|3D2dDT_V*Zt4r({S@$tCz3i z-N``STpNR)v%Qk043B}sr()?VMgkC>*J(p_wnS8`@^*xZ+YZhyvv%K$O$E`y{6ML& z4bXCT*=_6V&pK)oLyVWvM;)#jTVC{59-5`~tfb8t;N#a1{N~>@P}lOV+xJO*56V!G zV^_TuEPkfnY2oYw{&wuv7ZVfFPufrCZ0t#O`Q8#V~mIE zrx)63G#5#gYYFQv_$Qh9*}ztp1D1*{0jRMd;ZUBY12*3dZvM^HaH01rYYM!QSa<57UF zd{aApk<|h<2qil8dX>Vc9FQhqkDkc4j8c1!u9Qxv= zA~@REvF_j#2EGFWtRKIqK&^R7YdKPeU6*}bwsbln-0}Z5`3yI~?In>~@Zsfr_scv5 zbb^-3y*W}7q%|r}2GnT4)5F_l`6snt_x0S3C9{sJKHm+)2iYYI?BGC>P2D|HGw8`Y zyeH{`JL+kV{M94pgOXn?ZxuXf4$qeN9aIRl!sds>eZTwLz89`OxcOCFd=4(360ZGm z@8h_5Lfm}yYRlukN8{ojaL;S)O;kVE8T%l^c4J<{mT;isJk$49LmzHlDrpPxi2wnP zd)>?%($Kf=s`cj18{yZ>dWU-rn!tUKFG6?du8!!SSI+#HF0?Gve^V>f0Kxs^{5vf) zp^NjrmK3KClH-l_qrHU+0DHvW2nUn+Wu^F)ZBCPTbtjFQt}Voq-ZRI1*-i;7gOX{-mQ#BS(cth+ zvBTyH*!)*3@2!8%zgIGQwJ}Fd4jL1$l=joe!W#1dPbnn_R8Z%2aMvv2ZJ1 zGsnK4I-aQ(x%^8Bg2uY#`5ueG3~zJn?elKP*HR=YrcfD**hCfjeo2GIN&TXGCMuwh z%51K+2_QS`xhmc{X(Z6RNKa`ig2c0jX4Z14fECZ;&*c51C$ms}fgazD4i9ihNj<@|-~!PFO%GWVy|L|y>z{G) zJRw1)KU=&Mfhr^RMoo$&DA|6#d7;7uv3N{`O(!cr+#yTNq35z-acWSTUO)+O<--|D zlf^PL&?h0=N8T}_FvZks#Jng8x(f1lh9Ag)Vy0()u(v2wI`1Z{_R&DN=gaR`n-b3` zY=&c*RU&EmbfEku^49f0CDbY+cqjA(ErioZQlFsS1n@$eJTI0OaOH8=gSYI(5|^E% z^?yywetV`oFsZa?v6K9gP)>DV#3g5>{b7iVJ46Y}ejYgRGfWZt{e5DlEm_Lk8@kKW zM-gv63RZGmuNF5ygKHn$^UlY;Xgu00 z2hD#Hp#N~W3@Eve9lB4}gsx;CJtjbx1--`96Y`g{;AX1igLH?TuxMh!lIH0I@_x37 z`Vp$A_+@yj`FTC0<|L8dQeh88W;1tLE?c6ft?w*0)on)XK1!_Z9aN}}%k#6-5fPBz z%;IS&Ab{kI^scHj(FI!Sz3OcU~8EIe8$%xJ>uQ0=A$Wf3x#cx&gepXs>i(-W%oU zwkkg4w}<>8uNs!0_SpUqHy&H**U3aW@8+ey|DuJ4M`>w!R7}9r{kHL%H4_*lt6wvV z+60{u*L@G3@ss-1j(K{%zd&8TY*dmmdK4 zeuTRoobuX+b3D{hENAr?g@Y&LQt9?h3uGaBcN&h4krY_7A$s7Qi3}`5=*dDuo z0q*-IF5kN>`Ef62dKrkblw{kPD28k|=;XG5IDFi>W9H~bap>hr>Gj;Jj*#Y=ll}IB z*!v6jzKMHY^iVU0I|s@eex6K292-{NkKGfD3Onn zO!WmX_Iobw_r>)OxbnF1gVgo}t6!V;qPOXX?A8kf!sOTGq{EznFvFGfO}#1$vOlJ6 zdU?(fq&Gd}OWKeMxZevGzr?TFuvi!$0IIdm-32~7LaWBh`Z?-Y6xo~N_~?v3&<;K` zb?!2UV)DbjTebut-1rLD|Np1U<9;vP`QqlsR$Cw3`w{MZ|B>(a%Z<_n#)eQ|`bj|& zAE^ZE43#e0q_%mvep(n-+diV-71PNXZ6SY)9d$#QBWmS}^k;Z!0jm3+x4pBq0==li#f@4J5a+wVDPupRmBbxvLjT{tE#J&nYGyd$kgQAHg1 zs;;`+k$LGb2}X!l z&2;MVS57!a)-fm1D+r!F=CNH-ysQ4baP9NA$tzyE*m56bqrA(T4^#5RBV}v#ZvnR= z5w~X{_o>V@@ToeVdiq@~2yqVyr!pu1W6$^hch8H}UOyr(xh->yDX2{-(#uub7Dn!E zyGeJ?1*~MU2CTGP;Jle!=|eF)*mj^M(deuR_Ikk0x3Bhmaq|zj`h;*i5`IhKvArBU zt;1u9kPgT0{B`vju=miMtwk>s&$Al;TWEq&;&j>U1hE!B|i z;V}cD6~GV`HI{5y4G)%Ew>*8J3<_0(uSP{w5NjgTj7cg(E&JgMPJxQBZ5?^v??Z~{ z^39nb8Dn+yx7qU_eg1p>NmSaAoz)x&7%y%<#VcokM($5`ov6?P<>@nnc3G{AK=aIe4#V%(MOz zKhCmZ*Z2Kx_QB1cv>vf(XgkaYc8LqtmTscxd`}4F zZ9BNvn1&PEp1AhG#Z%#q|Bw8C?LWy%H19Mde(P6zvgGK!T@Gm9*~|sjnxNkG89^TP za=<9bJwPx0UFRC>&ep4Wa;qK>{B7S0H{brZ>Hm*D|MmL+$3Fje?SmWt;L5MyMSTf= z>_UPc+n?aa_96JOV+ek1A27boSndBR2(>bJp60vZ2)Wld#?OcQKuO4&048e<5DlMV zXP(}I#$QbRU}^Eh=0jNR_z*Y$j~hSW+8>u61{bd@Ibj-2^(GL0yT*AYjd;POuW0Xc z@pyFCwIKNR?PxSf-`T@+)EC-%tNl;y^2e?p$F(P}eVmkCwSYAUep-l#Kcw^n3fIO- zdC5d{Fn3^$@4;B4_VT8DghK!T?U%X7mjbZkRa|{mf^)raNz@65HvE=tb3!m1%>)>-x7M{4?EaQ>AvjthezZ& z&-VTHN8cF+H;U)4e0KTu|!n+a6X zt=BsH#UDl9YK-K4sSOtM=~J&re7?ByxcQCW^OYZ9lLzRTZh9D%<^WA**Pje#`@!@c zYIml%ZRqv`jdIo~XGoDd7}#cHPv~P$=x;{o??UJwN9b=w=x_QzB>(63#I0At{l2(( zC$EU~q@r`RFw_*Dl~_~z{G)9=P!jZoj7~xrnyY=cCc%L9?sd)f)QkxX!aB_C`RS!*>762EnMx-&@7r#}tAh zsomp_M*uE=1#Z0+u6=O*74H7R&F9;|oaf8WDX3Dk_L1!FdXPP~rF-MyN~nkZyb(1O zC_f5y2`)E4#0b|f%B`mm>#i(@f*u#te$b?9As`XSl=RsJ&by-GS9$hg-{YXS(VbdT z#UJheV$<-ED;17Ksl=X*OGJrbLoKv1?!Zmge0_x87n*%W7gCyipf%obgYYkJMD;%W z;{gsI?08HB^!#_FF}l_}Vdl}DybYqiRb@S-;pWy}41ve4;1mav9j7Jl2_{}C}IgUIS$6?UYF z1Mk~>(V)_;kQ85R*tnbs;ha@umzLAul~d0pDcA;eQ?wbEl#_vb>3jTL$6B<)cZ~?X zYbJv4nuFlG<{0b*gzFmYtC1 z8(ILvv5U1D^m~yWm#7cd>jJ>#ds!6v8LE0A1ogZdO7*VR1ECOsV9t3nP$8#TlQX3c zY4$INirVy`O>vvWdP69M!W-@73xH3;o>fg`JMudz?+e|z;J?M#p1w98-n+>y z&s}LmGnVpqFXrgOR7Qqw`dbaup*Tr)lk_gJz}wYrcR>YxDdByLvZRojlm-7e8C~rC z_2N}Z=QeX8w6kJhFjFWPb__&ZGWUvx>&Ga@shMKnP>SX3P_j2D7p@XwRjJiU-XG;LLmV_Q-@2s-*vv!6#$_Hebqrny{#YbAy(pe1jqO zdc(D+=E08I%8y3K|E!@*zmptno$ixJKd%DeYwVuLH7NnLvA5^=C1bQuHDg?=tBxH{ z;_8E&&%qrZSKc)x_M0)M3UJ)N=}1E*2W~M3nMS!hkWvcm-2F4^@aAbpQiQZ3jJTQx z`a~%L?)ZP3JnnnSYU^L`F`rbHYzh-nH%jFrtWY)g5f10u#&FR`Hs?+|0@iHD2XlAI15TKxjvr3}^7BuUjy8dIWWm^n zZ)0*6Mc8~wxc4vI`9_>EPI{NRxVmHw`JKk=4l(+n zkEcbIBi`Esu7Cc>IqM)wMg>y6^A4kA3eajQukUMXjf54mBag_)1M5gb%a@za`g2=0 zZa-2i2a)f_gKG*Efozk{&MTh$K(~Wa^QMLpY>4`Gulc(i%p7@7^~=@)y&5!~zMCe8 zec!?TzPR>G4z+7}HRuT&sp(1@g|bn#rsVCaGB4QdabZslod+1!UcPd{$rpZ%pUAvF z>5AQ7awgtcsM>`I7&hLYH=fl%)ch^NcbPXqiUWDDX4NK8;NTsfOp$k)(^S~w zADAAI)k4P*&DGGXytG>I45S|ErP&Ws{*T!2g`a|}E>a^3qkX8ZdiU7-D~GY|kDGs} z*d6%PFTxU?qIghEm9Gwab1Wx5ys$urPBWJOqSXV>J>1O#nwsGDDJytCzaIQ;^0?~< zR~|QCN7{% zztD_}y`0^R(BnIO)JLgb^bcnL<~Vjw5%DiSRB^wr3c&}c)99XUga<elk&!B`oasd6GH0ndNfTxO;QO)pM=^TqA@|!iK$<|mCOCFlfQ5w_W<1y zU4*3Tj%#Jgqo$7$_6fl%$ldCk##a?JXk9$x!+t~;_8d9doOwailH?81N|JkT_4tAO z>3z>-n7j}=m7A>+-~m!6L!+4na-cJr(qO)SD_j=YJ9Yo|ZZsVi)_3d2w<5;ZAjY>M#@8Um*CfW*f}~S%@06aAL2%CA>L#mS{bN@*Jzeq;K#>Yk zkG_om>YsJ#{It7$xj)3UPvf`x&wek}biYRqEHHg^&^K?V7&`JYlf_m(hkko_!y%VN9(_%=x{}BgK1< zxA?1L_oo);J=yLoCyyu&57qe&b3&Ss!@-|1!XR+-i-lmHEUNhw<#+Qp4@_zFQc@-I zV&^Au=evvX`Rw#gL)0V9!}@Mo8Vs4GhM!;2LNxMS4UPvCAui_B=rfRmQH9wXnnQBf z`H=b(a!=n#3&Hy3z6#AkE;ukIKO`n52(&GoCkrKnAcsPuM(qU`SpQIbG#X`uaQVb? zQbz|PzS@KR_p|!jKUzbAc~R2BW>>Ji-Sn09v;!#0MNl0dumcUtPi~%HQW0)GWChRg z=lzUu@eluRjQ{8T2mfdKU9R@``t$kzd+XuP$H(38tF6yM6Nk1#Lm2G+X%R8yScw9g zuZ14(ih#$mGn7xhhrlz}i62(VX|R{I{)U-(DE9q*1z#;k;H%vTe6<3Bua+h7)w%?} zS{56Bi_4#USerw@Ku;PzI&yEGU>AjVX~o~|Il3)nJL#*)FqK4{i6xr@8{CO*{5_q79{^lr~kQgzL^r6Kly*g|NQxS zHhG!eQmoAi=hy~o4ZAiW|ETrNqjD^0F0l9Ut2QRk&7KOsIeBxL^8c+4aF^;0T=%!f{JfI zr90>eW+l2GjzQ0s>{@*v_``f0t-M{Q#`h*es zWD@$s5&9$(`eYFL1Yn=CE+1g?jz@~>}jY~=y*(Dd&$VgDa{ z?;X$e`~8oHl99}0@4fftdfGF4XYZB0MUg}jiHeAp5fzG}IFZso$tWcm(U1m8gM9sN zp1(hT@6Y@C{N8?_UcXO&Kkm14JJ-3+bv@3y&RMlTSGLQN8gs1nAAeMFwn-NiGx+VC z7?THv(^F-Xk5s{yNh)bXLLa?1ddHTppa@Ofzh;kJQGmFSj1!dATBtPFtklZ}aLT)VrwV$OTg)|7LrNd`f{uTkXa_k&VZBc;ohrdO{;)LLt z7W<*?MmorXTEU>6R|$OfElf8#Dq`!~tHGQ4=;Zxf4_hPX-dP=@ zAO1w#cw3aXgw zcx-*71@+@-VneC{!tF1;mM@TnNLe4vd^K6LY5S9vOJ^lvx9xomOEzivNnjqdiB(4( zt})3U!UO?#-VJU&5-uLsf4rAjp{`MBj6zlxs9GE>QC9q`?RaubgCNbj{`4~ zhkTIbO9eru1vxlXK@pM9Yz7?uCrisfA1-&QRTlIKf!QtkOV*EdK%}FJxulF9_?|bu z@{Om0*PZVox-;m(LxTQC{sDRzDxkb_`REpK^6xr%f=UV7A6#Wk#k<;o3V^z+eseJMup;zZ_IAvSwt@*u3~#DESI4a+T|I}-5W>XDU`tM%DDa{+I! zXNyCiTEJ=h5908fj5hZCqA(;nMsIvRV~NcVuDwT^pd8-kMGFQ2;b)Rk$YE~B^=tRH zYy}DW>95kUTVYDh{&J`w6@-wDY^;irLtkvi7!!u)+RE4qt0Y$RV zChZp2g0xB1km&D*sInSDU$-k^#~+N+eU)WmH^G^JLWsLc2HQ?fE}u#lK|89G4O@FQ zfY9EO*5qC)uu)pHw&ozgu7^}lu~sFO<%YUPzkacga>McD?*$|wT4?Lz06{-5c97eY zTQuLq1y$gt)gOu^WN{xlD$}A+hCW* z$o*|VwUd>CrBe%ge@_+IA3 z{cjAfPb(nO>cJ+lt9v8D#O-62)7&7v z$DluuJP2*JwzO6fi$WYq@>UZ+!_no8>EIQ*aL6|z?;B(YgzdChT;E(H;DMHDM*U|U zP`kyq{6c&en(!(O7-Z7}l_7;I?&aE`y`xerYnug#a0ziGm=HjPPL_~uD+Lv|=pw!j z3BpdPgcy@a2{_J|xOCY=8s??%hgxU}!>B^d)NMX%wE5{d>fm@e5VP%R>Tx$g=b8>o zm{GDq7TXzZf|CrOIk8g8DPgD~6d7(mEsWj27uWs~aWL*2`k?>@%d`WzWVBu@4 z>Vy*NZypVzk%I`PU#}PmiZD>cHnJ$E0J!%Xu6_9N96#6IMJDk4s$;z5#{}of9rJ=7&{BbH9H4<`~^xkWx06h61JBwuDBWd)P>)&mVx8dPs=F$Wd>Jr9kD)^K&+27AlAp~5$j{^iS@C@ zFxuidWM}OP#-yD3XNB#cg;YqrSKA+njKxyyWU`0W8I=>cNzSmDDy*p}ClKNCQ$-&l z^RU|kNuTBt?HRQJjUqlI#6Lx*t8vTD?p6iXrt;fT?f7bLtlc*1hM13$M>VpzdAJmBYV2t*q zDo|??Vu0{Ozd*%ESa1Gu}z>6TocAZT!eK5wUEoHWXlp;ZEX8? z?Y{c=-?QNAC+_`UO)n(X-5?9C8#%4sKNNsp2HR4rZi&N9#?dC1yB27^BkY=Zf-qFy z($y8z5(C`%-MI2!i+8CK<6Q(|yi0}{?~*0PyJU#*uGKhcRoJi0Trr4wO-;#UBLe#u z$W7AX%+UN#=G5+cLQs;faC|ye6tstSxvPH?!H)MbRwP#6Y2bsqSseslNnX&Zn`+_F zR!2eg_P--|x#8Tk4yn~zS(K?)s#E!v8(im?xfD6oz&rE?OSp?H3>A5`J=sHms!Np7 z_Y_p2X0X}3*;gLIeXFX@J@!C3A`EG7+YI4A?3;xEF%Lw4y`VH|b^gd{ogc5X59x!m zWAakbE`(O5UrY0}9Xg z+oO-}Y0^T6?NQu^t{q-QA*qg{krUTexBYIrgf*k4qUQ@ zwf+xEkbc!bUN=|`eN?T?oVQkh1;tlASB({5=JKPA-v;`~*O|gx?6Wvj+?M9*&Rfmb z-j%M|yd(q{Ij{Alhp9k*Fq5M2NkyQhm{xl@CIf@1X4$m+?9rcwH!nJDQMy|n>hykl zO4T8_THT-`vVV1cyTV*SK!h7go;oq@$gT@Mkt-^rF{bOzKd!#v%9AZW(tL(g2Mx<# zxGN}50H^V*r#GbQL3)kRM_UP9wEf8U%k;Ym&?}jl?8B_H?(4s@bt zNQ`|AM`p#~@yloS^J&6xX^=vF*NQB#&c40T&8`UbBA>Ijt==cLKT{|MKHC1(&;Rg! zD`s6Qk-(`1k=r-D=!sSXHjmr$(wi+&DcP~&OOjToZPGbJ`It6Hh|ov=Fw=qc#^d@g zxcK$v|1bUjto{faag;UJ6X4d&L)D4Z|Ci(2lt@!m0<31!Z!UQdfXw2$&h|1bXkx8Z z%R%#D>Lf}^dEgcwyx`cU zjh^xHyB=#2#Ln;I)@S1O`_eYpC(M;84d0v1eo{tjAmxiUC0?-0!6@&b^ifF(2>3k6 z6KJb}q{gLOTeF3+<2ktR$8qZuaOvarcba~1(a~Yme;B+p92e?ui=^soYb+*oL4$C0 zEK5WOblOy83<7L| zX>rRR9mxJSOJ(j-CM{rRwsbUskxII`Rp=nE7db}jkV zxWi0|%FXS$4sd&TXV|U-!6O^%F~OLXXJxEiTEZ3i8JV} zXote)?jsQPtKpq~!a*>+^+{y6-WjBD$UjGX^AT+RanF0yo3Db^o;zX8@u<@2%faY~ zjd;$|b$f^zGTDA)+zH-pjUX!u2}T7yNZujB5xairNQmEz@~Zto$fFQdcGp2siPzM# zVih2f#>KGWqzrs={vCZtQ5IA?M+$PbOToM3lGs=AQJ{JA(NbkvII!G1mBdDU9OVvm zr+ErS!I@{WFu@ZJ=fjeV>7IuJ?s{?0qjvhj7nT7-fY)MMPjXqJN3B%%jV{Wg#RdDO z=x%)|_;9>AS+3J;ny3WKL=mSGCbf;lfHqAv094x7KxM zvcQGDO@Ry+@{r}xaL(rn9fYdPtk_oS0i)89!*dqaNT7_F{@IcwM1RgbZ=9qH^V%Fg zsW_}r{}f$QXowDW{*n3v&Bw)vvuO0E;7nBQQK;RKT-sM(3gw=gA9Y@@L=Ovs2d{_} zg6)raPWBx~vGxD!Zt=2sTX%>^i<27lwt=U$s?Fct`J=!Rndmv%03>=$(QRP2Bd|B} zUlSfTg}?a!tb96!{k2*b1kl~%j9is@G|>2UtHf{(6D-U~Y3SbPgs>M&p9l;hNa4*P ze?2J%z@5Lm_8yIn_#RD__#Tac_#Tax_#Tai_#TZGtW8=aX&qhR(LL=BZx&-j+Yu8X zF7FK7)>f>?R{OzuKX+=@X*5KS=wc?9MHJCKan0}!NJCeal9jLc_(RQ?$p@w_k&vHw zFT;g)58BfANtV#CTBmP*)V+IWJgnjKiTF4oK8=XaCE^o__)Ng{2aEMV{?42!O5brj zqGP`b2v;X}*88i2qTird7rh!J&#ZXlUo}P1^cT1N`mO zbBTI2m7wL4YzB#6r6|PK&ibfkHW-#ZU7Qi|M|Z3(N59b?MYe8g!g{HSV-cz+ZfD{;|EF^NW;UW9R@qTR? zIQ&ka;P`5tf$JN^>rckCQ7|j@?ey;wAbh6k!DOI3gpzM?_I`)oKOfiM&*G*0di0tN zgeAV|r0=YY3{>F}oYgZG&vD7|p~D*aLl!8K04g7k0cTN|keK;fozW&~aV9(2pQP zY@>kq8w2RR^gFxdbr6cYpRhfFMh_OXInR6{H3S)!*MseEjnKKrbgsoZ(y*oY62;Ut zZB#5#(A2Uz&m?H$l(FPXY1sM1MyvLPCbqwf`+g0#Ud!jSK;xI^@^Jf7_?_o!vM{_! zbG!G5JoG=UAe)R<0;vHjT3_Dhhb$-q;-jKYr0pA7M5iJMMcr+<8fB{QUdxVXM=cv#)&; zKuv*GCpOoKqdU!f8#kS20sbz5_ls<-z}b6Q+mxOGKKA4_yc2}W_!#+~3Y9$aI&|M_?`xJZ%f8#4xRs@0( zP88oZ9D{e)W>hKjPN1tFMjkWWJ_uJYC#x={+8~m-mdeeAMF=YM?}s7d)cP&wDRR0jSaLIHV;4<}Orb@%AbR_kV$lH)=Y@RiQzj4ir{i(s4>@r*ALKsm zM5V)f1m*gS;JW$^gL8J~Aeek%p{HgiGPb#}r+38|=tMoD7w=mFE*{su!lnPG;c@R1 zT>dr8#(sQ{bV40!++8FjCa@)Dn%N^>8%8f2S?sfQLYFHh%f_@!VP4eiLM@#Y_I}~= zgNt{_q0_GPN&~xVN`{qro^bp|ey4kV2J(?KdmE*A09|NR>aAam$C7n;($G|<|8e}| z`d_&I%Ms2!%#Kbr$iuSiUD6>VNLIT0HRY8W%xYLv4Hnv=k=CGVF1^|y#MdRx+F$^# z+`{qSR}6uiC&oW+zY{ug+ulKWHO}*lZZi zmF1y`JBE@f<2KGYS|hRTr~30YWufhc%?D1^$|Lh@$|~1srO`ea12rK#1Y{BSYd3`w z5ZU8VNisnZ_|2Ut#<-x4ou9&upWxzg&m*q=jEi4yes(5p`*oa27K+@WD=6*?fcdE? z`5O%K5O;fnuO6p51X;#$zSI|ogPS+df$E6L9nIxcuPe6LI~)_2vinK3s2p zaPJd+_o~(~Y6Ik&`Bh~li3h4DXQf6`_#u#cmLXh)3+85LY-=O=-~vUV^H38vwm*yO zpW@2rPs8K-gSh>LaM!zb-Z#P(#Tm(;%gb$NMiUb=C^iCD)5o(9%r}B=oazJPP!dqT zoJc-aB7$(=t4b?dY@8_IhU95)A+Jg^v-b*!FWw+vR+<(@ZE)&7E$4|=mYy~U&Xbr zC^n5~({g*joj3Gia{kUhD1FWwI2?qGo1RW--VR3MIl8kB)J||rYzsAsn?1(JX zjY30>=Y6Su*&v5GOEY?I7sy?Z=bqZ<27RQvll7t;;g=G#(&P&}Z29Br!(V)&m&G0- zbnrcI;nkljZ6}Z27nzbI1>^fsms9WkZo`!i_4~%zZ#MQ;yNGj=?TVhT+&Cs zUXiK7J^A6tn3fJwLX7;+`*DJnnjN|BpP4`}Nv$Vv+l%AU67FJ(TR3 zp)tV_04^zR>MwteX|a>PrM@3vgY-Par1|uN;F9))eEb^%41_=Hs5_tpD)$|1qDnQv zNNjF{YquKsdKh~Sv?;@AaH^>5ZclXO!nCJA`VTTB}}t_dO=+|^Oe#$KbW~TQ&Z0#g(UWG<-fxi1!{NO zHl@rYqN0)F!kAef?0$N<^SN;C0o?o!KPsLKRg(das&9vNHH1L?!P#6#QW;1wRz5R1 zZH?N8l-Tz@6bAdeV@Bo2rLo@&pFLq3eM;3EX^7;q3(lFLq@q&h1}PtulUhi5=s~Yi5tWk0if1anA%!ypTGQws8j> ztd5`Od$bc}acQ!*&FjK`8W9(o1A3@rkM#|Ls5p#{N3}IH%0YT4B7ei82&vKRzh#d} z!c<6T`4vTVbn0wweMGX9o&Ufz-b7UxQKb&1maFLar3jx6`8i z)xcw+_@j~SxhZ{_HK=7#ruHMfUP};obX#W>iv~P=~BiV!_qC8)l!x3o( z$}L-dw6mMQPrhWfm{3uOR~2M_lp~1BAAR;SNa<f;aE^^4xo~4tq ziU<2XT+?SuqCOiC_1TiB&yhrZHYDn^1+3u-M7$CaPaxvGh=y^iuq0 z2<;#*IZV(&#f+mT6vO3VKU3U>f*ee&9QQ6l3*JHkC*{m-79m+Af0WjQ3n5Lf==;(2+V8b*+|r$ZiXG=z`3PugZn4PmCLmz|qw zwg1vf5$=&?%4)5l#e!wY+{=XX7U zEAlYguz(e)43m@G$?!wX#p$k3$URW>g6D)Qr9M1i>g?aL8fU?!kBi5xH^8Nji~rO3 z!R7xiKF6_xgaNV0#?E^R)2!N?l(BwWL{JP5`3B`TwAlLmr|H9=#?N}|+slGro4dPQ zK>CwC_sJ;t)zK*CFEdlZfb?<3$J8wckoVNH$Fsp6Fet;yT_o*{y}#?tKQ4XTd?+q` zTs&^Q1aALoTz+uzLTuJlO<$BjEAQaOB?);@&E9YOHCYJ)uKpZ27oh}_Aoc!(g97-@ z0R?}d1GfE!%MXwBk&D@tK@e4DbkIn67i?aLi5?+@q1|d^e20fpQPRyWF_qjf*kCEL z|JHl|f4n~9%IAL@9=CqrpDv&E_SgRD@=@eJBzlg82j)3E%B~#d1dFRdT5;Ywt9fgU znUe~vz~P~2KFTHlNqv#KlP<7g-w&6vKEGzHw}if3oGHF>7NGfpH(lk9CECjp?idp1 zkKzU+cMIoRf$Xv8-V?>P*!1Hp)Ng#N9~OZJd-bm79##P7DJ}h*{bKO2Bk^+KX%QGnb!okO-W-)Px)w>02m;IF)MH!Q zW#BDY;~PJ3!T)vgJbc$shFU-tj5&WqHvf_XdvECpT&j!6Se;u-yE+#QB~LN;LNKx+7!+YUI^1&W*+(mvytX zBhnht&)3WFj%k8p@8;j%cIQEJpEQSg;6WHolW8u$eHBSvtN$F_c@XlE5ykhiJcuqm zaO2=eKFB1Pm`IBv<^Mk`f3^1>Ws*nhQC9&)WmMuhC_NzbD{uK6&=drT@F(`gUCUxOiOq4VV6U$8T}@ z`P1FcTpPu=!YZEPS;u?4058-}?~meS(Ys{@Qf;nVcdNY}cWt-)#bM0fgm-3)aX= zP%*T{*ar331av*fVMb?`ifz67EwKBk;@1D;>JRe^#{E<=vhaO(K(W}0IFN1)t0e1Y zM%p7zVrMt)KnGpSn8G&8z~&{d-JafJ*zcEd`Cp6w{QL9WM7b|D*vrTwvU7J&dE8@% zL;;(!rEo#u>-lENe?uCboDcQv`OO6{)LO_XVz>dfzZ0(hi$rn>d}XzRgp|3YU|m~q zLMq0kH=|JJ?d@fD0ajql!Q=Yyq%B;h5c;L0#Y~(x{qN5g#y#)rjmLctvfljQ(!V@% znuBLX9-2t~7=}FMp=x{aj<<|XXfdFOQ`1ETYIWKxbqf_BVW+|SC#ACMzF+PpJPu*X zTu??jK=YoN2bw7oI#UdFP+NdUYU3~~9M)FJW31z2HA!0Pyx?%TmRkW2;*ZeZ4JyOVDDZ5YU3430Jca`1NL3X|= zaS0Qe*z*E#_X}4(xcKR~z%%wTp1{||OX~E)1NiIS5L^#MAf8m`55)^%s8m|k&oRvh z<~=*y3s0`Ue&X_vi+7IQ#vYc=PvLSu5>xTrJw14n6O;$gsx7pDV+*2h7UrmOh*e`P)EV-+&yU~aLbg+Q~rPs1W9n6 z)t4{>j-{&32al~#*Gj?dDF&rf&Y|@R$IUXIAQ_8?+&3j+3LqM+amn zb*mP(uJ$RBs;20DZwfTGGAyKWgONN(aU-d{8QdBRm5tTi0me+vDqo%w1=Uh&64^W* zp#1*m;l)p?Fkp4s*}~iwxyqj^z41dAY-&FFy%f`e3ye8(40|n+8EuJu&?7pybEPf% zUYk5pEAz<9=VXBP-HWL%X;iR7msg$1cMJ4Z$F|@5K#Bbx95=s)dmpkmk4>DUw?qr} zA$Of0IHG4Qw^}#uG6l-3!7mL7W}rUaNkS%K0+IH~Y2%be*!5lWeLQ8Ii|mM8QG(8> zmKVZoI{R5n#1P}yf|s*CAAI>9Z&2~4o7VpRxouhy zcHa1?xv@h4cFkFCq4qODkNhh9>56&5pxPvJcdrNldDC=HG9UK-;>PQ6`Nx$HZa+iZ z`EqbumXWQ8s zP8F`cuOLwr7+g_-CEa6INBt2pqSb8J)TxJTso8GdPLc!X!jqp=2joD!@xa7qR&jW( zFnpwYMH1HLttb%Zt#A_Otq2h3tw<8*t*8*^t?)s^c|9448H zzOzI1hAWd|E&SlpY!cBJ$_=>lO>q0cuFc0p#QB(}#QB&y#QB)I#QB(3#QB(tfZH!| zsePx6_7OR#NUeQ&1q7n!6*llb%v)sW~D(oF2rp2GcA<&rTE|}T`9oTpEbN9 zTs3k%yU-~Q>2(4uvYz%xM?P2L#5Q?2vr;6SSgZhK@4Nk{SM31Y{zziX1THn1cGuT_VCi*btpMQ@JDGW5 zlPxmqXzskXTM|YaPRVp`l7*d28HY@+N@B}@ORH1gCw_PY=@V|2%dY+SFD02@pLX2}ZmP~L+gAMcWz zTC#iD%C&@bfc*Hol%_f@z@5i|tDm_43*7#q_cANgH7Zq6$jSm$ivs~=#ZOvEWyrvx z^OS|*lCls~lY5DhMg~G+YiBlyN`d)p>n{SUcFV9|ISLbmJkXRMuA(;iu z_`{Nb-CxV3-=Z?$tT{>>{=Manz5*OuId5Pv{xz|q8Vxnjh=)<3;R_2%ichcv97ul$>{@Y@1bCbZ)w8LsHehPT%|m+00si9uwR|%5_o%M~89);I9)lf% zc4!BBH9jS+0|au8hZS#iz(MwDJLg#&bV{{a&+?NVcKNf2z(kTNuA&w{5DdQN#pIoRvP zwXbmJPvPn(F8*er`z|*}7sO?2O?Iuy5PY%@a+Nmifcc?kLv**yVe{uN+0XU(kz)MM zB8po^2vri#PPaS+kdH@u1h~N?cLS3pF$3)U`28jd zZcle1IG_Ge$6%*Aa$E|Q&aV{!yMc2XW%&4kq3h*?lin<-_Ivh`FY`Ru@giJ*0oPu_ zmH!QB<8c?%Lul`1KhIAFV0VKc)lWx2OSXYtr^5_UsH>M~?>+*Mo;FcGYNC%V&$aoa zJjD5=#>Dxge8l;r+{F2$GQ|0$+_2`4I1&93OQJtwOY}#&iT;Q+(H}8~5f0C?%XYzN z1)>-~%UMGDn_K4&jr)Utc5#A%ixn_X}H^Kd$;yqePI6A`-K}X#oaI5{!X~`*Bie#Lg2eaC=aSAt#vUR;G0#y>xgcbh?Na$*hOui_ec*2L0H*U54ygJtDF)ss;mZNCE82;PcY8pTmnxV>WQY+M^ zyUb!EtPJ1tH5-PWslxm02d7_jsleL2Fg4=*K>~69pb~NZpek|xpb>HYpd|MH1vg)b zyWYR}e{El_w|x5Ll|v=p7(!&$8`-i0#$f#QiFTldC)(gw^mBy97HNwbd>G3&g3c?p zQ?JjOVCxU=yo2>#?_c`=S$*s6iMYD&u^wWX-qyHLkPGrO{p~J4|KMVHmmT`Bm%0jvuY( zI;6nk;eprw=`@J^vPYY=j|BGp^QW!%Pvd9Jo)Lr)^XHACR|LSGhOBR@*cfesqu{Er zItMP3#qVU3AROEMwdTi3zQ6MSFZ@&7c=&qjgLz9j`_Ih*XvfXU=3Wn5;HwQQOc8R0 z7Jj9!!_fiAyU_4tO3!NFQs0dSn?5;W*LSTq|G4!3G<`l-^qDg9kRrTg&agMQOF(rD z8hR9MtMxb+D`~Z?MWI{q^7YIST~wfz?32kQ_V;}K7v~FCA8_%1{hj}R+Z*fczvJrL z|28~sz3cxr`QWY>_k9E|{lEBs)_sUuulVv#K3^KA6H=3rdaC@~19i^2O+W6pK|-CB zN6wsZ0fL~t_Ko+VXs2)4X~RMvSnHP}0Cd#PW(>wn5EbtQ!GUeO5N|{3uYQ~tCU~fMMe{vHpEBa4#d)-^2Fr_cfBHh?|<>X&_#D%eM$-Nl?Ccb+jq|D!Vt!KQ>Hvc5o*SU z++Q~8p_i0h8JY0qt4;LcF!$pbla1~-aoD*>EbKL#fUe%IOAwUHx zcFtYz9+QK4%KlBwTcuGVhsv{>luhtd|NZDU6-sc=dfZDLx(RUU$TaQU}WbkuRDkvI&V_o3s^)xgRt}KmY0S#O<&3PhT%C|9@J2=0Dxv`P1@2>&?%4)5q24%Pf;Gj{EOGnyh(x zN=e3WNYI+GAV&h?y?)XCc(()f%kxCMW@7VGc6rrj6*X*$?3V_@H1h=2_clBc&3B5s3d6cB)+Ou6K zp!H^c5K9EwBbL;vaxDfv#qfvIQF@>oQ!=5379JoZy00%&bQAKJ+t+zZlnIT`EtcI= zkU^Hc4_%KsNA!ph?Hc=1=30i_WNSo`vKP;Sa1DY@BiKJ zcl0sW-slQbiO2K#Rf?SdXnDZWH88E z7JHU^191Eo^*Q_cJjdzhHNe~_{wW*@t`}FHx#RcG?vs&$voT$HZCj*) z#H7PTLSePv?6d?K!AJ(i)IO(vdnb;q50|R9OxwvYLsDz^P5E&Z7-GG0 zdoSZfExIMIw4rD<*!)6yCci`#M(zjEZlJM4xcqB!qlmyAq+AP(w~?) z>_B=0Tl)@n3&Pm9F9IbsBEUAtJ?zgah<(5Pf3v^qXFsgB{^0J{dY?yJez4~aVg7${ z`C;VS;H_dN2!|Csyh%O^fUDZa5l#UUlsG_1-5tvZ+F{+x`jtZPfoJoH<{>`pdI?;9 z)*GKjtDG(VS{-i9#nNhwssrtDLEj*HPsF9HYDiP60{eej4^CXr1aa>~#V;>auJRS!ZoU8S>rH>X_v=slAK~i5U;Mwmf7V+*VmA(bJ{iafTXx02Y~REV zHLZ~f6qedZF8`wWhQqATKCQ!a<1+`$WDLf>X~M6+U2pzz<2kte;GVCw_^>gtKei>Y zKQ@8bA6uK)ADckzkF5n9-=7309E<>_JyO~1vsq~WN$Y{7+XZM=pR7FJG99)s=UeX6 z+YMY_bMH@WItc1zS4s=!^pV$fJ*hT38Ay70LoB6L34%$iCS=Yl0F{B8%V4Jgnmzu? zAdjHB?)ZlcG;SW=MsOguQsq{cEowp!vSJ9v5Ip^EH08Dqe4YC4VIg3T3S5n!74{JT zw?91YyivyJtMPY*d&b$+^6{B1{d)Xy#cgEtG-fzM9C{1G+HWeq`tpgEz8stJP(-)r5^7TSy;X)xx%K zao=AEu~}0!eNhIjyn`E;B;-Lgd%x}1>W{fP%l!0g)T# z_fSlEplcsQEE_}RLH$+ZkV20(v~0XiM$@VQtv`8Lp7|(4PEqo%(ADPIxbrX8>ah)w zYvxy#l_Vaho}85$N#Tb;?pcO#6)u>Yow2QrxcxF8{dwgmL@xuhEw$_Dkm__Dh#1 z_Dkm__Dkm@_Dko-?x$p@-mU528xGyG7ti{LdBI~8SX#U~lz;OtL{r*3qR>(JU~_Fe(;#Tx|7O4GvV?eb_+Rt9+f+?luY zH7%?tp4Y6?utn~?ql!7ItM=}YMAy6hGEgY~t3g9T0h+JnNG`L;0u>>0Ud2-ZJ6>V+ z_S3^9CobTzEV{tBj|;uGZmOC|W`w}SW}c^uiV&~kI?!XKjau*TVLW_S1|H0@#Wpa= z0Np!#Awstn^4BW%`oS!O5@OOf+cQYQ@MDEbwpp8j?a6FJZICEXs`B?{JWv2>Q3sAh z25I0IJjz}{YLBXZvUoUA%fWyhr{MdoQs8JRwVb~?AM-E%pCupM{{`;;;{Gpi?G0Rh z{^I|&e&X)eddqX{u+yxHy)jyup3~sYQUQaj!@MUFOd+&$#iR7279g?F>s*dzh)$Gc zK=_9=Dm!CiQ^Umzk+MFT`D(mq)AlDTm(Fs+Zrl4BmTcVclfXP^6Dy87Tw{_ygl)r~ zFNW)%;>r`3fBn7-S#zg^fS*s;@qDrXR36{7P@8Iq@&i=zJP+|hw6-UCwT~dke+|E) z5G9DcUhm&quY4eg!tTNLs{BYBBsJVO7SSsPX7^4O?b#~~Lz!V5DB`d*+~$u058sRU(yJYAnPng+ebDwB64T)~0SZ7X9Ne!pMb{*buy z{tn+Yl%W>j1!K-1kqW>?F=#a3#)P2qn&6 zumjxrBe?xT*6#CvKOcvC|Ks9u`#Cc`kEgw`!w+-~CylP1h=U6aVaaf>6t&Ak7-xD6 zM3i^aKQWJmJ*30adwSEb?v#X&+8+l-Y z+3V!j3;eK6vOx5$mN3ljr5fBt%?rbqsV^2)3&5|ym@!{Q2W0xd>WIxbKQPiydG1J^ zfYiUtBqiJOz)x@K?la$S({gL(lzu=xP-23p|9Wj9oqLiz1otp#- zlPDk;4%zO!D2+JcyafX;Y=pVzi8b$5C?P9K=JY87Ire>mD<9nTmLAu7tz0M$+)nTP zUxf(*b8uqG=&T9a+ICP@@!RVA8Hxi2zd3|~%st1R`@Rr7dKkFDwNf1{H~%hizGs6H zjs3jt2pNGId3B6)qcO;3-E8fMv_|yv^)kF;njmqM*Jt8OC=84b7~356hfTK4e01!g z(0efdkf3fD1T*ai@#z5Q)rjUz<2ZsHFV#JmcK=w(HZZn5eQ&0R6*-igel*9*1ozrG zcp2|7LLJ-2EDjxh^tv%rV)iN(XdCPk=E{_Y@6BdEDWf%z^2M7HFWBW^ly^}2sH6l0 zd>-TpwADaT<5I4z*}~ZKgK*kqdR`T6(bX}I>r zpNU_;_2Qm)-1CUr5262M`VQwIJ#;LwM6-NM3Fx^_R+v z%j6B;z6mJ;E*{rjdZnwh|9Da*m^}8I-N0Cf%&*#ZUWhvjs%d*yZsnearQJ?UFY@Y9 z(EMEmfzUJ9_uI=2o3^IqZ-th79~WM0v7rQom>XeR=pggsiIZEeZUL8z6;^aL9LT2T z{P$>KD(w1gT>0bPCn6nH%q3;?!1uiIm2W&1yzYD#(VamL9uo9F@(<9%PyywY%SX3> zlYiIA6I4pr@fMDys?GZ{L$gD3{aj~she()g`7D~ zjt(C=z@3MVYaim;SGe}PcOmEYW-lY;Ng0p{Md~1kc8A(A8>2XqVUn{d1bE$kH-2rtHXm`mHWzWewjOc5HYahuHZO6$ zHYfJ}x@qU6U*X~bKZbGhiF`d&G;(Q|rW6l6Xxn#+r;QC#)r`gaIfP)qDR+DP0Z#1y zDeirey7~UYfWg&y2&MuFPEoGtAzOv;WQZ@?J<3r%_sk32-|D=TxaSH4vQQ;nau4iz z;<*1KGBssJVTod>NSJ&a7aRnx*+pf2;aQ;Ox&6#UUiNAqGqSR}qp8S-^=**lg;bRI z{nf1gNE&n>wZC!ga{`!VKOCpLmka~TzFoB&4kJIyyrDZOageMh7C8e!XHO=)*u2+sLAv9<0S5Y>EBtrHK9Q zWr+RlWr+RlrHTFRrLp^u;qs4*4^K>ZO4_3dxo1YTZoTwEzVoN)wX#;{+h2U1Pv}>H zeLtQX&}+#<Vp_I zKe+OAH{o#zQ|5v)(gB+H%skLckdp@N*-f97rcJNvH|XMVAmJn z@`IbN*%lNL{9Ab zI$VB?@~$h4zjcQ9o_E}LTP2{#>CMz}dM>DAR_y9ILKKuzWv72iwnDP^OTJjG+G`oM zjWsh}sn9z5f?FXV5n>vSGaSm=3u!&a286rPfVr|z;?wUqNbpZ8I(6wRddT~zD*uZN z#IW3XGv_G>gRis4nulzW;G#*oj8ZA{eu0CloF6Q*KtLaJE0A> ziu2pl>g{>ch#XY-YV9+&@I$&oKY;HIuIU1IO zWK#VaP3@9_+UA$d#CRgY%?IJu596K}Ts*Ekaq+nKAufHLvjv<+=4vQoxViM@ZEavt zv{fl|kVD3A70x_lu|#h^Fw`*s0dDdZ9&NdyM~uI1fGc8;c6nQGfW|!(lNwxtNN8bL zb}Z*t+m1I@kp^}ou(g;Vky5kV#{T>p{iYA{KbLEhobet1x^@%=sa6MGDgD5<)w~SI;?h*K5*WB(c6onpj_?POL8ygc|XOfg)0R@PNBhqm@?&9RCk{ zZyt^X_xz8Gl6@y+-*;~Ne(d{x+e3CD*$GjyhKkA-m81m;ky0_0iWDmCQAtWlDMTv1 zejoSm&)@sod9L^U`So1S^Z#6P&6zW2&YU@~nR#$W`bAM7($V!dS;#j8acA*;8)<@~yq|>aiWLUtgUz+-2Svc< zlsl7HvQrE300G{LR%Qu>u9^5YX!=JFPRf%x1ghIl4?(PT0&L9Hb(a< zYv>Paw5+*ljh(;!L~&TEGi4bczLfAHy-yCk`j-5?@wzl@Xmt6gvg`*3s?G>G)I5iM%Kb)2G_51cb^rdfS?KxwpNE=KlXflLEI6$|+7l=4Lenj<18$vh@(Pu2o z2wr}P%Z|u2!p<+P$iqT9Uo52arA9hm^ssWiSV`xL5pea7EC0&-?)UK+EBsYR`XP|? z<4n>IfutX0l75r{_kYCv82g)1P=T7MR>$|Z2_P6||NgG8Gve?GnCg`v0HMrz(6B%m z-1;Yadv+)T?s@##q~X1^P7f|r-kCnSP8%HQPEPG>^F}EmY>$$?v|!Aj?$8=39SAw9 zwGq$$*Rc& z;&D?5n7TXJZDR<3Z7t5<7+(iskWog?1wNIj~FK&Jb%PdY1i%GvMZvX$&YM6EAJkKWHCXvn{|9L=S#lD@?l)UC*Hn3{2xkqr3C& z-mbF(7NcR7rEDwg{ld+c;_ff*{kxK{6M`8H-QnU4OLTtgK+_&75qQVMzHQoF5H=5w zZNC<+1j$QBpOjq|gqed`k1l;cXgl*ay1*$8*q7(=)>M`k_>E=ta}h5T1}D*ezsd=5 zCLY4$-0Pui!?o9Iy&Ryo@67!OIUk5E_skQ&3PCPxd&B)t z!HrLF>2c*DH$AR@!(H!6eUmaUx<6+dDNq8R#NF=KRw*NHLc+A4r2KM!INF3@1`8A~ zL`|XbP7!QbJGaysD}oSPg@{&wz%NjycY`L{G-OOH^@g)7>KmdPzCOI#Zk+w%_kh8UoR;~K|(&GGve;r64$ z)sL$QFe&w()}a z7k}szS#|q>!5&0zd2scQOOLA`T>iN9N%oP4{f|e(vky0|H$Kcq>+ZU}TQw60v|oBA zS<++BCzjPL6uZ@c?e3nhd2hF3$LF~6;O;Lje_Z^S26gP2dx9H*c%E%yIy(aW>YPvg zejxz8*}sFU)6fqR)7DFvnED_UUF}`BTEYPLeS{lt_@Tw5jJj3nR9ME_dO_p%7S z+wuH}B8uVlVc!tV0)}~m&sdcept$f}CSQdXa(;31Yf`B=7mLRi^e00nQv~S345iPh)`oG`udZJ_~3G4)=J|VM_e=etw|> zbSG4pgL6|V^z!ngicX|J-Zics%87iGvFC9lgG?F;5Agf*?loBm2KmkkaN-I}^z0*X z*r1RUZ#60hr6S2c8-17O1}NUzV!wrt|u3-Z#aHFL&uBTH4X&><|+{e!bSGUcjd+nqH zTVr7zjvxl;uT8kx^N|+LOSN=N@M*wv<_Mj}!AMl;@p0EvwFr=nxZxP~#udCL&N_O2 zh(jXUo(YA+Vc7XPT={Y7UG80!yd)ZnhCUQN643L2f(*Z_;Wg2yQ&8|!TbCakFgd1b zmFWY60oi>|*7*W1J#IXM%l}WK$F=9b7O(#PdB>FpH{MXxuwVW9fFPv44Uq6ZDF8i3 z&+}AKtpgMLy>g~j2Iy-lVTxUOJ@{+11?gI`1Fn7k$}&q&>EVEdWUDPw{siFAHn+%N zWrjIdpP-S?YEUSmvFY*km-+^`tfuV_SR>qg9j<hqZT%|s6dLIZvARXb@BVqu6#qPGy?vRo=}{5 zQq~=;6m&08ZuUVrrgW5)>1Ocp-u-Kg1Xp;P7-pI{5`dE4qc2A99kJiPf0{k~)8xU$ zlaO0Kxc-M_eZNS6VKS4J>cPHm3J5{c-+^-1`5g@yE5dKTSWl z@$jD}Ke^@kyZg6ukBOe|hNGeV7O;e|`9Ow|c5?}JDw4aq>g`~mBgzjex96z|h39t# zhjOSa5w1S7n1+?M>VMTwJ+aL>`++fJav93jJ+Mb_oX+~`r>Y_SJ-yOLZz&)eor7IL z$O5~bC^2T{Vnn?uNU*H#Fo@BEsU=g{J#L;Tr{l*^R zH%l47ns8(Pd#iMieNxNDyD5g){Izcu&!^Z(fz^bWbAhB7)KqZmhzi=E5@ogFrk|o< z{PRbQPrC&4d7ol*)Dy+#U%RtC|NLh$)V9g7Y;BV)y3sDOdd+ce5bYM5nB(OE{{BWo zYgRV+)K}Oxyu=QFnmjA^AWGU_A=3Vuk@i=Rw7(*x{S^S*_2Syw#?5ee`rXIQW2OhB zomyGY0YANMZf0gk*N&|-^Q}CD2=v@!S(1aW06B5Z+cMbu^{43{_kLV?9}z%tf6eU) zaY^V-%sADxqy|xO)br1l`|E4PRI|?wNkj3FntFD)E5g<1HM+`fS4sk?rIaxHXvl%b zpiDwgBN1sfq*D6)kcGY7zH1%tDuSRxR#Nn5eEt75`}uwQ#I-kEd2scKi_gK8|Hb6n zt^-o?0B1iD;uWQ!r11H!l$Xo6>d2>&Ykx|@xSvADV-s2U_Nc_zk4uv5=NDI>e|LJ^ z^V<~KWh3$M5bX0mwCXii3D_-sWx2Wc5J(Yr<}glfMYU6mwNyEo%l(9_4@R?`MSpkw z{44)|jt6k<2bUgK|G4-8T>cMNt6rVU;X(#dqo+p*q9`=DO?+#y97@j{DtIO?3d#&& zM`CXXf$y5sn4Qr=5Gq~P_0>)g+0>7R%v_N`bY7(>>N`EEqn&IKn-&1u6B%2DH}Jr? zj6$!mE-$u!V_9{)K{46`IaWK}?743Wtx>cs&2AR(t5?_1lF<dofP3J73>V_!I>bD zaY=|1sKw0ky*F|FaqGq1-+vlCu08zI^z%EVt*uMIy-H?Fl$;-OKPT~;$z{Gaxkodp;^Z$~6!__}7J??)uF8_b& z|MPq5Pty;sKm60=$CW48%GN#pfexZ?6g%rM%8G`5jyhy$N+DTy_G9%OvarW2wsKHh z8Wt(`k5QbJ`N#PyTzkN!$K9`g>HoX_MEo4nj)>!CKtnlxD@IQTGUtO)xbo~B23`~TN|{=55&dtPwy1GxNg>2dLmxcvWV^yJQ$;_4H( z{}nEOa?|7btAFkJ|6l(`ZhOGxk83};{K-v^+rORM@{pVV-+jG*n!VxHzu^AY;I0>U zo*)C&hs|3y=Adln_Z~}olVG<&fh{8o7usD)<Ib*J_)nw9y&rMquPL9RjVUmNajtAvvzrd6iA~pprqc)>H=JbFchZ78YK<3ihluEa zerjN@fHwAi;m#vVbZl-Ae`f;XMaJDyjzn}eg5Jzzzyu7!{Ilp4jDdRR$m^za?#QT< z4zU$m0dD+;n}5cwFUIZfwCC{p_?<7xz+dj{;pnn`@M`JehBX`ZL#osfg_f%)kaI-w zYdN9)FuNzLFGu<)_Ix5-`El*-Ps{(mEY*Hlez+PIcdE=vv+sp-{VCGkUT4sbbrF}n z)*c18)>ztXUIaVYBo<)R2^3?#lcI7?60~2dU$M3p1^w1k_1WX1$RqA9Wy=N$cxOzT z*%BrWGQ}sXPR%vC)A;$yQ`&(KmY@UqmuRm8_+(@;1PQ_t>ylYUB_Pi zQUR?u++7^9Ynl^9a;P^9WQS zGvKYc746h*rbZ5HW6e` zG08veaE5EWxob5A6OpIwH7}b22Vj>v@%nNy5xAqcUovJo0q(p%TzcI1CN6*6{}f#Q zxczu>`IDO-_k7{X^LN(|?t1N8cl2QG+o+vv!jfiMl6;k;QIs7l#^Lo-e1p(4L1q0GN z1#Z$j1wPU|1zv1<$ZgNK`->az;qw2}=*g{ra-Wy~9scCAe_VSY_kIcA6zkN7hr101_`>`L$AelfMW1?Ob@XT;r1`W)&Jj}p4{;#ZoZD( z`Xu*x`Mb+cZvC)4Hr?~_s1G_(Gp^F|+5r}sR9+cx_Cu>5QoZf{Y6Cab%3LZt9bv=P z<{_IO`0)(6`Qzp*aP8sjJK=TFYD%E7wDnPxrwYmpi_!Qfp#Tjc_05$h<$+EryH93R z7j32?jx?_o``gD?xcZ4tE7N4K)I#dTyDeJ+6ya|E*#yfREmXUicwqaqBJ7!A&+Kxd zKqb=WpQc180k52Pzq@J)9D(GG*F*n ztYZVeIJW-D9Z!RrvJOkPj3DE-TD7%`RBj8KL3?JIXRnVrcrMHnmshS*H6&1ssX1_k|#r$F}mgc z@kzOm24wA8N^&Suft@zG=8O-`k+6^Tp{e^S*!hP)ZN2}>^PkUSul@Ii%5{;5*4OjW z=>Y; z$OXeEyL_|rrO=64l_iY>+~7)-N~%!j1Re2>?cy7x(VF>BbL<>!a9uJ)zhg!W-7IAn zI9bRD=VqDYp4M}~%m)Qs<6Ha?`TXZ+12!q7`mP|vM1c($I=t&C_8ao-BGf!ouxKNADgn28;cZ_me1M(ACCImuYoOK|}Uk@m_~z9Nthu^|lkX z*z;}4t)Is|vp>bQUIW?9-;)mc9)g9`dP&8I9jN~n{q}vUI#4IecEUlOQ&2H2=5XxN zIaJ{=V6dyk55@bwO)h@43zBax3JF!ELUxx(asc-(q?yTkvO&ujns*BR&>|!vrg0$# zF{L~RrO9@qf?RNYQCBluS_pn=d!2qXB!ic1{+;3TQRwcYET6;1#}MxO7nlCu`{F;} z7k_vC=qA58EVI`O(HuBQZ>(to3QIPrQQFEtNz=o7wbcxrpfUcacFPRfkEF}7ds+S) z|GfC`+5>LB_fNAoajwf3++v;4-mge5{f;AyTI>eLB?n;HKckV+5`uCR72oA;a|Y^` zB2>526b#KWBn5I6VZPmFfi_MTX*67xd%j*7UI;%_+%GQ&p;HfqHaY7eg%Jhsj(kb% z`M-afesJq?{xtb<%Aj(ImWq7YT3RN5UKU{&D_ffj7A+VO=87J8V##{HAQUuDPVs)GMw*>+T{h-eO{hZV8SWa z^S0XtF%ZsGJ69S*OjOg|F))C;$|HAlZW;i&^^g1B!PV!#^#9#><6nLLclG&Cv;Sd= zHB3AAF~P;2Pcv`yc~O#T{G~_+7RdcnR>9QD0A39z99io55V8LFe4Hd5cD>%e_W9qn z&wrXeargN|-hfBrl<@(`h8pH8fC-j;iUY%^M0)3-5Sx0~XC4y(t8cvErql-)I3C)a)Bx_2YuBA2n4#e-?<`M?X~D$ZWTRwRRk-_llS37QIU0^n zn*Y8}346W4=kI&on({)&z~G--1vFidCj=`UmfMv&oRmmN&(qSMK27|*>K0S1FzPD_nXb;Ca1Z< z$E|SsmozUl_$}VlOXkNuU%2v+oBjiTPb1&6c%(WnaOIga)$`d8~v zAbfw)!c3jL39{Ow6ptPbfx__NjJK)oXm8AHzoLc_WRGo+80_DG_S#CuMVxkoH;td@ zS@aBGc0yLgiiiC5`?&hS{cl>~zZzQ9KFBZp`qf$eKl#Shu!2`v4J&w+Rj`6rkwQ-o z&>y?{jtv;ypR9q|s&jqPks0*{u?_eN!r2_p|Je^ACO{p2U&~SJbqFZN6@k z3p&RobpPrFTc|IWtdALXKu7I!?o^DqLWS$?8HY?4vdb@DX)b3p@loGBxJ9$yUlC60 z8hGj5GedKeHJszmy8ptGSfI0=1))3PWk^ut{)| zElQIKzD|B{J{`jbbu`7EkJ^~YZV%*szrVjBBSs-j3yfFV#EMgBU@sInZ)i|Ne2D?# zp>?a_>$Bwg_e->}D^}^~VFPMd!5gSUW~-Tsakw`6q;)cP+DR2=)L!e@v%9E3;i-+`aYmg`JNq^UgrxciIT=iRQ$>5JG72Q+uUr&=me5_qP# z4u+T$V49NU^cgW}uB3BO zYlppouJsGu=Pq@eb%GhJ zRs%n`94Gv0f-6KlPB3pfa`9#+E5z+LQSnLD{^QOg?*5XSp4|1Mq$ z9;J@T@M~U>I>$)?)<#$UxHxKrW?FR!p%Y5bDEqS@$V>?w`5b~%n+^VP=L@%<;-6-p z|LW(zdmeG^CvhmdjJ8%E9op+vb8S={c6(@L2Wjbm?#nO%*>9qd+CI%q?IZ=Krxao& zbpO2bJ99AW(WMUvZD;;Q7dXWM`|>>An#%G5zp<=-F5-p4;3V4bS2-ch#6x(Tdp+R3 z2XXmx=F@lT1UDh6w|;TWS5H9P<1b3nbEm;&vDUw@rw)eq?=>8IdKoEOCyU!~$6@#9 z$K79Y(~~=X!c?oDHuk9dvl(VE;>f3n*n~$~l+MhAyYsFRANE zptrRzx*4|1W9tW3eq4Io^>QT6EcCVo!lQ7p^e!m}SP)aU*n1-kR^`+P>j@^K5Z;mg z37+MC@j^#3C0kvWN5RX!9{a8WUFx5nFpd(I`~8P~&y93OQQl9&cEu8a`CxOc`axx| zIpxkI7OniZ*AK2f$xTmge?sp4CAWU&HM?)L)?2|&?QioJDg)4!8Z)BlK@UjJE*fUG zaE5FXbzhz|f8` z4eoC1jp5;$r-@raoRLD4bG`j*W6(8deYH!<2#h*4mCOyC5%HGlt-}I_fcrkh?boy- zzcERELz4V~B>4?V@*9!lH^SEc3V$Mrzaxo%9ErapiN6zxKR#XsSO2*B!L_&N@fwY9 z7sR2}!u#0Fby3J{65}TLnIR*Uy>exoqENk5E}48#45%jVguMMO2Dtdl?wrMM+XPJD ziGGh5dx|mA9yw6U(PRXx9=@-BI%o`aufGXpH`${Mp|M%2a|W=>i1*8#HBO+Q!gLO` zY(Q2vF_&LlaD+9=^)l13j-arv*r=x17q$NqqTMSGf$NF|wF@XujlwBLQh||Gls-e}V;*}AuJh=Ew-2eACX?#>eX1mZd!2HFV zG4Mq|t%O3w09~u^Vc+;X2Hq7=Gg<}*pstU_uQILUA-U}OSf0Z^urm~l4KX{4Vo<}T z(+Bp#nR+D#;;%yB4V+0haHI;oC1_n}+fWF&`oX;~aQAD4|L^0$%&1>bCXQ>MutOgF zZKal=y3aa?&%_84t|)F@+%eth$m_qQPF@CBDj2d81m;cIq9Am`L zyide+h5)5^%1^Sn8Kapm+!2G-1keZ!mC$!lhR1gV;?^;$ko`R3%8yHrn;*cX$CU?n ze{uicarxusuX37%YOO!JKx>VVL4_p|J`g%>TrMV|*$VqS16pSoIH1g5lud*@?`fakU)!8Vn!Kf2eO>AB*I&m_%=|$Ab3F&NXQt zl2Q54!Q%MIKp;0gu6}UsncVcd6Nw*{KW{*Xo^BUczGnd!bS|0IxY&VsYTZm<{RU)7 ztlQqdWC<+NzHxK69I)%_aq-DbSsdFQmMK8`(CWK`R+6xtPwoEPb0uIpV*rg*1gH;_ zWD?sT2XBwAIajVrL_UgF_qye)LU6B?Q|b-^aH!Ym@>nT@SVno^=4ITZ-j|yc{GqB) z^s}<^XP64$&Of#I5n_G4`!EbF56a-ObpWQl29E;<&!hCdPxsvqmBTx~jdpb6iQu(2 zY`UtV5<8y9-Cx}KZpy1aPVX`}%EE{(>Pu`=wIsCe$~-Z@P8H%y7sFV$2%wq%Enz$TWnk>Ks#u|i z0mAKHggZYD_kFR_pXc}c3zdCxc=#joiTP7=$-DuK1SwTw77;Ve6dmJUT}~F%5~FMS z{G}nB&HDXLK|_Q)Pd0h*xMv%;1}J2i(jF6ZL|g=WX^-Q^Abw+825YG?+}moUU&-%) zekBy0vTxDA_J=F{%}My7}x; z73GVU9JNGrKDw)X&tWmNVPPUpY1Ro_9$f#t5>JYe@SIj8Jf|=T&nZm8b83_DoZO^* z6en!9dv;E`g#%m}sqT#()Iw`uKX|LMLwPQDa77y@lx&-=|6aj{O^>@@mkKy+d4-9n zTE*t1My4SQ$)zD-dOq~(YHp~~b`t=G3z<9Jmh)RVJtYrr8)Mr~;pHwq%RWxnk?Hnap|oF?N5dt zvqL+dE;8IORfUqJlH;yN%)y4GJo9*_Cdd^k`o{P;pgivf%{jhW*!scs|G4tt#$zk- zj1JJA)bYFgQx(oVmU2IJUlTlcmxi7BrVhqFZks#s+yFnh*DxwAl0toQ!a?QK_LPiKTKD?8vKat4hhGGDsK$|TeThaiPnondgd4WC?5&%G&4Q&PKF;>^_14X z+J(N2-r5stv>k5K@xOI7PX&)-tIjppr()CN;w^FQ8TWksY4o`9zzV*aj)bo!knq*i zBz!du312Nr!dFvZ-$%IfhRCf?Z$Zhe^GoJHEfgP;nB{?rx?J5f0*J8KwomRWr728Z zn;P6pX%1$+muss8oDpukeRULQRUXDEcs59@S?E;@7Ey_mc=7jHh@C|UX{clKEfHrk)yyrQ~<$h$BJFdkzA=c?;CE-_k*!>W2_jjfK(UesG zs6?uNR43Ixs*>s-%}Di+TEJlRs)bV85WRjW9k`2eLchsqaG1t40KFTZ+jfsn7k1ft z`uEm5pi6J;eH}7FVdXzpl=NROO!}{1Zt3+u|MkM8|9TP9f4vCc_IG_T`L^qT6hFY( zPlR|yZYU{yzANRW0eTntG;;0FbujLy(DB%0J$!pqV(iDY4x2x&|G_=)xOnxun@Wyd zQg8xZv847`3oDRWoe}fRBM?H<#fYCd9e~w^!|E85-7>C8dgDanR#f~|E2H(GCQ9Nd zV$Hv$30r!EVlG_KMzlYH5}JC?rV-ezgvRWiLUL72Iv>&t^O&e z0$TZ5&ae{TI%GYRgMFWO4X zmZM^xS4RcEgn%Ja!@NK*Zwcpg_l8HN*dQ?pySynY z6L9(Z@>};k8{jw+H9*+sftr2Ry{a)c!@e(Y?{{4LvFv}`$(U>iORnSZ7-e)IBoF2+ zn#|EN4KBkoiw>x}wt95U7CjhbGvF^_H^7!3H~+I@&x&xuw*39bU*2by3tLJKOHVV$jGv`n)v67U}U6ny9B(LV>sw`+?nZu+{$u%lG%T zXi!Bc`n`ZDcqnx9SeS_c?s*|MJ+6IfhYg%K)@F)%%B*&%OoLGG~+3+#34xMwq=ibS@Wg-$9m z!;7w}I7%Kic=pUw`1%`W?E9>0zid= zn8@~vh#bv3Y&6X_KsUG6b|)?)nEfgJuJM=}vcI}%ooT-j#ES}Fx0KL<&83k8TO71e zKK+vI{+|w{_=f}(rvzFt)$DUa(oj64rk)+{idO2` z%}Dj^LZo_jQBpm-0I8l`gjCNi2)OlSxbHPw|Aw2-$35@3^5FUhT>pvtKE;(ES3kJ_ zFSzkf?|!P?=|~6cALt3b`k@Xq1}=TuX?#$-WB&dUes!>A_+)V+R|`z`2ENxYSI5RP zOi;^~N zJ1PRuo0^)6@0%jzhqvP#0u0TMbIJre7r&s(^Bj zj?2D?ICyWTGS&Vw8p`}O*$jV6hNF5}ypB^r zLakoK^W0i!pd$D<r zfpGh3=K9`Zl>Yve_cnGLXs+pG54yJ%IC&mur2xq<*D2%5R$C^}+qe803(InO5 zI3V2h;>N4E`zz{eGgelt09;ucIUO^#L6c3Sr-$AY$zDm`6*evnudXV~tGDT(Rr}wx zbmhy!-<=-UKa+dCfk(y8eR;NAzi=k%#xrdKJYA!=E?`In1|OfG8jVv2g);iIL-z@A zRVG}H7%(eWq2KW`ML`bUN>smI8a>YdKGa2~cSl@mA%D6k>i>Q1wavh5r7{PbLIE zD`49jx$Pf!9u~Rxi`@KY4NN3U4=6w%<7(qcM|q$gmpI$9(HMzw>g>PLA_a-IKZU)^ zl~7q%l`gjp`TfJ6CJ(vw|4-w;a{p35i_AbofD;9r+fFm8DWYN%%j_F$hBr;u`8cmJ{%j1s;qmOfu=$TLcLXZlNue1xc zpUX!U>VoCgC8_W&P*9<>v=+Ilz5g_sQv}%#>!bV(iy-r&b}jq;64+LnB&Ne&g~q4O z4c$zy#P)Bv>m|27apn1^(c{LGxcb56-#k(v@4~7Gg-sTAshZkgm@sW{Ce{o!G;ET6 zY9a&q>~rPiNm}T%!yCQeX<6)iW1Xwn*vDNO;8a}xjU$BsW(_y)?rAbY)CsFJx+zuR z#`%q3_|6+4^$t-5-Nz~*d{eBK?~De>5I0gi+dzP2SZBw6UPENp!a;vqN)<+8B6Dg4 zOi+=*K#TDQe0tpY99N#LCwUCx-7HbskJ~TYIPHL*Ux8xhB?sgl+?m+zZ3WVkF$E`* z9KhrLFk6b0J;LQLlzgt~#TGAg_}6m|(=!|3bddScz(5yt<=zpNa8GxzP2l?|?BxR# zwKn5|&wUYYKQUZ+aPfP%{Bh}V^Lx1b|L*iPdb}dWhVt;$nV;xc;S-EXWLWq>DPX4kGVak8IBa_bW}--s&@ZhZtUe{$2;luyyd6fEa=xUyZ% zZW^E_HeC~%&gJ^2hLgzK^EwIK?C{Pbl%QLLG{58OP)8(H#HPwMR+3Mon zCtBG1g)0v(J*SJp)7tC5^fkt&LcKrBL7aE_i}M3UXiaZ@N8K{MU1q^IIPMfH3J@Ne zX)Th$jwem1yR3NI)PYLHW=9m23LN&ne<@qj6T!v2FH9$tVf)(zL3dX*;PY%Q{4A!7 zjpxCQpKN!QcNjZkN(Z~D2XJg~=5vyi=60NxC6Q@|}gY<=Rs z2T!5&JN9n5NcG0oRjgI9&@y*n>~wk(6l&aPNEDBTfVpY(IBW z!g)>5IBeVfIzb7gb}X1V?@`0M5N=%b1<@P*04S{BQM9qkIJd2pYrC_xq4oum%w(P^Xc&*zFI>j~g~->1@m zOC7xHW0`$aR1ofZqaEFX`a0DhL$$snxZD<{1jZj6$sNwr4W$9u5EX+HY&k^Pnq}QR5akx8omCbhU%cdI{6!XRf5FIA7!829I)5B zqMzUImr}4nk)W*12gUR^a&^D6L4%;fo(mlO;8gl#Ph_GRs3)iOhUP1wtMexrHs8|3 zmdD1pop|lrP81nYD)IRHCdjl56ZEJ`fUI?)%onz7N8JKWUm4jWp!SgJlE{;2Y<=Rs z*T{_*60>T$_F;z!Dx8=fonH2bXC2pXG_hXB)2PR4f4*f3i)!y&zqwkYORZEd#e#Z&d(QMp&p%%jQr zuM@{W=Vbnu45{Prv1K-M%iR)Grg~(|ET#^GdzpXD^c;e;>V>+yd!kW7Z{-N|5<#W$ zv}T5JFi71r75hpTfnJVp4twz46?EWUx_O~Lw*BM2clyj$h2M#{K?Q3CY}TDsg_qQP zm-BkeL3PIBkVBg$ys%)PaLlqpPakFl*)Go?#+~0$yR$w2{AUx?w#l(KX&8-d2u zqrQL zI7$B(A4vZfUpiO*FD5&2`y=7*@8FaB$CdhjbXw80Jso15?>ztfqV1djH9Q*eVSgDl z*GZv%HGJmA_fDJEi`_0XBG~mHxcD?&dR+g5i~qr;$Hlkf;+b*Ri(5Z<^hdtPI`073 zGjH!BAG#A#jwo+5JztHE_@=f{9oPvb?Om5F*QdfKxs%P3DJg)sZ)_gluLv4&_lw@`Te>{IoP6cNtCBi0hF^u=3_P*BHaBYH$85>A+G*$@z1#HC3k(< zO8*BUsXvk-sXr2t)E~)^)E~)+)E~(h`+bdjU*P&TT>5i!bjK?9c%ZEBFCGo5YoQan zMsqXf%;4;!@qvALj%8{q<+^|9w0FZhjtD zKe+aW%U^OqC5@8Z0dj&I>8gvIQ3GFuKg+l^Xq3He{On*06v@~6(iMG>j!OK+&$ms% zdXGm=l%^0WOppB5*(HGjwzJ-EYhgg&Zdm!$i3orOqqUXWZQoPDdidT6^@hTfBUS-GTFV#4p@*GUb8js z(t2~?^%pE52D_ruAD&;6DqrsJbyR{-3(pOP!(am$VnPes3>y)-_?$N8ah8YGpDt3~ZdHIkt$)twnA4{@2TSmFG?4v5YY0u( zer|66;fk20Ytke&&0r!yPK`L>fwEt!R~!|@?>COi|4*ZDS;)J0VW%aSk98$pd~OKU zb){oZYTeNJyNx%x`OTm|we=p+(gWoQE_Xk_V+ovv)$7ZzvIEnJnOHl2Ht4L9uklaU zKnuKR!TdZ6gyzjAHJ@S!vz;Fu-InKs;;t9hzv1%7rN=#Ae~rHgX@0#BX@0#3X?{IF zX@0#XX@0%nU)1OC=ihMU$Gv}X`Qy?{aZA*FSg?X4m)~V;t}=$AJoTXaG~Ot#jZNJ% z%Y3z>ZaDJ-uEhlWa^hs~^H4cdQ>cBuBtc?bOPlT`> zWCgQYtK4n<+yK;VZ~Ic&V8z~k-yTwVI{aN8^FTxD;HQ{UZm_a<@_)4fA;R}e_moE* zu;n8^&&5}K(D&}_z6akq!6GwALn&bmREHKrVk;GJR*e2SoGFEDYg5fT`Y1qRM`cH9 zKOGR&=bW7QR$;&QaqZzxqsPs6(P%Re9Ua2K;^mvQHbH?PGw3ICyEGZi#Fo`ca74i8 zctb~t3$e)imwfE)8Bgqbf86*4x4-2I9>aiy$518VF)T@V3@Z{ILxqILP$${L@4u&T z<0V}B*`=~0Ul#t;N*oTN$yu)g$lzDDvlbtR(yQO zlfVUSb~*wmdul!Wm_UGv#-WDZRXm{cc*I3!8Q)XTB#_HQbVQaO!(B@5ih$c+>r;)W zz>YZ%@S8QV{29yvHAi~a-wD!2<(g80r!`qY$nPyvSsf=>`ks2OkpKV2=fAIi-1CK7 zUx~~A?@o^!58&=EE&SB7c<|=DS?8L* z4csnv_ExMfM8a}{ipkX}Kw$l)9TJ|2aQi3V{y*Z}CvBpmwt5}1Bg=Af!G zsmfxFJ3y22@`ue`yV1@5()T+#b^@+EEBi}6f3?D&g;XEMLaL8bBmFPa!%BS|E2%z? z5xYMUZa;9`d5gIBHST}wSmwTOU)W>N`hB$D*_V7Fu4m-N#~;4vP!8un!3#ZB(2bhnA!ibGm*JmX+h-5fpDfTiP+S9kQ zzY0u2g*)6`m9~Y$^+`8jZuw~J{Qno$Cr@YHxsiTkS*Tj1D0EjxS$$|(?lWqbHU0gn zD10Ca*H$?SqeG{KPfLr7kmAYTKfk#51+M*&+g~{kKiaO#VvKsC)LO^cg+MliCzvN{ zEo@c#F!f+i2&B%Y`)>Lu1kYKb4`%oZVgDcD>IauT(XqKf{GADi7a4a;ITF#?2zoP< z0TVC?^UtDJFb3+KBd?pzxg(=aI>c6N1-ShsaP!qG^rEEvwiqeDZAr>+3z72M5~TdL z2t0G0j8UAGfSHRt3q#MC;nN3exu5jfFqba3kCR^;vbp#Zd3LKq)o#k;&C^7L8_(d% zkE?&;=*ca|Wy28bYh_q%7md_IWlhccecS<$8xX?6Am>NQSpqT);ObZZIjtjR;H6GD45j#@AWxuDUN~R)%pV@J*v~(F?hgl6Ye~&^Zh#joUfSV90oeW- zSAN|08t!>nd9Ov1-fKam_u6LCdu<2ly%tV-uf<{8Kkk1SF1`yFe~YVsT=_rVU({g! zAq;#D8&ocLsG-s5M@Jd$MZv45KFz^a6y`f_LEdr)+$xigsFmP9Bug zL5KXs>imHoIb1j2rLp`E$r)Sh8rh)&#H*i*I3@_#{`{}`hu=T%xc2a9>a zbn4jiJG8>1N}AW~Mac_GgRo~Ogl@jKKjNw*y1h-*ES94PX(o4h%H}4)O}}vS9mn&q z?epVcP+jlLez?8$^qT*tPtMcJb<&pFS+KjxyyPxn2fQ}F{_W`ZA~YhtmdkQy_W#oT z`1|%2TyrPVRMZCMCJ)oc9VVg&gWPk5Yjq*s#-F1@$QUBF7d7~vaY2H_Y( zr|n&%`-9mii#9a$jyz3i*NvLzd>Aj z+$>Z~WRucaXLA*FpCYot;mA7J zvg7Gf=hu8_y$MAVE8>Bl7vED=(I`RXthRUak{sMVo+xsCk14wBza%@gUK&E5r^_c& z$)fsb+OHE&WU%Y&aq)`k6;&+H)@(yw@g5Hniv7SQ;(G1Kr{(#fXM-7?mhaJ&`-MrH zKKcPsf_b#?b`&=L6L-D1`}No8fB(L42>&8Ou~`f8-`sRa4y*!Yg=I5Z@STS- z-Qv78@`qE$QZH&kBlX#D-z3xkm!916;PxBGegERl@5ZIaz29-`%W(7gxc(WppY|}t z8m685nBZd1r$(t6*wn0I!AAk~P;Ap@YW4xOYbUan{EEe{N+ysS^y!CR#-X#~`z@6+0v^hx!h5|G(yreYi} zgFb1U%$;@;gBi7#eXW*a@S$-ad(lh{1$olg$xN-s&VS|@-WNi^n0LV-{-ZF+ z-DZq!k26JrnikJr&98@Aik4BCi_7n~cB|-fTLiK3wB+u;hg+Y5yT9b7-=0=$+an!< zM3~~^zERsk`-vHWLoWkB*2^xT?4u*>5#5!&F>Di>>zyj9=W>Hx87_1z7nHawh!; z1(5!OoJs#dMACmyDCs{4AOD7n#|zxvW-PDh4ZFMd4WBJcM2FiZWSGx+K{?x}`SW%g zVDQs}tG7zLP{l2_OCzWJvGtED&x(ImBKcC3-V3$0n;_rohGR*eKQtb;%cV|pfbvsb;|6|Pmhr)O^OBf?rnXL%tHPw+ zfsPakUvzEsQj6bZ69L$Qfg}5=uiBr|2HFwfj(yG6AmZ|EG{MFd z%@3tMFYB>_vgZm#J6GF6UhURtk%0|pmw?{-&S_(8e}#*$z?J`e_hhltcNciF|BXh* zH#blpzw5ym7mRXm*l4HK`XdK-#dv19l1PR*VMJnzbg+8MRxS2 z|A)QzjLP!a`9`IP6p<#q_uhLQdhfmWCMZP^5d@?OQWTU9DheV3B8sRe5*1LeAc!EK zQlwZ>L@Zd~+-q|`U*F^Gb$HKzuV;U{zGThHl}R$0N%BkJLU{u6u<>}dOKk@{`x=_w zbT%AVXP>re6!9aIMy=tz2SI>~$ByeC2K`KWs4Pt(&ZJj2{;m`1y_Gq1UegHVd_tu1 z-xQBu5cyFg@}o!ON0?Z@%}A{0rzh6)GZO3h zX^HjxV#IoW{P|yT_Zx0RTiC*CS&DCjiV@lrZ$ug0U;!;A#$Od?%%P`}jPoa}7h1V? zS^Qn75uu(d`f~b!A!3_nZX*}wfdcIirwb4Gpd#_Tkg6OXFg@bQmb}Odq(a7XNR$^_ z|6h@0d{p36MJ5;D`#WDI0XAA~In5AVFi@t^UZ_<^`_jvV^XVvI=a}Q7Opgk2ekeQa zAHH3GbhiPL85^96?&ko@-pcZn1FSHT9mz$}E(9uK*-59aF@s3Fu>i`7LeGRRJ!&o_ z)G;OdU9&L`K)3c^+jVhIFhq2F@i^G-gzUQXYvPg-V5s^0(Fqq9Sp8vk;PVG_L~fB} zs+i0NClBW;KHtj=Km7Rod>^?Yir4q1?|Kp9wSVE!{eAuO{QdK;E}RB1+&s27BE%8N zv^X}}yfOeS-OE#l#PmVGQ%%l9*AY4NDfOM;(Zjy);J$xKFIlpc+1jG^)mJ$r17BM2L8F;zT?;H6k7z zH_=}H{(TA8|KR3>e7^Ji3a1T0qqjfpWaJkFwaQMO_WKcVGg&6!oL3aG>zq%$H)Vj% ztEK(SrH#a%hc#KLLi)B(3xx7D4f(5_k@gm0lJ*%!xU^^LfTfi>IJsWgyElarU2axl zr&T84`u!^&vm(Z0A;fshk{FL!5aTgRVmxLKV6?JLIhruHOGK5@VUG=3s5LmCP;CMe zi^qBglTG1yS$2&Ghchz2A9#WaP3P6s&_EW zWTKtP*^h*SY>`C8%tycAV0dRBD9Lpy6qK)bEhL8oz~?f9-4Uxn*!8rZV*dQz)T|ED z<}9AipQ$6m!k4H^gMin#RwCWupb9ry1|~bp43RwroA+lXIk=oVqJQ|ND~d3f-Lfax z7j2qoiq@pGfE{a@^UY4yU|~%0;uDoIkT7LOaNgucq2Wp;Z3yNBqWV=mz!8-0YL_2;QZpw=IEm^BVf^3s}i<>FL zKWG|P-5-w1HPExJPbQ!&?(I}exIZ{$1PimqngVY8kBcw#@6nSH=eKSm&TkbW&Tn1o zT%X@cN}S)i*7-4gP;-`02enYI{v$6=2x87lQA`P$BNiGdzvU!B7+&sWFgPg!eZ8Ya zKR*fruKnV^598W9uKwWC2dr*u{h<5z@t!D&7R9ULNJPIa#HR37JbE4>+-e$P2KW0J z;-xI@z%%@F4y5h?MU(OzUDchiEz{U@_C)}iZiRkUn=mAzAf5Kj$r-L?S{crZxPn~G z41?}|JLoGRvo*1B!1gD77BS^dtmHsn(yvu1&K{}BE9l%?+5}HYmkkFfq+sVAs{Jn- z4Is3L+8~TX7)BD3RWHo@0&2*$P`R0mUbgL0dQjjC=E|p>#UJ}X#@gi>S1Sh;?a9=C z^Gp!n)|cYSe>|kIp6)^bOmq5>OXm4N+LyyFp{r5gx^U$3vrPx!nCrk!&5lTDeQ>_! z`JZD5H{XHl-`4s6`}x9WS2#8)li5LOwDqZaS_c%Fn6ucLVhP7G=Zw;STLJmyu67|; z5412Clh*Li2yo*!QERQ6+ANN6n3hWDLa`k@wPs14;CDdcMdukuSFB-jQ`k$X{2fR~ zk4$ZN$#%o<*SPkJD}UVl!a6^HAK&8MUvT3kT>0SA<}gw(896tUrapszX!0w>*8665P(Gdiq^r zRwr&OYnJ_%40sL2Zaqk@h`qnK^EAz9NS_rvQHDvrPL0*u3h-!iMbE8sEYRijDzjzI z5pgz%Hi_G-z~MIx!o#{sP?SqC|743cGIgGRD(^{{lj5$#aq+P@biEq4@489AY>z04 zi|LmH-;$`4-NgMsJ5dfX1W_R7Z`QUwn-IqI=nn+e((P&(i8!XFYo*3}4 zBh90(8Yyph0QdY_k3S8Fc#rZ#yhj5f-lIGb?~yPM<{?ikE3G1|z?P^reqCfOzw~`U z))>+8>seKB2%=wUn)b)+v_PRxo9tMFD%4JGxi>4RhW(y~>#uO>as4f>Kf(3?-g@~N ztvq}X%s6fR>Zl*Rn`4Kv9hE)jU@c7!!PiyH!pxmnx&O_3i} zXf~8&CE75zGordx*#hCxo#YEcZm8pno17zbhZVW=sXD?q4TZF!9l6fOx1Y!Np_lEPbWJU%4|JeO1HlJkUtPdC=1<*^X_ z`s{S_sJ#yoYA^T9PL7AC3n?b@oux?VVZ)&6njWfF4v_y^o(6(3FBs3Rq+!=1;hw*^ z^2B`~);!sIylBY?`Cl`X>2#8V#FsZDl5eU&IEmdWxid;YZS3ti+--~&N+*pAbk(ur z4czzJXVDU8RNtzD$`hx^Hamn~QhhxmG^_$=s_L{><_L3F>Pn2-UYMX@Nw;2!av4}5 zd+dEnT^Nq19oC{K6aeJ}v7{4K`lyEPRMFBs0q~6NvamTwc=xV(68d`E7VQ2eOP2P6 zJ!)*Q{a%rWgefb$*&}?^n_L@Rt+zHjU_!`8naAF}9?u3YQCO)IBi_r8&|M@DCmqhHm;F7+co>KF_!UqnIuvlvQUzf%bJJq@>h zZ-*$Cw2FoUDvak2-y9i?$~u7i`5tpPtmI>pzvv92Cm5(c@yWw(IAX)7>I%5?WpL|J zar^1k`>%b`_ag7pVtZAAeUYUi#6%CikkU6b3#k+ALz$|*NEO~2+S2)KRwd?(9f|p3 z0-oc)^2Kt*e6bucUo1<^7t0dq1BvuHM0#B!y)Ka+5$O?jJ;3TL`=xMKKY06zmVPW? zFPe|&Iu#6FFyGaXQ0UHWx~O8FKJw{jgA5!R(Q_j==MA{?OC=(T)4D5}z^iy_W5P&X#NZI^w1Wz_y%oEm;p- z0#4=>5$43<=3j8}332rk*WPjK?Q!YX{eunh{Bv4%Y#&Sow)0)%I0)n z%=Hf8Vm}H_oe>{`Kc>OEgen*2^aDui+3V_P=Tiu`f24h>SD>OX063LCTkRJm;8UFK zs+zQR2UE@H0h(v2NS0*c>JLJmWa~m`6#YR@&})zrD{l&f-wT#wQwnbIs7|hwv(_6v zZ8z<|O`VRaX9Lf+*ZV?Ln(KR)IWN#NP8a3LmW3bfmOrUtwUFxh4yosy3NXPxEPG5^ z3PKl$`F1#JA(?3zuba7|u-;#04XH242Zqc|Acaf$$@k~Bu&r4aE)en#jbWnOggh)^ z{?z8Sa;+G&{@(KU@8KIw@0ld=l6l7kM1E@Ia839TD9ej{Abq$Dw#uKk^ouG+E>2Yb zDH(-e5qIQ+(t|SM{gID&-!voMHwB3IO|nH%dXw5q0~mdA zj_G#lZe;QOW}@>+BTyUgsmorlhsO68DPJ7126K?5}ETiS%%8WAFQC%#ZtVExA_?Y)lV_hS__-a6>Ii{68$-o=_A74C-I?kU1t z%0G(Qgtbe-FHCd;z8xl z%IpC6KYrXfYYR5EoRc-$4rrJ0YucUiqS*G1`(A|0|2qBO`@@@juD5zV^TCnPf*no+ z9%ysMk;!w_DlmHaQ3@5eI@~bLHFY|t4&SGwPTOc}VZVn{y}fqQOVbI$Rpv*%^a7AK z=kRwH4}Hi#swY;T;|y)NjwgOM2BI@}Z>)a5>4B~Pa*sN%DGwNcXOh+HX%}4>Jfi7a z{mdR6zgx)_deaJ3XP!3uqN)dt!s1zhp89~Be_xm9#`%BTegs_oF?e=-o~_#zDtK?J z?7yXm=vrH{q*xdKq;>3V~=7I zu4*2NGlT?MPm{VzUHIg_8k?uA2kPA~it<@?K%BSvlCzvVBCEZ7!ncpT(KCV6D`t#FW-FGMR{XlGcNx`p3 z!raicpFC^EDM-{Uf$`TXU(hw!8!jNK3p%$fZfRWdgQ0VQ671e`$l{1ZPN|Rx_$JR= zHGu%)yv+2S%S|2(jP?+yLzy!)PJAVJE<%WGf zEN0lB@xeXOhOgetLg>L*J~!J6EyCr0qveTfkGTBc#;dsVd~xY<`}=U$$CVH6`ndiL zcm0j#f1}sO{a;-Ae;WUJnU7bbQkCJ={wprZ90-Y4dft<=mVmJ^AGPc@aiH&y_`Eq@ z9~CyAO&BeafQ`0CTs(PP`O~`0evJL40>dUHDlTmvs25dqls%MyI4gk(*8R$GCv(Y~ zuSp#Q4JpOM+cW`pecb#P?)n?8KkMuNeSQs>|9jt**ZQMXpeBTQo>oo=3A|PANEqP* zN4EFnL%Nbsq|l&x@s}Q&T`B#Pq$>rap;hG3{;CjY9~(Pwq>XmI(CQXQq=mtrxL-UE zrGTw;F3B@R52+eu2MQAENO1YVrN^D;j=TPU>9q_gI|=n==g-pV*o(tM)lDEL84d2=p|g?~SL! z5H){;@Ka_zh<6|j(Ja*i1rFZfv3LSrh3j$WoiEj}^P9Nub-4Ez-1E1Xo6BoR${tMJ zEZ%;6X#zhs7sk=YMxj$083$L&jbWEiEaM{{0xnC%2cu{v8|?EP_x^rBPcV+=yF2=l zw5B66W&&2(GV1SXt>9Zek7-r38Dzb`u_Bo1iGnXhS6Uym!0wmy>AXA_y5b49E0khP z0$rd?Pwz_nsbr+rztW@2>kQ84`M*Y0`$8Kzb8i=)H?}{){a<^b^o*cSYEWeG+sk{G z9L!L}*ch|=AgR4+77--c&=cIIB~hpdCd)f(_9v+WS-)lSRAwm@&Cg6W7F2=hkL$su zDk*4BCDl-rU<^!FY`sxfRt0yCGl;#Hzla#xoKJYC1%m2igMRIRCm3?5lYdMNLFT~O zFpz72t}aB8sWSM%cOR0gFTz66V(JUohiA>vGa=?nJ;v(r@Z{OiGi#Qps<54V_c>kg zZdkav_p1iXX;&)T>e7WWk=I{1LbYH-+CZfNpz@ZK9?= z3U8r!%ALW0U7v=_53ax3==cqn|NnIQbv!N|V9E4hw#zUFHAaEnUK%GPc`M;i*c)}2 zx~(9sa>W9X9Gh+J%GCs_-;)8#3Tm+H#k07fHBD5$|H4zs>aRM+N#Cl2BW2)Hr^PYn zPF=K*`)KY0ArFMxkG7s4F(&3m_=x!tL1KP{hnOD`Am&GSH{4$SY5R+NK5jJs|1^HS zwq^v+sF{F`dg?)SLqAYr<)azB7m2LR+^5*QonfwS=)~?Xo`{y@?yQ)z3wFObt~@JK zP88*LXaMQ!>sMwj8KRTfdw;j|r~+Lnn#vJW0MgIdR8_I2=an^>;}Bo_jbW1gW|KrB+eg(9z}k;g|VTr;X3&&Au^$aCx5d zXGSm|a45$9?&LEh*4ywxomKhUuXh=dS9)pAhhPr)-m!eb$cG&^2Q;wxYe=D}1t!M) z6Wg)l0bKu(Fm%TK3Y!VYWExS`@cJPZc^h%JGY%l!vp=1o)By(L&2_4{ebJw|!g?FR zJQCdf!maPc)wgy2Rf+uD5&1VD@^3)o-r{B2xrLTboy(hc%KvXsB7w-*CNEmC2_o%Z# z^FMw%ozAgAlKOtfN_lmF@tw9*oRTiEe!O~;B3=mUd%2iI4Fy2|$AErG;SosU2hJZ+E-4{ zSB4?;h+Bd8#SP%vWFd*;AtUVk^@IKGeR(&O!9(KHXrHVhbn(g8=WrRI-1n^037xud zdUoY^-(^LV5i4NlaoQB&^1spY!SyG&{QP_Pw12PvaiSA338ZH5Q@6yuF+>+0^rd|8 z_+^3)-WU3@ebNkeq{T>cKe9n{3^EUVFY9902S#pHdXv0E3-)Ory+OHbimbclGYxaK zKqTcxWi7Qf#1AtcZZR`OgY0gmTx#mDrhG=bMavQS@J}e`tII*rh}6BenQ~Ap`RkIF zloGUG&6obeCJ)rQyT7RUDZ!6zd-f<__dy5XgiIp=Kk3aD$53y5TL|ahcIC(&Pt^U0 zni@@5!q_H>*nlxRZ2iQ&590d&aQcG1VksKvi;(Svca$hR-+tYQd07&47381vj>~}J z0ne-uZ&4_6KD?>iM}sK;zsIN5{dVShBIPiO348(7nY}>syepfo;2~sHwX!?P+ewkb5sr=>`I@LncT$##cW*{lr&Y*$+*ksY7IERCgRktuO2)op1$z4)xrOn zfBpCRk6Z77OHb)_c~7mRGLjfPSz9@71HJOj?{fmIk%HdyBoDusxi-(VNn^)X zCN)g6GoT2yiHotv$CVmqG zBnn#H;Wym|bnn$jb42<(Csh2(N0Yb0^_Q+19n$oWw`VW69HSiSx}on|nx%n+C3IHS zN^PO$th^=tpbPT-k?XbB-x%`S)g`RCj1XDkkMpFQCfM>ZZ`8bbrB4HPn@}FQ_rMYz z;^KJ6{z?F74w%V^?luHHKN-f7esi=x{`0ZSG7W6~!9CwK$!l!}Tl`_hpyvxE5Z-~W z9W1Sq%0T-zO%9|~`#}wZVxdK{At>3@lTjB0VE-?!f5X)WTzp;J_+epp%-%15s8Ob} zN045s1AO#s6!}8qfs%J$yK}qO0{SONb53SCqbE=Dk`}LEnWHS9$p_}=1mS2s^=f6L2n-wxEqt#oi0$9D&b-Y$-z^1ut?$3QeMlU} z=2Nq~BB>!P{7>I20xp?W>pV$<1)&e@x$TJ}7fWQEdTjb^js@67g?D`8mV>oAdhL5Z z?a?u|EU)=3O6Xb$uSnwoO=MZ2Q1>9;2;xoGgHR;Q-1TxSO4+rlRIPWwUI3IC?=ls1t2 zl~VA%o)w`#;3eG*^Iq)xPRLLeh26Lai2t6E6IT&}eHr_nXB8`=$?K0E+COQ4jP8H%)`VfF^>~|js}MNTk`2yPn4!&Z47`*Cp*)){xbliHl1lu3K?8}B{!Nx;CZ#()vr^QXj2RGl#!YsJU72=Tlq`^O!i*Z8q^fR z);HY$^*`~4{JWMJIJ9#-@3eD4YojV%Qor;-Zz=sxTC@o$KHN62ug3*Nl7*@cZ8F35 zKe+th&XdBGKW_g%F5Xe;boTiy(_BR2^3b}RJOW0?{3xRPvJh24*blS9eIP9xmE-w% z4_vvP^Gcm&FE+j_F8@Cm3zfAu`6JhkLnprbSwW*zV%Ixkdl)F?jy!1V1pVXIRt~4_ zfH!I|LPgCN;nJ`7Kia~RR^i{VXAR-&h1lATH8(`re~GbO#2vBbNB!K{Y5%!yZY1QGz#K0l7IE)5b9pmGQRud6ug^I3uwBM0iMIpuQ~kLi#YW! zOpJuM!mHiN*L7n2P;-;jlW0LFn0vxJ;hNYN>Re#9qxd*n-3 zf5_VYX-rn#7i_#zKBoz$p}^8ZQCqeAU}>96;v}gqj8S$xW7hQeH}(JT?>o5XHEz6z zI;Q3eOf=ydSw2;`yaK5EF$tv+`aT?lZ|(igqXaEm7(Ng7D*yu(n}|4>JHm|zaQS&N zzv7)~=L88pVq<6e9ifgy;fD2O02;q?(aj^&ALX25_$+$S8N|rBtLh1THMsRHxcuYR z`{B~_J?{E)>6RGKOGbum(-DF@jLiz)Ri%*RrJ#)JX%V1us(*COPXrFDkhM&I&_jZ# zVkUxsKjd5g?XZEC2uR+qIpRtx2gzotr)TEv(d`ix&h!VO;9O8*T3srOt)IC54flU> z{WI=)fxA8fxx1@jm@Yr=NIr1=NAYN=NE7j=NG6E=NIsTS;e(ao=42!ai!Ciqm%l;Fz4+$ zz25+6_V5<>y)y;Z+wQbm*9>8YJNFY3v=jZ`+26nShq(Rb>-H{(>TdX6@jNI8-^ZCP z2ZrTQi}#UVt`YLE_WfGCnsrisgi01W-+}9&H=6zqb=5s*Qh88LETQvOl>)aR ziMXH(4oK~M5~=quNjP%PcZ=PCEb!W9?u-5;vEl!FKcOTdk=73+Ic}aiB<2e9QNK<# zKS@U){Hkqr-F=~Aiu#i>nFnYs>~GIB^T+mAxc2h+!H!K{g!&-cEvr@Ty$&eBEZDzC z#1u3r&h2q;GXsS~9XIdnwnq$KF3Ryw5pd~F7)l33k-;$k$+#NcO~A#H;BS*6f^y#R z7hnFl)>&E7CpITd3TAyV7gBpyJHG~fo8P5<0%+ew)(!nGgOu;)r&A z;JhQRo*|(OPW*bVx%`-b(^*7QbNlt*&mUoYB~@j)PY(Kf-a@T_CfpIY*;O%Uio`s= z<_Qf*!m$^-L>3RIp|#4VmuQaTzjxuD*Dv2cTI%Wbg<}VloP-rzVCbxWd9iF7k~P|{ zyQ1m~jUyughq>IrPW4Kjc##YI6iDLO6Cn=q>cT9K^Mz6Ma_^CqpLkkq??h;((8d&!(!O@QMG=dD>~bpLEx_4sNH=B zkg;bs^i7XLku-YLdsG}CXGAPQy224|zYOSj)$E8pAKZ7#+REyTG}t~~_3Dt7K-!wnuBajoe5HLZPh>REQ_DP$TW=+Sica#?+=?J{seBxzo#BUz`@&YTBMniM z*J#+G7=ECuxOh&bLI5o5UAGBE3lRG~^@#nR`ow-uC1Ss)9I@Y1p4jgxLtI~xxV}7b zeMjQ@^2GHOi0doBi_eeJ&b28*W%AIzycT)b3q{mFxf~I*+pnlzad`-*bnu=FQ-I0O zu?Kf$;M4zZQT1A5CB$)655JsZCG^2lpItn9#S0}0Fpea6s>7Ua!|}~xnh*|LPI{H<0+hdc^apxE88YGQ+8f*#;v;!)vvqmsGdpzmx+fdYd^I#3X zff3Z#t|sm2GlrTz`z4n#V{CakUM&~t`J)8ELs#Varo>>9w?2CCrW^9L6p4#EqzpN1 zq6#G+?((UxuSZ|%BqS&Mkze43etN60L;Pc%pS>=Y zk9u>!hbOD5bieq4%hp4&_@= zD}Miz&{rMmqL8av$O@f9@p57J6yWfU)A!zJ%fls6Q68FDCuH=7Q=2AK8u%CAY;KMv z)H|M(V<`A6{crBq-`~HK1@pvf+2r60m+#5e!_r`LIZS77fIV7D(t2O1Bo17@%GMJc zN{~3Xdw*hsIQG0h-1{Bwdj&2YCT_fkJMRp)9^>D$-@muVha&;Gg;7G#${%dzWhVeW zu62WXPZ83{rp(L}B;Xp4avpitOOLXCWlu44@dK{@k>2<^_J$2?P4jGWkM={nVs6HUM{J?LMdDK9 z3kNu8GGwYK5rA;{Z@s-d<7lk_cK5HuiDbw_ll8gplh;)ts(I_rec|#zBHbaVL@x_p z+>VS*$GTwWcX0Xn_vrs#|8eu7O-#Up7HN{%)srO2_@q@S5!ZiH)-(5 z1V{r8v>m-|0xXRFdl$ppP_(<4J*y*reFg6S;_`#LzGT855xMp-)R^LPhF05^&<`MU ziT2(uWTj6tm#*dp+hS6v-1FSw>3b;&!BP+GdBnK<;OaB(`v2Z}_xE@vxbcGq*=vyl zU$z6f5NBl1#01mvJu+Kj)X|#4*ds|b2GBakS@`YNc6dnPkC-kn{9lS^{{Fs+D}UU6 zSX_O;y$@!ET;=%oBob9Oy^*h241jUjZ7O>t3qYSb&dM#D3YCcm40UuJMLOf6!L9sJ z*z?Dk>JrZNToQo0hwkVGN%MnF%iMK7JxvsL(RnqRpU}U1^^QzV1P97CJg$HC4KHzj z33E>WmCxcM=Ch26`7B;o&u0k`^I1ID`k>F6LvnIh6$HjV(=_)e0iD=+h2J+EkYwNP z(dc+Z7)>dS`w_~6K7_s;JXNQNz5e=s{k^^Xd*{o>>1V{lqV9}b1Bjlvw0q4<59s7y zsjyQ8#qQ>zl0*>gI z*`~h7c9!VWkEg9Mc0!Od%v9MpD+W|@3lts6+HkRWkbad$9r6OFFXkE;AQ_-_wx905-?tSy$^KTn>UgP2&Suu1*G!W)5@G({jsP_uPO|4XxiA(D6 zp2uj>_mL#fd3fHQW#jm6RIW_%+a>a9C_t$ z{18c*WxUEI3S>U{&b)mhaDi>+d1;6j(q=C(R7rG$JYjpLqI@lg_y0w|^41FtDe^_X zCCry{lex!kYWzR=x*Ml&lpd2tM|1cQ(^bod;*Xi3EuA&#&R#Cm^UQaUm74`_%Z#x7 zc_fEevO+2(HmeZ*j|y>~g$8k+1pyyhdGgU^GbQ3Y3nSt@3rXz!HLgEj$HUo9#KX}b z;^8n5@o*T3csLS7JRHgmfB*ca`4imx4zB%fbbKhc&)i&AoC&N?>`sVm+79GdHoJH7 zsH3H!s8M%cdQg>69iXgafhWG))oi+q|K|Swz5l_D2XOUyqt{>8hrgfK+&sN6kgnX8 zfV*`1cE~+*uxVJCej9HCq}R2tyqTTO zm`Nxw_r>3Q1tGu>Up_rt&UhwJmmY>D&8 zM2Yjr%aPR&SciLXZ&kpOpJdC~ksg^{O_))_+|2;N}N$*T!fGWbkM4JO*M{xj1b^-u0;yja;HN>` zo^(Q<=Cy9W(b>z)*!isgb^4E)AN)^0Up9JwH(EY*S0DNEvTDNR^q0%CRjTl58#5X8 zRSy)q9mJfrD-rM~?yB8M)qs6f)ymT;lCXfn^VPd`#$1p>leuW6`xB8ek& zB!{{cV4n>0lQ&%IK)zbc?3GQx(-?hnMy~%?r#a=7u@?+KI65mMt2Eo*bUG!bAE^>x} z4HkN=ha;W1;BKzqz{!ss*z(8a=buKu(e|>@>xWk5DO~dv0J2XzUeRpk2YVO8Is0*4 zw90<@%#UJj2noBOP2M2{`l&Kg8BD)*aL;Sp{d#xkr{IF23cPseS#-fp8TLKcys{+w zTgPhVZA|Hu5`>G?(pz3s1cQ>%8OkL`Y<X|3( zgsOh^r?AIagTiom^+jt-aG%j-P&@8~GzFt=Xq>Dz+@EZ;K5Vr8;_4f2{EWN)f9e0v z`j4BB_@~Je_kHib{QsZz0ard8PsJBUlT6Y1z02}5(@G%ufO(vMP7{=_8Qym;SAqB; zM|aIbDnKJg$rR>jg8tL>4Oc$@+vxwd`SXoFPd9q~o*;A5x^7dbSxviYn&*O2GdCHt zyBQMZmhcO=Y%_sH_RmtaWUi=UQF44oi79scv(fzH>Kkr;9M^u$hiuM<)>xyovDK|T zMoLh!R&vJqqzPEkmuH;GPy?v~S>N5>wkXHz>BTHxb?kZcxc&9(`0al`?;aQL9XDRZ z)d$@7%#EgJ^c^6hcS;12ZVHdM_(;&ykd2gKFGh!t%Wd(9j)#l4jvbWz5(*F221)H? zw9pR5W@bmN0K%LSBl(rn!Qk<@;H2$|XwVW3F=o1zk521UK6{-R0ty17_N+;v*!6q3 z^{cr0ywUlWb$$5z{3$N~xc&imeO&sD{$E^vHk!W2b00&;A7>cP3bs~X@Ip0$S-{<9 z3q2{R^)b{=aO`sdM@~=>YW(vmSDw@k`+V7G{{Ly~7 zH~#;BsSm-`&;NA#|84Ok?tbCo`QWaPOTW?n3YQ;T|Noz^Z~rv;Z}j^iu0E{G=kNQS zao68y`o4$H81A?;K}RBE^>DZziZjaGCi>nCY>j1AQ=T^K9C)#lolig;RZ17tL|FXu z`nfh*J{!G07_Dqmj%oluKmR%#l;f&1hM_ws= zs{fCRXK?*P?(}z(em4(P@jI62wfcJ+u^8%WTs`jZsv*-`km}Q z3my3Tekfc#L)`hf8%>X!uMxXb&r)@gpMd|+HW?Jp0khq2qaPmR2VW_Mm7`hwFj7R- zdf^xsxP{!SETc9?dtV$ZqdKR9jvw)?y)z>W`EKe5gVZ%aYch;S@|z$ewSQrwuor`- zMVZ|qTDl0AAKd-IUH@bHpyn)LZr4J+`j5OgA&5CIMKL90j#y}<{FajlI2+5o3DTdF3EG~Cxz;~X1NZ#Wu;yKjjdFaoE4z`Fij#Al_Ky;4mY?C>Y-77L9Y_R+%4SrZS^g~o~sH1 zaPB~&vZIL`!naCNH&OEgyw)Z?7|jj1^tk-s+6%5e;PQiu zXN$`ZE!t&|XavQko?cX8IZ4U?94mKCb z+FnZ3xbJmb z?A&2ya0JGKZ#N;5OXzrys%6lQvk=(Eyky1G0NZGtf6Aw{pnz{d&97!FiSa58toJKX z!g{|F3$b5m3#|7mQNen@k^**qwoK&p7miRZm=P3V3W`>Ql8Uh85yJeKQ@3(&k{|O# z1)&erd4H(DtL5od+aU#Pe^@O3K{zDI7^L`>Z7voYpfRH}_ZMRHVSLD!twq=fluTQL zT8bS}SMMXST62Ba@i}S7IRi1+%u&D`woeg>EZtSOMk)rm<@T$7yq@jSEX4 z36{l<$2MC3an~=a?it!-a1xrP&oN}aIgUnxk54^kIt>Z0=es6SD?r${?vzh&CA#2b zDP>qwgrv%wspA7ufiLNYh4j^2FfzGxa5U%`(!FacyoDkSYCk8WFP82H&iLPZSO<&H z>9sq0l<@&T2F79^sLjChSIs@Q#sH9#9nv*o@j#o5YqiU+1;T5V6IKr?;?dB{3@i5$ zLsXJbrCmLx0t`H51!c?Xu)-` z`Ats>g3Q3C$FGAqp*uoor^ici7#{u=l$av`R1wkK9_~C)YHRws%hC+{e@SRuo_RRX z!P?0u#m%wQaOeHX#ItE$)U(OT{uw1Tu(|gI|CFUA%!NyJ3Ovh!y*{oyap`g2LvZJt z;PSK4^xgG=iym|iz|1g8wYD9h4-5WB4)0WfhoNb)%00G_OJ}(HM!^f&@%HVmRJ0-9 zPnjTR;iuFyZ+bZ5a&yq~oe~m=Hx6BprGtsC>R3{CMi?J==kK1S1Iwa?0;W12s0q{` z8cYsBezZ>|RH|&j;C)BkmKjfI2_%udI2DCRW`Cv^{_=neu8r?#7?goof1mr-Fay-* z`eC%3PZcr`t?jcdQ-m~2Efd;d6U6UraeVQKBCO*VsUWZHuWD)#E&u=jGVKwpGxC%mIX;raIKM$F5SpsOJNq<35f6c2c2g?NiXk@MkAoOFF5 zqd{0)%_kI!W1AL^Q2WBpI8P3_@(g6w|E!ZXK@ZlP-@K-kAk4+ff$yd*CTLuhMX!0) z7Tr5{dS-KkHViT9a+fgaVy};j@0u`l#{CMLD#&CSQPuF;Ar^TXakn!DAl$P*ouSkK z2II|js<>^@pSZ$$n^slmre%$)+infdABM)(oV5YgUEhuzlJiBUa!=Exbo(PXU|lRj z>Ht~X55q$rTEL0P-|o&8<;b*i+aY$9N-(W@o?{tS0hG*Lqc7i|LV;PMlI-2Z(3d%2 zM8cVgaOaKU;*-D0OS$D2<^m6u-WY54URz#X$IjQbPyphnuYBbMMVx=)YmQB>_jw~TKuF|HXwy24idvMmJM ztAF7YTM_Y!&4_r#QbfFBDdvXfFNb@0e zf=xQ`*MCgVm8nKl>d`(^4f-hbhPF<)s6Q&Y`1$tgF9kGe7MSs8BmgXona>6i`k3Xi z=2O$YYXk24>iT>!dE$IPBjS8OMdExwMdExw1LAx@dDu@=BMZqEpl#7M>)tDZ+FP6N z&M0f5!}g43SE0s{sl`lj${x0Ogl*(;rbBd$M4{&b#I-?QU{vj{plqMp|tYXLbs zix%O7KAH@cPgdpAMc1SDbNb{P0^94kRc=!@TJbWP{9=;F} z4_}#xhtG-aZ@s?!;Zf$+fPjb_Y*C)_FjDT{`6NXb>YJ%zdzI9oak$;OJxCFvg6ivQ z2Yj*XC2;)%Zhtgx|23{Z=_(8_CZCUo`TJ77jTFA<%F#!4kG=Q7ty$IJTagLy{-!$J zwu`ACvdwh6kaijBbFbUh9Kvml#4X+3Mj<4Q3E;cj8clrz_-dcT{W$GlB>A zrz&_vqY&kfs%ahXQ>Z+Kxd&pg|RXaJWl@HFT_-Y zaN{xD`88_g)5Z`&4HIN;8m}(PqqXAYwYp*osN=lZ@-Ukc8U{D-U?j{BKID6;Hn4RQ z_WKpCJSF^AWO`TpVfysfk1TJUKrvyUS@)hdoM8I7l(EMT1XJY#Dcro_F0z`mGDtmE{8&Xt}vn^GRf~Qjw0Cg3Ap-$tN*y~ z?WVdh8LfX*Q0?+0nS!!B95PZEPP;^pSU;9}nm&^T^LQ=wo@IHckvZ&+zNjIOv`;0> zyWOEn-h;DyH3*6AYu0Tf^q*H29v$i~vLW=FUu%i13Pw!#r*_e7wT0<}=bzTrutIFC z)z44`a}>$^m?5p#9JIeJ?s`f2Ql}$FZAeI178PrKP6}r=0IsbUiyxy;I$c}0y1xCb zh4h>B=$rDII8RPK*3pZDP`Opg0nGz|d%ol5e{u28apM78``T!F-2KJn z2e)1Ymwxr=eEZq`Hju|-Cd^i^5A&=#%wEb-So71lu1EvP?FHM$$`XrwOQM^z){^C~e_g4vn!Htk(}S5bKAjiS@$_ z#QI?dV*T(|V*RiRqUbo6x-9L3`s>2?GszI}i?*trC95Xn<5cGZMs1aWvcq}LAO``* zi1zm2MLli6oezThesb9)?(`i#b~Ki9G45BgJow1H&i(LH4bpyuH+;MxoBd1rk+gY)N>P-N9{w!Poi z5d@kdi<3pX;JTp7y~DAgD4^J+GWn4sj0KVBT>0dR9UtPZk4s-9`O!7sC=h9WBu#qb zYYIC%bESiqyn$EsD@DzCAR?&2aE|g_W0fhJgWAAi36m!E)Fe(kEFh9^bM8j{HJX#Gnq}#212E1OgDFvMQDH zW=)W`*mnF%nkooB9EF+&Q>aS$f7pBLsI0rEZxjI$P#Of3?(VKlw{$Dg(nyCWD6Jq3 z5(c3nqNIR|Fe(Nj*o2r!3mAl;80UH)uJiA+*!Oxp>weDj`-`=%HS9It*|TTQp7=~$ zRd~NL_Iw}Q_ap9n;XA^;8z7!+iu8&KP8?VN_UvTjgIxhX7$c>2x(x|Ul>gI(Yww!U?PVF38G;ChTwaoyk zZFi=-uScUCngx@+EZiea22+gSquex)WrY*Ueq)@< zXm1R-->WdCPr5V94zcGP`yB;G|i&NS1aNKt)f_8blD z`pk8Icn9(Qt3!PMZYREf*@*97dE)z*9^z_0ktSU{hhpw|Q$(y4LxS_Jf%^StV6!lZ zUlGSe^m}|~rNdYWP-x9pdwLf_&Bqh5U0W@Imr1PAFW3xK9^b#GGOPMaPMnedffLE?)w@SFC90(bB#66vAxp@p0x=6jI7az<%Y+#SZK`nX^uc=W-PHKp)pSb+s-oIL;X$z(_!tgX9#Qm9>G16M# znSW{dTg&;)oQQKbKZInbYRXKj!OU(C-h4YQZ2ocm2V8pG_>8~@`ST2Eu~3*%apMd{ zGC0gk&q?;BBlC>Og9ncuM|`Ij)Q@&;tB z0>!jYbBmiE5@1m;xY;5CF}r^9x|YhIlI{u(Hgj=o{|7g|$CAjml|SDAjCH&|lxZm< zw`08nU%zcZK^CcQH^`;X$?P}p?H}@>Ho=PhDks>8`4=8^zQet3PZ|%bjIfwL8Q?{Y zdvn&DLU;*vkXK{H-wC4p^fR)9RNTN92{Q#59B|;|b%&b^vf%o{`x?a)0k|94ROCLX z1ni~0<~MhZcLluMGERNS8m;%c$q@V9?1=qtGQ@s2F=D@)60zS+5j^i3CZtvUGDH5oS)GxaB) z|BNY2{3$sj=f4YkJ}<8Q!M!hV*T>Cgt>>?KiTP_qV*Z++n7`&H=C9?6`DHoI;ar0%3smuolN~GY(Yw{=0O@$$mL-EkmYRe(2$!6av2&RTrf+c|kA3DDiOoyq22}OgO)XUt8k?2QTRl${F(TZOZGu6@xi?IVS76{TV-umPTDnF6PF5-~DZW z1~8eanlEPHydw49C?pQqZR316HoF(X_R);?Ay&B9sU0D15)Go< z_00}4vWV>Lz0>YJJK=zU?U|pUg231R&5XZ88kH}Gc=Z3~f>&zSDJY}30ayP2On){$ z?;aPA7q@=kQGeK#^8b`LjZB~U@ zE`u-b{o+8k+m%Z*M+i9T9iBNy!8>| zY9$GZ80>LiXfgz2zJbT)myFz z5Of)d8_@f>-%19BWP`pcvs6f)5sr+tI{`%ji{FygQvSMpaO0WurOa%Pl=&dvPWN%U zDkqwJi_}lIkOE7Q*+h*e5A=WKJh`eTf=s?P-8j|53b_6-t~~#lK5TryaP7k?i}bl+ z9WLKvN&9~@S%Dgdifx+_P2Uq*_#9@+jml_2*vbk;(m2qrz$Vi?aC z1AFa=`INZ>?1(hBWA?OyUb{KB>NgUwU`g80G;9kI#(b%g+pMA4kgI;-XZSzF2VjB$ z-ZRnF-1NY){eY)sq7pjxk+~9>ejqX-$p|J7A{vhL&|=5aaPa}w={L^L-(G*Z z@_3-=tSj0y(d1j|y0NE-6Kz^<8S$jYmp|@%2iIRMYnaPV z3ip7hu=?CdLl-C-{bV|KBM=>u?Q`{XaD$^#69wD7cSEu)`jmJo_#f&g8Bsq;i25l+ z)XzU%>-tGb)X(2txcMVoe;C)Etjk$v?McI6@OXkh^$~pt z{^)z&`Mo>p?@W;|Ihp~u@hIGR8MyNQXZP>M{drt_j(cC@>SyfL(%s$PMM3}EHt`qH zV&HP@r`<|8oD9pR6$LA=NpgzZ1R<7VCLzX9baliOr+6JE6a4 z(fnft8;qUVk`huNg?xc4<~ zJ`0y0-1-(Pfh}`6_aY(hhwu}pmkzL|aaOXHJQSTcmeFvVArf}xrW{tXia=UP`&{-3 z_yTVJ2zP&R={ZgM&W%<{fm_V2;k!&WC@1Wx@~M4-VAPs^g33(-ie&O^8RJDD`yg4y z9YPj;CGk~0oaB@ym;@@A6<}6n>y|?3m5GPZ)S5PWKjV^MX&DTK9iH49E5- zarbw<-cOC#pRP^pPgf%Lr>heC(~XJ!>5@c#oWZ%)h?4Q6AG+`|>z!V|BanI>Zq2{t z2-_JwW4;9Vqc9f{8&*4KZ2ocIgShm#^$ED~eBAnQTziXqzwCOOB*J2>h$K`sBDO3$ z!Kd9n6sP>X(fbD_UtH=aA*aAcLpmu09gd!i45tVMT>ZyA?|++q@Lq)F`FrND^S8l` z^1Jq^wl?B5dmb-nYKWaPD>8+WXERas5)Npz>`J?lg*n7nH(eH-(g(pjz5628wx~IH ztD*j5eb5f@Ox-G_2NX%89~xVokZu<>VkG=Oti%W zT~j4h76llV@Ykeo*M~C&6t^rdr~&J?=)hl-I#BC=etYQ)b$FGf*rTatiIja)du&4x z%#$Ze?tCZ#aoMjD#_#AO-2Nuq{tH}ttHj)M_w1Y}(mpS@q(-QpKePFOPmqo;O707# z;5|U7qd&zGp7y~GNY6F<#}jZlarYOu{|J|VTz>X%Q)Ox4en z0HMT=^0U;E5Iew<-DskMp0Ya|bEt@7$uind9d$pqYa4=1rnmPpLY zqI{iW0l0Vw>-^gj{Z(zEze>Qh`7eJ}pXjeT5dBpXz@2}A`+mWFU*qD};p#K)e&N#N z-e0)#!NuFhl_&1{xbnw6@3{91uD^{-kGsFPcuiDv;vXiy^Fz1Nr(v2gUTBI7_@1#} zABDOO2ON#y1-i1PTBR~RFu&kLD-gzq?VsT4Lyez<`hzVG!P3xmw3)gCEDtp%J}h_u z6ciRJJc9R7_H^$17;baW+q^j~vGN%jvZMWVMJ^0f7JeU*Ro@Rao5Vb;1_I#EY+k9s zM_2S&fhXJ~#tH=*Iq7W-s^BEC%k-Wo(6?Ii?(I!SxcH^G{syjp zjywMXH$H&-y}0za^+g9&)XeX4X#mBnFc^fXK!+($1sRn)s_A!n;8Cgy91*v+IWnlh zXn@M45578Z?F79^eY+{NDDniqKIMR{{RBcgVwJ#|{;ku8XU1S=u*cJa+7XpE=x~13 z!N;4$2dkT^#^d*fBR-NgZz*Tl#hkF9n4ihES;o-LGm(? zu&}AV|C$jx!mzcexz>(%`S6S-9)t%JZMmZ~VT%T_5+oUv2M}pI%uE7vth` z_Y0jvx>_I7ZW`o6qgGB`#_dA5DKUA-M))kE{w-lk_q+i6y)WWua%b?n0vP_Hdy!M2 z1ke2}ee6`7QC!oFf&c=pV;J+=J0@*KcyVFJ>lHZ#Sf|$~(i;-#{fYFtM0x`vy*_-S zE@v*@<^klZuFve-Jwg3l%xzMKXmn5KL~y5`FH$YI@%{HrACL+QyLyT`06U+B>p$cA ztGNBDxb`PoJmqempF8YX&XhXo7tS^(rGJohg4p8Pysr00 z5H8;7I=wiwShIu%h)cooFAASNJR!{2)H%O@jDav$@vgvIv;*CwvdMqHnRxc&|Z&v@j-oTvl2d$P^f1St{qjUmsrRDJNcxF;*aM;pE$8j6hi zvk67oQRYz=?8e5I!;R1UGkI?OdvVvteXrr_C+_{OK)FTq{5Ky65lOXNS_lNASlz(W zUrr#-hf?aIAHu=x!$9F}es5Uwa;X@YJPb{@b^iD%?1wjX`n2-2J}`BZWOPI#7~VTZ z9`GLC57Q6L7$UCh1JO&vsUuan2seL$i-&+qkE{Q<_~E$vfQuK6%ReqZwj%s>7f$hk zYaaQwsZE=Z)Xaw!zlU$Ta%GoDp5|}^9PEAZU_u_iT!ud*!xwjd_G zA&k^l#6kFrdqUjZ8;hKP(lR5|&-wap&>+wB#Vth}Q7~iua#`k22@jW?Wd`}KL{*Sv~ zH#@1GIQqx{uWduoSIcc+l@Q}M=cI+6-;NBTyCn`%`A3g_OkqZ&)aCo$x`_cU|G4+{ z@nY@g!{0PP(8lL(;R`i5*2W#Zt7b0}&eG?xkW>RU-($b6r_>?hX9`POEn&{|f5l5T zE>B$hgUdf|JRjHJAbV;Rm$lCq0*oGKG^Ke$|HJe%F=~!*j=QZ??XZIzX`Yo&jcjPD!yy2ylA#kea?k_f8pvIuK)9IqsNs$ZvHnsMc(d^ zXE+kl`VIZ6;h=7Cf@8~I8uF`;olS|3fr@mKi99t6WN>&-!t1C|?EKN+mM5-##^nch z{dN2S7O3(of|x5zz*0W;>vW0=+EshVsI#9QgbttVJoIP>*eb2q*l;lXb$NcLWG%El zZ4Nv1^clI{St123_JMcg#&9)9)T;TuG2{%0<<+J-pc_+DrJjSjf1Mv(`Qy@eZ3bzl zyS9j2%H6V=FqdpqdzvnZ#sR*241InZ?}S>T@9G?+vP0J05`51B_F{jpYfwV;u^YSK z-nqadQO7LcZiB*UuPzVdIls%}Yn>}v8<8w~b>0fte{$zgaM)n4|KXET1pDz_Fi11x znE!JZSX4{bbJn<{=MDvP{;(TKat_j~dsqRp-|Cv)wq4lkn|>W3dBkD?y>+6m%HC+h zve%8^4lpG^obHbeDtS6(wTm}1wL{@dj9xBY>Cn>}Z9dH77{lq;l zcWyF@*gexk5_Hw$Ln10bVlp1XfOO!h=KIfE!n9G+o7$sKDb+wv_~(Jw;R*;>K7adr zaryb%_Os^G^2pUCF(eZd9}ZM|eI>tK}7 z2@Qn1zqtH7jMNUTHJ5{;k1pNQGzthF_5`07lmYT9B$_cXGH}=QbLkBhZM3a#qU=P2 z5H$XDV&2qE=nLNUUUiu|6lC69?@H|m1;)7c-Q2!WP(Mz|*lD~UzIGg2-dt2jtUqBP z_B${W`yEt?{SHjTeg_s}zXKz7zdvsNG$*boaMVi-;)TjI(n^(3eCdzk7eA$7T=nH| zF>Vo{d~}4mL01{|OGj8=<`jh8M=nb-A20=RsTtYicMhn%{>3h4T~!dc@zw5Zv@s;A zD}`;+bVOmno_9}An82wMTI0$^;=t|v(f8ecLD(L6;N;tRQ$*W!Ojhw5FYKpGH~h^Z z3}kM{9k?Ih&-22~hvLq=!L9$n&EMhjgWK=0&c7bo)|AiZK$s(TqOY`u(NPaAePs)N zUL_04-hM(__Hr=P#}&y+BM*Kd_o;JUl=EXZaf?pq7IEh@{%!j8e9gw|sU9a!bq=RV5b*bC#!}KmVauS}>eEm$)M*yKz0iRl zq` zr7Oz$LUqKUEhF1<_opX5EDf|R-$ZhxWRLwEi5 zyi!$?gBQZ?qvT5Ruww!a&25%JZ0-kdXOTz%?)td&xcY{>{(tEId;RH-=j_OqGlcO_ z>yCTOc4${1N2W51KFmG2z}EUhAE?GNPmA>0Av+`6`p$Sq zD0Fg2iTN;j z81{UbXFQMW8288{FH_dt22S!|ye00ucd-j9XN{y1dG7=gA>KXZ@p|aCYK5Ldx&rn* zJKX(h`H=sn%u5!og~}dgX%#|YUDgclWkRT9$oE%Qs5A`8oP1!wC5z~`d+r>+A_%ze zP275w*I)aSYFp)@JmGmwtFW63gS%YDEa!n8d&Rn z;iJeo?DrQgz8|hV!KKHQ53c-izZbW^8 znM2{y!|AgY8jgf`y60?bU^r+u4MY}E5#|+ox4dh68-=8}qFwf#kb*N0T&{cRtD(^A z?L1*I91!W|JYm!=3a?hQwk+5_@->Hi$-;>r{G{5Vz; zojJ+&E0chS(aZJy07rx<()`jC_qt04yPm|r?Lz1Nt%k@oV_D@-JP*{4%}c#b;0J&1 zdB#u`E?AhKwYwC~2Nx-eTn5{?vDe4d2i)_8OTRupPMbJCPJuW-&V)EW&XhPmPM$bF zP6_*aars$)4=O>*6+?NwKsEG9wI*ZHMgf)--}PTHQGnTo$7#O}4UmrurG?lR{CQ-! z@yzo|;a9U|n2~Nz|Ad4sCpzs$dTpkJ4Y79g3A-{2!7j3@@l83K(2s1phdNn&`2HT{ zS)0LDVfgTRS8ULGZItt+%Of>J8J<$n7^R9niZ`85tk(>-V3;(?OP>0mJZ3oz)}x`-Wer$&@){4 z-K!(cz3w+?0vsq*n77TIuAQPNNXuU`vodfmSJJYNz3rscUTQxRi{~h z++%{|_zQyiTQ#xY7r6Ya`wy}pU2yi{M?qn@ACr8c`;Q`oMpCSf^vi&1cooyiYf&hA zt*De1=zvTf4Rz5R(1AY=(^E8J>fn0}R*V~s(1`MOo%-Ka=zeY0*ya#Tc+RNJS*MMt z?)wzCeg>BxJ1Su*ZcBUEQGYp$qTLh4GX{G{_}PQ&nZC%i`-I=!a|861J(25kT_u)} zHrVewTzeb%}T zUT_7Dv2b=78EH7$nlME*B#hXC8M~TV#nAiY^t0T_lHhZtvLksx8U3{T8dSq93EIaj zpIub70jZu0^Y4-#D7^ppOVb2v(7mjGR;t(I1Gl$L%k`<;VZ)A^%!E5!k#Vmn9%h9tkbn zle=zTfv(#D_jcDxP{^C(?@c^K*c5`O6G!a?I-SihnvsE?H9wf54ij{GS&?7 zEHN=)iAbD>Hc)B=hZk|I^{!&`5u^qP*P>Ubd-Duf7RIPj~cI8XGx4#Ko!oo?}k1 zXQeCJUVJy2wm-37F2(?iV&atKq*dW%m|5593M<6?_2Q?&N?rIM*nUJ$k_qT0luTtE zv=J_THSYQPx6$L;!_O51`)nqZfYx=QN=r}y>2EtW@U>nZ%6c0+4ioIpFSq$VpWxX}?)nw6T)@Og}t0m!}-2)A)9n$bad;5TGv^u)&8g*!nP+x-^ zkHw|OjptYXuLH@UilB zeWvk-7GGoUk{B+eSdepIR4Wt-rkql-|L6=H(U;<1>{3T1^;@I^N(`{yYqWMqw~X8zd6$`CBLJ zVZUE+@yc-Tciecwf9N}(ntv2Pe6fap^U{C1-gZ|+lCqP+$cPK?o$)_i|2Fx&F3y|@ zQZqq!y~#%PPiX^*ncqBFkv_`pE%o*~c|%L~@Qw;CVO^j&F_X~NsD*vrarG_vsmCb8 zA_rJ_$9C&x6XvFnom7i(Lx_Dufp)=*75W6f)+Y<@1bzW>_JUbfz@^8PKkj{mZnA%T zG_L@5A8M46zvw{IMZN~xV0q9!aF$8IK^KmlzHA=&L>ibpNp&LBT?p?jo38?g33y9| zd#glZgn|9b_A*~1Sy&{czf>}J7Km^kl zIV(t+x_LHh)E9g+%i;|8SOX(ve!%^y0JP%YEo(yIgk4`M{6jv0l*t{^eXOag^1RVy zj$lvv>D{1QGTHFi$`wcs-0nXj9fH*5qpp8`Xb-hr{Xz`XGVow? zr2SVsUw|0THzmgN`HAs-A!0nApBRtYI6t`h_J(9LZBjlhT<`g`G_JJ+#VJH}?B7NY z8J|kZX|HU9J(tg0)7Nnz+q!eBk;2q~i+7D%Z-6UL-0#KppKB1;3|} zs7>$?d2(Sqa{n0~K`tBtJ9-jL>wg-e`f1JIVj8X>^}aUlGVfuKzHdn4_aYamoy*uh zy*CYlw>g_eZ?;EdLHw*1N!dsw!pQWYVG4XX+I)8MSO#!^yF0OFFM^iEErJ7BL}AbG zSDz1wNF%b9?91=B$pZmKt}Ny+r$H6kloI%v9l_Hu!ZjWqpk4~*!?|oCSy!d@|Ce{*2uWMeN{bB__$nD19sVUgb z4A-l;hhg(Wl|O#cwA%yxldajhSp(6o;j_W1&7M$roIZS_+zoigU;Y+O*^lHxcMod> z?E$f*<&5LGg#KQk=CEE?a~QO(|5_exkL;o@&4koBquc$x*4Oe0_yH=LGvi|vu-~&b zsZwkjTlf*j?biHHeRk;Cs+!|ZcN1urJ)9}kV+c2Sy-qBL=p*Ybm!oNq8$tFxBbluN zykNrlJ^b1lA2@hPe^Ablhi_9}_pKPr(aSMe*X_>;xG$wq7n6&*p@@^i^|^#67(1KI ze0t+ZkZWEvedJ+Osg{!Vz0?7M1tJ;yxjZ1dY|bEz$qjJld*agL#+Sxs^Fd%9!b)P>D;5EB|X2dL(?xwCpJ*V;k z5qVp%5c7eSKP+2*86G3dK`!cS4E2M3v$+p#IqZh2soV=G@?g=f@Jz-y3 zcLSU8aXlf{7<6HZrS8C!P0%V&Xl>yS)gZaQ-B zUFDD1nhqt_`pJ*x51}fJ^4;vU87L;2$Cdv0QSA55aeMy2{@1S1uH8ai$*c!0$#Y6R z%Z{+``)%_epBVI5L9f`y#{o9|IAuf<$IMix$ zhczrBlKoslKIr#daVIHpZ?x91@7yAT9Zc#?F2AU^`-l8s^m~egAIzr^fno0(iC-Q^ z!uRpSGnP7Wz*fAYT0r(VsuNf=nkCE&w7hfMa*pmGc0LX_KCt+d=gggzorpqFg5LNN zpFh&ND=8cfC{9Y!DR zA1jW#>_H8Qr&+eC_<~>L*c}&cPk1~K;niYl2TmTPCNEreL4jP`-iA^SHGLVk3WKC%kf`4Qav4!1uS_k7{L{U|K?V z)y+Z%IGxcuX;|F`LJ z_shYpW;&N46iHfE`y8rv2NLpjubN0t7~RnzU6)}8;YFYHE_3)Hx$JO{5uv?++h2g2 zU&FPBxc2sM(~ISN75KU04y6;ar_6LCL2c~5>Uj9R36e=@;)%mzSdGx?EyN5 z$--P2(y)5X{0CK}22#F!L*ms=Ie5!EAYC9S0e)Wwc>L`&kkqJ@YiFh~_Iz;M{0OeU zin~5^$Q&hqYy|lq{9ks2MgWyfTkNgv(ZD6~$kCH53vK$Dsa|C7hce4byaOK`0{S6? z?77MWbpGtLe9MPW_)RPSUN7hfA|D`|>|F?gdx|CYC%eL6cWl#Z^R-Yyeg!Z8!WRiM z1sNQ0;N*3On+vkw`ojAf#S;Oz8`)IkKB)xkrM~7jca3)iyxcNQeaISFcw7kx`(BKG ze0$x$&5rP%DK>xN!&ipxzDtr|YfFVXEAPV}PaPx7*P%9Bj6I6&zv0HW|C#;Sc)U98 zY&OfW$9uu3TDftvg(b*7qNr9oe-JTpvP*^rxIjD?_x3CPHgI?@yytt94g621$Hjk8 zbzUB^BHINE{M&1DMU26DK>AXQWEh%TwBEx*_?`5E`Stn=V~9;pIrgd30&wZ;`<7np zEe?dKD<6OGUi1MbmKm_>KZ5voOeWzK{p#^5`vp?DcW=2bX_-R5li( zCIjvlzGdra2!VKSb&eA$VZN1#a@E+R4Z1a`v@`jkFgWBE8&{l=2Hbf)xcvOv=v}#m zV^{we0R>N#Z%nE)%IkJ;RQ9rk-);F43#10{<@T57IiyBl*n6Y4g3Au!?$;`d^toXj zF7WPnM1DtOC+PdjG}{@;qh}=h%dO6^LdfBlFYP{Xpq=_8jSPq#aP?oLVPf-W?M~?L zSv3Dx!3JYzwxomBbbDtRB4l{Sf1V}`wfaYeKKv6s; z25T zvw?)J>Jra*4|I9gYs-KK){r)K`~ahd?f-as-2MIA^6AMqudY#}ih}+uQD1k|Mn_}E ztfkUqAnP1eQK+OW1k~l!Q_;vkQ1qo)5>Y82Z;9F0vt$XnvmFLS5!Mhl5LGBV>x7sc zMYXPe^gz$TT8#QvY~Xy{nnFymIWSq-4zt$E}aWT^~0;MH;6Z`qYyS4E;i@;u9!fVb|662is^t zf?;x5I+_+H^1p?C^>}NAB4-#rou9^InjOa!v1M(#=JYUgq(9tJz@ct z(y%+i*B8u_g-XhqLSgV{dh(QeCboTBmnS{6h&>MWvZ068M9MJ@E=44?^iuZy@vX3H z$~xT8o&jjfv?UViXt4A3>+5gaUs}E^>iuVy2YTeIeO(E5QH*YBpL)uWR=%Bq#g7V3 zNOqd}<(J8WrWTed89quA`wchVzZUj^x4+Dm4<1~+0f+# zVP@=z^UJ*)u!*Yf%(n`CYl+JE-)6hk_3dldy1vbK;o1joty>TK zMEzmr;*&ImfIKvD)txu+5MiF8AU)f`#x1I#|{K{ol`SP9d08$AKQ&A3Qa17NSVp#}7v28v- z7VY)|*@So2g;zE}LP{kuv&9qJ9(L4N7ewky!(~fpg`G!KQFT{G!rA8vU?X37Q~87_ zJmgTLr4`ph>Tf>|zS=1Pxb(R4S=Wb+@2}0f81-m<2{1A!-~Bj76Dj-o9<(Lk935Z# z!8Dgos6#dSCGoaV9pyzPDSR6d#g12uHhh}7=qCX;)4!VaEvchTX8AnEvC5F0sqHe? zDGZN~-*_UasD`+N!v#C1XhD>_zS%)W7LlF3ciO#YCmay4J@YeE5cvAPnelf>qw>WN zkN)3W@Jj7E1!WXB;MS)Z-fCc_`$`UUc3blkzmvkwON(20CrQy0$sEn0_)RdzBk}M% zB8U6~U&is8=H{hd&oxFwXHTJEc~%G@M9!za zKn78$_sln#3IMHgu8V9N2Rtvf(dHf64)kN&KSqDoK{AVq)T8!0K;7lB7D%zv7c8vUI`W4y&u8zR1sYe zda!pNVg8f!t<7ZZgg#H)^@|6u6lEOH2f?;y%b;TgLlRxh{*rO{cT)*+iXSB)U-n!eWdwQPrsxHK~;PWzY28FGiyVk`@-_D zH>S;)Ygrlk4+Zq6l*(e`f8zRMxcl3f%6xF3L<)|)CV%qWlu+N#q4;d&l?>3 zEYt-E(+Uu9QYR}nx0Y(yqAm0$(TA@|p{D2g4*Z0C?KK;bQ<~IjX!>(&k#LnyV^dAwby~9GVck${dH(J1#g)&$lYZm+iK}n8^tkdFYAD=3 zr*a5=4aoTPJ~aZYXRexG?K_B$ztva05FQQB5oi0skAaXDDl@qArY*KT$L-(5NXfbUHIxrDHWk~>O;n=03=dXDoN}@KRowg9EW1HV zDqj%V512k-tKx?jg?yR=iaLmrbx!;C91q;h(AXCxuocyaoH+9ABQG4_$?L6upa>zK zy&XBS2>yk~rt+L>Q&dA|c1hy93=Aw}$4L?9KI}TVR^`qo2fokKDXd3?K=kLBjHr?T z#HGZ&N-vT}@2>YhJbsxMm{_wO@-4_C3(rGO$msa7^BwE@ym9@()qlF*Zxb8^$zdjo z%B+UY25iiZczHc>1Tm>wH{^LDkdN-pKEF;qxH7gaLvX+j+rBBkd~T#Vh@ks?U`hOh z8Co{nrSyOLB(G&}ji;j018(twi%w6i(J(K+YjK+*_WJAJyK(!oZr|96`6f1Ez6lZY zP0Yl66FV{Av>p5W;_er&y`9uq{n9l_m@CrpNt67x00b{sZQHuf6g}Q|-j}|N7Yu7n zGY&oy0ibA`>_5Z@xb;JQO*T(k?H=l^B|7V%^(Q4Roq3Ha@vY*`2sCajb$NYpc zv@?wL$bS5+b*`Y~!Mo!MNT$Hd)6`878~+3s?+aIdaOrX1;5*Uq9;O7{n~mcz0V$^opXXrRUHwo{^Qd3&?`o&ecS_m>-4hL}c`B)nK6hYQVF36l`ObeGETzXu80QdgI#p}T3=Y&Zf$)-9z5RX&a zrV`?Y;u_uT!?_gU@}2J0g8SOg_AKs*0i7ni=%3NP+AoT5`B%tFGk5!-3={D?RG-U8 zpuw%nqno}Op@G`NSDmwUK(+07h^xO2x}m#uXS~7! zAl!0TpCsP^>7JwHl@*bPVfWIE%3DgPZ%xta)1Vx-KX2%k7gQ8{3{Uo zmmuh;(C9leL9rYu9hz&rCtd@}SRWLSzS%{aOi z1_yVj8pvgt0(*L0+&ftW8q1H}6Q1ZpU$)TEyDxl^(zAjG@5^-H(39|m@_KyyrA>#Q zQBhGJ1~c;{=f2@^ur*%0QX&)wA9Sv5zVq-Tx@4?*`msS2l49=n|+kbk;P`tXVrlo^2h-32q0vg<_H?Nk*I zu03?8$yXf|_YIieXHbJfvwz(4ub81ohRZB#s~Yg`#vzU8Kli~!GfyXDDi`P~Eb}WX z(nG0BZ6jTofsiymB-}&o3ARe+(E)_I{hCRaP6f3SV11xLB#9vls%diAg_!dQec|~W zVW+Mj?NpAIoj0=KzO!= zT@P?4^v!=8n&`KK6S9V0i$z-4_;n?ptOnNh4{NQUCKUa4>+g0=ggTz3BPvxtRHB@gsCLQ>raLLMKDF$FpryIuB|mGp;OO(q z+9?33=iHgRrR(_D@yv1aga4ub@A1kWjU^vCbFL0%GBYLCRL%m2d91_M6X&3%o^#ww z>l(^-;~Tu?dk!>(Ziru9X~upZ;o>#@Z==Vx|6caKDGAEDaAJAletwe@YQ3h|NNcAB z&v*6}FN7N+%WBJLj|7SMpQ1$kPXQwSCqEJYQ=W+b zx#O?v1MYkCf7^cjPyb${CJC3OsA_bS!_XpJs1iu?=FfTurNX9hu?NGa&LJ|IgNZy; z5p9nl$P zkBNpt4ea&*w)~Tx=UKKjdZ6y2mI1nWL+JHtVP@H53)My+s02Dak?iA}(;W=vFm#9H z<@X+2Z2qGg!#^ubkbrM;ap}2Tzq+13U>IN7&4+^JB;I}-_|-M)cx5rW`A?UhQ-|7b z)t_Cs-}|@u$6X&ce)zY)_x~UMBoiE){~i!e3? zG4kZ_Z_eJ}cSOMUGm8~4*fX0}(^^2}kf__ohFENVaPP0b%@3|T|29AW)7Qt9=YQz` zd;9Po`TY0t!OaKZ=9_TyLAdm|{^WW-apUt%?B7>kF|QSc`ey=ytc~Ib#rEms6YAA; zR9rNM%?@+Zoelkel;$BAa`N74z zPIb&=Yu4KdZfuViBbK%Ucl3@>dKE47^y0)|g6MW&QoW+MBao(p$ z`?vKU7oQyWyyM2laQVTl$HRSJe%=1zfC^4{Ve}B{{N@*^CPm^nU3J^Ek7{fLk=?N z*u9xmc~`=m+@Y?zm0iY2G-q^C3>2X(t4VzFvcUg%dli*XqO#3I6)6=RH)-*bh9{ZL z(I)Ats5Z#9FmX{DvX_`rx@|~Mv1t3t_+aV(@!$JDT|fVA{Nv`||84yLZGMDy*ig59 zRR*oxW8^<20c;MgW|3B;h-}SHP z1SN0meq@Irvor?%PRW@W9cwf-+IskVAOSC6MDx`nMZN#n+dKbv z<&Ue+a)S)J?kI6UTZ4bM*PHE7b%$4Qv#S8|J3VOm`5`-GJ5y-{J!XS<&M)W|1Z4kp z=NI?AoO!8HCdyG3DokwXEG`N|K$@D<{QzkYTh)3vP$C2Nx@>vZ?Ztp$D1f?s*bZHZ z6@Ge;^$<+Zdni!$#=y+{gS_RkL(u==c)7=;Gf1IZjx!}W1{`eK?uKTj07ausZqyrV zc(-#Ue$B-c*p{ow-IA^0iM+t^pPe>PRke@tS-CmLFgZ*ojYnYD%i+coaO+EP`;~C} z*Kqd>x8GzP4@wVhYs%+ySdxVkeWf*wj(TY6D_ijMDp^qW_7l>wmxG}`u1HoIc{mY& zwer<>J!Jiw)83m<2i|mQXw!WsVnm;+PwN{g^8IF+HQH>iar+yGgq|>ce$mYu~Cw}(ng`+(<@aYQR<)y((M*e_1ue_O3!uPQwI~@NYBd_s;1#Z;u7+gH6j-Clt3dOk-@LzTA zE6v_z1&gF@mlDKTu3~^$)|v=`P(_JA#5fC(M~eM}rd?w~j)6BBX22 z8de^Qf~J8__glN70VH!ZPdgn&vMDtamaIPLgnS2i=9~re)UFn<5$4LTYKzwf5%6r2 zxcljyYplW9vqUjf9l!q?H@=Pgy}0^`YaejqpRCmUq_^A6QCO92&-c5!C}%A8UE;D5 zXn3+yZ+fZ#I+~_DJ2-WL>HbhZ7rP>qEbrGS)Mi8XXEWE%CCbA7$NWbl!!%LZJ>!a3 zYjVI$v7@oLS01kF8am7Bt6|&oD@^-$sD+9{^XX{52@);z(y?HCWv>D#RX^giXcdB= zh14YNrRs z5P3YlHD1sGyPs~AHY!T-x+OXcr={u=RA73Go!?$vZ3yJ0ZOgfBj_&kRQ=_*U@RCF< z((9!T;K~yhKkb3?^BidtE69x98B!gXf<{^Ff-?u4VV1LOmE_WH*y<9LR8boa6IY&B zZ5?+4^X=Diqg2>{`F`PUF=JMkjuOn@ORkC9FIeawHevxG)5v?*W7)uw+;{5J3N!Zn zFJ0&1fX{z+zyZa*BR9+?kjvqB`OG&tz)D>%uiAwj&aT`zPckEl#JZL~9dl#(f7tu- zXs*9*f0;rNBJ(`Y^E@2$JkK&j#*jH<2${+h5mJ%L+(ZM)jtI>vny4t6HINeW`~0r= z{r4{CyKZ+q&sxu)pU>Lsto`0+pMCb(!)s%&k2{YN_x$?(VQBlLCjq-hdKyZi9g*zQ z;a5?2CBbU&aAn#aF&NE_;HK^%>7RIRO6_G4Sf%G6=nV;aPJ*6|pcf|SS>c2Zr=X#} z419OuVIJiWgD*)13-WEUka0FKyjRK|DQp;cV|hjrIO68=@+w5I?K$pz6I^}%+xG=7 zeq*v~Mx95KH|j0=RHE(U2f=58oO%L$k+tsEUOAM+|S?vt0L5xnZ99n`j^7-5RaQ!J_tWtFVZwd|3Yy!%fK~y7d86u1 zai{d1R=}TbKPfQbi2gP|xa;HkGk@D2;_{Ds|KhIyANv2S1@JNGg5{!{(Lj+M z3=}eRSRMC3QR9+g+MO<_vGrc$ei{cTR`yx2;k5$GCYE&rB)n>Q?$l**0~xgJ+_yrh zB>}qfY73!TG@ww&FPSRA3_0I2P)c-*C^85ua<%&Zl?@*wx{Y+&bJIuyuC3h z7oxD|1OB_qhfipGXRMqix^-|kwN_sc!g(Sn*r=t^{ws_*rPG2id*J2f#oa5N(T}O7U?eH_>ijMV z?DhY){9QfUH4dlyLPfG&GR3G5bWb=Qcr_A(LY9?dG-D#sRXeWI5_&)A^Z!OGTH}Y! z|E9OUX-+LD!4AhQ8^fzy&pv^^4W!5U7*t)J*G&+?~h7lT|FS*ZKjm-x^SJAu7~9#CT6YBO8l0cD3m$^cy5@8%&yT>ujYj6SpgQne8BJ%Et^$MF zfjQ%m9#oWA7CPal3CW^W+S!#RD7o@?`J*LW60YgfKazavKyx>p?u>ycx+523-^!x` zxcw&dj~hwLpo=ySgGa>Ot;I#bJhaZSZV8WzX1bg&dnt{)!dT#Ln-m z@-Ip7uS)PQOYkpF@UKSjFM^HdhWp<9+w}1&q8AS2B%=KJ%W2hhK@jc1MXOd3hTi

z%arqO6OWI+~yRDc|Ys{xb+W=97hY1NVuFcEr&k&mKZUK7~AU(REOT4HfYmBK7ljGy@nl7xdYE&ZK*3NS?@{qs!$E>*Qqxg z3wFbvXN}uWgd5Mt&DY?@|8dXzipoiyv)WE*o4^Z|0u6aMI4V8xK1&|Tq!!O>OOxiQ zTq=-RW>)|@z35qWUuD4Umuc+2Bg#Z44?|S3z1#BTfi7WEt3*`+?thdI727HW@7WNq z#G(VzV}EQQUoQjfTVG8cX0k(bE@3ye-gHAxIPSix5KESt88@#x~OS|;f1Npq^mAgX--I+A}^(jIH z8xNMt;LMBBAUBwdR_WA@@kOUwtRF-PIm6Tg))#I$E}%*t?3C6Nh|aCMzBPTy9y{NM zi|>ca53WAou3x3RVbG-72I(9Uq0Fu~fQFHwEtE=Hur2MIZ%q@wtXB6&^wC-GqD8lGeOUQX4-Oc8c!z0I(l)xO+ zFfeX-^3i0%0?`RHi9BKzfCNYKAgx0JpvcKL@-#sccDo&M2^(j}K99Kln7H!Un{rvH zH~$orp7u@5X0L&INpi^^sT|}OK@G_giED zGAr!8S72lV#~+T8&mHlAzM|B$Oh*skUWp~|&j>*?m-vqxaM)wxRpPFXoBzdK|3CEq z^Zw%cdw*M=xcJz(=d0W8>)RXi#;}RTJZL1z6LrqWJXJqn0`1Z?o$*#%!OCinQTEDq z^vs?&`H!_Ls8>#yKoA|gpm5imY*#=lWpgX1%BbNK*VVJPb7`Pym}&>Jtq|n-oIl~; zMuv?ijO)L3upMx{bX5-?w23Um)+@u0GqESGte7L3yXToZL@f|oLFDhSHYG^b(Qc+B zSH;Fx4}AINxg4Dp(%728$&sajMCjQK@8qb$Zc}cLcTNhhvOJ#k^BxJ0{O+wjHMN zdnixbr}D&oszBVQB>w;FK2;&^Q#lA_ERGjX(?qkvb}zgmNqF=uoyM$lQlO`(@L=$n zEGX^q%n9-qgM%)GWR=@A5iTAAZv7Z;zxLuDBeG-h5fIy{NT)0n3J;E2e7KnB56Y9B zzo<|&^k4oWabr9Xrec!n5>|?ljQKnMqChoBw!ZZw&e0NWdi0#9R-GS&5V^~z8WmtM zdEIxGN(04|zN65J#GjvnTOW@59--YNH955)1lLt(p3uJ*fOCl<3%L)O5O`DEA!UyOu&6d^b66;XaAu`{Sf2~h z`F4YhCs-K{ELB%8g^=n}YemV0g7^vjxMl1tI^}$*Z*q# zJFB>916v?0S&B-GQTqagTisIysa@z;R_{8WV^K)`-5rH6M?V1i`PZ-d{Ql+Sj~gHO z+w#ZtpK;%(f1CgRtpD$2e{lCpYg?!6JPEk*@c-z;|E@mZ%2UJr$1^($Yxpj-rLkDt4BSWL zTHdwpDg-iU%_#HL;i*z4D`omMbGoD5wLYY3zojQVSR>S=jHY2||gJ!M#fwJZSm_(mL8k4yR*Q9$o$*6D@O*|u-|LA{Nv&;*?-wvVEM%tzIyt*ID~{C+Hlvd>U-NE zcba;M6}G|eds54%`6JL`{@H;3W=~jpH4~A@>4z><7vxBg>K&R&UYexwxIoMNDR_0?~ zHv-|;`;*HBN6lgDOq+nWZ!(x)+2O;!Ed$LuGoOqzbVEJO3E9iRX0S&)PC>}s4Shb+ z`1)gdg_vEzZb@1sLslI1ipbFfo~uLxbt6d<1MTH zi7M=EH&HSS)kHHI^|`YS$}p$$@=m+CGJHI9FZ+*)F$&m9VWmV6+{iVMWKY61nI-2qP1+aJ-ttRx zKcW!Lhi&~T*|zY%cRrH63vPsNKow8 zQy}5DdGa`nR#Xlj@RN_vdT6g(e9DE zb%X3kd;(h20y*KiHigcPtL*4AgVG{j2n$@`(ondv-3lJcZzQA3v_l~@!y#vb%psb> zb)BH6IZPkU6z{Isiqh2kBRS*rvFo*P-xs*^(7||tK_!Y*XCkUb5;H%DPBb99}q zb|^35wY@B<4kiC2ZCRv@K7=$Eou;MNgRr=kk7N?ML_M1i`gzd%xOlu8aD3fT6=bRp zv*e5|r%CS&o9imH9S7CmqmkXFZB(Q@6XyI--2R}yji-&v4{rVrSKn~I7uP=E*4tzb z`%W;;lICaoCtNouB;giORBOg;Lx|&#kbi#54QRIjQs9o`Uvppj0-hbtMlDoY7sf;V(fB#oDJd zXfLDu6hTzJrwfTxr!D0NccBBm3cD|KT?1O)44pjF9_)O#>W;_=iQo{#rJAT(Mdbv) zYF!Q-6>@_;Wjx%)zB@p&RlPshDFPw(V3TQ5{RA%kX~my*rWYd7)|cm#WLWIr?&8>H z;Z$cRGM+7X?BoZJ^xpI*UbF}MhHba`e>$VajE?=6z8Im4JM1ggpS48&9fFipC)Gh{ zK={K?P7UC>dq&@qNfBo56ki-)Q370gTz_(PePMzhDS{t%f*%rY{(teqOz^WATrSb6 zydc#VCsppJ{rpxCTK_ByWUK0-hl~Cd{80j6_OaDtM-eO1F;yOa<}3(F4^M8r$gT#m zS;n+=eD-LIf~|!6Nkb6n-<`>H$Pk7TEOe`R?9g)Dfd<<)HNbt3m`=~6Q=ATf`S_p1 zRi$2V@vQ2G$?wW51=UP+E@{S>LdpkLxT%%62DbyQd~ScC^@?xuK(V3yMlY7_ zklh{Yr66S=^yilN$QDL7SUhXpe=NlVk`#XEDQ$Phj6jwgD{NUCn;O;LjJ+A%73001r-l-!i4>!9rkMeg* zLb|58)I)Anc;sHhmXIR@SN!(M@@E8~1Xkv~2NaS(VvFE*#GH&W$0>cck3~YlyS4|r z@*Gfs(9~u2XI7}#VX-o;O$lv~OgCzlkVSBOL~P)!JX|$t-<-)Pk0>@iJg7dd3WkWV@6u zv^B>E;o`yK##gHk`YU{jQ%A28Q58|UgjiL2sihaDdCW>~C@chzj2jg-q zikdrovEvW8{NU2#`d5`t6_-%IG<<45uyXjQFz|m5es_7l6ztFpu66k&1%D_u#hv^q z21#zQl+QleA>8*qF8^oPUq3$-WQ}wZ61@6u+~=sHZXq`o6?o{8C$nx;pQ>{p#P1 z%@1yU>;|8lm|K0uppYy==lIhO6-ziIw4Gyv9K$2B60t_`zQs0XywMKXbcJr?;L{`W zDXfJ5%t83iEQJ5Oned;52>+Q5+kamALOaM+tPf-<#*VgJrbt=r{pTBO<|ubz?zQ0$ zJ#ZKLBHQaKfQCaHPql|4?0G=5KKIfC)vC~B{PLzvGkMU|(#@5zrvM%m^e_tsR-s`7 z!{pwoeZZBs{~hz*0_^t@ZhbYbzTx_NxOkX?Jwx+nJ&q%*#h8<4rjEc?O~G{GP!Ci^ ztMg6(9Yiay5;fFMroy&+^qLD9rP%Qe-1iIa`x>`i2)7>rcfZP}Z`zaRdLY?*9^6|q z>_F((=AuiCo**Q;(WP_U4ibW6%e2{~BRq*6HHP-_DO6_mqj2Kdeo%KJ1%2YK`XLok9Wt9P9SE}Ercw6VM%k!UoFDo1m zE`#{?&A@v2_43iZ>d3k=#q{bOMiAXoeKqASCpfD9ba3Ei0+%+sj6Ej=f$m(Mfoc~& zxPLtG;fSdwQoW_%y7f0VF!A;7h#Y4{CxeF48;W_c?~7IWubm&8?+e${_!Lp(v7;R~ zpBaH)W5}^Zl7G5|X(sB-f<9t0d9iuK-W=@m$E#U746ylGjkgOzyR3>kH~K=o(brr3S6v`agS~a~ zlsh!ao^`$;>JCTDop)wuxI#14y-N%Fdk`)j0|&V+jfl`JkdIP=n^Vu07vaTmu&#_!V^eRKT|aE7#UHK43Z+ z*wor#gB&l{N;38)qS37%K5*xGfxq+2wU_HXKvXMpF6E&sT&3}qm%PXbb86b-Wtkf2 zQo_Bng%r&2mSOYmS+`9PHa?Zs8^sSvE45E5u57}_d&iZ}x03%gac7KwjOidj zg9OSyuKutTVwIQ?6ol5_f5B#VLl0S(QOl?Ic%VKJwhvjS3?Sf3Ek#p@Jo@uJ@A8y9 z>G$E6^DVjtU@^+`w2xa6dH-OxI(gL*;noA-)j zi(7P=>)!H6ZUeHVy^*6nMZ2t+dOY8=VtbylCA))B3 zk9HH?Ctpw;IVo{HX%D0&>9vv7r6LVxlf=kMe^ep*c9t_(8(s^EZVrf2g7T`6)X{n^ zsJ*uTDrKoBDh|G-!S_oQCg&#F>>es&zZZr~b7h4-`oQ~FyZ@-9ZUuYO$VcUG^U&|S zfDQHgLqW)7JcYKy7q&`0-(qDD27jBLd#R!C=6!oKuyXKvo46iy9*q^CeddUA)7Q_q z-q!=#<11&U&+9|McOLFue*?hv4_DXMC)SrI);A>9mnYU&Al6sJ)=%8`KCXTH+w0@< z!(ws&_>gT8q8W~?ERwfJ463uc`jaxDho`Ofy+jOZVxSa0wk{oho@qS$Lv1&9JPkMB zhs%H2ca6;UDs_~|ae!(6kUE49@<(63rio}7TobcIG~rLjzAB#}J=A(q?WB*X8a6%~ z?)w6l{>ei-wiDmwAnecR@t^uMXwslhj`NE=_(;c(<-C&tezWLbw3O#AvXRku79{7Cs8qRK^k4vA)D;1 z(LooNYb77+3d5(+^78FcvJiKZvArmd5?afm43wlKuJ?Os$WU-)_TOAzl81B^-j3<7WX}f>wg|MYC9Q7 zVTO+IEo-vSIz#8Wci;8J?LfMT*(U2={%_Cl;i8bxs)F zIJB9!zL*{^{9urN+ROrTA7!--hj<|3`O+6XW^ttaHb2NnmKj_BarF~de{k)8D^Ga9 z21*0yXFSC^m*of}pF2u@NcCr-Q%+u=w%VYDoKmU_@9f})L1AK>lL}hJcV!^(T{#JS zS4INgbt8fA%1z+A(!n>Dci--}Xv5;A`;%5-Bs`O+dDDKpMyP)GJXuJQ5m44s3~|0z zgxB7cPu@OsB*jY{z6tNKBkHBahZQf7>)~!QsMO~Y7vMM0o3=OI~zD^yXB-n+d) z3659g6s_3Ef?3|3N{L=CsJ$F<;U}8{$P2KV`?N)%)p&vsfj7uc;0>A(c!PYfiZ>`o z;0^K;_=KAYdPag?m7w25&@&VC3^44R-Oa$M0&J67^YdrdqnupLjrqpX5cbtQ{Uf6i zWH>7Kh)1ZRF4^FrgJjwWHy*xNcreLLUmh~P)p%u+>OsA2y?M?L2tj#3%HwbfO}Lxe zUzgLv0Xu8f&0AS-1CU5pI)=eyed4J;1}M-9_gt7qm|pcAEfC)!)e;sL1hhS z9_g^@An9jhKtscc`#wlTC|}|PJ3q{F`y6X4F z)el1Aui|JtSX|)hNA-%LZ*D7VF426VFc z*NN>Bhkos5jum zp1+K%KhqZyLuoJQf*5qvx~#K6xqsFvJ8aN^bqW%0(5MT~qN4KeX*eOnU8DQllXbEC zXL0%I6PmtQ+-nI3bbo6WT{MM$r)BdPZ4c0C=pZ+hjz$p$(pUD&Tao4wY`DArxdJxc zez&OHeU=Muh`*CQeooi`Hr1{#f5Tu2ahghxEKa$j&wt{_9Bv!KQM#;!eqKv>@p=0C zL2({{^D_#&rcLwIzG8>cQyIrK!{%=7@2_IhqzJeQdltTz<}GvFskHkcIRy z%KHy3#2}4Z<-yPA^1yIf56)01Ky!!~gRqA*OxIFfsMK~uHx9-!sdYKSnOci)aZ^sP z;#-uJt>cKe8IRMge;0~4-__VoiMT?b-J$k?EB4@Y$NY>Z$~@t*6rkbrvsKBQ=h;0RL90Abny$<`&O_EHjjONc_A_#SYj4V@zrD_ zw)H$JF3~w?N&69>p+q`_Po6gU@WL74-oLo@D#O9e2Pzy@pz#pZbmkFR)MmIL^6fEE z=&L+U`@T^T0w2n%Wo|V>PQJPCbxD2>Zaf6{{fJACn_s|PANTy?`g<7<57=Hj8-=cy zwT)~_c7dCIZ7i&weo$vRNh^Fc8Y$en_O6S`6CU@GJzW^|!=CSq`@O60Uq)z?ytmWO zfe|jG(Y)5?RY9V2PZeGjYyj)G_R%KJOu$g3C!N|%54iP^N3(1v_tR9O7c$h}ZtTee z>DpH}0&EIFe>=7L!{x)s=v1Ki0>eIVdnHc3Fj{~e-@tvpPkv4z-zdQi0eOiVD|xtJ z`;N_X9Lsu$T}wvgVkr`8 zGvMA|xaSKOPXO2dOyBRS*A*Xy-tsTgE7g0G;){1V@A3P>DPEUj2v2(sjGkupL(bkU zh8#{hKsnP%eyd#<#CsdIR3Bpk!Dkm<1|-nIo4)r^x3if@`6H%l4G9~wClme;W)AZKH@&nLGzz(m%%efJ7%pg-#~(t6i@UZJb)4V1+#$aW#lKxi7CL4DQ!5q6 z6n9t?{+JN#`}|w_u{S>yxn3Q%`e1|v6HJ0X%kjaB>ou|D9D?xd*;awRH+qt97Po!ja7>p2~hQiEF>|h0OXPutkk12!C~{dvv)TgM;i?-8h;wqLVV!j zfT>p;%4N^HS#i!1z6@@7)f|`rxztJ*{R>XzX5@BjJTr@XlBqzqk*n zAChec@&w?WRh&?zI0*A|>#F8BNbv*))7)E|ib27|JIXeo9Ig5%w1j^`L-;3hgnvRw z_$Rc4e?kqo^Vh0`6{VJGbbSq%^T>gNm}O z3iUQ^qFzy+s8@6+>J=4@I@7h)~;#eHTr z1H0jqzu3+hf|7g~O>?h4Xj;v>d(Q7bOJ~)*R@g{&<<+-mYuPlxp056D$we=eEXX{X zIukLR&vA^NO{w5In8$;}G z6tTaR#C*fG&j-Zyw{iJ*ONd%9;Zg<8CwH7S(#V5*D?Qp^^4b8x-;0L0ZZd^X zkt4s19~eS#VDVCumlDvVMcqD}AO*^HKki&3&EebPF&Z)+uL#jKR$4cv<-qdnb)8Lu z%Gmgpxbo3D)^_CJcVo2uvXN}Jvpgh^cS)vRRfW)X_LK4_m4VL0+jFGP1bsgA(xg~V z170=sNDZ{fBSa>obp4P#?2|EOZe!O)@08xs#{Ra4LwQ?bc4Rw1h1cmW;afgvW${n_ z`GQkO#J0$IEHDK!PpzcRvu4AcVYg>BirLV%Yw_BrYZ1`#<65)OgT2`AU)*{{-1CT= z@2hV5n)oO~9#x;U&Md8UhuFf4M$J@S@X(QQ;1rV-QWlx7VT$zx#YFyw-_pAfZax~< zAHc0o#(f{*##?aX+g6*ZT|(|LLVsI#>|nPN(mdu6kBnBB2^u^#%`dM*kTI4@+Yg!C^ z)!nWmHxYy@&+ExNU4@D!@Fvo}>jsMxvJU0muf}QwpYAuXU-)eVv~Ttw6~F0(oJ<`D zbm)wT{&W`tPuPmU6SgAoggpp6VG9CJ*b;j_6z+M!?FWB2zSnx|s1qtrs@AD_WdcmR z6~z^E=CHs)pKf-^18s+fx|B{cI75AYeqPiVdtM~2e<;)7;$HmF2O>9kToydz0<26f z=OdnaLh`fp$imPZ#6lN-Vg0tP&~jH;>DOEwwmtt-GTl+X+ZOV9%|+N73}Bi~m(|NA z2AOtLyRnGbL7>Bt0IO6JXeK{jKXJhhzP4up{bg!Y&__|o8Me|rbEK?g<243!o&TYA z4!s0aN{-$+)~ARLufIPm5h9E&AKdr`u0G(>tViK`&GcfXVQCvu`}AS zwMesp3W1YmjVxcj2E?QJw3dr!2e1dUh*|W4PSLf zK31Y}k$Ebxk6lc$Ygq;~PaEueY^n;l=NH$1!=+y!>%FcL?*l@FB)XrS` z%veJb${8x}HF?;9*e_OdH-Arb3FxkvZLDotU4f zM9fcQB=D%UfVN)C_sWtoTzD+**6=_bwiX-;IXzFZH{Py0w)(3Bo$BW?p>l6*`>^_6 zFeKg!TEu%HhV(uN0B(OSZoUKe{fq1W&)?HJ zX(?EUER0_S95j;wpNy}1&M^$A%l!?PX<-~_nq0S{i%5p&8J_3q(!Gg!qk6=SV#URt!0yJIb+O4F zGP)C$L`wId)%ggvC~ea`o&Q&1DB0&eZ7d}TJcd%bxkwU<0~2W%dPE@B$X(zayA-VE zD@pT5{wrU}Pvk3whb>9P zlrZ=LrI;I?#lt|b;}d;kdA9)J>i=cs!M?JmWw1}&W~Kbj0T6iE_(h}hFxW=$Tfc2C zhiek2vXa9OLe2pS?$S3`k=oOTrW&JiaQ#$hMe>vu`e9Y5fJh!C-pVr_Jd@fC}iDt&l^nZ)Xq}b*n+}c>N-tQKO{2`hfHM1R!HXM+tR+n z0rq@~9$Yx*fbE~J@{b7qEeZY&2>uNT{_P3=Rj~V;aQoAzAFK!2M;a*N^;ETa`i z7`y3W|7G_+RCnX|ohs){Naj0TZ@n)aYI3G^>nZb5e)PF%HR@m z$kag4Bx;A>Z7=kbUFx9Hq5)L$Y(DRHQU%_>o#PtcY=r$@#+|QSc*9hFgRlUY^DIPn zEDC~)pWLKct`f|@^&7BbvO-T^D|l^rAOsVYyP7h~`3U`4JD$mxpRY69-@3xFE^!V< z14l@DsglqB+ZFbfmX}}ouP?ySpKKEBlO+= zG?w<%ADK2t^1RgxLg7c~-L(HWL)IxOx8;ZSfXhFwzTvKqYtM1{!R>#y&HXqS5T^(4 zrhf5T?=(gy*K3d5o>G9=`}SsO8`QzU?l-E#E z1rng0SL;tH1g~5D)c&ySdu>78YTso z6exD(ZLvfCJW{=0A`+lK*i7XrE`r_fgPRY+jSu6VM_l_5@;KzCkZ>s+Z?5wC{<;k9 z(9=C_y5SJiF_Xn>wpF95a9XC6i@OkKw)VtHy9(@jFvg)4DWyzTc<2EYXLZy z7_yKXVT2;Ro`mGZkmk5looiIB5(KLTHwNJ-L2Ueu!km-eeS7mkv^2iL`b8E57wPGC z7G$8qU)W}ETuVczvUTgn&Um4MvD4va&m^EBs^@A6h2|i=d~Cs>QyT_PP`AiQ7{Jj~ z`Y75n0Vwc6%Y46<9`xtumwA!uXmGz5cYWM`*d5OR#Ta4vuc|mc7*SHn{xb(&O@vTd#t9 ze;qlb`$nxy3i#YV1ig$9fi0m))h|92@C}KA5UP3| zPU@%kX_zlG)D{J)n{`EQ0Tch652@cm(6z7)s;Cyw3Zx*ed2D%HjLTGW|<-*=j!qKSkr?$hvGc0V(A{C1W9 zwfEQH`ZKuk3T=f`$Gaw?QOkge>_#syh{{(yc<1AGxDl#)UG10y8hEc_<#@s!^ffom zkMO7>y;~XEFPQOzBlSb?f^k0h;6Pq{EmsYd?5kEd62l2(IX|aERk@L?WS`|BJ05KL zaOR6CFB)ipQrC>^n;{`kHgXG8xZ;A09=HpB<<^0Leb>IdxI+&`@%7#NT~)E~>wl&{ zU%OZP*S>bI_OG!L{aGK0{;Y4^tNm-A|6zaD+SkWD@BcU7yLNrXwV$~7!~ZwmyY~IU zJ@5Z&{EKor&|Und2D-)jD3_#_Kx2QF(~lHY2yXxV=tPt%$bjsJPp--k@EvG`%3M*b zO66dxZ8(Zw0EtptH_$sX9qip;1V^c#K4Y~tfkF56lbL%B;G3J!=chD!*zfCqHTmHB zS5k)p7u5!%k-Z01OVR}&;M;p5Hmc17!ivKVg_=bn-K(Ou7fDrlvWa)+=Hh&@?dLy} z&)U!L-_~bb|LvWhjkNuH2Y91AG;!=t2x!EW|Ng_|1v43e^-nj%z`mP5`psy9VP*H9 z(jXC1Uimt6$E9Ws2pD7CHZdU$Cc(vTj=lP>n|uGh%Its&@XdOfnC@~w(d0X}-!D+X zmOt+M9ru0l&-Qoi_G%SBN1njXksdz2?9SynZVD%$BV<|U#>wL_1>0(^*>n| z=bn)2`6ch37$~ztn_^<)C+0+f?^BD4d%i3jHq+bP*dopi!)+}SJ0V@znf~t6krEbkj_%m$D{Kk~_dKR>T;1;c zm;+i<9?nD`Vh0ObhwZOC5K>s!>y|vq0^y%{I67Z(!=1P1OCBw-V(ULHKe+MRdaf}vkK0$Qci;k4J|n&&+>he9=mP9vk{m=bReUy?JuoAN6?9$-feQM<5T}EHmt1IBY?O##Lp6 zC52)6=hMg&QcCFgc^Va!9m4R%yo_{Scu}t8k)pT91>wqjix->9eZenw#zZgO4V?Y$ zpK81hgTY>F271$N5KS%7E9~nId&oM}3MH}#eZ&3Uzjq#2<7o;It>CXyqN#wW*dDB$ zu9Jb?PD9#uoO1A6Z_9{doEGZ!+LiK&^xieMYvGpuu8NK_b2$F#mx4g4IPj>P?H1%v zrCa>ThC-Fg=g)@Fp+PtL!IT7P_}lgYS08Zs!KKIL2bUhV{&02uwd>D!`yv*xP8Jm3 zNZBK(C<3EgE0Q-2RMCez*1eUwB5>2IbRlbs7fC;poFNAx?DPJABhR&eFK#^vEJ(z-id0@yl;fqr&%vhits|QPLT7NTl`R!{83mf;mwsg#|PxXCR0cZzg}*Y z|Fy?|{`UUj$_Mwoyvn}>(eEry^gG)U{m#Nfzq16kGSy}-1h?R_u}Ho;PwaM(&N6Dar+(0;wQLYby%YV zv|~!?Gnz1YK5+3cxiy*zIVq$Qs|k+f)f(ezT41OoD_d8pjor_JJAVpSpKC)%yCu7P6lxEkGS;=xcZ5! zKe+4vZF=1EiyNQE#q0Q2qsQ$}DT)8VRZ@2t(OtY*DQQ;<5jXV1w$mO(g>+OCyf5k? zyYlrLb*Wm^Iulx)qg4kb8ZLoC6p64Xn95UlE*~s`=8&C4Ico6oJZ-VQ22J!a?O;hP zhP=0}ho{>Qf=oN-vh>4f1oq7*dO!O@YrvdiKExrXX@f_Uhqi-Y3stvXwI7_BcdY$t z~&?erHa&AggsVqrap=!b|AJx~_#`ToT%3IAO>l-*y4TeCKzo|HwW(hUpUkDeWSVqnch!u4HQVqOtP zdDp+bxW@0 zmBq%x!IjV7_78FS!POt!`)IZQOBfh8Jo#ucVS(rbnnWJ43P6G*d63p20Z`=R8+n?b z3A^2nxP*=WH=g0z;{&+-{B8N*uJ1%ECd+4Q44kK1^QkX6pk(Hq{xQME;C1YF?BW3F zf1lzIBQ*!)_0T|-^@9O+{XA~}9j-p$(mxRj$=lUMfrQ=6Z+=LUgiJ%{z_y?IsCDRu zNAactR)o^Lm4FU%Jw>ZR8{?`idXtsPGicfbDj`Nj2@{uw`Of6qR;WFDeM zZUfikgbXtHMgWjkudm1>*K;^TZ)Z;g8RL=^o4fikteR& zLDgIn-_0&dIF}W%B-QVSUVgD$N&D!BR(|Do$Mf5RzyrVBs`swg^R|Y=Oeyh9WkQ`=x)}RAIXFA+*yu&d z3y>w;{XUsyj}}tGnd#c4K_1W^hcT>vnm_>n|X|E~xvsbQ6M7W{;n;Ua-uUddz?__&#zA+)s zwfh538V!x5_eEhHX^2j@1`k@W3I6ixnE_II87=tkr4V#%EX^<8pa8oI-n}d|!jIqL z>N76=Kl5kSE}x~YW0$|U@IaoYP}@)d6B6#?ZvQFHioz&rqc+oWLcgYCdEsGh)H%nu zG;(4ywm##2??0>0S-XDzZF%B;FD~8%?t47m{#>ibTO$xTU^pOd?}*Ot++bpK&j|EF zwr6dSH3aI6iOI91c^3xVbcngk0=pmipV^bO>*w^eg5;j9JkYsMl1#Rk8z7?IWLJ^_ zs=aVjN|>9SH2-6hnU*sz+|Irn$S}`=-9Li6U%2r`-1=L=uoJI_%^Z;g$M3FJUrfN? zke*A^#1NcJo1Cuwc1Pj08DdKuB;41oH>Hvy#@OGBn;*yZpI6V<+WS4(dz9Bn-ID_$ zIfLW6_hg~2KYy{M-Vqtd?-?B(mV^k+*29CA@(}g5?jHL)DeUjXy^nD90hj*Z3mslz zBn_KSs9fhZl!c6Qzrtzh>`@`#H<~?K;;?Y+?!a8VG}Z0gz|1-SVgTzXvoSLxSo zZ*lbvmmggFfV=)bqhGsx{@MEcnEAD}^Aj5Qebcyz3KXR*INQ>2z`(G`lJ6#Cbf@S1 z;|399G?%VGMX#?)!VCXew{2LR@CVlZesrBCql^sD0oy0bH1r=epxyT>IbD(u68x~# z$M;+XJn1xR3RkqD>0sPS{d0BrX7HS6@auZ?!DVMm_bxMdT(SRqQ@A%$WOa<~-=&IN z?CU;9U9*6qLkmA{gqr?!{{(lxaQzKjdxdMCarwv1PvPQ|;L;DBA7`TcmI{wL`5APs zro;ZwPyXIekAg2sD3t9^hn!loW1QLP5FM6mY_6UI-_2$jm+AD;P%61J|9~>cb2}!+ z6(dmMdh;k;TMNGETpX=tP-rr6 z@}Oo5*3v!YR*3VPCaZq5JmidzY#uX^0{x!8f_rLuXwpBWn07Z0k~i!}3N-pCKuW7e zD8(42eamMIe~6;A+QH9k-T3b#zdsCZpY%9j_ef7eNwgu7eLDOq>Mkc(4IZvc+rtK< zxe?sd9m1e0o|{s8`M>M;)^1O5<->9#et+79b>OMJi>54Wx%-!_`L$if3`mrH{|0&r zGWbyX+xems86@q`{qv-5Gg@7L?fjfSpnrsgcYT~l`J#xjR8cSJ6jB{1j15M9 zWu}Ky?>NEJ0LpzAzqmn>phwhgb{mkHHL%FOPl^jKqR3uVdszRpT55QMDas$eae2Al z4B|Gv-#xf77$GT+{N0(hX!lW%?~Zr%;K9?Op8;QO(W&X2hul95;P#X*n_rPWu-KN& z?E0t=Uk{krx^Xd~bFU*g7=MVu+k*ug8izH}DAg$zjV@8>-u$NKrWhBxvR+w!%uNJa zJ~}CF!ww2w$fJynKk0@otV~)uwHsJL<;SzGZ~cAHGZ`oDr8aw*UGOv-{q2D5|KRFd zM^hz3a-Qb@?H~$)mUQbjJeO7HYQU&bky?p#8)gdl!X4K@f3Xu=mOw3bY zB<3k76Y~@{5%Uz7iFpc}ukWSY z^`KUMON?_1KWPrhwi4Mb2>tY*cx<#;0S+o%l6}7@juhg*4PUt<3tRdASY4@8f@2weAewHhjR7L6&`LFY}c78U0OMmonfCv7d z%f}|dxMB0C#Mm=&19V`&pZPR1JKQ?->rrwdKRg>eqx*ap2b6u+$ZW4tM~NH{i#b>gUx4>W`!xPLw)y zS@73T(E6bIJ8nb1l^Vbu)3ec)NfRbQ)LSNl^s(;?T>0SIA6)zP&*;}KPuzYkskhda znI!?}%_#ZXnehPdb(ni9@39kwb-u8_R2%@^G|HX)1_8)~Q%7NMdl2^i;>sUaKDhnb zxcmgnoKK15G=?3mg@>2#Be+AhPVPgf8R`m5q%(S90LKm9mS31sguWEBhbLzpiSxMj z`wq9>0JnY{*B;`=qj2kQarwcG|KrvN;;xUYKe+U`coDK4y*`mI?9gpHx3{U6v_V7% z1a~VrAcaC-9!}D`?dvXnN#!q^uxW#lo9Yn*z@^9CFWmM2L;t_KUw>PkxbxHhHb4Ja z|KCf0{`P*&Zt1?dhlGn-dxi@F9X1}C;`>(;)l|t4v(a~m!YC1}n_8mO&Sjwk7h!Y4%QS?} z{gE)}G6#J!$|UhW>7a3bCFhib7nGWGXX;Sf0{k*6N$YZkb&u<9-yU^_Vi&rvhi08X z%HMb7xMIrxWADwQvHrd`V3{&xCi6Vcw|REV^E}VwM0A&OZBGd++N)%#)`3-_`k{lMSy` zI-WbgDx=CXT*wPFLlj+ z17%dj_T-RSoG9e+L=i5leAky9CqFEAUje15c}-fC|KHnhL*K-+xhW*!O&0&&7%36B z!M9b|V23&?>mNuI8dXD05<`ArhGL+2or>Zjk*D&XzJH2j3lhE!2P2bcNfgEF4DVt> zmFn3;P!(eo`-OQY`1YY=9xXeAa>snyz&5vk{P+IT|F8dR^T&As$$7Hb4^`8xOeBZ}!#){d=j4D?h<0Q+SNtFW9XoiM-^VN%t>aOKpjg&0 z{8n5822ygGZmgL?ToU!lqY(qpN;uB8Jgo)g(`xGZ(P2me72Sq|USKGimF(3Jhvt_Z zTLT^i!NS3M6NRjB(B9?jcz$LpGJm2imrd&o3U%jNPmcLR=(xPa=$&Zf(BHT9)Tlo^ z_gWK;j*b8=237G-=~0M~ZT4v2W;yKfap!|;FVnrL=b6W!>#O39kK2Et!P`h^&v!+P zLdIgR`Sjs&)we0TP764ov09R2ZG-Z1H>SQK=A+KFUg17<)tIE`&P>vC*COe;vy$}O znMiu>LL@zRCKwl|&jv4|-le*e6zg{_aN0LIG59?Q?f4)bIDAAOY`$z*9uL)l_?MjR zE#-#T{CK$ha+!vr+vu0Q(3hQS`VtS#!FIQT)&heqd@B;LsEN0Pf`#tyqIo_jtUbQk zF5epazQa9_xcGT9i-f}Mb|tt<$?y1fSPXueabz`JlZ7j6Pda^W+M_SMTQACPmxShP z#>V3MGT8c?xc&zh@5SY3z|9Y~<*}zfIHUks)0Fqdtt26XPi<`ZF##CQ7{FNyC1{C~ zWEAt3gO_zw7Y^$>Bi!{*HJK^wxsitIcJ z>&orBxy~eiD@^jYoFsoMPV%=xB!5fHBmT$VnjzeJIb44G8lgn{p=dp5GVhEYkW@lh z*}aVKPU%DP`4?{PC$vE|<5I#brySaOYWpvTReR(sD4DvlW)9Rs$>Aw^p6I|0H+PL- zXISklmHSL?3X8pqd!UQkK2PKj^{pHB?bu+(6aYS%MT5Oc z!N8Nv(U_OLs=v2ZFkzQgI!Z5BcdgqMg#Ep^`88brSX?~6PcmHp>XI0`S;;2QSi%4o zzB0-^Y+;9`1qEH>A%58U_}51RRw<e)zZTao-~+#}eZGD0V^XBawvcj5Me{eOGO_I`Mq^ ze>(jrAQw3@oITyq!VD=xOv0b^vH^Gh;NCB|{tcIZ2KT(&de9IiuWU`ZMqvzRX19kh9d>{fs^izg2du#U)c4spsrEpA zS?|)qq67S(ba?@zR^a?*>WpSUJbE{_s=@SA82B8#RjyoBLoebd>KN=r!Dp~#mxHY+ ztX%Dn3(HkOJ(}ec(vHG_`@X=v?{M!I-1=}_`{9Y`+cVpP(P?7?k0{|-SoH7cPI)8* zk0}$pCU0&xgEe1JY-)8+rCz0QgRyaaG?a2jVJg zM&!ggu>h(Lp^(k8*nAoR8`r+CzK{opyQ{uelyuRxW@-5uBn9LhX6cZ0te}S@VOuk&!2IF(n=6bp$~k9$8#{!rOP&K3X# zp^kLN4}_przAZt_uf0Lz(95$Q9ejZ-t#>3#F&62lBwzkG?24_Qi^~^>`@X}q$2~8& z`hBZ!SduR)vqE!br9@f*BdERGa%VV16}3u;jzykkfap!Kbf@W90AA^l=f^W(`@=j2 zDIbOc6I7Go)NLRw3r}Vfd)hB3LvAdhe#NB*SxLOBN)_@j9}|15Lrn+a@-gD}zvJ5D z-jBHZ2iLxAf5=>5j16j|cyySiKnp5zY$iUvvPQ?wv6cR2Fa)1+{w5I}9q{~;6<#H5 z2)OYc?)T!Zr{U!$W7n!IiU6T zuR8MG{Z(^q2QxIkc&{+MiwzW*4QFj#6!G;qv*)xUCC{y@)h!{Z~KB{l%-Evb7JO0Pj`@@a5amUAvZ%6EU1y{B| z)gRAeVJR`vgi%J;*Yqi5Xq)Ozc`th>WYmXb> z;@YQfdiU$5mjSwvZ~9_klLM%4IQ?3p+7u+m;@HEHAu`E2(5~^w2KL78xFvtZ8(Z%i zcR%CCGr0Cwewm$^meqx*ZA#WBv$YY0%^?Bt$T(EQ(~bshe?eA!T>yu_hQ;>Tcv z2f|0U)eABM-{!O+`wVro_pNaG`5#PBT`?pzFV6~=Ly2dz1{tyWG;sOoaL+sLdPe$? z7dGD(gOq3FTngT*h%2($PpnxOGRGGrw5o-H@{p!rr2!jifB(5!M}`+$9~O81+BqG62etOelu2V6Xj?cVwO z#czE3%WpL;Q0+;^;oEW!*m&=J6621DaU+Nlewkdc z%NpI<=XYdhjSZyr?^ZmaZ3X?oZS6MSERcYy!mQK04XRi+9l9+N4emzNllLt{5k=kL z>Y8yVgk04)7|$9GSqCo8DTv3T!@obI466siy8S+qeICi4$P4%%`vQ{v0g`W+}oD+>^US3v^xBy zhPtlsG;pcR)-41jZ;bQQQFaBxW-T4x3}-0XGZxr&EEGM~mU2q7cZOJ|?pfM-0%$1h z^D6NtKyRJCQcI*0DyE|g7}b@BJxmX3(_9HauYc_ZwE_YAdvV_{>+8RRwEoGY^-m_P ze+p^+vqKSzTg;Z6KA zg}Tj1bDqvNke&?^#AkTK=r_UEEmoIo73iQt(=H$&jevM^$LN!dsNt(fL)eB>%wWDJ zl|PGqBlh=Ry}Z)cd&~gZvLka1FKL1d)2SE!@&qI)_3#OSN(=liS|{eu5_K6E#n>he zIwRcsZau!`fa4M6kaC_4II3U#uFcg%w#_@uuZ}Q-L}ty^okTteXZ2+#Cq5SJ`Q!3+ z4bQAPpn>M&FQ{VmV4T%}zkvo-I@+ zdrT27zO-)74jpO>@;`nv!0{((Y56qlAkg`t{+1m(7^i66vW#T`owI4w&uTPLLS*lb znJ6A;dR?u2Zd@OvPj>0asF0!jdv{cxZ!`ucapU4C&oBD=6^%vp4_uJ?McMAt*E~Qw zxR^EmnKA0zu-rmDEsNY9UVdM)kce1S_`g&ia0b0oKOYMehhm>E-2IPxf8pX4xc@IM zKi*08giHGg?8sSZy#pSoe-T$;Rd5ro-+hJ$_-a~9rSx9Sw&GgNdD2UYU(+Nl{ z0PW)qFTZcuk1|SKzj!Z(Kp{2do(#(Xurqrs;0$1I}L zzfQX#vOPUY<#i$0{scGP!|ex2>8k&!-tK<*qH{O$HlZ~Yf4arNt};IO9p(} znpt>oXa@w$$PC3q>_a=p&iU*-SOT@1+S;urqp;# zfyL?$Ras{d;LZp4|H8%hc8#~5o|x2u{vffKFiM2T&#sVpywU)>UtG^-Z)?G++-rh` z*US;U_>m;%6q9c5sl<&u!5@Io6uTT|Pyo53c{qwaRy zMiA~^d?HiE0EtzdY99|agkhn*m$qiwp^A53CS-avP@N**OPk*Ykfybx-R+?s9Ha`~ zV!PV}&7LZI8>FobocqR49&~X=+u0p2z1y#gU4Nb~(y$Pt6%Aj~{a=ZRIKgiw=9^!1 z63}p`l_xn%7>F&JSh30_A@07};JH1a5U;sA`gFA+yk6m`c;&8*RwR1O29^*U4w61K zUx^@0!_ZK;&lXW^y*;jfzySL`!u97Laz=IL1f}48lh#V%HZe$Sm7{(pW`#D>%LOj& z6om&%gDl2JC17Z9>fnzLqS*bC>-i325}sy2!qdV?cp4(%X+|VGO&=Rid;Px4_koWr zTy0bT_;x@7&Rp&?NOHAD!PhCG7vm(L+tjmn^sqFj7=|tTkBR>;@jc=?{09#dBF*27 zG=D+T{6$Ff7r-9>$@`Z#4odL@w0}@aR^)<;lE-^?JT*YCwm#gt@fRn&4pg{0X~GNN zCMt{rH*@~ijjw&Pd}W7?6j;4Ab19S*gNAA@9Z^9d?xd_X)AmagjDP)1@avL*5#J^T zM?Fzk|6Y00_eznz*MaoClBDmIC4H|X_V?oE*KqwmZhbiJeAe^PIzZc~6L{s9DqNV9 z@@N{<1h1mXs59Tx!Pw6|(knz0=+xg&i&pp{-0^Yk@6~^{{`lY&QfOmWEET@o%rt}#6q%$5sbH2T)?@Zx!Fe3*KQHIz9)7Z$&5xcZt*3%*<`ncFyM zi55)-9BR4Lp>WY|_Z=`tvT?7^TC{2aZv2Vs4{`AdChErO#r;O0CnHCt;%ES|^#X*N zGFx;e%Kd=OHC@njoDb;_b3{hZPUJmdMi5^l_HDAo4$>q-O5UlvgMAF+ioAX}D!LMz z&r?uEK zU<%;~d_*S=X>(pr61PcV$G2emolz~`26QAeXq=Pn(fbDDOyy(d@MN)UaCDaiJU+C$ zUV_IBS>4*&N#upaem~;IleqiYBQ^fJ8Lv9eBMYkmEpzIMJ;$Y z*Rd@|UIp%YScLe;sz9u1=g{L8S5(vJHg}R3*L@7=(-N;yLmC?mzbB5!qFu{5H+~ZP z{k4ygzcJ)remt9w=3dDsr zH8tD|K)Cn=ZvF-Lyx`j7<~MQUCEWS^x7p*KuQ#>9FGPalq4|K;?1V-PT$vJF5~LyK z1zL|b(Ksdme-;lzQ^pn$k7pr2Y*mUP!b*Of@>KzvjQHEtsj{Hz@O9)`nLFC-JrOmN zq6`VgY;T-;H5H-(MTd88i6xSmU3ekg8vRNFjVcnfv;D;2P?fmW~O7^PW;1@%i1@o4Ji zWUmXJpuFeG)!u|4#Pa1FLHL<1bn;OYNPcDppRU8XQWqKFgz;J1k3A|VEmhjXit-ChZ6gawJ11e`FzmZ zmm61#S`AT{ee-dOw}!C2VDzG|MjXf&Q}jM;jRod>R$c?D18AgWw{}Ce2P~`AIgk0o z!H|=&zQ|H6q_&;2_ib?oHOV*!s%|3hG$Pw7AQ6gI`(-^8WJA!;vtcK`u(-fW$#>8JnX-h-7!4UBhU7NC-kua_)!#Wvmexl z&-w~3O7}Mq`~BN1w@i5;-0^YWYq<8f^ZDEM|MdB<*Pq9c>d%u%_2-lE>nd@$~}W_@yr5l&3NJ z@N=$&vx5i9bMM#R`Yr^W4i;{LVtgdLhyvE}Ix-SoCqcsN)_T_K_sB_j-D(eR{uH;MPc9%%R+w5*KQ?>k%4 zeP>C!@8n4Loh|9UGbP=3Vj$Jqw7KRe3y3_r@H8})4(9sa#NWZtFPiM>QzT>iYuFvWi4V?h2^h?oaaX@XO{g$9N1p~L9V56t{F!^Srygix#AKk^R3FnnjpkiMR1Dhj?EL@8_M8BYqJAYif z0vBJxlV@>@o)v8Odku$dh#pwTd?xd~tqq|8mVx(sG~h{emb7nrAi|B8aPMDS z`)gu{UmGZSL$YXiL9wYT+lfzYOQ=BzmlxfwABra!qe1_+3rNRd^Nc5 zg-g+2r#449pqHFSwV+!b`CaW7aSRDUWGZjt?tKe}vwFOhTxL#)MK@WxhNydj+n?J` zBNu+xT^fp>6I676h{KgLJQH8`SferVI*IK867a@wKz*TK66~@!o!%vjuaAQp&*R=- zxc~3^_~H;__vnIjhZwjqP>jx3St2SZ17B59IJ}!Hth!SiD$>8Ue6Pl@x5?$a{5!nD z7=Az8@jj(e4cZSQ+wPy{aP~s#%oPd~NEbNIJl&)Yloxx0{Aa_^O@Z&M7fMCIkB5Cv zS0jWt@~NQ?M(j$ZhF^8vA-T8Y$i5{Ps9(vl$?epFCe|B2`BPo7|6knr4OdU+joRmk zaUWr%;k1FnigPoVeTp5W=TJo+pMx`B=qrGNln}#hPD->_`gLaiHhFCP1o!{N{a%fS zFRneV|G|wXao;2L+QMrxx8v@&{Wr}C^kTwb$^Si}>!%2~1uH(+*sTKJ zUIh<0u-Kr7FO+;YkBP$U;p9^}6@u7&7dyO;-9EWhhNxfrh0DQS61ax6rRob*;NkTH z6K7bRk*nWnV{R9Dp!{%|eE7V=U*A8t`CnZBw*G$^pp)GJoj&;nu>6R_=H3HC)aFl1L#`+7b?hm?Y#r*=Vq_J*9H)cnDe+*hBvz zFbu8he_4?9zbr`lUsfdjFDsJ%mjg-v%N+ati0hx(w@#HkbvHr}Jmu$`o~yujtC)iH zc@-!WZF!$DW{euPUF>pKQv>S{uWBMIRI&U0ap!|;kNY0St*6Dc$DKcJerG*?76WGb zsRgrHD?}%JO8h>DFr+$@hwBjEAIdy}4<4p!L%PQix0o3&SjUqcNO-af2~V~r;mNin zJlT(gC!1p9SGf2d?)$M^`ki?APBV}bRZj2t9p1Acs(Fh)m2XM8Cn}VuEM`&BQ z3nKCdN;Oy+ftFRlszHJ(oEeOIX|Tx{$-cDPFp30>4R3ojY328l*vGaqtc>Z>Y#>NlwM$q@!nz!4|1}VrJ zlrB-|!(0XV@$qp(=-ZTC#lP7NNxR$%JAKIjyZ#FI{I27Nf3DAhd)~*V#!e9K(1R6C z=fi0h8o2oQvhA|KW|)}uV|yC65y;f9M=$l$g3bBM1Fkg6*nF_K`yZFT4i^u{jmL2P zA#OczisQLf@mD4we!zG@%F!9MZ=p9cxoZLjQ9*h13dTU4J^Q@vf(J6{p+l_YRv>XK zW`Dc2EkxHY3EWw@_j`c|6|`mGvqdt0;E`jq8VeU(EWztMI9ItD>r zn=>I=^xe2Tbq1t~zfOAgdnZU9V>5r3oCZuXgk~MTY~U;1=`cTd9PMIh^k7v|fE$fU z6i4rgKw;CVp&&&9Sez5LJwcFz!B=bjHL6lXJUL0|{tm}~y!|?#um?%s2a)uB97*~< z79@QiMAG-M#r9W!dp&Xem88v3z_s755S!ETDyiEZHf8&q_KFWgf>NGlCdCeLr%k54 zW!f3?&BrZNWP-8(UtE6Xzr8;Hj{iTOU)=rk?|S~v>-q2c{QtW?Jraud*opVI&}D{{ zB{3sls@qsG$7l`Pv{mj~o%BTSS5u~)Zks|aUEcS80c-fz{@?ZacR&33dBMeR|2<#- zp0EEe=L>hg;l9^!>j?{V#C`lkgV2gpqJ8!EXrRxhN`-2B#O&(u@VbpReA?DscMLg# z_Tdsnu8s&a=`WDmIb#S4Vh{Npd1N5eKRxBgK_dR`U>;o5Yl?QYWsTQli@=9K7rGoP z4Z!X1#?7bW#&5XxxcLHHd<+*Kz|AjTzu)w>cvS}UMOL)Jqa9%LN0tnh*DmOUpV75j zjJ}Y*l6dX4d;pRR37hYXrG>xE*MXbw!#yv!^Dl|)k8HT)3JoV!vqOI*5_w>P9F|KW z;Y7Sfa^;bDXuSI9!kW=`WRvMbH%=V@VMl*}UA9H%vhJx-`?$T#l%Zs(9iE zmjP6DTxsHwlttBEOmAPf=);esc2A~eY4|#1DT3SxXz$H8D=NO~@OiSQW!csONf*z4 zkpVTRDm*9qvQ-R3QPqoBZ6cpU)3^P`x)LCJtG?KSoB+ElHIBb{>4dINsPpCwOM+WT zg~hQ-MQr_FTz(1M^MdQIaL32R+i}Oo&Hpm_iq_mMNI(je2is#cykYoKUYx9T2uwyx z2wu`nM9OQP;`*Ke@NGbJ2fKR+c0K~PUKAJq$NgSTI#Kf8i#90!xbxumej`-;f~b1^ zRULGLxal^Gs)C`Ol@JfV5wHzRjtFq8VdF)(c>A@?xXZ8Ejgf=%#+9X{WSB|P(^T*-@a%?AE&_fIEOVxcmXmipj?wj=i2p7M_^*^}%>A3$dF8+_(Z;QJ=xb;z@0XFl8 z$`xR9oOb4&W^^locuMiD>w|!Zz{SKw$6HeP@0fLB~C6j*(lw=;H@p>zBm3OkBMZX~8q? zZUiMn(QvaiV2~Hm#GH@*iW3Ksk#E+b-HNFCOKjlCssKFJzD!M%EQnoifE#a29DQV- z_reifV>(1zc}Yl{SQo$+13{G0^f+T+$gm)@E*uZ^>Y(PR~~ z#FJh~{c^p=ke(%koP2LZ6rll~+%7jses3i6!0y0JBERI{w#Ur};oiTv^T*ZG!5ts> zKEfRzHy*$p|6lw6`Mlt+KdwElUgtmE9`}9v-}b#9f7qS4>~9WI)pa@LLLR7q*HQO~ zqa$qbzhfgFX9D}5MKisQHv=_UDjTg;C$wJQs6?u7R3_Co8k6c9eMt35-^Kk@Ln$oC&S5as=@`jQnwFeZaa61aW zS3|AZN$Mu{mT01OQI@6E4jQ_Co>4h!4ZY%u>9h?NsE^kDL`W3__V=#$r~G-p>Ob9H zU3Ko+?L~K_!x_(95uph0C2zze9a909gkuUP&#J(}Cf}$jA-}%33 zkGp>;VDI}Ma+7{!Q0)Fc>$TzD?`$X2n)};D;O3rQgHU;4&~KZ+EM%yIqRzRk#tREV z!^K{Oy|FxKx5*Ks#@B+Re#1ZKqsEPgaqsskQ&8#uY>jelE8~0fG(oa?XWzMS9Z(B< zU^Bp?4LcXs0!q(Yqa>DAj-M;K*nBLwcyDud*S?D%RZ(Z8h!pQi&{K7{`r-wqXtZ=Zt1w=YHF+b1LO?bDI?_BUYT54h`z`@OjJ z*#C5U-1Wq*hsVVOas4@Ne1&U|`~Twd2^X@~saKsbM2;-OpUcy?A+lNnlhUam7}(aJ zd#Ni7c;$9XQpg3M8SAOt-+V%``EL(Ny!yfup$jiWCD=maRiL6OYS%=g4%A)Sca^ft z2bDw&YYDEX!}F!t4u^4Nh)df(Nj{7b1@Ry}0|0F?2C?@vsTJw>x-s2U#5IebLe&Aq6-`? zqrPt6WCd+`?CB2eIoF>A?mhv62f7bF>mTG(DD?ksgc_iKyRzMuDkWYlNam;XcGu;dl{*QgNKxH`ja zo~(;}HFgC)ao!9wjW+`F_er6XUscvL4swB;v()x#bq>%G_wN$-mPS-7AC}qJSpnA` z_dMeMznc$fM(O&+BWt?pm{-t~Mp zBK1>SllrNRNd45tq<(5gQa`mCSkij(xgOI1p9`HOt?XrGi zAUbo}b}U}h73Rk{o_G|vfjW7FOU9`%bZ)~9udI1T2wr9EcxS*3=?|_ql_nS?g@>ch z;)!}(HiOlNGcq}0V)s@)>Mk)*m)gCv?h*&~ex6nwJvo<;V5*9q+deTC6>@mqd@~sU z8{PJ2>%8%U-fUwOgZ*BUJkG&%i5Q=F8<(WY`|?6LC;jNKrZK9c)IHzhXN(4K`Uvlq zU)KMz_%6kuK^t)O$Z+|KaPy(K{q?x{pbuU1W3-jVsMd|}wIs(KVYy&|o?58r z3%@Z(DyF+46&?lyS82noF(ZExzVzq#31PdHm7+8o*wrSaZ9UBnlm+$)F#=lX^LX5p zR{%3;$Y|W7soo4@0sP0f3|OIfcBnpwK!Ez>fs&q0im<_|*GEp(8SSq1Jz9824idsj z3zsYi@JxF#>)RVy!1e#Q|JV9?R|3VdhT*s3k}!~x({y7^4dRlhS00TJKr7)m+w!zD zluxUv=SRCC-2Bvff7#ET_5QMzp7s7RYEpmMa?g5y+4r9H{xT7Sd)@=>HXN$+5k)1u z7YZ`R1CWCA`4>L*4iKWvzHbke1MsB3*DlL-L|Qy0B~OI~2k8c}B? z@ach7-90j-8YbVSLvIG@`5&9Pw>Y9J6%_^Y$rfM~nLR)-4TSfhQE^mc$!OXciJ0&P zLe9jhmeN;$h&`U6xchP}x<*r-P(=|2xO(N`(c9iNmnp*$?hJYrc}+wn@ic=fi4VO^ zIFjSLLlL43e@NcyRYQAnI^wRTDPi*~uD@SYN$-~c()&e)^nOt#y z)n_K4S{{1RPMerV;Ms4p<(>f)MYP5rQ7|I)&;I#&#Py%J@jvcMBR+<8{RX$0e@Go)`9FoB9FW!6W;k(@LY;ft`d5N+80ca#% zhbXd5Wl61~h~2N}a_G_@NYQRc$l4R+BMP)7apYQUf&I1eYCKknd(CL(HC2Tyna ze_}0jWxpPr*aXMz7(9qN8nzi)VFtiY7!!Z%N7Ri{RcV^&kp{W9FQj=k2}8G1rK-+0 zN3?$=Bh=xJB1|1^J1J*F!0z9~jhArWBkT2q8t{DDHZ|s%11etZ3CxRi0Jh_i0Zb27 zi0d!I`IN>1v1qcc)y=3uYp=qM3rPV`vKDZk`L`!XmireDn*>7HON%Sojyb6EoqwPj zl^;w~s&rQodD;-=$M^VN0H!@=*qT?DL`|xK?3t!V<2( z={8MXwLl|Ofp5&mOyKfc<8db{Ge9lr)wa=2sM7zOj4GocxM#5s`@hgc`Y9~?65jeD zt&x!NqFH0OB-J&(v|tEq)}l@eD|+CpA=DOkK_C0Q_P71Bv0TK;%D6koNq1WX2&bXE zem9m16?ZseH*-Nhi-y9&D*XIzN5w7Ke*#3s#UMXFW4fLio>pv z<4TD2M45)}Pc_Ihx|(Q{tO--P(c@e%j8PY%@mA2912&#KK9g(fHDQ7((rWaMJyQo3 zfkP#SmbBnIH$#@iMQaoUP4zo3Yraa*7A zgaB?lgNy&*&i`YgY|M2c9+ft{nUYo44_ReapMJDc9mr%iSQ~e#gH%OZo#|H{P@t^3 zld@R{+dtsW2RHwPTaSH2#4o+!5j$w)Thxa#u)>g-O`2Av5CljU*fkzxfsEJp98z4^ zAdc}+OXemWbn{^e=kFN@;Jea)(Z1RR#j;-07P({xSA!n$jz-x*>zAySCamU_y1#(9qO!~YvVvs=BQ=d~ce)mE{ zA7az%o=0N$7vSD6>v)1T2~Rd4;mPVGJXwo`CtHy4WO?lT8ZQ2Tiw|^h9&o>S)d0pi z#D660W^Nex%lED_C}cGfNlE5un8_aml51$OA^wosC*WAiEDt|#t(z>Q~c*VFPj z)wNqYWl)ZWR5)cRIk>3k>(ATCATIvvN!(V_kXU`)Rz>Zx{`e{HcJqe+SD*3E`Q>ou zk88hapw69Q)DEf?^?r66Sb>1!+9UC;*2H@KL~BR3c=R|@CQG))4j!g0yiF6b#onK| zU&m23`E%cVV29Byq|PXG_|8}aF7bP@8a8D ze_jsN&p7=)8>;}_jgDnWCW_E%uc*qKrG@Hyx_32`p31>NsnFN7UA%@tYh&g;^=9C@-=Jty)wSP`k*s(R6A%CM(d*pH8a_wZVzle zb6oy&-2UHny{8bw^^)TPrMNzn=!LtU9VYgv?pP4hAQ%AKh`?^ya|p=A%;u3K0_i2* zVl72O^wiaX>6|=~_v>K${wG9y+3Tjm2`LjLI9Ga(AY;1`78JnTx1yB`|!STn$8UI6qp{&Ove~ zrX!~F&%xyvUatd~($QJoHoLYgC&*atI?E_i2Tv>qr+VmWq0}03(K$azzIB5Zk~m*{p_eg-gwG?5c}L~YomJGiw5CO>*Zp(8 zWnBMXsh<8S+=kdM+|t79x>pShaxM$J*LIDk`;IXa`}1XJGMUZ2WMFz_YeYc4K4Kd;k74hXz_zCh50kqj zRD<|CFTR`hD1ry&?y8w8rJ$I;FQJLH62)3{J7m8%f^Nfv*HTJl*!jB^jgSW20a2j1 zkguiJ;EC>Y8;@4K5&|iM^Q-jTT5y2ZURy+us0TqYGLoIHk6kZ~`(DmJuA~1cE)-ep z@4Z`OVh6{^C&-tMctcwOu}uXL!S>O#U%v^inZv#LmDL zCceFxl(Kb(vQ@@g4ZEzNxJ>%-`8r1=(%WtN=CLKh?LWe;=fR!7)wq3QM7}+ z-&7SU)+$c89W@6V=EJ!say3D&L@^-2&jIcAy??GCKnrlkXBfJ@mXH<*?`|~QEv2&q ztt9oy%hx&eO%y~(`#*~0AKXd)!I$J8JW2i` zhU6c-vGJmIIU0R#>unI7;Va0ntsHr%^qCE{Z39E^di}jTNw6`wBW3h+7O?#2(##M@ zz}8D$Q#+y8rt5G`)eQMCKyd@qC5lw)54U;$akYmk!=%U{@GyUy_mBt zwh67=G<*FE*wHdirhsjyGCZ8)k6otH1-2QbKqWCVv}xZ*{l?E~VAK~^W^zIk;l{V0 zH^0pi)R2Zo27$A3wYF&TL&=mkQP-#B$o9bgSy4#)>>+p8S{%IBxDHgri$Xuo0nQ&$ zdSEjn5%$q65S`fEoPMnXfmG3@Pt3|1@Pg-RNBoo~9K3Jdtaw%(YTe$wm7C^*E%LJ` zz8oVUbF%Lj-kEPEQd^x2vKn9m&-xuU%99-M?bH}^W(yk#u^GQJp-_X)fDZ@K&Jg*< z2U1m+8`NQ?ReN;%0Rk}JT56C3B@mK%oBCUYfIWU7EklsHmJ#uO=UzNi=#Bakk2&v| zHGl?MNp4O7LtriBE}J|oiUzhk2qBzBu%2HQBIU1*N%?CLQvRBUl)vU9<*&H`cRg|Q zYp1VibPaa1!Q-*PbN!V{Xh%ShcKU&r`l)V#!xI5a@UW}@+=fUNC|cI|kmt-qn*X2Y z-*Mwf-26MPeWkU-D#K|j&>olRK2{ZgXy^F6Ja@Z51f^lqdn$8C>-~7eLd+5Zo(^kf zgCmmQaiZ(|qyhRRdntd(sesnLJeRM;{AtAbANL#L)j=K<-oA5Jh0xDHBUJe|!G8{tfp%g8RL={jIq1@PC^d#+eNt`zLkqPh1M6@rl4Bt5nM0kGMi zZ6?fm0L~n%pW-}N45lZtlbsyfvGF2Yd=D3I!QBtI{e8IkBiwo?-1+0a2Y>!*dJ<~6 z7mNjb1*OlYqmFhF_5Eu3;OTeUtLIA&x~pOJBzA5OQoGhOsw-M@g_Kehh<>Huw{ zPT-Yas&HXa%A;va6TFHlqt1L&2V+0?NUso0pi_T8En4A+{l3Os|MmK-Ki40`eedJ` zzqtDicl`6`Pwns5^hXC`?iJjqRtJx198F`!-QJF5 zZ%(qeC)qoY?9EB`acJG2|GEA(uK$UE44P4$RyDftslP+XY+ya zwJV3~9rz$MPRn`&xh&%5e3rXCT!6&S_UHZq_kLlxvhVJFwo2H?-okGFrV5xj1D(bv zijl;yjf67i5%i(zW^jsa8KCqV1D_xZDW#*5M{#jzEtuTVm@)|Xv}zX^WFpbz=XY~W zYvE|)!@ed!;Si$u;b!ymMC|$m-2H=F50*B5!mE=@0~GR1Y3l_Y(PkxkY0neJAl{#z z!%}Gsqp4QyzZdtu`=@{J-=2Sf`>#HwY8{}9vN&7m zsty@Q(cJZs5~AsLOHZNKgzr-ql*JV^p`8Cjb>5l_>Any`C%XeWee#81`4NZBy$8am z&9C^UN31ZcEniBNeJYMh3yvyH&N7zu^gK6i z>>$=Bmsfw(x~~kf7Yd#)a?8S;>ca!K*W^k3&*4BVlpLOtw;dh0;pVOpoCvF(rE;Ii zLt(LZalDv39L#QAX+9>9gm{V$SRfW@_$K{6v`xerv8rj%x>3o3yfx#IP9krh=?yqf!F=wjOPK`pgo2 zqo>n7@=O@I5<-sND%VfDN_3|6Hvj!;8ItaNo^a&)TFcto!RlWMw1Qbmx2uAO%Vci|LnRR4KGQ*hKr-f(JB%2l&hq!XZU8RL+B;91DnNo^ zL((}}V*NbDhk;HH4U{sHyL62@mlRL_d4B<}zZwy9xy0&|hhl_9B3CAp!Pudt(&bG) z+8eR5!)|{HbgsVH5N(hG!#kNu;{;N{l5ci_?-^+eSy3F`FEb~n`bORd6d$_Ax5E4A(sap z1yLY4;HnwS83$GR`tQeLBH$B0$KI5d5N!QcT>p=|A8_#*-0?lp+NQ~^CFm^ep~^!{ zA&_0jC^u>r3UfoV*N1JkLUE7Y>754QAS2(P(Pt9}U*kChEEnt$<#p?Khqz5qK})~Y z-5f*saM%1CSsWug%iMcpfV z^c5c{IuXqYrJh>(gFtPfF2Z}D4x4XtY_vy^!l3}H6_0lv*V>B+89RP=3FJV3(9;_w z#W|4ZY(2*OXdj}NwG)Xk%7Med6LKf78bb5?=*s7B9MJ#6-h0P${eJPo5;C$WWbe(} z-j}`i-kBjITOoUvN*Sd+Br8OS@dO{S-0p_PYMl z0m9O&#-p!V!NxTAYS##F#3SlrsDHp3dg{dMt6tbamQla4ytpr-^1e!Q;f^?5_ohzV zL$TPNHb6%Iv4a-{ezCLXG8KZ(hxFbbViZvOl2}F4GXd=Lf_uJj@m)LSxZfQ$a0U~@ z19FF>{n3wN&B5&_ZNQAjT_w!V5sn9yKYeg401ehknwt(gVf&M~`-^*j;o{-r@>3%> zZ*9~Vj$B{Y$4jxS?*I1}%z{Y{aKK<@-xGUZc&t5kdsmYU*pzR*&pYpcE=#`UoGIRc z_N=2pJol_%`Dswz_6{33*3q}ZQ|kj)PrklYf58SgsQR{@Ot43|-~UVhpXHy&{BGps zUVYRe#l88<%T+u8R>`h+of>E(q4BK!ae0UguY33wWZ|LQ$bI!Yve@@&-F@drsTaIK zwY{sqSj7zjdP2T;Z1qR)?Q;cZl6D}yN96JpxgL;YT%$rbYmeQ}e#{})F@ePg1|HP3 ze_a;~PbA(Ion4mYNxsfsoPNBbkHQDPt`{3tgD+aFPXelpp;s^X0B)peE7+@^W0`-FxXmtZ3m4Z^2nJ}SxMl9iqQ$_7fAvT z#52JZuEGt|6QAs>Bl)3{vdDF?i3hv>f$;q?)s7k=kc^IKdgm(wGBP)cjTp?(ow!4M zpO5l`f%`4-e*2USo3GR>8qOU=KIhoupKOSNU7oI5auwMSX_Q8Cd|m|9-Y8u+GZO%< z%e$54&I=%y=!c{YZo)9GN0rgAT?oXB%9Q4m^|0UL|7-j8Z(lENKgjQ1FK)f-@8;+4 z_xo0A&T&DaeYb`+2M;W1ZyKy3)Z%)^?q-qCr zN%#26<_AG4Nhq3hsH~)ys|6lt5v-yQsantb?CJHbL2zYjyW?*r4(ec@UG8Jmh-Sm-;m@{Py#LyI#&8 z<+tuW)Ipsqg&hr|ve0@mnvZHo59Oq8m~?t53sh%U>fY58VBa(s=S@F3Z2ocM=eYE^ z>-|gr|L^nocYpuc{l%@{`z!x{R{mo51;Ybjb?#gKeHImOZMgM@<7r%_0emfS`3Pyl8?OT^j_=25#nmBT56m0a8KEKNO*%Ep)~K`M>?nDdCiF9Da}_gd zg9-ydd#}ATlwD_tm>XQhHIm*HV>&7chxy}w)OyLlj7)c!m6iy+QmA^{!EcLtq7>A~ z9K3*{)88a%&JmQSXgV+Y1VO6EkB%=N+(BvI+f&@5c2M1Wv2646G=y7kAmnQ)N1-bU z5A_(|TuTr{yuO|ZcRhrl_R`7F@@s;?(b;-z+apEfxP2$rV`Uz==wjh=ImZ~9lT2)K zG_)aVjMVRorwO{#OEMZ_Yy!7tMiR9|EKv&8@x9wT5wU*h*X!XwHohxM(Ifzy#Pse8 zWdrntc5RSu$kACK+d+U5_E#`?EX3gWTxd~ogU8ovFn<2iTbl&Nc6P(>jt zv(&9l+9-GDsEu@%EaaW1Dhih(!1k&GHB_{+5E5Jci9~D_pPM-%(_5YwX!l&vj`_?7 zlJ{t%TA~dQkBag0;e{Wo!cO=sUlz07+eNq zs^g?0(B~N&ciz?CNz2V!Yfc-(&g_gmlh-VX^MI5f9L_nG`Pvgbc8S_+ z8Z)3}d|hPfrJ5TU5M*BGkU3$WFI@b5-1A7MobO6#;)MQUTW!84n}A_-)5q9F9V9!W zNIl}f0qXYq+DFXUpe(0Q#?PG(yZ!;U{v0l%^<`4so;0MFGqF^>C5O17#Y{q-yZmKT(P?ZSr5H3UQS^7^<*wV*0| zd>F4AFQEVr-vn8o-e`ng#_U>HJS2-fUkum&EPr5(X_jMxij>2`@!52s_&K!ao}U7` zC@jzyR80%P8zrc#sTl#rHA%A~XaQG$aO>57H~kv_%rL-rD)t-?18{DN_pwS=LVG^) z6`z@$5>Hnocmd%d{zez^7=_q=?kbTvII!VAx;2n+y*DYm_)ufb4!~Q9C81m3k43n}ZmCI+ensbfZb5vRW9+$tf^-*@y&o zooc6UI0+1W7mtw+H=w1LJXa>}`ofnD%!Bh|u0Un-Vc4t58@4k>-p@76M4xImEd>ks z0sE0B(^ZW=@Z#%(w2DS~IF{7EE3b|KaZpIT#A%OMUA~8Ri4h=}($4ekb~$+cH99La zLk{~rh^r54^y0*LsSPn+Dol)*iW1|cdc=4sFW~k|E?Rbdz07k0J$IYB&~rEyZtBjI zQI6z7P~;_Q#uql=t#hJ={%j_AK508uYvYam-oc%Jii>B3JO2*1J`>lU9PQlxoKH6y z#iksQ`7RL(?Hh-`u_^3EM`bC_@u~-{*0JkuNvDhe6J6H^OT%nze0ALVUhN~d*~l)K z02uUAd{6K~@tc{eZ0^{=j!BWWt*0%a?aVuOr(SpTUN+^(83{8WaGmbqYl?zu>T5Sf zNsLg2q1}bfw{cKCo3nYSt^nP8pC{1wA_ndUP>@HD!~yO+owaz^uj9|)>JRSuvfTac zUXYj?0DKVSeHQodFbblpxPG@b9b8&1hNDvVV(S~O{l|@GuK8C&5Mnvh zDAphdjXz?J`6{#O1Dc((X+VT98YB+3rX9KDr+c>8)Cm1!~{KjJonNXTvoycho@myiKb zeB{9=NQ+@Zr-ESI#&B4Y?A!3d|2)FQtGSXk#qxAY9V|~BG!T!HLmtV~qsFn;|~t0kWfI&dfDsh+1ih%Ct`kuqCDw!aPa*@O1zB4?-%!~4~_Do5VcezCRy zlK7hsQe`}mx_nIQmwN`-^DJ=VpSboG*FMnZFO@$%t^&qh=blY}QZCD`@1735N@63Bx zkj>dQ43Ag)X%40Nz$?!UKGZMwqEyC16|}|vU_Ev@ ze8+h|NR_NO_)2aYB&3SHJ<4nhll||bABF3#j;XviaLr2(<&h@Zd5EYZmPK~o-K%p- zZ92V-9%h?k`_G3NQ+u*D7y<3c+zP5H9r&g(wA{bR5ZQ?o$ev)(Mj6kK4fW3G0^!g&Y6DwQsoJ$EE+>_$|12^0;{Kk4hQ8JmoqL>x<<^Z?qkO>q?e! z(Q^ACiO=bVpZ!%-Emq1Ob>JYdG~9>}s5pu3AByqR)H})&(E8FlC%wA1K)j&csUP7& z!2jTznZQ*UbZjQf`@!-m9-dk&1!W8m_IbqBH(Yw$dNy4B(G{g@$&=m>^cHpb9~v&8 zI~h7UN8+==utaK?^rLL>h1cYV*`i@qa!4~pEEoHJ4Enk|s6tN^$T{*^x9^fi!qa!; zu8@kt-jZEi_U=N^)5L2rU8sN}D=a<}P6=W6AK{)yT=}nk|JU(GaOIC{4}bT1*XHy7 zdj1QSAKdpE?taY>SUz)aHUyRFQnFLs@-SEKV>3)^2CUmw*c1r{z(093Uhe)X&QDjq z{6K3Uwm*!^5AOcrzE5%a!NqgK&9C9!*SPk1Z9cU=aXvLSaXvLKaXvLKaXvKbE+l%dLfDOAI31|8j&sz!#04>U!i= z9s>zi?kRB#sDNn5nW+=ESP`Q;^UDG$72rITcO)>!2tmhgXC*H&nq?wi`6H=RN`X-j%wYkFn>PI^Pg$htaS>gs?FkG}G|XS_PcN|S?MPe%%- z?YWo+*+t+>{Jurm25CsE+ZA?G!Uhp&I>*dv#eqF`HaGW(5ZIs4J@&y$0o2GlhLooW zKqqpVQ%Z_}q}*i_wZkot>du*=N3!zp-7O(0Z>KDF{Nde}&ix%lns8<^eAXw621S3d z)^fS72WNKu_-wQ0O{C@d`@F2`UMpYLN#^R4>~a8ma2dApD;)V3yG^;-J+4D)v~i{k^7$v!jY3HANj(UfmJ>V5PfS*EM*OO2QO{ zZ!qtA*`NdQ>rOvqA|PYPYXyY6GtQ!Cfz|y)}DqE8y6t9OSa$ZRmhx z7{vB?mQFVYL*|A4;!>I{B**SnSo=N}^h5{gUfO42+Xq~IK1#NKPSIQpUT-)QVt7y+ z-re5!R%IOrh+J05Z_(b0*c~f)jZ1Z*?cB|N8(kf2e;Zf-as4se@8j-op1;D9`e_0< zGeM`yaY@*5`d*Fj7k&u&s2h8T)&e!~(23Qnzixl>o;U8qqWEvGr&^N_2{efJhWgr) zKw~oHs0OzX5}tiV7~c22-D2D(($HZY&>hv5Ose|XZYuV9{rMb4;Qp#P<;+KbVtf9r za^GB$Z)|yI;B|SBSovUCp(+RS_dSh@saNw7nDswv^peDSAz@;@kPWe3NSs(NBucCo zB4GC~SO%EA3Padw^_N!0)5{c)Qet9k7QS{pXXTOwMS za@O+;DzIFpOYX@hjvXJs<^O+;9`}C#-SXi)PiHu0w;h7WYH!`R83^&Hqj5{`cKCSv z6tCIl08}8^VBRMgjrM$_JJ)6xOaK4mkN!RK z!L=v7T3J;awrYXUkR=`0DFvu|s4<%wqYlS55EvBbw<6B;9rxGgD}zhuJvHWCN`LLi zzf2!+?GLX0;C}yqjee~@(4L5|rAfrsGAH6|=@Id@w2Amy+Q0pL;npku?)}2ekKp3h z;qw3AegD_%4RF7YOON}$!~H%kz0`D_Ru%fgVM4-S{%3DwurSAT>xL){D^0&1^0Go^pGlr@HrPNz4&f;suPwxrRKLg> z@kVK12O9(HOtH@kZhQ$>fBrQ3KkdB#Y4X9n@7ns#Z7Nxw)h(o@x!39IX!>7lR!~J}G)|O|(C27+t<*Dg*w4)IXE&GNag6 zG|SDJ2>blv@`JnH|22ACeZ#HC{$G>l?_MwNe&N#N)=N-Ew!YWiuK=<-Quhi|H^Z5t zc8PEF3ea^`L*!kD8DcvS{ga+!LCd}LOy2`}DeU|UZv6oEduN%h;j=b7Bo5ptKNP8l zq@O(+j_Bb4^R8nh$tjy*FlPrRMT;OPiRSD+bA=VuPc@t82Vwu`7+;>^BIKlU z!)IY43dkN#4>H8=MUUNwdb!-vu<`I;l91D-9ioHQuF2UkEe^CxA?E6ijSP@8dE^+~ z<&EHevCM{{iWAvYonMF+p~mi)RIC}Q6<1|PCtg3Pqlr`jug=8_3GdBNui>TME99!+ zqQ|oI(_R$qxqe6|b43|DKi=XSwa-U13b9Aqn1`vY=38GIU#QFS1byw22cC3ZFmzyh zhxd8|=;p2<|KjF?%|CAc9q#>t`~6oF?>Y)aH38};2{AG%P@MlfH{rDx8sG73$A%xu z@ZMYc+7o?s_%>Lq=e zYd}6E@8$!(Vv-chA01&y0R}LvZWC*6I(1iTE4hMEngwBL0RT5r0FGh`+G~ z`#j?IbK%BM7@ipH|9mD4m6g7iZ+PPc%XIR?dLa>rY+(JnyVLG)NAZZm@pf-;+j;4Q z`FAgD{-w$tUGn?AAe_eS3V*F5urfN!i1Ju`%;!cyi2rnci)ex@*nP1)>&Pt$4<<95M?HmMY}%aAJ)(ow z*2_=CbKoZ8Ip`Dd9Jq*h4tzvB2QF-T__=Rcnf^N;a9X>`w_Q_2qY;B=XsuT9b-JpO ztStm!;o9x+Z5i^YU8QJH%!UuUo&mSNo{FM4__$*Vq+DTo!`+qy6E~lyQ*|Z4AnJWp zGPny`3Pp<@MALxA$+L%D>n!m-`0MdrTz_?Kp5SbIgW@NtrJob+XJ5s~XHm|!b2m+% zyK6byt{10z*Cgy~yLxRr#qe=9w06JzIvxcso(Zl!$BjR%ceUxGxsU~lJD#3p=uCs1 zL%YA^o9zVX3+($kc>&2+o%+r#mkr+Sw|Bg4PQ#uLl@+V?WW2}@iiFsO%BfA^#=8Qp zHgJX&-3?B~*4N?Uhv3!&|L*=!-1*4o zCde*bepZIg(vBDkQlx`PO%&U9lQi&YPx~C>mIXTuw!Gf^JOkF#Ptq$EWn$yu;GSPx z`ls)1vR&j(MO!N~$g^JrBZ97O>TrG}kQ5Ec8?_~)BIh`ZyA4qwy=b!{>5>6;4X=)` z(>jX6+}Sb?+vmc-(O8=%*L@I>trm4<`%yIXoY}TNdXL1RMf8^gt%c<|3C6_WN#4|9`z71oyn)_EY2f zZ~ZSbEL;cmQE~in&C|n5z{q_h|H!N=EV9$48aJCEA1FV!yHy2hDeAv{6IO)3^#81U zaP{G@{QtB3aq$8E?eeURC?s>;q5^IS6qmOp>m!Y}J|1s>L#eq`Kwd)#ux=e9@vx;n;DL- zQzmR{Yto1FdM&z&r_G>%*V$d~q&YCwWsXpOWdq4UV}qystiZ5*cWcZgbu=x?K>GSA z3oK53-tXtR8LG^3N<+L@02kj9m;P0&_n?EV1(=X>8JrU_fL2mr^&TB3Bsv^R>BeFR z*FLEnIgnrq8>n|QmF#mtxc&f=WSXo_=KcTI% zKN7b)K+e*f%S9@k-@aa4JU3i<;>ritA86Tp(5d;FHuNXknd2qb; zw)?HA4zT_p4WEzIN9ngRm=k;zKymTz@Tj^RSTMGSRqDwAFViu8)h;2prjfeoRlO>F z;x?G_dLRMxZXVp42ZVvMO76wcUR$C(fBn29xSqaWwnH4&)6TG2TZsT$x0>j=YTyrLpCY8^2ZL64euYlmNn%6z6%B)8SUfnB!z~8e%^d zuKPSU6q%7+Y&f={g;L||H@zVbLLAx`qN<;ipuB=i&(%g(u-`=$SNJUtE=qoAJ^!!- z^_h9q*D>w^wf=9Xb`|ae-1joB{@}(l=WY;~<5%a$NPV&V=0>6oN!jK?()_-NKG*Q7 z^mTQRsI;2UoY4lk@RRSFC$+HsLtOspmbaXKtmXloOhsgBZ7x7|gl3dB#2qg0%(%IN zJb@>{O{iqa17jJBF z#ja1lt*^+W6?Lc0)u#Vm|2C z=WXHEBb{M4zUM&V4EGpa1+906BWpR9rMDl#AzIrjfA+f%eA{$3SU|-ONuBg4xHWE# zUC*=j-u!hu2U{lQCv+sDFywbS=24*rqRJu-TGkPSdy7v(RN7ytgrb-=qA`> z+kf2ii+f+-ejk?}7cU+6`@fqWx4s3JANH?RjBkoW4@6Ala_hu#Hdoy8wA9uZf8a-+o zewS~g4p-LiqY5U-fvPvNU|OaE*a=;ao9ABbpWndv^-+%;FjBDzi>-J4?dSJTlh6Me zKe+f*f0}#_i{-T?*-JoX<#g+#txO z-Tyg#)?A9bXD!SNyUS*uUd>wv0z5Q18%x#Dxs*=oTLp?>eo4Rc=^-U_cmJNu8~gF+ zN8{$RaQ$JCv#j)2O7y`^FMp?$#}+8sO!MfTiXJ*crg6F5QxA3Bap%jCn%7#I`W&ZS zs)lXPaqE-G#JV4ij`)M^{V~tD= znWBo!TYX<`%5pTkqmAmAH1sLkSLerGyg;vID+c!!Yp>+I&_jh~F|-pyk{0HDS;F;nSktQ15~pIQCx= z+Nx>{2S&QjrOV2~xtPxU_Kh;I&h)0cq{6EIbJF8fUXLV1Zab7WYb*=HYE!A-R_hbi z;txV#Vt=OV(*rT&bo@;3G`k>l-QeV7zAXTC9Avqiy7FkOF-&seG6zIQ@a3_o^TT-l zi=Ev;+~DWDz&z2RkLdR1y{3M_1&jX8qXqPQAaHdq?uIlM3{6EnUMONj8|ycEb|fmn zyi%=+`hWw{JS+4*(q0ja4($86(?uCtW3J6UKB@?~`8!r0~v><2| zkNWKA*6s#o1b26Tk2rl#6UKIyk&NHaMjt;}qL>#dC|2ZER6MB(ENK_JRt0Foz3$}C zZr_bi)?L8`me(c_loln$^}q_fWt6_>by@qj)8ocB{xtso?fl^C+rNFi|91Xy=QEaD zaInl2tHBYQt%+o#TyX2VKU3gNW$3Sab!+_rTeN%p$_ zS(o2XsYBbFQ)%x8RbYc$<@Su-((t%`rcAW0#JxTt5zL1 za-8nB$}QEwe!rBd@@ZNnZbc(|?FrA!oRRsHV0Yzd7bG9A@p6XK87M--zuDG#0_XXX zoeAsRq5cwwZ6lWkT=i75jcznT&uyJE)!r(Dsm^|B(Q-A|boiKF)_q-cZ7AO8+Pap=vXe33(Y=c6&jvtHmJel_3pnoAAf?uY(F zww*AWnAuBDF9N>K!IDfON=SMCw9M94UT}S;^jXzk9v*}pE>FF)IzQ~I|MySN<)G!g zMWXOkNnkz4_b#YK2-*qx6gqPf5OFNeKD}QG>Sw$?Z1ZkHi>O8kcxbIWkdIMa4 z71y7{3QSvZN=x5UA zDrVM($0dhJYj)1Jhux$&zF%7o9c6xXL@`_dGC8)(w#qMRN%WJJNIsTE@rtfbOjqZ) z{H6aZpZ~W$;Px;7)t~>f`h$Dl{oSvBcE51%m%sA=XXXFDCQn>^7+m}CJ#aD6O-^Q54`)Q~3N_ zF2r*vCCU`+gIJfmOJ>eTQKA2UFLl`-usQQ1lR&i(8*eAJF7k`QTLuV7FD^N6K@0ue zjAQd|awt?z^3}HiS{QMA<4Kjv#@niaC=*$hWJ4NFq#cHm$+LDq|~HyYD737e_exnTRRh&6|=LKQ?tW) z-;d_Ieb|9@pi|>TH!D!Pu~V|$(n7fJ5nTIojnZ3Iyomv3l{H=#rK_UmoxOGY*E7L5 z9dqK0Gd+a7e4BhTf*0af&OANRM*rLM#kl@6Zap?Gp5%e=IU%PqjNyKnB8|bQJvtm- zlhuD#16B;bjyh5s!0YoQck+MOqX>E-AD4SKo;)Q!?K!3k@d}@JNQZm)d$-o6%KC! zkFgLV{c1MwbjqLkDaHX8y_fH3#&f~i`63~n-=FPk=a-*&et)*Fo!^!Awe$O7KoNwC5N&DiYqrE+j! zdVV&!iVKyeURz2yAP;*sg-i`85uhkw505sP6r!LM-MQhmHp0cT!aa|(M>7YnenKdj z{u{O56bl^MbRi)!%(D@5zN@V#fl$M?hK2Y0==^J;PHCvo-d z!?O)dJtx>7= zfE7|QoS&0NGXwh;CM`R9e$?V0<~6*+081p4Av5cQP`ddSvCupw;{EvR_2hnM1RK8& z$wNm?`0XJz0z4zv-0b^89{Qh@tsjk60_h_(NhkUUa6>#;+@8`N;jR~#{#hZ-xf|n5 zK2c+= zrVqbEDKJG+k#hXdVZ^p@uxO2`};eYeIbguGY)`Kkr{2;`>*Y`2OX= ze*dn;XApFh1s_RxYlh|wEtC`-b)jWHO#&5_9`HyER60MhK~MPvJc^qX0r!5KAYaGX z-6{#L?c*g8Qer@sDw(`V%oq*6F>x+376sis8RQzv3t9;ju~+29M6ur^xcEP(?>t|s z-ysB&;oRRXhWMeRRpYs;hBhjCMp8ijln*|Z%fxM;WJYH8I*JDv`LX@awe!M2oM+8I zoM){_yzgjWZJsqFah^3TOr}3lA6vx*ohVmb$cq((sEd*m!-A%06OE+z>}~-VnC)WJ zJ0%R=T~7;_CI#Sy;XtxBhahM&?qU}*=L7wlE|XDwhDdnlX8Ue^UKm?S;Q3A^0Hg=~ zNA|Sv{&xOx<&P_$54XhyNyMmt_Ii_GQ353#fING*i!z8a&Q~a~k_@JY;;TNaP(f~# z?3t6=6yUJ3Us3X)7o@(CGxndcLxtb9?c8YHp^I{CL3Pd*l&KWeD3?Q#v83W?%zFpy z_!}<1&9;g4eeWs*P@h7)x{_HSSd%@^Iwb204|fa1uiL)^ZeAdWZQ1V)wzYeF2)9$v z2^Vtj<~SXsf6&H8Fp>c2VSJ+I{W4&*@mXLMDFLpiNL>=2A8jAtoxZA5q4;0EUw++R z#q|eVGIU6GEo*_nk$bF`?6in+pICt1%yN4{{JQgU-&J60rp|4#$sFC=9Gb)Hs6@oK z`E|Uz>cN9O7rNCz?k(%&RwFL76%|DVc5H^2mItDr+7v;fdX7iQ!w9)d`-SIq%Mrhi zh3#6SH{JWo!RBbqdW?rAD`bgTA>CR zdo(B8W37<9^-N*aaV5Ab_C>Gb;9=OKbh;zK%LlwOiagR&a*=D%+z!5wA`rN<|HOFo zIYi#O?Wy9;gHT8yc~Y}a3Z4od5>%+>MU0`89TGh(u;2KChJce8Z09?3eX2wYCDO*R zdx{HU$KP=A8F2kW+;}gpzl7`GN+%XY*()VMZ>(_jkVif`bWT-S`b`|Lgiv<-weE)P z-!61oYDA;QmglU!*h8`LlyK{5aqS`QdU5%|J-@j06n@VHR3&79@9`4@_4SMGz5F&A zW9x*$oTHiSYncQ%Wzb)n>|samPxUTD6l){9Un93eM?B9PeUmd3N{{=nj#WPVD}6R6l+YIYn6M@F;l5;9L*U^C6dOHmu$ zftJ&#zu|@}+ThbWeq_5H_WnlqR{BMRw}Hkt$Ern|W@OSbD8i#u1tQ%Zx*|d?P?8XQ zQ_}J-g66riokLf!{Wn?xdv?bc_Ao>eCFSPsfll|n=ali6bb%ulbI`hLcn^RHA?CY5q zu~FFgpSb;lf9Wse%-H^a&wu&T2==+CX8EhCgU0La+!EgeV0X(58-=YXR8L7q3a`E^arwdh zKCb+6?|0n&`rY)n@t=o|s$-%##;|Vv+lk6#T}WzBd4J@dA!Jz$r+3F10hQk6S3e%; z11yPIX>tW4T>0bnbBZkqchcpOn2t z&IfKRS$U?Hxv<}}xci0c|KrwIx2#!QGRrIoA^`EeBm0R{Ilb4k&-T zEt`UFIPe(xg@u9mY-nob*G!auai>^WASXP()f&ZR>V{-ptImB7BOuejk6bLhT43?^ z*u8y+%)l?dGVX1?7W`@cgF&vz?WEOw1f__{tyhh9$R?&SoaD76oSScrc`_veLGxt7 zpOTC~UtDCkK1S@1y)?698tjXo5$PItzpWq zxqWip8_6jfeJNV{(vHjjU;2O6AO79)yd)KE_{!E8UEAlojq`~%Y?r7|y|&X7$Yt*m zDsJi^^(xXAu}%h%WH3Db*}(|?ZhroL|NpH1EPT!47ysx4XU>#JPE*)H&l57*OM6X# z-qkL;@39A(X>yQJ1q0O1HeqokN%fD@2i*Mlzg^#O>lyyE^-|7vxMpVQBC6`Hq$N%t z(2eRROqT?~=yh?{yis!qy4~+4)!+voiXH?|X{4YE!Dn$dALXFkN8?{KpZ10?NgKcH z_4Wgyp|J&d-fi%0!pf?p))y+b4?lVr7x33VQT=D_39di?Z`aSr0jg|sB|l(o3D3P= z?vHM+xLSAC1_OD-^}RY@Ns$$cbit{*VB}<9#v(?ZJM)w&=sQ-(l3(a zA&6&!DO^PwrYAnxS4YZ0C1sK8V3Q26#@1!7GfD!7l1+MkjhX0Og|Qvwx)c~Oe$%Hr z5)V&Gi?``f=b^fci;7jEpE0=ReO)cx{cwcRbs%;fDyk_m;l)L|+2F z4HoNpZxX@of5Fw~G~Uw3Oa}g_=>Q#rNJKdJ+#9l`r*TCjEYD63l=*>%6h&D0<4B|@ ztTSOe?E?JK@Sz}w6XK7zI$ob9fX8FM7K(?0a69@^k=HvVU@r+Uziu(szWv#TG3wnm z2)7=uH@{wJXI(Ogv%cbKx$BN3h4yk*pYQ}d8U7E28@0i4&yM*63q*2(}7KU_)Wl&EtFSbln)LXrQ9#4*^0vW zq^c`FW&!8jQTO73LS$cj>vJ+=Cb;SN^*UOo19_%jg)3hsDlL1q{@_G1_W8oKKND1r zoo_$-z=wwq&jpT0qUh2x`!DidaO7;biuG+T;Fh=|ansQUxwc&Px~u4lJ7$NI`S+YyvV1MQP5x1mexI$TrV+F+l@tT)Gvg&9|I&5qm4 zBp=*_dM+P3KuB~zZ;d;K4MRO)=uXw6x|m>;%rd(&f7KCi*Bi``A19iuhGqnxc3*Xe5B8}PLUU8 zfk8>d&d;<7;3e;RS0cm^>1w+*q+L3LXxA(6c`Ba>Pm1bpTh=~kH~|VtmGlrtG?8)fdPu9RnspYRYAMh4>IoUR)MfC z-pDK0)ese()2>V*HCS%hbJQz98(loFeBR4Q8O9B4EX>XaK?p&F(finTV3Il56}~q2-iO2){o)#)8X0&-24%4eh1e+Tr_Y} zo^10*w;s(EYQzZwOMMeO)mp`W8xAP+a`y(IopdYeVcSta6j{E%g)bC##vGxr2?PO| zJ0)5V9YNx7;?puEAD~;7L4&V+L3Vkgqz>I)W=ex9p?-er?$41j(H)k zeCAC~3wH22qvcp-q9f$D(;lP`-G-7*jh`Q`w!yB4#J%ru<%#=!Tzx(kZr-M-CbrAHC0pawtnR;GB-4Z6=>Z^t$PuD^}@z98_d6dRv6fg2yL z8pJFcqX*>PAB_6+q4lF)zb&~TpsK`U7QwdY@YYM>3UoTy@r^gk=0Ug3{GnkvfwX-U zUqC#<_ukyTY!oYMKjt874R1X&iw{_P0Z9{8W0u=?Z2u6q-y9duXKlYEi2Ef<+%GNS zehCrxOP07_!r-YFaw`xNpk%PArFN$rd}t;gJv3>EG_4yFJXmF6@Z^uTNkOWJf#wor zwFH4UZ-tdOZ-t#WZ-s?8Z-tpSZ$*GOZ-pBAg=o^iRT~17Y(<$CRl#=eqrt94ACxdD z#K@%u>DC~{S4^Ormz_j2C*NbvSLbtuq$KN^Xwvd^t$!I zy?qz?fO&J?J^pEVWa+c};d*)j@YPuEFJ4&1*-p$5wy?BDgOxWT3%_Z=-s*Mj3o{xp zdt9`l#Lxn954^t7zPdi#eqLPv9M_)X(&O^O`J?>S-G@4;bEUAOK~xr6Pe$`m4e6nr z)D4qP4`qSs>`L9cdIId5=Hk5RCkIm&q5h()xW~H3+O}Qpjsy8uA2VJH?FBK-J=y(g z`{26~-}$Z1f$%&>|Lvq)DeConZWkhC1#d`;l6*|PA@EGuK@*`E^jP3qWoMHE9N5n) zT%hd*ijO(t=G5H~?t2rrUY%}1^Gn37ok)VKck|&3p|JUO`XRRc4oHr6{jPO|@#wAj z_wscq5#a0~QYhgT4Qx|E1J7$CV5w5-Y{t_-SenxgH*QNq1$VN8<64ps?-9o(7z~D@ zJYj}UR?#3>Cw1M()fsKj^y=H(p#sfTIY(j?big!U;H7Uc0y4=5o7~kjVevS)U+Y#z zW-p_=L&A&@-??MLYOvloM`tE9PH8BC)dizTQ zTHl1|%%L<-EVf5;D|+vBt}W2q7_!5^COm7jf*QK!F~^r)h{NyAim-z*c77rKhj7~R zurhpDw<}cagdDnk`vA+xyc!BIx+G%jr2s5eBh4~4vM52cS>G;63ESQ_sM5%vTa{Dh ziirtDjTkzdDO8~*$^r~w+Lsbp)ZojIkMQwaepq*T>C)F`L4<2>apRM?`bnpp?@DOm zg#Kb%ZN4X)fMImg$Jj+3Bs-%>J>tLt>h}BEN6guvET>S$&z%qcG4CU3xyGVHJ3#GIQ{&)zyEoEapi+M ze-QWnZ4YxekrNOE=KGp&Xvl8`@;b7s6rI7Kap>okg0q2eo@wh9p|3vhfPdY+Lhbzs zx1S4lz6tKUl`F-gFNSSH(E0GkDbiOALHg9UtDjwc!T;k%!wV{QD6N_4d#yHj^k)7|#pPmuC8V zzW!zRBkuXa_0Ms?|Cj!swTHi3o=n1Nae_ zT;ytgl(9nv4h6F)iX2k}8p?NS_l9L*Ak};?eYzttAI(Rchs8mhhs8&nhs8&nhs8;p zhh>QUUT6!-Ap>@05T#DvC!;9~)OFUOkxJrd?s{y#@uDJJ99if|cus&l@!YLx6m|$V zK8ZWu*|p)*)!;rKxF9`RPLk^d{3@5HzEei8)}^WIaO{df7mr66-Tv+mN|8l9%EQ|L z7hf889uRK42sgfW*SC+CdBX*G8$Hiy*Lxo9DBjbCA3YCzm*ko5%tZoyM&SAB>PB?Q zJZn$B!vz#_@kX`$Cj+FFMjdhVvm{LQF}-N>p3^#Fv3RZYrZjln%N`5JphXn5UhOh| zl7PEkxcNui^MV^6@Y=AlxI8Ka*1gLfZ3GQ;y+TatB@zYFhWHkFB{ASV-0jpSt%e?( z=eb>9oqvsMuh#rw0z?x0G!Ll}5c%f5m6~%>kZ9knVa*}4I`?_gfL*LQy6F+K`|~Pp z9qxK@`MFgZ6IXOl2#U-J%$~ah;LB3Y(b}5=s3_@FquM12boxqh)1(duX11G8|Du)O?jfk69UEryXg4`e8BnG@2)uV@S=b!~>6qD&76$>z%r$KL70~$^Mi;wJ2ql+QxOqRq_>$cLR)K-#K#<(if*VQ>h^Trxj==n5=g({gLvUO-9FV&jhd#Zc%dw|N8CIauUD7@w=k9c&=1$mhZ$A;%B!X7pexvM{=K&?i1&l4jh&@oIG z;m(nPg%2-

+<7pXcA_>0ImTxqshvegA#0z4qGgefBwLpFO;G z`tT-An9^Ptb=_fv68(?J)o^rsf_=v@+Jiy7Qd@ zw*BMEgG-NF50A?qmmar%0QbJbmB;1eX?dPORT!?MUp>mE3{xjo$@Dptkm8df+I|Ba zcr4y#Y>}-2_u~po<{Iq~u0M<`4{rSrEd3p;pzuB-o9=Re~!nC zyB~4&iTl5}{Wbq-^iculjH4a6p;BUtanC3_q->L4viq)!6dA4G^1HHw+{e4`r;l<% znsbhJ_g6L$^k4Nlz^VWz&X{yi@~WVUvsw>|2W25QN6lS@o&YgSKC{1h5&9hzSQ=C- zjGeE?-Cwxth07l|o-ld)yo)op0X(|!G;UX*1CncUsJDJ&0NTWs*Vz*Kpx>!ZFd;f1 z`vK*FNo*z(}s?*;s}zvlJ^ zB9G#hI~sJ3&~YQQnlHo|sMT6PF%WKe+4F z&!iHq`N0G3ax(KAiFX3G@pqHdE1nQ~^``ifH?D9jh&9@&$rYNPypgzrxA$qhvAtW`KF_Nnb4y=$15aMj0zq|sYzy~L3Z_L zg<~h=LAA_qN5*9pWOT@&`nBpB?!*-ha@kN_sEK>B@!UCcbRe6be4D*8yxO^RF_JbD zW?Ekb9imP|vwQe6rVZ0T{K~zH{BEfbsu&Wn%$lLh-xYVg zaNpOs{v@tEYzow2Ip&&RDnr{{bxRQzI^W0)(|998-$_pI2@TMB;3yZ>sSKM_bTqc> zYhmO0-f3g~gfnB{a+ss?iu-`AZ@f=)xz@^8HSL2@l>+<}0{#U_c1bLzk ze+Q^%F~y92bc4B7!oJ38UpO~=C#_Z}5+!`|D1Y(73&LM^TIKEYM?rBByJgsXp@_&< zSu)`YWTP7eg*msw-d%!XUlPMmYoM3sn-4DFmiv8(&D{spb>0(WrXj$xcz~j!VmIzfYBuz88No)5PL#^ z?`DS+1SUMXJl_+7z9dn}h3xZzNvn6J1E0LG??+ty;NEw*@$J#?nZxt(j%a!EWzYs@ z5kwdCbccwTH!SilKQVq50=u^9x;v3aqE9^R#(_-ysFVFwMUs>$viG#w&QQRMj$4QN zT;ViDlo7!r1(XI*dN+l-#+8~QcE-Rh@r&#w)&N+x5R-gC=>rrl)lU_q zW6+8H-Q?aUB9Z$0dkUfUegO2}Ctlz5gTGCWYY({c;PS_{A6)*p`yH3Q^O^eO`wyy6 z-q&-fM?nFIawo;D@4KTy^?-3}XANkM@2P(MTM;BWr;9`sRNulK>m7((=XP>zC z(4SSSrF}*Ng|05pbT|`H_MQn_xwX2~gQuyBB4iaHxc<-u>b1OUXl%m_nWP*Ef8)>b z)3ytJ-oi=0ABLSzUu9T{hvkZ)sAi5_$dAe#;@GSV!SSQyv!%&sg!kpmnBzt0WBwIc z1rY<#WOFg}+HL@KS5=sdYW1OPHiY}y78`Uo(>1Vhs~W@?nvQ*3n}__j?Ni^tdr0(Q zI_T{1Zy`%h0?~RV%jwev=)o_`{@Bf_KUM7VB^!`zJGD;bGTcjN zS#x%e=Z`hk=30-T9!*v7TrHNpX0HZUn}%L>mKY*CN)E3ttORU-%+&YQHo+-xbm#E9 zCg(Lg;hOt_F=R{pu&8mdacR^57|GArQ#By?&Hq8JB|;x?>+NyraqR~eZyA?AuKnQB zl1M0+0q>C*>YJF^kJqBlQHr6~wOx=*Hg=a^8muJKgK zIYFSByHs0|AqZEQe)zXG@B!-q8I9w+)Dg2c=NaZaZiw7RVA$Hnf#wx;l1!U;NO<^v zem>y-@9CFX71T%xLWrqzVO|7q^J+ijg6ze3tkpDob`eTYDG^Xmjeub5mX8N;S3TD7I8}7gHYM;jWfU993Xg}ro42{2<1F- z&NpO;f|IM&LL&5$P_w9f(_cCc#z!{LHovq%0;eKVhByzRWD|*v7jEw)%_HC?%_HC- z%_AU^<`HZq%_HC@%_G=K+P{C^ud#mKvO>=6FPX<)OmN8g`mp5(WhAu6c;~DiN9e_I|wu)h5GX#v`JaZ9dgTPm#V z82Z6imxp*iR|`~2?1zgydikwtG2lED>ov9JcT{v0>=ezJaT5u9`WoSm)?O|T#nz`2)HhsKS-nM&k=o9whwFbOC_EqOTOTTWfqD1K9)-8*tgy1WEJ>e$8on@ zDl#?L)!uPrkXIj(e_s_VFj8Kt%K@cZ^A>2I)v?I#{puiImvpl^PzzK79$EG=YeLe@ zs&`?F1&U@q&$jeK8yH1puelF8Af5A#FKJnIfPQcPEjnvcFuX21J*{Vprp7O){tO|m z?H8TrgDM8t`6>AnExAY8)vjJN8!VxxdN&(dTcZ%scD#GKte9>F!l>k@% z_4*t>QhkmTsXj-5RG-5`s?U)j)#q?w^T&-Rte^kFB>z@`t6~18KduNbAK!S}!`%dhw9fiw1kWaOJ_ZH{AFwuKnZs|G4>6-2TDSeVWG$ zvkRf;d!@R{-4l@cifhb@y8_*NB*8dSl7$Y(c*T3%i$b?q3*J&J`=D$3KOfGPGNZ#y z8hf_Xio@!b4+0K6T8OcAW3=r9F*wp17FNs7iO!E-oIoA;`Di;9*2fHF67bBwDrWeo zHlohl5VWEv0(X8s4pmwahVcg?vSn32br&CAw9y#hBjGoSlJFZPN%)N-B>YBU5`Lo+ z3BQpGaOZJI@?W^1C3{P#!S>x5%T>n>QBzL% zlhpkx*m#e)_DtY-`>5-^DXJM_@+{Mr2fDHgRPWmKP?^lp)(#JK2;TV4Om<8j+#lHM zHayqCj{o5LSGe_ixOfP-^f$}&*m#q7ug$@gF}`s=1}yI?kDAb=!}c5btg3-0kfXV~ zE~RZM+?RQ*v?V7HUIq^R;@PhOb9_FR>5LRW_lS%v8LcMFpX|1~l%x*s18tfcb(Nq- zlI+&J_jbfFZS!!b&I)by?s}2(Rs^EAZ1!gskOG0vX6aA7B!SVN&F2}7BqY3bd$~JS z0{*4{XX(c*&@3kCygdkH?j>u#Yz3K2TSp?kIs!qnWOn0~Sfm$sqsn5@8f^5Rv7Ifo z1zdVud%(pjz~%oh{eQ20;-2TY`oI1-ZrqvL8N^q#Cd1xrLTn>m-v(t}pts5Vr}mjB zR2ThXd4*3GdQ@~BV9X91{{dGXTzcGoPh9^0bb8!)tlh@Nx!gu4xTntc@MW(7s4!8j zFcz-OsZ2B6d{BNjx^X`2xuv251V8dj+jytHRjl8*V)_?)ip$-s1W*xbLr3mD4&++74*D;7gS} z4FVh;mFb(_PktC8QnMpi*N6Ljmw zp}h_&-l$9M;mIL?Yw$GP$U(K;7>ct?8@zL!;3z{@s)*bsge(95H2Mfd?Kvm4C^XYE zsw%jqzq#$4-+o=S1n215ZG{H5FudS?OPIKZ<8Bu(TV8Jq|7rA(;-W`CtROU`-RH1f zQ3FmgNPQJxwnBArUuzUQRKSf-SLueL8i-pQradg9@*gL^6?5mVa|Q?mSjvSo`c>e% zb{hN3i)JvxXY|?oo)$2=d-CZVQU#uR#TRAweNjP?#>7@%Wf+MT9{nIGib{>N>w|NZ zLF8r0a?@TVxTvpF6y%_Q&h~GK_;QShLIUO)$3#`&P|{CFYbs9Y8x~#mVKhSbx-LFG zD{6!m(iAq)>!|_-{pafK!|H$=Kf(1sar+n8OVoq4J*2?DI*U9ZlYsV1%YXRjD+X4> zwH%D}k}&9U>BwU(b@Wk55qN@mAyPdnq@i37-v3}Lo^sYiKg7C?`xX$C`bwUAcML&* znx3BEO)EqZes@IoFcF(xtSU7BqJ4rR> zC|gkLp!?ayZH}EUcw)Wt@#XWEQB=N0^{Fdop?lF-lm0Va=`l7W#3y;;&TZF;@Zgf@a`YKx_|_O*b8XcOQ4L;Xxgutcw&q3r z3caKRi8|W#8#kze7v*^e;bAM36yC@$WTyksUwV26*i6w*Q<~wQi~7LOth)5-B?k&9 zSco6pZwN!~MaJabDyTTfeK2%I1I{$u=vtN5M@JvO4|V*l2@#)FtfMY!qpr!ZPapKx za8rjb8vDxgL#G@nmrG3%LFm?*FdyCxc5;_rv_`$l!7c)r2;mC=y$Es_;5*sncr8 zHpV z8*cvYzh*z5JJ;>!bLYDKu#xO%hGaiqI@j%IwiEY%as3Tk{gsOnv1d3Y=m8&3OLndFbM7k*YXsZ=7_LFyyD1Nktb_JCU`x(c58Rh&A0 z(-Wc@pPur3;S0kT9SZB@Qy`C#nKQD)6p#9EtBck7}M^k#Px zcgPBYZqvIC0X;1g-0ZXxDaa2sZQXJ?ySPx6;c@*l@A<*#M5vH)z#c@y6h^;=-WOI% zDcqGdL?RPSp(y1sUyywCnekYb9}I^K8tV)B!{^yOE9r04fKfy>)Q4LDhWcMV?4;30 zrp?#c3I|P~imYimn#BlAwO%j&&~ik${xj}8l=c2cCRk9@9xKYwKy7>OH|0~Xz!U@P z-mfl<5IXiQr8`mp5>`(>DY?c7CumN$$qE?2i}z}Vu0h%`SbXIB>oh~S-K6%NTS_0A z?n^%Za9-?rGL>@)-c;&nNOM*)bDzb#|< zt0l;dHPShytl_Y}NSaXOH^I(_;`)1~exowA*Y%)oHssiwX&cn&E^A7*!2l#X_%DXn z=)%!w%)=&SwrE-|thcXG0~-$w_r4Ho0f9zsW6+q}BYL<>57@q{jpb5$qw)ym_e|3GsY5kB1g~68s zSEV)3kW7D>GovB2(vJ%|-!OtB>~RMK$MnEGDxtzo&>5tUk0%j#Yr+?v`xiHV3&yTj zN7r6Y7MN&3J4GIKh=L+$_^^tk?^gzU(Hn7#e9F+Ynfc4`pdv6+bBIY&xFOv7w*j|W zvhRZyu)DUmTC&&>`YBfO$`?BVg*hKoynB51%ZekY-eGEUKI**IKVKSCQ4xrqD$|Z83E6>|pZQ7a zGZe6BI{#QynF%fL{_^d-*;J>dv&+C^aRp$XStw5s(m@8w0#A-lNnyXo@8oBB>D>!N z(_d0w@vQ`)+cgiTzMI+u&@QJ2eeeOYaFt)@kGn$(wL%p8T~^45AL zbs^e3Cw7*_6l{i1|Jd4W07`^Vs`_p{(6s#O>akX@jH@49dR+hKZ_|&+Oe9{T(1M1C z{+^cvh$xgICnH=y12pITrkz{W!9&ofzM91pH7eZF+R{t_T>lW)o^k&dSO2*5|26%H zLg=<*w>IpFc)T2l6&kWTOb-quuXvy zYB4S+WPUrmwdA2bEa+`Ydpm*P$#{N)(TolHwRuF+PM8Q+XGU_}8nhuX&B0qh-w17Q zyRx6vM;r8Ap9Fte<$?qiuV>dRWsqCytHLcec)&(W@o=>p=UTthwOX=iNhH;|FqgBP z4cne^J8Z0PQ%0Zl=SdcT$% zB$NA|kLK1!G+oGU*Ihdh_CRk=?ea&Pk^-~);%re)>NTQjo;|eA%G6kDxx@PT_UHWz z>-v!*=|`KS9~qK&=n9fCrJW zLC*+l{!~Sim#hO3jR{7*KhP_QZ9nVvA%9*Uj%%N|@c~@^xaTLXe{!O4`P#+ZYxANc zWusacHBgGsgx9wPX%J)Uu(BGJfTlB{Nk>^V5GqJl(;O9r^>~5}DSu>0${)Fs@<(o@ z{E-1Ee`Jh}hl3l>#692c-w7h~Jfj6Rn^!8_`t4DIS%B{?F;mc_tc!8GYzB(i*RFR* z*&*hy%>=>MI@tLp-1Wlk_o>W&2pbK|n?lX(%K!v~pBoT>l0quYG zQrreaXAd8|lcNUmKSpTogqi`JLBglvOlx$Nng7X-W^>5&b>My$V*>30JKdCJe38Oh zr8m#AF?N0#*Z!O2^u%xN(SSk6w)#=M6!f8k@(}Bd-C*a$^sDEO(9ocb{%XxyTi0I$t~*6^JA4?|rP(|hmnQ&52Gw@TaYd21ou z^KDXMS(egaJDNRqZ1=h6)=&(LrbC%_kla~a;+yD$&Re~(4j!nb35j!05PM3Z#qmLG32Q2DO{Ul${lmP&|F0ceDd$T#ogn@{b0X(}i6tU;9IjY#k@m)GZ8S0iTi$g!+_lM%f+i~At zxcb4R$MxTE&!6gDVhNQ-6=;<8&V!)eg|Ntf`drIM38E8hX7PHN3$)4(<%EC&2z^pU zr}QuhJHD+t-Rljq%+ClMy0YSw^^72P ziCssU&j~FwC53iy8e#jNkK+^kLLSKx65jqFf- zBy+n8aNpN|Tc5c0j7yJ;$BS!k`b(0PeAlGc=I4wU*>Xt$-J;6Y%J(Yh&11_tt0^&X zLv6QMH*7-A^HW1_9!X&D7u zQfx0phw`S1M!Uk{*gc)5qkSpZ@u+qG!5b|e^*SXHrv{v#*~AV%1x0dV4F9WT}w9b9DeJS zTCoE=o{8(<{_XvXd;ccSx`nh)9D&oeB8`OK1;}RUAZ4NZL7?F2^bXBE2wdjKB;x*Y z4#)&dbn;xy-b>}7fu5RMRYqxuz!RA)+0!kQ z=*IhNK_Y8$CS3mi(x1FP&$)$!hrmk0Ll7q6A<$s!Q~FrIl3IT{vUT6okZ?Hy`1jRB zM_vkn(1OroA*N|a_qv#MD~bZS_`!vR*hp;te|x=f_wV19=U@K+z4rO9KL79P^VOqk zM&k-{@ZxCLpj?bREHEhrdgj|9xa(dQsw@Tcqe+B=zvZFf6L+sCt;}CPAO79%|99;H zcRyxygXKz(GZZ>VlQB8jgO@tZ?{AELh=o`D&g0#NaGaR868*~+`P14Foi=O!b^F1U z|9=`iZanI5>jyW!@wesq+x&6kCx2U>|1|!%^)|TngUcURKTRi>?F1v$z($lj&f%#N z+^$P92<37{A&(^6_bnG$Nk^GO^=KBi!0CH=8r4S zzx4ks|K~q#y?&VwpV=L55BeGfnY5u6AZ_Ftv7g)lylwPpZg-fVU~6_Y>aV_Ni(kw~ zdqoi>G!U-#-69b7O(YvMdw9dXr{{||x&{J!!<5*OhB)v`>`bUD3IJlfTiAQCLkPD% zGoj+JpNx4F;_FPWe^KuN>Tk~7mLKs!YI+;&xw%|G!}?BEy|^RPQ8=IYwdzg68>fKv zc?4u6yjC$1Uh8V-`aFUSB)ry@&i^$1|0~ab@BYP|e~PRBW!=1?^plDZZ0&xE;+HIN z`f;>sZ(>5(wAvj3VseltPv!IDJP5f_rx` za_%7@A1cbNtH%Yf^Yys${B3*t+x&6=_h0(|cmH8M9->5gFAzxY1t-#bL7p_TX)W+u zVYu{>C<%KXb)7AYvPW`HhhIkyN`Ym6d1*?jIE-e6^H5$<233iyq?7HU(ChSauiS=O zbSXo#T;8+*svTWZSKN+5%Gt+ZO=73vJaKYpQ+qYiq`1KJ!6+Rhitap4Cl(+*Cu)lm zdk%pjXVm=6fg)7)SrO4`dO4n z{VZ~%eilViKZ`te{S5B@!o{Ol$KNv|;qOV3@b?@^_S?{-XM855Ya-EKA z_3~p^rIN23LkPL;8^UQrpfUFHcy!Zgt=|8YaRJc`dma|9Jh=Hs+;|9X{smWl+<79n z^>VoQW4QIwxbHRG`MJ3Kaq+=$*9*5E9=CrA7rzCU|KFy^)z8S-J}b9TLsXnlp;Pr* z6`1)-3Q86<;3p@2nrWK_@`bb2Nge9YNO|%5cQF<0^AI=x^0(>N`_Y7;F7=pL!T~-| z`4~2M$KMd07ZZLE)W8cNbkZ~pG=czAIvX-0d9m@kYIL}S4D@7S-hr28lv5l&CFK1i zT#|$Irubdm(zZx}w(qS)qZDw)E@Wqyh(cZGJuzk)0t{@5?%sZo05p5vXcej|z|agK zMBGgprne$K$t62PQAhz}uC(3cX*zV)YWgf?uRNOVKrIow#i7PB z&cr-k0G(NA{18$o1i1Shw_h7~y*`lX(8+ZsLyyp2&#Nz^QC__3Rlc*4Xmi#Q{UPbS zkh^@<@{FAs^55P3I+ig2HrC&oR=i^eKMCZUosvCK)ab^j`yUL!_lAw8b}}bqy(-cj zU^Iire0y@!(zLPbT|E_;xS6*^LKsv?(}@Omc&Oc;Nft@q_WG z-~6WKjkW&wcwhPGyNhdmh{7WT2{sMz0Go5xI|U&0d|QEt1QYb@d{uw7cR=?cjbXrz zZFbo5;GT!L@9~D=9tx>4LztrCFAo=ULdp4}W1egHM8-}>Ts)lh;3nmrd;Faah#^<8 z+DFC!`+bUgUkIbJiCvlm@IL!J-#}Xoq;FRra@jzDWHYr>6O(qRYgCmxf5+A4A)UAz>V2%nQ^@B4seM)?F>xe8gJGhD@eF;F(ks&p(fgN4Q)|QCT z4g?7kkGYL)le$dp-nV$w>EObH#_Y}66zJOnm&+Zw(y*wU${*3Kihlh3>NkE`9B}8E z^4To4tnSl>=oLejw@JDvNr7dBok|9{mU+0fS2RHtzR(`I>3}{?ELKqW8DQVPxbH{Y z^-5C7IJ^zyVb@Fk-#ikQ=+cAjJ*P|b;Cn-e?bL`A@TB>wH(ygkRg>u(#v`PFwS{)_ zXN3a9G|WV|M2oJ?(|p9}CoTZi3G{N5ZT}!8<9_VlWkouTi4?OwB_xxBj0ZM_Gz_|Uc z=x~pdvznhhth5%&%x^G)&)uI#4s9?2KT+LcEg7>P^K4)$jV&l23^S2@KcOdb1BJsB+@pmNgcR=g* zW{px9zti}C7J>yV~fDg8WQ+&!kDhS$jJ$>$m0@(2ZTzo2A`t|uZBBc2^(xmw~ z9HjX;oTT|UETs83tl0h=ZhQl`o(lJV$L)Vne(IdnQ|SxwgsS4|6(6XPrQ=^N$U=E0 z9Iam!cEI<^>l9N{e(<~P*EB`9Hv}lo7KXo60Y=K*?~Vy8!Yh}7Z5r0DXpVK_$fn;4 zuxsGWy_36@K|`>4zTZXx`~3Oa{MYvjfwW(gN&7{Wv|kiR`$dJcUzADy*q`GI;jR~M zKJ@r8-M4B*TEOr6A@EhW3b2PHRJ@#ZLkyic3M$_fAe`!e@d}R`P;Ae0;vZ1O?$^eB z590RM|807@n-4O(w%Nm#zJyV!L{<1;f5=gIiijkiY{?af4L~V@_QUfpiI6QwP@LCx z0WbNkL(XgSJpyh^*d?VZz!ueW+MMQ!Ad*q)AG#J7)A`a%#=BD)4lh?!EC;X6jl_Jf z;qu3|A6)*p_@B7^|EJNj_TS8ud#!~CJECUta*f~>Mar`TLmPCtJs=`zRUZ^t2X9$OiHW2VS@bwFXYTfxIRqPzUx}2_Liu_N-aLNB=<+sRp)cR8;4^Ef7=evKs)Qqz9Xdib*Y|Z&2hKcKq*D-= zM!592^TBcTiA&FO#?>xTmj~>NzNLhEsG()0nv!mHF7&Y1Lg^_r2V8v->Q4}ng=_+U zmEJT9wttIzp0C^gpWA13dZ4Oqt}XCvKgd+G)dZMEf`eYmc%ys%3|lXkJ0tqmZq_Zo zjNq_z*V(dOeIjtT_h0gIHi1f=&7Oo@Cxp9y z53){<5$wD*0?l^5Dwv zPmrt@@K7kdaeJueXjeT(j@;=l;nS!ll;%M_u>EXKgCJ@rx@Vc^WWzGt6M(wc#;9I zoLu$0v_}nbU923nPbGrt$7af{Z3rfkf~}KkY|-8KB~FB14Zw|G;o3j0Ki?>_6y?Wm z0j4&odmNSxptsV6;c1WsbUmSMx5^Jg=7XQT{q0RafCpS!zLC_+Kl&Z?$6`0q7K#tNt4`%G}_QfG93rxMaU z;ayP3%K}|{7t=h_X~4=rP;1K$IvA{r?dtzXjcuQ}`C{Dn_-E_in>;kEKt^3Lpy#3? z%t$X+&%M`z$E8|}E~ddq+0y6Yc0p4RZMakI_sRhKJ%u~J1NZ&)y2X0|sT#FZC95e@&hHU3!pZp*yiFm2p${uE3HUFqTkVJaV3ZUAn-mM;)0{=ke_~VtV*@iPDSK->w_)R_;o{Zf z#?Nu%b&N_0>0WbIKroRKd2PN{hlDs6r+M8Gm8D@4xt9~#kk(~xebEw5RtJ3&pf(3* z_@e(HFA{ak6}M!`?1Yw9pQPKgQJ{P6LjQKk2vnU-P4p=Y0NRfYi6z(lu;b6T{w;33 z3NHWDtu682GxtG0FCl;bcnl* z*LE%>c{?n=|M>h73~g*OZ1muyB9vGKie^@B@~o1ewC|J@qA3`Nha zfT-{J``ieEOsS0`(o@E8_rgkU$J<~OH4wiwp571^^>|NxSDsr zy#tBf8GAkv`%Ka8M*mo7`m#y)#>+r>$4}wzEgK1(6szxZrH>++3#!#BTXsSGmm&=n z{YaQLcp#xu7X`s)ZZFN>`hld%rrB>*p+J;PIkqrZfQGbOJRdU!L2O|S&4r#&;8{L< z^Y)M)>RUb9b4h{#9hK37)N6ADveGusIS&zl`qXOEOmOK&*@b!J?N}Zn*3CO(5T$gs=aauaO;t9@6&hzakhk&NDyqF zCJYHjLGi1@`eT-!K%K8PQ#`dFMbNS#DUn@Z^U`7V1Vtdi{a@Vql36S-7>f&u5YqA} zth~hrRq4r}Am`x&+ciLCYdsxs3wLE|S`tT7#IL)9N>l*1UIo|Q*7HruqYP z$~Q@p@=Zdde3LM?Ka6|+;O=)^dfa+QT>iN9TEXezhR2-N-s?u~oRXHnw5LJA#=;k| zHz?e@yVVuNQ^uEcUa$dwwSX&a+pOT9PLGSP_)q^|6}S5q9=a9Cm_WAmfl@i7xIMYP znpcIcTb1sL^-Tc1fb`~r=||y$xl)&HRswj2CdcMnvx45!A!#u=+u&BCa;0CV5AvP0 z^7&HliI$$pmOZbv0nTOqLzFyr|I+_|=m&Q{{%!r^*2m(?gS)?Q`IWBxQKaoxKWM-4c#fPy0>awNa}J)_1L2x0ro)H)fW~#+a${l+c02+1J&s!+ zj;nv%d5*aJap`gE0p6UA?y-CGnh(qS)Icm6McV z=eX+N>{$uGomY#yUg31g?~{XMAYP~ND%FBI+SW6<-!NAO#8R%7*U-qqo=0r?O=jw7 znA6piM_m#-9)gQ^jZ2UFesQ{Flb%{51T@Xr`l?q2z;)*EhvO!iNcE0_v)eBoVCL@* ziWp-6~CyN>9h zPjT~Wxb}}rkNdy4{Bi03_WKL>y{7D@6*{*g0QDF9n)H2UMy(ChmvprlQOf=;71olT zP*z@jx`f&Y4$8(xpWb2&!!ZAhR!|MZoZ9S5N_Eha=98B;v;Xh7;lpFO-6|l?tDLIK zNCf|r_c~cV+o6vSR@4}m1cArKUFq6&6*Lh!dXnB+7(DvxlWnYo;m7q`5dr&@P^Ws) zsHCkRyeQ6{4%Ku;xBMx_4UgLZnZ?doilVjr;_Xs@zlyuM3aMOGy5e>~d2BklwQ1Yh zoMDlw+>Z;LmsDnCfBl~AJoPdmA(LvMldpBI`u4VkPJ=j&+h)7IbZRvwP`<94xJmaB2kAbNBi%=A zr29yKbRV%}-(R@-INbT;xcm3Nc7Of(eT|zh#CWmdGxcLR#{sr8A4P5*Iis40r zRPG8m^}0kNe@_!yaeAlCFX(2yg~xsM1LqOhkAl)^t18%CTzzGAizsk! z%~eh9HAVel30JOXQi0^rq$XieA*jA?^R#M01D+@N$K*cYg800~Y8i7qSnVLZ78%fm z*`9qYqCEEK+Wtp-j0ZJ=O8)m2Bx{5sSj4aJRcd4JcU*hGr8j&g#h1P+10OkmRz6jf zhRZ8;b@!U|ksQ(diY%iz+#!n@RDCCl1gj`g+k_+`oBc_(Df?Rg-9rhxn@6;PRmW#% zy@w5IkS+5O`KS)x+-^P@I&X~Bu6_C}dr1@9-gJq4mSn?gc>v$gQUtXJ;Z-y;LD z)Qam#gEU~Tx@c#|LyrBwxc)8f`u=TtlT`g}acAare{U%CtQKGE7n06vfBIDg74&5E z2WLrw_KHMUU8w^4XmJwmM@wMq=cT{eJ1$m3I3aL}Xjtfg_#t(!st6yHtlM_b{m~_l8eyE71p4 zd_d#oi=%m4yBHJdyQr6xx7&zL%7DCe{(;R45EvDncKEs4{+lHe_MWs^HiUMnRDQ#YVP^(-ucLETq#K>FbzgN zZ5&b7Plx9%+d89P79u!Vd`s7AAIK1vR+CgDLEW>$mPeL=*h>V9_J3x9QnAf*D&Z24 zaQFVB@g;4oM=%4`x|LLnr8S=TmRQXmnRfq z%kHS|mIP(eefsDAGwyof;vwVOGp;|0`#$>H{#!qjO0?z&54g+8%yT5(3EaltO;WFT zLg>|-;!obV!m%LMXs0GuXnyime&k9T`hB5$e@Kx$s7`Emz3D6qz1x<_&7G8y=#hqS zMsXFC$D3uZvU8%7!`0U5F^xD_3ab!HvI+2&{Yr8Ck}M4H@y(yDvO@FUmRo-gNP@!3 z$oOt=I*_#1&ez<)1ExnfEB-!AD!LRKr83cS1n&h)H`b)c|=$l=2N^Up0=#$ zCbj02iczaz+fU4`lj-f+1c)f22&$)*g_<$*;&c6mh?D!O1iPvv^bEe-)AmXlDPDE^ z(%T`0-G7S99~WN;*FJIS1?SBfE4b8Q#9M$Rtw9B-_TOZ%n6pOYQpd-F1{A^RJ8f@q zixPT})ji6wq(r(;|J+|)_xIRH{xd7de^w{?&rBr$nTzBoPR zTOkN(U*GrnXuTA+K5_RK?*Dp6hxkbN5kbl6WlCX&4yYt6->g%1Mf<52a zVxn!PYLM2$)(>vHdVRnAxjkpb>OP(-vWFs3PSLY8=Fl~Hg!dY_z^eXc=i(_lNV~!Q zy@xCOHTE}B#A>lDH zknk9lNqCI(Bs@lD5*{Nx_Pl1?|0OQG_`*VU2#!?I6Q|j$k=5}c^WHc6V7QAYD=g&= z--DMFJa;;ycx$1b*+JQmD6b#P^41B(yuB9ckwCpx*pT3bkVxIPN-le=@QV6|r*P zb@*`zmHLg!)Lz$vy4jFpZ>DWfqr0pr*#-lU?BKr`Ub9y3@Qiubq|6pg%Z2s!HU97U z<#u00Qf)}{&BaOc%@s)V%_T|m&BaOc&BXzizr*o%i$}EjKta28=*SNZQ1JDa+vI8j zM;SJ2w}1CVVT09S{O@(ZVkY_dw1+x2e>PLYT9uw;kaV75-Ygdl{jr8lAp!@W`SPuE zdEyZub6s>$mVO_c@nhVfEOQFI;PE-p=oo@lVK?h%MH|>Rb))9scpwDkmc<);*a8bx zVQ}A6Fj@@iQ81%)fwdr!>Ho%w5X})@5RcUawP(!L4%ei?G;co}LB|Ki<#JUqL&?QdX)5iC20+B{!#Mm+?XO7g>2qpcll_7%MGotf;IJh(rw z*KK&N1BDy=T7|;u|0us=ZTn2@nR$rV;sCMjayb=94s=e&V+>zuX3*I3m43w$gNI>B!lJJ%nwF4*&8aL;Gl{2;FXZ^uM2 zDekQW)Z6xOl_tp|1~%4F3NS|AerbDncc?+a^RqQhd=lvJ=d4q0Z!{o-NXn+@EO1B!?KD9?G%sR)d16%EKv!uE?8sv-l0S zCN#Y^(|=#04^kh|P})yjP}pdFASsfF^3&@tTv5@3bNpF34*HrPbxwCPx$-u|B=Y=l zK&KHf*atnVWL1S5QH$ z+}&|1M-LuZ=Dc&I)Px+>Z!e?2YXL5vCoVni`gUw^kE41`gl|7Rs9)^$MtduXcW-bx z!21`+wlA#Og0bY?%#1D%Gz_uq1}%2j_?Ba2n;6my8K9$oZsDyi7m8Poxf)K#1X*(> z5VD5%aLq@2 z-Wnc8RC5Tg;lHZ$EenII2kBR{m}y<>l`7sWd&fCW@g*|TN!)~9~T)D{oi=nf9|j1*4H&<6pB`tA^2W) zwJMmP3g2Wmq(>V1pac8GFE#&Efv!?RpVGY=L>z?u9&gvHkm@J@oS(JE_nVx1b*)rH z5}^5mY@DL{LGLA?G zyp#+sKVh*&SE-KNbXYG73Mpl@9!e76JS-OPf8G`;H>R%l_$dyBH@!An4@v{KRaR2e zM=@;vSKs@xAYF3u&O1S2xS5byckQX?;Mz~z^>OVv?)t0wQ){&06rt!o3GpG+|t|lbj+BVdFWdhz$%x<&~mKUul{*2joJ@_4(=L=6s0CG&r2< zeiT)X>v^%g$_2y1ThI3U7GT?R-1nx2?h&RayI-1LoDJ%9j2U6HKd1V^k}$f+5|iTZ zvF!U%WR44PL_o^vrX+c1SJr2dXS|+h#2vI{SYP8riX@(nnrX-ih}D>UFJtsak%X^ z`$`~N3>xnktr(Q)pd)IhZE4=9gE67N`;!qnn!PHjeqvM^1#G-kx7;iWa}-VQr@GX! z{ZHI_NZkIlRsGZ^>8ChJKNU#&iAee>Mbb}c?EFi08<%0@b88qary^6H(1p>bXBc}k zqLJyh?i7dPL_c8Avo?3m1{&U9pm=+OfhJf}`Fj zN^I~!{I70`4h{RlT^2^x&CNb=VxWs5xRVWW#%#_TR2KvOt(S8K^!XtnCd}iLKMSg_ z3^KH^lZ0#2w{;bUH4rX7C+>S{ac9`Qi zK4c(Ai;ps)M`A#kPF5@5P6}$T&_#V25d>GMq&Sml2`J}FUOw+74GYr!;g*`hFe%^g z@*1BFGXBLR@%nBQ(%pW$tWGr!#dAdP=m~`*qNnx!@KgfS!9~e$F}`3iMajkiKG%heK$ZMVoJ*TA$mMl)UyZgw^a~ecc%N%v z-|sb9W9MX-f>FTN9p4>X{lG3Wvfq7wG!kwsoh=^Q0l)grYm05Mht1)dyQlaS!2Eid z(V~kPZ137zTz|n9jsHld?rS!Jp3+BZo+U(FhR=ojyOh1qGl_JWsqe;s>mMG_a&ih` zS4QJ|wov$;HbVj#>)8^B`oiXY<#_T>Td=fOHBR=iL(ye{T+V&kXf<9zj3=B{^X^)f zhqlKePIW`d;IgkgJ@dU6O%azd7Vtmt{fb(&d3eX={%cglqrh zYC9Pt_whjIaUb!b^`@xk;3o^~4nAO`I?;RmjR8y)SDH`~<8&TAh1!X4^s)U7Tz@Yt zf$6hZpCR%t?r<#65`#%z*|u^iQ8c5TCeBkK0l7*QpEqlX!?gtmW^Y>k(VCW_6?UG-1`N0 zeO&)=bsnVwX&xmHX&xm%X&xmPX&xmXX&xmv;L-09ZB^5`9YU4I7+l z#$?6g(DAIR>%5LfA>}s%vSGHq0MuWnpZED<&!fcMFE0Ke?)wFopELAAQg?~?U)>uy zt>4`dfS(4;8Fg30p^I^{-R*`YTDTg~A)X`*XRhe#3TldB+XviuMT@J!yWI&|X!{}G zLZ1L7pk49O;F{G!6w2WyvBbKpYcuj!wUb4VI;g1i{Fd;UdF|%SGuUtxcJo? z+C?)XSm$lQJ3FDYrP>D8Kc$zN@pXWE)h>n?Z`;9%r0v`rh?e_VaW z#ec?KAD14tUI-U29T$JKwLLw32bCR)HCmFqOz8#QXQV%o)0jca-OS#*17UEhRqrW( ziXJNM3nF{{BMO~8Qkmsto`*!zzH!Z8@_<7u5;bp|z2Vq*p~sY3K~UY=PT6|S55Cs# zeWtzD4{-IN3XIzBFdCv=>#f#_rE7x2-K&$K9@N0BD78VCT@A*$E_loJYk`8I*M!WJ zFiRTLli)X zpI7<+^LaYB^RjXEvwG<<^WeK}C}}S4*sJfd;MY7j8fe9dcx6Vc9=6GW+~wZ5SLX;& zm0-QVH)Vj0w~vb-g3CWHJ+A*5-xU2({v{a%W|mc)GXK>x+)qFA&6N-Bkdv7F`si2B zlw<3{{^s93K~9%dS5%gJYQ87>=d?%Fe*UpCm-$u5lv^m}ozfY8| zRW1wR)<>OKO`N5^fy~Ax?0#VO zP9E_k8U)Qr)57Gns@V107~shh7v8=ZTGIT`Kc~m#2RHsXJh8{zWke5^B_GkKdaelc zT!#)ET2z7W+o&^)I!uud)YYVRD#Lm5=C5Cc6tL&ZAmj zaPL#xd><}9xblxO%DmRy%MSM^W(1};v4Rg*L;Rs@5(w=R?D1z}2I-zt^YqX8(7we{ z?@DeK?ED>Wd>;3I#P#QK&kL6xSN?R{j_pgX7J(0E%V)g|_~7MBGr0n7v)Y=0hCo@2dkTl@IRu&TnL{OXD&_PwXsd*=wbM z|NLgpD^H01yC>+qcREP}&(o=2QmxV;>voUjHG>Rxd}*!i1MYrt{}5P510+xMKU zp*A)r;!WSLt!dXqhZzD~Upyxe=PtfHPI+Gi?3kodo=WJWcSdj7i{%xd{qE1XvKD#x zL3cA(Bi9y!_#8Rj#u&hY=}m`-!(OPT%P3ZVfq<@Eng8LGtp=JJ+V$kQ#Qu$6;am3K z*G7&t8*H|^C_+V4lY;6S9<(kkxrS+*3h*q?JZsyhgJ?63wvX~@0cYR#_T;1=Vzc<%fKDg`S>OZbLAEa|Ue9NqgWUhwjI1u~rZn6J( zN4;4VRUF=+@!VGm>ThF9b1;=HwQ!q#uwjEqryv#b51%@)}H818;?&li^-H~v6Bf3z`B zO$&sFhqP4g8N+f9)v3lTP4LLcBmecn9JDXGgp?dNfsWA=s`NfV*zb{5{{K9`gS%f` z`+$pQe&LbkS3zR_{A7V>{5=g%^v0{EE6B_Uaw0#ajI~+9Ihu|chY2sl?)T!ikUg;u zc70Z`C4n6pr61p*pHnTu%I_!zfW&^LRJY3~8uC-=BeRksI0GSc&rX@V%urdYJ1BFy=HD<7PskR|w&<>RY;yoT;!_7m&Z!sX@w{Vm2Tlh%$EnL{~Ph5S&?O#sFxU~?SUyiQm zNzUXAW&u^T_Z~<89N0q8CAB#dO{qy`;V;blx9G@${y8ke~4lC zJK&x#Eb*@2kx$m>%P z4p1slTko=H2eH8-n_L&&fG+0T(4{vH&=)P&D`b(3aQ!jWy^%`pOe!#Uv_as?q#lIN zCJ=}3DnfBLc@H@jk(fFGik8l0gBw;utQezjg&5W*~;w28I|fCKf0 z2QLpBqfJl(?(+Olk;@iP*)9lWJHIr1ujIqV-`LY}>=%ufJ{Ss)A1a?QhW0D%W|BU( zFs4>MJj4)*cK`BhDL!rr7EktZ#TXir@U;*uT{8PY8Eb}=8oMOMw-fyV-bd0UlIjpN z|A;5p&J0OSNx66DE5WPVjZTi+b>Y#uv4rqI;(UZAy9Ub_y2N?Ct#^S;kPy z4%zn0_aEcZ#-3M&TW^3n4^fhnye-dH3DOq*CnLoqQ1*#WfwBVxxU^46DRwgfbZ_q} z?ibfbA~T$o!*f!ATmOTb-^cxbaqa(F)2Fyp-K~ufgALRRY*v=Sz}BxSQjMJ&o>M_Vj^%w%AdW_#atMwS`N%a`Nd(3E$IE37% zgX=9lvA22%NcFhafnrVu=-v4(!)-SenCtSYG5K$WduQT%Z_QF-*FWH%R{`Uzsfm0& zbV-tn_2Yyj=rK#&dUaDBZIx|1VRwW8(UDDqFF^(d<)-ec-N4T`6`jzDlYW|rQVV~J zWPa{Nizn7AC5)DUy4T2Jg{|2G7`F;e`ie(*F&^fXs})Ht5KwiaP8+#NhRfv9K`v3T+O?`nVZ4k#ENjj8B_3} z6uB~eClHBxP24+~Y6(5DMeO&wO#egtv_HqobxMr-Zm?Yu*hdHKwo(xBej|@F4RW|5 z`9$jJ(GC@uooR^=lO(`>CnG=4a01}&7ndHlp90q(!@W;&`Nz#i{4jZNIwryvbW{#x zZwWI6aee2=taWzaWu-%PyVDSbSh6TlF8ClO-?&*@IRWhV{;|=M2ZFj~k#uDJRL3A6 ztdOCyGJE1T#ivI5?fmd*Z{<^(7=BO<3)~l3wiR&ScewKLoww%UI_-c))KdB=ZHah6 z>zLmL6ZY5;poL{H3g>>OqCfAVhH63v07EWCHZ3yH%ae)b0&Zy{`gQJqK zEv&Q`OMG6h5A#>&hYQymg2C;sGgVx6*#9H0KH$>h$_Lkf3mncNw72@lr9Kf-kWRm+zK@7o7kAOh ztRfPeo+m_*J4c}>>~EN?-m#)(W$MUcaR(%OT%h=;;|@q?{@y>@rG(tXh92~=%0OHy zujCmn4aC_pMO{e5?U$oGr%Qumo)0&0qSKpBV|Rj5+3gko?E%5AOR8mmc@L z{@dtr^%K`VueCgJ`vumTpMTf?pY1cQzWvkXxz_i~-zFd2^TmyK;r8RNH9hY6t~EdZ zZR_Le8*aSfZ<8mk|MR!;|F`io6cY47dE5xuQ@DMq3RQ#XM;9fF&uoWxreEJzZXn{T zjy|wEr)q>2pM=ngNFeO@^53@Kf9+Lj--SRm627-83E$h4gzv2mYkgk0_Nw4~UeoMr zY1DQhJk4F56AAA9TKRoU8qs?!xD?n4K~9#O#hyS}n22M!*fT4*=KQa)B2zTNKit^hx}%0rvVI#-<+7D+wXZ8jYXa znc|T2#SlDXc#%GBX8FUH(lF2S`kp+iB#8M}i0N=5gv<<)1g% ztX)eoVR5kWK+>~fLD zT%w3Gv=9p3zF)uB^Dv-aw`0nvY*DS)$SGE!d4g6ZBk|3 z{(=vjo6ftSftQ-Q2&bfXGK#`Sp$>;3W&!ZN`or$VOCcz}{n+qWq$xazBN)Wgx*)~Q z8l`>>WALk;GeHl{KyA+@2VqWEB=*Rn=!T{l_WbdZ{eCmvVQ#2t!;=b%9AhZUG#mN! z+7(q@U@ZPcZ4GV*IqUe;Ou=~}Bk(YN+{ZCL6!t zEi6gwm!gah*lL90c*x0=UP}|_Y(!;w6X<|???tV+S$dGTLmhJ|RsnG<8;w6-+5%_D zTBgN18Nuz6NmN@nEopxApRfP7>GR*l5AOZ@xABk5&+5D?WzxJVUDCWNWzxJV1=74K zJ<_}?1?+ikxbnoM$F=9U@j%>uK-~Nt|Mm3l32QEN>d?&R8G2bryKkP$zC#s7_se`` z(_unQDO%izws51LWcfi-`;|%gCK*(F*{j_xTL!*8VKy6lB#W9n3V%8g@uPo#yO=2c zOaT?=9G4xTl*Z0at@8ip^Jj7Qi+f(U>#Ow>ep&u4(QzW ziFSeyuYvY@zAeN&?5LgNPeZuxeH#Dy#Q6$&n6oJDP9gI`SEnzxcy|$iRmVh8g;^d( zC4x2RI`rUp33;z&9sWFG-2OP+{w!R1;^MX9^0U_K%g2cC)eaU!{2;wtW9R`_Eq;7& z7776muGafzneixJ++;KrccgFr-aOa8R${#oWiA#@*SC5PLf{XvKDxW{M zKWlAIaQ(4^qO*d5sRkgyt6+KIpe`EIKXrR9MhBh@d$BbM>Vv#di+|HWJ9O>VfXGP` z{CN;-y*}=IMqGN_^TJ&pmmZfNTs&di^>OXP-$swSUtBy2-1w5VAfYF8CKAM*$;E4# z!oikyx86l6BjCBR<;8~b%RSW+6z3EkW}%s-P5QejLa^;W?tXF4tG>EP_}X;@)k;I> zP_7}`EJAmbK}ZSK)4ykpW3U9FsAF=w)g2Ha$!EHk!5F(f7Iz*ru0Onrw@(F=8=O^N zw92C22N!?W9wdj_?cGgxb19(y!KPpaOMb}nYCh@LLbm4e$MsKe&udj5{@g#uT_2Zz zi6$;iq0)eQ9wP*I^tbr>TPi}fAThVqk-vc*m1 zf%)^)tI8NTSk&&-?02oTTRm9-I+}{q)bK-IaAvL)YMVDW4P|+3kHY!bqVTMfWJ{0fzCJVm|!aZDr6p^v_o53SQ+*Dk8-1EY{zgE}(bNS=)gS%f3 z^lWD63b9T(!R+V}Z7uLGYSmMu@IVg?_TI3WP=jl4diGI1U`KU{G6lTy2zy=|?tVRV z!}@|i9x6uKFP%@6gSQ=2H#Dm1OZzna_ z`E<1<;j~2a5zbbBxWVhU$F+DE^+u|4V@(u|?`Nw?bBE}l< z7rgNmrFEfCzWOq(k!L}E-Iayu(Hc;WpVFTixrBdJ4-?irFzis_h`D>HrWh;^9W$TmXWowb< zWvh_pWd~sE=UU4XH$S-6{NS#S`<}vGKX&-tMl#TW9WmFIlIe{QC2Pxc!Z8F^;>y_- zsamkkWw}0=)c`qXZsF(B6~MM{xc56Q|G4tOohOdV4=#OggX$1}fI3Qh=*e}gRt|>m zt~(QNsfV2OxM+{uCC;xkWGy;5&IF6)!dsb&dQ_`kr+MMwKDvx8YS{A37T9-r;|*D)ig@2V7!pQP^*eGT zH!Gv?npy+3i>k1*VJ@ZLju%zX7Wq~BXaMf{;;xS?PuzScF8{dnxcvW1|9{p#|I^QF zol_I#a-%M~d-pywJBuP*EFHb%KCF+v(=<^fvMNFLJDH4VMHa{l@bQ$aRKot>|J(FU zTFG+bi&Ab#edR0UbD9foRd;Nw+Q15WmW2}fCR*ros_Z)7o|>rn#8(l=NCK2@-=Y_Jzzq3y>q~k{5nykv8^qxJFft;B#zuoC(Xn&t&O8+Sx zq-edJpNh&1;2HaC(<&px*QczYzhd!^x3_zyJKT(VWSe#Z0oqjY(iPAyt(~3a zNBOb!VXf^guKs^W++LSFcTQ7shQaP}fi0?5$qjR*F@=SnW*rHE`e4>uP$f=jgLoqf z!cDUbvG-L$!b{g_df7 z%Rg>E?EQwjHoKyXpuBw2m0!UVoiR--Jh9IOm};JT+wInaK-NV2*~=K1=`}I2xVh6-&8zwQJ-60u=`IXxaz#F zB-Tw2LO4Qvsqg8ca*ke}oLC<8hVdI!Z>bj4ZLaw2*=B(bZ0G+Ucl*SiR=v zb@CR7PGGz!phq8QY=a*jV^oA6+7}{5{LE0>$75{MzRG|r|6F*sD1yvU-L}UqW|ID3 zBFVD7m`W7tyGCA4T?jy}(YGEd9<_(*z6#Wl%z|*^54il`)~n;{XHV0KE3>UK;28I) zA#Rfj^4a9Ws2BUGM?-E$2j6RPn7k)I8E37C-kN^t{!t`F(ti!Gy1(MyC2NMRoDr3r zK+3SbCHWFTkvJc=yx(z1>i>m~C~&>}5;Xy4&rnOO!X_7I8Mv zE3|@pO=8UrPi-OFaM*|-=8JIOFSzIR^wYrZGi?N@OdC!rXp)5lD5d(rVTYKVe@5OC zm4#3WTaT9^a`5a^Z1#>la&X6$$4JU_wr9A;;?przUGz?8@JEgJf~J$8@OZ@%aZdL4 z1_4wn0@R+0X}XP~*!bkekWNSBEW7lbwlb$ zhKSe0^yvH$0lPl`S&V}~g`)t_Z5e%UFlB4Pz|^Ev(7J`pway zQ!@8{_Lxw#k3FSd>ggEoH2=m$4kJ?@jL#y!^^hs{hAv+J-ecCPEy}%x% z4%7TXjQ&vsC_5aIHgZ}Gs;}gCZ!B>`2ZHXXa4#vsi^ZuHt6@3#m;PV*{Qs#BzAH2> zvs&9==cC@b;%HqYHTK|n)ID}EyH#1SE1eZaaw9m%FA0F6NN#HNMP|V5UycrXxBbC+ zFSKsiJijU11zZO1%GITM0Lw4q!S%wCXx;Ge?E_(MF#SmWzT1!otTp}W{m4YRA5}^B zBR%PUq$k~vVx;?#0-K+zf4%v}2NSfeY&+~8ut1sFrF*RF zf{^B@J;z6FU+n(1Ev+nf5^R~_3wbhwXOA&dG=IFImSB$}jh!}cVQYlX*^wB$`x9r983ebM{=UiEf zJjvfk?^}1NcdgUB>XNB5`GsgcK zB1-CialppU!Q}_Hz6jWr0btUVWR190+7q_=WX3AdOEq z$T)-Kp=kNYk>wBq;P%&Bg?LO-V|*qYWPJ=kgk2kx-UMJj}$YYpeOgun3v z*|47X;exK{SI|KxpMC;q9w;B2NiP>l&fx-u*&X-p`01fWA^xG@vz!pRRh;T96)(VR zjrG}4oY?w+%fBf1xn>6$S+wEgjbmQ7wnMUj?eXPELEszsYRZ3E8dWZYdk?H|!MJKC zIYk^dc02@^pOY2yl+gtW@P;MZ!Qh4#YGP2=qaePcA2*(+)wB_Xy9(zo=04R$rJAXJ zxm;qfT93g_!i&%*;YF~J@FLhqco75=UIZQB<`ZR-OiZLj8NuRMbaKR5CfJx`86C!@ zf<6yNj=Ff!fs&ZgAVnn$40&-@v1u^?uKwfF+%Q}4@amfY=5(h>U~^ls@vhz%4?+#sB@@i>LLW(=p5w`?*E1RKEl;c-1`gnJ&x;-iCnE?IdYsH_@1;q z^G~FLnZCDCceCliOM?D;aSlC)CMU zy{^_zGLq)8(vjw|%9G}?(!%OIRtC~MR$AMke>+P4}uIf@8k&xghJ_g4KS9ugieFA0xVpM=M|orK5BPr~En z#>Vf(Jzw1a5%+x8n!bfqexiMcHw1(fA0^y~0g14mH}#SW!L&8vQ<8Kkv@Fx6HEFw{ z;!4JKd&sKMbvk#-C4x5$D9_QC67d@^em!vHB0&{yIMCF{CC7nurnz>7tT8Mdc)nZY zeipj8HSe%g`ytrhXRqd>RScbq=`GGWC9vqh8J^2mi&$t1kJeI^KxQ?Wd{1OG!nNnP z_Z{x~YfbMUvA=S5Ar*8_I!nGvPC*~Gbe{i~91pB_I`^}rr$E?9gXO4dA@Xuv=ci4q zn`ayMd(f|61GiL~gx}gXqb#lCTdeDjLr#tQ&1Whn;C=OqjYQT3bpK|>a7K1scQ zdtMJ7U;Vi6HKP_-4Z3~_kn=-KoL09jKdFMP!OPYjdu`C!{4V`5i#8lB*PKy0s0Q55 z?*gAiC;&@n@{!3o7ev#uS61PxEJRS`7_4w8!3NKL4&42UfXlxj|DmR=K36cPAb+RI zU<(z~TTE^lxxl!0Ie+SAC(zuu-rkho7PLNQdq8~(_I-*wzZjQ)bNZg}dR=MYVW{L& zxg`kQ>KQDP%_{JoOMl*LKpbdY-MKUhg@B_$?&;zCHvb|2n&@bu+sUibg0Rn7CEH&` z4b-27aEX8Ahtx|8Y~(f~aCTlQT1Z_B;quRJ^u0lD-T)rdY#vmfwgrdn1c}BXPsB^d z@!B$67lP?uRoC6JLptH_Zw%GxVZYZ_`3WKEvm;5L-AVfFOw#8tl0Lfvzn9s|LkBH@ zCCii9dXEbzGw|KIwZ$KaUrEjjd1DOEd*vh*+g;JRl9`rk`KEwt57(L=*MGy+Ph9?S z?K!Ug;I5AwFIu%f;w1YcNU}dBB>TflvOmHk`y+&{54iiqr9Xbc*0zC*7ouhTG>TPu z(I(cR-{)#LVW(Zcx)nP&{Lo@~WE(GzuDZvi&PFhUzGq!`#1;qSp8G}lcZv+0nVyq+ znnr+N?m31?WhwYP_ulSov>en^9CR6Jm&T6&gI0bqfd8RQgVTCSNNcCd5sFJ&iFHH~ zm!8K+fbflDFY*yW)+P~O2KjWc-`BYBQ{4D1ZhsaoKWk0DYR?@=_S~0b&m&0o+?Hg| z{YduQ4rJJ79`(L4LMI35+z;zW!`8#+C|-7Gqr(!V?VWDQ5VG;5vE+m_xDMHBo*mZ! z-KejT%MK=R;F-dPC%-h{g5;;y_tW(Ngg@n7J{^RPk6XB$a?k~dauvcGEq(0xFz)}3 zOCOQ5>#Pu+BgpnP5oVgh(C?iIuLZ|!A@avwE?Wb8I7WZsaQR7MeUz%rM+#R<2&Fra zAhJspEeKdmdPEAtI8&!S^P)It$;l4gdLjjcbhn&94`C>E*iTmBsfs9R#b3Pq&JWiV zKa5gO^TLIskngz>dMMI;G$b#E7ibS(IHP!&56tSEXau78u>Ch&{mI?^S(8b@1m-wW zwI4O>fnT=F%56PEP|Xxzc@I`V<#c4WnBM@(Qa|rr(F{dvO^+Kt#KqrOYyNTNk9*(A zS6tnhwvm9k8dE<7v>;H?Mug$J3fSa77`gS`2c>)v^uBXc6U-LYeH->ygQ!=m%?$^&AydZN zD6b&`-hA}lPbJ|DdzJIuPdn*=bTEH0xoHq8@C#x2d5Va$xv5(ITh|VR8y~ylE7%qm@>`WDf)qIu!DWAnb%4hMD z@>v3;d=>{OpQVp**Z-%}A53(KY1wE9TOW@%s@ti-+oEt3(It>NnN- zGpeF6?vh$(f;F~$aP_V9r1P_0dl@)el$9W9x6q?0MLu~d*%+y@1-FM@lm!`fDv1Xz zPc%)ok~MOxN`kgQrZ88oG%Q^*`#~A2j+7d^B*wSP!6fe^=@Ll^2%3My6KtoBq^6|Y zyYq$NpMGBdbpE>xirpCR7z1D6wRIx~cEBA|pciq*6**d$O2%0lK)985(itBc#J}A2 zTfg&-ChmT5^$pv;VcH*D{{N-_pY1uWd{*NjQlxl@Dk&bKPl|_#lHwt1qm7#Cz0*($=ZYl)v{_LxE7`U$n53MZ7?meD+OPzyedyywuHH$k_bYFC6( zYGc=@nSA9TC=e_lOeu56$1qPAeAJge854v|LhmxTMOlIB$Z5(bm4jwjfk@tjEThDs6VN3+z8pI8z@ zi^2y>n@i=vdEO`Toi0Cm!Bn9UQYDKWFT%Y~ap~!svZg3Lv4O;hk^U$jGtjNv_Kdrr zhCYkXt$#Mk1mEXp_xpLULW61U$uKV_h;NGiDF2cS0yE1hPMQDe8SbZ_`R2-pcF0Lg zetq<-XUeg4VSn@Qo*<{osw*nXJwGLvXy3Q7qoO^OggrS*a6zV5`0)XGq(UK@e!ZO! zfk*Czk2RvmmSexrlDIsn9*luh4@N_(2a_k&gHe;}!RSf#VARIUL$ZR$ zlP)s}xAx{kr304awd9lD-?VF14ud{;1?yYCj#Q!%xJS6#Z!m9jrNb=`|Rrzzn zs{A=Xq-{N8m!=3v(ScsMFfU4-GnSJh&bv&F%d9fu6@rO344XpuIZ&U4=bMx!eh}Ea zrKMNh9Nb1i_3T=$k$h4*8)1Vn6eOE)ybd*nq~C1Sy2g$u&20m{;#FNxJKl1%^s_$l zxu_@ALwq-+Ok5UA>sEx&b=EIrPRRq6frs0pJ_9sY{>Lh*{RDtit;nh@6J0SHP$G)vLI=g6TTJ}TSWl7=qjn& z^8|Rmb^Fa^YZd4|Q?FDm@*EUWG)@K%%E5(ese#X<_Al{d|XnHM}<4 zI#@cS1wKCtieGp-pk?tv{wKu_$Y7{F?uxn+=nr!4-d%2hy}nb-OK;bG5wPX?;R^>G z{ee=e>D`5(ShRoWQ*QjiZZz#dxUqFI815Z*j!AwJg}pv*zbdYLjyiAh?nux^dPUaO z0@1RN8O|$WHY^Q>TgQSL*2}_0WyuR--==#W@qE6leMSL0{(Mh8%j&jSB|0A7MZRxf zFMODdqu~nL5Be-`YJHO{5h0j~_E=gzNU@J3IRzJD*T>@aN8sio{x*8td@gRiDDHm8 zZypp`NQr>R@zUoEn^NKE?Ok7auJ{2<`lBHe>NGfY{^R}dcR8q;=e&5qt_k(3zSi`(_48}Z53aw2%MYjV*RCb43dGpuCjY}R4=9`qa{8|2!_UMCx4wu96xbx) zP`r`{F=5HUd}amEZDtsoqwR@4xhhB{ide&bmgunP1Y1ZM?)QrC_e1%GJ*t!WHb6nO zB|5s(5<9+uTR(s+AKdytT>bB9>b~@Vzz=~vyGJQcX~DwnYdh4wnSoPEXhVUEEgau^ z*)H|7J>oFD=*Cd!jBxAoarx2RefB2%gaFK)AXgBX;)b~+eKcpb3xL<-v@5c9L{5B)BY4+_Bb z*b4`}UMa%1ia@g~<}*DZW1DBFQmwJ=8*V?&{X4;A?!^9etIaD%TyEK-Wa9vz>q17L zN`5BJrOg=R^18aOM%y6zg$pvg&o!{?)p6@#aN}KPdIp5(skESfQ|wjG0xh6Qe4$pX zs11YfWkQ8ri1|EL#3lOE2WhcA){!}_fnBeHi$}rpss9HZy$ZZ0H&_UKYYpd)lgTNT z2cRj*qZ7vFJ}~y>Fx8L!&S+z#(!g8d953AdSq1(A(UWXEu)yJUyk$QpShj{}Civ0YN9S_HipX0`dao4~7JVMyd)ezOf_7~EciqKIh zPFE>jUGyqAl-jnE0G?^Hzi+i|fWFZR>hKXoAoD5ks@!t{55EI9Wc*kO9t8sX-feq5CfJDRFX z#5Mcv+mfh+*qe`y*rscN;_L--)(!;IsUeoBC#})lH-{W#Zm0k*UJ$N-i%WmNq$;w0 zw*VZCRV?g_<%c7*6wa;m>ZsGZ^0Y-fANc2e3Mh}^2QTqX`vnRil6-la86a+Ov&r5=?DrnQvhi{Bbe1MAwj*EYS>p$c6L*e#I;^K|q z=J#>)*SPOH-1jvuJuY4iZoUb(UJ;l7SGOCT9JkxTqjO^k;emcgs>!aw@`Wv^YqdVl z6R`oE9%UIrEk9)2FW-NR%NoQlex@f2GY9*o8oD13tUy;&vcZSZ5jEF6j8Dn6N3u58 ze7$s;Q13%Gmy6rXpyljlQISt^u%wCTjxtsv-*=m;(;UoU+lnvqqwDD~Ush|Y(!U!v zf7jF%*clJ++!>s=nx}yIeDeL-rUcmXW&u%HrogqJO@bGnr-9Zd%YBD365+OsZD&k= zC3;3<^&u<21Sn=*Tt0p|0KN3j_kJoM*6XMrN}%0d1_Qy26t?+Az>?NGCU>y~Rk}nc z34bXAdJ~hyt+OT2yMMBH=xZ6|zg6BT^sNFG1G~3nSC&G=+b!1Bq8*6kb9-UPtsNjh zE-GR)8Vr58<0ndQ?;!S%bnDbVjs!hFdX3r3A;5d33Z-q`Poj4x(L0mq-AVLbBzhMT zeH!ws7HIqQ#22oei@g3s)f>h(X|Vb}^@ZWbwHu~m13>D~mb9Zo-q0%+DrQHq2Psph zrzt>Ib21S0@8CQ4AQ57p z+>I~Fivvr;trIE3iO|3AK;L$TouHbwe?reN9-_Z&QV6E1An`*W@gqy(hd|;-k;IQI zi66WFaKC@P{;GWb9(r6nu2ueRN%FKN$|CIOfgH>#C&~)i$RIWudD2+53iL%Fmwf+=A_GtoKu%5NQ`7s)HOwjKbGdhU9 zJ}y7F^tk7{O8@8oJFfh3-*>C=UMo_4R}!hd%Z60nWl5^<@*>rDSwduT(&P058c=v* zQuE4$5At8Arq|5V0rJKt#ahG4koo?T{z$q{2QG87Li*xcN3q z1`dkMRneW&2Wi#Xd=SnVv4NFb0_Atn<&?bQgN34J zj6Zks!&8bJ%Bvg#aCYzUs&jPgsP1{d$1lO!kiUiEi*-#hEpU317Hz7c1rc##UCUltu)*@84(oAEXy0~L zg~PxLb;}%~XlC9E?o}4aMS6KaW%}wxmUAAYIj(=Tw>%Fn|KgS~nau&oHyrE*JIw{5>9{l!l6hLg>d_GarGY; zFV3VZPM6Zs2X@)5&n)=j3+ejhukLn4qg}St@ww~~=*`hyFWGzkpg{Yyb;;TbyS^?q zw&JjZm>sf6St2_hp^M!7>9(xj8-TdI^531V)`I3(&7?NnAUO52@`dc6Iq7_H@5ev4 z=eYI<*Z;)z=W*+2dh&BO6>iao;rS6tt8znBe5rQ1jaCngr7t;i#_2)EwqxDbuG*qu z>CK8=ht#m~$KJn~{8Ini5E#0xnmK0eP{g|!Yl{q1V09=`-oMWb&Rs!dn>t;PkMoo3 z^F~^L+wXtVLELro0C5fw<&FfhulB&pDA^{;m5qLe^{!lf9|$+AHii_5_=5Q}Zu%RU zwt#zot5U-}KU=Mm8#?LeW!!mv_u|LM4j_g`VF|$TT-G?mV*-`1HM9 z7Qmz&_>f#BSIPv9N(W$7*F7aC2t;YuK_1S z{`%(B4R>?EjVIvFU%<^Tc2`@eRvsF5>!oHa2VE3giN;{@lW=NAl!u5 zQ;HHnM~y1l`dd645Zdh^7JLY?NG$#cE+M{Ki%x#eUiO8HTI%^Ji2>kd`FM=`|6%XV zqq+XNzH!k&=6Rmyd7g)3p67X<5-G_LQ7R&{GLNN%gbE2o?1Z8sDng}{W=c^Sl;?9_ z-p`-E-};_wJw5BX*K_}A+3T$RIq!Y;*=G;0*Owh2|3~tums=2gj8i1PRg;SS-u(CW z=b!tBt_22X9Thd?qqRz7lOqFiZEd^_C*|SJ$K9v-N%N=O`?QyT?OyDur@vj%ny-Oy z;|E-M-2CeL`l1kKJKZMPDgv&w6l1T-Ezl+?03Q`$C`;!Eu4pIC{81qUImP-9 zCco)|sN?p5!iQRr+0GwpQ|F7svyBC8Wwn4KB=e8M8*PYQO<`@XC*6;j{3*Ec_B4ge z_q8?&$T7HmdHzTcD2YDY=dZXO=>_kT{Ls7;IS!t9=k-+sZL)tq{jqNkWUq8yet1J4 zVwZa^?~}Jghh+CoU#4b(Z%o;hgYG(DGCzw(zMG+?`uNI|dl2?}VcnlFK&#Zf-P;@) zpzSc_OC3H{B(^-I_&kRiY~DCTnYu6nUAex@p+;KR`-@_M?5Y&JUW!?=5i>&~Yg&8{ zjU>?ZU5}(+bBM#q*UQGnNxCpd)9-7=APnyYq(sOhsetx+yGYRiN;nSL&R!Sf5zoGD zqB|Nk!k6j&jqlc|AR}6#s#1S5e4@D=r(f!VCQ36(wd1vcua!3K;a{P10J&!jWc ztsvRU%89i?7Q&4MGFgrGp>^uWn9Pcx=*@w>8HV#OM`cl8+n0w01~n zJ&8B-Cq?GQ!?O348n1vuj@7X>31ROx{{ppb(%6v_2x}nWO70-zUPfNon>L;$4>G)m*uei34L^b$Nii9$jXELc>Wbx zXgAbc>6F(;68mgU=L8BMzbnT!FbgYynCm{%eLrM@;lo2tk5o7KI`lDyE|8SZFzK2J zq=`orS1&yFd+h}A?oZKGFGu+BQtMJdwIg`c4QgI=-?u zPYetyFX}xb^(h~GmbANfMHKt}xX+>Gg6JD#5Y02XCE?(NF72i^HNIyI`a1)UQp*{^ z<|DH&n%mrwVb4~?RAdRb_-~3{L1Jf`+~EA76GbuC%pjyK=*Gc`7_^)9splxQGaSqH z-L9l*25)a#g+3-;D$9&g+#IE27|lv81@7 zMjE=pd2sx~#~8S-@~HN%b`(4cZk`R=e+1#$KdwFC>R)gyXf7bk8Z}c)mrZ#_{ z+i96#NW^--W{Cj!OQzY@6*9u%x1;v^oS7kluCy_cMjPSIkKpPv;mxCuv@Jn=n`(i= zId>G{ktTVYq%?onm_eqxm77nGHEIt%9ihgjPuzEs1plBD!9OTP@DGX;{DUe4 z|DY&v8#c{Mgt)_tDAi8A=m2!_yv_YcVHbFHpLNDP%@x$hcQ_wz2u3X%`aF|fIbipD ztpDDB?hmiB=ec!s>%;w4(bc_mD)6;wZ_Twe3q(0`iRr4CC1THs_!-u!3|8aI-w zVc%c4=LI(&dkwUUjlS++dNr!~G_?}Y3fl9f_wGlvLbBAFryU?NCEoDbm=T=6M>CZ~ z9g58li2J_7&7a`fGj6^SSASf8hNwtOZ3e9hQyBY2~NKJ1;g1o^?=89nVbFxeg@ z&}I;Uc5f>xy(D4>xsOhode7Kk-`6y^s@y2XY@u9U_g9y`CGa_{O^fca0xzLxD+lIC z^f**1N&18>Ozr>he!qYX_Ibgb=dx|~dvK#B65`mSCo?lbfN3v{xaCkj+F6`3bbM+z zbZor)tSDm_%(=K{`F!04VDf`bHPRZi#ndUCV(idDjZvb~X)~BvEEpU+WDbu@)2qd} zT#@DNJ?*6r4dF)ilCN*LJN!-*vN_za4KW|$kBAg>fzf>DF!uyku({tQ(kB{(dVg`T z*WGl0I_(;-Z{Lj3FZKXEzFGua*SEgU4N->)r$D8FE)&FcnvqN)TLJt9CxgqG6kxr7 zMjc)}v55Uaw+H4kq5kw!$|SscDfVZS_J~n~X|3uhiFf=+;Pl2~Rw5t5 zLgYh8{apXbhcFZQ5LO}|!URRx(JZE_CQ#_j^q%exIXe7YSu94$9HH2YzQ^9`qfc|U zOx|&6fv=ytDd&2O)sP%z}=E9i`^cvNyXNj`zZo{60=?OOGxh> z>hCO+1>)H8Hg5kO?)x2g-VoQHV9$#s^Kg*eTRm> zgPR{))M9z0?@cJAc1}e-q{)O@xlPw{?W5684LP zP}I*Nz5mZ%XNdedL7G#Oi;uBcP`o?-1?XL)B`ik2?Tv- zcajssfWTp}Gtm#&D`&bFbYw(mBB7OU2FSMH%&I6irAv z2!f*$H_CHoZ!%mdP0yl_Y*9&m* z7;)tla(1RZkw1_ADBE4&R4Inh;t{UBZFTVV&r^{(@f#>{?B=|Ge>FT?q2jLZYJ=LK zW~(*soj@HZdO=}VF1mhYdq66621H&i;XNx60CVY75$)2ks37}B-aSoHy=f|o^(aFu zIyVIDzx-1{<=_TG4%RRl=~!Z zD3lL^+`ls~^cf?%tn6o7pYXzu?Hw-*=mkNz>+8N=IbL9RWO8i2$`_rjd8^#|!XEz6 zDL*#~3qTvkDPG_HVhuM{OI=R%IDl7N%M^|?tn!DY)Y3(4(}n$uU$ z$u$YMyJ7#`xds^!jlA?b_W(EG=6`VcZen=YntV4NgMa`5iAbF!hzeg^_2!R<;PVZw zr^5@;;d_DoWc^2==Q2*TY@-1pUU zX*SM|`5qGZsFRPK2;kn2xbIUoy<^YbI@uzq;@VzJiYF6iHW&LnSAtJsbyDM>l|Ug! z;m4n?vS4>1^-6J&0QUa;S-Q_O-kc6%Z~Hg6H6DSU_tmp~o716i{M?iNstg!-ra|H6 zmI7=WLXEPYHX_`74(|LiuK&TE*T9v(+&`W1yLb!uZ3Gn~H{9AZ z6qcYK7jjR?$`R?8^GSu<+QWM#$(Vb?!Z3XFsGHMqOLRD51?esdK=;F(l(JwUINX_j zvf`T#4Chj>u+ef7{MRJhUkVSc7nc6MEdlLEZT|_?I8=K#7--6wdw+s%@A28EC{L}}T z#tJ?$owbK?_qWdPW`xjOlz0()gFTwG(DrhUwuC)2DsK;k%0Rqsei!Ak2D0sYebhKh z2E-0`Rn(BqRopo1v1SVmG{)&+&Z8j-C29$8LadFDePbiHOQtI5CwKC_+ii&GGS%bq z4U~X8raRwKRT%<~4I6wNRmA3-zc`RsXydj z{BaBfe;hNxA4f;<$1xH7arF51j9I_K_0PEa$K>wvXxkl&0$*C+(p$*^k2jp@C$!I^ zt9qN_s#EiTFJXg=@wEcrfA%ymOE(-PYIZUwjA%eQdbe*dR1Opie)$Ufse?zg-!b~P z7U;s4#BFq3ilC_bhvVm6U4+a3g?pdc(VX}2eddJPxvzOocxa;G}6h#CEAIEwkzd~MfvCL^fOvNP>c1KT)rWpW3Tnrr z1V5{udp(iBaHiJHu6;h@F`8hjJ&8(v*bH92OM<(ybRlsp z=|Ceb-DazuhtwNRXbhiBCgq6^XLYL-{Kwf_*&NpgzwKq$~{? zD)o7NK`Ibenf3a%^E`Mv5|PL5pTyQ@b#$<{O#!$cP%7-ZrvQzbBMrwEoY2t?Eft*} zvcTC_&$T?Q0Ighc+xvy&u-|t}eh-c&a~(lP*jLWgT-XICpB8e$nNV2x`jEkQVY|e<4QB5sEWgXQWH>FEqWTjXHzDAymWK3slhIwIx=B-j%YCLseT4hI z!_DvgZNAa<_~)PZ+vD0ZZhoxli|32%kGqiJ_6X7| zrJik;_kjC$`;M|5_rSLQ^?Zc`v>P4bAC|F%x{s$lw|n^_*=FGzTb|kie}}EieK{*g zWgf5*>-Qk?hen8|C11#OSrJO^men!28KLFR9J?Q!Q3Um%9b$SeO7Q3|-(GfFW$gZn zhbns#H;OZ$rMapIMO_8>F>S?Dzr_e8JW6h;^5j7mJ!Wfe_bS3=*G1}J5!O zKj;Y`jSme>Oh==M#rqnaUjv|xCi!zmyC2-@*lJOJ#vgnC4>y%{u60(UJhVw`?rIt^ zv)t>RrOJZ0j9Y1!R7z3i=hTGo-C1yI_;so~k*(ZeDl~5RxC3Ajp8xVB^cPi~F-fhlMJL1&IHVe`zBRERgL zP*CYCL|^ph>TcPl!}lHZZ_*!>V)swt_A{^ZU1|{g)CvSYwI9JxtxNDzD--3k$!M$GvO-1*$m zmbn!2w;d?MW1=Qm;ym1>@;Onqs}%&&-if&VItfMzj%PQ$t|s-L6f1b_&qBESgZq6K zgYDXXQ8_|j`!b61wuVgW(OzwXK-443?!KGZ9){hDyvX@%U^H^=Mm~!hD%&<8bGF+6 z>KAsEym)7in!IGq$;gdBvXlSPo*F$UoMs#|D|bNe@1g zQA82iNG%IBPc4fZ28|IXcb5d4nk4j%%*1s(lSWEio}X`aN@34~NHo3LG+QqX!-GrK z?@vp>%TrrY!VC1!>Q3XIW09hu1;35f78Ou0-Ms&+IWg?tyWU@CfGBEiR{9T0!+sH` zQ>ziGAT<2VO1KN5ily*?;XiWlSgUh0WemQ*#l5dN4s^`uUlK(36$}*zNw~)2YR;iQ zo-iSvMgG_2xdxK9!9iI=Oti$f4GVL;UM-$j@TboVt)jP{b2*#^(S}I zB%L;rA>jzs@4u2O2`r3{PPPe}qlYG`>1~_Dpz(J~k+08ePY2D70QO}uU@O(wspG8$ zLDlIS_NVHjqtf#4=L6NiX6!5nJ*_5;xVIKO(l$r)%1XeqQx;o)T>pTJCy%?If7?EB ze=jcnNyvk=%?{IQAi4TdK~hZx;#1-urxh8YXPv`$axN$WGkf+Op)W?rHt^sm1-&w? z%Zm~6B80p$AumYCD--g<*#2-GZ}td*$D2Ul@n#WtyoCfF?@A!CJ*z> zw%Sj*Wq?BS(_Z&kb%gZe%azVZK$2#+o7B)&jylE5?Ch-}L-kjLi8LbHB zS9k6XV6sAMM?URzq*ee+N*9VD4>9y@|M#0KLL~gNfB8=#!hZ@7{!@tXpS*=y`nAC$6+IFdMjcc&#-L zTc5vuU*N8fEAP_c>S_EY8#rI~pon)V;LSC)wY#kfeLi~4s(o`AG;A1d&T~AAq}sRn z_VZO>`yX8Yfct$bUA-3jn{(m(Po4%H1`>{vgY!zMLN4f=^B5l(Z$)tKTnm?4E@Y{n zri!UKiLJl?mbD*$Udn>~y+1zJ6m`(`dP&)*NCL=P_g_^e-PZyoLvHuww9rHAY_IF@ zq_OA0aq%s2^}*dwTz+}neuny8Pi%6}rXk&c5UaLrDNy{ny(^+63G_aY%Qb4rAQ88R z-PZji9KKP`^mvmT)UM{D&JyMdn;-cco~!VIJ;u9s|7xc|Za>tj`Em>(?T5k++DUuJ zJojj`Zbl?_J^|NX@toa0G?wj&4x2SJ{A_Rl#`wM8d#ddq{YBQzb4G#a=}cCiER`83 zw8|x~?y$$Uw~_5Ty^kMJgRGtfuN`3q$bH8*<|YX-@ZY0P7FeVLzkW?^f1zuFBJ3v* z3s0zk`u97#Yi}5%TU_BIF8LZDcIc<;#~fL7#%uCLs<$>!U3;&}TcHUlYKgqx_NyS= z^XO|7*1rQ(plqW3YEzsNyzAKXGXJ9~(zS0r;KQl_6P2s44uxtW2I>~d^U{jgzZX}Z z^?JQ7d~xPwn&4E2Py2IzD75Oqk>>dD8`1$tk^0u0Rg)HQ#x7@Ml&WI$i$zvTB%S*b z4z&G(_hilmz(qajy{X=jkgm*2Gvktt8iqP6XZg3mr$fgqCSLhs&kNwj1GxVDZ?BL0 ze%bcsKGmeQ7O2^{7w^v^%_)&t{QkVz9o>&rrJUWO25&g^$Lx#6;BeZ4KTm}^w*BDt zZ{U94omx>bRwR5ntL}WwV=bmlV=9*tM;EEvQxid?uu+?GVL4uAxN)mm`-D9E*S7$gyQsu2s z_En2guP-Xt=Vd+qM@0OuL&X1PMEtKo#Q%0g{I7-me!=}-xaY;JS8X$=p(gBq@u4SU z7YScE|GNAE77Mh%MD?=ixH5=;=--kTX^7IUTrOSyp#r%3AD`1yEn{f_Yn=+uMTYcX zp)Z9=l*b8OJ31a`I-&)X^1oS-Eb0Db62Hngxc2k6_Y-&jarIwc|DV4Haepta z{NL6GcRz9U$Cdw>Jf=OzF98eZG{0xZia_)Qna$5dED;;EOu+I%VHjT?WHdS@21A3B zg+D(EW5-J~rqYMr9S{V?6#cJE0@ptX@ZawHeoPZ|s&9@*yi|kwcS8d@-|UeGnN&j+X?|bi)3XWn5M^|vgTE|i zgDSzdq6Ax8G7Qza6u{#{-ushgmPqZ6qMPSW8DQkU5gPGS6xD_dC7sKa!|pG__5X#6 zWREW9$ik#pzKF_s0mQhQvQK)11&*25=?J??!cM`e>x*T2D1mk#r>~R@`AnbH8XXNa$kgFLpZY*d;3)*j2gA zH?n94C$AnZc<|W=CDX{dQ@kMc1J$0-;fZnp^-h`}z1)^WeD%-m4c9(#`DlC^AE2m!f(@XU#}f%$RgnF=m|Du?0OU1@ry|ed&S}W z!7|?!QBm-t$hEj}#t>a8qW6p>;jQ~0W-RG%p+Ls|PGhQk!r1m^@8D>@!H4u6DLK_B zBsBnhRU{%vxD~kvg_WO+tHSUlNB`xE7HEJz$=~{^8tgU@eRWeq3o2yZ2<$zq4yS*P z>k55$Lw0psw)eKGf#6ov{Vb)T&~5EBm}{nvjh~O}KXLK8apnKJ>+`qc4cz^CVmf|U zpTu9T%NWloYAp!HH#|N@3z{OaICkeDV*!}^d4T^Hl`xR!ZJ*7&Du5kt;Oev9PyWy2 zAKdv++_45VJa=UzPp1TZ{y-w;eOvywsVozCuM>5XXl47T`@Scwf0i(fqOmn8kDV{ z??}U3UgttgzZ9rF9&tbY+6v*W|F`wW)#q>X<>Ag7;?|>a=MmQDyV(f-J_&-qkAvXv zVSfQ$aAT0qd&ibuaC%*a42~mx>?MS_!5}($2IE0!0uaN+en)`9R3p2bkfin=qq1d&i>{fEggRUyCs>f=KiCj-N#m?a@l1?-_}G z;=sAcRvu!e2utJ)=P!y#f^DBF)zw0A_+V^L@3%=DyIz3nuLN(3+~&Ec4pL5j6w{>n zo#dI}?gB0YWZTL@eMdqCW~26`)$kdkJpFsEMjw>HSts>`Z?G8zcIztD&zghk*Naw~ zR|AnCwYu8JL0d@P>TcP*LmylVo#{gyG_mWsvRZQK7saI@cSEc9wH_g`D(2)ow^b5q zx4pMM7$^y>IO-tE5>~6^Np%Ry z$?#Gp7l9iJtaV1^;t1ECb5h6hM|UQpffHq#6#JvVgG_mpl)aoB7c|y=9=@yE_^Z*7ihQyqJQ{wd%!P z%87*5oAC#NboYX>%TJXv{Ylv87x%p5;s@gPGb?b+jrYDaM>V4iKIMk;KvRB^@>Pcc zDwip2@ATGyof}_S$Uc<^ulr7V=O620&(q6Y$RW5CA8xK(kyzKhhCQl}koZB+%@ z9!a>LyRQMBIVC$Uep3S@U$;=tAPv~6w(vx_*ca`8Q0v*wp$>9KO{l8*9T1zMouo&t z5r_^XBr}#6!C0K7-U(iN^gA~1oL#FrJnF6C)1`9)&E|ggM|s)snfEP|rpsPbp_rAS zNmGhwGJbZ{qJW`gYrE+8Vs zBKvK#Gq`MwwVmvXN9fw~*STieaD^g=YL}uCXa+Eg96722PNLWMt?;Qp^A^U>VJ?012W|zAQpw^+n60tam8+ z@cln-zqIGe26De*4HO_d;;7+f0!dDKALx1|(D1hFjWkgfVDkEPCT*z!QsLvHnWof0 zxc(V8Uon-)9PF~R4fz$c(jFx7U!M53(nRg04_~Mri?xO5gUaf~QS+~ne$1c&s4)-ptKbkb~P=ZG` zNnRBEIop)p+!2Ikj{%4Fk7npw@kCWti6DHP@}sF37lzazy1h+og4p@PKkpc0I+U28 zKCwh>e;OUA&hH+%6QqJJhzZ{hJx>d}Xr#BE-^vK^MwdJ_^1tQ>?wze}H$vr1!Co(( zE0cKXU!9`5rwPt1atEHsn4tIO@3`_+RH6OuuZ7}P6>NR_#Y6PEmqpOc5@x=-Tv}-R zN+&bb$O6kBX<5TqV_wZqm1+n?jw4{p3MGOD!XDw=_kDhitW+4iB7=>YLf z1^c17Cd2el)&VHp7xvPd(H6-`UXtYDjt1QGf}6ixmuH4?!Ber-{0zXuwm;DBuo}vI zFIaT>Cp}aY4@ta|Wde(#=%%DWI>5Cb-1~wf^W#uogDi=M)=P%$HzoAfQkX>^H%9z# zc2J4bNr6m~?#Zx-*`DUmt9x4M#Ig0k-5*^2*Y`(=IA46k`7$QX7cX(X1c~#-i=Ds4 z)xUDGCU-}-B9f12nC%!9fQ0g@xoq6w_dzUtIga z-A}W(hZ=Hp+2I;T-$~;(Midyn<=m(O8+sYk`TSiI3+SiP@x9bzMpqqz?$T5-L-JU_ zEaMUn*apS*86G3$i6~BJMf)MdIjutXWg9!(75#iMS(F=uMK*F4d|)T`pP8udGZ6KC z6{5aRPt^CBi26P~_Wt0W7hHdW8z17Xzn-s?hqE?i@4ns?LO#hQne)L?uySp=(!@^^ zHf?L*2-MO+5ev*rIh7*V_S}4wC1Jc&4w9a19DQIZ4u^SE@2@;o0J@9%&_tmKjXTBZ zM7(6+b=9V}G94#`YyY_RS^Cj_{MVjIz2{}+mv+CAggvDnRDF0CdZt=m{^_=qhwUO; ze;>ZhjACb~|8(dggd0EO#>2SvU)=ADD_`F;EXKH10fsj1z2QfiU)~z`LOWkg5k@~K z>=O5shIj0UPx2QDKa=B;p+cQ3w7Gxht*6UEuPw7K>?raBjazx?JV&>~3FhO;m;6E@ zarAu4+3nlmnts;tiOC>rJbzrgaa_K_lO=j{>P6DP@9{q58EO8LZP)%2GYgi8t|wDb z^_w7xk08zT505xd_~p3r4~Y@{1>yvMfj+@spil4@2owAT`UHQ0C^nuaZaxqN z#g)g+hvS~Fbv#lp0*}<3z$3LH@JKBQJW?+LkJK95pVuVq$RCJO0aM4v-(1xdp>&ej znWn)N@#@P6@}E+G5h=5CP7=z%_L7(N)j0(selsBOG_(jj4O;?FLyy4I&?fLSEU@ve zaq-!3zZWk4Jgz>t^0@v#)5(|eCm6$-&2|M95eA_9_4+V9sh`GkcZ>IxTw|2Q(Ae8A zXaqIc_t>kt{LzES`?U%qzj`bw+ozr|e(&jc+-bAIw;3j8eVLy{tn`qn_3m08_|ap1 zx$~9_r4S)cO`0qGFL_E>muDm7x4^nQ6|BoEAx4T`6JfeMK#BWTCx2C;++v;2^&xrC zJj>IhxGxM!&REzsGUr0k&1KHdiO2uV`;LN$=gEk8UW|z6*Lv3Dd2%A2|I_0!<&*#Y zy)5MZJaT-ujxLg5%R0@Vr2tZti410*Qt;&ao*n+FdWiXfSs2R=F{nE3YI*8jC6ak6 z_SAB*7)l;e)OU#QLl@{eH`z5gqXWLjg5=~QQ0|J|>Z8>{aDTMVK2WL}e*DRbJN{(| zUFa+sv`{$@6ge-J-b|RIUEm~Qj2(_)c~k(B)Ldb| z#quD_d+%l|r8*?=wvM&*Yd(;5H)&Y#7GcM4>-B!fsM|xG zRFe!l`0CFk2}A=~*TW);mU6VkJB(KG;Za~g{M!#Z{qOHfLB!`|M0_qn#OG^0>;1Rn zM0~#1Q$LpWrds3#qUt{MLB+HPxKO9?2grv+R;%zcw=Sb&*Hva7ZYYKC?hkJdHPizx z-f6PXvnm7Q1&lxIpL$rHZyg=f@#t*4N?ohsK7#*E9*w0;#*i#z>Niy|$ zGfKfkJoC@!8x^hS`VH<1zbrr$m5^(G;r-t@a?z23CevtDmn?J4rMlRm;H3W7|3 z4yV}*fw>Ob)30AlQOc>umYuaiu+VPrUUp9y4A|S|^lJY1`v1J11(V|B-ex4;+v=;C zxv#`wG&r+k@_`ld`1bv?yt4>gB2O-_KOzqFRDEWnL893D<9@HCX3y6*)zqLURF}$a zm=t$dF8MT;>LD4u7wuPrHX!j!k?r3;sUmfwJ@m)(HKDs->z8hX0Jy}sZtQX80r^4} z;K(?qUhcrL7uFpR|kL&iS2=WCrcixMN!>xVE=la%E zA!6_5@6*Eypc!?BdF6>D6g^Q@OWoy)*6WG?{QLfG`E@=xdx9_6nBWWcAozkk3BF(> zf-l$cr1M>tyBV?3Ze3=)P3rdV8X^fCr1OMl_Upx?9OETH z-1GIf_XpP=aP@cVm8a5G;Dg84Dy^@OiKAj@^w~3zD|S4*J%^^IxQk!XGP@ebg<{$aO=6a`mg&p5>CXw{F^%A z-@FL_rb75Pb;7@?!lqpMkJkg7K}=L}%HPBb(KDUqX)<$yojgzP3XwU3{FTo5aJN7- zWzRiYZ)OGSe3t?Q-=zh?cS+*^qhn53a_1-bE)@vAOMYy=c-;GuLYjGvm-7--r}usD zYP*3{zHThC-_i=++Fv5q-nGK{6~4m}zI})(; zQdro0?T{?A6pb}5c;>DLkIYh;W6w+C zp5JWd*RxNvoY7TTKK4&fb-|cbX7KebYeb{icEaiShAP1K`FJj0mt>A3s9uD>zydu55=t3&)=W#acL5WiP}_`UyJ zKITxV291R#QY*@_Xx%0cqgj_?Ez&emeV9|>;U#%Ew#=N;=SXToknET`uv;E*{ZBT1 zd>{Wy1-QiDaqN4o44gcFRGq@c5%JaQc73vthCWwL>;6W0ICNP4r1V>9?0Pir{^Qn{ zaqS0J9ygzZ8=p*OPF;4bC3DI~xD>|>rJfWnPh$h~T1P`l&F zsu@;&sH9!FG^3-1g1T-?SCVj0-YK!q?f>YEv=nUL<|^yLxQ-q}gSZYHP};^E-lc{8 zy>Q=~xbYtDe&Vjb_TkXY_w5EKP)I9EIztie-S0Yc`xN|lqEZV6x5-Y4;^OF|tjUz1Fw4SMu3chXBn8gfs@ z2Mo*#!~QSsGWV=Vyy|NldBu^!aLzrCU*{}o{$h2xq_nMf!F;XJw#xA5cEN}7J4)cecCmzSr!Hzs=~zX5DxgVaPi=F`4t?03 z6Bcnt1C$OeqHr~J(C3_cv7)1feLv!!cies|-1`OBe=1vBGM$POfTE)nuC$sw;74{U zqeR0H`PYd@k!A2eju5M=#B)CQPG%!I#K%q8g8-2a;U)TS4T*dRFVTO?PxRmNVAl(9 z=N)k6m*&V!6a14A$BT&*$2$B_upbJ0zgGn$-S6waSc-+~+hUjM<(**q7Egoq)(GtT z6xUzjeqY@FUflIhq03F~zoHSxLsg1|VG`b*ANOAMd?z?_V9j`gPcZUzX1kH<8wi~F z8#Ep3+_C#TaQ**(T0DlkpSb!Tyk4D9dxwOh%xmCG`;` z>Rs?owAVu~lJf3d=M%%e-$#ZcFDH*0BaYXsZ5u`TAXhiUrRk0UlppvYqOKqS%)@-? z(k=WzE@Ju$iSuLE-*MkNM~wugXHSTrwp$r4HV0*pxoQ2)%)^?nnjpKmw}~AEg}7aR z7bA|~#m$_$=W5vVjJW+#xaT)olb5dO@ovyJ^!eTJzzGS$%^00H?AWC*DGf8T(LI;ilprM>ZGOX{3Q2pp z|0ovA!mF_G)2*u7=#5T@upjF|RCeUqu>6QCB-Va?b;isI)yegGzWeC~;(fFo#iQEj zWcJl_zt{G|or9;%$se1emsfM^85jNGeq-v{>IZI!NhNxN0t!ZM+0Fr1XZ#?z_RixW z4i^yrseFi>#1oOW-C^sQJZE%)XLlgOTPsj6ecklQ-Ui6_-xyAk_eI*uF`b|8m|)+h zxaS2|-tvK6-HvKobY$ue&47st6t5N6x}GuvYlgCv+7u0t$(8qy^0h~qJ`Y>c{57%j zW4Qgp2UE9K$kNgvL(A^e+(bEaK6FF=@ls}VeQdzB!CwN#rl#3AJLY>#CWV}Q>_h;! zp1!_6`si$zf4g_8KCDc$T91w!pl09Wzudz~IEO1&;-sIMp!~E`iW5`_*6rDbuxCWr zvngTEI|+L>ChXY^dmaQgpMcw6cj}CjQzPF$&v)U@J3pjqyshyf5+$Gdda`3S6uvWU znNjiyLq3ND)5^anpqDyTw$E30fKj;sx445cN|$*-H%+GmNt0AF1`P%%J%~bMSkMsc z%}0Owy^;kE=GuoM8YXDLsJd)Ro-E+j-!;l+O(Eo;^U-7PKP`L2Sr%J(e0Rs*>N-1M z-~H`)hJrt;$~r@TxIYjzMSmPg!#GF*f3dTxaV#j}}>OcSDui*z={v+J}aNK!kp4D^xw?_@ot+m3wRtW{@tlTR|HEo2_ zleT9rndq^X~3{BIGQV1KGfEVwH9w~WcXbvmx|C&$YQG3_n zaBET%7HKybwQX=IL%E(AoTOW(0U^Y*u<5~x-(uGiG8`LbcI|3vdZEIoxMe2q+P(~OQ8yis<)X} zJSB>KKjPLSaPODU{38tlid2xjARN@CFN|uo^lFNJA%~z>^_ny!KF12)V-}lIbWlkp z8&e5sPRHpe1**Q{1au?S`W+RXX#UjwowWiE@b2zv*Py>W?C$8`NDmK0OA}9j7HzS_ z_9u1|&nstlYy++vIjemyy@0|b{ZJKq2D-;~oO>xh2;yuWdB_>~K*V6|7Ps#^;BU+K zN~T{aHkL+4$KQ{36v;!fcH4>mQ7woPY@DQAR)u2z@XAs{Mc8;(+eska39Z|Y4`DwZ zg#G9c_Txj?j|*WxDzN59|M=>HC0Jj}?0iFO4o)7f7KPx6cAvcX4!Z~vk;gKeJTT>mh2c$HA*r-FMx|N$xj}B@NJsqLO zr+{srxb}l9kJ~?h8(-m`N8I}t*Z*6%-~Pzc6o+mm2;RJVIu;!@e##gXz8#$(DhuF5s{fFNZ~N2`*th}X2_FYmHvrBKNj!NmI8iS+}C^-2A>|5`tgSU(Wq%H!_O zHqZ1B>Qz;UIbpB(`Gf)D(jKtoP$l&l_vcz>>8ZftB76Jo0TYyIk|#4+r~)Y+mA~oy zO~6d_acRk%1+-spx0Vfbf+_8i2ltsG(2?JMt@)>{z;-%^FWSuPKTaMO@8v)3_u{^H zaNojhEk(*`%B1%8LNuu!^1z>?SyUBN%v-lN7a60z!C{FS zOC|VElW$wg9-9<(g*+7O+*V}+%U|iUtX$n7(1FvoHzo$H(k@-IbF_sj#=xgBQ?`Fy ze{6fcp@IG!&p;;?y?+&U`GY;>om;z-cY#c}TdRS73{XGZb8ob0I~W}0&F2#KCh)la zc|Rd;e)~V|`~HtU|7XwRh|W>_+twB6RQR>cIm4OoaXyBQZ^tn(VS9Ua+x`lq9Lhpp zc_<6yxF+J=Lyu#h7u@^(f4=Yk|M$g>SJ&rlMIp>~x=pfG1YBt;#$J_MpiNK!J}Sac zmd+7e(Jl(b311t3R0x5jQg+p?XD(oD&?0YJXAcjiO+@_EK=xQE))>CSX95-|Ler8qx+MZhm+@+SKfR#2T$MA zku5Dga4@}W`>)?&P&4N1e~W(yw!Pubm*LKD;^IBx+9$5O#?7=-_9+JNrM%A4-NXsC zJp9a^X@cPTq!))zRj>Ll%B3`28ff`V80E9e?f-3{ON$wBoruA-``| zwVOZ!st~H0&bSr;#|wZ>^1wDo_G|TNU22rMjBl)JM%sI>wYeO7Q4H9lf5TB-~YPx|06H2o>rb3`*yd!tST~_wv>M z93Ni$RO`vYFD5APim_aeivk>Y+9h?UTMc$?aCo6ms{&h1eZ9x~P0>QhGt*psO>Ddr z+l1mERjFn9ZS0>X*-b5;qje2SM)NnHTzu5nWdHv#n2f;m7ulmj(2K zAl&tJU#}c5cKXxN%@b~-2sAKWW_ z`vh86-8Ayj{QwL_z1eYEsTdtQU}m-KaRTbEf1x3>DMAGrjG@JgQBXXVORF;Jhc3MQ z#N;~>2doeE92KLz!7f(kJ3C5)3;A#Vlr~C2rh|m5f43C!x>2JvEMbgv>OxqQqs1VR zmO4wZS^++f1xK=xcn@&x4L5$kjfZjjLkf-s%>{&6qh^ZfGRibfC{DJX`25BSoo->y z|4nNE-bK9UgtWE6V<{=5T+je;^}$^qw_c39{tfv}Dvf)*Q3ao7;z`~>;O;k`iEWF9 zGbQ4iB0}ZBXA?ug>C?NxE1dmHTtfoF<)_BY_u~HEzrFvs_t)Rn2RGk^8;{}kcO|TB z$X;nJM)CLbk2t+L04$4ggJIyNlAk*>QSgw5w*hY=oO?5<`e}a_tm;ZnzOqb1 zf_458+vk1Z(W_5>Cbt7&!L(q=q9Pc|BqIw0PWr={TE7QQox#}gDsI0$Zaju7@8?w5 zcgZvt(Vaa)m*boXrEAWnv-Wu~x7GqmpT!>Qt9#JbvrUS|6uXh}Zz?u_RzHaRHnjY$BLHx}msp-A1bPcW(DE*3w_E}E zS;c&4TGa&I6guTI@6QiL^B)g)Jr#u4I|Xgzukm5?x8k06T=_%;;aKVwPqcJ!O;2pf z3~bWnG(XVVz_%Pe^AnL4koKYLhwxEv6nrVN!Zy_kJKo0S@5a?1_dcC`V9#FjMIOTb zOq^LUphPbW`{lVlDS*Gsz9(sKWkJ9^>N}MdFRHxj<$OHL0Cglb{`PpFgRWB>4f+?z z!zZ5e4u(TYu=@6g(&iCUbao;#nCG_w@NCFsd{3^7J@0@UpZt6B{~S*ScR&9}dGL9^~*1`ta;(S2})3!Kze936QWA^IVAd&coykhkHZ2b(bo zZ<1BnyK#FovzE zKy=`vXuzG5dSJb@VdcSgZHRo$eyOp@0Q`GR7%3ez&}Sa4!g3mNB$9V!)TK2D9cmj| z%i-G&Z8D#>jlB0pa&+%SuIvi}>WpdcI}F=kMsvDpqSGG~9k}mw)(67DrPkwh5~Tl6 z6wYs5^@q?eVb4^_ld<`;{`PsqwIAH~sex&-IA6Lve7|b_lWMOHQonFb<}o*EE=h1) zzCcz6b}WtyggWaWxmh`%?ks%%8r=QCy{~cC$K~h3%@5$}gZq7P*Zb3EV0icZanx;y}o_H-HqD_ z#xG9o3lDKda?Q?-b}x)bd;^!CXGj==VULD_nZ7e}8d4dmOD7S77UIZGKa^d>D6LfuE_HCp7zp*hA_dCH^Sj=iEQ7B{`Rjj zhwTfYMeZVY$gz|x|NTi*5DgI(>ZLOTyB&PeWIn10cRz8@%iosA#iPcxw{3suTIcm8 zAz{4tTz-@jlA9WP9yuZf)`JyghZ9M-m+5a7kPKa=ALEY;5goR1ho2z%{;$-_QK%s^t_@@Z4(SFF_G-ASrvoVdns zN*4>PcZ+COCgUI>)Ll7nJ`2?euxuUlKL}hWmW~;>B%t~uSF<`kiIC<=97?w|OQV6S zLK`>La)9tHk@qWHB;4weCIc%*Cipn~zu0^4aIWL8aafd4w#dxhd+(RM$;!%(goZss zMl_@{Q!+|2DhBABSobWkL&h%{&&9D&-2{B>%RX#*Lk1!d7X1!=XK_x z#y4~9=zItEf3f*)EIhW~1e;F`RiBOfdq|IPjy%z=PvapnpI6+c{i94ejqHXW7Ha{g z`KaW&k9zQT_ustJ56ASe_!sEcpzNcur|hG#r|hFqq3olvr|hFqgPMVp!KDscNyBY_ zRZTu$XpCy)y7AYadZ$|*O zJ_M`pSa@ta6T1%uOAof*bzxtv8S&clLvt=s5Nd|TVI)LV5mgl`KG zev^^yukQg7=4n(Vza&8Wo%%IvYZ1_INK*fCN`$ya^-^EjC=MTu=`${ch=FuLmHH12 zV}hjzTVJtx89ER8plue*iE$?$7=OhZvWPk>k(!qlL zS^R!vhfiPc%(x58_Z1e`vZo7>FOH4XBT4M@dpnv1pZ!vUI3usVdk%)A?RE-#&P_%1 zybhU!f8vVG^YiOcd`>aySpe6#{6)rFUc}aD)%$c!OJIsjq4&tPg1!-1X^|ppw10v< zFKm3T>X%ITic`K&@W+9^ZpTK*u+J*(7~DZj<9c6RWby^!_e`Vd8#aJFL*C|Kr%-~e zug2PE?E7wk9tTRlzX7G+--*)iZ$RnyH>C9Y8=>U~8^6-cJwt!q^&Yv)5IAzip#mI@ zJIj@2&O>3>hxN3yl^`6ouD>DVBs_V{#+pV|1)rt`CC^`Qg7)46A=%ODaI&&}_3l`A zqO8_lbd}SMM0`*)%;eI6A~zHBQ&J8v!MEZy`yD4xFp;}LC1L;x6Pu8B zU2_2C+Ps=KO`1^rE`jfx`UbSVNAfLyqw<8EsM=f<)8H^5?0SxgPEma1*n<|{;2*Yd z&T|Ew@E#N5?>yRBudj%fXN?z+&9$B?Kxb9xk;L~pPxI!w0VI{trer!pNuY zz=K*rB-{3%W_gz-VC55QKe7ECub*B#SGIh<-}u@cgFXE=5NDnEr$xaYd{(wxVC%92 zS=C<`9{jb1=T2`<`1q~|6B>>ucBeI9?dg?V=akIIn`<8}&xmTlm)-=U1Q}K6eHUzB zzS^9;iH@KCovVo6$Bmu;Mjfva_Ryah%(jG`NKB@M@3u`>Zm(tnS=J9f6k?d*y|PRF zb}TfNgKe7}S>SRC-H@(;8WEp*p)_z{71(}sh%np03QR{0 zWRvR{fphyK&bKlPtqY{0$zo|oU?Bxf%A61}~`J0Ttgg(?Uh_Xz~&jHtL&F(%ey^&z|&tl~V z3$Nx7?m&}a4$Y_eBS)kRf$rZOul1}}V8{=@g8a>(EKrJ8x6TOKn?v;i213yL?y>rd zwYOOR4a*-aJa(UN&&KpmQaS-3oR#+X`1eilq%oo^kux{jHGqtg5h0$r612yqU~!GXna2e9;G>zA}c9#oxdG$u#cHg9}4paN_a@5|^PXn`|_eBx_aQ}V^) zGf%Fn8Z_ShJ63o}75&~>Zm(_Nbz~=$1(?RZX4_3}I6v@=IvNd6*VHHE8>WM5q=xsY z={5f6ULD*wXN)uQFU6 zf5p!;F5`Wtq)BzyCbLnKS!N^NMe5B&Nx`sxYo7Es@}&v7g;95$tV z>M2;g3C8*LZ_VC`fTiZA_H4E0Z9{Q*=~dwHVXY?N`Sv2Mc)o93Ch=n#aTSHZ$QUpG z9##_0+Yr0zJ1=10YR#PU!wktUkUfX0<3aRtM3{;T1L?Z9uh;uD3^ds2#3B8uc{mdR!P>^!vOJGv~5wSepDry%}{b#MO z`zmGV+rTgOg-IUVtmXgZ9#?|Rn%jPh@|ls&K+Xg2W>ujqhAE5ZmjU_Z;G%vmUkjvm zncwk!!Ukz2Cklb!U z1Fh6YGXaX$=zU=e^)tf2==O?jFk2A3V-L7pUnWe}D#c9tN$}6dC+K4~uht~dg0xf` zAJ?Jn8}_`g{w-GivHO1)PktxG7A$(u?+uZkC2$SEou%eWYN;rrNds+PWlc zjGgU3sVHFk!LjkK&o`t+sif$E@miy3K_VR-gly-HXB7xv>?W}-waelA%Y?embM&w` zQn8}cfEGQEbix0mqQrBkDDfOIN<8Op`$9Zt86}?cuN|9z#KL3kE!Ka=%Fn`i*^%Q1 zJu9ydslfqvt;|3zYtVfgA|Ufq1(KR4*U~y_!kG#A2ytC|@}J#DH1I^IEav1oD&XTx z@L!)IPWF8fDropK*M6+E0~6NL-Ohl?i$OXoBE`t@ ze~(zp)pAMS%(BU>Cw#zZF7_1z zdqG4;_o3%NE;K|A)a2WQlUs&)jDpqW6<2+NMT^!k<@!h?h?K>`#iHA9bzuT^oyZNdi%9c&U?OR3b%BCwYNkoL1Z7%?Eym!35 ztQqZ(neMf`k^Dmj=p-z=`Y$^Xhv>^;RBvVBblZLz?M|%9I-ROpec2%>kC6Z`RZCN7vT^AJrTFRx!Q(;qg;;i(19qx z;>YTjreyz{f=+RWo2r*JU=#t5)&`GnBe5;I{i-`bj~1k~7vHt9(p=Fa=J; zO%$ubm|cEbB9$+>KGb^2@2U!L8Cj`otx<*NvcY;RS4^NRkG5ldwKh7Rd&u@XN9Rpn z2nkxlHl^nZLCIS2>X*_XoT&5H?(Z7V2i|`wdWTnP!j4e4G~Nbta!4hc$n91IY(8$O<2eVM^Nbu;RsdnY ztNmI22w2oH@)cdHB*Cj#I~!vsrsQZr;)!FT%081kEyQ#9WkF~v5it>#q{_ub`CalJnH#r9eX-C zH=^i2$!D7yOSH;sUC)*Wkldhl>W#zUFuu?EONFr#TxRD^eBKiQ*nT}Mf3Wb__|M2k z`a4_RsllUF6_*E(@RJ-4aY^oFM!@28;LX(}8=}~3C=m2one4k6-0pQtjx;3knL)FPTjp&rsG?IXg4`AuX z!eisHSoj1EA4WbuLudl+JA3|o)IVkK_qJi5KD@oOS#@oLJ(+u!#`vIe9hr?1*S&L6 zXUWeOOF#BKi;V{^%=6g>p`}v-_a}D1@#d7g$KR4j`f52hns;%8{?wTRd=cTG(X#q? z2X6>^{uNdqPrq?E^QqPkuAVS4>#OjB?>Pg?I#JOi^TXvd+GW0n za{1YyW9P3_&ol1F*@YBS9H?o4l#5+B$j?`yb+6kso}Bpz}Wg; ztiCI)n=7<9WeFXhTTP>9Ey%qUexJ=BnLx`I<xKNdUK>b~ydjv#vwi9ar6+wM!wD+XM*@OC8+ zEOiw8#vDM;>~vxG{N5=nJxdLbtp~u$^M3}v3ascFU%Y0egDbCEY<~%G!qY)-_P1dx zfl9q2bm|5@*fg}<+CZmFu>H;p^zc&fuchD@r{L$J;OC~`HzG|*YY&GwOM-!Uihc#N z7#QrL30S*P1&*$mRP0O>1;T9EuXaEj(pxk63vqW8Wi{&TQ-&<<;m8>d4}MYfe5dqVCxiNZg}`f{2#YhP0G!H|61rR^ z12#w1pL5#s!?g~#&L&<#@bRnB3f*T$u=&H)DgB=xtH5@D(Nz<7LkCuC~aDRNg$g88Yq@hAdnrnW3Av~`MNYElXcteED1;1 z-?uMPgrWV!*L6cyVldk}JyaPhJTEVd)%^?#@Ze$_%YJ8RFgPKfe_*=_8G0Y!ZM#=4Fuq;A)0ynaar z-V5J&oD~QoRWZLbKZN#|!#5FsEJtgv1ME~-ck7Qd4u2R#Pm507a5hx9D|e3$xv zvFC-|Z;r+PpTRF)KC$t}1$q{bf8o4DDe^hrXZ&CCIX{2+zvNShBA+4@`LssY*J1gy z@SfsIAFc>yo0sdoz85P4F0lYs-Y(nt6>xNK zhGtFPml7X*VB8}wM@iZbGP5V1*feL5)wi!X85jD2?u%_vGGm+2__6%oEP0@2piU6v z`@X&O>JR{TD}hIw=krAY>x}9-nfRgGKJV*413{Rv)QsFADn-%X#h(|J9xOc8KU~1S z`1c6*e6jM3rDp+t@%9kQPi%ZCstJ#|7@%%ho;~AXXQjtOO^kcob4C~=` z*SL8Kbv=C5Red@5au-><#_M^3{Z(?q^3sW) zV_*$dys*qp4W88pNsZ6U?>$4tbN;jQ#mWN~e)0Bvsp-e+)D(O)F{k`Z_X{>f&n)C6hM!qzB<3Lf!xu4=-?Cl!t z5g-W+>SM1(3hfAXo)5O3=Rec0#oK@Ed12!Z3-}kWUs0k5IBK$ZL5H)Z=EpNGuu10$ z7%2Fnzct)jX>TSM^hkEyP(Q{E-?CL-#CK?rnDY@|Ro_!VPA{}Ye+IvJ`ONmD<5!oLgZz_y zSI++uhn)O6)dVUFG8S`E^h>!2wD59JakNW99#G`*HF6>;E%-U%Y<(XXmwe z{MdXSHXpat^kef!*!}|SzE{m{i8ltseTgl3l%LD*3*4Hgv(nvM$oHgp(~CD$$-cuA zHIHxl!Rb2>ht`E?k*h|(`^Jh{$>H-_aU4|=Fvsyl(3ww%FgGrba(E;Td5zn)RdI5Y zvx66hNQ)T7o-F=+vH1loeA&v2mQ~`)aLeLh;B#V1+*dthez8&&1_XEeMt@O->*9%0 zEFM~<;@yj%0|ImXnm8a&TdIk4365vRIS(@_!(==pot_g8@m zuV>EiVNzu`%e<9#7yOB@yZ;`tU?N=c_}`BQh^8mEb-|kyc(Of3j``qDz{)2U9{V1| z-gj7e#=^_*cJSZS1_e@$`o}!}H%AtJa#%juC~(v$C`UqE>`+m8{=Xk_bGR z>Si@A6NlT~&-4F`i=gAT*!_Cgd^%Qsu>bo%jUFsNml_`1kA}S;vHdkz{MdR?Z2c;h zo@TDYu2tT zepPHfy|1{4`dr*f*nXY1B*(yr9A)o6q86qCyLmzsTU6+Y%wy_e**<-epyu(+s=yZA zPl`P+tbc{=|7xFlC9|w|e*Z{gvL9ddWc%IFQGtJfhD4%Y@ULR3HaH%We)TdCdPLmAX`tGuhyHepqwq>kGd@y)U%X!|J zDkj+ZoLG6r<`=N{5tg1byQUqVSLlGFx|8GkGya5bC4<%K51R8%R(fObMs4W(7yY%; zUJHzQ*9)3uYXQT!=5d*CUSxNWVM*gQ1tMR+`AU6RVH%gKVo>xA>E;=ABz(E^3jO<(|h2Yn&jt{JHBV6$9|F4%7+g z;3c*eZUbckuCUbg$qV|pbo1-5@__YMvHFFzw^(>=yaKE5*!>k*EGb@GCu z(10Fg{-G{q{-FwG{-F+K{-Gyj{-HW${-H8@z8SVY0Shk_Fz21ct^{SL&0A>s)ksOT z&ZENna4ffBn49JjEz>dS)6yXiu{noD4 ziXgSRQ7T?ko{a4p6!D(lYlyv1vHZcpW91DiKiGMU*z>~r16Y3*tM6END@Z z-^hk^xYHp0S!G8i@ZL0AugW_=udVj7aQeGU%KR2~*f;h^_L(;e9CU4aX!Avt2*;Ui z8B<_}{?76!YHl`o`O-tEYnT~2k8<BTp5+Lzr0-qblzTm zs(Q~5T9!A_Ft({e+aIB|&jU2zKylKx?P7X>?GHU_3Mx0gTaygiqVVgxH9?{#sp~?J z4ybK@VsndC88u0VAAbH~b<><=C+Qd(dNw)KwGI*}rCQZFk zp6E@lu}R+`i#{*x{f>pl@@KSc*+gHqAJiVUdHCU)JILScQ98XogD`$@5x@S;52ow2 zUkh=~&->7=+ddK;fR49d>Cv*vnl*?}g>&5@9}HF-6Pcm3&bhPdkT6YM^VwVpXsh4k z$ZattjzPsbo+J4EP+0stW^5H1PT6qcUre;{Y$iO8p{_OcJ423{ZqTim-VZh2eUq zl8RY2VClimpERshlq^0I05fAYF9wv|;a-(u5pSh8eC4pX-@%Yh%7+6^H&^>YSeo02 z>w7O)YIyAbV&S!aoNeh)vWLsm>7q(BPGqN_e^;KN9hgb~x?6i|J*b||Wz+t)k!V~U zYc+GWLfb1WJy`uc=X#dw*;hS~ey-^m9ce{aww-j?^p=3rtrySET+o7NKJPN>1#QWD z7?gES)I#ec_I-+l$HpJ9@K}1V@C)a)`1==ozF7FB&foptPEV+-qLTUE2vWoDbTa*H zB!pY1NECmi2dRSS4LvhqK=UhYN_04#gwwCy$CnWYT#vVR^oWQ+o#gBNLQ2x4uuHwz z(tI84`2LYPVvRb~2ozAW>@+6I-EAM;-0=I4u%@3m1b}Q#Xq5;_i5^*s=XwZ#Aty6d1l7GFjtCBw4R2-7)n;&tt*H zC$aEY{->}WDj4((BFFUk+JDY$C&@3$_N{X8hURry!!^VQk_SB$trfMvjB8sxubVe| zJ}~xuH!yT1tuG}Q_TRLBIm?$w#F@^~_&f*%=BdV0)=#!Tu15LZz#Y*<ry7iR`x!W3Yp)JQ2&0#U=1(a>z=gvQoa_3%2sA<&yy!JAtrwwhOYr__-8yfAxJuy zMt$E8bE4s~@dPYASpEnZMzK2Dn!|k8w6=o22I1K8R$YGDoCuk}Q=e8cgDZW8qsBe! z$*ueo<;9t1=>NsuU)cY}!uOlWB!5m60;LRt?%7)cV8g&Va|<-cko9*%TR&c?JUYCV zw|6bswL6FB@@J|24J<#g^kDTJ%O5QL=@0z|Stt3xE+DScC})1oHBE_j zqz@t7FIAboZ{mWxV&BfCi}8Yp=yLA75iaz7jim=0f5YO($|rUo4VIpT`F@6!{oRU` z{oTft{oRU`{oP8G{oTsw_c%5_7IF63MxNp%k`>ncrhb0zmaWIh<$pT&K*$*m4r%p3 zxcv62;GV$Ua9FS^b&Kvn@@#8fYRgL>*feE$;&7KeC>|tioiskM`q`}K2T5O0I3-wV z@9zv@rpn6F`iTU~pRbYsW~k0-ft(em=c{L0#N_ZB(y6TuUUP+VSDiGV^?dK!_9G_5 zk#?>3H+DrR{ZRd_M0kGRg%J(&;XAYXFXDb=8&nC9!v(*|_)`f`e6DF%C!k8+Yt(fO zs*3_PKaQn;Qvp9$v%eehqu;UzimgG6?A*SA)1AaFd$H`Krakm*KJh$pK0cT~bs~Q% z-WL5{#?ph8f8DUS@wqg67=Od1?+|MNhk`=A$G9TN)CKORQcds{qaPAtTg8GvC16clG?IG5`l5WkO zI2J4itGC6y>6qUmRo51wN@wptlylG8QRPTM#|I;h)(Ke{$$S#?u~8D;FMvHSY(5bi z|H1Nqp`LaVW&gDkW&gE1W&d>`W&iaC%KmF-NTqfZ%KjQK!G=7x^ov@ z6qN`~<;_yxZeBlu-3oTvrI<&vkAJqGYZ?_hV z3;11LZK?$Nd9rd;tF+;J#dXI^Nt&?n_7&~r`YKQ#}h;H zz&tqN$wO;$%W6P>*LywSa6VV1q&UAfbMHje;~_m*9&K=SAVCMP{W4hp5L@5%sYv9= z7x^-9Vq4$(B;W|_=vWoAM*c7i3h}tvIG-ZDhl}qYC@zKY-5V7u1}jM=N84-LDmNJP zzIiBL-5qLpK3!DpaD|JzgjcW!dx6E*w&xEyHo#f^l}b;C;|aEY8w)S2$7cI1z{_G9sF{8HUgCXo1aEc9FO-4Rn1M*8X7S=lYdzZAJ5S zXoC*#J}Br3k~y|d#%sc5AgAqYhFg*}{48xP-tbe4{2tyL9B;|G=So5BGSjYYr_6wk z`qS+QJsrrH4qWz5-Voj&i`h1HIFO{gzda~$P#+i~kC}BP>!Is;u=ug?MR!M1bR7+e zrgzt`d-Chy^X4z&*XH+U?`SBze?NR1Srz|SWAc|h=sx^)-XqB#SUaCAFElFv-uLD< zx2Q|V_-8Z0X|o(KWUQWdzVLj*_C1Fym^K1m;xxoZnfF@T%R2Jc6480PNXr0tacK!fH3tvQes*La8e&4LKEbJGJ_d0AT5{$OzO>j9CFEwiG~Y0}ZS>HuSGFLz39mB$>C}qXO|=C2dLf z8Nf;Xm!l)!GPHlbU~jSc<^OK*i_a%w{}&q{z@9JGpTx=o_I-ryFId38czwargXL$D zhS9brb#|zKP3PU-#{z=-Od4#Q>V(DhkYMx!CO8Zc4ab^^x)FPs0L#yX_ZK@X z?1N^Z?1NUP?1N^8g?-R$lzq@l==dJi|G~Zoml_^>UYll_E{z&+!_Fri)wvPIME=FY zf$;l0VAFl9IAs?XJl(T{kG5G9)Ft;MRWz+Z=j*Zhi`7SLybH@8?0XG+|6==n3>rXr?>k?n2l{Yfki4TxH6z$~&Z||Q zer{6cA{X8o7#IeKK&E;BgtLt@xy0P_Nn2MGCKD=mycHHA@jn}TM~sEh`iSix!SWM} zA8Q}5^kDgq#gDyDvG7Yx5BC0zzEP3Zq^k&F1vJ5RtK^{aja6Z7w+Z3qZI$Fymx9jw z{c%^`$`IvNk8d|yq|x^~mL4pBu=0t8$I^q92Q2&oKi5#+FYJ`}izem$!a{k!@KD|_ ztmyaALjG5mlK*8Q3;ADpO8!@alK(ZKk16f{WVy6`W2{bPgI1!mZJNG zX?!U<(y{QX@2@Xht4Mz7Cky^kV5ztv^O#&u*B10TJqiW0?MiBa@L zgrYAN6nzn-=!-N(UxYwSBwMO-tsqSD`IcSE;fM7NA^NeKjOORf>W&;!)Yj@0MS*ZWH zZ`+9wU2-mXa#u|1{~NzryuM@OIavNIwZAd?XjX&yuMqIrZ&bP3rbdRspH?ug7Xi=i zx@3D>5twef5wEt$b2wmpzPVtl~ zFqnCJKIt+eV?}Sx4jE`s=wE!l^OF}=0fYZ|K-W&KA;v|6v>vW0u&>}EEj#XTcg=AE zwc^(m>%YkY&B3!**H^Kj`GfWMu>IOteZig=)*fQ@5lattJ{T51w!R&U9~;lX;>Yr5 zsqGIoo`8*SwCp&>(h=(it9=x8S>J|1pz2NsYOZ*&Ol#`jX1E39w1Pi{$@&4AIm#q9 zlug#Yd~{Yh)CEq<%JS_FGXMuVnFn|C9Kb!wK#C_kf}~dJd)DqH5Gnrn{p1-Z!0y9+ z;lY||mt;gVnvb^9f75`zvwIJgw&;N>XLXB@gb8{3EY>UknXW=0GbL9TdCUogD6Tan;!51hb8~vfrsqVdDD4dcnz#(Icck!^VF1|ltKA-u1d6J%Ge<|5qEI-jR zQ3wnBBj)Q%{%e1P1Z95&A7y_8A7y`p3}t_W02-cd&&z$)CWi1`!1!Nhi7u?_*)JmC z9zYIm7a9tsH2{Um{S04x^x>{6!`QT!5gI?1|JeV<+MiICL$Q)6+GJAHzTZ1c0$y>n zn68`hmeKIxZs1W{rlz&G4RStNOK@G1`>mWu_LMLF{lj#kD zB{K$p?M%r&&+uLGBlhIr>ZY3dRo*ZvTe59B(HSnLRBdVDwuV0AgZHoWM-gvBdxvx1 z>|to*`y7@+BcS!IXCuYVfUQ@jXO?;Q{@Xo=Ue81JMhXG* z(F--|M}@(r+KovxTo@`Y3z(lBaDeAU3{;wLjN$p~8upIV2x9%KEzzaS6f}E%s`iXI zLfyy(y4MHoDDl9>=SQ&it$*x8XTGEyz{PQ;Xaz|qJoIXB;#+(2amR}tD`zC&lb?Ls zGZPv3`Lxj3k8@s*N=@W8h0##*HB^**jW{J=GuOV5uc4;oYi8S*T3@j8jO~xW`ZI;U zOmE*64h2^u+Gl;1frO@_dv?w^5CYmX^26DJAocK-VR^A|Qv7c`_KvzAEH!-S=I_jJ z#MIzm((euH>A2z6L$Mh@W>a#nN^Muc=hZ*-gr`4>k{|o;?Zuxz#nsUF9hM%feZbD!#M%=t zjby)mCr)^Cy3;pvza**pp)#kDKi{Y2BpH89eGTY{`811dlp-sp$A7VNu%YeSjoqU~ zxvZ>kBZps-^~-7qAN_JaSV@HhLWk)vJtO!V>ey_XW`?BQ*V%SAtwQ6+=0malp;&mV zJYex-<%d~7pmu}DS}-$lnV}6?3*p(!mI5vMWNX`lcQ30r;L*($0`%;>uz6^|0_)rw zz{(r;fA6hS7q~$q4=Y}jezFkfBFEJNZVJ^Z!UenNA2WHfa70Eib-5=W$<_VJ(iCri z-rt9%9}AC_xA&If_s@6`7+1NnLPw5|JTYNwq`sv^G-X3_8S3?*_2Tc#NwVzZh3u;g zf%$pBSbk#j@7Vgl1mo^m?@m`@|LdSqoUtHDtAG6HbD2G?jOZ-s+9?lLJFb|qa{Cgq z=K;4fa{bWu6U$F5f3WpMSo~vBehy*Pst}<$a)xF;PiWP#dhd=?24MAFHS3^~F07^c z$bEKxPWMlqKDpj=KIroWWrq$LWgW<-6ZS}3WkmK%vt=K&F#yiF=9r0R<}jk9!X;d2 zPs-GsggcGJNZt4D4kKY#vfnxG=rLvo@Ui*OtH|e0miab0F<7sH#-@pE=6V0wV#KuM zN#J^Pym2AlvG{xemY-OAh{eAU&s=AUOz^0O``bxWa%Jn7Y-q)$q13BB?T|Hf!2&H@91^m!*fcladiIdFH z@!E(bL{W{s&U{uSem(0fqne6#i?V z&uig)vG^AczxBQo*ThqIpdIb<#x&H2>%QN

rRYlWY1@Rl?R4+7o{VO)-cj4_tbN~4x_sUBDP3s0h>K_MohdN z+8_9IsM+~8KYl09;Dm{a>ephDF3^3 z^LDWJ%c(VDjNeT4iRt67@5cBQAs|_hb1H;!eooW=(38w!r1A3>YIuF7oh5>Lb0u3?ob$X~KAcD5fSo?|9mxcJ%;`gCr>oc+SOW6G>*#DLIqmoR` zZVy?34h$y_JCn0~+x%HRS%b!r5A|Q|ZGkG``n^;IZ=$0T-SYL0DPZCMyU~NC|9|2C z&&mUqpY+{j+|tGlP!hAg^qGYvH1Db`h`HuLnlEnq*R1G6Vn5C$ij-Nw`?(`!%E7jP zg~#4USb4_c$KI#d|NWl^kM*Ci{8Xd`i<-G7DU*{k$hY<) zCg${syFOWgn|=6~m$Z2K#L|P6Pb@q({*T3veZOPh*VuZkg?(h&l>ND8l>NE-l>NDy zl>NEpWMO}<8esF+Sa@u|p2myE=2}k)bXJ8PNqlcjewf*+tGXCLbIz(ndU|76C-bD% z?V$sCE+pbr*r*1vuQQL(*XWbu2R$pV4~fA6cdg7oEgjH(8zLa{Qv{NlC)d(CO2U~5 z`3P}c1A^V(gpIFa{}(&|r&5nc*w|1GzB}`?J>`~wuL%c!D_)X^wDa-Xugf?PrB%0v zt?Q+MJ7#L{-Xmgwt^dc)bH?h||1|iB&9!Dx&b&}6$zj&{loL|y6#hE?)F;Z!>xb95 zbAtTn-A|wMxgphcpYHX^HRye6*nQU6{1H|ju<>E6zAQC7wmv_bIlgnelz~ncZkw(;1xQX&I4<)^23=o@txv$(Ppmz})-Pf8{X@@L zH&9*?aQUOB{PYT)fxb_O6 zqQ7rmKUfL;S;?pBRjQzJ%Nx(D%g+HpeIrNhr*>M8~; zGpObd3Ho?z3p}{)Zs(z!1YSS0xPUzdE(H9U4cU8yOuDjnFRw3vGpmzYg7@r#Ph4A> zuXCLx*0-nzYO?Zy`NyQxEsJi`vXGG!hGfB7VN0Q)i zpeW?rPjN8zb`ACjkOT(xvDYGncIfyjHhzMI$NE1?;#~HdtddEb-2_Yg#1>fRAN*4S zBB4)f%L>g0(L^QBe^u7|tXpnk86BXhH4+DJvS${;k<2( z0PQaml6ueeLi#EVaQ$2J{d%q@a1Y#jpx~%MB*ToAv-?FrPQk)~+E5V2Y^K?5bX7>k zIqQht$Akl zk{=P3iEj=sz~^^fJkPqO9H>jgH%v~t9904vg%h-G4^`px4q1`TcS>-!;cw~Jb*f+; z!+KSY#uD8R-X#&F-!`R6ZWgf%oIb=4mwzzHzNiz0sS$Zyf`Y}7m zL|zyjzryxUVdGtK=P#`Hs&fK0i7@*Wtqw3rsCEd52a?$vGH&uR0pxG}=2Mfb&hWwb z!;ijm&gl6$Sb5%sPO$%a%?$;w z)zmXX&CvOvH&iQ_(sG%grF(p8Sf7W)t46o(Sj_@^#*Z9hYFG`PXR91o>iCFL-Kps) z2?q2&4y?V!?#INQ?~|^!EQ)k43ELw`&!4gjZn-<= z=b6ihzex^(!;QM9x4+#>GE=@Melp(;<~iDrUH)wbn*j^8-OKio&w4ecjHyX5l*ql$ z|6~aI{fMRCm2pLWJ?(z*zxMvd9);cDcK!79U*2=1z+tGUqiH|y7(irgAQ zE>!4TD2a0hj`YhNkuB?C(@`^z)b#ni_8kiJdWwthXTjoEP|hJ=97Vxa)xSvVr8YVE zl>2;jtuX97{=TV!S_HgYRX=!+vXGCq*|+@-gwgZUE`_zNP>@&$8dq1k@@*ul zag0OHuV}&O@THioaw_n^%_6{OexD@vyn??a1=ko$!U~>4YeM2xi1_!L%1zXgu)jFI z+u2hL?l%hBe$Q7W5jD1>N@Zez-M@hK_ck_Fb`)johI--Cin)!4NFJB_?<&14pou(h zclyv_pnd5g^nTwl;w7&4SdM=$ywpyYO?kHy#vTp2{rnOO6CN*pV@k@&E=J=u4yTf# zu$`%8ezY-^yP2Fl&$9iCJYA-xt=fLAPKbDL-&g9Dfky( zkJl=(PvXWW9ddx1HfEE!4pa@N3|!E0CLdzX&bPK1fRqd0+ULJyq51_Ve7R*j?{|xq z?;o9Nzoa%I_vhbO`-%R9giN}rc7ew6lRb7*?Z&ZMJ(kR;&<>QWCD{JrPrC25 zMdtaIR#9mtYpw@VoMAJSbdKZ>yP)Ru{C+|!X&I4^A54gOrOXPq^*U&Kh}HKuXM0;W zSW1zNqr`l=T7JH+|6{zLodp@_t5+2)lL2W-+1hK$@}MlD;qPWB4=1xvS{!g!2Gvow zV7+ohh`p^{nDWAkgcqI63Ari@LGKc8nrqM3WmpxtZ`>!3uE)T>_p$Mr1^HaO{9x(9 z`g_>=6D&Pg`+$YVzK>oW?M(Kg(*{Wgo-e}9D$q4xAiBo8qy34NbJP9h8t|>|SMJI+ zf~2G)Y2q)l1JQcGx9`GR1sG+w(|N-?KlecEYn0od1|bIVN0m=VLY5u(j~k(c=(c4{ zxIbL zzX!-~dqr>=%)as_>iTCExo;24tnQqV}%4 zYJjB&D{r&8AG}{qnL^2E_IPNNFBGr06nQBa2(!bSLKzl1pr@m`HPb4E2+Q@z3!e=@ z_XlC=!P=jt)?at`f6UR~13Bq6Q=6B$1DCY)te|5W*>}Q7)m6Mj zM_>D+{iTI^7)8oFA34fAA4keOA1TT_A63dcA1T1r+hF;FjSpb)WBr+>mVXgnoA*Zw z^nr7?&l-meE6`*U?(SZ-fyi7-*cw7BNGXYvkJoDpjS+P$#*me zI_eVbZcay``LopYbMLyY?huy(R{Mo=Jx^|jKep9L*BDEQS{++m{<9PiV_-^>wBHUc z98WwG+;;)?eTvmD?EhlnvFD4;hfZ!_I~8N>Mmp-^GXHI{fL*#VN+RxVWbAm&(8oMG zIJ>iVv*c?_;LSL5lF<^s{|-z4`y&&NpJqlvy7JS8Zx_R$*3xdrt$&3?arm-X=D%oY zb8fydF}oEe2%S~+Xbf6DvGMAqKCgGIjQjrDr2);MFBjl^0+iqX?zCp+Bw_I~zL*GU zklGjQ(ORAW1iPd6*8jb8X%nTzQ5F?A!OI zvv4nrg|oWv=}U(hgXib{hWDZ4t4mEkRv)qYf`!M{|2%2*keGQW4w+v+e6X;T2aaQo z?boD<*ksH>eTp{fo5^SpLu6yk8f)Jr!1o(}?CmB3#>?)-YUpk|fG; z@b3Mb3Kt$FTZ(li0_UxN@~n^3{@ckj!^Jfso15ZbS+m@iZAYWP?8oEOi9IExm+80l zL$3sg^WXF5P(~zV9n1g0S(%9LkH+dF7QWrHZjpEcs7PDp#&=5(glSDyXHokR<7vK<*mPY8VD%E)&PHI5 zhP3}ZTe9T(j@{ppquAT@Z7>OjFH�*&PdPZut%_56j8kh!^xD4as09Z1M2voml9Z zY@n$S-UZlvI#z$N^~Tuu@7)*tSEwHA5;ywus^(SmdmW!Y+r-yl4v%Czhd&zn!VSx5 zcW_mQBayuqpSydLoYz;Aq-f0vRnw4M=5`Yptg1dI_R$*NggDdj`dY!6#`}!zPjz5~ zhWYD^r$1?lVz?O4lLUQ@kD0r7#)J3Gs{q_Kz4`tsH*bkAO#MFt%>k$x|=$$K?;0hmFS~py$ zibVV8*!vnw|2i4li@(y6;e0G}<_4bmdzR(mQMuL=MDADb&dSDAILa&kIkYqZme(9@ z5#77=_iylul1jP9L11&;>i)>?&Ct6=+G=aw0rKZlmFDAPTj9bH2E~NWeqgzK4a0$! zZA)$+cn?Kv%a%@sn|s(!Jj>e-g<8DN%2~_Fi|BzKoqMV9>R?G|?_?;fniC&8YrORQ z!S-9Jy#K^sgq@O%Eg>8?Ck89!u3?o31)F;=U<$Kgf?o$ZDs zEU<_*B3T7pf5kUb-PO};NN&yLcV3cIgqG4MA^MlbWKZhKao1i&pg%Ep{=-G3`T8P$ zzUu+X==}xQdE?mn^9o<@xQjIw{||d_9hG(W^o=5|AT1!>-QAn+yl9Ya5b5qvkWd5x z2^9oU#6ZD9VGsjRQ4j+`5J5miEXwBPJY4TO=b!T&_q|@v^0%J*-)qg9HQ%{r&z?Q; z8Ay~ftLr6^18a*Tib;D-VChlItAiuKaQ>Ua^kC_BWKIy>Q|;o8<|fCNPE42pQ>X1Y zu6GV7;%$tbb(RINIqg&1Q)~&RyAcURha2*B9l80@R2SQy$!gpkHToT+0FDNNuU-ryD@&=9@)j6k0f~^1q~}5aZf*rLdXia$XvP!7)ppv zoQo5Oq2Y%|-lX7r58*VzQXj4cp(cZ4xByxoC-^ zj@aM+dQ%_mol1O>v7`c8zFRkKSnDg-(>CYh;MND`-lzRMTa_X0dEtzFt1;9OB*{Qt z5A^FL_pt<ha6bhBNZ#FI)4i<$pe&UZ!}ZiX9)ys@jlG?&pQH89x!a&&OewP>ytwA44%veJpC^VN5(pdhUe}TzdP6=j1OB?0ynlym#FD7x#PD z&x;@w%zu-5>d6OtojV6D-x?x;MC0IjSzZ{wUKdNcRRBgt-1u+2;>FGnla6`#_#|wZinM8C-jF#VGEVDe9;2d1La>5IWu(3=t@d0kx#oScMT# zrPo;rB|5#oj^4=YcxMESG4jY?Qd>>ogXXDundj+(5W+jp6sg7opXcWsPDTsB3F>mU zCl`2O9S_`rhzD*=!~-`Y;(@yp@xV=qc;H5V-S^_!!+-k!i~GH}^)Fohf0`cmzFVJ1 z#@K&>8UNtM&({RR$~=1w)wv*KeC1%_*BP3*j!$Qw#o~oeixr0c*|m*WNzjK5vR@urWuBS(kI#-mRzx@&>#XzrTpOr>$Iuw zy>Rr;=o5(iBZ&Nyi2QSj{9}py(-7`HBV2pN?MKD6H(YvL`@#L*CnGhdf4G+;*Y?-( zG+V_?`v!dkwcA7`L9QXPhI- zlP?QjE?a)v7^{U;PhFK7QRq(ozuo@iAYBgBFr`DdW*uD2hE_=BZbl+s4BO zflM#0Crb@c)$`Ng+A@4_rz__WUl#{tX_!e4af!eq*S&0sdED6fe_T8k-24gd{@*_> z4{pC4uKc*~Yh3%py}xk#8F2NFI}d_u&$xI#|I#P>+GPB{@3Z??KmY1yTKfOqZ}_i0 z{A&+?vprD8wFL^vm_u<=bUFKLBap~by5U+BjwBQ{{O~_zK+;_V zyPqtakltbpY^S|m?z!s&5vo>>-dD>JZB?s5MrkDa@w9byN9=ycxu4%+I9`JK2(wQz znsOo2cG}q~IuA}QdPeIh#G~db3Du8YWWZ4>y+yUvEJR*MH>ayefUW9-%hv=<;NalH z(Yb4OFj%X1dGm)rNW7KsV>Hbg@;C4eSBE4a-2CT7QGSW*Hg-@rHa6|{*%x(Z-~M^Y zd~JXCXtZ8K$QnLTdttyuf;0O5Xm%&Bml<|{!WXt<&$+j+?WrO$w{7Xygy;y8#^3>JK8H zi0*|`JonVBno6O~cT@a9o79BaGmz&-KobIb3x*!wSV=LK-@qxF2+@9zh^-yhYUGhm3=XSSRt z7v_Ny?I6c9cln??Wll&{jt`jodGaOC@&c)l@ibb)9qV~LA6rnU0x!fE=B5am=)E7w zh2w`6VTXYA<%f@ypk$?>CZZ2yCs-&@y@Fl@ITIWOKO1WudD2B)jd z5CxQhhms&v<+BIYTo8te)TNfMH3HcAG+cSs>3_eTzMfx_hiG|!?NSYSM8WoO^>l+Y zq&oCz*>cFjH(l1p_VJpi$0IK7-CBHsD-SN70PcJ@t~|K&eYp0IE6@6Q6o=Hu*N&G) z+asB0gA-BrCBX7_O;tvwC_KrJ;G(>&1S(?rY4w+cVZFYuLagsI5bOKQ#QHuRvA)kl ztnbqU?s=bXzr)}W8iyW*(m00oE$BET^Q}%)_`zk)yyb@t4xk}98Wv4!4jVWQM{X|` z1l;`OI$nn=Og^_t+&*E8_I~X0*}20On2&^b(?3&Oi&rJsUQpX2Mm46@`Y~k?MAcI} zG~~eh`0^eDEfJ8s)3DctR1VV3RF6!}5YV+JDx5iYMZu}0!nCeZmKe|czW>49?}_{W z{%LyL_z+hf+yyy6K*SDSd>aXZ64i%Yr@4BpTc6<9WO zE)tnj&sWe_yMT*d^Ugfk0EGMh;@;P|`v2MRKx$)02y8JsV{zUx4&83O|E|D12#y@x ze8l8yI3$GbKB|5<30>^6f9mcXh z<#YIqV;EY680L=(wvap9-B|Q82!aZ$lZ?070TXp;Xzy$&S_!!>Z${|?mJ&*L?kSoe zOGznEuNPD7fpWv(PwFf7ki7|I7I7q?q=KOdksJ?55#YErM`lwMsO(S_sJA-V2)fDuf+BDD8Z+gZ!Q?P_8oWdVksydiF=lA7QqE zeaG2Ge!4h-u$-4=SF0sxTW8pvh>Svi8$E7(iz`3wdB>&4wFlhyHLg6k^*CJoZCv^J zPbnOmI2H+too6fGwyo`%;Pd>f>JkGbJ~d-kZDQaGIzLus83sHbH3gSGl_A{uEZqJC zTzcGkC~p4-+1|IHawZoz^p9VhWKM$QcM%j~OvTXa6YCuMbQg$uUo|h;lM82u^HKuo zTd?zExc!Z|{t6dA8P}c}-BxLq`h($7;=T;lya3oEFfq4LHylV`c*tDnhy~xY8QWC9 zQ1CP#+V)j(ANKu@D-SL`uDzMPClOc_TGf$C32=L?pabWOCeqV0NYP+b#38>*EqHI_ zdW7VdBeITGEe`0?g!K4h7WOp0kiDy?WA30Y(DZud_dqCjI3JcB@BITN!MDk4M)pj5!>TcBnO)kCpAk|6Udf@=A9?#V=#+pq zRhz`cMg?gaKC&4plZTfx23PV|*7jqoyzx19Qwb?|bP6Ws^TV!37sseT2$9TP%RDJ> z2E`^cIc;A=LGTh7{@1}^g#pYX$)Od4&v93aQz$Z|Mk!8^Y{0aih1n)qrG!U&ahVDv++UH7B8f5w))_t}?Kxp%SalEZ1*&Luk+zrbTUM2ufE^ zQfbRU`{^f#?Nz+NV<5|PS;`Fvn=&$#M18U2CER?nZ*zlI!)Xn;>|pM$FRlbW3Uhlc ze3g;j)EviPw;I^-*^@CpQifuORI|Y<0un*R_h7#p=m}=Uxiv*&)JPd$3BkEpFq9!QWF7!T^;PhwFSP74I@Xw(2>Y%= zxVP;Z?p5z|62ZIxbZ$>qRv<$poK?1Rd{S9}jW2||KjKAl3R{!0F+A-2sm6cQ6t=A> z{7TOZN99e|DmXL^;0+(^*KfQQ5a~75$yIBFjc<=TAKgjqBPVfz0TxxY#>#Wl(Z$3E zt$WCrV3v+Kb-{%mwvSC`^hEJN@@oC?fvfb`_K%zYr&un&8f9q-v5|LWDFmF5PQ)eV z992t5cBrceVb+Gzd~c3+ja#Ek-RCuahC0~&X}I#NpU2;?xBhMMIqrTI+;{+2pK?j& z=Cb0(R3%ggsB2i^p*MFOyDk&9y{+d1IbfX3 zRb#SU53QCjt~QmkLKA0a>%Dw-I59{O!epZeyS>jf`nNG)+mFpbaZ@HMF<^SY^7722 z1o*g^vlg=1B36m`#^c|F;8$jmqi&@%kkfo&p)M1}=8s!{x%}EHRpg2kY-!-13Aro` zUGgQAdTV$z!vJx6lPyBcY}i) z_}nE8_QGmvV``*a7EFn;>~b1Bg=S9C)s8V{!vyPD+xyA;*7l%L=De>d0o-}9_4|&G zc;A^3?>hnFeaB0@@8pR09WPjS@e+*#`9 zd#$nY>T%CIZhVUyPvZIq+uGF2dC(u0Jo^ynsQ-_Ki%O{^^El}NA=F*>= z^kYv3aaMU`~N9__4{~4k1m>ps*+kmx18WaoxBMM%yG7s?6iTYPg>#B zFKi(&;LY*F-X;*9u|r4vMI`#$;x}CR|E2%$|KHa|8Qngi&TvoZwE0%UcwE|;@gf%t(RKbF;!5N`fKK)d+KCm~ztZY()$)}#k^2@k2$oPAO5U=&N% zerLFJBjBl^sTstx3cRo0ZI5v8ySu$@)!~|sU~GDOMM{DIOFnSfLSSt!gJoxxREQlM zk^FU3;I$om`(h}-SnLS@>GaP(^=CJqSA?4Mp`@Z#c}Rf$o4#>5pe?T7BX5h#Lm0Ka z=X9t7y!aHmD?C>LyPk-9AK}V_>z{GuVe!tP-MiTXZXBfAK{x6Ql%*XGI}f_U-S3zv4Gf?0FyD zcnMejHujRvN%yqPb2jw=Mb^zwfwBn=1DE z3%4Her}L$SFIP6)cXda#&f}EagU)b&p!~GxDgjNullC_W_D0MMpG~!^-C*|zdy(pC z7wq}Lgy*{sY;4v+2lsAk?3ogVVpsKD0qUBd^&*rm7p2-yt}=p1V*H$4&w z`}vcuhsa(38Kyh{-YGr^EBO*XjcLXZkUjOnX75DEvM-2Uo|Qr-*u+&!oR zmJ1tJh5|GpYKHAxOSv8hX{29{R&j^>N6$Z|NHs(|CG@FY25titW>>v?zw*#xv)@&`EB1 zCQ;#fDT5XI$*+1mIUx_e!_|E!_Shl4hST@Hxw4}M1wH2cL220A(>Q6XXbJ~)Y-e0U zWC0gn1s8t?_kI+$?DOva=?FV=T4rOftl?c}Z#(H0<%4*|T#XI)+QR)-iE}N_?O~V6 zkg1}CAHuE2;l@9>^y~Kg`}kDXeCGdYJeEHv|GGcnCi)Y0qCe3k`V%&y zKj9?$6E;Xw&e>-Tvan;E_a~Q_C2D)&W;Z(|0bE(WYGWC~6JL)x`(8-*(0v3nUP4aTK z@M!nPrlBb-Adl0%I+2Wzw?^YdbAh7D197?K%?V#Kg2Cp#(@}=zFin&5q56v%=%2k- z&SphGB(W>aPY#)3&x7FNXX3u!arxuo1N`axx@S{uuM?>}D5q4=d#Xx->ySizz!`g_ zb}Eh3^SdPM?e(Uz8;}KF+nq^KAO81w{C#`=+s+rR{nrg=ZEM@$jodzaTN<0`f;ul# zD`VQ`Wii_{PUa$ZC{!Cnd_&6c<$=hED4QTZ` zcqynuJ)Oh?AEOm&PFQGE=uieX9v#JQ1yvBW*hjN(ZO##w|GGaXA>#9p5b=40iTFI< zyVmh}HW2Z7esJg~506hjOV|;#hQHkE&|))b4_dnI6T8I-px>n?XQJzm z?E94Z4)NGw|G&8X61e+8{`7nb?t61xp9VyIIuP|~K-8x`QJ)S(ed=NB6L)_c?)k#a z7vbt3SN;qsN^P!iQ;6%TmE_-Hi@sTQKi;yR8a~V~lpCn7?fn_#YhlZ9L_f)2`&VaL zK`eauCGS$T=3g26AACIkv#B9l3TgMk_AgbM#%p{3BBHk_HC(O)gPDVd2V|nr%7rUG zJDeB0lxOs{TD@7Il+{*!Va^N(6Z`L_f0sR7F--AQSvHxG({|i_DxcqU?Z`nq- zBJQMMxTP=MYh>gPN8W#8h;$1E-yijieQNtq@!Og`URMJ^%GB^iW?3?*Ec|K`rwRm} zs@}PyYjfRmm0uY62mImXch%h1qGH4!F|bQ4+!rX19Y{1aOTga8iu=8|^tk;*x3T4{`ag%m4fHHF5E3PU4Fi5cuKC&VAn2=qQD`L);G|n2XRI8;ekZ!!DO9 zD$6X9+siGXJW*;;;;1Ura9RZ<>Yh<}C@8|zo<)_l`XIVn_HGORHU$XdI_R2bpbRl% zr!6iuD`3YD>+&lS_Y=tx_Y*k~_Y=ty_Y)})_Y=ut^IxCGQ6tXdC=usz+=%lyio|&w z72-UOA~t{aFgn*`lu|Gj>C;zwL>P9Kg%l+9bHH&SQqr(B+`E;Jt+%HZ#NeCAfe+$V zmIxPr&p#qJ@MF6qSXI0>J~|=_=WjV~jUrg1{8F}qb^0Pu;04Z0MUvoOUFT&CBG~6e zv7&bJqY4+K2${SSZeWL&4@a$7BoV3~KNsm&$O_!*Q&M#YxPc*8WQQIF8{pF8+9z&) z5BI%;dtczvKYw!W^kH&e^sW1@ZvMCyBwD0=>yXt2FRG5SOgD5uN@?ZngYVifY(I9y z%NxP_eW^v&N1PDXJat&Hycbj0X?-xoo!yC@ZuwtDIq}_&ANwVsDI%l?i<}i z>?fBe_LEZ*`^l+^{p5ngesU66m-4VTg;{W61!S(+q#01f@Ff&BnyG|4FnE|c^d~JE)tc$9&qbNxOg(__Ad-ag3BSHT@bd^O#M8RYl^Iz(@Z-1`9LJIwli%F zZ_Zw2g+Soq$F9fW@;_MSHb0&th)5z`7`AO!f!oRk4fi=r5StM7?Q`FhfrfK~a>bN1 zio6_0S8;8v|BUA%Mc)c1wApQm43*@8;*U!2CkJ%Vie6L16eBy#-?V-l;m8HI3Izua zzvqB;JY-EG92cq)xcqVVYvA5T)kdIr z^RorYwW^Hj*{KGi&1pBz25EwF;A6{PMh!@tTlFq&w?MIsr?!0mqJ`a$gewp3_u|eM zHPv8zTc^fIp&Z6&-;{~6RzbkvRX$m@dSHG#;#h;qfF_(fbx*++)HW-} zayXJ780jPFM(26JyLQC%>#PitVyWbo<>CXr4U~`SV)>!cGEI7Pha$p_mo$`D2bbUL zpb;{~i$AEv!Q%N4S)9583~S`%xvk2;f_FsffsK+t_j9xV(;z)G(AlwI-lv7EUSByy z?mLW%!})!ks~4YG!}#}LfzdCXNXY1f)Bz!L?EW#__!c)lS^wVOk5_T&aq;nR z`Qx6);hm`gTiy9p{$EJD(2?+#pg z-1*=2`5;8xCuK?8C#6r^C#6N)CuK?8C#8zLUmkb<2$x=j;oRYeMTTJb#42;ZfPm)S z-DvjcF@g9v_rnXR`mn@2e_m)C0R@cQ>TPjC*zY6ySN_udY$~9jYJI5qIvEtGUfLU$QT~XZF{Rz1760SaR?G2azI{ok4n?!~bkM9*z$PeDqePInB z_^FT>>61cTNGTM~D12+Qwx{D7rKN#A(vA_)e%qiAxc3n*zPh|uWL-6_7xac|Uj2AW z7d^Gp`W4g=2=@+Dx6P#Lqp#LIK}WCHB3h28GjE225UxMZq3LG|sojjqZ(O@A`a%T! z$Aeu`Nwttpz3gho8BrKN^ReURb`BI<5?rP(1|d%*3_#MOV)B!7Rky#Vx`xDiBAz7@{gQ$5L*u?2c+RUolQ@>uYmI+I<8DYARxz19h?In{eOnxcG{={wI~!qJ>IjE1XOJHZQ>W zva5%AaTJu5P}vQRc5x3SpucO#PbH;-w3hkQ1FPh)^VPWakL&+&?O%D$s0)I|8^rsr=!j6Vh8PvId94L>|8cmI2r zIrW8S&l$gTT^#MOTH&FDCoesjUqr5Sk*Hh?TfF(T%d)+r*O6KPRjTTTUs7R)Gta3# zyB;wBpAMZW6RQeha4zACdq4;KAi8~nz!r$uiFH%NtO_}ld?!fAq+S!g)g@s<^$?obsqFQO4$34aL*&|dB^p)$6P{)`q!DnLNsVe}j4{K{w_b8(7mSxjN%RJb4dbsCz%xf%0J;oC3 z+L9Rg)6a$-vE{#2mT;4GzFfoDpy`rnqd1Y-1r>V|KrXJu z{{%Na#NDqq?j`<(HdGe9bMa;WoT3NWnOcYMfd@*M4R~>SP8UkPz1~@dbfNO5R-Z(r zE-_#I`}_NF<-xUoT>iNF$L0Tb(*J&a0at$9cz!*8(1eZ0G<~lAP=fPM#axa*R0Fr- z%FxrxDq!I09OCA$2Afpop9@xaB63;M4LlWg==DN}Zu_APKxLXNQT-!?# z{=h}(tPkAS)c!^OX)eOmPqaxkN$rX#XiTbfTUZE!PJ5cl(osR=8aqJR<}L!W1{-tR zLWM!1yh&wA)c_kW6jz@1*(=VA7iPkBE#oeEPM|^>?2vIH5S`s{-7RYx zzyBGx-z*_}=~EHG0hqEs9;oiH0(WB_QrAjXXmr1Oc0tV!$U^u+_dm9U@%Y13nY-c< zu0C<+ZE@!XjPE5EF+^)XWQn?u<)aO#C1RI{*>-K1ztmeB32S>|CCd(c4dX{YR(F)u zMG&yp}N!@$&29MwEGLzO_~`AGA-_`d5FdKnCqw znT+|fvF#0aU&gxp7R36j5wSiSO03W75$m%i#QLl;_I|^E=07Eg{!@tPKgEdtQ-tV0 z#fbjX8sWw>taIge&iDsH>n94G?r~?B<|T9YmiB?IWUH?WC3BI~X_W?L7Eeg}RIaY9 zzvdT3gLFC|5^Z=SV-RN_*BMPqP|1cqZjm6%VgeyNT zzAG+&TzXvpfSVu2l?OMUj9VW$`StKh-MAULnmP^d#n^$l@!j#uca(upw)K>~y*$)u zEv4O-p+cro#W&w2%lz^FAKd&N?mQr_{@3eSOvHK?9kHIJM673RCf2hUiS?|_*!vK1 z^C!6RHf}x^S3kJ_7p{F0n3$i^k%+;Fe_h<*el4_d7iq{ZJt4UJ_33uSUxM)Rp^$WS z-B+EJN9SzShj;*2Ke*qE>#uO%o4E4e>K~VWT^=RkeZ)o>QX}3+0#Kdf zHvCQQ07%|aaEi#R250AYb@5BZ=ogn~&(KT-s?Mv*WeBPSTKCV>lY48Bk;UyOoex&% z>=)?;+BfFFTg#T;Kue0+x_3mffJ}L)dWkF*yh15n(sg7)&`=(w-CF;q_>U<$aTOs*%1s*0 zD_2A>I{NPxpW+8*wxYWNpB0g{Z`uGEy&$ljSju)X+y_fZKQ5BB6oG+Bxt^a`J9@w$ ztorI3DQyM z-GbdVzO~;;k6U(}t}}(iyxfBKoz{R$?{X@?!sK%qTvS7`Q#B>ve)C#U?xBmQ%{dW? zto@$d#=@8Qz61ohHCM|7$^kci#@*k6EB`;E_aN%ig{aRgqCP!{`g9@c(-VrxVm_3e zNdehjL3Zio1mN`Y53}m7L%eSfe6bxeqx>l^up3t-S0af?NevQ zY1Z)IH>cjdNo!*YhMm%H-sst(*_Y=tzlQ0q&HHGN-d8sGA4iX?|9|!Qul@W#&&&6d z8%V#X?}M}EcWz6z7J*xTBG<2gcJ%o8fXe9F@3~Z(X%BRYA+lBH$W7f+m<)TkqCia=VlT=FM)oyPML1?#YT^WZ6O*o*lhIdS*y{P<;S0vBje$z>@8~3&r#5J(9sB56R`7L zxbZn|y%kqKMW=gi5z4YbU1glDXCWOD&%NJ6A9ECCI+dI5P0EHsdjEI3k7a;Eb^bYx zj4W(>z?E?F@C)IwXdNPPHrE}?Z#(+ma;;F=z zLx}CF$8-WA1-SFMy|(cr!0x9x_ENOT*yjsZ9+7*toGhMUpn0(K>GpI#NEYqh9ay&) z9jam0QjrM*x{u#)eQ^(lSL|0UZk^Z;xcOw<^M%`=c7}awv@*yFX>TntR7o*|B4Gma z{$eRe^!?88^^Fx8Qsj$z!(#-lGQC?(jfMW9KEsLmpI~DCXCE>Dv$m)Gzw&9p#Qe_= z2vnFajTl!3ddisTO2IXpe3w3JbsJaoo_VT_;-@_9=$q`Xk5K}3{D*{gNlbo~t{4F?^N;JP zTKi+i8@S)QPXGJ%_NV<7F5Vz+Jr0+@n@FBCdt3}SOuczUTNMxL>iq|<-A)6c4X@RW zf_H+=Q?a&Ft6^}ZO|Fiy_8`L5KW==E8xQ01$EC;pUR-*Eg6zJE+AUz_P=9-_e=BmX zt$*-&D+}Dd#>LNklNnk$$aiz;3!+!&cSy~*ui}{sXxB8+*?I-Yh+5^E3 z2dcZ#{*a?j!A7DGh=keXPYzQ0VDn$s&+q5||Fk|;pADI)Kaqv&O<@O8rZv%$v6YIF zlLB1cLzA*`qayH1K0e_xsE3C61wAU(-u<}#!A8g>o$rSi=#$5=W(&K*YGXq06qPr8 zsik+TR*pg&&n5UMU2+GRT+WGbU3c`KPS5#kFGIBo0X)gnMUMP5gUyFO_^aHu0b$TA zhV7oHwnNMzE8G(Jvg{`LU)rO;jeb4;@gT-OuEh9f4HxRa;vWxU{NqTBf0VH6m4Dm! z{%LteyrmUCkgeg~6iO0ij?$vzR&S0|-jYT09jHArMid$?6HLsL_|UP%GjGF61>mQB z(u~0c2Z$H(s?>RI3;g4>nkLsB;8pY?o+6t-w9DdG;iYQ?Nci4Xv6ShK{-yu#_0t^} zc;Vv}PdK{T#QToh8TMIR(v4Wd#q5d-EE_r(iOi|zE9k3Tz{Rh5XP#^T`kzK`kbSb3 zV@wFDzrLidOs3OW6@h;fW%MUdSRGx<;rP06i|LW&|vOVC= zS0+6auNh6XhgT(DSvS}AVaEtIviJP51+CUc1LdSnu;)sgaMVj5q?9~9qaCGyJ@1Aa z&*ProKg}Ok9^Cj7m;b-?|Gj?$qpx(zQI?=7qDpNaXM^S&4Kfwh=3~b{mfapqH-*sy z`3)i*PRRUD#DxQo^x<#QCvLqJcm5jpd&x)De81(1A>)#4M*FqB4~%|n!Vb%#Aa6-$ z>)%3x>f>cQMwOLdRJTyVE=BK;-@mx}!TsJpO}}6Bz*aeFTbTIV$F*6-3W5_UgQ*&= z(1$~+)bDOMppPt*eM~j3$aUywoY!;Lzs^4Yw0>~&Cx2QVT>k&*^5cFlF8%+s`_a18 z>LuF+dBiIobuL&`2kgd%g~v$^z+i`C#xFiY;P^HEV_aGns;X(Tz8!J@JSX|WhAux}ZU8|o)J+w7WqDZXuk%;rb#!yO ziu$lseQ^1jfGQjud^kFHO%DcZ^)7Gz-~@@c5`K)P=|KJlzTxVS5cDtof3Ke#jd2O( z`-Gv~Ql8l}Nf17KJ6(OIM-Y{#A3m>fRua`+s@O%#B#%l|w|?EPEf2W*#Ptuj{BiME zaNifW^5D|r&J*#Nbh;cq?tp&GU+Qr==?)6dU$u{Wse{zdFZP=n>=3PKRz8!q17zy! zIFZcSqxJji_xEey>JztL;$q_6QP-8BF5&R=x){F;l5#iGbt8rx#0iMbN~zgp%Dmm?2cg^PGN&5QwmC(I5oN zqf4YkhsX!GVAxXg5)X+pirPiKnRaq*pGG6Y)g&JkaAW6vu<@Hb{Q73HUrx-#Vi4` zx>=XY*{wkQz>goxYDowee^PMx$1G1yF3`@_O;CI&f*l>zY~K@G&`_?uk$m1h2;ub? zC_0i32YK~b-rtA>+Dj=9*yZCFd_*^| z%|maD52O`CaeR~{sH zh)4W80qL?o)t5Uajg4o8YyY_PKdEzle#LD^yk8d1b!mITl-836k*`caW@U*JwR*!s z%h5P>78&$vH+|lfUK51tubQQ^cgw~pLdfU(&Tlkq$XMm%P7Q)8yfom6c5hLDg-^}0 z{%Xn~*r%WUvD5+K`sX_{Zr04{s&LfyL}AErB{=uu1^GJ_4J6+feO^yo0VE>0WUeb( zqM!K%1=`OQ;W?Mj;WLh5Xcc0ZKPuQl?re8s(aRtRDy&X2-ew0()TN=lv!Q4uS#gLsFsJOnJ>T`LZR%I2xhw<-ZTgvUhZ)6>)BL)qjgZ!~ z?@WcXF^I>WE5B!MhbDW4^RvGh0Kxpyo85&~m}ymG;&0Wi9yIzE`d4 zr7;9?5ck*U5%<@y68G1z6Zh9B68G0I{B`o<>JxXq7?(dT{hy9caQAKD`sa&H;3dT1 z3xQ@DPoG43fs4Y4n0K-s=*1V#@HkEfuzH@t?#bu_XS~M=9X;=QrC0?7FEP00v@5 zjuvc*K?193`Lyu?K+~DADW}K}xEaDX3Yx?sZzb|_kNa-e`oVo4nLlWL)Tg5jORf9) z1?>ZoE_2v<^<4-yohqSy9IgrJ1`oYhdM%+4iaRN8YQnC@JzEMMc!EiTYAc1c4anc8 zY|v;*MNHgVr6WV#AccpQwLOFYneU=+e?3dU#s|jbAFEt-JKbgnO85%mWi~FLduArs z^SB`#qI@>8#l{$JyHZW&@;j@oh-Odg; zG!!pw`Idwvsaz61X=y>)0+|&Py90F9>cs>aJ7Rw?t~|K@2RGk>t5011xbq7eAINA3 zR>mRi>BaAkgl$k^v3sOD)dxn{F3iXXn!tHxiKzrLA4C$v*FO3v09*fm+TL*cpKLbU1{(V9co85c0?UTfwVv-10tTAl zIpde+XcPYl;YVBeA<>>RNVAe36gYSvKTFhrRF{KJ+sD|k`+ITip;Y3)s{yYJ(981A z-*YJyEOG)8(-u-8@#etsuBYjc6`sS^W4Rxh3w`@OPnwO57mAxt#yyX?{Bh|`X5MF! zoeqHIgq6YSG7q@WszQ^p;suI+S106Ea?si2_daBj-muC=smOWT7ydLoE?yjNeE2W@ zf4>j+PwNL4&k9!_H3oUzLI)XW>Sl;qdLj(&GD&gfQ&LbVko@C}w=68k_U*9IS=+;- z)G~ctfPir87r6Ae@wN*mrwo&REZpShQ4D<$1)^1s3WWBgwf#97?gcj0Xz0StWcAu; zSY&&q+kG+#ni)l8?wyl|PI7L$w|9l$yYZH+Qm3jQawp%u6p(o;^WRfT}cN-W8 z>qr1g#ToSsUMH9{@}GY7%M3g$PuYgJ*n!hM^Uq&LV^C|G#nE_YD+qPjWd1bJ7I5+6 zaPf91weN5q@(hGudzU89SNH?vwNu|I*&|_Fu)bK()dDob_B><%B`7>W_@(u&AujZZI2CZ ze2Dvh;of)uOdcPi{WuWq$DL?D8ASVWCfbi1ao_9j-|wsk)IznkNq~Pt{)XgTa%iWd z?Av#~B49Px#7@6i9PYccl|9u|L+=z7fGd<6`~O}4-rvXf+uLdocDOPVB9&-PN@m1B z(Py%+2g#EmQz3G0x$hvlaqG+X0~_MuP%ixk{pv)(#SbS)rDlFOHA+o20fReqs5dtAWZO!R$!h6j3(#CW1a#R$4S{!BD% zw8!R;JCBL0A6)+If?YSBUtmVyOPIXm@l&UYmOW&sP8s}OZ{Bs+Ssfxf7q911nWAyc z?{6;*{nPpA-=BBJ-B-x9f7`&b$tZXnBBu3gLj>?ACT%XtjfdC1Tgf*kmm@DGv{O7F z1SpcWT~aHI#rAKw{`t}9uaR!PC?rkNzL59A6BLJXj_0naH(`hF&d&~xXtw_3dtr4u zh}paS!9xq5f9M~6ACDUMJ=mr4f?F?{4Jhs=#yPc#!-bx1nUh}fAP`S-`^5)SWL9yU zv%mknPNnIEpu22`*N-R>UP-QiAK}NB9X~d!O8>Ocqmc0GJK;d0{q+s^t}nW2sa-4 zm;S$xw{h!z|LOWXWY6MmD=!P`lSSJ#jKv}9(b$gH$+EDsf_KR2q6#AI?4cfcCkF3r z)lG8l>0{^H{eIE4z0(zk)W_G3m#*y_m3cNe5w*4--tu-$RYs;LJjsvXqP(mGDq{I* z^_PVIc)kVqy^s6}L9sBv6Z*-55V_kL=>kN0Pjdf`*ljxThaQA!LPIWG>wV3?)P-&c%rX zE`Qwj7j8ciE*@a?_tKJS9((xOb+3gz(G`3yCW=tf`yx}Cc7eFAU=SXeyAoLF3=jG| zE`EL(jcxx$%rh^?3JuX^X&$x@W71%_Me6oUuNI<}KYzrbRuQ5jTL-2=4h9rn-qXA# z2e|aO`#^Ey0o?c6y8jd=;yH*D@f?JRcn*R@JO@Q0o&yJVz7e;76&Jr9_kH&=xm@Fn zp)%q~Z4&X7Q-)l}spR-Z1sJgDrC!xi2lEmGpC(;8INr(|varDn;p%^>_zLT#Ln?4y zxA0NQ+WzvQRqfdaqUz|ReMqwwK^p=`3wv(RX~2)1!7#QJ0@`!SM2<#?AI!MFMqmCe z08W0gldAcOusrM6Ys+Yfo=wSnus&SFxvz>lkyF77f0`cGp8vEwe;a??_YUs;^|yWR zzw-Q_J&(BgK-~KmxBf^iJlsFUs0!x`$ZDdV>p(x>AvQk_cO-a0^;>9xB}mT}NT0Q8->5kyhG70%pK zJ;{}^1$t`Z^F9Xg!<(rr*Jqwwuwi4%;pIBRzb<~mwKv@N;5Ri!_L7?}$l61-B`nGq zuAof2r&2B`QpU?PpT-!B(nwp2-x|Z_Oc6Ve0h2$TALzKo%3yC4yH;bI>f_D#psnUO!2QFK8#jBl0Xe#PS{bn0Q z*mk=m-PTGGzI5J<49qn^U25e|#O>sX^8fz)7w-E7cm4(U|HXZO;qu3gPmaV1REV(_ zpj}Zv)IU!of+MBO!EKDG(BQGFl2@?=Z8TRlQw>gm6Xit`)+hZg9=P5E#^5e-OFygujfSP|yAUpuSRBW!!ajnCKh^ZWLIis~<>Zgzs3Ki86&yjYSzXg3!ybxvKlHg=7l1}J#0beY_So-zTzPQm zVOW%Oo5@-pvf*+;$+Rd81QuKz9^cUl<$Dzh-Qj zH!L~{`s5pW(mk^vz~a?Yk{lQ0xv**OL7^@<8|}Oh7mx{d`xKsEdRd8Z?O(dc-2A}1 zGDLNSQp?Nz0OH@cta>wT4|v?YN$DS(4VL2s9>KS{|BJo1jta7C-i1*R36&BF>F(~@ zbfa{GbV`Q;(jlOPbV-RQpaK$#2qR!%fFf9^h=GNuAO?zZIEVZD_bm7G{aoMkzMuck z+H3B)XV0E}?U`#pKJMaO`!gx9_MW1HHnkV<*e*&#>5cMZ^maOEah^G7yj~gY_kwGG-1;Ki_=8*jEY42emF1}j35(uSp(0`^qki63dPEj_augLK zH_C#}wZwv}qIyW^1$*WAoCJZ_c@g-Y8G-LP6ZoDLf$y0U_?|ho|KQrw`b@dNrJuUs zGu|!DHLV0sIFE;o_4y+=Q-SEvEIr6(7L@7zsSYZqw6pIS=o9`ROZWpf;SaKeKX4QN zz(e>0FPy0Na!U%!fFFD8InF&#gileF?U#5m;a5sHS9isJ2s`@f=U`_tT$}6fd>qw+ zaPbXX|HsWI1z0Vqy5|)^BR`vLSxgp`52Ravj#mJ`&hHZqVG1A)5^vwx$$|F*Q1BMp zAwx$c>+t+N;JtM9%9wl@+^5%?ip+=tt10H-O^d$Zw?~4ipnEr38I}KtLUPesJd7gZ zVHyz+qlkDILBzv!A|6Kk@&33!9iL}Byz3VzJi%FhLc}=771Eu_p4(`;L0U7vu+lC+ zD2_Zamq+CWyQ7_1rOML~t~_phpstYBEDCgo9{y*g0lO@aq;LAmCNg;>c3R5#)Bz!s zSG14Af6fBUxu`pSBGfni4W=iZ|#Rp#_1Ys=oM9RXTK7`eZtyKADcFPZlBSlPR#* z$JOWaX!$egEv}%&WZ3Pj?gmDOcHL9n9g3niFBD!2^+m5XWWNetaEF8b$1c~`I)Xg! zLE#2wF8IXeR@0Ho4m&#oH1>FEqlI|2*-AMUU~`k-F~!OUabw~8;+k0q{eR#7xcdJy z`9G(Rls|15)sswCk0RCqH2y ze!_ov3I8!9{D+J19}&WTxc|64*ZLW$h<-+CqMwnR=x3xL`WbnNent}P^Zk>T2#xTZ z4jj@FQK_#`gQgfc?kXyC^kPTwuaE(KXtPvtVN@c6yk}i8FRBeuud`%ikr@lPn~yG@ zWoCt+8!82OPOkRh&R6XN3PyNzS&lJ}ixV85Ke>B-WZOU7FMrM-aQzcE-^0xxaNn14 z^Rc{`;=re#A`mA~p_Wmufa1!(mrN{6zzgLEzeG5NfMPV6s#RMNjYvjVoMh+6j)wxZ zyK_&Qm_cCmBFE^*op87(v2c9e1*L8hww zt$-a5g$9prtE!;`p2@B!-g~Lw#l<&aH!|qJO^j}-U_Tw)Eu!pbE!+eSzE>*Cs1(qD z$9ebr{*3#7*W`ace*QCi{%QSj*Z=+R#kD6RxgUeh$}VKDb8TlyjRoYkak5=&vH<>E zvORhO*3j_8tzqKUtTVW!6Kzsa zcG6I5WJ$B5Sr7s;RP3(=NP@^Wjq7*Hq`*d-`OrBV5um#lKy~K6HE~}2zJ2<~_eup^ zky+*CuD|knm0$0)pdbfzqz%%0yEzTR*uQW0osr0DYJ#j($8-18Cleuvv{ zh?`&G?qA6=6~0z+Ht>9qVNGJAh>~ub?>>u|P`Jl4ex*q!kVu`*HsllsJ{MmRaxn&I z7UD%;_!%Jd#t?PL0xb-9FSXpXlSgK`eH&y$w?OnJ$8|EyjL`UM#{9^|~~10JfJBd3VsB=q_H{e|m4xcdLI^AuPA z-_xtbvUtIg(%J&PBf4JT!fv%o4$h)e|gXpB@=t2`zV48$piG9Bku%~YB(5X{L z44FB*w-w4^`!nu&jjR8f{O`we-2C?6mOuRI`i(c2MEFRADPi-4Zoc9;3dn{cjA?^C$@cdZ|gh3E&= zA^HJXiGDyPq92ft=m%uPjz75g4DS2R-Fc~F9%>%Qa%xkz_^d6OjIA7N_cun;vp#!R zt(;&qHm&8kh7&>_a#ULH!eCeL1$*YiV0h^N;dX1wD&OEoj|eTpFsP9*8Wpw)Mjrf@ zF%p~(&_H&tFGYMG@W>V~9uDS(JeAzo4cZ!r{QR7=jV3o(f8R&-z=9jh`BjFTf;Iq~ z>o-}37feve^Mf|yhYC*{ZkxS`=wdnKdRDFHNBBW*raIR9{A+c#}R z?DHD8z5+M?D={OuS-JB8#0C~ zX#z-|&Q@@_k{8>a{|rwcCGZ3i0#D#0@Pw8AH9TQGfhVl=QNCsryl$1RCzgD=N(kZdng3~d-1kb{_aj_?!2Mrq z`|J1lXBI2c@Al3jlt}Z1%Io7+D9CnrsVB+`>^hhv(EsvY;;r5fR{a-HFoPAa^>K!+TUEdth6RC$dl?)$Ff7=dCBpuI1&hdhC zk8xO6FekSC|8zeZ?tba#64@TDqy&n0zo#9(vJ<^=Ga2{tR|Vfs`Wqukbzt|M+{g8O zW=LgbPV{Q5c`ZWT3tPTwm?H3HLIEhPce^%0nGe67PA$g76@ajwoIvJO5#+eMTQWVA584J~ zD=uxPk(u4?a_z(6tM%S2EaHNp5G#Lmrm8v|Yyx(V7j2G$<|&cJh^|oBy7%I%(JKWg zr$lr7{ug!NxAeYLG@%07-JH>8$6S%%L0zsL;wr%GoBhk;l`2Fmr!jUnsRC~PxyPdY zB>yX2;6J2uMaaSmoerYb*S)C=ngJf^)Dk*Cp7QirTbDi3?x#ZZ#m2D3`{Uk^<#I5$ zqo^-#HP0J--rM1RUKW_NjTMv`<>0=UzdG$1U8pG}AJ}i1Gwuz@4N*eXa1nq_rO!#Ry1rFX{oW{m;Djn8q8wKp0=M1XYjCuZ}Vg1~%L zMd-+WS$HsT=z5a;$y|i2><;3^>P1iEA#V*rM_lJoh4sa zA?<#<%q#vj~}#4Z_LoRELYeY4n1&?xWZzn&$l|C=4RuOZXHxX@8k4rS{CT* zW@;#JDueY_iMU5%dg!g;8`c6jdFa0JW3Hq_?vLNEaq)Rvf5xqMQvGVym&)b`Cd{!k z5tG3v<<6MVruSYTyzp+QW7!)LA6hup9f?LkFYjIdWbX!%q0feSUkZTVM18Y_IydNK z8YCvg&1onq_oiHx5P&C-6w3G-xnc6ddrJyk9Taxck9~u<6Q~sqx|31vLBYwQbT`QD zfNR>CcZZTcT;+XulH{xxS~MK+@^y6w-25RlHs;>?5p~F`pVGMS*aLZgs-x4$(gyOA zlLeaNN|3rVsZXaN3tf|e53R&hu-E_WpQxxOxq5G`i_KtjF+`P5Nk%+L72&bVqjf$v z6(B>3eADQ2CA9s*zNbYrk|2?8=c*bk4JKmpc0&B1_+Z>X`7VN?#=x?;858tb-%LTyRvUV9spBXqb%0a!PP6@(1-j48 z>r&D!4{v3Jqi&Ay!bp0$omHMON(}vq)IV}T-$YJYxepH{p36L3xjOe^B%k{0w#_VH zx~(TaN{Jb^UMX@CF=T?*QTzq2Wa{Y5@g2HJ28sE*xolkX< z(?^TpZ&VJq2O>FA>g{5?ETEBNSZYFs73Obl))m}l31>*&T`O{Tz>X(%>g{Z&NMm3| zk$U*^@hBiERM!n!*b7$gCMRz)?SuMDaV)v!(a`EiFIeqRjvY_d@>>N+>(rOk2~FXhHM~WRHA4Nf^b!NlUrtL5?{K@ofEi*i?*_akw zD1nv(bia>Mh;+=kAkD_O0 zUN`tz0oTLj18qFk@G)PDHvBA!R0{PRO>Mk9=nlxF{MLnH&R zY^T?-qTxY3-ob9uE41*Pgktxnb^IvR^n-BFL3-?YSh)BVt~~B}f!kkWp#Pfv>w*fh z+N{c2cES`@36l*@*NCF~i%vZo-ijb`!Q$}`NqWGiI_AwcV*qT+$1h&HrG>7n6b*F< zNx`}5NN&nW9h8~8@x9$GDWI%hX?wZKcbl`o&Nk>J1A(;pdxR2I&?i3gDc4Xzc)0bP z9^;}YXv#?69-fo{*(B%vzOI5$WSdJ;zDotg?+l*!a#{rOJ1vhI)TDng_fP zLLtKRghCV1DbcUgJ?1C+L4N=K#hg-k^@5ZLs0(fEd@3Uhc6-oO(T{8l3 zZuW8RgJcnyiu6`r=n{af?}fY#oI+7)#mf8ix+uiMtvWlaxq2_@eRqoPuqSLfU0xuzH|@y$iZ-&h+vavOMd+)++XWc}Imc5rUmk+R0n z4LlzucstiSV)Mb|ad3 zNtoldBHmMezkYiyo+uOexhH|2s}T6PB7vXl68O11Ff_(CT{_JJm$L>ny~VjfqiyCK zmzF9DXt(_p#?1*0X9gv*gIQ6g?qTg?uQ{>ty(cRE*1NacL&hvebB28gdN99au#43O zJ{npmfVC}XkHiRAl6asGbt)%L7rA23f7JClG@F*W30-)>))bZevcH6$C2H&xD+;Y4 z)#CS6g_AN7WX@3uLa>RF1`5?sQ@kV zU)f)b>!XHHi~G$wvd~*CE1A1T5*t6k-M?fTc&I{3BtR;)mVD0+G2pk|`pTYawI9^z zYSmFz5eQZhl3r>P2etLV9er0s0TI$?G@jMoNcZZl5V@3#eo^?ufg%|57o-H>DQj0NE0A-MSiZhnrtJ}&<`?*Gc- zsl7uJBMz%@Wa9T=5oi_sL8{(jfJh&om=SIg0@@7{R=?6dX|M>!9Fe0Eg*AQ{YsCDL zv5Smf0`k>;ZCbBOK}FmwpW^CVZH5t!Owo2pSkI?Fg9Ih9>#Nt^gXD;QUPq#zSDNVO zl_vUmjfs9kDRyWA4XflyKI@uk!60iddouM# zzgFkb+(*XUUo<1 zMt!fphUA>|gk9GHtNWsV3NuxFAgrQ=5i{A4s z%y94RqYd0+(s1+{^?Lso5&+lE7Jsg=Kx^*>t9%{*r=LiR=qJ)9`iXpqej;6>pGXJ$ zeu`V)g6j{scvMqL&w(=^_)xdMMcKwSQFN(?hit=9X5hWT_x39*3$Ty2YMIc{!~2o^ z?#C+(*!kEkl@O8m5lt}ISn=q-xd!xgI5NvU+J*SMY(qNR)xbYIds3W98fK(Svia|6 zVB_Jq=Y_d~o7lU&JUFjfjynJx~Q zBQsIkn+34r?fUd6CjL#QAk*aSh53mC@N+7RZ_=b0vgu^FwbeQi>sPm2jV+CE?u5N_ z@!J-3b2#Ig(Um9&&zC8DZIO#S3QQi04Mf8-w~MNfcLMM>UC`8>i-i5pPzUq2fdbsB?XrC_ez^uXF;W+$pO#MWSAZW z5#iW_1YY|4@2!tXHf%{L*aGK<-!Hz=|_P2ha8(So*x4Oz7u z{T3-m1-SBJf#>wk=QTlLqEuvfTm|x994ud~ER?q07LkIYv^G_6E+H)6 zzbX_;^Rl3^99*LdL^ijA=iF9+p zqN3X4;#4DaX7A0mTv8r*wS{5dCworV{dgvEFiZ+!SL*JUo#zBxd7Hbpo;?iWN35b+ zKi2cgLk^?gPVFoFNFvqUY?4a`g(OFWEG+P%?=kFV0ukDP%WuCnU%-%5@JY%Oe3Gm6IRA%Fl9%9+wU64o zBhH0U6Yf?o&m{O8AzJEoiW8z**m#i(r{LaiD+WN$73I4p-2ojMvb9t6w1QvV1!4>9 z_2A>+$ML-N2B3fKd{ZrlHNw>gH($cV>u~3Z;PPGIelPBQ2lspL$2T$;lvu;2LE7T$ z1!~BT=Rw<6_towu-=3OYLkrmKwujQ@wL8)^Zd&vbwSjMnUJYtjc!9JlLs`AS0Zp*z zj8(ki0wK-LU(~(IaA^BZ6&`hEI8Hh;lCn<&f)aF3?%op$4tJwFIN$lL@(H!Q7K{yo z$*+YRA9MrZJutb5e%%e*?u(i53m2fME0uXoy`n&QOx6ATG9Pr^6S6;kTL>I;N&`-P z5da-mJAX$nA)r#2d&FC^<6kPTO6V^~=&wZRuR!RpMCk8|aQSd>{U0|T;;#Rv<=6Z< z5T%)wh7G3MgJ4tq#dcpOkoUP`dWFsr;%8Uf3OWN(B;85IAK#o|P2P!+Hzedu2zg^d z-ieSmCFD&Ac_l(#m5^WMr~NbSK7 z?q5uv@T205wwpOgm9Wnv+Q(;beF~vo_A5W zeS8p!JZR6YkRGu^E2?TEB90Eg^t!hA+s<7ue*gASsnH+(#uVKT9?^a4KlAXM*;fv7 zxck(V;YsM%eiDU&z{N{T{idDguGmoUAl&l^SASgmaL;c0xe~i@h;pde)&F5PXx|aq zB%7FuriIB>BTffECwfyHb1@W5mz(o-bE6P$eLk)~;C?SIzb-DmhpRs>zJa?w?*7GH z9~W=IT_0B-x1I-g{ePSMiu_UaHZ^Osi+f5wM_CGr?uuP`lP(3tqCZZniOE6FnH=$- z%+f%m8U9JhT@L$v#Pv^s80)BW4u_!DyYaA6K`}gxazDY5UWA?LhMRvR(&-&vBj(Y0!Y8NxCtE z)pvzA5eg)Qn+pVI8% zrg!n~xYw(^{}Hx)<#xZ%-&$ISX`dex=(Dd!)x!5b}lp6l2)li>_UiTQf|wF zCllP@pFfq#za4n_$XE(znf~MZbH#Mj^U0?q5e&ZxUUHX5yv&MD3XW+MsQ}%>2SzRv=E!7!)0;+F1V#^Ec9?%t zg}XI-T|`eCAYA+7%Hy7Q42L^TQp&c&ps#%IGyanxtehSrx)snRx)8Ug!To6e>#XB3 zj#WS_(JKC!r3*qf$-PeS7lRn}f?kS6CA4GcWxDPGF%U@Xt!$tYhrM?gbK8uR&=`w@ zA)Asgwm;z3W0bu&zw;yHzQ%NU#p$3|!Vpq6EAPTS*Z-j7`L8}>N$}>Q`k8o*0Yy(y z|2m_N5N*LD1Uao1(w@C*7xI$myZF|7~3(o~w(j-XTvar5iA|Ktj zXYOi^5@Dl(ejU)q|3iQNeZD?ieHzMFfs2Fk@OoQ@t^Q?A)JCtSOVPhNU*+U68VyTf zxFO$qHuI4VD$W1>1Znn|E(R^NOB3$qd^OE}n*)f8yF7Hy+~p8!oUHo=h@C%~uv9S}#WM)%-p` z7_L6JcwN+`x|FkOQV?29>fb^w4h@fuOPYsu5zF>op=}DnFf=-~_skPfB-86SfBBpU zcK_g-{=d&}iR%xz_Q73$EuR!4@<|~gpWI30lY&G(DN5v%g4p$AxcdBQdEESYO`kt^ zfB9$M`=|B!{q?t%DFvuGtAN*$%yqFDnkZdV^6fhh1uz?HWTx4y45RiPh4)kq(K}fg zU<(i@?q7e7&j;6@e|rC})dMIH^#HU)Jpcny53q%(2cReF0ceQ&f!~+MJ%1^7+)MXg ze`uAr6Xp99<-_g8gO6TsFNHz+GRh-l2hoC<_s!C=I&?Ixb30#45~75RjGMVaz_c!- z@l5>1{)x8-U-liBLfQxt^;>YJ=hcM zYmFq@tXp6ZP4ylk}}Y=Mpjqlu2yqs0dD{A&FlUoF2_{CeB-Yw$6+fJ zYvki`Nx%?P$eW@ZyNp04>wMo}xFw?d)Goz6t&V+P#?7~JzgK8debQRV936k`sePMK z25JorUNBp+KxD@Cw0EmK2rGQNSxI4cHC%^1KMnXvW5-+E{1#Up*Z*((yddMXtn z%^wIkhh7R^T-t|rb+O-Q_YOhL%KB+CCYE6K%FWAcDh#H4Z+&M=SBCc-?p>Soq(P%l zOq_&T1s3WCEj!|s!0GB46|&X;&>&25X~At58ZtbyVlv7Ff;;p41uVFr-8zq{Ea_2y zS7l%|%ZNG(W@~<6Q^O7&Df_n{uUws9g;}3wM%N$QtRo3r^p!ly!~D>vmb`81v@*5d|727Y_A20bpy9c~o)J68rrZm(K^c-V8UM;L87L`~g>=Xu+w7*!4!MeUv4R zExwv?{c7Snrym9=;~L+$txt@=KP5t(ePkz^p_91o)~Shb>)CMip`;OgHnYSFLkjQj zZ+^}V?J)sMnIXC;)a8CaRs=WDRJ1oKRPcc5ar-TNVLVVK@ahw*pBg;p6=3iVlZBFs zfP}lN@wD#3fj+WAXO!=EU77Qn0z6xM+F?E}v-)1A*!uE2KXe+p99g``3u$e9%+l`q zNLw~ftc;Nt>Q~AIV=MT8^z9AbmrH!u^0@I9_kN9Q&p*9B?)Uzc|KIP4{KR`A7xA9R zLcAyHW6$T6j@aPG7?}t^gx>TWN=S#$eLM?3SN6lNTE3k2vzbsprud9=rWDCpNjvhW z7ob_Qg50yE(eSnt$?~PyK-sZ~kBk{{NKTzmGVXXBiZwCNiq>|6#ybPL-}9mYw}1AB zR_?*mD@JfdIqh>ftq!~@Id~=On-NsF%hrw`FoHajoTGt?dhoONGL3|JF#6N-xb;7O zTAzR0`nDTYvpr>`;nZE1r_+^U$aF$M{kXFNq~?D5K=RxiQ5FPx6f39zX=~^XQ+sLb z{1dl7MN)Am*|Q=}h=1uR;BkxthU?C-)RHoR?#?_hJ!8$)Iaksj8Dv&@>J+=Z)r=Xi z-_vpLN4WC1@fo+C=c;2P$(K+w2jcd#tl^)(&-aU4ujLfS_@i{IG?cqWHd0*XgB{fovc2@OuxE(GTbErG z0?hZYKh_h4?2ROw^G0luDNU7az)f1X)X^U~+%Jn%YTWV**y&+l-`8a46e=*&;a1)1 zy$ME}q6dcGQDWDN;^HTfyZJc9iVA>&Nmty5`Y_UTz53`pDuqP9p>A1{0+=pT@+#2I zg!+O{WD~sgh>D)!6xBW@^wvzT{Mcn72-vsCbm+MtdhxNKD0f;7=yN85TJ{OTp589m zAEmM=1XilZRJl>C`Jq?znL6;&!Uy(;YoT?;qwZNz-sTgps9nhno*#6Tj~4h%ke0bQ%U!hc@(gG;p}Y8ScZpcHbL<@l@z9Rl5o_Lrd0d76r%aHMKf?g8Z;r_Zj9@L zhD(@tzn{7a!i}H*w(tF`&;P7H3DQh`+w*!}o_{pY{ifByd8zyJ6D4PVD!|M~Cs zpV;xEj@`_Pt32*{lt(x%&^GCv!VX7ufdA6IRJzr9C}Vq#HLBRn(a-2Z$9Hxp0;8V& zW;MEanA9_*rn(u4M*Xu*W1ohB;=PEpra*Uaj7#CzoSuVB`)(h~eV&FrkL<6%{dfD@ zfBOIZ)At?R`i=i|d*bS!q1i?wog)ZeJbjngJp@tK+cYEFhYWDF_{5t#ulS&;;>?qB z8(BoT&Aj^2GCMS=v-0R@iNk_5JN;c2LHH1xvn16a0V!=U!God}NSgY}3zJq6V2NJL z$|~dkn?L^#^L^p|-@o$z-SPh~Uj5(wfB$X!7q{N#-=_axeg3=m%innTpY?xn>vjL` z-~X)ti~GND>$`C8cewJD`F&j$;;TI57dF>)9oB^N!|xmvU0k5bR_4^>r6BbDFxTm1 z2W`|CIdL-an>9!e-Z=A7EEJ{lUempF)B(hI?Y^++Urn;m(p{NZ@fwT(4*!qF`= zy}RCYZrFU|xO^#X>09^RDU*QYM`X9gjRhf*P5$=Rhf=WRlqR&2N<&M4;1)h7F?doRr`~e_|1_P>!SQ?z}ys4YxlCx84SKzJNG8c~_RFA|xz&Plbwzp^W-@U+EE9 z=*dx3jNB*-I@b~lu8Qg*p%?6x<8u<&{jIp)`&T~JV`riO%6`jT-1&W_zp~`2(2V$c zFuEGinmqigAJ;x>{;WvM*E1*P>zNbt^<;_pdgjD@y;YutxgM80&Z5xQrtsnI6#+PP zu17P{W+(C-APxK&DgeED4ufOm!XT^V^L5v4{y**yYyEnX&}dfv=JRD9(*=MXMRbo-p&>ry( z(y=h?Lw14pSsYZIpO7e{i9oVt@#)_u9kKZv*ZQHTVU6#R0@nB*w-J1g8)1#_krLMU z9%T@&{wL z3G138aI)Wc-1c({j2zZWWid{H+p;e!Jt>P&#k8`%)Aw}LY;*3;l*l3InkgBLAM!*~ zY%jmLR=NSn2}Adi8z%6>jK@wX!~@O?Oqnp9jYX=1(RaLcX@R4popi>)8GC*o?z|-2 zeht=~LxzY>7`_P4dAIRcA$oa5O4|*hAa1hdaCeFz@ZPu&N1BzODlw)$d_<7o=cgt3 z{FMnle|mz?pN8P`=OXz0X|U%Jukru?{`y+Q`)$T=dczgkX{K@O2q?>;S!C>TM_JkS z-}^T>q0l~AdzYk06!Cs|{$7(DHs2bqJ#p(@*ZSW@i2ipeqW@ih=zkX``rnm^{&#ll z{0CPb-1{|dJv?qbByRsEF5fS1KN_xmaQXdk?Sq^DTOU4aa)(+QNU51_6@F6&X%8=n z4GsoSv}L2(*)JX_X!J-B=WBH^nN4{3##sq_p5R*l#qZCn!ku@3yFR~E-jH`;Igq@d z^aPr6;J>I+$@I7inl)YP{RK-AhfKBf0oE3z-uGTl_(l+7w2^qwbn&N#;><@smk(kP z=~6y*=B75aJJ4~YP-J#pvv^(l2^3G}!DP1{4U>Wp+` zcfIHkZKo|nNO-e#TRK2*)#B5AzN@_5IdNTa{I=Nj@OA@|lTxc-1^Ph9&*_w?Qo z;*bXpr83J2b#VyS>lRZy$cz#XJykScR)-rG_P&UIBMrH`Unx&mug)b&@t7nlVT9c~ zCcA_?wu0?u(y^HeWwZeb!9|V%$}^dLD!Un>WZ&nOrAm72{y|(kVQv2A>Ks#PFZBWy zEn+^bIx!y>5%Xb9i21Pc*!tj}*SP&+xcm>iOFZHt6m4M1&R^qF+lkz_YB!W`DS-@T zVIH|V&WNYT+2P7UJ4$Wo`PF>?6sVR66*L+C?P{*OtWj z6n{eh1SeyVq!@lb0X$jX z(p3L^L$ErG(`&MqFlfRl%LTt-dPV4)huubuX7Nq!ZaU5M< z4Pet-*9||sr z=Gj2y4>CDteBH48hsI6?9@jqfM#>S@ z`aYnY*1tvPPCR5>ZppB_5eZ#&jZ-}b52K|yR|gjJASiM+eL}^b^*28Mhn>HFJU$ep zG;>K)!ofLSuU<`F)Ua_tnSWtDc+E5^Z>pDuO7>i%4QXnqw0awT>FPV|AJ^v(=S#`u zoA~SlB|vlb#6&ocI5HY|;&qaf6R}i=%wIhw0&K7L71V}Gpif<#5+bKo=lo&vLE+lx z{U@ZZS7ihyi z-{l7o zpT$l2x$uk?gv7oYrxP~?_1KnSA9Zi!5q{R_CyOh3>srJbw!9OT9SW^B(b-|oH}|&Z ze6sCBH z4DMwPb(V&^VSAErIi@$cEYT%i|Ak`%QlK+n59>WAlq@d<_abHOK{I z{U66prf)(6@jt8!sh9dECTs3%n{9_jq$|txD?%u1=;QPV2@?o&o;qzSC5=cME?2t^ zZ--butD5Cde&8ATV#3=ii7Gz@yN~=@#XD8bkyAu*V$X}jtuGoK3F}O~rHhzfGIo*i zb3nejuTAT9E~to`1h-7!2M_|RdCnFU5;>Klu!2CVl@2Qmv2;GzN_#Fp3WJ0>XzPAu|o3NL7*58~H$Pp;F2?c7F8jyei3FV}0KbaX$= zY#%fp?A`}V+8YapU&bL1%6BPyYiiNBY~gdMm}{3Rg5nWvV-RV4XDnhVK1FF)=m((#zQOf(!$GyC<8aY}9`ZP=E75Nw z1#ypiMH2cHAaI?h*!c!-eIxGv z(!IC4{pnOK^t9`oXyGb{!Ob;FrPta~QfOJ(rQvqeJt#F@nqLJStxI3Gd_Ri)K8V{N zikqL{)=%Qbb6mUv_x!^BU%2xWaQ6$Y{45&OLy`5X_05cAMpYK$La;@4BJIfPd-d&xvgoYG z{BVM1|9w+RZDe0Yrs+Q?h+Q9u%U?}(aF(_x#TO2zz7*0r?g!5pPy1`C1|TP6=GRlt zyiq2fLcv=#XGmJMDb{FpK#ww|LbrM%xcN>nrov7O9Z_5I{!*_3A;(NQ6(6XkEG`)wu4wXL*xN}CP2l-CMNVsk*`ZfWg2RXJ)ncyo(tOEw(; zFtPWDe=c@B$Mt_)dEELO+<6VS_jla)GAZU4cLrV?qJ~?vE*096u&Lq{#mpHkR3TQ> zeQvd0CV*_lNc^!RINi3=IPp*&o39erp19vjtDZBcUMd8pspW0Xegd#fpS-4Y*$54` zAEPK0;RlN6*G8`d3Boz=5K1L!L2Uma-$3WGqmUb@{Q?#=*w!KP8Q)Z|XJV+Ign7o; zj}!d$Rx0n(F`!ft>X&18SpWEWhdb}7S!vAEuqO^8-WhwhRHcLN>zzyN%idsYwqdmI z#ZmP5HNVl<`c#mAFRuO}y8wGW0xn*S>kqi!i`&0|E03!`?taJR=f};LTA80eEcG=* z>MZ%X3UNkokl&J_C`SzTdi!H8$|5^6o z&cFVlRo@yVIUCIG%GnN1-_+g9w%Q=Fj!n@k-S&`DLbjXkE;p+CrePHGOc(zC-~apn z#l4UGr`r?v{)l_N{HNRJum1n{{qom7|KHlDd%qO>e(JaV8;3s!-&YX>dv(XlKaD3e z#L6CUy=ImMl6Jl5QV}{da$siMB}@HZcfRA|C;#dGh8u5j@gLmy{HO0D3YE3AlN6sAP;6?%zB7@j?neOdXBkSy21fkNf_J`<{hsPnCe1jYqn5 zPzAk@)3a$=ps$;$p}eUK)>|dw9*OCpw}x+63*_XX`^JyCk`6g2e%0xu`#uomnw4hR zS!x4v$Q6D(qYq~%y%kEo>O;S>@#`K+9eA-_g8h1z0d~LJ=*i@6?^FperFbUwS;!jY zN+&Ay*9wDtd@Ab$4-sgzy0`1dqz<^O|Ds9P$b&tP82A2&`@eAUUflI@`5FFne=cr3 zS^HiK=+;T#91$~yWAAGny`5ZYE=^UMyh+Y%;_!Enh;;GzS$cJ@MX41urhX3A>R&w_5K+w^Xp74(=9FcC;350teqKm1R^4*!@1Z z_Q%CTaO)Fr{q3Ru^3mv|WPnyF!&C8HDC(5^(Kz!qXw8&A7z;<;SzRyK$^GGA)28c`KfD2*pMIHdpbBS6b0`C) zWkA`TfiERp4y^bu?D@(e2W=ba=Ep{5fR2(`K$z4K;l4-UzL(+Fhp6=_Sha4}flwrv z?Po6pb%!hNcU(0@j)w0Sx4bb%62c0i-?M~ak5joq9l0*{`(Rfvgd!#?~^Cy z_el}+`-F-4eYOa9eO!55{1dmI?tb=z^INK^kxu!*kps*cNU`J64T?MZkotDs#W0x* z1?#l0cRDJDx-AdaO)+XhrIStEp=%P5wL;}w?5K^35AgFUZV?6Hdbzj0NEB{e-%24j z&4qdyC^t5|;sIQI7595_<#F?ET>TrvIb$XzjX?O*#fB3dS}=e1%8`L8P2^9@aa<|f z4P_onK3sWF8(t}jCw!FC0bKhll|R)7Un-a)bx?WMDUDW&7grjK$)Rz3U)zmL3TPhN z;7`Ak7qZ+=H+XfBfL@l-rG(F-Kp|*!ajMG-SwwY(k~|TEBVW%&-TNpA{$I%iW)loR zS4437bd)gmdkt>=1};8~i$CMySN}G7-0#Jm-AO_oUqqruixQ%PGF z7;yF)JTMjn6rYWmjz>iz^2^tJA|maf+e~Fhxy}fk_OtZ%5;O%bDG@I1AQ327U)Kfc z+URXb{m!tL2<%N8_g!q1!_FTT&c%NmTddYdj*R)TGIXT>$fGScFC6%x!5;Ig_5ia4 z>{4smBonBBI2EH3H<1cq`zLOESi3*|K3@>-`U0NDbvuudt~Q-6+~b#{MavQMpHCXS z>Q}L|zj{wl8n(?YR>tzEBON)e`-fkNV9%Eirs;i3IU@y%(gz&#cS*ruorZLaza`3} zqH-Hk6NfCCJJqqPbzIaM7lz0sq_E$caNm#C?h9_{YmsZc&>lr#`M9mZ*FXzCt*1S4 ziccAK49QdW6e+^2t~t%F4T{+3J1+kT?)kWOUsDCjW2)}wm*t@Ao{;_V+e+Y=QyOsU zivsAl+W9+rDFKzj+#}u+SA?7Y2&8*f*p|dqzfGcuV8O_!MGD>dL!q> zeUF<_4dvdgKer!-%n-q?D(4%p>sxUBA6LHYz4@IVA@?<=%PUR?y%L6yvRQc-_PPEC z9nXLD8L#Hgd{jRZuQ8zLDe7Nm)Dglx-`DCNqzOI&X@XBcoZu6XB=`hW2|fXS?DLd@ zaiZ0tk`2DHeo_#Rl7a)_=dO>FQh~neHk%#A256&(=eX$giGB|*!_GSuQrPwn*(CQm z!Cwqw)C+nk7M0MBp_l2p2gE=ivA42;N*wmyVa#naQbJ=a4u)(>!q|K)xccMX*UI;Q z&ZV-jf&<&(RVtSPJcuHTO4(jQ4Q!o8p3<`1~|ByN1b z)d#m92N$2j)#pH20psl9C@`$pb0&3XFz|P_HI`CDKzPUvQt!wFaJb#*F+LRt3w6fz z>B^O8ZGA1`zNSdr*Yt?{nkI2yQzq_fJ_r||yp%irpt8*dPE7TcHNP-H9bLD!QCt^7 zFXHt^pWm^BhxPekPQ$A3(08EKXU=7H|5?uSC7BcFogi`ENfYOtFmc`q66c*D;Nmm5 z`s2o1+>T~3<@p)YP;C}C)mdE{H zxc!NLI=cqSrMPgo$1~IS4otW37Ld@%t$G(3l?J3X*rr(Z2x{N)J?dOK08Cl%J z8#vHRXaUoeB_4C6D_T$y|QCeGYRbt^Aid+*#*>z?VPvk9HHiH?I+N50L2I6 z2FiCOVW=^%EN(^>ebzTqkh7J6o?PlUN=jMa6ur}IKczh+$ijNYynnFs_uD3(8$jwTNaZAjo02I8% zcBs>iQX}DbCK#96_$BN}hQk*>eKmTT0eSVjCpk_wAhw|CZ$ATK!Ax1NW-&JzyB-o3 zpSMOPv?-mkAV@Z!5yzbJtM&L7S`b3q;9)(_+6 zhq(PXxbK_yO;yiwkocmo46@Ceo*|fOpgkYst`CmPoHr@IYr(JY21UG5noyHHIr~^# z3vl<#n*RJ?WL-BrJ0gtis_Jeou<*g~02?>MC0=M_CCg&dmPIeRg2m=KS+V_1(DbU? zg`eIKoZ9j#vUeA3N^w5n7#4;&g&g#C^W0#xP2_aTBTvXM7&nv^i9pw;Lj=8?3{WF% zezN$BycTW(ET3hiyN0S}TE8`z9lvLP|);x$WXqZj7?k=mRouX|M8- z4qm#}rH|@fbbXXlSnU_+y=d>cUJ*)?W62Xjv;a4r;O1|*_bFVwLRrt0zLZZ1+_#o@ z98VTNgQc+SvrY+qW^I>R*rfok20D?DzZ@#mCSAO`q>ga!njj8$_kb)#trX)yC$#z&#&9Z)uBsm?@|VC{kEO?L>18I!Q9M1~B!p zaCj`i5FVCg9uZ)*MaI`cy2~cCvGbWf?LWBhHMsQ#YxfZb$e#NycF&a-^6dJ?Oy9~O zp1t~hbCNVLHB=k9o`oJJCmp#jzMuhz16ho+Jf_HM?EF&h{?)pFQDYs>JR1aCo_3WE zS)o|N@{O)nZJ;G`VBYn-CH6d&3O$g$v|xhL%u2%s)0IH5DgI)+uPVs<+%dgErvmY_ zD{cjyCMc5bB;${7YS?%YZvLND`6}R1%Q4t!kkPr0r2!`7giQYzd*2<-_51x_%8u+P zd+)v1ZSTD)n+VxE6r!RbA*;PeqJb1nsL-TBOG{{qkhY)eh~VVtb9d zBpsc}`HhTbCihIhAS@tSZ4891*a|J5*!P0P-^RvY*!UOAKb9VA zFR=S-u>4^CbF4kW+83<<#&2!>`Nnn=a=^In=cf!K_-$-#eqThNeB(JT`LLK5LingI zTA7-_FpHG)87E;%{pIiHp%&r=Ed4~=1?hVm1Dz(?8aC4n>+*9F@#)7(FL!-tvmJAc zHFKS8V=gz4&8Yd*R#C>V{?P4A*rC3f<7P+#Xxu&f^b&0rEVYYr9`?-x|M1AImYthG zIdyHPh50G+o$>I)>UUCL-tgJSqECgKva(+}dQKLYQkZ3wnIz%B!R9k{S;~+rQzThe zZcMT7e_yY}z85V0V#_o3ePQ{>`jc4y7W;m&{A1}C_;Da7ulO~t%XNU+C!99D{f?yG zXU|WMNJp5Py_78T!j%+mJESx~Z;#%8f#nA)KiK=n`ajtC5z7x2FZ$0r)`TWyHmKgR zUp#diGpK#sc=uM2DybD0xxe8I6NImjVK~FU3NWTel^er^_Rq2Ph{7`r_w)W3fKN`j zr{F;cvhF~!rs+x}a1EWD-BqgxY8BBB?gbjc*OudB`vjfH!u^W^3*(~?X0NOWgV1TQ zhnzx?>`WD+vtJ05R}1t%PS%Drj{|NIL)_^8ZESrXn=iup|JZ)i9QSr$+`dq_}`x>!RA~d>-K2djCeQIv2YC9BZ#fZ`OLauQ7)HvyYP^ zLtKb_y-SV#Yh%zgxcG91q!AdkX)2lPxewt z?g} zzV*@o`ZI0vS7xs#SbKU-@K}2F=vtz_|Ie{dUjjQlYDsIT8L000$l3SH5Q=TR%}RL< z!0T*3T`4g^*K@J{GnO9fuVU*R*z>XdUHK_T?H|5OgLHX=jjMP2g4S?Z+B*Y6XpZxw zS=~>A)dIVBQ^&0%=V`1bYtQc@*m!V(-kxk;`IRAPLKF(~JV#Asq=C;^Mt?hzhJy7e z^xxaXAl}4N=qOUrjlmlXCu=|M>G4-j^c9KUAdnhe{OxP>JFn zs!{wy1)w{=XXY7;9`Q}_Jp5ry20V|Rv!L(RgM0h`4Cv(>5Z=qfZ<|?GLtS*C=++Jm zz~;NK{y&x;+y8^rKiKzPZs}CdTSgC8B}_7&4ayU4xm2@{j_>qYzB#P^%%Tq&=7+VW zJ1oeara|TdhPr6|kH!DN%0r8;-ZPawj!?C`$Nj(uXTr-_a=~><3pV?Ixi-*i2kT@D zR8CTRkb0Xdd(NiYfwzD}^0zs2pb<<6Ny_mgdpq6SH3FUCPh+9%7b;Vj=$Lr0hsqqx zZnjh(=650EkM4F1OnHI6mZ7+5tqU;J$yDn+O(UQ0Sg?l2y2F@*XPJ|V3pn{I?JaxZ z2H5|L^?$JPfb|ct`-2wx-;BwMbA`fg(@L=acG)R5cVjX=$-VKxJl?oQP^h@Rt1=AU z=8s>+qylQUbvMj@cZI=aJqP&NlF7wc2Ky?>AaEa)UORm#5avFFut;r5C9zy7hf-A1 zfG5ZFV=Pw`aP+AZ;Y)E zV(phoN~9Fs3oY34@L*o`HVr5}n>z0KP?mTMOAko?a3<~NcB+p*&;lRE4eby2YJzY) zyxX^(7g8%PyIuXF1l|vWnrV7P;d=bJV!u&!;3*5SxoZ2SE$lJv8-{d8w0|-!`fG#6 z)lky>`9_LQnIVXV3Wu!uUR?Y453aX&6?I^-e38mm3^^XlcezM zWzFx=gvf5e*h^Qn2|crWN{*N|{AtcB_X{x~wI?)A_?c?}R-Uo*FIfGCtuK5x^Zr5~ zYesJMD7|mrGTFw(ptNV#pbF$E?yd-r(wo;aRj<3R8IkA}G`D$Z30fawhSERtog4n2NHO74V~wJCi(7mC#f$+1&*>uCS8xQf@T_qw}%d?qV*3}KV$uw>Lnr8 z%$~8}c4b+nB(*AiK{dt?O7KGna{*}{+4Z0s2TkpW?TWr4#Rz9)v zgXRCkzeLD%fv4R_j$d=Go|H0%+7k(4q174uHMz` ztt<}vFMj{Z+NFT*&&SpWHw3)BwNoJ;w$rm39D3*t=C7eajdn8`NOv~ouTCZ#?F6r+ zfAWO$9!)+~f(ek<{QH@%?|O(WzWTw;d@pp+Cb#C_J5CDX)C9(=ipb%d7`YppOF`m7 zVdGofB1mm~<)-^Gj*PK9+HJsU0OCCr9e>6=;hn4WkF5oMgr-Tsg}c=QY~>PGOkM~A zmNE|RyBfk!=wfuQNsEt+J|{W{FHiwzvGvHQ071Aj$yfQ!Sdv&yo@+VKy$U|Z{rwajkngs6|Zn4v|i6b?}}mk!x|*fGhRAFWO2?h!YLB&m_Ady!b*rryjWi;*YPl z?@g2?S2hdfDD@bEAnzf;$oc-4r}S-yCHLtNvs+Ky=eU&7_RhCqi^a1MRd6(O%G+aV zLPnkz?W6gw1lz9lsNU*U2FABjAtq;K$(gf9=j7<5(fMbrK1|OIu8?C|L5!?ga|^b} zlQSEZ7Var!Cs+HfyPfuvgucg5xOkdAwwXQ>cJ{UxMe~ErKfizSYIgAT{Ju_Jry1Vs zOMzM3a)*GTI!KmUKH;lXhj?qvDS6h%`g^Xi=Y&nzQ|e!TU!S^pj(>w*Vc_9&4=RiV5Z>C&uFkx3;Yz zdCkwwmww?R-0u&69;;LVpNKfvHuI(kAc+>bzZlHUo$wuhuq}L9r^Ciw}T_DMKYW?TnmtF z={6z_O{F=7_uc1lHnd*cvDQG#CpLb;`WsmNv*7=zQTG3;QuhCPl7;=hDwO@dYLxxI z%IJI!cAhbM`j=m!fgAj$dMDwGUwEQ2Z3jK>Jo3#U4j|g(I#~86h+Jn+tK`jg zLg%Zo_c>ydl{KNZfpF*E5I<-T3rX^l0UcB8;qiE{Q>jw|8RpDg+7J{%mbI%7lnuwj z*VyDCeN9>@eY$qT0atZmS23BLFs=$a&VEU5no)$4#;c5v_!yHf-nO@VXBE-<0n7h4 z=7a>b%l2do9F(ug(1f?NE}=d~1`sa9+_9((%p@%xY!*{15FeJa$DO6X2-Vci55?(U! zZWZB|`sqXrxCf0CPsxF*uK(d(k`m;gw`M~Ets|7ZJEAyF?FM<*OS+ypxWgfq?syYN zCz$^3FwOlY79EdZ_fzaiDGq-XC=Hv$%XM?h)XAo@A0-ce$-^71$A6>+B!TX3CPST( z2DzgU=UB@p2BU8?<6>#7K(XvWK#hzM%T941xSO zmGBoK!Njo4K&C-^HSCP@k5JfX3~sL3nv=u2u*}tjFLTrcye)pKe2+4M6(SO=9gPVj zun75?RR$AN->TLqMl<5QeMWO`lOR+Nf0BQeAp#o&KCwk>^23);A6(AF3d3o-Vy}Tl z0l3i$o9`U8g!1+S$GW$9klCL}-)3B#!9}>b`K6{AG>w0WIpL@WlQz$k25cP(wx0^? zuP)#N7*Oy5R4MoXmK1ydD+)e<3I!iP9o;{J{l8eeCanI!#tT?_Y(Eo!?0v zIke@`T~m_OS*hf1zzl0o$@E=rGa+}o1ZXy~(G%MERS*5uS%}1rG(OsT5A?n>EIut( zp0WA?Yk#rz$Ax_F-}f71-wXCWv3Mic_+^kKV&mqGTJWAG#QFAZKVnnOp7gC#5)TKahe~a5uff)fgJQ!j8d_$- z3(n3nCz{;ga1OPmZ?+j>(!HGEry2{@?@FS5Rr1J^%2-Rc_!Z<$iz#T)r;^WfzQVdU z!{+yE1_++7S`Tm6wd_7tA4x`+>?mkDs|)4F$4}+cZ2&WuL00xD2~zv>!I8&v4$woj z>u2O<4YIwPIQzt0ZcEqJZrIT30@59o2emnU(fM%f{bTj{=KLK8Z2dA`{tZ`u`l&2H?{DRKnhw~)$-bw%fY7TaDd%y)CZ1+@=yKYla8(dVhD zxpW-B-#C8krX2?uCu!ZZjAR9!x>TB%m73`I3u}+C{tVV0Vb9-{b7QsWOfuYC@nFdG zSv=9-E?S{bkpe3pjQ=hQj0c{3f!nuS+eC_w3rx0t-2&n3zpNY*Q-eL}-(BtLc%Z9K z?3e#aQ*x*M{9u)sDVfexqGmEwhhEli5YD|s9-11h1YD9(d%X!+Dk-&(DyBM35$6TAU*>O@9g>cm$& zK47mB+R-}12ZA|;g`CW<^am3)H*@ODzlXf6o{~yV%Dg`hW!|5IGVjk$nfDi=%=tw7kR0(UIIqzZy zQM+AeOZ}A~jNIy;FbYBU=PdkRF-kp1lu{3}q|}2%DD@yQN|Tfe{Ktp}MM zPjp*trAVW;d*Pl325@tt;A4S+G_up$(HyK-O9S)5c!bIWUo;paQB@)LAKv|;jz3Ur>0zWzj82_94HtqOdm z0uKgHE*p+l2l-OQj05+Tpj|p#+J(*qtv?r=A1wda`s4pL{;}VS)t^QuOrGDRl?44C zJ3@AzRDe(Ax9+pCNx;5=bzAIB^?+UC=BpJj!LqCe~hHzZXlt z*!lr04_N-Oc+1%H{r$9Ki+wCW?)bom9bf{5CA6Wlt>*Au!?oi3b4!q`6XG7KHv#>7 z(;%0>0X_e<^q%E68k*IhbpKh2*oY3)S*KAOw*`{RAE($;hTULSyFpZXwFh}=aCGfz zSO-~Q_oM>nalK|Hbgd=7YeR`hHXF0BE{qIC|0=p{1!l}54j!y#kQMdApPo4wjW4vu zsP6edhzGomRlBSo=TFX_vArK7;tC`8IiGuMbDQt$4|UmmdObO}w9_kd#1WmJ!QLlU zKC$_EEI$kNN^J-_wtZ=8t^vuBQF#9`KpkxRPI9kg(t^7l7xoS6Sdfn@%D@{YhxRA2 z{ax7m!O~;zXR+zM?aajIs`TLY!IZl43LW6zpB=j6z8`U`I7(~Ep#h(s^)Hp~(uJ4b z^EPX%X@d<{b3uZpBye;Ut(CTrfVT-^g+9w|NmG@b$rf`l5VwlIaXDEM+?R)pjn9e# zmVazNcF$L_ES_Z&@Gg@tFG5lnI(egn3^u8geb>9<1pCxTm3WWOdP7lAXs2G*WGsoE zKf=n-x33mH!4Ec)J9QuEPgVxQsY4Sqacnm5!qYRW<99GQQe;dmEa?pA9vGVJbMOGq z$KHkC-pfJ3kE}f#b@hlOSN>rZZAFl#+rnb*B@NHMMTPq1>J#<{<`Enn;%Gc5Y(88` zpW2;sECH+^9^S`T9R}SM^dda#*29UQC5K*(MT3M`Qo}1dXLx4WPj#!IfGoEEjFktw z=C+wD@$nGx?V?eG?Jja;xBY<*pCou&ce26qdOQies8c&wrv(bHV~neflF|AW``)qn zM(p{Ez266$|HS%Z*!(%x|KXn4(Eqe927a8DJG%8zDEyc)h_-0SBKvM^3r}j!AcCcC zKVTpnig${$e6Wv4#|y_=uX#lubR#|k{GT~ptRdN`W3%~o52AaJ=H}Kb%n!2`u@($2R{|2Ddvz4(U{&$>o7qHDI6Cn1PTQmnY-vq0x>#%rDyt7O zT+G*n3YMw?v*c)Wz6JZfu=GIhSTI284rtoBm# z3<$R%W*O)D+)t{4)p3OvsusD>TdB=I-MW*|x8$D6+`R=l>d$x$i)Mlx+lTX=;|1h$ z!m=f@Gg;_-GWLHhHa#|9jpgUS#^UvrCCO0P=f*fEwh;tzX4X>{o#FZs+8)@(g|#F<^ZvHqZOdBykkHD2iRe`TJXkkj#l){XMkb;Vhv`dQ~yquEd(j}xca z43nVt+$t$H;c%F^Z4}{kB$hBn?|q$~XFk98pwRBXW-F3P-~WEAhyl!q?awd2rVC@= zqrUaZx{!0FjEV@<}MvqW8l<7KC@GS-4q;1)|nHy}xJ9~fL$MvgWwq^RDsV@&u z2cG5*(3U09pV--U9ppgICoa5SEdD2!{_p28H|3xHR(8OT+$-|-%Wt$K>4S*?S;$1V}SwX1y4aN&;8ju%% z`|7VQ3lcfZ8O6bD4na>iqk6aL6W(7{*KYP2lCHU;&I^)?aQR@o5d9NlvOSY_+`U&3 z=#S3TkDgb8U0?WkJA#za_63`N#?DIy{$alG(Lf5)`rE4tW1WfoNL8BNFHJ zA-#Bs8noX}Y@dqOL&vk&cmZpFH+dbteKJaVzJFzk+reG}xO=oEk8M+d$L)Iu&aycZ zSD!P+JT7vueEc%it&8$#{O#r-T9;KzGT=(o)dw+2n}GRw++BOuO&}V{|0jP_I?O7y zWb9qLj}&R1xz;R|Nx`4wpx{qxQ}8EQDfpAD6#PkP3jQP=VC4;)FU8(JwjUMC4_5zU z`N#IJV*5X__@CH%99AFxr_*EKJJ!F&(qrWfOK;2C7J1rO0R-79gtfZGpj9`M>-l*t z_`q*E;de&{R<8Bt*V`iwyfw$%u|u+r8l!}UA%5w)76L%1@zj(Apr%IPpu zxOMYoIln|S!S?%YXuNQ#i9Q`{{BEzPP%k2Kok3}%ZW-`9e4j+L@m7%ASyMwjwh1mi znj07F&LuIgh3=F)3q#N8Ya!IdJWzLA;|%X+PUxsi+%^#+1n-73Jsc>bc6wB)4UUYt2P-QlPSv$mOWQ!ag8Z%03`_%03`}%03_m%03`x%08e# zg0&a-x^r(@b|pY;f%3k$j=M=fq4kh#dm{W2^45_I&H$0>s|F^Y;$hosa)FyGlVI-$ z`@gX79c%CMU(GJP>$#Rxx<9Ak>vM;@y~SrG=A6jLN4X&LP(Q-X^2I{0+zWPmb`~!m z@qopSFZL+jdFiE<2+#G!+NgOPAaz-;FjbKSQGC2a?!kHx^rL) zG_5tQtJfBU0lz;Ra~$1CMqJA_J1$rF;n;uZ>j`JbKAdu7ZfYI}%zbUUti20m-r?{2 z{jl{QZ2XA*Us!s{=&)<=YJ^~u?J=?4%Z0(+_l(J+LO8U%yQ%xQN1es_gRWED2ai-)Y_( zB!;dRVC^rK{$bgEsE$0Hb>u$AVGrbBk z2UaGRjXJ|r$y&BPDo5yuk7H1J>;QXv*7@H*BtYng18+~(I>LRb_HVoXL=e@Scah6) zI{?ibYwq}28|WyCRXWOU4|}UtJ^Ah70%D53Hf{Abpl7$)@pNzdo_h zf&E>Zr7VW5NfcFuKb*6LV41Cs=LO8kHzw`Wmh&>`{wr+!xY+dA|6842P|JOI4b)D( zt7m^ANv8H)EiKMeBE3}OaWSX4;f%VwdSR#xw336unU!4V`@z}^to&o^Q!V$8ag}{E zhJ6nMuTtw7f}xw`fn&~2Q0s6n#9P$?SXOvGQgpNgKmU{}>(|j}`-tV|i^#TH2i&}f zWA_@zGf95X`~Aywhp{1veC4&jety2?*?85NdIdu=M%D2|FO?gLbV_*?Pg(dNPa3aBXzOIGcSBsS&?El5iTVeUZ=I6bq ze)FsGX+vP-74GPDN-$6s&~|^b0aTr(kMCC1f|~wjyXIgOhz_o*I^OGt?vKUx^I+v4 z>(3~1zv*v(YeA0pvUrypDZq;Ivvea(hNN7!sPXbTO$b{)VktMI0Bi3%>z{c#pKt%y z{v$=o{v!j*{v&0|{v$cc{v##I{v#vwd)c|m_1D8^MzB-)iQ9KW7xE-8&}ZY6F`Rsn z^`!WPIk0$HZ9m9o1ZtaV*k1>_q4QDCs91D*(=CCiJ0w@}lLw)Xc=>RQ%Nh)sXHuk% z%%JzJWNQf$#Rd^J!?jMC|+Z@Gp%x9B)7l&)l*WYE}UcS;daxGD&hZFo`c~n-*lO zn-gSDR)uptIXxodDg^t!u=Q?iz8cHV0-ldL1Vp$r zjoca_pJPgYOu&(FDcMVTo-hWn>uK4n`;DP5*-F2X&w>0-+*@UTK?A6nRop`6-;2d3c{X_`tGdA$ zDl#6V?5sD0Bq(C|!5c(4J%2`bOBq5qowLtKm=U~~jL+S;b@BK4+UEo+t@$ktj0erW z+*vOH)q$qj*70`4-=m4z$_s6~fwoUadB&8IvcoL2|!H(^gEq*dU@ zwdTh*pFPO%M>9|QP-RfI3^e;`ss=Xqd8KH}l+pN&3-t?j=odPacuar=c)3yo>^G~E zy!S%I7k{jTijp455ji%n?1`((>}H0iJJK9$Hv0ls#j3$~YdnGf%iU#kI$31uZ0eMeol%nNw4ZK(xL_`yOx&;df!og~@5TY^)5-$3{GSh8tc%>UK_JFuBrI{P5l z8e&FQov$f&MAKvOWG>u47U%1k4a1u_&mTTtO7ti1iijM4o<*nB(od$Il% zodM{t`dvhP*R_v)quB;4xj)R+zTHo%e#MUz%Wj3FSK}P1EZbqX$vK{iJ=-Y#27iwS zh2 zWt$_cO+NR`=BERtUhwz*LfG?7N>BH@-=l|}#{2Jzq{)(sbbR`fQ(iEBzos zTbKW$wGT;olcAOW)CwLpS%zs)`M_00k(Y;++(G!mn)-qqUl^X$-AMPs57r02t2*T8 z4jVT|>Px-YLKf)lDD>tOdV31J1BKq4LLW`A`UG1)y*;Qg@m|6Kd>Uj=tG8H@q-2f5 z-OBU(5)6kum4919V%E&@n^n$a-O6Xy^z*nNSoy@t12(^boj=0H*Vy~S=C82vEVh2M zs_Js?Nl^ySboJ_b*GmI-89CI=%nBrxSMyO#1~m+tzJLBzlOB9`^xkERq+axT+%s=M z=k@dRi-TzjG%M%#Cx=m=RM;x)KxU|f%JasY;dRosZLq->m`l$@Z_45gr;x!-Jj7O7G?U}8~+rk%p{pSr}y(j;UiZLVD>f_y{t!$327h~lU zi*NStz2Cpz*MPMb*#35`JYe%n3-d=pl=&lJ%KVWEW&X&9GJhmOnLiQ$EFNt4_LDlg zrz}at+%&^wcL%Z~dDu}t*8p~&pf8S|-xm{Bv*#>5lL15|p82puN*}QJ$=Li4mLB`Q zu>B#}cz;3OR4M(6UX*@CB}%`d5~W|!iqfwr30Qs>-s9i*Gh^)+)_?m?@0a^e=fAnO zY{^@7W$2>2eD6rIJlG1W#H=fFAw!P_J+!aMfs)qbR{*S5&r@UbQP}%D z)g>s#Jd;FLJ1qHOA{9qQ)s}HrpN@r&&$Ajr{ySinIjpHLG#GZTh?WYcjwAcWzfmuz zbAd1mxkn6J!pY_J;^jG4bV;30qE_~%2$&cXU?SdeBqKSyqEbE#f{%&Kj_4bcXvg8# z_Qs6l_)g9oRz)N7MKhxRRtwianh zzE{6{85@i-v!_jYtb~Z6kO2|G>ZqM9OwI1*kf}1Rak&2?~*~nM^=!%#T3^ZuSNtkEuOyo#t79* zE(}XwW`}jnRxu5cEB{S@`0wp0)*ryycdWg}>O<^&A66e?>9PD{`!_5*K2*^%yOPsu ze%}wjH`7*MHoWOXOgK3kwK-8|#RfPbSY-W8E}As%6LXRJl?V+{AqVX^VhL=skBI*5 zNUqbf^_`6KhP2y>M(WDGz_LH~ispm|48Kg~kZm;s5&43%u^#h#9kSna?`5?l$9>u_ z(S2|Pg}El5d;>PN*!~%;y~gs7?Vk^4 zDM*sstWBmw9iIC{OTbf(%ch*uGGL&rbiezFJg970w=Kj+0*c&rFDdiYM%T-*-;2F} z?Dt~zTg2NpJjytF{_~;P%z!4untT|usMLj5dk?tX?9_s_ zn>c^&=TL$&pZJq>H$=hiV4TVoHWf(fToP=;rvqUQNqj@5GLT2RglW$mH}rjC^V|E? z)5bzQnFj}CL5MslH{GOS5xEwoZo0sq~13}srtMI)GtRkA>R=mziIb!EWy_QMLP<=!wF!X)6r8FKy-E!o1@%@Ewu=aZ4J<7lZN6zRl z8F|<>p*sG$*MZC$o{So1m4r{%?fRo!W#LA?NbjL>=|%TXukHn?>~|0r1 zm6gB3=IxH-xmvL?6A;^L+$HJgOwMm)G&8wp0tR6LIgIkgK$G?Ab$x>eF=}HVY{ga( z(4i9C`ZX5nU-8ZUFi9rbM*7=)%8g;gGnTbM)M?Ol*1!L}-ZpY-ezzDSb--l%xpPtv;8va2k*mw@1qN*NLO?RU{@_e(GEm z0-p(f?dPJxP%fk;Td>BAjJi|lP%8)kO;VQj@gxz*b-cdnx4`^9SmeG5EFL3P9o0jE$9y+iqYkSd-Emn#rwE?Whd6q9*Amrarr}3TTJZ7Bg~SLs6}abN5#$>=-;eVT z{Xh5fk39U>yq6u>*)1i*8^Loh-r4766fr95@Ln>H8!UJHn+JDb5R9Ir&b5CVL|)D% zQx)v=N8=k{>nYg!<6`>{=5KastQ(^zIt^ScFCIxk?+V`3wdeGSYOsaRQg$g=dZb&v z-ggz*ap9cE%y)4xG|QIY->v}Pnr(j2$LkV}+7{WTYn0)+P`|=HIavsu=oj4JGLH}P zO5VFQUjpqvKax56#o@?qF#LJrT-snbypX)e?Rjo57#RnYbBh!biLP&-f2`aJbjuUG zDphx&`+>3diN%vy?Ej06r?B~f(eqoE?ph-SVwbWE_uE>KG1|myn{}l@D8KgiHePYK zRJ^0qCT%HcAKk4SG$aPtd?k5M5$8S}#c&3wy@4Z>+ zpzB7k>yjepBdb8Nul*F2TSYRue+JuMvDo*C&G%ycd2Bq0^$)T9VDqv6ZS+|A%(!~~ z!Lz6okg(rdY;!FR)>;`Yb1#V}w!7%)Tdt=P?v=Ex_k+{mrhK39utYK%4`G*C-jiMP z`?0qbC{9OPnG?lJC%G>iu_Qsv(=NB#E#R?P-$aazJDD$4Elu%t1uWhaRzG9&Z&>}d z*z{QakL70pzsR40m*qgg%L=66WjRprvK%RRSx#vDC9J*@^~l~CwaT8b%eYqBfflGb z7Q|%_8Gvb>|KaOj^uR4`6+bt>Bgx+THre359@>6k>t9%UY(57Y&!*gGcwa*2M_Ou9 zj%gm{x9r)Rcw9$o8Md5 z@9aR??`%TZ@9at0@9ag{?`%xj?`#H1F+}k>eUI4s6gHnG8+`XGnam}}-x~@=_h!NMqs!TtzwaQ4 z`bV#83~nJ7?w222kjsJe8lkw9dpptJi{%GvuaB2a(8umngST9{Ze}+ONIjdb30<2q z4A!1nsqZ8Ox7F${ZGUD=iuBWiw)0EF^UMANu1?-yNyTS+Ou`i|Q;F-`H4Gt=FB9q3 za=1b32hGwwo4kOQA*!)#*9LU`3ybH8eJ>00FG}g}vZC~N2~qmHged)8+LZn-Zgl<= z>%U?7e^!$JE<)RqTn}3I%H)6nEU^y#w5-^K6x=Ke3ao6=SK6}ru)c&5(CmMg(O9n! z*!}F-cmYd~eUI3B5O&|OWJeWO*3ZAwVn)u1`U9<7#KaqGUXX}d5%`chnao`l&<#`Yh3-!oEG$WDNV?t8uxLF` zSimFYq2Q4kQ}9SvQ}9SvQSeAbDR`uuXn$i!SFfQpSQW;2t}4v=DUue3oDlAlnvhKM zIz*091+r`WFC1B~NOIgB-=!1MCs=!mwMSU`1^e~)^KsbovGiDfRq#noRNp)kEc~j{=L*HqImgj|elZ_Po@F)s?csd0?Jeh(Y z9z($o4?~}i)rVOB`F?}BH|OgBveoTDUf$MN(5NvIwM|JQ?`w+alJ*CY<>y~rT(Ue6 zKIitPO4r2!)*t>}pO<~4XFlE@p6=N?987!?4x8$AI)l)*^jG&XTtPrEIJN(S1AI{1 zoOZI!4&v3yx-;w}Nz!+a+Gp=^^sz@%%90 zV!uahzG$)e!JdDktv};TsVT{Pn;2=YtWOFa1*{f1Y6qVEoUc8dZD8=vqeJC|hU9J7 zkn9>harFP4a-;pe|Ewk4;ZJE{cQb+EnnIW4>n3D%lata_9xD?1Ev&te-wgZ?1uM5- zBWV4Jt&d>!6&6n$Yu~Z&5zGH#(=Xf)fzFfRrJF{q$&8t;x~iKIH1B5IL{D!F0y6!l zJ^CEUBOwv*l14Q&z8}_q!`?skez5T%Hb1u5{EyxXSBSXEPUvfWj2#%Y;gE&+wk>%M zMDf#G19e+1=;5o7IQ?9NK-c-FtN&=A=fR&@3fT7U)`P${@q4ef*^%j}b|=?nT~K_q zQBqFW6fR}jYi!8#AT+m}Bg)LI(dT313+(^Go_~wyS-SAbwM6Z~nWO@+UT6< zLBb`w#g+%g5TA^W;X1`oVEDuQ^zqVTnhtPt{n1C8=JEB4rjHg) zr`V$XVXS?@(vRM(^>AO~4E<*xCq;$?5&3$T8vEDIplfjP>bQDUW{Ut2k6qbMN{b1+2Bi~MKap{PIRry^)laC_d&_l&_b7OJv z?Se*R*^3m|H>b6-EyY{2~6YTf?d-m?{`(6J%d-V6`FSb97_4ly#j(fK@ zEb%_20}ix*D!sa$Nvh@gfa~HGpiNVq;MHIW$~#(GJ7S#(>(n_#p_h6v{xn5J!!3~H zjXiH{f8q;8kH%(F8w1H~&!@sAlCh*ZV13ow_a?wIoz`*FJQ1*XbXfa^y??B~fz8)p z>9OwxOTXCsv>1JV_^FJQ?5)>I<~S()r%$WiitK`cAw_x)OQNcu~-YH4ws>K=Q?|jiBxl+E-WZ3cF5e zXCGaiOjI&bJ&s5w!=>JXx^HP?AusRnsFzPJnHY#MJj9j=tf5M+D_P>;tz=}#phPwi zx!9a7Kkwi0$CM44NEr|YW|duWcf=s^$b%8B%i`c>#4Fy_HKpH36)#I)Apo)FSxYKs zB|!VN`c-Rd5zxPwu0C@@gm}jHQe9Xp4r9jjTQ7u(fpqan^%)IgbbVys?w~jR5jLcL z*^@H5dHlSRY@30}F>7-89DCt!CPP?P%vU9>qXV8(nIYvuhG_e^*ym&4FZR7G%)cQT?0#e{{~4dW!Y>VH!wE;xI>p~x zh{MmFG=*!^U>R?lUqpTythOTN(f4){55=;B)#^!Te7P(?^Q9kqWJm&kiJ;6zbJEzd zD|oUX5MB?}v31hKgV-Fc^{q4y65Ujyc7-j5$flH}`Ycz0^I6?>PSMJ6p=Kk^0Iea> z&S;GM6Qc-rUU&RBB@M~&`N*}0Vif?pe`Mi){@$O&*2}Q=1*@;H`AjUnN=9Xii*0r$ zkqSz>5MLh-tz{Y8BOj-cv(rW|3g1LPeOG?us#TGYNpJ4>Xmu3&y<_E5lSRoO-$foy zUS)}y84!cD@+k>c!?LhnIQ3VZp8`xN^hDb0OTcs0nvqUnC$#_Rl6zFr=)E}%t;;V@ zEiom(xN-}$_B#U0Z+>hVC+m1d@P0giS4*ZSd$8Op!2je8Io0gGFL8mU2 z=4GWM`h8*d>0tHY~EH);u^e)_0Uhw?-%FdKZw}AJ`1>Z4>r9-?lEJ+ znkq&kQSA%1bHTztmc^4RJ~YREv{=K6!N`iwEiMH6f3fxgd;eJdjLrXG_pf35k+A+u zmTt`0F17%&VWP(1NR>4l_NjQQQX)b`x({+!>+!*lN+}}=Uptbf-x%D??1#q7!s>Hu zKQmT8W9hN}05(3tp1;r!BTwmv(Wdmnm{R&-q$vF`I+T7G8CcK{?2z~AhwPva3+!=k z?X!8WN`#ZmLO&_2gy)@ys&p=)neqUS-d?*-f6<*kw7|J<1ihE8?*<>pJ0 zlQSxF8b#dT<}8^~q0R|9V!q8{Yo!SFxA9qa4mPws!rHF|d0xE!L+pFO-amHU8GAlf z|6u>`LcikQ}1>)*pYUTH2;ioy(4!D9CTOgNi;hFM?aX;40IZhBR1DX6~}$x=c|j~ele zzsms5>a$Kxyi3vNWARS0{uuUrtUrT2{~!7g*ScGRP`>GdsD`2-u;1a|E^|%*s6@?1 zh=c%oUVE|c6YD=OHb4KI|3AymV&6~cS>Djc2W*JgW>@i;L|M}0!&YTNR3YN>Z}HEs z6+l%Oiu|)Rph>y(he)!_qU*!O{$6anu-N?kbN>Hd`TuXbe{8?#f7|{1^S%G`d&Kqw z{BxiG^L_rO-wzfa_=i>BskkU(Fw!c>WsJ}P8B@>boTVn<=U~Ke^RfmBv**&FpK>A` zfe9a-l{v^i^#9z?Kl1R;d-;E*AF%aAEdC5OzlZh59@*$z;$PxUVse)=t(cF`o*!pv zN%2<)FK&T*^goo~&kyq=5k*Bfl=tMrkem{%s{MA*=9>iw6&nuSxhM|nXsoKPO2!kq zU+YGf*2fabS94q|Rz$=3yf^(L-HGs>@$kdycT!;9@Y%sS9J%6$J$L7QRy6y5x1T>&sIy_s$ zf``1`H66+*G~M>7+FHT2TMaZc*oIS|N)oR4v?$pEUGn_XXlIcmAHex>r33|TC@FZl zW77)*G8XkXiuTtkcA*R!zsF6{SW^9fjbY&{XnKUUuUchWDO z{#m%szn@>g-aqzyto&f>kJ$G(^qI-&%_M;@lCncf^R!{Q_p|Ps^#LU0(JvW0eQgK~ zh&~wfN)Mim?TD54)k5pf+`^|9OSrY*@)J&t)~BkVT589A?BzO=eP#D&zRG#r?H`F6 zjVT%+>iwPi^A{D$`F}4Di>*J`D}O4Cdaed5Y2rrqizvejj~+WMdrvaXKD>|mw-QA5 zyuNcJP8GC-&VA{2P(t4i_J3jDuVmc_^{Z+bxYIpl^Zu|T3?HK18o5uO{0cMq(HA2I z+VI3wtbVA@YR+%^tV$X;IF{1Z>yYcs!po^oNP1uG!D&)pzjl_53&9dSE**0?mB4*I<|djYVJIaij2bhj{)Lf+jo+C zC6g4~^|-KaP)Cz|R8a=rFup~fSHl7uJ4J`|G@E`CtWy>ax{q1WjRe5&|fqXNsGxVp^lKW$k4vGbMOH&tJ-7HW`F6|YM2-83MKYn;LQrV-RQ z9{hc&Y<|8f@lj%QqZV+TsrC~p^`hKAC#Bzmozm~2N$K}sq4ayKru2KT!ovUhdwOg? zCw5)~yMJV{{ecDlL4_g@iWGTpqsW5-EXad0MIPkQ{>%z5eV^@@wIS#3>dq}P>Jaig zM1twF4f{{&qqZ4xGu+ zSZ3=)_^b7es zE%bAWQ0N6I^d=N~0ZKooFoj-#(*KD)|L^IKH1M0(zI22~`x%yK4jIFvXVvWOnX$xr zwsn)+Ayd%o^*y=$lM~c@I7jzvj~(=>Xfm5h=)-Rhb0N6|Em+OZcUX6WKZ%Km{JpVU z6ZH3stz6Nq2i?oM9shpQY|{3R%I}%E$h5Fk5}rIX<<=N=}L%5XKukpdB`VE zFX^vQfla%Y7B^j%L)!~%|Kx)F|9yP1KrcdhFM^c!Vn%r{0+jb6OnEQ-(3ikGP|_s< z4_P)Q86Fe`)6bE2`hBcP!n;u>MJW-8t?N7{7$OC9DKD>Rz7~c}1Jp6IwiDh!@#qzocF7n=))vkgf9e(}0yJ>Y-0lmC<;@*!O~sFVt<^jF|2!K}EOk zhMrsU;A4BcbEd_anD(=L?-!B5T83X00WL3L?=>K|FO{NG7!O_3@!0C$_mh8YKR z!6B{eNUm7`F>?=kfBCdF2)?*p5PQ}D_8J@XC5h+&wx4<7{r>&?T5SEfp#SA4`7}vN zKFxuWPm`eJ(_|?5wD~=g|H|L~y?w{V%UJrwzMl?;$}Tr5B~aT`veHLG7CawFCkEF! z6V2LmDxaS+u&2w9*0EOs1RQcwVm?cw?+1IISbD5~i#;EUAA;>)#riYY`isU!9X-j^ z5STpj+v)DcKv?&4bbq{l8WEVi`J|8`npE_Aj$9sI52e*F4xd^+k4O0Ufw|Ve-{X&A z_2Gk|t+rkRCZr^_Qt$9fbztQ$EhwGVg6}*`nHEjfBmk<8rC-*BI-2uezly7&=W&c< zzDECYvx0&bYRjJd)`N3$lVkU`m;gvj?znO)lpK0$=XJu(7-aWrsk}8Xg&~E}6&avErQ_f7OB5OgB|WO{OM=&~{b6Un&hOLnao^w-Bnb@apPq@7*b!|0 z2RlFYKHeiE;A=K~St^{4x8V@-Y0gx>C#Z~!8lGAn3m3cl{FVl)NVi8 zbn>%1Otm{ThBNtr^3?E6{_g>VwvK+fgZQK07nXnQ{bTzLO78CuUuP5x=4CPh>&#-| z;OqN*tB-9ZN7`l-nyQnDdJB*0HJ${xzkS6$o~jtY?k_lctn>7z1W)iA6k~3<=Lr33 zEf(?J9`NQ>@Xg%MF$5k5?A{ve1g>`-0xdS`672n8>9O_;dp`Dk?c2QZ@be%O68>a) zOIoBeq*f)LSjy-F*FigLe_br;(e`Kw>UIV(c1v3IQRjI)9j8grE%W=L|An_BLBZQm zqTuaFQSf#oD0n*(&@i{N?~#}r>?P}68jje)^vue9Yd3cYaOAOTPe>rYn5J6no$TNU zYrs&#W4r%#^w{}6?Dt~-7gipy^j1gS~u@=p6fcl&)RE_*>lXyp7>2sCu>7n3Y;`J^{_8D3-Vfh41YN( z!?_0OXp7BCu!nhH`e@fqB&$C<_Aivp^zFNSM za46YJtv+lFVx4I@EA|*ePqLN%K0XKXJ89Q3`$i4G((e_2_l+k^7ha2qvj)ei!0z&h z^!_<~z^Y5zF47izlftlDS^|^m@M`>JqeGuE8b4~E@2@LcoE+i0`TK%|`fzgS#*d4O zlYO8?LdUc`zz1}iqkSS|!-zh2RD0?*NA!MYto*U^S?KeVD}S87FKZ76!V1zqw^k7M znISsn*4?0b{Ps-A-Ca;6UOt=UQ%vHheQO&IC!y~=Te8y7>dHJsfTM-W<=m+uc%!4!72TT`wb3Sef;QrDVBe%e6aKQ*nK+K`Ybj- zjIH-!^M_dcC2W2M8^2-Wr4#GlW`s&?Cri(B_N=_00YSbV4mI^VNgl)MrxmZ$!T0K? z?vbNuaAH^Qc5U@daL^_^@4AO3sXMx?yjEEfc3zXZF(fxqPew3pj%*Ovr4 zZw8xWH%)YW$iiJ&kWwWHqo?+K@-q{Lw{LC4z8Q0X#LWPSdyB;(HNSZ5NZlx zS1}^k_Z{}VhW%f#{l-}R$Lh~Q<1u3SnWz7Ad@AgF5S#zO?x)7`GoMfMgS=ozhC{o8 zNG)$v0LyzX(AYav|JlI@s8TN9$x>KHbW{>Ae7@xhO^Ir$KZcz_sf^}@&slp|ml(qt zzcz`SsnR*KFWCjya+*8hFW5t1xtV8Hjw^cq6t@2dOOO3uu=X5FkM&>Jelx6mu=Ln{ zomlx`^S6IBdThKJ7jnWZ!DSUxO0t<<>F0n9JB6Q4KlF+6a{D&|t2sda)9v>kO1L4* zeXH)}Z|s1@d%@oCUyUAX-?02+<5g^Z3Y%}i+AC~58jF90{lCWVjb2x)P9xN?*h{cv z4cr?z#BUZ~2y1TM3of8vpd73OC!kly0gO#SR z?8K+8n@#rcc1*n>!*31QX%bdG!{?0tUw%7EipJf`C4-a0UP@QiL;AW@O}2{dB#L>* zGwT(bK_HoHda-IEENR$3;a`~nJ2#X@z6_LxRPl1%+%k2NS~k7={x5lWqxE=3T0j!$ zy0aMSjWoy|g?PtWJ~6=Vv&b|QNn)JvB;Pj9>Wk0qsk7Z8uQfckU*$&uzs0^-OUN5; zof6sXO+p%CE9`QuVY^`3MXkGuWHLuFaaXVv&?rxzD;#iwhb;D!4+fo}gjP%Pd%HC} zWAWCGeBulW8uqlWN(5lzP@s6gQGV#EI>&vGh7(NecgmVt8IZ3VmBv_=S3!Wr*DrWIVJc;^+YK z==bUT`CgRsBPi#urkw9hIX{wezBkO%M^flhDD>eJ`n44LR0{oC3jLq+kBwKc@g(+p zvHlBdPv+03f=21PQGrfW(40Z{T9;pph>t&3dQtGR-S(YhoSEw)U@kY1O+Wd&U1m?n zPmQiP;^?*bR7$fS2yCiJh;8(OwS{Z4219euoh`mAQj)%`QMr0he7QNOXv~> zDE{ux_b*`MNv!?B`uEQYVfC-KtAlBdj7j=>9$=BvclORwhl-A4rjP4XVC9EHGv3-{G9QP4&%DJr4kRjfWQ^u9u@JhAs>usg|?;lpZ@O!K+9iPaK3 z3T2*fHJSp|?fbXwo2@|FKfEn})QjkeB@0;d*}$~s3a-LV4`Sz|aWXR23|dL1<3riG zeK_)KEVeM3f$2u-(*+;RU|FWPqt88aO8pN+| zZMFLITb?+R68()qTllrn_l3=OVdXQwZ(_WCe&56hW#7bj`~1F%@%H(B6JOfr_f2pS z?7k#yy+)kJiQ()Q4bU&#O8ZMz1+=zpcKNpOdz}nsZJ@j4I$Y6#spQz ztXu|l5b#3Y>o=?PuO&CRr1< z-VVB`6yxL!O`w}DUgZ{XhO5?$$|TGdzKF;xc~qGJwNP|4du2Sq-Y?c3V(FI|Ry}+r zZc6TEx;?#eKn%gExm=m%zkXbCsL)ngknv{xaU}SR86k zESBpvEWYYOTo`$-TuC(o&(ey|TKA1WraAA`7`G0*QGLAY_N*Sv_vifi{#mR&#KyPS ze&8h@aQIP#JJg(Kt5vWwg9crtUr8@RiAehOkdU)(a69*!8VyrFfStSZkd&rL7SI#!#5;XjO)$_?K6n-ul*F!gSVp(%OMw z>wOB}U-MXWnnRe*cCCzehL9QZ^ssd0OgqCfCeMz%K$5?KRr+I`3Ebp%UBw$=h~Dq^ z`DMPTk+m7H9xr8D^;?hF`-PZJs?6zWpx4J)ePLknmdlgilLGDJQx}deGNAN({CRy4 zyMGWHKV$c`VgHwB7ySEOo%Fzxn$NUaLJclZi|ce7niI(vNpxOp>Tq#bbMMYnZCJ_> zeYUK?l3?x6Q>w+x*+tB7p=)&fjXn?Apqkhk&BOv*M)y`QH!*>C?GZu{D0{GPx<_XmOnNhi>*gs z=}SBF-wp9slK0`6`;+wY;mdo!=0#M6P%}%fDG<7sWbORH**U!pxKishELLns3($JSr4^w|0omj6C6#%%C3fKYWO$(2)D z;Iyr$ziV!uCUsQI|JHteu=%!VqAyqnVuv^zPL>*?=X0@mBUt_m>fIPx#&m&sS?ksy zj!}K%Zk8VJq^Hl zY|BYAuw5*9foGc;TyixstJ85N2RBX9&V0~8_b1QWD@RZ$uDSJ5%p9(-&pCEw))itB zmP`)ZaR9BjL#z`|ETQy?ntEJYie z@s;9XRbVjl^?q>GjEwAgZdPcZ1=#o#+kcDQKZt$bVeJog-zYX;gr&#!pY#4YcJ<~x zLvnq#r-vGppx`SX@8uxne^Z}@DEiDv(PuG= zJ_}OxnVX`|W@NMbHm(NaRj`KZ?zi}H4iHG%D zEmxfbU7y0{1F`-K+Yg4d&)9w^EI-)z7JEK6-mB+&J-8>-mgsR8ny9B*!gety){+8Q zNDlbPGWEfh^r;BOe&9ES)$-T5EzCsG{^j3`m;M}22J5e}^_{;O{k(tq^Li+@A0C@O zUugaO_w?t_@msL=eD4t3UD->{WNp(C3ES^+MEa_#IQ7Ij7_oBf{&G5sFgyD2#CUiD zmqYfWHy*K|xhylicug$yD{X!}Bfbv!f?b>X{bJ$KFQsa;Bk|y1RkE*GF&e@<`3_s= z?IP#)>qVM-_>fx;oI^*6Gtp4(x*!taPYPNR4xMjvhYK$}=?_@=LEw}0VDCeo5L6}F z{AIuxuGGbJ4rm*~;x@*9Y{I(VU`~9;}xqa4VJ)s{A^D$mj7S~8WV-0 zt*eJjWu$@6SVn&fk%q#M4fInTVvu06TIfBO3{>X73i_^P2=)7ZNmMTnCUv(H@2(Kl zgMEVIu+hK(>d5ASXA%w|HnMB`t*shxF!XzAI%679OcV&nXUrpevM2nVb$Y-mF7@pA~EnmLzFf3t(E7Xa)orZj% zbu2YDWhX28d$IOmKEL4uk(J~8-D7KDe@jMj-*2*-pOfk?C=+V5I^E;xxq4x zm=xD@!p<;AYOp?^y)^=wZQgu8axRVxkKJ{9eJ&ERTyMQ|VI`2HY16guuszB9abtsa zls2$39%|zb(*x6rU*5B0x}=Ejht0<8O6d9An3N3diTvZ97qQ*a zVAEAmmXRp|{ad1Wm$ayYy5yFPRp-UPX8At1h`TJ%+1Q@Y)viLc5BL=p@vVf8w23V5 zYzDA37Sdr0W`geHNgZ9E=mG1GY&cp96E(Sj?Rtrqw8h-Mf<&<*Us^qK?wFlPra3!^ zTP0k(kjw?{w4v`tC)m*Six&4mt-@b(bG#WxD+`ZBk$Vy;5v;r}kmdb@A^(~)6cnFK zUcqGsC9_}Ylup@$mQ~)2L7XbobwvyrFc}k>*V$KQYtyiiT9lvqb-QKtaAV}S5>uQZ6bwephA?p;tL%c&$@m5la}do>cH zHr*2eH#PHJe73^Cl^)m1ct@XfC{H9MY!HOZhfIAZo7oBTNw&4Se+WX>iGFu!19A8m zEKC#cBL*qgMc>8eTammq&u>{B7lEQ<3^Ntc;&87xY}c@s2)aLQ^<$r+$&YeSIGw#S zN>`6aa%?-uqOAzhbeSyXp3?ASGCIsJSD&!FX46hy-8`EH5_lhBff$`5pFC_xV&b&A}}Ps(kW6` zf_uY?krJLV@PU)?OZ{{r23!w~6pzXQzw?Nfi<&xo2%J5CTvC<12;JoNWwka5=YDa- z_=Pew4@*yWxG9mNFAg@AQ>mf-MH-Kmsq%I!;Lba_;kgn4-S2n(((jqT?H%Izo%chD zdT;TK7v+Yq@m}25iaKNT{bK8P*!SS8k&V<$QoInHzk#WYZ*C4EoOPW0w*leOky9Ja z;R5>tbN9)uyb$y@u=smC7o6Y@_gGh+0lK%k)qA2(kz}cT#on7Y!C@6EY1(sJVBKV= zb6N2&=r#*{7IZKN-T#1{55?xYvh}#9LTYG8#r>oc-{_P`S=sq8*#rr=@@cF>TS)@$ zXqQkqR0|RJZQl&5j|-#i71m#1CTsQ^WbOhe1& zaP6Me^}alq^-^C{a`A5897%Nk5L>^%)`RBXryB6;iEZ-Q7Y=0SSiAq`bq>IKDBN%P zV-<*|ljeL*=Rj6yuAHrUss=L}4>&($*g#3ms`F{b+)01`*^v9Mtig-HLe27^ElBj} zLDgq(V#Zk)QUWG`tv6xwlYymtoGk$s#GgKF3zX@A7)e{_%3(>?FM7PFTGIe-h8%j7 zx=asB#t)T@Z_tCEGY4iu-8mqwdQU{@R%=4_e{Z0U|rdj2E(vC~d4#U&YV(k+yn^<0zJ z*0ma~&uZitLV%4ceIO9 z_9MFxt|9hjS}}Pj)cddfkBXH2;EI&};0l!e;0mzb@l37QI};GwWqe)I(U~+vF`Aj& zH35T&fX$5Z#;_#&<*U=p9>l1ffvhaGLgUe4>lX_hKV#pU*nAY$o?!F&^ZPPHDf=>H zDEl(FDEl(z^2q&KJ#%iBrVCy9@?7&1)Dd- zo5k%Xm+X4#>WsBWmE79EqVL+|t|%<+=*Ao-VSmKfwo|lN{1QE-1r( zVc)cx0XERcwWtnWwi0fL+N5ah5d=S}JiDVMDn`FpS>NuH)(>=$iFG%b`a-kp$xZ3-=2QC&Ld_aOGYjHRECH&oz? z`skx&ua)4;hKQ*x(Jmy$=TSs{yb>%gKXY8YTp4VRc`%E{DucIGncj=XIAtD2z3*!=MP`%aSb zzMI3({_pplE#-YDMtR>!Qr>r>kS-8!%59(tdK#yj3hcZ{F;$i?*Ng~}vF;^_>>BW_ z{p(frbW>R5CseUg5J+o11sQnoE;F0o{JxZTKO^EbS{!8z%bZUsR$VcK>x`XD?=A$9kKxVKO!Wq^;-?LHyW0qMTwU2PY-|K^ zvJ5T94KqN{I^WyZ>kwIbU&|={VJ1wo-=|VOoD91@O?FQPr@&LkC)L6{$uJrB{OTSp z8>py_>uce$CB177)N~IT0uSxFm2w6akl7n*`C|_MPPb&Gw*FHiO8hSbaY{jYMcP7S zF=y{=T{R!1x!llo;1Pgn1C9sINiyWJPvXW;(d_8=Cf479=@heC?A)BSxCWhbqCFX@ zG0s#zXb#WDio1H!Ensl(mTGYxH)3@&`t07hes1jli_OnmcUa!m$;}A|{M==pWpTmF z*A88VZ2H7G#QsL-K2}&0#o%vN%L6YAd29sQ*wOw78{g*i_`h87jTh{KlCK!;-~u8W= z>-6Dyp2p3MAMMF)ei%GSKHO#<AN3OANj516$8c^*ng{NVGK2Ec?dgU@rk&H?$?I^Hkt*$FBammCnS~_mnZW ziyY97UZB3!BtN%DWU9@jl81D$dN%gfE09@jtt7U!E@a!8t}(wnTR3Q<^yrbjE&OuO zN&groNwD?@Tc5(}C$_$W-B*R?XNI})lL0p+pKnab=krkV`J9w|z9=Q1&yJo4d3w6& zREz|c^s^MV)GSPez5w9l@E3w2bO=UKKr9#)pjKN@eEU^sVeNA-F?{YfH~N(lx;e^ zNfTrX75w6S9mrOn`)Bg}w9xvD13&GVsEsUF(DWBnI4ew&|v*MqMvd@K98HQ;kf!IWa7K4hQX zuHjq8@Q9k^Yizrq4(Ed^L1Ey?Em<(=Uizuy(9S^*+1yEa;{I}NB5nM zi!0##uN90>BGe$EE?%n9eN^8m?tW+N+}@{!{$CdQd$H$Z=R>jYJ1qVc_WV~n?7zM` zmq(~mQ&!O(i6oUapZxY*$s^tk8BaW96UYkvAFHjZqRBfUkvmVQsww?Tiz)k{X(;=k zB`N!$sVMuP87TXp7oqWCu=o-mRt1O!Y|ZYBs1d zdMLg<-vm4x<0LBU3;{defyMX0>OZ#MV2#m`2(ykKkxOYg-OuL$PQPzz@anpPvc|{B zo(Lz{_4JxbokI}e*nQ+qFM~7Me%`R5txGUUfQ_oXXZ+2h;rdKh<2jBB^0f5@$FN)g zj34^C^4jS%sC0#!D~GcI%g;ab|N6eL^1m+b{^x~w;Oa}SgnXrrh zYZAbd4a*`W6G30&vWCfM7IC-xtQfg39$lZs;?F>bGM&W-Z_;~}p?JAaBDuINrmJaN zEb(O9GafCt4hGUcPnfKBgVL@lD;vXPkXNu1p_x_!8{e58{s(jWlzs^h@2oT4h<#6C?bYUQ_g|RAXOjHfW0TXD!$FZMBts!J zg;0g-?&f|S0mZ)$cL{WkX4|>Q&p`P~fVt zI}?*^Mg~M_4Q`olBH4YOb*ex8pe1!Q!C$&EVS^000_y5A2gA1pog{f<2!s}ETJ zj*TC%?-A_zSovV{IoR`O)eh^O)^#Ckgr2DtXemNTzwGr7n-!r{=4XShtSYpeE0Fs= z*FVT$5cf^fUlqOI8HXLHfbDC^gG})fBQpp1QGdsO<56ysdsFf5wTEuNLS3~t z$;%N|KYp-SEl3s}pJU~NrN`PgtbM@dm$3ZL^YiEPl34z+`Zjf7tWo4u1d-{H%U>&{ zLn?2Wnr$94AV-9p7q3w?BYSKXtxcAI0Vkh4boVD+JS)i>Ao9dmfT4ux*381&#Y{nt~2bw+T{SfhR_&Hxf-s92sT>Vtm6 z@~`9Z&IJ3O#qxvIxB2%VEzILN|EAzM)51KSGcC;HIWK~FJZDKX9x^uG?t9dGSh4$O zyA|Ep$4^#Fwx1ikU^~IT1o~h4vObTQXs1%|h#c>nYPV^+aNU(om|*MOSbfIg^E?|F zx>6#^2hcF8l&HW3y9)>NQ=c1P@$7KZQ`r~A@}`C&=s>n$f1n-H7JEmynJ_~2PXrQ+4aLg2-gyWOgZ z53uxD|BmfX!^&sA-^Pc6SGJmhSEftBEAye?mAO*z%2d(w2v~lw@j3QRC#u9ohv$iTYklp z%8Pdg*pB#3i%({Ofw72SxqT@#o!0Odoh~C!O+VRIMWlnKd6cQ;{z7y-hQ$NH+FPtW z#L{E)d)Rme%MUib#h#C)SLX}e`{juO9J=p%mcL#aF5I9#GX2?+jPYmvY)9FTEKb>vEJfLmEJithCFOi(%K564^OsT1UqLy48JhmV?O9d# z3{^&1nRbHx|3jQo#BU<6+z@o*}8fK6{zY6t?fxtM9UNFf3f|ISpC7~ z->~r#_J6_Fi?RJqSo@FdkHXq3>^uVY{f@m~?0X;E|BvNoUVr|4-zzrW_=i3vz&=Bq zZ2c%y+B7}eUa|XzV zJRtJ$>4UB*ZscmMM6osN9By2xCgV_l1jM|1^Cg)x09Ierze9h|gv{F$MwrhB(!qQ_ zkb{yBTnh8~Kzf+Z2P#wO|2%()wO3ev_KLsz#uKIsuSLXJgJV@-cX>p5|4|*Ny0q;g zZLv2g47;TzFsTl&#$Pr%^eLn3@7Vg9l(g?J5h`wu#(3Fe<&^@3l`>8`_#)tHM{)Z7!*A){r4L8lSjL>frcco7~<#D$wQf zTtH=q3DlC{yyp*8fVDt`{^j{3*yv?=DQ`zUh}=A`;@e(M%pZx5rSt42{YP$dM=ERv z*1J+a;~p1*?W$Loojt;Uj&RU49JhuaOMbTeQuK%G+|9n``(hxB`s`)Lx%t|~l^vqq zTQ(6*wkw}sJaHg8?2EZrzIj7wQ|61pyMbWSzthuNXgvwvo|5iV>;*em0-kN~c7r&v zr#zyJOb{Jqb>3E<0U9;!{QOcB3D2fp#zdnf@LjkjWYGy0Fwals%VJ!L?(e;9k+Il8 zQx-<-&4(mc5z^sYdnmPP4zJ19@&fC9X}CLnT4!6O0yLN`{SlF4M6h`2SbvAj=VR;9 z*#0!E{lVf7?2oVZdwPF66ul4<{k3fu;SZgCQs1~4HY)TT5Q)fzm@H=2`q*;v%2UDZ z*+4chlx!6_OdA2&J7Y^*6+)oQw0F`^I086y4v$^53?a0A^q=|#5=o%_iw&QZ{RuX{ z!p5K7cVe4z=IrP^-WNXw?@N$^_a#Wd`x2nweF>oL4;C-?xZ}+Y%(UrbnivOMnd@u) zaaCdZw`UMhXRegrtuQy2ztl?Xbn+%5bZ_Tvc9uezezh#$j3uAEjz9W!;$9*2aBiRv z@Ggd`UB^Y}lk;Gu+DWAdqg^2BmE5;D@-V^1|CydE6`r=o!I%SgjEa0FaHQT`D%`Z0 z?7G$MY+s)RzfYDMyx*Dy54uLTUWhLySpWD}qsPYoSpKo^J1l;Sq`CJf?YSX+mh*m{ ze40#9*IS>zG@pii@AYWDuuTRgR5Jx)E~}Htsc(TV4@;ougRuES>^w47K3ILm_CI6! zna@8jh57k1Bg%Z43T3{Gp3Kje=~L#*Y|-;6SbnOrL)G=SIRfvR?JPB%=D^Yy5&lBf zkK74j=4`HTC(F)WW@Vc;gBIw*c)W#}hr9EkQZI?c(J)C$i$(8AYKNdg%U>(3r7M8$Cs!Nj-b=LK6*1 z{U8;4)YOjrK3ng$%}*9O1s7Xq`Kv=;x99L@Ejcv)BsQOetzVn4^|*DjrI812S^B-L zs^q=34U68Iba?Y>HY=dCggkLAso36U3I<$lK1+4?p!HuwHuqZNhyuKNQ%<*Tmo$7( zD;Qp7??fCk4!sXnmWE2T6KBSr&EdU#TUGizS_&PX(<_cFX-k)bGo?K&GmKKOJ?Q0` zZN_Q@^ex=|=Jp#D-=%+ZK2ZuRB#uU08Zsmm;q~VXTIS}xxTKGF=<-1I3sx(G0!`Sr z_P{v(q$>R0=g)I4oe_lif*uOEs!+c7&-bBV=e4o+cHZA9z!BTB58tl|6Q7(tTR(+J z!$jM7rRf?eSR8nQD?nS9#Eh`6ET|Mk?^nXk4`TmcEIpQ=g{H^Gp9{^;LZAP4zpsUs z&p+ooANUm`2EuoKSc|kOkcw~X{O`>0!=UzsC3J}b@Q-}{Uh*lD<@=uAtOJWy1)obN z*3fV;%uCnX39h=k$`$d%5N1Q&&Om7`I6TBU#=6PzpZgX4*Z2FMWOc13U+d4` zT|U@(?S;Q{Dg8wvl>Q=7N`KKD9_@ek7nzdzdXpHewHs)bY7_;xWi&l+ z%Pq-bC?TOC%c5~%>rm*T@-D!1SPKY-eRco*{ zC5|_SSn8ULfu`a7hnyJ`$bRa1CGU|7S|1kL-!1g{|LD)Z)*q~Vu=Z^}f2c&kZ&#w= zx64uR+Z8DI?K%|vb}@AP`B&4QH^*kgn2m)hx>(3 zxdn?8Z?&%m=Ef>uK-=$@RVwxWoxv_KlJ~|=l@TAz|PbCqo4oi=l@qfvGyOUKiK#Id;UVxWBZF1 znxDVg`AZhB@Ubfv0>-e2ull@;$db3AIYF;vNjnwSTdObu2sfRr=wHD~a-ML9)A+&mEB>d+=kNZ#*#6bO`}h9C|NjubHGav;E*FBMA`BlN_<50V zKHFdiNn4m(vQu+wNSLhQzZ@qd;7(Q@%MqHK>(9l`Q?I?dbl=+$7qIdiX-=NoYhK%6 z?X}#=pFA&m*l$T|1QlVC(GQ=wlA-b=o4&D!0`|TFO1{@`>T;-2cP4>f?0>13} z6Z@g6b7bo?UVhf|`A$p#MX3&4I;&j}E2l(ic(;WLx1?qxNQx#k7 zaRt&B{PQboh(4S7_AhlOp03bfp>7UOwZ0!N>o%R+ z>rJ!qjerf9Ci=5)ZZU-(#x$9LN_T?oZ~VLK4^3_CFtvmd$T8b|uX$ibp4oZMoZGKF zwcAG#K&CCv} z6PA$dSed`h+XD*NTvSd(n8K}_FUt8PVkr2We~yoYoj;}t4hY}f7@=rG0!K>d4Zc~!c)+ZO^HO`l zX0Ckm)7&0Xhs2EYOSZa^OH}rwChP0~J0DlZFmT9O!-s@Syy}mc_JiL;4&|d%Aw-vx zxybXLKSXtF_+R=ONc?~dYqI*G_uXUr^Re?&H6urZy$&6Kl(d5{4yx7?@6~am&JJb3 z=Fqd5c4Il{jJ$l56tN!$?6Ry!H`kD&Qw+UZXB5GAbNOn)N(17(zf{w7xiYwheVHhz zl>@bkn7+G#O7Nqt=3TL%(Sp-s`_=zy{Qtwx|E~UE-|zp(|9@Bhe>Hhx@fH@Ee=NS% zLi6*_`Ttt~vHh0VcnK^2q_e57wr%hLs-i*h^?d$h+IA7Q>q&PgrQ$!vT<8j|?&lWs zHV2V+!F3EfbzDJj5#Rl_DvBV+-F}6Axh6@=@bxkXQvmU%SZYB*IWX;usCt>DLlm~I zZ+^Zt1WyT%FL?tQv zc|Tq5Kl1z^y%1sj*1VCGyM5}bRl*M)i!BtG1>`4)o?)T#Ac+Vata zSn|Z_&FoP6M<4z#>jU0mq`)MUu4gM8H*RO(BJ!4J0F|>!S+9BN8CM9eb$(iuMF{e^+E+!R=qty ze^(1!*yK~6$eNOm79V(uRMp_@?VlsN8&%QyJ%d}>0nHYI;Jl>Ix8SJ&d~~8NytGAw z6m8w7v_GB)sPZO;BGq|`yYyA-Jq~0GeP(9q>ipn^nlIBV(GE^jK!~0gpf0fu6Sm>b)?`+{5ifBR-V}Y@bSPCrqf2Q;A*-rQbHgAezm`3 zQn{Q#wvE}-R8hIW+qFM8aXR^fY>fMBPEA{geI<0K+*ufIoVXggxRe{}Z)=?5&0vSi z`;zj;LWSVN>#Ws}eR*LK{mBDA4w{hlu|)AVwKW+MlRw3uumV`fE8(}6svsxvXu@V% z0gP(u&RydB(LOk)aBek?3>tp}YoBM=EFWwcu>za6try-cvjFGSZk8qBNuu`GO}+1S zBh+?lqD6A7K`p}V{qC2JXnY3jePQtivFFd%FGPWb@zJo^ODn=4bVBStyAUKhQ-|v8 z5dvi%fd`M1wIR)8zuVfUTxk1-#dpPi?<9-stah6paKwav8oC)n!o>F3^o{yKiMlLb z^b0?@xHWiDb4?6s^R8IdI_n32cY3USme~{XQ===6IC?EUmD2170-I_QVjI0+ZQaD>ZE!w+}8 zUripy)QmWU8WSv@5?24+I~3^k6y;&CtWG)H|cG{HGA`I(VtHT~s5lWBaR?*^7X8*U5ATTM?MN*clVD zNrkj)mi9|I3W4P1V;uVq2!ZfG^Yh?j9(Z&0L+tHbA@Gx3F;$c&1pOuSjrGO6usZa5 z#a;$8vgV7>C9Vfqm&4=ZMUp2>tAbkC#Cd{qRawynkC zx*0@GefzsNMY-fdeRrC=QVJ|#e?xaCITxOIMqaG;3n%&qPBZM0b|7Qh7LO|&3nHEF zkKNlU97y|g4g2+F?r@+vwsFQ`J=nVpT3<9WfRRxv&B6>7lKzbKN81`55b0-(IVPeH z9?OKBb`d@BytFaXhTWTB?Z5cJwL2QDZ6UI9oWFa_9`?6n6!(4cAvsKP9yG5!2>szx z1-x;NpmBj|s$-SaTwffH9-BY8NawF8eU=5rHFTer=4g>~$#+lhpjip;m|4@lc`S#u zPv2%-junKI*{Vl-+m-_sUl)s)i+!(Q<%5lv9<x#$3rrjLSNzw{htcjmFN~bPvoR z=i?V2i!4F1&iD+q*I`+5)@gs$Gj;>O?q|g6Po|+r661s?`L=OZU;ME-*lv;68eV1# zKMMFQ_QhI4-f-)b$YyU6(hyr=mun49D_I{hQ%S-=(80u>5?w-{OC3IAC0U4 z?)ebrAKYmD!Tw*^cnM37wI|r~|7!H3IXyaW1m^Zu9MhWIo+JwKwX#cIh*}X2Mp^&y zjUw=1ylaK=0dcs|^{8ZeRD=?b`B37wHI(=*iW0wtQQ|j$O8n+YiT_z)>&Ue1Lthry z>3*@t=A$YRPBsf0QCJSot{hCD=3WT{1D--x-z zs!a9<4Fz@wsX`aS_?jO@N}yTtWTV?hJA%!JVDA^}FR<|^w*G>RAF%aDY&?d=Ps5%+ zzu$)&mR&k4TAIoQJ7K$vS1lpD>jTBYPO!n(fs~UUX1O6hUa_jufCK2{Qd_+S_d;EL zc|PaZ8DeIBqsp15449TpsI>|2g26T4t8czOLne<|O0Hx%1A4s*Cp0%0kUq(dD@SS6 zAkAU5`u@8%WU@WC%z;-E7QN-#x5!N$m~1m#4lt?%c7A03zWyA~87rULw<4yKd5xjg zjmz6~gEou_>`{39#hGNjcGL_pG9%ZoIi8}E&;qLZw-VZO{Wn+)+57r-H z?GN^Sw9wy+)rWtN{?GLvdpkEmtB;v&vHXNB^hu(S62;GQb7@o~g{#gc4@s+(?E9aIed37i5iD|5*O+Y4_l zf1I12UEH&T@j5^0>j)T#0%^k3^}T6BkRa^ZmbBcXnV)E?`wuI72mr6Zn9sO{EV;by z=~%@_F}S;NWZP@nxq8b;^^rTF!XUqWEC1w_7%=VP(e39JMc03^`s3PjL84V8o;(>Y z?B~~;+ee(^-w|08OWFklj-9>Y4<#nms#cqPp)WA^&Ld7gz|zm>>(pUWlbMQfq&6AV zI=bbXlPZj>J-^d5SN9&SzneQ_W=euR>FlJ(WYGOT*mxCdZ?W>_YzwoD?WTohc*57 z6?G{P+;hXdS6-Xkx7qG>>4OYhH`GwAIS~nZed9TPw2{#9+3o1);S#cz>ecy6>jI&x zVVWEYh=k7D>l|Y5Z$RHKHl949mGMdAtQrwMQo1tG)0CXdd2H41WCKjZ8mP1Bz zQUtkUK%6_JeoqJ5p!0j!{x0l1DfWL4oMCSKWFQ4;4?2z&#W@rC$2~7%yQRUVtD-C; zQv&+8MDs3bQ3Z9$EgP%Oi-Bc;Pk4}JFoam8`Coh%0=#?gF%B+{hBxKOD@Q|oV1#}P z+qTXa5MIB5<44m@f_+~fdU}^CeZ3Mq)Yx6wao?OYziZK!u~dU-iK(taDg&5K=M9nh zq69A_t_L$`ebE_19SYiS_STez5AMm7f8Vi5{=U9c3>sI z=I!E4@x&o!m5mW=3Vf)d4V9TF0IYw<#!K`2(Eog2d85ui=Z;t}B38YbLterFQinG< zey25uDMR148{~~)%`Sbb4fzHzHf$ie-PnA=`+up0mi?5t z78B(}^i!iH;};o0Z@Y)M`Z`NE^SsKak;{<``b4l~>FO_d{{WVM?7m1W9zNE7V)Nl~ zS_A$e{o4pX_ZjAXpA`7np{Ka&MLzlQ`o@khqYSvkz&GS(z7bYeFKVu}--xz{*!co% ze6CS>LE^oM5A4s=xzA8n)*U2kSW|22)}$`^zr!s0Vphp!{k?%>jluY((hi>KTGmubw2Z zTBGj^%MX?w>rb)$X;}Yw_pP{ZvZ5|HnF*@glIABz+&1lhG@=DRD&y#cs49*XN&r#X;m^l&)d9v51*KI#TfuTh6A$(M zPH1|!PxZs=5|Sb4aZ>P|S1fcIa zz%6a;2>X)kD<4`|LQ7^%Y0@Q6($Wz1yG3ygS^sV}Rpfvbyq(>9KsnqN9nbWMF=m6O z0feeMNv@pI0;g>~{asT5Bz08G|JHteu=%!VqAyqnVuv^zPL>+NzAjNCd!10Aqhb9% z{iJ|sMKv6)T z<>PD#ups{QVOyX~2gFF)I#&)$vVPIyMb(-Ha5Lo4qts=3P%?g~WPF1jdL9{jKGvUN z&;N)1U*GRP^7+3jA8fq<`@g&)zpMK+eF@JZsS>^um|XinVEOl44S7WHb0lY{W=X_oir2-%<&R{U*H5e&xcgdb%ozywV|(Ry}zJ&Abpg*rDP7)05Ye$6S50maErOQW39 zNm{6`mFfLN^nPmW`$)p~ery1DICSf#dOm3P0=hNTp21S_Q2b87xJ)Mjt~SsnXrJ;0 zy>}jsR8I=g^VisZ9_&0XHXnukAF=gcEdJ!1w5;y2%pGvxc3Nk^L>}R3Xx}fhVl(U) zIihxEBo`b#BitHam5|4RU$(gT=b`6Qu=WJ2&p#^<_8i_kho|&HgZ*5b3;DifMrG;s zt>k`v+YRwGQ6%e!efG@7Sa82#JR|Wl37%-~d#2)R460NCtp^+ll!$OTK3QKGm3UkZ@`5xcxOT6V^t{9AqiUfy8gUrUC6qAd+$NJ|%g<j_`wm z!!8zn>HvKMrlNeuJfU6hY$Z!Y3b9&uDd?t@Gn{|EYmrO7E4n`uE1!=`QoCiP zRKTpNciH1y3G(83`?@oaY)Rw!)2ap&QlNSFM8hf`Rw#SA>h$1@^@7K@*!&*${fqUF z-Tx1J?;Xzd|2>RLC6q0r?7jD14|_#6kr`QK&k#vQ63PgbB&j4SQB+PwrD&1{X(%Zv zl}d~I^}D@(|K4}!eO*4+`+MD=|IhV!o!5DuJ#R&w%eZSwc*a&XFA*1jLj53@#$F+) zNS+YWR1yM?TLL+w(bDO^}}_e4W!Xi=6)SqVG3H8l1fu>L)De3m=c&Jm)_ePR=^2m(#3K z0kKzcUSS8cNN~N-@71{~#B-oCgHKcm-mg*lX4}L8jY=1e9e5~%u7_g%w@-SKQ7*P7 zpw-d4XBFixywI7I-TvRLh!ulwU8JWGlm~F#Z9HfM+6E~i=OxY2^+YWHEHr;&^Cwt) ziv7P>c&vTF`VUz86goSEZcA1o0zU_6_x97lmv46V^v6_TQV^E8I;w;1>6gn6bI%$S zT~wV4wNoY7`EG1~AQm1w|APHq*!SC8!kdOKeQSSkUc*=Al@g??MK_xUS`#4&uCGTL zl)#?nO3>l$pAGh|bQX-ERRnB55*B}~eaC)ZEWcslvHj;6mq~VG;BJy0+A1qIDp^^$WF1r0+xUq4<^;wRwWDDhd3 z-0lr$9%B;**G{+6eKCp<{LrR@qeuw$-h60L8My}T#i^Rd)Orw&wj-K1^sOMEcG8;C zqz<|}T3sdi*AtlsYxi6;uz~;S^$slmuviowvvM*cea(!XfuZ(roRzuXF3f_A!58mU ztuG9^O=yh6c*0DmyHiOH<9*V?Dy|Sn>o|YINi~ad1 zlL;=oV)j`hF9yuUU(Zb(rvvPLRV+T(dI7oge5}xdGIzLmH^U}n70~wM5Zj)q22SEv z621$l!RcjepYGjO0X7C63F*ZiJB}pdp5F_$FMO~zAhF9hpRz}6@d2F}A3}Jas4;)`=Y~G< zPYoI3t3gz332)H^_kzbGSbAdN7yAEV=kc-l&%=vS=kbN8^Z2IJd3-_YJiZ8Z9$ygs zy|DDb!ejsMLcgEAf!5nqMg&449S3BN3IN@<(VV)aro^VRwYw*UA4bkrDs?XvhV`6T zdDiFn(ezyC@3qkUw$Sun==T?z{&_50x&%j+;H=>J{F$S2aIij8bFr->5jdfL@uQV2 zbh+}{be~j&)HKC|vg5MvrR-2>z^70tc{9LcQ`>7px6b@OOy6F#BA{M#U>zG6Pr`z>fn|#sz zC)odsogbP1z6-}cSb4$1FSLC9PsazFk6P$@?!C!^LfW=p?L)m?>A@<-q(V^Y^?*AU zp&PYnxkS0krbHg3*fdJRWfy)YrA;zudC@krVc#dF1%906O~=zENasHI9k@sf{_I?> z^w~!P-gKNJQXy)j$awMejUW2NY^T-L)UUEYFKN|1((FVW;+i9Ap2@+H?`?4prz9cd z`x1$XR0}Ybk$iqOP8zWBAXa{{`Ccr%P~egJS{Y#o)G~b%wp^V&9cV5w6jvfSc~ycV zb^M?_6_|UGO&RKJ2G%)8uY!e^uZ7k>*!;#q!(;0s*zdc&e~(?uX+P3c()55O*&J^A zH*v1?bb=!mFB!xxQ|6rRTp7Q}W&;nqX&(RRaRMwpwX5=VXuPb6{?WmUjbUqGkG{+8 zBDS66RPm$T8$Lxsn97ZcwYiaC!C%)HRu~D`d&JELPka|;C?bU4?wf$tUg$WvOL-@y zzIBrGNnl?>5&6mx^wuVOJ2-U=%0=ZRzHx zXh&Cbd>__^l3{g?tWAOFd)(N511$ew{S(3X@qXI0Xp$4_tziB+11gjI1DEP%!B9k6 z;n(&m7#QRnV?WbK?rfiJ5Khip@cbn99uRgP@PRb*yCj`6OV#y?{G0n;-Hx#$G(#aFW4|S3or+xUcATeVr$JY1p zpe7KcRWMdcY>UQaw37Ca9W~n`?r+Y4_TyPAk_ETHLdTm}dSdH$SbrO9FR=J8G`!`G zjhagFOQAZr1QO0IhL!tA|5WafBDN>CT3o(G0}|T~T;6({5u7x>J38_$Lhti`BiZ@1 zkz0x6?jG#)q3of3y`|`_iL)X3d_UZOSG+i^RFwQP<|qk~-{ZO+WhK$}E~)>hM+=W8 zC}f&391(ONT*`LR?ng~P{Ax-D+ddPxmuPKpfZv|{iQjYFu1OQH^&_2YB{Ru3Qegeg z+&NED3~KiC=!y#3kWv-(r>B35g30e+(cY~RaLemBlY_n}S{||Ax0CU}byr$tP){yp z@z#_B_kNl9jg3x3>(o|S?_aV|aNT#A!(BxXw9niU^-*TQ@fn#M>nfJw2RQpdIZlxW zN(+Z}COKeq7vWd<=LrzNReOL}c!qj-x9GBCkun z+}ac52W2Ib=uUHqc}YcH_%(4nJsrAwDvlUpkW!pj~pK4YU{;fFGzZIhTx4cyU)*OA0 z1DoF{%)FBuEvFCKz9v6KDSdX998rVxXyu55etu%M=bpOzI`F;y%H+0;p!HCx6Fsg)%F_COl&5}hvFMee>y^l{&=dOvn#w09lT#d=Zl{A!N&X8 z?}e4$`S}IPo<--wJrlR2iQ9q0cRo}0-1c>>+!j17r0bXL5=!Yy<1~8qh2oYy4<$3p7ccx6&28iLPo~+s9rrz~mNq(rz0_ka%pIA;af?00u*<0g$WU*F~X2}T#c==@?&3Zm2@bA^`JruBt zaDSJ1f9F9WC~}r$4>N2At&E-Np9C_9W{u37nAzm5#a^DBa!1qhjm1aKDu++bfXM>I&iJatM-(4w&wvY4p zvqF>1oiKk#R%lM6AJr33Clb?-m7nik4z_O`qRm~{fVsj@F7+f6wf~%k3Qt3Y7pKDi zYM+N+M1}v;j-?OQf0&0~xcLs(VL$spN)^Fgdv*BGEiqW{YWi#A16^WgaZYZllNdBI zoso{+Ee<*X3_p`P#L@N8g{BX-UhvQ8|M&G)tUg!vzQTPdI2M>l*Il(gn;~1WBHir4 zPO_u#$-ur7DMa;WKGU0}3Gm%pvv|rh3b64bcAgX~zY9&zfA;>u$;(2|4`S!Vu>SCW z2LA8w1z^7~mOruaCiZ>oer#<19}AE5=dtkE?}go0&@Q2Pm$P{t5o%*fm=-ezmcz?R zUoo$NcpcRN>sog*Ih!!-*k=ZnjF~^K3gGAUu=xLH;IaA&3;*}_3md;IG=1jr`TKh) zSbSVAH&}2U4uaL3X+wkl(Qw9Cu30J~2A(nVjX!oTCIo(Y;so^%E+?jXLQ_0u)OOxSous^ao&E{WOfGQ7(=5h6M5d9nm! z$vJm32@a<1kQ6MNFl`Y8KEqydFOH}I_MYbaek41R#`29ZU`h=3=DLrW$;tq~iL5~m zk%7X%Eet;>aZaqMyYM)VEP5Upt3R>v0``4u{}nbrfbCbQDW779&QphRt}IvcYlh@B zyPhe1y9zu!b&SQpQ5yQx8!zMxn~-9ItpPa#GU$9h)}O)B6T4pvn@?L@9yk>CZ72E3 zv0dv){bq<*C#m9Y5DgdngqOU!6a_u{KF@=9#Xx-U>A5kBDD=GpF#Ex*9z~g3l+dJi zinAk=H746ssw`k+s;K8)swE7S6o&-IGZ6&aKQnbM6PPa0k=@;k^H*)2 zYyWVtq<+N}X3{0pZ=1~|4dpU}w+?lykp0W<-jfc+-|?0htKe+bt9OmH}JO8ku}i0?7EF6H1v&W0^FH@#yDhM^lWms9S)&~1P5 z@-!u0G;U`k>?PLd{P05a|3bfyG$lLlTfD2TWMs4*%S1BS1i9_{ng&* zU+kNY_(I>4eK}V*dc)HC-A-##VoCaY>$1=1eaW#;&v~8LSA$wf$NlQWVBo7ve-v$e z6wFUt+nZ@#3BT@cw0su3k1T(9WsL4(1^nsiYf6dBCua{o@#)%JOR5H^V#GMZfQvaI zKj>>5?D)hZwIm`J)?I%r5>OQlW3CdSTLluJkCyFsm*gSJ9eDwZQ_mgX(LP2Rt*0jN zX!rz2M|w0_^ZjzN>mf7Hy6aP$GwBE?C(h6h7pw)DN-E5&waBtwUtHa{G2H6Z)7RVI2RRnhfy?El5?pIPYlvG`!^5!U~~ zzK^vR*#C=-2eI;^om_P+=9e}o*CdtJtP3PXjP&+l_tnAEo%xNXz&dycQ&q<5p5$gC z=}Xe|NB39s9ikim`PmMXOB~O^=*G0w|k*6!xF`LLMLr7TRz*`ricukvv{IrunDT;-l6T+qE}UgNSB#JAQ>-#WRTSUJ_D-JY`oR%zeZ?>Fqx@ewxP zg5@7qL2pe3``J(xNT>a}sWjV-6dgI1`!!b?+=tb= zL_F1C_3AFihACxqJc6xXVEuV4JT_nFC!n;~JI)AN8Oxi#cyfa|>$Qp=d1EMhNcSaa zKp#Xs-iU0p@FlUEn9j6aH$dMj$LeRSyjb_!9Sc6PmTZ4KyW*;u8kEkJ9(6rr0XD4V zJC5$q0=Ys(-)L`plIt~aCfiq=G8Y>5LyXUybZz9?{c=_f4#hKPuli28XW`(g(NL@n z(%US0eIKyH_5;S?X@G)rKZrccs8G=&I%G8DtCr^u7lm2&Z>2xX3%@{d4+&v zBz51>LeI-D-2RFb-Toh@G&*oPuhHn%gAG8t_G6fq-bV67qA>Cx2>`82%dV@~ZX$|J zbprXvOsM@)e_s#6>MN{%z`l>2C&KDaEc`$FzkgrvE*PJTF=JGNA@71bg{w2|xqKlf zM^(AWA`YSB4!cxE6)% z$k1Z{)>yLK;@d~*H+~Rs)+zsKGG>ioY{{zz99By=$hP)#thEJTpjc~P#p4tWU@>8-`yxJLVEHm9{ndR(LQkt~wv=-B`dHXu{k87wko0GLQ3Peq zlJB#6)vsIna4AD*O;RQeN&9fGX-kq5`koQCpC4;avGU&k=>Acq+rQea>02HTv(2=h zA8NDxEg&>nQocN5Z0Br7hxUe#831{|x@``=7D>4_JQC&R8k< z=(<1T2hoNW)I`CGxXv3&`?nF7dKs~~7h6cXMuoTdD}NBvO={Em9ErXUh|N!8`Saff zkJYzWc_bTUfa1f-!6p2Ub}~U~m6XZinroH5J*y!}%<0hYNO2Ik^=*ylMMbjzOSs>y zSpgW*X``c$69jBN4Vw?oWRmh^$~Gkj(i|@uO3T8?im{lT;Um-RRUb`A0*B}hPC9w;RL-a6>{WzAZ`Az#GoN4z5?VTiNMY~{2p z7^*1W?|GsCs@puXgS;i7*fpP~+((CC-^YHh`Thz`csXpFxcRv~DVS>a%M7;%j_MF! zmdC0PK`+DojNYEGX|c~8eyWc4_ptQG@@QL9(Bh* z7!03HTzkw|Nm$MnL+bTvAjNsEk*nN5N8P?;L$^N}wWIl#HSP{0tt&Y5ZQ|72i4!X#wQ$md2Z78U)M~ZDOOmHNa0oM0Q6;D2xR`o3t0GVMxyb{zk84`TjvZU9$SEIj)L|ClP!GPEns;d$_lb4 zF8&bB^dy02qxP@OS_2zKOc6~l!YzU`?s73B5%(^uNX(t+0B{^?HX zJTQn}bN0i{M8MW}78*XtRYCHKku3NhjokYpQwF-;#3$~Nav{$`Q}6Eja}ZT3|QEcrboK6>giqt{g1U0_WgoYl~c* z$wJd-q2I^Wm$ChySb3kHKhlPj2OY=vM*9E`-PQq{p8e%%+caS?CxVZz)f6DV7x#XLl zE|){^8^PN5e+K{e^Jw$$|2;g`-^1dM_0O^RWAPdObZh&GW>wgq+P@|5v@#?>G2>4@ zXR^}$S7eX0GHjxE@_tRJi#_`kn-#W01+e}emjAK&9BjVgPHzZ}*D+nNUp9NdqsNIP zSp{ymDq#sabSL6Gnyo-(=cUV?(T;@e%NZr%=lW>*!p3*z4<1kKYV;%zwS9h_`n(<< zy&1jqsy~68d!8RR{xT8rpMAQ|21`KNekskRU_-KaM&gh(EjKyt?0>O5SDp-ZgnW^t z*y*pfBUXW>`e6QL|MugF(qu2om)_NtR^+}#6?c`N96Y)G)3(8eljIdLtG%byB1?dJSI^?XD192UWaB$yEEC^+LiyJ z$`Y8$HqCae{gYdQ*Au7 zldLR(4ENLVz-Pl_$zhyL(zsd#hmNIy<@?u{FK$YPjRMM7BZrgF`gx)Anb`b1R)1pS z>;Ko_vHDzz=hcIbaZ6Hjm({DnSP@oKG|<03Z$v8Oid)(|wIFoKYb*Juim?8^lR^EE zKAPXK@`$z9*mw=gZ-?uZUcIN>lUp`-u}F6(9~|gcz9uCl3QTq98g|NvLB?X8{aSA* z_r89qj@%75L(l7B>975Q`S{I12YAB!W;KI?C(O{A)7j`p6MCMPX4fn>Lx+A_#cy+M z_&t1zrr}cn!S3_K#tYc_HLU-DjgPSWkJVRLew)9)X${E|6?$3al>XcDpQQu8*TO69 z$FnkmmOy_yow3o_joealh-4gixBn_GTYa9%K-N7~1$u#V#fImU&lY+Lsl&xX#R#?NbKNO8bx)PFr$*TkcAO^p=GUa5YwjQ z3)LA~i#1`w)Sks>sV2}47<~RcwG%p97G3+cuaF2GQ7Mp_+6BTfAd{XG(m>G=R4}$mWXetM<^x%U&^Vbs$>C zHr$_n2SCHJ!+k5$++aj-Z;R+}Z`c@|bFe6T13XpZ*w7=NL29@<-b)&K!jC(>^Dg7Ao$-)mv+TjH#kr8Lq4p?x^-?8;&tbYD{B3!AZS_(dO@u$Rc3xm!%rU&20H2tytEm(eApS<$dK2BvQ_l~Wlza|E2D`QkIva3Qu7tKaf zeq9K)PvC!QCJVXCXqXCaxsrj0e?&K|^B~EOk7uuN@dt~=Cqk-SL&=ByXra$N-lR1p zvYS^l7?&~sT zAX?!mw{k)ecoJ14TB6yAgm$upN2vk9?t{YSSF!fRATZYQSBXBDN%sFBYczoE-4^dN zLVB=Fyn5=skuJ!(l~*l)sRdJc`yM>q>4%=z!1^;-eU6RCb&RB^Q?^s)BHnbD${B`( zkXc##P(TLxSZ04WYm+9NDw$3C-nt&T*`ud=L)W4G0j&L9=z9$d{l0&eZFGrA3>j=b zx{>jh6LI@&Z^I_&2?f)tg0C~Y;T~2{L@?VDENpW1aBljxow;2~K0 zW8ty`X@9!7+#hUd?2k2kgi%vh&2DkCU)puxoNl!zfVjN|kJk(VZ zV=-O0H1wHk##j?H)LuRBn{p$%+)=Eh!HO^`*|j;gN)?==s}yP*RbgVq>g!1kO5pN^ zmbbxC4ZW{m-e3Lu`88}jwb1u#u=WxAeYLH#XAPs(prI#p%y5MXksaOMHFrt_l4fX6 zytPmUy5mpt<%7+LV^F!S=Y$eq_c>$Zh5y1|zGw69|8}4K@B1^c{DaMJW8Yus?~CP6 ztp9+;-+fFs`EJ4fkSK{@}&9M#zaPV)%`ZAFN+O)<=B4g&1QqaVuq&1q7~pCbbWsr zqXxnHW7zl$%Wv5I$=LU?{}<~IoIj|)$zq)s>9yw`J4T#{rdm&%XegzBx;3`?!X-Co zd+xz-$kG@5hf_CtR(k*zexdz&tbY5q!N*1k=ke%L?t>K$C*BAVfPi%~9Ftw9gn3uq zGsa3bYzDa+%sHk&dlTtb|Qr=_s`g(^(}V3CgwwqNrvfZ5UL_$9PerXu#&r?{?ZfR~ri_>-uWhUAjY{YLkG|A=*gd>`}-yBfpXO zYoAv<&mRe;w*DR;^(lLUk@Zt7JXW7$-=Ci!TuTlXcv4PJs>5z~?W~R3Ye4T=sDSJ@ zRoL44g@?{j3+ks7q9yd~3AUeYo*yLO>9H=~tX*29_N(fgX0a5wI!SHWuOSY);y$h7 z>$SOb#&(d)RS|KONqdihZ0MPXW;h zw>Aa8JhIH8wEy7QE$DncR^E+*6`EYj>|p6eOS80Tcaoc2IM-VuO`@-{zRl_Kg{w;z zdAJ;PBsUmU&n#7-?C~n+Cu1W-x3Y;AR+g-JeQbje-1@|SV8%p> zSbaKk>0l53p6No{7r#S+Z@HgIg8A`d{H>|dps?dU=O=YuNXs#dbFMUleX2u`SuY9z zSL<4~RC-4$f9e9mFUb|$@`KI4qhJ1|N$xx0l5;-= zVSnijsn_x%V09y=F}+6suOBK+<^3ZUQ{ShdzAr(2f3AK0eOl`Kv+e)3{HOQt9W<|E zf}nw=Vq&b<8DjmDnZy&r$jIw@M(uQaU`(!yQk!vtBF;5^wLL)uoA1TS7j|C+wtkJ} ze=Pp<@PFT*_Rrq``+i8QeV?a~IBZ_~q*=O23|yHO-+NtQMV3Mlc&Uj(c@9tDe#)Ms z(v+_!f9w}Q%RAQI1#Y&ybhb^J{mfxB>rbnIE8iT{lmUxLB zMo_=@#P?@y77*F6;^&r4MzBc!lBgOhfiLa_k6*+Fq4yL1+vu~<_+aUe&2O;sYm;3r zHgL;+i}Nl&UvkpPM%Y3(ASJd<+A1Zz*{>9cVAQvMnJ z|BH`EqIvM7;#~VkS5+)6FD*QI;vwAqYOY#{)IgxaSOR+bkG$5Pj@)n693z*lp$`Gv_publ~nJneLKi6^-1)e*XLX3HIIuw%+t(dDXy)x6)wI{L$O;o+>$JZO1Zp zMh=*^Fw3eiNx{L&*80ZnDv%{xEY(kHUVIrL1nY0xq|qeVj)V}O zJ*q|qWw|i*<+$aPSUjkFHgyL$M(h|a7dURq27Td&OnG1S!Pj5Q)t`m&kye{;Pp%f| zz;`tx{+Q45kSJ~fqtEnU?T=S4%wqLmQOWkZS3TX){iRs^vGX!$|90c;*y}!~5V$jK zqok|>IOU9*2{KaVQR8y#LQ;+4-K%su<;w&vJvdTUvd$IV&yVE?EIhWKF#no`(sD6j zu;Tv_-TF%eT>TYaYUZfIw>SRR?b&R|<56WVuKS|!qCBoHqf`(UdcQ%L#G5axg7sij zRDxq;lq!@~gr*Ks_MsfUvg`7aB2Q8n+^a1(qX93cUo_eGtH7kbL65_*27D3zNEeZ< z0?Z-x8(U^&$O{fvJ5GMey{DVzyX5P&$o5YSWuDKp$(#?%Q0t^M*j&nOd&6W2PVTN& z#o$504mSK4zwJtB*ZM?=W~>4AP}lL&7Y^wD`QI`}%_}?(5vw&!L6xh^VRrJNWyjf_ zuxCJ4ymd_jvCPsXf$=zoSsY@fkajANJ*4Jpz$bWai zcTGBBioMD5f<%IgYNA8j?^yJ{0xbW`%cC+V7S;5=6PJYR2^q(`=F}lFmTuKa*_7M}mH^SRjmRV;n5{`o@JM;0CL+H-)*8{R$pdD}2+9UM##=-;$D zn$U1QoZ_CYZ4da)+s*TQ4LQ*+)+4saje76$@AEBKd)oLVX4yG=Y3Ps{sk1LtCbunH zIqM!6kwp>d&qUP4;c|-F@Zw@MI2mgDQun$jnC-N>n)+21=q0VXN1C08LtJwt%`-VT z^1UtY;glqVd|x6lk!k^^GLp~F#z~{|KUjN;<%c|uu@_HwnUYp{0q&1a<-v5NT+i5b zJ+eZ%x!U=FDnv(~zWW-K;I7JxKHY0d=zRrP{=weI#C~6_y)G;<|M_FLKWqs5^Jw{` z69jeV+~FG7Mic{wd>9;~$?%OocNjlxgcjT2+|sEySnVX}&7z=7Qd3iY7w?sanq=G3 zI0MQZ7Z+*AOkQ@dc^ITRw9SBsZTXpD8z~CWNjq!)6j1hpDQ&R(c1jj}hP1h_v+5Cr zn2PrW+?2lLj-~$jRr26{%Z6e1MMHw^XU68=u=fQP+MmR}kM*yx{is-e!@lpkZ0^VG zs65!;nf1D)tVgb#kd}W+q=2?5sZ~`&8ie-UaJ#RdLk4W})?axmi@xWD)el(uW8*1o zKN$9XY=6s94VmoF;zVFOB9g*o91R&OufNx2i3YcIZNtN_Gl-t_sa>L_LGWaC*YbB! z;pllfto|83GJG%%OyRmcoxt+l1|U>>zHbLulF}209~-t3kRPq(*EBZ-=5HT9B}%&x z?ENV${6EWg{e349n zg99%dNQH6s?^P3W5Pqf_xS5rJ{^{J(ho2M{TwevMOzw>sQ3n>fnAiJ6DSI{7-B_z_ z=T1Iwj212ZL)nvm0VKeCBhHz4C(BujlpE-|t7o>bHLzyw0_fnPeL+uzqLm zoF}OUHT!vVMFl-csfzm3)0FuGli$Chy<0Wlme+A62YviJ!a~oJ{xf?1{r8>kXOIUt z`$0KQQ3^^6hju1EvnOvN9!D(uEeYd(3YQ<6%EGt7QWHNe%3gnDzXVqQVB-s?(PQC9 zWvvO@OBGnM)`4gQ%bJuy4Zs`E$H)EeJUxP(hsgV zc+^V37UElK*y|d`+LsDc?iENdC+l1j{La>ML3Y~dATB#K^#8@`Pwf94DBnlhkodhl zyp!%gzM%@K;20@Wr}*uet3s99RDT%A_S2Tj4JeQ#b&rSElsR^+eZkg$vGy1HKDNII zYmcz?Yi$3Le+fT#>jq2W#}J$Y<+>nFQo>!htVqJ5$BT|=8N$uL>PN{;`cOPwT|B)- zA3g7ht?y&~e=L2l@YwlHtp548!DGJ{cD@gr-@|?{?0q*ZzhV1ru<|vZZ`Xp!v z<TnOF0ao zX!@wiL77e9Z6fFN!GaZdUj=c7Z%u>R7xFth#nNEKnei4@s|*-vyS;gb>>+~1XP!S7 zuK!`7>uU>*|Nr#&vHNd*tcBbnGzH)g?Eup|E+J^8-_o6GVNBYCebbvC^FqFnRw2h3 z0eE$XhX!u&!9wq!|L^<%=lu*=dx6yt?vK6p&b*U{!k^m4Kh9=behO4Oe4Y{fJ4Jq@+|NFk-O7y);?0(dxLfWz4l^n@cffvQs(mfzF za^OVNtu5sGRpa;1_%?#xIo&1v){dZh`fx@*moI#FDBzTA<0J_umUM`yh{NFOIhmWr z8sy!Pl{?A}#Nnn_(T~j60z~eK%m-Sa#IYPvnSQFQz?6HzFz!7Y$n`SCw8p9vK`qOn z=QGRU1WnVZOdAJywpvFuhqIvXlVbBZ*1XWze^vr?UWGoHk`aZU-K~#pK3bB|_vY>l z!6KkyCDxVDs6oI2>XAr@f!AfVdEVv{sTTCbvLV3z@&Ub`>vC6kmI1UC*-Ly zIilxVxP-D7QZPR>SeJ9-3b=hDzN6Y9VZ8M>@SO?P5@tM|`$ zeHSvOty^zCq6HtXY4!T6S)k{wu>C@D%5!ICcPqi6<1=}0jpV>DD``pD8$+@z?ovDZ zpgf$8jbJTPl7~Od&Moqhlsk&|{9dqqq1*=wNbEAs=Ku# zUS~=^^FteL?>PnZ_nOD&@8_ej@`e3gSoy-jW9uW>_p$KUdO8+=sc0KvI?6qn);I^= zCH$Ubr{bS$va;(Tvm#a5x6KS93oj|lar=k3B&T>(9Z^ZiwNE8pp1Z*a-^Mx=e2dPAcUCB?H^?0AQ>{t$L>8?h2Fmu zrIoX(e!mfn&#WwcatHmVA%`Jlj&8-7 zy&|sD!mzKe{205NDw+Po6V_iX44MJK5(X|J@UTxHmYa#v=RkAKwZb`?ysg<^wBO8; zxSZO=>=x|`UGG<&krMTWNw3Y$@%z_-S+_c!&1;u`sNep6KLb`j*J?yx$XDVd#yz)Q z%Q^9rN*~(Rw`Dwp`(mG@7pDZ+F0OvHs9+KKneW_dlqUk%em|YiJGDnzOh^TL;QE)( zRe}BR>q888w85EEA$eHNjJ&gayK1kRI<)ltnk=R4=fUcqs^cj^*L8}CS#w!M^xO_O z#3NJ$x*5>3wa;mXK@sU#{6j9NGy~Z8EIuLcmJO0qmwxG95eDxm0i6*s5vUN>mMdIs zPR875b(bm%0$sv(otgwu$a1*K{fDyO1&a^1KOFnLByDc^Uisq!;Tb32#9p+6727@Q zJ)-=Gpp?70X@Nc5J}quP``G`hE}AD@!y^P=_`b9am~-~*?UuW6e- zHOX()nzBx zH?dMhMB?j@hMbX|Aa>fbov$_ve!h+pnsYpejz_Tb1$BZsxz5HqAX8_sY?0bp!YVej zC$QZNn4LlfDmgUZr_q^+!2lc5{IQZ})L#qT-;4cTSbIv!#>aB5iV&qM+F{GTXp!T- zn!7qD&0(o4n*~3UHgFpLNoJDOBVw1I8rv4jq3?TQke94 zLP?JFY1Z?lt%S}4@!3;B!ti!9-TkpQA1q=xdFWe}DSBTP)?Ydor=I+6!U>ei7eDuE zv4ilqNbZ=;@#M^5-7^Ogoq;o>xg(~{4*V<3J<>Dq{tQ-sE_6IQI+-Br6Q&KTW_Q=! z^;ZL9;SY&L6XqmOG$e0bzZ%Rf4boi4uL)<^mozf*m=kRN3TscX?_>M%vNzCryUK__ zNTlO{%uxZL+cuh0x73u_bhdW)r0~PY*-EAErNXeDGb_*f96#Fs!S1`j+KYw8e?EWp z_xadSdw#tDmv@7K=YN9uIDtsn3d!0qgMK9rkZ*AZ{esb6ssR`IfSK zJk33dbbCi1zV4(COS1&Zq}9XG`GooTbP-@$H^lxTPYApdcCYJPBtm$Uh5Kd;><*Wv0*kzn^|8h|?vap~f6OJe0n5NntI>@lP5LY*Qs^ zzI@YOMaF3V^WZ*%SDGcVAn5)s=ow`n6W6As10$2xgt9MP4l}qK}_2%%ZCUspj{#bj2g+CDS zR5@Ey6+%Pkk4tWqCe_Yod~a=*gJtWqe`d_6!iG<|J*vC4fv!7s{ZBW0!gM!zk%O)- zkivRvo5h;&k)crL<0CIpHKSzTz@`D2&m=unva}(z;@k4KZW?HN=e%M%PDoQ16l_+< zUtrXP$Ne|6y-#?NoI`^vt}WGo_OpHw?HSsz=V*>XMKJ#T-pZu=;u0!gHLfVTn35m= zU?nidJLp7Kvo1B536KZwtVbsHimyp!`iKv;KB7sjkLXhCBbsP_ zFn*fzAYC#WSOV^3PQ1$`WsZl-q8|ssahJCYG>@a8IF$KGe?bnZ8~#-@`fxi$TWqH} z@LdvgUTR!fvqlsQ&TZBBdQ_CS$KIuFS}y@_Oc-`Fg^GhrNv+0LO%t>{V)Y?*{tK%= zvHrvS_x<~QHCX-G{zPkR{GA5uzuwiR|4{*{ z_O~Ts${Of;I<_7v(QpSsn@&%7uZgBwt!LN>rosQ%sgNbI+DIOB~=J@16VJnCo z-89yu?|`m9V)u<;`6q3OUv)R-PIiW1t;)U%K~S2B(Ye@RLIMxZHa@1hT5{sC9bibL5E$c+q|{WUHmzd$_*8;KW5)>U|9{>U|9< z>U|9f>U|9<>V1v11WO<6enKq2VfD|y4IWEREPSThE}pX{tHFoo&X<^JE)a}g70Ie) zKZ^9~0{@Qt*RnLY06TAp^>4A?7c1`z4UdiYvH1tAzQWQI3%}6! zH5U55!#{if@AG5Wd>R&hexHUEb)SY9b)SX}b)SYPb)SX=b)SYPI=_L%=byp<{k@Nc ze*d5G!@}YJpZUHEhyVQd`uq2HG01g=a5WMg^7wT^OMrYKW1Wn%wP35W zcn6zgE-Y?l8{nwPA%j)JUyWrp180jL15;%bX}#3waVN?R6nkE6cwy}eX|5*k7zg4B z$G-lgo8N-b@xo%AJfR&<>7=%Q>*Xu`u2B3aChSkM4}`erFgFI$w&7FR=S0vHSh7_+a5hNyTV5WnR$t__ur$JqeJ#d8A++trDbKX;zPpIg*Y+ zjnx^wlHgicYFV{U5hD8zOs;QRRdp$Bxqppl#FIJq$j{L{v7maOoH z5Bvt#XM3XoYk!T*Gb9Ca6k(>-<|jj}9??8?Np5Jh3XBLpP%M&{gW#zLLLttSeTy#? zye{vOgoTF3#z$CuB3D+gIjX&cY`p%UqQu>XeEcGO=jfqL#Ic(1-si>uc)6*&ReTFO zG`IveFLU>X42NmSo-)cl?7inCjy};P?JBJ2R(dFs@c5?a7z-)*B#;{%Ku-r32G1`u z8o3DPZa;FX?@QOQxb!a_PV*B5;$GtnReTyJ_rxs1AZ?J&fF2~H?uha(9lESTg@^%m)cwoI6bN|O%gS3TDNHi5FjvT1Gj!ON6xd43Jq0LPDPZPS8Ay0hQDNvNag zkF7_Krz)Q=)l4HaTl{X_WA_Ku=yAb9YkTrrjSm`G9mt<1X~7*zAz+yE)Wq~sDEj}- z>yy9lXU6KEe;YhD9>L;|)&JOd1PhPt@9Jjdbqbj%h6^rdu9UnxOyaN3&h2@d3+7w& zzQ#D@LFmy3c4`|Ak$p$qD<#JFpzSXv4iB2TWbklSs`O$Dw9=HDWOA|K!`E0C;uFVu~X_09xTpo?LOs z8#1kgGamg3BFADpya*jTL@8uWIht624pX({v=e2X#^b%x!yz-+T=Anr;)w-XUK)8u zhxP^85`Er6Q;lRR$P;(uDBdjxi5q^g{&;Ik`c;LZ-U^t3yTWx|OLH;w`&j=08y^K; zoOmN-qDMZhX?ni-A_uH``g&7blOM@GG3d+}?+qOeenXWle#FiG3KLJ8Kic1$mzTe< zZ~oHyE$x-DmfSMjyr%k_BnY{GDpk&t0O6618K?B6LG(v&%3UQX=)I&TK<6Wg#>dR( z_~nS@=EN)KtJYky5S$pDR2WVbg%H6>_DC%O_&hn`Tpuk0b@U}3gDrxP>#X^HTrh~V zvFI>vthWQD2o2G%w|&WjQwKWEx46OWl*Bw+V+-&({Hx`TpC=lh`F%~nq~+d@m)DL-~_f=x|6Pn$t+xfXt0z^e5*B#v| z2FLa-ovu%}AbW$g3jOj#A=b!`?nHn%sD6!XQi~A>>^)hmKeOiXjru-uA80bW15*Q+C~ zCz_PWoKfbNA047F;Us*b%0ZYMtQW4A78e2RJPS6S!pdXA&VtdD`Y@n3IYti8t42OD2FvU5CSrjddt z0abDLiuDLX7H!C^kr?#;c(_@0mU0*BzL!aCr&8 z!@FKJ_+`E_{rDAKxWqBi;(5)7eCdohFS|t(PFyiD5jW6*jO-^zRZf{ewUfYkA#Z=O z^M=^vkB?m7nar>O*BKXb`s`I#?Y(Qr$S>wyopk}!dp9eo_k}sB_l32o_k}sA_k~wd z?+dd-w`7pPm)(_#`JxPblb_+~9|Zq2C`3*`^-FeHy#YJ9! zl>B(XJrG>f*dF!$FZSLtD(k4(8%7YMyQDj%J2&0k-3`(Wf`o)p(xr%)NGYMBGAg2i zq97`YiV7AeSSX4p&vg#h`R=~g@>%Cu@B2}lHEUn{KYMz9L#K*x{Wr2j8u4#-#&GI) z&UAp5DRMFROb)Ha&>ThSAgf{s-;3nWD~(v9<_|mfC@?Z0T>Ycf(tDu#i!ll~XCyo1 zEDssaE=XlvQiaGZ_H*(_m4VvC$Lqm06SP$K+@wNJ1N;5r>RVj@^PlVgLs4aCEUh8( z;0oWJPquL2e0J5;XK$28E8|8s=Z2_`c9inO+k@I5?awRR7O?4Gxe@&t z={OX0JMUh>3u!o)onuP(!H;Mk|K6X+l?Pn^Fp{w%MIu`heHF2r^@$aSC#-|UY%9{B zr>Jo6=8P;T?e;1R^&#NkxRjAJ_-Z2D`^W8%!u?*jculzXvq{fLv=@v-d!a(K7c{VG zFPMn-f({l&q(n$0setbCfJjXSC6q&nlV_(K;zmMfx<;k z3ndpDpgm{R&Nr+NEARH!u)NTM$FFl!vx4>DRr^KWd(RR0q<`%XuGEG0u1Oaa!vJi2 zX&<>O<*xgbA!JO#Vb^X2U{!6`-fp1?B6$r#QP*6M&gbhSykW|)f4#YRJwgdK_x(8` z&NpoRTSaA|LMPO@`<6U3X1o_sla~jUalRty({ey6V)7b^%VFdB;Pxlr;;rHG|9_nx zSD)khpSb=cZhZ=u{y)>VfA62;{$AYk*mE&G{P9X2ZLAkoYtkzNZKe*1o2@F+GP-X& zQ>6ee-xyvfT2+B}stf+dN0bq6zcDU7E*|wJe^touGf^^()I`e~$BVu?D8q`%^YK1& zWq99xx8RS7F$(sew2}HG4Y>IkTzSClzr}s;xcw5F{QtgR5!b%s-p?w(ve>TIqTu4J z@PemU2#nCFnHLJ;@YtMW^sc=XYW;D)H^E*6_C8=~I`v8dyI=9mSf`sSw;?>}dYlp+ z>V#x_oKD%!8G^Q6--}`i127m;mp9dOLXM-#qX+r)VecE7t$mkEz#-#|EuG*l*lX)f z6BgNrUiIXVw*9ICw=P3z)rw|#TbmG zFX2KHY6~uxM*ZVmgP^5@dd{_#4B@_C-2A{LN`HB&0eM(a(|%Ty=Z?;%-t8$PQ-rtl zESX>3+Gv>dXT=+`l$Y*9N^Mx@$9YIv6C<-c%|}gXOJ9-u`;}Df2#&#_2#DT zhgHEh!Q@`(AA&vh9LX}M^hCJ(c`rzK_k?LXBHG+SU;YE?z*y~D^l-Z__)hl;=9}q& zBU@OP!I&oab!7c)ktfX2VD9guT-rLUkfsMwu31zy{^qDLD&mW&G#jjMZBjQmq6J}~ zo6KNfiUh8lweGOj1>Aj?xOgMD^{mbJ_3!p$a?+a~FUhlq#l@0Pzwdg`In4ZQ^_C0z za@gv%`!xsDwr%oaGs>GYh z8gS~td7JaWN)Q`-;>3{&KZNVwuHDy4{n^e30cr2%O3z3lf7x#jXfqYj>bZxxt|eUX zPRKMVqDu;N3!RScv|-2Y=iGdce;=RX#tZdKsR03x^?+vk_P{TFs?heC*VRVe0A@vn zcbX~a!M?cp9n$s$yp5qTRJRg@aP>KEe2R;|gv%dSzv23axb_8?|G&O}T>iNEUR?hF znjTkvaOrW+kNbXc&-1i)-$In8IT{Hfduen)4@fM-mdI+1P{mk7P+;>#U4`9Thjhga zfTC_8YoJFLdp{2DdHyxM+T$rxjfV(^k44sJytYK&OsrLvT@2uS8BGQil_Bs;KWKNG zv`3Ewg}rMBRG>6nto`vkg8G3|#kRrvpxQ+3tZ!zA$f=8{$XPAX$&mydX+c0AO)}NTa^#HBr8(WzOd5Pq=SrsJS`tZ$P>D+H?J9N-y z$XbfP|MR8$WO{1`K*fA!`g8RE@c;Y#@TUJP3=afblG_M)h&=4+0k+vDXz!w6P2Uktd$Vg?Ju0;&}*o3IBZ_+5b!D!M&fq zk4OHqd7QuJ|DWCe-_Nsb^2a^TzoS2NASx@3Hy*0E&D4jlr@$#5{m6Oo9CYyXdx5#_N)7N0JnwD5=YM zs9h1+?QJ-%OTag!=hTY7WT*?29EN1dFEl{=y_N9OkDkby^}XDsTy+@WomnB%k%j4p zlPqj|<+1x!aPtGW-xrs^y2R|Wnqe_WUFqJTN5I4NIB+MZywe;R+4qFB*9n33ddAN& zTT$padjFt-ixA-Q|JUaqeP(^-hpsq$^m_O+L7jk8N+4eOqtgQ-PhQ-`5GBQGkGN2hKL_bw+&lXaC6CDnOhZf49gL zB{-|uO(&GchyA@a@#|EH`yG^s`yJef`yCXC`yEt>`yCXq`Qzfh;nu%!zpq`bZ+{&p zVeY0lg=bfq7Tl^?+V)Ax2hFLHthR7!!nKl{XMetzhoIXl@%|5fEQ&DSW7_IR*jp->5@nV7NEcOnZrpp&@PF*@-|O@L zEZ)c6Kl}Ij1l;%?S6?yk@wGd9aDs`E%Q{5_C&ZO7nDY(lqNq!E=Vp$v!oBO{d{ivl z5Hi0{j%kAp+n>SBN8!esUEND7-*1UQedfIfp?`#+n99Aqht>imkp(ZMcMHLcGv(A7 zCs7D2?{R;jEJQs2-^&B;ed4|s+~3Oh zS{d9w1;j2I3ZpsJ2AzmQ3cw}*f+-__6CU+550M^z*4rt2C^^q zT|W^cfV!m5F5mlIcvuk(_`NcE`MBln!Xv`BsU)TX*5}J zEtC^fCf=UD?Wl(WkMG%cbden#TUe`52QNI9s&zk?&5n)Nja&c1{a(0uCb;tRzl|QZ zzr`+NSIf#_1$2wm#-2pb3!N zBY!KmEBZ1+8At0)@c*jz+C)=W!>GH;iyt})2-kk$>StX3xcjeh>m3=jk2Aav6L7Tl zz4sq$7lT<|qt`qytk8iEfg#$HqQEs#J;AUh0pgFe*l1`7a}+j=pGh)g!OfS(k(*fx zRM_caTOQaUj{|+{nd=gu{*vkGx1k-dbml3^n2aQ7Cto5J_f>|GZSS1x+Z7>K^QDpc ziVHe6+<)rLXL%@=mDy-6Rf1Nj31f~%1=yN8=|r)l0DC?>x_5g`4mdox#7ruU5&iY^ z!Bqju=+!o^{BBFwtt12Z>ROp^(h+Eggtk-hIdP=Lg;L$INe7dgzO8& zyw+8KO^%I|dqW)p8e1eDOR8X>=U?;3mA8MbA8^mJX&?W--w&7nzka{}`aW^zS#ZyT z%YQj|)a6;9hW7QjP7Jwf~OPPVtPDB)VUo>Y@3(ANAq`5+`7d!7qdp8qvH?t8(NA6)*} z^kIqp4Y>!cjNX~ z;O@)7^>1e} zm7=*!&jB^E%+{;K8p0l~2>C&!?MQlxv|-168O)f4Y+vqoA&76>E})Uf1f|Z zwU7T9{r|S}{Cz&wo5s0F(p3?)jhV=D@y#Y^L${EG;^0xf*br&Wmlbl;tajN`1)=u zv7j#(Xb&u0(S)FQMs!==1Ue{PYZoiDKnwZYT}{!3_ZrS$)|h;;`x`gsBMgcAB^8MK zB@K!DB^8MKB^8PLC6$QztG~xf!M0zR^Q5@`0B*dAdw$&W;O570`6ru{qCGFGq5rsN zXJlCusvM)zQp>J_oVl_m7g;Nz`MFAu@Sj6SQ9xB~%DEcb9^sw`cb*-0zSUZmQ+nl( zJIc`g>Nfh;0=kRpB8O=0kkzWu!u&WbJrnl4 z8}7bZ-1FnUU)=uEe|;WY{U=E6~b6?;_6YiKHIb?7yySgt19q?Gyki6ANQC9s$@mI3-u{)({oMY7Xa( zaf7^o)~%^)f}ne-FuMVGvHOK^^~2`A6%UvtbJv{f%Rw78D;vjZT;Le@rJmbGZqPnS z9?oo=0L6Z1js*4EVdJ^s+6!EI-1!b%dx}dRD?9nz)z=ul+DOFIQybc?@|^Siv(Aa{Am#J{Y{Yyz)v{3Z*G0U5KF-fTHF4Ci*@e z@ajBf&vQ#9!v-W#w=+$CIermgYw*c1|FSRK4eS(EOFX7i(Dy;hv2rH|7{1^4@{c?rf5~^2d~}r? zdhOX_Bc%DD^po=P+=L!l)jt+9&%_B!BQ_6WoO$5-KH-U$WiIUgmfpcRZ?;8axWW+; zcD~64#jr46&aP4c2U&-}yiOjFH&cnA@wNh=S0~3plTDG+0fVLmTV>EBAD&VBqyY5d zhj?UU6p)OUe5PKkHPT4^Ix{J+1iw5pvPx3rvCs4L^LXybekEwino29_QGgVvre5Q5 zLTv88VsA<+KqRH3&+7<9c>X!DU}wG}RGvQ*C;u=U>J8IQ-nbJ82G!%sPf1IV=g$2V zi-WQ7;cjSe)d^Q1y<;wU)5(|EKcfPDX5MWp*OVZ?M}$+s-vt>cmG7u$Q-Z@A4dUsI zggoiu?a((rmEo4T)5cNBK$PE`VBPCw2|uRi6P}a#15F+IoBpq6@a(vJOJRr&Om_^@ z%UcGaO?~+H@7*%v3@odu!<#Ba%Htg>U~0WbWKq}|W!SvPpRZL0p5m`F34gdDfcoJG z#{pHq^;dE0(YkvxrG&@`a-=*VWJ${b<>Q_ol`3`6Imh5j;rwjS`utp~t0A}C&Ke+sH=ZSFn zZ`1Qx&^MHTF+S?zC|1HgS&Q46=dUZEt-q$d+Ej(%kC54iks^QE})*Z)udU-N@v#Cg4qq0RY0 zQsTVcpP_$!Ke+D&_dK}swz&1~>IYjMeG!cW;j!p=lZ9~fb=mY$;-DY&TzmzWw`qae zRP)Dx2a%|Hn6>SakO$ztcU=1atX}!|^}&B#Z^gw+`6N5kc)G<5rjO+2Q8&7wkcNdz zvGx|A`07Qo3N?JEN#q z2Gf~*(Ln9gkg9DG3r_5aVtr3C1htCvf1Xi-;jY+`8BGOvOs>Nb_*4m|rjL=$C#r&M zJx$hudkSzxDpJac(h1?x3-HW7e|ts`>M|Wdd}LKY$?YM1Qmj7Q+GCfSkzxQ}+6|S9 zIyK;{)U`9C9|KXn%V&#gnMpvc9}?9_5)ZAGA;;M=6G5uu{f!&xNf4@eNzcDI9_koQ zziD)(F?>9%y|l>ZP)90txWd(R&{A z0=kZ8ug6K;AeTYuIggzuXjYU{_qTb$-XF(KNM65s2rJbRF@yo%_|W0nMeFAig7}*-j5=R6BK}<@$^a6Mn$kX z;YKeKr-+>o!OaJ5;=%4D;v2*e@eOtn@eNXm_y%!Ae1ixmt<{@)^j!x;9fC)y?`y)| z0sds`<332d#7MwKMiV$g_x`bes|5+``D_CxwXpLKxb_-1-oG4G9>}MdhCE6JSTlmn zPvHrl>7Z8Gbrs$wfl9v7!CiuBkmX78 zXv8WVUW}DpnVL?9-YrvZ^fisB?7FEujffza^ZtxK|4Rs50_En^ij?5{+rS%kOjhXe zyn;9TJp%4~LsENQEkAaDLTq~4H0ihwlpmhez5FZy1%GX2(k&+7e{{}N>P@Lb-p?5m zCS4`ypNV|pxI+^=zk!<%!JVhBJV*DG?zI+>=dwwcS(zXYiZ?ozdFl{aqBZ|*?@NgIzJ%cY-0ZjZ7pA~`$?go# z2PYJ>m|$;{L#VU5>{l-)H2?#&&oZ6?%{oLXsDf8 z0qAAaG5Ww>L(mJ8eg5O8K0KEgW8LOr3_BlJEK{@VWBa$b`gT+Qn-TTD0a5>(5cR() zQU4ne^?xL`{>Q~rZDIVFM@^{@LEDl-;wKEz>xXMrJ2Q1*dE$<8d9*G(FH{@bwP=fO z8x{=muP8&KF({3Eu|)aSb#YhssDt>)UDr;BYJp0~1FIWMny~BrhF@i$B}!!KWc&3) z8}cJk;$JWu!C0fL?#b+U#FORF*f?bc&K$cK*OSa(HJzq{qbV5r?Q<5+s+wc_OO_s=kF?z4hX66Ko;=3MKt)-4WC@BI@1TSQG9J+lh zMheL2zH-{xiUa4UrbJtz57W16!8|NpJPZ0`9)Kley>jo&9Kp z2Ey&@xAj<}k@G@Z$&ado@C}j0RW1$Sz0<94$)pI&;}rwXHk1Gt4*@qm#m#r&#$W$B z9>?7`hnsK5#e=nCKVOlg&IznHsy(I5IN)89Xr<3q9d!1DjnQsXHW0H&ygr!939eg1 z-!2pS3~=ooF5bm|<}dxdzm4lp;?m=OFI@eM`yOxK>-X^eVFroUByA@>O@NmFut<{wfZ;RAMLDx zB>n1mj+_tDQc4>9c*_`jUIVwk?qAQp;Nr34*3+xXf?oMYS)m@XnFh*24XDktdieRR zB|3DPrSdnOK6useo)FT~0{5>up^bw2ux?muUlnSL%oudekY95`PBdJ@!x;wPQPcEM zm^EA8PXVZOr-&Vmn=jz%XWV!#K&$z?_uWvm!B?v!;b{Zo z<#C_WqAlUW_s6;0d0gP${-pjES39uw%!$_Ma>AaU!nI$U{yc8H{P+6paWzfbmAA}5 z=k|p8WeFqrq?Ec{-NKAG6_UUDi_?K-1XXeftprLEpde9u%K*6axcLEGdy1=Xaqs`^ z0i8%wH*a*yj^oX72RL(Yf9)vi z4Y{QYiX#w!?i?g}BQ@>?*%{wjMCZLh;9+UK6MHx+Hoj5T{z?~Hf8yrTaPJ3KpM))Q zm>jOv1g5@lHv@WIB*YeR%kiBWe2CI5Ji(|AqJD|mA2UqRGn3pie#!En&>R`dl%)nY z3fgljUA0ic0lgTv1Z7Z@tb4EhSOt6^&xQ8Z8zH5-u90syrLp&;ZQ460qW|eh^gqpr z{--(7|1==_pN9Woe(CS~D?(&r^Aa8j5pcL-XS!_#;pLBIm4>Y*$fx+i?CtmbP?%uR znK>y8`eLfaSM>QId`QnkC_Ns$Got4vUqwP@O?1lsq!?H@KVmPmEfIW7LL+63c0w7O z%ZKpkN`z~VaQ!P>`N7RU;OaMAe-f8|)4#HVd%dFTiN}rLTX*7-iyQ8U^3ECN^I{%| zqcnCciV**2=xCqXN@@aD49zYPcNt-%cPR1ZkP^~t@vErhWri!6t2th|)L?BWsKpvg z3wKT?U%B~#3VR;GN53?`mrnpfm|xn=RT`m&r(HXBWCdVsDDR-a5EtZVnoCddh{1jL za*otOUhIB}|IB~>d%OZ%dBdfrz0vAQHfaNmayq{*=ve@t{l<)Fj3syqC0N?C#GxnQ zQaRGiHt;z8{bIU+HAq}N!QR}$1VS_Y&x2E`;nlT;xZ4Fx;J1V6XJsK1Jglbb?XIE) z_s|e@Up)T1K28*R zj)?m>{(gTJ?)$~vPlxO8;mQMUehD|9iTk~9`8SFvO8=&`0nX>0X=G~_z^cq4=Xod^ zU4QpHb5_6tJRjNYYUi{96=hi!3STSi`qZ(z`XtmHLCB|V&tznT6-bDLY0{*HLVFw! z>L5u$24k_L+hl#=*7LYs$EE@S*FRAm?4y-Go`4Dh^2813_rO%ho%v%q1+e5_`7K?d z6&{Yw_R?$jprH6>k(+d-0HZsFx+dKqaprdN{$gjaHKl!)G35rMr4`q>nY}-3c(3q$D-?BrJ%<;nU7*s8Rd+-p3b8YC-n86{BpHY z0&wYZe=qL-Xi>FPzgvCzur_tJ`^i)~JR(Up%w={#TJ;)qFHMTj*2td7_LsX+isYYr z^4}dmdYkKNQcy6c7cnM1{NMr08}j+xZ2{1}bSvkWP#jAC=GFA{sSm`=4q2Dx2cbs~ ziuS)d9gKz;SG^N-o#0__Z&kUsA2{cjm@MryN7Rubtq~W35S>V`pw4?gsB5;L?R5=< zjs5OC281}ewC`eXTXzu5=w?#%M<%0u`i&scbAG@|5_GFDJOG_(%hS0b8w8=Wk4Whb zdBZ!YVdLM|f?%~@-to0kJdFQnDVAjn1f_@kXd)1!E#VSf86icy59W z@3<{`%_MuvuTKx1J20}}&N3B7g}Iaqh2tQxHsRw6a$(_h#{z?9=?n3nJ zLgm|cy5?x}{Dgg2rz?eAR`iMY=}5d!ed2u@5bx6v!a^$6+r5>5GCS^eQ>rv5+kG3q zT;+<`Js(CqOHqXQLsnYX-^hVw&#(@IkTNzsmmdqa!R$Wt)9j!?14@Hl(;lsO#eE2| zM%w?poeImhNkg9BNCO5t%U@w*>Dc?TaKG1oM*sJCBe?u)QeN`BIB$*iQ$1D6S=NNP zGa2i%NU?T=KoXVO&&PMNiTdI1zt@_@b51ZiXU z*gadEz|YQrdTh`XMcA^dQGE?Stbs`%92G?nZvACF?R0kLr8t=5hDiNK5y&ZaK}SD5 z5vm)Os-Eyhp=am!SR8IkLEFY7Njo}Y;j!VD6UA&6s4tlH?PbS6pluny^xoSIMe~o^ zM9&f8_se|m)@R*OySnZ4GyMQCz2KI`TC57US7Z3TDtV)R*5Tdtk{*!8oT#PbW&+pT zE1tjRAnY5wYJJ^u!5+I`akHMT4BIv?RB09OfaWQM>k<-5K-b>aRV<|pd1RVR>Th>| z%`c_diD+l+`?2Bu{QBiK0o3`~fyQySG3r}8E0|Yj2{%*=DPow+;OrKjdb?v5uvGTo z^*(h^6mObK(!44Tnscg`EiHvXw{Mr~x1++yJ#m7x*HaAM8dBx=Mu>t`%`w$)YK90m z9{GQr9yi|k*YvpgvHxxK7E`vz!`ggM?&CkSBgRHhyHR`8rNtGj7#s4B=9|He3OT=c zA3wC$`~K-dKXdH)Biw#MT>A8>qaFjCY9PDEn5vE69I!sDD~0(w{FOwAH&xL zzTS61Lj#AMcJsKyG;?m}dn+${YDca(!00lTIP$>Ot z!wfXszs=Z@S;H4$_LCJ7X5junt|LVz4t@A)?B&} zUH;qJ5M(5(rgBQw3L<14Qx;5Hz*U;mjA43$f4}rrwxP`q+ds$6r{VfPxcSMnYj<5p ze!tUAjCg(ecvLW|Yx&VWUt$kYP9A&qp0kDJ8;?&a#S-?n&A#ubPjCXO1VeY@(J;8r zbH{OD)E7MY&+nQ09t@u0UA%vOC!*dTHmfAh{6U45?$qwR;Ru&r@a5e_$_#e+^dME| zKuZAXGFMsYQ*s2;k8ub2%^cv}E%I|w7u*o~wRCy@lQR+j;qT`QPCeomkU3%pe0e-; z^QJq|=;7nV6r^?#H*WZwPQVr}lFIf?@+qT_pN+Wfp4tQMd;xC%B(D9{?v%5wnzDgy z#lAPZ<|9y$b>WNoA{$6M{zJWtfIk!1s%R@nZ;H$=auv1-J3@I{P2|f!Daa6O)GlaH zMHvliwfEO$;g!bYKT-soWXd}^)ZGSZXk0GAzLQrJ8~*|K_u|$=ar2)SMcKdW6YzNQ zLdvs$^_S|p0=|HYhn#0a)d_Jq5gHU<7aFIN`{|Hhs7yrkY+EOy=x7uv)wvZ%@4cY1d0V5=YyNA zXSW|B;{YSu@*Tz&dg#k8g-=J3J&B|)kfy1{P6jZ5Nm%URj4TTHVtwxHC@nqgV0!aS zE}0%)E4p+?i&8@r+0(5jk`%G$gK+N?7f&0PeqlsPghY}G=q?Y4)MQXXIg~hgcFG~1 zlt9t2_O0+`CjHdH1{D-1$hRKUqrk?$!sU-U&yHK)aZ8Q+X~L}vT#v?`Xes5vJ+_5) zg2xjnr_#+oI;#O6UiBtN$tb~HH?tt$XeI3Tj+?K*)mN7&{pF9}Oqxy>sP{rD;ez;8y`Sty*6#8xkYF3Fn(m4*G z$-9gGs;x8%=sq-A5~KkIKkOPcOnlIG0p^&1h}|eQkyX9YFcC_fZ#37s?t;~~Yc|>> ziBMsi7p1Z*5$ex#T}W0eM4R@=lQ_R%Mx0-;B+f5b5a$;>iSr8tdx@Ek#kF^v^0u8Q z&zwYgMnrjLCCc-5qCB$$uKa-UPkNO&0`8oc8l_{BEm}HaxLfg%Da?MVx;dF;22bjX z+QhhAki}TcKs})!)G5o~aDES=Pp--@%z<4AqB^+R+6T6wMmJv5-`z^ELS{fQX|DuF z*&a-rge$@3`}ISs)jo$MQq*AkC-%lrQ+@bK%Gl8*qCxn76{_>qYVh93j=`5)4RFu1 z>92+n_w~dP_w@u5_w|Gj_w^(b_x1Q=+td7(+?!Lv=3tRXmEgsr4SH{{yKCIyf_(#r zxIsM{eUz{y>>wog_v8+z7>2z;tEKlq^%r9laL!0}$XOmTo?Vd2x}*w`TkPlLk17MT ziI3NVYbI!^?zu^Y9)A3V>yP2;PuzIQ^@<#ojyxYcxp>g(9Emu(sIm6DA(saXFJB~t zH$0FUt6{l?R2psPc#)qL%7-nV|N4F5+IL*M;`sD)N7<4i(64i%d%Si0LAvGCl8~zx z&^YvY^x{AhT>exqKuO+g{-M8@Txs+<6w< z`abS`;_8RzRXi8?3G>Fge$U_SPp}2`8HvSP!glDCr0t-|yb+pacg_wKwt^$R?&pPb z)c`kNgzI17$}_IL!#zLld)fTH%IJC>3*YeyUg-ZuzvJ;K5mSo*!mV1{|Z-r?kl(^xDn=q9Q+gL`N;*)$UEMN;g?F_T{OPQ-@RVN6FT>K9nr)ol`+X0uTXPp0> zews0AXZB7FSfmJbynWjbS)F8+Gxt;hmv>k7sDBgY9b%P4i}u+;Q=}s*_FrjIDoJx(Q(?hZN?D1Nx$nc9TOt*S0>)42k|}?i1(>L zyiW__eM$f>e_VeO7cUE!zUHUBOT>3wl*a4L?OLRdVti6lGR#b1WzQ3}x_l$>@eOcP zleb6thXZP-UmAkq)9P`aN*3g#IGVm~*bJ$^VEDmqNvKmCyc=Ofs9&fj(3Q$3I3SYi z>2GrdO|ichZoIbnd;k7>;l4+jOSA{y?Q%vks66zdk0QG8VnKxGw>5Iilhg1~u!LVp zf_^#7mV`OEBYPOkY_ahoj(6A8xBRd}KK4sb3R`xdBkGKfD?I)%Xkn;!D%uVvNYAZ% z2Zy2hhFh1Hn*XOh5=iXNu_yND1QPpm?1}w34#fT(M`Aqw_x(J${?)&x@AL8x?PiEV zGY8(1FS4hA(g}&#>K{jtsdG_8z%@r`_BfWTOuiTRm{X5lf7J*MB6<12AJw7SaNXNy zr##G4B-om8_@W&txt7sebYLW;Ut4Ow5}2+;wPo(ofEq7b>0CZh5M=(7U1%o+X4>q} zzI`!4`7KW@29FBC(tw>?!(GC>5=Z|l-6MiPVOlv(`PvVi{UBl2Pskr>J@0?0JgyIe zThEcvT~dZiYl57Qg4Ce2Vb{)RQ5~>-_~PKpums?`TDm?w9|>f}MOm#J4d^a=IrrDf zL`b!sc9+%P39&bmx4HgEg`sHY14W_XU{!kdinfw3koRo8Kyf1yv@3seR~-(6qs+eN zL_Y_>xX_kc)p}(_JQ;l=o{RwzPsWjmClf`)lQAUX$sowJITy1)ZV3*mjt;Lo;t}OG zY75#oX0RTTHxTY=0r!6=eLP}k4u;&e0wyKqARZaTo0h*1{b*%1tDq;~f;meBILt)C z8)-Fh{gCEz5Hl~P42 zD1wGRi%9MsWpEU|oU+QN3_aVJK2P3J1STp@F-bBHbi{w!#j(E-f?fQtKjh5?tNz)v zor{$yx#Brx)R!_uLn=joBqJY~4x~Nsk=qGVtQo7k3I^bOm1Jzi$sc+K4Lq&aA|P66 zRZVDb7UKP7A$II+0A$-q8tV@5qo=j|7NRu6(MS;4OQQpRKw=rTL{<}oD#jXu0-K-e zD(vPuq$?f(6m<((13f;F#A5JU_HZ`PuO0t5n4Ae;SNOlj#O;Ea<^+LevTV5YkaNC` zvI_YJ)9-2L-h(##OL>X?rTWDFQf^{@DJQYNl#AG3%8NbkTr5cSt?DcR_bvVH6q8I8 z=%k;z8KScX1;n2-|Ghm6E&5b*#jVG{x_gx)EmI2M;$MlO(%Vp-4*J45NghWk(CbzE zPQRI4cwgOSB%4!6=nr?a?|W8`OlLKBlvThE*S-ksT~S-mbr+% zLt*?jM;c0_NUI;}iiIGxkn?A4cETHpbr}k$7()K5E}{L2FVq5q*+fAAWDT{|2V}&d zPV1+(5u^T4FkhO^tQ`oiGcS`AjKqR;Z|xP`hhd=k!r`bwaRN*WO}TXMN`O)0EtKtM zk?`|E$;DBMYBc@vPWXmrD45bn7HYGFfS$PjEuX0@RD13m`I9maRM6;fF=ajo#Fr_q zYH!hpW0&*xzFZQ6687G+(%njE;Er6wab^j4d*;jvb)hIwkm~4I?N&kAdYOZD2ZUjE z(Ep*cgEg3w@*1~^6M85}#kB6|yCR7f$&{X~CUEJ!dVP6@1#F{^8E7bVC*o26{XVrb zZv{ExRO~=)BlTgdha<|5h*$eS*jvykbn0~TaciKKC>WQT_d-#WjxSGdGlEy!2a8|U zy2AaaLCG;HOZdIOwyn~@6`10+tE)ZZ(6>O=;=B|^r1pBMe@e)nh;O_)w7Cyak%)&Z zOvFR}sk^xkQI?2@tb;v2g=-&k_POd^NQpyl1%A^h9ruCr#do;w3i!jEFL?!zr60(B zZOMFM7l#(4N|u_r0|2-G0k=Nh+*3UAWilRhEk^A>LTe2N99ReVhV1~H)5tZCS-~i) z9_6P9TewrVDq_)Q4V(E8VNW{N#B;sFbV&}u@=B7;OWYwX*$v)Zf zsSkQ(Q6S=FtPY%a=aTE`mEq<4WWR$odf=CLim6dl6isQVwVz$R|TQZ@Q54#&%=n<#^teyMHM6}p7u2ST>(lvnm*NW z9YVPCu(i+LIc>Ztj_W!=mG ziz4X~En1}TeE-wo3-9F-P39BMy2GqM!z(n{*}SOxyUsmFLVX8%&6jS^QJ{m3&wv{r z9RjodTP&t1o78TL)NWmHxqWpu(uWS%RAtEwxwPO3-)VovQ9V#m^?N4&(j4L9J8j~z z|GoZEU^FV|&9z=2j-88X!(=DRhBCrATB%U zx>GC+`TkNqAH6D$EGCXN8gtk|UtfFKh`KM@A2m@p+@uO_Pq|166*M4J!~d*gYq@QSj4k0$qY|^`myFYQ#8*%tu zd7Ax784_8y1u+R|g1{&9+($kdz!1ddKSQkn>90Iy6Oz@z*!RSx7#c!6Tl7tRBSQdA z&M(P6%@T%i{w3yEbw2pA^xml>UI^MLYdjtf@I&#m&FF-UFRUnzKFQK|2eH{&ok*)# zv_m8BMOsKKYN4XLpBLv1+B+=EE{*uZ=lkcJbgl%#snD?8z$_Oiy0-8{?TQcFd6szm z_O4tMZJxaC#};q69PrS}>!mMD-q((Y>0-!~JjBqDolU?A&C=a3mIu;YGy3u4$I(q* zU8Z;U@}a<<EEaJE&25M|yMgoMp!fyhJoNN^#X~-w za45<1zY=*Q2MzJ_pBNa9gKDETWsCf1m{6ss+J4#QUIs34Pqm|3Hy1c1{4HdsKayq6LFK5!jYeq zSaK|3U)f$xam5S2bwIPrVDGf43HJOK1<6N8rx*|T@-#&{&;o&$iCl)JV+7KRZ=qv} zi9iW+yG-mRJ;9jqL&;fkU!p&6N9=DAC-%1}5c^vsiTy3&#Qqj>sNv=Dp4t%rX6}{? z%gCyIRWrZfXM+pu6iH+r=ktfM#t+7EEcke6hcD?-W{T{C(cHraMocT< z$e3(bZ}AZ{T1UrnHhC|o9Ah18gGzw8@`^HS#c=q=(S^R=aZlORJ`8b z-k4g%Xte9u&7;}iMv|^D0m*14H${T1A{@C2pZ9Y%EdCxUjrhYXt53H>%~KWCf=CnO_J62*?{}=<`2Sx~l8n$0LiWtw zoc7*(XV2`t_m;gfvO-zON{NRENgB#5NkS?_q(nZ~=iT)OysqzYyuZiy`>W$TuEX;> zpVv7akNf?8<7M;79S{fdk(h_Iiu~yEq?u`}tOO{8-Wrn%76(HQ@jMnuZuGH-o6P#R z3i>;`i5A_e~W_tw#HevA$8iy z&#KsE6f&nO&@*UuZ5mRYSvhN3#TQJ)hv}zs5DcF|_XXfYr1k z+O5zfNj_=^9bJxvR5b?ZzKOfE37ZR?;O^dCERlr*>MQ-iCAR1k7?F`!M?&mo_fK2N z062K(=WCpqiRvCJg;NK`fMT|M!OfZwka{Ap`1)uH3SB!B>gZ($b@BuwYiWK6zn+q5 z)Y}7wNyK}^vf`nfbBVfEng>GLo}ItRpM?JH?;_a!ogBNrQ)2gb3?J-&_IC>G{!RvF zGgdjjzVJZSUTmg^lr&;Ln^r+C!3UftqRCavIpN(eFBh9c8ASP7rS zh2$O+V+>r0itoufEC5}tr#qn`DQNUJ;nfE18_*WDJNVYu4{q}|v$+j6Azb_KxZam_ zPBofY&-uVkM!}yYL;~NIH z_-+U-;em5p!Sx!ggWlI8r$6mlTtXfK-0y!*9P}=jwExIxJ?wQc?Uwi}zTayXY;7rA zuLydA-adB{RKT(K<&k-0i)sflXAc&X!IpWthe<&R$v6KjZHQ3@T=NwZOw!J`D$u}{ z^Dln*ZJ!1Dzzg2wVlwDe{nBJ4$625hZx_ChhRJn^A0J8-ISbCOlaA}nvI58cA|Hnc zGlay4yiLj%MDq{EMz1w70_C~%(Mwx`NZT&rB|aGw{L>q7Vf6;=SiOM^R&T(9)f@0( z^#-iq$2Cn~&TR=UY3!#vsT82h;8#XOV*onHu$kC=Yy+I5=4&J*y6Exo;ydTFG4o?B z`kVZ^GsZWvOJe?&7ryf!m#NqYLk14icbvFffb!3mjIc3X)N1F`>Fnu%^L^@-Op>)G z9R-ToR(Y6EkLe=`GG7U()kCEP+TS!P#UZd;=-vfRSt#-TIl)fHf(k{#SDZB!kZwZ* zjZvyF$i_XmxauK~NK-|FbL0eoCZH!rU04uoGsfh0Uh-r61zK2Mh7OjOVTI*om|}Su zn7-?SQ@5md=(fO9QWV{KocS=b=mOY_ zaK>C`rpDw7QV2cvrGAqqZ$N53MHtS=d`RNuv_T1MVH3&mm_B1V$6NkhTO_Lf(|qidKDb}+ zM6*PMF6+Z~h`&dD`9p*iw4M9@>DjtJxTt^nIHvCl`ib8xZT;hr<&~dtA4cO5X$qwn ztAZbh@e`^Y+YbQWqX(;RR16_-`i;dU`hRn*{@)#||F?wM$-u>7WpgxjyyUH_s}l$f z*-ZLt2Ozxl>>^=78;DJ_*p)x@hcqTTyoCT$ob!nK)d|;0^*IqfIljKKlo?u9Kkb=5 zA_)(6?>T>6lYp05Dc;9^$bzT1$qNQXF-SFA3oI0gMC(Fqp_=FIK$|V3CyYE6X*nBl zn`wridzLgyQrmv8N7(%UUnLuE(d1|d$w$NI;J0`zHhG}YJ}6u7SBpxDOnzyvWBTQP zNAhL$^I*S0o04-<9cOKXKQiWfw^ zV)>ICdW;}3l>aLXbDvcIqHLJX#tb)0&Py`UYoY=H;klN5CQ#V_<7<7N6~?S?k?2V? zLFq5Q#(h0Kka`qFD^H{h)k*;il6l@pF#J~27Y9wSon`zoGb#@+Me%Yq;x(a9?n>U! z!+gZTo^TcOQv{3dLL&!Ej%z9fiFl%15)zZXyKU}~55F1bdy+;Au=OZPm|!dqtfnUi z+Oz+cS15wz6_UX}ULggRS4ax2i9dgz-86yh8=4-spJ$_|SJg>*F1drP^$(w=4mbG4 z{DL|sI~FKqpN^DA+C%FJZs!*!)Nt)1pPq&@IpeV*lk_Rl37%GN1Cm$+t8B_HN8=JtkzeBjA;4m*0Oj;;%I=$)8S zhE{Hu=PumZ$mH?)r&o9|=Mz_&%m*xTNZo&>#X?XO@)N2gQ(h~f7@<_WA1vZP#dw#t z!bJ`dX)x=sbe@2-@o!HKhf2cq<~5wa0fkE~ z(duon5Z>B#$GAEgDeHXo&$;M`npS2M@qXyT(~l;nFA3>G)JBhmc(5b#`ZJSsrp68- z2UZu~Z39@Z`c}#)Y7DsM4=`}7>8|A3!*Z%Ts~(;QnDMIxH}zn@lq3L@Qq%?`cevmLo7&^|9R^4*pu-z)o*Sxn9|TN&X9L$=0@kmQDxk>8 z_MtU^1D+CJexI442d(y2sju7c=|ZOHYmdVYJ)maN=;*MqK{68e`bS>s!AZB% zW|QXf@P#!mD$+p%UG|iXjBS^L)?CFZ`zl$uXciEH!gSE_j+t9i7+z2FLWl#|bzMxI zrRtIMusZ0}|6W)P)`6oBq`SU;*M&U-!$o+d4hE~!&0;n_$fmE9bV=D0F<$Xh$r4mT z<%U=A=&7$`e9s=w{r+P5{NI7nQJn9mZ|?vwjKJ_Y>Fm0oS~s!}mk%t2*)^`hD^S5tlmhCe(Z~*Cq#{ zN6P%pD9geD{19t6uYsWnsd;kg`|U8XkS4o-)DYw!f3o+@gBzf_&berM%Yc zjs|=`RfTe2fvq}+#X)up&`IF&UULqD**_BnYA5obVT03w=|V9&tS@YRRZ)SwI+Trt zZUunEgwpu-^*V6fjBvfJAO^=SWSwyfQ9!I)Ljqk##USl^$P+_LVR+ujptY5!hlF2+Gf9 zfqYGVO6w3N*w||>zSGZy@*~STB<^ydimrmhQxyCtOO*O|o-{ws`zfyeQ(X1=xcV>F zGID0qk0MyJrb^}#=LS|T-5Du)Zj}DS!B#C?8s_TN_ayY#;Pg;7zjve#&U^Qr1QxF%Z+(Z$yQ zZB1akX?7XZJ5rDb4wr&#QHxf>vr_2$wR}Ois}NEAX%niM^9H8h(Q7v+gW+OqLz)$Z zFWBC^@%Ph~H>BJ>V(>1_8)v;uh>%pk>zraRR=S@V?obMnm&(sQmWu|D=@h;!&Pp&B z36zeE%m%NAGZm-0y3zl$_mdxc-c!P!_XM%$JwfbwPXT-0^KZpl z50h&3tsqyqH%|Jv4!|$PoTzRiI5JhIvvR`-vW!oDFZ^K$Tn@GqRRR%c`ht)S1(`4G ze+*2UOLa%)mfwC9$fu#q0`&UA?Q{?rj1l~TX8}a3z3+u-?a`}W{RD%VhCu5xWOKPY z2p-@~k5IT`>P{+u);&q%fVw|Xd_l|@m4pm>x*bnMNltx2tGR(tiaI&$OyWRc&WA#O zx*BD3Cml&o%YuX((7|}l8JPWq9#o8kKyN?cldK6(*eAF{W^3XKvU3_TW z-_r*^H4651vU|gmJAzCbIXS5AYQvAbJElUe6ClMShH^lX3EH3a;IZJrTr0}!lz zdHnH`7ovJam1s-M4&!c)E#HK5LF^k<@7v83pkvHUy}DO{L=vtXcrRput>e`83Qslq zU2@d?C0h>8`7pTpNn`Q6Cc>pKdg&a-Bck+n5KZwhE_F2su@Q<}STy;f5w4`z+E>Ad zPEGn=Om767rQB}J5wHTT7&QlLO(PV)xziL=F9E8Aj@OeKY=NnBh=22&0bC(}EkCyD zg%o^#dhZ*nL)N@7{w$_1c9&;!Ykx}bY?k9<_5ZNQ9wN56@T6WJ!;iV45zjY2f7@T@7_A)|VhWycj}%Dc2MpSNlBhU3Wm{yZ$*3^r=yMfN9sh$> zrw(`qc%SpTit%$-O5QCEHUz4;jz@kEbilq?**qrB2%?lE`u-d>K*IM^jwhB2g3yOW z;vRZkP+LEHlxIR8)$b84Uc~6Zx3UjQDO*SYJs%jR$M7(<&Ymjs_LK*cb9sbkFq~~e zBD3>Wj;3g`lG$$S2&RrHompKwt_4fO5#8Y~5ulaiA};#H8@2xuq06O>g^x!Bl}LU^ z!tiBI?nKdI)cT5{ov<((aP>#yxO* zW4L^_JMwD#PE>HS{3*>dM+tOYjGeww>@+agE|V73V|cALx8CxmQNX~r3ylIR`rr`s zI&Ss88d~QmOiw8>L7Ddtxtl-e!w-+iN)}>W^h9PSv=!q=z?Fw0b#%hq_=zn9oLhJm zW@&`hOZT{*UvNOX%i+EqLu&Bc$z5w;QyX2eRQybE)dt+Td$;cI+hN|54}Gf{W^gR0 z=k%zQ4;sDr=LTIpMh|SZ;N0uwhicedh3*&H1Fq}C)@jv6stWSmW= zd@}1)nW2u(`ntPi?LyVn3Yk%RdJyilkZFLBhVAC!DtmUVigdv>+(}BC%u>5``8Nmx}+K zN$(C&`N(+Qlm(pYb!kh5{9Xbf&xG}KZAqYUu+;&_+*2XY%gfE#{#s;yt zeN0kqU_~d|<`)CH?cwM-`pNwcL-6SIpL&+*j=GqyT^{OogNFuuS5@!2p>gqhUT<#% z!?=fx-=`@xM4a>^-{z(xMDsSP6|V-t$q_H=yj^3oeZg4s+qX2-U(7*8m&yhr+HdZ^ zd(Qwt5>M3%Q&?dk{pzpkX;$E=jmD=eWdf#S>V)AKJ}Rz$5L~|>x3<4p5vuBN_H-`k zhNT1uP6wo1(^Uis#bTzXeF{KOLNh73C;_V(N27MuozT`wvTQ_p1aJgO6v&yxp(OXB zG{WXE%zNZhv-Kzh9KYCnj-yIOJ%v_(Uq20ld?%lBW1V1BaZUaBk*qTGh{eDE#l0Ia z;b(s-s6!v!k!qFovQ0tGYpzBiu?4UcSjmC#Vt{s5Dwx0TI;te7n5$-vgNWcu4o+PK zNNc~Nf@(Yg(u%r&ZvIS!gl!vMkxMcN?@TtQgM}bmxI>y;;3EN-FH_~;ry37@G5XvmiI!wh=+vtXe%V$xh|tcx z^2{O_Hg*@|+E+}VyqlexT;2de=Y`YH@0mb+jtXOExDhaOQt|veZU{yMf!fmpA;^Gl z&TuDM4`g@(X(&1@Q4(o#(cNM_z$doo>0ZzW1KsO_K8Lobz(ZfG^SdgvzDrh1KYk5* zp7e>bj3&U;+TJ@)i;rs;XdtWX>#gK)9baj*|SL1+$vaV2V zIu_KG>xH;0i_yaUgMcqx$xvD;(;)pP4!n}08d=Frfd5g8;HTEB=rBBJg$1*(c<-fN zG*C8z8>g#^3vX(o4hj8@6Bar^Eo%2C&ifiP<+{g6WoDyR5B;aX7(LjI!zi8;LlT(s z_-{J66(fcAz1pK{ad0E$qr;B49Na10XR9W2M9t3vUYur@hEj%Yh>(?qW|T1do=q26 z*0R$_Q$=yEztKvY72mqAhhDbZJG%!cg5lEO($QZU@H+f*oU^?;e0BW1l0<2M@T}3r z)+HvyK>L1vrBxRS!}Xo4d6hxXbdof{TMtGPbYsJU^kJ)BK`6ON4SsMwZXMb1L*!FR z8Q&_cQSHsof^8pl;V-G+2ZgJ)h+qPL`RSG>3<(z*mGJBwNb@woCw>iTRK-*dU40RqAw zR80sQc3cdq_H5_=wBiwG1P*!7Ne7KvZ@f_+8Aa(;Dr*u z*v_5O(}G%izMK=UR6+7ctg(5LJS;lgN^`8sg5AFXG#s>tF zYRkdo=GD|cRfC9w)qBEMKnb{d1Twd7%R=UB^Bz?UPuH-;ae(5Y22gHwJIPKcV%DXr zN-U4v5Jx}jIXNj$p#6QSWBNKfQb}Po9dmR5ow;sh>JS%T(NC@wSPVfID%M)-L>*_Ym!kNU}69*Vi~>&ZF$b-?zL_&Pw;)`o(apf9=2fcam;j99iz= zgU>xVPj0%%Bk5mGha6r4a5Unf@an6}ux3H1VM(BXi2Rp-&|T!hxnA_|eUruV_=K=L zJ~b?lPaVtS6U6fPL;zRb2mNS*NOKE4Y*dyee8S{WoohsDx0mFQvTmK}*GL+m8KDk# z47~_GSKi7^y}bYiSE>)}x_DqvmXn9ai4#5;!Vke)y67yS*oTe}9FWA;a!1*R8@{Z+ z`}&%W1GGwonL4-v0pL2F|AkOASrq2i+vtxzC1yQ4_Z72m3ZA6Uc^m+%XTR8XcK8CW z`t~XngW=n?F+lc~>SW%>Yly?`UT=&cW}UzOUHaf%9H>4Lt|j=LjS48H`dG4q0M~pH zU3&Vi^N(zha7v)FOiw5{_qksjDGSG}n}2CtB~Boju)uh7lz>_|9%NTtaY7Xu;|8+C z;=mQ}d(I)k7={S%M;!U-58Zj{i?y|3=&{iKYzj9~^omAZKyb?hjx+Llqfc7M_m$GX zewGk8{}H=+?)yQninM1)^*K>^d6)afo!=Ls&GFgW)+QdXajl?~$o5CW^j`->Sc2gX zk(*_rRXF&{)8Jnl)b2J+5H2;21_X(2=LTskkFCGrvssdk+@5Z8!w0RlC-@PIC zjWIQwbO0D_y*t~>6OZB73=C}L`M{AQy(5-oL7;WTAg0qd6h!YX3V1L2!it)*aD-zb zn();PR6HjK#^ERal6_KwfdSIzhC;Hik(c@7QnEU*WgTnt5D*8_pAI_lnEs=k$HKtu zd>q`e%9m#(ih=kax3WXi;=p;W{aFR(e9=ZGyf`HigIUkSW7;!rqJKP1e(>dYkj|0d zN5{^MA2wI>K)B(Elo)^$}1_%@Am=NCp|Vy}SPtfIN8~w=>iDo}^UR(O$0o}Dp)Rh9I$UUm)^A^Kxcy=|R7#8y|9KkytZ!F7^ z$`kpoyg>!ZJ-047CT9Ae!;b>1>oxcH+^*@g(Tqf66&K9Rrr-?$vq( z>8Ns{lc5_kFJ|Q{S6a;Sps?Qc%a7-si0fp`e)h`*m~Q==DEr0(ULGq=UQa0l`5m={ z2$@QFAa`FyD%THnKMMIwyqf?IXvt=HRO(=}He^XuFbNck2=UA|^3at{G#D3MgZ}X{ z6tKJuNh~iz5zEUE#qu)rvAhf_tY4S`)ppx-S|&2U?(7-OmlKSr#X9qksV5^G?sf%p z&9k7Kq;mdAB6?7qHjI0ylLvtG5Y_zAIDyRW5Re$ z8JW%P7s$#8Iv;K`gF~sV9l{`8#%Je-?TNduE=c?Y(P(}HL z*2W9WiV%=5sB7A%gjQNRSs9d-fY4A$>&v|i&~j@Er+Ri9lMkS>{qylC`t)k6skyBU zV(-#?q&3S1ww|5uBkk3It6vP)JPKU(#{b*nhh4tiX}c8z<&p&hlp7VW=6c+Y=*=B8 z*Zx4|$MYIEnw4DqQRyy9Ff5K!(y0N_nb#`flb2zj*1affNfPZSYl#RM3&8yh;xHm2 zL7?ZFs5gBjho%{stO`0=aPI%&+Rs&pZ5+NZ#|&##$A#G!=wYq&G3jj@X0YkLnI2Ii zh>~V)Qay(mp@f{!y4;%wZEP7P^z2kZg1YUT-l`K^?iQW%!@CZ&&l-ZOFgpH^WW_HC zEz*%)(%ObyuNM#vzsk9NsU3`ek3`NG^rC?!QKu^|cR@gBzhi*B1^y~YIh-E=MAu&W zx=ZygTnjSzCa{r)%4VWi1YQM0mt?o{O`}L)iKyQmYe++C2K7Q!^VGiBpT~a z$;SFqqOksySgb!K8|zPr#`;q*Ts@Y*r{#G|K=pydZIhWaXuB{!df`qXh)$ol80vQ& z9I0CK9C!<1Q0LEjd)$45YyFn!xiu|+oeNw&yN+f%O<*-dZ-KWkozxkVV*;KZR8MaNXL!_QVh~h9m7K*i9h_K?8V>igc3TrW-^z zr^E%Rgm@&G82w^!%UvC-273@@^VU7qZ3{mTp4Uaz0Q7f|%aoVPAN{%GRP*Ds11u{n z@4RVtz^*?Q*!4#hyZ&fn*B=Y)`lE(je{`Wvg;m~hJsup6JdZXZDo5duy~d`;vZ0=W zV}7MC8}{~=`5J`F(8TKjzUa^d7%AWNEwJ?g$wPAbSjwy5scy#Jlu`lL+B8^CCB;Hy z_UsGx-w|jw`u+w7ek9Z7NO-7++_|uapoIUu3Wy#CYwQGdMiqYY+7FK{;-b z7zbK5WC^L;^)x5JT*9IFPG=NyB_jnU|iFc?9`kTcaeLXAD$g#Jg!5M16eNg^e{(%%c zxp}|;w z136j#=WB8Kpp9PNU(hT?abX2PBzL?a>8F%V{7x`3kSiH6KCX_r_D?^}JcB7l1~onS z`rxu#YW*NX+*EvDCKwzVKlCp{97Zph$Iss6hq?@TYfQYVz}o6? z@0mk2N~I%F(hH47_a`~YZ!`tK>*zy2V;(bDagCm?Dh)+$o$TL2p83N0$%$@NJ|8Gh zRtkK3D;%judc~4i2EtpqBaL{F0>zZ7a_gA;9YMIWgROiHQa`4fY*=Oog^5~K!>5xG zI~nEWN*gmInn5`E`MEuGc?zDLD$0Pz=F|cDmm*O7Q6qyBhE8B%!^ud7si&(P^pshh z)`U#P1DOCuE!gXE3a!tyL6$+<*)HvqGQ=E1e{L^fxa>2WuMTwhAV!BKm)cwvl~kBZ zX5Ldl*B?2iHQf`2wu1yUj%5vW`s0b?vOacj$Wdz@pDv0XBAi@*~CvHE(^9@FqD5X42wsn!z&CFBhs-$5hjl?bI zyED9`yqBK%!2mi&jtK^=xkBwrR}tBiTM+&zQSX6O6JRJTf3IdW0+T-lq3b~N}@F^+|zq;I;B#O>VUpX36dZ`Z<$^o%d+lVH&wn74yRb#C=qf&q|mqa<(A%?Ab9 z3>8Ha`5^bes@fZ@(NGX}SBPOQ9c8Wzoe};ci(G!4aR0j)4PGo7bItjfc_W)HBi_h` zfqL(daY9ct#$Tg;_eC`5oc(@Hk}n$RIZSn^4HP1_=ifE(U)RFY+k14`&Dkh_sQmS2 zsVWlGr`2=D@TQpt#Q6plFTr_{=c6agl)yj5Tl8(d4y?WUtd(%l8WCyQlbn(cLa)6Q zNc(4sVeW$3Zk}ZW^oqtYoW0eJ-1b`OwX33#J`HRw+cdzSN*sw9i#pVHaJ|`0#q?)* z7p}%;D?;wm_{+~3T@bNxh2HUZ@?hH-lN|dH;aqQ|-n?-7MtTk4mGQOPkktU^gju4s zV*&c8a%}3FX&d5n_x)M<${T*V-Q~mQ@rUu1&{O+1rYIng@YTkY3cPx6YF}-r1_cZq zYt!Ufupa3oZ7!z_lNBW`zPqNVPR8POy%c7D3n}?4^C1O{jOkobhWwH7obdPJs~+fs zcQI=Vc_QdmHw$JRD?}%RBEq-uB9L3_(AIszAVj>75Ny$F4{k)WX?FV*s9&Tva=pkO ze0a}x)C9T1MD9%9ySr|f`tPMUY9b>r;Ncs&9OI7yH*y3@%VW?V@9bBDPp^VlihyQh zVE~3RXJResDF@UczSs8d3c}Z%nB}Icl5me7KOp6-4RWC4>bJt^(&e5s95Z1T#(DgA z0@rH~#)IK1F`nA{K4Wx)`GwxYKN!yPOY%LvnTw$BaO}-WqXu%FiMf|-qzXT6-C4RS zOu?dq(|R6X6BOQbv+r3Nz^gB+pLi<*(daN)+h~Fw6s3JsJ&Lab*RzlC|0w2%=e)Js z+X~EJBAaI7e~}yN+T7?YswSdb9EDrGLp6vlP4`xOXn~m? z%V1r{4sbtn;zVWXI1*PTF0SA$2D%*z*Fyh$u#BM*!kta&Mylj3l_ceFgAsk zCeaLPYd%0-vb(P7m4)0c*%+#u1p-Iy*K1oU_F${C{m3`i2Ex->d$LdTL82PPrzZ{_ zpzYv4yX@78Zbs{n4L^AZqhAXAQnQ3~%#9J@XYZl^IFxLfV5q)-w-)f+r_G1-qVEBV z@5HmeOYQJbZ~Amv-CZPPwChG6`w#-7i-pf>*CM_yLB*+i!zfJcXjfz81Nf})t!Os0 z6(Fwd*wWeq6m|GSk0z}bKB!NWrE&KmPBpPsZtYI=&rkH<^`-yD%VG7XMp!+n0#=Wz zfYqZKVD+eS;2jz=b#zP`GOOOp^v&5J#~+oaWm4qfc++f->}xTI`#r0CT1F5$X5HT! za7*CKEB|-@{qN_`8yACY8+IL$&Z&DXzZso@5~a}oec=yf+FkZ1gZL10QPuO~u8|-p zb;T1oC7_~9THSK&c8KN80@H&oMa1oR=b+fa5R>bgFR{UB0=|9NGswaK z9xA>+>7t0~gH={2t*bl0!w{8jW10wf)511&A~hHinOVC|SeT<#$0}2;Z?PzsE7Mkc zC?9=YJ1=*a%@3YA|M~caG7UnDvo3$|jRz@bhv`rF8A!}t@_g=I3MUDeo@RBF#qY;O(yd) zv|JKTe!MCT2$|K-X{~2MxSxUrt7<0v>o0p^`^z@i{<06Yzif%^FWX}K%Qo2Y|Ggg_ z`#M{vv&9w-Q`25h|#zx9)!41om$2zV{8K4^U$lpFv3}KExU&X0apuT>I zPQ=?CRnu!HTVVDNx--Kzc_$=*gl5nU|C}iVM-TXqU8qFf<>%4X0~eq!hNH_O9gTxJ> zqW-<-(N1OH?Pz@0FKr0X;q%Si0(MC2k9D}at_W;2#Vg6ZHA9ZpKjtW-4Zxz`V)6ur zA3>XQy=ha*0QPH@?xh9$z&zW>UT#E^xREOfq zWg(_ARS<~iu2QZvL3;Vak8cF3gV+B%ChcaqykZj3vGAx8_g`1hr$vodi}H48|5NdS0DlC^?eQ6CyP4jnc;MvQJ7a#Du$mJ-H`L{3dq3V zo5TIwOmJ<l%yNRz2<>dk{=>| z4Q$}AyqoMHqKjs>ny>dIi6eK~)!V%3!bnE_3F|yJD-hirYp)IyK(F4;Zp?WLgI|?K z%i5qgHor&~MvnRSUrCpRlffS)b429eJ%=uGV9s;0=cnZP>ZD;H6_3YD zrv^QqGnQX%&jG_xh28*x6xg8@t?>+~M*UJeckxyVq2I`M?ImR%&i=0mJ4Wr}(Gg&q z+}jmxU4S${6|Sy`g@U}dZw7IED4fJ6t^0csqpNu}#°7iS)*yj(`*O#(Oc;ttQ| zr73yXKJ|#R0=Zvp|(gJ_NO6-kXxegB$Ux zNb7clO3xSrutt~mL}2P`1|qxq`m~HV=ds|NH-e+T64%fFmxpi$`@EFc=M}>~FFE#k zF*=6-dEV2|(@ezX^x7Wuv}E-bExeI%Z5p|Ppd%QBJewXRwgqR+?9q=40jMtRocOUz zR`90u);zma8j}4i6qNTZ1ORXH*o)RMh$s^tXdfjrdAe#v^{WP*(3`krcC(1e`vaEYceJvhrYcJcDK57>|6 zQP|(|Kv6q8xqJdXaHFl&`0S=PC_g?rC6(-onBV=}+#&Wrxbi^+rsT#C0)-*ck@Hy7 zT@xf*{OUFS2@&`#wNN?~i{X|?&=kWtMwm5b8}4Kmgwjl&B!W|n$k9JQ`f8XBdiu*+ zWaF&^gzEO`*1lIo3}1T|?P}~G;#L1owp~pAf&5#AUfXcgrg@w|`>_i!xMhz>Z3aNu z;V*_fqgZ55LU2W=-4n!P#`hig+##g={G;zhHb}&dex=vS1{IL9v%X+51l2X0)%aUi zkOlGWi5yEk2vn#^yh!YWa~=q;{;7syqurb{VUSVKlO=P_6z*X5(6@({aQF?8K0avrG7P_nYAekOkolay2 zydlrGw*zgVOpKkM`j{F@d*U^seD$}CoVIn$hCd%JX^9WDJGG(jbvH6s^V~qaEFzmg z)(zO-_|sb+@r5x-9-^TbOVHK+`ChT!3O%5DXy51)kLuofN;$m00)=RuP=P=h`Tm}% zuN3z{V?CVR`ZwI+=9&h*wA_NsoKvbTiIxmfKJ_$zWYZP$F4Kuegyn*=^PGk$LpJh0 z9V3(4QGz^~O>0jvCxYmdm4fJC8qWEjxW1nr`bSnyi?h!>)^HjiDHG{fj; zO2eLbnSq>Lb&LN~C-ecIKxrt%0=xfGVfhgxQ1w1EH1Px#mLEZd_N&?u z9{&Ej$OF1B{#rfcmqLBFIe6v}I~;8by)P)j0StvBCgZ#k=#6H&Mc*nHT)mN1ApMK8cNM@dOh!S;E)vZz@cnr{ zkc-+w*M=BIW6;UD2D`et>%jQzeEGTjV06ar>(4d5Oq_YC|MKMjd)_h~9T_$86)O-m z*n2-6=Z6;DUSA+JxdP&({si*z=8%H-?2PoP4LWjoyy~y33G7ElUT@`h0K4_NOuVvS z6uu!K|144kv6WWmCcEe(3FXE1#|aK_PAjUV%gi3j`(}l?x&fQSG%-}WBX}s9#}38@ z>>(v0EFj5p!Edg208tq{#r!4d>6tHSe9^QMRDJNesL#IP7!2n2m@miMc*tbm(L|FNe#x zk3fOu?ERPt;4#RTQ&ckt`)Ajd~&I3jJUeDV<(umm1X+k`R3hq&^xrr0ez!CB{ z_b24ef^D4KSayLDI_PYjcz?zlA_h?u4P`o-{-T%qNhS^YC-qm{Fgy)5JNeqs_(XKF zpz{6AlW}OTs{6NOgc%CO3zHR?F@Z^@=4KDoc-TH5zo~Q2AAW_CHqV_3LvHiL3AfH_ zAj)=Cv&B{usL-OhPiz(ov+{|zSc|+M%A1Z|K+6au9=&Lb$M|v1&k-?q-LXZ@``bU9 z5avE3v3-A!Oc#)d>Rg7Z1LDz~A-K<^3+da#Mq<=Pu*IU*5zM6lI$k+=U++7k+2S{) z?Ex5lqfFN-7gY*`)|&qzEis1;&Oy!(jtPivVXxsirf>iG$+M#y@rG#6I?<(Y*AG68 z@f=-A^ahq&fz4^*T<8t&?Ubz)AGFoZci5Wm4fl;)evU=PfL+XEaW<`B_$$19A^UGK z1U*OFiksOe*wK81Mk56oG7rhMgt=qt$Gie&``)Pg7Nh7_4Od7QTiVI>#pv$2j_omd zU^pS8OdB2d4UieTn@V}AH$0^vka;{1hrZ6f@&8*H0U4GtI`sxlFj)C(jGQzPX?(jI zIjd04nYZyyX55WT%fCx^(d3`f7dteCTbbWpGt!(pD$G$ zYfl7r(`T&N9nI+Ccch%UmGFlQ9(tSk_P>S83Ez;RvK9PrMW-<_e^KQAFnHZt&(SHz!k}JI;CUVdfRjYP~oCpXA4RT^%+!KO(_i zog@e|kFqD5DGZR2b)y2cArBC&KR7zt&WrQ!rC13B2e&k^`DtR<{4_~yewqX}KTQLh zpC$#L)1&%q-Av$_&}RkG+q&>6JDkv9+ZaY)smqxjn844hu#9>EeIUNX$@cnr2*Q=u zIUALmyCM>YG>)Bb-g)Z{8V+Yg)iHGm#m;d8@ozq`w0WnB`BWUj+h4xH{nZaXvn0DF zvtTZBM(qGeqmRs=P_=MXCs6M!d=(3pP*#1i%gw0|JGO9N<5CD( zph~#T?WzY=Tz_jWeb$4$Uy7GbUo!%J`ojX%8Z&sb+N~7u*A$H%vt3mgH-raY6kh8e zGX~TUUZUl0hYGLUJSs1*sleu9_><8~dDb+ho(@> zOp^=FWcE8i{ibxzMyw-L?GZ(EJ+}i=k)Ef|LIWW#P05u$#}n|&PuOLg_6J?Tou2f| zIjCvqaQq0hAB0W0O^BrP1FrQzT=h`}h2jUguOmRj>6a?~eiS??$Z~e{^@UoysOBcu zZ1k(;PD+4(CX_qu*IuqmLl5G1;}G#RP+zGpp&hD(+ZN|*t7I!6J&2A&`9e2Z2!1&h zC{hT8Uw%3C9mWE21LJLnU0e90SUvmfs2NlduG~3VYzqT_MVDE8Vo~2J|3tQ>6)ZPt zfcgnDjDFe3CNVV}Zck{p2nAqrunQJA$4wCm5Lmeu&XbQkLmagQEB(Rqw)jb+OFrp`-8PgxfJN)7GH5yd41Ya*``NO`n<}G6SOw?=?YHTHR2@XXJ&sr%+fwGGP9G^p@s><_c8^PKr-m@4;}gPK9?>2t0>dWsmRL ziS~nGT|yD3^h1dMd(Ch6#~UR4*Z89h^g?8XmQkYiGo15>$&VyANmO>gj)&42KF7Pz z@y4XR7_SA)`i-oDu6Ck96>-Xmpj@zJ;wE_=)Q5KIg;*n&Sisnb{{wBxB~U~Svmf}` zU`7pZYWu^{`^G*N`?p82Kf0wmba2k=Y<8z5p!D5F%gHmAp_MP z4g`R`cQv1xUj!Dova)QYOd&R^Ul0+Pz`DYC?^>A&e7*IYhMvk8#OB!POI!^gW{Nn? z_C+X?WY?OiBoBjkMm+CtUJHN{$K)2zz#AyOw_azr4^wxlo_oWM(LHeNarK6=Mc|yz zA9ZS8KS5p(Iu#=6$GFv@ZoR_X(ZU+>v@rD(&S?YvJ#FrBUJXd39MoccY=)Q~`#crY zj)N=-#EfvzYn1D8G?9xEGGYsSZN_pj?2PRHO@`Fa4(490B3+Tf1 zsj?;`-6Bk$>~*J$gdQ3==K9*TMzquZ=H?%a)M zp)lVo`rQpnpx#d-Sqw8oMH7?{>7y`tKL$H}d+)D;M%~x$D7rA@X+EI9>dyvwr^>B6 zG5)r1JmHqRtKkTp>C;{v@PyAgVNL#;p(P((rg`?)>u_xrqK+=pakk@bi*Y}@+PXc@dX6zRBNcL8jB`&_gf8d1oIpvH1UDRh%;+G;E4L6iHVpb#r* z_!_@DJH%&*qzma6zmIA`b9Ky7(NZgPM6hJ=X(szU`H<7-^wNud;Q&vVo$|l_IxrCKseNQT z^90Kyc^TPF8WoRL&Xn5r6odf2`N$ll=5Gn@t|G01rGsUrcOX{LCaX+s5N%xFdh_}8 zHPm79fr_bq3|`f@E~{t^;P@Wwxbtmx-1)W^?tGgG{+(}g;Lf*MaC&b=IMSr(Hn=MV z*I)A4Hc!fdeO{@5+fNzLaJKQY_ml%tne}jVp?58?!c^*;nCxr2|H1Mda6x z8NtsyR^7@lJ;+?UxxUv51?XD`g6#P~7oW^|Iu`dVz{89u> zVT-fg3Q9nKUCT?U%ne!pxc^fgoM*p!b?A=5J9gAmNvFQAelZ`V_OGq#*8?qfX;RG5BKt zHzF7Ffy&>VFUg}5fn(yHk5jKWK}|Kq$V=nXK+OG{sQ70#l3z9Hi=qlevpmhEjUS?5 zJ=<0*Q@{i7`^We5-d*k-tbB3_i91HqsTbCRy4JVpb00F`%krJURZ{HSdb%#taYGbI zjLJ%VVvdE>XKwFKY+`zM&zL*v`Sf5-P^oar1tEr6spH>0=wO`ZTU#m*6L4`8G8C`T z!9Tvb8M?n;a;KY56$Yv!IF8I(ptH$`H*6+Uv7Eg9j-@U&$otO1eA`nUWX|Xx(2@xQ zlN%&oMc4p^kAJxOL$MJa)86;^uyP4{ms(VGGO7_bOWw0}^rAU|@}wKwj3QTmL05G^fC49%o_!u?wfqJ(hf^F@5xF891hFn&Fr`W$?DV))LZ*UuCV z85rdwr3>D>mZLq$nr+dpg1i_4nn@iPg_@x$j{bEWe-MoCM+Iirmf-#S!M8ucSHJg< zXT=Wpx^G21xTS${_+1N%SU6!MemmJQg%ON2I25V9nBhrF)X0O+3{dVdEz~%q1}*CW zrSDfvQM-e%?tw!Zz(2s&6;iJPC9@}<=~S4Z6_KFP`|a|0pU?NNrKVr7cSp~3PP7?c zaEIX(>^Hbh%{=0l?PlX(cWhgw6GbRVY57@(R3@e}` z$8BQMc@*Gpe|Ckdk1A?ykZo|)k;OZ&s>>zLx9C?Cblh_|{A4m7=5nW4zNX}($Og7) z?w9F6`9<#2D;F-f-l$7AS(1qQqwUqztLlKNTDQ8Q=Q1$ZZ53!gXn^ZW_c+aYE<^sd z?+G%B%c%9R)Ymn~esnC_kos}yY4o1t4&Q;l_AvBAKT4b^7phZqDIDA|9V?1iKDw6+ zgzTHzi*4ud=Iz(I?5-adsRib<<#as9D&d*SrF&4;4&;Jz$2dr{F@0CY zV^)#N$ci#1N2f*_fGuex|*h)Pm3p4Hl0yHDOi5lX~{PHJVwzkF0i7@Scz0JI{?a z>ulxuqzOEQ8u$6kEHM5LnYQLrO;GiBPbU-60OFK)?>nyBBK2FOi1NHX-u$=YUSDIr zmP^69ammo>1Fq=y;>~WiK}n!f*O!r}k%Ac^KV^zOO{gg*9x-WF0DSM~fBkv!y?=b? zYxv&(|GM5Yu~$P_)CltK7rpK(@IlqRs{-WL4WXQJ<5!kJpX*m`h6qlOp89?X>d-r&M} z|MS28e(=5iLluLJ&aV=nFwD6(C+LLUyI1+XV3Y#6X{m0POX8qr)FhBagMg2fmo-*j z3>YWR4UKVDW4iRcmm}IY(Pjhr?)9!V=$yHvOX1!KpZo5nAFuX6#xc)pS)I=zeDh84 zt|zHCpT2$)-p?Dw1in>8=f2)@OAl5Bs#-r+@>g6CLLxx-hC~&ekfYqc{2KF{|EFFS zS8s}|H^tRU;_6Lt_0oWE9u~g)8GLy-_+B4heFeV#!a0M76E-21kQl?JMe#%f$@-Gf z-jI=I_&T%+&qg@Z`LtL*;N&BJU+{|C+|AazS+I4CLJ5Sit ze{1RRH3dCrdso+r78JZU>>`X2O3XBbuQ3OO2goz z^ztz>L+t!>N|0Aj7VIU8sbUIoYLiDL6W9x6I8L^mhnKf9n^c9%K_z{5YwK_sDs_`8$=p2;{MCo=9ysTZDwHCJ zA8)3@>xs1h=dF75a6Rhg6kiTp=z-XJ?@Z_@j<$Nil7Zu8Nnv~;v$De-is)WHCm~S- zA8_60UfpKo2bL%8Y6d4bVdHT@@9TXoplcq;XyhgZIV=17D-*w!8T9#L(Ie%3n_mniXKbkAa8=~{F1?8JP6wMgN zSmbG^bbXKiiJ7E9MsWaJCfaS%QnG#RcZQ-x4#`pXx z_YU8Hc!?TP)V(zDw#EhH4F`P>#Bz>J7>b{+=6OKQ(7=$cS_FEV$^Vt%OE_-*#CN^@ z@9Xi^&){4CZ~gz@-B13MIHxY#DR8-3LPXRR4D^hbLmFx>qAm9Pw&=Ean4tMw`S;o> zAX02r5x{gH|9ApYIG%tIjwc|A;|XB?JpzS`a-W27JOL}b*OT+VG^5k|F)q}G@JEYR z7obxxbsw#?BBdHa2`lGz#IfBFO_*5=OI;sjEH4$~JFAa{?d|C?tL5KSDX;Kw*+di8>> zV@ok`KTfIeq5M_>*nSB~8s4^CfJ!(&<3|5NHWgYJA0A%* zbs43Zydmy+dmgmoCK(@Mp9|l7B7F4~#o>SESp(&uCys~jtgad&oc89E<(2}Co=f8a z8!~Xkq_pyQtqMxDBX<95A&K|-aCWf5YsXwIFi|KEBsWk6Bc9K9ziwlG@Cd)eT4!z0 z(wFhOFsugGR>F!;VUz!His z9QNHFvVk30tBX4eb|Bo&LI1kL5>%dUfpAVNQt`Sc5t@DxS=O`PF?(JP&#vqKooBj) z%GkbL+W46SERmi{m*k7#i8^m-B^Q-5kdWEwd(^Wh~u`X*$w3Z&c{CuxNeG~ zi<`l2kN>j5oWcMxNhBKx(3aSHT<3+f9&JgD00Fci-*k4 zrID9CiLt;}CTOQ$oGbM)LdpyUnlh*LAeYCSsw7VcV%+~w?5r4}=aTGUE38^zCvu-b zSDPFD@pV;kd|eqFUsnys*Hy>g5!M}kSU>YY^m%_Fu78n2qoq`=O$97){l{^kS68w7UlUQ%7!!t& zx!o_SlyXSwQ?8Gu2qzpJa=LneITRLsL|`n{8>;>5b;P~HVCBo-LudL!!C2P%n_3*E zlX`ngli*MZny{Atfc@~{Ai>A=D~alm&@H!I_DCBtjNYb>Md`p1jh=2!rYpA9{xWv%+QxHwQPfTLG#sR_yO|!QY~# z{-$^n$Ys^zp>I})B{~%vC*xB{r@zvc`XrXmWnSfFn4k?;4|O%YyKV{|lE->`yF#Jd zGk`Ew*audp4hdH|hr^1>rtQxoC5VIJB+mkOAn@=A(x>l-!l78%&}Z&!pzRx4dpdy@ zz8l@>8#~GhLMN7fh(@u(M+xipU>-&YB$y{`j#Nj#<;=eltf&L<=b4CP-5MczMBTGV6=ZoGl`FQZ zfw(B~naV0p)VUI{XL`mSv3)XWyUFeVTtoNg-xYhn$#RF~DPJcP$u$%8-GmZ_oape% zuTcbJc?bD-TtcXEPbexYNDFe#_Vj%UFo(E6j>7oNFu3I7I`ucr7j|aSs*RV7;MJu#b<3pBL{F0H!>4TdY3OS$U$XdY;E}ClTdVxbTa#|7&xa_*s)iuBFC!pa$4jPVCDO5I}hXI zN?#0p{?tPpeh$`uDrQ$l#~fY{HJSUOHrvHCDq(x@AWGL7kh4L1Cg%C33bu%6shcBY z44Z%IuqWhV+#Pl*jnA3{TF~pdQ5e_ei;monk=m};hF`4;&teNzf#Ts-y%4AYyTEG9 zo+Or^S0y#TK&}hdNZRVoP3i)9&vU!EXL>N#;aO0XstK>_oLh%t0+En##!or`KeG19-HryS0|gI2%k~UJV`~o^-Go!1#Av2 znTXpKLg^bCzK+wzFcM}lt8<|b z*Mo)Ddr0xFA32h>neYSqz59-@HGa}Y<}zctzr;0QHQe4Z>?xMR*tm3$b-)~XT-cI% zC#?WC+sIz5Z}`DCcTefe_pWf<_5$f>TL_rDDW%%;_<)nfuMxX!Zx}g|_@ZVg9~B?{ z**}+K15>3n=whuovbABI>*RI>4nHQhYx&k-cho_8ATUQvLetiz}GMg*`$E;9uVE0bJfL zFD`F)|JJ{}-9xy%-M_c+J@3uUoJ`X@6NYH)UYs2M6^bIXJ4<+blhMG(1Fp2c%fZ36 zppOO9CyD4XX&$b{c*feL4<1HhJ~^|S7nrvTq3O8)Ibxd(DCvoNZ8=&G^3(i3f6cce zGm2!pMG0*A3t;?y$lDdDjg>EVy~X%JNq$~ywgu>_XdP1tQ4Dmd8*MW1rh@E~gD2lg zcp)d*1h)kXTAW{r59e3HbOitLE79QmO8hv#5|%T(FP!DHS&D*vbh~o)vd{qn$8$T; z@^Fw!^ia4`5_CVaD>-Pvj#^{1PpTVV#Pvtixc*21*B_n0^+zXg{gD8!KO%uOE2oWP zUtOS6@-VHXXdFu8ypV6V9txBFE@{(Pj`4Hl>uG-)eNbEI@vo2SWnhTJO-!Jd0=8t8 zUY}2uM}09*JMsxA;nQ)d_)S}K2z>o9@pc$H#O+_6DH|k*72@PU72{Cg*FQEXYLbYI z176I|6^4P-n~GKOu*8|{M|Bfv+y*do6JB(d+MQ~9+X(Q#D zC*mkt8JOWv2Kl`RLt5Y@9!%TJIpoTYK1eXAzPS z6^yRrOx*~65rD{!y|r{c=L~luBu+Mg3m|ka>ZMH!P&r>|&)qFU_SJ-gU4IIoJhg;R z=3YF|#eB~<*K0xw>`i_$K6QBO<^J)k+;F@j3mosr0mnN^!tstUALM^{R#tFaw!mJz zml>X4FjwVxNedK@I7N}pMvHhW!sm2^FWWTQ{C2G zE=cR(rWbe9M(UF1gvw~Rpmx9fWLyO|5Uh^-EbVZ^8})|g6WT%O``7#$j!b=c(&zLp zk=zy1EPo0NYxtmtwH&#}4m!X^7*@~bb;Fwv`O!iy;OGn`M9tG~bM-``^KG_b)zrqHz2-L_7yqkxpSLWre)qZ+lz^?re!nRyE#db9*YKJ5nP7kS#h)W| zQs8-+UDL596_xl5ow&-Cf__mJN-H05N4A4m)!S}Ha8>B^omFjfm?&il$uPBoC$q*z z7PV%;7Wyn$M$Q#27}zK(1lys!?K_uW{iFw>-yL1c zjacikF~s?8|NFd7eDf)ItRxbDh?k(M)57j{EG z>F5x7u8Jgm3EugV_~t49%O6yMxxs3~8wYgIp#1N>@)RY|7#=LIGgX3^PcHCIEggzBO}Kc^P&OmT5g9aZ6eVt}!Jc-ovxBcT(sNs$sHD}v z+m9AKpHX(CMFmxzbF9C;$OCzH@)=(8ilFqypH=WD7o6$eq$f7#gKJ+!!g-Zc@#eqP zHuN9eppQofej9ikUUG#h{=H8IliqNaQC>v7KOQw_-2I?%ARUgaE&OTuVuye;NB7Ue z3M@w~<8y_E2dp0>)iv%ZgITkWaXdW5;J_&od}$;VMex11w9igK_~zez`xL}#r|gRa zem9(ayXeOY^ z#!XK|x$!aaj|`?0ANkI5P}dYv4E=_$c6y+%H5cxGSP{p2zR*3gwPo_zxr@oeHgAj8ds0yTl}X!1Xo{* zxP_yc4`JsettQR`dWYSS?3AwT-QEDyn#~kdi1n?Sf5z?i4uqlh&&!oel&9e@4gcf) zeQ$W%yIM=zXobCxwG^3|Q_(x2X6@)lA@DRJMK*2E9T?7kyz=mq6RLdf^pLbW7Cq7& z)-X+s0PjYP;gacOG_1w#Ju#30MuQ(~&R#!@40z2eyjK%(d;luk{*VHw?l!9 zmNaVF=FqA#7r9xZ00cBy24xt(i9Xtydc@2cDTa8u^B<2vpNZ{9OrDs)zDAabD5ov_ z(@V(V^b%4yy@WkZFCmH3OUU5#5|Z$8rDix`o)M?O6cg%I9z zkdp>N@~xD@vyMae8%beOjFWOG{)qmLm@XnR)OX=y!tz8fl!$dqv7iKckJ_V-gy`&A zc>d(L3((2WzMig?LT~WX+`xrUQP{Qh&Zl*?O z*cM8ilcZ@PgniUJI<=;`P-km4*b#(vn6=xNhFr%{VA(fn@t#2Z@ z^-UJHz6s&hH|$*VKkJ(!Zhiaz{EYwoyaQi755D|KeD~-0<}v-#Cn)3i4~97YgB*_k zAdlle=;QbgiXcZJu9{;h0*%8IVLzsMz(FK7Qh!khN;%_p+g-8eTy!kh1mkioNL~GS zhtnM4TOZL7;%y`7h6hYy7w$Ooo71y zJ)NFJ;D= zAILpv+-6DnA?}0y!l@`eyx+gnHmCKfI>RBX>Ed(-rzdJV(7Hn_?1rKmvBQi}D`Y`h z|8)5qmTxK)0QZjj!4Y|`Cm9c=K$PExIgU~kxOj@08V^~c=HK+Lc4QJTWyQj?dRzo- z4Mg^es>GpQPk2_GvJxbFhKUx3%AqbiDf3}h8BjP-8mbbM!oxYu9nz^P@Uyb~Elmw5 z#rQ_Z3Xvk1%UGCyyylKb4wLF1U6O-c@6=vD2L+hgi~Le=Di0b=ChXd|@?ew9zqreh z0wtg1?vUGZA&H_<^Qeg|RNb*cCiW!?P48}{)E9drO1B-JLw~Tji~NkR!AK#Jbfmvg}Rph2)NizqIm9sE#zqQmrq=^1?G&V z8(E!h@Prk#nj*a+?2p5Np)X3qX?4~fK+stb7uth;KObYS-=r@F$|K_^G2=bD z=Z(b*KZtBRxAZlr+(b*J?)A0};^OH$Nk*XtiH%Lyw zGnGtdLl#PuxTQ0genlCAB)MH88_iJV1>?^Km*pYqrc@uJfGS)J{rQ5Ag$J!U$9t=E znnG(%T%K!iB*xQ%Uo>Q=QQQ~T%207@P?IzoFGz7kHiX&O%7-$-j=?+DKBBR0LFhK43H28gfxNF$8}BDf(Y9J+$l?i1 zM|#irMTnIUjOK7n)NBagtrx|&pTf6(*|3HBi7y9;7S}&o<)MT7So*=8eI5vnApSM` zm>uN9YpJ&98Q}c9v`j{THr{+EniTh0!V5GIXgqtJzndDYj}bikSb_0}pctH_sG$5T zz4ygl8n_VurhaJJx0>=ngDU0$A&A%O@9u4^N0P)?Q{PP#9 z;rzu4IDfG*&R?v8^A{`P{Ka}Wf8T$SqPnVQ+0npW6a$ zsLF0F0SCC<5xDhwTo=vHQbf|d6$cu#^z{5_SKxLSqMWU@03u1_SRxWPBz4$EczezO z;hV?p6)i2SdP)>1LO%q>RfxdA_DgEJaSOC)IVf`I1wXueAVl^ZiDA6Lc)igHLHLq$ zd%I;&5k_P`xdbcAqadQVPD2iPpyl(s5x35URO;TS_)MsvSVoc8%GXCz-$+w-jr9w>C6iecjIin((;8 zQJ(Ol51KOK+R?}6h}*`e0_Mjx;Iib*I;RxoH@xvBP5-e4NcBV;ECTn=m{o+M z@~iSRb$^U8J=R9!2ps}(nab?fB&P7q%j$4bjx11rAa@j}kwV=MK3vZq<3Lt7E)!F< zNWyn&-qbE$5%d@d^0uyT-@^C2&expUdF%f;A)_n3omgH=?gn$yMk zpI4u&W?w+wz3ok!7sKE-0nwPskyy0vrk&iBjOB8jWj7mq;)-@AZVrz$dckk_| zLnsA>dvd&rCCNmg#&hfS)>%L@-5*p%QHEX|yGXWwAO(EsZiT$jEQAA8F@N3``Xhqy zMoTw?Sjf>jUOusJiUuE2bytRlqgZw_Wqs9DwE2ygaUsVI?c`oQB0-!9$A7$Y4xw;F z;S_}ZQNL2*r)39Q5m9XccwuX+t}bCtT(?@0F_ITCG%%q{s`{gu0L{I1y({iG5&t}m=u`LzyR zDb#Jx%j*T3Ji?A$sS)&#mrI1>Lvcw|Mxs+ ze6NqMzku-4@ikRRbzqQx_H%?&7OI|2&aI88!Lv%W{$pRPA!amsckYY|oIS`sQ{m@_ z@V&ke>(h3H;8WngIm`Bt$_);eoYx)vaUSJ;B9OWw8v(@Q`mVfg!SHF(RLGMe9B+Oa zzUM86sA7`obz4CunLw%+>XE4VT@t&`j$mX*+uuNQ9oaKX6PhGc0>k*t@N>O|kf!IP zrrVtiqU4LtMD&H|8ix)&Q-T-dC{`)B4V(p5tzE6)Q41` zQ8zw^8YGQoOSs-Pz*#>}JD3tH_=7(TVGL&%byCZ=T8J&W3kae$wf> zr-Qh54acvUQZ$`Xcqvt>7^M*^ZiZp~)VKFVSKo9e0N?Fq+RB;}z&U&UjaLjQe7L(3 zHlA?;T!l{T6lI=(>5?Pe?ZrpI&gcHcGEy15pBH@d>*I-e`VD*3fpC9w##zMzaqLJI zeY>a%f0ri1==#*4l(zG(D~$!3Mb=!qqXb+#=a)!$+Xh{c zppmQG7XfMRO4ToklF)4Z;a60L7{K7&&Di*K6ne8mv`#4$gwIwAOmuj|^ydks3Z7*6 z`)ROk{Pr?&oXsOF&|^mh_PRGH}|C2{z<(ARY0OgTB;tK+^D5>XzvxU>Y*S z{&k=uDm!HCk%TE!*<);YY@>BS5`6*_2&o}YCAAIZaowwrKf323KS(I`EV3g(F3r<1!`WNb-C#dKq=Ya_qxvjEC1>zm# ze7;YS2-4$*Cw+7>fK+PJUCX%?(F9DNHj~PStZ1Dj^#}{#(Oc50N{oi?pFd}kIWtjJ z)wEZ2V+xA>G5cfU(P=R3*lnEu5(B@)O{{40^3hlm3ArfvnFQj!KV&sJbNex-7i&2EFl|Fl2_|PSb2bH3^4=!!TW1)Uid62b4~L-!cZ;4k z%}J<9KIb;a{RHG|s@C=G*=eB7;}a#2N&tNQmH5uPolU z;S*YboP1isnoM9aRJANzLJMUTO%rHNn1F*}>fU?05Kt+d{pFqH2G5v&Uo!qM9D`R&vKZDs6$P>s-;BDO)(5 zW|&VT%8f3XrShh41fp}X=L6n(2*7FH3Z;y48Fae*_l2ol5%?hg>aPIi^CfwbOxmt4 ziyn)fGHYewf$MA|PVAoxVOaO8zX4S}Do?W|q*t~A?(~BMUe$R}?EdSmw5%R*NmfU6 z3})cwJDA@6KlAI8xcLqZR7uoon<>i`f{_>%M2z z6mo?F^-(+~{np5PyJ~WCCIGdh^yl<_;l}yz1aba5dYu1`0q4J?#QE>2;91^aoClc{ z(ybv}EI+IWJ|^qm*q>;kSv5sgS1%>7H_+m-5L7~z7M**9QSu=6C7rTP$_$-pP&Av% zj>F!IlcyyDoDnT6eWC&prtb|sT;;&&0fhD<-}@hCLEeHKDS1jCv|3W$9uMgN1D^Ba zimro*zv7nrqn9_ppCU2iDbG!0zr%H4D!B#8Fj>Wrp2~nUkqn0r`2=4hIY&r47w_aE^;R?E=ah;_OH*C04Ol$%p+H#a0~96vpESX zWkb2%7@BiF1D`FJ%r7{lLSo8lS`2o+OMR#;PGP4BooxHHNsr}%7d`9Jb{7?eMx*kT zAETVeDYZ2Fv$p_j4{lX!x$py##}#^a1tk=^PDPnl&5gI8>z}@k9jC9;!|Cfdar!zo zoW4#Br>|qf`}+TQL~1x5kr<9gq=DlRiQ#xe;y50W1gKgC^&~e@qKeMAz-l!@lySO| z=jKgL=q_>ce0i4_E)=Gj#Vt!B4ySM1{J)t2-}6=dYk}8D+%f%8w8`c$a|*P1(>1qz zEr88n%F(aY<>-xO#^>d+Y2(Kv~CA^qO}ReJ4TZ}kpEtc zs%YK;&WVK#vts>2UF%HoLl(^MJ0f~SS?s@GukfA!?v6N!sTE2GtT5oYc>3De)rHv%o`bHo0yp{uG zJ$-pqtT^H2IBNvmF)qC4FO-r+dk&btKl#wOXXRT=cYHSm8#UFi$ zy-(7;fX#{V)Jx-=pJLxcag$cX5v8bdyO-bAh34XpjYuvfFubVmUq@sOAI!eL=f!e! z0s;#*ByJc&NI{Sz!TUx8V?KjbD_6iW+)yl&EfnZv?X#Mi+L2O@-JP>6-LQ46=2L`I zHqH<7-{)(1Jt14XKiLC1tk-)N&95VsBE9zfuN5%et$)6f`8w3En5XIO51^XtC$o!c z&3N<1@!c=s`+fdT2;trr)L4!#Q~O$d7H~*c9?^c9jskez zA7E3BMw)-!d0CzWqUpOK`c^e5NNuly_OsGCaDBT?xhv?5O1Ky;D!%Z*>}%fYIM>}< z;v&a1CvjdXDQNhDcYRab^(}GNAIDwa9Cv+VXzc4TV<;*B##ib2acyaEE4$|U zPrF+5V{=PT`GpQVSPkqtRGtd6l2e8q(~fZ8tWV_D`&d-Sp;D3lqztB##?E{%Y(~f> zL-5OH0%$CjymL}0fgVEbZL2fM(3Vqqa>)$qH%h$~?)LcbY)RO2s=TX@8rk4}ay0X~M}kbW=X*@wwnUxH5Z7 z@Q{-T6bq@{eW_~=6NJ)>=M3FZqeq0*V-_o9(o}t^_KPjdXAHcmu299BkIl!mCuG!8 zge3M298E0JAm&*lo$puzuy?l83oRET-hM}JAGT!p9`U7`nkOClnPi7^*Nq{0jWi)N zP7}OtOSb74o1@$AIt)}8|MJsbG{XX+HL?{rH>A_SkA#T`2TCHnu>O=>?kuK{e{JDL zuT10)#RqQRuw{)vrj=h_y)tqHn=dA&LgcRK)3%K*N{d2kMM;&e>>Vh}zLY{)E&~ny zbX{e=+yf6=XDvg2^q{!TxoNfQU0}v&09lF!$i6##n*W+Bl9OQmo~0Lq_G#T%c0G$A zW>>{VLopu-47++wQj`Jjm`NRVfG_M`)GQ#mqKb|vf3~c*3WZp=HLFjp2MN;?y zRZ!0_Y~N1^M1jAa^gX*8kDT9)np1LHz(JL}{=&XqaDsrbS=2Th&ZTy4FjLyVcI-s^ zs)jqd^5?}88;c!eFZ7TH_&Y*F!-no_Cw8=I-}JX&A`+!_ANA*12fsqs?Y@UiHJQ<-`Qidcws6{inF z@&X+WLu)!f*`UOvI^zv&Ng;E~mO+qQMrXc<^(SPToH;A5Ca6tf+f?UzD6)Uk6(>w> z3QzvbQ*kF)!8xtXyqA_9Fs1t8UTm)!m^HhMvu|4=pZ=6=k)c9l$UfiyEAK4GR64Z2 zpp8WI8cYiAn7%<;uk-CtWg+~m5P!O)q=_nykb2t(g(Aft&aJ=AQ{ia4rrd?g_TWk6 z5^dym8b)5dF{bpS1OuRg@^KvuA+% z?ZL(aEBr{{*49S03k|5a-*mfUWs6uP(v3Y{DFF4c2pX=d9H_PTT!=yomWwQ z4|gznR`~Zd_IDom?Mf{&dlo2K9M|V<(vUu%yWA{AC{&IHPu{cjN8gD9ir*}_qPweU z9`bT2z}&pK@%}^@Tv0MBoAWP4UHQtMvju6;Xfq$lBoRMXCB?RGq)bHh41^ zb_$xV3G!xu@UbHYMKt)qNSDmX^{p@3s@+Sk;W&e;j)pSaK70;2N$uR0a>@W@!Ehbk zCJn?ldP7)k@(j3MahGN@DMoGMQp`({d3c|n+<(U1tBpM$cZqJqk{u2NF2+QIBPS#v z`qc?#m_<_NbhRuqSi&91=u?qCbx(L&XQ4v!~^h17PX)*2b$l(Wq5-)kptt zAj%O=^j#VZ2j$-?(uWh>Q4t40Eh|kLI9#=Ac>E#@by19+rV2U*f%LaplF8G6;?yI( z_?O9e>*tStX-k`y%tijFy{lOEJOuLme9hk12Wi!M#q_lk&~Sp1{BhVD#LM^5vQO(a zthY8=rqWBo)DX*x_Ajh2nN52ueT5!KQu$L8$3>wu(qlei)f|~?xmEqv5Xbv`@8ACO zzt>}@ALDa8mZ^y<6U}d`@(aSkyHmHiu1i2#Fe3g$FAd2NOn=2M2*by~;7i@oib$vB z4D*?!I&`s*{+0lBB{=Aa=fx&8VC%o@>YMMWaG_YuoYN1Dr&`oL) z)%$Uf+K(BA`^~-(VDCe*Ls{Y9uO%b( z)2wC}s&c^F1237oeVclnLh~CsaWFW}ZL$8E7 zS&l;EsVK-t$BS|EG<0y&9;3(%a$vTS=h2{ITZ9 zQ+cqY7CAjHq=i;>R~U<=q@j2G&-#UKDR5C=;ySMAiiG3(JEmDo!F=zbEVGgoNXV}K zdggBqg|9~?+e|$X?S;n2lcW~#&mU)o^T%o6{BZ_2e_SZeAE$@&$7$j8TEaNJ)=8XR zO9ZFaGQ;V$1aNvS9%wniD>B|C4nu@2W~-05;g2>=a`Uht3{oxhI*yv4&D$Y;g0Ux| zWmrRlM@0b2ct342`YOR97cZ4pm?T`N@K2a-QiRLHIYWfSj;O%*kv!Wk8F;_-uG{pv z1egYV6F3kkk61?is$@TLLbHp-+0jh_=rD?6CEk`o$&YP1Q^`(ZKC71Rw~P2-?l2iU z<*qBF9}K3W4Yq`PTl9x4M(tp2i{3n1I0>-?+VI<~S%c1nEh#ECYsje2r^$Zm3_5kP z9Yn?^ApV57PN6X#QL-=yhx*&YX;wDc9zSzP`W*gXr_&s6@rq7RV|-Hffn(8I-0DDn z`S67g#|ny4s{p89IF!j87X*DYo^N@&V-Wl9BkKC50Fa=g4CZXMMDs=4 zVWqP^Xob5~jV8z+dME-uOV3LnTfeANEZ$1c6YIn(LZSw5-Lm&2DUHzbVY0alDpk0D z_BFLBqafbv559an&WI*qkxLOsR^jKv@0LcucC9i=t=tMa2&iplgG_)+D%IdqtP${9 zb3gALHH7+9g}9r$sn94VY57Yj8IrOy7;Ds1;VKV#w4Xs5T(nloNY6+HM)z;-9HI3n z>!tD7gmDOLNsP@UsQCf!!Ug33!z3gmpZYe|I|S+rspGxL)Cox^02`rxRH#t-9hQ^o6ti?w4@XjB{cb-T`%5~^=pCbyZwRo^| z&m5gwjCqszLmQOb8AuO4(*!kTeRf6`EI0oC%g3w?T6muq`Q8!EAAymMi|_eOZ>En&D^-D*W9t&WDNYDOns z3cw?UrLL)A0jS8TiPa-xM3kf_56hWxg7u92ygHvVXuN$Lbipeg`PshhTcWZDit&w> z-xc2p)cDs%N#@v!qP;sp`EG)(W z@?@C&`i|8=hgeth#_To3U^%%uN)!q?RAT&8F$qZLF>%WbcNoz1S;%Kr1;CxcJg4oh zM0B<|gs_Ox2XFqsK{A_{4i;>%Uo&~WErJnlul+yf-aDMj=#T$5Qiy1%Bq4Czt{D-uJ8ZHeVzL__j#Xl zUeD*_xwH6unIH8NY3V;FKLN+hhn#=%Gh#VTF-DG6XVKX%s_vJj#>i@)`?VAeO^|IT zNw*8qgmd3TZzpYAAOX41#z$J};AO!4BK?&H#1@{hlRFs!lBZR(DLu=OVD_*U!;@$T z%D;82fg=_uSa|j5N~7W2r^xEH*+>wp`<^4R=7L@_w@vQXQGx);W6jiW)ga?YaywY5 z!dDY=$|^cOwD%=T`H4O1xc4(5D?9=x>UfZ&n^}FnqcFP6##Q5cL;*B^S`H06sKTM3 z?-7{>CTK*jD?sqN8eCML*t1Ag1^HaNvT`L^u(>yevnZnicAu0Lf2b})sP&3lc+EBF zavW`^?!x>GTf)zlwd$~X&BRbB)oql`Bmi&hDnL-0Nzkgc9DdXII%MnJMsbrPV!OWzcK7j(H~$d z*FX&K4?e$z1Q9AKD6A^QxQU!DUp=&BAo8P?5=ECKT1oz}f5yrfe&i&C#^17qN34|# zp9kF0#ewy*#TZ*SC0upotF;wa{GvKLrs;`(556m3?X<$Jzxt>5(}f|jz=t-ex+-f3A?Nh zxr}Y!u4QAnvTZ77%BQs9q~NubD>I=8FFz3P`h0fm;H9}sK0qP5_+4Tu1|9ubpUHUN z8wQeiLd?>=fMhy|^$=wkn*T|C$<5ds4wOXfU+FjxZ!d0GDtjs;R@I||o3WB$&q;dD zBuyF$?Vj4fcX^a1WB1hXnIP``3%q(Ej-SGjB!_(=(MgZ8EGrN-obH?lnj&T-XHRnI0awcZy475pN3lU z9P{aRCX7$P*7kW$0eWxw_RmSl!7SPNV-E8QF!{WabR|$3`11Eh7Cx1Op0gfj4apr5 z-t!>dydJ!M1Uly2vgA1xxF7%UcDJPhFskL=VZwe7%zNx9iPKeJ>91U5o16j!X6zL# zwo!wB>w^U$zg3lx->N~#Z&ingja}R9RtrLYt0r##e?EtdvA}6hxZ0BKSZ(eECj*4J zm^zJ6L+b0fFMl*4X$3pXCAgtN^fPgl;Mhm3;$luP0B>4 z-ghVdn92ZgrlZGBR9%5R*97SAwPhhQ@dYNWQ3b^8__I*53)5k{(MeE9oI_J?yf7Lta0eZ6hQd5Ovl- zM$>v6tloci{NUbjNFPuU*w4lSYK%Mn9lx;st^@xo@yo)n{l?*u?m&Zis3;LJQ^(b z_+;Vnh#Qerl?LeU`+LKD&;eakbGGk4V+vAxYl6(%%s?pV-u;LE_UPbNvjEFWEx`Ny zfBYXF0#E4-fv2QL;3=IY@RT?SJS9P3Z!cp;bTQX zQz^LI(=>gT+=@thX%9pwR=|P+@!<7xD>St-lDN0Y4-Qwvl70VWhkV?hZly|lLJNtu zZuMk3O1Mf9`b{YoPE5$lTz+=}#phr)*pWn7oHm*{{Wk{E*zQXoi7G}lV1hj}@9qXeXZuTV%rYQ=4bPPb%I;$(LQ99@VJ?j^13# zUvvdfQxLL;ROkxIklJT;*gh7xucjS3|0@NC%@^WzxRMYDJJbAC*F>;MNjsMMNDck# zj~s!=%T3_%iV}Fdh`{5;_!Ix(@$$nzJ+=%%k1a&dW6Kis*yjj(YzcxM+YUXM+dJ%R zFOEDi*NFBfUV?SDSbpYrnULu{_VF4QrW5PG_U93KB82LR(FKxKp_e+zQaI9lD7koI*9OyjT8pptII23JaAy}Q0dohab=y-BnCgV^@`3TTKN%(H;a}qj%V1!> zdx8}`wzf69eN+L(@Qso;v9cfm8fMvht_sLmtnle~0R=S0^yK5s$BC$O|Gv?xFPC9@ zn^QXVC=1BHu2W8YCI>rBE7vU~FhBbn`^VhkA?WwZ4?Y)8IH0y0X^C7n)SxzdNjZwq z80xoQEedrwA;%3rKGi0SmqJB_T@5?056;#1GwFy7VExPs zlQ*17i0OpDCmFs|NGZ3}vMt9OkvpH|Z~fx}W8_k#F11%s@~0fmPm=*4{+U$h~WFZqqc z7#RDOiVxa2LsiI>z)f2{td7NmK|A9SbyY$~yQB@sS41v&9?^jI2@1{la1VH3e>KB8y#lT!3G{##$ zC{y(U+4q{aG_dyNX5xHWkGW9vkiOQ*G6!h*skN~@or%_}m5-b;F@$nsFxCy_2X`M4 z%M5k_L@G^`vu($UNN={)R{}A-`F^c&D@_*_T9DNJtZ+lRH)$S<7fHbf9XBKEQBR~T z`JkV>&l$2;7e3B+*ur}MVE0a}G0;yc1qgQR`s~(Taz`c#ZsGgs?Xi@o8!PIYA zFeuufk8T%1)(`TuY_G}T&Qp6SHGJ4d(Gb%Og#R)j4M$3s62+71^+7uAm1;(x0a!)m z-wyk&559)d`665fFmcju^bQUp*$>a zCB^eY@SeVMs8f7me)MG(knFJzviVhyoIOpIC0i=c?=Q`3sZN=w>$m8SmJ8)DK>6`Y zibFFzZ*+1oY;J_Xn~+93dk6h#;47aHe}I%X@BH=3X@b6KuJxUvQaG#WALU|k39Qk0 z)MN7qG?T{nc*Hdtsj(HAHBMZDXF(5XxRt`;k^;R2NzY|O&z)zot#uVNi-`;F-Sz>& zG#<|bU(#Xdz5MN=&({&jSUyX$L^_nznoA2)T|>#r-0iGaLLegEIV~X29PF-?{ z@T$@bYWSLr+Rm6kp_-9bLM-MBCVPBmM=l!S^^4)%Z%cg-HU3QMgWg_f4ZKvS4^;-T zyx%-*QH1}zJ*l|`Fxl)OhiIDAL1{3L9HPrrzM#4CDww~P6ZAe1#$8PwEU>FXR@Fx8uVZrH(G}ElOHK}+_mUfFMtY+^Cd$Vj z#VdhLPi<2Tt0{p$EKSHy7b4`RixBeDMF{!nLWKNua}-|NG`y~^gc+2L&9{{!5udb1 zW5-=XR3*smcXi4a%d^^Pw4cFv&5P#*{HwA2MWr+Hii^4+L(!mKuV@6ylC>5`k69s! z+b=V>UpOKyA61cuJ1QWkC3Nzhx*41)@l0>g&;pO5ucyX8=|Eve)RoE4Rw#~&*Oc^? zDWa&TPdn+a2jZPnJ3S2Q5Jyq&m+&|oISBpumc*0>C#Qz;eo9yF(4ZOVcdl)0q#vQ_A>w^aoxTP76p znQrEPNW{(e8@ya8eXdFkdG3Ct>@?9uNueuxdvucN(lC7`ynw`ZYAY$YuNnJu-aya`TBbp4i)7X zgDbHp+tjWpyl{J|p3NQ%E!@8aA5)itdqns;Fqh_2O7vfB&Bz|%hP zr@d%_82!i9mU9%~Gn_g%FG2#oQ5E0b+9<)2cYr8Es2-?9=MD6f$P(_0Yzg;85`_Dr z^Mv~%F~WV3G~vET9C!Zg0ukAP*z8l#Ir!o0s?1q*K_sZlhl&|4f5^Xnp!FnJHdN}- zV)x$$brnAXIZgnrfBs=v3KK9>cJXAe*8u50vJvhpj zE;&rW48@#Pm-`}RU?h*~ipYy6G9{#Cg+Ies(eF(ct;wGnNHt0GaAWeD?iMfa8=YY>1ZLd&Dl0~kmCp_8%| z=2PV@6ee+SD@Vrl7f(}<6+?EUy}~2qVvvgLWy=e>g_g4`t}`;{5cDDJ1b#RdfgjFB z;D@sk_~F6?e)tIp6fGEx)bU0kJHT~C#}s56*Iccu6`^SF>>QnrG7OsSdleTi51&n0 z-_MfEg1 zk?+LLbLD&M`MKnwD3aQbqR|OCKds;HmzIV8)YKfShjQ3GKEC#uOnN^*gu5Wi+}06E zDkJE8;Cb_uhY671*>|`7t2vr0+&mG@X$&!g4hQ(Yn&9SN{gO*hZP_)0N0Ra13b6aw zH@T^gl75)MH9O&w$rLll&`7KB5I2H9T>~_Hx>$W|?L!PH<{#Y-`95*&iWRgsiR};j zZUe#&_g)H$#i8blAM8lEZDIH1USWno?5J`o?|?<6B~aHdydEPmg;*NlrIWfAAeEUx z*>=+sl7Cdz#XKkUE3tx4QH_h$n&by|xcG)Dkh(?M3F-<1v8WC5NL>VS?w?7l%l z^~K8{3{XRKd*y5=D_C}@`?Yy9;pX?^*9*rh8^<_7J&SjqX+XcZ907 zKth?c%x7Qh-X{Iw<1|HWD4U!n`C4cJeHoEaaRwG}ayO8qKh_<6xWil~Pp^l&|82Xe z6Ep0_kcFHL+e)?I>o=Md4Pz6q*Q3|&2?|2LskiRw=xamiLHmWES#7|}|G~?L*?js} zoaPq`V80Q<_wI{gI*#d5Y8`C857tHMYO%tP`~AMo@xrKEB4?UQj|KPp;+;RCQ3GoF zAu+(c&UUzLC>61a8pq}sM?#)}76o}sIK-zm>b7R5BJ=KN9c*KfkiPGl$AWYX7@e~C zWvI}MKF;xZJDE2@;QSPyHs%MGBD?JJ=g}>6<2{jYo_q@$@LSnux*UQA0-2_sghxYz zkoxCN^>Bde_nm_VBaj5i+b=uR7r<}xRbN(iF!H^4;W^0|wx2CqlzFgVkDRtj56UEA z{-=hyY}rW(h})S{J}4s$ZF3$k40xn)`}Oep`~KJMd&V)B{z^4kxhT3RLKXuV+>%d! zWmLk!v(IP~uGT`)=%Mgp%y+J?J+;Bi*@*i*g7>`kw*M>}5f=qeKWJym2_uILNHw%* z;72Dz9N1lJ_rRCAi*;{zDIh68ptMMKFN6t?v>h5qMNKrfUVQPWhUe}YVfP!G!1K(+ z&iTic@MM$yN~mx(oKTIWSd!~Uv>)R9e?<#{SR0!~hd(d4#r~vSzk|>PN!Ke|F9bmL zllJME7=HLpI?l+=DvO)ng4Z97m&bzl`FP(K@ALoH{m1+K|JT~%9shrN248}{-Ikzl zcOvN9?Fst!K!U#A0e9XRUj6{yJRrR7|JUo=KOV?`f4_>CCva&`wa(!%EJqOZ;&$Hp zL8RBc*6nvbP~_SDhe9p~U7YL^3S5bX>K8^vXFPleymuJ_?_HF@dp}3uy(0qeU7Wys zw@1WR+gH0h#K$iAq@huCS@GgWXH19B!u+@Cfe1^4omJ%*b}6U_rmqk5s@9Ts@oy zB(jrHnDo)B20P}cFUxlIwoeSKy40T#o6>``v#AAA9_%oflwR6$T?dMtGLBnZwMVxW zmcQJqW(OJJ13dt zCl*ie2*knJwy!=kXTl(1Wnxzr!<&m=Pn*w~i-Tg?!vdivGSPfON7RL43B=}oDD_IE z1F~~Iaz=vseYc}5%beP(5=u3^Lnl~t1imch-rdj61Bq`o9QVWtK(s%#`E=hQSU>RN zN@Fz-Fe(Lee%@q6C)p#kiiUW=eqpd!)0`WAy`>v5R%Svcrw)HxoyYdwvhF(1B$S}5 zGHTngmJgm?>%D#BlNvl{YvPMfb3#(i+vD4F{9t!7&f*W1BJ_qacBKm`!>X@d*T4}& zq~&okMVw9%HlI`XObU!zfSS%bh0hTCYi<3-nnBQ-&nKdyv`x?gJ@AalqulC3Y$J+mU?D)rI&#T%hGcXDyxWMexcu;}KeRfq!{7@`St_Ea&<^ z`8XyB~9INh3sAQuA2_y4IZ=dW1?Z``H9S8W)#gh^gXC!#OJQ{=|G#btG|QrN-xw@XQ#w0EatzaqRimLtffoV!HL& zdG{tXhG%8czqtj<5UL(cc@NxbKAWqT^r0V!%FC#y8qTkl zyuTn{18&;RHx9D21KE1g%f%yi(5L&S2LE{6f>q5Y&!_SpAiVb*c=KET*X{q;{m1K< z#LJt-dp~fMxx2M|EfaO})r(v7`hbPo&GD5aj6V=+5U;I#8R9Cu*sdJ5K(}nkOb#F~ zIOAESR=*;O0**o5_EQxsM~VBe*zg&&zP&UQh|O24zd0g3&gyV>LtfWcNdvZw4pjsz zn4+G#(1bs(st|oHSdi7s6umF3S$T6s8ydo&ICIXc0YiNKO=>kQ-1Q5*?8Ifs&VD7ag-eX*Xi9lnJZ9z1}0PGw+CYu0_p% zX1xJd(yY#N1c#us-LY@$40)({5fmql(&2c;=+j?&qj2Yk#!hDGv^UwI-kjT0G-1jx z>~Q-CouvWXRCz_gcHbTeK7O#?bx;$Y_YuwR3>v^c{*nWMzhp$RxqE?-I8h!QNld8w3E$2 z6^*?;q zRRb$MS?%3-ZDI zRj+ZrAb$8tE9_#Gu8&~UqQ+C?EKpBJ2&Deuhx(5U16KQaaO(l^`W>tUX&DY4@dGa+ zm-ZmL5cKDRgToJ9PdG<3-yEnj!{)PUMd9+A5-4BzbXQ7K0lZa>53S4`hEFGg3!WrDM2{>aFLOr%jBy8- za*Z}ZPryA`JkXC$Pj>jR*R%pPX=6%4X${Pq>O8n~-w=LKMrfwY4!tsZwZ2G!i$wCkGsAgpyKNpnUMn0ebzzR58|V+GB;43-vP z@th`Lj>#VVU~21$K7114<-g(eU;nG8A0X7zPY~+qw1j#(6``Jfl2A{l#LXL2b5RR& zYcK%jgm9v}ZCa2(i{(~r8G(RQ{(FpgkK{rglxTd{0bThyy6OTwn4Ec9Au#@{Tb;ap zcK+ax?mI6!wZ5O)3)9QihnIZ6cN2;Aczo^O>DFxRd}Ks^8sW`b33&MVj|Q(T`1)oH zzu3oxG}>C+ipkXxhZU(u??VHK~n(0 z3-ZK`2E_1O`M9aiGdl$LPe?oDS)(%hMSfXDF1Ts4eXqK~4)=K{xXJ&c$ZJ|~iOVgh z(4vOPp@Xa6ErgJl5YOWF6qf&E(z=!2LIbX*T~dD~sep>>bl6(qYtx8dkyFYl(7kKycTd#MuG#mra!N91PkvC?j zM)o?@!!;`ibzD=v$BN~Ua9x(Mw=suZ`vb*(_f6p6_z)4s=TG;)@i|QxpFiFI#%H(t z-}wCQ9=%0VsTs=+%pbD@-NGf|p{%?5^F5fqsnF46mHY^#E36JYUpGP;PYeb0OAvv7 zD@@>%3ljL`h6FyjAc0RVMBtMPVO$5cl9bK=UQdNL|IWYrJJ;(Oa|pMtSd6DN1OEfR z?I*4wbQjzNh|XFeYX5ZQx}V0VsqvRGPB~yPIK4I?B7@Q%-0~8oJO^p}s*Bsrc|nXv!}`w~ZJ60Rx0$r*j-D{Y-(TuC zg3(r=t)@X=MBXt{R+;1ni|^NZuX6HYfngs6gZMciH}geO*pe=K<1_2C?>7gm+wt9h zuE-7B)42+EM>%kxAMt)K|MY35Kur4jeQlIJMBbKI&mY0KA6hTthJsCiLZNl>_n0BT zPcEJFjA2Osm|S_=Ks2y@Gj{4Aiw4-wI^m7g-^xeR0>gi$qJ+02i7);{V}Gy0$?6mV zR30&xGdI1EORV>9^}H%%rAjT-)Oev@$xQlabyxU$$S0POPaVE*=vnr?u>&85>sQQH zYmsODA@h~GJTPKfl8E)V4*NUZKPC$o07WamXuWM6QVp-4OKQCiiPtsBGy*Vgv~G<< zgH9>vCI$r^ZEHpygY-M^5?ay3yw;Zea5-qoz7frKDFVEFSG?`<`kV0bsfNTKm3>>n z^j6Ck$+sKzkVMnS3#uP-z&0Eiq}hz%(Frlv5y8v|zSAWM*fIYh4cEqb zOYg4PBd*5xW$J6^;c=~Jxa4UmSfzO{`<6x$UR}!#B^eecjHfazRQ1{>q?n@0Z^FCc zS5?8-fb+t2F(r^@x9MQFFhgWNK72oXL>^|o@8LVQZ31f_?|*DvvPJVLo1a0&1hiSb z+9oNC;8C_|TrGnmGI|<4YFlCmU%6f9JMP^?F-e@7L$w94<@Mpkx1bAXK8EiecS-=_ zs3t2{>Tw6pmbPoOG*@x+C9V`W9ctcagqmYaPC22~(4{GGf&Xx$>i%bY$s>R3cSvcvl~C*3`C2bV88z?4DQc#3JyAf6(N58(((EI5+p4B*i=sr2r znq}*X>IV7m_Og1R`)U=tF)@nZaAUZ*&ruG@d1s40OE{yaK2A)*m>z`T$-C>>QVO7` zcvtZ9XIb3(tB%?N?1EbA|IV8Z+A65bcf5C6~mV*IK+(TYYxGw3s+@VFRm1RJrclkovzXiCO=G$6zf4iO)g zoP1yc#l@z(3{w#R$k$NPM|=Tq&?c7DY~9T;S<@2sdXMY1Ofa{Dzcp=p=D zyJOr1^(siVW?)>zjniso&$W%Az+sxF^1d9@y!Xg^^;Q=(TJWk8kthIHCsT`0xeQ#L zJ2;_oO%J{0^BQ>6h~+io*T>jHp-Rv{AhJXc%i&p0F|de4a)M+pU+USS-Szlo!9_Vg&RxE)&7`tf?h-3DDNT@zs~GzFoEt}^9P7o?Z-sIMs493)n%hRJP> zz?wzIJhadiiH!@o=p53AUcI>f0l#3_^Cqrf>$?ZAegAFQc_0{qerZ^+c85T>VC)?` zZx8t6f4YRY_bS4hU$1n9A#*d^6-7_=+tKb~`tt!BvM1^mh&3n4wlBmL!iGvWX>aKw zYaSiSSqUxN=Rv&p53Qex(l-Uw(Y(y4zw1RIIDPw2$m3~AxL{C7He4tV8W@dy;;1$v zX7P=g>JY>DKcpPXTK-_jqkC+T=OQAD3+y`E<^#OenU%4xeW99IJ8Ee+8l}Xtk;~7x z6L=RI1m1-Nfp;NI;9W=&co!N3-o-f}kN#9#u$2kr$!{M$3%U#(TMmIoSFa(yfFZf0 z#3aamLQK9`ln(h0pE^5I3ejSx-L#SZc~B!^RJzF_3Y{cpq{rn{5a-Kaa*HEkaDPK0 zKO;;E_EGw@7o@2nx7K?OKPRhTW{}roih2U=MEB|O**t}vMAZ>Vg$amNC(8VAZVu^a zQ*e-_i~+Hk>Ziy#J>(=ulC_2L2!9`xn&7&@2l>U+x|<1S!T#<-b7LAeoco<2+)%|-&ybt?gxjjC^$9Q23jx$C!nTjU_K*7e~1^d8`v9drDcfDf3t zK6MFpcL7@=8HR|*VQ`DCNV?bA8#rD?ru$*OTDy|{7I9ZP!1Q~EvszgfOkUuz^O|@F ze)^GT41%kWbEpKzrHse8zZbmU7vA<_BC9V)KbauuV}7)`uKe(xqt`RAL>S9GDB-JY z6ow5dhDR6m1i)yEg#MPk2=4m|y#2x39qBzMRQ3FluO z_A9Ue<14HnnPv;gqm*n!pMB7sqT{9{Mz$a+GGxV0WeHEhugn~)aYcSlcdq;RI)UrK zK{|QNqW_bzZTrT)P$XRAa<`i@6S~)HouXEOPmQH{k0DHuz#$c47-WD z|9JPeczMed^dtRrnK6jt5WCh(Juk2*m}R}r8VGFCRV;h0{ozjvw}xkUEXrhxfA%NV z8;rRBP{@k}pa%ILPpEP&Va(3aY5cVV$Sm(2NT#(1wTP!pQkwzjQ#q+jkszWkLVD^B25r20Dl+GWMw=22{$L7L+GyArq@x{Nxh$AB&cTW?cJIJ!N%b6;>a9(RB6&WGYtp&4EAozVJbJM|jV4H%`iz5nxl zH@bS@Ma5mKR_J>*#UO7~2ix|dLWVDTkmjh)u2V-V_`GmgAj)Zm7g{+rkyjofuB{R8 zjE61o&L>ERrMV5#N)@O@^!kt>({8S6g&Op{?NSQ*tBS_R?B1$8RfNuW3X}R|%7E&^ zuWNbeqdc4DvmyuNU?6O#mNQQS*59lw+7_9h82{rw#q^p`{n3zz;g1T`@%G)d8!$z* z!%FFL@yfuVIb{3bj}dss)x8Pq(gCVi%X)J^JH*6krmUEO--$4P zbP4mvm@t0~3G>I9Fn`S8VvB!xmZ%BPlpQl_$9%jCvMU^t`NohoKI&-s)c_)fdmFV> z9MI3{lA{Xm^g(=fQblr_A9^c2^21(Bqi@PuVj{*u(2>4BjDkWKn7F5EO(*2g3=6AO zZaX`;eU5OeQQ!o!6Pa}G7lhH7F9Sk%NjM>;;KHDxB|D6_Gi!ahDuVoLv^E8c*#R$~ zN7*JTu*`x7==P}H(3|9h1H#YZZ<27Mr{(#yPm?&KNgSXCzFbj$VD@OSpgJrQjaKe`=B{oB7tc?8&3Cp35*weo>ViOUk?vn0zMF~s zdG5X{kMV>VU3rb@gf!9a86R~q;qR5=&>gNl{cP&CzX(9?e-(=X}y5R?mrVb&8 zo~mK`oFE0pL2tActNA%i!4>Y6vh0l{_XE8AJ$84d?ZalJh(E4VRCXW@4&4;nIKZ3< z>K^mSH(77OH7ZJ}+n;OEcltdRRIXPD&;Rf9@A?AA)OW9PLvMY9Z2MVi*!nr4Ex&1m z6iPla4udSl4a>T_60jddJPQrvG||Alp5U$D;az|JUu*AT%*XLSjvE{*e6yD?orT^v z!J%24ddT`{45zZg8JIuTe(;3emNP^Cf>n7;4mzTtF7rp?8d>;tu-BhdW9J}VEj-|6jhWgR_q+ehSr z|ELj23C9f!I@&_{QT9_ZSbe7Qcg^a~qdjn*nDLpXuq?3CclXlKsG{&FYYSOd1ZP_P zNSK+=gVLmX>2iz);!h4~Tgp3++wV_2u`TTKVqyp5w z+Gb8@(m`>|ufLJDVfp6yQqkN<992FQh5gZc){thdufK(jY(G9@(!lpMivsslPH{wg| zUl|YdFF(bQke?z=$WM_c9+e@>4XBCe00F_s7i8f4e(yup4{dV%yAY#?#Of z{yoMr_5^4tut*p+ z)n|_&T04i2!~hZ*M?G9eF;1zX-rsPaT69Q1_(vZ}2~hsNx%?U9*w9Qr`>Uo6=>P6}`S11oL#3fUGZ*bp^95}a`Di;ZKY4$a;VQOI;Ouc=sg!~e z;|JBeEOuyQh-)oD2+KYE&v?=j##5Luo`(qINl6$_D#CbDz=)dRZUvVEmfIDeb=y({ zemq|ZSR%E9{dr_-ZCk2Xom8MW(ODaw*LNNe&~QX}@3-|%9Gw2KDu8x>Ctj60AOck3 z=ZQ>p#E`V&Go86Bg0Q@%&~^DcmX9I!)~>2w1lW zVmZ5a4t?Omip|iMozj*mwc=cm=*Z;qIKb@{+h(biu`Of{!`{DP#Lk>Ee z2(%>ss${##Ax4XZ3(xN!1ckC2rksfgjSnlyswsM)lKp)LALPZLO7XYHoKY-v)MQ_H zc{vKQ7b;`NZ#yCH=1AdbEC(lwYDxc+yd1PEL^6$Ge&DJPCFV{R+K9J__2Iq+8DP4j z&GVE`8WIloYn|y+LwMWcy}!kKKE=x?$E$b!r&nQxDVE~kn@r4b^5{i-ohW6L{Ej83 z^(PZt&mH1?&3hWuh5{O622T;z+yB0P$1kq4=hamvh*)ztV_$U&221bImyjLcKX@=y#U)f4~9`isD=LH9LTDh0&765G4mAO;tIkkq_Y5rnCwpl*R zGNqwho)(RgO&6qcr;uUyZzx!G%pLrAEESl#$q;>@0SXTLJaN&~7lq6x!d1r$5Js|QA z)k{Ld6sKzV&4R!{?tn&`kSEA5ygyF=&I#6r8%#|Y6kzJsY>2muA>wN?tkZd=0Ow>| zUnX(NgM7DyfQqakG8hsWDmoSfts{eaorT*%|p4he8G{XKo@?HmG!thQU{&do#nToIzZBS{_e&nUHG}ja0MpR z!Qk!8EeTsc-2NKJcR}YY5|yFFw7D!nQVza)jR#!kRR-p16??5cs^IapKr1go9wg7N zryneEMH~}40>KCM(Ub~zdc|WmB+%A&dcD^c7~c)jzv{y{)gxCp9171vfnTFSq?HJK zq+o*a9b*XKHuu&3q=W`47_W(b(Lkp{UMI6k>B3@Jj>jyIJ*q#;E)tw!0Vhg-++9}) zLOnXPtLdd)s3DstB>%1*>YHnCmK&*mE51 zmiN1v*K$GiLkGv5LQ!P3$DP_m$rRY*c|27GEG}vgRT0Y%#0a7=}cpV={L%P6|yPuc6V6}zBbzsm1 z4w+unGoHvqN&d4G8?D};eOh&5dc*~Ww^~U{Py52Z{&*1jV@l|cHK9Kqg#MTj`eO@0 z3FSkp7qNA5btyBc(i|<1hTWs=F@z%}oA;Sl?Lcur=hCkROOP_9zwdTk9ry1G-n{be zOubOvret{Ymhxe{R5X}ZIYujvr9pfCy7vNK4m=aXJc-(uV3myXVcwHwWD!R9D-ZKu z6j%pVk`Fk7c2R(E*P#Fi=_PVfWDEm$-4MnFB@am6M?{@5mW%NEt?DZ68xEapg?);{ zrD7*akYs^lX~kA5q@ChcAX99IzvMC`Z(iO;H)W3&s(oxi9~G8Qh;M3wyO2=BjWZ@F zonz21RbCg`PpA0?RB8jIdJ)sWCwa7+O1mSuf>5mXU7xpP(x5M9p#Qqw9+B^(RHs^# zfZxt>?QRxQ@a#{}$8uflT+E=uteh$d>~~sTmJ7H;WY5rysW8UFckq?kC+Ua2>{jzc zH@X3;>>poN`Qg@g;pJt0zh3ZV`g0u8_+9*yWhV&A53c&sDa9cR9y6F$ z4uKK5o}wae6*xnyHl#py0e9X3-u>Rc`KExVnzK(Ee-(th(SoW&CJN~5=i^?JWr85? z=z2!R2+P|WJr#J2S{Rg))cPa8VSauNwZ6qR1Ed$!=1a8112?~S20j180dC*-oY{y} z0mZW%FI$4R2fOwQdN&Q+n9e&DT$&Ga$3MH6p3H+1H4gS# zs$8JOwA3mqS#UPS>{YJbb$BUZYWd5k3pxBfaC=jh9>S-3s-mmDX%P(s_5qN7||&$+-Mr@>B|t zI^`dXc4|PKzQb9ra~P+M^@DdjUmEW97H^)#dTP`IJNFP66gK(z6Qg{ zgu0yRpAgv23`?&S@`wGW&vHzT7ob4nTYJxRq@uU&m47A^eBnInaHb`*DR6zQ9A9XQ z1Ud=ox&C}B^lfa*J@JzV6lh2-xmK|t#&w(E1EB}O#p<2TsQ7Vsp2ZO(62S~=3g<_< z_OPQ2z9}EMr7tq6EYw|N^O|7uh?jBWs|b93&Ek;TP6}GWMP_zZPGDR{zQ=9!Jos7> z+YXNUqwz7n*0?9}==d64+a7jn$UN_2)Hq@b*TOc~#06~O@Yt!#+|4#X!lwKhao9j> zYi)YJL=?*Me3ICE-55;gPY@*vnt_X?-5q^ZQy8N^R{65e1cOofQ7&Z zU?K1U*a>_9CQ#^mXL}ygH>c08iIgj6p@Y+zHolpO@N@dpJEiq__&c4ED}VY5D*n#8 z%0G|biC;cvcSVY&u~b_faWynaPqc&xl0Q_iO4;-h}lt`=0`5C)I+$} zw|{z)|6YG``w*jGxvM`g1>K`0wkkjeoA;d23`>Hi_0N7#(_e?nxGgB>8KTi+A*}oS6f;;h5j@t1okD=M5|e)!1@ zi1AP5FPKxgE1)6M&6xsbak!MUdqFo}7-BWgsZdX;AQo$l!cR|y0k7W^Z@#K**Y4|^ z@z_56%*x=~ZgudZf1e&bzpyUBFRVxK3+od6!rJg!ja?`z z)(sr#-!)Sj2;obk>y{{AXJgzjTX%Bpw zeB~zJZK378&=wDtPnJF@D_b9m{ol@Obw4L_1dl&0SD#sgBfR^0yua6Y^)^vk(Y2Rp z<)MrsXQrPC%O7B^gNx2iuykXaS9QMzmirl#M|BJPo$_SgCovL@X6yMhh-6%$Z`PQF zX2~Dz&FR$~qH}_*n>QvdgH`~%_e^^BS+vrRDK@to1H^LK;0wa;hy zpJzaWZHugWZZS+aM8+R@mxsKH77Bm1mZ93JzBaqTJmAaG4x8^xL|>&{LOK{BuVS=$JGzg=9!j`Se_KCV>|o zJa6`_xWJI$TbT{D6h46Zw^G}0YA7ST=U=>j6TJBac+W@XlF_e&9o6C5QsP4H62a%G z+{-hPqXpt;Llix72=&@dD4SfUk zx^WMU!68+xc1KzfjKvjx3oUpeC+9!SzJ>v)!i|MgGr$u}-itNS&T1g?C7bT-9S=;XFU)m}w<_ZZidq zW8>T8FG3N0ucW|gj3p$p-rX}UY7Erv^Ybag0;rQk#E9gmF~}cbos`Nr2@Rbmt~GKx zqpvfE+V6y#!0gQ9*4!t0z^e4@@c}~K_dBsch0g>Y-@p7gMJzu~8q1G!!SdtevHUn$ zEI*FmV;OkNO-`ah;N1VOyjm43uT~Yyt5v}AYF)9sS|!}$@#?*2qDNfmsG`BU+`;tu zTm+mij>@GOj{+;_?)$IL$AK7+a90t32pDvweMr4of$)A0BtPw;DOvP_s1&)0Y-)Gt zMKRuO<(@!PVqfIq?G1fI313b!yTi7F=0OXxOf;&jf3|~gPLscV;_r-rKYHg{->#t6=j>WAn>l^Xp*q3*q)(;O!6M9shs!_x|_$ zi8mh>jjVAck=uY^u}E9_iW$)Ko72Q)TR|WF+2+TDJ_U)!5#wWH<{)KTn;%H<%j5Ou z{^NtO!--ejZ%;)r!27$OgCCt`2WLU@&4M&`m@Ycp*;dE|HlD*3r6gJiZyq#W{|nxJ zDBkgUKB){W=q!4vcAShtAQf)>W)CEaPDI^GA5~ZOrJ&n~`QF?R&VY`ynT&#`W8u6w z@gAR;Ty)SRljHV*DoA~4p7AET1pQG-r8YJzM*3`Vwl{;aVefN?hNz`HD83)~tG6Qy z*_6hvStm!qHAic?t+51%(pQzYIpzf(Pw%N07)Kztl_kRQ-V}^f*%CxEiqVU*EZw~c zMFf45AcNYMIOtRzaG3sFgbq;eW=y*zL2}6qvO`pIbfo=nJ|9TynO^ZlMl z;|4lK)En7mguVn1rRae&Idrz-I`i?-N~A)(-}DzxC5%qj5i8%TL@6UA0##du=-`&Y z-<|17AeZMGQRyqheZI!a8ws6F5MZ-41HLn_-bZCwp!=NqiH$sjyfqpd!{B&FxYZ@- zp;l^yPWc=c9zNiR^0mv8CNfT;=Fqs-bzXba(p>(Lm5}FSOUa#^BzF?#?E*zF3D`kp z^N{4#hLadigA&slkYRcQX-sc$9Mc<6V0r^m-1Qu4&E~!Q0&39qnCF!kDHWnCib?X` z=ov7{e0-QThX@&4Cb>v`HAL@aB~R42Dnmg=dhVSAgu2ZkCo+$(BA^?eOH_H@0x@;m zwNP&t0nkifv>p=!-RK);TIIsfu`lcu$%qwn`Ri|g;;?{BO}EcK34X-q@ny+tl4f9Q z&G2Pz!5J+zZ!za^n1jMV!v?*J3lPgQGry)XfN1TzlGTZ z6E*gk73iOS!wl1JxMTVaGfcl>is?7pG5v-K>_+lS&X!7oz(Bh$hnpxI9={^9d{q(7 zkn=1Ay+4T_s~;|xcqIX`Ipk6jT?$CXF!ZQ{gd*%UpeCo1(}j=D-m%eJ#=!hQZ6&rL z2$714rM37O!hxl1r>}(nKm4GEo?qPsDkDx-Ki9E=n~C+s5x0HN&1?RDZ;A$@$d9`* z95uGExLaBy?(G07ey4apYUrT9?81@6CaPd(@N__8${JBri<$hb&_g%)lf7t1m7(M4 z<&wLNgue5yp@@fRIUrPTKO~dn2B$`Ri_-*4Q1YJHvtQjZVO({#YVtub3JX8tx1S;l zI1k+s6#QNY4^oe|xsR8j#5YDp*;d$dnrtsn@=Gpc;k>r+FQ^iNpv zcqPKbnZK5)M`BQcK<`NAAmJQH)e!Axl?G>ij`DlvBqHi*ifcZc5$JKxei-6N0w3lV z#}7VnMmNYQyQN1`k=rZP0i~%77-*ez=!PN`R?0(5?3N0-A4il@rxJl?hUhUvbpvR# z9ph>WxP+AQ)hLedw4GC#(#IGR_Hakpl^N|c_Zsvu{(gD?QksZGdEqn^+DsbGdgswLk zX(Vb>1Giq-{oW`#u-fnWae0FZrVCpNZ_T9xGThiB6C46cuk&oKJd8%{Z$bQhLI(Qt zbM$pfV<=qe?&E)E5QgP-a$oXU-L}UnrBdU3G@iy0Cen%s^C8 zrMuU}&;i=|=;QVhauRL5E+$>S>;w-4YBWWa5e$xpS5nJFR?GAJgMh1a?l&XzG{h;C-)WyP;hV&R_c*(0pGP z_SMwnUZmFo6CwVSw~74F+Wsr&1QqKc{f^44^0!8)=lUaP)A9fnpLA}ar)q{C!-aXt z>L!pTuW}rssRI2B?|a>P3D6;+J+8@q2ELgXH73Z`A>R#RbG}Qd5Pe(hsoLBbU@Q?; zRMCt8E1}IW{azVp5Bwo*vMvh6s>H-^@}Ag$0oN4R=5z4KT1`aO z>5)RwKka~yRRXPBq#!5HhtEuS(vjyE<->ccs^Obn^g=9wJL~NxR@5k64X*O_m!Hy? zK;q_1U~6zCtcAWUs-M4!>R-jBe|IZ~ZF3SA`|m06v*nJH@sc-$mb|Ol7ZiY2q$P#B zrc1ye_SH@8D_4>93F3=dkPV@hDjVV-s&Ml(vQqgc^bbbE0Xd_LM}Lx0HJgwzowpm% z{h@G5KBoXr6W)m|9nV79h}CG-JQD)$y;fcPk_e>5g$04t4nQ97q20A#5(2ZYT@z{- zB=D(emI)!Quw+*7v08vq>a%&9M`GmyxiKcN=sw&*?OhYib3LS5>lLnKR+Da?## zQGT5|g}xQvV|&+Y0?QJr){3hJ@TlhCr>#{&d~UJnmkNUJHl{aE&4L60rHG<7!!boT zOdqj7XIu|44YiOZB`Sbl`SXH@mVxLl{pP26A$#DyT|!gF-~@wW($5{`J(1l4uaq6( zeHW|pH7uma5;h8Mc9lmQM?>o@=eW+Q!8!Icp|F=a@Kif$U$#)e&n00+^$})*Pjmab3I#8c{CLh&Lzn`qAIf3+ z6E{qMB9G}$WH9}S2BtqD==2RPQ;m7CgGgch!!KO4FdUiOG_=bFL171fzk19Dav`;p z8?Wi1__dVuSzj&O_3&?7=P~1AmDi@fB^oUZ- zB$h0IYw_%k&+%}GXQID8M0O3iPl(!XHQhj5zvkrRwVOcJc_}`O_6p=j-Rw0cs)bq0 zs5sW1OEBRpXF5#qEgH8f-&fnC4b2?O)q?_tsP5*)J#+r%U^Q!76R@HVp&^Qzt>**K zcgtY~>2wvOw2w~bmxU;Nh{}2R{-h=nlHB?oI3Ws;(>{_kzZQer%LhtxUByA`P8;p< zmHlws{76B<=00F-T|317VIO)Tl&kbSW-lzT2|nCJ`=KEE$9sDZ7PM!uU*ofU@AGr*N2=?&7vcF86iL1 zAmwJLM3f#x&>s0=En)++XA*g~>)p_BfJht9eNEhcM!e^vl&6hkq#t}C?ueT6ErO1w zruJHgfK>!!?i45#hX#XH^+)d(zc}>#%4mQ{WB_je+Wl>FW}~AV@Z;`{0qd_EaQ;*@ zgSnD6x_v*VLz9mUez<+N9`@mYJ-UYlKg<#IF|i8g$MTBcrb3O>=}Rdf!Zj-!VovxT z(S764=vIt|SVJ$F#FYcX$yNWA@*))7qIcXp)e_jgmY8r~H3E7`3y;xVebChA*!3L` zMc4lRnHX+A38|WW&Lr1Pf?E9TXXKwqP~@Zbt~PH?c=^I$jloI>agx3~c4|QfPM3<* z^4OCB>)L8Y%{fhkS6_{{p3@aB6|=tN24ZDIa}GUD5D*?j8|rr!bzD^FsEl$4s^soF zp}kJvR<326lza->@~?8#iDe=B)B1gTjL#ubu)4w=au)2)hBZW)rJ|I|50ax=*@%>Q z-;H~8P2jBm)ViU+9`^BFtgVPjgpCL&EncWd38k=a45Oe!1$y$U2 zo!0k$6(i(x{Qg~dBPIdr#%y~ggU{mjYy7KUrDFA~Sgd{(jMc9KvHDdER=)~_;nOm| ztnON&WDZ90szVV;`PDzX7{GHr5Fr3MdoH(BoOv1 z*OsT}{7?va`%lVG*=T>go0f=ID%@%}_&m_>fXpqnbCvfvgFz^9q|0_1ggdO%RWqjm zJ?C+^*6}Oo-nkM3nL8oK^SkBuJA*}FJWru@`&=>H7_nU28IA}0k<2|lZVJf#!c($8 zRHaDD_~|~o2jSpE!Y6;#*$xK3T4W|qBoXpu@vT=z!H3IY%1o$Zy2dVizXXV~9uYOw zTvq;ed&v@Z4AI&Jn~tzWDFXj8qz()elfKMLeJs6yS*pV;H8rcmr~AUMEsr2 zx3MP=B%;zT^YCT^%Q8t%dt)$efBhIO6{Cz%0+@KbPp({60paXUmwf)eTY6Wd2o8lZ^VjLLjg;m1bSW7Y68FzDbt@bG&u?3O!C zJhlW>VL82&wRH_Wx36vbB-{vkUjg_1|9^9T{ySd? zuRa8?e_^L&o}cFYX|xu&QBIx1h06SY9T^-=Mwy<}x8D-G!5tEh?PNb|;B||%&Uk$m zcOHk7^8V*pDUpbk`;e1GYX^GwiBv^8uo<`y5gGI!2n32bo8b9N7lGJfzw_tA>A2^| z>vzL@Kk@2;CwWEc_@^b&YqAr1g}*4E>)nk^NE3yq+NRAF@XKuKw`(i-A`{O1+ZWI`Pg4`pl%hlm(@Se~C2^OPRkztZ{F ze-ei}`+6s10>^sia5{VF>%C}WqfI9zK>|JT+ke2L-xhu@3sNzc8-hlfT*4*yAapP4 zY@;@V3*vVy7MObP0MF{bni}$3lM>qd{qC^5kQKV0&l$JA{h;+M--Ug7VDf0I zxA$ZQMBhYN^j&F?Fa3%+cr_8+C3j=fi6Wu=234fc)pMv|^tpC*kUmU=OK62Q+9K)R zI++nAU2tzCKwO>~fI`YmOCDxB#6M+}e_z=Ex}ta{?$c(&BAJUM@n{-+{x*{Tt2`SX zk7QT4jI|-jA#vuE@rR|}9GkkiPwXb#yrF z!x}S-0O(DgyyR79gwDL&IeJf163*|QZ?LS<1_QFPl!g>p5X=*C4skR_nGVl7(wyaR z-~WGlcqvQ|FM;XdB``g_0;Y#o#q{v1xOrS}$#>LQRnt*-{@EKwOcBsrn(etZmxc@v zUcLHLHx8Vx7Sxwo34%2^5e2ES0g z_E7+X_i~h0j|hL?Wxf+dZn~&CQ z;cud+7r0H(M0O7OM=f!5>25oZlqMf6@Qwt^a_FIH$|sLfMkSz!ba?PpxgapOafm-5 zaL=x;zs%m=TvH4O2kvp#0o-^l$v{Z4U6i+dD6Haqu;42p>O2<7fwF?J% z{?A2mQ>`fY(j-%PTRHIY5#3JQTMiTQGR{YS=Atpv@-`OlGPqin@7b&xfLw&w=9jZi zK~1Tbi2B?q^r8RVx0=>dXm};NrtN?i>>VGh>ko5>meSFiA>_eu*Rst0a!@pIj&!CK z6{Z1ytB*9DbrIaR-hTXoqY%-u$9#T!unMtCXYhF^o{dd6%bVL2fX?y;hTfbL9@o_k+Jp1`0I+mr35EpB}|c6jteux zT^0Bd&c-kKT^^1f(Xf^#@R4I;+gO!6qTm*JKw~>Y0b&&5IguXZ3}?pUJ)=Hb!YEa{ z@m^yup#Gcmh5jC)e}t1a{%^c6%-pIrxUokD-ICk-TXsee)NkJ^t1}jas31B0z55gp zJ?&h|X-{F?eq_9UqBiTYZML#-q+TGPb740PNS{^yY50ijvZ>cLu zsNBK*m>2nbQFg+8-*e)|ofB~Wh0$|o?g&FG7A0PUX&k6cJSoEmRut5M_ z?;(-BG0;|9e@2ho8_sc3bQzv6M+?F_H~bGrL!Is(pZ&kR!Tj^l-$nc}xcN?a{V(C7 zzaL11MMGFvThd3a9N@f6;nf%K{hv=NCxiw_SeCxJKl;o^brGDR~~^=zs5n64%K5-wMu z&ar~hw_VhKkS^F71iTnCGXX{&KK-v?4Lhe!58CdJM6vdLbh<<>i25 z&0SYB_&Fh&NWMb$BNG_?k(hlFpox2Y>sKL;RZ<1ihwix2yPBiE(!QgvOae$F;A+ic zlOa^iXzvZnRfaS7Iz1!~a6?-++1&b{X0XeiS{M9&3+DHF*gs2;LQ|1Jx9^YKM03uq z1?>E_FkZSDwls7V{nOhUV0wEkOm82I>FxC}y}b^mw>JUh$HT$86)IrbLR@_AmkQ7h z)+-BDDI@(vFbq(#hH~}m4PMbQuu3bO#7*RePHG+B*N}~l z{=H#NTy+r`Bjc@#`C8COg3R%<^hU&WSiQ`A{5*k=^5MWGmnukGm2z%iu0zufY3x%o z=b>~;{Nl{d0+3yc8IH=nfIhh&mK;?YBIt!f9tS^~1Ln1LpONs}Fh|Xs-k~&y1QEU5 zO6)^;N#9d#*z*E+J&^n3hTSoRP&gEtVtie&1V}&YpCD4dhK3K7Z`mnZg6^B#!9w4Q zAR%m@*t}2%mCk9m_u87H^0W%RU_#DM*yX3e$Iog5(cjATdr~S$awKB5u2l?WUrXvI z^U=Zm`}%N6WX~XXHh^k^{vJIeWH*~xCspZle$+b;0bVMh(x**3G{g|(PBN?s=8Wok<2{Wd+`{{V~fyFbbpVRrh zft2(2k!3x?`G{-(0=n-3@7H|({t7(>l0lcV%{NYgR!50PDs2|J$B<9E<>L1G?!y#ENV9Q}p;Cc+}P`MP-ZlQp$wW-To25F+NTR3Oie4$wZ`y;{c% zvF0O+#tf{mr9v}h79oHJ9m3fM^Vt>9AflQwx+DX1mk!Zh71Kg*ZhzEm<&=XjPomYL1tj6g zJ8$C)N43$L@YBCH3q&!Vm=MMjQ^I&+q8Lw%ALEHBV>~hL|LgO|*j{+l7|0Jq$JXeK zPx1iWh&*pyngqPOlRtfx!VFnBwyM*c3&H;7-hB_dgh8q>LDRlh70K^$ST|hbh4hw2 z%X>+OkWkgAvm3J@Y)$5I&RNhRV}*@#zv}pL^ZDb+FIiKFDZ|huF`}9$;&861dBjyj z1#~*N3>!oh;lanH|`1OpS2WInmeulZo7KC3_OdmO= zgKjG%L~5ugVf<1JRGDDfr@|+I@k_-qeyJ43FBQW0r3wgdJqoYh7_WcrNmWf>dHBm@;aYbCyRSoHE-%nr@5rbBau6eRq0!P5=NmM5VFYfPQygbQ0 z$80CxKkp#ujgKhV9PR)g?e&Y?&vQ`z-?W4?p`~cSg5TkKz%>}=?7YU@H-zxc&lENB z<=*d8FcBeBQvTBuBp%jWbqtR{t|RPc&Rh;bSsQ1b@eBAsQ`SiIM3EbCU+~Mhrf&$o z)jwIrew>7=n+b)JD-J06sE{?$J8N{fp*5Q+!~|q|k8a*!)cZdi?~lzNh|M2|%^!u$ zAB@fK^M5!$-s^Y3uEz|QAP*~4-@2TLMBckl8`O?TUa3hHY{86TaJM`g0S ztgW)-z~=ISw6vKTbe)@KgtI7c?{9eh#sBn~VwgUY2h(RtVfsu_OrObz=`$@+cJ5H; zd2eSpcp*5TZBQGY9Bfu)_j7^^-#PPaucnlFY9j{IGHBXSJpi9~^LNrgN27L_yyuDYC0MA@Hc=r+9BcIIUFBNBmQk z;Q#!Ps*xoK+zEXZ^#mSy)D(42yRIynptsRslI4TUzHlJniJ# z4!a}?zuLm;Z|&+L;<0NKH@Wo?ZFbO>U#A4bC@Hq=-zN=Ij+w{YpXmeb_VQnY*)+&& zv|Ma)ByhEcclnfAYEYcmljm_J;fO@f0?vrDKGvcI9m(3vZs8si*x->?%3Pfuk37VZGW z8+UdO#9jr#*xB7}>t{%E&+by0S0J2rOTX9tz65OP^)D^PmZ9A);{4qw&am*PfP%8K z0#w|e?}`>(KsqU>WJDvlpw^2}>+9kG>WYQG)hRm2@N%4XKS7_&omkl)H^vWU(i^6x zOzcozhWg#t^gvYbUO(ksg3p5WM%#-DD8)DB)$X`5#4(L|RdeQEd7aO2j`xRs(WMT8u( z*^Kw`rzs1N>f|wn2OZHI>wf$46$3$l--gMkqTRFYmZ4U48-# znyg7VgHPc0JK((@yyNj+KVCn@V1k8W27zx^X?kQ!LRA9ht9~bWZOI^Q@$QN|egni9 z99*ubB?V*0MOD|v#4+B!3C7#k!+86S7;oPQrIC zFY^h#LAgWzn#f4NNo5|Gm26oYI$??meg8;$IR_gc7VuJi4JM( zKdtg;iygG(9vK&}v!P>W;&l@a(8JjyU8l~bse*9mvq--#eh`m1DVY?ihF(6kXEO^l z1Cu*LR5a>l$jP50+lgHQw}0gSb{+vi)A&Le{%8IfUu6fg*|iPCso3e|a? z6+YB?==d|ece=kSKxlYukYT9=TVEw?eGRbnmBrRq4qM;#G0`tUOV_cdg(c zTexRrsyE6Xvb2(MbAz3p0>RaN7Vu;6$7Jq4E6^Ifb@>8|JHneEg!jCFcYeIT$A8bK zGWL8D@^=2``BcQ7PlP?6GT8I!it*3gP&tK%-Mcw6pt!hLb9mea%&CN9UJIT=Uvxe* z6i8Y?&!a!z&Uc!_KVCZC@n+ck>e&3c*!&jQ{F>PO8rb~*eLP;h+2o6-4WeUz2K0z~ zUcM&(J#c-d*KmX7AWY9YQoaq^7}z6y$M@&G%>je1-eC*k6PW*31M~mtWBy-R%>OHg z`G3VR|E~n#&3_U5=J-rw%M7AN3IzC%8^iex>%}SdFm%5A-H&l1ePBE=z~!TF3cAy$ zQa`vGgD?w4VwsRFC|4A`d0XU7Xcer{Rh=UE_6`LJ?~q!-;HHaRQMV83crh?L@!1T5 zqEA2H_t+3}YiE^jzX?I7)-IAOXPCmlE3XPvCUqcr^OY94vO09X@|`gg)C0J31TP+p&=fG6w2E~im91!1oHOMxg8gV^Jye({%4EfP!i*!|Pz?1uB z=XJ0%tmszhMCR(k{+FQSY~v2%I~jA@*3Qsw%dF-XlZ0%(`@Oelc13G9y$-I~x})NH zw$kU8iEPAuY-%kv7b$6tlw`Abv%Zas|4i5Cy&R%6ZRu6tkhLrU<8H1>1?Vf05 zEzp@*8^0gS2iKxMN#~t*MNC3%YDa&|z^ROOy|{tBkluaw!aEI9)HOHxAwfwBe%|Y$ z-#xHC5OdS}ZyBQ`L5FzZP(C4l$d0mJrYAQ9`H*J$v&N`H{LS|+cTIGmJ*tr=oWR%o z+R>;g#-xY4A2j(U#n5(IgYf-TsdQmZ8pv5n^Gbip!6yB&B%SN}$Q7FE;(BGF?clZb zb#5uBkQRCRIb0NsCUs{5Y7LQxjoMr1Em0_{^?6&ZCIBjWMS~@urU!n#R7+ME^rIG{hTgvw_cje&lfHTNKsDaZ$P3x=JyM(ttWetR?LAbqvZ*#QiR zK&$6}^9CXRa`P39tpn2 zdzVPA8==-4N<#W01ijR6`HIbh1%Q`NWuAEIbd`WK>gAifUOFTIf4Hrxj~a->-9rLv zRW@QEdNNvGl1dN~v>5YcS_u1Q#`;8%LIL8D@c(%5d<^t|5Sz`FN&pAWHzLD)NkDPy zSj8KHA3E{M=a9+)0++et%Ue!4Q>g#dhMtg_K=eThr>1rn@KZe-6La4cTK|~mje9zR zI(5@>$b2Hc>M;%xu|WUv0dp9@FkR9~4?c#Xh9b^KgzkRGg@{`;2O*a{Sdw^W3}JA`aXrpbAA0H2x__jZ0bZUqUVh*|o+KaU2RFm~;QW{$oRFXL zKY0X_m>--AB-bU6kE?rwn$7G^scj*u?Hd^GEDnWHGe7Ut&p}}Lu~IeGH31Z_xN)hz z4915>b0SJ=OB;lpM3gR=%x;(-LF!w+o{6c7ow>O&uvlKCr|mx zL_%Nnf9gflSiOi6s~5>)^&&E?Uc`Xai^wtk?Fl$$Jwq{njtv|mv#kgBot8HXL`o z^wkU3H(oESP@UoH2QroJ&^D>~=128uL|#9`oYfr#(S19=12puJl#_}~je!dU%(eSg zt((F~XYW@|EhG4u_Qkr>IUGqIFlbL8oPQb5I`|cv7(wbU{tNN}<{0l(6yu|cVtiCF zjE^dS@lj1NKB^GLUuDAdU^JK>Ocm3EF<^QyI!q77jyvBZeS;^XB((LAB=!ahi%t0=S@cM-Qg+W-5MXGMkt>>+o`8n$N#(iBF8 z$MTYJINqk&v{RjrEA3=}xBLuO21l9lb z@gK8vSg#*#0Kd|-cfI?D&@k;C+5z4xKtj3}x>?l(e4oW9lGj?0e7ycnowmjBT?Aq}|{+k4G&|F=Hpzw3Jq$p-?O z)kT1fqT+Q(f@g#>9OaT3VWU@vFDisd!9*v^wf{2A7zs8&8Vn9W{)!(TA1r6Q3JU0)rWaa%+NLeBU&2c1dg_k zYw8hUbvSrt{#|>wHBuWOK@`P$AW-7*N9I8YGO;_*8r|&-tSR+j!JT&Cm*-dFs}qcr z`?*i{5Ke`{r^kN&jBo+Gd>&1wrvAVq(#RqGm+Wo~8C+iYCj2^{61-WzQ3T17!s@pr z^VSdwXeKVUo$fgfj;h%yoh)qNK{0Riu0R8oy}s(NB+Le*1Ig8F0}PNPuPZRg#0}4E za%rQ|n6W%fDlAV^9?R1t$MQ7Eu{=$FEKiddH%|cXe(Uef5PGvF7;)b-pEzDv3-PCi zo{H|&L;iff+ZUb=#7z{gxNTVt4|VwVKv6NWjtbt?Vw47k7mv-45)<@-K{ZrQnCy^b z)UkyZ*X7{r`_2eIAqm3ySjXKdKmyJiIg9PadqTFcuM%BRC@@dyJbOnS0u;tWPkY}e zqiebzX9|*n;F5;To^ZNsgg2jbORq8BOCT5)RTau3eiQ1ale3J&{kCXKwj;rHofEVl zi-}xXvqJNaKM7Dpx`1aKd7L6?Ih6V`e|r&o1?_8br_`an0MZSLg7=7uf#gqaloVSn zy16Am&nsUGNri#U+?1=z=A`Ux_ERSi$s@+*L6T?6rdI=4xXV<)SF8V*CaE40BBRod zKOqbK+0ug-#--5Mf~Hy~)hQ5*X5E)->Hxwr_8Tc9u}DSs%g!eO83-g_O|;G=YB z!*_Jh;{z_AwV!GbIQ;69rU$eDwZv8!`kJB=rw)EeQbImwdFpiE(tr2YI~lv@!= zej)+k4MFCqPE=^o@m>EZc4JiTIKFk}jR;J(_&p1j76%5R!PZnBQE*S_Q5O<%fb8Ld zH`nqaQFYH3{^Q;DP)4!*`?`@GOfEmWGjiS@Rg6&d%{RHia83MsmmnXcC4I%Sfy)~u zO6s(-*+;^I)|fcJfbw}0B$SN?`E5TR!sIhJvP+>jSUGk9;W z2>cf1@L#o*hNAkvo$bfe(3q`Rg@>j9?s^yA`alm&v(?!T(%^LX>tJ7v1USx-y?*a& ziKvonJ01{p*^A?>SF7FFV4m^Pr`2F_a64-lQmh_|rn?(Xkq~_6R;$Jaou>?9F z<19A#EjE6Z$iNMf+=utFE)#NUU-gY`zA8f5{PhyzW4(IK zQdA5P)!(mne!vLPoMtuKL0oX+@wz@op9rd03vhY7!vZt%y$6ZISwT3}%26Re4CqgX zWN&qFz*0fdhbw*pa9xZjJcGsVuX8R=kAouZ{P+1$1X2L&vK?xF8mS z>ncg0&>=n8o;4YMeZ<9IT8 zd-^;wHD_u#9{vVWS>%WMqsE|AMlwu5suRj8s=rNiG{Wi&s?6DQFW>-?zvlPGBvh}& za6(;G2v*IRDW>Up;CpoTrf8=yoM}HDFeqSx#EuNV*Kgwo`iP$y8KqnVZU^_Ri}jvR z#l0c^w?Gw4WA_d@5Je#Cd^s)WK`*3!p*wg#Sb$q0?W_6rAgrEDj^!PYV0j1RSl$6S zmUnOz%R7)pc>NK0^XwFAI;)CSHIeHL4dDR-4>0CUAAfwmH2Cf{c_-Q+2_#yM_EUGY z(6^GeT6rpRknxewQfVcuyKoGfA>A2ZZ$G|Yk2N2ZE%n`X%kvT4%og*X1Lxp2sicYi zi&EVA+J+}o^Es_fA})hJhyQHIpxbZjX}<3_LDOU04&Uf?0qu>PIZvkw5=S2AM%wDZ zlkMWc9g#4UE*_vp9qI^Gcjj(c4(vs%hU_2Ss{6s{p}HLYN?kO1%X+FjQVRF?ZBXL* zlA;h3Bur$xag2ovo-#RbC-Dmdmyv#UhM+LaN)O+35a))HuFZAwVG-~a+FpFLzzInz zZY736%y4VS`s*LPxq*{TD+ioIIiTwU<5r3X8!$+OZ4a<%V0uV|)gQ#M`hz@He~`oK z4+dEMK@zur8E+neoXxLS#zYRV%0Y8EkJlP(rbJpJg_6+MH4}R_!oTlpGU&Z}!5X5{ zQZkqO9YHV7MnXnA70Bb-+iD`Rkkn&gcJHK!~8m>DSr)irB z6PHPcsV20*b~$)ug5Y<5x{@cg{!SD2_67$@-B*Fbk%jbYLfY_*m+qW)gDP&`BVN8M z-hP3RmJ`#B^*A^@$*(c-EfFofE{>3_2_xieFQ0XG2?2{opEhHzWgx25dwo+%p^%i8 zpHuQ%74-Ir3m3WCAXDzPzi(X~kkPHrAA;vjf*jkJ&^hW;$oo8}F3}xd-0zEj=c)hx z{NSzs{No+{_xx78;}0Rd2D>az^vqfLF3%HrFkjK6^;yt`0=wnj*L-Ry?CzaYCL0zI ztu{UCC~63u63@yT>ggdWyym{ma~V{y>bG1S%m4`|Hx>hkX&~M#j&)^G0D5!e1lc8N z5Z?W8w!YeR>sCB!-rDbB0%r!8cIWxvHXUBNv%(!{u$rCQ~?8F zIw3^=N|JQdjTRnptz1p!VgwG({q%)Pw7B~bWE5AGfA9xG!Mdy$O;ZGcBb;}*bnHB8 zF0Eu4KN|z*UbU^uZQCN}W8X8q7xD8+@aof;7h7s6!_8sJy3ACC>Lj?0c)u1t6^X=3 zW2ATO&7tCmXzdAt|GnHmb?RKaCBz)i7o;cX@k%dRI43VlK>VOU&$)gJ^n*@r?86la zSo>tbx+2d2R3(~PZv-TO*uEyK**^p_lQ*a7-}nM&TBYpIra}}Nm6-4-G6?1jMtT0w zxWmh2x*I|7LU7;DuQhvrJUeFs&G`lsA8zY{@cmJ-ODDt7u@9EqgDWQRyG{NzJFNj+ zQEUlV@-~O+dp=>H=>^L=8Y6r5JHzPHgxoLsS?JjPpNq)^e-Ud3Q;_jHf?wuySw&Ed zKhSE=#u#-vLj3Lbt^@O?aA+sHhIS(94- zZ_!fM5Og}U8TxH!bm4Ab_Ik}rd$jWEP_?p!A@rYmIoPXi09$XHtCEA9G5snLOtIHQ z)Uoct@@u%U{F>c?it{79i$eRb{FEs= zvFz?+3Y=y3IlXNL$k=y9JKu@(~_F zAL#P`$J}2=RrN(}+%TZ1ARtnb(%s!Gy1Tnmy1Tn1B}GY<5NRc+f`nLzf`Edk2nwPg z78pF|y*>B$|9Qu_pYeP?YwWSdK5Oqi_ng=DyS|JT^8l{zUw#QMdcy27BrO#yUg#SK zG2^_$6Sk>vY-568Ea|BLJTfBEt?*nIhNY`%Of zHebF5n=fC8&6khI`TF2`J#k$>7RxkvUQ83#f=mV{sLYXpFJrDWwK{y9xklT2pbkW9 zxtDmR&5^m5*`y+|I#4wB&HN3}Mm;5G>?=BcD}CA=cwSE}i}8oB7&rDvfY_d~V5S^1 z`s^V{q24KibN~F3XopGong)cmBrleoP=-soHwfspC6TkGTdt53CSUU#p~L5D6&Mwi zFUenUK@TrdoD+001rw(IbJE|8fZmVCDLUN`Etw@2AE7mXjAW`8FrCuD$e~PRB?r4 zt2_{-osG&u7<}Q8Sn=#2RX*|;IwPcQ-~->>?H;X$Yrw~!T$!f_FdUiElMQz^D6sQ- za_qdG0z0oK#m?(_u=Dy;IImyXULPyvVFKv-BpNPE3uT2bvSVK1cdylvFFg@;{L!SRmb8UyF707Wf6Rb9 zW?TA&<^Se?{ombRxZaPMov{J=8N#4_=V83NkpSp6v}d1wqm06jw%h+Hg_+Woz^JkBdCWv3!cYkDL0tPZ=vrMe&u(ym?z$0Y> zA)L$f94AR2&|mkKfeMwAqv4s>k3PTcam_3pr?IM=>RzJP!PCBgZ^# zEFny!h&0by2VSnx$mXR)A(^K{AIN>Iq0^*D;zW%e;C-fh#M);8G{+psF6pL%QR83E z+RP;IX&gHu{yha4qshDGKc<0^{5ASF9Z9em>D9*evjO4Cr^1z2gX{5YLA&=pr4~vg zFvjOgQUc2dqbt6Sq(ChtbVQ9_9$uX7bP>C!43bjL%ObCJP^H_vz?ET4j_bB>`I`^M z=!Tu3HXeZ*@D4C{1vV-{>C)*ZT2&_KgOLBk!Nf2uOM`RZ}3=j zjRA7^lg3kTGzSmiJN+?a_81=#N8!p3Ehy4+P#6I_X9>deu&aExo$Qfjn)o&!t59{5YxU(e&DPnN?x+K@-*2Pygdtlw>YT5iNxRs)lu>w zVf^jk?Gi6UV>f?pIZ_ouYW3wO))DA+j47UCQwKNgh_`PUGmu0q%l)Txewg|Gstvt( z6yz=1lKA^&qQvB=VCvjpAo;FrBr_O=)x-aH{UomQM^olN)|9q)Nrr7HsLa&PlD4zyh1lF`{V-uKLw)VMu-;CE$G6d zOMHIkO7v0r6@Ae}X-yQ*(;${cR0U32(iKh16&QU52cG^!2}Zw9RV;r)1Iyn~#PT=vFmBW=7llG~(3Ip1RAJzR#u{c!Vu>xrTX>sK zuGj?fr7o6x)fphhjfe@F+iKvKO)O$`hZ4F8ch|NCl9Bh(G?N+8U?41;uOL1j4A*av z)s4=0BRsa9=Dz6w$N;~fGp|#iJ^7%=)20HZYHz)DV!nj#1s2@o>C6BT`mL21mSVJO zuKnaFCT|hfJP2I_TXOM z=3i>CdHa@}02d~Q{i@g9Uxijk1@Fd!e3A-?T>ZTE%3KAK1GR*EbhXg=2`!P69IT+j zv>(#{iw!K@gx^SKiNp5|w@KsE`e^a3r~}O`JG`z8Z%Hj<#yM{;yr!|#61hXbvtk3v zxOlX2d!Q-aF&>`wkN75F{8#(3f6DDKIa?O;Uj``{opC-NTOKL9h>c=diq6d&GzU5O zHJ-~s=AN#!U{(NXj=r+?{M9-5Ih)ayB^(aleOBK>Qw%tK5ZhQA4u@&<&+tWa~1MJNJ}=?1ibtf-3i+o}EedTo z-1R^6ky#Dd;|!?%jCssH;M6N#7e437+jxx?l|5iW?uF?NTB8ZmO=w#-;%G z*7()ejG>XXR^tW%ElLQ*>$)YY4d?Fl2<6^Y2iHdqcKS#h?dZ`IhhX>@l#$0$T@18f z;qa0i^?@g1BM_{=bm{^k&y?sa->*k^DaafYG2CsAtr>%X>JH$=7c+etbrmtvs&HqJ zUB&tNkL&vaSDp#3#~;1nqm?J54Tw|qhJKwN=r)Sf+!RPc%oE#DAqP;%AV5IT_P@1&b9Aon1IJTl2jUkEYYO#|bl>`QEr* zpMUz;ls|gn8BL=ShTe(d{`r&&`GyXcFdj9+XXh+Pg7@MMXKt@b1#jE76!7 z9|>t!ix0l=>hhzI%ETn})pm<%hA9yE`F?ziX$Xe8dmHCF9TJdHkF}Hqbubj3>WjSk zB?TqdoD^6-a7G=Gk5aC9yTH$@Msd8Ez7R-9c=}{q2(Wi>G;4^O1MLUnXEV(P=#2B7 zmx*f}5Jq*}{WJ?7u`_7p{cZ3^0Bs1ms@vy-dV<4+?tQ0C4pA2PrB8jeX-E;I*;Q-+~ghy_w@!kc?Rb~jQKQm0tovg6)_y4Z{m*5Ies~-`A(D$dx(2?LFe?#VnhA&+FdUehLl0S`R_6&w#`NO(s zkHdJyF-RI-Pz`8Mf0YMiG11wnB_$9~vd{E#l!j8v^LUj`m~}IV)fS_-tIa%hMbAqe z{KcA2EwvshrLXdgq}T8v7oR#qx)5%3|MJb*zvSv5@`gG0$K6oWVWWp%BW({4pFJme zDCC12`s6M5G%*~jxkW>7QY&B_`AC}m%L$x3>&sm63!r#`hi96g5gpcw4rN*uV_I3p z>!Q^KAV>(daVn*#%P_@%lD-%+3=efw)MC)3wzqW=Z1J#`=Cn@XoeCq;C95p`k%;xK zo_r8XBCOEbuZ7#?ph2;gw7q#-=$^h=^n~9F1z!JaXw>KkE@HG1N5Kh`*LC^1+NeL` z7oOO-h4HoGI?w&*CpE+7MH*rAA|tSQk>=RENX(q~fAS(NaPH4v3yX?}PI@>@-yD%) zI|DlERgIz6{K)MnPxS6O6~@PF6MTD(4SAY9_cn8)0ii|u50p345p~6=^M*(vcyq0< zZ2MnADdX?=vaK`GXKI;XZR1RsyjEqD75=|Gc|%lFVBa|URub}UWHUTu^+4g(xwHJ= z#UZ|bkM@|U47BYCg>WetBbCpYT2edez)Sgrd;ydDeYLWwoY77T?i{R%++8k*8%cB6I&__U4}5{oJOW!qX-Q|{?dIp0QN-X zq#~Mw5SPr~o}73MrI$Rd`qfx~pr?8JuYEn7d)X1M^W-*kJ{Z30?tKN~SGU-^>W9$b z^@|d}!X?lvrz6%Hp^9Ld8d+lI=!j^|$?vasD#OGiAC>e21f9$H40BAXu#i&bO75o) zyUH^)_dh7X35Ec@31S`ePO7Yl_?jw=v@_&|3n+uEV3r=Mpe6d3r^$lN(`3cwX=-5e zG#RjYn(Wv-O=iG#K8tI8OM@5Ka^zVqr1yMzx`5h{6x8J)Vss!FiW`tYa3<1*|Xjw|Voc%T*;OXYJBe7&M9B4Ej+o~)^b%Cem0^X{l%L+9#Z1-g0 zVT`$%t1cTn5mvMDC{cjUY_9nCWd_LbV6JhaLJ?9RjwSNsYiF z9$(eahPta0lIdSu22BO!%rG9rWI66M89W}N52>t!HYj+4z3t~ z>jk6YeK}uS&=5H+BK_%vbG=l*!z9t8WDbw19&X_2sseASG{bSa2()s(V*kWTYiPWa z_k>nn3DoMN7Eah(L(TrHmU2u#_m%LOEl^2;{O9&Ly`(9qz(m*dR$nUoqE>oNRp^U+ zZx=oH7l=c+=Goz@@B07RdKYK8kPD91AlNv+l?~=lTz1_1$FLRbOIuX$uh@X#4OZIa z4s%d?{1pUqqmllN4F&o4fdL$wt4Xks7pLKXR0-hDQZEsUL z2;Cj({dkcaq;HL8P|T9T{`-=ay?IvT;k}Vw`+ykETrc5EZK8maKLy*H7wFKZ)F<+5 z%sjAtP4;JA1P6p(7dW=cp^Iov3b=fYXNS43Q>WD~bHTl-h0=ph?C{t{%xSNw0P%(T zyr6m)3l}V7fn*{V?rZ#Rk9=4QFLpDWrK?+z1^Lrou9){5fHtR&+4x+uDue-gttFbUDLI1OY~$^r?kq=0L`t}t)x^Uc%#h_r|le{87; zJ#gJ(rr}J2j6Z!LF_+@N(PKL7m7ouL?`pF1`ezL6as8lV{;3YR1O8l(3jNXVGg;=! zS2f_4tbRq^R~0zlpK331*#)|sn0Pd4)v*02b40sN-FuW%2nrRwENsW({*JHYONq;D;qY4AA_n72R;m$*P?Fuj5GBY zTfx|7>rHppW#m@jb3`ys8A!KJehav&2yST%vujh%= z7b6hPyg^*QFaGfWC80;#q2cRYaY*anpcQqoM5^Ki0u|KaP=8p-9aAL%M>ZdLt?x^~ z?Z)ft3$cbEez12@@Q)#EGG4R!v!H~$DiZzQjp)F_k&ox!^m!v~#y1}Xmh}MRt)5dc z8$;^fetc1qybhJ8wCSCwhQVj6&Uu5(;IT8^(E zz9W+6>_YW-kLENAR*G>sc@oV_()TF(e6M-Kd#?v4x~Rr zCONG^K6y4mq`(k%qpsa#yd8x!Nj;+i*34nx<6Fl&7|xqVs(-t>g(c3syUsbK@0?`% z(3r;?@kr4Ly?1UH^48ae%%I)a#a<(5C%d_3x$KPS-QOH?S!jd$nNZbp3k~4XpUa-= zc@5$1=;*~|Hvla`n8q!#dI(QvwNNeTLU_B*o!?vPVQ(`~@I1!1Xx6)U8}_`3bqjV+-CQ*M=St3rsd1$qAs8?nQqyytRZk@ z_LcY2Q~Zow@=i9xj z>dkUtAy`hG!H`KB9 zhC0sutABi||9-zX-smfi*A7SPmv1hXg`J1Nl9Ez_(E=zicD(ViFdr^Y<``3lw;_!O zqOK;61vt;w#D7h%if|F3oq-!ic<830y;KO11{ z=OAqTtdFgq4YBp}|GwWjvHOi3yWcdi`;8sD-#D=QjRR*MRMw*-p^SuLa5R%uTHak0 zlqaZkKYy`6FPt`M?)(;l$3&4s{Z?X-eAQu#z)u+b@bH-jI5a@r=E+<&sT#~tjqk-Z zd7$gNYvKKvdQ;;B#mt|zLFzsQf}UU5klneC`lv&Ebc&(& zYD<77Wd6ZW!kUE9yGl2%nj{W5+`gEVajPDzKli&()>OkZiKvdxiB3cm*m#q^P`fD(K*G<+7JqN<@&tD^k_16f& zzj{L%TW=_1>kSO={(tHXWo*5ngsnH6k z*xfUL*81`k(Pk4UW_K6vZnPrvVEI=SZ&P8sL*?^n*9vr9_-pl*U!^$rC;#zDj8NjK z@5Jsq9GH2C&AJ9ZA26x$D`g=*DD;db+P}jIVd^%l?`iq5enVDlKFb+wJ_{!{pM?dR z&q9aIXVJvYzzz#o$$Adi6 z#LSN9a zZ?r(kTRq0c@wVRJ8BgVYoDmt zpjQrA>n!q;K*@jUuFD%q5F6KedCw2QR1MwkSyx8HY8=PG&@BfI{A|4+2u{O`MRwlF zSTZ=ucy~cGUIHnoeCtpCaT2IJwekAf$stZ}nv2ep1n2#RD-Rr3efSr~pCK>bq@d~0 z6FGSj4p7u~IZm=77_mjp62h7fB&ZpXTs(=<>A#7+W!x194W?=R25q-6ImG_H@fo+F zrBajO(?&nMEM2nEUA~1(LlPRl(k5gy)|fl2g-cpedr+$? zUGqtbMAM9K0w32WVYvEiRzob(C|bLdxBRadvO3Hgi{0HA*8YQ^NKe7t3M|8pWf z+!5)28xzT}0GJc)AH`7bwi{)^#0|Ihqa2s{79a4r95{ws$7VYlK(skh zwzLJlNRDQDB+bzTc?Zpm$#A*A_G?;Nb#e`m5B4W$m-L7G;?T--${Wg6tIkep7NQKk z)-rNDcer#;WzWXP2aHbq(6h-8fY-7qpJ?zM5Yg4Pw3iRn;HVe5u)MtmoFhG+zci%< zey#m~2=Sbd=%?x#?RssH%cMU0^?L$pkRU9ZAoYV*qg75)nFK_75Mg`nyf2h99$^%1 z@`KYXK}}(I{edjz(aEklX&@IWwxa8h0Li(IPhu%jsC|W3rbb2#rtaoaCY>@w+Ru(S zr|gKsy(&JpQtMQ(9lCIZur?0*6t=XfyE4(c*DTd4vk4H-UoS3ghS@)g`1xrPrI`FE z(_M}vWAvlcv7RTA8|Zdus=TyBVUK{kt(}7x!()>q>M!MnEp_8lPK218iUF5-3k)Ai zhk!|=f!hKG2)N`Qsdyot)rb>zRF*KjB~wulYm4Eq1olAh(KHxlm`QdGf zLUcpMtltzKIYi#V~M>!rr7Hf zfW1Cu*z-5Qp1%h6{H?I(uZcZ>UF`YWAQjD2?z34KK2yK`0a2I&lDVoQU@28K)b$%IW zcX(d=;*KFYhQA=#MIsB1eLFWEW@~}J?V0^Le*>?EQr-7 zP(sf3fxvS|awxDGexkoAf!Lxny|;x=!OB=|7y%sx29jdSdUx&A|9O4lWhumcTSXq+ znu3a7r^~_EMnqH*j|+07N#@aXlY*CL#-oe*6o4=OYpNv!CI^IQf>Kn=AJx9qS`ftK zg7049O8;%{38cyS^Gn;F7+r$9Yze(HOpH{D6ms}sdENhAU-3_mWPs&|Xk+;y!B~EX z0hS-4jpc_JLJ1eAKunA>d}O-jY_5;l7s)rMltq-_D$PcBU9u8*K1(zf*i%Cvua>4c z-IWGh{qG+q^M+Vgtl++c#;+e07@gUd!PB}Y&!O! zuJF0z0VW zjmv@>hcSGCuPw~egL=@J9{8Jo+zq|@taq5W<%SM_=8Z(MU~(j8-Lk4aSOGOlS$)ou z77VA2c8}Pr0h3PIP3CnkWP8Vz82`K$y!xw>(5s>bVFkxTFFWY~uKtLpFTRZ*+fG0d za;2pDQ^}y?=W*PRGyxP?s<);Ds-S(NA?`+{3y?F~l|L}8N4V-G$`~D*7@s5~gSfQ& zR}AxzmQX+DBPS6|d7p_&&?P}1(R;ph>R9*|^2uIKG#1NG`|o;~mjvYUGx0V+I^~ri zvW?0A^jm$lL1PChWZ$CsR4rlVJYFh|lh+CAuCrn-$JMGemEG-#4(lG{x*fU z&oLL&n4KXgcX8Nc-5C8oReEpchCUE$zj}uM#|PA_lIX72o5E5}qx1285%3>yX)mr$ zK?=fe10`A?In&B|9{u>zxQu(J^z3E|G(!E6!TTA%{V23 zO0s*_`CDzQ#UJepO^zvUR$Fo(y!&8oCdx8!fBU#<_CH91ir;MJSUQ&f7 zE+sxSjBYr*dGqee9zTRZEQ*hR(L-ql<-w!rGQiy&f49?19wa^I^e0ctLHyRCb8(Lz z3OjwB`qxhdz;(To>N-1_d=L_h>F=0lat6~s)6$Fz9v~*Y`SZy+S14MZ5N|gQLo{Vq z9?lYD^zZ6pf~p0Xkbh0U&Tq53Ub41?;xlKpOJxebJP%Jkn#1i1iX~6 z5*b{hNBCtG!F%r|LG4u16VCVdP!sjR0UqW$MDD&@`h*6+o3k;lEsIeh9FHv>>K?-8@#gO zZ1(iiK7egsq6u6}_}4nQ?xABbi=(e68iDUsFw-Bi zDecUqE0uRGSkU6jZqe32pcI9b2 zqA`429Qkr@-s*rE4R-M1a!1t}L2cB)BlL)^NgWBq*vf2^Tf(Oq z)vgLZgeXqD+aNo_2MXc7L=A+pP~XR;YSWhp-|F%=#0#_0i!*9dHstA0b}->RIhq0` zCr?GKJehT_qQv2!hagR+8!C+OX%{&um2(32Wnc=?RN|;FGAD{P<=l_I{+s z`Z1}neoR^P&yPuo^n$~hHcuD*JL-*FYZ$p7;G^*DjWM~ZmKpAd(uAPB-?-__Np349rY2}h4Ec# z);64Z__)?Hsx}MfJ|EIUjHKhzkiG!2O?p*Kb(;~4<;98`Z0Vr!$IunL54?zP6Z0T18b zSTZ7VLhQ3rRc#VkD0F8a^!aic6zf}k5}tJfb-Szgwo}qjEdgn)u|^7HtS=K$Ye)gH zny;JsyeDjPi`-R<3x*!G>SfwUXCSo~s__)DN9A`Vb}BJEf#3&K-Ld=~=)wBfvhscp zJi9hsl{?XoXsc@0^9@VU`|{wp=(8n={OsP+_*4(@4U&wkT4VGb$In&e>M4M7AHjK- za0O8KA=#b%T@Q(P#<9p%_SpAWOTC=YTJwM@uUWjPRsvQ!t#H;MjVdBbU&VqbVEV#@Vp(^GnbCi6YoPy&SKK z$$t{kD$fYwD@KnBV)QiX@(`_Q;>ywO07xY!ce!;T7k;h2HdPDEgP^rjfaHGE5pslsvQ zH~!0ORzoD6#cY;eMWOsbj|gf6kcPE`@A?Je>eC2@?16SA9RJe zxn4ux`>Og&OOk-H0{C<|$kqd0?&Fe>=m7!bh{9){GlEAoAQZ@Tq9{PR9PDG_h46Y=%Ef>9)K?x6g zKRQ#2!P^e4I_GU+5RUZIkHhH23wNt>E~yE@s^Xg{k_u7y8+o(gwJtxj5k6As-D5*$ zRx@cVG=jh-{9%P4To}YR6~1q7>!L8Xq(}RfwTSSvEdE`JI`Ew^q}{D=LZAK+W{Jk8 z0TrJo&zRhG_&BOAGqzBM%x_k5jsKAV&!>H&EUP^5iuqdblVMCQygpY%P_`uG&~l3n z{t*PZcGaBcT2e5|y!G_qwlGv7{9Xq&0>AswrKD>z8u0wUV|zgv4p=Z4FX%j7b_Da5rAtxJI#v)a#|}FG}oIn zROV|0M@z1lihOiNzE`*Y?!GjHPOEB{GGb#;+^b3tYcCB?zz{6m#*Goql#XLT{T0ONZLf8}15QHrTo$jFvsufT9n@zbN- zNx<_h;Mw5eb)@m#5bxZvcGx()cF8QI0(S6+6FwaDBAOtl25zcS_$C*b`g^$)J`eg+ zyf-R<6MM&`FHV+%x!w$=cxfEOm!uF63&o*Nl}_HTX`&a(`qXVIX1S>w|q>GSBM zO#Ou`_alKmA5#RL=7sOP+a4WkW{5&kn#hun9|ZNtYWh;Rf&IY(G_=UT#l-0PkcZqL z_dUGWk0=8kHjJ7$Ju5=?LQYp>Wn55bB2QoA&1{ey+$-V6!}txfcsms5^Ks^>;+ltr zYo3~+r8Qq+kQ{70CFdob!Eo*>bL0xoNx@+F+k$yMX^by3G_;mp8>zK5j`7Hg0ItXP zlATVRuPcBBn>@kN+!8cTa+30EaTc6)WzcdtpAA(SlImt+avVn6rNGm>OI; zFf*K5vqVNKk|qVGRdDvZDN1bnskgqm@wo~OTnYWX zr!V&lQ?d0JQOPzz+}eTilYcR=eg+X_y-d7v6mC#m6a6$~$S9bBdxL0t5v z#C^Ncpj4Q1^tXUG$mXV-e~Xs_@1BEajlohN2tu15tt7zX3!GrTV1@H~rL`7AmW)g^ z%&KeU(^80@4Qi@RoG(L84qhIL!na|VSdwAhpc9qv+bF-{t zFL?IM=Vd`qrxuu6pTzLeMSJVbFN#A*P{+(W5P=!7*AL_;L~!Ph;hLv5{o~35cApSP zGP;8Is4E@WnQeG{XYhne^xQP9c0CxMdU#7HK{MKsSw1--Q;bLjLMrHMEs=%D*Rk#h zJz!8~zGv5D44%$Er9S!_K>m8j@i(#7==N;d5&TpFtl#;+=UF7Fut%KyVT<z82Qs$?_u13!k!M$MwPA)Hgilr%G!M!H(N%euq2ChF`<%!6 z+N=!N=9iyq|1Je;j#fUl?lM3uwf&O4%n@xf+piEwOTx`N3;}Fs#Nie_nW_1%1@d^c zV5y}h1{D1^8-t}1u<^HfVZ99VdmR@6yVrj|e_VOL|L^33h@dNj&VBY7BJg90T7PCv z6m>Wj{IbU6b{+n>6~+Hb5*24&7M&*&h7ivd%`kI*xWq%HIX2G)iH5?zOuri`4=pHA|{p5dn=o&z+8f{B*&J5kN{GG=yiGj{bB=rh##Rh@4Frec@~taZQ=PS%BQSGXfX&f z<_87qn99Jqd5iOUL_E@bE3*-LA`3p!EnJVaN&-7%sU_dqfZkB*`;6;(K=?;O+13XGiruaBrV!|ogu*=byAQBQ{TI#KS?_%LwraNFtH zE<=^lJ3sh1L(uTdEpmCh6gZXrOJGnX0cLM_Iui;yK*<8p;jFwjx~(xvaRJ{LR07gh z73Qp==a%D1pEv#p|CWSkzK$z=y26{jvseh*{1YS044Qmp0Q4G=CW*WOPeB&(7t-7lK8~cGjX9UbqXNAe}Upz{1 zmY?G&rJ^ECRhH9fE?I*pSF1wQ1rMa+u=hCwqt9$-C^=EBZ;F_gZ|{3&bAn47W6!t8 z?x<$?;g2#fg`mYyDSg)fMDrphXUWeQ)D%SF$o_LCK)J&Pb;b_}<91 zW^>U4(#aK$pwB_*TZ@#5q=hLst)#sm{h*37|E;)Ld>?AuC}B}Wb*D~_S^IH92O+zDNdOBXbIP=(nNvj~Y`3qA zVDd}oE*#y8wG@LpPENTx9c*yzdSr1-eK7=xoYUQENCB?ksq4+<(eUb4eAlnx4)ncz zN`PxB3z`#puAkd41;HX}-)D0MKvy(Hd1zw`b^LiV9fDr4vO_22WSfPCejS?pk@thr z?M*J3RbMFTdhAh95CK2#iW0~Oh62Z6tKL3q2oySK7f=;dAdPHCCVYzsAQ(_;qxB32 z(Kz~_QB#>vO24`4b~zOuu+I@B4Mrh{a*h9?}LkCH>^VjBHw1Uf0 zuQF*TY~hNp&*iKS;YcOO@+Us4E!-;;y_HYp0JL-+<-xauflE84kFP8QN@9c=CoF>C z-N)5r!KyM;Wwao(niUSrh)6)hF&vJGkemy>8U$poPbj2+i9=?6)VXe59#Gl-z%RbZ zACjZw`P?Hz5ckdJWYA#@v~$P1Y3og(p0&^awYL{CNnqz>ma+uisUgRnE)2(Bq$Cv2 z+8Rx-pEAxiGK4pDiAM>3AtX1wXmMN=!+R65DJw|`MTS-Jd=dY@sGzcouL|8wk#ADd z`(X@6QMB%zsPzYo&N1_4iF>g#7zQ*HZqf!LTKtve^ISHl`}O9UE50pkMEt4_USk2y z-8-zN85mvM6wh6Mi4w&AdUneeMZ^09@*i9ZDe&r!h>=!|FJfciwkDGghrH%%27*n_ zNGRgu_LGx}U`Cw#m%Lm8I-6gRGz}@iV`T!CNj)XtzRtVHXp5lG`|Oz>sZ{jD>72?b z!6-Q2w(1_emITMIme-ClmY~VdJ>rLIp`dum>f4v9ET~f6Jwd@_3?FkTUfijhR;o<@ zn55}ritHuzjMZKRgD3H* zczHu~9;HJ6x8bxOHVH7_7@_fG)C7Laz9Z$!&jF9>^qz^pOn6gzc&mIP3*56ytN04C zVewUE#gSV%=#=1ij4x3=%2*d?+%FeLQkBm_MU$Oi@!BI%d2dyejjyhBDCZ8Hz7_ke z6wW~Y^Uv|BOOdF4^)FY-k6;M=@nOc+tsMM_edLn%%3(}OD{WLi#gIbn;b~bomnp&fa}qNTX-kOUUi^R9 zd&{USyRY5bAS9#_X{Ecn7Tw+5-7VeHEg%9C(uj&EhzLw6QBhP%5fl&vQ9;E{_VxTd z_s9K?`+CNE?=kim&-XdjIIne`=ZZOx`8%w!em6_h>t|L;+~t7AuX7L(HtPcC1lQ}Y zOnSgNbxF;DS{-)o7xzBf)4=(o@};)z2E*a8;}3+|+~A^$U}UCa7-UPbl0Ub~M;&+i zYggGl;9XLo-uz2v2!7K-RlfLE)Ux02T178K_i1{5$V}8d7^E(#7{EkKOo*#VY^P?3_bF_vn8a^MB`P)|)Qk0^_IqhuG z_SyEe%~Qs3A>pAn-;y3MXLL3m)-wX#m)ADi`U~I`TLVEnWh3MsTuHyLpMnzS^3~to zy@2lhdfObQUI!9RlvlJj!|?Wp9Z@9+y^YgVRK!Z&-**Pr=SSSVc6&}2(fke)h!n}4y%hr9liX3;q2{mQ6YAz#|>*N?&$8V{i^0(?!awz)PMA#8?ubLAsHlNrAy!ul+qu#c05>`tS{0 z9XC`$X~$YN9K9KxmpSgD4LdH3pMTsi1e?ef<5CSXc=X9(oKsa7UYN%USD!Zn-_8

Q{1Fmp|0PUAcu&p|=TWEdI-2C~klMBsZ}|q2`8+ z)*@u6Kii;G)v`HWDSNnDoBE_l$P}GZTIcg4b^zipj9N*?-B8wD6}Dbf34T_d%Z5J9 zNY5~jB3iov1v+VLE12X!^cz!(Yn?TCzYqB4H`2cZXBIzb1U1{MP7Q4x=vzX6!Ln2y zEC|mpXx62{_vvsEgS;G6qdj;>nJ@(J@5^q%sr1`xVJQBQRurV9jQEb^)l(^mfxw{@ zDjjzb*8XlHZ+=|*@UreJo8`EDqn&5UQXFF^_AbvM7N8jzQWjd^^d3>jR=uf2fEf$1<&9qapg zRPb~z`VL_`x|zWHSWq_zOe9r&G7g+XX8k)KCzuW3Txy2*pRe&S@?D0&Aj%W?pF7ErMq#PQkE3X?`^natK1zq$Ga}eO`8JQANBaISM2aJl)B!qEgbkm(~WNC zSwUD9Vd^#~LUg&WQ=~!ykjH|vc!r-bl&4L<5s%P7q?PNTz!m)HUOPwCkg;tbO%8{QN1hBEDxW}NcMy>g_3R(5mz9L%q<>o%0N2{GO@n2UZD1h>pO*( zD?Ha~Y1wwS0e{IW-S!tEkjv@$3%1WAVEa51(aGyo=;lNw*@QtP9J%H09!VDr{l=Ef zcJ29i=MUxBxIRBU>iSdx{X+=|C9;u~Od`cN8?$7{vZc84TVe zEp9o=;rPvY7kSS3Ba0$&p%lM#2#>#X<56ch8vA^W{7SGcc*Wdmi3%@)%wO8E56nU_ ze)T`^U&gne^snCI=g?oh$G4%sdJiH@@9}l$uioSP&|kd=2incnkkT_^hXF0Z&r$mr z0JpauHY#TW_ojl^xf5)#GWv06e-9%(YtkTSCDK4+ygn*}pDZ!Gfik8y(8TlxI1bc* z^ai$=-r#@xOVVO|3@VI|A%pQTC^0?;4aUcy07wW{Nv?}SH)iXQ=z$JYQeK-|;+6tE zBGHXDZ1u3Eak72y_$l;5Gk82QtR1vnN+QoW2mw8TUX9rdA5cinW;7lUMAJ=`(K*k! zp_4M}i6MzPvaKXg_1oqJ{&f&Is@e+f?ovN5syBiHXXa8x`+bzQCLi*7UneyA5s*EY z!|mt9nieI)T`+s*^nr^pUx$K6h-wN|B~TUZ^GfMZPB_WrFV-*lT}5!_z!{-g5fmqF z|5(3V8EC!=8Md~ULdCw}526*Pz&>N2n%kuTbmEfZDE;|t~guJbX-Q@p}) zRb(nU=Vshq0R zMS;BP;-Qz<)KHaBS#Lk?`|u}tsVDqQ6da~4R5}-xq2f+ijx37?2yw7pzVlcWgk8z@ z$-g%QzuQUyNA_DGVm^u4^^@vQD3;n%*2q!F7Rn)Wp@B6Hdz0Z=^`%HrVzRxPy`)maK?n!ixQaIn)hjlfnSp_;;NVRqGaE(zV(iybS zAfzsW#-Fzv8rf3OA?`Uwnz>?_d@ZG!RBQyVlm~mKv-LrOeVOuvU@&SRjBW44@jvVH z6As(f8^DzRCB3Fw26*cM1`oN33G}LB`fxu?AFht+!x5$rH^ubf`14W!?S3?T$N%du z7LWOh`C|TJ!I-~TJmxRvhxvhg2;85Dp>aQm>Ny zlpt2Q^v0o2x;TEs#!1aQCE!WEQQbtU3^8-`gnw>|%*{1m8Z+<4Y;P&U1avUqzb$G1( zBnbiTBI&!)G5JXK)n@j(YIQt$3n9mMjA-c{5GJM&I4Sn=@_dCc@iL2&Wia^Uvs<6-V+~6P* z8>PP{1gAOTeqC}Eg^!|lf=yI#oDQk;FGo4d@vaX}T>awde!2%T&BBbWD96zPTXy4B zpUaTV)Nu5T;AP->HL}K;--EuCbu?rTb>r<%s#{S}fU7@&q|vn;!zYGtOt_b2v)m5d zKXX}_+0g-~OQDQ-%I=Q7vG)w8(6XSk+eYPQ^CMxxJ>uX(SOk)_+_di#42Nqdk&F9z z80bdP@BmjdvKQ&paHldydA3nczef3iUAxX9n%6O?Z6SYIgpOF!6RHu5IAR0bLQ9zFiV(1>Pvi-dZvS3o5}EZx4xIlw@9?rnB$14=zF zt!{HZ4_M9|>RNr34^QUvO)XB~>ayola*P;@L0OV4F)cV7*5{Hw($ZC>iwM9?*Zw?X!834)EfM+_YhM>4Qw*MfXK7?B*rmd3bLjLDF zDT>Z#KrHO>-DufU@bssr%B*n(m?(#vTrxfb1?P#yC7c^k)79IgZkO8;zWzs{DHW&7 z!p)G#LHnKRNLJUJl1s))vqyBXw>G#(Fjb#5dL$xM?d1rzUPa(#(ND%yQlN}-Jmw@-PcWMH0^}L1B7t(Sd3NG!#zCHKE;Ya|dr-r;H z%1{tiTMowQHV@72;B>iN)f#5; zPjq39LxKG)PM4c6BOCDGfh7VfH9tuVc-JEnIv$Mmii znBLV4@V)Q+<-Z|}|3-)L-WOB{jK@xNl<%;L%%piHTjn+264T;b{_F1`L20wUM%?K!Q^={g*lWvk!m_G|O z=FcLH`LmE={w%bZKMN(;(4GroBUu?@>*)4h*D!{6+!@6Vy8%c!Y=geO*cP5f>znmU zn*v`(aZo}z1K7rdeb;7|0j4MSEy)jwfn8`F-9r`!Bo%Xb?a4KHc)NZjI#5^=9@y%7 zx&%vN`MQ6eKPRf9a-}_#2Zauinpf8&;K8y|?rVlZV4}8nKDk*2wBM#wY66qs@l{p5 zI{Pkk*Pe*TtHlFYo@YJzc_18}TDodU7$pn(ebe#kKfPgm? z<$Eifg#wB0+Jx~(z}n{ER@beQXfQ^xp4q|&!n=LlFHR)@>BwZ=1FckeU(?9BMHT?` zuT}p{z41g|u~7;IVL`C-_H&|Hy&oKxEI!73&KZrodYt#BAs$tmix!dg2g9(I)fH*V zdPMJcICpTV0tD#UVz);V#I%{FiwYLpTf;9p;@UI{_z1$#%Y1njt&w)23ruIp~fA zp)_YwHC!C+*woUhMF$m)E}8FCLjO-PNR_UDJKSgMJPppEagz10j3=idT#&MJ>}M(p ze3$grAUYas53;LCT}*~7)i>G=xID_`xt)ogp=bc%V&z)f9E5ND?d%psrPhDW8ziBq zxpm&DAK7S$MjNv=!TJL>2E)KkSO}4L6k&(EcfWhz)c>j#m_kqOp=%gYVwSB{#YMJIo%R3#O>>zjY) zM-N+1OtJMu6;Lx?CCYTDTBTgv9F+1AtWbcaC|^S6~g+3&ELR3zGA#R7V+*_kC`b%03pM8;cLP?Sjw>RzK|4& z+$uFDcj-%z!Z&|m&KJ&b`0}?U)7(IG5LAr#ueiX`eMACNxtfsvI_cZcAzvgK-11~Z z!WwEN8*?LwjF7Lirnx81r*p}Jiqd4-7FCjWE{JZNKpf7!B-FLBK;3$N|KizjwCZJZ zm{-;u#s_&4Zb`X-bn4{GM>vlEkneJ?yO}=AYOxzJ!yoBsPni~jD zzK-vz_JC8Lio=%9Uqj_8#_OZrraLzj-L$gS6CUy-tlqasP z)%R+svQ*oeIYJ7t+*FJy5)DPEc0J>)8zG<~6C%(W9|bnQw8*ZmhNJZ;uhCyWB9M&l zr}G~%E#s9a|lza&-bF%*W}w~gFBoDV`jp9)tkwzvZ0FZLoL z7I*ODsCx4JgBoNj`4n&EE5S^4P1EcNZ}jJyTT5q@D(JO~i7>h1bUhuhiiuaW;OOt&K#V{)sFUWoCPLr|83CW2V__M>{0Jc`ERJj}aUR@y(=mV1vyh z4*$D$*0_FY<_kuzw7@ZUyj0a+8@4ZR^}o8Pf_^>9JVLxr18?34zWGvo{WOXFU8!|x z6M$Kmjo|oF3hdH6a*InXKvRitKS%WDf#*beyg2D8GxOK@o>;?sff!7?2Wwng>Tt_ z!9|-L_a`{N%9Z_5K%hzNORyJA7|%Pa6H=$UPR;a!vwvf?cK zqy)u{s;(>_uLF%kQEzFT}b4~nD-;^gc6(Cv=@hF(7~O)A8q2-!QHgh z^Eb&jtas(I8cYr%Eu*#=cEy``=aZe)3No&+9RqKgRpS?>n&`~Z#UN#oV{msUz4q7; z6QnBW3C^(az^q*nLrfMcJec&`=hUhQro?}0>~CA3I6ZIoaUL9}l&C$*zDExvas~!R z!p#x&$ID{JSCs#o@ebJd5!m>?*!X_f_~F?2PT2ScSiA=okJCH-=Xva~cy}z`=)d_q z|NQsj+YkGHXFmV=^W*zG`1XI{J3hYg`0C9{NH^bBQX9g}fE#CRy*&}%ug_CHRyI(a zNay(;=X0kLc|J_-k>t9zE^V@rYRY*}(O;aD}lBFwNF9px z4T{PRZqRdWTNKITfWP|@FSZ}4V*8OQwjXg~`;jWPA93TIZ^8F|_y2nQzrFt8>*w-s ze~Ophmz>G5bVJsu^d$2*4U z@hE}hb{(Stu1}{X+NAcet{z-ZX)2GtX^*aV2mQV-=7LUa?!|M~>BGyt$~p-@BfQVI z`2Jt`-oNmT$2Z@F@BHAq9^$M2!S_6d@A&xg$%)?a9tv*7`NHzoCfXZ+SIIol}`BpV{qvyWg2~4Q;FM)=`|-b8+_!M zoO%d+-D;(@dGCsZ9-X6ipzufd>aU8DZ>oJ-;|9MILRU3!8KTXX@vJL_+(7PgD}&(^ z2V_-iJ6;|XgkN;gM-7d*A?zL9R{~cY$2pype2F^{&A!-f|K{TgI%}6LbSmB8Mb?(i zl$Ia5{wK`olfDDq{D1u!lUCnGW0bb=hkRU13M%$0nyu?_=NPIp8O<4TAXF^s8t!b0 za-C)`XSvG5&z|G=C!}%pJnfOCrBC6=pUQiNV!|AL3kulZ=QW3bV*+FkiKUSCJKEJV z=WKC)VE^S8=8E}+$zpzCYM5V`JmwcBi}{7g;_c5E^{J+D@6+~>wvY5kVYmV~T4~>A zy{ry~5$@)!caMOjxwhA5V-=`p6LR#Vut$!JZ|4>wxZ$*M{m<2uwV{=3_ua02KMp-U zqYG1aO%=KYk)66*tdK@C=>0jy9Q-d$Q&Pm}Ky6(1cXv)}q+h5!K4xhF z-3pFVwBPrG;;&4V-CzequsWPFMv#L<2_oDnE(SpCGPP%^c?^pGJ`Hh_5pa^O#?i;f z7dT}IZ!?aCK_Zc7Ln$|3RF7u#UHigU%nU2P@9K z>&*as`QFac@x5ewIw)CxyyHo@CaS+IvyfUR1N{rM21DiMK%T9V)75E#d|H1?cE=lm zZO;>HS4(3Mjbnahte%L@zB7wD>Szm;bB}e$Sz^Jm=g$Qy`7ro-+eQB~X*@c}>|<~* zCJU{e-zR@8FB_gesb9L+;sTL2brvsy8*aN_xuE#&G$Qij?Rqhq4{67GCX>f4*o|0y!;J`@??~p~#%*KhMpYfbgJm(27LP~@m-()o=^TcU!9PtAOALh0nfwg+F> zB9i9L0+w(yknJb`KFq9-cR!u{1D4#&%cAg>)>!cwvk)AVe-~-HDvOY6Y?Z`0KFBg= z{5&3jkkVkr`?B)_*!P0ta{h;huZHpPtuY?HHpauZLw|Yr`p|NAF*wxQ7eyfRjFXrA zq43*}w*2rgWF#K6XpRM&gzRqXgl`m)aBSxRG;@C=1)=-Sd_Img^c8bV2N0s)Ic;+(pWn^txN?T z+x3rUR-6%uWanz&cskm8vEmzl?)Q+o_&AjUt}fz)t{-*5arZLV*v{#+7$eWKGxMJ- ze+>N!Q=H0Wl7L&zN)(m50kHAH!uw=a9D2RRu{4*mW1N3RMjOFNiXY_FHfi)qn z50ovu@WPBmD|-D+IHOPQ6tFiA*&4fLL#`){&i&wI$RTmh>iJWG_xJdhe zxV)Gjt|{h+D~S2wa)SI&DEU}^07`rARq;$c76rU;DSe1r2Om2rN0`NWL9dw^*%y9Y zaOB9j^nlhIZ#^fyBQ5>Ar9iO0EX;9)$qinYbN)&0#&IIrBhUS)34)cCxbDzePbj{` z?0oxNFy4M5Bdt7S95sC~#5DXey5kDyJi6k&`mGv`CXu{4U3LS8Y?xxXP7a_Lfp$MS z_Zw)z{72}Im<-r$u$D?v#P!!Jcubu;mwMX|u>au8?T%!1 zNV+2Ts&Y~rGL2T!??meWiN@9EzwT=S{NOiHW(~kQ{tx^6i9ER`fH$Nm9*ULl4yTv? zLvs#nIJ!bUl(wRwjiPm$vKFAAmB>p|y@K%NIpE80e3hSk)6L%p?n%AUplEl6^^yc) zi%;G#`AA>Q_O}mwDUL71^<4uQhXC))R1VgU`Oo!``1Z3L6i;}1#n2VJrTEUZHyQ&+ zv%pLG~B$ar4iYNoFqHH{0c$RoC)8m4MXIWaYQM9;#iAem;)t zZxs1Ms^%Nz4#uVf`xdT+q4ZiWftsr>I4;ypFB1tIzs7sJPm3lT!8ns(Fs0HB$=SRMOwTX_l1DdR<+quF z@cKPJ4^2n3;eVef%-9TeMcGqUv`s)TH@~Tk!3C*hh{$jg@{}o3Ouq$y8>sLrjz23zEG!SdW{xR>c7lGI&1+C;*Rpk z`1nE$GvhaIhI}~iC;eg8W(?Ap@aVRK|BM_>s@_l#xXP^~D`_uc7CJb!Hk33MYf%^stuwHH$njTVH!bosa^-gn^{w z`-7o}s`+=;2PJepEOGy4pD!GhyJ$padj@rF(6UuNN`*3|@(=0bjX+biCRnl43=H}L zWIHwI;nU9juL4hMLI2OTt5^IO`pY*~#rVcj7~fbA;~VQ^d}B$BZ!81%OEr_Y>q-$J zM;FAlRzlyEoM?jIr{Ll5brJ_oC1WXH$IC-Q@~3J>r27hq!4&;iJ&b?0$F$SHOAApz~#eaGZ(zAAhjsD zYUznF8fz$xs$V(^c`E_QGFo=1$=4&wV$&R_bN?w!V|W(v#$5IJ+JW?<*(A3M4{~A6axpz7$ACZ&1l9e9lT%7p88yu z0S;=t;sJ9weRJuP%K7b6NN2e^FzA9g>aJXQlzCbW_QRut9~&*uvmOzK1X(p0O1ZjU z<0q~Ufp2wWvQiyx+^m>j3&;WU%eqXPI8KS~r>pvTUAb`Rlte9Kc0L4!z5Asgk^=n( z)jvxHTTzz2rZ|s_4U`_+c6KuMM`D^y>GyJk>mM*559RqhRBuc&;5Ae5kzG1dXeZbvdVgFO z#p||ITU5!T;QDT0UN8jy4|;LQgVgAtpM%qpWHoI5#X9LP%8pij|o!Bx?DKY6E)slR}EJ0(-{&@ zWkSbN)DcPcVl-*~*6CeFE2A#&cNg4V2yRRgf^x72VEl z9Bv6!1xfQDffB^H|D^i9<%DJ=kA-cqS%IC%1f#CD6kJ@5^`tyw3f~CN4f{;!gGtBt)vXv4 z9FJDH@6CHt_(5Q~29NZ?V(ZC8IoB|B?)tq03}kK)*^`;=vfmZn*9{kEJ_tiLE>yoO zQ(WO}s#=>|i#@R0JysL)4MswwjOtu!Nhm6Lf=rJ;8#=7a+aB@w01x%T`QKX^5G}#% zzkiH|#%D$!==Ho>@$NfrA;dqWsbXN(@7kt5{;r`c~B<3Jo z>h;_0tuGA6_e}I@Cn8p_KW8}*&Y$aOV9!St-2H|*oXW_?7MOnfR`m}yEL|#Sv?rI zdsZZz#0^nsl+J7C#=$YWkFJlOMZ&Kg^@WPPawKK7O68(+0{DeYO-lDdVNvk6G||I# z6@2|P@s0mG|C|`l=NQKG(ZqN@?C_W8!-4U9*zwkr<6BR}_kF;Z5C3fMN5Boj2w*Ss zVWRHxhRzW8`qAZ+C^l9`(Y3}J-Z#00Dyw^e_7P`YjcrN1^{bI#$McUW;`}^|mtyYt zv4N-UH`?t{O+=BGzf8Ks3g5l1t(~Gg4xBeWpBNTlg;lm|gm=C&!xc07P=7%-D0nZm z^Wvc@`l{9vvPOLrw#SXOTzGJ(}Y|~kqhx<(lXL1i9(+I!58~gEaBt{gAgm( z18_6M<>q@Fk4crg=~|GsDl+DzB_sEnxO@Q1G*>L?twoBEIQ>RIq}dDxDqrji5pV!b%THpbvfR-_ zC8pmCyFREjVC$zE}gLY;*SS zT6gs3`Axb=erp&_@l_MLZ3tIic*Kb^X`r6m0_W3Jnn;+%-{Iww4k+37-27&3fm$Dq zxNjWNhB?9naPJ9(U%iV?gGVwE*-G(-jAkN;JbbK`UE_%iLRzha9wwp>iyGB~dbwb8 zPQ0jt(G8N+NLcP@_@b5cSy6p{Pxx?wNn}6nUVh%+qa&Kl3vt;o@6evnLWje)?i`TO zhmV^|j=dX#Aa@yl5K^i_P{XsR$INcXTbzdb_HA{@?dAB{$a4(c{6@Z})f)!&tX~CE z#%!Vg12sK)d>$H6Nq+qOj1TM|VK}t^tqHJkNbt_jMnS;4_1HtjGQcJ3M_b*bjLtn| z;^e{kZ!l@+G+dEZMQ^#5&73CGKqdR2e1Pr$=3o7Dp4H5e{TFujDWZTyj!ol|W9ac% zC}O=X3m%&}A7gnAKv8R~+2<~2L}{1UadE-{6rSej|56Qrua^~tKguQJzC+O-ol$QH zBRL#5|IQcato4Z5Pe-E1lj13+PyOJc#8*?Do={}J+#M&3yZ21}T%zSlvVtP5j|Gn{ zJz!RKeLS|;49wbG?j8GTg(l>Ve%%#J1^(0ChDtdmxIW?wSmO5)^+H+e45dEwrm!3`U{@aK2&}Fr&fRMBLUN9+`Dq7D;hnC|E?c`T zrf+e>^euLnzQrHYw}fE&7JE$J;shR2t&KmPXTs4ltbL0obK#qtpr-a?JJ?}1$qM@# zh6qd?i07vQ;N3wJ^ToDm^p^(}fbpPgF&>mN#)AsLcu;m256TrXGvTrBwk$g20~<3v z-pJ9AeejpLHEfpY7_Z&5hLF+4pydi(lpfUe>lU#!P|bjpIFYIL3CG!lA_x4tG9#d4HcRq)|#PvzX%Elj0)Mo<>K= z{nm0m^`R}W`>Q?Yj84G&euOVysOK5qgMBZrL5S5ig#nWhux!~Fi#NK7?ominu?Ni} zM~$iCfV@dC%5^N>=(`I}?7T7G_H2OYSd`C+lYXdV)Y?YY!vp^GmJ012u!8p^?`Mh* z*nsxkf%bYfPxRNX{GafS4xw4gYr3m$+GL9%MAx$H8@c?v}gya1h+hX2;=-pxh>*ylI$Q?==LMID^+w0osR>PeiSXo9q)j>=~w~7~v z(1uLd-1gxFkm`vFBoi!0ADrGgO_ij=^{e)|p?et+>e9aJ|2+}#9e<4IS@hm+FLWH} zW&N4e4VS&W%un)6qOf-=CJ(Bw0KXi|_KAtB=+8J1O3FB}?RT{JC_2ycm?t3r%dD6oYcXpWRAAQgHoRf$;C6;y|hz z{!z|N3M7o*H~OrL!PLl|qw-A*$brFnFd|PDnWCnjL^!{g)~XvMS8(@Av++&xH8(!^ z%a^0T_;O4bUycgn%aLPzITnmBM+!Y5=Zt+a&3 z%Nn57w8h*@Bo0=^-kti3_Aqtv(Tsei3G&jlU%3BD1L>bfuAf7!0c<=(()(P{#|~3Z zBcu02hc<2>Uz5{@2p4~`wx8DE%F!iQB%lJXb1XdBrB9&Rw((5sVK-2}dnfVto*q=L z+*d2Qpo|ocrU}a6{MYv6Yf|0J4UyVY7Ma>yNl=evkImebf<=biu(@N>c>8sQEZI|#Z|MUBQT|Iuz9jb95HCemxngffbCVDvfPTJu(Wuu#*B>?jl@~B%_o>4 z!e-Kl)|09bJJdcC%czM)J@RNy*!w_>`u^@mI|9h9{`=0Bh8o`faf{Pz?ANDG;V3fZ zD$*pZd zY%QDqZU-nkaNFz-U4do4;+cI%JAjg4=Q3ON6yE+O(GOO%Yi^iBFHcrso0v5+Orkb< zMuX$0?bNo<$>aPP=m~C&SGyv+L!A22^V&Eap^dX5&i9ZpHoV}+Wlnfgn!0fzP!O(( zAB@U5Vv0Oj1xK8?`9baWc|sdLZs1m&iTbVSjrvjC)fEX#@V)iOFYlo*dhM386+~bK z`MJocp4}S6Lbw}ue_O+erOZl_b`^BC$gybzr`s*Clh5>$R|KVHe>TA{oRE0^<541W zKInWe63(Nfig$gX+ESfQb?zGK=Rd_c*4F?R_@~%&HQQnORpCH+>lM^)svbRA)eQ9x z$)gpxd6!jR)EIJeL{|)n2#m*YzPbJ-ca%O@!P&iU$I7hSk;h>I7n7^TAfGz@%Tvq% z@AZmn+m`dvxC#33I`quh&*o@Tj5K-XoF|+T%V{sswSdPNCl459g(1s(g=3qSTrocO zKj#TAo}t#Q)zAj6%ymM;O%;$2ySTxVg!A99&^-R}8qVL=J7iR4R2{O!*Y6T_Xyg10 zoxZvzI=^`rRq9}x;9g+$c#Ul-JS4rEI2u+B`0BUU+Ev;P*pvY7PL;{|t`T)B zvp>;JIRWc_DR&#TvS9z@caJ7#3)E6SDl^=Wi}5qXuzn3YtY1R{>(>y)`ZZLsehpEO zk?#Nb(O(r#sG5FDU~`2#5Y}+S)D-Fny8nD94TY~+p+Cj~qEIQ9z{32NA6mWau=!im z5glVeS3LE!!SKEYnb13X7&$`xapHzI$QsugwH4W;6SLWAX~Is3c+F2LFxd~;3e!DN z9#RD#k}m(nK3z0uPITe0kp;+n>C?QVNr4_4Z|YyKbHY2nDjn4+d0NK>6%Ko(hi#W`X-}39Uhf+cRFC{02n9*2NPkmq9&hH_k(} z8&u!0k__;UqcgG5BtFu8NS%C8R^99j_`8;nnJ+g$_KnUUhMF=sZ}(IsP^cbyXN@~X zx9d@OYmd4{OFQD_wQuIhutE6pk?_sW3%6O@70=*&a>yL|I4(s4J+*ar$U*|dKTQoS z3}{7kq`^JJE^*K~#U=UeQw84p@5_Osq{gOU@G`vn!{LQwL>5KwW7cv8CZ0uP4rCUB z347=?>%}(o@hES-A8Nq-9HlTnHAT!%jSurv)lH+(5s!Q^2j+1@+bGd^3*(w1eAWIx>IDMu7k4DRJe1^2hKeq zO~O<}zhUw2(>ohz%6p+^Et-Tb3^>UKPA7uLa-{QvjC4dA9}{l|`AG25y;zHw97J$; z;dnA*HU#yKIUbuzgL4)4g+Gwzg2TqsE;Yq)bYcF+U<|H~sTa#lODq+N1SA*^^A`Al zywW4`h&TzfY3=CzSv3Oh^?c@8hLQceC#s06QLe}F`>5F}iz`3b!FR^Psk+w!kUO+B zCidIHC8F*xUwEwW_E%cp$EL6SCk@nnt!E9zOVD)d%j~zB8Q{SwVqJJQ9y*GCwH)*= zL(`LcuNq1dAknO(Ru#t;YR##qtH&In-K0`By&i8Al7)XZMw(D8&~o+>tgp z=V$`>`fF?C5Ij*=&_@ZfTPBi28tA~)4v}hgIrtQkc3hHH3e56bc%#0nK{iUPJ(+-k)c@wQ)HA5Qh_o zR&f5P-yKPo5?oP2t?Ip-OqTF!>9otIJu}eezn7Ul?1&yg^bw7#<{)Ukpl$rc0%D`i zkrsxZK=gy*WNhhHz`btu^nRQPdp2gZoL0SaLWV{dmW?QS7?e_ z3Pi-5%jIAnt%;xVv?dTSZTxP0EC@#y^x8Xc_h)>0;Lh=32dI2=p(*?0Z;#j-$U2iL zB4f~tII6NZm%UB{kCnIn(Fh0Ru&o*7`=K5>!q&Tu^`cPbb%Jz-Q|?enDSUc6G86)n zqr{z4;t?6CMwTM654>49J80nP3EWyUxiuYrAgM$p)mrWbk3+wAE?MQG=zP0?t4gl$ zODRc>iogz16kFx8H*j_QUXzL;%?M;lr$^7!oB-i*o{oJfIf&NPg6xu3B1$;iec?`R zGNgVS8R-ueOGIz?GxRpUI0PKBaDM480m~mEGlMcD@V<{P zl#w+KZ_>bF+eMnyd@680QD8f=p9UQjkN)V!dl(e_Nus^U`B2m`qJ6TPl%SHEAi!~u z6#Aqdau|>kL(zSQcao*TsL#S{(2t!E8kYNFY`96_^b6OuvX6w&K6Ialn$#5T5Jrx; z;QSd#V_qnh%9z2!H(~+2_6D%UfY|tdh9lLZkJZImjlkn|LI0s@c{DOo7Aczk5*FP*}&EF;i)8yUJM<7svr&vgvtyaOOi12 zxaHtlqzs5uk|mv;7KdSh00GNGmZ&l5soIlrb-2lULZ}7#qJ4IZ%_j>qK==H6d*5I+ z;M2v)aLIIFE_v$C>Qgn~bRzLH>Xim1gDRSC+&rfq_#9A?WrI#Nw&s4$6$iT|sZkC` zDPU$EHNS|<|Kh9P_~Q}Tyhvk>>)WvLm5Y}^LhoSfoSYjfOiQo+Jz)W(=(|Hp^kjiW?aaI^3e19*#_lp}J z*SM&EC&OzZ&FVanDERfqEt|zW1-VUZ2!@8GfNoORXV!=5NPW{vRzw8nKQcMFQDM=)7y;$x<7sVZ)KG;ry7fR(hk2G;SwE_n5?yv`p7oaaAqEo0I+i2~RY56n2q$ zKMDeS0Vkx+l7Y4x9~5$gMF9D$%&9{cGEw=#hdvh;qoMT~TL|kFFLcA(%jlP&7c3}@ zRQ(F~MWNh`qmIM=@UU@`qVIqg*hM{0I-U`T{?OeoFBXr4Brf2zvIu}&5p$6#a({Tx znf(Qo#Q;msQ1UE?2W(O`lqZ>&p;M1rDh9>vz~#rYj~TYsK+0i~Bd_cahTO8E$DgMo zWkp2;w{d$Iyf7Qh@zw?J{4l=yJ>xT48FnW);VGkp-JY2v5OC`LCgETPO7B~-Z@yW> zSt0hmVpUbtW%hCWEs+O8f{ghI=_a^yfWxlE6i%nSaObPndlS^Mku}5eSsm`ZRAKNa zQUf}Z(w(R`YOqgLKnWeTgt`eghD(BuXfS>I(*b=exNm*#{wkv@^iwHmh?{x+FY?~{ ztE#Ab<5dv_6cLmZkZzp8Q3sFKu2^9rV5JUk%y=T0h zKj1xgjCYLh9rst5V~>5-UTg2Q=A6&xL90_WXWm4y;e39S<~?OQ@n(Jh8{Nu>lTK`616 z>a9{a*tGcLpDrQ~62ouuGbm-D*l~vER=+&dfAzffZcPuhTJowLIi?7l_b#?yt-?9xWF+!&AtvyzGQHQdnjPb z3AMVO?=?~|hiZv=Bq8PvuP$r*IV>5Ykrnpu&#UB7>d7T?xe^MERFSQ)imc-;wzXh}W0F5Oprc|i-Lcz^rem}*I zLWbp;?#XxFh}@M}^vSG0lwCDb=6RxwG^oO4ie|l$YTJz>3kHPJRhC&mm28PpV}G@u%g9$mYMMF3(%1E ztz+*o6~t?{yeO4rL$XgA@+1|%%i`+iMO|qq8KfADppxc{NqPtxm3!*%m=}X8|5k0N zQ(S?YEEhlTN0~x&2#wDRjQ&U@XrzNkR&H;URIR)&~fxc$-5nWXkU!DURUOT=5>;8q&&O~!ivVJHSr=4 z$?Xra`uwoaT_5;q+5{~vUyDt?BMADu5AT%x`PpA&IKK`}Z`VrhDipyI#n zWM~DuLla4&33e#Qa zgYNib6t+{{_KG_Wl&{dJrCQ{p=g!&-w=Dx8!sD7Mb3g#HGAnZak>HPnMzff7_hZ4J z@9ohY5>0>yz0>(N{%C8|BDlrI9Fb^Ie-d?YL$}SgbDS5_(a6vg)vKT&c)KFlye}+> z?sP7lH|0u$T!EW$=Oo79sOeUb)no(eb~uzJ^Ql8jblFq7`A^YPr#G}Vn>BFT%E4>b zz8~fT#9BZ85`jBv*3~=1LJ;4^LM32tf)s?Zc#6n{pz3ciduWL;;C+7L`f(pqNBU1Z zD>j}P8?SY3dg*|z27~EUF?y&tHbwlIf&qF6 zLWUz%70`g2T})GkMTjEIs)UgIO{_RNx0vw>@#Eh>Nj2yzh{KoAs+k5 zSCx>r^(&7QKSm%axm_<>!US4%W@lJ@m;l%F%c7qNOR?#BID6{Vy2`R7B4TV{ogycN zV8dgsQrAd9kmlm_9LCoz+^pQ>@>>F&zhAh1uMJq@;+;3uAYbv&+Qv%`-k8e5tmMBt{g>B-ML&H9-)qNJ_=Xf5w3oV0#YYW6#Z_538OoIbb2ZwgXT@) zcE|plp zth*zR(Hq_E)%C0W=>QH@Mv7BJeu(t)#eil{OISCWEmSLY!}x&yY5Mfm5{z<}BSuHG zklf;>kbHbqq{8P#)qwF6znFc=NDIuM*_KwlCtV%}^DGw|noZ%-;yryg_daxbn|+$5 zxD!}Twuwj#-hgF_J-Y7jaU@?TpW0B@3p#eEOVloQ!<)jiwab#~Xv7I`S*ctOj%d1l z#Vb%k*^i2y9LxG-1)^zg$g(TIiEC?-ciS)=`Tyt>|9gL&V;={fkuwgWQ-o3{mA`d^ zcYN~Xm;P1|dcc^y6*YlE`+iO&?sdUhvaIW~R=_@A8SL{F!#-bG?DMt9K3_@f^A*9y z^J3%KvGJF%@%q?!%=7=xd|(A!c{~5++kb!k|8@Mo`#%mHBI~@re*Ye*S_lnIBsdQA zcQ>jZ=^O{eAc;rnS1>%5*3c76WgO_AUk@YJuSW#y*TanU>tV+F^$218dKf{^bBpW9 zWeG(0(7jyj6BE?g8YVyd&IN7Sf%GSKg;C5?)7x>U*fHZ+zde}Cfz4O5VDr`7*nBk= zHeXGR%~z9Q^VR3zP_a-y&lMpx5}9`VVI^dAie_jiOb{#zN;f5@1cAFV>D@PKZulTP zm-FN=FV4^RpT5!#tFJV|>MPx``btcFEyMfQ*8I01A^l{eFKX3zvnk#ixS%ML+ys!Ut{15i}W4au!Xkw6SkcG??bl4Wm{k}_} zPObv6j0#Ke3O1f?b#g`=&pMO@RP5lBE2ln5fEOBV{3y@6sRudqM~zL98Fc+scsFlh z57BMBE@7DOV%RU|iYuVnV zGN$1mCR|gJb+-V0wb+R@>?wq93bmtnu~oohv}@o?9}n$jDW{J!l)y3WwqCZwYry-% z&CfEmAK|*+z;!gY&p->#TPQ(D_a*C@-a>;71DTNej8qNqL7T>3A57UW%S?yHkzEf3n6> z9Ow!S{<$Bm5R}Jv{N}Uf)%_>2e$=-15PxPs!rYfXmC!YEIKow#P((fe?C;;bz zLV6vaCb%}gFT1cT17#}f%ya81;8=K?%=&>llD(YRQXPlsYZY^^rWlq3MYH{x@JXAI#FF1bzBsdjV*#~ zj*37;Uhm7QW>fSaDVU4~!?!_8RmZwbgV4fvYAV|nj34`a>NV?bSBN$H_EDT70I}_n zr+-s1hLF>)&sRQsqHi~z(1ey(f$_z%(1O@(B>CpeZ;jwoq^j=OGpT$PPOH}Tn7@oe zx!#M`jFxwxWte@=?bie7?NV0ZvKd8|DK}3Wd>(|4`>S(FN4pW3!*3&{?``N`{#hBD ze^$WepIx!}XL)S?SqYnemdE)#i|hFp*LYlcjJWc$v`Gi9G$`@`16e7P#272|OUFzz!9xHKsGkT>UlKAyPt-{KmN>v`ng^ZoD7kGRGsdwad0!mR)EzuXfl zycOZs>{$t^88>7!yY|CBUIDJHMt*LOP=>9or+!nL3a}A3DfQu^8hovj*h|Oc_57N7 zPAsu_Ac|8w_B#=ZFugNIs#u`{<72P#e{Cq@eEv-*2^qThUJlwXc4h9}l*ahWC5Yi^ zJ0SXcnchuxDHt-L)*8n6pGHRUm21V5p zs9y`8*>+@yC#+j7aje|H%yOJMZ=D@<_Bije} zL><&*6Mk2_X~X0swdLZP`v1${``^zWIw>_n>&imJ-+Q(L)?>h#lU)0BWh~$+vXx!U zN&-~*@o9ZjA+n75Js^Gp!^6VSKNQ#az|80wmJ`juZ6lf(EbD=Y-uEz$vD`$=x4R9( z^(xWbM_(HmmA&DmAk~(U|23TXjoI4{cS&s1(5K-y3VE5KAR;5Lqg5q^0upWw@ z1?vQXfURUi@mH9p7Zt!n(lKiy>mU%Yzi}loE(AKCHZ(BiN1~8AZQ;suq40B*Qcsv8 z0*bqL-zj~|MH5*Bf{Se7@GRs`#k9CT?5y&Vbziqfb!FW150d@S#{Q!Z4&NQofeE`> z{*WtL`1)}upMwsdeM2CCj|vL2=TpKK<rn{19!0V1Q3$-t8JJz&MImV5y>^<8HF#+pttj!q^bb^R>C!z4Mdgb@ zuSXSa!8om-nc}oHsQjvM^o&zMr*&J#JUUE4u)e{h`K>!TOZ4E;-o6Q#{ib);z;GV& zvU~FUh0S1c)aqsO`5Q=bZMP+bDjv}~&T}nHR6@D2CB9Q`E7G_kKXUq8EW_3xM|Q>kMgy+>_RUD8XX5!-Va|dW4M`tGn*}ly&m)u56AhHZsOd3j%$7lS3WJy{V=JqXTy}0da-WL~Ccd?a# zw$vCHo=4%k*7&0zr-u?8h3(V3DI)$l8*W@%>rz#<1Szi^Aw`NSYx#~;`6!8N{Lyd#CJ z#|}u^=6S9sCLq(t`8j9rn1J6UXWF|4=FnTVvmEZ~3;r2lonfpdSpVh!KA(eY|81-G zEM9;P8x-(I+hj8xk@xeON!v)~?}6dqSrJt0?hfZ=CnrxbBDloqyS} z=U*o5`BxNs{uRNVe_62SUk<=EUWYB0%xWSKE-`Lhaw)S0+G`i;iR|q`-1=@(UsEE= zBJ}cs{1{6iX(oe^Z??3Zle|=luG(HH-PjOIY;Q4~zf{=cb zdomXD3$4dmNYaRjkr`Pc$j zJ~k(okIjzdW3vOtU>!wS1t~DS?p$;ZCV~&cYd%jBNx_bXbU!zV6lU@XJ6iKjgSqQy zX%Ueq&b&cf^=r6(-~aiMDS^u)4ugnjOdo}4gEX~<0tKZb z`R!_B{dRS*e!KSQpWm)E)^Ar2>$huw^LS=hUX|^A#)ods2S2!sp9d31gAe={uOYY- z?!Unu1(re_Kblgqp}@uL+{F`lIFJ7s=WoH^ik0B2PJVyb5pOj3zPH1^PZ1~;G(;uH zmEaYRyUf`xBdEwb@j$mu1C(a^x%>?>!9Y_=ul@WrRGy|p;4M*uHZ9R$dUGad^$IR- zSjNMpdey%l=8HivH2j6+s}x}7Jz{N&mjLU;q{BypFC%*nynvX~39uKUq|%ZQhbTnk zl+I}sp=f#Lz*D;zf4YdjvTSpzpq+e4Vx3qUerC|CmHDVc(t7VcbAlCeY4<7BNz??3 z?wO6V{qDfp>_+q^FB-0Tl_$>=I%9O&k=8`PaUc>Qpx?a~gOZ&t8Vu8>pi@t##`(Aj4-<$cc>(Kd+sQW`%o%)Nh=HIrB0h0?q)?wA^}{fbpHhHQ$J9{6D>q4p#3Y zg4O$IV)Z^kSiO%pR_~*S(k8~o*JfyecG>XbaG^0!k|o_n|Z)l^C6Ul{h~Gzexb_#?_0x6$n5( zvJK@9S%Em$L(?rp@AETiAORk++Or3kbMbXi{q}t)WMv*&u6$qxgL|31b~~!b-oe4? zslE-ctI<~U+?Ip;>yIVgam#_(YNW5GgdAKA;OaZHlLI{6ZUxE;S-4BxBtffUhx$Bh zb)vsuxE9QKiV=^@Kv9h7+xHdBxrc}{<&UTUn)3GOf9kIf9IPTrg5<#{zU%t$Gj__L z$~s?k?Snepy?^x&PDw`a$%q*#eu5uYqRWob!Sda2!Eiy!6!ejTC zJ?v3NkAGEnpDEm1vLLKbvjfLBk12I1Q@SYJ6eU(0KPrcc55hIn%=n;u<=urPLJ_D~ z{y1;{N&&5=FnGPWCWm&iq(^XD+P2vnbZznHRgCQADS2=Q5e>2*9-`#kFLn zifCtx%Ijs70EjucvB??>!t4`ze@bE@5T*FRWwrQ27BM!;oGai*s{FxqRWjTVSM_<4 zxkIP?E;?T^AWA2rPGD%-#F-}9Dn)u;c{`xv4UG8fBtONu~Nxl%zm zp$iH-E*uxlTt)!b!X1BnrJr`x@_?YfuSYQC3x_)GyNjHK1#J}(M&zry# z0xR~&??y01V@Dyx5riU?>F^&}rNEz8GMAotBtU$`=5~i>0^<10Mu6Xz07G6jW~Ibw zXgNWf(yKfLRlby`Cv@>g-W9SH>mp9D`-H70#@P$`rdvAUt$M(aQ`4trJ|n=NHhEM; z;RJtsODt{9_fx`QnBWnfnWM+352U1=YLw z9d%_lKzOO}cQ@M_t!N~anHXt8vvt=F@Jmc8cJd<>-{_%wol z9wW}06P_%NFMubZy@%uB2s}2kI7iL?0tt2SeCW*>0Rqa@kX6dVw1 ztC>asyHVS9O^R$pP$hk$BQ*@TuOA#)AP56dKPD@?ac7L$?XPm{CmWFZ)$vI@F%^Zd z2~f>FbOJdV%b1BRdoW@PXVt&u0&XtZhYi+>KoI5gq%>Fxg!O(ry^kq?Q&`S;ybV$S z-y2#|4?iN%Y#WjxVN!xtv&PS-NJTJxdLb64JrvQn*_T(v3}TRw@;5}UNC;xJq*aNh zRS~0&X8E@lLOARDaLxZKu$Wj|LLmBL&>U8=XAkNZO|?lFU7)?IE^|KD1%4=ae4l3W zMH7COMwQ48!bcu(ERjXRtJLCjp_5UNs>edb$s7&m-bU=i*Mxuvn`L_7<4V+jt6sMM zNf_YTAO0`?zvnOE8jtIF7T5j?TzN#e){8Z+Ctf2>dIZHUyy}j=906$tLh?+n7brHX zci3`w6kb&P;^NdCg)uT^1FMoZD5$6UK(^Kg6dvMxbw+r=_DdGY<+5nxrsQp9)_4`R zu12Tlk9&gMTdwiTZeiH`FfTSg%z@1h>tXZ5?AZJ;H#R@a4wQBG5^u2(fw-~7=-TrW zpc9#Z-*bi!h0=<@YK+8(S>?|QKg9{bHs$%VQ&;fePJl?*&vi!-D8^f|zH19t0=y~x zE+?Yfl~T9Mf}P-eT;~J7d$!Nyp1ZUPVqhSDv+%|XMO5)Q z;|al_Bq&^8f4Cth0mQ~~L8}XT2-p5eT>B6Io{pw^8+I8kR0lhp>2QIe@V{GEy|a+@ zz25X@0WYA7`y*%4=K}sKq?9>Am*F3;Ll;Gn{3LSv#sayi<{y>0xqwcQTQ(VSLAFZ> z;r;_w@K-WtT&3a$T>Y$ZUGKQg=j&>E@5)~ZLe~xMs+K(+C{Ycd7u1u2+KAd7E*3j@ zpc${aL23xh3-;|4Q+^0nKOmbwgzI%_!mu@=L1kbi2RQ*kT>+1-z{tvP(?k zK(~Gf{T0in0uw`ykWx`{kYcs%VYTE$_=gyM>uKTwY2j{A70!OeCnc~vOuz>`t z>$2@l~df-4GR35zGe|&IQM~8H2lT!2>rP7iT$%NIxq6wFnQYm2?o5nCnc=~ zk;@ZgtvbA@F=gjK8B>oDsDC8!^|czrzRc0R+h&i33Oc4q!c^dqW5;=NjIOm>^&KHg zzXKAOxWC#`6*xD{`2{`#wO*UPs?A}jKKgg% z6YX6@wyztM<2ME)M^8TZ?JI>M)|6EE2Qc|={KCI&ha0k+_VSXVEs9WWcj4ih8VhJ1 zf8#djggfuz9}i6x%R@8A^3V*iJTzr24^0)zLo>p;e+<|2KCbVF|8+dB?^|5o=eW)v zTz~KX`u=gfpZ}Zj|2;nn*ZaqHzx4n0^@8jB1lReA>-hh#<8fW@xW?l;KDf>wT<0gQ z&llJJ7F^?T?ce)fziXf8@;G03QT#+3QZ(Que1mikXg}jIrp#Z@bA2DiRBNgVfn*4SpKjjmOreH zfUo6BXqk+|KtIO zEIctFRvi9?@oCIuCdE4ujn3Cgv|ibD23aGoTLIE$@cS%hXG)GH8gZ@r`D)w=xI=%l z@%LDu#wgpH#4>6?xpAqTc+?tcE1X)16IX{beo=%L=^8M#&cnrgO%qHD7mX8y0>SF| znZKz;CFuLZ{G9DCK@h)Z^Q)=H2S|UoiiElPgY)J6A2aqoU^k=m{R)N$-8H3GmVYJ@ zU9u*tC~XP_v$s}}F~?0ouE1m0)4&QvD!Rr*ehYwJI{W!=j>f2Q@==*Xnj9i9*gE*N zXNoSA1k4&!X~R(2^wz@zeNcUIY|QYYE{N1N-?{oO2L5!_@H!+{pzpnTy17FBQ1N`; zJ;x{steX`m9PdS-*C$8hY@Ks(?r&Kyx>2FYoC^hV+=R*N$#CBD^TrBI4oKdoym^>W zg@#}3ljIPmf-{w2ipQ;MXl;axP}S&(jI+02J%gB)4i8ji#E>(Iuv zzl4zD$6t9}?gW-+E05*n@?&|q7~huv@N)UFyj%e+FINx-*3UBD9gT%+-y`BbYF772(gS{T|m-p~BV;{;sS zBd+~L66QZ%>)~PagUl55*&J$MKF!w@#Os5;eAl;P!2JDKoz}gU8)^`o6rZ}$uLJv? zS6jQdRpIK(UHf8XA7EwUD?dLK8o z-batEuQ6cjYf9Mq8UwbzMuV-dv0>|LbTE?D{%%-A9gbCV?eU7Lg5pq~M~#;YQue?% zZ(vsjKjjh$>lrmrke1{aisVO44M*uMSyh1Ttd#loM-_CL_wtDsk_yoAK94T^Pzfq} z6$xUmYNC55dV(_3c4Tp_&nBwGSk|)_qoi+r!!#R-AmuL|nfAK`2_{uPj4DWgHi0_} zXD_4xzkC1k*B>eHN&38yUGi1bU(RULerOF#9~d_r{q3O8JTL8bqXT%%tR%jVwt|bw zyM4=e-Y9DL^O-N|$w;qvqx0}*0ise$+rOL_j7|>fwKsfBhYgiu<%_A2K)-h&;qRA& z^LjtB*X=`@oP}PiwTpKtxC7a+sc4enW$=3#Yni?70k^cfdyS<%z`8!B#n9gqaOI^q z^EG^cxBzffRB#nH%R$M(_h#B2qyk&bfcBM{1eAK~JO1MsKj65hTmJBRGMrLuV%on_ z4CD^7d569sAct=*E3#7z#Wx?!f2F#Ps#??^GLvS)wW~C%6i61p0?NG_H{CrSM`Q@CxV^-M_n);)-&lDW~bXm61(C znu4?=roWi)kL}kcBUl-Khc8mihN3PAl%2h822=Z4?MfJ(aDkyRa0h5YGHo~4roROe zY=ArG3Utv@e@t;uC_lV=I@>58WdOx{AD?G7wV~GZFtzFj&WJs?F-3kh9@+a497eil z!qd^LkRQ#JP*f>zWSw7uGp{UCJZwiY>=u$=xV<{cUJV&VFFq*g)}ti7m)~PEYJiYt zTXXzED{Ses+b2D~j_PB3(z-VPdwu0)ME~Vnb`5%+@*6)rwj6y*&e%15i0QK$xi7dB zQv})0!-H83uphn?7=r(uR5GSEB`3sTz3ZbB3^C65O<&>-(Nh4&PDCS zQD!9=ZY3A1`Gd28F)&$wTG~-j6*a%V;5;`X2PAhtgnU2FiI^Xq&4@Uo2t?~L8%R(X z-E@nOju1YS{n!7=k8bta-L*>OhuzoYTF<8iP@7HGffUIak}e@UKZc~{`9~RTK7;nn52P< z5#Atk-!(M-PPH)hZVG%OZTl%VosQv?pVRJ^E<_A7yM%sPsgQ88A!_KG}GQ z3A)Z0KKr8S57DvFSwVW?D4k11{ge3>AdzKylkVvQaiFC8j@~DX!{p z=c+kyuKFCOUuOcU>ldzU{SHL@YjF%7_XEJ^N4BK`%XRo&^ir*vrU6|ebn` z_C(hgXzx^TlT!O&_iwD&{%}rge>e-aKb#rcA1;LL52t}$lFN0qXNr+|ap2VCgKNQi>o>c|Oi!@imGt8BpgDp7$K z2pP~GS9FXC09D;=rDbs!bgus_jbyO~lKl};M)M>BnOqCr$~^9b@&kI&n<5Q#GPn}v zYocMiG&IP&+!!tdE>Pd>69ejdB9$TuDJVvZ+`Pjr5wsh9#q#$|f%ZoA)8xJiOY83{yi9-LY_6ma#f)wXF3z2x(+ycL7Dp$cQ4d+e!cQJbpXT9 zQ=+LxEhub0 zdC8dwOwb9T_fh(;0m%JnPTgcpDsZdPdyH7Sqm{YD_qz`garWE7wI2r8cwGI<3~n30 zImMI;y+^kRq$%$pqsZgMo#LhNVf%!x3x-F#(quOE-Kz$=saqQ2lT=XegSgF|+HAOK zW#r8f>9_HRp2KPdeu&*5Q*nYGBe*f7bk=S+5_Y~T6o^1||qlTL2$3IlXs-ox< zvy5>DlAz%+6;YwhjP$iM%fdd0!+ywPuQ!AIsBc3|Cq+R5jdXDxrg=!f;G^`zlcqw@ zIO}zA{+TQykDGPT^%cT-f6K@t(RfzP9u*O`1l<~zfS8)td-;Kmka0G8`GW$c{+xa@ za#_j_D#K2F9MQDJ*{=szKFJZ=cCSKLN3fA{Hjw%nj1nF^U0L`j>fsbcO)!u|8AdiW<(;QDD;Gw2#eSOjuG>X5WNJnpgYX7v6JD7$->01Vm*UQ%M zK(At+;I|iwd10!iW*>rXW+%Bn$LOz+OW5t6gm^SpKRlc3%MLB!7v)J<&ETo5)q}Hg z7T`wQY`lF z9OSZY;|6O|{6h(B>PX<5TBTQyJ(3G9(P)e{Lr3jr$c#&k(JHmaK$edylz&WBT;D!OLT_b3y3AIOjK3c&k;mRO3_fl122EouR&!Vsu zP4q)WTT~e18`hI~DvXd&5iW91H<(T8qgRZ~)`b|3YH7dR;Cmu%Bzd5>5ZPh}crrs( zcU$~{z&%u8Bh()>Uv{gyQJ+EcKSX3zg5ps`>;aqI&KdNo`VUn!MhC3hc=kB8tuowc zl+#Yl(1%OzLoD}xih<_R-T5EnZYWKP5WQ)ygN!G_O-B}ekriLz)_L^?*!!G`zm4HN zM4QnKhW zzJp4Hv$kLN-$l6cP8W{_>t}gJfnHfiM7>@M{vcav2!SRJnrlBUqRUEY zO^ILR5i{@XVM~iLc!nmgm7mmvPP%J<1Y=b}*1136=X(?MnT_G`5=A7k&AYdJ8`B@G z;OIvgXySz7y`{}ORr3P%R9Bkn1UpD0X0ZO`Z-VUXB$&;t%n&QDB9YP!Ei~{ai|oXC z1F*9axL<$_fnk5^kNLhfBs>gxNsE~`o@cXzIHDxccNV<`8*g@)KYve|e1{w41O;A< zy}krO(N;;WHtdjZl6j=qRuYBQ#AgcJ_e4(y6ucj9`vb|tpBdcAfspYU9Xk^kj~0T< zjXg^|K!AV2me||@wAXzdb;<1D#*&*}FINa!@oyae3;OV6xvzdK!wPmP9|R4F+dy>U z-JAE!y={G$3FVlY0o9sD+v5Zcu1UyZe}pgx25hBJnQQ1bED)#cW+@PRZvOOxje zYIGf7N}EqbTNS5`9oGU88PRo@j~yw9tC(q?WHJ@RxhOoglwu*f@oT_gWDMMYeGrpX zYmM4MDp)gVjlkrm!tXDJhA77TucG)*S`agxWO{jM2hz#%(}UfLh{m+7ZcN-A9b6E8 zy!S&G1}Mn6t(C5zIB8oXTI30JYY(h%9Mgb~@`*ch8E&9^JofhvtvzawC-C$&)<);O zkF%s|=)f;Om+wz#F!O{jYxA143C0}HU68)h5@$ZG0i~jxleiR^j6bI^I`LPwAhveC z=Q%sdZc4fm(k%`N2|X2re>jo;@|Gn;{r0vGOix57U)=p7 z$mt13llS%Dvk}z9W=htYU&fiI?a=o&e0~<=i%Q{}6pGPv>lKS#P>*th$(@Tmf}YOs z)6G|~>2VNxNl`EEL+OZf|M_dbZ?z7MCBgt)SuL>VBxF2j3t{sj1h>? z>?WI{d=_i@1`jKQ>wc9~<}FEZuO*apTu^vJ)hNwE*@$WB; zZ^f1?UX>`1Jwn%STo+g|0ujn{Eb)0t;3+PdWuj(>J~}pRRcc#6aB7ga#WN@5>}vT! zD#0AQmxjWn+7n>HWQA`o74!YS5i0UH<|aDzu82r_BnCR(l#L8H1_Mh5|L3{f7+~Z) z5yo+;1_a(s^+*v_0kDpQsTE;#-Ns8I1e-TN@7?Gm@Aq~TJ#BJDvZDs7o)teoWQhl{ z5-q&qph%E4&C`?%PDekRf9*{-MnILqW7*ZAY{Y)-C=a^_=K2p=9?`al0hggI-fK$% zh+BBtpGPB)bUMzTddwjV%f45WYUq_vj@(3t;<^w}&`qu!$Ml=K`6!lJ%*8{%lldJH z-aO>HT|p=>n*h_sOBDkpg-GRvrr5=uB*@_rrW$vxMtY%plQubdkV)hc^3=5$j$6qS za=xlTqty{FU@;%!-zw&g+2!NRH^5at`_qQ;%p5O$rS^V#uz&g@p=?MW#t6jPgM?TT{4h*zNEpWVR!hf(#b{H=n7m%+c#IUbzyqS z{aZ(lALvO7_wtWffifl48_Y`@j9YEKe9&hH#tG@S!%ix|Gd0`6+Q5Z82S}5=Jvou8 zG%FsBk0M&_dnx~Nn#UiRkS+b7FXKf_eXA~xagWahXTPDg2R|QBuDQbpk%&yL>rNos zoAia>-Uks;4GKGd4L~Kch7on<{9rObb!2SJ6Il1Svy$N`b;ZQgouS4ug@uEBA z{gpV{<7*G*JVaY3N0ZP@UfuCql->P9+uP)%pK?Q;pFP9r7^U zj!44hdpRL|`axZ;uOYfLH@W2Vj0?2JN{geS*U8gfA?dAy&oCu{b*tDM-h8J za@hNkgGaKOiMPKAV(OVpzvsEF(L0B7w`m$-5T6n5u)QGw^4hgrDdY$^=-KE)H2A?v zE8*e~!&GQ;3yFF)T!U^kHiyyf2E)VAc2PnrEBI>}UgoG14oPyZC6_m2A#dj_=gZXs zxc^2kIP6>v+Nq_!|9dnCg74#{rRn9us4HFPc}(U?<>EEUV(C0M($2dkSz8FmzUSp- z-)uB?S(L&oJqq-DqU|q4UhFBXr*{#S;xK*gozcm*LI=+ zzmEEik46=QXlAW!*VJRj|G%FPFFu8yKD0AK0f8qcH)mC0a>2~8+DIJ=89KkdI;#yE zkuEY8@+vTMqqNO;*9_9k|QxM{>pc9{{L?Fih z!XJS`URb$&hOY?+tw)>t*uFepD?niHdVgQo=ebYO} zOA|ajAKD)%1z>sa@>t%x0+#nKjOD%aV|niaSl;_3*iuY!upM(n`D4Nxw6Q^Gh)ICD zdkw>Xxi|X#Ti<1%|NOOjCOZ-wJ^!fr4EW>B3pEW)V6w@Og8~La@>ykFRQvLs`1|t; zAW?dvMwm_(m{spF+x*nW=-a*>Rd14p%HxBS!a2goJ)-Q}ewhvUec?(F=rDt#P?Juv ztK5i-{#N`mj1J67#GN9z-WQciymzHYw8iKG)%Ihj6d>{ktt>u^J$Nliw!ECU3cv3* z`LqO!o6%piYL7>C+?E;K{Yq{-j83!xjeges> zHz2QcQ-wt0273O|((?VOTG(ZsnN*A|2GQ%~arRx=NZGco|LQ4GWS#s&{BPJkt^ zg$EtuWS~``vqy(P8*zVY`HBBQ3<@&rd@~trQRQI9l<R2malO^+jF}sGOLLnC* zcubKDM}-jy*VBf(7~bH&d~QOVg7hww*bFrHu6f?N9o?D#lv_XG-LFA{)OB%!`~> z8#hDo&KRBm)A^>kB;R1jXEgVii|~QJwj}dCUo}9h zFZJFhVl^-{H&M?A3*=SavcLMw1Rc|{y~-S?2_haQtA)$@*!rUgw*DxAtv?E5>yJX% z`lBMY{>TMLw=dJ?V;1<1)m|`RtUxn|{a=2YB!Il`wqNk8T#)q*32}W}j=E@_Q(ib{ z!p!8;7>x)=6i_{SzdhOyly1&_vMPy0bkXDA0{_}TS_2Qwa=QaGgnyzvzJ);TdGrlQ z4DWV!n2H%V(5DDI!6%^KPJ!pQ>P`#72)cih3k0}*ZM_2 zfjvLhT?VZGraIPtlL_m;c@gWs$q%7_D_<4$U4%%|S~D_%OE6R`fLHOH3DWBt#vSEDJJIT#d{*=;2XD| zPne)L0!G=tV`RZaY&5R;j1{z+Bshu4lcMpdu(=|P4+jn9Sg3k7BVyaS#_n-J8;UbW z?p9XwqvvI7Z23zF=7 zzHXA=z8ocK6nMtIFoL-f;(D|DdQeJ0ei z&6huU?<}SU5(=$SgjE7)z-02{vnWT5&xvnVYXKEXqDa=I>2$*6o7vj?-Te`xc5of1 zX$Xuj=9iawE2BgTUfw6>F39xtrR(xEo{-gjq>1CACj82**y~FVKtz*lY45C5P(Jg} zSPzW?xYq6$yKX5X9U5L%RWcP&nVrf%c&33IJ3=?0RRx$b*3S$ZXv3{<-q~jE$`E2q zc)sK3Rg`Gcmpz`Z3Du?9ox<1DAd4rm?_oBAhW5PGS9i@o;z6`rm!v(KZluJ|Jurno zR@Y@>ZW)6fUw+rtpc67IT~eWDHHJX;1;5Z^>KIO1p+zI+{q%S|>Wk%pDoT9BvUh$_ z9o%F6cM3pi%`x!nTHMupXB)Brw)lZHoB79eNQN;~7~0?7Y!TOCj07P`5s zu1rgzjd104Z(6~y$8^$TWg*ULfHON)NBJvA_Da~>k2*MxK1y)JUoO3=7ie(b zH{Qb3ajwdJ<{d-0`WycLEgskXtx^ZytU^jAbZOApwft&ApI73iZ+I7g?-uErLS6~D zA53>qOT@wXS9HJh#M9CARle5+CrW{MG-)Y4x*Z+KjC;-i*I<^9@(b6yNF=GqwLWEO z4RytO2AhKwAX+ysTrqtM(a3M#c*hrv>dTlYw5U6Pi1@bi@wGNkH|I}@JU zmarFG`!>$V7|I2Ns0$SBkzQ@6c1e{1$ew$yzO-V8GQ>Ziu>?I(dd_!|g;^VH!qm6Z z+|58wP&D0QHVFN^r}-$$$N+|>?kxY|H^k)U2OkikP?xS77zs_l#ozVI7K8>umw>B6blScF;LO} zUO)E>`0RVF@00uati9%%YxeAOj`N5wiZPu+5Nq%~KTOdQ{o}(+;(T}|oDVOK^WnvD zKD-*vhnEB|Pu1uOcO#H!o_&Y85J6exp1|+JhOnh%SGToj3=-Wu%+GrCK=aNfNE8Mk zAHl;fCq`rt&)a=ks?TJ>C2mGu;Ep^x%=10sC5Ep?Hjp|`WB5jqrrqdW69v>E%!j@S z@ImDC7-hs~ZW#63>b&EikIat^@0N??gm^0FowCdV(E8?;~cX*gFzw zvYCwldk~)Sr}RJJ0IOHas!DF!z&HM5&m4XvAUlHLm zF+P2GOGZ}}-aq}lEf9eDGSV>)e`io9>|aOp{5Mc;j7sqdMK>3fFG)~(LM!QJlkGcO zgdV>CM)%bd+!qe#s$O-${6vxs>8U;7@#UkT$)_+r)CVfd?LSyu{`9U&^YZ|ZPp~p^ zeC!D4?QgYJ3>u;}w%RlPVL;tP&Vc6;m zh6q$dgvxCKiKo5 z7R~R{D692}MQwJpdPj=&KB@*+4CHDb-wx7FKj50N0xpzZ5L5-h{zBx05sp{f-PI}q!S8uxnVfI7X;t&-`cq2GG$>VfoOKw2BXb`$Gw?k-Y%@iEjF z_TD`(*=pefDTzW~=cOVMhxzGPrY&()-)46`Psap4Jos{PGSv>YKUniex?6($jIv&) zgbK>GIQQ+cksq>ZG@X4rlLAbFafUlBvQZ4nA&YyMzNh%r3Z;j?FY2V}m%kPo0%259 z;R3IGkXmD3{qfKG$orz6nl`KmAv>*JNVmuXg@L>4qw5CfL)DT&3FdP{ zbiCxyHP1-Q7iZei@lDzVbr8@1-V`}&By-G*gB8nP*@)v7m0!pFIwAd^i~=~ADN~y{2UKvCLiA#D#yV7fs1LLi}4_MGW6JaQ*#Ju z*yOyuaS-Z<(#s!wazoiv5{{%V9MRsEvqkLDR-kl=YHO4Y!&wOCue~*E-+wz$8>Gsc zZ>q+t^=yh>Rus@nl8|RH9EYd|yz3iUkG5+z{+u`HTN#;rq>zfB9J-@cgXJ zk$?GFnuHE{_MCmm&{-y3PX^N?!8p z%;W@Hr_SAa1^R^FccOl?nU6SXem3}l{ezFcikc!3NpNtxQ??IK4)g3#e?6O2<% zS<@Hny70M^YSwJcWb#Hts_a`YQ?6>drVX8xiq8(a| zNUdMz)FB0?w$q7X1*lh}R#!~06Lc45%YKiSB9v&z^Ha8-u%9H+`}qHQ{6GE=AD#!w zjpu>t;d!83cpfM(o(IZB_&g!HpNXDVMEyMXy?9`-Pf{7G>#X8!7TnQGlU#mRePv+2 z^CG?)>rXs?7w_3np#`4VopiMViiG{fiOxs;p)VtQsW7q&-CKleW=F<$M^lzFh`}+R zXF1gIn$u!8aQWJWv`|&jKT+xE5#dhBlB7r5;?L|h_b)ZPC3^Hu{B3BKGqdM z$wSJxXq!>ky(D^uEQA-i=d0;SL@1(Jp23qL)PBJAC)0Y=zY|h#mZI({Oc#$ zsnlSXbty3Uus%{Vk)mO}j^(RO z+>LDl1CZ5k9{HkfjSlv%oVxr%i?E-k@m?o(yOT=5eRJ?cZjCj1E6qWf&|wXh|Jq6K%GodzUX&#) zqVOkGAN@&=>nF9f`k${4(e)%co@gE!(dWBOj}PwAl1DGjt{T?_7$M$}uR>?KZ2{xU z_g>skM;2eI`bA%JBg@*W5l$55g!yko{ap`Qls}-#4u-9dY1fQKvQeqQV8^aOJ&@Se zdN06{46d_V`<3)%A^p^HpyO%c{pkNSepU9d#Irg*01SEjo8=P{k$!U`zgS5Kj8L`Y zE?RrR;96ZBM{5$w-G57RoI4U43SRhrRndm-6TgK{)A*sT>9{*|{8&yQ_a>xjX+amt zd9o;E2?8HVkKQ_>M0os*M<$QT4~Bv2;SP#F{JM}v>X{M1tPjoCz7CRA`J=VBe;#^K z`62F#s26-E1(54Uv0hqgOBg9VCRg^r2=0`b-93o;id*hXRHv_Y06o`gv?4Qg?bi=gw7$|lEo`n1QG+YG{-4#s`ocF;8Wk3#X(xT-wS*#Y z88;i7lZio3^Kkc;mOL2xvRaVYD?kswbIKP~Fw)+|%sz_@bQ0)~%Cofj!Qqjwx5+#@EmU29%M*t6!OuJnus`W-3EFxE zIUSMqNLi&#mZsJUc@(YNFOmB|W}w3}%{50Lnr}k1pBVY}?!omOE6_a0MeaBkh2B_` znD05B2)7lA7cY$`!Z7ExzkaP4APePvBh?{^i>&LFhFLemc*F33sR1ai&eLq<1 zO5hgb`I}LnyFkLHHKQW>JUaL5+t+K@^E`B3^HHmLB8jA-o>>k{u-?9@#I9}!vPx?| z?gd*z>9YyBE=yl@pt5!5K7|deyt4lI-O?D`thB^F?bU{!YrjK>e%T`$k>)fZWdm4? z7gw-Zb3(aGigis~CeS`IBS?q!vv2H>gJa%6$=(1X?0NWo|G(#D=cn9yAED?8 z<^>|VlrOuWZtLm+P7*s5#5X*%jPZ1I)H;MUw!IL^cdbpUE*+d7_}`y@(V%iY(z+bU z9s8K1$&c6{#YTFr|VqBPs2c@=2_dG0B1B_b6_g*W*L5-aN~Xm+_)bC5AKJ+ zgZm)};C={PU_{T5U3hv2T2njBv!kO5UHQyu(Qe{^w9VI2!hROO-aD5WpKpXAM_v$Y z#QbQQ^e$Exe>6qhKI_`DmX(OY*Ocj8X&J0&w`?|Ej{~_&&a~=w0SG1<#9n^Of=X|z z4`2Ha0{N8uuXU_{y(cd4^_)Q*IKLOvh1VF*;mQrk_Ph4r+)>X%Qj$pczVMIF!wvuV zJlyb)&!dm?dD!3|pN9wj@p(AF?aMZ&0*49sgkNTkbk&C08t;+&>6XyewKsN3-WWO` z4OtBN=|ZGmTU+zpNJLnFog>MtzK0L7UmGa5$417xQp{AnJVmg6%j0#B8}|wNZVR;^x=+)NpH)#0lKPJAJ=U!jc(|# z#CJ*vfR6UDrsiG2=uWr9C*C<7*rXa2t^1<~na+YA_0%z3SBpX6@@-wnoHbp~OVlOI zM@>E6W^&2!0t!icqB}Kw8b&3rpES`p3n!v~Tdwt7Ko=duTIq$Fp+l$tk+N_b{1FlB z+NyAeYM;w@4RQ^@Loem}{^4>^X#tZkox7xBbZOrh5*+(pOZ689Qv9QwM!kEIrxlv*sbB^!v4tX zryb!cH>(MMqZ3Hj?rdQ{V*?pSeo3B*!Ej&_@{jvO9>eILgJ+m%=Hcf_uXe$_1$f_~ z8`zM$jDGmi=t_vpfHPZ&an9;n!g>Uv`4@GUnfO+JhM}lN5l4-d7RaZ$^7^P>4``88 zO%!>rYL@9bmYQwkqRrBX)ei>-ksZHrMvydyFXsz9Q9R`Wz2O`0vhI2T1GRtVsD&SL zDp)^CYUGXOQEbNiI2@1S$8CN(6=i_e6{DCb*Cde8QFuXJoC)q;0#nJqLJ_^&^}CEa z6Va{T6?!9Bj_6lIcBk)`Gm&dRSUrn&73h`-PF$Zm4VJ9V8`+n7(ZxZ157GW6plz`G zW^pF}f4)AmArI$Y8IOY6>ji;9wF$^|=%{%2Y!c*6|MorRyobh5C;xr@^&-e5-#3P5 z_t2@+Hgeam9Y!9XmgP(jhasUczBXEcICLm1@Q%n6%x{M6TAFm)A$TRpRcc|J31L!) zk{x{8VR3i3aHQ{PkkyK*tIw^0RO237=A{8N{a*I$)4!*oE=BY8kul7tfFR$V==ZMe z`%3TSk$C8_QVS~k6^tYXrk;j=Q3jeZAPpA5@^zPHTwkjAgZD+6`?LJ9gwIc+_)L+5 zM#&I&BFu0l`+uiPK}F|eMtQ5_z*c0K)$&*ztahkJgxBRF%H_A8#k<3xk#;?sf?OMX z_r&=}-_=F0W`CN6rD(#(ySL?w!!=dVZ#r56q1mB$G4eV2oT#}oDE|5%*%FuTbN{Ox{f-EcGp0rJYdaKRh>E=ZrGbTGht zahk^`Wekz`#%YJBGlnow+T-Ubs0TY7YF^Y{2trWKdShBe50C@B&%;42;3;7Hwx`(? z1geLqJ7aaAxn^T;^ihnzejwN0U_uM^(5vf_k6?LF=g!b*T8qH6Life|1zmJpGu1br zQxsVDCbkPEV|jm1wj0whf0HS_h8l^z0m$O>@|kt)`L2f_WU5K%!qoKEovb`9`1k&* z;P|Q!j<2fX_^J|)uj=9WssiCW?tlHS|6Z>Wt*ek-)v(6Kf>rFR`c>Un)Jrm> zZzmTCBz-MD;<-^^d#rS>Q7jdWJLjK^cMJg;uD_K=EyggqdRag2j}e;L?X_xnAIpJS z(|usQ+W=5!N}YL#HLCLH6_uyf#@F+|>-C79=l}dXS#Up3X57yc;eMX`aX(KM+|Tm> z{PUl5!~G{Qob>KcbSM1(-qQbgWpf`RY;^POF~R)uBDdA~Y@K|e z(xC3sKI$W=g1TbsJ(j~KF=qW)B`6B~9)I81HG%owemli!o1cc(c4mDrwsD7qbwRG% zvK%nv8Y;8k69uYgf>|xqN`*h(}*Vh>pD-*=!e^xuSRUYZ=dVer!P8){zZl2k5 z%>XGWY|2((`I$uXO8&o%mjQN57r86L`e-F;wrSr%IdGloOtUnXgCE1=k^YBu(TH-z ztcaBiuCKAe^=Q_(9!(F|qiNxKG;Lgurb!ro(8`grBk?)}In9&Jf-CWmORw;=#~=>% zUbdt>mY#<6SY92`rp-o=WW^t~8)ZU`&#ZXsuobj_2&sCp>WR8tB#d^D*nr3-uJaMi z7I6Ft-95uvFSIHdHZj?4Oc*axxHg#4f#ux90!y~cK2M;f{;?=gmH%nlKU4fYwMWP@s`cv8yuxw)KV={9M-X^!boG{quwHn7zHJF3}8H zt&LKz?}|l4@oLlh-lH^F?w?4~=1b$l&WJt;0PeH931*5)f`El-QGvK5EGkY8xycGbRsYsE zx=AU*_d6Anygype^3XLE{921j7m2N8jr~2R2uVLk+E)!_fUND=F^NEZWF1hW=K4+= zNDe7Q-t(pbgTTmB$!TQp+5F;#8&uRFPWSq&R6I4jlC|#+7odPp(uG}ZakA+A8y==8 z1!++Fn>ZWkEQbyUM=QM-l!SAFan^rUYPEJ@dfgc@=oaslVYlBL*}sZk!s$g23J>yHI<_8WF|oK5Ylz;m!6yyFc1U zSGWklSlz>L<|0NE^W}bLr-U}-TfUvAc%uhKee)_o0y@xoHT%f(4}x&?K;H$iZaFk~ zTM7%j6oxnF&u>!X2>=<1hK5;&0!r6Pxl~ophx?y!!lkK?n=ds*(INS`%Mn!EkpHo| zj=G;6T+g*y(RPX>o6eRWu|lk%ZICU*nJ)!DhRlBMja5fV=dOr9Ws`+Po<~yU65b)BYskgf6<{(P={3Kf667{zsy5Fkg zNQ^vRStIh#dnrePq#?M`&SL1V9{3fXZhUsq1j+e5uTc$@gP5~hhb8VAf^3DIz`;oe zj7Rr*l<|fS$|*lB`%cmpQVq4Kn>FnqK{h@_q7%!5l;_a3e`Q5@Km5~osN#AM16&WH ziR(d>aXpA3t_Q(%`~RmO`S0V2u0PTK!r+FuY2icq(Iw0B9EZ+2}(+y`GET5o^O_#QyC`NXnq~|qYS49Nd;FQXh3b&iC1Kp zkBy^fy~rS?Iv|OO(cf6#F2vASZ11NG5R+-!ZSeXuO7zSen949UYB7NI^4Hyi`xi*OD4ELnB z%zKGy5Y}T7J)2X%!Q(g>(%^`ttu+N&UcPqP`%%cz zq@-8)Lnz_?0#SbB|9bq>3)3PzdJ#zF+0WJGt9Ec-;96Kwj0Zv|&%Dl|wZnKK32F)* z_K-}PvV5=6p7422bpHR|UrW3{i1{Ad{lRFwKWI*PK19FQ=~PSBIXc=f zsGG($gXx{md_3vw=VE~*dibvGd8P?m7c9i@OR7OG!??NNbz^kP*!FLWhz~m47h~S% zY6?H*R$`V&y@0Z6_v?W#Mwkv=x-rk+0_M(MqLw!GMQc0a{oXzZM(x{o51I(sfU9Km zBjx)6V3%Eg$uGeQEOZ{(jT_p5q`-Yc-JnqPFV962&wm%d^WW9*{C7S)|6Lf*f7c?s z|B2>bF#V==-*VPP34;4R$$WN33ZzBdpA@6vaAyt6j6@iC9ns8w%oK?R`}bC?P0*qm zU5)9hOoz~h4kh!La4L%QP(KBnp`dW$J=tq-e>m`Ugz{UxKQz;avaHhj6ZUf>Gwm#o zytEtn^yZZub+SZ8!^~~JXtDg!)|ofu`WjG@HNp{6s)okC+cDC!st~T{iQZ3pV^7r| zXf=f7!lC3n4tD51DcjhTh$#fjFZoFF>VtXg$;TGR4y_2U?7rQm4MfjRo{!QDEFx1Q zwcHO3$m?_w`(Ln!;bl{Xk*|q z=g%4+l{9cIqsl(NUW49gwpgsu#Y3$8<%bK#ZlIeo^g&M&(>W*jCs6F(345E+O38gq zlzMn4)h#6jAazp=VGNcBBd*i~eCY~=|F1=#Oy}s>X!M(uL*y-eEEvCF*l#|U1l`8Z zBdX5XfL8}IL$R76ij?(^&RtJKBC(q_g!J=jB_27st zO$v4vVdR3HI|TU{8x(b-19~HfG4#s2^wkUyT`vAg$5;h2OBa3X>1L42vz=~KU8muP zx@MlA&O;!Y@AkhQPZa+osweGxw&?1UVFU^%@8wpNd860;ad!357;fWvdywh80eCu& zd9GJzqrYnVlanb8Ad0e^&izaxRFX51hW{!B9WEDBtF(Mb5Kc}0&e@BYPtM&LVXc6S zPkR#{tCkQxuTtaG8!nqf1KOGNtST@8wac%zjJJfMocBX_deTGS`Q8iP+TVDhp!{zy z>A1qcVO8owO_Bw8jb!t?rbVK&{^$FtX|SB8!jtnZoyPEHdVZz%Pr899wNRj{Hr$TESpV!Cnc}pCh z*TM056&#o+`V)uXHr{rVr{$ zNV!4LWZARxB?+iua7~nEz!hrfKmNF2;Q|jnJ{-MK>5A%Z&|iMu<_*%!FCUG*HA2mI zY29jdq=2fni~Q9EZB#3MeDIR1G6e5>Wi0Vb3S92nXr6tl0aO~bHgblQAoF~tU#|KD z)X&(tc6m0U>-P#M4w)WDa%}bPe}@~v*f?h5LP-HCJ4JJ#dS zD)0JgP*E^a8TWi3vt$c`ll`-eJRXGe1&F?nLa*F|y>DoM?Y2(jMSpr|GxMiBtE&tz zYyBUKuqt6reWn)Qs2L!lhd=GACgyKkTj)?`?2Jxpe!uI3`D7;rKeVIn#QK`atTF!B z`+0b_~il27YF&>}khAR|2(E?fXnlE=Ov z-~OZR(sU6L_Bbh^XpjkBPd}LkWgdcv%^fv+-yK73lXkqU9vNV^erZQeKr#$A-<)?S zJ&OOo|DE5sN#&tz`DaVBw&dEMpNnSb+3R1s1>8izs&jF!_>mA;95CUv%oarXle`V7 zhcpQ1gEUanN__pZnDNDqdhvX_F5G(LV{ zV6}c5HAaAS8;fx}UlwW$(XVRYz;eHJQg2dk_=8$kxzpzj%pd(P<}7BT4YKT_mwm|$ z;adJ+%jr=}e{59oE|C<|DLWop@9K4EwnNB-GBDP6*N2+{iyQU9x> zX8EVfB@l3_)SH%6m7_KX5fkC0G}y<3+Vt&nK{!kG)I;ki6j}ZLK~P67go#+uDTE}z zAu_J(2gy?)9uArv*2zL?l`rcjnNr|ETz2wBjsm1olo?5J&>QF9{`dPe(fTmtSzpmU zUl+`;RprhzlYd(h-M7V$PuYc`?_pcrC{Fg^M5#C2 zM}NZ=60;AdKVe0p>Iq}N_lC2kr2;+6;MIon=3TIvn^Scj>*<-OsD zg7T@DeNM=@*Ea8Nstp>5*cs$m#DmP2P5ocyJAv7e{k}pWw&->1Ag@W8E0z;*i<~jZ z6}>-lC*4oJ{^pJBJ3h=m>am4L5$WO^m~MP_+lKPma}RVNN@if!En~udj6bhQh1RF) zVm$1>K7ENwi1mEKtWAa%D8BC{W4eG~B{le9YO@uZep_uXJ)r_b^De&#erMqNVGD(q z!US)Zq@v$U`LNuv+AZzD>yck?JC_E1?N3DgbkQ6-=19og%p=>Bcn;P=)AFe zi1TI)iBIMv_{G`|de@D@B_9!^M`Ghp`%xi%!S*_|NlaNkKA{R$nerdjVhxcZM@QlH zWldn)meVNRqYM!tj#+H|hNwjDD3ZvLC)^*YNO;b^JY~69$nFYj``^=91puK87Bpsv~mG%$FPEA+NC{IUKIAt zrb-{(mV&eEY!hyj;?VT_#`3e4WVmU;JO8{t3%Nf%_Rha11w?7z_K3PigZ^uGvLO3B zEiix%6LAV0-jH&hv(BN5a!!|=aLspeI)?)b~4NC1-zh#I-e}d z2*JGZjvIHZ%uv&hhkY?t{BYzELtW=fVbG2G7Wv!W1WJ|^NS|zLK(EB7H+M2HKV6|u z1((kRqQ<8d&Mo%3AYP>+_f|_Ej!hU!Q}XkGF~?T)&@W!F_mO&`lrIP0-uO&f(wU+8 z6&be!_xa#?O8-11B2kfcMG3l3yYPyu7{|HJwWbp5k;{WqFuy%kjN^ z-Q`r^6fjv=O`(W#!m<)Czwa+8kAfaV>g~*gp9+EPj|;M01F$vrVR}*8uAPGT>eW7KX;Iae%UF2vdz{-!j95I zePs1hk^>kIEObxer{8I4Dz^F?FMkx|TKcSsw?)A?72ETjPLV)+mVL#E3gb5s)GHC~ z_x-EqeertU1Fz?E@p|4HujetI*8kP>UT~ef*?M+B2wp6hCx$L-q2i4Zubgl#U^o@z zNi)v}5#*vwOXOOJPMQ91(=!2Jd!Ng)QE(70M^3dA+L|It-kT+FG5%silG6^F$7XQX zx1N~KB@llKlIissWP_CCr!MgYWA~z=*i#p;IKZW4=e>S;(fJeYr;sm-RX(JM zMJ#(eos)~bfwumtMOJs2YGgS%cF=YrJNK7!t7IAN;k z0?SEKCeS-rEUs^&g+8asY%s{Ofw$72pSlSHv?OlZW&X5BEF6J!e?w#7G$Zrz3YG+9 zBK+ogE5r5(C-uQlL%%pU&TRWYE>d6j+|eL#pB|RF(60eb{LPtZ?|jg(@Ruc*KowwvhX$`})L^Ml zaB%aY9n_vRQn`0S7ABJUOmZ=PF~`F($G*fg#Q7m4mW|vCD8|VosQ37Q;p2{5DnBjZ zB=3k`N~0T82fDp&CfLwfvEQWr`YPt zS?KmmRDbqeTg3dDabTB#B$Q|b*md8MhT7zJ{7TZ8kKznxzF4mmknkJ4LPAn-aO{4@ z&a4Db&c1wf%Q<$E3cNHrJzq7d)Y#Bv2^PVA#Oa6BGF&pUJf9Lq)WImh=f`kBE+ zsk%P~+lC-UUTs*StOG~iUq8Qx%M8W`9fefpj9~j+ujqPEFj6?J_fhdw5L6fh-%4Ea z2g85^bf;TFUJ@zQ^I^?%1#iT00(`kfNp&;Rt5 z4Dg7jG5$0cEwCR*@;;cZh>ooBRP_I(fx5~Y!mlLg!T3f@cjgo|VZAm{fA~1PyN5I> zv(e~=n(C|1r{RH!@|Y;+08;!?a#Y;65=pCHrGIID3Ir5CeSe|Z0-VRrMnv9?KoNc% zg-pvXsGshy_SiiqfK`lVwcrRz&+ML3GuS}GA^kiRD<{JI?Fg0tJE5be(K8hf`G~b+ zpdmHqILKEI%~D7iklgzqV z(PYd6^XqaGetP>L(D!Zmdha_(xL#V>&tT+G(1DJ!tw_d{u@|2w67|2@xzX#U0gDVFCChMbY-Q4H3qTr7O9R>0~kJ69?4O26j?S|rWSMBptcFOM>?^Y zK=)=KPs!v6oO(&gE}ofz=<8N{_(c+-nZ@+|7?z`}^X`u%?}9f7%YL79J>-verx;iHJch zLP7FFRmAfIiRRy>8(cqp>N^D#Fnmt`BrSmC{9aBTsInJ%c?bU(3>Tdg<9?^xz z-6m5}MOui7f{*0d1v3W#Cm-M+_y%y{+4g5e_p@&Lt*7*9IxS}bO!Fp0tNC(KOR?`N1G{G%2E&j+AbC_re z$&5Q<0ps2B4L&1Y$oqr2*QZW5^y`U4?bB9EVEN5eOor)?iPn2W#}oB4=UpSyQm{0F z`G$9?7bp#ZW4h!;(Qzy2W1%@wlOKw#Xe8u?Ty>$2{<-9zUR6k)`2NLD+Xl|41swEB zwT5Ln74=^=4oLBSVuOo;7h1aJMXl;?3vX_yB-TGrhPl6mf|t)4qD%1>eICzcVRPz4 zKI>yuKo2+D3?g+=2t)BB$sgGNH`lp?V_gR1c7&x(1@$5G&3*G5VZHEJ*08<$V+Yi^ zxGUbT9YWuad>=iqQI5Pfd!B#2-cPtbC(8E|;p#eXFD-*en{EQRX6gnP~W!ScpcFOiYQae<^Rb3A(Mgt%D34!_@}54*oaKPyi%gYU0I>4d)X zz`TmTt;2USbei*;lp>E2q_C>!%N{iWmb}hGOEL)5zuxgoyQ>G&#{>(;9|mCST7F}> zRvS|9Mt`pB(gls;uSp5t0UlPX+l=dq3~;BUPy*=@}+6FDzL1yHduJTY+5_n66>xTin*nHk+`9O#8`$+Wp|K@Lw&)*QAzXd-3D183d|M`FO z*C#xGqR-Ej�YkbpVmEbl6@7zL&$>Oz*(u0#|Em$mJFQ$U_-usXhpA}9&;bn_7{|pLs1knP1q*JM zKBNssi^_5IkN#jf;|o=Pzu)iyNslfH11TR+c(*C$CLV*hmmY;MYk5QD&p($|UPq!p zfxj18DiRURuJ&d7++Z;N_$dCXPY5JshLzfc27%SwQK8$J0bm*ONpwf33gVaus#ki$ z3vC`Y`4eA6p~pO)lkB@Z%A9fN&88H>=H34JTA46hcCGeV3Qa}Ta%}oTRDMwU_kjrC z8$ERS+Q^=3PohCK=h-m3ZVV!M^Nhl8Gm3D1NEFW}$~PuDp6LC8sDA2SUXLc8*CUJP z^=RRFJy;&t|K;^4<9R(^g!2UdeJ}RIKfm97aB49rDVKad{PX+W5C8mr>ENH=uQDQ9 zPlg_yvxe|OG;p!UmSZI!!Y;d1O~ly%9o4zF49v$ttoc>S=$|I!>sOM#qC&3{!LKCE~`)mfGj#}Dc-vOcn~v6cWt{rCRi zpH8?Rmlf{E<&XPu+2ej(LAW26Ghw|mQNOIE+!vwS0y^+pJ@+`nQ6AK?Z5(rFk0qiO zI4|=-$R2LL+#^|IVux;Em0ZAeO~Uv#QNJLfeB*z5G#gy+rj6^}Y;e7sHm-NW_>0q= zu}qjQny7w_D1Nvr(&6_06%LU0$)zq`)JEq+tkRAzvw_>oP(!`5%;4@&@?~3u70!A6 znb1h$0B>g21ktP@xbu^Gz(CL&B>NuppVbV6;gH+&EI-1*;A~KGgKGfXcVWNnT2Y8d zj*r$J3|54R<2NeiXE2{D+F|#IxALIhS*jqHDGNE;XXDcv4bnOx^qYGOgOCE_qAK@b%l)Z>KwlhNzn7Iy^-g97@Uv08u!E39#MRy zIxg(ug~$Wvi~r>JYBIl>oOQn91uUPQmSigHAb&cC*+er>NXq+A(b{|j?KTWb6_-rM z@;Z3*j&hbDic3+0i}m^N@Kw@QTpz0_qLk7 z+!wy>R(^IQ1LMOx507g(V;TnjlS-UFam=583hA19LR4@GQH&^$_PcPV5+#`{9 zGzh&q%$Zb3W{Cz>D@%>s-QoSp+(_Jn8@fBbZmc(g<$DwCZ~m{x6TQC^<>P&hfAfpP zT^jPX`N@j|IMI`-Y00;^wV2U`3ne%T<0&z5F%T&_^O zDaZ9H+a2zaq@?P_IKnT*1Bxq8G5*t&x~|_Y709XoZ9FAQ2n3d8GBZg>fK%Z8fcW45 z@RZeLOTCi}U5pKCWB%cg?NXUBv1knm!&PKgSj|EFjC2_Xn=SfEv%R0DfCH|wYO*9A zcSc<*PsV?cSrXP~{lk|+aeT=e$CvDJe90Eam%MR&$&N5T^W&Aem6ser@FZq#mG@UP zdj9G?H^&;5->T^laRkdjsWhkx9o0=lN(}WSU(39qOZK~^;XovEUOJy7u^+qN|5{++ zPqTw!{Vzpxwm$Gs>*e^NK`XFo^O)xTZimvSEOwo#)r07aGU0k=Z6Hl}A84pyj9703 z*od#$0GTi2&g_0&c=CDBwM^O%P5%BFGnJbOGcs=}&4NzFEIl(L>-;juna_(cP~{&?T>}-Gk(jYPkB+Y2CZOh zcp4DxrxP7dR4*(yB=p!@A|2I(UZtvGD6CKzY)`spqAuQ|<(kkiC~<)ShOKZ=ldpX& z!W@a8{|E5%Ul>3Cnep?V5kLP$@bjM@z8wpB)2y2a?QgT*kbX}=44IpdSbvWt zJS{mo&brG5EcgWZi-_T$qe*&|=F)it;a)r#AwS8dDT)WgvnNLSvz^ zCw0L#`lMuQw=TS+Vw+5|(gM3LBrILldeExWw`G8>$L}}t)2%nmfjp@H_+u9bn6i%T z_GxxT8*&meyK<~RrhJI4%~uQ+@a+9segXS#C%t(yIYGfdN3!n5?(2Y`GzIj^%`rkgp@0MF}WB|xm$AaeO#$I zTn%0x-Vtj>Sf5A~|0J4!O|%{$iVys+zt{ik=M$};iSplw=D#HP)P2ythWTJL7QPyg z>4tMt=a;UW7(iFe*xPq!jUmwihjp%JLy(dpJ+e2lAIA^XaXeNI$79uSJk}M*V-;~c zRu*X9++opcVgoZ0L*E{wubR89TAN1F^?{}8w28?{19;0zb9N33<;^}*Lu5w+CYR`uy`QSWCh2&#znA^!s)k*bYky*$RlWr)i0lB0!vM=ol`y{7~5Tl->$VigdVveDD!AC%C( zqi;p@5(BsnnM4hQ(-6iFGqY-29Yob3_VPUr;R#a|zO%1*oM{&zC*IuBAD9neC{Iln zlL-p$&Q0<2RVR!`F=lx`*;UC1p%zaDMEdrF{XWuruWGUT5R`+PJOg&`W%jQdWQ59; zubo?U^n~jxp^YoQ)UNV?`v#}#B0n$G@~DWHuo8q-28s6xU;v|FTQ+uor)#aDt9)gNTHOK-N9U=IN zsU;J896I)CC-p~{US!O~>$k|+3Q}nsv5!o8;R(HwVO(7Yk~Uv_$u4ph4pb`#tGkMV z@9F%VNx9M}M@(w%y|*Bk-)m*2*(U6#0RHzNmqpu>Szj?;X*6E286x>O1~D|G)cjt;cNt z-qEE35+(;+pU$Zuz0zlBOjQxw{#Hs{u~CA{J$IKzs`ZdH8MFH*2I>DfUP=^SB|4ty zerp=wG(5L#1&^yJb|^o?cnb^d45OLR$n^VgvVEgIDBtyH&HrExo$q?d7m6+Z=lkv7 z{uBUX+oq{^Ga|_0MAMzmEc`Gv%Fe?u&IdiLy9(HKrqv7F!eoHrbt|PtRl`{U6$el>1`{=P~_TPgVT=)xzIjMg09$ z!QWpa{QZ?6eEt*tzliRCqWu5U%6iwWj#&WP9$}HbFkLk17$RF%#so#X=hG4)Z_3#8TwVxpZry%Lzc&}{I?kyzz>tfwPMoc%`xXzJ+UuvT zyh;Xz?cbx<=Z|5&1=nvDw&$YB;$NLh)@8tv8biexR*lGY7rW+jGLXdb^T8^^V#57y zqI%K=FR$hHuH(?u|3Fo(uLvT&AK0Byib7$B4hQ=0C<2#@Vf9Aq#Ym&8u2SRX31mh6 z|JeJ=sH(bmUj#&u7Lb(g?uJQscXuk?AR!Hcq;v=ZDj1-I0?Gptf?^&^#^U5K?2S=8$G5q1$cBmcr^MXVIU7p68+k7wchwiX+9Nup2=h1$i5PX&nU zwUr>fbtQVpZ`bqH`8;NSQmpv{R({-^pZUtm!g2_;Y}=}OPz@SWA-8{U0{ZmsmkXmp zBXE$6ZH(Gh0)1ymw5C(Zzn%|Zoj+pDhxyFv^6ZkOaDE~^CJz!M!TFf+4TE+Y6#Q~5 zf#I<@NUANl2Zu_*!0MB4&QHbQ@Ac*I^^PpQ-f_g&J2LosM-E@_NaN%Gz4|ENmr+0s zvIB}QHn%tYrO~aFt-Z&bL5L$Q_Sxa*j*w6mYa@Y3A!VH<>0qTL=Jl8y?k$Q|WCHp- zr=5ij7~x$sUx^#B8oGYLOy`6?1MnL~jrGMbfjzPR+l?K1%=Opb@2@#Zq5gKzXNwm~ zPCBmYiU`9IZ4vbxBn(A<@npM0d^kRuBiB175%?f26#ei%58Thpw6`uaLMdT8NNtM~ zZaq1bQRT-CDSbJ0HQ!X>ei8Z3VM=CbWTC4Y9ae|Tb65Kw9x+Gij`Z#a9dv+fD~l@R zsS=F7BGnL;v_LmQU#WQF_`|(A5}*3qjgd+x=@X;lfvET`Q(yR^8+bj}_GUWo2!C!; z*-4PvBApG=Zc%dVesgjsKHYzuTL52mRi1KWoknMZZ^)VWC%{XECu;KKx!|<$yg0kR z5=X1yy~psU0PK~5V?TZlhgRh{6XTTQ=xL4^NA1-J5LwZ?aCd(=7-uCPh~7y>1H0Da zQVn4cu9$P|QjI3O`_54Q)?OKX=fACY=L>==FQK+K6$tzkG&Q+KOc7D&oI{G()M4yp2uSepMNP8_g(Qo4(}8FD{#7(2}N@k8X{~# z>}wKb5*d!?@3_WyR?HrK`>^Dd-)s+d$A-&zO)Zg|>w255sXb=@T&(Z!8(IfbezpuK zjM;Z)ZYKcVTIjCtyIur6ixokl?w3&B_7b<-Rt6mMJ{J;mr3mx>#LD0Nuf;3i`Jong zey9bWA1Z_Ahg#tIp>mkl?{Q#n_s?rFuz2{#^`?|68f+C3TR?(1KZS%|8F?Y#teCKW zEUt{6nB+STz83-63zM(Y89cxvaqRB7-+n0cWlm@dPOp8ZP+g0((;A#a={(ZKg3uM$ z)@%(zC(P&nT_=J!B-G&`U06c9c(ba>f(_!rl#KTgiXdjjR~hmC?2!KXqKi_0 z3FL*mHD)Hrfl!A>8fLB~@ZzyMYzdS?O?9{N<#)Lt<|W{_@U9cR%TF2fJZcY7dyB&Wu)ow+aA6Z9WQ8;wgPf)VS(uf@o0%rN^mqa1^sRmN`J^}05?{w zAMR&ygRen*V+U;9V7q@ox8c4eZ>B>o?Y*Y@m&TLp{;8%2(P$YjzM2 z@!+}fJ$u}FeRAfCt{*b{aO{f;uQBHNV_-&0HJf@m)ch#xKWS8os11Ht(a)phciE7Sbm*j)gL(xc^%wWpbszq zXeM`SYC}{ZiPRZ)L(F)yt=TxX<+XNofu}9RCKok8MBCxvoM#}6lb$B$*fs`MOL{8$ zLT$vgcO_7#H3cn2jvDo5jz_2v)VDj>Md@y(&t0OW33!fZrbf$C{nTYeIiz=CM- zt@IsV=$D88gb@B1MaPLlMb+8Ifr^#S^M^xAgzIx&yDcreei9WMRG|&^yiu`He ze&-24zUy$);(QY>BkA3km}^McX`*eEq6%KMIY}2PRKfB(ftV~=8I%;h9g7w#L7HsA zl@pWY(2+@>I8&((sq@5-ri~OJg-!19&I=8ox}pK?M4E8%r~nnOvns4M?(eQr^+tIP z(Q`Y|hTzz$PkQKs1G?}$|E2bQeIWEc(Ooj64~GwV#cmySMBz??R*W`=fHfW~ezGfC z?)bMgYmllUdga<<4k6KDjFCYx=xU?N)!H~4pil1}itIB7?`l1#)O1_GI{%FuH!Rh( zwFF%#e%AWY3T&D`#(GmZfFE_mDZX!JV4+THt^L3nlD3?leQJzBV#?w%AOu* z$e*q0Eh(deTy1<$7-%8Rn$TaRf)=D%IA)&52}7boon6oZDQ3M0s%xTWnot+y6%5mL zGLIm4s_|te{_F6IFYVY{_a2~KkKvQ(8%9o262?TPJwP5-yqt6r=ZmOTVpf-8gwp|- z`H;b*0bltl@~THv;q7kd_eY{O=xU|qfuDlvAdp*fy?ECiLN^Uk8tOX~@Re&-e!Puaj-b>pn7ThgFB$o>0;h$~w5stcH5kp;zB*-rNc zDbO@MFPzJOK#-lEJ>EzX_~kiUo)3s4{y_d7uL5awF4Xaf0~H}y@TT|ezn}_U%hQf5 zUaBbL>Z;P0y#G_vVnLs>|j35H?xL=&3 zi6Vq`9=+RfGQDxa9}U0$GLi8*8o5O`=&Ip#3c0eAmL4Yi0tcsW!pxcntjVP$p2Ok6 z>?Z#7zT#dWKcP~=(#2_uF6JuwGjsej-LlOJOo}iTV?ABxRXtY4oz8zrgg4ehC z=XylUJV}okse2$lWoSn?dl=nYu2d$>?}d#o<951BolvWG`^4+Z!)QcJOL*;F2VhGPoH3V$q#v0I39z*G?0c0zdR$q|rPN zIzr|Q=d+z4GWuMkKA#$hoN$Qnk&i+iyyC33@pf=fj_lQ0)%bK(Oz$IPxCHJK;#uCAuXahn~q?`4&v&iJAX`^?Qf4 zAKu(S!?5wA0NJINej@jdg>!dG#tb%2z}V42F=2+2sM*)fs)i~N3<_ho)7p|S<4dvf zYp})-l$iax^Ew_TuGK%SYK#Pe&hJF|Be=R^qpnK?bi_%g z{ZWTV7kWH4iW9B`AhJ7gvOCRs@cpv#R6MRern&p2SrjyZQ}{#NZy62H%{3fN{;C3` z0)``t-QLJDx;u>Er7AS-^hH12Qh>l6V*a&cd(aUUcy%pW34Z-h+&8$(hto9}5@aye zN28r7FMkXOKzfbMmC6ge@T60w%PWoqG4+Uq8Mty|_h+omob6vj`2Gn!zJJ1k@1NlE zmjBy7VZirKSTXyfVdY2v#mDNPu?jl&^F?CN{gq1e`9+-0+nTtlHcm%3^u@1DjY9@V z_HDkuj<_^ny?(pH#Si4Py1<|n??iFb8cjHSd{)J&51F}p@fMZZkY=K)PdQ_cxZI5E zwjOH(CF@{zq+1NwTCl2BUOx@1e{5^FGb%vu%LnuPs%t1+An4)RRvxgPJ}TA6SPI_7 zRl~RM2!bE8k-KTWE{gBuGS0{*gageHGKCBLFp=XQ_^kbdI(5ocMe;H)VC9oyjmO%b z&!iM|q0H7nwJBEp8bTtlxD+{Xty>y0LJ-MYCOJrrV*MjkE(ULcLK-^dR50_Wu;RP0 z&R?*`zY1~Iy7;sW#mjk$Zqt;)a*B2Jx=JnB5Se`Ur7i>Ra!Eqri|3FirLI!f;|k3D z4y<_Z|FrmOU62|5?2Ix@E5dJQ8h}7+(#TbRW03QkF}Xu)1W9Xq9wlAQD2nzn!_V&~ zU@ZG7)}Z_*I4hUV1lWwB)2z}j5`PSWLifR7@(=fbuvhD5xn? z%EOv(g+cX~Hjcaf$KYya=r57cbo6r5crRrw9qoP3ABg1)2d>B7Io0oDK}EAhSVq?# zty5$XIK@W8_nz~+*Nk+~3pybkm6|Ac{LWLza6KFX9E6SviR7Z=m5Cq5Go6s3KZnVz zX9N;__kfa4Hw;+OFKUaFB)Dz2y$U- z6_LzJbB-`h=jPXtv!rIRG@MJlv{3v`5hdU6{^&s`4X-=&8$H$~Kq5BCB=MO#D*9A? zvR+#pU*8#`puH~#`|K@HZrp22@hlCgUCSM)tSjrTknpZZu*t_#gp>_xcXj z&!)nKLka?ZeK=nZ_MS_|ZaL^rwx!^yqiJCMKC_D{DGC^a9}_rzJAtt3zbQx@?EQV$ z20oLGm=WS|{=aGYSr}u?V4&fhW!@h}bTIRt;h=*haI>Y;*_#9-#?==W>#NS9KT`X2 z-z`R=%A)9^h8HK%q_gV9tIZ|w%J8G8YeNYH9NRNEJyQZ*^jw1-TSln0>zuov3nRpv z?hqX#Gek|t$v1S!^k9?6o$+@i158j!%@W4z!SF)FRvWV)3i6+2vOn(&40@H1BrK02 z%9mG3Y1urGrSQ+F-r*=1szbpgVfJ|bCXO%9bGWrg&;ajO8;(gp* z;d%H zK*k(HT=38cu?=6ONj;$g`-uZ*YT+{+RjNVzHn2f7Y16 z&n(%jUHNoG_%iOxV5Scg)ty;ht#E_7)~sPSB`2JYIE75sH8&U-lwx-<)j|h|>e{<- z`}ViTMdwE(HlSaW(e9Jug5DkdrOMo71HU)U`1GY%aj@Nz?iRo~>ks&vAXdbXR% zkwYlui~h~bHZ=&A;dPHbXNhXd%|048DnU%Y>~$7l4X6qGHY0e14>38tTCSnBKws>F z#+>dtpl5x9w}^v{fvoG;g1&|cs4R`_BN8-%2)m@TB{Bod^DL}-cPI1Ab3c}aBf^TW z{`BWc;MhB<)RP^}DAhTk>2qQ!8Ykg+EWB9;i=#|G^iu2Lq&5YAL)9_RD6J$3k`IRp zW9J`FEg~RSV9l!(%8`DZ_1n5`A9&nW@%YlyG}sp0dT@g+p1VdVx;)~uB`xFjDGs$N^=#eNelh* zd!iKLh`0UM{dLh!%@A{@WY(z3TD68(@<7X8SycH&33iz&Qw^>gBQLnn zl+>pP?IhQ}edCt{&g0sSE{D}%r+2~qX|fK=>SQ;c5wb+1OpGS1N=h&_B_&gc4Ce%}{&&}LWf>)DNo8y)q=#a%__HhX_cwa^K;`$9eRQbW}{(}qV znES(j@f%`z{%gHDz5ud=@K zfwM!7E57Hw;6dS=!-I`>Xspj+#PzH zW_vLB6&;@(b3TCm_R{9Dl6y#|tM)Yj`BY+&}nB76hJ${+ywzKwJ!+KTd6)gyhZl#PgRE zK;F%CUjJ$PA%bs#g_oQHLW7NNn2H~SPDL{hj|54?lJS^4 zT8jj}ayR?!Yoh`E+_)pDl^Uk^$i5^`UV;ZYrINxLc@nZ zXS5P?gMLfj2d=JKzk78p62)j3#Ca9_z~?->+4u@K6xBydb=%h$Gd>Ed9wS+1eCV!a z1A6#iD$p?S6ol;6M~3a5L6_^I_2@f_fpYo?vGigARJ?c?`CF_6uTQ9r*Kd@<>o;oS z^&6$|`i;_f{YDwg`es=1KUn=|mG2W>IgJ`{zT4E6p_E3Tc=CG2p5kfLFRJ*kCba}K z%T)4<3j$zI)LwqFwgzG4mpRC5miL$t!O8U>qEFojpwRx-l*tEP#2u#>ur9GTusGZh zMaWDDb8}8yBP)9YSn+r%6fdnZwKSneJDKCYs4|@2XmIj%HbY_^Jhu-lr~}7!GttN5 zDv(7tYRW%ih!yCBl#b54s(j@t=a0;Ma@oe8I-@kfmU9n`alFYfHjzmucO*WY>eqZe z1vCjJt4+lUKz_MSdxkL|iCVu*>#OlY&w@psRarKHO6UQyqOoMeN0@kJu#FqD-~GSU!_@3m!6(o)0sc*A$)jN7!{6^{?jA1jPYwtJDJIaALXY}KR_ZrBlfAnV-e>Fl5u35TSS?DIgepBgVY0&X3;NiYHH&9YN z6YqO35gCkTDNhESM9lVN(~Q>*;o};w+RkDQY%b|B(mDCU=NFs70ny=LJ4dWDG-Lxi z8}!l6`)v`iQ@75ObyM`wjP8vRksHW8%O@|n9e^SxZKXy;9WeXhV&&^$jlV+?I>Ym! z32yA`I%lC;fHF#&8h01Y!}9w;tp@H^V7@8o>>YUxEimPsnxAM!Sova7pF$7a7c)Sl zm)1OQDC7JLPLHLU?PEqaSID20B{D+71@4q*e3EEgC|+eEL<7=A)WU8<3F`cnq|oUT z3l~4VzH8i<1|=^|rw581c+Zl* z<_pc zLR^6%i2gpatJR0o3vVX5Bq5{)^~sdsWbMAl@A0K?qbeFOnx9|hdRr43RW;qY+fSn( zk@?~DYYi|=_hj#&LmwJT)_y4WqZwKV(;s(|G$Ngc-_$Y|uff>m-h#kinJ_Wck{58# z52T`AR|wDKqshH`u9MY)aPB|?3w>V_nr{0&`@$m$L^plym909E_mkEs|Ji1UFJK$B z&+tc0DLO%?`7%L)qv0&UgM8>4FiQPs9SuCkjZ=0hv_ZPpG#~N=(P|U7x~Y*K)Y~16 z9~svI?y%=fT})i4cBF7_BE=O6w!hiG)XEC?$G1&BG%&&IGY2w4O2yHyqdGsP!Wlpr zerxY-aiSrrj~;JU4r89TV&zj9(q)gdjtC)v+nGw&8>Db^%&a8}RZj@04|@M)Oa}$5 zA>I!-KbNSqWj2mFXN1+y5o^BD`_43xzh4v>nz&X2d--5Ms)$7Ms|bYGXOC+rrKO8^uBEH zpfzS_{3A1-U+~ZQ%UJb%{^oBwc)wAE_Z#)Y`;BVh{YKUCexsV;OgP?o{*Vbw&Bk^w zsaU}A4EGdvCY)bM*q7a&5gS-4wu;R2vxGb~A-Sa07|i%3H$)eC}5xNV@@IaTC$Fx9Nemqk-rN)4uyGuk7LetwUNIIDXh6 zvG(kyLSM8>p?br7&IT4fK0Df3ptOf7uEKtQld#KQF$?7i`7iJSLATU8mK)%RV6&S9C8A3kOwhQyV_0h{UQMwf5H zqgGdh)odKnL;drJFyaX14<(Sx53+^IlV`Ee|sjz@R5^Fis` z6W@^+^~fVxf7ZqGBv89F*phUeg6;!%cH1vJ*gjfT=#?CLz zOjp?Uy+XTP8i;Hoea7Z2Z9z$M_w&_{UT9C{yNE1FD+Kh@jVTHjfyeunZ^BmB(BaF? zdUu1GQMkqBva0Gc5PC%-u8ZU>@HYe%Tr)O>WA$IyA8eUJU2jV1^e0!8P9f$%wCsS$ zS}vVpi?9TRK8oETRwGcUy+cg<5<$${YeZJ1pNsWV zE8tl`_Kxr+C)7)0toYE+3?=&1oiAVX25R?t%9}TB(ca1n)-Uc3(9buQ!ZOE?u=anj z#$(mT!^;145;WMXzNCR_?~*SF>RQ0;kq_@iM-TBCD~`BX2}rVfA*h$-?8dL z^1gPJE2#EBeK~_)#eTV=1uE<96?q&#jBP;D0at&e-APV-MeGLFXU+NdvwA@ATvAox zv^V&bU8;$=;|i(2`3cTl_lA#_G7gzHyrI{-`^h0X+;`7LqkZjO4r*@dRywC~99&{9 z1-h_D!+_)Ism-($HEh;iL53{d9~s zQGipWGqGnUx?%e@T>a-YX#eoVQpCO)Vbzzw8jtn<|Nnk{@l1O+l@KXlj*mF?<0=oV zm87m-4ibUuQbf_Yhb@rL5s}-jd_tf(esRCOARp%b4^}=A)_U{(s4y>q5E)Po_VAV+ zCxt@Dw{gBKf!Jcb`2yOA;qzR=#rJz;kQ*u4Sg%0>_f>{-*VBrD*4}!_{a7b7KP~W0 z3rhsT#1;_;=<=r6w1 z0FN)##muM1+W#4Tqs1{yB!d#gWy@~3*u#f`v)-F$z0q{2cB%7m2e2gejmiHZ0xr8G zLkIe}5LUmcOOoq%9?Mz5mOR7PPwf7va^JYn?KW*FC97%L{h|w+P87oFB!cLDx8#cx zrjnR{@6;95GcL#vano?$13LtE=KIMhalAyPsOz5G2eg5l{LwfMu8wyR8Cjim&;tG( z;q5osw~=XBvbjd@d0-7W%iqRw6&Y0J{N!o43MDK>`3#v|z+4neMI>54jwlUi!>I3E+LIw4%>6p7>tABOzJFqe z6*?^$!j6it!>KLVjpaugXh-v0=xbUgSRXZ;3AJT|u{@qfXEsyiGQ|Ne74+eOnYLtvO+OQWREAn@+2@2mpQ7DDjOfO|*LVvV%RVHq2ak z9vk9sgTy;*E}AcEgQ`Z?t6V`X&>B#b)Yq^<))TT5_3WCM^>4AhzgXk3?w?yG`cc`M z?&y=VoOqm|B@`Tv2#ScchU3!{9x)R>D6eopc`?rlNDq=nMBsF2u=by^>RXm1rgNvr z+oIj%KE~#3O<<=OmH z)@51r;~ZPcQkWnNwz<+Vx+DJq~XBQD-l`v3Ij|GD2i*8PvQ9{Jm^`{#P& zSoJgxdF1p{xmdxkltf~FIbRed->)rnI}idgDVk}CjNsvgnAcs~N0H$1T@m$mFU)#J zfBgaf`8@hBU)UJW7gogcg;nr;VVqy||K$rCnE7H8-}us)i3H$%>XDN{g4{67 z7Rse@TppE<-ihR#l0z5xC*1rrc|l@mKhbq@W7-NMc?;*8TQ3o(s6=x?lRnvB1j6`|!yuF7Obg-7U%H!ujEn zb+(tXfusMOn#zNEn9u*#wBEeyo4lwe(6aJChX@+&Nr_xiH<>#N|eFNnXs5dQky`0Mik*8TJM`6}a|uMGbAD&wE8GXD9> z;h(Pu!kV98eO^lAK|(f~%L9t!#2Pe_nyB!^OVjO69M4tf=A~exL%6xUklddnIrQgv zbQh70Cg%Hzbw6Xh|7D+*(z~h^Q9N@oZQg_;gp6}W+!$0wWK{O?nS9Fdr}t#Fhrb58 z+@jFpp|5~BpTv6qv3_5$>ev1K9$Dk_6CZqjVvWyFtnm4X4?aJ!#QePe?jI@q`zwrp zf2Hv6uN40M6~({5IG&mHc>&9(X0X5xJdQ&8P{ibT=gmbkI8V7Kqj}j3=R0@drqVt` z2uU!@(KU?3{Jvwo|5)|ku-0pC?f$R5bDiPnp|Nu6D>l%q{X6`OmowPT2)E35JA;1W zOKneUI~W-6RMJ;W#hg!K-OpJ0$nILJJX9)SNGzeZWA=y#SpB}Mz^3X8(h48GPaXAw z;)OApD;81caQV6Wj}Lld*2}_r{`~C+YUBHXYWRMjHohOIjqe9);QN6A2sRp_kU}pUm=SRQ2!$Y0Ss0?!7sNCmwtdZeimZ5NZ+<9bM_u*z1 zKT?nKrhM$_2t_aZmNq8+pdel`blmYM{J64du-xv4R#NFG59s)#bn5eM_oI9e*7XZs ze#6(AUP^vLHEYD15=v8% z?tmW1&Lrqg7=U$L!ArprL*Ph#npr?+0FNDpItJ_YK#WmrM&Bw3gx6$$E;WUL${ji`SD6bNZ%s)zCRnBJ!$6NOJsvVMlvC!~E&s2jbBPzR<|{yB2sMm~?Ipl2r!E z*(AyQ-v};kvW~futHQhPWS=EHRixjN6n{Za4~^y#dY0jEZyp|3K30ZUg237&ljI~F zQn98aNUR`*0K#XlF)5htnmlqVFO%5{{bi9}Dd>yv2r zyug!;(o0@R3%CTCw<`0U(MV*2b?%Y|G?NK1Gvey|L;1|5Ppf#)o!}WC$#w*P@fE6g ze1#kyU!j7>SE%9f6$*HKg$H_1;;i`1*cM$aP`yrdJr&sTs>e7`3HOKJ%=peHjR5^T(J?X zKj>LZ->`$E>yfb!dZmGeM(~FAwiSA^UbA`LMH;sKmpg1YB!S*oCU36ksrr15N~K=5 z6bwfD^=$RKLCfAbj*my|q1gC_MktL3421iYPG1W{Mx^WI)YT5);N6;;E#ZrZYKFCw zx=fI#fe_+eGXW9ApD8MDj=J9{-(XF}>76`lB-7)uMh)f1j@1YnLzVZLFS&P%fGVaK zeX%Nriwsu}bL}sIMR^4s&$IbJM%hNbx!8$(#C9`D$P4j!JV_jmDeAU+z9bxsTUIHN zmx4!YlE(y`MBqImVi)>pg*2F+YDu0KgP8lO5`}BWf%EK&Oc`4{+Ax>;)Z|!znG+`cAhy*ieD&jl&wh`k8041>w-Dv7po z+}}SBdmAN#k;|tv270n6%<~Sc^AW7^R=nvMzMFz@TKku)TQDcQCW$oHV>Cyiv1!I3 z`@~?>uUl2Pm8wz^SLzjTlDgX8B_<|R1Zhf>Z*gF3VA!3!^^7Fgp zf%uG-XAB(`VO)lX=m-v%p|}>syvnQ(t?jWEzLI*7Jv(plW6lz%3&!8)(8Gh-zw)pD zwF%z;S_|)gEsyuVmc{#DYvKK`<=~A(OKlw)4u|-pyZJ$W64GiCn`|bC0P6yd{ev`N zkao9-{`;eJq{4hSllguaV9gKz;%6+;oxRh;oq`(BS0BYiHfN1;QV(p{KhglQvwIz@ z*EHeO=Ob*leYEiUIkI^DoFjPs9A3PBju>7)M-i`|!wrA??WXvCyDq-pZjbM`>*4$D zM)-caBg&R97bZ$_0Q+0b#7?;Hk&+_$rH;$TA(BsKgmTseLayBO<)hSrsNZh$5(CBv z>-_ZZeDI(9JJ@7W_zzOcA`>6>OErZ2V&KGOyp_j`_dMVT+2P0P2SmobJUABF5#i?+x?^r9@vBR)D-?W2wyriZCQ)|B2U;1Uk(k|Mc1^ zVb(h`{zQ7D=YtOLrh46qQ3*so$=>Jcnswko%&^BcZhjFR_^Bq~i7Kqg77Spft2Lzw#f(NQNYXf4BF3(P|uRHcWYV` z>_)GtY-GEkKh0MRmJ9t+e2{7Z@c|o{RLWAh!s`SKmcciyCM{t~WK-DM-X3#4jJ1D` z6)%Ss@1Zx;&Pe@<7^rQ?OHy_Tf%Ve%0j^a-^hm5w?dkD-@S0Qf-Yz1>;q|vxT>RJ( zuTjVCwG%q1=)?Ed+vj!QnkB2djeDfC@#g#FRZe$4tscCEI9Ei+fq z>ojSqT)%c$bY(Dk`m7Y{MenUNPIV&B&0QhCix)uRfV8aaWD#b)<=VHm(u7jQ(6=(X zmi9JD)HZ7G`oxPHRbGB-c%@n%Sn1fg(se|T^vgs$A!;qmdIHnW9=Aw7_&H!i+Vgy# z_WQu~7k#EX>?AO|0Y-fN#e(2bj(cJ-)uD(0Aq}=FDOrsDY2nV(~)i|laT+~S1 zu+YRC2}yC>K7Kc{km;}P2KvX*kXPCN?Gw%?@Gl<{f%gk=!TSY7;r#;K zU~N{XChf2{`gQ-pQ6Fv(~6EItVCHt?7Xtv!TkwU+9)&)I(E#-Rnu?#F#MYpAwOF+B-(f2>|Xwa|k z(*3d@*a3okav2%Rm9CkeNDI$Ocb>AtiIe`?Acc4moYr6stcYL=t_qROQ z^%~OM(2{~T-)3+7hdQ8WcD^qKzOq1TU0mt3DT+DYNKU(|MR`jbsKfr)*9mHa%1J)X z9Gs8BVV=&|Sr;F4eSSWvs~7x<5hub;6WCx221##cH%bgUErCGDEyd8ur89sI86`Oyxv z`HGe)E+7vcHKi^-3QGqARjX=$9(z=%`DumpP%!FBZ~B;IV27^OoqlZCq>VmKhHx7^ zcLy$B9fC%jz9d$Ctb6eIff60TXyOFH-s>(6n{{ikqRvT+MXqq&mc~$O;^j0&K zkE(NlRs&J`sYF?Dm-3hUnxF%xNYhC#O(VJDG+DSLE? zvcWMG#h@l~hc&`b58w#R%=@|G2_vF93AI_CnClCy`5`XXqrGmKgC^?oe>MjfLkqRN zr`kjgd=N`3dwlp3ie-1Jl=xE&CypMoQj)EP2dbGCcTH;0nUI?#r|zGGjgQe(>;VO! zd-&Zs?}Qp86G%^8pPUEcEVJ_g$GH61baAYV0`C?Pg>G19YIpH1 zszDo{+%!*{H)HPS|K+=h;Q4NXc)puDp6|wo=etSb`ELA}`&a)q|La%s!8AW7dwBJ< zl~#x^1O>~|DaO2Kzdv7oFiq*Vhlw5 zXNDIxUCmJRbx)3z4>oXMpwmf#0OxmGtW6=~Ac$E{lI6`ofF^RU!MHiSic>(C8?bMal{pwSv3HM8<&MKB$1B>J<+T&hK@T|N2*SQ^fMA6-H(ru!BVD-g&x`HnZApR_R9fYB!M|IZsOi0n76Gp(kq~SzXoiVO$+jrP;Ri`gICjpENT+l3oKV2UkQTU(}(^ zd7|>MCq=NNPilIOKmb%_+Rlcb;)6t@7?tDF#z;rhRFl$z8}`q-FLRQLK+;nt(Pk1J z%>Zps2n=`sTVOsun%n)90cHM~UAUiY-Wh^J8oEOE1*$ zemca^DYqu}HzyviDhL^G*)M(H9!d2C>R@>&9_ny)U4UiX22o8S63Um}OU^%p7pt-lWA>#qaw zxBeo7zx9_i!ir~8KKk%nQ;#;PKIG@T{7ME6HNH7R_D~6I=*5rEi|V2e2Jcx)WaXe| z^5=Sarz~ba7p#8VSp7QB^;a*jh9dOjYJpvnC_fa19lkxfPXfM6@&tdjlZVsIzdJi9 zwa^16>l!~@5zPJ7n2v}|**65>pI%|^1<}yG}bhC20_w&QW-x+0Yu1f>gDQ66RyZIrbOHW4om@wK!Pa&Ob?f1DyeYujJI5O<7l-TyGc`UAgoA5R3GHM9aisR>}68QP46@Gpy zjGv!M;OD2JaC)r%Zsc!2AZ)yTe9*@m>_&tv+HG@@NT1i;iVI%w;{x{;#XMh74&2vM zJL!d==kntH6OHixiClR9L@vC4qB7n;kqLg?di+wL7~%LCpRE+k1JEsjbkPGt8sOGP zc;bwQ8c-a|Ytnyf2-?yg<|p`7AZ@zXyr;tx4VQJ!P#@QWyWXAj3@+Btq`yqYd&>(+ zJsf=3Piq2CM+lzpj$31nHx0DNIu&aPWh5~vnNyY!;xXCjIPZvD8P3$$e6T?pby`kT zjn)wAe*31X9Y5y&YMUSr`o>2GVUxq;p`U4B$anYRLwh-7T5xN>Oc)i!P&nD1U1gMwF|-rIKY0MA|%7H6&! zh|BXMPQ8!|-^LYRP#-Es?LkKMy9-&c_><^YsALuTR@Lh8TTTP8^2M;8pIGMwHoRdY zp{6cKK6>0>N=6f`owOy|mvQ>?wj-M>f;uRyHs^Dc4UX3}C>tuSqKDb9{6?p0`A(T0 zIxoP{Ss~?&NF)Nk6bhN4{fh>pCkX!u6k|we9Iv@I!OoIJ>PDdek^W#I4AU*?*)yciHEwk|wm*{t{@S#`#}NMn9zG zRfAg2FOa060asAw+@gR5@U0i;-#e)Qzlb^O%>URTf*^~P_|rycJ&3U9&BsF^fBDl9 zLPG;^;``|ljPoUI*9?=S<23}V{rS{9dyW3saP*e*H>J#ZH|WiM!19pO6PDfg7qJ<8 zfW-Eh#1|If=)G|MdM&FLU|m1fc!>=%&wHIXUmUeCuZ(M`k?xo!4B!8)K;mu& zla#D#qqhmsEA8rJHwshC{@_^aS*-bd`}WRqp^QI-#b&&5d>#hZ=rfEt$c_PZykli1 ze+-b2O+F*>iGZc~i=%Ndr%|(tspnI39KNAP_fqtr7TgWG94RoS2hI}O8s}s5L4h`Q z(B+FZxN6_~-4%HZ>AGLI6-thqSLA$E+&j(*t*_U`=aYFLkYoK&m?ArTUSG4h6u}K` zq-9RCJsdzR^7cifK@QLo7B$SZ#m(ks>7rzLJdgYRcB5^Fg6Jw)|(%`GAMr*3VDD#_h`42XQ4J+mroc zt}6@XYj&qRtui6*b2XLCp;O3@x_`R*dn1zH6rXJm%>@TdF)2CoBG6mS=}ZyoLV?R# zT@B7>!OAXUGPvw2T&3-CUsf#wb7?^$xzo*{RX4v-v)F@KKQON2s=4b$YmgHNv)JEn z3EPMul%3xf{TUT;5Et=5KimCUwrOo(ReSa86C7R@E8o-Tj(p%0<0&W@TAiTmZH6QL z`xU;nbRgX)M9%wYuOdy)uKqBq3*emi#%zJG2Jh$S1VohEOcv($z%-#O*o4!~cs^7- zd*x6%vUR(p&1~Ze#2bBt_qyCL>uDU-BazYIDMmEthj*}92KuPaI@oO_2uC5TPBqtTOLhVrT&k98_8H z#UeyFA+=9q1V;j7q4-yA z?XROUczq#Gpgeg)Bl;s3h~A@&?2Xbz9Et`nUVUeUR)Wsg!hJm8(rXmn9l`;B`B0i5 zQQCa(1D^uiiA}#Syr&CcQ6%5z?rVTj#96wXc_k>Dmy^#r=7-EL>=*lp^FeXGfnJSu zBQ)+qXaDW10({S8+vEMH2#%H16HMv4h($aC2G= ztO4Bco}Vb0b(;?*kz|!*sPV%Uiwq;jb9|V;r$0+X%PaKs;Yd4w?QXv|400us%^P~5 ztNu$zyWT6HWDVVwiZL8-Htx{>VedU-x(dF%Uy6z%BE5rjl-@fGz4zWbNR!^XR23AY zR~tnT1VoC8uoM*#6-A0DqNpgMVgp1(;qLQyKQC|MKFN7U7ga`Z-%4cgNr+6nth?oym%8OcmqdsbL4Al>^m%S9F=79fqTAZ)29(N z+M)ifQq^r;y&{}1#m~?ROj+Z44@}q~F^)MaEIkkAS-YQD8_S@DUgH<ypNA>BmR3pWQ%5R<{a zL8Vn=SQ!~sSDZ42f>yE2cNBb7PTWx&<#ywWo@HSn^XeY7Pn3q#z859ws-=!_>ifnET)_50e+? zVeZ3uH8MC~ln3XF%HVua9-J@Ai}OXXekZ$pq}heQS!elCZm$};`KS1Lo~$q$X>uEg z`oIfYAFC`sj_`vx*H}!iod9rP{x#hG7;mv`nQn!+qP!GOug8WDc9}v5-PtVv20K6}PyZ6b&UeKw zMtmgQzQ}xui%vwv062Hwc|A*EhKTZqiMA)2pZeQBFYIxcp?j6b4Q{c=9R^5w5sOsJ zvZoLyClB7T0JQur z_rxA;cqpQ2*T19zfAvA$xIQQf*9Upy`XDb{9~6b_gFKY*UEh=G`(+!1$hB z+(*P&g3)i?6#X6P25^nJBzm1%3EtKi>oU3-fM1|+f+M#Vycp5F&g|t1WU~?wH;vcy?bDfke_Kv&`C`!?wDPi6bx9)=jtBrR8bSP$DTy~|cZbdV** z#Te@2`gs0M3OFpBWv=(>qBr4FXZM)PfXi@miiN2R{Or3E=9j6B`V~v24p>S-Df^Er zS2*&3$-Blt%C-dYZ^d*67sn!{PL7XgC zOfVsb8st758olQui!KWCJq~Eu13^?Glr5CB01Ikl+2MN#-!IsXpEN+2&h*EDCEs>l zZ$u}ju*+_{3Wym~*L0^V0N?#-sJ&nS)v594A|5C}-%d|S;cjkNQBa*N$uLAcaSz*1 zkn_R{k?&XlO9kZbgIN zcW2G5#WeJ-?#@q2vS_>>h6k^Q;l=A=Wbk?z6TBXV53h&WN7zrf$l-X}wjZu&a(Tq| z)R%I!O>ViGNvsV@u9}Ve|Bgr1g^sGZYTao3O_^JNRR`hzJpv^4pY-X%hm-90wp)9G zAj z27=LD>K&9jg;DOqhRyh0Ua(QT^HeHRJmKHt-}ROr*Qe0n`V@IwpRyO%r_ka06l%hJ z&i>_7J9YMiL2SkghClDap!X>q`SN5D3O4>#eR41e=$YfMJroRw*F(2tdpJTMx#=UD z+j&P&vHEt?S~d^eNb?iY%*_HCE1QSm0g({9|5@?4S|TdHmhHTSac$*fri*`E@Q0t- zO&i{&@~|p(>_g>OC-9jjy_)?y5J@UBh_am5hxy%wj|z)kVe9uU9thBJcQ3<{9U)(=ABib>TSiYSTj%5=3~yW_)Qol zV(QaQc`Adk#=C;~F(t^C-lO@jUkT*qf(;hldm?UK_rYb)AS51=$Ew)k3Vf}!52H=( zAYifduEvlJWNRE|I(*oPaD0qte3EGWxu=J6L0BWk>{?tZo4lZJ0>w12+utR~h(BZTLjCAvc)XX`7*?0Mg zbvs+Q|JnTNr}#L+{5|nYNlhFzHYom;qR&o|G-UgZs%Q6QUx<9KXqIje0#EnmFzn8A z#`azL2$}H!U|Ta%c(|zpb^CO~&-figRhP&Ix@5#bi*bzp*IsW34;KsD(y>4jB#{BU zLzqu<1_ukt;J^E?IX-nQ{P{r)3Vx;MA5v9A`HO zkLw3B3}E>wkwbM=CoJLhd2q6xcR{Vm=`h}B37y3PU4PchfMY)7Sv;KwnvbQLjv+OL zX`PhI61UUA!cS-Rfl3LY$W_l~MOmp2zV)U`>Go8fu8%xsB_LPz_`t@+H%|hsAVQHYss9^UwEZl}cIxy(YPdH1d1YRm4aLhw_l8o@z>&}8 zRn(nS;Bv9SlBSshSvS}Jj1r=Rrz5KB$MPeg_`DO9S6etxJzpZH8jpZG-*sp{rA7j& z&U@+OOyNM&S>CU6wg@H3dWf7BRzVFzmR(;Klo8vxOBG|@ilDgWJdo0C2*aO-hlldD z&<=a<`3N3y!u6R%@B2kd2f23c(t+?$ zpcB>fxjcy)_;@Vv`DuaAPfL7$8sqab0-vA6fA2d+)b08 zv>uRuRH&!*w+DJ8sMSx)=mGU3PCOJxOifrv(_*867`Ru`-LDoR({0VKc2 z>;G}LgI7T@t!_yUgzK07uICQ;dTxWS=l1w|?uf7FHu!oTk2sFXw#fSG!&UJMm(QKz zf%^wmSRZUSp+|YKl~3!mK}U})iAh5ik+AoL*e2@0w4B-OiN`*0IoM#MK0X3bAK_i^ zweyABdw4QK<-LHddYGoII|7~S*WhPb@FF~a`ik=_)VCDC{@2U`x7G{+cHraR##;1|8E-F&x8IMqH^JDW${}QA=zdVNtP}pO4_x^AAdIgM-1z#yfv*pu z`1-&`_`E@M{UO@^bUA&3>AEfGo!MO=JL`o)660#-Xzd~V<78^!SsSRl-*#=e(g*R= z_t3fAw*sPm*?-qtO`K1njPpq}aXyJA&L>gD`6PZgZ{**3MAt&*7SlLYL3dNb$*o@= z%1pZM$o^3R_wGjh=ezmQg|XoTRuKg-aT&jL=Y|6!swXA7e&)xQ1ikWBhD5;Kq6YPXZWnxqe+7VmgE*y98Z zn&a0uMr^?1_ZkIFqz{@onq2b$tDpWmeqnt4^7#10@$v7+$FG2oUjQ1#hOMTnjllA- z?9zuQdnC_!A@}y28LFk~Ms6ZwUiDl^!ZclVPMB8iXWe9N{!RoE9 zn*7=orHT|TUKgEVmxdQSlM+Q@qTv5^k~_dg6^XwRckRm+0;28Jc$w7Cty;r|$AVOQ znJ0Q*0{%t&?P2`SyQP-xR#0RyaF$`n6FHb#y}UJKM!5g~-t!{-c}?)=)xw`w6@Ok6 z{CO3CCi;{Dmr5;m{yoyWcc>K^!-eVZC+i?szfy;vVmj$&zftHbXWD)0;eK)BJ$q(cx*mA?0FPZ_wW=-z0LA!peC1a|9|JF zGCn``@%gEa&rd~se(K}%Qx*(`kA3b+b%3AYdymd+^F`m6W}l?QJHbq*bK%faJ7_#> z=GA%D59RImQja-pL%2SiD1VIE_Nvz}EKcYBL~73On<>as%4K$*wg!p>mZ{a}w(zoR zZH2nd9L61(bVJy$-CGX)(^oM7mID|ePoD%W_nuB8?Oko7- ze6!KhLz-UWAyH7ybLjMs9#h!y+jM)kzb-O4c^WfBlr7Qrs5uVt5)>qP5V&shdxhW9*>g z8v8q;p)Ay|8&mq@=LHmY;(@l6@j2K^y9a2#8ETzb7wl+@V6exGXD4YbVtPo!Mse#9 z9K2F6RmSdznCrfBp6^P7)#cKr$aOcj6^l1kM`3DlG?MoyJnv%u8Xc8SSTEU%O5f;DC82q*y?sy9Ly!Z%ZIf=8 zKg=aX_MHB35Tcpss#bFR!CY?pR>CQ7s8RS6yqRi^p6BUGuw9Qv`@EfhBw2gGWu*^J zWUGNN9WpDjUB?n#as2em0lWYIjVIIK@nj`Do=k_wllS8BWNtj3yce$V?3@^`6^2Lj z)xngP1YoSUUgs}D z>*Ei-9Aw<}C%;d%2(C;EoE+mRh47|L`YUl25Rzi^Y)z~LX85(E-uZT*&lzJX^ZWM0 zQlrw(ycm9nyePV3j^79|?H2W1Nya!!E5o$frv>5e@O1I7&wPZx7g3(TP|oI$BrY46 zRv+f4PqaqLuZo)(+O2?ea`D{Lacj8n`UiJ*yF1F@e!EKEh2>RG>4l}p5!@4^A+m{LHZ1Tb%H`5Xcn~n>6ok8SjH| zV>L#1ek2z)+{ifgYDp0Cm@fB-w8^0EQHhH4bo*hUqhp0KM*wz^si~Qy$)Qw@q-$k0 z|3^Ra@4RTD{CuM4ZKCb3aCCm#(zk{vKL_^S?osu~cq2oJk|?xDKVNd!%?`}EKb7Rq zOT+h*Jbo5e-3h;cqWMaq`FEn{NoDo^k9W7EK!o9nZ9J0(`qL&;GGZ+YIoGYWT-7Ck zDd0||n7IZr)uNT>sTTn^&EuJuxwyfP?v>f=LLE%^(RxTtoEt{^Gfr{$v%z6yLy>U~ zL6~sNXO7F^#P4^UAnBb=ee#7S>Ikw-DV}2o*ZE+5ofZ~wvoBcwbASyldTtJ?C2->B zpMUok3rmQ9LiWHE^3T0czcCwue3#GCsvot29T%S!YK$8|#`-foT6JycdKNTeEouY@ z-R&;+u)4xMiq}TqzY&;2kSrntyrDc zfBah|@p=^-yk12DuUC=A>s2Jc;2n_3sB41kw4eEP1$p$E-tTz>R_D0y?SoH&Kh$Aw z_?|{)9~Wf4UsytsT?1x$Sj;vK#=^|NiH7B(a7c|e%AwGYg)gHc(t8bJVajE`h3;1b zXid(y(&^QpZz9cOqd#hajWqb6_wO2@9HXqb{Hzvqq6AWkXKKOpkbh=_#2KJ}6FW!p zbC@u1lc=7Z=zQKae415Q+Y+i{%uhWrFodgVbtN%3Fu$LULw~MHx}(^Itwg@lM(}p4 z{Iqm{DIC~V++T?411cJs_9n+#z-3aC?D=u*p3@Y)w2j9a>^?IH34fJEDqFwed*6p3 z?Q7}@`GHn2lYOLf>T@u19KUfaeA5!tmeqd5-LwG3R|d4B;tGhjWzbZ$!V9gcZAA4YKJ6)5O@q#Orfw9jOHr%KY^BSJ4T?P*nmuH8LUm=QB0#ZRwCy#KJQCCxh^OCdvmJ(b8*H6ct1?lqTj4 zm$i_!>T!L=1wIt|Ho)x8b}jhz;VsqWd*9Su=zp>$gC<^2<&D=p9nSibTb%c1de znD3O2zo5FU6<$we4H=KSnabYAL0qQN*m1@vxP}q~+A3p#yv(K8Gaw#%$x}a=b4I~$ zSKS@9G?l2PY34$0yf5_a=6Ub~^SRx4rN|@p)gP|!bG5bc$MQ9Tvo>^`kx1L2XwbgW z16=JssC9pr0E6boukuu(WV2|9n$ymmS9;$cpG?zBCdKP?A}o z<`@B@G^IU#m=4o^NM2=kdMT<+KN4{5MJSL4CGtACM}pJhaoR_J!r;>Al)|^kL=aO9+6=x5|Dk%=&Ea=^!l{_M}86fH&au-lMoe-NVqZ8R=Aosam8YVcI#U9{Ssaf)$<-k%yAQd{+!s(rM$PrM#A1-* zX;VAAata)TeGLuIoj^TqeKT(lWtdl z*&@9MJGXXSs2BxkUFq>#uWxdAxy(miUs=Zf;eUCwf3J3tw&jEJwg zD;hZ8%Q~g&fxd?Aredsdg-xSj*OGMN{E!#6WCt-r1+hkgl}Z-fHIqwIaM-i)6Gg^OWzvP$D&KZ;E`>F!jj3ZGK|I^rkv2v7Lnee>lOgMZ=q56{R83h8*=6}j?$H0#zbMvch81FT3 zZtPubEKKY+lrA~si9Ch|4-cI1gma2dEX0<*P_>Ogu6h=hXUx%&3WQA+lJ zzx-7foWJUV^H<$*{;C_!U-icMtIqJmEkgM24=eOuLO6Etm_9szznwK!z#65TRBt=| zLm$RIbLt5su^R(WcqtmA9A7pw#!O{Ma5>&~XOJ1*uLlWhKT=0> zZPyKMyjQ_|#JzrW465LI5M^8sqJZl`v~fL%H?9X!!}TEQgzMXh@^k+3p#HtyfT;d` zhkoIMoo_u*&!_zsT_G}{^0I46_JJl`+jfO~PoFIG{o-Mn_ECW270HJ}1k}Kno?6J{ zr82S>F}9-;GzN9ESc=_48YsjsCJWdsA*n~(RWi{8j!Jhc*Pro3ME%zkX{0oAZN#DB z22J?tlmIx3$448z5rs0|gx_r*60j_BH^f|B2wuoGzrDq4h0@Kggf3$Bn^yAHR&QIp z&`t_UBdT|b@Y^q=JHS~PCjLZ!sk2Z5ZFX~Ry*wqnUQq|F>e=5>NLHow_idqX%hznCPCM8ortju$n@dw2T*N+*6bziz` z+k=wj+^ZkOB%-oNs1mclXaYbg~fk5BR0hx^;lr< z^BKl-l8j)$n9e&#`$yf^`U5&7Ob@*mXWkF*XBoA5!vLQbhPsO`WvN= zGq8`B|mFa5sM2D<*^XuVG@n6w)aSN+C=!F&3@6Mtcqath0bj6*asKr zdi7{q)?PPQ4@&&@h{**`FUXJ1c{{;o+O0HRTTvA7%BhHzP7jo1o{?N0#e9LD>^`QO zYzQ$i%h%7>sUhk&v*;X+9wO>DQ5>~OCCp)fa`jqY?URp0OyQBMF9*CpfAiHdISDTi zh#a6%{^X9hUi0nwcF`L4;i#4O_*_M>D-<|G7yY^$ zsK{1MA7JqSHum$il9_zHM4Zke&pS_pT1jZz3X}#kHV0QmUt7Vl2$a7mP z$8Ck6!{VpZjqZDZ?+HU@J6m_K{OVg~Qyzil%?Ce(vUoxI<+wL{9Ngh=e3BLS_hiBS zJrVBj$$n;(w>)$5EOOY%MoMv)2WNg}7= z;;igJa*0~__+Z&(tXB!89Vt1@RsB2c|&NlvCDlhw|m!cScsAn;g1+=DZ7BI2F~aL23o^pi(rD8x7^8 zY}R|ooj^A6<7VfFNN_Z}Hd`4G1#G*1eA$y>0WT=ov%KCFAfozWqWg92Ylr>fdp(iU zUN`$N%qK!@-9y~+vpvvB)-L{j=m0MnXj4)bts&X?9dF)oTZr`8kbeC+4bw-yQ|Y-K z3oP#xB!!Gpp>b~F%1h(J(AgLeaDV4XRGe~yKJL>|6p~{Z6|ZH6?sdiGZQfP@9g%37 zU?xi>Tjdngd_@z~Iwd=2E-GM(tq*ZEp<2+GG3h8CW%JvKXC1jk%PzL za;r^lazLx%77^qogX}$CU#i-sg#Pl_^>H4%CeCBG#ChyGIFH>1=do*Je)scp_rKaB z73Of7Qhy0p61o)}bw&nkBF>06w8_9nD)ylSOG&U@CSz^2k|nHvC;Gkax0nD^NH1fWu>ndpR42`E&a@e-8q%WuyjwN<@IU^9{54Q z-H;9KnhQb=8JCdC(8s)5sT%NCu(DOIE(KHC{*VjW62MJY#j7+d0DY>5nO<}#!ACCL zuO1IXV6U?)ms-9crW2KZUir`p5v}i?d@5I1JnMuG*LzWQlLw-9gX{`(?Ds?!lrLtP z918LLiW?QSe$aPA3C--lzTQvv6HVs)-}9Wa0W(!UvCI6}UxNLw@c#}_xZ#hk zei@8+tIz~~f8K-a9}Tg46%}d5j20wVy&pW*hVd9=l8h;IH1Yob_wY+)#1nONzn(%( z&5A7Dm|lnFa5VQf=`^@aW`5JVFc#Pjo{Kxg9s|`H&Rn}nq6v>bjqa8djoVGsXFs>S z{#yggswpeVTyF;<8spbuDNQgD)XC^7*9hgeYe)<0FQLEZ6K=RH{P2*s6*qLH?tG)l zrHceto=VLfX9v>-%LqMN9-yw&5KU?3BwT;q$kW93Nx2Lq=_;BjT?vG5bjs)VC&WSO z4$imVGJ?U&rL4e)F$_*R>V53p6$N^YS9bK1M#J(ot?MhP;V>!oVA4M_7C!%Eww{d* zLz-wHd1x~nf^L^c&%;p^N%nAGB37Sn-KTp}tKI`OJUXOsc*Y9cm9BUzXqo|Mpt)+C zp(na0*}W3;+yEpz8AvGtl_9>E%i=wy1*(?O4ORQ3gz1O8Qk_K=p?TZk(-V^_Xx}v7 zf^Vh+7{#H28Ul(?r7p#0oqKjPi>5-nKk%#Y} zL3temozv)&Ez&Oor!!w)%;#|C-DL z)JL7qz~Ia69_z&|sJi*b!t3EPz&(CE$jadiaB)ZTaTM1f${*yyN-f1;MAGFQF_#Wu zp7K%OwX;!cMh4%+m^l;%=w%JQj04_&bD{aCp6K^D*Bv$nFEl!KZd2H`8r%*&S!?iU zL^Ny3W#Y3n@VJ(3`g(aKIDcqM_?&+M4cz_clPFORV)bt)D>f6MYb{wx|40sMirFgg zxRC;ag6+Rao8uwldz3Hr_M-@qpKq)(j)li`+()jpmcrr3baL)0=TI82Y+$rd8B8B} zQ(>512J0N`Lrd4sq1$)Z(x0CxCcNLx`g1PQ+sMf`6L}_WLGSZ@=_~=GPU1~bxubt7&9MK;6J(dujY?Wo6Y6j9QH|=gl zyP;h>Bn>{@H6~o&+r^gFCe9F#onJmaD$B`2Oh$R;2W=9dC9-zoa&9chUi;-`otcAj z->ogXMnw~TUhxNxc7bz2AV^_%si!dx-S*~G9b^dua_Nk3`-K8PqVisC==(VIn5#$s zLYOafc3wDfN6{Uf41Sbzt4bamp0knUNGZWVCC?r!14Vei%G@xAouf#qRz8NhDiDq@ z{pBzHyWZb>llt-}4OU2+yxCY7p^e0!j?IOSvVqBPRYhtVGfW)`<=AnRALRERNj`gp z5s0oQbOE=%K8j6(te+NoKjaR>T+yq;$C~ocz)(r&`I)Q?qf`NC^u_rrq5n13-?m=}v@W;UM4$j-q%yx0!p)>sO*RSp0{es(`pXK2G zCqp*Cf{r4Z*D?++5b;_M>O9MUFR1^_n+7c3(f>%zILI2bmJJU# zzA}TUS_#$D$HS4{v5&zvjMlK(w5IMHDvWAl6K+K$*@B<$lkUv37)Rbhp(Zt19$sGz z9?I~PM&b>IUK_WiVRcq}+pTYAXmoHZ+GAA)W;R3)?2mSULnOm*AJioxHN~?p)Mo5p zfBbEC;fFqm^tPB@s9Y?X)P8n1k2@da+-#n_&oV?A4eKm97M@6rOj-8^=4-|9=b83w zj2XBEQwXy5nShDTOU{B7BRrldjK?#D@OY*S9?!JK;%*jUc%la_U6f{iJtpuN&qeV;ORe_XIf85%{6n-upEBQ_3 zi|$O0- z;J$uva4j;jVl`fo@B@)VgR6=&6@>4#J-t{g(Dx{vZaVQ>5n*nLj=N8)!NLVwI~|Ni zy8BO|<>NaVgvZZgrgC>VL=4VVGCD;*P=Z6F{n;1Z*rCD-GLBSBRR|z$Q5rtL3+8WU zp4t_$LNwJd&2<3{$aD%kBFC-<(sSA@0j!Ql^{kq%u%tSQxBXbsTY%sI1`4!r~j7Q*{-!80YG{058P>2P7gu)%)+kBAO&d(y{sfV;=@5LE_^mu)6TN{Ot8$D9j8Bv?(tD=7!rZCrb;^ z^g_>d#*0xvl*jwGo{b*AztG_K7g_xNvKOysqr>kndkOPEa<`2f%5I8i>M%{cOUnf^Bbd-`xG;8 zo~wbTzk8&_mMYqMF}Q!xTnpDb8{v9qOkalNw!Y|N7ednOn`qyJCjdR8C& zgkRMvymvsk5`Xr}huNZz$3l2OG-rV z?g#4Vru14&R6IANJ)s(J?qWpL%?!b%Ke%CM@9`2?ZU#%X>uonabRwTkjxrs+N~lsc zywL64N%xEia z`J%|TW1?@o+`y!t;qm1LCukI0-0?{}1yS%qdRc8Sj4X0$lsbpO&L9h`guoEksq^+) zji?36&9dfZ@CzYae`3O)*RN*kjdI`1@}JuV(?iA^s0*Y^=aJ+NNntO9!7H6m-vS z(F6NsLFGaE0<<*|82+Ww3SFeg?2`$G6EyB=DTVc|h|pR6D$XopL6LFmH`$ zy@v!#qCs=YKKMpbH1JAG7qy%Bsx1BF2I~RC$){rMki&dYuarv=9`1j{>dV9qylfU- z8xs~lwsWfYXl)d_Ff(|%<){Ui2s|)k=`w@IzpA$-_S=A(hrpQJuW>i0p%Kf;m1tpkY2{SLnoXHfVL_)Zn6IYCR)2!>lN6B z?hU$sa&oGJ_4hKn!Z_+-*L4zR>PtQ7Vf$gK_Jp%A68}amQzi$l&hcnOleeKb$=kd` zI!EAl9o2+VUmCcU2i?ncDg-0LqTT$~S&(|BrGL%Z61Z7=*;pgP(EFh;WMy|PLDud* zt(W0S|Ldy0ji>ue!J7K)Uf&oKAbNkK4-EUYQ6d9(>r2!2jo8A$(N_8@}puJ5RLza7w@Lajj`qtFe~p2}|eaO7%I5dR`E`NS_jq@$Nobl%?#+L6@nv>s1Tz8}GtN^(=?b9=D+d0R&Lp*<9AoXvb?;RvU~YN$sf0#Pdk<;#mK zE->8bdDA*19QB}=Z*Lt>M3++zX`Y_-2Fewh^<2wDa7rA|a+?Z((3%68Im`Nxr|G2l z<+m5wM&_WjL(dOU7K^sYHe)&jzMO#lC6=&R>vG0a#S4}uWGkFkED6_p6V3k;{a!@d z_ki0CO6;6-M=q8v=aV#cud*adqdjKwDi5u8^hg!9T2 zabB4a;dt6aMHyLZ+**Igz>ew@7^kR`{zbW57$0P@1xj9%SyvYsC#w*h5Jw4ePEU+V z)PQJvo1O~6JAW`f?Rd8oH>US`xvw#Ntj`g7mk~3SMgItqgF?@eJ$3}n2&aYiYgXw z2;N$uyk_r#j>f&Q6wkJRy!u@wVPcjL*qqjwbJkb2oQi&Z=fp!{M&HFJDaQ)&${SC&QFs4*;!7@=ENMuz; z5ABpdEvn=xJs*vrHS+7SmbM#OX*wkH?S?5~{Tk8rFa9L5|Ze z5A&p<8ve0thBqGI);q_-ht&xPMKyIrTj@i}X!2V)>B9)q*QpVF5@6M=fRLN2Z zqU)mAIxVBk( zf6t^n;&C&s`TAHJVvJp~eh7ttbfP@pd}1n6i?!LG><|Vc7mjQD-wlF$g^qSEqABQf zR36>69N6vO$4QaJxm40868_SfITc(Ad3J_+L{ zuRMOv{Iql^LL#*~rC5_Ht=AAzT%MIMlAL%&4=>fIY4U;crJiz6G$T~fAX}`10C0|{ZS)GiP7OHAJ>7qQg=pWEN#JrySrROmF8N)!S@lcT|QSnU8@8> zO?FjGy(vI^^5pL+?^OeTb3=EsVF6I^uN&G9HX+ZiU2OTb<`5m_pX%~47Kt1lxMTaq z0@i0Ob$q-{L1b&R&1BLIGF~zpKg9M6qWim~I&AAOO@-($bc`h$M^SxGN0sy5P~f@4 zK6B?y8n{F?yo;XfsCmX6bY8n0 z33RT%XbwI`*nfGK65nX{h%87Pu;)milK?(}BK8K1x8L}S#lvy8G)&lX3Vfgz2M1&E zKZRJnsaJ8Lx8_~|xW+e$(+b3(ykXnC-wZ*Zv&+!>lY&3!oSVOGD;bCKhwoi7qVe1vq>2TVLW#hYG8Zg~Xp0P2?gopP6NL?x!azM_!yfZ3nk@ zy8Nl?OF{-(RPpM~F)$V})yp3p4#W0$JB(Pgz&QQKr-SpJXn{VLOIb4mVlPDb`6#47 zZ}}lXvpo^$jgZmS>XiWGroWv;rYIYf>}zv(rX6+j zK`lkCt1Y|3VCv2AMHBx>*gn3r`}%YUh^cxk1@Z@jS%S)~*z=Ku{q>0Y@e$=S6FrX+ z)t6EFoBe)Qrvag_#*VA^_@UIUPBPIc4Y2g-$R9UU1&fE7zcZ`t!68~?opxHCFi$v= zNhb4L0hYI<88O*Q76%KVyiW~#jv?~=^2E0{;y|89D&@lONO+p=DaA9Ijfncw{l4ie zsd-Ww8Ve5*WmN?RP`z8UYO!+1sW zlcR4ZWINFP%2Lyds0bF0J+u6oQV76J+hls>C|s9Pvk(?If%~;F;C^k&xL+GB?$<_( z`?U$@FYsVnA_<~sA|4fO>u@<{L5{d5Q|#)&pv%{S7dEVgKOu z>GN=NA?T_L%~^PU`RDfQZ{k6c^T(IS(n|E2{2PU*U{!glWqEMCf@ zC~S$I?)WJN!t?FF*Z=>X?@M(2MB9rNtEJE%(1cH`r;<9!bkW&p;kR8o)Zm^=;UL?7 zRrsb7qiRX2i{4Mg9se354>4J?oSPR7fsOoXakF9oihAnIqjyRd+KP_e^&QuRtptAo zB@#<8z3j)#OshfodlCJ;5PjZ`?2T8=TyntIWsoi|jp^#o_X$0{D~0(9q_V8N`Y%6< z$_)cvdB~^xO=_Jl3`F}UI{yD&`+uLGR&?}Fs7dz2GoLfjW5udyS2kI|rY1k!TYnNP zvx)f}JmwdxJhQI8Hql|BG|mM?-_PIi|Idx*f7|>2zcZeHf1m%o`9pMn`QJ01|K9um zpBq2X@%(Ksf$w*`_&Bin=Ew>^SFg~W{T_hkU9H^cKOkk0b?GVf3& zTC>{beCJODdE!5rP!&c3#9MHYsiQIu@*>7rcua!;LjYvdIeTVW(`0gL^& z2W{glV3>U$;|i-0bhgP)$bQfz?C03trER3*;emE)vuG}=c*2!X8EefR4`eS>#C=}N z2UI?%`>@>d#JEZIC!RP4A)@u_C9$tK=B}Eele?bF9R92fuRHuUs>n>y=fHYCwJ2q< zF0EFYO;rJH8FBI2B2~hCOQP`yqW-xe=2Xj2&vS@B*w>>5Y8X4EP77uA5>SGFVg__d99^F@H zBqsx&Cmv|7K9VBLr~0cW-3>-NyPrO%-3dK2*G$*Am|*Ia8~w{L3Lufc8MJa|7npQj z8?xOgjg%Z$pIMM6!*@QWrh@%(;5aGK5-WBVeOk73;l}(Txi5t< zf2Nh@-neQ==r~KQc%$XP{LU@jnm!HGzQc6&{01lNS>x~B6xM<0Pf)^dV1dT0t*0AeflPRN;7OHvi(KdU_gRs7M`&CKBqFHsAjVC`dKBNlFzjXXc z?Y)ozll#CZ3C1nZ&fHdhMI9PB8)mDID8u)2(|vy`$Us&9l4YKVAmVb({xacg3`gAe zXjDAkgLXGW%;w)UMo#r(Csx?BLDK%CR(QWFe9x!p(3AE8Ro9Ok4)$I^&i668tkn;6 zzurtL=k^APBOA$8vsq~3GFkAfUI==dl^Az<%?fUHZ@S0EI>NKhtlu8k*u&O?E>E%* zZ}id2>VjgKGf*oOI7xMLz<8;Z2G0{Fpn1deA!c0@NiNG#zOrQl6`SMzuS{5=;YhKB zj|&gPIC)*IaSy=etF?QVnrU)hc(`|1gr#?gw77bS-56SubW*+iOyKsNP1=5C%j8SD2(gVKVR0w+uf*FTt-au|4*B*VR^+}es8>Zo=X z$HhAyY0${O#=pZX4*26@Wj*R$z+$@0f$l;XN}f_NaAWp@eFL+)Eg0vntG-E>RQn8M zkI#&jp27UcI4jpK#-@#rP_4t=+ihvK?F zm)rMfp;0I6DnDHjAUiCvb$759F*}DodoWpr<@=pJDc(Mh7N71+mTxPD_kI?er5}sH zCaiq-;@2VwT4@)09-jq9$$k6t;seok(K?wSu^6Olo|W@z|9Mnu-YY|CUIyAP3vONd znuqgY_;EhW9-I&J|1fu^(O89V+gBk(2$9S(hRidUd7kHap65A3=6RMmGZ~{4QZk&8 zLPZ*-NhuNu4Tg%|{rDmMYwz>C&g1wUv^YKtGma0#i{rx_ z!TWeU$|?(=2UKvodnjytNDRr=Iu#T$AA#XBTZwi_WT3CgE=TK54pVIr!{eVxVPdj` zTHPAc8PmTS(cuY!q5?7I*|8k-=T&H3=jCuXwp&wtolzHF86OZ9yX=7b9;xDZi6S^& zqAHG;D1zf9isE>QVsMG>q1DuLBM1tjcC^$9Ku^Xs#4Wd};jCHC;!=tpBsnRr+J!2C z$g=BCPagy5Thc$n-7f%i=h+v%`?z38q<~oY$4LmT%rQ%TEC^i`-y}oZc_2(D!*)xH(AZZwsV7zOOZv>_G0_=)MEIHV|SFoAi#<3WjcquvqD< zpo0ghJ9`)m(XLaw?KH6&XcnY&x@Fj*C7<8&$IhF@u$)16Ix&znK#Efstv4(GpTtrTJXqf`0~vf4Y;9yUgF5(2*S#-O;<7TiwFFIykazU|& zKQu%%AIly8aT;2dlu&R{&ygSQVJL=3IZt)S9y#iMvChKube_58wp&LMQK!nX-2weD zX!0NlDz|n3iT!aKT;>6wwc74&_r(h_-k9ykp5Oyj8449)B74Z!UZZ~}Y6iJldt5_B z&M0A2AfDyDCC+cChx0G1;QY&yIRCOZ&cCdJ^Dj%l%4451oO{mj^K`jQWKb-`9c8e* zBNGn;ZyPjXcY>ieB{atAT{6HH)1?~uI`qep@@3zu4(JVJ-S~+44o$5sw2Q$8`Bz`s zS(>sy`wbieIg@ok!pCB%^qn!}%3P!tY}SGR;r{Gl6>C%^U?=Z&$QP0Y7cG%aWsc>$8}{Iw8~v`j%@b)(`HBDTutt-+jbqMNZE*Rv zs=-t8svh0rmZnBTmCpir~jF6)$o*l0CA z-}vPZyvJS=X>8dde0lXksg@3M0U~fLDkS&k6;4LwWwte$Q0uASSa0XeE!XZ<3$$LpEC|)?tA3 zOMCUA;zM=xbnU3IQ<@PXr!OsMIH(Md7!v3g0+b={)p7M3pCqAK&h8U2R+ljcx3hXE z(t*sZTd|}{ z5qo7QV3I#^fGQV$?Q;-e{Fw)22PkO+`D>9G$Ng7lD>GoMLq+F9ffx{KYuL`;S4BSF zZARR0B*DPaF@ZA}L0NP48l8t88WHBYv!o>lGJ#pU3ytycZ37tSA zb+&>b+?Fs?^w1(yQWmYss|l9NVfhCC;YI&DAK<_HczpG@fBATJnFH^`l#MQ#1w?LiC3lwr6y-)s$SLYK|2a$7^Swz+>A#u;rVdT?z= zIRWqMqw~t!nNrRM#^*(J26?z3TXH>S%v%@cayy6*v)W?*f~uOsqPobV=l-a;zZb%{ zpWXcy+HI<9f}HOPhkE_i1>I!j5+>{dKQcia4~i7W zgCfE4pibd0#hrblD;QmsJ2e{Mou5d2)^m z6{gpUJR@a=6FQeiRua@u!SeR|Z!K!jWqjOGO;-ciONPp>O{l}3#7B!w3tiOTb6}3k zU=GcS;RYtkf=845ETk1aZ5Lt#RFAISwRU)br-8JHk0 zM)>mi@qK>q<>U3ypS8R;s05F?xqgSWh{KQ0u*QKu+K6PT>qsBB4x-Nu`svp#1~Cfq z?S%U!;dqHhjz9f*#CTy)X;UBviSWpK?K7?eJL`&ek!!KQ7++KE8(0fBV>?-Wb_x)_ zddRFWd+6bqYR>J9}m2rA$C7fPb5q=fQ*+R8Ch%8OJF#J(PYw?n4TXbqrH-G-epB35WmZ=(v3sf`wRBim?jk25ePMa!(qZfucM!MyOh;`=k6(;{PAg4U~<37eS zS%?(py6Wi!QABq~=z<;KEBob-vZVg-DeKk+evu%Qc&H`&(!32!^tW#aYx_ZB3(su# zP9(yYUx%;$6W{#wjHIuMv=Ujc$`q^ov?~SN(uDW!s-=T$@`Pyl3BRi6tv)1Wl= zYto)#J94W(adiXJE8Myibo+&@GRzVw(7V1;g~v0^2i}KifKd6NxavpBFwF1EZ${#V z^J`Gy_&-!Q{*MHX|8oe(|Dne5e<%Q7y$8Pi3%-2d%CdV8TpylAwff851H1`vF*kLc zAu9~xCu&%4m^wgI_o=xp-9#XzrbuZm3Ptw^mj_J>tl-zr_iBycVCEy}KOat|QY z18TD5Aeu^Jw64m#&omhGrI~&;N%7P~k(_J$Dh&zHvem%J-?pj{!qwt?%RvuSel2~` z8mb1a@_Ua>JwtW(VJ^c-zit_#>95bHhVB*09zR zuom2G3`>F+-*vv%M9;W(j|E}*++Xb*c%3x9_XU!vHc6VclBp!~w;3$VQ zuh6WFQrkhClcM|SbJ9?7*YDzRG&PJDPwA3jKCSm(IHgAA?m$D_@@Rd|6BOoMO?{la z51wb&vR#tv0X{Agg7KY)DAOdb=e@xwF8})9e-B4&UaQK)6=)(d|G^d8fR;J^6erz% z(f1A_Qzf5LbWHihiPhM0be?FW_|*-Jum9^rUH0dHKfm6+s5JQD+sZoycmD4~f3N2%?s|S7`g=XU5BT)bPo{Y#|IK8sIh~23r`(8cyP-u!w34ZQ&8eRJ8;y}3)46)f&DpO{muxiUD z@Y8?;cBcfFWEB}4jIzVEf)DKb5?R2^x}8WZQyu3&{rCJ4eCw;w zV?2Q6|p|Ja$U4d1^()3)o^-R zgwxY{;PkXAI6bW*PEV^0hdP8F4I@nyVXU6nn9Bjw#Si;S>~)Z~s<3r!i4in?$(4!r z*G2?|jg`qy^+1iNla%PCHgL0^_xo^24#j_$Ir_Cu7TKCN2+IGqKX8SeCs`Y-?yq+NfV`2bf9fkKfW?~3|UsyKlpl#7RHB}*lBLlz-30lOePgh^x1lQ7aOjk&k zqtrUeU%0}mG}WDpS)fxS2loXcSFsO+VK(lbBWcPfwIeLTMWD*}Vp zB+p%wpw~4orWwmmg!vwuF~>T%?Lu;xwf_uCzMfHSbJ!IM2;$QxW=a5Go`1@Y&N>vb^krHuT=?)f03vg;}|>$B&K#p`=~M?!sDKFnE#65~`^Qd9H0+J}$~IVJ;sd z^3B?9IP{moE*@zb=NN(62c5idSI9*r8z$ zNqK5tkIp%Rr_;?A);S21QPe+eb z^|8U_3avdAcV%e**ni7mI~eu`N0f8C@==uC<>l(N5V#g4m8Vjd0@eHsiJwK&5PMKz z;mkq;-u_K|>(#%0PepiD>^~(Gj`?A!#60cuToBy1ZSxbC1&U{}!a2JLI@XTgu|Fga zfAedcV4J96*mKMV3@_}w`xNO2`)?>*Us-p8pM+-b;h_zfetLdM+9?rlKkQTuL(T_A z1K79Ta;&Lb>FJ^%IWRI~!xOY5`Qjg$yJi1 zC&s(Wz_8B^`NPs`aC}=L;NXxf1PYti+in-3IO5=`9O6cBCFvO<$ty#y@<-mJAFD&E z{EY`swpYQ-75I3MJsoNrKn3SZ z!j!T~^pjG5?}xbqau(7PSEI^;ODx}o@=Qa}Ia`K#%K?OX_ZAN35f$U|k`Rig+$3{b zr-i~S>qYgGjKHjVQZWNDLV-sV>CP}6gsEAxFEJedA3FZu>j8ZA?f4##FCQ4+^Z(b5 z|KD?c{=0wwjGo%)_s#-Tr8e7tu&xA+>~bu&WaPkG1`fXL!?|#H?L0v)jSrehHRN>a zEC2(wfRSrL4Jd=P^I_n@>&Ub6@+0E(^PqDvr}VqnW$0@3b^TRdkF0I1c*nRe1HS%( zzyH?}w_e0?>qQo~USx6WMFO{82JRTBm!fny_Y7$^ETF7Sqq~tRFcZjD}gB zQg)hRxmTe#?%EbwN1r;mdym^_{~K!PwlHTZ+Uq z+!3udswRlmS;Cw3qVb1uR`9Ys<2*N`2hzD4*jxU@1lKSByZ;p5{<>!Bl+^Kw6j&!; zo%}=-4`Buu-TU@8qnh61KY=s}uCmw(3{%I!Gu7uyZB>bIvhHKc43?*R^590NTeLHb zXA;f*9LYet$Cz?P_1r)+;cbuWk`s*5KCx4O=nB!#6lQN2d)VyqivEg391bqyz`Q#G+7FaOM~DN^T9Ui6TZ-YEVA`rSSo_? z8_hCR0YGF(XlzI21y(}$yi1A$(EVECrJr9Bh?JNtSH^3gm>UHu=41$HPRVOBQpjWd zQUqb%10BS4tDPz_K@KL~lJi~{aYOZQNWX3@tD*bu@+`*GA*f%DvUkr!4N4wSFJ3kE zf=9+_8kGlv;PazBDav2$z+_}AHZUlG-UmOcr@;C%yYcooBYjTT9=sjoks^kMq)VRh z8MEW9A8@Vq5*d7W8e;E`lBvkWBlemHvO!lvvHeH(Z?sNWKG!|!s=mwwR9rzwX1NuD z_x?j|gQ;mdiwJ~>xG5CMiXbBTM}IDz7lbor6Y@rkr{Jg3(Wj;na%jXpJoa-S7m!k( zoL|`CgjRPMhbvJ&I~jp$D9HY~Pi81PP*z-NldRwXy;iHkCxSWf*25e)C^_qt zT7#Uep7o6%E{icEZ{kL1BuFpvZz6n$l3TbRpJ)U&?toU4JmnhD^$jb5y4Au{38abK4p!oW<%M zXIn$QZf=vWlsWA7-=P#TibFA1d_LWdcZD_!jrGNHI}iwNGxv;k#eCh|*Wd8Eg4u>? zB>Q7W_)Y#an`0miy=*XzI4zCSwR*`9 zFI6Lt4L(+d5$)b1XJVA$yr9)Un65sIHoQ*Knr5|x0%=N|ekec7hF%HhYT24BdEV(HLw3Z>=e)FWUX z&66?EL<}`Ld`Dg`PsLRZ8Y)wxyOs%1a%1&Rr;SGtdGl z;^>1U20EzvN<&16sv2BxD*7J3c^ahOpR7Mtk8uq5trK}Vp9b0S#x1k`NyySenN#MS zEm9zC-N#!QhE$U}#u#6pfYk;>(lIoyC zZIB@1G3TX?|8p8zqiUU>ybXf^_In>0`a@19l$3nhb3)A=gkeV{TURYMZJNv^->EX09QDR}KD z(#=p+yh*DA|q5>aq?%X>wEzAq|2IN_Y9eMEPX`d|f_$4(Sf{bm6I-;*S z0c%QQSa7#3_!an-`Dz6t#X)YvUgQEoQB&W)M>yln_dC-x(Gjw10(+0@l*=&w-ntV3 z^F7Bfba>-uz-bv%sJrkcV1F+*C%oG6YDB>dF4aceb&W4X5fuBAGr7}|?ZN!jYulMH z*0leQkb(kY?Y{KtB$o5)AS5#I^hXjTZ07?m=xGE)MsHY<9hQf@o(8GYISI)4#HmLy-#qZvx8wUfAUI zp{k7Ox6PQ3JUeCyYtgwo!rj<={&G~n$jL+`a%k*>Zl?_#i};?IS&s1_ZuK`)=h{L< z_}kUjoF=eO<+0G2>J*fVJeR*PctF>^{->mICQ#zZJhHyy4kKh$V;1|BK_aG<(m_fd ztRM47xOciD>5H-Z9e&9{{+QE2<7ot}MyXN3YqId{hfYx|e=_W-nj2qrFF-|g@q*`U zQ^B-qoP>fd83Jm~IZ{3G%ga9Jfaj&V32u_bxf->MFQa{`3c z7sx}=y|;HJ~Wg$*y90xEDY zT07I5gQ%w-*Z$B*hjYQ1?-s{X@t(intM|Td>%g-EwxHK6R7HEp8`Q?Db_L12QO?DR z`G+hqsGpR8vbom?Ou^*Fi|ZbMFCWrJl)rp7Ar?l8v<_T89SYBGmFRWmmY@M@!u?ls zW1u|gil4Nr3yj!Z?R<6L4DbDczj-D9u1_nez24|kU&Z2g;QzN*(%i8`;-b{#|vgBKNLXK znhjHVa2hN+O#XQ2o(l%FF%fq+OwmjVKi%qERyTg5`As100H>$e|ry;zi#k^!E46d=z-ZcLi1oxFX@94*1`IArb z#Ehu?0bhR3Lq;r7=1@L*X4E5kA}j#Lw0q_`?z@6UdElM&ivgf}@#E)cDoxbee7K)6 zH5l*woxgrGYT$TrbkT`jQm+y4rMNEZTS`U^YcmB{_ot6KBTi@5hQA5K5X3;B>^ zW_!^Pr=L85(@*l@^po7MS)uOf!d{0Wd>--9%GASh-UYrr$8yjlpe(*iV2#d&Wi~d1 zdcyb5lB4^=i;)M}wWAlSvG?PqL_*h607zTBA)6OVK$_x_lZ~Zk;40swo#+Wy*suKa zUivKy;HfmG-(m4Y3aal_91l9fCG*|%&_)l`m^^asw}T3Z438)q(>TNP5<{Qn8DXI8 z9&R92F$LN_8_5NXr^mxOlkjtw4LyDw&S+L_0>4f&n3kEVqHAfJoH_BzNTp0qZ^ptE zt~D)n=0^L&ciL4w7XL^jga^DIjY&thZ_6LC`#su?ji9jlL`l{8_!pKDQ=yaZ| zI*k2dav&kLMbzSgd=)L`;O^cUckYcLTHw3`wvr|ga`;B~$Z{Q`B`r)iqS1tYtUcks zDOd*IRb!gcZOehEsF%PcvJ}$5H1*}A$*JO!Kq;Bgb>Io+lOuWb=!2^?q?yPPTc~2ZC!^n_4i)0CL-*l( z_)|f^SFejNPj7LL&!|UCC6D>}Lb(m9xv$nzBgpo`|K*PbQ#d9q|r&O^2F1ClXr=SU{+6 z#3|^F5xQ?=^)c?6JYbRP9B0H#kVu|0GvlZdtcSDli(_>*|oL_w?%Hm5nalBs@RU{ zH@Z{C9q%higPA*}aW9s$L}&YXVQ|_6WZoxdNYR}H7{OF>%fy6<8gGC19YenTJzVzSFUo(hbj26Fa5PLV?{tO;{`&&P z0XCq{BS0B*1>@C9mL{4f+k*nfQN@NIuJFt0qsZm5V6;?%q4#+`;qmU`Y6p=E6d8@w z(~borD}9r>TVoEOtdY#al7aaJ`}BU2hRGwTivt2LkBh<^_NS+c1O>or{VAKbnLHAD zCuBdE%>%81<0j9mWWhL5e04cY6G<{($R2&G2*-ED6wV%$hCpAdq~krBs6Z?S38spJ z!!6m!uSWbJSn5UQud0U#dY_5yCTPJx`Tb{cm@c~MxP9mGQGMhS`Se@L0V??Y_Df(C zqbs^vm7C62r41Jf=QQG(Eudp_{*7p#J91kI7Sg(G2!F_rUDp=J`nCV?fw4UA|L}no zaeQDU93NN-#|K6@J}`n6<06l#xmuLL`0Mi2Og{A3uvjHMYJ{^dymm82tbptK?*P%h zLilO>%$8|p0>!H zy)LOXlMVT6M~_|g5Q3K_iv&-+q!5>MSjLxf2auoJD(R5aM%!X_g8bZsz-9L=;{d$_ zqSUC7eQcru$9aFU^tUU5PXaM zU=>Z0z7=bMwnKMm$I}XtS$QkX(!d$0S=35WE6avtH&My0#WXC(ZPxYUr2@S3mGI3s z^!)JR$#`uz>eU+~r>^mXa(40Ni5hqG%8GE&_?ZYY%x><=DZ{v>*|zSw(?+0QNF8Fp zZ;#?OKTcb}H$iuA7Ci9y-~#K8a|gy^T|jJ=>~T)_esu$t`6Q%S#+X%vzx5Z z8bvl##=4ZNp*^2ScJj-?kkZuQ+HV|(&ZccfZpa7W?Z4|h)<);0>wyFhE-b#q{E>Xb zxxc>;yCYGmffs@^rZ5yFv9eHW1|iK2E;juoCwPjU4S+L9 zFkUy+1zB4exY8do!u7xUAnclU`0Sft)a7d&SNv8N>_7Nvs�AgJr?DT|OPS=)8AF zAzB}JI~R!FwH=4a@o##|bqw&n_Fzgtkr4XrqxSP*FdfLkuIit4HZ*+rv(v(dqd;V8 z9u*ZQk7DSnd!*{+;8t=?T})Rd>LI${@roi6T4YEkLWnRuY7v`R^w}`H=WF=-kyo`> zqlfd9;Ms)5lerCTh*&qFA z4p#|-Os54aU6(1kAoN*={K`ql9Q64j{zVw%n7K%#ngqe@?1uS|>S*M_U{WNEaWXiz zE!>j7WBDdMdld2c)<6*ZI*)#zE;>tm;*3%X*4N=VzgRlv=Xl^{1nLzdoaDrK13&m8 zmgRJv(B&&?&o_+RkTAdgg!zMDm{C`55g`b}yZ^=a`8gDHc0M-iG&Cv{8dS$eqiE8n z%PE{e@Pn%?yJFN2KJEl=PYa}=E9J%qfAIzYuVWpTB(`7f{BlFrI}yvl`A%?-bR`b8 zj+t{XI%4}$Yc~i|J$<3K@$RhU*)u4qs%xjb$_DA}8zvg8ISmhw_#G;f&qSs1?lJif z;(*`XrSxQ$FY1;D>ImytsBd^9N%JBZ-O0Dm_uvhMhd>S0!#3#4yZ#@NC0IU8nnTdV zkD);EHQ}tdWCVO@QRvmbosQZMs4dlO*jN)QRedj-h!BhR= zZ)F0J;FtY-znAYQI?@r@!g<#N3Wx(<3;b%|~0`P&X6zVR*~<7%wAceWc? zKMp;MWQl=_pX4kpDW_rSHF=E;MLHrjjWg&mj{#fi^9PMeGZ0gRvANBwXuR{Y?ET^* zvIgwoPLpq9c$Nd)?i8!diqW7o9F=k!kC9bT38QLzZ73739d)Q(5ZKMkOk0;?09?ve_aHX&xc zU%mS?5@FKkM}GRDeE6F$V2e`p%YsKzwScEBcJzuT=D+uNsy9Zh1Fb3xucmR0N-7VROl&Wg#w@x=Q6kM}6Yer?Bxl&6OUcXtjLz2*ucbOd z=it`yM|ApVmES$cKS&vcA16F)#w`J-IhdW3@=rm%yW|<(Icqd^PlaE1ObqV7Uy$J; z6NU2yUmX3?CGhT-@#Tk?^4w&56o%>ht-d>bd+!QiBta(_e9wTz8;3J>jlPJ%H_dQ; zAQUp>epd#&sNl`#*V$w;mc{Z8I@#s}&pCyIJ>8uP7KvxT^2X5J%HsuyU4ZpebVCe? zQ18lmVp7a5JO2FHU|}prh(hJGG(U*$OmVDbh@$EDcC7pdP9p7C9XftaL8v(LtzXEI z9gUJSnmoJ81M{!+BmLegq5SnB=hOhK?`rUNqMYS~KoWlXIT9sAEq&xq{cA2zZ()wS zHG=UUI1jY?1qH#Wcn#IaoM^Zed^WcJW)a$?+al(PwTAnTkKAc!3&;7X|9xKbSFir> z{<59RS;_Simgv^|?-MES-H}6how~v;Q(#YzefJ>F99Y@hqo1xA!HPuundTt_y!AQ$ zMQmde!(xzQH(Pc+Oa;Y~(y|Ksr|QEa?s&IFpH&)b(q=pko0 zYUk{EZS<_DKyfXL8qRI8I5H-R!F=j=X_W8Jp>cu8+R`Tic;%O2*t5(HUYT>$a+p)yocHg zBB#9wCCb#`_ny+0+ubNQ5K+CbA$S`0s2VEgT(vOX)*z+j6Hm0k_Qa^R*B8}{BuG=W zSVJ+HjZbx+IY{*Ato38_vzr&BPVuXmgZ9+S5Jj{y{IOX2NWm`$o>{P^by*X=kUFY- zY0n6awKcpa3Q&N@N0gXLX_WBxGye7C{JZ|gsHxmfA*llKQXglGm`nzmh2D~I@&a^s zXo&oRsT~}7Y^cm*84VF;uUm=q%D{`VbK|7naoD`3AQh8x6eM^bkZ^brprn1Dt$!V$ zhg{BEd_;#h(V!U1#O5a^ym?>02jW`BHtgZOi)mU}^KZr0v-9yI?6$yK%tHL!Iv$0W zN;J$JK``-Kg4J;*81VIjkNk+fwnF5B_CK+HMa>cbizfFNmPV4{zR0DdqV}_>G}lbe z(^nFnl?smBnh(YC^!|N*f$#Ul!P5+wCFlPEL3Q5Y&9}_A-|5&LmgQD zgdUdywP02ZG-}%g$IG{&w=ezLgAW$N)ipiDM3V*q}-EWPKvjCHbol^zEOyICZ7Ou8dv0B@uYzF-N0C?`^-qp5PHk? zDiFRr2YmG*`1VI>?y{yP4yJ%kt-LL7G{p3n{jb-*I-xN}%wGM%7DA;zHJ@;GLemQ0 zr{B9(4B=a!;CsBzW5X7&^9Cqsc8~nFx;T{nDQ&W-)dW4Nb16+J(%Ag}lv9X<5z4ZE zawXkK26|otOUPmr$kEU#7sdL6!KH@1c1*|Pf8Osb9Yn&iZa`E9#%Fk=T_?KSRf_lZ zUl!#He=sQqlc}kerujA~K4=RmtP8{7liZYZ9-cU$1LG3?hwov7<9n#$_#PT~_mB9_cQl4O=_xk|fzs?yVf@a1INtH?Ap7Ee zG%c8~FcY&6-m?kZ+d+g-7`^_%&VvPIzia-}lcWkv^Ta$u@^+}kKV~gI0Qiuw=4;6^buf4&F&Lz|}MVJ|F-4{^W+&Ew`M~vZYb;53xT|#k^o)${STF$pvy; zj(uFVn16Wt%N7kS2c)^b$SO^2Kw<-`)u#qCAzf2fxkN7sM(HRT70*f|diEO5Je3#} z7xlX1*2_Y0uK6*c*cFP#J-jvte8Z3z(diF7$1-4XwfTgub23`Y_vSU`z`m38U#{jo z#W<<98B!uxUWcW(KjUzU6mZkHc4d`>!p6+`3z&fPx^=V=Ju8cf@vgzgg-!mu>WnxD`SCQ-Ybzv zG5IJp?I$;M{n6W>+&WQ+accO$%j6J9G$*i1YfS=j?=~9+Ap}#!)^#ifcfrX;)0$Xs z92z526Gcs4qJ%ajDhspcDDFjX%oCTPx!j&<3`W zM$41p7(Y<7z})d-4CItH$cfz$L1Ny&Dt@bo0ndp>L5XkDDAy~&di9Vc+^;wK{QRpU zT0E09Pj}1=m}g>c>>rgx`|O%?${%V2`PY(jT}K^}u5bPB^fx`Y-Yd_X5TuHd%2Nh< z9du#IH%8BjDjZI#1{`*0u?FF^-teBfWOVJpyQkZ1=8))VQ{6A_1bS79RF&jfKq>v8 zjmJ6yY96iX%bevtuMRdD8tFok#rMhUZYk*7gWvwa>0#hO z*t95=<%xW`Nmqt9!y#ESc9UvW7vyX7h+8O+AePYGxjUBesNBxZW@gtMagPXCJpZT( zf|q2HY_L4?$$GiQBbFYh&$N9>>5v(C9G0n&d87?zD2IBAeSM%Mi#uV-CKbqhpA+7; za79ear2!dMTIeXB+RcmGK@c{-HB53p8` zeNb2osIJy{eEu#9G?b3xV$quDeD$=ket;jy96R{qf{Y|enHVx(=Zr$87e3As(gwh< zqW5OE^^8&JO2zpj7aVc*|G)dG@!fy!v$?K0=lNVQ)$ChSbL74kyY=AxZLiX%8JcO+S~o zMPXE`w8xps6K_2R$sp(8;~p2-8e%Y+`e_I66~29XgXBguv3dR zPl4D5o^qzlG)ULhiId&TN8i4k(9QoD4+q?~;$9LKpm*x&Rl@WsP&ymoIKGhpiorYu z8QRJ4_xG^l{739K{}D6Jf5eLOADzVckLW<9vCCLG5%X1*l%|I)i6LS7dr#OqPQaM+ zVJ7RY6VUEz?JU$Rg0>|_S*Ev$;A07msi>I=#F;kN(}?+_z_sE%_lXc>_ zA)b}4@SQJy!T-K9yjB}h8pHHhdTfS|XR+sa-@78QY!7Ep-p5`4dpjBRNpncny)T1+ zJ3jNR-3@TTdGPG1)l@i0mPY<3WdLneN}p(Sse}xc%>C$09;}r&3=m^;1I?>33%6M! zQ0BqFo9Z_MAeuGXU}wu0%9)=SaLlTJ!^r8F!Sqm+BUIf$WupWP=a^_m9@?P^YiHTh z-AZ5)D)r}%wgOCEi9!T_UJO{%gYtWtd z-#Axh1t<0YWT?+N!G=g@+@%$7^q0S3gyV1M;P@McIR1taj=!OU<8K5b9xbNYzAH*_ zbLF1Q{7EIST8azNmBI4%!ubb&J1M~d!|N*awTjSttV4zg(=VuJYTu5-_{1bU+M{o- znj+)yt3d>F0&sroM)=G+4|s18a<9Z`f*L>1+pcgvSQ%B0zJPrfo$qychzEzFN8FUE zTKB!7Z$QC4e$W$y%V0~NGIZwR(8qedM=L}{Ls!sY%kfe;|*Ch)t2sCJ- z*-DHleNO}qEhuKFu82a^I`C*)iop^VXfox+4yTG5?=5rD!`SKM)?0tLASjG@`^6+1 z$b>Y|Y`r=LC9fnT(|j@R;(wJtdVf$T7qX~&9ZwLT3u2`HkLT;{(TSTC z%EE-QsFR_m?3;-$3~qnq+jQ5#d!F^@mA>{gs{}l8pHzODsSblDxc{_a z-`Umqmj#TK=y0k(1B@!1&yT_M?UxCbZyoFlhMpF}$%iuu*!y8ZSE@e>!W>CX z3QmT?ynN!Y34cAp_xb;Oya;Z+@Zi>q1a7@x^XC7o7e3s2u|UHwR@Y35)zEU~`(lxE zdgyRwhlx+O8stg1MX&Ozf$rzz@kl8Z*fw|+NBW!_{na<}=d;ZchwAOL>h!ZkyB`V4OAcLxf)GR{6v3~SQL5J5G zmV?9kYQgriF?6PyLG+{_+GqH-aEx69Mf4x}KqMdx(iiuxoH@Fy$jExs`_>InpdzNp z9^5+sD{NL2HXNdO@0a=^=W8{QIv{STnJ0Kz1;zcI$g2s_fqi$p7Tad*SlswQ%|JdboUfeO$i0HZEUY5)xkZ?Yn^1pH{{q<6%!;X+H> zGr#FX6fH?`Lv{EJ^!KuylrRN2M|>ZPS&0w3J2L+#?!e-w~X1;k&RwNmibOkv2@;McQWiWbrHDRFC*AWPdnoWd12O-~~ukM6@*r&yDSmb&New~xPh4-Z${Il2qgHGQr0{$1orwoCe8(iAb%D! zt3y;F@aa*1YoVbfy!@GBXM;tsp)B99``LHXMP7Zokwj)q;$ix>kic>a2WG|U)E zSuQd?V9X+Ugu&=w&9%n!VVa;~=+zuppa%VA@2nQsO+biqMn88S=3^I-*ZPU| z!S$^qO;p99NOdHUX&;e3EGkLeQ@ZU41M&m}oGrF+KT)gi;}vzh^7xdl^!DVg>Q{Vgm{g){$!#`Pxjw8wM4n8p&dMvu;S{1V6J z$7K)eu>E~`ng<`9cg@fYf$tRM4|#BW9Uzp$i`BoSJpAF0(%`rot2w=Q63{o<-eWtT z3b*IXnALRC!S9y#XR)9pc&y~JuK%G0*%J5}2?cw?AM?pt^x6$+#fKl=ciaojaoHD5 zB6n~S@m`{*a)w@u<^=(FXN2#5GQP*-JHO6%(X{7#5rlq}G?b4En}hlJgR)DpON#3P zMOr=gts$A@OJX076biNX@wJq&fy-UD9$5X#L{sz(3M4O!kW_s~{Or3_Ncg>|R+y6p zLQ)rUi{?|{^RLtdCCOyG{r>0g8E_Sd1%S*Wj(sc{r_n4!V+Z$n4|w1=&%Axp4ah;~ z!|}~v#O~kNov!W%r(dO&leQV4>U_J#k@pgiYb}%JE`#k8&H1pL+!TY@zHbb~CeqNc zE)>EokIhMFf>WKvsDL8tx>EROY7n?b5!x3ffmo%rUcTKv1Z@P}@A+@gfL)(X@YMiH zoL)j3G2ij7mij0Pt&XM{cfQHOW&H>i;w?3lIB9t$`H&R0kJI*bq)-~#sJVsiWBb2@ zgv`dv_fEhs4Z6hEn>p z$|0YJ9)6?o*BZp~IARhXPwBcr`f2r8*FksK|AM7Qd)5_v2rM_)L%h(>0)*b#rx!p$aqZ=Ak}4VRCjip$60z~$pG;_`8raQQgL z;O~C8F>XIx3AZ0^irWuY!tIAEOtP+IUZGiFW+eGHrpJouX)mYjtKXVkFy`Lj}0 z=cDvM-oJZ8h1wF*d$MNa3~kVL9h>L-Db3)~i<`3U7G{v}eLrE7lPg;Kq|ZxqRv&ME z6u$i;2%jLIn-WYdk+K+;V0!kHO$)FUvH-lwAu=ltAJrGpk4iE2$;$L1mu98c$E z$Ib(h5dFSO6ZKH@NkizBb1O(#&y=4!Hip(ZZ~usAECs^+YnNS_Tk+n%RSn(@`fcF@ z1#=PyUhLY#6~T><4-(t}cs4ToTQX4XO9PuGY`;mMOh#-;$sM8}H`(+uNP$qQI_Y^< zV{}x+kk7hF6}WDnNv1ASg@=(kidD=;XgA_)t6{ek-g>7#YuySJ*%sJ$`H6&yZ9T-h zP8I$r9Y>@~wzC&`8)3tx|E}5HIuN=(D@k_gJcQell}Q|PhOpTsb0fObXznNPYidVF zc$czJZnw`8tXw$PyZfBb*WE`4*4|m*{0IU#KY}#Qk05~aBM9RB2+}w|0w1U>d3rv3 z=nGcUBj*MG_@bV!7pL}Uy`Zt!Rm54{8}89^FrP5O>KnT?u5}+QSI|7uKvOjv%_uL7 zj0z=!&6n=0D%s93wYl#pV@Vu*Cdud3`J4n59$BtGJo1ocYb}w{kS^+So2~zISOykf zS{PebDuHUYPZ5`#3^M(ba4Vad2z6B`Qkyu*L3Nqp2dR>iz-qnhIfwC>j`~Jdy;;>k zhljF6BsSSGeOkK49up57aLlz}o!|yzM(StVAB54L-|5A&hsA;Xi~@m`p(K)1dt&&a zNCe(3s`h7WNx+iiC+C*i;&?yLCeG=B5}zv2>u$;8K}?k(`||O?gi1BCmAdwu^jsAL z_G6r`jd~>Yx~GRa;vC?sSHbuFKpD|F=jP$x3DKz4!LC z_uhMlkWEHqZ!$tw$|@4cjN(BEMI|kj5~U%f(oo9vx<0*r|Nc&|?>WEgT-Uii|G&=r z@OnMRW8H6eP6anqEzcxCMQRN~vMyza+!B-+E=2}CcSlS}CH#P*CD_f0+?&O8^ON1J zcZ5lkfK9A>lG`8|U0v#sU0zHAO{p(zGE(WtK9?aW6XT*0{d-D3E2nlxaT{d&isy7N@YXFcS7Syy7vP6`s{uZSEQ zP=KIqR*O=NazLf;?s|VzAFZBzu3xCBOxXYB3s2MC7gm?hffut`D`M@Sa3u5IH~R)8 z^?ho|hPDiDo<20u!(W1|R`q^#fKVY2n$( znJ7|b26+6~nS1mlE&R>DxbXZ-7tg=A@cfGf&%Xrl{EHp-Ym?5;KvA3x=c~B=LA6@r&nWpp z@He$g*fA3Tl-;eoD^>weC|cRDw)DU1!^-&g^})Zd3jTc+@$ZY>3;+4P^58?Kd=%f7zo=nyc5NIB!YH1hxzM3!I9j?r{uAqXh_z3 z!oCh=s*7;2zlwvN4)JXtGh@Is7r?G=ZPZY$vYivq8pA zU*X-ud*Mor%y;1lexxIKuf%7A8N>s_)F&V9htf|c=ojRq5z+eaUwt~pfBO&rToUJ> zTjTt55uAT6iSy6J2=^BrD4hFM!&(Yy!*6HX-xk2pTfx2R&F5{j%ZYnY{{ zpM+qOme}79+L7TU_3Otx^U-q4p^_S_G}!xq+{0uo9b`i`uAknO4n~i8KQdiR0}ZY7 zYY91}i0Hg!W;4g+@}LyF87Q7;2+&6AKm4|YLuG*U=vDc*Gm@B}#!eI0?K+4uYWWL0 zhbTOFT-CPeQi`0q-o#Kd2SGq_^8S5Nq2Ls7*FPrEA3S9=SdZRLzr z@~?+h=z-hZwwQ;q(7_h7ZE{W$iEV$^b^D{dX50FxbSwn?X^c0{TdAS;*H^Wkpc|#tC#4WIU3Bw79>vXJ&wNIS{yc~DMf|ZOUWT;vLO0!VeFp=C2&BAIsEhG zDtOg!L*T)e%g8k9V48E|8OR?vh|ayJgj20C5to>25MAzrH%Fuzq4>r_gPJfCn2DCv zk38#)6#DBGC)JI>_be7<-7^K%v_5-5b{8aa-@NF$2IjZu@mjVY>%YEFHwnwl!2ELC zMQpPE#Gp}kkGZnyFfh5+eCs{dkGB2U>r~?(hltjb^*oveLa7yyTh>>ltpqw~URsrS zdW;bca;`FjDeZ>Ot1Gq_A{gL2MXB?H9$N4&Yc?-8F#y-_StjygQ`ov?bnO6{3(W9e z`E@oa7|k(0mtauzgpV|j8YA-!3D+Mwhu4>E&1JyqMo)}DnlxN6Z~p$gUlGFEcKwVC zl7?;KS9#^=B;kuw!Q6|e|K&Hthx7m0asEFa&j07b`TyKF|KAW1ohK(cpKp7>mBn*C z6lK?j4Akv1M|9E$pIB3Q!{CnK>=92dcszD*Tfu%8w5{|}=EqELxT+Oo&6Syrren(- zUuKvg`n8>}dlHi2v=Q4IF^!|J-5@3|W6xorb{lCAa!DpUA4oKwoOj81dzo?{w6`wn zw}omT`Np$u^6m1_q9P^}86yuO)LXMU+YC^YM~UkFI!rhDpZE>aq5mg-)5PO9eLQ~C z#p5@7Jbp96pa1uGk7zt_u&48KFQprpdQR=CQiww0BfdwL?cL#b&CtL~UBIXB`K?$!T@^Na+eZt&U2S-Mg3B6- z>t!3R+hD$8>t@AmhUtiNN%)D$>v*_5@$KrPmSfN_uElcUU*cn+^6lMZ+$OBLlSLwcy!#XU{rK1yGNL=oc+_A^V?eACLH{qpGV+ zwU0`)Ktim9i&_lhIP`ctIZJPV)H&m0mNB2EvIdr@tXqQ-kiksn&LePrxM?JFESd2A;xy-0{NtTC6#h&pIHabIg!bm1 zp;M6p5sD-_17{I<`Xe;JGeZM0&Kd;oxh4RH)WUgh7n-4cQZM?_xgoUCx~aHIh4~%c zzWSQvaV`8&<@mIFybcNeAgg?qH3UTceZDlGiJK?wfHyIh{Hs;l(G`}RZf?=FD3nLo z=B;EES}VJAE9dS7;M-%-xILo~uTTE_ye`rD64B??UU@HO)$_mDdfuy zC!!9s^IM^?9@H63IUj>e4t=}#hEfJ)Z&If3+iip#l70>G-7rF}ZA}^M40@np<7&mN zsD;tCn4j)*${p-`e}hgXT@!xJ9TNzBa|X=(?=GI%){Yn(jHbuF76E-W=cDIZl@Qp# zX-~>{4v8HtSvnV93ofC@Mjzf!f{saKvl7?;Vtu{;=zo=P{jVyn|5d^Dzb3f; zR}GHO54j9h>x0sd=q6)VS48(~$7^9n12C@NecPW|4|vBG=f20;p!>?FCdqAefh;9Y zu0y~Wip7KGj_QRXHI2*<$-ag#V~{v_rA!aPO*!NTU+P0lDaY<_H?Vvu{uXsdts>A# z6gx1t%Ypp;_75^C3aIUwu+k|d8JHN&WlW+qM~3&vJX6+Wp-GwacG-^snoRwuFX$-2%SyjT!Yqm)1t#X-b~8d~JKwP(4SVF(*~Yo7 z@?r4L*|=KGctHq~%l&kM)VJ)bf2Gp+V8Gw|-`xd#~_Rp~wH?c;>XEy_AhB}Nn0*VkT`yrDZOR`^Ix*h?u6)}7cVkn_?>JZT`%Xr+b&=tWu7b4#+~9D@+N?&w&j%H)R~ zr0VLXN%AOB^GN^6Q@n)vbwu;uX}#1q#Z19u zwpcb<))0bebH0qtU|e^Hxhw{r2>5uxWwuKu1ln(?p1dDhilUS{mDjl=fb8z`fX5Rd z&~mSMZ?{4u#3{ACxO~$9hBkyiY*-sK9fuR$FR8$*i}_5vCdv>f5P!KWL<}Z6m%A^m zc%!9P)*rrG8iAXYrsyY1Eoi^C8Qk~F9?=Rn91~R1hj%ez@;2|BP{wnGs#;EC!h9a0 z{nLY=jvj2*5dw0SLZ-ktStRiJy3A!#A;_(Wo3M4|hg&^dW}i#sP(-uYd+F2s5Eo%m zpPVWR!&@^yc*mtsgo0Ub!P?isFt#p5i64USDs0wZuu>ZBW))Gsz$64j^?iTyUypzG zKQbe`y-iZi0$nLRXFk{F4-?m$sphlO(N1d_;Vj7@;8pJpea#gB1C>{)Hq?Cx^ZA82 z+dAx}q!C%e^%~C!R*2`bIlURi4?NS~On9$IqN*<;UekZD`B0Vq9Td@=K-OxkH)|IP z+OM5>?sx}5)_EgOmNjJ%o40Y@a7u*sds659KL>-qi^SocjUq%e-x>d~Pi0oN7_uwO zF486xgN5Bzv7vhb426a1k_FX4%7Z@&d1J+3m$@@c=X4)p8qf6oWrO(;=2ETp$sy!D zXh^RXEsM%G`>D`@&>pqD# zL)tapMv0NjVEVTB0h4+o_$QRi7G~W+D%VSYB$z6J@jHFnJV7~VsM@c}%jt^BWaQ`D zH)TO*^H+p>p8`y~HPKk96Xz$h=I~?Ng zizM1@TPzl_`4-Ktg=`^f&>mEhGSKuzHj{FbH5^u;k}!Gg9;r9{v}#@Uc@u|3{J0P5 z%z8r9Cm*F7VxG`u+d{vG%Lf%pSGlr0^8)aXs(U)u49Rz!TSfKGKo@V(x!2qmz6^FE;A5rbH}5bm!T3n$h_p0lO4JHk+;&05N`5aa9F#Ht zl9Bp_-!dRH__mZ!S^-?lnQ7hgHDNkv_)txgCaB%1_KCVJ0QK>GJ2L6iAS-d>!*Gfx zn)jhzXk^xaGd<%MgoZAF@u8JFcS5UyH%0Wfo=6EIDeRu>I(Y&;4Q}`O!&8jnByxKb zQ_i4Kntfqs_n5`=I<4FB^PEnMHHg1+!sK64KfgeQCY z^_bR0K~qNh?!;pWkWF&U^miA868qyM6&_gMilF~X5MAM6p~QdxeU*I6rsL+v;OKTl zGdq_D=cG5IPgb5l9gF#$H$_T7|6`(cuu?VBt4x=z_?iX-m+5pkvjSkcNxfzo^G*3_ zsiNH)lZT!}Jk4_a<_B>xS{v?pzR*0!o15$zh|TewWRH$;2MYHGR}CCpK$ycQ)U+=Y zeLZ_oT9@n)()~@j*OSQu!oN+ff9v%E_Ah(t!pK|@NZx)Xrmh9z^#b|VvG+FfzVB-k zpB3gw;J9K~DEjHJ}2kR>mYC4nR5c*{Eqb7qA zl6#%!uPebrxF710!1U|n9xbSFk2*_nT@K7^B4w{I=)mC-k^{QzCJ<@fx z&=gGjp@ZU^ucnsxAX(Grq*)j{Tpe+I|I2t`(8A*rxo0FVbS<;~O!MOc7TKuHK`vc% zD#m{`A*c*Wl-Vf9+v3sk$Yj=LbtzgSXQHwCP=X0F>u9cNq<}J-5ACjJW6LJS+qV4XYj zU}D1?C4Aubx_L?iOuuaVK8wxGhcEBzXerf#zwbvHe?NTq`;o=pk1GCtMDh1yPk7#y z=z9KJkFvz;QJ#1`${Mdnnc?*)E4&`%jg*Zu|7b?&Lfb^(vgR%uB)XI`vel{&@jpnL z-x_Gaj;8tJ;sJKZ+P^~8bwv|61~blmCg}l2*7)Pw1A8D{^L{K-!#I*RSl|28zY{o? zd?IfR_W`X$kp{#3b;M~YTzY{v5W@LGYvoK2fT`VpcZZ}KEG{UYiT;+4SY9m+SzPf0 z&L`On&cjjg`9L1o5lkQ2yeg5$MQ#Q2SI;weYzD*F-r~C-F6N@jmmW?Ju{p&h(Wv3K z95K*Pu|^q@hs_i0&9K+Mu8GCVVIJ?csc8-4l2<&>YK$O0-i{o zbQ^~}$iHO>CLerUp3V57QQu=1i+))`1c_hqtIOMf!t{~W%S{2o@yv;V@R80M zJ;a(e=3Tp;3l{f!SA9Lt3rylA!f!MLVKs^B{vm2^n7c^bTG7l0c5X}0Pv>KG2V-N! z%Oae}Jihk$)87V&YD`N(AP)0;_U$KIv*Si(iv8QzIE{elJh{Z#C)KR1ekjD?6MbMM zg6JdFTx#5Uz~?#@bX!~(4lJ*qiF_>$hHKTg*|GSVXuR~d9!rP!XO;2(ECb%3rN#TR zTzG$$7I;zRQizHscs6}IuA`;^qBrUb97#3dn2}=L(y})iexSgbdQ%bX3(E}8VDr#K z=j%Q<&(G#N%OLglKhGRcNJT!vfpoq5)PO6rt=rbd4}=Qe1l-@_4>ckd*LF+>z^@3U z?N|1=!^0D{8i_9w&Fuzit3*u^we}$geUZr1+#?Bx zF~12V8=!Hq0Rhi5n}?4(fD5T_Q0I^pFiCswA2PBdT(7&=95g}KqYNKfqQ%PM)LI4@=1`}r|TcRnF5A2H5$C8 zX&~%#;{0pM1b`97b26q4h$zqe!Y}bf{t9Jm-u%YJY~+Oe-oG@n5O4y?$SvU$7*9CD zT>x_f`!)D(m5oO6o(Y2c?g4EYaR4XyHOap^Aim1?9`?N1h=#1a@sUq7jPZ_t?5Gbz zR|k%Suzrap?4NS$IGq=ZttAATnI(_PyP__Mq7T=eU>wgoGXt};#t`FnZE-$99X%)E zFFGt>fI5bU#(!&{fHz-{k}I69KzX8#<31gQu=?e!EtPc<9GP+xq}^VDB>wQHJyy(u z;+YP8Z%Ix#YgY00>vaa?mU=Shy&nsFzq($d=fMo*KIiv)tB9enRYr#VnmzDVnE(Dy z_hc~H@HRe5j`^{XUt`=*JqG)WeX_6UBtq6tpWigg7=Mt=?&Y07(eQUZJPMx=55wof zBk}q0Xna0A44)4#MLe>l>!(6wp+Mz$Jh`?x+HrN&)lO3yY=0i1nzNDyOMaCRmqSdz z=Ke#L@ueW)d{d6)b2;T_tdDV}+lzW<9NM<$SO<%97Icq}sOaiejb}IqvjD2oV|tRD|<_veYyo8txI24 zCrAW+P(GLS#TtwE8S%l&#oHNw^ySe3X9{zXHCC`258{ej$pm>W+QM(_C*X*X z%ktvmEX+^tMiS??TBOe6v9fjd1dN@eG|mpLMkgMgEgO(F0*{~bU(y`)fr`f>TUj0R z)8bc@3)KyhYyvB@Sp!Hr1&wC4KE|qxCzjP7h`f{D2eozkklQgS^9Z$lwz9-o? zWiWq{K($x97D{1>t?KjeY#EYBcW_q?kp||ti2R?IcwwbDdAT)M6ndq}qO&mdfOp|QbYl6I?ss3oc5?tKT@$DPN zJtX=((fEz%@81)SG-0dJ1?GlHMa_0KXyu!c*lT(a)dz{BKJ3Ey@Np{TgV!}dW8jE? z`noP*J>c#sc^CFWhakg`)#_S77@9N5;rA2sg}%cYCl`Ktf#;801#+c06uN~O1IRl2@)wsZ%aWgTdr%A$btGvo&uFhA66&yEJ)P7?6oY~ne1q7yFc z3;yQBbOW-k1y}d}xC8DBZxszVZ=m7NjU;>TUxZgr#>6WR-baOBk8M|TR0DmbC%MZ% z<$&XgY5u1qXS6ZES~5XRkFL%49XR=25zM3H)+}n(;UQh{p~OSV@NS2{&D4}9!sODD zMlSMT|K^$|)o*$52$SW{%C&^5Hr?RyJ(7gaf1>xrt=8n81E~^VO0g*QRmc_{mrhg~ zJR=P9M^jnmyhY%w%|nm+$2#Cf`c0GmEYJV&?~%msFCP5<62b2;Vf_A5!|yLX!oSZo z{Z6CHz!oYinnYM)f>6cpLX&P*E4cku;GNrdjB7&or&3x|3gqR~g zZx&pu1+&jPCC~T`qUC2Ub&=j@;5JiLVa}@>I8FC4m5Ra&e0N6sMclDLuO9p~J#@qz zKHRw_R}f+j&odQo9DV13rgSp;IkEjn^gREcJ&*NO|8rj$jelP)!h9Q|`f)S*!I1MhlEB4K z#iKmI4+Cn+d!KbE!wQGqn&-4A(7L#Bs22zTTZ_!o%G=h6==n@^{*b8NlW2eQZ$7ID zljKp?Jn}SwDt1w|SV0T!tVjh3I;+CleTYN&mp9Vf|4>`%oI31SeP`wtZh}VKD7Y7; zyg@^$>^jBk0L-7{+|fB6A9yghe(c>F2V`JkzWl6>4=7Ic>QDZt1}gOh_eiVLD5Wo_ z%*m|*wZ^A*?)cUWT_&n5u1?`_VCYPm#DgdhSqyG?6Jvv%d+jXi=rz%aBI`J2c6-!8 z@@YXi#T>Try4{sF#CWUprL}_UmW1Qyf_uu(e?0QV`W@q>7hS@THF;GXtIh$;*PB#| zgvS>O*fQa~m?d)SDu~_w))V!fQV%k4bVD~S_bs18Hb_x!qMtX=3+4Ak)m^^o0R0Qj zl&1|n!RP6*1Fm(>kfM>b^P{-~+*(u6un6@LI{r^Dx{uig-O-}oJ`j2DbLkud1_*&*kH z8jFqc9zb;c{QbWFu2<5gVfi@CUyPXrnzSIie;8A;|{^>didw?7iZB|!r24ed2*Lzma9?QmjnJ-W;Qr4n`bir`r zM+NYjZ0d^3N*x-_a&mtvnhR|{E4^HoN}%)?@6e}~EM&ZL;oP}YR^E5_(m= zbeEO74DA?vYE~zb54=Bv?4+u*VeQa|ST|80G_j(&zZI*;=5gwAc8BajVKLku2H=H` zP;Nyxo(zNojiyTu*FDkga$$}D*I>x7qL!4Kiva7EJ*yO*$&j_HmgJLoExNt&qdtZD z04(tIhMmFuutxfJeYJ~;L3MR|ZA7BHA)DzqONBaQ3J zq;P$iEv_%a{09ER_YlGLWeT{yOq?)ZUAtJg#bQMPDeIoB)SOU<7hNgCliDU|oKli( z>5T>?Zu2)tKCFnu6)n@t-)Q0I;lJ-kqWX)+T2D4FhVuY@HLE@yn=A}5$W10&+oJB? zfSGC|tX`ucuaRxV0wlkiu6)*zC0yT-_%gyM(hR8Mm0-%xi!(6VY0!53#t_I}**E^~ z$xXC&F4|`A_bEuIHOhFe(oJ~Y-leO{IByIA$=;i%Ikhyw-09b+##k-bOg~!4$*2mM zq$kju1}|j8-6&h+BMZkZ%fcE4ETMA!Jm-xoCU7Y|bW;@LorB;bv6?lW7?=-DfW5dR|Qb>W~SOUBL`aQ##}7y+Q2ye zaGHZz9=>zR2^@We)idm*7ud38Ko_+NGmzWxzAYD@=^)x z*u6J)6wblYuh|eCnKdd)6&56TO-{Tk1|oiMtPgOVJgZpz51-#G6uNP;#a-vkHTNx&aXjZik`Wr^gjlB zpY)r3=hy)cUbr(p5BokyqA(n^KDIGv+SNa9N5O+4jm1OK^b;Y{pPtStBphxl%02w; zbQB42y)70BI08yEZ(84BT-p!s2Nr#?Ib4>-UKK+UdDv#9v~TW@9CCWQFK+X&0z{nV zp~!QWf$@ndj#E?Sn7&zoN`gWbR37e5bQ;Bc8U^&;nn*~ZA1ui|6080Ky)E#`)>*fTQKj-Z>b*eB+O&^ zt2Ye9^@fhP-tZ8vH*~`FhR(R&&;{CB^}_xAJfW^@ey-t^A6hjG@6CVU4*I5jS$huH zgPk;oVE@xVwDQ|}Cz*o>NdFptdsN^ga5J1QX%ahy_OesE=UA7)pYgiU5c^WlN+<|V zF|9?3iUY!Nr&EEb-kIq0MEQ^sKD%?`lO$oYeq?`iwI+&`UuZe@Q5uYDJ2!7Ri9zX? zB!j>hDX=Zpde~B~h2G!&qe%Np8rUpdWUmhBp{4K#wKNv8;5yNA%+gF2ehiF-`K9Tg zL8a0M!dO3ss6Lvgep6i`NbmX=XOQ)2*!4L&99^b**HF(I2#oGK(p6~Ofr_1^L@_lS z-TQri=ll+AUg|}hFKtB_&d&_Q`I(_OKQj#HX9nW@%pydTPpj!HRYgUP@z*!CBJ-H@ zP(Vk`?i|%5@V@%>OVN9*FXm>r+2~Y+?n}Q*HI9h~qWS`&{CuMEJkh`BuYcvg^CF1; zK2d)qqQ5VVwi!;2s)Nf1u2CO%6^IN@IO3yXf==CcHzuW0gcljP)!q_@XzRdbA@vC* zK+>$EQW!^b&>0&y%@hQ?SP_G z%)k2u|NVb?a6d0D+|P>#_w!=M{k)WLKQB(g{$KO~^ZTVtt$?yYJ^LHR-R>OWx*;(h zjjoRb$XW!NLPpHX#u@Oc{reBMSHpSRJ&=WV1QIh@5v z@!A1sxbf*}=Kw#v^Yi>U`lAq~8ojV6q=|-Cydv}4B?3UFQ!4CseGK9IQJ8%E!_HKF zaI`T_msY|2E61fa`Up==%4>I_A5XaYpA-*0Y3ID$HD-FG? zvm$WwTKvV*S|NCv>^gA0(Hxy&bgK~C#t-}NB$w?T#`NN3-LL(8_zCmhi26Aa-S2n9msKhF62u>;SYTN{6t#KH3RAGfR0YG|lgSbQD{0cmG^ zpR9r~aGjiVxGSN8Nvrc*hTe(-GhIU6&}bCwFMnhsKJI|%gPxZ@9V|qG;k2tw6)`ZJ zW8za~9s^t6g~MwZ_Hc%zul2+aH{kPa@?Yx@M$^)0`Nb`FxO?LKJnbiEFuEZU-)<3t z-i(V5+bTN|=2;zlGGVeJ5`ZG#d-#ZXiK9rGt8t2Y&S><55Y^LN2ub?fy+Zxi588sJ z-`Uyv5cWIXr}KO1luZ#N-(PNizP$=rQCwLMQY-+vpNW!t)rw$WGS&S%ZD&xmPWALa zcsAkuQJyzXxM4pRd|~rE-FciHEV=?U4*O`M&qvi(s^l%{K;}TzqSZF1m;tl3>0N!u^~bp$!^P@|b?cpwbGxl{j>L{Gu{G ze~9Tvx7Mlp9V}6H?2?s4h9=}SQkI5^Ye8U3K^rBFCIrV^SRoPCfaa9G+}@9JsOO+n z`ObD#G}gznoxD*9c*ptPeP1viF3|J|2%Il<12MZ)c6mDqjC;77$)iRLEq{}}nfpKt zy>h>xl=?&vMwE?sM>wS5;`gS6ViRE?>eoQDK0vhIrP#|k5{Lnw4svyfRh#6WP#7RTD5qv#7W_2tNb2oU}vGnV-)3RE9l7724Wh8C?w z@4Xrg$LqI;@cO?GUjGlr>;L|E{XYz^{|6GD2Ov8C@S-h)rMdqw@IRAlcsUb`>L|+V ziI-%IM%83ru?QpWSA|aPR1AjrB2tg&1qeLpTZXE>_Ld=ef{6(|M&jp z|9^WwMB}&rzrCOT{=fhG{qmQe@bC8*(fpKXd_{CUC+>P~ovy6~JvzrYr^Qs@+=nyH z2VBgNcsuX4o%0&N*=sI#S3(ss7{|;6MvV~B{O*7D{J;By6a9bx-}e0AY^+q^xC|V> zQaAoaT^c$B1v#jr?2z6YR(0wCao}EiL*5pp2(+iA=nFrI6TaVx?%%)pwF;hJE8+RI zJDy+5Vcye@6tx$yR|hN zrpqazt{;A_jn@aTIPh@3hyUL? z53P6>7wU~dpx5HnhrYg3=&~rE#0k|5m^Nm6Fy2@Uo5np#x|{)^J-a_H<-Q|fUNq7E zEYatQ&g&k(ZXiX?#|=j88xeiKc);FAa#1l$7QVgq8MmZ2MRQBiZhPN%4a=i+d>-ci%b z1Cw@~^R7T0H0k*MQ3V&K^T^(cvn-c|6jL<=n)?Qb+uh{U+Fi`w@X~s2cT7Ku?-;&s zCR73!DO8pZ9_nA%_U&&C8|JuJr|CSm@jv9mjL&5z8h?9iXdX+LH5{18d9H4 z51e4pLgt-&sBa3%!HbB{%mxl!RHS*kQ)fk%uzsAV{`xN27D>#{8emryyWy}<394uG z>XomYg$XJaDLdv$NYw({liAhKEdTcGgPM{5Vf;pi^XTYs9-TZM?@_~F9vwZ-qoW~Q z|6G;L@Bd~X3AU5(qxSC+#pbsn6dx=q0sY{OuRq;IV8~T@qvMYl+^6bD@-(tVG=gzE z2gJjX+EvWSI^Gj?q#a|^co+pV0StFozDGhC<98mNUR#tNeSPK@<|n^1#44fPHwD_J zM!ipy)}#2uqcvm>aX{rrS?!>T`6V=DJaH|_0tq9b(rM8cSh@N7sep_psIlmFCW@w@ zcUhNJ=PF#_d#yLcSOPZxz}aHIu;~xVV?h)ritJ&0chh09Wk=9!OxZQ{DFdwzpSu#v za}b^z1V6FB_%nO|WX#P~S#Qf&)+3q3CciWONN8T(9?Ozr^HvDeDo%xwJQ`{cXVop$d^F*U3ynCkFbq$c% zWH^0FyeqKQoG)VDatETkT%!4iJ+%^3>hoZvIK`awp+FyWziUP7gc`x|*up%gN<#>I z^5yr>c>^fB9Z6GBphB3ZC-Sg1m{p|>>Mog*{D?ei6;tLmIPtb>OlhVu24y(BlVn1rM~xJ$*q+J7T4*+mEmw z2lO^}%ZFneX#qtFn`jHP+MtspbH)Ikt(};dIc5k?%CqVPSnQGUjnJO*d)iR;U2k%V zCkPz0cRajjbO4dnPW;)z=Kp;M6idPxF#qDB-j@>m;g~M(!{M6>UW9oOe|a5xIIqJJ z=XGe~ybfiY*I|S6I#gi4^TJ{ky(e0?55DevBLF?>9~#(x$OS07g60i0T|xE5=r%GT zXNa&rn(~6u5&rU8)p1^{8P03f#CfeMIIq)qh@B5ch|a!8NDwm{hcEeRraN zj}yo7TIZc>-tjEXRWDJAqJvDSyfyg*y$oGaY zwxypJZL`hRgIf|DCqKx=g8%uOyZJ;b&;d`^I~2UBpv`K3NS!nr##*?#Tg{W<;>E)H zV;-4^D8Krz-;F2wUgBOSbXXCX*Y;NWV;r9^q;wbB_>?jJlRRZ#2{vz~Yf0-tt_b=) z;m&I#%FvxOwUGMD3X!~DEl=5_1|%=Wj9+3p=SRylswT|ZX!hmJ!{;UyVJG>vg`x^< z{(Y%ClY#RPD$~B?9qH%=2IgBm|F>_Wm-3;nlh4DE49%yNfU9nV-{;@{H6Px;7RCG5 z`|u!28#XKzh}X!jK{Z4Ed~5`&$A*@q*v+j{~W2s?u;%bblc_;BeYm>w60D zu^bBc=AMJX;^Q8YPMbkN-7}4$`3Q92OD(-dwl(Z%eO#5q(>kc9A#0IL{FW73~->KLgcGTSF0PaJ03kq{DPUR~f%B?1{kYXzzDE zj^`Ofx5uvE<2P%Dj6A(l`)GS0Q^!<8W2PNO3%|$Sr5i&BcAVAC>AeUkvqcs??Otf4 zwDUe~fDmtrtol-WNu@^2JS3v@Yb@Q1}nyqVzM{2 z5NOLvr!&!yx(~%z8dlXoB9#Dltym6n;yGS?U9kf92h_m*0r_!%KvmoykQes{6vF)h zHPNzI!QjX6CiHnxT5Csc6;x%B1si)-LS%94kjF=iU+uRg`*^DpsqJY?a`UVK<5`Py z0rlo6W$w?eF+Djb+bV0cKWzY}bQNihX-XhgDCrsDj`BQY~}r}i)WpnS)$#p8{@>BGO|0Ak>UU?|c_t4>l;$X8w(cNJr&&8nrdw=x9H9 zB3|$PLXGL%hFpJH>>)pDGNdw!&#_ZO?%HSLK*`%-3ew{D8c~m1?ARS9kMj zN(NecRMGuAq8!$(-w$khS0j=gq$>_(KfG>T~B!!}7^5Ztc~xoKe8c_Mzf@M=@ND7#Ee7^MvQ|N$cLFSt#A)eFMcgZ}eoT zh0^4jH#8Kq$9AY3M#0Ky1vBufbWs z-c`AEv#*A5y{=r~^%s@^HCW;mU_1~m3uTpo#~z$hh1#Lqf$b+;QDMMMWzHW8u(S&VI}WNs7Lu!LO3+P@e7!>)aiDK` zXJg^zVT|8enY~69hYp6dr;cI1EPvk8NB7DwKy%Vbf%webApic*t((4bs8xXX?!gN* z5VT8_>H-x#z-x8VjBpyl^MTvA54C`t7d(399c>)r3rUgAbtYj>NcS?oSoByF#@YQ; ze2Y5_C~e7)vE^o?x004gkIc>C>2`N66+2cWO?%*6ZH_q{8~H=KE7TZ{dObaC{L>J< zeD$Q9eVZd5|1jcy0d%-ufCBCpKns8U0vK?=fZfoxb8E`&z8=OgX8Wv?rv>z`dp&Kn z>=19_;%)Wje?|^?^)G%BRbITti%O53?pC=Z ziq2dv%h<&rjS3Z+H%hR11nPSJusQp1pj2l&*W8_moIdOAX-W!*)rj!a;LR{7WuN_F zE1ry!stdjHOTr23v3e2R)1Z9wf>&Xh?Mj?VH*YFnN!UWjeJ1`Bk!x?s6zc zm#f}+M~O6m;#-zzC)#~r*^|OEkgW<}EZ(e2qX$f4tsy${=5T4Eh;wRF3MkEPij67z zpyW;J%e3Nt!1z{Q-Gwh2Rd*;kCtdRg=X*A{#{_&p#matcjwA+It8ah$l*W^Ad_wd- zjVjz;rA}##L{ww9tBa~Y&BC-m?*$8#9}_l7Dy9XaH)|3CcBsK}MEM3k#=-c@(-469 zb0eM^xk~8lSJ^Ga5+Sg+5sIr);0INHk3N1EWkmkt!*|9#n2&biR9Zc&KbrNMxbcQB z7`3pbou60s1SRq>LJbt|uv5B`mTS=%nj9ty<5N8ef3FMqqN6X^Lm*bv_(@ zXO-xXh;GIhh#veJ0^}bws_$?GL3PgR*@xHTP$StV>h(?!*gkuYo<+qDjhN89YPjYJ z28*V>bGK}vtpg2(SbCvrU#?|@=h~vy@dEviO$XtlyZaz@Y%pZL*(3OnAso$bXY?N8 zK8U6UqBSU`|CK;*8~nC`bz3&J>r$Y(!F0C||=`CdO=U_VSPdf=cYe4~0^ zVJj>Rryp%~>_R>WHOt-1vNeH=Li8tg*rcG?a>?RnRD5u&@N?R2@>EDQO=nAT^+(0t z(+xt#tVk?%Zu_#342@W_yx9Y(T zj1xkTM<>yD%`@zoC7QBye0{7}4fxf8=ZLH|l0NRm&N8YAYtdXHavxQImRi?Q;gmLP z(Ol)#h`fl-B;0(PQ;2b@`yM)}&?Uizhqvd>N}WVgL#SSJ+7b3D+0;*wUV`qeyqQP* z_E3cUY`beQKlQJ)xhD3QpQshH`EYbJ+NAk%)xz2wYU#b_qvy;C`^7(rR=l|UlOMVa z-Rjpzc_FQxZ@;vcKGK#g5G!Zmg}SW@!T3r(AbU6Ezr4W*A}2dblDdnB4PY;W_u;ibClu~1WWCSU2t3IRB#~emO4{|gBnIPL#pzHqy2N07Z%4%n zd9Fwhbvtm`iz5m)w(nq~N{WJ`T!m?p%Ms`y#oqU|T6W+*%T#@JyBc_PTWuW6wnMJ* zOi35CoWM+x#qP$U2mD}?Y<#4}0lrsmZ68%*1>J*E9kvFt=q^cUmF4Mu5Rx=EXS>LT zSanI-=@B#BwUykLXIBolkk^-?k}|mQk#jN1u^g?-H&MP&u0xI|G-9;hXG77fz3>x( zP{RE(qWWK*lndi5^L(&cw?kg&1t+XlkM3?}3%v) z967$x_GbJtg8Wxgj23uX;qaxFCq<=Qz$9-y)Agnk?x?bl?r9xHbQC7Bd!Jnf5A9{% z-Kt?oJif2}0lOzy|GuHfrgi{i6yN=r3BG zbt_Jz6B7E{?SACJ)4F?1=F|C5=}tklu3rE$%$On5N)@WP_xqV>Y7S6nqz7ijSD_E} zWgLR`Ibd`7Pkl9CF6`KRvtV130p%abg-#snLVZs(16DcepuuYN$nJezDE{#dOAh}! z(9e6CSmRa?XLF2fUwUjQ6v!KHY!%Sw?t2%Yg9w)L;HsADqwD4(GFV#QAK4aXwoIoX^%4 z9xfM*@K#HKtYjpH1bwQrO z&C{u*mT);HGiCO@AyBCEi}398K)?3;Iqvo}#OtvbukC;8u?Vln`r-9hExaD9j@M%~ zVR_2!yPT94?9!QdA}r|)sl!|jmRcF;bgxLjOqo0EZ%drpYw83uWHc%x_uXKKz08~R zj65t*4>ukP)kf{gH$)6glpr9POU@dbKfZpkN#R4W4(dwo|NN#`8b;->_>BIk0gi;M z2Mg1+@T-EsDk!TN^1SKfe_{BG>ucsVWUI$v;xI+sNL398v{Mg!_!W%UlHc~P#9?{{ z&7b}2{rrK|WwM{{Mm+clhnR#g7$QyC1v1B(!{}?_EeQkiIA}`}Xh&KZP!}u3zt1QQ z(~G-bcs>6J)cx?goi2YECR2n&K8`oz_rZU!higo=xZT~YjA%X9o49pEP}z7c``J6Z zAlce^r?!v>MxVB1uFZ3Sz1?=Xswp1e(PTV%uge8VOV5fiYv@3Y-tU|X6gJ?zGN>4A zYyfoLrgz8s-H`Nw>ZQ53Umbp@zR}pgg7(6X2j^`FzrTNm83#-KZlVNHQ_h*WVN|0RcvA`;NC&@@`fin+iAJe82Pb8P?T{g5u+d7n6+F1OQ}fz0Pf*Q%EAJv< z1GCw;ZuOM9;_r(M{=S&w?@Jv1zF`0EKm7|c{C%+mqWVoM5%w+CD|*oRRq?BHjSr%( zFBJHU=~MB9ncW?@D+5mT!|Ju$F}=lfmIj+D9bl@Ttoq`ujK)vDnlGA@MRUQYbJTg{ z5ZUkO@+;T$po^i@Y3!*idd=%pF|k7r)afSan=l>d)dbf1P)TE$)o7jUPZ0zUPG@~8 zFH3mizIT$o%@hicNuQ*B6@>1rQmyl*906ngV9VNz`9NWiDp6!wjlMrpowd?0g_(&8Hc!HY8&84|Mtg)FWca`&xYa8)h0lfzTA8ySAc9} zlV&2_wBf@0!}CS&EzqL+6@jrrJ&?|hQuQm;1nGjR0&;0fWIX(0^|_)t#nTg9p zc_-9ZCM=`if&(K<)B8M#q^aK{*@E%woYV`lX3GMhQxhX1Ppk0xntz{vIbT41T$HI8 z6>_v(H1W$t-%jz`>s?3$d6)5XyLO~NuaLidsaz)T{vIsltv*QjeVjKQ@*VOpMyy+w zXvd;A>SSn5=|A8Ik3Fu3tNK}>rczfvtvtm(0?Er&Acyu z#G&R0`5B%g!6zfp5GQAA?=?>-*Eu0;l<5Zdy|eE;VZwMZH#F!prvAO2fAea?>nK%4 zAbWnv%6dKsMNxiEKJM!Qqd)9V?ZNu*bT8C}QV)8g1noPP<4G9LlBe`mr$8`@5&Cn> zCc+h#tb1)`mVLqcyXA#JhcJ-!z0=o~cm#<#=^b}HkqEccN`G}~C!lJp7Q5siERW}$ z=zNa#oyXR0bZ0q)At}%8R&TfhVf)XSpVc1%z=HR%rTs1=*!puzHZs!+H1w~LoH!7G zVh@&EK7V6@b}!wj*oozH%X6*4pQo${*Kar5f7tXfnuGBWo8pT?OF!EleuDcVv8I80fdAJP*Ew7In<6w`j7-L!d=QXv_g9&JjmpYcbo zVeeL`sBGcag?&;FFuWTmBHef0i5N&WS23bugl$ClPrK zUg2Qs`upb*e?8b4Fng<4A`l(uw~!6q?Fg$$?2PAb1)wXxk4TK@{}?j=B+GZ>b~s`` zeT*}I6QHFgZ$h33$%YheHVF@F^zZ<{}5@jcEzvE+q zoADW~*S7c|B4+!~XV|=zQdBeD+6)U+%*e@S2kRlC^#r2!HN4Uyzjvww^UL-`vJGXR zmt~T0ZgfL8mR=s5kfR$OkoyDH3ly_0^XM+RyS-A~N#l!ACD-@UZ+7j%j zYS)Jv%t1=w+#JQ%NYo%XogP?c2ErbG**D@Xpd(0EPpHM>|I&Go!|PEpcsiWdn(O%#b|&J7ttWBx%(hel(# z8`NQV@`f?t^FZ|dBKp1)jc55i6J)Nb4v#JEjWri^QNfQu-X%=u>it34tKJ!E&>_{+ zXU1iUM82F~rFf$NnU@-V@AJ?FeZJ?%s@`DwX~VrHVqVtpRHf?vG;IV*|LxvgdfXVy zo)vIJ>+1tj_uws2l7f|y>TS+)GN>#mT+)zjUfqC=(=F??1Qeh97Gg3Zk5b$+S`Lv& z5w4fci5_xGwn;_0_myTH8VulaoG^Pfbq*Xn8tkFLd=Tvy`21Wc*B_1?+%Tim^e22i ziN>F({a^hxO&l*IiQ|Q|al8=L$7~l+e$=K&v6TRNpNy!) zuBQU+y!L5bxj01rFyCnWK?Zhzl@>F;YmZJVa^x1Aw1wAs-;|TL;?Nz7umVbJD~O<` zW;YkHfzyxm`sdzw!7INcW{f@l!vC29IFtlm9_5KbEvaf5px57dXw?^2w>8{g3 z=YH~BHmw8bO;4EU$BVl`*?ocU@EbokJ!1do;7%jNOX&&slRP2nSRAcLnh&@Z-|alE zmxi1NSx}ZPR=?!U$n^az2<6(Fu5O`RFuy(8T#v~diN>cJhiwys>wZ0|!X*bl|9i-Z zgDFCAKx&_a4oeA?ZwT1kqDevhV3t_+pb^c|CthWfsRZG`*8^S4htX79_5SOTW#IiF z&!ObParjyPL+Tb*|F`G-aP7xXHmW#NR~vl)2#8!1@9`q5K%;|)VKdL0aK6oArc@cn z?v7Sy-S`iO?S$kLwM+4tPH2nQgJ)G1!_EEjt9oX_1yt9rb0&SW1I>!Kkmo;5VTY2i zp+$xdvb%b@6|nw*6qg|?!1S?Ke^i91IO!o4ZZ%gfM=d=zO||6L{9wg&`^}hrv>5S7;r`n36i}isgSb zGQx!}DATekH<#QMf|HMgHr%C!m8S_$8#%h5=JS^J<7v8d@qpoYTJ$4s6Br@`t}h0FU`Bceqd_;rkR( z{&|CgMmoPdnm}~WRJ>RD3~H3It?i&LgQwIcCc|ZoaBymFjqFqgdee1o_8@x^N)K2O zv6jU2TP=E`Y~wLq<(gV4mJV-Jeeb4-+Zz?omEKuAMII(F)Tucc?I41@$psU?F3>}&o@3f7&o{>T z^G$I6d;^?6KLio2FP*`N86u?z(+X?vnWnX zr#9B$j;x_DVLi>b&Zy6_Z%M#Eqq6#x>F=TYV>EBpoOw{FwCL>W!{0-%>@R*Rys$MC z;Lxx9M`?5DuYSEIu3s;L>(|TS`t=CcuNTMl>m~5}CL@lQ5XA8k%s5_x0mn-S;dlvJ zczn1jC1U&(il2HZHd0W9rVjG0-D#}`aiQ^*YXe7sLwtWAd2kifH+;8U+*bit*8&uJ zs+*C0%fK=(eIVN07E3OI{r$Rn!OcTr7~bv*_eP#WDSVrY@Hkyv^k2u56z$|pCco^2 zBvwY;6mBJ>o9U*R2Qow9HrvaYd>1ds5oY>TWxXG?k2sGuu?7;xOV2#n{bBi&E`<9W zv#LjYcJKT2}z?u2zYa3S#V9-_|FpXRvDV5|OSJ`QXX0LcYvb9nJLsE9#69RH@ zg_K|AuBJW`oQvD(OfL_E?-h>~B`d>@-Qm5}1%}AwV_>y=MJI?XHaMjjwSecLxy(@Z zUNpAjbl#iN60m3ry41|y29p(%QL7_8gumDSZGI1;>q|1fc{s9UfKEChpR{|q(Keas;j^&}0!6?nR`g~AX6|7Qta|EtWGBDHF=Oei{ zgX@nfu)5ZN^tps_eJ)8{pNk*Y=Muv8xfF4IE_T9vJI{1?`|K1Gh1Mf84YixvC`NHG zxLQXLhW1en@H`g6^tz&rryo)SSD5iWuS*!dIB_ig?VJI;xct+=^pOQJfAEaC;)yO? zAN3YI*QW=&&dKmgh+3nVhP|Xwvg#1sxBYmOl{0Gl^756YqYcE;hv?nDiM?;uu`;G4p+vVN{$OAquVZzEma;KMX!`TEXuo_fxR+k z>^|&mMteMBb!IMk~8<4k{!!!0bB@k~{8PuF!4980q%Q%NifqvVz=t19N zAj+3Tv|mOvANU&|gvW;;kB5jF>^GLU&{UlWYyOcBE zc2+i9o&ey@Ek3Q&1l=Ax#mIfJ-}C*PDaKUO=teQ(;_+)I3k8%)D#>zb^APKKETvAEY74d%bzvGjM_Fu9n1zjj}Y*1aQ zRlkOi3e3KW9=gz@1({)J`y#V0q{XoQk*ZXKw;^GT-Ezi=X#V!sUJB3mSn+(156|}` z@O+O0&-Xatf6e}He01>mh~V*&#^WQ0$43m0j|vL8{YcpQlsalP9~_h2lY>@l@w20e47^>#+(g^MW`@Qn4ggCmXWzvGyHqwgsvL+Iw>YM)0L{DDH{2F$|nHDhQnQKpVAJ?N?5@qxlym zzLon`V5D(bCUMFh8Mwq<{b67OUe_{z7qn=CUrge|+JMM_~6@Xv!a zgHC<)Oo37J{2vQ+^Gx$RMVK1gr`2Guq|<;(?bW-gY0kixtJwbevmNMNW_MRNK8!{O zzGqLwI>YiSas4VEdx#A#dwYk)71!Gmhne!wyW+7D@SR%5-?h*R!G!af5LscMe3T-Y z|62mieP+GkxDHz+k4yj`E%8e2781MDp z@2@4!S80UvRl4DPm1a0!r7_M|>4=Ex*Q>W(?Ni?qiRsJSTVsv)ftVu7cfIa`$mT%k znc{pyn5pGtb8z;!~;8B_{)3!n-tCw!2f=zZQU4PtG(BfiqM^38B*}_96sA_5_9Zu$qu)VH<0sxlK-}Tm z>A%E6;Dn#^oxY3+AgWI>yE%AQNBt-;oh_ayj6VqPNS`<4ey>7OB@Cv{Rxz+jb53aF zM-n{TzkK4?$c zsmIk+p$ns&Vy>G~S}?lBM0wHBA92+mc-yt53EJvU-%oog0=JV-r`#KD ze7=ti@;+{eK6WF4BKyH9lXtv`CqXaZqr}$G?6t-iQWjEp_RNWU^v%}Lt3%XA4t1gs z^=$homwG{1^m_l0oWT+qz7F%Uk{1NCsLhIPX5zpfboiXAn<&mN`tS3$3xb8vYbI{NaAQJ8q&>hHg>uN!x`u5IX_sE)dY9pZQXYJ^qZ{@@k3SmC zB;HMfnuH2HD%C{rp*iz%-Xa2ZhICz_v_6Ca{E9cvy2`-L)X0h21QC$6_;F{r%pNg1 zKMHygFAY(RCMq`;B*3`yni>_4Ec~_C#_d&bdw<+s3%5tOy$;By&j>a2r=Y0Y{p33D za*+C!$)~ju+0eUq%=#*27z|}yr&S(LKwnK(?RQLM0(D}n_+m;RVlQ#&+;u+?G7r|( z+zO3Eg_l`uR}R=By0@>=I{$=#?)amSXNfMr6c`$6xJw7Q_wRY(Uy=+1SDyOJ4;({R zZm-wrdKx18$F=kHsm=`6y>1fAK=c^ZghrzJQ)^G}60I*l-{5&`44-4mnw;6L<7JhWZoE+FPL_6~jkj`^dAh~-b4DNN7r@Jdh0te}%yvO4hzkguSi|MpNBu-tD z&vi5%Uamekz`&UY>^n7|=wQ0KHn>7Rj^%ybsmu#1sYst%t@hM5 zBShZP-dlJ#5%!u{COOimz=4#B3C=N3;D-VP+J=lEk&A+N)(`@2Q(S7DM6CB%LsuwG%22U^{&kKFhs44tNN z9NX7qQQ95*u8chb*gns!TrCxZe9a54+sJ*;p2Qz}+_C&F?eb{kYLEx4lI0~IRR_-nawQn_9F>S?!`ydW3&55u~jH4P-th!3))bDCJ+taI@jn`}cfV z=z-+@c+!wsl+p6gwadE&441go^d4e;f)|_ZrazCPV;~~NAYDv2|1T(*e-&vF3>{~s zdvm#h(ZnTn>LQI`Xl z+W1|aE(+Si1Jx%iL?IzU$#@&73SwcJ%S`kaC!Ej!{XO~jc^RVp1+{JL4?<)lfsbYA z8UvLgI+*I_tPvmq{1+ohxwynY_kK{*t27lPkr&_dvI^5L{?C4~ddh$HD}e8p4c{*t zzF!f1zZ{^Ux_ti6Nq>~%xpz@cEgNyvX43dQvWL#=2CYjNo}29G!Sjt6k6W6n@+|XI zH1I2N@B6XG4Sk#T&McqLM3Ip-u(TP0YP*!bGhK)U3ZIM9Ql!!Fi;stsJtP(=dlS|4NjkbC8xHSrd6g4p22-^f zpEm|&A@LgLc;gLoSa%HAGfrv*JtP&9hH{~3qdjNXQpgx;Hdl7+D2hQ}+^#ZGa?~R4 z!4I6I)CDj-@i2k)bU83le%0(yE=IlkC;F1ot3Y}p>QYUj2h@pK*S!924vzE2%twFZ zz;J`ATM1V>bkvlHIXE>S{`SiylL?uG=YNUL3uk>$=8Y<%LlTAkrW-el(B54i)x-9w zK#Tj>kF!`F8Z*8ouyK(G?!9gBn@GyQpYOk)XQJm{)c5Wx`kIYSzSHE6m`sQ3&E&NE z)^kyudh>M!?0#%uf8~C+SQezTaYrZK%Lmy?4;t}%b1Dm{9|3uKCby^Ud3aWz6ukwSo zn|+{@k09)p|2T7?((M0t_B#C>N69mcVX&!eip56@X6yL-!~Kmw;A-^Rejj6?JSn>A zi1AK_n#^TzVe|8Ue^35huahX>-6X&6OZ3tKR6fbsxJsKqmWcGGUxPIu+6yVd)p01S ztVgqI-4Ygt?7K8R8i9D0y_-syC9ot$6>M~A!~4>-h4v6*xFkguo68u1eAq>*I2WNzcRrWYvpHb7$aCv{WiiYwJimUipd3-R&?OzA z3L?zcN_2knuO9us*T(|IHs4On^Fo@2ca>=bI}BWN`0&eUZphsID}_h&0l2upx{>L} z1^Z=UHix)$P+rs@&nHhSC76i#`f)SBP7TKjp;%ThPdI^s=e zQjIuVS$j=ysQRBPOA#oaBmfBwvuRDZZl#c|GkXCDn*P78c&|>)KVHpZN#Bvm^$*uBR+5zPmDF17lkUGq|FWw3HT;47G|z40JE}fZ?ExK zp>maDERtdxFt;+sMk%ib0SVg!cAQj0pBof*ei+q3U+7QU?z-0$+=ejG4NHViL8X4o!EbM{gWGtge#7<~Rq4efFCd#Dso50~gZ1}W`gg>BRi`W|XB z0#SasjGHI?XFa6AHSYkm4Wl@mDiz}HX;A@_8u=%TreZKW;&AOUt0cI4o>22-hb;xzXG}Rnv7wzJ>=(S{?TBM)CmB{v*-* z5z&4z(dR{UK7wey`D8$eI5CiIt%2nz8Qo!CQ zsF_Jnc5?S57{ zyQ}PAZ!o*Kr_2Bpays7mw)vt98~fHs5i2dPj*^n3;zxyG2RokV0NN0;qwv7$Qbyz|)Q0ypBe{l0E!?f906_$C1y0!P&qjd0=`%~eAlAw{V#zu%d1LCWsuHC$efNze4 z?Ygllw5i5YkOX<4Gc)%d(FCi&iEn~$I{Ve2%jovvVl<|6Pf#C?X#D@`o15bL<}SFt zxdEc62;gWD|A~jLC6(3)mT_&g0We7tV35T{83G<4U3ieH*7e=uvtMm515_UT(Y9Vo z3+_f-_TdT~aGdl3#@KMY*1zL1 zi1O>c&wbDFdJw}aj6Y2_^Yuo0MrVTZJT>8ktLqvklMOsj-OpRP=!q6CY&~7Xc)N(| z*AxBT5zQZno=@)zcBVcr1LV0Y;0RQ!03SLSX3J=Z;0Fm@aUBr-OGrzArkqK;P2PhhfFSBxoNwT z2NBITh{lKLe!G`rNTcJ#(e|W)i#&7e*u2>NmpncEFl9w^JZGCI`k{Cr!DR@mZ=b)d zwsm)Fh$!E(yT`U&CrLZOw9GoaiQxjGG2pm$h3W#xr7N;jo;wdg&F#jU!spQ5#6TJj zjV?r1aJFUnvpup{4Q1;Y#O9pk8zXn68bPLswx7*o3;5(Gvxb!XkvKJF^`I8JDzAmoWN{!5~(3< zXjD42`D?)KvD6RFzw}Y|IPXvTmxd6S9xcXx#~i(-5x?zmQ3Kg>hZ?nTCZIU3M&(CN?GrtpOtDLE zAMV~*p8ZT68!}6i5kGI$TK(bao{2TodBsm+*s#9kNyk7cu zy`Lun>nBa=&+@4#@(G7q=DB2ew!3>^`!d#l+_k;fHdG7!U?fQ-qp$_pv|su;1+GXW z=vZ0BDHCukuL+bQGlWkcx{EG!*#Q5LwT_8{6`GJwyx$&WfUYO%QWXs=qWG=_|EzC} z=otB*#RW45!g$@UDyuc|z3d8n|T^OGj$AMVhF$EMgdRsu)O%R>@u2r$a4$Gru zqq5EZ$Y9T*hg?(r0#+|qe~_AWYi2roO5ZIs1Xs-WyGb zDE~0g`!8)fi6NgkHYZ&g_~~n}Ht0=Uxf}Qg=v8E@^Rt3{AT4%d47NH7qLGrHn0#x|FgfE@?L7r>@#5LS>x%BE zBxEw@TCF@d%o6+)p%8zL4 z64E(ac9df88Bk|iKP|-C4naLdbR5T$&>M2bd^ykagz@}D@&Esu_WzEbB${s%-S2;U zeWLy-JiV{4^hg4(wFDnaeyf6h=$XpP+DSuS;hyAOyJUb<BwcF%`)N z%J5rz>x(2B+4sTY?Hhi=_N8~y^WFAQA))pa2?Hr-l;tV?t((jY%KG$8YDrAtYlZii ztc@P}bu5Q_rPmm&uaxSYc5X&XPnRr1W~!k0%u?IEsw1#rCy*-IcLv3EQJkiGQw4Hf zXFTpuH$vY+N^UHM3kkIHKSdYnir`UIZ{MmVw1&1uT8di0<%%Ptcg#4D;O+cctK-<8 zoA^l&_)DUeeve+4Y)M#q#$Yn}PzrUr75#DulY*_a%LyVc;sDe)etp(3R4VazR6$#hD_$sR&YmTbwARWWmT;F@DU^7&> z^D?az#8DP7YL6SDADrfrZw{yc>6Uk`jGZbNhcZ_-2Z_Ml&vJFL-2A{ZJnIr=YK=G^ z^o~5Fz;Mpv*6qOpztx!{tTWa-6(H!Ok)tN99z5ZDB*TM!Pfs(l?L9+n0P406obHGl zz($>Ls$!QNa%c$Fw!5JL&3zN3OnW>brYHM|`!)~wa(tvX`(7lncc=b+?63#ar)jn- zwm4yUD+#O;H((smtT ze7hlpY=*owRvJCE+KAY|`s6E3cCv?5icx^F_uXc)bU0ylm&qV74M_LhJ~u2?hNhI+ z{Cp(SVPuHwF*+NC3O>}Po*i;Sn^WxLC11{YtWs)ram6$-kx&tpX{|txAJahA^_+uN(Wv0NtVR zT-Kk~fh+H{?^{vm0ctx~YZ`2Ys@%JTW%p^qU;REgT)$5P*YCslQ`=8dsapx*`hD8C zexESh37=>P=j%f!G{3C~i#CGQ^uCS#vKQdiugZt-PM-m43&TK}l`fPW(d@r7JOjr! zTHyFb9UR|?<(2=zH#*_?Moi!6KlnyH!uqg8_dC?_(Dx)w99-V{if8m*81y_!)4REz ziV}PI`UmB$A-0m|^NWcHG?J27>e=H7^{P4HVK<#oz^vkj-O?6Fv0~p$b3Z3qib&Qv z=WPkW?YqQn>`meMj;Wr*F&2b>pNaDE68&Bft+zN+e|g)T90#l0{YXSg{ZM7M-wqj( zU`WWC+fp732K|t%sVCxTC}dh)f6dnf9<0YuPyRWNUeL~-&5sBL+3>~t!{JRZ*Ct*Q zzYz_#wtKYX`4gaOA3vvYT?sr}xujZH5RVR;aG=$TI*2U~PEDEzAl(CP{<0eEl)sp~5AU6N3gSP}fn+X#~RYgDtV?ND;{M&*M|GkBx) z^p7y70qne+w!1^i9^H|MwrpqDg*_LasmD67!Me^=@u)vD$W1PGO;~Fn@6%aFPrYLV z>*Mrg=o~vd6|Qu=oXSXezkmA?bol%NH9o%}i_b4m!Qc4>T6}(iitv4kXuspXZC?;? z{XzP(Gpc`@$|pUA@nxy>>z%YU1HP2A-|w_JBSY)6sdusZF}09K%-R^H7xes#O&?Vo zntWzm-n#o3Jon7vUGu636(NeO@VjSG2TA*$Nr`G06BxXFTDuXNr;i4n@W}#~VzSq! znNetP$c{vCBN#muOKto;l>yS%SHz?v52COY!OdS1A?UZ_mD7-H1r&TVQWt2HK}Iz` z{6e}V2tVR2u_&#M+JvVvW~n0}6uCmnBkmMmEF z4acu>$U^51ny*uLrGaJ_Grtg-6H?3RZ+rO&%cCw{VLZR61y8=Mm6BomUfP#+2mLmL zVdHjso^%~hd)m{HUlfdp&PQ+Px+%1XYJf`NC3XDS%IP(Xh{D~Bwm3+itt z9Q$N_Xp*$`OI@ip{K`>_xn5_ALVK2N29yP%t>|Dbn>sDV&--5KB@lu>FEM zjEx75dDhj!sli6Z8X&@5IQd|ShOL3~BMvcJ#_`9xpSp`tsO-b6fcL4q6AG5^y z$24&MF>9QEOatd1)5Q75v~1SaxcBR}(4YmPyW983G~1eRziDDW4=sh3OefP z6j{LCPT>n}GuDu;f8Rhx*c<)j?~;I&1#f<@)8cTe=@LsLnE>dR7m4Z`S)i2^sV{WW zBH*Ra>#J&XfbjVwT5lnW|NmZ-^{D?nLa9`%yM4aULusDlg09GZVAmE=KZ2>Q7yBjd zS|4G+>fessOU$gW!uT$YQ$Yz%Q*v~OHn^h4pNgM2i>g3zeWK^}R~W8t#XXT`!ZaS%N)AkD1MX0K#vz>N8+=0A8m(E zX456lH_}0{o0dUdz8(E~bBa>2uO7}sQ)_7Irvu5{SK;GW{=R%&n3qIo7f=rO@>V48 zgd)hdac-ADZ1LWF0cXi!|I&FN>i>T`KL2a}{QG|YH-CTrd+{Xt zy=(j3%G1cE2wr!dehiCKfN}+w?09E4lzjTZf%Q8wkTPJaQ}Ip_`oivZXj#ia9@jO4 z5>^?ARbyZ=_t!vGX;x>CQpo~C1>(;AA_WejJ7wOz(?s+~{aMdANaF9yzdx`4v)}W7 zk0;Uil(+pleMC?P=-%(D-#_h+ZjA1?x^d0}!ehD5tjQ_E-qa!Q`zP&@Q}>@ql>mEK zr?(LnRW|_H3(pphD@ddE2L@eAQ9p(b%l|MuoXU$%ye|;aPM|~^zf?D}xmD2BckhpE zEd?Sm5K-^PDhN=}t1^m?qzw@FSRdgJuiz%V! z$3D@gZS?T{y|}9O7(0YN-~6mWD~Mzl^Zj+iY5(W!iRz^iwf`F*Sv)@Mczk&A_=w^0 zQN-he=`H=2<4LqXLeySNS^UU(0W7cH*6lJdL<`21EG(_NS>TlSJChVI7GQXIQ*~yH z0d_mH>|`EQ$N511U9XC$KfV{+er&8qA<_|@FW(gnVfESD9ZY4muq5hoD^1J+5cBFC z21!;lzlan$g{=tJ>xiC*z~1i5mv)7MiO0m=TKP;QcFpJDf?XK=4lWaj(2fDI{I)iV z#bCJjWa|^xtvK{|eOc(1doQ-}TMU|KlajJ`$^u94rxW95vY;KWG;WCXAyqn(w$If$ zAR4KN#%oCjk;>!rS3fvI!Esn=JR<)PqLep26%Y^(`hOJK3rWIZ#(MW&V|wCz1%LhF z#r%!_@u2X;TP9r16S>Hl*n7T8g#PVs zP01uYz(ocqATLz&K4SYe1|6`8Bwq@UjO~wlkmL%6-LMDQcO2)`1#Jf z@s~z$_fmVnh#OWH8GU5?IoS@e$X^KrRZ~c7$UeZl-x7${=ZWe^R4ojMhN@X3-qdjF zstgBoSN36&E~X1dXi(TZvM%KIZ2PjG}{ zPkSl^Gxv0{OqQbjA^WIj(b<@;gxO{J<7qJ78mr5!Q-OF#%jpfI0-@W*Yc^(A2(+b= z9Lf@~M#!iAp5mQ<~X?pV!h*c{AM$1=KOfl--W;$(GJ&Vl*aWL z#c_Q`DX>_}c@pg$4JtY=7m{9vg9A^@)sl)h zR_7=(sxei#nQ#O=&Ci{sJ)8wndOQ&-m71Kr@R%G* z%8q=R(M^sr1%HFayaG_Z#-zMO6@V>2Th*ja9@^F9xGtV6MCjPUDl|= zehgzi7D9Y|+p4_eqoAq!LB9zHFM3x)r4R?A;Ff;T?yHq1S};4j|K)-)Y@d8Sxu41q zLNrB~thZSq?a0-LO*^C;|B=&Xj-eDa8fv>s!rvuRO=Vnf)?6g6&N=ar( zLl;^fHSGCOC=L@p_6jBY8lgQuJG@3eh{M_ruK>qnF{sjPwf~E$=ATX## zGWbV0GBr`^U^}OSEH)@JlHCJ<*(UwS`|Xt! zehnXNxl=vw!+0Z12J)^fQexjNM?1rEa6+N==hv6++96Ui_wWN4ABJ3z-BRT%Oh?WA z^ina+VI*dL!Z+na1dxzl@;;5}PrusVA<=fk2cjxIX}7Z_AnC#=&u9E$IDV29$6GSv zcuR2{Z^?k;ExB;KB_l}Jata`FKWMjK;Fs_7gn>)^kEW|*kvESRGl{4tHa8ZsjWawP zy%5;jS*+~^8n=WD-WHpH%rCZ-Zf!$2_SSxSImrPX6B<$f%B%;E*}@OCeR4pruhfl> zPU`~&t!k3#=OB1@79Mwz8bDXc`1_&%hrPcJ>gtRBzF`DKK}11Cl^oE3nW?kDs9IvHGw5)_S6kd1O zJ`>oo2j`e4IZ85#u!C-1dl>AG`0w=D`MxngBL)_WQ8+&)HaTF95HUhR8TNE%9w@-q zAVzM{HEB3{Sj9rTR0(rEbdFTAhk45%-t*{r_f+^n)A=hEXfg&K{A4+66c`H&-fuMc z)BIrU!}y_wfKucuEW2tZ;g6R4r^T7hsln>G(?5Q8>wtM+jb660Aw1o%e#oMr0q>1M z`HCA2LCbG+R{nq)7#|}T*{<w43>)I4t?*mZw>J}Wvt@~L0 z;<5H;VckD4Bvo6kP*p>~()z2zTOH^l*ZFvkraZ`MVL179s|dKRH?Fn!l|u5+ngF-- zRdj>D&UA1l4ZiylvG;VAr zA}Je&c}{-YOesL8bEgzZ(k{VC>K}96zE0?nu6{;#bPj|r@=3q@l7M;tfOWt3cRq7L z#MJ$|Y=2|K|KjPK-xF@o87eM}j^Tjm6dzjRJE9=YnG#ufn+>1O{P+41*8eG1KRB%W zPptinu?^Ga+zRaQ*_oLr;4B-24YDoz1}}jZp{9U3T>xoIdrk_QugI6=+$gDy3po2X?!}>d_=cSnc)by*X%%u--4$`9H{H z-W+nD5?-|PzoZ`!MZ`SQWXV4r;owxCi*dgvdS~Y!+9YQIFDKr1?yepKe)V)3DOjEBLaDZ@$ zYVY^@=AiBJbN1sO1Vv*ZZ4vja(Xj6Gijy`{U~zpIShJhbN+57Fzx zG11?drY$CjbftbpQCk7r_;-AY2<`&GLg>WMF7>^TFm(waOIwCpfx zdHGaGG9BK}P6F>|r-t{llfwJiiQ@h2)bW0Hf|&b-vDO!`_EWEI&BwPdnnQUv=jmfg z#t`;a>=N})b6kIyI#Wl4DX?;%;M*iN0n_~#^q%*J;`yt_FxB)T*cxzJVbS3-dP97F?qT@bpL+=Y_UBUJ`*RP%-~L<@_}ib0^H-6G zvVUXz@BUVQ>m&MjJq9aYkHL-CV{qg37;Jbw1`lTcEUe?fx}Hz49gYJloZp>roPgUeObK}DE+}JSdt4SY!e;Obsh-gQZp0?)*!5iC{TBR>yKq2aTBC=ls(k)_2 zMJk0rs8m@&6W5oFl^^(*cV~dMa%``126MpauT({@>O!zic*P;ecfo zgQMpTaDd=Xz1SNi#>kFKUG~J36qGxytX|DCgxvMTKKDxoK;;zR!ZT%$dO`;mBwrX{ z=1Xf$=-0a8xc6}{cF7*9ibCFAUbR`dI_MlLOsGzf1l~*mJAYdPly-KqHQ7!IK0dl( zVNRorUw=&S>yI*i{ZYcNKPLF~2iFIMQLp7EnR5Pmu_AohKAE>@E{(R?`_u+E5EMFa zH7w*KaFI|{WO|^BhShaz6k4k^ySA=F=b`R0ggthMPWBxcM?m@l?IY5H0b04GcC*VXg=L?I*%< zfBuKx!iwj&XyW-TEO>qk8=l|7j5$AsH9ydjcp_q|KptXW?H`}el7MJhv1eN^6@a`+ z0h);vq0xhboYh(uK2{#MRVeF-nU5qj;xqID9 zixS0ga*6FmilN=`pmrh?MZo&M!1_F~ever7s94wYzxB$0uRs3fum1c08te1Hx?i%J zxcNZxpgH(yf89=4F@WHLDgvVpXGBY?6Jjpwfow%?G;H#kLU#{IT+1FZdkGUaWhIp0;0!)+D*9#cUGf8EU;bx$15 z?=yTaSS<>qYPL3057cn}CvVj<6{Mibeb6XzP7f$qwmCC5<-tMcScqz)F>=zm!(91F z9SSZ=m<$pt!55YF#XX$A@etuh+VuVFJ=1c}EZiMWAx32a#>F)av@b%2T6b3%i0gWG zUAej8=PzZAKf;2T{eKIql#M?T7eoGJ?6c#a3c=M-w=E{^I(omj_guTL2#)ic5!x2y zf>OsSljXHK^tazR3*YaYiSKu=#P>UA;`^P`@cqtZ=;0+=rSCHKuzmNe&$o{@z`JjG zb+I-a-6y#JekH;N1lWYbbg1m$5lQgK33+3DKI*^j|N8gq`!aFN>`Qh>l15!WJ%i10 zeFSb#F1wk*Gp`pt?}jYFt(_@Q6UXPc>gUB=G;NBx{xa5ku-{fS1|;Y-+iC@4f!%!K zNjcLsM7uBXN(gH#P?6V833P@)wl~8msc+$!zb~xkiw61aGQ;PAAZcQE{=*4BkQnmG z{&g!C-Fcm!B_bJ!8~O`2*6QMLeWUw#F3QEZqO|DEy;@2?xYCrB*MB4jbuwL@J>=pK zZB~2h&MO{ZHFV@s-LxkJCPaJ)H}L?)@dLl@UKs*GIqC2ApMi+4-sR4DWDJ)!sI=m^ zbs*M!BFdRZ4?Ip}=;mJ321T`a4*C?FAL$*PpCo~@NaDs_-j_7O@P=th;0n$s*X`>R zqq~VL;(y0~_TEJf(8$Y6FV-;v5#7#Io##5h$k#!;m}`kf3tRbUY^=e0=4ikyg9F-T zxOG3~I4#0D-;_g{Yi2!sk#y<6;rtn0U@ANJHS3WfSj*-#FnSrlya3^T zCj~L{{jk=r-Nvs`hjyug($?L=*)DbDyJ5CX6rc=Wf4nlM8&$@+R|&`r>l>jD-jN)U zhh<>oN>^v;uMR}P;;(6{S_QHCA(EaGxc+W)%9k65+K_RI+0N2l6`bLSZfVc00fvt+ z4k;Sdp~$ayCn_m&LC^l$l~a^A(B==ZeMKb|;Fim~GI;~nA2`ExhP0{zu4FiUu=lh< zEkv`0hmvu=&ha|a-xjS=MeFhGKSvC~CYP>`SwpZzvss~Ls!nGr5OYG+QmIMYJswLp!jL8A>>>Mto@j52(*;* z3Bj2T2(hWi8l-7pUZ4Ly9~PKmD!*`zfe~n_!W{IY)lk}Jrrh?Q3{adm%(=kF44T6M z&9OuDpyMhjFn3J?IlJoccPaX!n^vmzfd!60`=`RX?}q`XcRCu59I-{}!3D<6 zq&{$_SinA_g)a@!MiA8|`KjQs86@e>#SdRF2NLD>H@`A8#}rYJhwmBs20<_^d2qSxNGgh{KR)xkE(@iVrT!FoW(Vr7 zY+?a5aq#1~zJG{aGz@gS-l_0Tz^w0m787zn*DMt6%S?AU$Pj@9%KPJ4c8y`9VRSY+ z#20L)eCU&(cmhrPl~aMfKET`3D*S{)8B$%l>%SjRMslKGgMYLt!Q!f_at2a_nfwQd zeLvOEFbx^+nm;QdlVI|QEeuE22C>_AJ1wZZ>i4AOq5=HD$-v4MS|G?xGkb-i2whg) zcc-u?7jymuD}S=V>CjD)YnRbtpi1D9VlFa0D-kaAAQtu8#U8x)ECs^qqgw^e6oUUj z{c~H9vA801YZx(I3@jwG7sjk)qpq&5$|HX6z$KqNaDLxqurwmte zZOSY$IRXb{aW}PW%U%~6dBgiZs~N#~KAlgJfhjzh)zdY;Y6uLzPrbz@?GRRd+J0a2 zCnx6VK+rLXJnM}jx_RC(Drb%c&VKMzSGi6Nw&t1Zf4I)T4g1{zxiC6NCTVZs`(g}N zr*1WcI^^N}&Cj1NXh{NMt})V=q*q{0YO#=T)E6B+7j*d}xhLwhedk$0Vh0U%ZcqDt z-H^rW7p47LwxD^*V&cY0TZldQjoiMpZEHuNL1Qz1&4!fkbOYss#E|VA-c6p|30n z$4eZL5NfVQ;jh!?)2#AAp(vYyVYL({3-bw^LbiIm`-n?26ogUH@izrxzATV<#zU}6 zWJjK7g0PTxk{^YMSzxr)zw8kd*GD9yL z>0i69^X{oL>_d-7`a5$_TXMx7<*O_R=g~2`am^ma>0TN4oWBAwP5!x(^j09w-S|+6 z`7F9*SGm8Y#Sx;}(`RaiT#<$2>(9d221pCEqv+zpeQUfGQU0iniZOV+EqH>&U;wh9bwTUAI zU1cVj6V7Dtr2fMFp%oI${m4d%{M51sSrBdCt?bni6ZC9b+WfbjCa&HQbCG{Y4SJaz z^M81&Aj5+xx>;u8cLEsKCnHo z!aUL&jvn07z9)Ru5%c`v?!BJ2sv7}PS99Aw9g9U5ThBb{einn{ZVW8-=10R5{nxw} zgqKm{)6MvEk0S8;u7B^x$I1uB`oH+g^OQoKdmE%(<_ah^WZsY;$Cny+ZI1hLI-taM3;ARmG`tV)W2PwJ@8HwSh^+#GE3AUmY858 z%0&i96KXG;57{7YsvIjv9M3qRT}?#!JU8xtRGYGHgzHxldpp{$$qLKOV@bPeV#wL* zkRJC}8qB=Pzxk^&RC?K_s&76K(k-QuoTZ9E_N@m!&t^PC-dU$6HcEl(U-|vnWh>C% zcs+c)7(QMbACK!F{GWJ9e7pfZULGIMhL4xQ$Ftz$Iq~rds40e8XO%t&MMc~RUh9g$ z`GuXVXn36kdnzmW)FNRJG!F!I%h51j{5t5nUM_mDr*mm0Mi8b|)`re7o1y6LZ*WY8 z7qT2yUhOsT1C^RO(G0T&G;Y5cm78OQ^@oM3ht?9%2mJIEUvy*y8yQ=6L=?44(gBjpsiYL$Y4=ou=!4z;j@kl>JdUn%^|5 zT#65ZCjY@X`gKouZT~zpp}-7$%N+WrgnU4ZtuTZ^B&p5^-^3J?wJM7-)62 zp}KOz{JgQ7P~4hAq!$r~I!C{GFU`0Ed9~@jkGOS&{P|L`WVJhFwX59W7~n#iE{rm{ zg~13bj{p&lZ9hG&9Uk5_!P*{%)6y9al(wUr0kYABC1WTwHld zeL*B}?BnrGC&U^iG-Zf8PrjD7HGY_G0(E2+p{D7^Q2G^yyat`nsZm9PyIrPGqzWPr zziXoe-F&~kL`mSNk9^STDg$CJQ#yk<{!!%eo?UjkHVUM;aq`!;EL05ru=W{r22ux? zV5s(k$cETM!nPiu;C_oqYTX~v4O`3 zzZ|DbFFS!*ud+mZh;55E9`rsfh&TUHMK3%U=vQ{LP%d5g#&ER<@Y`v4^z5}_)w4lc$6`iFU%POnUrvCUTH82eAx1AKE(_?#~!cUu+@hcW+MlR z7AKgivB@0xVu07Pnd9|rE_gkgC0@^Fg4eUT;`M9>fYpznGKrO{o>vj58Wo&^S>%EI z&UZewG$}}a8S&wlwmqVg7|EcTWrg6=>iw54Ak6x)QfAwTs@W4Dk)(0W`3NNpv+9IN zj7TIj4w0ZpN9aF;nI~IKM-*k)PGsw4TftcPEHf}La!0=^Eb;^5Y_P}yVEcI zV9$nxr1a1Kzn}Nt`;V~ljq~Vl(2n8y0!E7JjTQF$p@U_eRo8ImUL}3E8lOxR=+1v< zvA|>m{46uN>HC!7+jOjHakd?ZxJ5t>p+B!nd2G3~Evd41s1Dl?9dMYnJyb&L~b5@ug^4oVdDFy{V z%_~zwOgajk`BKiXc-j~IKOOj3bH^W8)r}*y`+XpVmVo1woIlQ=G4$uwrDP<0+w%7j zFI6aY>Kv=>QU^ZS?pak23;5|<7V#|24?VSs+9)2-0KS-1Ey^Bc%>5UC`Pl#7uQC1r zP6S@L4k14btd2R>;dr_x1Set|q35bxbbLIC#|*)j=uS`X+trJXoasnskBaj zu(eMOG@h{#cQi`%dubIiBJTL=GkXEvRj=m7YKFr%(P8zZ;uyf{FW{j@mdK~Xj=XZd zi@sPkMh6wMe$A+fqpydx?an%z!;Mc3+a`>v=+IbpGfks09IMAA0n(d+Gw$=bFQ*$I z;&48JL&G%s)kQ*Wzt9PtBy=YPN}7RTokjfBoeo$j-}iO$k|8u?={)_|s|oxAkA!OV z1JRL>X6$|63}L%j`W4eD9k?Oe=)LT2g8BJl_3Odv&-k0xF)0!^&o0UFcV3ov2T%FT zv?q!MNa(lfxDHNlBOgBhhknKvJeQNs4@QP!UVmKd$AUKQwn1UleATZbRdCA2H#5@e z87imx@Je8%1<2o;-}TO~h5cya(4mc5P>#Dkcm|h$`Er$5jPo4>d?|TAUQfdccHLE% zBCADE@~mB&_aGCFZ+pi0&E0eeizy~rnLz*v0C$cUB# z^YyW=S7N0^qjdXYVa2CkC+MyRxXMvqdGHapU%me|;Y)Kk?8|7+&|-@~M=HlPBFZB$ zf4?#dZW*48G0^Eo{g4J%S7EQt(m2p`0oqp@^QhRO;lTycE=J2Vv?f`6?{h{Nn6(+i z#Z)l^X=|#IcsCyxP3bvU*z6IY-5pZuF3KL2Kn z&%X)d^Kabv{2MPm|Hk!y$QSx|9ud~@=YE%pZ!eNWp{KJbE)GkA_YkB1?Otg_LT(JsqknG{)&X&lld%TTsvEkw=p)z_QiB7oXR=1VC<6evDe za$bvxfzyY&y*Q1r`|DA=me)FK1t8Cf`d$jT1hk^eoc2j?w&x~$$dlVKCxP+%OVQ5w z5RkvAJCv{$g4b7Tp>d6fmP!JY+HZ&^_A~80}uC_Q%lvxHr;W;gY zwSJWQa^S)X+!Qa)KQ0QCC>^&)K1SCHM45a^yYj!rFI4Na~pU4Nh?KX7sV;$RdX=!Z?X1+vjc>UP}2PEassN#AJL3BOQS+bPKN7}6u@Zzk-VVcBxu^zz2v`0iFy2gd23vF z-XkZT_o$EOJ+k6?k6d`(BRgQtXJUO{SmXb<^Wr`#Zh!6hi1UH&UX|P5#|mEG4ag3= zXrVEe8rNe*OrTb;l@jrU6M(qm<7gx^=K9^RRSm)B6Kx2n8MwxkrvgJnyBP!xnh;`G zmg;R|0qG}9L>fF);qjxnB6<#AJfD^UpP!`1=O<6$^OFkr{3H!NKY1K3SDow!q9n*S z4=(J*)w5T(>5Zlo%hAJQQKPbyK@gC=Eb*)=2-Q9QV8C@H^uPWN?h8IaSRO ziMM%*n7+6Jg#EpQ4mP)N>o2q5_Xo2a(xpq9Y(ov4yrV=zQiLi${m z)yly3Fe08JUm2c;Xvvq*8K6HGvg-8PBrxxPZm6l8wxLi#l2mQtoGjwNmT~`K`f)Y1 zdq?NBLXQc=TSr=`)!L%l+N9RRTt=9`uPb&B&MwM!fDDh5VbJYH5FA+e%1qdY+!lTp zdbQm~=a^5G5qY*ia#_r5#Ea`tpq$1z&X)_4E4{QSE@_b2lEq)lj?+VC*%BBeiznA}L{Ma=zof9uio@bYe%&TRq?bXV%He3mb=&TX7 zMTMbqA|Y}~X7XV=&Iz%nzWaah6Ne8HQVy#ns;Kf@ekSYael$2qo6a-M4p@2VSmOtQ ztJI;y7j87`?5Rt+K=8J9-R&4ZAo-L1(||e?MQU}7cHeUW$#fDIY8F?_{c)b-ftfdA z!a@4@Y?CHwe&Zng)o&=_ z^&291{RRp8tKX2v>o;_PbFigklQRJEDwtEpTLl5%_1xYg;?D3hO}F0kOae+e5Rfl> z&j@JwQziFxh2ZtBM0h_A0=ypwE8dS|ujj8H2O-{%W3NY=?I>xtR{*^KX`7WQ?+Zuw z?+#s^%SE%3)wF~UeIP#1R_ce9A1svIfAWFZ2Ub(&`cv=w!cxP4E#dBY$XmG}Yw;=@ zO}~1$^Tho;d^s)7VOQn_R2vI2l2aa-{g@_RC+J#DtDwBF61j>waiE|t$Sl~9f}PVx zVl_Iokpt9Si|mqwX5yQho9s9}-PG@5x*II;iw#3zWPSK_q79ZUazE(PsR1y-I&c*n2?0{omn*sc@elZd;X;{uQaqw z7R6e!wIH9|R8yCywUBf4@wMaAp$G*?iskIKqimkz`y2^t;czTr?ZtUq9-=Q<%U<<&Qrmn@lj*L#bXL^(A@g2s?Cl4_C5s-nOq`%7F|9~j&<`np?INi?hT{-!$@hei2P4Tt<=P?N5`bRzhp0tO z0%DC==~Eg=K%`Rc37l=-K&Qc(-)NBt_vMyhIm;dl9y@wRywybq1N%LnUo?U-y9eS? zedo~FK+31rkp}3+w&}Pfs6Bwq}?`@`^*IFIC^eeF(M%S-ifRsXt9XJDZhHN=;*pW|S#2QzA#jQ36M zh-Fa?P5rTl)sgUH`#-m;xN9q9Tj`_;kA90BB5u(@So1|^3Ed)uo=T$5pY-Clj<}%)rqA!h zy>-#Gfbc?w2i`!tVf=*_>_B)mP;$;m6{SC~Gw&VHgVa~!ap@XLuoE@;t?GaVl&M7; zvk#m{anFThZrG{7l=+h|TBHJvhn8P!Hs3^{BoYdBQ!S{fHD`9_Gfroob&NyHqZYDq z1C96;s=<$Hq=nV}8s>cL!~%yYkwFYl#U1q0MwijA$m&ap39+y{{=2|KJpvZ{#;Ivk zGtucb-B0V&!I*hLG1}?&_1bwzw&kVQK!Pt6a>!}uY6L>mlR1yK+rh9gc~g1#iXT`W z2@LzF7X*LTLjim}ni*e@=Em2fx$yO9S$sX372ItIFV&CW>T`31)cn?>h}ym0mbIP< zVkVZ^rHYwge}N=JzQS>I^UL>Q8EzWP@ww!=*Fri%z*2awkM(yH8kM|6)AKtJB%EkD zWG{HS>iaa*zzpmiMNlK|Z&%9BPx9pgJj)Y3KkwTJX(2HMqkJp`3kMkNH^82yMkI zgW5jGdnpio!`c}tBrPwL45p**92zwx)dV^wJQ8SpamSO7yqA3NiDYF!P}PXa8V=-#@6~ z_Yb)J{QvA9tnvE?4gCH=74!LJc#|#eG?4@>#nPpDatcE~tq+qzxEi|ha4>-JsVb^t zAGUQ-#PJdDA0X;fmV{I$k{?$(jlm~uae{(R2js#Uhg{^Gk%Rwj%|EAY(P!J7Gk(AI z;kV@#V=@YJ%zFFS%(umbx643!#%J;L)!Qh;_jjLjX8}krw&o3C!=9hwj$_yRRQRBc~(9y&IkK?)1I=#R@5sqH_}^p z0hOh`clsfP^M5b-&2jB$5Na9;8lzyxKd1RvZyvMwIb$N_7xPS@H3u_l>MwAa#f4B>UbmyabAK~r`yt@*}~iWyLU3A z-*WV}lsOMp1al4jqnBZ_c8qQQLoQNn^L;vUEeByepJMGV!+L$J`AqGU<8w8l7g0CM zNyDP$K=}OrU~Ftx2PPU^BDxP?E?ZJK*dO*$y|x7T-mqOy$HFK_ySnK?j09@&&^i7ZxHrhd!XwKVz{w zGJ+zHt=TVeJpdW+!*93cdcmwprQ-McC<^llbLtzv3(HN6EvhvJ=yA|NHH!i{6!S@W zU64x>qQ72sq@9QNfc>@~hmU-6mp%lCW ze4OUA3&7QWl_f}_5$&VirlXF}08Yj{$&q5D;E26rI^ALNZ^uQQSKiPG)wMMTb1~@gX=pM$# z!FvVbHkPRvJU^Bkx`tLaKFFUzp`t#1yPkYS3HdWiIAFN zs-!GD`yI`HLR|wkRbK6cv#P@Mm*|`z9RFmbvPrN<$^-4FZaKV&tcCPk*XgW{7Py_j z5pv;c2O6K&oh{4hM5Ir<^ExJ5K*Zv9ySldn(4BoYW;3P?PU*&BM3u~NdYNP2V3IOa zw6ttp2vLS&;d5~|=SV@Yrka#()D9(h$bDlM)PYawPG8?{YJwE&L|E!0CDb;Qv!haB zhV}{`A6I-MjnXRP^nwL7!8d7%fv-gcq5^L{Y87&Y=}#H0_uFHU>!sy;kC(mC?&F)% ze083{uYQ!bwJ$FI_;icDeUyk==)$@^#}SbBAi3Z|#)*O$i3ubYk79nFSp7X0 zsLW8GYBjpA?X}|cJs@pcPy>lO*38>4b)S-9w@(EWqH;NF{fmIlTUqN1Gq+i0V8YsYw$IfOX@Q-gJFE zS|w-J*M3rrYLI5-_DUaW7`!#9o!Jg0-xQmO@7{u0>fO^))!(h6AH_!wsrtYLjVy=I{8Gz7k4;-6;>M*sEqi}m`XE6;?@ zPw;>)**Vo-!m~)-Af_|=r2%>(XGZfm+z{T;cvn&n;rc@kw10V*W(ZImd?NU3HhQsN z$SI$^3YlE}IMl3O2Q|F9cWlP;p!acx`>}{<#B-MLVAR!XFn&3G-^zInL>T$$XeN(5 zoF3z!YT%~^l1`EQg*q8&rw+u7L9W4x zmME*=%v{3J7j96PIy5Kx&Wf)>qJ*U>^T}eSNI=i!~mr|25X@|JU(Y zd0hXuy)Ufe|KI+;{?F#azw0yq&#wRPevyB#|L^0$`o6HvhyQo(_uron*89a8kM;Rr zjmNq^TFahu5BLQ~; zRS|=v#>=^F8mK2|o9FIg0h>Eoez&|C0PB3lI^VGJAO5$`AFTI_mDh?j{=c4Y|MmOA zI^VF?FR;e{*WU})_lx!UW6iH(jmJ8Etnpay_rH$Es&CBOQXL*)4hM53;+aX!AVgF- zw7aJq1WxxPa{MTRAvUY?13z0VD*Uq={8-!%uYdS=|8b(6+ZhkM=+Np`WaJDPH~iU& z4j*_b3@LAfjH+CyQFd_nZFk@SeLF(ujW6=(TTuF)tt6a(4okEQ%>_Z=IIu^pwJZ${ zYda^;hT?n~wENCHE);>M%(-_@MV&**U-#|j88b&E$D`@FT9n|}GK1*6nhVmo7D{t) zNE`_|jt2&6`@?)#>Mi>*GxV~MLZeJs99WY+9MDq1saXKx0i8bo}DKlwb;S2paTo(TcxGgpRF%G81DD(P;Nybt@=zep1NGy*kn)Q{c$v1Vf?4CiX*Q$`K^;#73Tr7jVe#h84bo&bASRTP(}@v7(Fze=`K2tF>%~~df2UYzCXo-v{~cFJ z4|y7byqlh`E>n1elmM%x#XUE$ERv)p6$wL$Aw>?{B9=fv;rk`a1~+5J$BHGk?LgsE zeZbDaP~>u&+hssL4CQ_OW?CoW2){K|BfHP|fJy0X?Ww~`Ky>)j_?2xb5OQ$hKVYd2 zIpharZ*MvvuP4{M7(U5?_HxwAB^ybg^)}CM63_-gcG0J^uC{2Xh)3++c}>u@tvz~{ zR1<<(gi1PZnWD4$yLNX+)L~-!gl+pUFQPvE)!|*T4eWY#du|HFp%VvBf15hw1-4U} z3&#R2z*DJ*nn&If?$+pi5zUH6ssyhWjkw~#w?pyz)FEGF{Zv`~Hk}=CybaDawv9tH z$)?+(5%HMyP7gR-eQ-WalhM^}15-Vc1Ppn8;Lg%}H>fojMhk`%J}4xh&+qJO zf3kUly`8jwuB`>|RZTCaf(c~j9dz5eXAV0Oro}sNEP=0?iTZVm3CNFa0N=$>G^NEj zt-@gqzgWiaKDl}UG0d!Zu9Mlo9b*0yv@vEt_Iy%u;KVfJ)`Utq=GPf zAh7S;B|#t!c`uVKE(GJtg6BD`cwp%iqUZW$gcPV}lmu(}V13JQKtb~ggwLzBY1!2w zhpXCeIB>j@QB;oZI21r>TaB-fW*&q;?4A|+9)qyz+cOs>k4WVgg0Gh6{j*wCh=}BO z?8SsU(0zZOuBbm3;-3DQ5!|gsiJI4~n_q4{Z}lnsI(5`!!dqC3L{iT_(Q1Ssh-lJSs{3qXuSoG>_j_QiO%g={{E< zHxxwAwvpki0u;ts1y*aa@Mehj#}|zOP>wc!^WJz0<+RsvmBtQ2z*@+LyUha-JjrOf zVL64Sta)>4V)~$$B>B<&vIZ!#lRJDevP0A_US+wS)W-Fb+suBEQ-|(7VWfWB6p0gA z3GQ81!OVC1+iz=($Xc_R%{CMve+0LDnj52yZ`58BR~2zOSvPihQze)gp$|NDL>aSw z^2xjQCRST(pfJ^0A1T85^`$QEQ+XbMe%+?8sh78a$dFUMQCybrWI}@@=%x|s_F3O- zoYe=p!tCCUnSzL}*6=a8uOs?4wh}&|YXpe4mzm?5EE<}qs2WPdan*AoU~O0tz3N+Q zbM$gY-6`xYt8^~t%Rq+EF1Z{04i=A{Ei;2jz4fR zljlQ)^?_(!mxRVw*a@~xX&#cQ8Q}CS?`P_rtzgZ(pK21vt!A}xt{eEQg_B|Fh#GlY zqn+i6wPRzJ5d3>Wg)r9?O4N3f7BLS=N*tk?~`F4@0Em%aet&o5X4cgUjb9U^d8@_ z%SDGf6EAP}#iRI+(XoY!SWswHdj2@p9xYE^4VrE?fW^TI0$&wFB=+sC4&!-TAN}F3 zjA&AGh?cSJzGqLQ4g=#gl6js8Oq2&+9kKJ4(NR5YU zX-D%_eWOrV$|+-|99PtPgh!3-zAN;4ob$52=8hPs%a+Q?-68rzYUC4NALLixuuh@x z0w*@^{kRoZ0Cum^azb+NK)r{)e_5;sX$8-k zRbMHGqCdV7nfGyZ(~Fnh=yB%2Xl3~Q;oT~Fua=&w)+47&DGEE1>h$LM#4HJ*;h zKiWjN9(k095VYyHz@wp;;Y-rB$cO&>yHH%4iuRG`bT#iF^@!IU_^Zd}!0WM@ z@p^1=ydGN&ug7M^>#;fE*o$zT3cnSb=Ft zk3Cq2w7$~$W%r-QOCA$axM+g&r|&)H_hTB@r_LW5q&3eA`OIOzo9zT(U0~Q-U!DWr zh&C?tGaI45JT5gnk4qNMAnmZxn+1u>Jn|#zq)O{Pv^5)gPRacwYFQ%105V zyv~_@If%-)p6yyx0qVYUCqalK53u@UVvV;SdPa3pEE9PbjQQnKrNHG|qW7DvOn{+J|}oMuzuiw=zu!Tv5yU(jDq)fWv*s5=OS*a)q~YGkx0ZdTUG2pDQ4a; z)_ek1eT#T<)B5i1rTR))Us!kiy(If0d~h{MK2FiM&1W9;^mhZ9t+0)tw1Fs3oRQ0mBv znU93^d^$ecSU~lG8nXPXH+w%(LC@4c!YemIIpZSiB3?%?4s@RX`Yin zBE|9~>5&QuaGBGFQ6gYryFyb#=z{8gQrlVL&Y_d0bZno=<-tOm|4(+QA}l?%-4GLU z01}mv=iGwU5Z%jYVWs8>{97=8(Hgwu_ zKXZ7Y3?Nd6%AfIyF!AX_>3o_J)RrldacIcF{??yBK{}2p@Qu7Ha3R>!H?fj~rBlxZszo0>uHg^&XnLM%=uI zcp&9z`I|%QzR=$iUy%OQ5)}K7&`+KYf=YqPN9lyAs8ZtY@rL_O;2G^+U7TQ!-w*iU z{e@NV{=!;#e_<`WzpyIaUsxOSc?#?KEAa@Y&5>jkR1$5}t-!?tZ{7v;+`J_W3Eqf! zky;F518H`J^7vrE)4QTgOa^VrBki8&xhahZ7$iB{vw?v&GV=Wm(!mvnwJYwBK06bqWMECjO_Mdx|&kODf zz{TI620t`0gXu!n{*gpFq!eoO-Pw^5wAdEDAEIZ1qg@HB+=`s2^{OFlasLbXr82?& z*IYc2X1dPe_N*(q-!j45cG?}TKF%nq=kWkRhNXUB-~vGfS%uCGwB7%H-{xvEMDLi8lWAN6ijFSDnFuqKHq@E)S=|V= zoGrU^+`t72G@s@3-O)hSd$;NjoU#U&OPlLYIxNuN`#pxgUn%_kQsVFTDE@vK@%MWa zM7E|1{Wds&Ncd8y3k^R)V+19nx#GZly;ZF!Sp!WZd6~$P2!SwPi`{8$cAyjaQhPh! z1B{YC4avQCflma*s~JBW&=*ptSML^;QTh0!W3H1YY_2J;j$I5#G9Gb0D*0wO|6A4D zr@3_CSjcrD18oOHbzNw5e3Vm zQz;wuZLT;@_F?uq|5_JtA!%2o%5np*(h05Eff%&E(mPltCJ?jVDAwnLb-#4q>WyQk zSPINA+s3i**CFu|=G(#n3845p^L6c&Bp8kQT+fN)zgyDo&_z|pVD9h3s(;4HlgAp5 zbv!SRjW815%m&J{4c7Wxt?2jDQ*YxVFGC2&hRnf$EI9svTeEv2n7DY_mOEI42L)ng@mDxRUsN*ZI_QjtL&{9FwR{Grq zmOGalTWN6ojzn^nhsOgzdZ6b()N&Xqd{vYi^u-BtezN^m?Yn2xMR#|1hjdGKO1GpUC8dNSPC-RP zQ4yuY4iGUA6a)3#=kGpW&u~9uydT~%o{u`#*sOc+m2+P6cO6_c_l2SFZFc5$MbKI? z_C(mXAF^(xCCepV1CNYE?$3_BsM_n&rqIm`@J8~}Q3LB+=r0eM5`5Ass!tn{!R$?{ zSKAH}C`dx+$=8Qu@Z9G7W??@C_}Y#r{FXn2dp$8-blxvem4&1W*`kS_M1aQ7f&0RN zu^@Yi34Ar8fc{u|T+&uHVmwYfnNAl2Q3{3kl};jYG^bu`)G#3Gu}y>*9JYUq~)zWhrut1%b12*L?{-1n97@ z_8UWgK(Rr8s@#UrPYt0L50cLVk?;G;hr_MNAl(a97hgehBkQ#M!+l^npZ3;-c?9?V zb^D8vVsNY*+zN4sv~I~p7Ji}Ht_R&AZ-C!|?7b6cN@spN?M&D|x5TR0W?dk5W`fAn zwH>5bgom6NN6=1e{@r5V4lwZwJ~GeR2HlPa^POK`MDENAFFP)^!ocK@DZ4#=F!XfP z{fN*wS`Dn+Djeto=^XakOhUa7p7Yrok&L6-ecp4qiQRyAe>}5?KTE&B3GOHc_1K2R zqM0XCUfjvY2|Ug)!NcT9a5gXZlWRa6diFC!XD!Yj;msfY*^~Tw44EOf0GF{$2uGQ` ze~iQ~S|L(L7LW*XfqicG9C-+wsXe!6wx~y3;o!p44&Bo|FsZ2;f9CZS^qS+vcfaUf zaL*NRJWA6Ig}***DqO#Uf`ibnLHjPi>$mSYprv7yN|+^l%&Z!zIy0Zrf}=eDo&8S`9tlpAunj%pE&Nhiwk%Eb??$d znCqPZS|h4v@+ZS+NapV08O1ix>wZMy%h3wYc(0FJcMl^cE4d7_$EScLk;cko$Ot~a z{lHioHN67vy6U-7(o9iFQt_@dql>XPwwHU4(b7Ubih@FT+WSL46ZQ; zBjc?3MX{L4j$zIJ=X7G7k+Yr zwTI{n*=$Mpy5e!el*$k-z7%(&zt08Ft0OzoD%b!opD_54)M}!i5X35%j2zgKL&jI% zWN79I0Z-CM?I}`Wh*V!``W+XUu=>LwPcT%!`*euSU#0zblIiz z?4gAkXiVBUb~CLMTIXtOsdrAH@fj0;Hbp`yd$WZ_=MixT6ZcduQ4mLa8Sek-ZV`s# zmN%75nMC1-D*Z!?C`B~x6q&Fd%#AyK;_F?s)8V862a-Z>*TyJCMIchpB)+^azzYJs8-L$_;sS|$ zd3kK{q39#;^`R$ETrqx;9_B}8iusYLVt!<5m>-!c=0~Oic>Os3`knpz^YPZNH6^4g zIi|LNd_uPR-JfFMeCZg^WK0)0@(=>8qj9iq^<=Q+U>|bdSk9PmsKo6ThF8xvRW@)} zgfak*>~8&7uI34=AqkHt76YMvlAFuN(Fc|tA_LDYd&1`@W1|7%1?bDxf;*LKC}d<( z2+cHy0`ti`c^yn1psY|_#kcI!@%Xb*)Urpc-}xeJMiZ_}dSmYOy^D((7WXb_2% z1=ap^t9wE+`CJqE{S??wuGFW-n+U$a--WUS3lQFTCf?s`wC9Fw$_Fj5y0-U6a)A{T z@%SS#zq`YuR0DYs3PpV5ZS-{wRKU43@YE}Y6kc6>8+tpF3S5P# zzL#WC!CV>1xt`KPVCQqAwu)2+;qCwb>GpDK=YFW|N`}zG2RJwY+L ze*B=~$zBu0;Hu`8u5Acmfh?wtD-UQdslM*t_2-9o%Y$Y1Qk?(RD*Z#n$ZtB5B zZB+r_EIM|=CQk~yr})ehlEr~mrbCHQUjmM%ReJ_rvqs7r6T4V_rJ#7Hu5QO)61N|p zPyL1Zi36cPK5eK^HD-s%lEPMAwjW2ls=sS{_~L=B#__j6lsh8k6-gVJw#WVaYo{Wk z%Zs_8+)$jxIhG4P{^+jh8RtUfi46k^eS)ZQxFYiqwKyu0W&B>IEDpxuc1K2Ti9(2w zxrKS5Dv&)h>55*|hBx(3+!f{c!0uxh%K4%Q%Uk&tnr~fE{|W~~sI)4`{)w3jvDYB* zP{L%_c~symXJ=pC8D${l%bXT?X@~+3SUm6BFNNEm9j`wTUVmpUlju*+<|7a_+a0sQ z!Z`G_g-Yw-l0WP@EBblvZ2;s)wU3C>`GXw$aWGBs1wX6jxk+MmpddyYd`LPU1P?vG zTNrf;r0;SsZ^YEWzUB|XizYR|!0Y!im2nK+laVgr`?3pNp1)t})W?b}A}%)3%nPHQ zoPIWMEkQU=*E1#S`R6ik9C6--UtAD8?c>4haR#*{T88_ZhJx{guDCyUE3!Q)^5CRt z1AHMJugv3Zfudz+$Cl0#-2BqLKR39j6(mq+X_8&X3^&R@to=T;(g`B!Ya(U|{#o{g zr7`CjCDDLOZfrTJJ^GuElf?8(9GHGd64NhnVEQFaOuxhh^i^{HN{#~H*^*5Zmnnua z1Vz`@-Fd)hru8rd89&^yJy$xfD2LW1C4j}B72;eB6Qa&Yf%=W_jeQ#GsJTHxBDqx@ zj!(Q&LgW(AA+?)-SXLd`h*GCLd7v9r=mT7m9R$mfTB zDMO8`49}9kbiqjETXwlC=dt?hf3L5c6+UJlENuoRIkYpqp!HZy;>WBjz&;VA2EZ% znsu#E8WY^l$LlYNw>{qRfR`VF_k9+cR)m}yHHDh34z{Tg1L(^L-Vwa+fu4Re_>=U` z1O54ye>s}n3^?w4WY@g4!M*+n8W4ccOlDv;w)R>^OA{*9cMdiL*`PBP1IHRO9Z=H} z^NmdsO>i_rn~o<8vHAG#@iDx9E_n4MEIV!2rtYbs8-L2Kp5qgPi}ev4Bug47J7xa| zn|oqF()_3QO}{u4d}d`C_msf>ems)~HH1Ztpx{QyTKrvtl)zlxp4H+B2 z?1u+qH!BQL?M>>D=WXT?-rpWD$(RQ&SKjnkiJSyNQ{fWAOu|#m&>U_BQ z%NAKo-pLkLEWy40;O!6I_Y*)_6wOEQo&8t;ngZX03aSH{Xy=3e&e`>F2w`juR@IDx zLmojNLPa9M>f_xHgQ=NFw7!nWFgF_Gu?S*3mZKPtg%9Jg5P0za@mTmU9*Z%;`+M<@ zpTBx46--Yhjp?bBFg+E*^i;B#p2{6}e}1?056408`^|*Ld4kb@kz{_5pCfE0( zAQ~NLczi(x6>Zey)@z6W-tUF?d_F<9%KRhvFi;%jZV_dog|f>+q{6Zch-|r>jC_M0 zZb`GKA1$VX+c!>qcHfpjfBi$nG5=6z%s-SH^A8op{6h);82|Z)vO%T&9qPux1ULX3 zcTWabp>MybbF^xDk(29h37zHywB&9bH5}ap7pFXh|@7Y;z-2viybikVqMI?*Z}h{ z*2nyd9Wei5L)^Tezw3h;wtlK&>!$^_eyU>Yry90?s$>2CcfKXw{Soi}`**%1VC!=w zwmu)n*5`O^eLjw@ PR=-MvZ`87Aj*+M{s*L_d5Vi;0ipb%QSlaD^#%<8r+ z3`Jz>N!Oc8lb}=dq32gZhCnC$D)WiNFywBb>oSxbglZHszxWRNBj?#|&c@{;VEOJ8 zeSR$+?OeG|)TA7Ro4;Dm^hY*GN*_+U7+QW^)&gT&$Kn3jAar+FZL%Xm3wD+-Gty`3 z!keeL5`8~4agR^D@s^u=AIZiP>VeR&hVSYZm0U zh3onGda`+-PQ%x3i*5Rdb;hGO|!)zwA>zl%_dH+kFqCQzt0e)P<$Ex2V~Qj)Yb!#!W{ z#uJVo`t^R_emB@}e_&W@S0LJFI-#7q-xobkvSzdCIu3;7re~tCHPqTqjOA9jAT5`+ z(cptJ$SM1a+@E+#Xn*-$WI2%r{Mg=8hscq`=lAa{yTYiU<3PFn+#m()39-3D`;ryJ zJTl3PpQxe!0JFrhXUyRADo{tW>o7Rm6m9vSO~wdUb{8G?_wz+iyo{vsRTG%OJPrry`vlwN9E@<9NkQ;0k3~?&b;x>d&VxXC2{jnqM9A> zJgHC)FbqLL@@davy+cp~3E6|RP$y6lGAJCq?gnBp4LqmG^Pw{P@aF!pJcuq(_$Gg{ z7aiPActbp21np&=dm>Wuz`>Kt&rYZW=-4ZobC+~rG=2QsWk(HQ)vFj{d*g%b$J|MY z3U%P=Z?(h$H4TV3u}{3gMGtEqjkOQQ+E-%jqp|kkSo>I*di<^Uq&DBSIWJqsETCUKR5{lED0rgfagkam@cn z9rHi>_x5=E6DpS-&{a#Q3;sq|v0|fuzVVD}-`GM>?atrvx)Oo6teP6fH6uhEe0x@< zSQYTL$D8l-+eq+h*WiP_Oht75v66`A^Mu6kZa&DXj-9l0_(rrPN! z={vCc#u+@Koa-*^%0|r(s|!kMoPg6Kc;+FSGiY9Ab*!QehM^DF?kWEEz8Z9(u9W6ePbqV3UIAPti|fSJ~~0B zux;=w1id3y^ELinjAmPQW!YQD!2Vm>L2mb=!1Z{@T!nKg?)#%#VJU}gMKW?|Q4NV5 zcLKEp@*@%-a>4D=g_2a|G=MDuir1TMDDpKm^W)btJU=do=zJ^O@qE1Zwg1!Yhb!P@#-DPa zGm1zpJlGgf%4unGfbJf!aY0L4-=|N5cgK%eY;B_%FvRXOq$xdeC_ME zsU`sr(DnSX>-cO4ih9qtICVb)=FgT)@L1&{Y3`2q9>x&>MZzAAnc=|I<@1{3Q#|5( z9OU_})e`MH6cEX@uLSUZFQ0THkvvCJXjC-&!Et0$#jSbGx=G9yoYd_T4mtWE)&~kU zdxJ=T%vdSuK!hpaz3(%u-K;;k=L#xUvPyPJ>;ljDH0?uA%Ya^VpW_1Wd1NT|sImG= zKlD$K3IJu z(pD8VXHrj{;PygIkKP@N^tXj4oOz40y{2GLTSApGVgXGyf+uV)=>aE2KPPU|qws1mU~4c&**6^}elyp@*c0O)S-gqp-XZ-W{<1VA$W*)>$X(I?vhftV(qArx0ScuxzjiTS*P6Ix*$hMa>0g!IK_NtGp0==gW zJmwmRHK?x)l{HhGtcN#S-*_}-nY62yN4zwr<4{@@8dq2W;O;Wx?!H=!BbL6{P=sNw(Hi zj_}rVod6Um6HG1SUhq++**t!T6Y7(KFMd-X zhdk#EBv&a0WXHd=od2qXtTWsfoV2CT$^AnN6e*IhyfK~HJ|GFTiL6K(S6u%1n+I>IhHh`pV~sIy-7s*yPN>o`&Z{ zio6LtcL)|cBS_GZc3hR}K5YW*G#cxg#9A=u`k^?k+ZU1Ch>_YR_#1sYt1uHwh<{K{ zZJiPVHDDK5i}^)}_uh&sTizDk2*&(i9958mq_SffSO4Qv! z$vTz7j_%AJ`H{Mtoe&>Sn9?#)MTsf1pBB8oU*0veS$)Ny3FgMWEz6!^fsZ?~&nTjM)^P? z@={l5B*8yul`Qrf7b6k@WE9<`fC}RL*5cTtuz0dC7Edm(oJed!RCktTlWMN=Z zXX>So2|N>uWLJhPv5`AE(yl!6QBM)BS~D76>qL;4BzjVCRS{H3o?dYwaPZ`0Xvw48 zbP@d*>AvsXM^L=1OHpi%707)uZm?-ngSCY)>l?d`aqE*)jfaEZ?o|YH84L5*UGC_> zep3BIZ{%RdJ8jU;58iu`!WR30>#P1v>bFJ4+7g|6^t zniRSNcYb)!VJ~y^p7NB$JexfdxqF(-N}o=t0dH%b5_$&IL$J+e@} z#*&|KPzKl{dPjLWBta)muCZiB2JrfW=f!V!p8p(#?4p?M&d*z;sTV>v)2E%_v?xzM zZ!s0}xA2fqqjLwM%A}ErH9Nq&Ug6clFYl&Qyq91HWRpIbV($s-L*TOqEA$SaM*byM zK;0Vdt@4cy(b+>7bM&LfVgU%RUePYq&*4kC4unkad(`P>h&n#1eW_dFha@7g$04Dn z(BK`@Z6RTg6w7tDUp>=?K5Ovn9xbSo+fY7Nan(r75haKRARg$G$y%I(l}b)PV^qXRh1Q-m+Exub7v z17pcFEQp=o=j6ocD3rfQ-1_#n7jSl;zOwy09z|Rpf6J8_1V?fxy%MGT-~^{L*)+k= z=km|*Jxh_&P?@*F-Li)VaZ~p=I)gM&)Qlh8ER%seX`)%*{p@HMd7Wk6&?UqjTNRbg z$YXkVRZI^rhUwwOF+IE(riT~7&Fhd>JNd>B;y~QWxP19nG{H`Vb4bXv7IB8$R=Q&n z4L8Cb6pVh0fy@ClzG>oExZSXC^~Yxf;^pRRwMp72{$i236)6H5Q6(KFG9@5kjM`Ip zS0Axl?W9aeRs=mCy-2^a;lQ4GeAn;*p&pcyVK!tl62ug$-tW0kfz+a}G#YFNgQ@xw zU0Zc1*4_ha?}WAY!rEtI?Om|;Zdknc-}z>E{gMnR>a6|mQo{9fmm?-GOCp5^*P;?u zY8X4do#L2E3Pu_ninLyb;7)tg*yK71>>GEfW~U{54?%fb-U@N#@Pfv?@EaA>)P{^M z%o&1faBv8*ggi=^%x7j!kVSacE8<|`q^Y;<=yl)x`nPYcC?To&M1g7(4Baz+rDrCA zg73z-e6+5FuF2?xyi2LL^-Fm3`*{7rwm5b?FMhN}dgctr9ob#c#0SR3k$7YD$dEQP zUD5_#vEI9_ebxdBWZ!M~9U|m4Z`Ti&{UYeVW{)e7mndvH_)FoIpf=6j8YeW zAG)q31r>iPPFpwVfFWgd`ss8z5GoRN4Rba{xlRxIvRvgMbx7OSI4A^7(Dc5KZqY!j zZdnrbBH@t9zyE93i(}x)ckMx;TRd8mV|INdL#R_pV>!HQ;@|Zlc1U5eZy*(#K#3}b4M?~>yq4eUE5$wO_ds(kr9aOuoEm0O(qG#+bp%Kps<4lR` zrPT>@+~X7Pey2#dr1%F5K$XX&kKqy*Se<#&A)zk-h2zzcjs^nID5^7Y^%ys#7Cemj zoMnpb@BdzphWC7;V;jpfi~>;Txt!pyJ+@#R8{T@M(jWC0?jC%BY~gm!-3V!EJ7~A- zK)WRDapzC*#vlIbk^WtuhWGqa9O(T{mT*5;Ejqw2>!Oar%u%PcRt!Gc z|BlF)76`i4m@N9jrj~+OJV)_MZUe*94 z@X)w;Ld6kMr0E0LR7_!?fBJzpv4N;-;P>dE3mWK5$-~Q$r;Om4-K$VP2{Y)n^lsSt zYzPx(HWwO~1|iDEYwbhCGiMxKiM_m?|DWZjz1i0 zD+%*JB8xN6LhmSm;bd)fQnD<}We2nDyPyd&eAx+2!_ttw_Io9-N(Zrw?AB(<^hM(P zgy&yTS%QILW7u~_8Mq<)E$o!tK`8vOm`TCn4tx9qQbxOCU`R}uhvjxJBH7NJteZ}U z6eXV1N3%*H;%vLQMSca6|E=>YlEekF`H#`ij*=3@hjvR36agO#oXJ>Foj(L88#vN6WGScwYI0AK{g3&p0 zCs>YqHj#ha4=JroKjRIz1H8}2+a9l<@8a`)G-X1X;J-cpYGs!^a;N;_S6tX zYM?qWKQ5|_=|M;)>8|d^0-e2X%K*eXzvNDhd!YK&=SDfzJkZY?@3`-c6Zl_C z;PcC}LVIHGw7i#{j5Z$JSXI8#&Z~!@W7Kxw^siI za^cSR{pF2NW4sY^j5i{M@kYon-Ut=O8zIB?QxlB0b`;~S31GZ60gSiCjq%n5;lnAe zBgxye;PypbZ^xS!PBlz1-}X{K)pC4nU2;^w?)HYfs)G*nT-zRrc;mt2 zentc)n}!%0iFrZO$UrSBMk;*HB?&UHe(<+j6^$Al_~j1!pMPUZ;w z3LaOQs=(FP0mrDaRbhF*O@U3G5u#h!0e73*q&%g76ER{ZPp9*zBIa{k~Dd$Z=XYk9RMQ3X` z$WG38h?x(4mFf7Z{o5Ip`8e1~N?QS5zNjgCWElsABpR<t~$`f43DVZJB5>J!{%C*snFm4tz~JIC z)d3iKbkS)02tCX_ccyt7vLANIj0J36CjrCr7jIY{kU+~7d2a(1^w4!r;^&$tRbiKb z?|b5MO;j{h?def>Nku%FsZoVj9rjheO&si10n>mDfn9;}h;_p6r0fbOw7FPhPizW6 zuTj*IecMtfW!k1M?I16q?x_9qcnKc}oUpgcU{?pm`xYHPqPgJI6$<^E@>Xc;`C{*j zT04|Sd@xY?z7g0|Z)YBsFonAtJw_@`_Ne{rV=+NyJ7ld(aO&l?f&q`a->;OJ1G}Vb zIE92XimUdt?r%23eSV9T?7i|sW)MDJXrp!NGm}*TEZIC_ZP?(iPNy~ei4?R_e*=slaZZM+{W4a&OyA9B-M~al^IGqq8T}%CVRse-YZ}~Df z5x(y&zghTQ3lyj4?S7p{7ZmojN7@hQfke)w(eW^IM77x`#_>!U_xmqj zIq#tPApjK`Rp!{3s{^ttWGc6{;j+B`>ID)Fc*QKjdTT(3z#-9B5E1o6 z3uVU&?95^jtL4eG5-~T}c^8nw_|gS#HkUl6%JhIPz7UQnH5crB_3!K3+e61HjfT|W zURBR^jxZG{k}|0K6HnccMbKJ68u;Db9Ld{#Su!Oi@M^f|+l%;g z!S11GSF~^_THiEtWGDRp?l!}V-Ho~sla-$PVbmCRy)EAJ#t%`p`_hXch_pJ|NKe%Z zCKM}$8KX^Mj-SEHb}S5a1U9-){PKnzXWjkRy8LnTaPaCOi_T~qqiy0tc8o*MU$Tn= z(~Zmap{|Os*gWiHNTH6NT_I2B77{`ZenCwnX`+CaC+y*>9)Bz@2S^KVYM9j*ps!!G zXT;y80^6WC2#qE}oUvJ3CvQITOMNJ48BlQapZH_w(O$Iy230rs zV9Y$V<`9e?sF{r4()I+EWG|l}J_65S;q|gypgWu;qcx*ctV1*=sb{E033@o;1=s8B zb*La~BJHYR5#-$-aoHg&fR^;Eu4@DywT#rOXSYAuAVr2y$_igmc+Yz^FrrZsEW;W_ zT6-kn-67^1ab{v*wYi(I+gu8UUdV5`Sw|wN0}hp0Jieeh)O96yGZGbzD{8QM1i~lA zLZ{mSen3<~zI$-W58O#6-DU2TqWY`{_3r{R!D#cEAGdoMa%V#Zk{BOJ6xc&+s&wTeP*gqYS$^RL@^4=FhfH}v z%o@FnG@S>W`egWX$s-co)+*n+c*+wb)3?s}{H%l1Y7=7(165Eik-8|N(FLDhX&+%V zEQemxisuoWr9e_b#S-!W&`tZ+U0?4I_)@JCE&LUlFiHHoa94*O#F*9R9CNgV0$NMS z4u37UHTA6K2yY0=Q6k!D-LDR`C_%=u z^rV`#DQeZ%O}`rF1PbHnVmtKl;KaUHyn8(b@*?)cyh+T44h?~#IraqTWj5YB|B9dw zz{y+q%YU}S_|GO7|2YcdKbvFxXJd^2jK3ZypMCo2Px=Y)&de>-b~*#0HoH7x6RV-C z)TDFudLR7$?U(Ej--F)Mn(XPBy@$9OXRC>>YQfK;f?S?h5S*{3RNF_F$?0 zSuNwXJG|whte#O-hG6NE*BXX)5HA&MzKf9WTI7z6;vHv$)f-Hh;C43&zJHzrC4Mt00*z@7y?px8V?5 z+zfCdI<4*MA8rVV*!OK|njPfBnrXI|8KHbxS|&4qkT1g7pTF%Du>Q+p{nx*h9%)9VBD(5_#P;U0#Zt(?A(s0pW%+i%@yRXrg@g^te||y$RapTyozaVr_ru`N?pbpk zjuLc~F>OdAER>+z80PXz428x5XC$HK3WGi-|z6YkIk2aK|-DQvpVSx!_L{u zJ5{H0j;!*cq&wbL%9Pw-Q_^O6?9b9=gO*Cq1HSwS?|ypN{@IIKDpRy&9XMe>Ws4Rr zUK!mJWB?@R10L(B8iL~UYed9+`VeNFkoufN7x((3d$YqcvBwqMN~?>emfcaU{Aj1o zs55i~-6iG}a0XSK0hg+qL4KifYz-Yl){fXEj*Uuu|7!QwmlT#xKa=wvfZ(y~J*YHl~2Dbzg!)CEcswR26_ zdai--bHp)zjt0ih5y$vB5*R;65}Pmo&gTykr0BZ#vls<_Ok6jJ$^=_tHZ>`NemqO{ zopw`h2J}7raAV+dCV+5}a=mReN=o6RH)X6uNl#9ygc5Y+2AS@@4uhqH`y=-mN#inj zk)p*ve!B!X=%?tIbc%7uTcmrASX+DNL(fE@p&)f8f$wObr-(|?IMX%$M<;912LINi z=i4l(IFkKwmMs@d)y^$4HCaG1S-O0ZZPjJ z-tg{H7{beg`kN1R#`2+>SU%JS%ZKV>`A}CZAF7AjzviB`{42g}T_7TU{k|hf9TLyU ztybOAhD@VpX*Z*EfJEc`lbvZzfFJxO%7i?|Up>aZ>nr~1g(NY4rXa@8w88k95*R;I z6ys+~!QcC=6Lz1q#qP5y*nQRsyU*HU_gQDa>-YEM{hO<0e5?TdAH*X?4?{)Kqn!As zs%Ry6F?jzD1FX7mhFp? z^PhOZZ+j2VyF?w(6ySZv33cl8g9K0 z^qE9@>=*OQOD%T14e;cg-^0;}ec>P51w#Ta{VJaxrMO5?FDG*(1p6B*ygZlS@21nJMyg$ZrOe4ex4sfb5sZg4uxi#U5-Z>xK{(5;VoC9|=f}oei*^6|b80G4OzFfW* z3e&ooP8_@;Q2+Fg{NtujFk79yz`36Xt(`9)3=#{24#h-1!&8N5`Q43d}V5tv~7!ob9r{Y`;Dql_w!g!ifU5=H?4Wh=Y~F*bbNpQHpT>YUsN7`_sJA~ z?6G_aGx}ihcA;C2!0lzUuTr*v2pG}WyV!Us1VTxbgiAWZA)U{tl}9)dSkh=eFkB6R zHm(y(+Qa3zpO3dcc+apJv?4s4c`13-u~llk5@nW_xY~ae6h#oiwibi zT(S8=IA8xaUs7<7|G)c@D&|M5iun<%VSdDlm>;n_=0}V_zkv7se7j6k7VJ$GKm8p@-evpl;Hgo;U)B~w1w z!;60JpS8P#&Z}-Foekrw3u1hA zI*h;l?|Ngr`g6Q`4~^p&-fN0zq0DISXwtnzK+=R>7Ts4t3F$VM%hj3mKtdACK5$N);6HKfv=MI_ z?)%zb9-soo1LTEAv=_DLwgf>{Lj3;Zk_bp9J7)Pf^Ah|s3U^hzD4_E$^Tv0!-QdU( z!409Cj^O#Du(UnI3BEW#NcyuKg5<=AZWSK$1h=Gp?+-vQO1nQuU-{Y>V$$Vj3g|rH zB8vCxsqq2gO2;xcKR*~DPFgcz^@JTKt$kLMxd<=|6vyP;y>MIxQp4DKwCd#Hkj#Sz-DA=a=G~zkVaW{je6-qE=jb8HSoEj)R}~~d zVe*R2jvhqTZ?C>BV}ul&T&3|%I{2UINn9{Ji4>+MQNZ*h3YeZm8q<>~!r%2R1Y6(y zvGpw&Ti-&k_01n!--;35^YGjgW25w?CbX`Ud%G#J2qX@qR~pARp{BHR(P^$lAZzKX zc~JWVyv^-(G7TyQ`bP_thi%-@!-3>W6#*u&r?k~vY~2+FoO$ebaK~>K3U*jN-mgR(8b#L=I%42){YH;!LMqJJ9C`C-yaGth4k>xuZbfciTfA4b zn!tCZ@zu}oq3EUP<7lg^-ayJ-<)geOaN~ z)B7e_a5a64g9ilF8k;tS!ngio*JjcX@srVCHhR`bRlqU3YxFqo{Os4PA8!;Q zJkjni2h%d2S;D38TJ&SZ7uCl9abVZ81lHY0YPa01fb2(SOv9=bXUAxW! z>NQ)`wwV7^V_FAxdn6B(jOhS9wR`j@e>)Uv&u7j+(DBObenc}BoQ}%0&&+;H3xgju zb4s^12>#m_QVy(%hJo#wT87n?Fi^P)qRFSj;qUj7#J-m*_PwOA?cHh6I zsRq^ikl*KHrieu3S^YCbb?EM9{~zU)d6jK@E7-|h>7>I#MO zuIowYP-s67YkM$AbLI1&I?N86EUpdb3R%JAyuV7chdM#0rSz^=iV;{`rH!939fkOr zu;cL^jJU@?-t*q`Dr)ZTK~ZR3>b47zc0>BsLq$FZ%~6uRT!Pw#Fv!zt4~xF12gH(O zwFW(6X#c02lM>y*XsyS!eZQnFvK)9Be1DM_eDB?;(D(O;<@Q&K%0D8|+nKx1a|!+g zc*g@%+t>PN8)Kw5O!_6#L?3Ej^>YzlQ-=6An=T7v)<~_h4a%DN!O7wL5rZ6Epx_q1 zh_=hnp3^qRy2y+SdggYb(pJ50rzOY^yZl$CO~B)i5&NLIF1~RKEXD zR;#%alxkm2Q{HC+@J+KMX~YVM=Fga{)D!$ptVusrZd!t%r`yA3i3D_G|6z5(pFU9i zq=|efo1k;pBX!W1%nv-*IexDFa6ze$a}!26^w3uk`dTJSCtw(p*PrYTg909&8j(Am zkmfGye!V^f?)YkSw=zeA)aBDg@WK=7eSejmX(>UM@>oW31%szy+REg)Fx>Uyc>RlCl1skHBTfOO%5UzW{DnyQtwi;& zoJ!EAyiomniJ-%!+AtvhnTE8QP-wu5M!@UuvnIhGd3Tx%rZX~ZEKca7q>yc-{D~b# z9~7ildvik4#q5){UzK3G=-@Uz86)83+w-lF$9u4v!poJ1w>tP`L1B+`gUvT%I7VaS z;vqor(>3(Xp7PX!&4&xk3_3yRwMF`iYeYT};CV(PcPAWOHYr#azU2k-+P~I>&v?Mk zc9tdE$5BYZ_6W}{au0a_V}=Z_(>_Y}MiBX9EokpO zUZiYsLw-X?3HSZ+gr`1(L#7>g6xDZYUQ9)P_x44SzjT5zTA7-!t&!k&+~Ak{Yz*o# zs*`IX`19gD55GFQb^R`-CPcX$Lw7za0e_J38CS41Dew+SvMStrsOp508`>45VBM?+2qH=@P>+qPd9TcK}N za4xyh5B4)YV{rfE1?QG$E@}MmMJmVcxPOdwM`)ReNV_5e-D~bEk7f+PU7t8S>G3nN zMj3wpnmcS(=82^H<9=TflmMYE-lYl;IT(0$oAa2DG9-SyM_YBBz(?Jm8LU*}k8Dg# zbp5GKK`-(x_ls%=;AmRgd(xBxu{>%t3y-#gE5{ekGJ0Ee-=Od_xw@d{D_Cj4Rdtw zxNVL2OD!1JcYIx9ZG$v3KZNP}+QNcGcoqq#E#eEieqr^C6-ZO+N<>u2p^dGzV-XcP zFuhfz!r~W{O^e%xeeBlEVpFe247blK*Yh841^ zti3fBNVuik{Wq}+q#q5{$~(&fLA6oZY7Y?Ze6HRhskgeO$Iz@;atJ+(6)epQjxmxr zz>lo!;}r(3$bBnTOQyjTxGr{z*3H{O{lcjt-%)WS8q)E6h~Ovwdl#yxup<2Xz{XiC zW-i#stz9M$=K_U5pMsEzLoj`eEb=7BIV2J-RK_V951wD`BTkDH!{cEEb^VombbRQW z`*KbPTqGhF9Zs*o_`p6GAJ_xq17~4;U>}SR?1Axt{jl@!zt{K0G-O}5_ESTRPM4He zO2yz0S7+_htlj8N!+QUNAz7GsXJzgzE&(!qZ)M!mWzgZ+It~kUGa%sJ?lvnKK#3I% zW5}{A5_#~@dcn~Z?OYHpWOO%%SEickHzmxme5(aDqjWwSxiWhRcso17`>S30pgpFKfx7zlQs5< z8fBs8KQ$$Hl;Xfd(UW*VCj#a;p9c9T)S!<~##di&c*7V2ON~%O6x_K*w7oV==+A0O zc-TID5UZYb?-W#r?b7?PZ1)3^&11F?nHvN@X4c!=ZgE;b67O<_+(r)$zcqbuuic5@ z2R62x^hydMX!mi0u=jtNOtEG>+6 zY68t*x;$ePAs=LQ@{7oMP1IW6Sraa-0qQI)YUe(Rquf!omm9XGQ1#~IwcmC+pvqvm zz?dnI5{Z{`*2#SlUk@J>Cyz7k`&|N^?&*vJu1FX47qkU=qE2haHy6%W!Y6XWi??H} zK&wKM$&k_#_DmU+HZGb&{I%ILAKvIeiI0d!ovIaDJk!7_>#GI4)g7gt#=0Q8FK+(< zV|{e8uQ{q*LlgIYB$8p{tawZf7-Pcx)h*%r040yft%BFca1Lnz|2A4ZjBf4Mv=a6wK z{C&PS_Ixhv`GVN3m4gRdVawrEe`tUQP;yXjYS0A1#G<>h5=%DX_?@+{dx#J>_E@v7 zh;#$1nTxz5T;XW>UD4bTLY-}Xn%h{wsZey8jje6)svDGPwn*uxJHxC;=JW!CEAILW zym}jRdh6ktAEzN`BIdZbQxiP(T;B-nYKEsQ-CTFm&OklWr|yc(M(F>4XnX6gD!=Fd z8xfQ+=$7tAIyc?jDcvHCbV!RRAPv$W3K*n-Fp46jfFPnE3MvLDA&6jcpZo3k176p6 zt8q;M)#7lR|EH%OMd)KIB# zerJ!P9QY9}>xnFgfy0!AO7pxjX1<4vMI!|xg90x9m*4S_45y!XEZ%@tUkeTo)X6;J zHbaby2e|F@G|{c~W2-!cE-?NixIKAN6ES?C?I7Y|g&bvXtD9r&P#Uw!Ei29r)K6G5 zgl@9|A-DE2;$s8j2j-jHiKggB{;3-NvwXm~L09UH)3Mtk#Bm$A1#rJhlXmCx!K$X| zac5keXq;W1I_vQZ@M$qOMsPb9)uC$>B10L#R!MS|i#P+WG5&Zg|GNM!U01jgcRmxc z&suyrx$c0jyiDLZ`BWF~DE4aCSs4RQ-1Y4zI1ZJb#r1^oeLbKMa0&Y{VhUJ!vsmj( z8(7)?L?6>Z(k#6LU#fiJ@4T|l`f(!|YHPHMe;S2yw&oAL)bR!`z3)EXaNIMj?@vdg zVSkOH8@fN_mZfmB7=D;GCaKU=gI=V-pXreAc`LZdrRp&qN2*Gik9jaUDe;dGOQRWL}rDhObzR4}jX^go(Hbrl?!6<+qv0F{@ zJ0Cp>y*Wo*z+kR;7$`__YelJKGc0VS%?F|JQ(#{-rDsXu~ed6@|B+#C4e>2p4 z4UH=!{m()TKr~f9soT+tIBeL;*F&rD^Z)PslaJxuQ-{_pPy*9$rF%GCQYFsr-76w>%Im0AX@)soW&fjfbyjV zA2ZmBf`>DgjX=Xxh+JvG3yHG@J05*)3In$%b~0Uz(4$X3ZoY3ZfI;P4?u|Tmff={zog@IjH-JVyj0D|@3Bx#KV||PMx869BTg{# z@{?$fHcpp&YNYOFy*jkojm6s4r@(JMx-Sl6xyakHk%VRaB6Q9%%NCEvqRqD@g^~Q` zATKdW`_9M)`q%i>D@HE@w@>BQ3ept#`0QDxd8;=fpZ;woQIP<*f^WKVT`WTieiIF~ zof@c=%FE&Hq9jmNFISRI$b%(~Xv`~NEwrNhnJG_78af~U`dZi~h1oyfJM+T)=J|p5 z%Hc{&=^QZW=6(3$S1u42dlu47RiRT#=Xbif=cq*E5h6ZDrQ+!M3}Qe26Z(wHj}vM@V~ z%PxTb*bHU0iYw6j-4NM+=8dx4mD|d5wLz2mDf0KhaWQSoc?t*2P`}U6%S>GT>om8C zV((dP=-?wDZnZN;W;N=XRk1i7iT~-#|M&U_)fDn`N{Odo^4M#Fouk2M_L13s#TgD1 zZPz#5#C{qYewG}1#vF*)n3^g>kGny*y`biDbu=uzrWNNC0w9ypZhTwT?NAG8CuvnO1TiaU)W8Mz_Eag2|$ zP#HmwDbaKC7f#41aoMzN;*ZK3ijsQ=5DmJwcC>mv=Qtwwcy(ZRP6>8w?{A%v)kaxI zhT6^(DB-m1{(oK>PM_(2yfSw@uS^}!D^tMp%9QZDGI`AXl32elLCb5$h0~qTBmd6sbGYyLfuXDhkwYCd1Wo96{bZO;P)@elW$0)Nt^D-P=@LBxMcNrzQ z?^=fJh9F+iTQ5FGsH00KcP|fGNWf(Ec^V^TF)-OGwp~?9Kz}nuJ1>dl0lO|wWvz7$ z8lq;t^jNSKn3uzEUYslkkLFa}#*G$)^}JTyEdKtB2sa$w@4c*;$pYom5|8-#x!~ya z_8Xak+>m@wp-k>0j`#3O^7Z5yEwq}O_=gHPp+84AE#Eq5Lf1%AZBUsrBB&)6WISdD zBB3jhtb*!r=1Ax}r!sT+eJjAPB?PxFioE2y8vWqYTe^jzcnfIm{kp1C9E9!<2j%9{ zT7$`=9F0k(Cpwhe!TR$DuFvX2AP=Dh6{1ZWEGNeCP6*xN?{7V(11HtD7f)wVBR}a} zPvu57%sk$G0@b7SM2TpI?t#J3z8k!!Je%`76j%RBZW((j9``?eQW%|>^#sVBR{z>- zjj-0U{mX~5LeKEp_InjU6eShj8+e2rGS-UAjMUybHXsX{0<6{D>^)1Fd zDa=1{`dvnMuXc~)`ujMW0}JALouG$HX6Ry=4{|TiDT{w%2`@c~&Udcc!r8L8eCmB8 zsM;&hR4>Qn*CReJi_^QpuHV@kyq6-;sjFGJ(>7*M|AAM!t=0gr@~mF(-Jr4Gv)2O?ArNA_y|(-vlcRod!AKBexv3g7D`lMm#S_1J4U$!t;XY@w^~z zJTHhAsykS9S{BXVMG+Z++=2$Ycy*2Xeo_cB_|X?*U8x0flg&OtO5mA@^mftq;b)>0sppEu#5=bmUg^SN zvVa$cxcJs4DAPSM5Z5nV9-rAz?}~^9vyXVwxWPqwkK?b^)gg*ze9iumGo<ox1I4OjIjq93G{Z&w314^Wptxtgd8u`+{M1 z*L@{PXCS^s)O%>iAC&U`Fki0mfqE+EJ3O0i@PzZgSib5-#FcL4a-X9N@s$pC>n9|F zcg3OnPkG76zf-qDnKKa}zB5FgAq%$sGN+X|qM?S#;*D;|ZFr%mQ!U!l1UZyVw7TzF z;hBO^>dE(w$m`vrWwlfV9Mzr36?7OtHL(?=NkwwN!kPn)*#$`0rOk5UY!V7C+*z2K z!|@t?PAPC?M8Y`V@eKLS63B97pFchofvD1!Tw75zI_396t(GDd!h@=RMW0fEu%XJ0 z!9E0&g}1rae)+5(L32Y4yYg70P z(6~>nqSp^eNR}EL>wcjG&kN!YM->P_o1ywqp-bvWI!$oHnZ9kO(X3v_*YeQcR(I9%z)U@{41V3kWpPBJkL`uc^!PeEr572SR~?p!{D0`KOI{!Tdu0=BBNkHT`G_tC|!j=mV6tu#1m zyIu}r#8193@E1Y5n&8exa~m2zmMwbwUMjTkdp>LAXh2@7Vw%3+uR0^>+rEi{?eEqT$Lt)*a~|{RUkxM?7+M!0Yg> z&UtGs#7CaOYdfw39~Nw0qBpG|C;sMPgtH9lv!U}M8t;*ih!5E3$;u<)-paN`N#==vg zijYPBm4AzM{7u`Y6>>^xpjD5uKjNo>Mr^;lC}Ed{)Xe=T(_%?DXQ-re zbVdhpoHDqwF(nCxblo}OatuH-lQ>6jWrW>Xn|Kh>`_l71K1FG ze_X?H#IWY;u>N0I$4}hPg~>=E;LcI*Rh|(5;_AH^Y8-F%wR*gi(R)64+DhK|DnJOD zG%e$fMDRhv0{Pc^Ep8amZxV>H<^;l2SLvKJ9b|NHt~JJ-1Crmif4n=*1rARSFf4s! z2dws63(g(7b}0!(XWcMEb^fp}y87Z$Q7{MyWWE`04S*}Vyk4(3lhDFnrn(;$VVL8M z|Lgw?>-&s#{Jg03vayvtl;+U~U()nJzs~TP-23DR%l-+)9`UwN>r7r^IvRkkNmo2< z96;1m1+7@9iiA0@i*~ ztUMD1QPBcvrE1tU8e{c5Sqvoh7E_9xIjA#Z(yF#969o(mxu=ZO!km>uZ=r!DbDuADni+_FEGY268VqBDZ6tJhJLy!W~^^%Qz4radreT>*VI zzX~RfmqFKR-@%lEGWfvAWpvi_3e&XvQ-1eo>tUaO?J)*rlqYFyU(Y%Q$`vR$j!7A6qgIV+vWD!Tsdl{gETV z;NG18Q_%F+H2#Roe};r@4v?suK>jWA$Y>gM#Fy<4+^o zcbatm<&o(4g^rz;Eu6mJR)4us~F+R-Rb3(%cAbEt!4ZrDgEBIyvbJ z`4vbi7TKBWeTe?qKZUoig}3j3x37V>uZy?ug4)BSV|G?8K%(T}qEn{{oCy!24?P`$ zZdWVbE|0VXn&giAp*<$xUaD=MlxzhtJ4YVtZF{1VF}EWhIk-S)!;D0Lmkhcwe3CnO z^Ars6oiO69v4Hg_Y;UyaJQ3FVBCP8L>-oq}h0I;T>u-O*lcepoi8?S{q532gV~40) zPS7;9BlxXq`uGIMLpH-^xmpw%!utLCzaIbZe((&wAKwz+kME7|$G64z;|JmU@$G=M z>BFDzy_tOipIiS*03d*1k0%vwF4adqvAj-L7H<$&*6+{4@6iXiPZV>m>q0CB7P zE_v++D2%d&_Sdcw=6XM@^$A$#^UuB-u$VeX-tDtO?}DFKA2rbc$Kj@UQzH%7?Hdg8 zO0huwas|%?%+&Ba(*HhQH^oy{Jc1Z%dBd-tazg&!GRi___QLIAvp<$ZDE zWMCol!`z(Z0IZ77z7{KdiW2>I?AwiQ16#Xa#ikN2f5Q9yihX!3qO&+hy7spKcqZm{ z>o~@Msp(nymT4D?a#*rhX(>ay2M7We$*v*hoNz~>x0m64aD&|{?jEg*(&1htMrgci#Ol)QwwttuK#@QoE4=v{Ci$n{PR-dpH~k5 zycGE7Wx_u%C6u^-t9~i_2w4ZHY6LfxA`wF)mzwELl=zZt-(klWwlZJHwd~%8-wP|3 zJ~s^F?f-XwV)Z}P@mTBIvD(MlzlL=@*81me`dpi?K2?}%xm17XHN#RnxUVJNHU3&&+sdanVJtlW95M)C;pHL)+LbVHj zJH1O7kbly@Qg=HTx)`UJ{~pLkSnE+w&x+QZ;ns)Rz>a_hT)h%?>wWPUDIPeI^oo}K zxeolcluEfxuLY-=q^#V9d=S=tC9M20;e=h&S5}-z^*I}H-$|UFjY&{?=mAxwE za44O=>5I4u4{S$-c%YjnmiP4hY=DcNn1W5&8vbsYQ9TxNf#+V@)@-=?Gp6nh&#$~G z!1O$MMSd&~coPtT{C6CmimT#W^{vZ@wYWd2ODYVi4EhVajIN^i=aNVyC?5SiWElU# z#}j$(=6Op9U4TNyH`ZF(+-T)Z_+&(63Sx!9(vgC6{C(el*C*Q6jH{pSOGI(ai&?qh zk#Jj-E9hco3hEe8e%$aW8j;15MNs`rh9NUoP9FMHxL4HDlcAmqi^iYBhE95+S=F~? z1xIq>!ZQc5pM7O0#>74D+oA_t3%2gLTbzuzcFk5y*Ykj1tk&mLXC;tY*!_UYNR%_2 z-70ag5yhF)U6wdqg~r%;6B7;dfaf>)fTyk_`b(D7t2Q1OZ8YR#{8F$K5}01c zs)=${C)zYtB{AP0U1C)k@lwx3Jgi|K58?V%6mkX?Y&g%Nze`=a6D`5WKk35m@ZEgy zuc*1yLKukt#m_|0CcP^1^Ut6Dn%B|MX(U9z+PPLcYD@$gXXQur&Kv;6o6(0B%lQ#j zKK!euoBbbJaXi+;%H4q+x$u)d`k3>hVmMwiQW{Eg4!P8g#H8D#!Ug>>t%rn-2&?{D z&cRQQ&1#d-hY%vkqMxq7as5%&(tI%3j~Y3IvPPlc*)1LoWu}%Q~RP((bxtaqe$7>;>vL~fKw!B^w_z8C@* zH1Mvs&GoJ%(5vgq$kR%}3t?YniY{Coz~w{tO&S%znoTzPdu|;1$jq2&@iYLQ$bFI3 zaR`M(*1`|Z)mJB0j@RT4F9>Bs})o$N;6 z@}*G7HKQ*Ql{~=rQ!<{A+6B@*&B$tUJx~ivfE&dp2aqlPaC6<%2?(MGo+OE#L5h;$ zJ?mpuczw_Rt}l$0cP&VlZ|~m03n}f|k{bSkXiffV#+ErZY)ij+(yqr1t2Zao{%T7j zPkRz$!3}1d-mA*aug@BA+>Soh!NC-T)p$+x$EbnfsDN~Mgc_VtC$p0~rHP0tI=D2I zRF3AX)0-FiK^|G8Hy{I4#0LhSlkXG#-#Ry3x~iM0VW#g-ZQo1-G<+k#TZ)Zk61 zHFt>(4N#E3Sk+!qKx7=(d7jZyLZk(uw_*_`oMd8~c^N4Pv9?#NPcM+*>z5?({1yp3 zzeNPkZxO@uTNLs979J2e7ul>B83<0_ysL>v{ZK@S#KFV6K5)8y?;z_lKlr-*$B1(# z481&LA@PaZ11c%jlgUWbz~gYZSIDFWT7Lf1Fd$Y1)+WcLE}c<bWo6ma+Mft@AUddQrL zdiEFrKg@Ylg+I+#LZoSgzJJxYVQg>qwB%ndSeoJ%DXrR5`SGmPRDPNjtQKqA4X+8n zjVW#(`ddN>MLt%`o8tvFxo3TC&V2A@S7$V(%QS5y-LerA$!Jk>Rz)p0CQCFKA^Z2}{t=ev4Y|vm-^7;ECT%}QR z(fKc4Oz`9Gc7>KRBM`e^XK+&xMnPYxsj@3*Fxx+~9`L!}B?M)$wa*-!3xr4;>I<q`N@z8K)2eKNd#3B3J7c>5%H`&@YY z1klUbO6_{u2t>%n4(X6up;ocEKKTe;aGH(`6tmNVO2?_&O6=w+dq!kY)JX%`ie8#CQs}tTzzpxWAe@Y}b4eYlgUNHf zot0UgDA&B4lECX0{B@8|%qhijY>A(m3D`BE!SO?MmidjC{f~9Ox=1}&b~i{8z6^uu zY`Q9XXW;0)LP4r{bp4;iGG|;z7(Z#aJfD?sIY}7VFBX1TDt$E}0+AzNV z|JUQO#t#YC$Nd6NX`_j$9l9|JB{&5An}WF_;KA{XUbj>et(*)D^Qqv2L+|s1Zyr~G zP)g0y?zuVeG_1h5dmsZ!)b^ZM&fi9{6MVsR0~f&4<#NGWoGt?0aFPZm^#ve$vd6lv z%MKE=3ZduNxKVEy+L+5CfUz@|f6KG5Lgu^J#qZDf(6k)+mnI>0AQiFxb>WK$lFB(d z5J1TX%Ot!a(Z@uP_quvf(k;oUT%Go|Zwmb-HzSZD=bwDL3|rIpS4=)s!$W@J`bTRy=u91${ShuhSmP6{_b*ucr?B3?Xg$52`K^K% zxH$Q2>*KiLY7y~vbCM3q^O4JOy}$)wYOaT_dGLVb_ny3&jZZA+~-X? za|#vzrgNUT_)eQD1-j*Bk{7aerQ~#&K3t7be7={Lp*WlLT#r zp2(u8;?2NLJp8QkvWmgg%dYD_fBT~^3_ZSH@46k2<81jn<)XGrL{FJ=?Ir{{pf$Ih zOWGn93M^@lW~|8~5t^-UG)2~!_cz@M>M(P?BA_v%tU30&5p~H-Fg#T(2E7~eq&^&l zu*f$!V11(zIa$f2nl0pm!rw-@5j9?zb1E?Vz#xa1Hea4Ak>UcOn2(jnh8vbbBb?ku zDN!(U`&sgD%$UEASohoU)r-#rM$AFGwxXW%t2G+Dl*wCK@HRxcM$>LGqHr zhR&97J^GkaJC2iAutrq5b;THhXBF)AqqTugh*BZ#jxW+{lqOx*G(vp|%z26rEiu1u zSl0{I_Xq2F_Md$zeEe*WkDn#*@v{Uze%8mw&;0o3#pzJ|Z+)5I*Ov}{ed*%Ymo#^?7-jztnH;S z=wvVwpSO29c*hoI#KsebOKssct608Mg)F+xB08&o(H!%6zv#nV;Q(a|#GMdGQIu?p z#-(PWwMKNoBJ$!J{)c+NmNc7sky;m~Z13N?SD_8RiZhx9OG^-XZ$ie-m=@1Zh96=0nDrkV+IB=1f4cufPXJtS1dGZh#$EOl^9}`2-EOIZJ z;)!8aYvuKh94RszMZcM{A7@IIT@&nz9rIbpE!Wy zI!v!0&|)^i%m?ns#J1F>f;4(O;Ju5 zA`bl7g@a)+@Q(J$pUQw#OVj;Y(p-pcF7wo^y#oIrL*?!*0XBybjbU=NVr~&_~gvGb<@v zs_>nsD690L5`5eX+?^D*M7N904*%j;ftt6Urb88RoUAiRk!gK6u8`Q~BmWh75HEZ3 ztlEta9Z(|ozdnM%oH=bdNk|S9uaI>H+;Bmq6;D0BIyjo6-gvrk7PA%sB6YGBd_l>^$sX|la3X~JfvVkakj;46%lRwxNKVImVkU;qz zEO%{$tkH6+>Bpbv17Vz|=63Y-IWYGUh&Y*FfR3uXSG`1B0H@^2&onSz2K}2IibRUF zNMJ**dx0Vkvp($B!x7EWTWRo&@~iLR%eg4g?raqUN&|AUkpstnC4)wie*~#$9^yEw z*v>JWjM+cWzrLhcF>Ho|b8pqRas3Ho7o7u2Uf+N{A9HUh>d1R7HmX5!G0G8KDwLY3JRT{Sk(OR9279kNN}WAu^f9 zS!ECkNxw9p!j4|&g=d%htH5}c8qHsR1u#3a$N4Sa20fFzTqEVDh*>Y@7oo^iw|si! z`%+rTO( ziCbs&9Tqy_ym#ed|H}_<=b* z(ETJY2G%g)hwB6%kV1y9>ugSvTSAE5d-lROcO=`nY^du|gg*VQ`*3Bi2;GYn)F>)$ zfS+U`=jK_@p`}HF)Ha%IbblaK@Va6VsLXw2dH*>UY!#0FC_Hb97W8fDMR^>dTZ7%= z!BRAO7d`0G!|e;qDM6KHZ-Y?f3U_gH*-dmSG?Pa^uMA4d+$+BeS3%MTmO&r>TL^p> zZyvc)2W!P9Ilg>VfRzs*G8NGFT`L%wzP(fKbj%0l&QO1fkxhWugu`qP^+VC=I%n>W z{h^S~@;rquHV(PGiLLu#gx=P8Gq?{w ze+xX{Km*S=(8Kc$tnhpTEj-^q6K-B0%u5pzM$;AvH19;upxJX5hnUu_;9=4ImFNq& zy7<|WwBRxs^h!>gqR7=1r|;g|`O-KTSy&ma9!qqG+Q)<`3ukHP2?hNTF8%S?rpXl~3)Kj6KH#_?pBG=%`e=fHRikTjxD#ex z*)>XD(Z{W7&_{H_Y-LOeereMtHQvMJ+o)f6IzDnnTLXbzLQ%4C?Vg4PkBS0}wkV`B{RKr6NCnfS?Ah04R9jdQKf9)#PfmG@Oq=Nc)d|A zyxyoPUT;($uQ%$2nLo4p%t*;BA^{4{^zjAtrl6?{U1Z7Laq#$eZ2Zb{Gz?6zHnv!2 zA`!)*xn~CPpf&iwTIHb#@)vB=p*A%Kj(wHZ$3H{Sy44n)`l#8b6x6=ZqvNZR75+YoVO<7lEQF=fU;k z@0QbH(R5|vfG41kl5>(qIl;kbt+T~1GRG7;AOU&_^^^EI6-stA>Ex2Ty? z;d9r`mtqwM{l!h`_KQYPqR_?lkwF6t$)(-pjdA(i`(mWZ;;b-#x5Dra0Ux?6|MO4D zITp~kcekY0lm#M#CFx>Q!z94ZYx;$@Hu9NP6f?WWGi~&>K(E6FIbnqPX55*0=5CX;Z^7AV0rrc@4@2RF!43f zZKu5sx<2}CeYyDn`QOnrlWIzZmxK~2zm!9e11o9j5gBb*OO4`x;ui@~@nl8cgwG%~ zJ(ZJm?{GY}O<}!j9r{SpLCl?hLLEdnX?~B~QUGSVovU02ypUp_oKM9!HMr=(n6&p- z1#}gveEkopf?!s`pH0skboKb(nqG-w=(2F#*Jh{$@hl?#>xXV3=2vI-X>jkYb6Fgb z7TYDv{rgz!jkl(#{$3f4fidSn+7gWdcwQYa*fm-S@n;uuhZ<@Tg=xsejT@Ii!OeE) zomD*wjrS&-Nw9`=VaG}nZcn5h?04~iqC5zZWF?5+utycbwv2B&)X?U8vL70_eZHZ$ zbODERLCaWKO>#SrTSUUdX$fz!gTcaR6W~>IXE2saeO;STj zVsL0^2_*;yTb7ne%b?@-JgQNult45%$|kl$1v-_Vbh7&?Fu$K|rQ5tW(tMC<&4a8& zM1mqII5P5abq$XecsmZh)B{E`S898GZOBO=zxm5g53uqRf(4ZAc0acRQy=A?4vQ-i z4ZVM{^LZOO(OK@}g{uQJk-KSLA9fK@4hUAHm)?OZ+dHx3o=hNct13dY*$C1_xJquQ zTBBbqk@;it4(RGV`tXG^6POulvg2zrg}@_HpW=O$AWAu}mtpA+r*80qcD^W~+#Ncm z6J`2^+(2xT<`a{HE2wbEA4u^)R%cXIVYG`h*eLlvhuDW2AxM`z##PgVb<~i71mroeRD1I3xVEoeZ-3 zjqAPK4Zz2oqeSeXCpsreQlckk3g<5$eLXMh4iC0pq&z$Bg^Y&x>N?Wx;b`8Op|az8 z2q!J{)=@MB@y8ubbt2+}X5nKcLW~}ez;Wf=Y?BTYZV;xUN3J;D7}s!Wv}canM^+oPLSA74wM;NV+l5SLIF;EF8ClgFMM_J(rN)(S6}(TS{$M$<02gBGDN{O7Q=gkIR4PP$Ttb!WkAV|k?g=zDNs|^XJ@5-#x3Q4Gl1 zq0u07re1d|cy))U?x21h2vX^0x#o0$$2+-BVWx5PV5yQgd9WYoZ}F-NZ&d>4O5%qt z(gtKJqgL2yco5Ei{V6!_WNHys0t%wB*f`=*mFF5zu%8_ z{FNe=_p${-z-G7N{U(qH=fCLk*I)I~vHtTC(mNawNRqDomxT`wI%iw6jqqa5m;Rd% zHGcjS`1woW=YJgj&7TTC|Kq@5FWB;i{2b6z<)}pP_=1e1Xj=B4TvU)YcK)q)8vHGM zY2G>OiSFmV8h!f33$=YSXGuOR16GYsn^2ZGu*!H`O!y=Xk!P*C&VH7LLw}Yhj9y8A zxLWssO11;$enzbRJkm%u;$2<_!x0-rg8G^b$zB#x_zB(wATP`rw0BO8gxf*)(!R(R^8G5?uGud>}J3*<(^Uc*#@#}&K7py z)_>N|KL;kQb5YB&zLJKzWC;B5=J0xQ0!VgGsVp4GL;SZzH>q&^&d-V~h4NZZv^Hw> zjo%ev?JvVxpM&-N#QHvbH@^^{m@f&NiF#BQd}Wb#H1n5tUvN5oC89o}HDVB%ip=VU z_0Z!ZW53v3BmnDvg0&wU>+>$Lb`g*KV1_m`+8{q6R>mWs_KEw3KBj@zTH+8P57U%6_v$lF>>FTP(J4C?IIZ{MIR8sV|9) zIp~Oay<_zcB0pj5ZH41{_vz&bkcNT%VGH~5-8@uqmQHnoIT#qTV={_g1jEmp?fhKA zelWd|Vq}lwpcO`!D_1Sb03~a2PVu%p>@glq((N)pZqQg8*CPiv54G;>@Jd62Ovs&! z;xtHo_{p-c#R*j5OxXRom;urEKIU_x;RU0EHSZ5xI)Hv&v>a2rz=`>MhgHw|442IO zU6l|NUG(CaA`$Ms^mXO8uEika{ERH(!3j5LGKw(Ht9JnZBZd0iEiO=0ZuYv(#s~Iu z?O4=xT_C&tZd>h5513PlJ=EbJfl`j`dl24n0U832v2Qgn6e&l@H!KeVHM?9%GTY8cfCxOO_j6k2sJ{I$@(g}&&>c3%l?K-+9= zgP)uWL6GGd^})6#II2l;iV;^o7#PU1L~*bX-+#@4@7I>b_iJJMnoC1Qc_;}s4@{sEwp%7tF3e0dt`ouD3pjW?Kk3t7B`iZ5KqEI!mOKSHS#s@V(dD3*F>HZPzXXGY#``C|19iya09AreKrt9z z5xhY4<|;%gDh8H*F+_*%?%A?8@xuJjc6B2OA6(GRTH2r!0&>46xQm*t{_gid*X&0T z=KG+XyRQk)yO|-iIWOL}n=T+*7=K4Tkre&54@~%S#SO>L*2*?im?C@09?JN2KU8naX?X~zzj15lFpKKAH9Wd^og~o51}Td_+Ln-Y#Gm*7 zJ1^R)xb7~?k}-Ta{z2r%HC-SQB%AYG4n_xl8(On>8UkVO_Ur=+eJKAl&hf?H6o}^v z1p*tip!hSJvjw>u;`jC)8SnB1wFA6FI`UG$wjeQa?2;E6_x8Ga<%b&xH+Z<5dy$J= z{=zG^nGkqYDl)KAmIX7E##)&n7m$q0bRyMOGzerkr)|(A0M>X$JW5|*On@4UD?*|J zn`wY3-6Z5Rt33KP9rVK9g#u&+WhY6>=wQm_L=}T76?82z_SMjz0=Y{bVXwT{QF$^U zxfQ1kYO1=AA9^z$G|PeKmpYJh_GO%2VRKTzpV+=WZScc|^Rs_Jf*+6W7-x%q0^R4#<`3ijGe- zLZYTS^X)+}cj9WykEjqBzH5PY4HMAY?VZo1Z5o*0&nGU5bqbVb&|e|%LRV@7A7U1s zJe2o=sY^r*0j%z*CwuQh44o?+_B|}X=op56uu1X8E%Si2mBb=TCMRg3rnyB4K6t4| zFfw6gh^lv=wS}5-!}%HNvZnX^aQ@AwZ%K5)=;;XE?(|L|BCAr}oKAO#GmCW;R~lTQ zGv8rJ-_sciwoe{YJ%Iaet=W7$Y}bky9A#cLj;F&dp{QAxm28mvNJUoYm;(|`w0pI5 zS>WUFx|TUI2fo}rZNjo(20ITP-s71wL~ZAvog*gJMbyXQg&muOz?GxR!FeHTf)Kv?|fmzB@d`nj(TuKo(|U{8_V+(T9Kdufi0(75hR{Yqji3k3$1@cI82Rk_2M5K*V(}f%5%FW z&%gJ8h1)_0Pu5%FbZ_XX?uaq7>N%g2Y?(FcpL z$-O)0p~_R_kLr9Lj*m_BmEAZSVn21f7nI0@J^D~WA6%WoKYdSamwoqD z^i@0;__BSa3X)@mZ(mm}n?pF^I!S^3^G-I*dTOrfZ;>{;jE?ujK{JYx-F|i0Lfg(;_ex^{I;86>8uTe&BaVUrp`eD4XeestIj~N z$NQ^wmjd9L(2>bV90%}Uf69N)H)4JNA3ccNOSEW49ET3hkKQT=t+gRx!M$pjay>Pw zkl2FW-aRjUJGC5awww0&T`K@94;<@#_rLM~y&mA7ey%QxV$7w?!quUk8D14>xrcX$H=gAy<;jO>_BlC^@&f zan-sQN!GDQ75>b?te1NIiN~ukF(IU`EJyp z=N#lk52raEzl4rFU6)X8jfObm%g&D-GBESau<}c_opZx#9E5?ENUz*%njelyK1->^ z-EU9T6-Q()@IdqN^cRMt>d3a3NY(c%AKsrlcz<%?{i%!hCp+Gsf_Q&&z;sUTpL1o_ zuu|eUma=P#>XWDCpNv`|>qeU`LkkNy#&HYmr;N~PGZW@fJ44Vj<-S8bejZVkQHwEN zO@fvQ6=BQQsYuxOU8#WAUll2Smh-K8$)Ln=dTY@r5qeVE6gT}%kuK%9a-SO`ToXCW zy@C^z{*j#C9LvcIzn}e9+W4jkR}ZZ4#){*vJ$2KdLrX97z$D~BPy4p&CpS2lHhrBoW7=YrS>Mt}7u-J$Q+J6Z{2ZJ9>I77u}_g!{v>qsypNN;jBc=rMd$Ebb88=mQle znZ|*tdvJmJ!_oq-ueDo*m41Ce1T<-dhd&G{p(7Fc+8-sk()Nc=Q1I+nGb-NdS z>-$U)Eq!Y4uAwlpPkfU{bB_f~6;I~Y+A~7kkGl;7p9PR$|MuE>XIhB36|ye1OaR`= zg(dYyfBL6KDBu5Z;6wo@gpA`3TuAypM5U; zd50Z;-qFUNci8af9ZvjthxPxFPxasJzk1$!qmsxC{k%7(n(4Gy|L3Q!2rhA)aWLgrtskW%&J27?Xmy*}h(*zrIEr>A3KJpA4o znY@-ZyF{sm`FT^5Iw(2SaD8oz?@n%JnnCAQV?&CmC$ft2?PzN8Kqvh#YjIq*fV0wW zXMa4h0wP)358~VAK(?hnKr}v}BJW#Sh;aF@th>>ZClf5ddX-6~kCz*A=Tt1Dd2l+H z=eo1H)-_S5uUYZoTLx&bo0EvRUJkg1xL1BK$-{~9n`#D>Ct>YLPUphDB$V$Aesnr; z9}!=OX(&lAhv{SqFG9yEcj1ng1ti zZ<7j$HWfbbJ*ovqO>EV0IR(_7^hwi>L>2tBye12ojnMO8X;&-JLDcdzXrG~=8a6Xq zaa4plASbD!3eCs?(m#o=dWp55mVV#5ZK)pYroRgv);EVzg8NY<+m29Qp7~?%vp$;4 z8xOnuP#?|E|NTw5;sh?8jNfNYxgaMtzR2Bu8#u%s?tM1Z7v(;%wvlyrhrgY9!rut3 zU}Ioo`VyfHXpi2#R>kUpu-2Pl?a#t$|6aIP=SJ@-sNZj3`*Oktat-dN22$Yq7J|Jl zPqzjkeUh(*$8mj5w(i$b)5SayR$ehyepeA!I&+eE{5uIH>NvJl;j4RVpe%%5pj_i#wPdJ)v!-@LzHlgc#mZrL+HcL7*6w0&Wi#Ai=cD_ODP=5r`A))#Zps3dO8!6Q z-a8!2_m3Y&2xXR{?3umyIPJan-Ydx_D|=*bB7~5=sZ`z~(a?~Qk|>mv3Z+s!*Yk8g z|9|e^aeSZS`M1vFcHP%~Uf275zF#Y>IjO`Ll7<3ZmZIX}md=YGuWcj1&sfg)HOUnu z!d#|G*%c2d3d0B2i=rSU>oZ^6$3!qW8W-gl9f*2=H7iLqyTVetSHB;Ymq(ba6iupg z8q8SlU0f=5hkN%l_=UQoknX6XUo=-B*oE+z*WL4mz3-F3$xQ_)VI%8O+?hZKZ%W8} zxOp0?Z)iVGs13%|$N$bB_?I_?`6+RkEI0*f!>gkMn)KWHpdv0dIsVcJB;p;?yq&b6 z$SQ}R%-Iet1rYfl^C(a``-`c~Bm^}0Iv+%xt3pR?6XmXajDlYW1U+qO!{ERx0-mL+ zSSUWX#I$(B5apB4OC)T_!`p7J-AhDmZ1G<|Z2s#(zgb-b*yt{C$c=NuZN-FR z3*BO*WQttSBV_fq=gK&B9UgYhF-_-E0Ac( z?0WcK4IHi|`f*pb6Rq^vQ)HKv0ppT1zf9K+cyMsHwHX5hNE+VBwmlgEZf6o}-<4}{ znD$A{O2atP`X#q?n`RJBWasN3T0Z!}_t~?P!yM5`$&g!-2!N12Rb_u7FK|A30au!3 zp&~A_Hh6*;!y%g=exNxGu;G*`+#iYTXM=~5E<}Qz)ZvK-c~t@3*RLx~TY;DB6>)+hf3#eDBuD(!8Mt#jAXw@+ zmh*C7qx1f6Kg6&!>@WG%0#cGlz8~gGMF-E6&VFn=4++0zEI6z45Xo+R|K@l!+-z38 z7r`12No~GcGrd^OHlF#a1#=_*(Q~p$W_CQEe#aUSnU~+UmeGStpW?M_%XFcfrMn^E zDjO=IHIiz1pbatVwIr#58c;N)N9SJR2MOLeqbIae5rv4GKDC-TBGpd1X8Jt>K@nPduw;?2RU9sCJ1MT~&eSFEzQC8}(pNslSTmk}uNpAM$v>ht1jFyn$?IjVcO=Kbjin|0;)ozZ+1!JkN9jRiu>LFUA_vOee&KqF^%#)L zaXwCcpaCL$)=W`!2spV5Pc{&Fp~l|~F1Cl%V9Ju2`y-Vy*ys!YEvQt5S91Y($Mk$a zV*J{nf)dwCj!v6g-yA*Hu8K{kW1KcHYL9zn$07D!pwQ1pYIbGP%R<=m$$X-R0*& z(9hKFVtLaQwGe&PBZm2&g3HsW``5|yIoh7vfo+23RR z<+>_xM`1b7wl8b@?SIms)8W$}_0F2Yx*5w*3R@?{h6!KvNxy^6OpE-OH0y=;`uQ^& zf7;;#k&4%~oI%vEV@Q>&S_?XCRy|KtY9ZIIOjPnsFgh1-IAnaO1wB(C4Z2!g4C38? zj#2njgXb?-da3bBbX&G3o#%!NPH% z+0lK`+*Ww&Q{=k$(;Cbip-^iuNr}`L;HO4G+)Ya$oV{xNzRD8vtSG*gZdrhUhwF5$ z_<2;U*H!r=$P68Mxy8(SHU#DM>t>ifO@^ae{dW!@3qkFgb0EwbkGdQfid^R60bhUS z6!J@N8{K_DqlQ77JT)Ad33F5OXkdAx)3TGPVqQq1QlP1mzzeWs@-YizQ?&Y^&Bpqq zIZU_Do%8qhK*F6CEyi!nK~bf5F&)caRU4EQ)mHI9=JzG0st<2}V7vD+b$?T0;6nko4v}06(tp~$!KRl0 zsiEI2Xyg-Mnm@max;X&d3II4E8HV#``|ti~`1-Bk`+nGWrhawfvmO}S${2W0iTMuL zTIm*n9Xeat{_DeID@0`E9Ke~R4^qBXA4--?!Ob~Xh)Gr-di4Vy-^g@D_P5_i5_~WK z(o5bCq6rN#J=M>CyL-0i+ek@L`wds&i=(4F6`6E3&gfs>B^563@&qpLk_MM|c^H>>$%MM==-uj2rUu5>l& zn`~gap8v5@TOLV26tlMb%>=Zp!>0pZ)1!Lt`w5MCEN~&mGUdunDi}3B?rOA+hWVx- zdy~uJX#Mgn2STA*#5^73vXK=7LmZ2h%1^Vv+vaOywn8n?*WIwH%`5;azhYJk&P(vf zJ5{xG6Z5b8@n*i3r3}ibLw$ID+(BVxM?{Ek1)$rZueQ8$T@YdQv%4nVDiC|RT6FTZ z6Kv9ao$>OqhW?r+$;C-q+Pit!RRt$#gsXh!ubrE$=N#U-3cMPU%w#2UfiGR`}{)wC;2qr~XC^)E0*d;(igq z$=0od?5jlRsZg%cY&0RfV-tM%3lU@U=&#ETUMz_G=;zZ5SA#&I{qyg>Hz7za2f1iV z`9P#Y*N2coPniF4HB?SL7Nv@x*SuBbh4+3t)v-dd)N~Ri#f}Mh;s%xf*Q-pU_0n1 zXlftOw+Hq%p3AqqTp%~3{_>b}AkZ1+ZWFtNKxNOH(+-#pmg<4>hf4>ofjNCUVCqUX z3jNd1Eu4ND?xgT`xCa5r6n!3G-7V5Fuz}^i`>9Z!`s9K4{1#uo zLB}h*j3<}bQIWs~OW!m$zcRYe?njgF@OJr3V`dP<1lmungwIa%G=kbf8NfZ$8++`JNqvo zfJ}3C>{dxR()e|vDVL%abW2a!3EjSe&IKD&@$UDdOc`Hx_JAH}-qHWKpqU6ReApz>3CYP6b$WH+TG;IS@2sOaPM2+IXfDH0AJ|;uHWrmKrhkY^^ zKZ^eGWB+@eGQRmN_~J+S;v?DT%s+{Lu}772aopn1bl|$eO|3dhBj7&Yygkukk95tO z;~wwp0u7%_=+1o;9N&Njwq+Dw7bnS~YY|U6a}LnKd#WQbTQ<~~o_-~6IEW3R_G?~T zyhRP4=AEaG4d_F21_SBvj2@7?IU6k7VSK_j7mq6pYr!i20c)X51K@S7NmvQh!5e?U z_xq-~5jk1$bHM39vnl?179fp(ccGa?0~rk8xH}%h3=7>=qIXHy!TxA!mR>J2sM6O? zeQdJ^Bhrj|e`ZT;4stq7z4Q#)R{P$N>1YN|`1>d*585HdbFYSjbItM2C(0(K+I0>K zM(=~Zo^*WR2Vc^Uu~A8jp!dMNx^mV7M9%9m9%c=JX4!i)8mo=2=Hpj(#R=PI29+!@JHh6jq#qmZ35b%#^n`HRVV(Z{=k zdSv}`^Rzz)ue};D++iVwnI)$qZvuA)38e3w*&h8hXwW+_W=Y0@@V$O~&-?i1sr~Dh z1aSS*DO|s#jO&-Uas84gu3zGTt}joupUs8>OWZxnkcuc|W)!;7H_@(KYr#h96$3Ej-SbZ<7d+2_?dh-ekL8>^ZXl|>twz9%s_9dn;w4b1ng$D zRU1vHAjwx|+!+SPq2mer=-YWVnBf0N5Mp#3o|TqQZ;ctjYsF9J&lBrH`{j?P9(enp zjJGAphel=5Pz3$*;(2|LX0P1MfBFC7@BbZNu-@gW&iu4J_%AQ!GcGS?d+=Xg%=X~F zyqIr;|MFrO@IF8O!!P7<_ysQxzYxIT7s5FFf)|Hh$m6YNWc^f=niSXr)vC2*R!gm* z=k&%rz6dE^sQGxkrB}jh$7^;n=nVU23E-J&xzYAd`C50O>bw6vXX_!Cx(Z zCwm`hr0e?OX~i)K`1kuN;Odtwu6`Ne>X#I*eyQN<7v`5yr6J@VcmT(@A;9r%cyN51 z{lS0w0wNsWW^eGgjat?7S#@aZVa|F)q6m9IigyKUG~kBKn!a|UBr z_?GJEa906`)wURvJ}SFPXRVI5zcHMBUMmJN9zHzEmRLT`BbLzPloJ1Qeb&EuFAHwo z%a5D)vf<{vOt^WkAa34!0vd*rGL}B`K-RIIYXTh-sQ-iZpH@B~nr{ zh?hcfDlr44m7M?c_4v-K)eUG?U3hYk=t4l`7m~-y%StmjGt()M%X>CXtUeYIi?q2M zcwmpF>~fdrigR&%+C&_m)*HvC4aV_l<8XXhUmTw{0_d+DSqxRoMDI3RZ_`dZP$L7H6HI~{i_bl+| zndDOVQ-fNKTS8}oFulbEvaf{_>Ciwv6c$IBfLsb+{>`vY10#}Y-A9}Wh@YX8K$koj ziKgr)3qH&JzxB=BEmA?qtc9OmPb?9A?^EX9yXFlCb0T7go@049{8LLW?L85-l*{vr z*5<)yLukRbbHEo@9Vg9OiQdNCkv;z`0WLpe*zoZ?57)U! zb>u&V;H}rjH?I@l`j|Z}DfK|a8Qwan7QZsIhL`s3MSl|F(e62J8d6$&a3+|!B$8mlHykgK@ zvO2SwK3;e`Zy4dXsDg684!WlJtH6=k(=OC=oS0t<|M53uDu`B=ZodZObH7_L+t@MD z1xHgAfp6rh&^i3a@5ZhbqUNiM<(1WfkKuw+<{xcQ>Ko}xHLQ9NMX$>6pwk~^7aB&) z8oPqo@b%e&kq9^{p zfi$wp=vnj1Of26qI3m|8bt01yn3E^(rAi-zkM}eJtgZz@|Icg2*T&P)n8^T{%n1&6G{y|f5kAowtx_;o=F zU9aIG;`C-i4L4o-9a7m~=Ow+t(`k0p>6E)`8-L;(fwL*YU@Yaig*~_^M5|p_HHXtF?68rUX{!E zNr>Vyzx*eV8#pF@=yTo_L6^4tT_^T1e?IvEQnD~sNH4Ywq3$+CN)g-sS`N;L$&)(m z?t4q?noji|pxZ*;r2RSz^7__-YjJbcSO`B^yqZ z@y(mi=0NB~&f+Vodc5DaN>^zkcOD3!ZPVh8W=m|Y%enJ`QQQrcXGpaXS7LlcJ4(H+ zSrb&}6duEH*$iChw|o5)yg~C;Bcg!YL2@PjT#t5|$VxnUFu}SWVq*b}I zFMJmP=O+uC#tv!VKa@Zn$tH*zoR(Fq#Zxf8^7Av_8!A!DZn8)Dg+RC=GuCkCMIsPK z+U@@RA%k98jx*+wFeBOFyE)&>)nNBgPNRsu0@BfVIeOrz7&Oqtc?L|%gBe#+vga3B zC{q99=!E5*y(0}V);jKt1kWYv`x7d`s8^pNf4&50Z~I+|IWLE|A0U@r=kR*G2Fm;R z^WD}}4d^yK>8zoT=@q3zlo7pc;yz8cLHJJ~@KYi?~D7EZc)O-%q;VVX?(quhCoDEV6Xh0sh|EJshHiFy7w) z^|MhOSZoiLmN&A7y!B_RPZh`kYqSrm1qUHHy|g`*U`c2n_gz&vtd0cUC64U3Nki06 zqNX)%F(7Sxog?I+I5F)GU^dmb6mhmfFh4RE; z`D}pqCT9qmU(cIiQL=@sB-cA<>VnW9D{Eu_h$|FnT#?jEc7o^bsS_`byWovKN~Av8 zyJlDl!;_8k(r)pH-D2_4`Ae>Fi=(0UxvBx^P*iSEq6TzQy~V-lZ4t=Qh^b^+2xI2} znxOA9++Z&p8K(D65K1|s{&cvAz?R5;e`94{SdeU48R0NPOPfDY?#?-Q`C=tPB|RPW zQS|9W6r=*uXw9zqbq<=oRegSPHyyD(7Z2m>w1d4iEyJN`bx8h_G?{Y33MKkS|G33% zg_d|qnT(7yz&BX0^$6AqH=&$QeSc?^8erhi zg{{vGSE1Ig#%(g92lY?*Z-sf*z@IzzqN@4g(2&sjI{$+#ik;~D7sfHa3JK*vE{sAo#pwUkncgqPpk(Fy7A=!*Gq*ot! zTj=PDx8Fk2(eCmb%rAb?$)WXFg$evDA)3m-cz2nr>Lv>-CP+)VdBxv~AO5s#{k<$8 zjaZ}uYUoP@;7j29xa6>;IybAg7R0TNik>__1B!EDv(;a(aOjq#swhf=JANt2X zR02`=RI2<1SJZvRG`46_0UVe8v^82~!O1#r>o1=?w7KrxQ;Jf8iywKe4n$@m(5j zWXS=h$fHc-6+7O18_u1&cXX^#ptVl&iln0swW-7#R}`i|Q+&mM(@;F*cE3NRawY5R(Ry@#QU)K_X@l6B29O4aGW zqON$#(=%6GVWcvqntnS3)9VKJjYPSiU+BA-QP^ zTZkZlg~t=^jSAQZ3wWU24zKzxS_@cJU;RGSj{VL>hpyatPY0AXujrPtXu#=Qw#_gh z9bym*-*V-p#Q4kP;a-PNp)fX50-5*JU@7pITum|wwWmLVMcT%1VQU3EZ($9;0G(FQFkUG#jXZ2+RT=LPJk?O~aw zE$z4{RtM5g`LGQ+;GOqzc3`toIMf+F=ucLZ3#OvKv|cC>%h4&Z3ijCCumh`-(Ts8b zD9EA~R6Jeh0RQ%b0&YLJK2_JcKUKghw7Kwh4!q7Ed+4ND+mZP-ws9Q<6V z4eO1MPqH4>0@>H6STCK%@>OOJWx77`ML}=bC(6w^;C}O6Z<1n0=y)X4$`nTr!xiCa zUore*?OlTHoD&lelDAy`QLTZNVAth`cC7eBJHpr3iq|DIpF1h+sG!WAnt7+!UCUjK}F24jnqRIR=`npkW5tBp>MGM-b+Be%jXbB^aBTZ7tQh?C8 z#8cEL3(Jvl-Kf|yfY6ICueSANAeE3y5{@v&FA`H$WR~{{sMcxiwG`P zi`t+K3)c+VP;K0Kfd;4Vri6d`ZgHHxn-c!%yQ$%yzWXrTWjnsKzl-rp4OoA++>3+v z!s}%}U9%wMLaMc2eF7Ah2ISnnaTct41C}U9uOR9VX1|K5qTuU0i}@-01W>#fp`0I( z1yQV~=UV5|fO?Fq{RLYBO1tx#{ar{6qI4+a+ntVpyR)A==Epby>A}3xk`$4jB zbgO%BFmgM$${aiD3S`B3+9#jc0C`)>nt-+T1Bi}3cU=#FX7l;tB)3%A4yvawP>?Db-{^isX|UyNn#943vhB{CYR|YoWGDO+ymdPqN&|cP>VSq6vhF-1W#n zQLg{xaviYVlwj--#pY6vw~Q#IY7u>4NW!nppgv+bP0en)2$Dv<9Swb_t~i z8zc6Ygrl`Os*n(~FGc6C25&d&uDkk_p_!|<7J|N}LO|F3;oBV1=mS&B5fMm3g7Lc2;w5lMK?+K{vrXkAhg)V8z+r#Jecex!vg zHI|svvBik7Rux$MYxf(|ozc%qMQbljWxG|md*o??itys6i#wXo-MH1QUWGukcW{3x zP8Bqi)Ym&`iXrDv=klqx9PnJ-+wmsON2S~Owgt8qQ4n>}n_!g!uzejK(BmA7^8LKl zWib7XN*)=Xj5C(|6m?A@JzNr^C>^vLE{VbyyS>mXDKU_{J71K2To}r{T0Ev7Uq-Sr zUynX}d<`s>FSsuf1woXcBn>k~A3AnI`dmtK7idiw_WSpB;qYihAsOC27&)M{)jI=j<28Iq-^*RsyR{UktIw?2*7f+$^ViF zYk5Or__LRm-Jb9@W40}S-UEGbG%I>Tz=fm?JhS#O9bp;pkG&wrbR5L};bB=J=+yz@Z*pIV|DmfL0Y3l>10 zk)jfI(G%%aUrnMvD2wRt<(xVA`5eMh=>{LSmch#4$Vhr?Eh4rP)!Y1u`J3vns|l@@ zfjmcls`=|QRIUjUqnr9D*|0QdI7JqCo6g_u@>T#TuW5rZT6s9XzVA}dtB*oy+vslSOD1Jb%ZOm?fw7%YeTdl;&)T!nG>#>J zXYUswu1;y8w~sTxYgc1=xiSwfF)c@lh*zP5M|X63e&)g_)6VCcd5Lg`>Er<;?0Ft^ z7vVo+qJrh=VK1ad67UkTW)Fs8_|%8AhwAwvSWe|x_iN^g5R>RC!ATVkBXwm2#y29N zjgI8KsdW}okN-r+l@$xSvnN9OY zK;_Ftv1Wlc|I={QQgv=K2vKGF$VZ&>M!`(hvv0Z`;Nie!162|`$baO}=u+nev)2t1 zyqxU-U%glvMox_g5W#%7B3p}R8PE$oYoYiU9x!sNXwW_*3F^P^#8cUQRAzDuS=5^o zLFq1}Pafo?Bkpd$b%#DXc&QNQv?A#RrOk_?Qe>VG()N8Nu*U-mB>c9$JTR5){=1cmkq#n;~%<59lcEr!spP(TbP^nWu1!=$KX15=7Mdf0uUbozG~xU#CTmFu_y zXS$L`&_D#5eYHOjE{f%qT}e;3p$&w%7J;)N)aTGgnSjBgt!}{Z$LR=ZX%8Bg_OBE$ zPljD4X40IqSy1C3jb>ttVDFD9Yius)*jB_~?*>VcPe=TIVma`?udAKkG=fmQjPTENHem9s z{^#*7bC3}ABWoGPa?=gAY#n|?;_8bjuD+Pz>Wc=hzNp~piz=?ZD8p1)DN%dG&Y=G= zX+@5TI4VD~a8W9d6H-q2iVjHpQWkhlR31@ zMR9ng7!I!#!{L=uIJ{B>I$B=7nb1`L9pa|cmodj7(u4ZWjxJX3N*|{%=XeU@c^Hg~-br#oWqj z>W;wtjW_cw{)S`u%xAr*LT`$pFs4naS5K6I^N8^(yB_AJW7wnol~)k?s``BUT5pQ* z*~!bOnyHhdp|YgCU~n^MHa$2C5i!+Sx900}YkO0VgXR@$Uce<%j&Q*Z-gK zQU5!C54I#DYscN7hCQtK%C!KOXYi%|hwl{i+G?Vfj&$gca5I^`K5rVw=On1=UU* zaUYI10Xo{!a=I8}NWTy*Nb%MZnY(_EuZhvYTi^6%MxBah+#D9)_SAdTgrcRKnjx_r zOSs-gKk;eK5)QxptjkVo3x1!c);Xee(2eFYs_1lis3M(v?VTtMo;DuUe8UdtVsNL- zR-hD^QaZZ0zmCcivmNdQ0%Ek~!jv3!o`YvO$j}r=v76 zUsdynoHwWL>H=%RY)Z}%9hkJa(>YXy@k;R23*)>0@x?F z=E!=}#DJF70dlt`SXYvq;2BZOd5sVo*p)se{qB_|tZSYVTH!TEr#OCeZPwVL0LdP% z>}?$o9!sfOxMKs+bR7L;HqMaEA+Ue>nFY$a#q@T8RtLH^av9;+M9XAl=> z%*pzN257l3Y{5)a0#c%{uQwiQ!P`&U?(O&Xpn)7Tbz$RZQ`BiF7|~@s|KJ>oM57Nn z=3HQ0wwUXBOav?qD<$-7C*aK|Pro>++xo;2nAA^Gs=YQusdwF?zx>2<@lyP*Zk4iw zEd|Hb3SxJ}mRwX{N9zFV@p+lYEo+hbGXoE9xl-V6Hu>JInGS;kb4O)|n$Y7)t`HHs zQuy>jM2EGw8gG6hzWp}7c?ah$KA9QWTt&JbuAQ15K_I~5Gclf92KQ(;6Qb!G;gQDg z-Wu$8nlFn>bTGXP3Y>r0eFOO6qWieF!AnlCyt>dVuE!5K!)0L(`utEWqJ3|~pBoah zr$aZ>OpyFN!H#=}++nMa9d*!{A%h|Plijc6(B2`=;L&^+*eHD*K6=^;J-#8owq|OC zw;mSX=L_HU`1Y&Un_8!_Ny8yMZLLQxAP&4MB{#ab1%BE zqHEi0Sd7v+jt5C!FMuzPp1%8X;vyvO8oB>&P(z2(YHwXRUJPvH#1n@!E~CmHH6B_T zRnW8D;dxyB68z39(Wm9U0?yj!sI9+up_)g>det+^;I61ZV4l=fH1)vz!Gxj*sxtU6 zc(%#}w4XG$j9qtw2{GkiyFLpnH%(aC{fHNm>I`z*S>XhH@nUgL4+(q&czC$Gy>kEQum3}g&vDF&|AT@_!N zDuE3)dM>)Q9JG0}@P&7z2O_5yc)Rk86Go&rUQoVchptH9Ul#%}+|}`gZ+ZwjP?vW# zNtbhgL8A>7R}cr@{?GXGKk==Pt}gPy#ZERLR5!Dp4i->Qa?oezwl(~cvApza!4`x% z*co1TT7dGCZ4kL#^-V^(ZfOgg{l_`X#a_&#u)-9WViRVE2J<1((IKvxk6kJ zBadL`szMCh5s+R@Q_{rd>xS8eQ?5|LHFw`hPzlzR|BgMBb3l)h9`qjN=R#M7bMh^P z%@DqN9D&Svv#|hcsO*nBFD+yND{2K3U%jp1)P&a|uL^5e8!9NxdteSfxN=@w|2&8A z^}mgF+&U4$rV8sPFNx8gGC=*w7V^JIR3LhSZ6~)z9)f)HZv;#jAJdBf4lUTz<2mUJ4A|Mnz`|FF?w9^@IF(5-gn|m{C0C z>{)wc)}MFGrNIfFvRy0JGjfLA85in}KwIQfPUjY0;Dmx4n1z4*H3h-1I}ZkR`Oug; z+t}ShSU!s3%Q~uZ6ByBzo^ZQcA`F&a7{Jzw2eqU-hzb^}% z-pAPXqYd#D<(8Nf=X?8C#iPowWy zv~=pv?IAu`T(nNe8aimB=lFu-5k39gaQSQYkf8F?B&x+4d}f5Nt=T%lKfQ(=^4s60 z7_e4B=@IWtg;PZ#tDd|#P)H1XTXNgUDMi6Aymg&`PZ&ryn9nRru%cVqsk*f1+>xt+ z%-qp?uBeEs^sN+s2wdgYJ)mXi3Z$B2Q8k@Ts3@jol)^Ox6wf3w3Hv1?bGOe<56O7Y zrA@s=eHnl7tEkm$d}V=ZR5TK3Zh6AO=oI5-oi&trIGPQY3m~@pHRiK&PAF;kQ||#| zJz!`r5l&GbRW2OSab}!7g<9VjF_JFmqGV;yqTjyK&~}rrz2F5WT3itx?--SVr+J&d z!vY178i8!c^JXbfE&QsXuWF9Ahb`jtz zll(rNBoGl;E$lIk@IuJYgw;VwQ}m>1^r}OY3Gkhv?TD>o1^Z7%oOh~Bkxjvw>)WAP zc)xG)<*(wKPZ4h;!M}dV9&#g2B+mFIp`NB?RNfE)m7F6ZU=|E-Tjp#0qdd_gi#7Cw zK?&iDzdQ>~W?Ly?N9)Hd1)Rccp}n-V;Ci$p>K~}=43_*oDEr0j%qJDhw}bq<)A|Q{ zuncsxYMr@_7DkHvWh9N3&f+O6w=H`NVvkssx_w>hEllw6@73-)m65Jw6@ zvnSa1pK7MM=LfxicWgXT+<+=ZK85T+JX%iJe8FI606m@!*GYfJ19e&;-@u&|Sac;) z6qL_{%UrXk%=i;w<^C1TiBENi=Y$zW|2G*>&dVVFBPaoKnJE_E&r5?(@9(L)AZZW+ z;g6rJCBbtO$T*9wQT&_k%N2>4sGefQ=U_+?a@8ftbb4C|av4jx_D^GgDeUvX+@@&M zYInuGGXd)pdwwjnOk4oVSHt3c2Ln*=xwuKL*|X4i;r(ydqy!`~cw@_M%omwSiRaEL zo`tflH2X7#u_&fP>QLZeIdrh`VZjl7U&NgEDnHCN0(A}ii4OV}1XcUwH>eYmpr361 z8;N8P%4=KyoI2nHnQYHA=qt>ihGM(a(Bd@Oi+?MnD(?wS7srwXt~dZeoj9{SmghFo zxW!GimWSS{*_vP73IIc~y{p3lq3|f(BD^-=^ntM(k7;;8N^8>q)`5UgF16H+Y?ZDRNdyYY<93K0d8blSvZREQMtqD zDJ4*cP0Pnav{FE?7HN0bR~_BA`ShZUO$JiZ_ajX%NI8~K%|>HP_+~Ab7j|q`DS$b6_IMBJp9q(*vn3IrS>M{1Wh$O4=+}T zXD>ox4S|_|X}eM9fqL6JO5NZ&MmXsa(}K=)Sxa|JwBqdt%Y(8XL6IG(awde?)dixJ z9n&_Kmu|3LbVWlL)2+zInw$2%4nW!q@`8!v<}kM(to@GoGBoP7lTZl0vfJ#vEAa0sH? z&tIYTy@nd{OW0XfZUIeUXKGPN3&PiL8Q=9E44RHU_F)H+!n%haxsSuxxunLCeQpR0 zCH?twf(_(?Yme;AGeYsalyvGDE!3HEG-mpuG9=6sKYgwz1941JlRK|eu-{h&Iu58p zi!Uz~m%Spa){yj-DPlR`Ay!;v)<=Qn(2I4gC3!@_-poBkPYV&|MBWOev><+hb$Tv> zA7X4Ot^8h-L7&Y}<|e93XjLz>&8Ij3WXJL^Fr|b+#gW{kZs$mdf7;sB;28$DR5EjC zUWDR}zu>Fy#uwlD|K{_Bar$(5oIYI?r%xBe>C+W)`gH#P!~65!{Z5qxD9A!Cl|gZ< z+jLlEB3k+tc67YHAHr8Z)}Gn!0oK3;o${Jq<w?0@_3>|vJs*A{NZ+iyuV>!YJW^6{7 z4%yG@xB{sFc8=43mlI2&21lOuPUU`d1eVw;hej;t<@~IW6Y*1@_q>SEC0D11JZa0wk` zD>-0Fl8(NX_lx8(Mj+<>pZ!lSup^fYOcX?K0gn@vC`*pILgjUm;T?7xkPY$O3i7i7 z>scWIf}H>)t@uH0)lnBnTQ2ZDixGpq0*&h)U0$&7!&lyj=@?FETWFn1^n{>=d#~l| z{6KK|R+usm6sGs!rgKUm(y98{lqqlt&ZnQa zJxr{Hcq0ZstM1f+C6Wt?#&Et@`@<%^AWo2DlWXA_bFcD_pU<9;NY#lyTlTK(z?WJlN`>1 z%%i)C1s@|p8594Kp9n#}nIcXzNcn@1!c@-z3@73>ocR3epa_ys*p+f4F+tgBvq95| zHfTLlXFq#S6if;IUMhWb!h0Twub(!)egZ3Qp0%4~?%*Ib#jls`1St;0?<`eZAi0^F zPuAH7ibGpJ=Tf*}=XZw_qGid5moQS8pe%zxq1#i4*xP_NE`EN2JB8+RRp?8I#7i)|+ zq*CE)aA&E)hXkOFuC7kCOhtb<{<5cB_C{B}%zYNT91Bad;$Je2NKgasGC@{h2GULG z47^(xhR*P^tEv|#B4@5zf}oLHy!XG!b3&@rxN3Cv#a&tP7x_RwOfJbnb`cJYyt7Q7 zszLAlV)+ky7lDiWVf4B@A1sbS!JjA0Flk)gB=yq~EQ8$(FHSk4We)-36?R)RlQN>r zUtkI=y+iK4-7GLOK(({je+m9R>vLT^R0-rhQxlIS8jw2iy)a&iJfvNb7Qp;7BF3N%FicogZg4-lHok+DV6Z}Q8bLV zp877YxAN_6E_AQ-2+P$xN{lB-B{re71i%EL%^#)UsUK$A<6ey-WtMmxX+iw zt!Kuq=fbTQ!mXFZt>?h|dMX5d9Hk*nLl^t`volX8LC90bT>9G#FG^y)hC2Jn| z{T$0-vf3b;_c_6b=rukwygFfn@YNe?Xgllgz0&@_*n7*UEW0iY&;SILPU-IMK9qoT zgLF4YH%K?qjdZDiNC~2B5k(MCP!tOU0~-}YLSmlze16QY8J~Bpch;IU@Bh8dI`=;N zoco-;uYFypEZ)OuV%iC+@x)}MoK8dE`XJ0zM8P6m&-&XujE+g;uXhe9VW`y!xkiE? zl$13~j#%4(>53yaC$S4W&MED)FSSBqO5`IdbWv!er&G7{ficc}EYIw%hn~HTfxa!G zxM8+*M8T4jGZlf+yDrQ1lxir1WThBoz>k4Xf#)bEqw5f^_4JqeQxiOyNst;T^Tq#g zJlKn!Uccg#45XwHa(=04aQ8tpRRw7hNT*r1Jr-(4xb|z{dcXaH&;R>=0g0#k>bLF< zqnaA>rtkEX!0oGOvJ_JUk}Da9&6(o#L_gJn_`Qs>Npki|wcRWKSJz9=Im-w1`99Jkv_K7@i$ z>v4yZud0wmeXX2ZVi3gAFyy~|o&Z~m4m@Y>n1BkZ5=(lb4tG@Y)QP?Yqu^6f?0BDz zkmnXPLv}4I_&OQQAsH`tlOJkblAMRSxui2x)*UfAPct!>2Hb$P(faCMvpL#mC^jF~ z@&M)Hu-6oBiLicb!-7?)1a-~Ee7jj(4ta70+VhMJ$f2Y?E(~*y(7e7tFi>BK@N+Zo zvspyp%AeC5)FLFQnqxI8EFJ#RYsFZ}k4^e22)?55=1bfw- z?|PhaR4XlRF$ zO^ULUwhiF@I6o# zDvCqDy26eWOW%~78W>hS_;8qC1M-v4)ERMjB6f7;*G@PBaO6`75Yq$=!fT|O9jdTB zEu7zDVFSNBW#;jbJ@_?HM#j)5BI|E>1H0vxkW0uSO4WqPe;qHS^-8h+@BjY)pm+b@ zdHdga``>x{_vh_@`{lp=^8e<3=@{60ee#|MXos+$O@8K&sKk}mmU7&o?McVN!*}k$ zZA6pACl!wDHdl?mP1r%~iav>&yDykMqGcKkae>J?```3wX@{{4-L_T*8X@&Byt4?*iQ`_s@e)Ucy_4&N-WWbvN~`F{ z89$Z3+>ft1dddtUOnQRMCUl|idUp59Av2g~xRY5`8;%0A@m{+O>4P-Az0mC;Q*geX zp3-AmguZC&<{0oLg4Qqo!^9^tK;Y~v->b42K+Dn>s5_wtr!K{=7@Fjw?p^YoT{&H3 zu~znTmPG>^TBFToLyh6$lL9}>-&(LgBzwe`>Lj>(=^annaYDH2DSQcfr_X+#9c=D) zs4w02gHJw(ddF2o(bL$uhfkt}@-Pid=28wRI0{e8EDO|+~cqP=}Yw*06ubT=ih!4-atB^zZPzZLClu({d=U&-I z4J9$_m$oV?VEh+X;)%mN@G*fY)0dYWMi|eqsYFYo!aH|^S!bkBEBCm)yDBG$4C5cZ zs?G}2?STqk;L)5g%%POII@X2p)I6*yr_5=NhXImof5Ty~M zxfvg=&o@KujDF5!A9O*cZ29sxBYij!b!#d?#2zU~gkJkLaT5O6J7Vo!vGz7tdpoSX zKi1wHYybD-3ya=6MSGe86zRvo{o`$+;1PsQ<1c&t$34O zzls#@$CiJdW8uc|EhkSK$SWgK^3}G_7@qWBSw+4P4VeCLAz2iWkjBaAJogmw?d({^$d$!imVBob4+T@VOvixgDcp zc~$IiXa@Wyd84s$-Y%EqSGY^N!&HLq{Nt9Lm_4yKRA7kBfNgyJ(_dHc2Y) z(-FY?-Qr^=tt~3rHk16c7J<4ez4Pa&EkI~NTbcBh3G`{LzBFG=K+#Xg8(Q8vz(}r2 zkC2xI5F4`kF2*@Rm3IESFc?EjrxJY*D)d5wA^-Z(jZui~F4lfWbPdf@1t1Kb5nKeu z*vgLNBV51N$ma+D0be=9H0pI;<~=*KI+&)9uJJ>sei$>sh9pXuvb>UXj0eM`abfjV z0WaXnSC1?H5ZC$e(-c{|^m0RTkEVpW4?kLwYe`=-!PKLrUQP9!;)KtaAEfSSN+CCE zLIeKq41lXWuHTC*p5))QCpdQHapOLQ*P5K=TcNlL3UJZ*&hbP5lIpuBxdR1Y{N$Tw z!K|FfT{P%Hmk}q zLOk$N>TsHN$4PX;`ON#F4o;AJGjp5q>bmlAZ>}#c4^wUc&z>|HS>{D79 zYD;5%Yd#eMm%{x9$YN-~2uknHQmJa#Ss$0+!HE{u$qt zBM0afDl&DaOA&`_Txvo`9lY*!Kh2Y50o%d>A0uPj5MMhT3E5Xn{qw*s&qJ-#XlY6% zk(t;7&Gl662E7S~5=AamR-O>_;L1z!oFOap;YZumjczaWX=Sm-kUAQE6b#c;hy)^o zphw=bw=g^iNsM#{M!ygJ(MS6}^hY0!8mo`?dFYQm+K-_>`eBxKamQ;q29%8(uV1K?S77-b!Qc1OhLp>?^u~exPEZ@=J>!~%CeO%a8&y1OO6tIgzNl^_73p3^Z5YB%UiYL zT@FamDPwr&peIUEmX$S^GX_f=&GYMa)<`^mCDn$}1^(deg|T>h9xUEo6pObP!{Y4) zv3Pq^bd<&W;|2y#uqsP`nd9pqQj;@K2y?^ecFlTMj4G8vu#C!$?S>}ciN9H)v6T-K zce^Y66wE~s}rDR|`cqlgQU>5q_x%ZVrHUzR~6YiAN zm!gN8p$8|dLLtv({|5h$2$;>mo9_4)0-ND#YsD3Tz{*@oV$-Y##BKBMrVe0ukx3<9 zF&gQDd|vL+-UdC$+-$y-Fs%(N-l_{6VZP{3f2b+8Khzc5A8Ly24>iH|hq_|>Lye)} z%ghyQ&28Su1zp~rhel?q zP+_dOH1sI~Be3!Cr@X%#Qu#6C8O0j}L;Yr6@7j&g$YXrxD%DuntGl+nE1Lv8<%(;4 zgtds8&crHY6T@@kuv`$STnn!Bm=(1T<#d5ICNn3^K{u%RHUYAZ(x0 zn%Y)?Y@FWF)DkB`HLGN$3rR6LU(9IGEtdk;DwVsD8d>NwmBsDUG0gk8$RpLR#S0D` zBP66+4u_1hH#{l6g`vl7jkDDBF%VU9gQ(ug9}Vefh*%_1pfNH9f?o^X$Y4@6*elNi zqThN?IE;(Jx?N=qF@Y;Q6*PAX`Wgzl7FSCs9V;N(-!6bwrw>(o>b;?MtOn*1g{SQj zDWG!u?w*}W8sOTmeZExrtxT~1u$=zn@#+j0(D+1EEqv8MBtw~EQoqDcRe_?Vzv`&XoF-k@^ka* zv>?<#o>%KeG&*rYz*1Ny0tViEq~q@^L#;w8aW#A?VEfZ%w@oPtax?0Z$;?9Gj_alP zW*2W{i)8BwPr8CbzQ$!?jDD&20e-i;x)?nWc(0+tZVXxe;bVu?tdYxrPk*X+E_zbn zvU!m!3`l%NiMtjZ(T9(3L=F$efcNQ<^KC_5V5nI<-)j>vOBJzw0 zca`yfP^>aIO8q<8U7Pj zyy)NCPhYPfzcuH*kR`@h$F#nnH!e(xXqzsJYoIzF!VA6&=Rd1x1&sm+3f zA1bWxn`89P+w?wMJ5Pn&ioMurCfPtyHe|Qu9XopN;iDsk(MiE|{D0d%E&*>aC!YpI z#OvWl=P`osvE{3?QNpO<$+UQ*6Bq20>`T3GWJ1}^QobGBEdTI4`TO-<__{n&#LEQG zwIUWOLI)*zFEXNEsi5~~o}D?eLkl0Agm27gFu<=TCF)Kzv`}zwPOCb=24+GfG=rPH zk@U3&nQ@HnlWQ~PCo^jc3dsW&JWM`_|FJ>-sIo22_W!p3)f3z9($90k*Lnge-X#|J zT6LS`0s|*F4mM`THc6ng=Z=~FciEtl?1+6$fDrmKpTGC#KePY)^S_GBd7E}e6UI`? z$38|XL2B}a(CH$1be}@fzG6TP5!hakMV}Oben&`CML`QY|Gz(5Ob5H~}MLGOdEin4kjl12Q#A@iiwP~gMNdcVWQ|`b+3KxbZ#M_%(MBy@k zgl|V(nJlUY`45$vVy)-llmFh`(darzYr5CH|Evzw8}Og2Nmv3=_Rs0QffV?dbo9hm zh6L1+Uc97yQWtboO&eV=heM{`kI;{_Y3PYmbK#V%3p|bHcPOd$M3PnvtY66dfT0dI_iQIOn8lem-Cu^$h=|ue$Feu<^p6ME}7E}t3?k^4IU)tt$@tx zs!SdERAl$t?Y!#|M>u5et>$#d6+2uvDz5u zCn$eTh<6r|-(>Zmz7hoyGoK?`?=e8Q$<5#DEwShki*7LwtrHxSSh;A(=8mL|AFz`( z4a1Lvt35ATM$p(L5Bw6$IvMQ-k~zMpM>E}WqghoKVB3)ArgTIZIv3P7&?1lug4U$v z@1la>0C{it2faX4;re1;cO?UYyal+FWSmiL>flCvLN*dNvA&U683sYk4dX2ZrGTR4 zShqHkk<{bOXCc?Jf&P@Ark6-Q3Mbsr|Ao1qf1hg#XA231H80yeVxKUuHm|rJv>gcx zqjlU2&4D1;=v_Gz8jpAx6`citWuvR|EcdGRu!)E`U} zAS~CPZmKO1FsySqahf+kS43=!m-GCMdhB?PjA@ia-;hi9tPL_jlXr51>&ri z0bNoyy}|*AHin<;ho&=poRGR1&gg-PO$bY0%8A4NwA#+^S#C&r+@Udb_g_)Ig#jJ+c%yKWXrWFlGXK zbkxbSs@G8VsAKrCoHUTsxF*CV6a|Oc$k&hNg}{K2d1TK_B6z({mpJYl03JRCVpcyJ z&|qVN?fz9Clwb4yQc)xyn2aUg-E$L$%BIux#UvPAxk??qR8KR={dJ~$K-n8e?Kr9) zq$MKZ(xNVZ86TMFPYDpv4S_iyZkB$#ddm)!Q7kf6D zT_EwBR3qvMLROsCeEud8@ao7Zm874T_a=qX0G)(7I%(N_+KW{Z$pk{tp|X?kWZ$0!EL)u^!PVGasZ-^2n9GM9)??ZR<9Qy6I-<7Y=Nasxmo&vq26!Lh*x~TEM zJxO$w5G9K*-!;e7lkaNa3uQLzfWfB>hZ1>XbZy7=heMe;7>+T<Nif*=Ve@Wq*DOh8DPi5Z=wT^yPTgk=rKCe_b;pJl2gFSR9@fw zJ|&pFlnp8sxd;RXbC%&1g@}CSrZGwIIpB?4{`^rr8I9myy>y|&2GfVy#jZbGjI$mt zuJix@r~Tja731n3T=ivqZb{Q#WY9t>EH8g7Svx|^mEHSyx3W;iX7kl5On=3pp$ifL zg|UD~{)(mTjh`tTmQ6ev=CmdQB>Bq)PRXs#C47`K--CpmbJqra7k`{ zn6j`OcRehTXY+wt7U=hhjmql|F36}QHBRWFCzQXAed@<)3`alM>&b5fpzkR&I`#|x z@W=m#SpS=0{jY}gzZ%y63RwRu;k>@TFFd~XpbFDp7~Fp(vM2^sA16NA_{s!wPXFE- z-7iJ4jo()uUH1U44Nj%0Z|A@|is(_2eLmEhJ$zv89Ss)jv(r((VqgKT9vN>v1G)=? z_o&umLFHF@*87w7*nIWh^BLYfpJ#G^Ul>-sD^EQ!HiUZR;~6Og_TWJ<>{ct`hh}dQ z-giA<3<3L14^ID7LsaT1zm|87W*u@@Iy3rg<@*CG>R_YE}7jChPQIh_V`(NF?!DlM=z_%ped1H<8~%4 zI5G8(%#A}Aj$CEx2pv9!R^zXa=NxuLw|$pyGuY?=xree*T813F(Td_4Z_|a)-E?oC zfz$9F50A|7mKiX&cDzYVumt(D7Z2!l1fsh?_K$Px>mlDL6FhxMWAIn^p0L*}K_t8_ zb+qGoKsxp#>j-TiqVJT}itjE#?Hv_bU-Vs|oxzgkAX6>&z4`a~z(4sk4tUH~6V|}O z3XC*S&W2|-QRXMM;+}05s4N-heJ8{Yr^bUXCyX(}vuk~a9?fBNt*DQnZ*Ma(`ZGhK z&slmn6>0g zx~UM2KIij^n)h*{Bd!8(zs@>B+hNOghNpH2rn4t6UvPn&#IuQ+Qc37zlhf1)hUdOb znEr|Vdp9^%wZ?wU#T%oaytOj0<%c*xHD24?72Ob5jC$kd0B@fiZo~K99FlxoKWklJ z0pA8IW+!Id0GcC&cj*FvAoxCG@<&~GzuL#{?&b)JtD%*1GH&1!&ym>3Apk4W5#64z zlM$}`692Znt^Z0-jBhv?sWQ--w#Gs0c28y94UGQkft2$joJpYK{@OU>v^iXS<)J20 zk&d0e7?!_|2g_e4h2^gk#q!r-c$WXiUuS{kum1P&5*)RU$`6j1!|$s(acG_Rd&~#+PgCOP~`v330_s@JzV&|iXosTYdJ}0sBQNhl~ z7vXA;YdqMk?J`R->41y>AYFj1Dm*E79(st;yKLn!rCIjkVQn29mZ$qV?~W$$>JVG0U#o|?;g)^Js^UOZ;h z3`XkXPNv4kz?fO~>8d?15Gr^}MD@53Y2K0|nMwqKR2HC-j5B_iHZRNZ>51dWxXWKl%1jdI z*GjtYzmf+GMY4hWCkf#D++wo!MI1Dm^tn74%n_jpL#~HI0Bj9gwf}zE1h%dzvInX1 zLEfc}H$Scm{rDgjLv}YC?CP*xkS@vjzC;<|n0yKi7qy}4Y-D}Vlnl=N7`T2fuJ*X!r-<>w)UUmu$sC!wA><{-6AVCbCOkm)(zM zg$r-K3crlw056uW6ali#u=@40Sz8c0TqG>Ee$vN+GankRd?tFNRTkb4$ly-*P{`Pj z1d^|D%qw7`fZ>>p1lz=;ps&uRK;?EE?q3KS9{WNBjY{Z(exYQ{wImGP z?G{GDEY(oLm+cg|r-{e^{I)sV?Vqaq+UyBo4O1K{$D)y6?XOo`^cHa1?uQ^TuQw2J zdtMlS?}+T}vqU`>WnsZwm7mB?1D6wB{yrowJIcopv>n#(9 zZqpLda`s@<&9o_CjL|2L-%Cq(rwxKfyB|KJ{r){f^(3yHB25vBPkuBH&bEQ_^UF_O z3_C-()6$WIN-MCMbNG>r>GOJ1%5crl!v*fw(Y${A%mY26zayGYavI^vKYab#el+7q zC0r^0B%wH72_g-y8^=tlQCh~s)S;|;^u(ZqB!r_BmVVfdtYhl3xZ+{jZwZg|hB!jr zzT+&}?rGpDcF3O4aDu{R?d$T!NvQOTgOe1#J-oz|7_88>!kI4!*Zk7IZI976y}Z25 z1wGn!4L@&lKyoK1otTp*Qj^FPETiUt`u%dAs0vOv{Ato-d5aTgJ&Ql*?ce8%aOJnh z^*sM)_J5zhdR@choWXe#xJ5OKlbO{Z@o}*Aa-B1hVK1Awsdf<9Sij|tlpRB_=9tb2LEqhUQb)mMRimlRCO& zP7exZIYUc&bkLk$B;snz2AA$LhD<-UK=m4=%VjSP!7CGXraV)7pjy8x>HQvqcW|w^ zGW|vdnu)l+&fk`Rgl9&LjhgZBB-i?M^YLWS;)_Dq(RA|=sVIk93bHpL=5?sU zgQV(FStW?NT+DmAYy$+_j@#>QUJ$pp(wy$C1GEP0X=fk0qf?2@BFhFgAS;@vSbsYZ z=XyQar|9)DdM7Yl(tO0`>i{fwR~b6m{ZMS#e98(&H@VYmsN;^TIZP2pxbcaeLFPwo zZ*=WC0OQS=H|p12K$5p<%hV+lm8JF)|2P~PIA zJ7l+B9CsEG1??+b`c0yOF!p}`PL(7tEck@5&PE%f$r^$W+p7q~icLOMV)E3{*YecN zk0PKHQPiR*Rs^CGVR+{r=pe?COJoW03VC%u`Fl0I- zsry&Ejod7Np>$i`L%;|$oNo%OzT^ZQN=a_Jd2OK0?OBOpQw5%pgL|24YOw5G!LwoN ziLRM>+7EqJgOR!Mq4GLKFj>a4;dw{}?YCw$Uo=yqg`(`TYK0T9+#S>6wnhO1W|YJ~ zi>T3}(`2FV3rdvprs=V-cmZ;rm7mrIA@{~NxFHeX;2ZPDGW*x*D2P0jA)5-L8+_(E{dwnZELGnd7uqq3ld@V)-1iw&AJKTBU4Vh93mcVbM8^H5oL z!_3uJPUxsR2~(C}3|wwhGWFzl0$~;LpLJ%|=uuQ-q@ANTe3R0u6*=aD1RXmvcBCC4 z#ck%2Ih7qc_n{8IKoRpjwkn2A1DWU^{io+G)$zdavs+4R%^+HU+__cSUP*C!A5shhSl6`w$denDD9nq(5wWY7u5AiK9D&+mW4b-H>WT zI$sy13aV&mxKnIr4f)jUt3kUOx)Mo9fcDtuBx>5419QAEgQp{rh|p|xY4k-e8a9yq zR-M!gev>Tj9tST#Ve}7+6t`}aL4EMudPFnajq@J<_@f5cf7G~;Zkd8m)Amx!R3u8y zGxF>XG=YsxDT_%jQ^*X7Vo9&ig)I+mCyzZ7&^ywWz>B%p4n_7EXZx6f|4MkhVNx_Q zkz?r>IcEV)=Hiwn<0c@w5P5wA&jOUz32Qq(1)-xE3}Z*noPyUyA1a9pb%9T88R$Dr zK(;RpUGvigB|kS)-Uo(&D}MFV{kb9HC}Y^S`0$>XUl%+wVMDvq5O(uCQ}H+`MZj&{*2 zbFC0~pZMbQd95V$l1=oxn|lI6l(yl)1Oed4^tt57Y#Pq>>kWo|8L4B#NH3E}m4KoX zwx%EV<*i=;gEW$%UqLsKuSNVX!s0 zRuV8ygh&iY!G2dA5%-ENZD9UqO%l)I=$FhPYiZ-){nIw6%5s5#X~q)nPZxLa?3 zUxZw>JRK1w*{Zfug*9Y+Gv%&$X9bH5OBKO)@=;k@-th3xVwmk6_jOA1L0oFfJp1v{ zh{@g1S%eXTOGt5#eQ+=d=X{RUQN{|-L>^?iVRex<(;NwV`G-sd8$n}Rh3t%kDC*8M ze@GW5iJWsCZ@+Xkg;bxp*BPR*XmMHG##~=>yAf*zSHL{KvKPrcrUhTb?47I3?cqF2ysiPrLGFvNLrO^Bc&h+WpLbDmaMV`t+vgED>16*(rWwk z{IDAqZ~XW5IFl4%I>jR#nEvD5f|W@#Oh2i-<&NVi3_nJEmhhM+++=epUH8{O#z)%2 zNOH7*lIfWkFV86$sG${grEY1S)fY>PfNmCZIFgzY2PUk$_;n;vXElGeSu+^@qcb&lW zz3)V{+9wzw-LK`sZ<5p@J(|`f)>R#*vN^AAxoVHJ7XG}CG6M=AD8+NqHbVhAwe?8B`=tqqe2$ZcWq7pVra_K2is6N$U@V!A4 zLYc_I)88v1QC>f_+rmOPzsHFw>0aD$c0>$3bu0mx^XvY=dQI&~;rc^H^zt6F%3to!JM_r4JV=6{EWVSG@pS^->u=)$p`> zo`>X)2{TEBYe<^i0MGJVI}{Ogd1hIi$MjFUKGb!g4ShGh-C%>!|NN6b7sBSxd9e9& zVQl`~7@I%m$L7zu0B<6~ewbeYZajXYpSjJ6zB$6lXDhnM;9$p@8$&X%)D>!pdb!a9 zQwm)J5*fe?u)I(82E$YCl1h@lpo+SDjN^(H8NlwXua-s|9oSput?lyBL%Y-7s8SRY zOdYjXJe4dC-X=rDbSH(7i=xe9xIBipD19x9qh1soj{GvdA|Q)?NA|hoe&7LI@j3U2 zb_-p2^FW(2?|4mU5-bUY1+>ZMqrkV*$A#%~;l4{hUkqm!xbO-Ja9plKyf^NBD-?1@ z7-flO%$*Yjf1@(5aCQQn3BmiTHEytxq4#09GZ0z*F2gHSb%L4&9TKbSi9jNr_=0_a z5u);wzQ28~3r~}Fp6Jn~p!5j5BSnSoz;~sqOLo^C1#kpQ>`+BRP?5Dt7I{3nGiPAk zVQB>`ugYk0_d?*5yP?;&JYF?Mvmnp)$ z159}%E2T00ja&``TsC|Ne{*Gnk_w~GLfB~Xq?ZR?ztoTLT~tB2--n!1{8fOm-pi5n z83(4no1gX-p$a0GrP!~V=K{pMU%Q>51{`r}g!`1NU^jjUqz6wz)2i9Ibt?^|a176? z+f4^z&i*tF&OD7=I$70*Q>)=8F|9{vXCq?rOe#(xx(GfliO+T(Vsu$2N^TP!>_qzh z6ja+w$q+E7$$!`)0Odrko-O2yMCBW**Sq?oP|~5$(i3s1F#6)W(we*k+8{6_&Mu7t z6E}%->z;M+9+fxn=0i`YP~Ts6Z205{E8P zHv@6N?C|dK7_iPB^CgmGwMpP$1l5iaCLv@Os4wKw*i1gxc zv?NP1nC$8Q$o-N9O21V&wjNia3Bkzr3Z+yyB_5f`fa%Y9^tL^x^#C(?U1-4LIKYXL zm}*?;Z6Jk1IpEPvQyA08e0rZ) z1}*Klx_1;>!zzPT5Z(Ec$R_*A*{3ajXyAi>4ELZQP&cqGdkt{GkXRmp>bd{~R%V+e zJraU0;x*~uOFR&wxsmQCZG^SA#oC)=?QO93c368$tUX4D>XWv^JM{#3R&I7JNiPJN zdXJ7+O~*rt$km+NekrK(d-p)AR1_5H6jD6W$wRo_-*BxTMLlY=?xT~z@NAtVYG5%& zG-8H)r<>G)>rPA(d8s4lTZcM%SGbu-yNi109{QOxGi0Ny2-Q7tY z8-ywaY8<=>^pK{ZcH+BNp6Faf!ds4SiI8e!_HO!?IyjGgCBDU@jhbW_sehYFp{AtL zD>~H}9+3;Q*Ei}6QH_9Qdd)mWUrwuFitwEyy84CJsMlWt6khc{k(^S6Yk2*KiEl{4 zjcqo%r>-)PQy%N*&!q%UznUG zF%WO-lTv6Mh+1pXX5629LsDqVxP$=`GwY3pMjt04CG?xSQj0-oHVk(|W1P=?Vb|x3^pCEk^YsQJqR&<4DUT!Jf?Id#l{HteDpbp81rzw>meb$r;(@{# zLJVXwFg!fWX4lAjEug#Z3c=L40~ARQ#<8&lq4GsMx$Brbw{@OM)XR@S4E4WpPd&IBsN$G&ZV2yedc7u?=su7Q3&^{mc^d(}m?e z6WhVB9A@pRz|)ZSd2ov(1*2cm68keC2J2v%WJ$O#~N_C>PQxBbHi-^GEaDX_vEk?SaANl1=6d`ATyDG8cnV^A7OHB$mx9SF zr=EJHRD}NAXN0i#8Ds2yMgV)C;l#w3DG-y7A&-Xv$ap04j5@Cq zZ0hl-sTf6q#!90kaPLH%$Xb zydbaK?@DopGgzlSZ#H_IhEB;?osi+SM*gl}cDdbTVR~+nk8jN!+|N(+J|uBM8y$yq zlHxFW-I_d-&j)lN!G7rGsFc?KDdtZ50i!qm!tPfl{k{d9ZFo+=ew-3n@6ob7mefLI z4&<~^UAFLoXc&LX*8rOLM^5^OssQQCLF0jC1Nho|hB4UN1ZuTK$kPhdfUZ7n@^XML zl3;c8S9a9{zsGOItP3^4h6qn5O2iH^KPFWlZ#a#pE@`g$v7dtK3nWM1kLqLd+Zx#X zHZwNA&5F%$vtskxEZF=u3uqb2390#7g2Z^slXRI>)U-hMv|NJ*z6dZa<8LN_d3|=^ zo5Db}`McUgGCdCG_m06R-;MIS+OW98rd^EbJ1u>&M0Mqy7Vu_1d%8)i4U8X^a#Eg) zBH|zAInqy5pleO@;h2RQ8il(znXYJ{Z>|vmt#41lP1E5PEoU{D+fkF0kkUcPInL+9 zna#jvW#t~ngfvoly>OXlTm-_mhc_0i43RCh$NN4eS-3tyaEZoU6b^pKHhhi2F=Wk1 z;4L}jzyXtp=Ly}_NX^Q&I^|Oa6rTz7=U&c)s%K|2K5FJ5>Cy?pjjlwv-p$ElJL3#R zliA+aXIzoYR83y?zCFB+U{cLdbcAQ3WDoo4yb(X?9^rHD(-{1R5Um=cF}!LB+$8X^ zMVc-bRbKQPLgLDo84r8|cq_X}aVxJq}j4TXwOds0|$C}#jwbjuLF+e!p=s~Z^A?oyQFEm+X-umz1d zTvxsBdIfme<_G%>uYre}3MKCuM`Wh!RGuMS0X&O%iBoSYP^eSThnuZEh)lYK$|vfR_h znx+U>`~c09h-0qI2^bu+`3tx00`&V(>yK*{=U~dHdsR(84`#-s`O%9~)UK;RbFuUc z(DreBls%e=gtqrqTl7Q0kK<+qby^wdP3`|a`sf@otPK zwoD+LiWPafQi~Y;E{XSx4uDBe%M&7*1XOfiuSIFI8%2hj8w(iq0G!++kqXoU1#THa z(@;b7wNX7@yjBYqz88+o#A(Bevh)USdJCj;?@V9WtQzQyZ&*Ck2!qD%NqoAR5Y*qx z@-FmaAV^NMtTi1ChC?lTrZYQnNZwI*=k|mz&g1`?4~EC%fAev`&c_lvA1my9+_Cd9 z!Fl|DTYnkX@x%R}cG~Qpg#`SXp1msxDD#Bgv}{onZ2LDKY&#bXzb-djF?q0U6E{5$dJaKGPt!RY$T4>Iq1)^RryBK?{6~6G9lf1O9MW=6}9x=me zocTEwYP!!Ct)4{A{TjkU=AsZiKgb_x6{l=a0qOdjI~p_3?o9~u0VQJgPMl0#P` z9(0~NOabpnC}Y;FNWpjh-Pv1#tPr(d_q6OfDb`*EYwv}%SHs#Pti2J|9>Je@bHm1) z5jNf|u<>SwjW>5}yq(6{|9yPo`riD5Pv*nolTESsWC1KbnFotcmc`SE(l9vh#ScT^qsAr22#)I8|e zXPe3j8_%irrXRDRPW#;7R{m_TztJBd@QMo+q}7N$A;KNcylWb{tlo#wbL4g?Reos% zYzxN~v_{O}ZBR9HwxK&p)!obLA2xyT-`yqa@iqw8{eo+L_z!*?vw#1G-xkH3MC#F}rTWQ3;j9`wPcMQ5Sh zbU%dsBCO7F#N_E4IFoc%bK%%er=HtV^=QJeE%70oM}cx?Z^T{lfeha@X!>v=;HvkE zEB+i;JSwj7mePOYX!t`rr1(&S_o}iP9FwimkCeygx(0>r$S&BU^(fEu@B2=e`}mfq zUAQ>=Wg1kf$J(AY0$s4;ctv&0D2j-a_!E;A(A==Gdt%80u}118+Uyz#pL$qzJ9=g4&3y8g z7p7bwdtIn?b?RW{jJOee6puG3q`it(BX9~NXQdJG*{)`FTODvE$qHnRG(nq; zTC)~jO7NcSp2CH#Yaq?XJ2o_}0sK*BiH;UZkY|vAQ*3F1oKodGZYBw0Io1|!jYL*R zsFGnKvCRl(GxOi^Ju!qvGrLbwQ**ZNJxqFPCgHQQZXU$dp=>7U>Dhbc@`i8?M z1s6{<;Pu}%L*A9TLw^Q!Q09El$H;9(kg&OQ8uzt4$VjTvQeM%4^G_#7s4pqNxBT`7 z2V+IxTkqziXb?tMG}v0&)|jA5W`;S=)dCf1mHRJrO9QErKw|MJB}g^$pZ@Ky0>%wW zCrMX~Q2kWeN4XItz_X3&%;{4Ca#EYX4HskNZNjQ^QBMWxmEGmVi8W9!1YYSObVpX* z5*pXv*g}pykqi!_9cUf9A1`=<6iKy>Y}k1*%u0XO9o&5${yB$Ws>#uG zw3(;`DIb=}+QM!Wf0otkY@$3Wjnug>&Bg(p~?` zE*;jeTF^pd)~A(-3}oOY|I_olTv+|6+K)h+QvpKlw5ETa&l2FT0F=7+^RzhQR+Y7i*I#-m&FN9 zXJ+VOt%}+rzD*sBGli9I-ta===1u*aYrZhmOns)f!5^9CT-Y1)3kH=_)ctG{(P#$W z^}CW)0L+Q7cQPjj!D>PBog4D;7%%GOm4I`h5c|>i@3mbEq?Z)8iI2VS>Ut%HodyJv zbC*N>lK74k_dUXT;%!DmDm<#P|aMk_VU4X` zxj@lj6^|di;w>S^Kb2CTDTnA!x>Cs?z~cC+^RFjTB4dur>I*|ZUoOvysYat;z6baB z+Y-@s;3v)M5QPq{*3u$Kzxn8WWl?0W!X*P;D-%>sb{foQnSKSrP>2^fS{GQ!3Hk zhRAnT|0a++xk6#`DFqa^sVj=6T41Ci_`_O2D@r>X$(Ev93OYL*f$hs}N6zp5YyFE9 zYY9LI)r-0*|7ajj;^Y6)mI8P7pH9?XO@x;Rf1XFN7o&;tTOl8Q7NZ8uS6u`KI$%4f zCwA3b20b(LoOl>TkEnHY$kc>hNlhxB?T?FZ67aBix+gPk0u(=!+o_2VC(LX%zNFSbe6c5ik@`vXg zgTwQV%8}O>@7=pH7VduN6ltnl5PK@Ry}9TqZjuXGA;0f&rYfQAAf`8M0bz*Dp7|py zeK-_F*brvD;RNx*hdXQgdayo5&ts|Rg>IJKOaH-b3X(J$&jqDbk<;&0k~gnSVT#4- ziv+Ga#M|cjq-zGC!4TpO!ZB-j&|>zxbQ;seNctYPW)DG%J(Ie68TPQ$8SHwhQwmt1 zr@{bN6(#NC3h0~>1zcV>BWRFaeeSE71I&i`$Sai|o=`xbv&U1A6}G&IKseg=Td zqgZ`>Oa~L--eEIX8wzSuWIOI%fso)geqT_o5MAE7Yw_=IfaBy*t{R6Xc61!*l>r zmc3_~_+kBgfM)&#rjN#PNyy;!MjwF}HgQxfqB((|dFs zPWEb)j%;Qjr&r-bis=!kUo6JS60(5(-RYsi(Kz%bva=&d#sT?0f4BBgq7W{48aMM4 zXQA-qj?;ZE4#=S*I>17}4SjfhGS5vK>o>DyJ*FDg2htu>y7^gca88@Fx~-)TJ*nbO zTDCrLQZF&ssWcA_EyQwsKIR4nDo&J@$J{}1z3)2(e-OM?Y^Pgbc7frZ2`jzIP{zjy~bbJ^1`nN)n9UHWs$Fv)XUr?EtIO}HL>5r z3K0`_imFmvkU7aqq}Rv{Ul*(+@tQaw>dE?J+Gi|~@;iBs*&`d|73G=4aSPzg%dJM& z#p|eRdGc5_RV>O}VKvenNQbk2F8#MgQxHj#{s+rwb9Cxnx}r<3Cd`I5CX0uefT+G3 zBK6mYyEVFnf@Ah5BY2BN?-c|1q;TTh{1lB0sTNm$Z8(Aor(%2J2OET^`m^r?w=hD> zdCxPxVLYSn??g{SjTQS(a`L&Y-mHIq`Kq$3*)h;#a=M6#exV9;J;!ra5QvZaE*3KI!AGNK8lsxUXzl!b?y)^y@Obulq{3GKMCsao4r%cMn@s*t zMr#n-(6D5@=a>g%%WlQ}tNBR&hrxDfPZ|1V{dwq7WI4RpqU?D@=moq*_cL70!ole| zr(a-mEbKN+_rHDGgd{^lXA4wgVWq7pwIVVB0!bJpn3vK(;|%UC;t3VlFrFDrSCL0m z_`yy-_Z1LMH2(F8+gN>#CLpzvQU)bg?Qc)83ZR5PGK^Vax?*|$&yYIyQuP`x)7aC#z#wKZ~&>^~h+Q<|48@`Xz-C`Y(H8LhM#$xD$(fwaNn z1f|^s$f-3A8nH=7&wj{oIh$U=38f_v;}FA z!ao!HJm}Xe<_+eX*n0DBtcK_1zh2doT~i;KJRXL0_c*Y92&p+48G z!9Trf9rvEee9_9f#i)sC#?o!6!65wy=Pk=@dnuYw4`aHzqeg)Rbuo1-M28( zqg4;s{FXKX%q*Y-pZu5meG{-%Xg|1mTNiZhJcuh{_C_^rMh1$6{1A4$iRVtCJ_rtr z_)*>FMLR_P{(|=~-!k0bz7-(?%O^0yl&mzk(h+rK_N$?Rk<+KqtOQKqu>09g$-oIR zUtwj;4-i^DA9a>V8yy#Fua7-$0t3W-?_Q{Cpqi1SFRF_=K)RCpuYSoCQ69@%t7gY^ z2}1;w!&f+g=CfTJ!~2t{SRg%Br;G>sy2GSG@K$?Q2U-`*b`;S)6IrT3Q94Nem?`o0 z%2^cqS*~=hc8rvioxD3=U>@^j3S&=s4b5o<8mr_-rpsTeLMho_4yNq>gaDtN6zgN$q)n)=kp6ZJG_Jn2&jx6bPe}?fD{aE#il9w3SbwWX8LCKSu4y~Pp?}95fsNP(-mp%P=#y%rW$Q0lJ}jOf zKVvjo|H%;;Y`^LHJyiiF51eCcj7ms}UQ*T9BLmsL;(Sm(8vtvj9W<8YuJEUX{XxoE zJ1AVRy=^k?34QtW?Lv6pdbhaDSx-K>3Xgq{JG@}gN4w9+UuP=wp}Cs{cLH^T;j={y zE7_+2q`sstGlk{#5v4kb1qB8opUZ}mAMd!q^LsbdWRAH&_6xImtLgxl>{gFR*zX?ua-11Eb9`EMNQs?gN@P`rx5PxjQXqjdGX-bxJW`i#$Hrghn0a zYppwRv6)v9%{=;|(!?kVE2AN@AshlQ`q^2loKOkP_y_O&$>D*@x>0?*K4+*N7o$nq zyNba5>N5vQ8=&To*%rFthA_>)}33)8LidOEin0!OcCL2@QHOcazQ z2IrZ9^z$iSNo`JppG{*}!b0C8G zL%?gYWN;kj)bW0e?dL4(A9|h_(k{Ce_# zipF-7h@jw0+2>N9iGarttxxwOF?5Q^FgTt`4EB3cN~|2E(d`=H8Y?B?BiFZUAL7We z=_`YN`!B9!ay@X+bNa&(>Wi$}mgiZ$%^)|ufp++XK2(M)EpR+$#GZS5O8tSayLCgwr`UNwR>)McqEresykMKmuAEG?K^C(HpV%BVp@BO} zfdHw%X!klp*_a9x84zUM>Q#b2zm*Gf>7`(%Q0Ps`Bp-?uF=OXS5J9`J^xcqK6s9KL z%RL~FMhUAYLn*MFucP{5kLpLrbJKLO_bo(Amp<*eVtw%H*{>g{-)Ev+!?dE`&ZS_R z>Pkkz69epYle5H@F_3nCX>KM}9`$fhUtFKz0{IJ^LrYI35Fu}8rCupN_;|IBE&>mX z^3A;vf5HQ`5y?T!1OZTrzckKp5C?C}2hH;^opRHXKFufHa1@@Ar6x<1g}txkbxxNS zqPz!u1ol#auuwr$lM(NXXx`SCe8&w0Y4)EirwfDNUf#~i*dl`4RR#yyooT4NnnsdZ zRui_=U2Uk6R3OT(%1?^c7Yz;0OW{%I0#2}s&9B~TAdtpQX6LPSeNEvgl{H#JB4Lm*BFMpvEjEBZR*82@7q!1eHB6@GhRQ2EWdPBuiW? z*tpr3mGH_N8CsI;6-8M=S+q>ONUaH$H#I54>Ev$Vx`gTRKb$K6n27!U@sshD3L&^EtV!@W?<#~Z*)rSIal=r>-AmhdkIwrsJKR{ew;26#)iC#QmQIY$1cXbHhd3@L!yhaenGL!e#G#a9ZA6Qg0cBGD{Im5$4<(y#(HqB0Kr~N$`dBv^ z(s?lGTqG$0z4PPBNq2O>B1f70Hpb;2DXqG^`pXSXX+_9J{Ix-!YK&Zh_SE3dmJEqo zsUrlnwrQH*@&!Q_FRV1`4VwtZlbSgm?GJJoadTknev3oR<~cuDl3Ut-)9iQT_2Sn@ zbdi!R5lx;_y4pu(1$7xiFZ_Sypu7D4{^cu2!gG}o7pi-4kd60+{s6_nfhF<#p6{xl z_8{fn7fdgvYiyvB2PVk9tohIKO9Obdkq9#43-P#w2$1c*{}}3%{&+dW_O3b zmr!APSx)!&-|Vvy)zX33W<@5#Yt&oip^1hOHEO>B%#ZEIp3&uo!qLdBs=vx^Nl3-K zsM$C@8rX6rM!acbVTsOZsd3T+xsXIB@ef9Tgs!o#Ex9z}lbHM$W+D%9Hc9ym>e{G$ zMo9howj=n)rfU79!s&qxqo6`$WV~Dj{Odj)ITrqiK={`Ke($?T zgD~&&Xj2E|tPrIUd^3g;Dtcc(HDi=eXNOZ$?t$KTlzCF7I|3f_^HADlJqdM zC}1pHJ|4a81Q_kcBQr)Cq@Fi@oND6+m7a-oo)rezxbiQzc$Ww2uaIh|)3891XGmN2 z6CKnNC#=0*6#Db#m3on&mqHWeHZdefIRP_6`ouve-oN%ZsB7r!;uDws)4uD5$ zZNHpm0@8QIy`NIcfy1syRh;b!WbLb`YG#JjNkyj@`SpU3Ij)A27LEGj=} z5_n_ze&Z@L=sc8B7LvM(47OaRubVLfYkxg?>CJOMKi&D!KIk+o41D!|k#G*IIM4mb zNjwK{^G>z5XJhth{T7Lh9s*YRYKZhd(H+)dFa=c2A@Jn%N!zCj1)(Nl1akr)bVQq zYBpk13$dM7#Fm5m$p*&k~Y}q zs!!+9$U+D4awv{z1{AjAmpnXD>|9!m4{UtJ#PR zq8`-q5h4{tGzmT*eNxmArRdKNOH*t3d;!m(SxN@^P$jw(i(-fPml*U^=>bE( zqa|WQ)d4ulVW@%3X=T*i7r0tx-zSUZ!K1qaGDdv*EB~YbxRxbc$4%r3=Er}~ zcw>F+p7g&?eEwdbKrQkui!TOlx0lHjJ-mTPU(L`qzY~Ye`n*&hU2Al9nlfOu7yCXM z8^(SyiNlr3?EE)xL?QWN5l8nNE0`&*WuA@?1NXl(#dr%h5ohr;oISo9s9EI3+3&wI z;PaV-%eIE8P&{};C_}Og!nV#1w~9pp#f!kJu_a~T@r$`^t)?3E_xe6`UaNp--@0qb z!*W4-$V{RsrvJ!(pZ|CioQFIL)Fep(vZms{cqn52(9|3{tA>K4=4f>)vFsnN`6^|&;g zGG63Xr}u-TSg~qK7hjAA=snW7ZUzs#qFxX`^@UCCH#V%BUWn`_FW+s|LL~At#cP+r z8AJh(cW5OIY)_Tn<_q&dJ9VFqKkCl_!w0cD%Ww3M0gn*j@Rf4J>#L(6S{RJD`k&II z{lxgLFMCwRbA3QHe%bLO%7?KpA%weDM#w+l#Ow7*C3rn+WLt&x9q1Su34#E zw|6Tv>)eop)O1Nnec+ZfmkfTW8+?!6N4hxq=v?Q|`2dXjP5=J-@rFzfkY&Uz(bDri z^862T(iI)Ua=dj?hcOX5JaQmq@p2^1@D^G=_<4{QRA(XDuyr94%Z{4 z!}SQum;ayjNcwO+k~mzC^bXe}DIj6r>89BOcy;^xF~`-Hh+%Of*SN15IQ>my&e)8B z;%iFDtFsg6hW70Sn%iSA@oiRQgH#3X>>ix`cUBh(w&a{76EK8ju7D9g7a3Tg$j7lY zF+{tutbI#Z-%0T#ixiDG4f2a$aXE?VIJm33=#WR zUD;S**u_}U07av-U0*qKs*6xjt=i&+tLfnRKot#?Cd29WiF2%Rp@{iOK+ynGGVsRv zPJ2ACLC#P7gPyrKql?8^U2c807~kdB7-t1Ns!cj`U({9>a2{k@-;}dEvYzwF@6IoJ zM5&Pa^STV9ZW;{SJT*)lQjC775XY_jC_vFZYJzO4DZuuA_|xiO98fnq3s^2x!OcJ+ z^Ly8;;Hje=>B{GJ^r;obZoh6rjeeEen$cA-8ov-v{;~>G$|XaW->HM;!HC{&iyGi} z2k%X18iPZ?2B*EWKcaBy8?j>51oz`FZ07$dALfrs9p;YH{Bmnz;Wf zj9MPvNewZc55;(@b9oJ9t+IeS@wIYlTn-vP|DsK3)kLwhi`)2}($H9&%R_w24>fZB zrgBzyKn4@4yLzI;$oM;ihKi6nO;QE>*<@K#m`nD>mUskUJ{ zh_?#QdUgX)?8jTlsrmj8@OpkNJ>3tM6i>`mEm5K~0fePct?8JD5M z$@I^!X({x)ICfolGZF3Yj#4w}`k=mpiQUCztnd3fFvE>64-qq3E%tZkg4NHBE4J0D zV9=W|v5xtD2;s6?9aa}P#$n&8XQ>D*79%f1t1x|8+U1p`7Ulo-^9X}`bD$OH4KNH< z{2YC(3O#+HTQGVv4KBUYl;OhOE0NS^6c$5E(BRv#dV-By$Y)z+ats#&PC7x&wtRjx zrBE~c-Iouh$E_$@nFK*Vx!t}sUmiUk8ey$gK3o-ROFRrbdW>vUnJyGzW2yzt0;1JjgCV&S*r;NM1J@M-TvWTo|F=h&MN zg!krVc7cUISn&)zO!^xBI#b%JAEjzx=&J9SS*4 zt<5{vgqoIP^1P4Lq4}V|%rUh__&6&$!$evNA8-k`{gj$vH(~PW6M*MUt@tcd+(LZb zN7fa+4q5j+MUe&R+Wn+Y+Mo3H=I8y_d= z`7+pgx>N(HM$7*COcM(q9qf+p2iBqsKSp0t=p-XTN!@q%Ut|H^p5q+;@hH@CZ0EWc zs)VTLA4)IugrYzbT&_%ReF(Nb8za%94ZHXGHkIoQ!27nhF@>H1uvC_6t&Zy-?yruz zpT|Gk&*L2K=NS+8^9Q~E?dS0h_wxt6N97^>Z;wAJKkB!I`rCPr8)$gu4h0KtB4|bO zIw%dMLED4o`sw?M68h~%M_uG zijc~Xq5-t?pxc(-t{k>car>g!de~DFa_u(uLF3b){zy>@`YGSyzr}J5rfw>1&eULj z+tq;)lUPZ_dz&oW@0t&kpR}mkjbK2|`UN4QRHiWAoko7q)CO_|^VH|LozYm4htcAJ zEpWFSSGj@tn;(l>OKXH?!TT>d-8Cl?fqws9Cxu5780wUr)9THGu&IY>#EJzNKe$#q z=<7oy-IKsP^GX^K9-9?aSVowyE_Z2h#|lP{qmLciK4^cKa^7l26?Eri1G4+fj(lFD z_^S10v_TzRwCej1xxfg1WGC#-(Xs>WhDyvk3pOCOyI?(inhio0OlExpSfNICCyd}l zG;my`Wo8S({OdRLu5{5Spof(mRsCkE$iRr(^+~8NKqiOc;D<0M?6{_{)?Ni}bmQ#3 zZ50qPP2y8;+m6Jzsa|jWZAX_|8xvi%vG?KaJ0}Wo>Ok+AEJdZ2ADC@^iZ*qL1gh#` zcAE7>q@Ac9#5hTVIPoZWB+8<&zJQ{46MY=|-7l+oyd?yVU)kl1mvS;kG8@*v!dS1Kt8^;xZ{E2(qi78GxYH&>%Q2qAy!Y1|GDh(C=k4u2Z)>n(_E;l1 zp$7#E>+Pv7;fMj1%zKDQgH`>n3^@rQ;25sTG{TdH2o>SV`6V0F_g081_PH<^WECiv z7b5s4laY4kKn0$P#%&jq$ibI_w5Q2CDo|q0Up}6y0-4v+Yg~mDVDJ7DVs0%=wCqY^ z`clsd9*c}x&Gu`(;iUj ztVCr@7LN>`%P{gvmY@h-xKFe03s=7z(VTAf1?@NZIAuSveC_kz@z(q#hdhUKhdc+Y z&h$S#hckyfhx3O#2aG`|lOESjO?#LZAb*$_Kzo=MKzW!Kz}n#4%Z}ITPItm`WNGm^Qmr9ipQJtk%LD&!{&^1PpZRe9c@F1a=Wza64(I>sk+1*E zd;Qw?Givaez2P?PEnzTP=w461B?Jm`ik3#T)+qJmMIDwf1&}_W^zYHU0J5gCP9YS) zbRj3K*QB0mga1q3>+CcU2v?h~((s8DbiKDcwlJy(-AZ=UD|yx+wJaQd`c?imH zgtVdg$;StN%r}5~ptn5h+fAsmbG_7YtqCpE^`4vcy9s$GN1d$cir|e0^GQ`i1?{oAm1c1Ja@YWSqPSCv(FZQ9uTFB;`W0utgdr-dnEqaGC z1X8YCeA8KJ5A*LUUl|i-Bch0*SNb=@(Xo4qgj-YbaQ4w1SC7spq%mSyiEA8%NKNL8 zau(7+PpCBh>=SDg^+s z^KsE~Dj)nX&Lyk8I&nNAE)h65Md*z1_fJ3Hl+#0-^W*N86NYH1GtkZSNfZd_y7-M? zeD3fI$5wp%jbWNaFhN2u1a1XJ$8C8RR5 zb?X+Deu^MS$KIp<>Mo0jQiOwYWcYx}|6z`*AU{}VjL2+{@`A==oga)*TIhG4MI~z> z3tZYDFL6}jg-tw?re;Pq?C*l7dh%G{o4gjW54cSl zOAWE-q2qT2hc?cX4vrSIjjykp%(^3Q}sw^05!=eL>owJ>p; zz*Jhe0bb|eJryl%N96>ZgOQN-og9Kk3}#gDi$mklY|N$_`cfHsX#7oV)V!2r6B(W?r!*nY)BwJ(?u2R2`B%)`r%vd z1;;MF_z-l;3#bF+gvU5ykx`aLBA2HZJU054GxIzQSOu;+#s|cqoBA2M_akHA-fZ1w zNTMIQkb66NlmpOXZQky7{c_;(ptHVA+y(rk3md*B@G(*3Yu#;AbZ0MJ)jt zxOl&^Wb9yg!NVoHQHQ^2l~w3f&ave2HHA#KK6|i9}-r2*5qYk z4KkzgslS>7(3M|mk0L*|!ediK9u=B3GldLy6@HlWz@wu2|hqG6XFIYDa7s@RyOGnB?%F8uP)9u#-q)vA&u zqWl*uleb#@!FZfdpZmQR;5&1=Cq@K7cG~zAdKX{d%_N$XmiL8|3X@MC6qKO8_rvEs z+9Oep?$*3qKpN5r^vw>TcSTJq_AZOUyWO%!B?EFKh`mQ_z~B;U|orwaMdIT?7?AjKAVN~hVjX-Sf?ZY zmr*Mc7BR3JEb-L$W*j2pbaI&~$j0)-ho&r2lTcZM=Ew#0d^BN8B|>PEi27AIz3+!+ zgU9~vyH`4)z}pxw6;*j1hIvD{)QVzI?Gne$ms%A_=tF7jt-U1SORN2A~;sdmQd6D`QtDx$gcI2zfE3SIR0;02OOxM|HiHfZ@eb;Be@G&(m? zwcJ6K4ZlrrRp+rfIn#lRurl^Mb8Nh$4?dBOj$bAnPdXV4$+l1K-(A3XbnZTn$Ai6~ zYX?8Sa@G%w#;SN*Z;_)e`&O+KH+$6fVcy*662?JaI4im?=ZB;R8)<124N;JN(j5L2 z4svB$qm!-Dh1ZsAI=Al{ql3y%-E56UppBV78Z+YvWuRqx|Ue}62H65oXov}CIJDQ$2AjY2a6pys(9#8Q2 zasO3XWFUySbho-^2B05>Az`k(0q}+}Isd|^G&F6;{qwbjC%P5z@1ekz1Vrk2(YX!t zaS%Q?v!Hou0%kX5hef7hVV;}%cxpu_{2cP1H1uvo?Vg=0Yh{n%)?z_(jse$v{()QH=YFOkm zXz^g81ULK-1oi&1=&1f99n$lYL^!N4ZCCF9I!^-Q>*G1^%P_+8Ka+0!`wTEQ#>iDt z{zvNfn>$*f$QsaI3Jy^VcawCPg8*R&MKm0A}dF1@Zj3-JwXRtnp%9TGpJs8K^!1n5AVJtuD z*B9HTTIbBr)I6^_`4~UU75g{F7F<2DA68QUS9yoh2*f+N)vn1oA@|g`&jH^63V06K zI_0cD^2e((sR;?b}b@+AU?2D9^DQIBX1eEuS~R&wJq; zueWYUMf(N+I(S^wTlInH)uYsZQdffa%Tp=1!BV1ukk3^J(FprT65_KSnHTY2ehtQb z{Ga?9|HJ$m^~3xct;75ptHb;nB}k#AOZtX!9YXg)%Ke5y(IBhZV}q|)znz{39xXcq z>TBgzk?{n9-g{P@Cj(JHpY`j+JUU>r>Dwv6xQ(}EP9_+fazI4qMfttFtzfC`_N~7n zp6KCU=8!;3YgpB%OANMkg)jePY;cy#Q1GC3=<~D(@Vm6>idbkX{Q4_;VQb?KiWvi6^Df%UUU?WlGxwz`BZ7o=7S z@DwPL0G+v@lfGk()cAvgxMOY{S)cH}_?+?$IU!(7SU9Hkg&Rb@o0pg|-_mDYdAiNJ zCg`Gr=VPhIe2~byFnqjG2&Aj`dK_++VD;Ziwedbii2RobK0o&VdVDfC5fTy)cYg;z zm6!5`<1vkRz0~eU{(t||Z)+aT598tdupiD3`{DdB9nKHO|K;cZpU=OLz`~~&8-_^y zqBlu_(^dG+^4QI_~9EN)zc7d9?;*!yVR^B@V|aNN7c9gzdqiMa-Ya_ zT@iTRdT>nK(gCV<9OV^mV<_Z)uSESO2;ERve)>g9A4pCot;c!lfn{Nuhs=&Cl$mYb zB#*();Y*Jc;;Uzwl_DgYk`zj-7zzp5 zExGGAFr7%7SNiLDC%~6{9&AEnfH^`hRdIjhYWktkl=gXz<57Mq-ZRE7O{jip-com<43CU7Zf17n z0FnJh&_=NUeAmc(7>Z+s`seSrTR-53i?XUhq89|<9jCJ-$z6H4nR~oXvtA6uPVZ*e z#+Sm6%Lfa8gF6u2n(`m!)3xyaLg4SQfCexp+AEPDuR;1GCjyzuqCr8U=ZEK6H%JOl zOkOvyMD^!Z^$fW%A8l6Lj7&{1yt6&Vsjp%UNgwTc>SD0I<`L`d|J&m!&A2SDXjdX% zfv*?8DOW-NaR$asr!vHkzv`D@n}zWA%p)xu@}bb9o%$GSAxPg+NR*`U!E(WNyV#f0 z(4zC5?yJ?Wm_uKJ7T{D;K6=BT(Ua}BF?PG_WqlDaBX*9t>%^>Cpp$dGo zitqoFrGd(OC6de1RDkeQjmM0FKN^1DRnIq7hx$fK;sl#xk@#gjK8CD(_>A)=D&~AD z{N3Q%yt#iJs*5*H`J@TLGI@f5;uC4qN-80LvX>7gZ`Tn^>9D~I!Iti%4{|6^D%>uK znjMasKQ2I|xYAfu2}>dBG#0)?s6UO=@B&p8Y#m$V4P&i_!S~9dm&A0=` zzq^0_x9`vY*FT@Om7IRm(GTuyvpc(7HUUcJhQ;@0(a2G;L%sBJC|r2dW}Kswik8`; zPMDKK0rhVW^*`f@5Q)3S^ijeEx&QF*yT%s`F^t=W`xB1vfT6;`>~bV}wJHBT_B}*#v=AoV@YiNo20F}!>E)!a!Ijz4M6GEZR8?~j7niMz*uL*F z5ov0HIfw87BGp6YwOc(B&cLK*8_n zLg`ne(S5tt4NpB=NK7T6sG79_e?BqEOLBJTim5({NuwbO#)}tBYO#QqUliqqb~Itk zOL=RxjSn_?qJF1uSRr|R9iDH0u^eCm#+8Hz?x=Lw@_m3^G?H;5zunU40hb>Od`xij zhXh)~CO2$ddZ;q|VOiW1tO%!9ZuEJh{Ap6AMNt#dj|~t z*T^FD!SD7Y)j&r78Tvx4QRj>KkAeu3xNK%Xvnl6Yls*%-h`YPPB4W-yvN zi5DrHB?HDZs;1RHy-+k;jn-#X9SA7yGH2;ggDCz@KOA$+2SU0^`3mEs`agfJS>vvO zTvA__H$4{shOYvJ+2mU2{ndLV5g&EoUm)E!$0EjI2ES%54LulIT6@jRQiu8F6Z-y) zHvpgMvA+HGHZ)ZG(>@Zb8(#~0HDDNY18hJezHGYuu>U1}$m`HLGIu8%u>zl74fo)yvYQb5m0)4PabS`a?#W0`)M308hDR)k!pLpLe2@A$d1 zq8)!N&d6_?Fu1qj@#ZZj5cb^MFKm)Uk~c!F=1t|1a30yjcyAwO)-LV|< z?l=y4cie}(JC;MdXTwXeNDKU|l{MWfE`@#0$DXXx~%Ibwz)`J9~MzpW7YryXhx;KClPFm?~cD zRylN3{zj^*v(2BqYmj|I=L(5N2nsn_Ri+eX0nhd4wc{{d{|{dGHREq?$X8rR{~w1d zgbmx({b4jj(yS-Xh7PI1OAAA$Wh)sp8Gf=X8LOMVPNL&J*w%pAh*5dkPBkDKW-Gm4 zwA?!!Tkx53Q44BL%|r}t8o(%j_U+*^1JFBTUnj(+3(;|@`f?wpZQ)GIR%Ep>!#EW>c&8D`OL%}ADN6sjcdx!I0vGNCZ2^=E=D+Ua6eZ(`7)G_ z^FCo^Wq`Ad9nHz?j1Y@2c3tEPmcROse|FSE0sZHnx^(EDk~{QIQ6BoIE*|=)7!UnZ z7huqu%+pI?l~y?3lJULF#bI5RwMmIm@{KKz>8 z@^CJUG4GsD67VKo3Qas64S-t)jwl zFysSXC5jK^zeS;)D!;j>w{79WAHSMd6JbPs>Q(bcFabTTGj$7;Ht7A_>cw+ixCjW` z-$afZp)pDYiB7g~7;v>}00)9KlC2VY z$dYbWFkO@f^4@Yj{Tj~$`5gc5NN@^3&)sycJ*;nkTH0q*#99CxtRys*v3)~dN<@so zoF9_o9e&)2y{FP#A|u7?&LhF@&EK3KWuR!JssF3nRd`lK_jztK0K7bh3Wh0c;1QYN z?WT{ms5J0o)vJkE#CQHlv_KDb4v<`Md)H5k*!$8GcJ1t8b7N7P>7+G^Xq^_Ses>Lw zj#uFn;n_k*?w#fr$Gy?d_`1>u2l$Zt(ED-w4ShrvH)vBqzyqJjZLV)O^1}tLJho*i zVfY?(dcyq-FHE(Zxn0~K02VmUG%H6fq1(>XwWco?_1BUSH~$L)qYWzJvg7HXmm<<3 zb2c3DHQo@VoWXLx0(DpU)=g2_R3sDMYh~ybzpq%WuK`TqjawtPOp%IiW8_Or&qcy! z<@fuU7BI7((ZPRm6QUoA#(&BWM-^ez0yJ8+=-&Ijp|M3D%tx#(z<$;X?VXwEq_DmL z%;S4Oqzrc8-WbLdN|u49^(D{#F^_`Ic3oT^G8NiojIlc}lRpDr7$(QrR=&L85v6Quozm(0O$R zRWAo~Xf?OUa10fNZ$36Gg2U#>kvT7PQ6>jc9~0yF_2t4v@6WUp68UKKw}*I;X? zmCmDG9q_HJ8UH`-zWS@mplugakdO}PknV0|=}Tegx#o&)T{F1p&p|`8pM>U2EN9-; z8-Zuwnv$4<2lxo8b=#~4z{DlaYK-3w!qpEJSHB2c{i)7#)OI(@i&yD>UKNtQci^iH#I=d1M6L&_&G!x8sO7sCsB zDfxgmj$;z-p4fl3w%rGZhis}vd6$p?d)swuaS3#|e!S9Uf*E4CEvoi{c;LkJ4+E}S zVyOJv8Q1AQ7=43cKOs>#JLaCsW}bZ13s#*HC~qHe0mB5xOK+&W;qH97hs=3TcxXxrvbnol zX3_h-z`HJi;ZUyWXEZoy2Zg$dz8tbqK&!b%f8={ClH`{g8D4aQcGb9Zlh-4VJ6+z4 zM2IXLVKaScm0$_seJMSE?7}0c zl_a=(hvG3D{9Kk499cn+taaA6D|%o>-N3rNU;*d$aqUlUFwdEzjiccItTtZSX#^@O z_=cwGuE6>I2P(Gfqp01TZrsG71J;cs94B1vAzb-LxbhSJ+x58a&;Q%~`P;q=maiy> zqKuPBG*djw(Yb+Gkj*m^x|y$-fs2V0M8`~S|L)Ht7fuc(3!^ek&8 zHm4bpO-0SjS4LWxxWmFpGe!d)Oh+o-@K9yGdXr)SA20h88GE7dEwDDk2ij zW}e4%R1jrx$XltH3M84>=buFh!dctP)&a{zpn1D#NyGUzlph3s^-S%DRqgE_osC9V zdN=sM)nWqu)_j)#BYFrX6jhI#ydFVK$$b}kKWU;HzGfvyI}FfR--#mxSLA`~F89U` zlLD|lXje0!l7y}4oEysrQt-E)8(S}gt!Kd2Gh*whvGp_%|L8C`D{lm9pP9EzTS)?Y z3v#yxvos`>+&A;sH5d7v6`Yr<&V&u(yisbe3}DmE^f5-Bi2TIdjYE1C;K;oGe3DNO zk;lka6+6qrqspZ-mN`1mOKL8hv}y+AH?3yG%Os#kUZ>?fTPE^V>4*%KN`mN;gY+gk zKd_$ji=`tELj)r-H%Z$Pan{Ghi_EU6eZrjcxtitdML1Ceo%mofEf8zd_HgQ()=;O@ERq&yoX6na@T&=%u=DJM|8sr*a^oS(h&?kd6f zIu^H$ZBGb6-jTcATujQKQ%CmmUZ50=PZ(QVu~Pz7>7@?#7G+4kJ)*plDFbvWtLdVG zE@-7^x88$F8ZM~UC0$%HMXmP>UCIeGf$3e}$x+O{*?ZJIDdmnP>frC_89`}ct=6hR**u0=%J^Cr0pBEgvd4IF4!4nvFl4^8G-Qe|` z^5($=JK$GYB{j3MgI>pI2~*Qp^f(~5Vj;~M3NA6Fe>d45ayfeN^UsWb-;!uZv56yLLXB&vuW8)iA&UKaxWIg_hCb;c<9*`H%$TGCK-P;|w* zN(T%nOH;3;%7bu@m`lhhQ*_?xac8=V0yOh;p&vXn5HvMH8u*nG?s)!enZfY;j4lom zNClBY#4&q(Nd`J-c=yKiH#r69cT`yA-PA-6TT=Xgn5H9(u#3_;2U)28u$adcn|OFm z@p_Ka*8`I1om40=I+;TyUZVF_F#5z?>x+9|BSBd2xgYITCeoJGyiSx7g5(7D8kCG& z(e-)u0$s5vz;(azKT}T!wLXOq*-Zm<mz_qf0Bs>ds1a3FIvw5g2I4>NhZ_P0QP`~UCb zKO570-Mm*Hp7tMW-)xpZ2kf#x(~A9^jw&Hu zx3R|!k}?k6vLFt{86PH?Ivx~#I2$#)M_>5<$dFvYcBs8)`=e)s!rj^GrKpkz}6H^lmDF^kR1XPtj>QGU_CF^JB zE0OK2aBj$rO86A{M{tcQ0c?+}r_vJ}15z$8%-Ac(d4IL1QDm0yjgT(I$?F88n#hur zX=Ef;66_1hKPfzx1fibvSDzV$;I;I#+^GW*oZH8Bzt?v>*QR&S1s-+r?1f#mgzfgQ z`hf#qMD*Y~bsw)EI-VW$E1=5)Voxf!964kSYW9=4{hy4Wp^zio<&_g6skO{5ziI-N zEFHWPoCdJ$m77w}YK1iVEOst&Xo5FuO2I85RS;xRTEEv}g}A1*t3#}u5UpdCw3mh@ z*bu!n;z%-sBHx0xRx3@YG10JBPp3v_>OBnk&xJ@`@1c^iarxPz~0%Q5NRJl_KJ$C*faaD;LBDNnlg>LAeV`-v; zZ;CWf$n=f(okjJ~-;;<-oEK`43Oxht;d(e z5+(w6S2TcU>}(2Eu?EaW>8n(*nxg%P+(wfwIl#4Ergoi830b1>9aA3pJ&YcCAn@mn zQZYC%qtiNq(G?pR7-ru3=d4oTfp3Ms*(K@O;i+9ak6?<7O2=ta!S4{z)wc9 zB;8&ENd;=LHffM{y6@(aL?ZfmER&Wfq7p_E zH#f`T)8XLkWY^n_I-K)3{=WZC*!g9PonJ}V`Q?P2U$)r!bqXZDT1Hs;H(~DaKhY~5 zPk@En=MyZnFgeZw;>#8HI$>Xisl@k-2kO&sl*<2e7vYMZOs(cgI4Xvt^P~h818NwZ z$07W>Nx4v{C9HdnPWhtjEyEk*4S^W_T`GOOQy3=SZSM&^RW1nbcbD&H)*=72VHwq` ze29@2rcuJ&7psy>c6XyHlp9g_Snx^~2+?n`hK3t}`bcdHrF}4Bk$AgxF;ow-G&{+H z9_hnX%L^auBlKX%ASPSFPzmS#=SnUwAHGpA$d7%}K2PZf;q|xD?#Ts1^4HP}4`f4N zUh|Vsv#TF`jcwK>d!L8op3UhfJi++RH~5#tzEMKk+D5X{){@Y7ku;W=SPIyM=9_J2 z)zAVbms8OV9%vAa%?%Cngo25}%8S9i=(Z$xU{LM(JIhlM;dG)k{t> zUjYZ4`PjJT{r&$@FM-WBl)&a2ieU2%#jyE?O4xiu9#DSc_O?hw8Lq3486L` zlaY+!$(ZZkyck8H4XNjDy{oskLd9z@JnrjaeAvF4?vuWA1Hw~$X8RZ)13#wkvwb9) zDDS=TEy}G_7{7Y;?R!!$$RxM-_6+UZ$X17ioNx#{w?S82KNnu*KxsYp%E7wnv*@HhF_J zmhd)w$e&Wt51nKz9MiXPhZSp&HHo}rv~y%6skK8C9e;93*jFbA@NZB~21W*hn`YMG zg&z*cf+3yk^(Pmo|7MtSt)2~eduly%Fp&e+yM^)0#h%ck@lCi@B?LYCZD7)Du8-Ih zWR*{hSwqLQtvLS!XQ*=t6J{R_M$F<*)~;)xMkM-quuJX+a}vi&zZbg04%55sI|5fx z=eIBko03FmTQ4S)_e_NL<@_J#enmpYMt!FF=p~?UEuXag6bmF9U5bVtb?CBnOKC`I zGr;NH%oIm`^l0mcA|Y2EBKSd>r%;#<$2j?&y&hab+?^&ovZgKIzcifISalr{)}=FV zX63<@#ha`rWlb0#ZG!cpkWR$@p2zbh`!$^BBVEDT$xzu4WF-*F=Ha3b11(|mAs$9x z%utc&Vrd9L-a12l6si z;rN#QAzb}zf86;HHb1P6s25EXi!u3^5-rDWJSE5AtLC(YJPmfRPd^aN*aB06~+!^Is#IN5)ycak2XpZ)BkN#}2X;e(XAxS!F7Z@&a`FEqPC zu!C`F+nhX*ns92Z>q^0j@!49{4Nj=nS;MFfRiTdI)yJ?bSM(^f_x;n7M&Kg&yjL>P zfpWYZjyq^{!s+gP>C%^NVEv{lYHXwrxz>*GwdhyCEBw?gNoF~u)4Azp-Hi_nWGBUy zyj4L%hVK?DKMEI*5m$wH$nsn}Y-D-6Eq&QEhzN57aB^Hr3+5z)BL zbQXr^JrQ`*n}5w7)G26HregeY)_)Z$8i3GqtS7Jfi2}2bZQr+wV|EnxHmjtZ6&eFl6e9&QOn}01Rp%p!@Dlv}+TUHlFqg&T zS0-{A^2RIjyD;Yi8zbV1+7IDqnLFdW=2{3!j{3mS^dStsDKR z)W2v4@40$HWBIO`m%1zB6thVoO0t4^!5`k|KZaxVjN;gQZEd2WV3J`5^nPBp=Iv7yz3C+?QBYe)Fr1?HsD98WfXEk{N z&Zij1uO3Z?{9CpCado*6`t;)o{EOLOL;Cem#f4K#9D&v7nU1#DI$jvOw2C%* z7kCMF*A4}1nb)Gt$K@hwJ;f;YQOJwkbNMhK#9w;7`~uGUnpJbnf{A=5RM>L~Ikowq zccmE5`^R1=VKT2QvLX;#91HmIcg;XdCZ5XeofVilMr_Jd`+%@=1m)~=DKOQekL;C7 zLQ9Rqo$etK=&2gsh12~G;Lw#XNmrK$yEj93Ox;{jg3CU;5F9@;$doa8I`&6}*54ulP?d(Ns4~kav%dMK2yp7OV z&s?VfbjNa0?eHfj*t_E(u9h1D4N2FQbKggy`01VxE;J#q)}d45@-Yy^A_EN1F2tjp zFJ|YbXEw zB|IBWo(3`QV0a&fv z(|gc}Y)spJYmZffokd5+Hy_OJwj5e*c~=q9tiVQRPCBv`n~D33=MGiA=julD&cV81 zv-e%kLL@*L-NGUii{Za@$Oe5%1l}|qS!o?#?Dy;6^|l`0*lk;%X+T0W=`k&_?O1a_d zpa_rm!#~xVDu4#F35Rx;0^pj@i>v?Sd&4H$2R;%YmS2B=gNG09My5259LPXW7~$^X zv^Xe))Y9xM2|(eJjO;moOm6+ReKr|ZMQ}fJiy_ES0-lt*4LwRwg~m4GunB1eXqoRb z?(>v_AkW6e`iCxPf9vAZBQGs<;q9$F^Am<>C3hhDl#(KBY|6K%hO0plVSFho#t)Qy zX81I%D}sHpqNkNFox#2ADuu3t6HHPxlkD!QJCzzr=L< z(G2lUu<=|E=AK7y>LXn*ybsaL8K@mW2iqT*+{oLo`^kSlzx>UASHR}KD`4~AW#MoB zyBs$ET@(Gye;0?cgSiVHxomR9(n}V*pw(k~<_QIi{BHlli z50I}zl@ZOiZn%1FFy<-s4N$6Pw;RfAM0csP!XKS)#pbW+VDs0kvH5Fy*!(q3Z2p=J zHh)bOxLuha7-u$t8$Gwvn8gsH4iP&3v#tRwe{b)+vc3wA_kS%LT&zPXdz`&b*=m6A zmsI>A8dFI3G$X0awM4Bfr`;&u8-QHN+xAbUMt~PHJe?$V3Mom2_kX&t^*>bag6)q7 zwm%No{y1U#a|YWVtN)??{QLL}61j>C-k^l~nvDGI1JYNq4jVQP3sPILB~Ed>ND zzeyMl=75-knuU@93Q*cH8cbpF0Rx5@3XGFDN}iw9JGSKk0$)FjbnSUU!gDkGnz{&d z`t8&E-)voQe%`v6+o`^>pN z+A_$~p2%46Gc$I7E{m;K#MWbU#Q&+6#@1_L>xH0W{nfYisRrqLZsAriAf zSD=#V&HG`cD?pLiubsZviGu3}<5^frvFoQec0BE{<0*+9PciIxs$$1e4CnKLX8S?M z**sPV=_2qw!*voV@7J`oN3sJ&LG$i5Fk|#iwaY{#FNYeU>SmOBm~iHc;>zz5cZ+5n zDvLovEl&s^*LEQ4+XZW0Q`O-7z+yn;VKo$eq<>PDTMtg($T~H~3lKxmj8*@g9B|?& zs4=z7LUai~e>Tuu0@ul%?S`IwNcSyRY!{D0W#6M?HJZv%D${$fP0l!UC&c}^W!OdZ zo08B`^7dJn-o8WDostMwRp*@P0;8ah;McH0aV(54Uf8y9EQF&+Djo2yX91q$$=3ou zde9@Dd;+(g8qj~AXu3dC0_)-&z6C;l$kyuX=w&xeG)THo`&;o6>c}ULZCbbhFXloN z?o!nP)vJ)sNsOPTS+9HJ$uBjCE6q;L>3RW>Fl<|kXY|7418MrEf!lEZ272iiI*tZb zxA$hUdO+07jPKs30rc1ZEe0{mM$48FVD3$8taB^5d?2xql_keD8U$PA$9yak5MuDr zerxCl%}rTZM-07@_kMyJk5dq8D7_y?a?=&4Lfbx-o%DeTqk_mMO7?J5ukA+BHy3!n z(PPj-jKO)<_pfoaYCypuNpany{$NY7=xERzgNo_v^gmMA!s5$7vf4ad^w$s20_z8e z@s0eCAD}tb4^SQJ2dIJd15|_XcLKM(iXD+4O0=Zg%|rs;mo%M^q(J$k{RDkwCS1HD z)m59C4G|whWk%zQk@mfcC#S<*k$3Ca10TTzAmKVpdqY1FUC<`4I$|FL*HFRfO*TSmXy{_DE5QMBqw_?TJlP|H5yk3y1PZI)nNrt(kdP>a5D+v%6G!m z4+q!wl|sYPtprTL;l#ZpUjaKr#A5GtjMWfahX*gT?W;rALqfV~4DbBYmXpETA`LkF zWXd#wfgdJfCUw$k`C(yM@>=8vLnL|OQ~HxH-0*GWXd168KX_E%`|3o?i?iP^u6kr# z$LFj)iPY)c7<7UAm8REAUm!1C;(TToiGtVN3dcGx!3u5AixH}5!+-RZqFu0g<^QgKJWj%O zXt*~31=m_k{2X&bm)4?I61J@|d8Ujc__LOvc2b{%iPa5g?mnGnW3+cTWh2P>gO8UM4wqv1i4f?6jdz9h42Y6D{Klkl& zLyhOTiSV3Gp?VA0Kk>)~V*7asZ^e0_kWAC`)_x=wZ9N4X%igPTFZRU4^GT@o&#0bgM}@&0`ThMitxJV5k%@|6r>f*h_ioqq8e8O z=?*5}CGJ3l_n8hDWr!+lk{Q8|Y&PABU_D6Ry!DeS%@KKB4=y)8X8?NU%(SCJUPy*g z|Mo&@IQkSGewDw(1&*x^m)UD9581>Xwtw%YjZT)B-RJU+#Tl=_b-#U{V?;NXSqj2W z(lMG~a`Rk0k*mKz{B4Qi0lJ|1iH+8Hn9$Xkejn zLEQzSv&=gfzpTn*v$hkpP~{rC=p{IgoOB|*Lp!fRX% zm{#P#voPsrW~S~S6^f^Pw<-@}18OY4Wmch|BqJU5s+JI{eX_k<`!qaoi+|;HDIA0i zKRA(1-yO2Vm>QdH2O(8;LLYzoXwVzB{gT(6jx>_5-DO(lhL5#`GW;*u;bX-pc@r}? zxZJAGin}6((idIMpSjBk<&;NHRRxJ4xM>xc+L(mmiQjy-us?%}W|j!<4WCD2c8_)o zD=_&GndG!Gc@d!f$w0#4K{^Z&t(;>q3+OLubJ0)a-EE2%~?0Cw1Y=ZO!WN544u zmpej2z=F!sBH^tiI^*9R^|_%K%(iAz+fU}e?^Dq}?1zeh@3yL@Ia33A+@$-qaut&U zFC?QGa<>F!e*F1F+BO?L@mToRyXK=SXTo#7p1uG)PlHq%*)u_jyXV4QOEHor?AGno z&Vt+K)QYmt%t5o8a-VVCABhL2*(jEq!Sw{@BV)^^uxm!cS550VsSSjc+)OUbR;V^>Z}vQ?3gD{8!IeLT zYyG06uDXJMC>*Ol6_NH+1R39<6MMXI9^q{}hYZhz0tRW3?Hlj`*GqqB|D<7Z<^F>| zb7Jx5<5>Ke2a7**VDV>0EdH#GGyaTg`?%KQ`u_YKPa2r#tcs{(rvw)I7&nsyS#*Ab zv#|RY1(X-v<9{PU4SM%N+mj~9vHawJzrXv7KWkv|X9+C+tbxU!C9wE2#$V|___Gvn zj&o14w8?>>h4bM>2MI`dF+G^iq=t;UXi4w$OT){M!1Q`HO_ZxT)1|Q~1-SZG;ObZT z*B=t&Z~h;DNKdRk+{tOuV8L@c za)(VCI*w9(nSCG$RKyIt0*CF#&?tYFu_k|j|?r#=fu!_ND&2{h~D9e-*Timgj5?U zjlVSkgN~7t6elbJ*Y%BMIF8`Cyajk`df%P#!RY0t|IC$sQ~;;*jK@8tC4lzN!?R@j z(x9mQV&UU$H=O-TA8Yo0y=CAKh}~cerJ7=c8c`dIbf`4QBz{hLuAS;rtIfZ;egXf!-7T@uJS2p)Si=qAu0JYqo4Fq za>PeoBUuTsJNIyDI!P8OscHAz!OYk9{zvDA_bRv`LC>&q3Qe1z9$+jzK44k+jLDN^dfK_=c*i{?fklr&Vm z*|Z1*HUo6|;B_d_ovu9F$Zd(q?aio&*s?{2XI~p8>^o!pU5XZqi!tYZK9R1J2x|yy zI_s}f-~z=pT|X`R9nf^*Z*4wpHR#xkF$-tbhw8kzji$qTh_Q(3%|$kO@PFJtJ9$M1 zO#QzI;sq#Raw~l=%VBh5jm{Ps15GEC=??$DDlV)xr@*!{L3cE8Pm z-EXsC_uInQ{WcR!WHcx#U)4hxIFqE`#uQ~nt(l3QQ-!Q6#Dzg3YT(y$sg0OS6#^oz zZQ=>2fTVtLR9$E&64gF=B&pE_LWSSSonf{B=Uu#Gs{3J3D_iCjrWJ+Q*j4XeVfKbo zVs|dtT)_CIO!Aw@C1TbO*=A)%eM#U>DfI{#wMHkujN`HTNJH*kMa7<<6hte;kbcz* zfG=DHOD61YAW|*9FxKFU5?{Y>NjVk_5;@fNt+JZv?(I3Fsb^8>uU~5<*00qB>(^?5 z^=q}j`n8&3{aP*m>*v$^^TBHkj}4JD-hAkgxC(6CuQ&)8HbV>%Lw9b{szHWgY1v_K zOun{t!M=Yh^(?-&__7|#n>LB<9K=z z=k-&*`A4Aq)gW+Z;7yi)kpqkTlPT$+TcKJn`GVw=Q8bu#hW3Vb3J98(*GCj|ftZ}h zkyi!m5ck%d*X=4BCTFdevHI|F&@{OutfjAtzQ##>rjcX@H@O?0%K9{rH+x;%4U-$* zU{t!kJx-0BQi{)i@M40Uf$x=C&Wu3d-pt^pD2#$W(oknt(t-s0L6PniJ-D-eODp`3 zE}ABAUDtV}3H=)ybLIrvfLhL$8~K}~V&_glX>v83+sF01fNOtn^$)?d9@p{Yt0X1y zFR??B)i$p`m$_haP@NKU9vcIxcFd0H*Yk+(wp_N2doTSp z)puksjKB0eJqwLjIB2qVo}v6e&!(*l4f$Fae>7GBr-sg{s&!MG{U3s2qMsg` z#`w+FzEHWn9D+Q*)ljKqnge0$VxH=pE~NZi)TUC=fSyJF=N7{Hu=d7$YsXX%oXk{( zz7S)+r^9;zeZQ>{g+P5gpS(6~Lju_PXLR+0Sq1|)ixb59#qnYN;-s;DaXg@{HD8LrPSGTp1}Mk@!k$sBE)`FZ{TLmL1V)D z8TIB-@LDWI<|oZ*xXJWAaLXtS{+!yz3o*_`*BEZAcnzI{9eJ(;(Wj>|`7}4jEgojV z!71jz>mMS}K$j%j+o)ntDR~()cm4`Gqcib2{|`o|lET7(H~x9(FMs><&|m&G9Twl- z#PYYl4E^PAe;g{)0;#dD1}N32ICwZs9{8H#MmxQgK*np{@Gg}i#BCn9md>7g)V0h<*p@>lf(i#;p`q^I!65UbPZBA4JzxnU{<9j^_*Y-tDB`F@- zPlZPxj>iaera<%L_+tM|0TQj6Fc*JX3TlE6g>^GAU|)je9n>BPqCn*y(3%e`3l`Du zg)Rc+86}BFISvpQMt%0tkxt}t8$Yu5PCa4>9&UZY&;{?ZB?=x@Ve%ZLLKVFv1JSIh zE7!-DQOIJ-MN2l}4E%UhIQhLg7=pxQ*1jreqCoYJ{C3WU=qkB_e_|amP=8|8F+MF0 zmvw2ri(~jf)jwOi&&X?|>+2-zf}5{L;gUW{n@I=c)5tpYrTk~6Y6!p$* zNUL86QFXp>;f}@JPt#ACH>Rb4iZRuNFUg7EyY}(4(1&caXvx3ILYN2A&RmZl*cBrM z@p}6a{l{T8ulrbj9okeS*66eUWPJ(4oiOK~U3B6nw%a3i%h&?!LnK zSbP-3S0li;hGpWAl;eV?pqg4z*7-aUc{$YaC+A}Fxx7t7ZCq8*-rQllsi(deKJB$P z>uEV)H#4D*iG+YFWHk}$91Z9@VeIK3#X1o0ue^GVy%jk*+gE&^DTN!Kg$*wJa)XX) z`mW1gyj%DF;a_Ijf z__j@;20E_v3O&hghFaQqla`&!z!BIut40b4rDzi;3PnQrditRkBVOoxBq47~unM}9 z-V#5>>jE6Z3kxl5rsx%M9HUk*DJos1G4Yu9g`XvwKd!Y%Bc~{;zLL{=Fd`ZD&RI?d zQ9PD?nd`2Gz8*q_qQx%AS@o#Rm+?BF5L+?{1`Pkj^s-&L_f=qj{1$&vpc+AwlHiZl zvp{x*P+72`3(ZHZ{XBJz6QY;!e2JskFgdo|q;<#S(2+m8mZh(mflFDOJ^UIg`t-Rf zH#LnF5(bAWWA2WjjFsfy!GXQd!^+YJPr7=f20nQCx@>eH!ZJ) zP(w3Oq5YE^6hO*o*>j{v8{Hale33ZLkGgA1rR2TMAz-Q38#N&C8X$ex?qiLv4O2Hg zYE#A855d>*P*&3v#w2m|5QC_LG-B{=I>p_@35j!?yb9%cAgTV>xE*>~xz}xtu-J^w8sQ2#& z+pEX|$w^Q2bNRWV?7pztn*%n`ziLlhrRxIjOYxqLwf69pej|xpP64ixv9$|VI-#dq zISUTLN|19o+I8%u6vTYB6`nDW0fz&I+@fG9s5x7ufl-d3U?qob{Yedo6?vDo)@ua) z+@`U9WwwYTc&vi6R1@?gR`mx(Od;_!SKND^LX1DT?Iiw;;ximrJ-Y^0&wc`{XJ^9d*;%l9cEZPdOd+s~nykA{@{$a4b z*cqgzIVgo1Er2ebn^DzN5Mp#iABG(XMBQW0p9Fs6K(UuyQp$!Ufv1N&@$?mKAUgE^ zUdTx$NZs|seoYT{XN$cCA_)!lI@ZTkc5_NkH(*bPH_t#{WG@EMHQ7$C*}zI zH*MSXF}c<4&ko(y-wu*Demm`qM zrIHU$=Vd4wR(rt1zFcR!VsDrq%(l6|nF6AlI~=Kfi7A0sS}}+PIaQ2riMX zQ#QX7Aw&JcbpKH5f1R&_tG)x*|7(=bTV?P&HySUdVY`|`20h#4!p~Z0;rphjvc^4D z2z4Le7WneUB?n&PV`b zbV&BEPA=HYOM2THAOyVlx0-!e0LSVzs12wGv@h0)bu>E@a++FoN zV7OaG>T{|DbQVmiO^6C%a?C_Ud!+!_SLZ}_rU#H+SkPj;F($9TBWQ{CxFZ<8?BYCn z-W!Fd_2r z)uEs#26ZkBy_j8hhr{mUrxk;|;Db`FkU2(As9f{#GlPu}a1go}_Kdhg!!HZtiPsUx zXI}90!pV5eTT!mc}q6h4zk;`EsdCN(kRJs-~PWQHMbfb52*n@ z|M&y?NKMdOz1OOrV~OGk-J-bN&CpYtk>A_i+Q4zk@{B(|#y8DWG=9T82`Z9L*eJIZ zpx^GjjgnJ|kSOoZGH@{&dc#FC<(tzHuXgF<0{Ix6@0)OaUR>`NaLosKJK1V$gSr2l zZ+jMb#@hplc38HUys`jg)$Y|yesfSCk{8!e^*|Q)r0-R-nc@7r@})1e!J7nL9JW(@ z)h&Sz3cnvT6cR!M^I*qR1`#yR68KV^a6zWa^?HvkJm8q#Q0dmOgtF2`L8b_QRJxyI z(8Fv7GwZw?PCKSBP5GxxLRA=s?rr5Qywk(^J`vaP#8oee>;H@E_~2TPYkzRP554~? z=*d}jakS+&o;s651NZTT*4k+_;J(ITSqCpElt=XBm^POTA|AyzShG~b`nmnPzg%vB z*QVU88B)z55|DE?N1-vjN|_Ow5JTpu(@?GopX~pHWyz?4!st>#_Hh;Xi~l=d@qb+` z{%?TA|Mju>zXKNkH^ljV4cGM2rT4!vxtg3y39>ga zIC%Xf)5&#vnB(=jkdzdFq|@eIjhfKP`)Z zCY|ua+q=r>m_$#lWrY-k1a&-o1LE*d^5vA$xH!&y5{KeTB3|oME@+GlQ~c5PIn4*+0bi{1q@P4E^bf+w6=S-=C zeAC8Dty7lZ=0F@gEvtm{{K9p7{;EQ$VPgE7EC^IMI5=9pB5}-4ot-adZ8hs4uMl`&X6|N%p2gV0^Uq^ zM;E3P!LRK2#=|$dD6Zz4auuO6h^LcFpAS`l?oSmXJYsst;HWb_AE_+hZ<&3+p{I&U za-Z|zf8|H*hg|uH4(mYa-Rlz{HZ*|ZHy`!Y9BUL7^^|;tP76dSY>r*iRE6_vwHsW~ zR%lPqocG4qNm!A>no92vnIT;HNLh3@pC<%)fShIoxkaB1l3F2r zQne9^+{CByjn(}jGiy33mC6U%+p^T&{1b%D*ZB9m3|#rTf4@int}okl-gf?_=!=@a zyob{Y*1$Zc+Wh#l9n9&6-Xd$U!Q96skeJN-B1t!ba_w!5#;=C=5SRDA^T~1br^OW? z!1a5Ct6wXw?O%V#c|2G~9OMq7o&?!Tp;W&RxevUe(0Zb!v*M}*Aq_cdcuiaPgt?*2|IQ@5yGw~bU>Hvws@q74g!o9djz^@!J6#w?3*$LL;(5V zBuxXQ84O~_n~a%%W{UeLgv7c8;o1r6+ZK^=Quu*9Ah)Nt09;i_N$`+a1> zo-fp}=L>r5`GNs^zL3J6FDP-w-*ELq!?pgujn}osdy-$@Zv{#n#vixqdVrI?QG1!I z39XLOB)+U_g=Y%i5=+Mw;jq;5eAht_N{j4?6<`cRd^T)e@2rjCn_mmJvF=Pe~QJqVMzfD2x_#=<+kPnWJd6+uCUQ^eYl z(m<&bA(w0xr+43mO+qQCW3Mey{C3c z#kk{vxz^&S`3S+oftDvOA(zxTLIBYOpf2fE|uG4 zerJ%4t@*_>fp!pGDDD3s&I3-~_UkKt>H)aEZ`I8ukGXES!P{KRGlQ{VNNjcP66+mj z2;(>w`)$ev;uP{4ZI-RjtJiT7SM#mmk4A2g^Pm?Z88SufWlr#vorEAG)EffBFFw|J z6k6*NuiPfPU<@YW18OqCaz% zXwugTaxXo6#w1_~F=oZg1?AQdY1Y}w^G*|Zay9Pqn^~air%AOnXEZ_8&n=BqR09Z; zU%u+-u|?`bB#63DA3OdgD1qV!iN|Md$UATMR!c|_ST%%HGLRtTctsQcyu$-wns%J; z8H9j;xRJi1iV8d5NwD*s3OnDau=D*GcD~EvJU)NtuNoE)QODvT(pWr19E*oYVDS)9 zocRN|u0QOa`<7Ul z;tN*yZ%Q^^2t!Rmq8&}9r@?8PxcS|-H(b_cC1}r$M4iLW0I@pZeBQ+MdyVUP>c3r& zt6mSZev->zco|B(azqy4m>l_fjYP?69eD9Me_|GMKl;2RqmGx!8tG34-Y9vjjpP7@gI_O>zJK!`@qeRrP&uyo6$blt_1XcPzTQySuxj zBt*I!1W5%X1qGBT2nZ+!*o25mh$sSz3HRKO=MQ+FJI437`xApP)?ggY-h1u2=6s&# z#cj(E8`Ox2_qQohrg@<%f~j9|>CdG!74)EFm49Uk z>saa4%`2dhnhsTy=3@E#XlIdiHd)<#kzDqqs%M z?`Vi>jQLikT=Y@OF*%!}Faz|(BhOOZUkyC+4h1B%^&vFmo)7*NBh*~1`h&CT<8TQ3 zTV$G{2Gmg$*YtAjP{c>EV~3RzP;7ryuEcyX)(tIZdfg4=DR-_mXJ!j1ijaiIN z3`bt!@9&Qck~bv5oK$=6U9=41Jx~02Ay*vQ2rhlhox<<~E8pV_n5dzk^42v^PJW!{ zkGS?5aowMB%?tY1&k@G@Q`oTn6h5p!g%|5jQNa3BIB?!?HQ$Gh8NW1zWsSfRYaKUq zdZ^NGf71>AbSX}Tuj#`);a+rguqU!Ck7NF0?*L;;9D6#a#KEa3318G?PpRqj)$vom zB_NPzE{EDg0=|q+tJ&7Q8-6Z-s~~~j7@Kd*g3UK(!R8yYV)KnzvH8ZF*nDGVoX@|w zp5JkOAN^mi$93L>Ykv>dc{i@>|MlC?Vdo3p*!hAVcD~??oiCij&KLYagy#LTk#%d- z_?XP0QWXJlWykRkH%w5aKym+|y*BtB`JjUVJc8Y3k!Rp z$d}A>?({uV_{+~{JHu@Xek^>a9v_oHnqMg2R@7VLTp!{(ACzbR%jz4%2jy;)Uiz=u z!J=iURZN!;az`s7?DhDdPFQQ=ZXhQl=R6DFNjFBg?r*s6C%B%MgU+zf-&qoalVln5 zo%UkTp68QzWYh|^ic!f_9}0maN44^oL~*!c`Tj>_mk7?!A(X3=(_(FwgoUt3~F|7rtVAVT=#%70S;FnbI94m* zvU>EIz{v#sW|J*G;aP!F=IZJ;z7@3VBp7VoF@>fZ5&G*}aVX$*d_~@z8hDnpSB2hF zg!6y7@S1O^!6y@O>$IC{FyPkrl!8(j)XkMUH}896&lmsw{DSNAi0eEQ*Zv-^>)jLk z)dYnNAm?7;Vo$yoy43%XkF-x8DkwhxxM8RVbDy7%OqJ@Rsws-0w^vL7*Ls-mf&T8U z0zce;>qqBP%MLW8cXI{BI-Oo==e8EU- zJ6QA^uQMiJ^Px4HtvgI_9McLZaD|~oVPd-?I@Y|GAE zQVKTQ4sTxNkwD8{sg_@Dy9y_I;9IM;^;Qh`LjzsIMf}SRI5rHyHj&f|YZTdL{Og_~E8ixoTSU#uS z7_h(t5%I*P{`%aAhUKaNCnYP+^B`R3%eX#|xXuf3<+TmH*zh1pcSfekfs7fa`9O_0 zs^f@}6MEKsEOTkm4)Cws8+fQ70!;cB6Nx09aelw!%6t8%_rT;r{m&1@g7rhOWBpJ} zSU(gS)(^!Dxc0+wyi~y2F|CozL3G>j7)$X$ zI`|2BPW2MCBDV_$p(Scz=y_k0$I0Jj$ZE$}pPbnq^7h1;KcqOq6N0#S^)PGrEp=Av z-Mj^OB_sqidK4i0a8eDzq6FCOCikCrzkq^s-i3CKd4jsrQF_6pSjgp#o4n?mf^$B} zzx(IE=b7MozWaB5G4cXT)fZ zTIocKPVHd6$H(^$cBn8unj7Af$lMli)#uDJb!Db^UIu)n&{`G!CRAst&ZBQsijLOr z{Mh_j1Gmn7+O4;3K-r~wAKr0vLd*PH&2N=0DE3z$*)O$fP>K=floaj;ukG5}ru<=~ znmk!M<64M5NoWZsh24PYu5KfTHZzdq4mLhIWCFVgFNlfD109U>TMO~Kqu-sLO}pe6 zew^Csx2GNEIQL6&J)iP&1wRWF(*XY4VtG4Pl_77=_O|v9Z7}chxJ$vL2b4QQp32YE zq3x@`2IrVB!c~ul>-h`U{tq+B!#7mPO(=rs`xilskFkh%OI+(_H$43Qy()DMlM}H1 z;zIL5C;a(sW{3RC5w8C)uIE!&J|^hy$zmPS z4;YSepUpI>g*FscSK0=!orgPO?<4-Q6hJZM?RoRjXt?M6d&qP>1DSt}p6WU%g-=f2 z^bGaQ2-kWE*Y#eHhelV0d{Kx3O@_F0CY-+Sb};ZG3)zbmrT;o|5gAXXOuuo3g+SqSQhjnv1bnh$;70-gZk8q%x-$wA6)yC9`zww*m*WMo*hz z_QU{YWIjo2*_lBS)A&u@yH3by%YkS9p%GB@{&aUGF~V7Ifb0F=zk7_?YB&iJ7B$Py z2l=DvIoZkVKpQgnr5<=IE^RWK+jUOSFp@Yd>Ea0lCWS z(c%Ir;IQ?^Ch|Z8#+wK{bsu{ok-42_=gDM5^SN<2D~t%KGFHZV`-yo}J-$PrzQ zuoP_+btuVUWF(7NbM}*8&GNy!fiK)2))k@VI6qun=L5>I z0FROyL6G{~+JDqp2TjQ^K1|*6M6>El4NL86NJ1n@k`FTvRI+W98(m~ z?RArm2m2N<^_?@BmQWft&NF8E^N7J+h9FkubDF4V{9YK#6Ag5QYs%46MFNCJjuPHb zlYxKvJSvE=apIEmBtOJ*nAQFXmISt$?|SS*2vzL{y38C1!Mxlc(eVgjkSt2nupd-G za(E8k4R(3pVq3H2`1xZm^Y)Y!zD1?9aVG1!B8-H~G5Z4ZbrO`%f-=$>*rxi$R&z>FzDokhPjY!+*I*&#Hr0ZZu;$MZa^A?O?W#7nt{O-n z{ohJN%JB3SL#56Z~Ni4;f(lt8kb%Q zTEP5e?w~a(GsNFI?HWBKjh< z7>?Ak-%7?{1T@BSE9qhKI{YFszwsXP13BME%?{PKhl<%7Z%mQZ=iV))08(8uy4RI&UBDJ(xi0?Ut3#quL0;Z$(JN_?gkG%6Mv)+Fkp z*b~n_rm|x=&YWdgm17F9_A}_mV*zv2U2byhH;)p|ejHr&r~w4|gp-%82@;b)*yDZQ$X`dCzfWAh|Ah^LYk0i{$n(+@h>N?Mfbzn@$K^LZ^giVPV)N)(h;2XSO5B@|GmHZFMpdGo4>7$&EHnW=5MoO z^S70;`P&#SMP0UH&3Y0@aL*fhb7q0y*AIK|Hi}Vu;Ty&JjVw6wb@mFWTRHl;8U4H+ z!)wCTZ~kw+IVz22EU?du2KIST$GIN6t*;fHuHuBg+DQsU^O!*H*--z`C^I-WH{~2T<&LuQ zhUJ#BOyT&+Q=y@QMi64a=^y##D*E9doI@=(h~h#l@;X*(U_11B207kU`1#Xnnz^U} z?)f}myusKCK40T~uB!3CQM!C8-xzVkwKE}hlYj@ZDq<$h?K$CLKa0Umu>=aeYVb+4 zmJ@KDU*p;@l72O(CHq_$?l$|CpZg$>zG)grNmz=(K<=q?Cr*e1Gyk(z>nAGcB`do_ zX+I~l4()u2!*I-%`yThDM7RM3L)%5lT3=}KKL38yBMgiyX1)es^h|$R-=~)aXCo5s zN&MIoLFne0bILhfJRqh>u@XaOjb;)j@I~C*p*4m|W)d_}`^2Hw?YSs;I1_R`<#9No zS*7Yb!f6Qkie46-_l=?Q+$M*#2qq_fhUp@Iw-FFk)Q6f-(|T@<9yW?imCM^8RuFy&!U;f!i_ARhf81{gFTFPIMX?{ALRz{xiK27X>i6 zH*a*k#xVSyfbo%iUM;vOsXCK^@l8xE3w5b9X~QvhqM%a|+K}^<##(d^vv2Bg2}}9- zfge|zafQ4)^eiw(#fbVs5D`uFp`IV;k&}zj40*v@S9w#3rc6{Y+f;0vV}|}%j1{RI zs3Xsbq1@J03wR`!TDsO~g&OvDj^5QVhHpgH4Iza_*nA#dY(9?xHlK$do6p0J&FA67 z=JT+_=VzpGJuhlt<8Pi}PgxvTmsmP^n^&W*z9?_eo=OOL-Tw56TMZDOWukjy)rcA_ zoC?z~mtw9!iMXzE|FTucXNMPACw#^<3+w6mSltO@D9$PF$xNeAw@x*h)6 z3=pmr@Cd#h0c27GI!XTdz<)wZpX7`sw7fVU)f##Q;i|VkL7lEKd*2-%Srk$asMw=F z8It!j9|V9wu>G2AUKF@AC^c`Xx`D~YBg=`hOk~G^o%TjA2k+cI5?}`>uKO)& zDcghm+cA7X9$N^tj8A@h!W!p1_VW@hFTUMNMoYdq!uGtbnB0v%ktOF~w6K$}HKOVd z3m=klN=}DBZf#8SxLF`LbCI%)EMRh&ZwJZ>mwAJH>`U>07v3igoUyOo$5g=aRCost_$&xKQD~jXajW<2afUB7>KU%dFo{% zig48v;+oHI%8`=l@r4J9)&4j*2C%?8qA(*(Y9k~Nm8=(tF9_qFeF}U9?4Y&h-w+qi z3%406PS{85p~Ddir(atFP=fzz`0qJRRKEMbflx~X%ub(mib}dMTLv^XW2>30dH`p!+l5_wNb6#nLnnDI2=|UkeR5!zy2*J)O(je)OB{C zs(SbLQmQsGxEil@dxizLlB#dVKjZ^5seMyZ23D-!@W1C5-8$Xj&dC#qB%BsbG2~-% zgDiHnpVNn+=4-*?k@VhZ=_Gv&>kU7+Z_7+d<#R&J^Kt7?3)}fO1JbTnr{7G20CVf_9fI*WDVhCCTbf z6DdI3F)iDHd11hJVefYCr8?xm%pLvX&wq6;ebkJ>8r{#`r(A3?~hN#q|5yhrOHdf#UhaT;Izm*6>~J0P2DV zp2B`qF0DA{|BsPS2RENFg!u>F;SDWDKppTsFGIu`UCyc}O&oJYkYrdQL|_K#j1T<0 zAL!w%mzcR+dn%bb42^hG)+-VF!t-sd=vPmyK=;bG;48{0h=WHrvON!z$9^U73B6qy z&ht22^PHRSq-4I`;)3k6y*Kzf#Zmu5VGQ7z2iAIe_D-gA0uh0tqJEMjN>q*;EURG$ zvG=kg4- zCgNOvzTw0JSHix??0HGU=C4=JgX=WW;rGzQXf-V)HtgRx{6z|&LVKq>R|fvgTZOUn zR!;1^RTevM<;Tujxv=wAQ-o{&60UlTI2k$paV7;I!py=nLS$e_m!*#IgfnWHv7U0N zkOhXY5n?M$j_g}snf4Vg6^J{0!|Taeh>|S2i{&txX18=Xc5rvleIW$0I#U3$3twk$_L!_~+0`2Of~6Ud~*MKyoX`t9;zG zQ4aw+{xdBGiu&Kv=D!s{lrr6Kk7VfrekxzeI}6Nwx_pwUWnCAt?0#u`*l0nv<^6o3 z3NQ3;zORkdrwL>AX)0KKnhaK-CXCgmDT1`j+DiZF29!IJ-l2YoEWgGC%db(#@@veo{2DcE{cMh{pM|jXGlqNqzj|8)TR#h9>t|t{-xrT9 zW#98$)CPRQ4_mE?s*untvtE8*6D}Amr%Xj^!3nkNOMhn60eN2$ zcX;XJk$7d`A!h-lBej6{dp`UcSsRKkdeM0@ybJ;yU!Bl6QjIzH^ALWx>JKx=cjqJU zg5dNWH@mA0A@KWAnReesC>$C%&}zN#!*Dn4S{W)9zf$cmXNM4?a6Oj*sAn2z$Ver6v?N z{_X7|F+~q;&8j>#f8+r1!nOd;Z=WvA%&suohq3Fyq>;L05TRJq2(4&kC_)+B>e255)DM#PYgw6 zwjAI_r>X~QfG7I*{Bpr!%U$OSSu&{koA{x0F-CV_#uHN|#R>A9P6M2F7=P)H&-;{T zFwYU5Y-+!4E+~t9-=I8w9qBKM=NBeqKu&aDLo3RJED3@Oe0Lh)h)3;H@tkCw=d-xx z)&F0w$5lV`fBkv>umAqhwGTd=zOs<4&bOQWQ4(%7v~2AfSfLvpI@<*&q<~$PK=9QA zX^5f`Idj_XI5z)N2b))q;k3MZvK;adlaoJLRgsvah0Uus$L7^*ztgH{2+z+v{8z*o2OvrOhttZVJ%oi1U3H^tO0#S zj^Q!Vbadl*k^s(8NrX3|780~R)94{f(s#xaL%^wK{G~QO-Qm!V{F6?G*fas4e8?W zYNX(K2Zb53aBNqjH5Y^$R}!F}Ya(TaU2oy|BEn|DLx`u<>nk(Kr_r z_v^@)999o90Aik}3x>6l{}|r!)}%o!AWD zbzWE=5fhZ^mq++T?|biN@q-MRsB)IM5H#N*3;FgO(-#toiO_u~0A*~ke>$Bp*GYIP z&`60J!$WBMaF@*#;kq8z|5s(5KJIFm5(p41p?6^gxg19);kr~R`{Y}*r_G#q=Z@GcB2>BR-E6(k~7GKMvyKsWFqU%h-~G90M} zZcfZzafc}DrS))HKP0QSb>2tV4DM!o+;1xhK?1Sg$gZ?HKrnvy$mt+wh?W=?b0K#I zTc?aOCw4{Q5p%s^xTO)aO|Yt5CiF*j>ot6T*mXe7->2pYW}d@%GJx(#tsvYHB_|b? z2m&8^gt~rF8Y{=n$l0a%TK(i4)HJ3(=JCmv2uw!a^TYz&?h%yA(Eme5%I| z9@z%pBPFv3(T(k%mQ6o2e%9%h&j%~)yx_n0|8Ei;eaS+p0c2Ymc9#@QQKwmwBvl$8 z1S-T189rBoQXV^&gaZ?FkMZ38YM(03e4>B;dL^vCUK;DKSH}A5Rj~eg1+2f`4M{CR z*e|?zxXQ~f_R%i}Qrh~s?;fi|--C-=zG%h4aXl8VRni#fDNJ**7>KX2q_Ue3LnPb>#l#t^4MXAj9-5 zWmO+#`!uq@t+hg)pV@~(wJl*oV=85r!veB-@#?0WOc1hDnkd z;91eHCM%(gt*~x*oS%Rw3MZwPm8^h%L+PQp znLhY6QOL+%wgx<^gFzQ2Pe?cYe)(auJJ^=7eF|>OK*oO=r$R(s;oOS%T0o2|-1&bi za$Yz1)b&`U2to#t+B2b;g$Z%#cY$UohSq0chACjCirl4LF3v49f_rAVms$jib4dOoYy)-Zx{puD(m*IF!^-c zzg>UVR|JBRR|VE4=QHA(k2+s|`vI}ZIUwD6y+m-T4&5fG;X5514|Y@)yqg&jaE<6xFbhQ#?E8o? zx{*b|_2_~P;s~L1BU;Y~ z%Z~+wSK=}uN=s4vd`>RBa-QS4SylwxKKk<)xf+n5-FW4Ye;slfaO_E|paa^sa;*58 z2quIuqlfk9O!gj&Luqty^K`N@DxOGpQ|ZV2o;_1)^5GJ2T8_44@OPs(Y2v4v z-qpc<=?Z0Y+FE#3KW;06-;Ex>4$zHHuE9Ak=85U9b)aAr%g zEmJ7F_V7ZLtp~ah7OceiUI#W-O(cBZS)k)JOdT^`PH@qq_6;pHbw)Cz5jOE$$w`FwT(9hOw=W{15S3)A zhv&geV6Q#QHwm-?>L_S4OK{Gwz|~(?!{!**`1%Y;U(jywAfbRM4*gi!G8S;=O*d>Q zCWplJ$Hr0Sln{Knye)}X9#OlEIjhaOBdJW@EIWKDaB)G>~-+r=j67duAes zZm!)jkN+$U%OdVX70wb!@=~p88;1&Vc!eaVCuBinW4FSsUIrct?pfbz?nUv(M~{xi zU51)Yi;PFz7eG7l$zTL$DJmshdu&K%fqqL-dU7{6!@zaH09q+0^y5kP`tTJUc-2w* zn?PI_*tL&SeW*2puYV8f{zf~azJ{=Qx>i%T#Ie!hJa`j@ox1OAuF(qo+Z>LcG%H|$ zM^~|7pcQS~o+mYlDFU*jB4X>37M%Thxb~O+t^e=&d;j15zA`osK^dEepn}aqP{HOQ zXkhaY5YFe3?QcqF#)NMob5;BUC59sS>lPXI;94OJu0>ByI+lP;3c=p-Q$=uMT+PEH zyBKWzrlT02xggj4Qj^PqnoyNqcVK33h*EW|UiBJifttS6PThePkgl1^t%rkoQ zC*d<6hcnW3w2jXgwMInIZ&K5`^kLg?OWx+F9*jf~ousrd2g{DQ{*T7GIQMguO!IY@ zoNUlO;iY5&WQ-Q?E)f0lP(pE06_1GaY@yh9nf|Yz4VYzon%TP|3J>v0=DIZtIu@LC^enj@v~Fw%Ek)~q>s8^Ln(Sy0&w;$#(Fz;>NLFS&IMvVUPHTe^*N)xmp6fkkGQx=ph0MY0`6A(k z@*gP}&mNA^)YwwmUkVAeb(evpLyzb{E+2$nPZo-{&!TJMmi~67wm=@5o!WQV1*BLr z4KD|}qB4znlG=JJ$S~z{Yc#P$e-^&Z5q{)EcQZWJhi*6^!IojN&`%hBm2m2BkH@BP z;nQkaey}mNUNu9+-GywHdn!=&05i_DGDCY`X#(czRY2O^n@h<;6<$1G3a2Jf1OBW9 z(|bWyP}83nFC}OWA5;rxw!JKYXU6lCXSEe<+$k)}pEiT<9Jz~DKcWz>e*Z_?EowHW zGmx-BRsKrf^{UXR7w|0F*FA7O2?2)JTZP9N0p%T|CEikw! zB)dss0N-<%w5vmOAboS_CwrPb^6UwzGQ6M%*OvA@1IQiVcIODHq;>)yj`ycdUpIu6 z5GtRU!(?Q2x|r*^N+|qXNk7h+?hK)KT|^2$cp(AX`i0ZH=b&2VHyuHeHTp|%O{3Sy z3$;+0ZgEGYLBU8{MfgDyTB@DSCv{8!pYy6yH0sgd(?cQ{E|9(t6zzQvBrp~k^)XB z(HEt3jA4f_zd9;AN7+$HLT#U1H$SSoS$ct(LKNjo)BY@06vg;-*5Ocq1^A>bt14E6 z(0q&DkjXF$a6fLXlljB|{9N8D0e9)3DP&%9|EegG4VntK!Q9V0_XsKyUKqfE#l0By zt8!>Q;DJ|`x+UVBqqvd!-3XFD${7-6;La;2Hj_ZLLLumw)dB}agDre|zD?m)>Od&5lqpBttP z_lDJ?WT$lkzYfcH#u6=8(;%bAEKyP~F2f~Yboji{0>U(H&T|t@(EFNrP*SQ3o@bn) zJEqnEXN{~F^EM_CqL!C2#PFm9+ej~@skuRp%tSXCZv+Z2Tj9AY<&xGs55^lv;e3ph*P zg_nRHUzriRO05Aj0``>_X;JX&lFt#Z=OJM5?CzZXeOti0MaFf7g$Ah~kNyycnKO)S zJj>(grbcR8z2+fPlHicb<%w@E4(7z?nnlyK(XBTVLn*3`K%Q7l(`qvgh18tVKDRs2 ziK0>0bHgu@O$BpfhW{9*4;P5X={13~e?dXqP(ec80`8t&npHUIg5FXF3b+thfUT#m z@N}0ce8c!j%n4kP`rh3Ry-ib)c$suv^H?g1*wQ+8G};f&wUd8LPfrAKC&Li=;Bz4V zU6l63b3fQ$zxk{@BN|| z@U#9ocos8tRi7#h@`zlC{DM-!e*gU7d}BSjI392zl=K`B5X6nGT}c7^PLhvLHkzPE zFR8$vCl4E*r#XqDf)KxuCr? z3@){;Nhtu6Tc3I?bH}0q5!s#EdYh0A^~vE!iXj80yr?BL#NrUU<=;GZu0Yt@-fJrT zX%6eYJv`OY;V5`_PW6olhF5>2%#GYH6vhtqvtJ~Mz;pF4lXPsBC~@d3kjV=`f$OJ* z!&c1PL{p3K1)Das{aBh&T;>2OmeTsn*H&;lb+mWb-V7LZN^dZ)Mj_h~*OU0UR`BLP zC81Bn48rq>L~EUFfX{Vxsyo;V5t3+__GVu}`mZ(awTf1PzCHDk&g}~Dk0_;7Yb`=c zBFiV$qe|iMy?&|QJzDg4>#x->!XT8*QzqK7=magF*B<8GaD>q)1>ztwCv@%c+RPH6 zGj#C%$$z^e4F%c5v7Jvy&@)+;kL^sF;CF@L3EiS466#3(8(^`i#Nj?&)9NpUvmZ(= zx&0p9A_r{M6G`&CWrnTlvC~)SIly_SF+09V9HqZ@&J4WA3RPss9BYFG(VJ(tG~S8| z!9sDsLm`ZxZI4Xc%OTek!2`Ri{t|pZ@;qK7`>!yxf1#gnI3<9yUJKXHgKPbU>*vSy z{e|oLmKvSJ>rGy0OXG&k{BRT!#BX$bAJQZ{tT{pp{!Zz2R$R%==f0Y$36NOIGLfGpr0NK%O6$ZrxOx@ zDdg_hk*Q3SL|8}P85IK}w^!tc4$IJqGd@Ah$D$#g#(ZE(DIIb+zO~#bN`sI3DW`7U z%tz7IaOqu1Dx{I{*psBIqv}M{A!S~ESb7^a+|wrpsey=SjYbmAhtnU3mI}fL|G>Il zNqKZAFi~32>V_Qdxwj7O#-e3k#SOkh54iGPVfChB0=yt44rZH5ML}J)7N);qVc`X# zX~bwC*gaw$Yd)EZ8ZFFkI&eXS92MD~SX`-qnZJBbOqf`i^z%RZf5SdcxU~+NcQIulw(QrBij5 z9>|jmS}!bAH+i$epxXVX)z`!jp8oK)7YVG8b9R}veFM`^dA9r5v7HTPKN_y*5nR8Y zf9wByK78er*UN(>Qxp`zLtxn(1Mx!@qpGo- zWml6v$QV_~DKbw%xavt*7ui}5&zYbV{GCQ2J_i)nols8o$ObV@*Fy^jO|l`UCrg$9j(p z-BA0d@vVlL0$`ELy8nII6^_1pz5hY60+GHuCU(lt4+=MLQu$?u;H;;`RsYbS_&DQ; znK6=!^*ENXguuM6_9o>m50vv^L4wlV1k?x^J@`%4fQfaH*z~6gwOwosN%>e>rz_ZF0gaSvtUjL|GPiySyl`ZJJgfgVuTLGD*T)S1 z^7`1Yd40^l(sVhmH%bS3??2Dj!Soeo$B%G38ft^tgL0|&I+(moqh+3#He!gjj8dSt zSp(+)xxz8T@$e zVLMW~8|Td_n}xo$6o_-Op9lG+p|R+*#t?3~_-E#wAqYJ?9zj2!1n2K8+**kXM+NNb z!b={8P%fP#9C6teQD%HPedV?>dQw_O)BDF5RHVtqydvbFh>t34_J}$Jh`#Lbxqvy} zwBGEdy3YZhG&)I8yeT?p=psppGlg5NO3Ohf^`JTED1Xm$7i4H0(&`;*3U3n`bPRX& zK$ygiwHee;vF~yt6K*0sA4Ay&7VYovVRSyf~NVGtxuq2RC z+yn?kUPL4}G~MmWD;aLsFd9C)`~wb2j}GZZBbWh(;jOl+mh&A$n(o27(S%^WLtu<0XzJ-Js#|tDvpL_N}ltYuwwTU5$t|qj@?g0u=@!g zc0ZBA?k9pUYIld)f6p70^o@imjEA5;Ikw`xB|qforQJ$)BobNY6QJPOlK&7(H1z)D$z8b{ z0@st$j(4t9ArF&Afxr3DaR2_|evL~Q^mQCxZ+&+Tij&R0|Kjxoy=oICCN39H)TF-g zlP3d3>QYCq@p=Fo<(p@d6RyxcSf50v>IJy={~d)#@~pBXz;l|%G(Jfb&PcT?(CUf- zM@oge|Cl9G{5pZh=#Al^{Hd<~<13DH-U6gn=UD$sGhGB1=x0i!E^H&YdCQNnT06%BAjE*YY1beR0J zn3s~1KW~}CZBl9DOKN7Y%+bzeB}D~EUjfsy-jz)u;1Mc$@=*y|8+NqyLjhV`KDKxI| z=fJPcUS0=ss)LQz@7p5I@&XDvT3uMMQIIk;(!%i8{}@$}m?78e@rtBGnxN^;wex!B zBI01snY#E5Z+nYdU+Q};!w_}m9M!xRn z08_Y5TQy+CV+`E(v|io`_Mj_WMZC0VfV1A|`d7T%PolbLLFqxLcdQt&^-@GVdM*nw zW;I8rYg9px;t&6mvxW$tHTe9q0V$mGOgN(+h7=lL`moEJ>}Fr9fO)QVNHQ-Ho+Oj*}Z1cH|er##`6_ud^E3xBBF_!^V2>Wex* z#oeR1uL29tdpc^5grZ+}?kith(uZihbH4_Kjlt>IU^m5>AqYt9cR%`V058oJ>z$m9 zaP}V!$rh5Q^@RaH8@)E@LoC4f^)^jcaE+|^IeQpV#3oLfN4QyB@BV6AX zxUMHy(jYY@2}eRg=amM8bJ1)66Izt{5immEb>Y5eBy-ro+H;poGBrw~K`=YzHYui!fOss?w9e@`tkUOEmPk+g%Ym8TcnBbRzOi&jkJq*pBWByCy0_)Qk>uR&ZpoqkbV3Mu` zMLuaQ3S^7|{ORiGLVJI>;9bRaEG7ha@L$al&x%6Yo_+PD+d|ObecI9XqZ#`7%t3Om zLjZKTDJ9dz#Ng_zO!1{90T9lM5hGYK0V})5d;*v`<*egsciYQQG(j@-dSpZ&79X*+ z$v@EpO?i_Xa~lKLzVU%LX4Vz$cUxR$O|yZar3&`H-IzMFBqZn0Jv*R{q?r3=VGBV7 zBm-UgQt0ci=hoSR2`D}OQsRdQPslJHjm=RHf*luOX?8b%Fsj3MYBEejVK)av-0VZ( zX+;@9NAxiW93`sGRaQlnluPB3nB2ZJI$x1N@e_!Dj-W!|sS=8nw0)slVgQz3rsG}O z4B?1iosCPOJ#yizpG_pd?8D)y@k^UJa8!wlpY60W`c3C)bJ9fzif+6vxJTdu3<~RK zia)x8yDgt~rfv{g=eRhe-RcR0jkJ#sfZx{LjBFM?;3ABt{mR6&}U(KQ#h zJ18xny4Wwc9K5a+#h0F{hRgG*-dD7VAm!p1=ZKs(2t{Xuu$c{-*59vEs8mP%F+AU@ z%8cQ8K#Z7$Sy`d$#4{Ha`i(&$U@gG*jVUtRxv;aDMGVDV zbffIbrl6~N>8sTVb@*_%>EZgR6!33LON_6KK`J2*g&~;yN=V>pPUT7f+4=Pxe3m2> z8?myx93GFeUQt#z{XjWX0y-vrSCxs?5dXX6yNB1LAod5r)eS9CAiA=cE9k9(OuZ`P z?KefBJt}iH_%I3miBEgexq2R&pBCKmbi?RR$gGZE4^4z!wy^`J+7z(b-R_ADOhv9L zo6H}kd|;PSe!tNOi<-WB3OU14c1>QhV>T}A8V~&hO$^_tr{!&*F*Gxs;hFqg z06AliKbbwx1`=<+B|D!wq|c~4opCJ}$`80>C#Ek#YmHN>8bLV4fNVg+SI|{1*D&{Q$GCViF5t-ufI)+?O%~$`&Sa!{uL>%B&8%(KtL3gt)PMh zDqtfPD%gl32=bqGGtYbHUh7`#_q=r-&zku%GiRT(uj_L~u9|3p0-GkO<>x*$&ny7db51qsb+(R9K4W{W?%rXz%TS%Y!ZdU7CVml;3M(PR9beo)7=};^+IrfRt=UbT{wR!fQHgQc6R5sYFc{zR5-qKF=Y_XWQ~G{JY;_Ykm3m{n~I$T{?_&A$PRY{=r@v1~Wxs z5=@mKZEv`}8nQ-o_xkowXUl;D?0r(1q5$vqN%!4r4@4u!=wilKEx`8azEDnYdk`?1 z9OH6#g8PE^)#p;IU>~WjPSJKxq~!SXsl^UgSmI^uC=$fZ{bwXj#fhb(Pd_YOxUhdG zX*U@<)8GK{xmg8YF1r!#H^n{AIlj9?9n~FkX&HIL4@Vr8a(tCkKy@yNL*y4Pq+IyH zOlBnrr@o0t9#GXl!ur+eq+-#C)~Dj}(1Ht`y{_W=g~}JP9`BW5Xmo`WTpc}24xUh+ zrfMP-=>gHt$DSq{#iHnn%G?oSV=zr+s9}B+1FuS+RGXc1f`-_4Dxp_zaIf z=6x*=C)l-XQcGd?3MS1r}&g$@m``>wpz;P|Ry08)QykiYk~BjNl(qUS9{d6-1|mH*eq z6TM%>g2D*}Aq`-)UaHw-P{sVuxwT%#MyUMAk-y{;O3)IYG;>bg46#PdJ!D~0A1&+rz4YZO!TnM-c1gW}fZAc-E84AXb=wh~_U`H!I)y zF;)iL&>tW7tCA3JG#DltXN4Ao$BylglYleXs+OV>v=B;m+rZyi0+9zc5E5qLl1=Sw@8tC*%g_9oo3czR7Gx9Ob z1{E#-e)FTv2F_Zty6YI*Ay@e*<*zqw;ji3#yI*$B=wknlIetHD!smfR*T;uPK6NBJ zoq$^}r(0rlI?%PFdS`SW7Qy3v%g#ne3gPJ5v;GVGHR!8?b7iUWF-&(%u{j$MgM5-2 zB>!Ib2El8ek328*N9l1W?wF+#lmlVYVV(m~p1gRry_-s?6tE;j9$D+< z#r*B*?@ot^z@XHQn0!VHs@sn&VwN?FISazZPNu8RO4eIR3mD;?J8d;pdI7;Zd$J-w1F9RqTvj z9t2UXU`D3etB7>u&79Sj5g533_lVo%2%`KGp+a7C1#Na_CGs5O1J^yLD23nifYRdU zj^7CyNTfAjGe?&T44ZCG@^sLkOP#Fs^ar`&mb!6H?>A{szQVKdOvDwv_Noh**)I!< z4`ut@8>B$fv`sjl0f8XL0gePCNl0NZIGIfzjxd7Uk@kbpsLRd;+o1cvx4kAqcjA3P zw?byW$vz(-y=7e5@WcyBd(v+#?v;i=90uiIN)nN#!9}Ib_h}GGY25hQUI)diOJwMV z2BZADmux@i#S_-!5#`kkE_K&m;>-f|Ps^98{+>ZJN&=AKk`1-I0cU)NGJx_``-||* zBA`qo@8L2}C;a;mJ%1zm`xE`%Uc0!%`*JCQrk3%kZtVaR?)x$1Bc>;q90#)c2sOwp ziHdwAWemjyQ6A@?tKj`*O}rnih4-T|KhS^r(II$0S{v_2BVbGl=iK!)9TiejNb97A z!pHo9oZ}3!(7#+3d{rbJg}n{dj=mNOD%#DI?F|tywLgZmPu&k$rahz~4?c)I=Y4E! zC7hs~ZY-efloR~Db?c|Qv^Cs)x?21U*+Ta|$++BS1&BwIGPw}r4j)>MchS9)23q$V zN@Z^4A4-rGp%(~gsQy1?;W?VAI)CREt)xJ&;ELf*0MV*yt%|JLS$S%(sq z6MDx@zkJDoSQp`6~KiJY7tq)q}0j*(0I&iV_mBT!@6^Qdb zGCi_g8=gg~I_&)74;fuANk3B-p|5Q}?N7vE{TEM>v{e;9Akh=+#`s6DVwM?nK-Z11 zeoxT7fnQ!P0z996Hx5h>gs|mpRl7ePLhWO=Jp0|l!Q|`Ewru}kIM;IPiG6W0T9g)w znY@cVAKBUV*2fZ2YWNCL`(^=`r;lV+`B_2gP+nclFN`l(M7hF9WeB$goc!bt*+YA* z&H;9RThQhT-sFsQg#q5%6Rr0XP}J^8s+&_5uui%#LBoS_G6PR0?vqdfft~x_@=2(p z^s4IVx5_HuXZQV$IvGD|bz;&NIE&?{kLupyRad}yUo1F(OdIEq?Z^3JOgMjx59g0D z5axraZD*ejkgKEwfZ#xX1PK?H8t6_1HNHwWMiK>a19O#X(0qfv z)Axcg`ni~LSniuM$QFxr`ZSopCg~ZQ)h}KUL6PW4>f;K3o-iEgk4;43J-4iBDKTBs z`{B#?*pNRlvO$O^GUXX-Y#{PYzGHgfy-n*1`F!95{cK3+JzL z;rvxjoWIHm=k4I4I_V)~dvtn`BVw>0f^Qc&rD*RCLV`@0FSAv^RWc7Dp+y%QgS*$2;4wgw-)6@5o5c8C`D4A8v3A4)-@(>YZd zwX@c}qY`5RX8t#Irkvd9K|;?4i3|(jyx0Hr_krmALCMeRrcz802cPOvoUROPHxeKl z>`{iBHZZJ`uK|jUuDF2v@0 z2Ra#LgR-LLuJy!9bh?c3W*J2R&XdG=Z~x&*df+@sUz{iDkMkrwah_x$5_?EPBbV#} zZcXh&@;QO9TI%=r$9I2tc>CqXdhcPxb%{>FDl-J6pGa9Sc6kHQyo`BerYrYZl)<<) zC%*fRG<=hMPuX3q42O1gL|w~LfcmT@^0#$zu;M0=`>Wjzc-z>s$kHQAr)>8aGC6l$U~nXSDJD`@i$O??@`7HFG+n^`iBgMa_EP+-_NR1Jjk! zUCfoY#B_R%_i0@Vf(#(n$YnW?!4(nhe-+S0WP8f&1FC}a8Zn<}K=d|M)P-m{#HncT z?B#Dt=-AfxMtF!0TrLOmTcS_pE4QMJ z4B)HAi*|pke{Osuav$$qZK%(G?ekN~61r>G1)8a2(3v|ilQfu~y_RbkQZ%r0N0j~a zg@6a}e=a_J8_O+wkx|N;jP*IEmzkq-^lA`gmF(k8(sEdPN2i3Mi=d`s8^aZqa%AYS z<4+?^3CQst7HVPUf*))iC;E=EgL!|DdYrcwT1rvReFM|?PMwqDdMOBVob3_!FFPU+lLN8g`EpReEFgVxLkyJ9Xcautm&c!f2b_Oy zh4attaQ?YH&Of)o`R7T5{XSd$6keF&J`vl@$pvhTiC*TZdZ=KLyS#sm6KX1M3eJo1 zfZ@%k?(}gEc%dh9Xd#Ikq_Q-||Bi8h2?fpi7$~4O#!H%}o~+PP{g#>a9y3bIKDxj8 zGaF2eP22HtII6pkU`&Mb$X_r2gzNGXz#IEc3LvvlDD zV~(BP4GYvmtExjjjPXlOw^6HGDFOEOp3i%3jmp$heDXMyaea{^?icXD{Q?%aU%(Rg z3s~TO0W-*$DmFjY6M;s{`(~(Pu{HmdN<$YNF+6R<-!7V>qyYlOZRJ~}n5ssqBXjgs424+*_0XKVVS3uC!|e2|UcN-*_c zeJA5PdQ?*XR^X7H2pT#>v-x408VbuhBr>pF1&G$?uM-p$DVucR;jJ|_wrNj9LfZDx zpxgtJzjx=|!}J)nZ*PfObA%)Eg&KqBH#~sZ)%L?pj7RepJw8fq9|g=Mi@Z1gq@kqK z^N(GzCdsX@pFgim#eh%Ca%Z$!5bRcAFVR%>g*ngVQd7HV6tgSbQAOGpG&_`3TvIU~ zNB#rP3k@;onX;f&qPaH^<>wRC8;eL=ol7~ci9ExNx+iv9o98@bq||D7lm@+Y5GW{M)fkrxXBo1)?}`Ju``0XJ7lYu zuIR!=s~7t(gqeUczg{y~H$(ce0r@+j8pIrLc(G!&8b*heseWuW0>_fxD6dH|N;0=$ zX+F`3N(Ff{H-hbf->7SR0_u)|C#G3!y*ak+%SqffRaqep8taRB}wNE#byzn|6&T~^R4cYRS7~m)ALQKSugZw z_L`lgsT~~8y}e))V*}RIV`n?IIUpmCAnvY88zA+uG(Yne%VYJOkDNJV0c0nYB@{}n z(VH{1H~C-b!Q^k=sUv1ysM))&2l0x7danf)1*;A^)=cU5uH6zbK`OYQiP{!#7M?B!FM-RATv{I8eB)I0g7K!S>MH^;TIk^dwP( zMxjCkL}~M{x6JYq-Y*m7Z4&iw`W=wjzBX72$99mkHHx$&^#$&G8*mgj_FrREvpfu@ zjz8x@?;S%kt?J*x7b;;f!Yo{=F&)08tvEUM)*yp)nb}*vt-;$oM)oGAvqx0X`wxCj z1Le`Ezy(!SNOPB8U{~;j)`^1d=5a>|kEJ{@hceI=MUBV@FEAc^+_L-L6$dE1qIlg* z+!cuCAAK8xL)O_@JN;8rE!qukL^mu45FlNo@3Wp!t2hQ{7C*pn<8Jvg4 zjq}iCa2^^r&O_tDd1$4Gut?3X6< zfsf3)q3nB!&nwk9WM5XTErit_^V2t4vcCF5htI7Eufu*|G1YLUuGJY;?0p{+uPa8_ zZ{o;YWxGOag+{LykIH6ffGoNGcKWGC(3%vDPJ}1P}VJe0Y3iFF5?EWOS^R2Q9S$rg$|g*rBQ? zdj-o?6u4dD^)km5{Z18)+qIB^8oW%S)io{PK#mSID)IChRFBbme4b@9&+K2AEFj&IV7NH2aBC$4ndi6;yeuS=CPiXQ}vmwp4bSN+gV)m!HeVY!0W zRydEI$kK$O38ss)OHB^BuKC^!%qAd*2n%&zsVEt zH#y?{rck`!#a8A@W@mMtj~V!n$APxj<)SnBIu_ z+G3#u+N|bWdWV$=pFcO)(%QsqS3`@`Yj1nfnLuN~+R*3E((t>R2br4YSz&vcctSuX zGmu0r-irUu2CZ+d7m|>bqtn0q-G7GXzy!^ySgF&6FkxEBJfKj8IN0Mk$V~H~Eag4f zEM*>^XW@c02p1*AKUylFxeCI8`#J`WxnY7k6bsn7+Xj31zYX^4um%G1+ox-m_3cp`0@AyCW8;IX;41T}9 z`2G42&if#G{Y1w%Se0CPetmaOyaU4Zd87@r=ef`inx_4*G&1y)o zlNuf<=mr0?Z#;Hi;y~MGgHGwhia^%ydiQuWN${Ti`QG)ED7d-PM&uykdm7iFom&Ew3PI0~(3ZlHqldZb%TEyIQzh+t zq+=dh4fMP0q(bC8py{?s-M3$DXt+q_=UIWnm_Oij;s=^q;JSAlg_L9v)QuSGU&whHV!H6K6T;DF>lD@w7QL)eBj6aU;8<+{raWm+=^pdy3lb#flb2`^QC?z zCsV#;0VL6^0+T96P*%#%UCR`KE_@L#*PE_F72b}fM=6Ve)cRcI3}Xf~=IJQP>y*Lr zF7eRSr?n_zug>OE^(eyMt96@qCgYu1h&yw?D|bRDc(Em9gJ~?hU^uj+QYs1(C+{wf z9m>Xdw_#1n@^OUEw~6x8ws;Z$o`*YFa?dSiM-|#_DPegKGC_4^SK1Sn!=QNDr&FS# z0=-UIV4rx92ZD<8)hsE8as508?!Oks{nuQ$|C$Z=UyI`Y>-`|(Ea5FUsRd#@^y@dV zJ_oDguQuN8en{oAVnF?pCLHx)Nnib|4hG5%fx%=NQ2%h@&>vYWAC&*Gv-D+8v{3P< zmb}LitnA0Ul=NJH^<3Dwqek9HJ^W322CWHH87t2Pv~eT$5ALyh<7vR(bmu7m zTDc>98zcM5B!~G_2y1mzIOnaHlhNG~`!f`FVet1ZW&iJ;LBM39hJN=XqqH**lYlk=HO@wqJ^b3GyT1rpNtS=T zmWV<94DUco%mQia2XiKlhM?%E-q&A|3tX?FYh)|)g(`~9dFrJ^Aj*ea#B#mXt!;pD z$f|Yuwku>Q1E5>VM z)B>EmS57kPhePdPIIG}V86+c<+k=xWsOxLxF`f&JXz7^P=DG-$PaD=>iyA61o@5}~ z9qVgI@MPW%(%c4^bMljFDrkTl(q}!QD=i@X9pxpfW}&^WpVj2vOag0xZ8Y>US!i03 zSMU)@7Ru(#{V{MO1q82VDqFZ8gYycVzhp2RWI$s>m?byUZTb8B?`P=+Jo0iyJ3s>Wr_2?jBwtUInMhs z$9Z3_IPc2>tSv1ginp1;_tF#JmScpF;#}IYp#N-sw>Wa#FCt4CbO2qLuAXuEE{iO=Z6dA@E2D+zvyvo!+8}9t z5?-zALcE@7v*fBawC~=>DHLP_PTA^;8oN{=xa1UxjU;y7#n;tPaWNbbJ-@oECrvWf zW`t5k#g=YA@d3jSKWhigKrr6>MO1fpESkK?(Ng-!6`l2`&7S@d2$#;j`6m0_2@UI> z;15o2f>iz2i<2vr=(~jP{pZV-D03$6tzk(UuvrajxUrl>&FuT<;+>;WiDr#5;~qbV zcxQh3#84U>5mp^_e&7y2UVl*8qiYN|k7*r0^g0RmOPb<-Ndw$38G-vHO>w`Z0q&PH z0~3=ERg`@Bpz}54<~6B&aE}cy?ThI_f_CJ!T+a@JiEP{z&EHw@qmqhRt>hS7vwxCD z%M%G-PdQKZONTZjd!t&DMf=$FJFnH>Z-{e;6Cq-khzJ<2U}!Wjmg*!_d=M}YK>jXOCGvLJuD zz1!#lGxSDQFC3YY2O9(G{da}P}(jY2OpQ@P)Q7o-=Ty`lfq7n(EJOpGpjK$&Kut9vdlJRyD5yZmuGAqF!%d-s{W;dVa1cUdw+DVb@&|MkfQ}RX& zv1QHcJWF7OBi?BgH0hk!xxdn0!-f5X_ah7$UQbCY7$C&#>3~olJ=jt0xIbTwVp&rkIFO&Bi}#V9fZ{aBf^umKZ%h~Y1BBUM9#?PfY@ z`V4TuDEh`wJTusn`oI6OLJvf*pXmHV{hLJn3q<*QE1a?iQs()=&Q|IrTRsoypsuGc zr3B!K;kKKTmL{n2_jF&BB_9;b(A9Lk6@zUm-B54GLF*-C1#eCd zNbO$?LeE_v&i@gyLTiWGcLi}Ikhv5Bt7Qj9uBvwIY2`lyY_ZQ!bf`x90Gnwxbk-31(AgyC0v~=+gtQCdA zvwrCtHwJ>h-RU`Fm1{P7ck8r+J*zd$oOu!#>hFWZdu+PQUt5E!M*quvK`YQ2R+QA& z@Ilr$WpCDFoT{zy+W2@Ie7rV3UJD;@gOAq)r=PZw`f2*eZb?Dp8ug zQT#zrP^iAmH{lH__KYRN*?~}_rYm%*GYQi{3f!Le^MQ@w^db+IKtwd(jVM3%>WxQf z`OI!0noiPaA7qA#8aI`vSsa19t^etMtdHW!TKM9G2Q`U6Vf6NHXJ6B&V z#G3=jklOi=nD1eY)aDJ=^aksN$7d8hA`sEM)UfYn6{o%IA^aB=yB&uuSl_bcrIn6H zD;@c!Q7$&n9$lU3i}j~WSb9Zuhiu`wrq0(FU)w;zp*AyYsutOrcouEbX@Nb@GQKq= zGy}=aFUI#e2T*$Dl_I~k6OifYR~u?&fS!AN7+d(_f%FE~2dTRvq54M2-_#{*l*X*w z+4<8MRn?6r8>z=P*c)uOHZsRBHIssYcRD#Y`r4&(V#M<7CIR>W@KQPdbl>C~;01fP7B`&Xa{ zRd$~8EOSqWaL;a|`PmdO&yPH|iy{?hYFI0d>feT=qm2@kZe5_1yu`H-{|edgpL%<8 z^FE}HfhFtLF(h~)>CWbe;MZ?eEnPZ`|sC7^!G_I51syXRv7U; zJ9^&jh$Q;3UwB*fHBGqOFxe8?EDN%xQ8Y!8A}IfB&cU`(2{d-|vsizs3Xo?9P!2kH zq7{Az`c-ZpnBjlO73ypZcQ0u~hawMDYH^@9*+mX)eqX)i)9Zq6>N$~IDzN~k1&xlD zJDzC5!1pUtnhD%FI>qoe9Mfq&sOA)HvmpHYxGEg-d|@pQvu&duIfVwO^{33HLYX4i zSqmoA$jgBWzxxG#XG65}_m>qqdTH?3<6Ia~?++n?e}B7a#iN@|0qFxFfiQG6gO}9L z4|o$B#3uX0(5jM$#H-)(g#Bw<{ltIg3laVP5Y<1Bq*TAxnXW~CS1cXHUtWbr_cK3r z30?;>*--a$nJ-aozr(?b*CSBIv-3vS?F)qU7!^e?ifr25Abhv9tHypCnE1{u7xLR4 z1Wy^q$@~gL)f=QAH=JxBXo;ex>WeNC9BF5)JwXFJPY33F<1wD*wS|Z~IW*uQO0!y$ zO9KzfcK3Cc?g2;tv6|x)@@V&e^4u-)JaKx>&mH6SeZI3ncQX?b z?C*uu9xR1Q8ye#>&QuU6HrMaeZbkR1{Fh0hL*Qv^^vhN`2g3UQjstSV7vdYi>Y_)H zcSjepNn|e@HYJz1T9;nbHeCF>3ML0C$ zqi3Y92FD&r?X~HYhlRJEsU)XVAnnH2QLdW`&|$rcV$e|y?k!236@6ld0+f&c2)8hR zfGLB(+aC;pqiK{}?6n#4J|y{lpO-qkqshrxUQLALc~9L#i+PAXRp@!k7k7Bp6m>uB zrUmMXcAeR&nBHgiZ16w*`=SXJ+~-A_KRZ2-|yXI9cAO~6DhJ)rkj2+EfvF<0Ag z1Yc8*eS-;_@J?~|A=_C;ko(v@?>iKWiUlQBCsnk-et0%^=V?#Kem~briT1<5;r!pj z{Ej$}LI>wj=-@mGJ)B3Oi}NUqaUO*>Y`tIM`1&4%ukT^_`W}w2??L$bUW|zHNr>*p zpH^HG?Ea0bDg{KbTGc?n2`Z&!l(yBI{YzOsp1 z+OPU28(kIpMbnt>19gHvkxQQGK=HgtY+5@QdS2TfyFQSP1Z0k#`Xd|(Vw879`J1fZ zxR+edOf@f3(jc|4RER`AZG{0l%N@WzF)QVfo-B}TkD9U1at3aS_pP?~v7BV&tZJAT zfo}7vJki<~207bXii(uO;WGO~Ql5Q0q7R=I<|zmS0k%tLNX3JS$@50iRq1E7b&FN5sh-s6vZP; zh?B5=)q21RW{hfj*<9R^o=2DyZ;m;{_C$V_o!X-~Z$2S!xJyxTySBX%DcwUn)EB%p4THu!S7AG=vU!UMuaLxvf^NP^veasYYfF@LQ)O^`b3of7E9FzTOs!>?pof{;&ZN zAJ3U4=@cZ)SmxwCZ~(IU^<=bzh0zzKw!9x!e6TDxceme=4?cEJ=KR%@L%vSrX2RcC z!6v**=bRPB^Q_J-l;5v_gc!!!9iqLEl0)Po`>;QZFs1ZH<~X7H4=Ea}3?^s?OIro^ zj5s_LiF-aNB?2uf{@MAZ+9+$Huc(+s5MtU~8cO>_(aMqX=_ywsxO0N+!`c!8sdB5u z8ca8zG*qNzOM!q+LREi1l`8CJi6uQcX@uBDyY{80sQ{XZyud7$2L7qZePt~P(6Bc* zRWP#=eRyvr8B~@A!iqHe=`JV0yugI`tC?izkC99I_0b!os&>3|J?9RgG2u*6AvvhG zQKh#w-UsM2F%bNaJ9t;?Ii+X%;(pS9Ur&kZdD_`1sjSwW;Jr9ceAbWyeAOxc!aSLR z^u0^zGTCh*_4UI8GY4Hk=a%(h@nT!T^~vhND_r+0v|xJsHgdr?2%44rRB4#8+<_y? z_FbcD&|loxrG1?h7WIo~A7bD0Z>?wDNDULg*XxgJ9>ytKejQ?clJx{Ks>>lGRZRqG zDmp__yI4>Xw|HGMouL`=`AWm-gY!Ac$x@)jw~BqF%DJd00bAd57MwT53|qV@g!888ao!XQZ1JWT;c=?xoY^CDRF|>7Ekjci zq%$SwMVsu=lNv!Ji}9o>=hgGHKWah3HxMwi*9Lx-shAC&STuwZ`(I-EhJYLQ0}JoP zqeajBg@dHNaJT@uHgNiZWEg+*(gwzI=m0u;*L0sY^O!cQn5cg z1*kB+%d>G6zM)pY0NLx2UT(XjhU?+K4R7)G zzYTBk_8D;A{zsg*|9yCixBq#V=y?Lsem&9gMESAe*VeN%@|2 zF$My+$Gj*Lh=yvbDK{|GABEM(fj!gO zB~ZE+SuHkm0WE%A?$kFe0xo%((uOb1KzFZy`q-i?a2%?4X)m>glt*H&%^$ITl=HAp z*k&5q^?RsA>8&jsQq@uXa2w0R==oM0RCpME96`x`7P%0??{T(=vjFN@l#Y5;^`bT| z?Ipd|JoxomKRWh&HSCk;c&a8=08VEpEM>UU;RsvackzjAkl`}@Mgpf1Sru>iS%FOW z+^-@PjOoJIs?Va0)#D&rJ9x^`uM9@H=xc|bRlxM8H}N5NhEd6-HM&E^TXEW1{V49Upmm7aVVIB+4&64?0H+=Vue{AkLEJQI zJ7O3;;Lb)z>W)c2xMU?X?rR;1&T;LFdw9hQj9)}ujhc=joS(9lw<3k}aHMe_jyBH2 zalv^wGB^)M0)qXPsAu`*;8@D4tvNXhjNRv7_oUWEcdwp()XuMqmeZwnQfbP=4ytd> z?)Mc5^Fv~;H)fnym4xu}9f4hxV$d>cRM9!EgIHKE3Np$I!RW+`_`x|5Bz@88`;8%C zIQLD|xNyx2dKwt}>X!WA=TXZY=4L&fdkCM4aD+6((+kAD{RUpVBj(t{F1PXR-qdIoij&Ppx?6#eIGfKp9 zJ(V)9r;^0=RHC?^N)^{r2}1$bs6jES48*80u$W`qzshv0&O&NgU?@l2`QN0#L6lr( zaZwY|7y7eyI7kvc4=3v9+Uj>m;dw*4c;1iI^07-)8Zg5RxO z>GvEk9-HP1-q>VZkM!?;aH9O)%JAmE3#8b&fsjvt8l@FFAb7Qrg+>oHcvmTIUDO8g zN*=|U0c&(~{(BJDA5E|b{w};NL|QP4czW^7{96k| z!x}<0Foy`gzeJx;qW3GrdFHI0q!ilGa--g3oD~xJtWT_m^8?S_U&g!_B~Z3M1cPfGT3^=?yQLA;#P5s^SyMaM8RfIc7`)&POm@jjKUG`z6sq zvrY|)4P+eo_u0UOzDpWccCeJZJ$fJq;n0U3#!nn{{2O4Udns;rYC{QUFq>MiY) za)ED(uU?1M1)yfH-j*ac50DlnPtGiJ1Qj-+j4L#Oh%QiEBx$c5B;R{25Gbt)_ZknE zUd=H@xm-Jrts$7DGQ2K*Y3arLv95|;%U_86-44pAe_qx)a~eTmM$HC`L92Q2V< zKnJe}H1T@C60Zj|;KXsdMAKDU&}*P9lEwU|p-J&|FKO%{;^RzeP@@f0-{~IuQSF2H z=mu$B?pVQyht3_TE6ULH)xwT^MGsB0Qss>@VBDm8{Nsn&m7wQQg#H-@L$vs_$T8=& zJp8Yp2lkHE8_BO+!RwWrnCRjA?AT!fV$V;U{8jCMJV%mJEt$-q-hHn3?gt~t z)H-b9{?ZB6S+I6&WEtT8f`6}viPk?v@0aNNxZ5zRPU$@-vi`(9EOuN4F%8E+mxU1| zj7cnhwiiNcrE;MX?5gN>E%S*l8QS>${`>F0#RHMUc_11%4@4U0fnevs|KWjX<2(@J z`-QFF=il@7!g9`zzj>Mg4DCTof1HjWr=orpeZMqdJAc;nmq0AgnO8Ngcod_n6`$<~ zpT-hCZz0ORBD#K&Bq)U6_oBvf2*aC_4w1o<>G{E%d-j4T&AXoxv3p@&+O9j4p8`U5 zJST0BktVDs*{a|Eod-ztdrq`IY!-MF>13n}Zb~b(0mrS-NEfOyqS1%Tz1w~pb!bCJ z(Ih*=8EbS_)%MsftiDpx)h7K>Tnh8u?yuPYdZFSkEQ>8r23?o>&VQ0EhbB6f0`u&A z$lJ4z(Y&-5T_bO?dN?2eub-R7hrHB4$G#1FW`}A3T~nY3^%GtQBNt|xBiBGQinN=J zv;6RTZ%mBbkUL6)dhxD92Jm5*O@N!01q5^NJ$G!x1zo#KL4mLwz$e>;qrIPCIlt#z zpYPdM47vP1kIH+pA+v>n;9QPG=h<8?I-$HjtB^&=VHC`f(Iz}8Dk?n{oFDDXq)z44#w?}~ZNAj6x*Bs#eQElf+5oT7dN75O#{Kba2zgQFZ7u(_fVm;hn?1=k|jo`(Q=R;d7H83P$*KHP% zgCUXwDifOeNbqGWxih^yT>hwd{8*AQ?4k%eS9Qb?5$!iIQSg$C42GbHChPIl>t5*C zoA|lZpLU??#X_$=%o@Iq)#7P`-V4;J!h0K_O|v(c zKB@zRH;Wp0MsFkfD>MpohngXt_5R+j!);*2mzm}JRS?Rw*InHXa={z2D04j~b0iv< zVH~<$46gePs0tVJg8p(yb8?Ch;r%1g^8uoMJ<9On*C_?|(4tmiR+s985_iumX7O6U zPyWin>T4$Oel_g(Jy9Rjd)#u@A3-x<<+KugArKC30jtqZr(@7SANC4Z2LbP;tD)=( z0l-I9J40_2kGKmKcn4_$asH$t?A%|(5R{;e4lLb}K2M?ug;fdTHkdwW;vARhQkf2l z>@fW#bwUoZH74^o3`fzdZGvR5=P0t{`_)QEa~`O@>Ad)t&jFcY#`Z$t3$S`mgxxTI z5a&aN<9tXDoDb=X^C7)(K4dh`hx8_VJ}GBhOcT_uf!?(?O<5;sqB>@$^JK0{@LYU^ zDI`-J%|CSiy^85M-QHD)zRu7DPKAyE76;6CAsspOiN+YM5Y`bueaYGOJPBo+2Io@%dzcv=oON#9DaZ~9^1 z&6owLd*-aNwJhPB_94!@qDIj6rNPM;>)(m>@Q&=7H3QB;Gtmd)#*jmI-SogUNA%x~ z*Tm;n#^*P~=U2z)SHb5uB%FV-bv^%g<|leR|LgHY^Xaq;GHzDXV)@fHjpHBhvLO4~ z#>piXdKkaT#!Yvf4tn;J=Cf(>qPGK~qM!RI2gvpgctB3$pSDbg?(U3Wlct_oej5qfYDrCB}_ zbwJ_b?gn|3dZ3#^(sN`{52(@(Si0WRhv^fnf-?3NDy#(&_7@QKBM_~}-cnj9JGU4kk&!a{Qw`D}S4#C+oJI*G z?QDf6KtsjpJ(SCzJsb?*!~AR)q`Ovl>jv_0hQ#4;aq2S)%}&7t?{^ zN}ztl=H=;lEx0;e<`}o61fNbtRIA6c!sj580N1bTAm7%>o_Wh0S=|+3bQaWyx0zfq zW6w0ewPf8<_k#uD_uW&)<`UcU1~mVey!`aNYRRqf@OV zke~c1ymP4z7>_Fksk#V*PjlY(#2iVKEh4e_$?E`^-fv~5rV@e)hrZHBDvIcnj5M$X zvBTIUQNd5QN@2w6%6|A;hPqf5zeV%LAZDIfxMmrHb{*6cSc$0uuZY)g6(oxhQC`6o z&shlP)m!7ddSRSbFM#vvG5?cbUP|M6e!{$ZqW-w8{JwwpqY)iX^m>SnCz^kKJf@R6 zT;LeY*xMfrUrL2(b+xi$ixbGXOn%=N!8n+7xtSDQUj)TLfwafdv3zWUCw{NK6+u!F zTH+;bK&NZF-J`gUfL{Ce=k%h*Q2vx*+bq*zbn3;Urq}Fo`1A1ZeoUhN&CHX&&(oPx zA?W>=n=-xW=p{c%zPq45crk3=T(=5_>pkCe`)pH?l3&z5UaUSKTAvfuhwoP6oyfT* z3lc*1Y>BiIz{_9C+Dc-F+Siyp94Vz?+LoPvaj!Ty7>jR|)M2~>ET8dyzAx&GN;&mQ z&;@mMR=?*|v;-%*1IN;p%;A-Dm}HxXGt_pD%APrC4#6YGk4R2ndI|$&XJa!<^eX4C zjP1BHvs2GXUe&NjV4jKK+!pC=-7Ms=)-g3pyatT_!YAqV*Ipo$I>$!*kGl)ygQVau-}lVKdVb` zeMd3{mX9I-Ggf)Z4oy(1)Sxm4U<-@fR@ZG0ibocltFQZ`3L7OcGJb0)xqnvAOM(+x zO{*4u-k?RUnUw{f{Px4jrR92EcNW;`-O22wEQ-QE)6pKOr-vP99@rE|`ogn2>#ZfC z?r3aP(u;iD3*NdeF@3=HsXx;>ig>R@At~CHYC2mNpbtJW^ODmC^8AE)nGT#n1EZs_ z{5ML#G^jhb%cU4*eRnGl!X}HdVt;-hDJ%wS3WpHXjF2>|! z3V83JHl=VcMro<4k7Jo~pst?u7kNf8>VB~{mfd>0 z=(S=f&Y8Pn|F{%Y`@lT+fF=A1`Nmcph2;-LzO1_&9gNJ!>L+9@^x=;As?EbGeaIW< zQT6XM2BP^;VxwxLo}xwQ){Eu#)%H{@Prf`~hA|yVu2Tc$WD;1Zn*Dpvk@hmQ0+N{@kiT23fue zlCk{I6i^Ov{k*_X^Jb$y%K({nr08G9_=gA5YA>fu2!pl!ij@@`rXxG$G#)fZFHI&W;V^gthVNj;Y&kJH2a&yMuB%M5__dOYX$dphv2-flF>+6yr$jGcDM zl!7Vw+im63l8|D~$Ye~Ib|OCPmXT$VBf_qEv{Sq^$Y!DF7U zq~-)B{0b7>FQSl|ii)x4btAa^|JeKMpsc>Ie-s8m2@wGUM7q1BVbMr;hjcfBq?FQ~ zf}kKFB@G5~fuf=)ih-bnSSW}hB1kCbejoSy|9Agpo|$vzod2)cv+ljuz19_4tE(RqB%KfHQJgHgNvY(R$njO|o-36!)CKt%rm6{m4CGN^hSNg|CMU z6=seL0g2rA)7JAc2&qJtNnGKB6vJb`?)oC6*ne)Nut@+St{zhjv(iClw?}8Kju7-} zm_>*ZdySE`$H1BU4!Xd<9FkcVX$&^cX6T~%j1XRYW_~l}v-H1W;CQ~whV7CHvacwT z)jTKx7G6I#vaSikiHkwcpSX&{dSA^#0h=27*B{fz`eSNXe@q(dk4a(uF*U3|b^>=j zg}1+im%rddw!8WFy)YO*`RmXpu80O3_z7~ie6Xi8>ZT+Cf5lev!0MTZJbIy@X*c*q z5b)-!c<<}+fQHViDlurCinH>tbUZRji(CKW8Ujoo>NnbWPJ?KtepCoS>FVC?rz?45 z!SG^yiSF^)B(&_2lcajY6l!bSt&0~uAtm7U;>!pph>}R)4WBcH$J8UAKWcaZ-g^As z_qE5quPOF@wXpB2fqh?7?E7j0UcXno`D*#kkoVU-^1$uOw^qB3cpx9XDsK8c7n)hl zg?*yzM8cd*ugXbtK!B7-R{dlNcuB_`BH%W_cjTtK>7X5Qz979@*69nJNsYsvnbr^( zLlw2&O3)wo|H6DDir{~SbDm-|XB;hAd<@ZVUEZ-sS&Hdrw0KGXd+4QR3%s2^=2Y-dXjaGnHQsg(1nk>PCo$k5jUlR~)QjRUnIgN}m z_NtQd)1s=j`ICcOLa5_wriRHV9ZI!)Z#|yL3u9|ifdQfW(LEKeyo00MAWI{zl3}h) zn7h&h|C%@fb|R5sy6+XCgd=LF)d|5*(FXxW1mCq;siu#2I9$-&%RbF{aS@m<^dA!m z6NNPzNl%AtQv{Ff8vLXL;J`$zSmqy5X#Rfup2L12>^z}?fB0t__=kT!f#IL`gTaDH zh?WH{{KG#Vz^(uGkMGHY@jYcRz9%2X_vFU-o&TG8+VQFn4uo%(PEIS|c_UDCS=B^steFTx|Bs+&do+FKKtETJTlol%F$>4rl? z2_Z;tqd(g6vL?trJyn;wYzj?F?c~!rhPd@r@Zzig-xiM-FZciS_k*_{$E!Djw|>O? zKL5AB7vASzPs^wv852Vg{G;yPO#_fxwNPhbFo9UZS*4ABYt-qyF2VZzB%JY+k#UeW z#qEcV_x%5duhYQrb$S@SP8P%0$zk|92@GE+2`eM3XK&1(1&2>$C2vtU`t4{YHR_oN zgY7B3b>R`{eBQcI?LZow__M>{85D=`zMs#%DUsA};!rF1^GNAiWkgD~5SL{q0m-j- zrS(chfSA@ZuQ*>E`1Xye%us6}y!)-UbCA$P@j~R5j9ct!@!-ok^oD~x3a$`SsWw=} zBa+h2t;we;;31xnS|Lr)iD(x4@Ku-#$aZ@R6w;WW{JHo&K0Z!3(Ad?ICcp(rB=Q$! z7ns0sTXObkfF^p*y+09bRlrl)l#gyx4oow~Cq_11Q1mx$=g|sf(Emxi@!Va3pwmU) z(Nv_0&40x(zd13?Z%!QZn-jpG%;O49Do~Tu7Q#41X*k?~<$%#SXgwXvj=f$8%aJxfMND6LV z&l3K_AP$r&AwOlErJ!H7GmYnF5FBiKBXlXb2w9C5=FxO{K&Xg2Q;(@P^p>y9#}M}4 z>8$APXl@Vq{=A*3`Kub5qSGx;ZWV>zAA9u#$>iWr-_n%PusWe{btcp4m@Lo^CYrx9 zBJ3k8o#Ba14bb{?@I_9g7CiSdayOUrMv?7(1wI5EW$@wcxkCip+lzX}=?w`D_=oq< z#_%3a7~aDP!+WS>cn>EG@1co%zTZ54heV)E0~W|xF9z~hqO;lDGY(^Vpk-NLZEvLt z!}~@bvksUe>I{i$XCZZr@A=>LHwv=dJ~;d7qc)P)rQ|7cP@JSc@nb;`Rkk0>|8qbU z?2DM|ITRGY=4XOu8Nq)TFTV+|K78Bx!!a)}7(&7{>C@-B+7QQd;@QRVJi?pTkQAZD~zfP92 z$-w!v-ALmLl8~scsD0q2Hez?wt5|s^2_}rR6Td%*q1~O7LV0Q_po&okhw**IdohXH(!QDrou?Q)eOBly3?W+dICI5vvzH~ zm0^oP#z`XZBwCF>vc^m-2M3>jC)PY}0Ari=@r5(x@Xq|9Qov+C+>1YcqVM1^V&$!B zuFZ)@49{AB^$S~q-K@vDd`>lPeDXiPZ%)kbTNm^DX2blxIWWI(Ma=K}7~qYc3$^4b zwK@zm`zM#Q=H(G3dn5OYBeW1b%0Op8wq*nN&fS5Axa3hA3EN7G2Z^n^h8I?Wl|Tk zH8`r0I;#i~deK|AL{;Dv*{ycEVPz1K+Gu~Wtpt;1GgnR#>g|91>b+RMngr`t^I`pJ zBCKCciS?_AamVB3ci`1e{#TD5#p-cBtR82;>hU93J@#d3w@iTbW zvvOVJyJ2<>2=`e(9WqG=DuK@C3Dy>PaG;z+NU6S zm}sJrecT!vr{v+*=)TU;6@m`e(O;RR=d@7K$N`JEEENz-`fz!wTLkd>iQ}yY@$Lt_ z@8|z+@t3cdnKiMnLx{MWQocMp+Drdzx22jHV$2^X8Z)xOmdeqWX5oV9wnJF#*Fb{q zDa$pcCk$HfsI0+Eg)|tEUAkUVeOepTjJ)asb2Xs1WZwECyD5lpzB0%nRtLO#FUHbN zLSJ)opikieSFL{rF#O`p>v&fQH^x)f`Gy#O#1`X^7-ReqeT+Y1kMT!zv3lXZY_)Bt~3ac|g<;8|y z^{V6`yjSWvqksxr3|fE5$IOlJo)386&p*D862^Bn!1&H87~feQ<2xH-d}nFg`vLDf zg)uAdB%rq$qB=Q31qe-Z4l!fxR$SWa_dEue5UUK`2 z1jr9^{COkjfZn-Oc)etl0@(?v&Qq1*plWbcAngdjmy3mmB~n)m{?E?y|Bh$FoB#iB z$KyS({?Fq7yMIkRyFLGHbP|%pvO0C#15xk%r$Uwu0w1tFB>O0{JH(U(9SS?*jc!og z`1O&XH;-4pJ>F_|_ z`$^zS17tfg^Ei|!04*pKvW%V9L%jEQ%k}>R!uG(N{WawP5Ux%-G~DNcco9kVNrC$+kaHGUAu;_+$DE#t!zt$GnlvkM zXd{zrXCwHjdKGL)4QL6&(B3msWj+$nQcZeLI$0Fv1#@$q6;DE9+-*rjO7N9ee>SjO zp$$v*W5-z!Yk}+xAL~VLbx3%%Kg0Qn4q8teP%-}O%@TqCJzlPQ z^T2mYh`4uV=S{3Kq!P1DmU(-lZ#A4O@dO=l=U-|%J06Fj=JLbikKE-^sVpCBvn(yJ zIe((Q&`7{jJJr7t$)JN@@7vSLDUG31Hp}?_S9K`rro5T_*ARW^53daRLV;BImwSEu zwV~cmW|76l9K+lHcYJ%CsN>>b9YS3a=M%E#i;($mQc};FQeZ!BaNl;Z1a9wfF%#G> zghp8z9>u9EC~`@>_Ng`{C`%a~%Vbc3GM?ow>0C>6&iQ85xcLd>jXYD)0cM!5-n)+W zSmE|_+#sfNxy>g7q(5^Fc$|$8G0ETBgcIzb^}~Bps7MN$Xan1&{dC}+h>a_ezC6N< zA2>2a@;T&uIb1&#%T6tH1?f1?*_g2;z|8aIG&=HZsNT=~horF(sal5=vC{|P#)shb zSNga9|E>pu*DvPV+wsnV8~;DPMyKcyn+7~uOsW{tGJ`|&)uI$_f{@%=ydyTQ0e#^b zhl1FA5ng=;yz`w+$I1#L}L3F51FF;zQLB?yA5p z+k)7(t}yQR-&*qUcTY?nB03nrJL=ztjLuxJNuY`X%lRUIPsSTS6HjN=J6wyx&+WXV zO>2X%^0O@OL=or^E#-I(DZs+gX5TG214PXHOjVeGd(WrJi}h=o8R|WpMc`RUy9FNOwcDXuhyxnwphOL-|ydO+sa3E zfdT~mqn`}MM!dlAK%TEUMG~fl@+Mm7%#ej+v-&Y}g5LGFTYE;kMBpXe2iqOW{CCo;iY##`y0VA8Ib%(V(Vd~T+)rrU<)SD32rDEKKmfp?&YJ95=bp6I1Okd4W z;9{tWVS*meTjt4TXX!)BAR^j(%NDuVyuQ0~QU!NE3a@@6-v94B%k{kvHjYE5$&nx* zK^Dkbk^1)TsS4UqtqXil%K*!F4PORYFu}bH&Zn2ZF~U$!NB@VQWYo#WoK5<@6XwrN z@sCKeelwAeAlU=R=w5W`+y{h zir~16F6@WR4pDyB#VzcKW%bh>ygLyn+&$!)Uo~MitRTgY`-bv&S(Dp-v9o5yzd8Zeua0w zhF5xUCmWjYlGB)n79}1I= z4cw2uhJ(tFOwJssO8 z!<;i&iK>!?+634VBh4Oc7(z;y*51lP&S}@LBOwr#N^hoC=!pgo2x@T;dBUL2DSx|aZ^X)Q z>C0tmZ;1Pl7CROch=Lm$f6^LxV0u3PecpsOAFyD38A3*_1I)~o8ngZSkfYo3#V1V* z^gE0{Yc~>f*Q@(?R1yet5ZaM`Y7zhcL;lf!_rv}KrenSW0iU)3qG)f>D zb!Y4QJ+u&T=*-L^=fhC>l=D~GsXe&ypWl0uj@Lhk137_cFDaTFlzzXUv0W(vu92rE zEbS8Xn`5G7TxD{RrZH9L36Tigcu2{cypt}%Ij90OisiLq;60_*pZkt^sD&fzZK+=@ zaGsm6_?bn*@a2znIg|D+m-<6`cEaxS;zLpLP8+KCsOy@o8D-0d+?!Z(BD$pp;&o z<}5Zuc>PIJXm54#j-5eHEXF@ATRq^7iS3~OqA!p+3>Oh3a zrL+KhYsflmF4^d#38N3+ma*^#p{-2n=MbU|B?fC#0+uR}wfr`hhfqI?zLM-Bf2{%f zr1vKLmsFsUNMF}W#t+Rdf4Wo1#|+T%O*~AL0g7|qq(#rEpoPGxK(ZZzznZg1|0|8- zus%_&?tGLUMkd#Z^jHW!TD+1qF1pr0Y2`|lsNw;Od+RiezuJIbqyP)GvIG2%3m|ou zal!4ckzmzuJVLk!Ex&kH_m^mJ~Ux{P*D+vsLB>@K<2$C#aSJA2-Usb{55*X6YxO|rAGPr0-D6hIS zpoSfVt0vy1!1G-4I^XjPn18)1=67#~`Q6)Ke)sN}-@OIqcW(|?O|Q?JS6l#TCq0qy zihQVkIcaxLrx(qu)Gl-ZXS;)13t4 z@!H???dl*Y=11OiTNUK>f7;lud!zMz;m!On33}<%dIrLb;)rjNEu}wF3?#P?$GOId zf$>@^U$Kk|(w4fGTD--J>HnX?^#46D{r^*#{=Yq@|L=q8|J%V`#yt8hAA(Qg43Ecm zEoW4Fv>|4&lhAL@y77ZXLI&P5_ICzP%0l4_?FP|SX+V8%KjmsGzzvct3SV&v0uS>L zSK@goFykIPv%w-o==ah77$1`WS_%dpeiB>M=q+&ar&lh-<bol{Xo&i&)5j0exaUWX>VCssAO)opJvUn;B;d>Sz3=nCX(1)!&S-}tVg#Po&d0Of za)@SsJ9)Dpp?^s!5(loP!1YF!J#SqLV(&UHrbn1S>5SdF4FL~C+3SCGSz8}OQ;u7o zBk%+M=^>k7ddQ}j9Bo-XSG2?fcI@j7(b>*X9Wyb$>>|eJjE;ylflMSg{wUHcA`Ou~oMMkVmJ0qo!}e@riEyR(vG5P7blm+PVR@0% z7G6fkCGNEE8=wQd;$z3^DUU&|>!N4ZSv?D%wHTBWVfzbd z)uY={FkC(-*_FP~fY3_|B6(2t-8nBl1X#5F69%+(L&6l*E{NIEqMvr1b=KSdc1= zo;Oa6KBES!jp|aV*W}=*z;MTd@2;q)W8rReQv+(}7WgJZRSX4mWTXSQVlnr_AqPFu&ReY z;d~kLQYLl>^3$W7#1zqpIpydZ-`$CrfvP7UKZzktgw0D)`I5G`- zHZ)Pv-%9^BKLml@F^q$s2|QE3?=IJ(3{m{pl>s?*DQrFe9lu?Dgh??bB^BA4+@(JJ z-Vjay`Ke9k>j|dMK0NVna!1Wcl$4YN-N5vF(Xv-hMB~1X_BD*JnIB4n*XVlRF)e*W zt-bO&ma!7qy_aB%(D4WUNV(RgJK5-`O!)05OtrY{BfR=Kc>5Katd|#Qb4tOV^mj-# zQ9PnV-)oMppG6lnnT_-#&V%OVz*iZsE+e&f+GZS*`IsKUf7iRf+uzXW`#oi~a~V<< z71DFG%HTj^=l+i3DOkEv<0A;j9^oyPXhH?tc3Y|buuZfL)d9@RfmsMUMt1pGo#UC=NcYL61hw9j# zo?6s&y?$!`(N*Btw{PK!bUij-FhX$$*D2jrxFA2>=98wN05GcyDyJd=$n}V%*c{@9 z(;7DHpBV%p?3G?;!l7ssNawxrNjMO3=rTQR9Px&+VacHbx7>j2b#R-di4A(cCwzID zJ{*dd<^=COXhb@+TI_zaw*j24gg@u2hf0`9*q;joF%A^dR^W{OhNwV*1{Kn7;Q3Oy3(} z`raa#zPBju^8{}_g}1+lcm2iE{H3AO8Ho2g(>rN*HTbquN78V^6DIOxvcriT(Q56? z4X(s+m=U{HqTP8K-dbgkQRo+-oz!NH;L|Z+==J9ei^_ROrwLlD@6Uui?--S&xU;3ZNQ)5D1E?vZ?v?~>#bH7 z0%o1=dmsKbM#DKDHo8WcP`wu~8`)zsID4EzT$aHUU2~fDmwRanozW$F`+mPr{>R@` z#`v3rdD#E(H(fCPraZ>qL>PZl5gtjib>@mI!<}CS4;`NEDBmcd*lBLjN7BWf)c*bQ z(A>gle$tK|rPx?k-=;%AN-bNq;h>=6573rXF`rD}ps zw!I8o7{vDZyENnW&-xf%#gB-Bf$6nkg!o_@sv@nNspblW*a!|cj~mIzV5htC@Ut+; zxX`=)V?7+=>ng;y-}IscqkWaUDJ@8HJ9hIoTQ>46`Ff7=ZY%sTOuiUiQwwp!zhrD8 z+aar1<@w~g5^$Tk-z|J059vLu;RaV75pSjjo1w5gFnFf_HCa%A(4BKfdKw6LunXQK z!Z9jvV0r(qfU8R2dhYnM4SitN|V z5StYP@7|OgUX(C_A+a`Q|DX(%V(G_oc_JMw4Jo&MT@yjvBrT57pb$lGa=V-}C_o8` zVY_W1$v|}LF4^GzGZ6AnLrTFu08UNhjxhR!A&)w%ZId@)Ks9zM)#CeUczWEOfiBw{ zS-mk4{t+II+)ggeM&#?D5Mv#Qn2Q$ZgvfD`i-h`3)z(cgR>Bmr_m%C85d5;la_osw zuOd=BwKv;m+X|Jv$d2jCvPYwhXezhY6bUGwzv=he2A;Oi>}Tb70;7`et0(z&!PBTE zn>36CM7>_=*P8L8k$@Pk;$>EtJGDz)3QTaL`SO{ayFAFuCh>S*|7&Hu`c78A(<9%0 zzJ@FsI$D_fQIh62AY@sr%Y0^7$#)UrGXbKa=k3nOZUh~|-) z^c|~Qa7wwwdP_JCj=z+T;M%D~qOmNPi)xEhCuX_iz}?zr$Oae>z^4GC-hIB!2wn|k2d7;S%b|>(dIM43Fzxj z6MHri2iQ}uf2*a^8X{88rGM*pgqiq!t2}~V;*4T3cWRm$oMX7~I94VcmFH~V+x}n* z#+4Io<^(_4yNev(ZzY+-mhIzJ^eqy-9JaFWsE7dXJED^ZrQM-hf0uiS(F1ASxnw&+ z$p2D%?Bo`Fy-~_%lZIR-HHa3;q3D0E2h86-MAv(mBDI?a^aWW6cE-<&(4EspL05Y= zwAGHI!Qat)4X$ax-B}@lV@MM`c+XKU9X3Z>x>hiltCe ziL%7)r9()#G_495r~%~{1)f*g(&&;Cr)`FSIy}~qBJ$jG1l9kbsJ~vLgGz(;$lAx` zpt{MD)C{p;D11d9d;DfJTp8U|epup*y2u$ zFuE@hQRrq4pP9aQWpKHmTu1SJQOFb~BnQqs`|ghHDP-u0lT6@WKBj@?V=P!c#)jo% zY*;?VisfUhkR9Y3^KnH3jUTsSSvS>#8uD1boDef83Q^U}Q51%wA}zjM8!qVR?4n~C ziw17Lq2WE{pNu}n0p+O$mZ%py14^pe@H`ZuCm(1g!YxwZ70sKj3#7rIbD^WDHoXu9 z3Lm~6n3)IK^h1oV>Z(A#woChj=M6Y3d{JvNbR4CWIjla7t_8o;Kg4@fyPA15G}WX5YfB=E>JJPc@XgM56*_AqwUFtlA)*Fk+zf(|uIIsc=383iSSaM* zTNVoCONOuO^S6H$S0Mr28d<@2;lNp`WLKph0&^G5$Kwe)&OJ8bQL4P+P&W*oh@BIi zz0H>&ziy0_%;sk=kV--%X?DhTp%|tOeG769q&(lf+v1-GrXyw|&fHBX zCrCw}(;*$&Gz5RM%x1xG=x*@*(bKRlCYr@`J_E8%FUveMy?_Qn9Em$_mH~gvFXuOI zb;#ua*_(-gaySyM5N0-V4&CG|HWHJ|$2}kP^2pt3bdUt{xZp<@BLqRp_}AmX0xNXX zZo+5gj0A*K>MPv)Bno{@NY$H6P-U zmx)qGSWyxp6}wa*>*b0<819g8zxPFX1+!E7cSAw(9V>A{(>WB?_hwK0%Mi5jsx?LJ zL;`e4-r3K~5e3bmclMf9o&nLV+=twvL5TGrm!aFiFu0cLHoi0!3W51;RD+>`NWaJI z*RV_?nmwMtVnuI<{Pj<`(0_IX)9o?)lhj_&!_Uv#zZD3rtIPM&j=6(kmgI#GOy>~Z z`~Y;-TG=r?2r{K3;?&#Ub(}+S-hIY>h4xl~5z4+pf6XblX-WyWn4F2PLf?jx7L*s#` z()1rJ;KPTC*n3|h&`5uBHM_b6)Ytrt4SQe-)elTpt)?tN_k4;(?!#b2_vSj)IV&fS zE-(zW_x2~~@iLA&boxP)_}rN<;{;#q^dX~pLoqZnb?8s#1{v!7lS5sXV~nUorn3_V z4x_ftFGs~PO~IkzwC)izWAwGz^4FDLCh#?LX=#Hc7>OpaRQBHFfwFEX#Pc-(f*TAE zqpJb15;V(%HewNTHfM@ss~fQ2<9f){A_D?ur$}Dgi9^!tgG$6wHSN zrqr-#pgff)o$5;jUS5br=6VD-I9v18(k`-sE-5fG2yw%oHW)Nh;s))W%eU^GV~5iP z8j_B&y4bwzzxQ)`oJZF@VzlAP%kP36Ir z{Dfr#+EMmCpZVZ2GWogqmOQZvoR8PUhHYMiPg_&(ZWY!+Lz})y{f|;ec4g8sKT!ru zL_&@>^_M~TVTX$DS_4Y2lJsHMYCwhS9)9A58tSv4n3hBhslsA0uKupbnATX)d~ zbTjUx7lkCD<9cRO%SX}>)rBBey_gWVDz33?-j)Ib)!iL*0r4o(^7i!K1`kMku&JKl z9tQi04~ELk#-j2$ny_0x0)fG?5v{B_0$zMnYmCrEXNz!n`N-hZ<pu3(TO$PAO3_gdUIKoF)ts7o{7@z;RlOE) zw>b_N66N>T3LkJouZj zy~%#3fay{EcfCy-k>0m|D%p`zmWmVq2I2l!dcZ0F*%`e~jkX~wltUV-Vyp)#457?n z>F#k&efXl`{UGXFIEtxxO1(G7A9i@jeD+TJg4lf7MAz*YG^zZIZt=V?)Dkk^gDn2I z>-T^28U<|LNbwEd)QvzIfA(zp^N=+p;|5Atyu) z8t3PKmWFNCaYLzy!;lf)Jr!Lk1+hyPe)$dhK_2t7kBY0=h|7)ZnZ^Z8L|$L}b6_qX z85BMuJ7$;y7tGy1FW)PK&IB`++ehDp&Z9Vw66N3)cL+Rn zERW)~FY&w|50XFE!YB*4vZwVHUNqD4` zjDX0|g6;Q5J;>cX6TxxK3W-$O>uz@If}`{4soB>CF#dLrIvXLdq=!t?5lI^o#w;|9OI zDyX|?(^11o8pa)x43u#4LmO*$5OBVHa;sYQJnTJr@?)2b5WIF>-#=h30HxzR-%nT> z6Yy$>qL~PK-CyrB{Rx{C1ou5oX@bmrfEPbM5LS@@BW&mtTCM+VB>~ry1j8Z?cn|tg1q?qUh2dvpG5m})hM$qe@G}IwAWpo^zw^WrJ5Thn z^F$vzPwcSsL>D_x^x&(*^{>w5z9=#H)w@f@!idXs*7v)-7uaQFIW5rop~ji2;Wle( zbVqc>|Gl;sbS$vb2cHlFncawqAX`av&L>3XD~||V<7jFxzbXure94am-YX(Ma>-Tkc!_kE4`e#GlvhBqGX ze!D^8dwB0Ep^p)Gf9<^-F&Jnc>B)8#0nf_CzFKl^G=046#@(_mWuf0J6^!jd(0XN? zdYWDf8AOKr);*Mjsx`SwX-#bKp(54Ic|jhON3Le__LG78@50HaTViNEs8{`%N+H^M z7ZB-383RuTI7&|rrGR*c#Qtvw5@A#~dm=Wy2-V1SxRA-E;GW<4{3w0Is+f=7nFu43 zN>4agzQQ$2=$90c(5{o6@PogvjRUox68Zy~3xaQLY~ddt#0uksxM6${JB$xvkMTi# zFg}PeZu}m#Os=hX4--5uHdSGNbrfjcA6*RJR7GMxPf*TVFoJ@4*1)_z1JtD!in`ge zLsv8f@!V26l<#u7OM7%e=^s5aa`q1N2u7%UR2!gfwt?QMvlC7(IM8^|-A1lkDu-0Y zB@tD7K8NKRJCr;k*o|6AqO~6k{?D(lgN&OOkFo^^yn4iPn*IPM;9U>i=d%Z`HVZ$@ z1g9kCe(}E<5O;&9-MWzAKVTX0cJGy3VDilzU)0QiPVr$s%f?#V{6W0y`PV<>fCJWV z=;kxo!0}9$^=)Df#2_C2)0vlHRZ%rM@O`oV&HVOw5 zgVv4{(QZh5GV$I$mr(RF@9VP{)c&BQ{d&*Jbr(eT@$bZ3OCEarojtR1tppaBO61O7 zuS9t@GdxS9#lU=VfwWDx2#So0wP`=+A_LlifJSvuV57UpAveMe{fY@kXFKFziA8h8 z>9HUjv~yrl%HaW~CW+~?C#LB9g->&6<_g^R3TlO{x6-xzW)jN5>RT9Y*E2Wa@6PH#LghJn|z zpFS^I!o~Y{I`4>^fQm>JuhElelrQTsZ)9ad;HTZGe*4E1_y)cdafw?3<tOMgSiC+KPtb+SFOPG) z>WN(9)JJYC`9n(8HNK%c9w5l6p#C&I9hr1lN9o;*gSaPz+L6W=*wsWoBp**jt46;` z9xq2iC8@^GtVt*M{^3veXXhmNO;zbBe5MGMs<^n-9m&V)5fw~7PzBQuRK@fI3HtCG zHzEY*G%@`^gu6dre!Z0E?jI@ec-|w<_LdLkSnGqw`)!buK2La1+6hQ!;Fak8BMkB_ zYU!`ErQv0AWZTslN1(mw+0Qm<4J-cVD-K=?K(8zmneIIaKzecvf`*^$ft_nfm}A=> zq|Sc{Abn&E`*vxQzqRPY?ZOc8D~F6Aub%$(A8T{q7CWUs(54SchH)m1LBZ&+$DbLl z7H7D7yzGRGoGz?ucj!@|AoMA=uVIqL879bi_q{&k2*gj?Oc)>gqJ~Ii!#6apaD(#{ z`!rt&n(+D&J5%HeS88Q$8VS3Cq}Bb=hDdsJ*@7d+SHunN-Icz`8JP`HzkX?31YbpU zMRoMi53`|Zn(w8jQYI86eGdHdIu8YBmDi{87l2z_kGim^0c73JpXtc;M3;IN1rB!W zLn+<2-`5TG;Q6-~Ll27e(ZvUJz4P^^K<&N~u~I4p%Z7#h(L_$@_WRyW=RQfGSJRc2 zJ0b;>Lf%R=*EQgB!M-7*dU-fw(teG5K?At+)bI0|5PT~A_iJf9(Et@6m-G8Y)L~!Z z{JXYpYos#PUFA$a^)Kc}%U{L?oJ#q`ZAFnu#eOyA54(>Jrh z^v(RC`I+y=hh%@mPOC%`cGMUi{b`6Jd148Dru-xB1iyqHHkvaNgQlQ28#)yF!X5DH zV;r7Irc?1ZK#Q?%mN~^PDCyX8YO0hqRF4{6y3lHXd`zdO+!oDX!umXYi!;H8<$w4Q z&KN(!7~@B{V*ChWj2~fw@gqz@FzOGF*iBp16nCojfD*yq@0&=+f%^`G(ck`$NwPXX z9U4baSkQ$ROF{yiC3^6gxmAX&zYWRFNGqQvy9~;~6c*i*ok*Otoc0V$B{V(^^pt3- z1mfwnW~ED2pm4dfqHt9cx!lkY8L%MmKWBOc&h|@#FR{rxv05ph)N-_cIjn`2OXjq4 zRphYsn_%l#!PakvtzQLOzbdwVHFz@WP2_M@4~)tFmfMcFq9`2?m%BXHAiu96%(mMG zB+~l&Z-=-b+Mn%W>~9UQcm*up42wUB#p_`4rdYfZJeE%Nt*1~0wUm+)zd>V^%(Obd zG-d=MkL_}9$gC;r^RA4I4I3h^4UyZ!qpG0!E2r11JP`KY=g+3;K8LRCS)uS@i2(+i z$?20uVes2`CBRrE3H{+E_mcV=gu5SwSN{-iJl=WM(8bULA3qzyz{75DZy{$?EO|69 zeUrfVxJ-8a0omcS?o}Ph`_s}Oa$*13if7_5 zB;YGxPHv7e=0;YX-@8M@5fPr`<^=ScT+C@S#T|ZTb!<^Y6Xq42r%dRB-I0$-`32KI zzSw=?fZZ2ou=~OuyD#jp`@$Z(FI;ffBY5Xi|KbV!hyU@16~p{tPhtMBN|-;aB<2q* z2Y-S5e#Q|~5T~R9?P5(-K6dpQ8?y&uuzmaP zBCQizv-G=X`_Kzb-Wu#D^|u3xF5ek#6?;&aA0{T@vxN}L*u;4XYqfY` z-=nfN#X3bGu`M#-wx9_T-+%vuUaJ5c3tvl1yTJYb#s5F-{XEkvx)HBT@ZmlpwUx6s z8>xuYFRiqxqjJ(%JH6pVuuxoJ;O9?5j5!O5ZFdq0`mFvfQ}X9PnNM``^QCmODx&Ok z%^?&$ILA&GD(Z*wbjfeDi=?6}BI^eEZ!dt4*wlVW1-;m#R`9G5A;cWfqNfIB2*@(UFvsDPJ*AcLsyWWu`AGN zvTV<12*7~N%+syEPPqA-c=ZhN_W$!q?{{%BDuQ+gO_v zA!YE6;vAulIimbFMMS^}O}p$ETjn~$F)EWYeR|dqqeN>?#^4MMm1$!?7YY1@wzd6M zUu~hxV3Plq)H&q3Jr=Ip6%X>VNi!{8XMjtOg9F@A(Erud z>Y`~iR?i-S^yMv~SB^B0W7R*dzbJ(`BDB1gMGwO4oyyaDj?uyE*S74#9}YsJFVW)m z=TcNa_u-vKd?f6N*5PmGrCjM`SM`2 z7CdzAJbc97463!?QE>IUAn_-IpL=Qb;ngtF)aHm87+XFU>pd(Ax36?;!kh?7JDVFq zS}BgyR!l~(z7<2iJ-R=iNj(9NS7Q8@ZVBPOFVdwL!h>E}67YVfIzykj0=)nUyT(B$ zXeMq~r=#{nBU)UeXCJr%C;z3Z6XoIP!ahrRQ}WZ`x@-M*uqBd!H+ryN&(|M*&$uQw zs}`c$dX`z8=i=edso*L9Q@-dQ-;EvPyK!KAH%W}|rjPO6I5EB(E6i7NDtg$D!j}76 z_UHHRKwLlu^YTb1q8y5edi?!1d?;;cb2vW?)|ba-fNvgme~h#8c`5N73)sG%b=Lj6 zKHRdX$?uA@gG^fT9ur~IQ5&&p_Z%LjXo+39c-eQ8C=bW>wDTBk3NjU{XQcksM5dhcSd1ah4rmb z&d{u5VKQ3iLBK^*(=8Yh&fS+kC(mrUg4jp4Xs%ID=(f_k*`4Q#LIbI7QwjP0*H=OZ z$v(tGroi^Vk)T}kiz?&D`RkETv233&+HHb%LL!GQzKKT>R1;UlS|Wh??9+LxsB<7H zuF$Qgo`9@0ZX7DU5f54qeN@uh;?M=2g`bRG`tY8U=a74_Iuw`roSh)lKUISn{iFqc zDA#LLj`g<|yjz>^G=8oIc=_zcY`g`3JmnxF`gh&xq2q|}uVuis5P5jsP%ipwuQow# zt&;zX++MWuz{zm(&Ozk)VMaB+FBeh!>5&iTB_KJ`-uTx^{!r}J{HSl|4D6K6iN{l( zgQ>qu)B4mgP!O^`&Eh8uT~XY8sV7wt>4XQL43`wBcU3;}{U!~KMkVFcSCmnb%|4gE zW|HvKQtksG5Qs@WE;q)h!P!pP&lg6uAlcw;(t~hqpiu9c-Fd75u*Gkr#O#a4**PQU zh+^RrZ7UHmf%oDldCSoGaum8AAR6#;un2|G_;;K;8xP_^-!DZH_-_C5J!352v&Qm0 zJuKfN=!O1IzNd@jdjy@nPd1DKUV$K?CHDN$EqBl-FSvJ>%pDG#-IGg79gjjnwwohv z5by>=oX1BUgVDY4Z4b$x7m(eARP8`(5iEuI-kg>#MJjGbFZ5*+=KY;jw4>Yw@KK68 zq$oHZ-bkJ&>o}E*ga^0UKbsP8>JH|o*B`|og{qqutIwZB>+NM0=LU6P+&D$&LJols zm&C+CbZ=$gpI_C=z(2pLBbZ;+(!f8zsviUY{Hm4*@-Ej*+NWBBig5Snrn@zm39T~+ zj)fp1w*1F0#5{pIV&9y@mIdg)I)2nC$sOVKzx$_$PXwMx#ig|de+HgEp#896$ASDM zgl5-Y{u!9J>iU`8u{+>p-7EiBZf5}5rB5BCjE6-}X20mj^T<_Y+KD738EU!1)t`Ti zL5cM(+bh8d=yRfn;Vj2l-1$T5`)o4jhl${!ZuleFS`rm+?TxT(yMlTmj6OvVq`*^7 z;{CVyf+4ixH{E($D&X}W#Or_BXF9s|iQJ4(@0A(ykISKsL2s)Jf}V&V`4z@Wfu%ryw)cDZw>)^nKKJp(qi$q+UW7rB zOdT=Z?#}=A=rnrvTi$BN$s4YV$7hI)c)%dLYss$wH)KL~Eu1>b6Y$PcGOWX1Z-nW9 zO@lT$-J&(BpURw5f2<9AT;sd*hqU1+oy(aO9~%^G%V$b&u7g_-(`(P<`$&dRAb}If zS*?jksk&idbt)KCb=k;8#)Ba@E6qlVCJDVzzZ6Tm8vcWf0idUW%N35{eQYN1Em+gu$i_ ztH3XPG59kl_(4vI59X5iTSC)C!TL>r!S=W)^cAe0B}fzkQ>zwY^-MElwwt@2r`>+vZaGPjZ=f?Rx;T4PWhgMRK&zl%TWF)5%BGI;Om>{*ww1m zmnlM5@A@ms`=!Cch3RGO=a~FDSTA%~Jsl}q+-bX~5(W4AZR^f{&w}i?KM3ZmY*3ZO zYZ9h;3z&OY+RpvY7_Dsxx@vhkB5I1AbBdMLkonbwt8&c}@b&NDyMD|0C-3usRPgy| zKvs$IaE%D=P)O7#!=vrf>7qdepfk%@-25~J#SR`Fd10N0cV2>(xt!dl(H2g$zFM0- zWC=+p#osU*+JIa^K3PwLEoALCwj@5Z1eOabui3+5&;##Tf@{k0$Zd%61iMTQR53ED z-YP$bmJS4Hf(g^W8rTSmS~4+C@YSU&-HxcAF_&%rv<;-p-JnXI76;KQ{$C&r19 zB~P3VbB9}A@5XK&PD598ZgjT@YCzRA)$IXF8MLnK?0+dz1GINoR;Va6;b5>^x_nC% z^HaQ^2QXtV0f5tZZo4b6on^Gu@HPrLATbkCW`aJU`L~c&Nq38WH5XD&-Z^rl^AdVG&;Q%gCm&pYP977(?iEh-_TJ~1 zsX*W5TzWniB;%c5s^#RTlwAmi=?1FGx6}cUKE?Otb!jLF`*Od`5R3)W&J()Ly+Kg# zl(8jDS&2-%cwTg!um#Eh6O!xLJ=$uM)z-Jf6wbKRbc32$Wp()Fa&wjAM0yke#It<7O8ZDaN|4nq*Q-p5Pd9*QWhb9OW4 zg`q&n?Qk{XI2fWVxRs@zh5lZlmaSWG0Y(EYi|l+SbiBjbvDH2i=p0{VxOWwzzTA)3 zu2ROs`M1Mk|2m40Kw@$Lhf@YnEJ(j>yqAK_%WcG2-zEXU#;I`<3JF-Ek$ifQlN@~% zo+r^$Hbr;$X?}21i(_2S@2*|Hmxcox`dYm_wLs_D)3pd4TNK+tb~Tho2{}!dtMn6T z!Q@U~gmst!>=a*!6!Vfo${OxJ;!XA8q{`OKdxz@LIm*R)ezR&A*LU+GmyL#>zMOFE zQw2oa{1SBfLo>SMt15HpXg=WEpW55toM-8FhtKpOPZtXf5Vt9TE9=>42s-CP^yW@D z=7TG)O(*mMd0~t8qP2YVqGi&Sbgc{Nn9DCc=dOf+S?$Q$H?_e2XX#SWk9c5~%&b3Y zSch`T4mi1OvD7r4{d#<#|G)JTxc(OtuK&e>>wgL2`d>1*{udiWYAiDD6S=|)8*NnA zjy}3|k~TX;Arv)GzM?ML;X?uZgWewwJ45ZSWRY}?BY)wDfLoWoE~_{i&xdCaSo z4@TZNAg?daHY5Vf;4Ndrr?4Vp*e)*#@4csuy3cYfEQ;}?({{hKr$1`}f01>b?J094 z=D=nuY;_J2R35HnyK17GwRVSg9Sy*jcY!ZYmFmrT$y2tT*#0TV_xB{0Q{E13XSRz% zt7e>km?E5z==o^6<9{)p)%pE@+8$BxNou@_f-Vn9ioC3l7flA@Wx6OOh=U!M6OiR{C1cTLtmhE>%K0~0IQm(Avc7aa6fPx7*QH`}uiTDrA!7HB1JM_O zfiw02z;UKkiGMH^vOZb(N5{*RuAUw5e zh~o#6W3lAHJH5&W;ZG*au?oy;&U-(TfE@rzhSd z_azU+nl-nUhMnOW0?EugN6=uKy)J$#YS)eGhcKvSZ= zt>>wYvHfdx5bvr1*m>^051MmA_tQUpJJ8pI7OHUC-uI@6p*)OrDM}M6p!R$$=|#}! zq;GAFYlY(x+iAOwt+4kmJ+HK`4RJGRi;EoUgzh=9%@^(c=#NrN@R4_3sPV`;t@yGv z>@6;q{4BBpo8lVBna81M>hQgpmalH`I{k)F754?em%nsGe!^mo>jub;_N_-tM54)+ zblaq&D{v^(%g9;i7AmAM6KvBx?4_Z^JnvA2gEqo<{`mX-IQ4lS7w}!NCAX( zp}O-6TCv~VP^njYdU0z2&^&i*^TzfU?nCE4ZxH)Hu=D0W7C}p7sb%z&G0`4v+@w53 zxnKz!@4JtQi3XzEtOXD3nA}0Y_bSUWkrW*Nz>>h`BMH^q2Om57Y>>>+KGrj|Vo(x) zENla$;ItdrY*qv|w~l5S$`jLs)c~WR2^v$R=gpWcO{)$Y51UT){89(f)$AIc8B=7c zWiqKqrjEBC2jBas|IRz6xbu!Y?!2RlJMU=V&O3^@^NtRR=#3U1eXaxUM09h}?5@a| zE2%F|!3jP*?%)z}wu7XE+dk6-0m#zm+0e@cTiki`fA_8T?U+QZ%cvvYKBw5&2~pIL zU9?iVi0wa92OeLyl7SKD#f5!MNhG)Nspd@5nu{o!SRHmAQ6icw6^{x;I}WQ8H@6W5P;OlpI{^`CD)Mi>C$pkn{$EkpQq z*mMQvwZY`$^L81>K=j{yO%&$~6UF($1aZDFVVo~a9_I_=#P#L>_kLn#fTtVJ*(}6x zf1--KmJ}FP>m~L*Jt0)vTaM#{Hzd-wQQf@h1X3L9Az@V)@c#WqS{EO6v1mf+NO#P) zZe!#?xN}4Nl>)HunmL}irw)sEB@f@XHbI2By6pFNG0$6wC)exp_0+xKbwGP1<|ryuL1al2G9rlgrOUC z@;9m?Oo1l3XC!#g09-0HtrL^Y@a75p=a=Nb`6ab+e#x^qzvNk*Us4X|mpp~b(@Np; zw4%5?tqm?uD~rq1isACKnD0s9@8hz4IiQP4;nLGLL{G1e1eJVOfb3R+;r(w4uv^8` zT%oClm>1rR3}Zg(*5K>Wor+pOc8h1@J1Ym$qv|3lz&zADw}VfJ5AO~?B)_cV@LUNU zf2lUN%c6^-1D(&P(iowv%Nm{5D=P4y;>zH87Y#5S$q1KF(SWc6Iz@hFbF|wT>oa&- z1DMIW&A2Dhp-19O&qtdA6w8fXYelC5SLfBheStLi!*Q%Hf3*}bxIBLIejpyWe~HHt zQX4|Ln-N)kp($!(^mV5Apaaqu*E_x%>cOF?(b+^{dn7L&I{5XT#{W<2v2)S?d7cp5 z^LXQ)#~1fJak%Gk!~6V&FMm5uty{oXULB=LFOXM2## zIAnr1PyX7gI-0J0ZfL6Ms*sf7h0evS(-MAqNQIL*S(=LjBxnBRXZZ2LWqUoJgFr64 z`MvngJK7%@8r^tK@Pw#9pmX|ql4_l^9mOqnE~VcOq{g41M(eD z*vPIGhciNCW^umC5T(6f7fpzuRJ^Fs;TYz@)@{n3P)4A+=0fu4l?QA!J#D&r*#c3W zrq)_|=7_G(Khc|c?+sW95 ztG z5RT|;#QDU9aQ<;_oPS&d=N}iv`Nsut{&5qW@9%&2-56A6HY5)FA?2y+o=3aZ7_W|D za@j5#;_Q#k&BcbpYTx}Pu{9}lv$r$+xKlF1moN8!d;NdD_5c0vgYSBLeRd*|+S9k|x^U3K*m9Mz{RZlTyIi_l8PBC~!o+!O}k za39?mY(G=5U71y*CIs6S@lG!~QlLV1uu({<1U(O^=bSW8hCsszaV@=MxY7R4aitOC zwN2mIF)m2~eDh9^d4wDIo=Tu43O4QHJu2va*PjLHB0zBAvaD#NDA2})$hKBefLgne zB(1z8-sjE#c!@$dUZOCLmuQURCGz2TiNZKuBGzLM+@a&$c0{7(Rdq9;+|lrm?GY(e z7Z^ysOV9g29xy0*&+Q^d@YbbL9h+7Me0gr5@snIK5X(_;Ngp){H9(tJ)DpxlYr*TS z;;H$#bFg?Zqk)UT9BI$^_g;LW3fF&{1zhA#fbs*nO;(CBWK%YjYbTNot{Ml2$Xl|2 zgdyhfz2im5Ayy*BO(Fr9BWfnj`CLV(duQIM1++ol`48nf$0pFSUtm*cMjNPIHP&2v z-VRQ5?77=i&3N~n@%2vypS*sLnkxqRGZQ}-vWo%5v(Inj$kw3mbRR$YJn{qYSh>Y& z>2w%l6P*kg%Y}~7$M#(*`N+-1r$3Ue2;5eE6Yo{DAuD&~miB=HIH+bdEuSxe@610v zjx%9-5b^Z{+s_!^n{oee*StUaN11F4t&!+~=t0}qX*Wc0H0R2br)6M~r1xt}yjqz*6A$6bT zEjCLQ2n_gAN`0FhST_W_zQ*_iv#toQN~|ZGN_@o}g3Uvh9O@dxXVQ@8Jfpw*FFUwG z9W*y^(iV1P%hT*0c|q$BzL404OK^Fg#+2nM*3al;70vq8gw!n!r7sd>K`Ke9@n&%q z8ni#jLwn~k;G0MN^vhv5zBdsXhMJ~%Ym>kuO2~3({4(NwaP>A#j4>RyDNZRaN`u6R zDf@rNwBf(^p&-uZtBCXYir{>{d^n%463*w#1=_#)ypwdbAfh)($lh8LP1-HoC%V^KGUSZBj$$^4md{)3L)iFgdNpAzGH9V%XnbM^4G+b_r0XugXamK48eSf-!0$5kINgYYD3&Q=FO! zLGb;#sEpj55Hy=eaKBs55srS&jmmH?L_TiG_KGZtaQnjPaKr1N7-!6ISy(3!m=_)- zvr(F(sMk4sS&UYwgDOrSpgtWoE=Y@cu>@hguN#MYQhngakx1%PjMphQfAvLAU@+3C zqIhjTqmE90bc&>jk4H`g%`@g=VGzG}H}vt*Q>Znc|5FWifB&CPSp@EO4Tnq(n;^Mb z$ATgzF&K&Yk!YL52YPB}eL{x&v8PZ##|$tPt{%rctluQG;9-`2uN3GI=-*RMq8 z!%mPzH9MeGEC93WDv_W5dLw$NQGqAb20#C_3pCYQYE*9;2yHw9qdSlF(9Vwx8)E@aNIY@pZ}vbqVw{L6 zWeGI}#@^NGY%Gtye)(ZzothS0e`Vyry(R^W$#)t5G0LO!>}uPu2^3JQt5Oufx*W=T zxZIR=?5G*MkPZE^^~{4(K(fk8iJ@KiYlFkx-(bjFw)05D@s|3_9iirsU^r zVGAJP=(sD$e(~tOy%+^Gu35v@qZi=qA8&`6&?5A}pul>4C>l=4Uia=IW<#%SPo~|# zKG!8V4waLsX{g3Bo`?1r)?Z>~7-*Jvg=%%0j%+y>s7jD~;B?y=yi8~A%2&DI?caRy z{l~()1V!*_*_t?U%mH2Zmduovij%4oU1VKy^Pm|~)29SJ3u#AR+iu)hx2%TE z^^A=G?{YW{tLs#c${_kvub|7xatP}D1d$&xza&+M@LZQZ(tP~H-F-{}ewl8`y%<*j z^A9#lX2Ck>%G?vZZVhqh?KNMcc+P_EUA);p=3{}#{}nwi?$Lx_3r?atU)14m9LwzR zUsaS{E}ujALKPA=&6c!losn0vHo=>B1yGoneCs1s5!x*F$+{G1iw=)p?0Ek#2igr6 z>?r?+BU6c}r9gW%xcNC@CI7P_dapFdJ)NfsVrfAN?s+O8mRp{CSj-6N+I z6D~U@6*(er)BTIIi&`LUe=ks)T@@_iKYj7fn`?aJaIZd>b#T69!^ICq{VwFmnqm0-^v5({x`IsGapWJG07H%j2*hZ zZ>j~`59npHN)4cI>wU3@h7CIRLo|<`R|m9DRA*JOVdt~6zo-vx1cIcuIlT~b5n8Sn z(IOj(hvRF*HUF^h@4lPI3Du@bkfT}k2X(7L@V}knwLn*lqTHm-8!vmp(Ky#C9*c{p zYT~j|#Y8DkOi1ffyOlyLSDxqDZ9jKU+uhRx&^SkEj%rxRCk)rlT)Z+kTXJuA= zQ#%kUg_YK)yrMyl_Jrc|b5$TgRHGLD&lkJzj@0{dp#sI&-gM%lx&dYxTMmUn4UnYy zg{)7h2k-pwfAgLHo#*!dZTOii;DmAq zLhAc(S-{}3HEHcRM{rq+bF;0t27K37YJm9N9UYXSR~|T;Dg)fjvEw&9YFC(#pg26RJm>1*Cyuwj1{}m@ z{I0jdE@8OfbX*6hnQ;x7>yDy1Tgwf@iedEl{J$_NfgAAa;NsYN>rK4#$u57%yEc?h zL(IZRQ&Er_5_&Pe95}}Sx>J`b;uGlMX@)-|$p8mP@npo-_0xja$fay%yF5hW^FZ%! zp+A^<$z~$SF!1GP{`sUc096^3@kqtQLDa=p75B{T@y=)BdmmW3Bb(e^`M>*s@SRsS z-bv1SyU7JPbX|S?9pb2WP8b6i@xc3=H+RX>Ie~;wQBgNR62&XW43<~3lBkJm+TLA-1B6G2iTc!dz@ajsgvmkytlYBY12M1L`)rtv>Ewjr zT>pZSA97&2W7BwTQ40FM#!>{e+T(pcLl`L?FzzAYb#7S~ORKlnw#Xk%G)u39PlUA5dI`IL_? zn+JSe+Kqv>Zw6ht0gNcH;n$_~B29SppM1s7#*D@$AB+Y={wEeksxQixeoW-MP&02eR$a>_p6G++V`iU9{!dnl$mok&rJd-O$skse-(h44k&#~mH;Misp*?xc{vX?X}AJSEWLMM^2yN9rO_1P;iuZmSL zZ`PQ}{tI>V-}A8Go`)ItJoLEdQN}&b8Qk+wgVVcT-h)qqVeip7@hI+K&=grRd9PcB zLZXu8pNR#+#7$DdV2qRK2y;QzwgeK174_yy@|N7g%TESRoxmklM<&8zz*F zT!oruM|)hM{XzbDQ9(x_(w94FcFPkiNwb;z6Jfl2_;>)NTc+Y{b&Y|zVFS_WU@k<$&K;vny_47?=!CTB_dcNQ7(U{7K)@Q z-$mXg4F~S{G=YNJV3721%_Zarf-TnzmF!Ka$aUkK)L27{-WIgi#_kp)(QQK0 z@ka@WhT&RUn_d#oqOz06)LroYKI-A*6hG7@0m_HP_s!qxAo)aM_rp7?P`&51V5=ho z2_a=9N78K2{PXz7+>2O`TIT&XXqQ73Vf(g}Qsy9Zo7idehbs!`EzFTLuthf*INoS} zvjigvraN-&mcZXJJt9mLhQy5@o2V8gfq+8fr6z3$q_1a5-4s?2YKk6dK7lRB!|AHc zN7@{?()CTfSRn@MFO_?bX<@vAH}CVu-X@?#fBtp_l`tT`dxn;<I057lg{zd9t2KLn)#PXCIu2L;^2Af)17!+vO(r|0ED#{yoTh zUj<_Op;Sgaw^9BXrVsXVH&B_oc-zo)5ro>L@tAe=!0yLyk0?lUAnsex)5w%7=;y0^ zuGHQL=%nR#|1FXS_MVEN1xKC1G3km`-t{EB`>p@=VLfquSZ7=x)*aV}^}zLEU2%Qb zZ1i8gQ4W`Hbn>IS18j$hubu+-NsdoH7)}GzT!)GdB^7*`E$Dsqj~es)JZt>z#*IF9a+(&} zSfkd>Gg=GZ^O{b;=N(*NzZrEvRgHQat%2Djgq#O=2=aQkg> zV6O_Zq}OtWQ|1vK&cFT8x<|-;ODunEwwxg7r|k%*OvrW9P6r|t9u1>*Qp|sJh?qR7 zh#8mP=ELQ;S#kMoMqGYd0GHopz&o#qZ@%%js`T_ITMNpTHgWzk(1_h%()#9Sw4&(i z)Fe^!Iq+!cYbr5mJp^wTK4TuXz?*MBO{ckhxmpim;&=I24yS;Is1^mEaRO3$R`B2+ zPXe+^d3xP;A_Lsm-aj%gk40Pz#$>(Q(x6n3b@;b{ILKzFn(oC)foJ!xCszWcKoEpJ zZCFTv+YTIMFSS72n#!LYr0dbBXHw(Ug+dr1W=RQteho>G9e()Z8}E5g!1CEWeP>E{l)Pu>v+Bc# zci)75*_+1dnJ0L85hRZo`9SZUZp*3dAXq00SXqDM4+X)xEt@RZ9AG{O^RyPA=HXc` zN-`0cCJq^O$PoduhiMyAJEilja*s%7oLvHGjYnK&o@hT8}_xK2hFS`TH zxtj+{B7TtHJZCvl69!dxETft^ePEl^(VX6(7(F0nK52iE4xD}tT$=RI0xi3`H*G@9 zD1Vx~t!2~{`suiv(n^$3f|;m_e!m$qlq%no$>>I3CJyhrzPthjQ#QZ!w_9MAGNFOG zvk#@pzN(odyavVZ+~*618sP_v1Xt`DCzzXwE;DAbfjVk=xh%>JFU}vDeqf}F>h_;> z1sicd)&ljVmQ^0OhTfNPR=GhQn|qZSxg)S&=)eAPKLB+F1o8Q*`l7cV*u9VOWB1Q) zi=*y*E;ygN8qVh~j`O+8;(YEJIG;P_JGy_cS%!VDXD0n3h;B@Wn~c}Pt9h{Z#hF9X z^r=s{_pp1#HM`Z%2pEa?DmjUxT+Y?@G~!r z1sWrjQ1i%t7+3K|hK9{bFC8e|V<5VDN(>nKmXoH;J%8rNKf3$54P`UOeQCA97NeR017mU#ZUB)M;bWPF9D1#*njV&^muwwpmUkc+Nz4! z+y&qKL!_}Y(W$#yh)RQDgLFX0%q6ceroWx6Ej^b4iqie)mOHKe^Wj(zVP z^xWi=(~(0<#CPtlbUUGiut7?V1w&|4I~OD`cnpQiNj%x5#&~x$hXwkDw1C$IF>?>I z0-Y4+AEF&gbc^;y2qTjrIN!gtn2GH(hff@HTv)!TB;R~Y^9Q*Rs@$w1{fh0sI4XAp zwLZk6?$(E2{z+qbn(fLCO1fxh>-SfNUyNRp zM|+xjQWEB3FpzgFnv_%=SojyNTh6PX=V#gN%6d5=o_J)KhbaaoLM&wuu)Z}fvG6kK zSU3c52y>FOM`QEu2c`{`S%|$kYqi8908}0l|8`t5fWhioE*^3SRoCYWC zWuv(M1^~kwjqhO$1*mr646#JG8no5TI|(_d!XwwYg{&)1 z@=u)qbDf7V7npmGAPVkSMize#4DOm8{ zP7UzQ|B#i^NsBRQVfPSemrc05(e}%fwB`@z;4Y_iMXjtVXufXz5Syw7!zBd7Gmli@ zk5Y(V(dk&E=H~t84YuA$l;2G9MF6a1Z+@xC41o>CdM^S}8yG$r7*j{GqePqJ{PJ)a zE%@la?BVUA0rL|?^J|r|h!~2&PJ$XLGETW)>ZOIUn7x*tm#6^W_4w{Tza3be{Kj64 z_BU)dRJ$%$C`5!7_;Ctk!Dhca|!Z`qgf?j z&IO)JtEbzH3XsD!o2aYBvGDD4eqdIjDKg9HdpP(7FUJSvh&|Z*rcI){?X#+5fzxP zQW-e$)f^%w!hbKuDnSMT>+?!4FVxX(WU{+q1MHmSdlQ;waIu3suVBIkh+MSE4T;SW zw?7H1*ey$p2b4|by&H(|eV+gF1OL0v8sGaCc1Ovxl8f9RVa)KA=*1aC^&pOLO4OZL~FiX=u*yK}3e!H^Lm0%Uav z2(kVp{c=jA2Q%oAamz93nINBg3t~4oeUM30PYbpOggMa#*S{}AK|7E6&A~5A@S?tF zp?#2mxI+goJ-`UT~h@X6^PgNWE9{@eOeC1JyTQ@ z9(l$TnbZ;G;RzkA?>_K$nLBzX`Y z$&ow%Di}?wMzov{?|`dHr{f=S+(G!}+5T^@&+R8Gd=rUrz!{4yih|0o-+rwClYHW<*M+DjiqC}Hwb+qdDm!98;0KbOtvwRCPBof*vhz+C@^2Ibo2e0 z12sXe9CZVMAk}Agw49_0b-AzxcU+;z@WJSQ#FT&A9!x}(PBK(GvSM`M7)v5BA>Ol zvI{yU{xAOEyBu&@-2Kv}uLkqZl~3+YE5Zabb^gA@6u z=7tW3AR<=t_Z*|%sN?CS&b$r>C=_vYPn5I)JGN>o4voFx|9EktAY6Rq-X~6Om<&&D z8v7>+0U;#&FK0zSHmIKZ#}Y4;E=fwId7IgqMvg_pvfP~ePr6FGT;K1$kFpvy2h z5*S(sv=>UmrO%EbeCMsCROgrNjugY?i_PCIu3ZA6YiB85T)hk?-He*5r|O_h>qkaZ zXB{ZS`I~Po-a&~o!W-yDD!jHd);lMn3cp{9hB9XPBJ(`GvVhlN=MzX^z_`1S z&&3^x;&+<6&x)A92VJr2k|&%o+Q#+XGki9Pe)^o3<%I~ucO*0=lH3KJ8WfqxvN?c| z>omHi9}e{#KkqGQhePKfv*e1E3`9QQu>aCC42o#P3VSRg!JIPW>m*w`Dj6v}s(;29 zakG%wR;8W8?uR%82x|-xyZsZID=L!6gql3j5#wG?^BpS|n-c-1=ZQBa!}QRBRGl{3 zmWTYYd1?|0PgMUc##tQWp1120AFyL{Ag;eG-a8mqth~}!fOkv-Ify5njvKH5wU+xA zI;h;>s9&_jD>kf`v0LEqRKN{5$BcHYOX5(}W^J{3oC)L=UlQ=TglS+rPG8!n*YyM`h+*k>ebrlx58{+~^Kia7y#6RL6L=^9y)<77Jp0QF znAk*Prr1nDz{o*zpd$bky1bAqwTwXO(sZPwSf1)nbf*d5OMkd;?64&< z#v!)1krE08K5*;g=1i1;7@B)!ZF6YA3~63pqk3AV0bD63O=#1k(8uio@vVsSP}4DU z=-Q|X)=Tb-GwuGPq|=qrUpa1sc+AzDbPUf!+#@+oZc!?(CA_;+4%O+QqSE5jF;q~CTgD~hVL8%9eTIee`VMw!80Q$aMIb*4*0cp8y3llny zK;owQ?gD)rlFJLK!hE6-Y(Fq-a@7vfUr*is6effcCG%C{ZrQ@xZG8piT}QNbU19L8 zfgYTcDq)zGz&tnhAMRUupN9#j$^Iz*2vkNgEBOTLN!AbCC!{~-1R*_X84d)FuvI%! zkoF)DSvXMqxtQPx)rl%iGL6>2V)aZ#z|#+@M|q|w>vO<<(k039#BAinn%YVdYm3ae zE$Y-%Ghj_w+PLdkIQpudFx1Ep0;P)cY~RDZk>8guG#9;O;49Thh2At1u#O)bdwSay zI)x~H+Ab)gI9rl^=Xq6R81W322s{v%&x5GWi9!e^tSK0`DMFJ+=O5>q6@$bUXXBcF z4q8;6G9mVg#Jex^-@MxrMV>CC%$~LczbV$B{yWx)l-wdRmD3vj4rEn2VxGIUtI}5; zwJhM>$E#Mm92&qekeV~FY=!K9+ZO z%!`({Wg;+9#G!gpNCk0CMSfHH!Gn4JEbQg|MB#K~Q0}iA?C`lLalOrlANoXzLNni^eNR$B~ok(;+ z(i>J*OAG8UKWQ*w?Usd72pXqVb<{c$g46@Zn(p~}f!MPWd!8Ia2s+BvpNg_!^OzfHzUohQRDr!ZW+y$cnSbrhR2N}G7mJ9(45(Z0~SAl_7QG~0u8^WA! z+;=C8L3ZDd)Ty#OMCp=l$p^FTz~H4Mtnw?;BS8Yr6O?W*Sqr1{k~PIOVT4HaTF9^G zsVAU+mE1u`kORn7_qsnfk$|rx_gQ5MY3O_TyZ0P+zgyYC-(O5>hh9F@V9VMT1F{;C zSIP_0@X5<(cpb|rJZbixqUe={FD;=0WswR%K&$oGL{|^?H?vBAA9q7{7iO~04q^FL z@#pZa6XQ}iM7>$Ph@f3k;rocHG)g^b*MHhu2*vxT3bVT@!p(25tEN&_kyp0Yg_$qn z@I%xtv!dMxhGjhjn#c5^EFyQ}He(RFB4d-m)}f7ti7S+ZE*b%X-|Bng=8*q(x*=Ia z1R6po3xtgR2r3UPNw_na)L}v zY4Bl6WgvXu=68145s{se{d0AU10A_^HS_z95*!v`?)nz12vWVZ-Uc+v@Sc8!Qbbk* za(=~M&^#%QCN>Idzc|UEMlVl^@6Wl=w_t9AxNT{4o2M&an@$Z7<&17{k2BI;SP^-h zYy#obJ#VJ&TEa8pk=oQSZ4Wg8uB zZI5E4%A`+nwIv#O!b`;&!;PRt?oRJuAa{rD&mzAadgom2xxgR+ zGEXJC94?E3irzK8Oj-my%v{Wo+9H5%Ew2}7$wNO;E~&Su7|1$Nb0lFoH51M|;Xkms zNaqpC?fE$|pd>xT#Y<$3-t{n3m2WsAckcHT168VUo{qyd(8L%>SyI)OLsd`@N#1mx z)r!*g3q6|Uer3G-eUG0%x+*evFsyyF_r((B{&3&opxzH=5_tO7p88F|kKsd7Bi_4r ze-7(*4^EmLWkZe>>8FcxU=B=L3qu;tFj@Eaw`A6TKNAL0^Bm16nqG2^R z*4srwz?IIbMj)7gzEU1MHNWEudoHFP=`$K2=TqM(_}2>Qk{J&i+OvoFd$m&^dokV; z#iP6OY-yl%Tldio<0^EF`!xTN%mC8H zi_}Qm`DnW^jx{;KrNQi2_#x@sNOU&_{_63Nzq*Cpqq?6uUBDd&b*&<+8`%5($iJat z`AkNrdMrA@!@~|Iu6MU*@^L^ik=!Mj_ZVN{K>YPXKMnNdvRjeQ;RGNX3cmD$uMl*U zda}vBUq_EfUTa3K#DQ4e2R_Az~zT=+2x&K-wiXT}@kxr@)adKZW6uS>LT5cpkbq|TtlZ{ejnqm?* z-JJ}_7t{SytJ2`h*(mckk0Qh)s?%HdDFu26!nb!_V}L0y-IRH*6g{0>wEe3Ri#MME z-}}rm;W@GPr}A)|y!o3WgEKPR<)-~*g!Q0YG*_DMN<+{kW&UT5hVUS*i9+?NC{$aL za-<)%#Ciato<}Pz(Ei`+tWCiPXw>x2Z*b|u_4YcAp-{~GNZuC9HEV$P{$wXO?>ASV zAzB{SCqJB~1uBYUr^S!~3Ss@)Ph+hC1gyVMdxi!?9Hi@#(bA#Di+`mDKdK^nu?+2d z#nEVscx(G!+-X$*$GC4w(FGz1(jLD+PT-zYczS!@8Oo(%-h1e(A;XrIGiF(mpqxC& z{Lxnxk!MLq6sd^8nb6xs+LGenlsBug_fQnl+w7}{3ostq=I^N`Kho&&I9`FtY-Ta#zjBdZ|)zNiI z0#@g6K=qIok4Annk{%vf7f}sF)ogxhJmP-H@u$fRqU{iHZhA40( z1P^GH;`Q4)P$An=!;gVlFzDhgDAg>6fq%U`-whj38_NQ#^nOe9_ezdOe0OR5vP6AhRZVh4_$TIX50!E2zY~NU ziQha{#(c~>cQ^|#7Z(E;scS)gxGTKuuGcl*%)&gODQA8i@kDyJt_{pNngUy^e`y?- z9SpKdP3DDoB9~IFOL4QN@WSnIR_|9!xLCGYNH|k~m>$w>*O4ZGZ}!uQN|`(i(@C~S zfqkB>4ryGYG)M!Ik0)OX(rAFFQX$tdPH(7`zj4Y_F%S99suSzcdjLa>ubk_h2&f@= z=?cznbUjkRAZxYv(vZj(cG&5f3wS)iYC*U) zT(A&rd^56T#ePoMq&wJ-^^zjeQ?kC?_QShR=hewN@b;`Ze4s9hJ!5PNU-};Hjh%}` z^n&Kb!W70I9=l0gNeK~PaaMF9a5 zh>CzH3MwWz^Bz~#eY$n`s#E*ae)zw4&6;b@F~=I+{q^_bH!}uqx9lrl8g1e5R{lGQ zCS$y>k8eL{L2vqq{hN4j|F%0@M$m|4+Xq6k7L&kv^wNIQXKc=zd2ysIHU>@<(CN&^ zd4g7XdENy*6A;(GmaR9h2P}g9469|n+v6`weRgJbMV$XF3(kkR$6W$vjyRD4i3yyOu5jW&FRp6$B*U#ate^gx^+D2yAY}SGLDzdK2H0+f zhf}>xg04DcHfp}J;PJQZa-v%b;<|#AC@dPFC1n059}C9+)?bS~y-|ijP5I?>sxr}Z zN&GjP%~&+Bz-dQGsDhGMMJUfHdZGx&Z$Z`^zVNP7q?Al86~<0lds$=sDfPR-Bq<%H zh>4DIg0(ISZA8T6$t1wbM~Wsv{DnyN{Hyk| zD`(Nr$1`=WcuU~{??bZr=^8k9O4rZQr5r_H^duSY@W6ZiG4e%5C2@-)x>#V>cx#0d z@~mYu+-2oK;k6GF|95tXzp+hAWWob&TS6gR*xdBR3dOh5W&BuueBJYPASclH##Ft+ zr1r;$&x%TZXNAC{nHqZx+(6)%XTf}r3-9^~zVG)x@kdt_nEt={IRAM*|9L(d=Kn7* z=|Ah?KkMQDWIf=km&3Q7_CIZX;(P!2@}}{fU&i4AyEZ1 z(!wkF67j&Ho|qfrQoO)YanJIJkQ_F;muowM^lZci~KOsCRv@}U4jKudZE)ey^sdp=du53 z?+f4ckFVc?eBJCF4`M5z@|M!#rFBJ{L%p5i#TMYK=*w`l$qN2ny&$W4%@Ywsc9W`v z8w0zO-n+^&A)rZjq&7~I0~t!TiHT$Ch<_v|+vfu>ERBi@O7+X5gC%c!#&Y;!{Ai=e zTpu^Qd7&TWx1@v$wuYV41C)TO-rI?MfgL-q@|}8pR0*Asq1>-~$%%KqkMHlrSAU4_ zdf>0{_$@t=f{bksx5e}Y0drboSa6Ro_!at9_-Z91#hYA){U`*4q95+;LW1OSN|8o)&F^M^?y}d{htr-{9@{-NcqH{XcWEDOrTF3gyxErFI(4m z!H<0L7S7{=$nEQ61um2VmwxHJ6UdCf`}+Uh7X|#|S5m+~ex)RiUwI7v@heZjKYk?{ zJltUHm?cDL!6-h7@EgW!o=)UUxUYw#vt!027o;IMR?+dt5h+OLJyEvEB?-M21D^y= z%EHuBn0{MORbq0`24&_J3^?79gsUlQg~^-JklQhMJh)F9@BI+p_4a=!{=e?e z1A13_x7DK1!w#3R-ZTEtn5um1{y|J{YFf9wW8saC{rDPao#qcZ8SU5OZs@|5b%KpN zOb_<>Yul%tcvHBzoNgr~8HJ`(g@4(&`oQO#^90IA-H^2Q`?u64UU>7-@a4PV`@P_M zeSG#1IC4%p~;l(C2LCfsd~8t`q= z1HSjq!hC;hH(wSM8t%*ntw=%3+P&Kf-;J<3K3{9yf;ez|emy7cDUMREF`vsjD2aD{ z9^d=%Cd_Q0!0PjtjTo+}BpSh8oy$Yj&)w0zmlTCwoqE7PAZ2{D%@mt2a7ZT4HUN6N zYNKQ19zf4VX3tb<4~0i8=7aL0k@c$G)x%NFz_g?N{Suc8IyW(FcX!?i@AdYt{$`D< zzd7ORZ$`NKn=!8bW`wK18NhgBcw||TB$VliQaMD6!{=Y^=R0nRqq2mWKDjP=RC~QV zgOpMk6-uA}S$akp@STswH~zwgy*y>J6WVB2dD+JAhn{H*HPL@}f-ehVRjoBnVA0B+ zSGi{ndjhsM$R+eaJlgI0qfZEx&luTiHc0@FvpV$AyFvGyW{HNY6I$8S5`5}zkJ5cL zt_;*!;QVr>kbTxSnf+J_Xj$15dXYc{-prenK{ChT>*j`8TL>kz9xbz(>n8_i0~Ni^ zSTQIfyYXc!g$9mX<>^(y{Fxf_>j|4;gkf1t<*nI!I`}nZ;3R5ggl0%)hI&@Dpr0+N z_`oRx^n~WS>*HlLpq@H$hM`OYuGF0VNylY^+!uz^saZwwJ|F(muO{R4t4TQhY7tJq znuOD@#^Cg;`H1Jw4eALKSR9SQ_>QQGt0VS*+r;6LQA_u>h?-FkXvp~##-F)Q` zM#?1Pu_Md;uk%2egUKVs4xWeCwaR&q_%5Jhq054IylOzbIpw*#%T-WOn2I9Gt4F(0 z!Zo)I>hadM%l3_DFkCMHPB*{U^yEThX0+aD9aN3}w3cRSc2&R@`%8nt^;mS}{XpKZ zV+Cw?XU!QL=)wF>S6%p)n~~L9I(ZeFTDW9z6TEMxg3i5QozbFl)b*#T+>9a*NmXU7 zuwID9`pv|QUn`R#ae%dSa3lu0U&K1A+GeA&R-a?bGyb5=a_U(DjTT%>jG>F<@PJ#D zcW&sfR-m}1ql+I|3PDHfr%7fErl;ul=?@tyM#nC99Hf?rhsE2!?zFBo0MWpg4{}ER zD8}*Ofo~J%!Bh9I#IX`*$f&b+GidagzZOsm&Mc{2 zpO=0lq6R)w(DlU9SEApx)PlXFbqJ0~=YMNz0ErKRI^suak*I6DbA3=X#?NDqIQGK^ zZO88`axG|rewL8z2AMv5&tuZ63f6|qjlrMn>2}DYJNSY@hAud&yk|cy?}P+nZgkFJ zbFC(S?@Kc%n1h(~`tG!k2^77&Bi?T0hG@#0r=F0Qg0qucNST8d2sX}bWP=+Nmml%^ zanloiN}FH!`N|svJ6LI7cDjM$qa6^;$wo5gmNmeW1e+tYmV47HiuTKP_M6Lypqc(= z=VaDVXq`UnO=-vu*-qV!ZaoLExpLDJht4#Dtwzp+&tnZh9Lo9S>Uur2bNRNft@VMq z39rxZ*2|C;a^E|J?g8@PH)Z~0nh0dad_Om6XQGsTf&f{;T#GNLag zA~N^YO*z3-WYwQbZL<^zHEk^N6_f6e<{M)ab*K>0CJ)(6e+_`_4->1qim71OOmmBI z+6l4hS?PBq7y$P*mJh2z=BT#W!X>3$3iwRV{VL1Wf$ZrSU48)*w01UvUCvksY{C{+ z&u93-FTWL$Twzt;3>K+X114{#Gni?S4J$^l^DhU~_=B3}IjDWqz+N9b3UdTQ0_qjXlZg59} zZ^X;82>qoYd2q-j58h-ZkehLrLH4brTE5XTblto;X2L8AZ@64`dgv(h}XMK_de<^TM`=EpKC z-u|r%L%I$xhNY#%;r!haLDLh4$n2%QQ`(16_)ZkuIB)BR>ZJ1;>UgcNej07d@AhG^#)2>Kwo=O0#9rJs%l(metDS1)yra?>&dZ6VWdMV0ir52i;7x?aVI= z114?*m*@J)D8w&0@cQvW7}1_cWx@WhYDUQE?vHqZ-8IpR1REKMiZ|uN!<=v!ULsLT z?uv%5Ig@^`o`#^=t+P=V4P#MMcnZ==^9HS|6~5;m&7tU|J0*!(7>JI(8k=EP2YMpS z?@~POh_}U;(##_P`T2%_Nz!zJ0p(tyQ=1;pd-v~5zy&iDARIH2!R!K$r{8Mz5O@H- zygZ3}e0DKy4Ipw0o?Cw?0ok`(hkgm1M-<+NG}Bqn!!Fq+H@5kUXzrTw&>Ni+MB`A& zrR1xP9+o#I4IRXEaThlt^Pc;Iq)7Pw-=CpiSY7bu)$0^Qv@~|Cz1s^>X!{bgna3cK z0OKT?w{hTftex%Ix)(}l;@hu{4n>6fB=mohq02X~*~74qbPGlLy=$WO}m_jfdU3$lZ%x}(EKpH_9TbAjK6TkvLT<)nKbo4^p){z9M&Vw5t z^y9b&1%SGN^}Y8E%qLN_kVyF(KLlUMHA{Ue2;F4cQlVG4Axz^(mcNt{!nZz#ub&&f z@%Wy{@bxn}Zbx}!aKr(W*GK7w18hM1Mtf{MMjOzC6MYLsYN&?d}+&?OTD@_@lX@Wkgk#Q;`qUS|3k8 z4Y5VEU3cBdQ$vt487m#ba11)1H1axGzYs3b6W&tHiH3sh<-UZSbo7+VTaGI)4V1Re z?a11vLgX`je@EIZ;FV4H`NEI`i%6e@ATbTXVitvpiCfV7@2}_TyU&6G^%;S2=WsN0 zf3Zc4C>=hhS)|dN#yAlV?61N|5Ym6%<=Awp0%b|Kr2go|^%`r8lB^X@U?p%idQD!*mGMvurh&GRfU zDngPzZ&KU0i-D;wF3-az7ykJH8bL*ziHC!b28dhD9S;vOh6m|JDY20z@U>M{BI~L) zZ1atG-}@YjLc{1ce>^savrh=qZ;;0zo4*gsIa9r1$JFcBfQlD%no6kqkOZSIjOXo~ zTD-uOl|y?<(G8_k`z;cV8$yIR4fU5A6L2;QBRNjQ3R0(EmjrGZLblu0GGlgCgs&c( z$Y#aJMJ5Ij{2od_+@6cJ;{VJu7ht{ycXhb#h!w)?Z1x-Tp}{a4o1l?nk&WJ5>R1`O zr;KEY{V!!HM_@NZcQg&-ED_$8?Z~ptSprSYNXEm|9 zSFyoGjDs3OJiDI8t_0sWD{{_b{^6@X19u+_n4zvp<0HR$6rqr%K}wTO9va-o7dbr4 z(6d<+N>_SQpf%~{2`!QUVlRd(3|2KUy>P6;caNclDRxxxc8zK8nHy^%#^ zw`^huO8G%h+}6KYpASxdd&q^7xl=7CbxKlTp(EU-cpYN&C_5D7%4=ms1V zgxel{3VcQEpt59U-RQv`BtM%xQ#(KI}VxA+kr>^w%9v z3?bwV=LlM#n4-xVq7T2mA`mSzS-+5|fno;=Rm@2cPzft&(vc|u@#zS{{6{*7VeAS; za*{k4<p4so4tZ#YKmJZ(busiG+Z2m?e->(r?$HHMl%j?Be5!<|44C%a z9Is~2fQmQQR*I7{Ab+H*WhOrhoUT1)ka5a^mq{7S!HH?;ZrJ^K-P#7EJ7#3C<53Oy zP9wJ;*kR|0O0oDes1AshZRvd%Yaxk8+tyO_3X)eLe{UGwhfb?fH=En%gYj(-Wu3Mh z*m+P#$c6b3j)eNC=*{H8)OW#?Biaq9rIh`h7=JPH*&BUo*zF6X1zK)%5iVf;CO_eA zQVdo<70+2B^#f5A{}XkL9uW92yucTwWOn!I`y9Y(Nt*nVEH}H;D#RecE0dPPJ&ix4@GP$ z2(|9<#JA?Ri5>NX&^T5`vrK1nLhoGVz_KrNY)zjmyOWLtT+h6_ z___os)PItg#kfYsZzU2x9?gaG&$`2(+^|FJryc1DLURFMzTv3|Pp`0GZ(!e(F7(o( zLo6(74s>jEe;%%$SKf7oIEcFa z`10_x1W5KzJ#|a36zOpM`n`E51#OOLME7}TfW^SpOptmC{I;{Pvf4<8T|Oe<^*$37#hQFEKX?J}`6gM)OYddGO`%#>K1XZQ9#o17jL)$L!Lris-oYzD;Qns* zqyI5`@Y3h)?k~SFL^H_ALgL>!SN z()t+Xh(N5*v~#OSAL#Ct$4mD2fJ=H<#K=?!lq#|uuv6>@&1d&*g!%8FR(IuIO0rSZ zb<**$?0W||lwa36NF5G0?mC7mMh1gfgM^P|O)e^GPI>7l8VrrMCa9_T)llKvch1>& zjiGn4aPnE2DcS^!09QT}m>88=4EtgT)h;~8YZBbh93}JK&CdqFdWYjaL%TGVA3G8( z+KNKztErnMbjrw}=j5>mJQA=R5}4V@q=t%=9`&ehh(p|9r)U+w68d;^U2dk_480i% zwM$%;fQ6eLjiiY}=n>_0SKfMdcp1oAmvqPmygdRaSE&+#@5YNWhkunLnYSwQ&kVC+ zNPfSm^F%t3H*j^7@sy%A&clCir=~z$*7KyI{nNmdJLPCP%!yu?a?HhjrH9s>t)ATn zw2-FT{^Wup7gC&TEs;~*R*W?uiYz5kN4{q~o+dxlg^sVRzKmzQkH@Fi!)eW^c2-@ZkZwSnPOrk{t&ct zarCY`<_E4>)@IOh&<$-UxAmToNkvgg@uc)q@i6>>Ir5-r0!ri!tke<2xIM(xnN<&{V9Oc+pFU|% z>J8+IgpcTSlYlPg`=5G-R5X83j2^|L1MB0ZkNxZUNU%=et$``#PchxC;Udfo&HCro zzTKfj_Nf(TKYGx?kD;Avb;r|i*tM0`MNR+(ZBkL@RiA{F%brfR?4zK*J|%%@s}KHG zTG4Di>O%R4qeT=X8qfm`d)67*O2ld1oYyjN1@HOywcC6g2Y88rY^0x~EcPfAK(3kX zRbj*s>B{NVN(f&UW3H_26GL{WNL{rO5#Bs6eEDDa_FwS5e|-Cu*Az%x)zwQu5Lsvs zY@S0VlT%j(g{@%nko9EJ7`Za)U;QKK2~Ont&VCbFF!Qm4SlFf#4GA#3{G?ck?$`0w z+UlC4=Wj}vjIA*r*85>Y*IzV1N$_>CfYx%9tx!p;hrE$U;GfE|bQ%;CxA%PmJKu1y zvW^k|Oas}LQU61%P0%Hl{+;w~1UB!dvSHwwijJ$t5gw6@2f4)h7X!6^ptk}2BQv4s z2<;9s(xU*Kr-qlj8Vpd%!XD{ubqOfnFK@D_(F8q;b7@U!G9XYW>=fc)gwEQ}bY(ip z!usG8L40HmOs-g;)t;?HC$4&I>7Bs1YwDaTZ$)vKPsB~HC9Wc*_`~0~ z{T2%l4sT6gO(#X8@xRSVj{O{-S*)2?(Wi$O1p9v|_jyqE*w)h2fm0AI?f;57n;-sC ziNC(b?Er{^H0BDw3(WBD?x>w6gOq95p<=R!4*Hkc+MLnon9$Pr2LUq>W8SIae`W&n zjrS+1GD6_Z*DxbSfe;wb%LzJK6b@^jx^A`B6rn3g>?Y&cn4kK5&OPg1OE`7twx9o~ z6*T+C+0Ptshn8RDBVROZfz~Bem*r6eN;q-Jic(Yv#x98x)I4T`+{>-^T!ckHtBX^= zNkjl9R`+jLN$|ic-!PV$SYz~rMCptUt0C}yNvfK|e5W2M5zvT!^@NnyJGQa2QeZYe zAC{151FDyk2F00^@XqfQc3#tbq6P!&s!vT0YXG_ucR}CR z1XVb8@kt!VxavRGUG8oML%`{qoU|)`aNd*0yZCo7yt(?VGK(Ul$RTQs z{MLe$dd%11u5<9oSLqn9FZH|Z#Hki!NZMxY@Y)ph z(+_cJmMTMIf$k3Z4>jm~*LabJLld~1(wn9-l;P8e&q()OQ@s79@zsOj8!u3jW2YnH z2VLU>?JtVF;g(v#1DXa^l+d-V(-q|pOWdjppC5U`n`fq9pY&#<<)ch_PhaYz1Iahz zToOFt0ehl4pz`+{26lNHyc>E z3cr!g5{K`ru6K=2=%IxbQG1#v?67<;yfw9)8E+o$IVC2Ox(+{N=VF>EYGQ_#9}$HQ zHyeZh>PZRGt8SptVIFeLObR;lhKEwV%R=`PGoM3Wl97e1IpN47C*X@-+H9fBLTq01 zPaRPjbaP$wXPNyt+@CfVuOyTJjB;^eGON6B;kbVI%}irtBWg{i*2xQ2xs!>hbzE@U z)h~YFmN4{^U%ARl#sl{a&X^T;>mlQBvDFosXF%ztt?nYF2mph|xTF~Zy|iBst48%v z!h0jJYbi>=@aOXQ{m07a?tbZ5503~8REMz=FRG%fL=rpEKfFNC?iLw=wV}PJ|JYHzGZ2R`RrP+n4PNpsQ8U7S2=cH5b;{FPOk9?Ls|HN z-Mzq4w8peV7*CW6@{sgtQ#lSuYmzi=;x?&v>yi?o60DS8=F4>c?=v zEuyM?B{6iK>Q$v=5IdyP`G^dN|5W6Edgz?Mj1Y>Ew0Wjeb_U}ZgnX8GcK|$7%g;6G z{~dmM@5I|5wrt2>OyJe`*}ucfmc85g-TT8{R)cbTvVVs0)yv^qe_pt2CD5^I4A=Gy z?8drnA&v3?2=i;B zGEP4qZ3(B<5QW~7KN4g3=}|3P1XiK-o(DWrQRjKJS9SN}VCsbHvC|U3 zq@F%f`)U%5^9=_+7>|Us%uZR$pd{4sUbd7ZAM+Q8SFt7JEkR5Jlhn~M_K-SgwjHsX z0{4GhZ>`vbPMn_Y z416_Xq?|h~4WDE3ev0%cLP}?Jz%71fBzo-bTip&hI32N*on0vjfus^261){4`b_cQ z(H$*hF!nxOEk^;k5(h6dlAM94S?c^wZ7no?+FFZ2Mi$69-i?P-*Fph9r$mTb8Y;|| z(Jy#V2^q51krRZKaG!&8dFxLNDh**fQZ{`Kk*+0?vc5BcEI02XmZVr7W-wU)TG#`v zi)9Xf?)E^!lY<4uCYF#`D$N$p>k9bR+ws*y;v0|e{cMf$$?KWLLAdF|GJ#@ebe~!H zm3N6fkTSlYvMa#WiI)oc`_crca-*5^4yl2KJdw-fNoi2BHvX(7Y=j8To-t@Lj4|2R5ZzssUFJ=(Mf(Grc?9Q~fyl6Q z`N#zk)ac{E=`M2&w#1lMB}g^kNe$)jhi`W1Y2f+Ly@T@bEytdIomL)k?(3ePb5Q|y zHO2NVdU42>N+3FElZXD6G5^dTwucgPow@^+K2Vg>dWz~=AgovJ$+FBjgHn~O`BJeL zoEzDi6WYyzCxxWq@{fyA#*$Gt>*GRn@1d+Kxu*}hlWv{*p}_?x_9Aw-_%Pmv@MwW$ z&VRkXmJ`KvJc}y@PMa{!GJbb~>ec&X1xiV1_rc&8gQz?5l_*M2S9J!)^ETQV1wrU$ zl}CLCmgoF2SE&xY-wpf@0fMN02)#Hi8W9@P1~UF1ouB#Vq9hl(V=uGM0>1SneD#F* zULW85k*DL`;pG;3n3~wuTd$>sm6{`I0VP7{kB{1~>0oM*gTJc#TP$ew_(!LAZ)u>J zoFLLYv8$=1%MDN-S&|Gez)3W{gr_}BCJo?>Rw-uvg9Pj>cLJcrQ3(`)*D9}cU|RNRRhi< z)w?{#rl{Nhn1rIvts0q-*u*VLec)X6R6lzzulT$^ zu(<|K&oUc;+8Cojd0PQ~D7+Z$ ze0!N4V!m1lJksR^+kM)i@?dtnfA3kU;B;qk3LrasT`BzI2@rTd7J4I05;4nYJzv^A z1}z7AR`>>}!0v`la9;p9{Od=nBGRs6Hj5omsF=j?hL);m=L@a>(|S>mcJty=G{^M% zlT2Z!$i$&xld!9Ip&8YaEo*RK=Sl7MP+A}D6mS_%`G_%wAW)tDbrV&X3h}7IR%;&p2ALC@BT8$LN;ZQ%&p-J>ZOTwa+fb1D-VC~C7{)v8 z!cbtLBV%PE#^qkNe`f9E3K4;E$2YNg=7Q=kqvv#uK-4CUXvA9saX6-AZY)Tmqx^}d z|A-o)0fS~`vm`ByPkZ8Zu(J#(G_8J*GUP`)z7ee!ucg62%U~f$4)Zf}U{tp2vP0+7 zD5-XT>?!)Y^cu@QQ-!@;R+p*!%5d<|;Gmd-8U)2eKRYy~4+ZtF6h~f$AouOM6N=d; zKy-DnSm~)2r2bsgIH9NteT%-&O$BtI=Ek>><_&4&!M>A8fE1uZ{p*9FyIN?FJLe0Z zJ;tj#HYK2GMt}rl`z80PWnktwmE<>0eONz~SLhrm2)ozcUUy{=LM|73_|?cw!JeJx zD|@mYOu1z%3Vt+zSex3(=0H9mAls%jGUNu@dvZJtnc}c8S~S;AX^PAp+Eh=Q2?F7# zfkO{^g+Qp7kwbdW35dT&*Qwh0LdxL<>DxKsNV5Hv?cX6ac>3^xK;phD>Kr!cPw_Q} zm^3BiNLm7{pVTBpM{1GblS%54+GKd_AUZvEE&&L3W)iMymLhJ+oBc&fdEn9|UmWRb z443>ir%H>}L59Sa@P4H+s=n!l65XBAg!F3}e*rDHdSWS7l|dJTZrpMTdS!$rjjUD^ zt|9O0X5q!YA=r4lr1lmDEKQy!DOv>MK4z*^?&!&5Gl7O5%8( z>^NR0JC4^Wj^lN*0=|AA*AIEk9=a9<6^^=Roc+QPpW2MMgmDDs-({~jl@|f+4eb3C z{3+U|vh+QkdB7hNNwvfaSbo|EqP^EmWG z&{T?a#|7N|q(-(6IYX+_Aw7F@H$>Gl?n5x<41oe1&)ysqfWJ4)pD+?wBYKUE;^_cA zSm!t+)pT1E;L%Hl>pu*Uv13BzyJ!u(^;+Co3^g~pj9_Hrf$ST8Be43A5TYw<1cBjv zLw_(|Eds;qDyM1;p#OB6EQ3Z6-ui7~S@wq+_a#7>*ODQIQW)bZl+ZUHvOt%A(K=Zl z6N4FZM$Yx)LSUsU^tbq;C=ev|4pK{cf&1q>j?VnfpxhX8uq!GLz4(%IdxqK*G~SZG zlizX$hbjrO5LOr=BiH;3go_nTB3?t2EI%e&L@Wb!DWL|?d@VG4YJ)*(-CVVR$p-e`= zz|y5{d5*4yC%71&HW&?0M}Nq+hYU>| zpzegr%kTvU_&0CM1}#YyTrrtUAo%IIw2`m^te!cP5zGiR z8l8j2wf%6j?=g$d&l0#QkV76qJqZnbojMlR-=hQSB#DOw?g8oHs}Ylak3r=IYr>OR ze+UofYCG}M3wo~+O$;CO2iV|mOEL)oCL0c!)8#(k(S5l6*{uS^%iP{=AtH(h8t+s) zP0&LOhiT29AWmSL`mW19D2y&_2RKjdVY~>r0ivVf%#b?mynJFC^Vf5W8dJ%q1q*^I zxll)hPA^Iv|LS@QCON;fr*hH*I|t$El8saU|u<_m-%2!fB!~%?D(Q7d%NN4TKq(>PlXdJpy^C}+6K0END z_ogFafSjZOOeZpuX{BG6UIuqF_rAw5slmMB1P4{DDw10+Z8_Pg0taW;>KC4>LhGCF zEE%1KD3#^iH-bJTm}qlx6Z((_S=;>#rpMf&lHpOy$Ivq5R1;BJn_Y%3G41{Aw#Wqc zM2Q2!L}y{smPO!~0UP{%DEL86kq#cF@LvhfWCfeoL55$(S>amYTh@cgOkiex<*-_| zI#Nw(yG!?y12*f4BzcyZVY6!dcnduTI1M)D#y5$h%tfcO0e4y90>u%Bnjk^+FTdc& z*of*+=aG-{

zzvF`A?^xpaJI*-%P6Up>S8t`BT9ZA+- zTHFlK_dly&E6uEs5KG8Jj z40o?OKDabm4P-4;+HVKX!;mrikLTH==o5?V&aM3m@UCoI@<&P)yzjODSVPP;fg$phSmGL3ywT{y{fherYvWu|B%8H%tX4=|Z#$N5m1s zt-j(yobh3u2Uq#`Q zyGTbG<|n}OD*Oo_cM=TcG7)di=!43A=i=$V8DO_5Il3KGh1#q#N=Z}GVIrzf(YY-c zs~7K&QyjF!d%qu z$2o%80N;2v@nhap_sx;Nm3Al6c0)cQlwzt04v@LnYedbYie8d%M0A%b!4fG&KgB&4 z_%&{|dP}qjhP|WIBrlY~lo8nlm$4pHa?*LxX!Sf8)|IhV3|xS&zS!fAb6HqkGnLZP zCk_`9o<`?(ib5omlKf&YL)6y4gC=-I!S|@C!#f`_c>N_T!#_<7{_VHN;GbXjQTXTA zO@s66J_7&zx{2YRU$+?E`5L}@A$<4$+YfF{iAgtuiIi^2idj9pYFe^eYPg5e8AgR~4X_4!N2Oof zjb7lak&wcKHOd9c)TO%FJ<*G~?)DnO5cF&0fl}5hJ&4kc{WTzL1dc}rx+upDKtSS0 z*Q4M1FmL*@-qFbr-cUT@*m$0c_KYu{@!55TvA+kCPg7AewisVS|mVDV6^+<-=4QnFP>CZvNM%qs3(*1TRc81XFNTX3!NrT=;stT> zTDW*&c=W*gfc+&*Cw^qF%4Wh8#b|rD+~(2(Iii+un?7w2%O1LUE5rny*zOWxT{;7) zPx@&p-eLZ>X|mIK)NU|~8awR{Fn%>Q0$&H2)8HC((1E?xo`FNKR2#l>TOIsZFe0tGX+Ki&8e57iN# zuE(#GqQcwZ3f6jQuv4|WQc;!&L7_cfbmwD`?9CU~T?J!6_T`tAKMzBoKrVTA{&xau ztc@?}Yz>0@j%?-^gM&aPqCBL?Isy@k@N@Ro`+zAk9qp%Q#n7$Nuc~&k5qWJUg!Stb z0kgsGHKDu`cs)Ox^-Zr1O-j|;*cTS#?HA!<&1_MhBnGN9$a zK5uHQhWhGgm}M0RVQiJm?ui5~ZrB&M^qAGVdqM}|H};*1 zdu>tJiL2DVclAKQfRO0DE(g&2x6p?9Fanfts)olc4sXAEx6et$4p}99;W;ua@Y;|6 zez>R_!uPy{uir%#N1ANoR3zpXaDP$ghZ)2s9x^48QHGR5oWd31RuILjMD^_x#?L%@ zt&1SZ8t;5xvpMtV$mK-zw4d_*Gs!G;G>=t>#w`|hKFRx?VTpzEmpAKU1fs!YNjUin zOC*??sGJ`$c0oxBnoUG*8qRugm$qJml0 znurEw3Sgj#aWPDkLTA@m%X)v2!-evDJnsZ4LHk~4NAkpR@anl0Zb!p`(!OQWUf2Du z$g1?IoTW$z8L)hI#1VYST8PDtEd%nfDzl^Wn4i}vXN&gpV zP%J!4_(wn-WOLHZzQs#{SMRTx#$YKB1flhhmJ;Cp6^^o(S)yn2H#xapVH^R!JC5&1 z{1CO8Iz zJzNo24|hT;*%Zs$SmvNDV_^3FHI{(!cD1%k9wzA; z!h!KU`Xe7TA$XzGF|!5Z4;q<}kGE>Ug0Y2+VU-4~f8+i69L!PFuLl1KaaEii&lso2 zQ^M)-Fn-hj*5fJR^mxiRJ)R2Sd;j>(KhB?B7&=~k45^+QZOEZjMAALCCy&l*KD-0bM(;t*3Lv@pFCjMeY;CN7*yOyY*Q ztUv~$8xkPJlNDcgofFivwQnb2^U6oLwZ~uenIhxxzMuoI1)$-_K=`vQZt(s=$hDE6 z32J=YOWonT|B3(qc|Q2AAAFzxzy6&peCOSC?__gDl#Qv5?Ol4 zzs`kjW=$3E`@whpid9at&8zDcd+0KMn!-8RA6C~;rJ-TfU4 zY|Zrwtxs`5ndn?mkuw{V@qXm=#P)juR!PIIGI6w^-gJL6R16lMI?;A=N`iz|k9%jC z8XB9J;%U?o1ANb`_|}&ShsGGRr>G$*&FcB#Fe*4rPpN21&W3Kd2RJS5Q^2nSNBy=B za-vkd&%FM*lz8W-17{wEa{ZA--L{f3>5iHxWKMV^yvPmo{714TpDV%ZzjA(>rlRO> zhWHYPsU4~b3gpY|b^{s7FwS$G#%OG9OwRM2DA@1{{E<`g1d%J*tGwQJ=<0P}1-lJL z#35*CSkGeuPku(LC=NJ-q_@J`ksKc6(rlo4&D;n6xSk%BC$xduCNI8SiX_CyZ*)+4 z-W@t#e(9w-VgX$(w(rIggHa%pbmS{RKcwklwp??{8p?y7|B8C+3}4=qYo662KuYy* zA}_7dAf=HtYT`&!U?Q8pddY_ZvM;8Y_KoU5#9GRsFN;p-imc77RG2^94Xpddux0|D zz5H!lr#z6=MFuVU?O>p<^jkj2?Ta#cg3BHn1R*_wKMnj;_3-F=V;IeH5mI)%+vuBI zjP^*K=NK63VNu#j_%>lV+J1bV@yoSn^!eM|O}ca5VA{H1ctOey3Ln@m-hbf(Z+Fa; zOG)$5eO@6i7i&+jSnacldgp>S&xmd+KxGc&I9?=W!F(J9A2gb`f+FV>67lLBkOYgOZs3mdt!5HJkA;YV(!|!7!?lgiX|U; z*)bo|Gc^aeDyb2^^Cq1A2dnqB3s6#n{A#_)xME*j5B4@(5Nmq+Vb z(Kn{z3@$i>sOnep%H}XMqWJ1HXR`)8q;;Q|qvb`f2HOv6%>{!_QvMs7i<;2ap(p>j zRt)d;jPL%_bK}~}+w|=~(neRBWY_|(gL(cvVq++HL7b)$Eduyu1>Kf%Wle6NcXqao=Elc3~9(;iger& zr6a}+b;PORih9+@&-K!WgXKL13G?n0*qFZa@vv%PjsSc-`3Ou|0v#%RW>DG8ce`wsLAWe9VKQH(1IEb`o9kHpREn`R zXM73sIs7Yrrs#+k1o~Q~(Dz!RLh)QAn68F*ys}0rH&d1{?B3A(MI5Gpq^}MMJf|0f zSFE$bC4vIrwKdD)ZKi;PmWAwZ=5RwnbeZq6D<8yioma>>Cxv3q{VJdNBLr_{7xws= zdEn^7WRebyD>@|{YJ8QE6Y#zM%L9jxrxY{6z{IDWw~BlyS|WTfkdy_oK2=^g-pc@X zSDTF~t_UF0D^0s$+;n*RPo6y09(Y(J5fLjgrBD0`1Ctze_kHF@)X#QVJ_2&!yIa+V ztgT$ArO>;=aXJrZp3hUzT4LW-U(!&yuOkqaG@FQg3_`w_Huk=}aDXn$3(n;vPH<-X ze0tawCr~vVdslb83;n#=SJJjv1OBWO+egS+QAqMV4ioM=u>E|7_>XTM43w{(r;V+J zF>fxKWNlqE*vk0WDO(eeVE=wGdTVGJrj87ecSgl*AI2H799Uu%Qb#dS;Jw{LZvfMv6n8_Rj{7zcL`1zB|v!Ctj2hxXf7r$h^@XLgf$Eef@eiUjWVWm^;&H+OGE7NdHj|u%C^D08e`obj zoYBCa!BxzE^zX)9_MsSbxvJ`Epj8kI2|ggb#^H>Z+TvvM!#%M6=dBv|tFds2=l&S) zm2hOJC1$$j?}VleC)uUIP{v$=rmr^n0@P1ZrI|Ja)qB5n>(@&`Ey|e+t|vmFzqa*WpK2H)J9dDnMaBv}UUR-Y zDjWf9#tgmjzTv>0tXh>yht>0$g#-%e0#QnHqV=Vdm^h`Vr+%@_2#kKHZO_uXp{)5I zff-H_pvVznKSvh>E1_-I9zBTwnx}1wCzmtP=iNsKHZ%26;)i?MhW^25`q78(6IDU* zsdi$LNWvRV4COc6d}<59<3oyXP6eU0Umu^FsRtnXY3pW=qZEiFWA|jm0Z&k}82fbp zi5t|)y}y$g&Wj#x_$HewVZP_z88)j|1Q1c=wBT5eCldK;^=YFb7+lG}iR4HZ!8-fF zz2g2YD{RZrrLWvXQOTH2Vwsd7D6|;29wfofV6l(4M*=L!2&Uhi zw?>Dd1necm;anE2$Ax}LD3AMg<>v)4oIX<$w9V=!Hl}2eWmVmyucsw2zY7Lds@vkw zNk^E?prVT2_5}!R_VR&bi$ZL*tOwNFZ{_hMJEFOvV9D2~qM$I%Xs*LB9!*&tJ>E?3 z2$b()lO>G=z`To4qT`1G^5^7uu}f)>WWoX$$#d+`q+IDF@YZwnZ(Gq~hpN@CC z%=p6pV(&eJs_43JUjYS)l0mX0$&xcHa+aKPjuIv3j37Bm7R(^XqeKNJhzg=8f{3CZ zN)km3fCLe5|KDfd@9#cUr|R4~_aoG*uI|-qcdwpvjNjPHSXx4BiKtI)C@Rgs8rdaZ zEcwfsh@`V?{MJ|efd8;t6Wd$>yi8qD&)rXfdEN*%fovCa+d}ldkChEnu~She2x1&m zGM1#Hr)^#xG$;-feG$b?g{6?}o z2t02Q_&jfk4ibB_CJ$WzTbcQUPwM9(-t+8jdW|%sp2~Je$0i8$!|e!KD;3d5knf_+ z^+aSxF8GfWg%{p=c9WI)g00P&pk4aHfzmMq2)b@}U%BZEb7kIk_hlN<=zciq5#~@> z3+4z=$;g3r%KYDNt~esgKp(4(girk+h@w8GVmjMXI={%9$SvUP!^#>@G80&4da?am z?KIx?-f?S%MS*jAKtQzgwJAvh67R@=y6{8?GEdK^J&x1`QqA_c{V^?oJwX!{cC63! zAKoboj(4h#R%$M~a-YGSFPn=c$!yyIw5f)B7TVCiNJ3mtA4RP>4 zf9UanrY;a@yl1;sXANB^oh$fUFnv0n$H(`39N&5fzV*O=^|aPFJ?&|np4JAZr;Whr zX^nAuT4S8whYRBy_lJ-4V|vSa*TQ0UZWxT;PH{|Sfzz5Nl<2+K;MtAH!I8D&pz+OC zL0-HVJt?7%x{^}?Jb4?mkNg|ZW5*&89_cQHYp}-Z^p|&`uz1%loVYl*#;NPUE@|!*?y7sv;XH5cqg| zlSaegWs2h&McGI|x{7*7H4?aP4b;=^M1rFmM~vO47@U8c6B3p^_}#B@z(_;a@ry)E zpk-1ZqHUmtekMqKr;}s_ceze4Wdl0+6{r%{;^_qO9YY(;&IyR~+t)y@7DMo0|A$53 zswr@&ZB0IWVhI9i$~E^3?cmtGyVvwm4G`0=*{?Wy9k^<^Xd6~zfNUsg3b$Sx0#m^I zIDKC(5FEIf%az7}{?+fPp{w^?I~_CCV0(taXnaZ?wK*63whdB;zuVo>!tb?FaaO&= zD^di9Lu{VWFR+8SM|97HDxhc%%}`4zFga zTlXExkX`$yNb=(W;9H!+%p@KRcD@rnk^UIJL{gPC;dvaiGSn#zc?ZFO^;QX;MhX(? zuHs%C2u6q|C#>LU3YeE#tOaag-$8NO0Re2huwMW0A0>)pX!JL(jCQ<;%xtZiLWBQ- zW#6}iCQVIfjqkx97lm$gs)So~owg0mr&xzYlwF6vF2~;Xe6c?*Ro?N6YRn=gI>3nlk zz10Z$UGe_ClLpT=ugX?{v0dBqh}}Z4l#>=L4ZVRnZs=#e>Z*s9Yaga$7FtlW1kq{k z_y)Y6SH?r;KX{W((RQhGqd?S2IR2fn%12iMHVCP2w(<&s@sJE@Pw7ecqGfu_<;Y3A z`!)FbssGJa<%ij8L#~E%a$3w8ziYag#6j0|BS>cZV-}iIz?Wh0$1_zVO7{FU94X=St6QJRdvcKM7fXnmZft;^v^QncKPfqxEKDlx8 z`Ty#>XmR>3YMj1{7N_r`#Ob>PaQd!eu&`vlzHMp;PG)MtKS(h>#Qpsw#C4Tk%P+EJ$^@oY1m+3%MxJF_g+R!fZ*vcyU)P#*y{Oypx*_KZO4TIM<2*L8Xn2 zf=x0UIHev7`Wpfz5gn1THL+0aV;UAq5D$|_;>0|3Jb<>$`k5AU1`>PeH)sDl4gI<$ z8Cbw~27Ke@za)ywa*pW%NM%W7qvXxm}UN z(B~j3UURU%&$hT2ZU#~B6lKVc*n$-&^)HKhQ|Q&WA{WW+jGDWtB}>Y6LCW`G+l@#k zR3la8_@%}KPCEFwyw}0_aj)!m!>P?+v!#MHF#H(g_lf4^AF)PO@b(ogy)F!Tg#F=a z)dSDd)dEL$U-oBQyPbh_1(DM>qtEB$R75^JHcibH0>p&w3z5MwaELvmVEu0pJc|?~ zPCt@@=vAHsi@y#7eDl!p?MIw@Q6NEHp9AMv!$J;CVY=|I`v&h=^Fd0pNH&)*2kgVB zhsmB)qKpr!t}N0yc-PO{1A3OS{#v5*4CY=(r?5WR*9g;`KSuDvL5hH*{WOr!y(?Ry zGy;`xqZ~xGy14%GfA4>Jrxo z*B|vxhNvt@TI0=c!MFaIb&C2G7l||S;IkXBnxca}Hj2yNq?|$Y$c^MM&tOuYzkwL(azMPME)4iTN-IQ6X=J2izv4%I|bm) z@50wVg|FXyaaDs67z7p`Y0BhK8gvakK)DYqZq)0D~f-2JP^Hn`&XS}L<^Ww7UL}E z4>G92QS3>oo?ugKGDS!Kn-na2t4#`oP@}%7hK7I-hvL6YZ`& z40el>-40g#SGx+> z@m@|z{NjQ71UB9~_$mM^ywq8)RD$>C`8zket)S|rp2CaAl8_f=u_pP=0oA@q;*)%# z2i;2dbS_&N17AYZ=2)`>(zj?zdiGZzs0Cfaw;!A0{r!b6&!34$Y50WoAjnuS?a1=I zMvVGL)QGt5gTQE?#iY>)ymXBjOX(i~U*%`Mo$gN%zQ4!+)5fzD2+z^b`Jm|1MMkSj z&S0c3Cqbfr76mG|-&686<>2uvt1Imi?l|AzVFL?42|K)_cGTHMh-CXnJtFK-V6d1dmn#jw1--m z9|i_ep)m8(?vLl3HSiNKb4wpfLoV8woLi7g97v=?v(w*^Rcj>di*C{W(4GFQW_YZ zj710RDR<0&g#ml~{BQHD`YQZAH(Zd5F7 za2B2gMRlr`5-BU>0nfDjd#q5;*V`OL;hu%g)g?SpTMnyRl#CfT@n*g+dFcQmzsu&he|n(TA_G)y zUoif2!DXju8awpc^|#hIg%FI+>(^@9nu1FA88%;aj6c*(`Hpf)367*P2QZs|Xm7Py-E9QDo)QanM3z8O$UOK@tvagF zB}79jwjfOO>`44)GnhXTv=aU>48_+`Sngr<_b+oMDXvc1z&9SawPC3Nj1>K8uQ9!* z=$6Q6_8(W&dM(W@sLBv1_v#$X$F9K;Yr?yUzB_1hy80E*ad(u!S1BRM-2$IRVxnUk zijaVg1HrJX0SfFi=h!x|2mbPh%?zglpjh-!@2|XMG_CsCrzxNWm=)iqZ-lrao9wiQ zlG%xf=KbMo8utFkmtc?VGxq*ySJS?t!kmo!e%0pOrAx-RUs?r!SDk?7oon5)e)EExf!N&3+~=z9AVS|_$nmri*Wcm7^>?^% z{hbrI{>}+pe}@m(-{Hi&-+}M<%OI0KeSLQxicjwT?Kf45K8XH^@%1_f`T+_j`%B}& zJNR1L;haQ_i$+^L66}n~ zwucYTxrKw6mEz%^7s1GxwBcG_o(Ix2Kk74&=l_z_>8gl!dnQSr~tEFKFzT zH&7muN{JAtfm^o1ZF7qkz>z>OF_-@aI{3odQfsILjiLn1x;8byEhO!8r>F`%HN)lx zu)hsV>(hw#>LF^qH8i@T2jS~q`!KD1s)e-{YN(ENm)0d9I;p7om_ls59mzIG4y%Wy z&kDZ?t`wsR?ukl5?rZ2-+=YF=igwWWSSh7x-UR831A2eVyV0`V#)Ux5cqFep^RD|% zIiyYH{xiZ{i}(4A(=?g&VtSf}#n+@7Z>pi6`gZmRrejn}UtAa8uZ1X^NA!~f{n>(+j8YhS zyEs{9UkjIZ`mZFcRiQiClg`(!wV~xvIjYUNG*C(7DK+?12l$>pzT>Yw>l!`Qk^p)A zwCVvw>d0QZ=M0fn6wq({vv_922C+`DZ1AWCgGb66h5-3=RNrV}(adoI!X!LZiWN_w zBTN&2TQ9LgyyatMQx;CxQ)8U6h!jTmogxy}f*F8MLCj-vCJ?40zWvT9PeLy#q8Qg% za?puSmn#Flu5=VhoKg_hFcW_~9>Iefdu?t`n&|bI zl7>JK<}+rV)@fFE2ypPG{o{(|-;T{KXX$!?!U^-fBsULe z{Pvc-OUE6`3+Dnq^<%g>N9RBjh-V*$Ol2uo( zYa@K~0-|WUzZ^-r3oI3nJyxIfLS@nJFZGAdkwmesn)Qo&X!caDmK;kz>^4D=_s^EB)s(9-s@#SISJKop3aKFh(3XUd)KCO-x25Hl+ zv4IjB#OUzKe>O@I!Y&#qJz72mhHXPC$GD|I!ES5Dl;|}4Si5iH4%J z4KqhB?Ei$(IJ#V@3o=<$|AK&r+t_KU; zdN9PThbY{7FvqP26Wn^R1c%7o%6s`?Xf-={CMfX?G*kIxc36mki(#381eVjMDZh2E z=c+%7s=63>*+m_$$7q9Fd=a$2dm`bU?geDyx`nN8>XFPU&^T(|LdGXQDbMd;0>w4M zvD)sdxc$k0zyFbsDpn1mWktaq2JY7|F5Z>Q>=PqLIM7l^G1KraH^d0sH+Uk-gPyWo zoZ-|V0QuCQVXql4Ft{j_Hf$IIom&sOvwoE$qAOg=35^ku8OF7{m=Op&j{>(^+v0KG z`xZDpn>voqW`X0gspI%;8aO_iCIm{aj6S-akLXF%Ek9jL2WsJ5?J?pE6#n>Cphrjw z7_WJ%D@mM2nPxmT~lFbze%w}()Ew}_pLeI;nT1ru+@!N%{>P8el#eIme zyd3lkZKqk^T}7W=a{4)YEFeg}BQlO%2MN2k{j6iR3t7SGFowx_04(ogYb5}iGCV{ z>ZJ|!4YFXE(na2dBTV4V(HwbUNCcrgzJ4!y1~}D!f7`Rm2_cRS{A?9}CQodHqM8oQDyz!8ad=8nbPn@fRP>21+x zMlte`*ENK0u`JLpyNmG6F`o}S2As8tLINN?#B8znk`H7kzhlp@@32SS^G?f9C;b2Fi5a^K4A{L9rD73jgBbqaDI@&k{+tFIO}V#?g)Ep zqYl%5EYR?uM|?7hMlkLb;qxHV994EXcU7{vqJsWI*N6G+f#~4)?I-T8kj(ofB&akN zH4vY7r5W)?Rg4@rR%cbIsm zDP3zs8{{S1;nnAmpU#w2Xz4jn=}q$;YRm!WmQvT7Dpjb3K{9DnsSvX3{5cNYQS-2lC^@L$L58BS~_);=#-ioZYyIh8j zK4E%yF+T~K|Nee`nJyW+=(qI)-QbZS7S) zADvhfVSSVOg}*LpsN@Tz^)dn8_=UNuK4Y{K{qnQyJ1l>@f9Rl`S{Hb4@$n55n!$`Y zw@CRZFQ6M0cKaCQ1_r!OGFdY-k>?#x_gC#surIt@KYrB&+dn?l5-#-x1Hm<-E9bO< zaB57O}eW>h;;`g{?A3rrISx{7VQ$9T6WtQWOBmXLS-+i4#%h^kEmuDH~YOX?PoO z*#a8q9yAqUIj_-^<6n7lLlE(#Zd}cd8~PC?%AV0tgUs!#F0ap|Kqc{?lRF2P&oDzE z`s-8;T$-ctCK?Wc*IWlLdY^egve^rA{|^C3jo~)Yj!*#5wH{xVh_r({%G>tqs}4wJ zm?sVSJ0nMP4>LosgOML+5!u~otcrX5ZoBg#bl$T8%eR|*k&XIxHuOGyq z3fcG-A0tg<+T6@)l_LXcX?HnR12qs;j$CxHx+Jhh^c5S(NP%1anEKYZ1jy&+Gxr3C zqI(^Z)Iu$$;9GUEwHxd6-CD@8>(ci^&MHDw_ZiLM%J|5unA`veVB|BTeBp(vE==hf zVEwe5g%QE_9$Pr{HFc?}*bbFs5?(P~Rt2_z13}9mPtZQdlpsHB26D$!YPK+L2Hz+n z*ZbbnK;!Uue#IQ)b^K0RVkvV#E!JNLq`&IJn32U7YWqHzHgQ0x8r?$eAj=^r_=HL_e6l<(urli9zN)oC?r620C=NAtCcf8>)#|gry&TyFgQdi%Y7!Fo2JxKR4 z4K342Y%E;ygEJLJDtK+vk+O|-^%cq_xWXb@@WeF@$OUp~zm{afg^#~>77rC8<~eW|jDxEeK%n*qy# z8u1a8QWT{xdyzLF2da3>`ua68fxFA(axX(UaC&S{M@(Hpagxnsx}LFsZ~h>@^?5Ej z%{46|8R&FfFN$roMWn;g(%YA1VW&m$MNE-6P>*h276A$168aqdM@k&;{E@h;+(zQc z5lFpvSCTZt843b(zo~9nz`cnwQxjryRPuRl?{~8+5G(m?X45-io@TH8pc(|fvwZ$C z9F9ijDMyCwF1tfzTg<47n=AU~QqK4J#!#eFb+>QaA{h=zFOf{}_#%7hi=Uef&jVxm z+V=c#Av&(*I4;Ulg!YWtZWPNE!jBC}LarZ2sfBIGyGcV-%-uFeyK``P)Z@~;NhUn6vLoqBj0a_-DZSfQ zB0!8+?n5I@3{(q#-t9V3xA?I(zSx*Rl@~iqTT`cH(bWe5a#i9$v!7xRJ|OmM>iCt{D&+#hC}%%Dg?EU(C)5S3@NkZ~+}q2oN3AHp2O zY5m#?t*{=-w(OvTrvuYB9!(fP*wdL&|8Z=e%3;#5Wu=0gPA46vJlN`&{~qMh+9d^l z_v`!dyDtcmF8n`gAkq3O(7mC8m?FD(4U;6n^?3_}Uz9EyJbo|u?z$8dz7h~t zZ;%8#HHV>9k}jzBZaQVkIEd;D(?=o+^O0kA`gLk7FDfgFq}`;w9dX3BcadJX1^DLk z;@i(!p)L96$k|eCpSmY&gObqbhtZ7N17YxzgwqRxOVEn=>8>qqe?(}(%SyGLjCVf^ z-@HY9{a^TAZ|XvkYRyhGW6N&cJ z#zev6qFUEiKQke=N1~D2q8cT?Qn~Cacn&DT6#s-RrURo7*Dr69Z1i>sW@sZbVEu-} ziyP)`KsesdA$p<@wVm6_e4$VZeu;@;3+gT4;z;cj(bRx`yf*jKtIfrGKJlF&C(e`6 zJAZ9}m@C33D#H&I4O!dBd3eAhE;5M&SHeqBwt+8P1<2 zjPqv+;QU!aIDeKXpbLnaJg*jREH)lDA-fKJe94y{(v-j>RMM+f!V4uIBHqQ6mLRTY zYW5}eok;Gj)7P8ifzai_(XAMh25G~Lzvd*fKq8mW_p}z4Pn5TNY17aM25DdLrVgMdXSd?2#*K7jqkfK|o50bp|W?$PfSaldy|Yj ztL2DSE3mvD$!$~JjzVPr{&uV=J;rJI{f>?|F#-y-H}a+})8M7r;=`EEP%yjh@|0^k z0yW$eUtAOA1(Lt_N|dtMpk`9yk$?aXP&T!^QOp&gZI;UMmtZx_8>hsu2PJ69$Qn~GZW`4oeW z!QiXXg9aoxU#3OPn+`AHpGl^t7Q=#`&5g;iVsykL&wM9@0_etDx1ZI;0p^ufGknR+2g(y1F`yTi&dE?HZrS`% zOdIiPuUO}g1OrQ)nKfm(C(350zj~DdP~AHVkI=9GfSdYSXGD1#Jmxs;la$+m3{Dx| zxcH$EQmRCmFYxu?%`e3_uK`~_?}}TejPkogv>|sUQ8BF)e&lU?SXfkn>cNGi;#+xW zhH|>bUpN3lX&!J~!t%KAJs;ZEa#(hcfpC|Nl0=>eaOkiIEIL+)f;xsxd$Io$&=Dzq33x7r$bH zcb=4HPU_?G8U`HS;5d$NK#$`a(Bb$7JUG4q8GP}SoOwEBhWZP3@7(p%hAL}&E-!im zq_XmfFf&;SouA5+%bd`G0X@FCrdb2L&xbE9vgA{~W74AixJPXIJhVb-B8K8Ne1Zrd^5BFky;^P8jp#6SR*UhU6aD8R-w$r9Q z#_QV3WRFt@q4=7Pvt21b#Ob)ZX;g|FT}}*K70v*pyI4*`QUK?}`}A{JN)ZXwcX`oQ z=b_i_rWh-2DM%M+tvQ{nL8HMwZhl8=pguxQkw>{4Y(8evz5jC!DW3aK*%((06F&wU z73QS?`}&SsBzA+Q2Q_yU9=f18zw$_dHaAr9A!U>BNg&$Hf92KI915E^bOxGps$lG4 znd6 z?}eb`dfk6i9%zEI>#oH2IaR11A&TF&v;g6{?rO`Yndr6Dh4!jXO6YKthOf|10%byd8AAfWcHn6W-ph82-clYBO3yg`ff@2qN_H_$jBT#V3da0 zMg;@cS6oP2mMs%5NI(q5ZfAfRmOtx2*=QKmj&zn7jFuhSVKw)M{nemW5PF_F*m$uU z6{kK`HPrbBZ+yhO91D|M&(u|ow);)NCGd*Ki}NloO&nT+eN z{r7%(5fX)-`Df~g#M&~$$ify?JaA+P{~L}n9+;5uxY)sK!}{SeowH~ug2H=%E(P-8 zYCfZcIaoZs&s4Lf1rHJreNz0w4<`-{1d`j^fuYY2*3EHKxVz$1`D!{8?|N_18SgK0 zFVvA*;ZZ?37Y%eawo55HQW|0@9d)l(i^DhjgYaA#2~c?Ot~8HH3<%2^Z|B$2#ke2>H70{-EUVT2NWt@QJ(z%d5*IKbagY>>e1U`YteCT@m@^yDOWyW>Bky08C zg}!gBV?T?coer~?eh)-xp~IffPnm(sp4P%EgHR|ptJ3S&Q-h6SLWl9!a-eIv%Rwq( zj*>nQ4DdFqK{-Q)=}PU(uKH7jN8QoB!*J8^MmKw0Grs zOtb|WEsCpuuqcgq8g8#%614^WZx2KgT?`>$wM23HnKZg7)7_z0B90O$Z&CZU>q47} zck=}a6*N})^Q{`80vcg3%NejtLnQ9q_P<9@p)>hXm`FPXS=Ze;uKXJ7?|mDdmSsvp zXI^-CB$4DnR@RBz$@@-l!?uo`V9OFN3d-H*qH%=VrrhefSf2@LiW-<{*?<&(Pc3b8 zIAW5ToH+3`2AE@L59UiEU>@=gujOVT<+;H|`RRC&wcYcseUyiY$c$X?eT;x^i38nm zjQ>}4?&b8TehOTp{Uo{lPZV@yJ~q6yOo_GZ^@yPbw+ zk+`AHI_5B5!5*AxY6Z_`j89uMVqE8t7eTV}t_a`pFDokuTcfx8gYFa8RC(Ved=^wg%DY)}}J#PW^m| zyiynGXf!P5$%LWqAkx-@@Iu%)R%`gfvl5wA>#@nb?*yLp5f`7Ew@}zw$Db5dS5d;@ zOAM}@l}Njplv%R$D)_8k{+p42?I&_ew&B(#(AZdC`NVV^9c9lu=ofAP9X8)D;!iXo z;6%c^Uz$yDA=r=W<{L~emPmQ&X?_@XAH8BK8r{+FsYtc&DM9FS)V&#f<`~%AU$i&t z#QLj&hMS*6i(%>!ndIA@t4N+#>yKuC0eDPXAM-t14PS0-G}L9f!}_8>I9aZ`;Jrni7cfFh8<$s1)V-DJGjvhoO&g{-!AmK45eBQRL=I z8hTb*-8=-Iz;*p{R>7eFuv|1a-)*CV)PB5gqCMdT@A=!;DMjSk_RPH8Q5(C_? ziOl-$a{^WuQtaM1vjG8VbN#Q2S_ogiC%*g*?gpQw!QBdEh(;d&PYTgtS643bs7^$1NkLn>tr3aXpUGR{e1a5XsRhzq z?!kmFljhZXz3}1E2haJhy;vRL=%m-N<7n=7{spqfQb2p115O=&8mcX}+B%x+m*m<8B1g;mcX7AW+NA>AEhfN(9l6Q7t_ z@y>g~H;)P5`q=;O;~$-1SIMuJg!s}ECx2E5!fBDkfls&iAjB>{C$CNd805~*P2`FI z=b7j7)fX)B&Y${Zbc6nx?+G|na{0+;J|-BBO1nPv7dw79@y-mEx2q7=NVom&IF!AU zk;2?)?)(%&PFTT7Q zeCG$>@%XMceAn~RI}!9lP!F~n*`H68t0EQ|*_*46w2|;F+u(a#+E{K&tmm6nP2`j% zeSV--3va(LzUPzjvlo_P?V)i^XjN?|9bNfd;obPz6Y}+hmfyrXL9+9UTo)1>c;Btc zR(8w<@BDgv&j;V}_^wZUkN+ioC`t2;uevLb&|^A8tP&jOp@|f?Ih!U_!#F zLtoGvyfR-{A)i1{p5Ez@yqti3{GcvslsW^!x~yb;c42t$H&!xc9BLmsAj%_dJxkbr zhv=xn$-CcFAtNhNaYYmK9ZZinwBdJXc1y-JJ@{(Dp#S$97kVGP^_Aiu9eA7Rcp-fJfhxZF z-P0B9j1ku|5Yt3;!{?MRVD#j?omv%wZkzcLMmXw1xwahLrPQ;)EA}Lzd+{u!Qx%+J zu_!^BH@io>x6^^uOX!O{Q6N+rw(LA#%SN3^j$-3p>0nM;)2wfr0gumo47k1Pgzn_o zn%M`L0@1gQyvZ2_$ReJi9udd%07`#9EX@lE z=OdjimBonG$=LIt(+nJf*niiER6=p?qh>YcQV_aF(LZmigPchGtIiuLgIXtHzFUMc zC~wQ$$^K=C#MPs34WCwoKnt$7`5%=amu~sP?0GHJBg(<_Z5GoNGl+~V4=W=IiH=6g z8q9wZ(l)*X;xI1x;i=Liaol)I+;|n-cq80+P26}j+;}y-{YUub{oz}0$G86QB~dg@ zL`)OQ(Z0*2XsQWQ8!PpJQnn~Gi-v6d0OJrP#)svGVLVXZc@yPT1HiYRqD5)`v9|F9 z3JSN|Wa<|{f!FlIGYHwh_q=!KR4N-xT(q6D=4XINrL5!6->#^-Xe{$kDY+ui*q*jm z?51G;XHevLC1$-0u-NFAV1W`;4zAb+358(@z z7Dm=*;h#T=#9uVr&>`aRPfM1O=n^lpxoI`i~yC{-YVL|7e9) zKZemXZWW=k-z|>?X(xlP+rrAH%p#N{+b6@hodgqA&&<_oli|{;lKQMB#zRP6Q+j|;P-)RKnsSj+))hDraj*3-ouKymK0rJkjhTjr2h!oRPQwVNpj< zq+jOrHF>~B_uhQ8i5D0P@LK+?FhCw^1%n(?!LZ8e@ztWn2bzD1di+@nfWt|j<(;l9{;HFjN@Iqbp60)myd3`ojpl0Lc}m@9APXwuml< zRKh@X{fwr@v!mL;74Fw(qsRw}9;!ADQ@XG}bjioLzydl~0&Kb{Pa)&r%@FqUUg(O@ zCi$}sbx6BY{7>g!XCyya$l83-72ey$shVUMgW?76q_0(SprbC_;`_)AZCKG>iPW@3 zgU!*Ie|+^ISvgXI$Icdgt-Z0ZQeq4(@#EeC@AQE+{pKY~{nL2&-~Z(sDB<$UJaGAC z%DDV8Ib4334KBY-0a!kEDe4{iAFjVV)0+cnWVgx`vmYf3VfEZcbDbq&c%+)6_Ng(J zpD9Zwc2o*_Ws1f$PMbqQn-Ht|s15pV-DINj$`VHEVuo|R8H0v*AwgV%FKS9@;&!N=9~kzLf18c`OKTy=|j|z7MaR$rxJVKiME{n zz~ut^EJQLo=PkkM5;2|JSTeeKo22t6j}s_=8OuFvYXuUA8Arlzy21r2lV>?!!r-Ru z<*InTGPFNqC#mu^0UX1xpTDge0Rh@{%`%O_Xic2*qi<#;-n_5%v=>T?SnkQ!>k2!$ zk-TuWMTB^s*8nk+i@0qj@W9mO2#sbvKRh0JUAniXi%J0^P68o)M$H|Yv?SE3nDzVGnOuZ#9+f;8bmZJM%VWqRn+kQY(sni}E5^Y*ASJyjzH91jk7;S<=vGV5rP- zt{6l&m)Gx!>4A7Zsa28Q7J_3&dW`ot6yQyw`a-)og5jC`>Nr&vm_3*B`f!##@=fj^ zp4gUyX-?;pX5>DQL{48^AQ1+IBvg;u)=lA}TSUN*V?Gdp?pm7JomCES|PSn(zZhiBnZg&`HSHwAJmq#Sh_GWp(}!#gX%O_5o5I9{6UJ zLD>IQ5l!gT+Ycy+z}z%DCto@jkSUT{|B10j-d(cJcW-IJE8^25ZN54vD&qwMr;H}h zANVg2>1ja#*OiBfpEQAqjEC@kmk|nWv>4fasDTO=qTeTN$%3-`aWaAz(x9$lz{SF@ z0d&LDV;sk2Fh1}9@Oxcx{9ZX6zgHc{?^VF@doj-7fB3y}c=NPFlFKVf!_1Hvk^MF$ z2OmtZIq|0mi2)ld$oLC3hzQd=j6i-RxZC&S!K4>k_m+4ol4Y&yH)Yb7>ffC^}a+Pu~M4YXD z*X5@fBv|ZQIxAy-f(`_6H%!sd2;<2XG9#3kPISk-?%viYlylkoA~>F6`_YN+6Q zzgtF-8rC24b3OKk2ZE0ZF}**khG^tz|2E9>!Phn`#&ZS6h$AYX*2fon4+-_!UE>l# zuHI#bt9NDMU2h+J?CZ$- z-3HtY2w!u*G=V!0+DTfFGqBDdWuRoWfvnb~+0|h)Fg})(^LjE7@8jcJ|HpSczV$17 z>!tr5|G%#f<9j|MtUZGF^ps%c^@e$yD?RG@z+S5V*a%4~_UH3lkcR`V%4=noD9s@md`e-=xM#;^FKzQ(C zXPwYg5TreenjT$w~T6F z+4vkY8&;#8{mHr}<1n}yZYgjwAQAS@y$E~pPy<*ktUXukRnSh=>6$dLQ|K7!r)&Nz zX2?|H83U7!J1SV`5qeM+3?iSderB+G>C*RmAeHQx<>RairPld}DqZaH=08x$ z71~R5vcY7zx!Q?oMxb6`{2aNfj>I=)$Ua!HfRbfi{|6&xxO%Sil&9kfy!GUcUJQAO zLCIjKlfg>NABlu|o&0)`Bcw^+=8h{(gukJ=J%`655HXdYTTgN<@@$?}{C(L7meifE zC3N|rU6P8}K|ghfTHXC;Q`r-Qbk1+DFLR5gzn_R4QLjjO^L z?FwFk%_?$BSUt!1&!|O=Xfnh!<+b@FN}%H!c|uD={Xd0Lzi>4mm)+IM!VYLYA$k&8-#d7bS zPdmeX?ytsyiCCY%RwY2!)(Jf^Wm>+5ERdY^$Xy+x@=tt$#G&&Nwl{*r*fww(exOT&@Yj z3H}eSnYuv!N^1$}9aFTl#r(ecjTI~vPked)*c#<~N;ZfuIHO6m;#VJ@SO5i4cZ}3_ zAY^D2EH)WMBFmXN`+f&scoccO&)k*>*?cHdx%fE(r7fsT|Kjt7P8)uoG80V4bMLxU zQhhjbZksu?w&n`%vJ(aA_tcTKWfAW)aZ7~mzjPhIa$~6;=~78Gh{1e8gcSLT3L0{V zR+)M!4D(WoT+;6H$YQ}s+mu}hasw6#^HliY*?W#siKCbwf+8;4rX&v?iV;(8yPXA@ z4>QN!{ECHg4$b50YI*3*|HIx}zEv4@YrK>gG@^(gA>G|Efkk(BcS(1*bcYC{Gzdyb zC^1klz(fHB6(tlEQBed@k@KAWu0P;i`#SsE`980?*7K~n#+-AE-?;C@I!nqON0gLR zOlPoZ2Aly#-1V0n5Myv!T5gjWY+fe)m0M~G5s|DXxn*3@fkw)F^2^wH9%nGNpy2^E z>PzwKhpf?M-5edoV_cxhp(LWMVh&xd0!8s(jgi1@Ay4@-edKmZmu>QH2%I_m`KAe& z!}t4kR`aDHsBD^_yK&V5JXkzhL((zdC@%_q)sQIoHP<;|(JqZn1kwoK94lv8V?{PXi z5f4XiF=jR=pFwRA>3`V=IMCY49>%}R!BhIt%*Uquz#DI**tF&fqa^dkzRu%-_uKFv z#W49gs)+CAtMA?8mDpjE|iW4$TZ!_+(u>+y`z|u*(tuIq) zsO(6INA92r%08EW^b?l9%WgTGK24VlSxK+?7@WdUV9EVkyb6gB6rd?Zb4d=Q#>d4} zg_6-}Cd3mzmkBtjz(uQdGuW-F^}f@bjRw7bjKvDXNXGl#gRJ+)68d3M4K&c;8 zY9X0$LT~X^%2G8f)1-?UFjOL%q_J+|XoUctF)P=h}|tkr(^s-akx&op~NWwHZ~K4X|YtNGkj_A88~E`_okhf%%Ng z^&GW$OedfGMI}uPDCOnX|JBby#`_HpL+?^RE=}piot-31FV?U|a>f$`Ja#k-3Ovz$ zr3c;Vl&bKI!IRs@RtnwMdQHp}W{V^r{+6HivV^$S=YLIoaHx7}?$#h30&?#8j5JnR zs3zAEqjuLoc9AfhVJ(K8yHiqC4Y7Vx#dAzz!Y=Uk`y>mMj3f9&llvTO#Nv0Y?4i#S z9_Smx@+5t=FS32s6yf~J7XtTw)?H(}46)OXZe6Bq0g3>+U17N%FxzNpsUmrbQdB!4 znTsz&`;~UlV44nK>i;g?UMvn}yXPb~GpsS++4}Ts3R7Tx@wR!&mK!Xt)J0TNb0F*M z25H~=bb;NJ)ZmPJ6+AFHiP7x3@Dp6qS$xyLyg->@(lrAD?o{cEq(r08(5jR5uj7s#1zp5yUD9K%0l_Wo(h&XdPp&Qy8mSZ6KoB| zxJ{87qWP(RH0U`Fjt{fEal|o0S85Hl`Y}xiciH>!??3|-uFK{7)po)}k^5KUjsZyI zlCgUIuMN)l{60O=@f3x5^#tBM)D5{rvU3vNPKY9*RQknI2+DetHU7^w9)9cYF6bR{ zMGkJJr-)nZQFH!aEbCG*cn3DvWbLLSYQ~zN*zr>62%DQuoG$=w^@mOq=gy)u6{@9b z*-CUhi_*!yJp**QcLPqg8A8*?2wwa^(sf0A@KYYYEPjtgiua~fJdsfs73sT z#mhA|pbD5tO8A?EDg#-(SJ?9);rU`x7RI|775+I&ni&gc7$xrdI%54_w@fEn-#7!I z{pn{v?#h-;RHIrh`FFx&Iq;Cqn3I*F9CW29Us_$b1iUEXbc<>$YE0*6S#ApindcX& zJFN_nQd=@-J;tZpk0+gbUnC7bhJ)YrbzphTjSC_t6P4lA?PP(1*J|MWwcy0g-At(W z`aIh8DIM6}2CmIu94Dj)W(JwGAxW`Zdh|0Lg2LAl?wrgAJrS*{*UA13b~2{=OyUG)$l7S$({IWGFDLJKR*+jsp77rSlu_D$)68 z2M67shQp8gGgH4vg;QZL`+dn_-;a1WJygP?4xhsFMlGah&Ns>w@*Ix8L435)4ME z$6`ZG^{rsEr3=p3>mnff!oS3d>5TA|2`X=-qnj>FGsmeTuzGUH?eo;$VE?%omp1GQ zH1GHvt}-cM_kr{;d(@#wo2?<@O`#Zi)?b)4)nb7ToaTLQnihuG$sS)AG?qnsxo!^% z-(o(0+Kn@fIU&F^zEP_f?}x6Q92T2DV+?hhgFhs$WWh>Vlh`HNv*0AiLvr_U40?1M zS0WS|iE^6nZYZ!splw6{X?@RRlx39n!f47EZZ}w zLC||}K7`dL9Nxc7Q6f`vfu-@afe;FJNQg%q8E{O?O($M!cq`8z84 znBNegJY=Pn(Rz~H*TF_}O*=yH_50yF*#0 zgx+a|#<^VNM0c{u8hGL)VD4M)VP!*Mw9!!F{M6qYT^MspI?nF_7L;2N?6Qg=V!#|Z zcm(rzel~U1sm&2(U7Vx5b3g`0dt8G?)8w(dYL>`(EZn~xx3Lw({^rV0VTgL{Bv&LOfh;=-?S#dW6U8Q8+kn|4) z0T%Z&Gy|USP$uIXZ$J!`Xg5^Yx_cl;XUBbSW6UQr@@Dy&C=EF4=aSLO$d4quH!TNe zY~g%NM0B)~9#C3kDbFnhpxnbgk|PvRh}wGfrAG#)n?Qb~Es7!(MY1h8c<)l7iBLV> z9n6O(yPk|*S|AY4^M5#f$M!5JSw4N;dny*LuS!2w+`{UnA1Qi9+pA!t=OyKQSSkD@ z6R~vV=t4%TzaBb?* zP&IO7b0k_5)^V?ezR4*;O#NZoj{$n9NQA`aJcA2x&|Aqk8DjbtapIDj26CWyvG+pR zcTMCrs39_HDF$(`hXfKwWWb-;bXlxP3XW(wIm}LIp^eHnT1BezaB6p-HLErZyYAu?d?|I#pJLaiC4XDPhyJJ)_w3U}qxe^$}rV67tWZuT!- zIPWTX=~=EW6zb4P}lxp|*>W{f@!y()EW)Dj+ZWv)fWg4-Ah}r-}Si zAlPr{(VNw1#yCvp=VZ~hH5V@wXZpt@<(~>9Sy1kWQXruI`JsU9xEeICz2$NLrUIh1 z97^vFq{1c6W482*$)H%JJl^oA4AH%OSNF{=9L`bl1z!;gK}uy)`|9tRQN`gT-+Q&H zke($U$kJtr>2bRrX3%j*_jo+)9V(pRY3j`%-`cE^Y@ko?Q4wWyb6ScCPFum)(EZn; zs|XT2-HK#h8=;%B%9jm?3_yters{yYGrC$u6Snt@9_ivta)z+H#`@->xaO?}6fLOa zp<5b<#%*T5RVSQ-n^_kaDat&d=uIW1@$U+P-_K{4;Ly{beIRt~)UjUz(dghwG0vMG z{jhVRdT1(<7o_V4lJ=R#pedmY$v=YbaPX4I5A}~O;9I&{NBhAWZCD*|q+)UbY15@N z!}pFr?n-fOi7f!xr%Nq9jkSfp6SR%@b(Ek(;qo&}ERQ2E$5sBY+7zvwdOMvL$^k^; z{XUNT=BTPHK(A52hhTnezKo*b=GuSnPZvk>dOq@(EtK4sh_K$afDc>i(o;hrNIyNu zr83D9`sD4MNe-K$cH?7~#t$v=etAdnetEQbzdR|tUmgwKFOMGYmq!Ekx%97_9=5~l zISIB%-fTEjz!09t*aO`anRXp#AE5g2+Kxw0>tQ0H|A$eo!0 zK3WDiNCzt;6(;D92yxf8hCdLhzd>j}^?&?`c_8n2?|@*ZBaTKgQ&+Jxots|(KbyDCV4Kt}|r z`kW3r?RNdP8HohEb#2OCRgM60bsq7g&&lYnnB?I?t_biQ8uzc&JOgh?`@g=VN<(R7 z;|a{Y!GJ05xf@N0K@)B^EmBz)<@U{cx~((7IHSTz`rjfjoM_c$VJ43T&a%At;Uh%w zdI&VT)_EjSZR@C}-Ip^hUhODTJf(9w3vLb1sjLQYMP-5~ZxLmpHol-ewy)r=|H zM^YAuRiqYWe8s?|PWI!^Wj^Q?%r_RSw?W2d%HKPTO9Bzg4YO}dvha$($KZB<1*msU zy$C3`g1QHJv{nqcJFQhD7`b+^0teGC-ifpx0xbf z+U6wR#~OcB)}XWUtTzYV)Kub@u{>_)*2?Wvxl*JbHY%sc5duHM+f0)>9N{Pbxy#%0 zX^8EWxr3El<_0lVRPkf8kVR~|V+-&LkNWSg{6;4;NF z(Rpj|{C0cexsogL484)*de0i3y-qi@o6|rQu{Fw<-pT+S>$#$HTk^2WM3tg5faU+7 zwISh#9CVWRY;W^OL&xI2-#-#7c=JH)VDX+N9F}&9eykjVic!M4<~a+nlBd<&bU2Q- zXZV#+p9$u>ROMZ9ArnAoASVYSwYKf#9S1 zk1o4ffm6Hw@p3~1oG)z2x7VG}1=5nTFWBeg-`pvS&^1Dd+e80|7{lSj8$*SSFhiaYb2{(QDZY12!#wR1**JNPrV zV^|0Ab6@Xls^o^cztX8PM+H#xdc!O88Fh5nZ*EX=z#3x5G%Tt;b-<1E-9?TiZjc*x zD9oF&Lr((h>V0!)(NsmK#GEn*niD?E(Q#cL%8o5L+dX7~&o5$V&1aR7s4_d{X>wV# z!zRU(@Qxd-EXCilWS<5N)V}amoEPSGi6$SL8lbvgGreJ^T#z$+w7Pwj53A?g{Sv%Rq6TPYRYogU&XxYM^4($Gy09N#JvIOq}MUM;s@I=w9^6LCQk*?)n=Oq?~h3 zet=0Ha{UvCocXvAYegFOsG=-L#H+RWWBPB)d8*duYHi^8!8L2MN2EwN7g@7)x&qJo z(Wf|PZ6w^*_|;MW3?h_2-@kdi|8Zyxa;#$EKDpop*R6EBk`n!ZFPEY5;az)3SG`PJ zGG_)GnX_J|qyebta#Zl^X)m-`smmrJhTTJCSHjPeTcDfGD(5`>($I`WI>)wDI5;qN z>i_%_j^}3r@cax`m;4`o#tP5RSm5~?H#|RM3Eun0w?`9-AZk~#E@VFjWvHxOd~v22 zRpUsNTZpURNV`U{j=m?D&lzn{>SQDOE#WyKFHCRNxW@H`csdd(_9SL)!2EHRXM8S@ zWx|hZcj3BTDRSt)^Mjf<5|*_`G`ZXFpw0nzs-B*UFgof#XZ5cE9Ksqtkoz})#A0$` zHg5x{#+(Y~8K?)7I8b1VNne-t^#vigfe7EJiEu{oKz{IoIkNg@VC{}g0 zp8HNO=wBIAf6QCEs9G@L#^O3_kjeJhIPg|yQ#79QhApWh_ob?G z5N>s7X~-%Th6KplwGO2~d8JR^hxbn49_dtbohS>{&sOD^oOi_PnnBaEY)+ste#+q- zeGm+MnRuf3&mE4Rlk-z@5CD&cEaKQqF_a-F`suS94;W52pP-@QhetNOrOy@R&}T^r zVDUReupi&E7f+kS9{m~BJJdh_itg9wz{?wkJFMg|x8!v6P4Lbrk<3m1t=qe!2G?%f zwLEm1V4j3fo=4NUbtH&F203Q^l-rM^g|?LqkynXF!Iy1=K3I+#zHh8sbcE8w^pIO6 zP$Jnv`RG|SNEUoM&a_YjTy1OvAJ3{IS~Y1_OOgs?9e+)wbua~{ZCNcowpAkE`HWN3 z7mZPD(~s&( z>3IKf*G81{hkUkAG9PfipGKI9W}y*VV>KjN@@lAgC~Uq``v-tIOFc2PuT?fArjhO;J9E)Y*TdswsOJ? zYJXP11o4M?&w(qbg!q1DRck%m{l{M%6pL2#4p_f*p3gs7WopJW<5z_i5JlbO5#Ssk1oF?LRa^YU%d z_aCHy9?$7bw`=Jr#6dnG|G6jJUaxX?qDV%gC#I^k+jG!ITwMldMmi9?J|MH5b3@^s zPJONSGJwmVgv;lX0Kxq@MmC1UfBw0EK$m@Y9fdWzF>>s4%x@=5f4*?*G*(ZHnlDJa zLw^iD;U3THzvoAvmM1wJYn2iG4OB4sNNB zy1cN(c-9@onwPn%=<8e6jhGNRn4@ay#qqCBdHa4 z(%_KDoKkzbAHlpUq5CPJ<3(kS$(GC5@bQop9}gMv@lX{X51H}t@F=E>elSuj!UMz( zgejy(h9OBV`XQTlo>)F_q5-ZJYKX`cF2f zbw2M6?x8l2xF`3O+|-8S^lnk#{A^K(9iJJag)Y=ze?Y=W;R@k>nOV-nF7WN*&7#c5 zA;{X9cJExW3tUK1Yn8)%oY`!js|oo8qK%IalI$G*s_3zBxty+3h3@d8%d`j8k+9u$ zot<=fIC}79YI>RmnjaBWDd`l3i+>oKqL4DYcv09xqU{Tn_gPOxVY+JE_nuMiulgZ= zGygk(eg?pY;@&vmA}{gN+IXhvk!I(9Wyk*`thcj+Gsxb&TfdDl*%q`d|Y4R76yRxf-aJez8$K z(G>m1UzHke-21Y%s&W#=NJR_n^Ir0@K3cXu zTxjE62+6j@(|Hr6P^4c~{O#~n@&K#9#5+c=VwVu8)-(53Htw z#;NvbIqxcT>Wh+uK}#hnx!SY-Of>_v{_zXeEoFh&p2+VdRWY>o%#_g#(|sCkPvE`f zq6%U*=)#>ERk&l6XSmrY4@(Pc%MY#eQI-SeFXtl?C?-`Vi$hZgytw5;`Z$Epot=V9 zPc?;6=dA{-@B%TYQQq5YloEr7e}W*b|qsCSCDaz6%mtmGI;mK zt;DU=fS4zJ?ze+R5NXD%Me-E$`@Io*-~tV%m-Bl2C$E(_n5C-~^|U#{mol^6UuB-? zaLFWROppVf=TyM+oLF7?e|SzoJkKeD=Q(-tJf{LW5d2c+`FuC1>?Fu%U1@_4$_h0ujs08uHwMttm)Asrx?G5hA!m0B)C*rT--ZBe6X+K!nakKD$SWNK!`pdX%;`7N=U|04P9sigBpSD)$VtASmd8O3zQN1*fZW`&1 z+)Mz)e@l|zG}0kwwcvows4=KI%Z?>q6Nk>ti9cqPy69Sx^KV@VM<`&ml)k|xi$=x{ zl(YS{L#MxIxN@2wht$bkMng_Yn^QxlQ-0FHZ(LtQn#WPVRCP34t{p?# zr@0@7nkQo1?=)AvSUCKu$tdW_i9w43nscO{#VGB!aFj=X1pN4S#kfH(8Wy+}22^ev zf^v|@^V&icNRYRyrx6W7*Mw-}3|UNJ)RnooKUE!Awv@>Za~J^y%ThykWf3e^ew}+ejWlYZt*hY z)|RMSk)oJK-xZ}nzO>UXE2Jj(=V<$N55#xI$g_hX1r7R(yU>R5P2WAyvw2RC*~HZH(9#;c3o2c7f$Dd@?UeXrD|m=3Qt1!q`rROqOgYEwxLW- zoF#C4#hG`yI>GOxg86qM$;j}dChEEp51$GbXxk4S12?+#-~2Ac$hS*UpzTW@L@*YA zX{7dnUyLoUP6e0%5s{ur`$K&Q4I*mv@ifKGM`LsL$`R;WIOGe*8UgQHqif0SX5gfj zpWe$V243__M$07@sOr_#Gs+@jFg2Q1%RVXqDGIuR&sbz&#mh~oeFAj=EG`@XxjRkg_zwC+qq3EaY4MoSKK=e}8sWV`~ z5jwyAkxMQNMk!>ClxnwJ!E@9+PsP{)7I!j}-LX1@8CP1m=T|-`!~J!1I>QbtPgNp8Gu9)6^^@*1{DMug}v?5hcP7bO(@j>qT*h+o}kcx z7C$dbX)f&iOrSq3q5h%wvYHi@TI5l{{??Hj)~YBwdc{;E6VqX6I$RzsEDnC{g;x(# zi9tYQ$2t+e2wuNM1zrx<8VnL?qha~qdsV4QfEydGYA{iP=wNw$ViJAC#P~Kn##@D8 zy_Yxbf#y9!W^iMw=hwutE8-=8JofInDO5$CV5%v$faHSjtFJMiG|%lmGA$-cg6FTO zs%TCqSs4B7q89w>C=Yr-`?T$atSV3^dc^CrDZy6I94}KII|}{Uyhog(jjV5q9#$4( z#Xm1E{&`vO&&z^;UP1ixvVxU!%ZDPmU?gnZ;F-|i0z_m3?k(YNuynFhv^@*+UoHQF zyTamwBnm=Z7kHcq9xrm_0dL)~EW#NpN3MR513t~9>wTp{sHM<4!_^;wG{5kN>mN4e?95sL5PXewskkQCwio#2(z021yE|Ys?B3)BK4!#0R z9V@p*jE}u}mYJo2{#)jBRxBSRR{!}y%Pvds{z9mKL{{o|6$WWN*kDOeo9)p6k4&+D zQySW!kj8a<9ZcYeP0i;LPA#ZN_@4St#UD|!yn6kOS^;Wao=dNzmIvuIGK%>YJ0#*b zt8@CXG-#MrgcK_aK-^>cG=?Qv_`e=cs9qMKyx(`FFlxKqaO8O>9BuaaA)30sZoCW_ zzjzzIcBFYi&l?5rfoWgJXYIdMA7&3?Pb*$7KW&C`El#^P7wVzJwYKN>b_YC5;(bor z-2!|3r|(ERH9_Bi9E-QoW0V&2WIW)PI+*<)R8RP>0^xc&ksI_nU^3nGi?JIAl41de z+Ha|Wg24}42P_|5aCD)1I9L)s-vg89XI0UPxkpg(88LXx@@Qy+QVjSh`}t$IM9@a^ z5~q_YKf!#Xz(&L5$Cxmn<(?qfJrE2ceowZF216lWhwO1(KrEz0e#d=X3x>C>XWBI4 z%TZZf`OzNbv&eYST0W7>5h`rY9s2n?6Q)|4%;y~wfs~f*Xs@3KBx|=XTTlblS60DSk7xQ;KNVT-leAx4rRw`M7_1Or`&xq#pUFnFhfU*qp0(L!pn4>!-gS%%0 zd$N}#!$gcAE4S*Sf{Xz?ATN34lp2PnRaGL0{BqFE!UWkXB+5W;eDYOCMIK6Rl@n6* z%LG#X%j*xY{7T4)ktcg(DZn-L>=h}81#qclji2UsL3G5dSEmBaKqzTAZuqDX(9l!7 zI-=@?&hs8fAwHo8MJ_gc=`0?|Jr`FUz#uNIas))eBC56={t^m@`653sThI-5KEl_vY0!Zf4-*B4a9DX9SV!w_Ji3 zP0#}qo3+FNCE!+u)A5pKNW8%H)X51|_!hw~AoW!NXecynWG<)!mtNPc^<)cF^y$~i zj}{B)F=ckv(6>U4GGPi|CoSQh^qSSSl|34|M*4=^%behT=M$c`heVZv;NOp5`gi7H zk!Es?eSC@^%tm`9KX>whCQ9q`rWex#3NBtw$kB#IAT;<}&>tpcZ^)Yy1S5t17 z%f=rS)ZNV$VAO=mBOAby>;))T?Wg(&Yp|LW!4#T~h!7gOkh#6(uh zBMl7Uuwj{gezYn0fK%Ftjyc8`Ncs}X7y|RQ%_WF)AvnKH5+fTt?M4GyKEd^IiRAFz zaByIfk{X2Q-v1Phq=t7AR-J*|M<9Uo6v!3yyH|NPk@wSu63d)aa-| zeRZner5q-7`3g_Z*p?c&zX^AGoSue`#6`!MLLL&Feh_0GosGz*<~fp>vfxbrgaiAd zRH(0bD7;CD@pH4onoHs$@T%<0BasME*rJv6b}Ybza~{~Y1xN`1)m(yD-kvCQd}Y4l zNFhY<|BHr%+6?EXhT=&1K9884KtkV#iN8^(BO(7po55dd&~S;9W-F2heSE%g*o*@Q z#Mf72>li#hy7RzTmw^xBL>Cs05z9kC&DEnCZg${YqQ2>O#|H(styHW}*hBl}N4LAf z$B`FKhnkP?8mcfEQ}Vbz3>w|yCFXQB()cu9G4A8{GBS+Ap63i0`guBnH!L!d_9t;v+0GZ~KL2YNt5OIx> zT5Vn>WBm8Q+rCM;H8t!&n zBKmD`9@V#~h?+HFc^=xLD88isKK~pldG5vqdJ`x;_-0VR(FzInGJPb8F^1jlgK?{M z7$3f_SyfixfMzqu2gD;Wj($*xrJmUX$#q0$+%{GLISsQP6*y}!DBpoc$1H*K$gAAF ze;!CB->F7*%ob+j`UcgQT|hBdmT0a%0)U^d#>x!4(uNX?v{ zieWnE2lESK2Ny1Y2!}>>%~B`QGQSpALw6Az8<~Qvoohh5%|UsZ)pQgLYa##&cf1U;xV0`MyXF0qh=5Z)N+w!zNiwn?- zD2Mp|;s8R=!$}@97For?@J{3k5C3alWKw#{bvPqDmyXve4TE8cLnhJVL^)eSO?^{nJ3EMP8UZA79v4H5c2 z3FXhtwso`eS5gqqUDEINA8gS(uKR}vI4og6hsyis#W?tVO@r$Fi!iJ%IPSRrApr>G z`3a5xgw7x4F#IY6^HF&!pImfh)dND(9+wYiV7gKc&8%)!{AkJ|_c^;-9NNFsul@D8 zAJ}Hf9gKOP3`WxTuQ{%%BBnojakutV;E(@F-NhI3Na3E;ucibQLBG_D2cz zEBuc?nkIZWo@u3Z#{_lJD`^}WRfp$ST4+?vk?`oqNb(6QhJSG4^0MR4|v0Ys?3 zc~JPe6x3){?$6mi?ZPLMVSchHxwmfNheNIkp=>lZ~*Dd{WOQ3(}9G3t~58|FX(d&t;g=1A(Zt=0*@G3W)YuTwAMSODVOHsXn zuSfs)ybz(k7oq;MI}_1=FXt?SW#HF_iN3cWsLNsR&ix63H|3;)|GYwc-%mXuSzUr@ z*!!%q_#6Ev-{_9dH#*_-jqdn-qc1++=!(xbo<)aZHOZ`1^5E?s=dVt~^^h$w z5j@rXU76yBQR4mn>)S`_;GJYfe0HoMRLaD!c^lx6Nqal9WsWqcrrluuct#yj=g3Bv zs7U~G#7K#rv?RC|JXHJnL>!)e86Wyh;sZT0T4?m*h?plF5l`_t0VGjeGJLgM7{ zgM#n8fa=gC8LA(-h_2B7t}M|2?Do@51dH^*Ivvr>{={|25G4{l>o^Sa57ci+g!h3; z0FUk4`j=?aOd@NJd>jOghxlfahT-w2Z{td}w;<)hK$mgcJv4QHcJ4Cs81M|R1WRl^ zLB|<&HJWJR&;-XC*ZLx+t2r5_Xe|(qSZ$QFJWlvP*S#;4Tg?HW$Kdrne%BZCJNy_( z_P_+l_vtdfTs44OWufBrM~$Jlm2qLu#sav-oDD|13_#f^$@Fq?2vV%qGboKNf}=Oy zjU2j`1s~16MS58mL4foLZDP@6wDfK0B?`_3nn!nBgQuI&BWC4MDHf#*;b7A@b!&OC75?98rDr>0_&qQBh+-IZ+l+u5g}_`j!hBRD2FpXEjhw zlG%_dzaT6wg^l*~Nnr9Yh^0R`)#*Um!P!r<1DIZly$UNS zt2H`*itDdpr6$aEaom%}{Oy#Q^l!D==mHh--N}jFNHpm>D&Em33w~o>qQAO1pt;|ebD4KcPbOsPw+A2R89cjX&7e-;!ur~L8Z6vhOtjeqgI|tCoeTF z5WRVTbO6Uk@b8u3i)*MEPKW6JQS{*O2v9amiFiD`g;>fTlUp=j1hxM1xQ@AIOgGOs zFWkO^;Qcg4PdrNCaX;dv4ECbCd;@mW+(S}|uc4=}O}?8r+CZe|^pk>|F)(Kg=94!Z2QOk!;l>&R#&S^4o2Je_jgxXk?p~+ zYYIX+&@W`m6eeB*weiN1k5#L{EiK6JxqbsuZH}P%ID3v@|BJlw+xqG*>R{gx%PgK) zh+gOGVEcSI%xo{zI`XxmN7gqs7IrXwxLT8ta4L7$*1F^`eNO|)Zq^N5`E3d5MdF5} zWa1c)x4W5afP-G^v8TIhvf%P+MSY0K9`UnX?XeOQN2HB+YF+LzLoAp1#lOMaaQfl4 zKIf1qs{Rq^`tTpdQz+aZKNP_R?-&+p?`fu>neWGMwy{(~{NjBoC0`d1p%PF?_*Mda zWZgU?O>sc|kYD+`S{*)qs^R-1B=P+biunEr7kqz&Jib3d8s2|M2@56H1F@=SZta5V zuv7XphV5wpvVP6>C36$gl|A)f$2At~gN}0^qqfF$&k5YG|Fa&f@$11HzaFgd>%kJg z9xU+dAqEl3NBw6!JD#V~!1Gk>c%JGco~Po$^HirGk*>vt9?PGPw}_Kod~zD{S}#w! ziHc!5UEGFEVnT3lZU1(S6d&e85Y9dmXNt&ztsgP0{P+DVWjEYbwp?OS*d?pskEvN; z(tX^ai#!X)T-XD;UYvvCyHU5tRWg8t^;2AsPzSnDsj@0tE{O5#pS<4$al>){*qX%+ zJw!d4BQCwof$3eJ)%wT63#88ZR&0|z(6=eF{;^X7p5OYKzjjm=OrF^P^pfyE45v({ zj5ig)T8==_9^Cp14s=y*c=QwW{^Kkae1{=@&!;rSmbg75o;et$xLFG9!5hqNxtv-$z4S+iHg zS`grB{^2NAvk@GSqck5q0|{?G#@vsyLgg8=a!(D<5L~bSzkXhqgZsPxR)oRi@ju65 zaV0d?#xMLD@c~J1>~%>QeqgVhw0-Se z_ZBWUb!fw>gjQ{dUIq(q@12urH1KaxV^6s)&lZeAMRW#^B` zs`0`%x6MPcS;p|(-%4BXqa9ju9R2tXbU-jTF8RO^2hi~ZFBipX1Dc`-kzZKoGX*%otle^m%~KG6|#H{>EF@*9pB*NcH7=4jHTTNQ9Sl7URU)C=tt zFu5ptkHZ=FNPO!s+8Ae%Lra? zQu5#5dZ~mWn%YI}nQA9+BxbmfbkPaq>c1QZO-tB5->u!hhy`7^enHGBFBQFE@rnBr911OumL~*^f?(LAVBa;<6U{th`N)>$4DL5GWX!*7 zfi<&`=^M6S^ojC-+NE7TG)tq=7|-VkjRvc0C4FwdrrUUE*1!uD>rNk_Eeb>x40=<{ zGCtr!VtlQ`Fb$rx*}T^94hHELsjn9r)6mYHb7Jc6tbrwjHf)d_hm-_#l)k5HL7xh} z@}G8d#9SrwR^a~?^w{Q}<<_u(2Kt?fokKXdv0}korR9M3Lxb1M{u;qB!=OO?J1Za? zSAAGLZHGvO1AbL|;2<;X*a^jH9ki|7?XXIx5A*Ewq#Y!}i0wmeBj1KDcFt*)S(DHP z6UO8dki+`h~cfaU!Ny&qX7 zzjnO79DzLB+z%OqIzrlm8>cQ}{(|nN;(lvbo%i@!*CsDf09x0Iv&oAHf~_XnQ)+b~ z@Uo}PGw!i39Di6Z^qln!#5g=SeySx97AZ0O~M`dY$mYoqW(&Gt~A z;#QYO>W`v@H2=wl+JOJd#-cOI9w;Q@TwrET5NO>0Ec#u`2hKS^An>*^fmaLj4B`9nTQRaif^i6AJB929xNF;s0Upy@I0ZqHkX@0scfGE>k&(@j=!0*YTA7@=s(At*Oycn?` zre7(V4ewmo=QA;Rpq5y1^w7p#CuR;IlfacuH=4U6CJ1t~U}c z-Bm!>d2&0ttR%qW@RA1a96wk-Gm^VKi*cdx%)h41$Wq5bpx_tRH|J&+BSax8PGoZA zJn(9f-Ry|x0M@aWP+lhiMKR%J0plDX{_44!B7b1K&b!& zItOON&&t5K?($AhZgYU1$--GpOy&wh50@(0n2qsP=YB-K_eOJS ziHV8bQRtfthx=qrHvC$M)9X*KM6FeAoD<41F!wcjn0G4=7QBuTO!6k8bm>E(c6D)h zUk^7`u7zW}7$ml-3M+X^q3@E_DeHzJup#<(yiG#{zBWBc{;R5joGl1-xmPi+J)ZAl z-kM}W+jR*PPLp*qZA1cmhM5BH^+_QjGSl!RHYxbqnR?w0+s7Iz#VhU9#G#Js(2Tvu zsvOz&k%8%lO7M5XC2Mrp0U3;Coo^9W0&!2ff}kdk1K@3kx^H!Zw0j@ZZ{XR_xhiq& zt4FvRqP*FW-IZaAzE%*IOI%Sz-dtn_dKuc_WcrMUcT*E!O0YEbzBY)7e0VpuYKo-K z_>zDEm_2z%)q$T8s&opMH-{*Y zb;7mO6&G6Ay1!AZVoL)@9P6kZq`*E!R3X?62CP{l@9EENLz z?5h7Au4`~KSA>(4J0D(I)J-pS7emCf+3A5p*FZFA?z0nb4;qOj@`<+h0qK=p_4C6L zkoI`7VfsfD67T-PeA6ue<8#w5%Q|vmxdQG3q{&X`yzAVNmNG1Nj9r8Hrj;?2ifwGV zybD4`LkU21;sRU`oflkm<3{(hWscK2n!r%qR=#Xy4kXc}65dcKLfNvB_JVmyKq&Nh zrNS{6=5$-59p=kXU8r+Oy=xBM{c!a}XK{g$BT(j+2cd0;;Pj36d&P;INT)Vht!MlI zu*VklL{AWdk=T}@AsqqUdN6$TUHGm)rqr(BTNVVn7b6?h*5pymC5u_kz<4Cy_c=i? zBM^25DDSENH9+9RSLDcO5BSc1Hy`-w61YlXc_W^uX}Kg}*E!%bU4%Rug3+^41Y)oo zEK}%ep^N!k$pU=7oZ{;&#;HXOxZ>!X%vW``}18hsV@ZqP+ZPgu#;PKZMj zove?slo}L|=p|Y4n?tZENm5^=3fkIaiQ!2xM7ch^f7p$bAyhVcak)nxjdQW@T{7oI z!vY10E&aTRkF$|hgFp;fax34L%~F8#Pop-Y$uJ(~eENb_@Hup@p?UK8@~YgM-rpVC zCMvKoQ}Lpc${OYK$K`Pon1a%$dOA<3AdubSdG+mbG5Xs3WzDG88~7r6yqfakK;et* zeB|R0c<{$i<_wh!uq-YeQ%iIN8q%|q6SXF=PfMPox$OcajJIkvv3WS9D2Yxkk3A6W z>yfxFxuL{r|0T*3_F%nB_}J)|DfAEWzotKgak_~rtk^<~(P)$4msbiG;NctFUwe5$ z=)C#$uW@_XD2t@+!RiAS$e4|nZR7HW`reL}MjjU^N95ZPBcZTFu@=fs<^`-X0&#CJ z-4-=#Q5o6&1dM6o{L?HV7oG5}OtQm%Ph1a?!1;g#Sm){dWy_Kb%l&ziv`K!b@Zsju z*)~6_%&( z_2+G8o8Y+-Ia6doGsxLdl#fZ&Lr++1+{%0vNPH3-twHx`1<3CyRLT}t zfW?D{LKV))!^Km!DZQOWNau+Vt2bvOVrMxtQhKlkk%-(mCa+xytCVs#kMU%}Z&#lu zH)zY@?Ouwr$w&!MeE3+#O{5PWB%^OTe)U0nu8~Bm-yMMAN#$6Ti7Qm_xv#%T@|1Jgiv>ua?%x1!^G9#mU24)Blbdt@MVn#>K zJlk(9r-vxx5gC12M%b07nlcJGkNT~HqgQ-S<9La*Fn`EgYOzfL?dNUmSLIPb)!Clr zu@q{kn>^x9p(hNN?e0`KwUPtA{5>f)>bgU*YM}frspzwWBl`9D4XxotZFtueCM%Gn zjOZE(ZA8VDFeA1MIRT{&EU=fZ{+tsJKSOapV!Bx3rG&Fgb{`taJKK!N3(g zw<=a8Q0OfTRc2CyG_^rA;bMvYetR$FsGtre-(Mn*e6|Ek=Zh+EPPMvxYqy#_SGIP}5Pu(_Ls zN_;$Zw)yhWg^B{2NU;nMvK^atSBwV&OBIT{s)?{87sk=F5)L<6Y@#Y&Q-XN1dbu+x z1&o~2j*z^@1a@4PbgOeuLd@r<`k}_Bz>ln;K9)opS#-VN>&S=$r+4k0N-tAT)$>!D zCpMxWEACXJb!03kKS+;_IGl_cnU-(&3`gS4!z@&i9qT*ej#d?qQx9-@BR^Z2GGMR* z(V~^3A0149YP0wFubY_fg~E$wncM_O3YL91W)ctyYr^^^vqCHfyd;FT!b%gE#i5lMF+Jw#`#krDrYo6RDyb3=9NmoHW-y~@|qG% zhH1(b(d(nVkgOWLR&fXlkkIrHF#x`aE!S3qv&jFp%g-^4Uov=6u~@a)48*DXUwo?+ zgkIf|)pIY*aQTehxO_%OTt1^eE}zjAm(S>j%V+e!yB-Nmpk6xi$Q~ZPWiK}PZGboo za+8m8+C%<(L5~daAgD?1RG}x8pgFrhKeUmv|!y%!8Y*`YZTDqyGI# zJUeKEA z87nLl2G=FzGXlQ-uKuGk%&AHi@No01em}uQMEok*iBANpL)uTCp~UXSPgPL14S z-oTqNg6~v5^n~)6q9K!WX zj#;S4QbsW)z7|pZT$or4w?ZD5cKgZLR3PsCxi|Y>9Hvj4w<5UV0@Nm= zt^~h~L4dEn<*$Vv+MNpZ_YvWOeTtvI%)2kZ?Y1pbHkmWf<5#LtM0k#KwTz<8A=6gp1xRP`u8 z?KjVBi_7|`$&y$7z(FP8>SDa(TOkLzuTM^@T{l3>eBMKkupA-g$3*3!;;b;fmr>d$ zZ-Dk#Oap|l-&5M)v&qVuq;OfoUPbznDB|U~eZz`F1>Ao|yVqhmvLm#ar#-@j5&PPZ z(7l74kX9HzY;1+)uXZr$tmTTJfLfgu!CPz~X}u~OA$a;k&*6#wl|UVpT* zZeYcP{r|xl?XJcWbqKqZnEJg(7yjjOC?S%TY!;IZLAW-C#cP-Bcu$>IQvM6aZP z?oZ9b(Wn0C(SGhgE2kZF6$ddBy$-~Xi^sm3KD7g)vi;_dckCf!jh?RG$pMaZ9e?!e zgCQKId-D=q(1R(frMcN;N7PJyj696f0%^Nad|1Dy51We{LHVu*pmVa4_REcX5{c*SR7`FEp<{1eP>=(tIV!O=I0V1GLXC&I~)&09LEDu!0|vNaXb)l91jHhmtw~1Lv14* zVzBRipy{m#nDYzy-T?emI8RNGVZonMrp>jsP8sOVCi*)i30glmoI{d1F z;O2Fi?5m~;TFD5#u6s!U6ehbSJXwXoX$Q;67!`nv*-xyHryESrNPd5u?F4~ku?aQ@ z(@;&xiPX!}j*!xsIL)-+0xmzc0(!qXf|}QrRpYT1ptrwgA~evC)Qb;g`>A$7&Z)xc z&zS$$kAj!p?@~V+7L`|jyxIZ!e#?}1?wAGOReRz%m|p8b8y7(LsTGW}zxf$5WD)A)u}p^w?|+NO^( zGC0-{LYAQh#~uf~@T%5CKO-Xzn>^*f>)zlG&!VHG!K4T(GwVl-9d*$Y%U3?b z_GeK@bHERgr2|+_Y<^*-&R*~Hk&_>`ELo7Z5YPOtslDC>)3)_1clLYT%(|uiO8)6p zzJ9l-#5@;PrysY^Ph~*BwB+{&=bPxvXi_wpQ5JL#IXYd?EJe|0llk}e?b$H1uVk@vn}AmD!p+2T@SRHL1)&MZ-txJ>!Fwvzlfby&p~#o`A3!W z+(55%UM>Z3L#9hO(ar-l2vRm@{!D!yNJ7KrW4s!GSmSRcA%8oXW1e~&64!(bEWoRJ zxDQl&b`qQK$Dl0Mg$rK6H;~Jl``XeoQb=HGoHbRJ1+J7PJY&s8fcll^E{({dJdrv2 z7ZvB=-P8pg)#G${*W)#v%Fj>aXQFSnN@uQ4h@z02?7`{pR8YPdYwJ_dAb6n1V<}l2 zhr!PxzDC6;faWhc11TL}XkuFQEwpn6>(fJZCUIV1+SNOH<7_Nq=3(TIDDwotlY3IG zo)6l&ndNzLAQ0Sr_N@c$vj5dTVMwOlA!B4QT`L|yfO!uAgQD@PCH<>!O zL#a+fG0%aw8GPE%mnSIiVWb6r$uhfYEtp_lC`Chj!v*p9-TNfr?*@k-NgFUk#-d6q z!|ABAexP;jfXtT^f8ee@?wvp!ju^yhBO8Le;GKiFdvs77%&z|S8GUpac~1{X%#L3{ z0yZ)_?tGE(h9K(ln-80Etb8MGSF$eStyjT!zJu?2eEFZXuRVAU9#Ka$gMN>rHB8aG zgxfr8i5i;yqE@lfr3uzv9Yk`YI`H+fz>!5K9UQ+)5y$UR$ML%qar`cX<9F%e_+4@^ zo!m~noyvz6U4G6oC+VYAnhp-u5_uG0t)%+JUKw)RCEi-ki-X(^Nt=>Cs(ABETt4?& zQY3jpugks`v9SuWDb;4VmoAJHetLbq-YbcY5!75MJ#GR$%XW_U3jI*scV8xhAuE)j zzh(Cw3wJv^<@aa9kRRwNbb9jWG{Kp%%jC{kI|PO%<0crl58pgTsiC~>NNrBg{Gw`{ z&T$SZZct0JGHRoIAvf`}=X4C!ot>&XVFv(oH>uAmo zL{EOdwAeI7%WcLR#!{vzNknJrREa)3wrA}#kTrlij5o;}h}n>qhrm))jski$etV+Y zUjw)$3UUY^Fr#N2hV?S#vdBlRUzIKd%Nxu{65V^@j{4RP^Q-GwBQigoTd{Y7fp}d@ zN<$(T8GChTW;WU*QQ0$NfiZE={kZd3evT7TNbKz=P7X$q>LMSVvN4|#UjuF8wi7Ig zY#;lrVh+^N9r6^$Ho$S(=}P@o69{DqxwtXLjpf|sqquj$-+P>sR*5$@!yrl+6MnK*=ErS!jYP%B!#_L1bTce1M8~P~D*0VO^ zt|h$5Ph0kq(m;bwhZdA?%EJLIw{M5?lu_nrp_60LeL2Bc+7dYqML2qG`C>=297K_e zG95T+gwEG8cs;j}f!<4UA76-Jxy?Z>yq5#?5c6w-!7_}46&JNHO5vl3_vase+51o` z%@{?7*Jn}8VEmaqgBMJvj3CE$@o?MH1w>k}Nh^-&U`QHQkJ*XHqO09@fmQ56P{%VQ zM(?4D;-iQvY%2tT-ng+)?kJ|8B$gZg<06D^&eO#glVe;}3A$z#eLvJ*cYxrVi!Hbw zF@L`=;Epzm`$e@jE#c(S;ToNcNMv`P(KhB;BFG!k(JD{pAnuSK_Pudf4iHbTTD(az zoZTkmMcY{@(B3?>qB|Mv8SUbp+eAWoNO|5v%V4x(R{3D}mI>}W14ao;SvX>=@f`mX>Zb>RkhgRmeXUE_L0%0Si8Ihrgp5uCwJfyNSM1@#IKRFS99bmvPTqI!SnY8R$6 zX!h%K?|9+>o6cbjSw-H+$+*3SY2O@qd}fsjkn@6Y+skUwGuDto6B}xf;SR_{m&020r@Ykm4ofc;CeJEzUprZ-u^^B zTbfHX_xz#6_KkFvUoi@-dah#sA|2Ad7#M#ZxD0s*Y5FC@QW5j5J0sF(((s;-uV{wf zZ+kBSYbt5RksoZ)N0UR=0f}N@u$;zQa7`G7jo&f~Ur~kzR5JX5IP_Z>qKK}8VN{#@U?(bUmmzfU41_KVw~d>MJ66k$Z@;{ zVH|IP0>@h*#_<+NaJ&T~xO#y$xAkHO?4MI;KlRob?q{>Cd=?EuI;v*%K?h?HscLP4 zW2PlgB|i%wn)QVP3jLX@Nd|B{h0!w#%e|b^Jorxa8kUdvh>SN4n{zv{EKTiIAA^+3 z0_*f!nt1Qe_}-tX%&5uA2VCGVE5S5G;exzR*gaMtw?y_797Sd#?$DWGk-~=Q;{P}b z9W3d?xF2*EW3DUbL+`?;ehP_HH1qDUZ|=p*C?V~suQX>FxDO=y=UgCJ9tO4Yy&BJXyO%&;-RM8uB25;Z5HF%=!>4WS3rHOfRQ$qe_pjgl^7C!w^M}m*dTm) zt@y6DR`y=&rZ9xz7gnpDw(MwWt3r*3!VU)O_KnFe*nx{}LwL(AS=iH)BV3LPK=|@T z7_0}Q-nffEiwe1g&1F|Kyx%!4AT9zOt}3Q)Kd6Ck<^jzLE_3jvq#i%EsfPD{j<4Ty zys*IF_i{QsY8CSR({KY-1jcbSZ>?p%+G(~9d4kfiWQDg(wD(rZclb; zLmL?vwR1^dHAHj|MO=sZ4FE|Ukem+F2E(tz6lT79XhzXscHBb?CIzydRE88GISYmI zXzyqwOVmB`+3zZ96Bp##G|dJ=iu?0S(b-_qadGtCFDxHPTVu4(E*O@jQzn>OOOevd z#QpOc#gKmC7Vl08#xu0uOi8*^f{HK9i6ox1L;rY0qBtIrJdQ_%%}@R}kBAG$BT~Zg zh`90QPd;C#sfR7ZQ~hY6h# z-tX7j!>oUGxKepolV~^+kpWb~f9AhE%Z6Ny)}M)+f#~ALKEErCIp7sI zXCkTY2$A#UG#*&~mF}wB$JtnK#4j2Nzf&V$F=_i544J?o(&w`?JEX#7XMRK{upp zEne^GZvx#Y)?kJQQ{7 zK(WTa;0mUP$^W*`Ufg*MPH-p1(*?=^P1(m%kt-EY!}RUAMPUi@xTl2JDC^*!>LEhJ zcOAk;jyIYF-ax9~P6hmK$;ah|G2rsTxN&)5Ot`!-I$T~D4=yi^7M{_{UlQc?K;JJE z=zn?=1#0VsMY>5*NIEpYG5bozuti(Ny8PWx4uZRts@nSX!` zEhc4u(B1|yx~ucFVohMmY&`!(>l*Y39@u?476xIrZj42y6rrs8S6eTqivO3M$mitQ zRFJ$FlcF+~g+AGSV|RASf`nVWyxW4;&^NBg8#%E~=<^Pxx;cX%{QZ$l)s^XodNg|& z56|fX+3`1yHy`>)ByjCqL2YaeLe^hBla=FCP5~hV>-&aj3BFWLUKd}-{ zz~yc#{^*(koGW7N-Pe*q1osHfk|~ml={}`zwcgBKb4CvLl=*ru=tJaOH}}OJ6YwN3SQMx<24YnktEq>W|L@vc z)l7MFu(y*6$g{!p6BW~6FM~2<=O1(1>QRFo@e4P0<~4w~iJ5w?SsCP>YyfYXJ6emR z7Z>=Mg!zR(YzL{w!-$9)t2${C$VN;t1h^$bcXQ~;*3o$Q5%Wp;Pe~Q}mxue`^*~S?gz-jQo8&|7@G3!m!ujO%=*O6wGO$Yu||Zzx{vt{V~Bf z{>{Wl6o+6@gNhJ&^s@1W~3q%}%bYAPA9=_*rdRqJ|HC(XmBJNb*wo+q(?0=*-w~n%{jh zP@9;}zf5O|goGpV9LC~d>;3zN=2eVuEh<@8(ddurwDRj?dTb$Up*ni-izC*Le6D^y zKo!mM_Fu|7A&=S`wBF9IIf9X#!3#~SzP9#$VtvxzA3b?cJvI1I0_ts#b5&lIg_S<0 zt~5+9k*aYt+OHjfvdf3u)|=+YIJNzrx49=gWn@u!TI2=Ulqy^fo*tm~^y9!zNG!T_ z^qIo=Q75nvJ9O4&-3)GaO#Ucv#&Un?BbP0)>pPhed9ck7dtWFr=;s=-{DdXD2dUo; zKG^XB~ZK6 zz1Z3AQ1o8ng;~`tJNV|g8Z_1-1QIHz$Zne3WP4_T6T;@dF26Wq0>NJJK=^S7ty7c~c;6p1sy$=E9#TH)nbZb6#m z&5OBkVrqyo>Pi(_G~him#c&%kQxStW%Pn-YWIEhNtqS4Glf?J>w<>_Oo+%N|U)3A= z*>)YuH2BQXg?3cn$a^6lmBU)LhUC%NF!blkj*)c<_B$6W-t=*o4VOR5ip!r>#pTbk z;__$D;qqtC{U5*HvB3QhZTFl>k3k4-B&mB>KAzKitTPjYbB zw)MuV5QO*N`_JF>KbIGb@Acz*J@~H2_xZ8BW1qn0gUx|-4-#<}N?mnS z++fB~9^!^CZc2WV2FB`>he=ti@z&Ggdw=k~eth?b6;eMQ$B$B=W4AZsNFxdXwhiaP zQZ0~T;m6C$O@i|BRZQTnNm3v*bWaVIasnICh!pnRHV_~RoPL?YN; zW?Uo;0e;O-mp}lX3N4ID4+-G>kNyJgKQ* zwr2{zG9$0l2^qq17H*E`6XCde_P^^n^F}=jRk`cXgNDk^!nSKbPp(n=E2S0%{vc-m zt$q#kU$m2@ixfamo&J_OMY4xBzAfudq;EafpDEqj~)K_(_%P)7`pxYM%7-YYbgRXIy876e zMnP3H*Y`=|_Bl!T@-#v*;=BkvU3AwkAyGqf!QtCG*#eMd7>3@cIY8;wijA?QFRIBP zeEQtX9)_sz-7P%g4A1Plzgu_*AVTqne6K&-YR|&>@VfSw5^8vV>sX>s z4j=mCp}afke;TAka{($aA6K#byC->%YS0yP3t5#%aq!Zjg@bB1 z3AW9Nn}SE+4gm_OTL0mJy-Lh><QuaEK;03oHUmG;~?E>?Uu6KI6MqnJ!$rn>fj(DG+1^DiySPo0Uh@E(&6R#<{ zwEp|~X##1mG1z^6))(WS9L%HWYGgoFcSWP#&5DCx?hqf-;zQtgT9W>W_yIgx4xu?i zHH|K2Lef}KKQyM7cRGdiLsM>Qx3AJL`m6cwOgFFq+cVTEgZU&JEp-AZoMljKO7q-A z7Co4*L~zc#oJQum=kA46G2-o4#rHgnZ$JG1j`jb2|NlSz@5T3d!1w&-qjDxvzD6D% za&?n=+?E9%*~Ne*S4Z@$v*hUv#_4#KXWo1NCIV(+8@X*4CA^RL7E0~WgrH*ZbG!Hqw_jxAiodjWWsPCY27&!gr&a6Hg3V~f*%83z}zmryF zw;s!p9GiN^{NhO<+-=}vzEbQ7eGa#8|04Fn+aEy^Ov@MjS`31Ex&mpHX_3XwX+m{1 ze(-Q*(w96d3Kh*SkLTQ%2EAo*4~MV#_s<<14mF*VF@zsNY>uZ~bm2>7t<2<;AXIo) zl3;&92e^NJo);iDfUE7dKf1B&fF;|tf|!AFV9{X|qQ$uCVecUF4{Z%3l4n)5uT_AG zaST^gKp9L~O8sPU8ASnvtHUmzLP2FLAtG2P08;)0NVJ+p!1jr$>-~8VVDgykya-1K zY>&OvG=CmBME^6iP0 z8_++V3_Fe|!;Ry~V1D!e&67EY(d;jTDQq13MHC%sDUq=|Wdj|bn z5|vP|MBX%)fgm(4ggc!m#5g)f${x5r(geM_orUEvJvi7Ud++P2KI|Sgeh-tHV6^y^(;hl8Oa}gak82i1n-wx^Mea7*n<3Uc)74l;!v&jwUH+0_|ZgIx@ z`^p}jQ7iWIgvnrG)xfF=f5$g+OUeIa57b2-MD=bGcj_0?kEZ?^tpiVRBR~Ni)?EYNr)E z)ub$8Ymj_m^n@Q637^lmva`qLM;p#0!d8Gu)pFtzE};qH^0|@1B*@DAbuD@|5gcyc z|Eap*gDls6YgoK4g02JSjBhAiL_WlXiRKwMasAT&{yyTH2luZZ``2B4E3%bA-UAHk_ zZ;3RF>S8ALHGrJUE@*26<8>BDc*t0BgHw45K}50uN;=Q~WyOIVbSA5)Phfn53A5Im z8EFZ$A}j=S9`q1H^42g(Q2{!XE;5euNI~`Y5({TbUBuhW+J9_L4jAw1@;u{{hU8O& zI_wWM(5{5x>Y-&t0Im!@zFbu_=GGA0mahO;xpwaRX)A!`wf9>uU+E*xx9^hmY{c=- z6U0|9{ZWbj{XoqSqFd6OHdDQi&JWUr)w}e9-HWv|ci!KERga)OUXpHjpC&$96?+$& zNNm^Ss|V0>XrE;&&ja)_c>0sw_inhnn^Z0It^or2(^n_bJ7MFPfVbdu2M|2Cl=efr z6==*Q4aKhCLmvlotq5*6!}0m+8E0+pz)9<$F{VR($i!$tRp@aQ-ug6rdCo6Q2Id#? zFT;KcGgAi2Kx-B+c^9$stbgnc>w|xiVM66LIjvYO+H}aUaEyopu`J(GQ|$YaO*Kg< z6>~w%tzL`Dn9keGON^rCnJjd8CiQpxL~tyo@|8WeERfkc_E(1MgY?*!IO-Z>46F#x-qFpk2(CfrBFS5ZViHcaXz|xXfH$f+V^d_N4jBAqx0J zb}DM!>;!ntEyeWvGeN|D>C1xqCoo+{P_LyxEUf#TYvL78LFYKc+f-l1fJ2E_S&~H@ z{Pi_o@8C*DN`{v|UOViF>+cET_+}h9zL_YFZzh1_n{nazW+sUA)-2CkNf$VH%_!@( zmNCjMP4q18_eRIAMWIzkPJcD?E$d-Rz7V>j!RJ>L8Q)8FSx(pC;btLRtW-Mziu zviXRJWWvM1(DA)|RQE6_g-VWU_z-|}Q^e7CMV#o)!!>Dd^4nnl;N~l~sYaB%yzM4< z!4EpQHg2<*B|s2#{w|_$hvyMm2b{N3@zy(0_2nP3J`w>fa@D6tp1Q-E1W%QMXio?= zs{V53t_yJdt~+9o9SDXsVb9pr^6}=`{>vl#@BYV>d_jTLdJPn9(Rp{+g$ruKk4>CD ztPXT18A}~0q@nafHOUs{L*L$ONvCp@fno2MXXuF_g)Ux+MJ^{suYQ@|)k$9Xw99YQ)u3nkYF9EJK5?Bl=7|b8+hW7hib!~ zEQJRc#HW+k1iGTV?E;ywDN87?akC=JbAScE@E0pCRzPP>dfn!p1GJeB${bC$0}i&t zTcJ$}=$}9Rzx$!^?T6z#zlbnOTwfWmM^Ox)QqFuf#(eHQml#rQf%!1&$}tirG(5DD z_3Vu%EDc1od``yv(E_6yXUr);hW0{SsN-pL`rW;miyJF)l0yfEUk;OlG42c7%#m?cc8*gVC5u-bPo2 z6Hr^cTfBk!$~H{AhAc+S(95pAp2OZ+K-A_rrzVf-rWPI&9OBf30F&tW1tN94&-3`+ ze|)cJj56kk97h=1E{t^iwV8xMGP{G9-Uk3nYWF9#OHOdIs-ujH)B#PKkjjUU#Nq9a z!}t0Bm(Okv=Cx{s6kps>&8zgcO5>(*&@r|>`++G?Q8{pB6Vh9`Ax+sI39rR3}|qXZ4dO$o0Pd}(mLWjzl$-t z&(%C&2O~_OZXy_`|7Tk&-AuPVF#R~pt@PX$_M4Lmsb2;lW;a?ZYi>*6trIpfca;T2 zh4nM(S^9`2Dy8A=4|(XlV|F!VT@JXPlb6a3s-nBEmsZ&A#Nf=HZ0c796*wPB_MyO+ z9V&kB{S5eHit6=lU(51R0x7m9ocRfgsF=F>M3A`>-t#!o!MUBO&ss2@wXyBmXoJYt z5A3US>cV-q08_<8O-TLT!SSQT79H#OvPoU2ig$nhU%&1&j&FGi$G4Qg@h!=5d`ns! z-|{5ri0echKNks^g|jp>5B!1i2h&jIv2b`b!!||amy9;GLVlL42gBU?QWF05Sfsf6 zYT@N2BUs*iM_A0p3C#x^MAkc5*Z*`Cn{M53xF5+Q>XAuY02*N#3r^;xl{;CoL z$#s7^=qmtrga;CAMvM_Rudes0yJqOE?hHrxv>sSY2WLy{>f^otkKdg7nLH!~^%)mc z%g)dspB2%T>snjAQX7)DNR!0C{AAf1wLjXZ-xqB}aQJx>K0eIA3Z6qSq2d|LZUk`BULVlNI$j_WQY)&<@(E7R*k~c)ZdR5kd zpvkrUYK zbrd*$9U0#B8ovDye0g8>jQs*^adALtN~yrFaUE{U_!u1jkOHNbo*iQoD@6fxC(>G( zG9dXA>70IM4&r6CSV(X3Kru4Pktd58TJJd@@Iwq+BU`iDt`Iw|eVTU55y17! zQdL+2vRjm_uhI7byP#=MV4Q zlICGqbv6X#_(+9*NkrRxmtMb(2nDAJjWl=Gn?SR`t=~Uhh{(h8EeFT6H*`ikzD8E{^)yh_>Qg0#1esGGLfAu}ouor}drFi8A% z+URy&!f)K7=;K$Vq^0<0|A8L4q4PO>XfkB+e zw=Y3zNQ}NN?cqB)IJ+k-n{`YAd_B$L&$g+dOyP9InHJU58$h<|4mmZS2U>}<5qF`-`ocpO-xpL{pzi|KH72huU?QPBGT^rr zTG$yb&^NMz7!4{zqd|MbQEWi?SKJ&7!>I$Omx2)6!`tb?o~r0{kdaRhp)IWc;Q!jL zY7TW$k6OrY=)=na@(l-i3kbM(Q$v~DA03!{{+amQ1&I2HCLiU7AWx=-jOp+=0K#tm zI!zsz;d7l_iBmzAKQfsdw1uHhi1SoJi2|zMztH0QSO6>@2=yz`3Bh}}zR&UGVo2s^ zw%*+&cF=rM`(i{+7B-u6nOTioko+mnc1i4VGAIoU z4DX&0T3^TVQI5_n0v9-N!eg39Bl4So(3V&4ky>`5@4Ll!g3J8ko=kE6q|Js zh~Cpb^M#oU4l1Qpl6^2mwDtQI#@?dPz)8lPBFP7K`rLtQI(*=mM}MZ%K^@r>xurm% zG_av4p9@qPD3st8LAiuHjJlM)j3kwX+>Nr_jc{4Wx#IM}-b))bA9`I#cu5lS6SSv) ze$qlEEvK^gNEN^;kG_UQS{lsP<6N&ZD}YMMhvpiBAT*OT<7C31gG^LKKYK-KB3h|; zZ(qj;LNRH_hq8~_Fl#PziO;|o)-O<0hA5e#2lZjedv59wD-$BfYHo(U-K>58DMuF? zqMo{NzQKIQiMPv1HFUs)yemQKssTh&9?H?%GDb)BTGdZuy6gb!PpORL`e0pOW#gk| zi$>OI+77g;z!hM9&5NC1(zq{7r|JqK>z(A-x;hppDN`X7Hf4eXnlch@GD2uq>-~g<@N@X_hq@%Q@O2M&PP8c^Je^#r@8B9;-WqNL+yU&a?`&*D&h^@^AHenJWHRI;{kZyO~SvZ*tHp z(_PZK6Zeqz_du5-&v117NO0P=UL*LOzNA=sJ`;VMWcB<;06=-zJe4KO8s;-cifDR0 z(Ww@Ds~K-wIG058+)T_Ik}MOQhM#yLqvzK`?%g%U@jOa;>mpp&&b z7<$(WE}G|@>_Fa-M)EH49j7N4JQ~OkWp#%NrQdDWE?q_O*%9B~y>>?{UZftnDndv= zk&vQm)DIq>HBh|T>WEw`t!Dy%T*X^&gRg(eAaP(@_@XO1;s3<)`~^MCe^mS4M&1D_ z>S|@X=$gRHi}6v0=az7*({y3o$r-CtW0Ui(Udko&JMf>f7lP8K2M^w7Q-``J;-V|^ z2S8KlU3%BBFcd}CzR8%mfa>nQ6*z7*EmvslV9H8pi5Qq|ov#z#TWg$PF-C z+F@2l!m;5$1`@Skk(1n^&zW`rnH}hPh<2v!oWty!Bu>|4SI6JJ+d?8cM+JRlWdr8GXF(&%gKO zzv~(P-OvAiJ$_?F=`ID$=n})-I?szSu=ROmb_&a{6iZDt{N|hmjxnD{^GFilJH6ba zzmK!wiBWOmX5uA8=OVN|KJNoMa!={5UcHRI9_%wLaJ>j$=Zwbu$9!N}Hadz~Iu=%L z5v;yQH-Nec#e4m~dR!fspQ4V-PtnBXr)c8xQ}l89DQckGm3Vgd zm>bf$U)?!jXACU2ee*7|TSFJC*rO{!ZpblD?Z(A%V|e9!IJM)48PsU6E#$MfA_f)P zE4dk2)*jXW z%ZCnCr^Yno{Xgvebx>7r)CLR#f&v24Qqm35T{qp`E#2MH-AJpHs31y7ih#gULJ?6! zR8%YsKoJEIvHkY@xc~iTe&?BazL|IC`%~wh#l6qD&)#ca>k4`3@cBmOdI6!%Qx?^0 zD;gk{Mf}zAuL{9_#f0)(2%Xmu>UaGQPiDmNWNP?_Co|%BG9!*B)8Tls5?XvTDj@h= z8|Xr=A6dC-ikN&xG)~WJfyg%|O}}0(Fj?6%r@3s2B50_#+lh1_bMrQFn8X?A+Rs4# zW99^Ucr@x@_17e%FZYLv)UqDg=bSy=+Eb2NPcI*R{(I3u>u9HzSDPI-@c zBCicI&#iVh^z+H#+NBmtVEx5ax|hQm*0@8&jSgdc&KL83k~*HS)qBVyYQPh^{yecg zSn2@_CZiVvINhLe*-*HE9s7G{1WEY(xlzj%j{(4y|t!1B)W{@qqHbkO74)3i7I5W~37hmKnmxHpY5AGwRb0UsvMCzK+P z_{RBpbeu5od6>RESuFv~IY*eRva$0-&pSQ6Uk{00O)Lmn6M>i4WDY9~s3PLZH+>UD zVo=dRd9Uz~6u9TqI&q)UM6M0hN_q!mz%F2Gx1{qh$k#{ z|AH$5qVa>RhiX-Te=#t~{f`H#(;9lSX|D{18acn40@PuCp4H{WJ7wT=qX;w`&;vD- zTKe7~ZO9yFoK- zh`osByx@YX%S(G`IZ^a@ylW7_QD1JWU_b0IR2xI<3E}>{v(Cs zKhikamKB{CK-EB04(Hrlj`tlNxkVvC46_#i5k-SU;VLH0_ z7#gZxF&CU)-wdn z3_+N%7OZ>l^bopy@3h*d0)7Y%eleG}m4|YQI*OiqW}+)UX-9Yj<3USHt=VHH4!#WWedDypXqQv-v933NGSh@ z{Ek7qT+L}%y8C*2Q@#$AbF=z;Xva}03v)%^%hNDbc;yrD)Io@#*591u1|T$F?0EeY zapIsR(8anQj0p2U7e1=nYrN2fzlM!)KU;XcS*+mt{ zgLDomfLwaFkX5`QaO?c(jhJ^q2At+!XE9&PzD~#2cQTcLG{5Im{2e)HY+IddRi*Vl7@V@9#ykq^Mygi2>PjW zc5vU#g2mG~1)Y<2U$Ice@_)Cz{u*mw^A*-(cPEIC0HJwp|JEzQtEXlOAulaa>E@Vc zPM9SyoDK9i@K_eha~D1Mg4`0(DbfEu^Gu##J&^~2dDeu!PyO$%R|vmeP5gQ_@$2Qo zuU8YlUI7rjLN)f%Q6IVO3#u)`e2g>)NRD~Ns)5?Bd|$y=6C|aT&~?KM^Od*ZUOM(l z6$r%#F2~$fW3-Zo$~snW7EEtcP8ImsDa;u2W1XDKl$8Z>?WNCmvZuCPS7O2fk%ud#b+nsDJFMa;CEGPFM!G9U7lg$UmZ7n<*Spx&yPnF3o| z)Ox93X5?BVn)ZLUcd6YMx-6>xAS_>iqrE-)l?|3Z@Q$NEirI(Y`KD#?mMBq(GCFiU zut9N^7cLyJ$-llW3f*RLoO^fWP{wVCo~->s7>?8WdAvfH;QsktFTFJ_M+%(LIh*FE zSb#o%9R6`TG93;?-)VVUn+VCT5_M8(3(?WYs5A+m)U3k(0#dN5owfh zUSAup?}!N14-)$O{l8vM==Bo1p3wdOzrFr@qB!5Rg&@@W`>uttkPWy>L_JWt=MQ#S z4a2_iR$#9Ez;4RG4kQHb8R!It5PbgseV*<(9;JulQ7$+hrGw*9hBzMO@xQFEf!7zn z>#O4R`SAL}czw2Z0q1Q|3dP4XA zzpMY>@#p_t{r~Ix&wsD~f4%?z>-x8hZ2z9a@|UvvqRskTP2k(&>*yDIJYoL{vXx8Q zhM13yRAU~dQ(Np9rjau7A^3j&PmjZc>v809Jq{nP$Kk{EII_4NhX)AV525S-e{=r- z`}z5|A3~pZet7?BiT9sAc>igJ_n%n4(Es$e0R(?v|L}HRpmtoMU&j0c-Q!Cf$BB6n zi*($!r_dox&qopGN2P>fx%Uz&u5y9zr-S2Die(VQxi|G`dV zmdQClxJdbO$(Ak5%O#b0ditZ0fUU>1PRX=1ao2A=4ieF=|M$b3}ZJT?U@> zJdmtBEDiyi54Zzu)sV!pgxhG55D>b)@YK)7UxP&;N5^#~t)Ut{QI-_t`<@Rgu717t zl|{fG(8golQ;U-8nKk}6XJft!S%u3Rf>6xdcUi1U77g5y!~)oaVYRpS3uT@F>?KiG zH%*sEX`0EyCmQ&G(DT{o$eeaNsSv&wNVF8URHL~+YO^znC15ZzG*~rP2<~j!Cxy-( zM=tLlj`nut!_$Yo7aK{V(2uLPH1jcjL4rxrk6}qmII?fJhknu=#N~E-=6;&NBb#Su zk9b(XKfS6nu2*Hp^{N86UR4s;t8(IcRW8`MI^Afg!HVbuEPCJRIzvNs7~O1r03y#% zey10H0Evgzaa?WFMP?3~J$L$CA*|^ZrGSV!#QL4uFoXg!}CLJ@cd9uJU`R{&kyy$^Fy5pzW)$9FY{sU zh#K=$g>YNNQ{75NsQc(64#f`4pD(rF+3lh-OpLfj5&w`!gA}MpTvnc7yogXdkkI?d zzw@kspJyHXJS*YnSsp*ndiZ&kg<3t3o%(EovdvCJj^`+WP;1I$kH0F&`#mtdL8k&K z>wi5e`b|&_T_@AeZ)*5F$OxYYS>p2`O?)1th0lXD@p+I2G<@+8-|y}N{Sy{Eu4=xZ zeASwY_D()3{q)=T9#;s|-haR%sNxT2Wgiyo!Tf7(to!Vp^F55p)g-xn#);wVrD8ZP zCXV@s2O7`K3c|vRFo`DL-(&f=*rsn}2@#AZ|Kl_N_x=C#OWY5}ZS z0HJ){GaXWIJ{;zUeSfc1suplS{etv$VPQU?ZtK5TAj%I}dsOO_Ryn}@r|k2)VS4D_ zJpIeqKYi8)uFv{1_D`SnW$d3mYisPEK8pqSGym_`OX%~IQ2nV|i{MgdLM*s_%JdQw zN<}U1)ET#nVu5sEF+hwwCbvTZAN(AFIkL2O}z5o9C5c+u%%CGpx50t|Bfl@d>P#Wh4 zisAe~Yn&f=7>pMz&IdG^qs+&DsHXJf;P~I;=juhwiNORTVh<$SK5qiH<=9K$N zf#CT9q34HC{rIkVJKRrYY|jdfM=6 zbmn>vY<_y)pK>4@NH~TM@UoO6NqvddqUua|pZ%B8(X<}SBA5?8;ktmN&4=xZIvU}v zYRkdiQ#FvUI>N8{_5vC{U;& z^FV$lgR)Co5#5%Iw(2}2fcF~``2JP!{Y&Bd7svOnhVNgLU_Vtt_2z`;$r5`0n`<^H zqKf~!e>e|_%GEjooBdX!(Z5$i_TJPZ?SCZqr7_bWp0Z`TY`%Fk!+ zLsHl~8QX6QxG}OmR7zxx(jPLw_BuF$egiif`ScBgdm)5wE}KUWpYmE&zCzHUesgZcLd zepB8}gb2uZ%-56*zp7p=UyqA{@=eWZj^;X4G2g52CCLRXW;O42uG1s8tP_PF{McZ3 z z_+8Xs5OF z!9-+#Z=nxHPiyQQZ=Twr2kxlhLbZiiF~6#&Ym(V!aNScX>_Hn&J%DF){Yv#9fSM*x2nmD-yl81 zxFnv*V6c4o$)g(cmDi_-FG_;J@bNUi!{}lNd|#O5sD9%MG$gI8iH4=tHE6Gg;k_XDGKe`}PUL>OiD10(l0&(f7<(Zicdl6NG>S#7u08z9 zMh@T-_fP|I8WJM&3aekO!{?Au3yIE!qTbR|K>QQ7?phx-Ep#xaH zy#1k9t{?4=A_JRbcD({k6gl>6c4?{tp4La4yZbN&`yI%;ba*GAkaG`@OuC*ythUb& zD4oax%K10U?-v6I_CK-jJZn;S#}Q~3FDcgMyMn?E<&|5@IcWOcUQ=EoKlpoqU;S{3 z8GK@nZn%Cd0Fq<6UcHzw1@BkQ9eKU_u>E>QgqF<}{TLW33(#{x))7fx!O92{rEg3$ z+nU2=+W6kto){pxVCuq+@m>9EZ!O-tn1fCQ$_EF0sz!aTw@(;d%Yufm(jQR{xp0b@ z-ZIg&8X0Oz{pla=01A%_;~RMe=w!>MgNOEAMNwi@kqY)5z{F80LRHa4FdlVMaCMt4 zz!YBd2{QOb>cH{Zpwx%wP2kMcqEXVy5L6a$OPTANKD_#}+-JF<4NNP8hqWnUK{0pO z>050Cgx{j@^bb!3mQ`}*0-*||aZ5LzY{DLhj{gZG=h1_Ie#<7f-?BFDx2%i%E$iZb z%NT$BfBcq%kj7mo zoO1vQWxhMPGrAxt;=qwekAP30lD&ll^U?dk;^DMk8}8d35_nIe0gfgTzbhKFK(#M0 z=UIv`QYR9maVp6~JT6nRRK$+Rqi>~YJS+or4*QcUGRMO07;*k%$QkllId86vX~NoQ z#dLFkHB$fP_g5rb8%R<{#tpQ3L}`$DOdU>)@;cWq*!PTo_dBumKb9y zDW(^RVxltptmOmWw1k_!zKn$gzrP!`gPBNHxI;Ip+!dx8kD1QZ8$&2-VD9Yk5Oggy zZ>dfd%hjx$W?eYt07s|=7+3t=5Ti~Ahiso23ku!ZXZZ%g(APV8H~k zJLCd~1+koEiiUEL0BeH%VF=B4s1M|{@9)C;ipehnKGxyrR{Pku>bpKL>F;lH^Nc4b zzTg}%*os6~s75K83y$FX5ybN;l<<5CVLYEg0MDmT#`7t7L4#u->sCu03~aIcUwTo6 z?CL|)X4+1pudg~j9_O!vy?3}ax8|yWb}qZRf4c!WT$7|wmy&>`kyECFM2cuc`N!{? zOmWb;I#SbQDGmt{$|l4ls)+UA%j~265}=g3A>sZk22#i#>Q*=fL9C`rIGX zQ+zfVsFwQZDF0wQES;8e^WPbWq4PwE$)`A|iY|8~R!BsX{Q0liC>RRf0*mc`^&DeDs ztkiwPT|%TFL%u4dIffq%>VFSe+$BOgPa`ZkxelUf15z0MsAFsiAy8<$Bc<7;$Dc*erc0q&826&4W+#u2=tB| zK}6MJu4WwPz-H!kqusH~ki=KEds+4ZtTNZlZt6FJyX3V}hax%fn-R87NtXsjg*G)- zV;SJjs__Y##CVol*NF}V$U*t9`ubl%vIOH}gwC`6>8-Fl%>U6_`QUo1P+V`7fa|S% zaJ?0llf6l4wxSq@Y5Qt76p6~~;hFe6mq8{K@pxqe#5%bSE z=$Sk)>j)z8R-ez+oj}VM-`sPnZ36e8+_evey^x*aFT|l~cQ|%&QwRcgNd?za4M0~^=w)xL2*G-acdFk$&9(c%Ew%oS$^Id5 z8tLcm`Q9JtCf4qFGDF)zr&sAfOJs$+Ff+ z`k3b-wn z@!%S{e5LA39I!9X@&El11=QlPGAFNCLY9ogHwh^Rv~x`=o?_JoR=CNoRARXXomno^ zH-31b)b>>KbK*9z{_6Qo+e-(aAGPe|_~3)W-$z@SXSl#Y`*NjYC9ZJsDk37o^7Fi$ zo=k0GI+>S-ee^6_QEy>DwHH&OD zu(>F0cV2jwdVmJhLZW9X>^yeCm=PR7h=c53gYhH!cT z=~aVF*~tR58Kd^kI1TU!ZeZ3k*;}34kVWbJyZQ)!1+a_AHf}?u;T|G&* zu=KdMx*fvc z?ohVFPn@w z4b%GGj$rzp8|Ci>zLr4)`>EJ?!B)g-+41EG=5t!E#Wl1%RSz+qDM=~q=aKiqOxi{N za(v$8fX}BQ@%fZDKA*z;Ruhah>JLTW^C<@qP3+Q&GxUK#^6v&GwSCb0FFaZ@T^`Uv z%8)mf;R!99tbRB3!_fSNY^z(Bongb(+{@zPINBmL`=b|A1A=N^d!Juzgw8d;-AC^m zF+RIzeo}BPh)p=!#Vpq0?~g}tzKR^qS5d+FDk?Z%MIPs?s1p3XNhm*1BFDj9HB1^< zk4BaJ=;4F)ij0-c5HYwcy(hMS*%J925*v3D5CN^}b}|QH0qk=mZ2j(~LhZ;XaS+Y$ z>Uelm1V+W*X}$fciB?WMr|jVsgct$oT$yVUsF-;-ROy@$95^PRGAdYs9*nN9>K^3* zCo@CE_fjX2vlahwzU_R3u77veZK#Hi8NaEqUn#-(n_25eRsl@6Ie3BO8kLqR#Qzk3 z%(Tsf0y@OZIVTKIeQMCI66QmH7Pu)&u=&2`>%{igw$*6Jy(hM~DFiYHFVqjSmw})p zd+bzR21s$=F!gOOLsZ(+g8N5`;GbUD2eGU$T_P3GfHHM|yRKWBP@A;QuPBA-T5faZ zi}fHN;n#nQgb;AW+K~=5TEXMa1MfQDgrY&ss#afBYuI9(rG>vv@SW;BTemnptgSb7 zk-Ms*UoSs~A7%4Km+DLMMCy&8t>T4#+97-B`1VPnLhmF(uixlWCRjgcsprNr z`7{p9CBKSYsSihTeLGQ_e$FU|bT31Be*~g3@a6xm=z;S4id=sZ#Q>Mb#@P2aO0bo9 z^qaep=0|X5BE=h@uRP`p?Y1m;$4b0 z((mbT&<@vy8fv}F)K{|Lp-l1QVTdi_uzASGdB6zYzb3Ai)Wr3YTDV?P3)f5P;d)6# z@bwbPuc#?f(G8TjDjO@ z;N<4_)z_ZDexr$+bH5ur80fxv;zI`7LpO6Hz0DKM{&=aEy>f*U>ytj0_j!YRmT8v7 z@+7Qx^98T4k7GP17x@u~Nl-t2{iQ(96x3SO<=qY)2eR&TrySb1$mb0IrL8BjFmW+r z>WPXpJSI~==>1d{78YCfypB--iIe+N8}3QNHPK*ETXI{ZV&(EW>DLADDX$9qq|gF? zG~F!zW?g`NzE^nY-P+)U5@r8ktroCZ>Hp!%dlT(9K6!!lR4dqM-Zo?@=s_CWg~r2b z=OB#aUUaN*6NJA_INU1IhnSTrm1)_Vp+-^IFZG=V$dl*Ybg*`YoI)b|_xoi*Gr&fG zT;T`^9v3gJAFxFCv)`7y2#Q98=Ft=CPdIm{DC2lW0DLc&ZL#9d1b&k8m~>Q&cuZp{ z579axBZq^F)Z>ZpEGqm2%l=I8T?-^T{yqYlNJO|-NrTbzsjoCy-|P@8`{Fesj$kB0 z>*aJY*%vLA7#fQmj)jMu5v3}1L1>#TpF{@pkxQgGVM&Skqb}>^PpJHIMx0GIUNpY3 zhUSbBY8Q4#IKusOV~fQPnwY4_KB)Slz$1t5@IUv0Y!*YBugARLIZ4*rlYhL>584U( z(sN#j|GtM^!4Q^0jS1VPmE_2^W(mO9E6vQaB!bU_hO$|nw-F#^?gduyltI`F&m9{=8GL%cua z$Ndcs;r<5vxW55E?r*?@`x_V{t+Je4`9K4Rdd(Z=J!FSSKF7^3oOcG>AHsL+-snOX zrH~!5nJvmR(14;xDu~ejWXh=TY|5k+qV~%;{XkV4ng{QH;|3eVb*E(J&^{fY3zX_1 zHkXIRE`O1azjWa2K<<4$8*`Y8IYsX2YYeAGqj|Ml{Sf^Wg>da*Lrj-^^7l*W191Q3 zBiZz`k_7X$NQ~7AmO3$gXW0V(=S~O2&ZxOSEn*3>Kt1s}$qWJ&lBCXyyP^}a-($R_ z&0xw>PG>7u9q}Kf^HvYDK-Ej6Qaq;ipjos*Gil-gVMmZpxR)qW*E*&Y7-Nlo4Xcif z%1cAZl+4R0tY52aH?@otM9A6xD#gt;QOu8Ev-^aqI;z!^6|=o6PVoL&s;8(ArKo|8 zGe-eMpb{*XHBvp$a6nX-wNl)>6oBZ>{gAF3*n8LL%$2lWMS|-S%AX-IplVu4utN;O z3E%F0mqxA2y+-jOcEIjiwy#6W4)ewP;yLE#jgG*V(Hsjqd_N3OxbZ`L(VZ4b9Y*I( z-^(H11pR;w$pi3w;&coND?L1U;>nEo3wr1*HjK>490Otb`_OnR$|cJ$2@t)==s<>z>%rp$ zQAl=dun&1g4l|=%e}l05=8}%*u|8fG;Cc`tmvABleM;y3(%WPY#y7d0j}%*iLV`Ma z9B&WKFDCnoPbk9$-=B*giIkwAS|nD*-5q&Vf4)cTqyR5B?RlbmIscI2|-kX)9;-$ z?0Hwbo>bl83L=Z2$DeHnA$3NTI&qnJ^sVe8v(lyqgm@B@Sw8Uw4~%Ehe>ntH#JzQC z)kDy!)5Jc+JkIbq>V6@;Q6Siaw!j)+EZUUirHf4VB6uD_Xg)ik{eYNDQ1QS;EA0KL zZKyNY3VnF1^Bx?{fHc7T>hEoHNdCNpD!rYNw>@>G!2tt;{rw1?zZ2@WHvEmh?d-l2 z@YiLif~ma~ogF_SElF1kqJ5-)epR0UigCW}AJ*qk+pE=w$0Dj>HPCz3_NENfrM~_7 zXg3li+iaCf4_X7~C97`{e@)?mf&|y^3==SaF_CxrlQ{%*xsawhc|iUiPpy&55y*72 z{1LH406fa0R$QU_VJh{SqIDgvNcE)rK!)uTPTqhoCwC zcezBmy5K!HvqOGX3)pL3&HYHTh5@dn?@Uj$KwRTexUh^SlsnQ&C~!J}LsasOPzqPL zT4h4%lI#SwBFq_upJjkYKFi6vYC+{;Dr+=6r=K4LKTS@g{ypGmT<+dh-hSQ8SSn8uK zx>*a^r3Bb%{va^KpMcuO6s+M!2;_1Sg{Nn_!MUaP(`L=dDAnQ=WlvKi$kl(i>myPI zhqE*wHLnC-ROQJGK1@WRGIUwF#nrIlf0uRsXEWO34SglVkPY|hCK;b`(IfQ=(yWXA zijb6Txg01-j;Q-2n$kMu;O*6vs=t`u56^PW<1jA;g8i!r+dOjlZj|3-#aNVL>Ew)(>{^e~c;CWjrc;1#Ap0_23=WXfXd0S#Y{MV+u`LH&`t=}@x zq4Yxizkl<@d1*p8-63iBo0?FXdCxS5Q5*cf#mdj@Dg(=+Zs?<9Q7CsjB1~|%7LHi5 z=EGtkvJ9E4<6Jlifs!=P8W)FT?YtIFb<`k2@1KPFYZ3Z9&HSx&VyR3CtQ>Y~C@Q#7 zL>7hPPk#j!QrqAL)Z|4Zn6 z^!?pJRFrB^(nTLfjGP5ipTp&)&fnM~1qq*)pc*M_&HfmKaZ>|*wkcCQNzJIJYDXSai&LxUBeF4hpu z_?7&_@o?nBUHkb$aUn$3loo5Wo&n8UC12M{no;`ojqZBBd{FPG_o>~&aya@~>GgRs zflp;&&3%6rGCV6n!`WVit_4bXJCo&sNT~rWdsily37*=c;hF^=5+hA$BOQdVYsKhI zdLhwczs0o0%;Clg*BU%eZ!f?sLJLu`L`*|mutV6 zP+^f0h_<+m8D}0rE|*?>Y5XDwHl>&L-iT8LmZ?1Y;0=&rfR$9j9DR-!FOJ1gucY`^*BwpjY>FB_R>a$Ilzu+epO=k0>Rxqx%cec38 z5s1ncZmOL*2KOR`RhBplz~R<$5sjo0IGgzSM!i@mEbAYA{^4Z-#D4E*|H9CXGQ2-q zzR9kE>u}}wh0aP;{*G8o*}n`dqREM06d#9;yu!B^>CPhK@NkEF6cq&jzW&`$`0@VS z81K({@cx_!@6T26{+tB}_1`A+e)VsDs)g%e?QlJ;4z7pQ!S%2cFOTFum=E3hdbHcU*U7MXMh^d^R4I$Nji6aX+pY+>a{`_v6aP{kURr zKdva~7IXUye7Oi|$7!{hC%|^&8P->oNf^F$h+;IV1UZ?!P7%;g1U8{Vett*e@b{zt z{`nL7ydYFxM(DhTv*ujqgTHYw+x{S?dc6dwpR08aQ`Dn`)_5`7?KGr#l66Qf-vb2> zc?1NImlLc{B-H=^|9ZXaN3kAS8cP@}KPFqTU-(bTIAL%4>-;t{U1T~wG&!Ao2%h(zlA0vr0T;&HV&ncp1V6vl zOj{Z61pN2>DMHtKvz^u$UD`q&npJtbk8VO~L+W(b(rpkr6vR%yJrCrESywvqZ-Mec z4_RdRJdo@x?uLuGA<2z<3Rfl-;P-{U@;(zv;CZxoHSL8uP(LZJ;hVbD`eWn`4*K$X}~*G9ke)kELIhtdE(kT1DyGZH>{?YKo_}Z;bup=l^%VzJL4i z#rLC$??(sUj{&|PEqp(^Ftn0V5G!DT0QZCMoWUPS0>PYx2WqdnA*Sb3DaD zsX4pEPnn^`k7bWs#KoYj;i%`-G9Sj*cNCv95dfFJEak@|`Czg+Hom%C0IE%;8QhQZ z!KWV=YrDqzP<3kKC6yjAbb9c3E)~5rDpO?rUZpNgFdv&xeNg8;ak7!eSk6ONe18F-lssPuKhi?khkQ1fD?B%Zeg zEp=mVwnJXPaAWZ{C#xO&)4!HmQf<fqy8ELbBnzIgg;ES~mRhNDmP|ZVG%qs;D%%JmAv9vfaCE705PYF!>3!UH#=)WfRo!d zzqlg~&B*!avUbN3j3<9$PVlrFYeKGnqoNh>)}S{^`U|Dyr9i*>D%7*F7?c_PKI~aL z2}3>PE`=l|1b@G8#Wvr{SDZ$V>(8$}6wQHc=Cp%GjQNm1UB#EGTn|3-N~vof&mxk= zYM;>RlQ7G|_x$OKGYAf9Z*SXSeI?sTev23@&`!L5_w$Yeh`7R{M_d>Xzwvb0{DtLH z(B>R?D_jgh3}ZpxcT3Uo>d)Z0%v8YISl`im+0c`zc4q!gCA#5nqI7Bc7{UCdknEg8 zK5v6isjJ4Fk#2L~izG2I_w_&(k;$&+GEVS&)2#1@MgRo$f7wJM#E9$i!qxg4g-G%2 zeY)kr0#L|`c{VrLgBY#|C$Dalf(iMeoP$jTu;)>nbck#sSTDIGz{OruodJ=*nGW15 zjYpzM7dq8Vi;-Ye`_B)&S=`pBq9sKMz3tCx;~xQ`Z_kZzWrw0~)wxX{^4(FC zHbn!gm!+0JshL5dFsOj8P$Mc8{@jPM~_(l^OD?e<3 z(&3aud#Vzw?XwMV*Vcq!9-4vDaZ@yTo01YeSA)kyqA}i&F&@U)Z9zK9|E_l?bpA!C z-v7OfNbKBgKDeEe<6u*2jM5@@k@_Y#jNUKFuJPlAwBh`Qy02<*yKMh1Gc_y0@5@ZH z%~!r;D8Sn?`%AY=r9c5Sdyrs#rr@>9)HB+0P!jWCk3EushMi2$C*h9h{`b;eT~-6A zw!t#?Voe~QV^H){j5CsHgMNl;3-od{qb5EP>tk;(wrgRyJLzefbxm1qU{#*~dW}~R z8s_gUtzXlE`FgD(>QDBNa6SIlQi=xT6LUYR4Gctt`nM2@Po7bwAl>&HGnr_Z3CqLy zcrShzncH{9py$oid*6E4qs7HXWRrtV;PzgSf~+bCs^(0Qg_Z^^S~-|#t>~eWok0Gz zqiV38EI00*r4C)vmxj!_&5+pU#jj*<6#tj&F~6<`@pMeqP_9M%uw%bWvP=6c34c7+<~Yp ze?;{8FNMC4CB*(}JucB=53MQ^U(h!nl%-OT>hi~$;C_!#J_&oJKYzQX8&D|bC8?kA zgRy44It2qebauvo(_kVL3{E%qFb>9|Z8=$sr!M|T;?CHVeyblOESd5%Jqic+ZxLDy zx!GuySLTbzf-Y32Xc&=8MuK;&*ulTZ32l*VQQf>^1v8~LNSSHm(d`1=>`-$fRAZhU zIKJix_udW%MumGJ>vs=6**}(t$7X8ItA%4Qd?Z2Ha(f&qc=^Km#d?71Jg@xlzPpIq zXM}OT_7Dh~J;^co4OJyUeo+3AE@sMpNYjp?ro91~+wKbvQM7{hYtG?M&U@XGB(=gi3DUUY^+#3lLLKY9n7z7;i=U>iv}POxRO5p_9^YiaZTP z5bwGvh#|ooaRm!>>8;8jdxkmueRPIGpU(!JJ{}xgCyeO;3CvINiNE+&SkM&i8Cczs zWUvH@h*ys%|F{Bs$(D*4!h53uq(G9b$@!;@6qs-a zl+XESp@8Fc)KW|$(A;@R!{~|=ntm-D?7HEEzLh84-X%AJ=D7>jRcG|U+PBcV|Ee_* z-Q#J|iZB48X+8cYg=$EwiT0_lY&fb{3DFuQ_Xb0O(`&rUo^ZOC(L18W9VJf@Kb~pz z{6E+CaX4uY2fc8E?>^^Gy_&@Mg=UIx?_NFvL$X$WN!OxKzks#yOlQQ2kvF?FH zo6gu%zpO<}E7P@d(q%Aj9I;4=fc=mW!=Sb_y#4xc+#l=jVmSrA9P^a}I-By7&Y#5b^#=HQeSEzZzCHk7 zuZyo&gVcb}4o9&Z62}l*2s6t^5wy#uCFaTCzIy9tfOjFp?PF!1ZmB?T!a^r5pU;NJ zA&MP`+B3k2@vq{Uf(+E1ceulOG8v>ge?MF>Nrh@gqV9t&1t^7r(+H^Ip_-<;DPbT0 zoMc{(^ZyD%x0Q<7$1pvfq7R3VMzTL3z63V5!8p`Oi?$OhT|mmbh3iZ~6Ux0x8pxPf zjT-ZccP$Ic5zXN{dMRNon4V@(KW(=HMIJTDBoDg+dPgpdhVRGn3-WiA{w8rl>+21P zr>T4p$hAQqp~MNFH`Z-CqIjW=yxRHU02eTyR0>ja6$PKBeB#7hDU>57`Tm2KAeha! zupFQkfjf?Um5ZuM=!2{ba0DHKmMgW-*uxRJ-*e19MO+ZdBACagh%x^`DZbFp_6ktd z{JXE4S{vPQwyE>e6T|y?QQVKw3io3a#QhkBaX&^K+>enPF0m_1k9e8Ff)o`IWtJrh zBA*ZH_BVp4Jr2aYu12s@mnA%Q(ix>GO+~Q9X%UPc{*{cbrRK1Lcf9(?pL>QQ7S4=2 zc{i|}P7RIOp-KykKhwL{BU&Eg)6?wxaKwaQeixzdQ-9vk#a@=7ht~8Hf{A%FApars z&MhA~)G5e!FR+6ef~mwPJ1FS@R@F&zBdH1IH%9rj>Brcz!zp1#{fURnkY+CV)B39h zk~v`UhRcZ=BtFcpy{lq{42MFs@ogp`G_N_wp@^kdhaHZv%xy=1VFs=^wg_4!4K&~O z_F<|BGcYLk%d-`+!lCSY*K-w^3I05dS)ps8R}fU*1U=al<%1uSLyt{A8KT!8^qnXI zctOU5nC z&99?6;tsy^^CJ*0InY7uHVi_aKk_MFn?}7HFC=9S4-)LRNvNOaARBSjW?l=Js`90N zS;$--#~RVYM5Xx6p-iZZd6Pi*x*Q!oDHCydBn#tf62|A`jX8f<;&cpBRQWpd z+13oWI_lH4YV4qU52M4APz&Ib%Q9I#Y6gP#{0jruO$o05h5uKe;?)E+^y&Ih_ZlnA z-;~#%eccHZNT`UjmaHMsdhL2)mlbr$CY$WjwF23t@Q(%iJYe3zPx~up0Ma?Lv2d)I z6<#OtMiW=LBPzWsuSOr~W4UuSVjq2+Ag;jv-M%MQ7+-=yodlaRRqsp8e|3-t?syiX zcd18EWk=+m@IQ{QkT983rtOLJJ`w+IB^`ikOX@Sd4*g*9t-hcu{~ppi+V<$}1I1#aJ|23)t zQBe9_@wIJ6D!nfi?p>-y+pgLYMdU5`^GE@I9?{~@BL@6=M1wz%=<(;#0fPHULiTpwsrs5thEe1%JuA4&Tmw2q%)b-XyRklVH86U)2CaJ8WSZ+7gZ_%6nkBPJsHa@2 z-DXx5(yH`>$Ajb3T;lPY;e;6Z+FACb@jv|Oqe9w$-EUZmO61eH>c$KFG zU{o!G`FXE0taIvZdfXO+11@fy>ZO8ME|ARA+Bs{qGSlhkz^(%iE!+OlHO21ga@O%ypt-WZK&H%dacn=)YJ&7pA> zo)XaRi`n47d_EFiHiU30kimMWpmQa&JzC#MWr>_s14C=k(!0Yc=X91y?G4O+5^^p0%Sx_*kzS<+x zhrZ@qh<_nm4^5Bvb=@XA1FHwljEc`UqZ@A+uFGKl0~E_VqZK_Sz-#yQb)2a^`t~$s z>EyIAoLrJ9&m=X2!v7C@Zy8lp)V}>HsDKKBARyh{-IMO_l$4Zi5R{gb77%F=1d)~y zZUG4s6h%ov1PQSf3px8d?(_M${$o66yyLv@_j{}{_gr(Wz2-fy>-sfBd}f=lL#a%P z^aG#OFz>HFyG`r;&^AFuucbf4*94+y6Dn2>4u9x;rIgq@;R%BxLw*KdB2i!7`w~aX zB+TbQSoKJ~cL|j>pdSijM{Q0$evBs8skzotZi7gE8re=2?lWof?90u|chD;iJH8Hu z`%qqGX4c3g3PGZ7in(&4=pfCLz2<5`IBR}a!I(}MekxNxGsE#sj&j ztoV9Hd_6P1o*!R-0`u?1n*a89{Qo{4LB>O!sjkux`{ndv0G|L#uKMU9`cNEtGNq+M zh{Qqd-nrbn{2GYoHRI)}Z6OdVILmFGb^$G}7L+XvJEIEyt1G8@Q*k+jZ3i+#J&~dR zrHv`_AoNCeVEn0a9+-G;iV^B~p^%X~!}$;cI%-@II|bS3cB-|(r{XYVTllItH_a0~ z;>`#hDbpZFt0eAm>S=T>IHu_vk3DLAM-PRwJeIFJB?Y-i->2B+6v!x* zz8bi+GL+9n}SLn=QUjk34-k4MAjv;`2V4w8vQe0AZPZS5LHGQn5tEDl7yE6 zrMkIQw!affK9IrIMS2BsDJ_bY|0+jZZ!Pr8vvn}*C;#e)4euMT@;O7>T1zz$xFjpSj(c*k z=5>>AJw0iYYz1HMz6&LDF@iH1eTyzfBhlra>vN84W)Nw;fO>HH*sT@0w!CUnh)?m7 zkHO_WBp4l z#PIo4IIhEg@~K2&>BRYssUwxpE21Ry`br_(71-Wi!Ce77SL>Acy&6zu-BxpBO*y1) zJ4vswT|>tum?sLZs(^9m0JWZ>EX*`og^RvXhHG9XKcm=GK<$Te5`(uQ%qD~%bhv}_ zfyYa&N8t891Oz5Cg!dVMu4F=Ed#M#Hwfq@#UJk@Cic+?O!IR5q|xZ4ecUw&=@;YZGj`M1cy z(ODg?bAhK(WWvU;>SrcE?vQd+YQO^hIRdhgRi>EF>le4zhVywC0ovY)h6>X{VfI{V z^h;&*#(&12=r;|lI}7zcSEtA6g$vc3scG=%*K+v0U!1=BKY71O_`F{keBQ4XKJQl& zv)=44|I`&kiwTz;x*WkTG=L`fOfqV%ly5DKa09A@&cWbbM{q6Cw2ezR4d11jHp8kj zP*P_`s`dRiWVqImf3?j9PFh}w8pGu{?c0ju4O2b?eVuLW(m&&2E>!x)+D}gC&~~W) za)%ufTR3P%aXxib@rwdQC)lBCub4ZkgaZgSA9$?&;K01!$C@W|P|53hPdGL zH(oa7@J95Rw+{O-I{bpvnL6w;7a1KV%FuUaE|O9I~KrI9RrS zCPp)}DqZ#YVygXIluCEsKs&hfqtR~g@*PZeG z7D{-=S{_!-Ob!gxQ7%U3q)^%>YeC1)V{p0fF3+mqanQLNd?Rk040FBO1y}E1)#518 ziKsDl0inu(mQAyDMF=yVKA7T;d+)oZT~7{IL;X*dYR;Lf!60Q#a^z?Mf~TA1SqFll zkwjhpsaFgXhCaWNp&bp2&2D%97=!?|8coloM}DaEjGcUW(rIMQm=`8Zg41vAdPtKv zn}YiCCkxR`WB56@ru6W(Hg3I1n#A%TKM3lPUFnMF2KEOpp!%8&l%9*M3VO&5rM}JwU%%=_bk^i^&IZ}A z*SS4w#CQoVZ%?0h(Y^#e_UhSdY&kIK+?MB=ScEzM7HeMa?32mSuILy@zumMUtP>7m zm%cf;2}VIBFH14VGE9opoT^ z&n#3|Gl=9beWLXFPy@6Luej6masG(*(}Rk-)zEwQd~<#Y3&atvyg9AU2rnrHZ#L!d zBMSYSbB{+#r*7-Qrdc)e))cOMBH50c*)iRil$kP+T!x4#KdJb z4-{HJQZ$$EiM}rbDT^vsE?XlMb%DlAHQxi>Cgs=U9Q1(O-j2R@)n161wrr!E%nQ!F zPK|jK;Ew_uu6?F3a)%oA0n+k5bKL%}+Tiz`DRPsDz0jg<0{zb%JeFH^P=NQJCaQTW zq}HvxWF(}6xxb`DX8$zA%K+4mKi9oCsR2t#FC99!te`L&Nl@pyA=#~nOpD(d(DEgc zvct?A8Rg5|<8n)bzLJ-zC0=DnV8F{lh4c~#SL|O(dyxij-*BdLx0fJAvy%hlT-k8w zNb9qjJz@Av!Tdf?Oc@2Zs()ag=7)r;_6J;n{BT!eWhR(~1G$R?O|%(vz=`W1r@5>Q zBs!AP_wJ~mM-wkR?~CES*gTI-1^32j5PXv}b?HxZX(JXLGkMH`OKJIcZ5 z9VOuNjuP;BN7?wiqj1bT4y^xQfB78}cz%Zfp5K8>H~0^~Ljuq55Ww?0ED){j(yPl9 z#^{UXnNiz&*62m=?fwJ4dO*_Qv!JD{5Aw@*_7n2p-mjK1@yjII@XCgMn0@{XvMV>! zZ*>Vmm)|fmd?|DRG<)qTlbI{LsBnILjm!nE5acA1?>J$8e*fktGvo7BW_+8*^*LwBv;z9?pqhNRTJNaG@Lh}T!pB7LTXSWoF) z`S3&>6zyEtGum;vo~M6ikk)7epGIL{h)Fndo~i6UK4<~lbmVrp5G0VinG?mxWCp9^ zo3E=wDpBs+X%@?RPuPE6X5``L0{B>QHNa~#8);4{iH{qkz;*3Y`|qvi0Cf#Vc(j}` zFrGAy)ijhu6RIxq!$+LJtLRPe{d!w4vQn5EeJBYa&gk%1H5d()?q2>?oe#^q0#`FW zU4S2H=1$>71!ySdY#+Z}KDt??)6RUjuY&izP9<;#U9khE z)($p6H~rpL^13D@$aW=mR)@k>m-mCIq0w;YwF$!$;q!3lohpU9Zz6E`QO71iHhMgI zD0lX1Hszpgs_cW_j2wPldn(et)S7<|ue6)fd@yAr;AU5JeiT zC84Als#T(+Z75ULu~yi-2a$)|X?!VMg6LEvxEGoL+gsA-hVBL_g~Y)EryV$4{RyWASg#<_ahPX!jr7uI+vllCIqhD$8#X!&LuXs zzzit;zAc$6Rf3N8J2dWNsDKq*7Vh1ILMZdD(Gqp9gpK!q2x59Fz);%qqe@gUkSz_U z6B67(V^7mRj+mB0m-g9bzHRP^Pn+w}WM~XhUCeYhCOHENZBsj|IL=UFS*e1q@I_?! zS!bYX#13ASJGLx}nWOt_Rkv+ksiIHMiF6dnP0*i4n)UZi8pwR;gD9P*HE4LL>V#`L zLd0}Ij@N)2dMdcc{a)Vy!m5m=oj5GO>9N)LX09i?z&Se5j@zI9v+i-#Ze82;NE5JDRA$ z%gdb)ygiEHZ$Hxt-_O*?_cP7#{Y*1_Kl3!cpJ@nK`w3Xj-?8fbu=ZoI_J{x03*&hr zYqV9#qdGw8VVQMD#1>vW z%&B}aV};QD?H)yAEBGF?7F5w<2}CCfpG@L(zcI8^PX~I8F^>o9__5aif3tqD-rxV# z>angjtj~)Pem$$=*Rw8uJ?r4tGtRH}A6}0-oUYW8dr;sEw8LjZ7KH84k4gcq^QTTh z8wZi)lP(7!AYD1SIqHw>DQiMLT($gPZoOe$pMUHBeLny9T+jbLKUn7<>wIFZcfV!b zl^N;^fiI^I^i;Z_169T;vdd0TmfU#o#hepFb{9%HT?;_{hDCQD5Ze6zWIg}4-*5lD z^?>zx#Jb-8+x1x2r;Z)Y7wD!Av5qXG5mwRINJU{E-^$F)qcLN9R2cgKA zcu(&P3ux0j?NnFKh0EbG4%xee<3X@KTWAY22fY@OmE>SGWSetTXLsBQ66W97_tz$( zD#61(UQLd0Md|9AZAUZ+ZpBqoJkoTX%BWzC6x5Q2%cd!-AcMx}*w4s|_~}wSD`> zr2#|A!FBn3lJJs})tm{JXGzun>hYqPHPQ$+ABlAk1NHklS<)Y*AeEuw+6@U_VAIZ! zRGndkrYtuHi+O2uo5f%*w~H05hIm-qZZkny9o+yc5iQzvB;V+Dpv9l>AHe5t@8Wsr z2k`mZ2k`mZ`|0E0?jwAI7(SjZ_D zX-htNa&5*B&K@(XN=kDd|wt9LcR>s@h5!T;!8ZSZk$gm7V7?3ox}$Ue%^W$4k^&UGKdq$U zdC*EQpYQufC=|gLa&ZrbEEfb1>>AEU$N}kej7Y{Vf~NQMqYg(DKf%Ir&vGRy z0+)B;n~_mSt$Yb$8e@sH39W!`jdI!XwF5NWx#c!@ItfVhn=QY5NQK@*24l*B-tao1 zvg|Z>DRLv)FqrMv0@?vqjUW~^L||+tKpAR_3?4lcAFK+8<{ou2zGvQuYSf)`blw;( z<#y1mpUuIYTYJorO5=EjW=5f(R^!kS8i!jHw`*|g2*#g~8$ zBeE)zy^nED@s1yiu|EBzg3Dp4%AkHlWfu$)rL;B73TKgr2iLN$E;ao5&^~u$mkQ`I z2-ww?MA1=0*Fb^biB_Rl%8 znFAk_&Vxb6*hI+XG}v=IHrKPQ3;MUxdf$+0gPDz`PCnQo-z&{O)*o3S0z*fC z_5?kU^tN0t#OaRY%iFKyf6_oM-ReRE79tS6(8m|sF9kmPOwQ})m9Xrk>) zFEz83Wg#$+N*}Kl-!Mw0;Dd7OeC*{bmrltGO37D(p|zkp{k3o;&oiH5R9J(#pN~~< zjFoTxmlv;%=f#`gdGYFaUc4rr7jKB?#j9b~V~csUbFFEghf@Bt`=|(_VdpEWzg5OL z(300t4j_q#w6bCJS|9hF(quy4f;)fU@@$;@oG%9U%^d8*8^W+?|88`Rzy$TA`h_0v z5rk9HQYIH}9f9V^JF~5ULf}M+ljq;}04;5Su)O&QbdKJX)N{uZ2+y+)=KXXB!kiZ& z4fT6>|IqhvKy%Lg$aT4s z$h)w-=SUGdu(vdSrxO+f^n1g?-dhyH9do-nEJVRLUSsa9fGBKvFB?Y4;Cw#b6Tc5V zu|Qb!_ZWWH-?=xbg2wjphue8Xptmf9m1I^8U5F!kXEiATBvpGYYi&6G!zV_DAvZDL zyj5Z7NbrB>#BMOKo(Mz(_J`Yu^1_hYNtIjW7s4QSvB3K+PA@(CaAuQ3SO)Gk61fFr z2D;j*cAk)`PQ3V-D+*mGexs@( zbq2CO`*(c0gRl-aku=_s@#s{j=nN zHE*ZD{>kIUufC9E>A!W3%MZtQdCn~R-V5IHibx)k_JP@mVB1up2z0n@boM zU;M_nAE=T@`vWpu5l`aMt;`ZZkgTZ8r#@~BICt^joG3kdHGPAbR@WG?=AU5I$6~#{ zPv=1K?rtLVIR{URlBK}9FHiLM(0W9bMkCmNEfuuGFSJdOra<8@!;ammWY|vXJQ+LU z3k+tglSk+ zL~DlBv0y+#{wWz_IDdKJRPYKzIGjq`eW-65436PJ+8^#(p?2QUFRhgw$VkA9HO9Xe zf|*?u3~_nf1PP*XO4QZp@POp@XoME5U;pD7v~(FJs}pWtyB34f=XeP8$p*sR)~vaR zfILLy*t9ZyITeO{%?<}rAjo1a z*d8%_=5N6Oqv`CEt5yA#3FU3`)A>`&lEANCMFz**14r(p((vj}`zg z3Z>92E?!*JF>isefi|L!{`{GnfEy-f`4`7s`v!z7&QrUc<;I*(-rk-c?xLoL1S1TX zrM^fYv6`yLHb^~-S9=hcY1ir%MX?&>9&=~U%MKb-1IWZz3K-n!GS@o$HtTq(`rWguA z#ndV`Rj>ys7-~pnH>87|e4^!$S_K&2kA9qxpNRQ;2J83O|E&Js{c#1ct(2<~T%Uyd>(NF?=(>_ggin ze3DpP=&3@o6Fo0n*b)#S|He%9LKcJ)mCKJjy@r^2OoG1=76Iwlk2LzwV#rqQRIxtU zi9VQqEVsq&`|ef$zFNan2(m|c*<_hK(458GHJ$TfU>e(}ye%b&azC6+93-a%00*s`?c}MWj4&$$GU%C>~)^DFjWK{0!EE$Zb|4R;F5o&qJ?;t!ieptq@aIG zrs!g{91tD$?<&sJL75I|=d2b2!S^d4!9ayOP-(aQQWEiliw%#g2g|~s^tN?W1Lqm| zNaAEkW0Z&f@;6QJyiPSduTu}t>kPp2I(6{8P7Tcdl)w2H|IWk0`g^h7FRb&A_51lR zkJ}T^<2J|hxE=63ZcjXq+Z@m1wuWT6v4?*5UD0Mjy28y%UO--#882ZTiykCzcPG8J zK+Ff}atIS#pun>2-ebjZP|%Iw{T-eL2|lN#(!bZDKl=`?&-0`MS8uq7wOKxN|rc z@0YReua&l6_oRrLfHza_Bi@xjs8pJf9K4Z_dWS21YHFn*i)%-e-ychXi=Kyc`t-73 z@nl!;`c+*d$G1d~I;#uM2qFI3ZUB0J|FEAqF86afAtF?e#}FRxcsrMCTft@0S1yy6 za9qmfxz|r$I6*$e@0_UqSd>+g&Bo^E1lOI!O|Nr1LzG2Qkk^VUs0cnDzmyXM-HJRL zO}QfQwk7s)9+wByPc}<*&^nWkPRYMC~D9NP>yr}Mpe)(}5-Cnnc zRiAT3Zn4%-?Rccv_?|CnkSx2?G-eGCvT{4-Z3DBnJkDsi{?3Dj5Co(p^7#YbRA8F2*4quKf=$zxWhHss|CE%1 zckL26Vr}hJXVvrp%hj`2B)xGt*nH>~m7#9vejI&%Xh$GaMewSAy^w@h zM>*~>G)n`YnIqw>ohT$MKJ3q>N8F zqlDLrF43Vkw2}}PLjOm!P!Lwn_*Jw^%461hS1)gOW{Y*<@~B+NPDkB@L)|YqIwbqi z(Ko+#c%QT&8o}eT^)%gJOOU(%_yD4a6*?J-76o z9vb$wukiJ7aWPU{hzpMS#sAib{-)F=}==?^%dJ;9(W zN0d^L9q;GM3M4TQRybI6)zS$6zWsL|^k5-NV&2&l$bCq99>s;hvx$^kaLGpQZuTY~ z%6{OMYjJ1|m!CPO&YmvKc>$%~q~YbVN<*p>O*Y1AXTeY9DjNIXg}w~k$m*Uuf?S_} zeeSRl2Oqb|9&2q0BbAw%(A79wm}(%q)s+|rt1&;Gk{YKVL)Kwew#887P}O2JNs;L!avGSp8W*leI=zA%=U?I@K2NS?s|)kr{XLzMPa(=Ftus_Z znt=7ZEOhMh#fCmRAh{~?xApJ&50$N~Os^AE;cW+%?&Abyc(AhdqMz6X4VDYKWb7$G-<7Y#8w?WY?NP88-0r$CVhDHT^t^TeKFvloZtRgjYOqLUnerjbewmyz?pxA0 z9<6dVF|V|vDhiIeDW4jK^A(cXYt>yAf%mq5LNahXVc9$L`I$6A@Jb zCl2y2JEtWcszC37ZbH(23F!aHO8df18ZwJxeEm2TF<-xWf014CPYckB{;f7@tO9(B zdrD_;J#~8N&Gk^`WXLr&0gOJ3;L_H_OrOK`kIY6Qg&``Pk$*4oz{nuu1u-X zP^cILOyvl6xQIY}?_rCi3I&9fM}{@e6RUnBhGE`sU%nGsU}SU!-1F7^`U6j~yAjA3 z3+j%`8bYsxVWXCsKHRY*yz2nEnDt9o-_Ka{y=5mD(pquz{+7~Eet}*92xZ@gST9Q> zq#RiyR>cD;h9|#{_#mXvpZFoakqm7M^bIG|H%GQ|UA;!hK+3HZ^Inxe4O1x{!>mhwWM zL={;V9Z>e#<_6E`vK>?N10QCuC>f9I^wK4l5=`i99Gi zCN>*8;RFY`3b>}!ZGlDXmm#6q8T9IWVZP7@Pk0Ec;eW_fE5GuInGtZ_7dBLv7Hgc5!-CA19){=*A!b}n$Q8AEp zrsRlE!f`q|Z-?(NNk9t`#mC2w#DIc?mW!9r7Rd*Pq*(A8gB{!5I4@osM9g68ew0xk zoQL|;n|D>Aee%$WhxZ)N`*#j{YlUiXx5-l_JlPm#OLl+P&f|RL@urtf449+#fm=l> z`}E*m`q|iLs)ym)!2SfdXp4D&jnxlZcZK-jB-2?$^PtT4SZflBsV3%f+Y5&@#erp| z?g*gL$fzV(34@wOLDO2|P#7~lc5CD$4U{`s@h`^F!t#poxC)gLGIKY&J5ovsj=qPT zHLugbk_w$Z^Q{wLZ?ZG>mc2ZmZvS$P$_cr!`VnN z5ahqMZgx8nJ-nSjo){Dce`uU9QfNfNSYz{N7Rh9!{(aT|@O(Jv_r&=~{_q5>d5>84 zn?o1QyUi|K2cr7ryAIslsL;{Xb&0AQ3hQ@B37Aq))Wu_zFB5Q_ItTWSik}6T^Uzq7 z4qm0R%}4j$O`3^LMF7kG2T$`oJf1$6W0D;sOMWGJIt?n*U}1R}T3b$Yc9 z=$hFKA+M`BBu?=L`K_43_mWDBPZIv<%A@U|!cqrl{k2Cnh|}?AJ>F&Mc^L_HKqqe$z|zh=7f<#A`D+w0MPXuu}%^Jhyq1jkLu*82$BkQ{esGhw=Vy3cSCY0`KoW ziuZR*A*}r38&9@g>MYoz7g=QjgB7MI{)Cdp49>UjwecZ2+|(OJs&45*Y!E71DBvnO zhk@2xb zj^2K^Y6MIWk@bs>UoW*_)p1?6{HX@C#qX1}q&9`cmeQ+raT1vGcChjw$|ef0a^;1B z>1MO|KKlURE2yz%{t=HD4J~Ilbb}#8tkq6!Hvq&1E`PX0cOEmZM=Hm^(rQB$6w@pd zDy7^JYx|j3>dxx8ym+bO^-mO`%O`25>mvf9bG0+he2UPa6)-Zi8Gy2RGn9U@n1YIi zaW}t(9b^xXlj+{H1&+Js)<>mIqrsj2`*qgNP#S)tCyOE(r*~$WZN zy!|o0`(YRyU%8$GGQnWa)Xl*B{v1l3D`)yLC;+N8>=9qaRl#Bky%0I64NN|LH4XDR zkafyHsOy9}ymqs&=DO*Q3f^?sslW3}jb>JDM;ctGnJq zq6V+&g&6O5YC&xo;d2UxL{P~;eQzYq0>y)QchvJlAbwYDCbBODj@%T+9c$~Lic-Oj zTgKS)@vJJdd7Ji};pilR{^JEZh#}9S?%(eXA(>xtEn|Ywi`4@=WO;6I?44cBG>#vD zHE-dF{`AML?huHNAZ%Iv?G0K^CW5aY1;V#ody3OP;*jX~EkS2GU$}AVXz5HwAkt{_ zQ#}4U3>an{t@(oj;fHJX(!Tm|XeHAkJ$E7$ZeAZ68QH>d_z3tfe0p^mMboiUFJI{him1Vldawy{q05!sTgXW~Zt+ zFk8SW%E{-+7Xwg6Sjc_$d)81EaOC$IV(DJ$*26$AB9~4~s^xkFvu#v4%ynRb7;6v~N)H zI~({43)DL}al^4lDbKkmHq83E)e8evDMs?}-QoHEk$EN1+Ubc9wN(Qejj^h%zG7HZHHX6ak*$kf$um}5&Z_%6 z`XvUi8Wbi`6k&q7TV?v)`?%39*`K?`@eH7L`&MzaF#|*d$m;FK?GI1VEG0&IFu|{v z1XTU!fKX51OB6J7t?`W~@Lb<1kN0M?n^An5?R4$12r%>9qHkb>*h0iSzjpgDMh=GeyraLoKj?ztZXK;QJ4h;@wsO$uIAd>*|YR#*h? z|3C*IH|oP{dv_+x=MfjwrMp&syMt5hEiS$XE)cXP)+N`JhMtAzo_VR{0Xk)soS6q* z;fxFO3$+YSz?u(MxNzRpcZ?X>M(?<>is+)MhgLyF_A2o5G~IR5LKz^R;}dL|=SD3> zM#~*?$& zljHhoGK!w~UHn8g5k8uEQia&0!x}S3jd-O4oV-;L{Cy!0pJz*s&$AWB=h+^|=h+^{ z=h+^`=h>3r^{68FdNX{z7`~nlUoU{K=Y>GwAh+`+(QtV1X_aqrP|yZ4%Zbm(3p;~)T75*;GM;}JLyY{YzMy#%4snn26y$AyOYX5`1#|m zACU)|rm^67!^H-&>1CcbGThLH;C}zx$<|1+VSfI*XAn$J+RBcebH@9#gz)|>VZ1-f z6z|XC!~3&@@%}6UFy%-{JpEn<^3{GjobnZcl|#Wsnlz3`AUs~rZ@(gpxOXb><%omU zmowF8V`SlPzLq9FUrQICuceO9*HXvlYgyp)wd67H$FcTT|MoN4fYf^K_;LmdoC?ph z9@@`_Xhp+5J99JQ@|a1&+>gqjP?kgcq~9=O?nnLgD`}(1lQ|UWceTN9oF%CHwk{$e zvx-dO)P+AiX(dh`#^`#jbgh$?7EIZ(8nb|@K&^(6aWAI?|HT-7zEQ<-*};j&B zQ(S&<-3ziP{XPrGw(IJpI%)mShH4tpk?Vb^BwLFl%;Ku+xo#E^4d|LVg< zxO0^P`1eT=S+!JKWO3%Y&&Yh5_ z!kp)T_4i`EUs&@Ku2kE{qzI8$w9euD`a_I)w zfBk-89Y5Cffc5=`b^ZLeua9+oVjVx$>tkJ?Sl_o;*TY}F?Z5K`7xo<_i_c|(-tl)| zUMumTNQuxs|D!B$;a$;XvJM8Yzg}lT-Y9^~8f(9YaMJ?p=~G4M!`=kBnBgVpb-b}YwVDSdELp;WKdMmD&sT&)rFoE^DBaTW-3|CM z-rP7*or?ByA8q{z!|81&m44q-O@PT((RpgRH1s-$CzER=9)A4^A9jCs5u*1KC-B^_ zL2YDURWVWsUZS6Qb~tjtH13b}pm`ZuEZPkGR-FT1_Uxn-oV|cfSgVyvg8)6Pn9xzs z_XKm-mv(4Kcj%V8m1g(SFq88cyF z^5-~SFgG0Uyj&99A9Ea}38Uo^214`!}t3NAm(2P*a2 zC*|f9=q^EtTjJaQr~moydN8+2j?Ry>YB1a!FfuEr0y75{Xg{0vt9IcV_O7U3PrY;zr(gZ7WEYtJ+ZZG!v$x;w zxFe|xiy|2e*!j6w{l&x4jD1;Rn(#Wnq;HhU92xj9q)X$@Gv7|u({}z;2a?z6Wjy!H zk-3)HnBrk|I5jpNc0sTL$jZ|aWRjv$WB#z&glI7=SQ&?_uU$rp{$rPBx13SYo7+np znQ3_a&%gH*vZMP;h>|Se$Bkx_kLtc?Z+C@`Rn88b&C7I7-ER(v>7X7TyE&w^kOP&j zImn%h{B>j98cLbJ64CZpz;iVv|LWP9p2J0zkKabwIt7ktfF=CWSt;rSFS;E_;RTx-AxQ+Fv|@7Sp# zUonBjZ_gNE*{b7nRvR;TTKCEQk;U=EVhOx{R0Sf*m*f-W5n<@oNKwnVZg;3u+kOyL z<^gT#2aUHW+`&8NP?g9nH!wIj^yXKKB!o?oscLGfAaN%in{h^Nu>YK{eO+4&>dA?$ zS-sTIZMheRMPG`7<`>PNDlHGl45V#zCQF3}6W=dw9lV6}IS*+l%Os&9b_z|>XfLqP ztGAL6N{8gULp-M%{NaAm9aAwHA9yps?A8zykIt$mt#54GL-&Ox5W8>=b$ZG1#?+pL zLtl?Gj?wwR`}mrgV()V(`z3Aa#sU*8C5siie~dsNxbV1-@f7lVLq%N46c0S~-vaKo zUWSJG8}y6EF9P%WlU;j}T=<;({ubj@E?Pl7Y(gZNz@;Hsr=5Kj6}oRR#g99puPdr+ zJNq=j)cdz`EVT`^h-uWHThT+q&mZi)jNFe7lv>;m($T^9pZ~pIt)Oe#^!k(_@Q(;i zM&Fc0Ts^piv1BnsFh15@mtd#@&I>H91>Zdi&v^Ls{X~C{=ixeAXtm*%c+&id{wH zw$LYit3H|^r!&xRmne_ZM2{W@b|g%yBigkSod-CXAY0MH;>LXzD2d+UkQQM9%7;uB z_*FFI!9{9IQS@}PEtgs9uFuG7+E*1!3XXNU8glS7|5j2BM@aKju`uf~Zl{Gco*`eb}o2*l6Zr+A#= zhJ4GceZ`J)NWE*rKvb^-+#hD|Tzd}SWJ@>p-f<8v7MDhUCcKY|Ptnl#$@f6{`wwsH zT1SwMjH{LHaTnyj<5z3rV2#Ta`fjOt-yF5{oNIZbY74wiZdJS!aYo&pp%82A0$A%S zJDIeuFPXrLONaN#EU3YY`3B0txFDpr(;sbFt^qQWj&&EdO`&nCm3aQ5AtdcytiKoQe1@B}Ugvyc4xBk^V>~9VsLl6?ruu|AD0{mk z9T75vL-EV6S~@+E>cC-iyucQ)&JWi4|NA`Z;-5!p{PQS}e;$?a&!aT{dDQ){zi!to48AUmZXHX88G6$IrhSe*UfT^REk7>#@#1*7bw+ z{fTuwW7T8uUvmE?JsyNi><%_XbvglaVogY3yB(a#K6A-OI}j=La~XBvQd@;0AAR`} z=8Tyqi1q&$>+i+NBf~oXSnL0e-wEyHpQ_>smxhxcs7pMwRNylKc~divuWC3fNz#)q z4O{BQ#~cqzgTX$P0QG=6#QJ=n&J~{?Gz96yA@_Sh;RSo${i;L=tQsF5R=$Y1Cg^hy zIF^AnKjr#!t082P__I@{@CLZkKYMk2;S!Y2CE6XGX+fP%;+|~{?XXLHEIVzY5dQMW zlpt>Yz~q#!H2h!eo%L6hUDxjs5JUt7LAtx7I~HBi-QC^Yor;iERW;$4*5z=)VL?t)yr+?H7NO|&unM~31TJ1`mB zN!%QgLhnMJ)sY!t`t`?K6O9cx;pfnuV9#_3G%Q>CjNgPE7?g!sWJdFld^@i~T%s*z zPqZGbFo^NJs0&LYj1GoIgFtF7zEIfF$P&8V?+&GJpMQvcY=~AvuSFj!4oBfzSAU-E zJBuDJ%ywF%9Jq7*-II;37}T6IXe{NL2Zcqod^@_B^YoABo?IgA$jZQxLbb*Pi0qoL zTp~OLt?dg%0ykw*u!&{K=ZoPe)A~XV{S9>>$X`%w3RQ(ElBamnix%hw^U-kDOdT}C z%HAfkE&@+z7cvyQHG$FU&_nN$P@v>b_+r-T4KW(0cpr#lpqR?|ZH|s4I5?bhbM{Lv zQsk6oW=cqax$gmG{L7|jZ|RH1Cu&i6Uwh@_g=j;V*Be+1y=aEQQiI8!Qpo|a=lQB% z*Hs~;fiIFVSoh#PizDLb3`XaLkdgzR4Tf4$w zDA2TsWtSYW1S->2m+i;NIP(C%O|jLC{a{2yQbNaduChar+1L!7o&Y+rxb14I$pK$~ zMq4C`aw4)MI$z^FHk|d7-ucfD{c5!X>-vGwZ4CEBcs;sx>$xMWjv1JC9rgiXj@ES# zVq@qwG_ZbKiaY-VS3fme`;T&xJ|u_irGOYqDaGo+8PuwYpAt}<2CqJy*=M<)44f$J z&&T{iwDadPsp(n*{H_0!W9$D6*!ur*Z2kWjw*JqAt^XhW-}wLBkNj_b{@w@SJ|DI% zuS^`yYetS`GE67Qx{!Y96*33y21sP8iXQ$`506Og2iq%a;I{mE*95W)&{wVGr)}+k z9vIWEG$Au2BRM|E>Fa_D2Eyz6Z(70NqAf{{jx)HuPV}&^w*}i7Cg0PaQjrFIMWsMS z8e-TAef)JO0!${STAdq1pjyRHaaku6;tK@=iFSkFQ7K`bqj?JY^cataow)#JDbHJ; z=gonpvV(VLgi27mhA4xfbRx3$G_Ahgm<70gubIt8!(?|wQOiw>r^oiWG4;8N4{dLf zA&dF<(`QqKVU}g9=i{m*>SGF@r!M4yodTP|TibakB5+UX;A;t}KU?k49o3~Mb5gTeJih~q%0RO&Bm*|5}OQVDZW!`

xrUcNKs zQiQ&d9i)R&_+lYzXnrs2eqMBuYO?ij!m3vOid7&DEtDEY&! zj%#E_aNDayZjI6fW%xd){B9Tz-vh^31t-&C>BD7*Ye!9xFo%Y{8pdCvy5Xo^tDz5? z4%y1u;&BFs2X%*<3-qC_`bqjLjNgXA-T9I9AqVuV^g%(@-7KIB(tma8yftdVZ*#Nk ziAGBoiWTy9eZaehQ;}LW1|A9TnU;kWAYAo$ej~MX>ks8njMhf>h>|oAIncZz$S^@R zm&a?W+@#>$yOp|hV;R^!;`sX@O$Kn)AL7~{@%Q~oz`kE$*!L?1`+h}X->+os`xT4j zvHx@4^56T=e;$uM4maIMtVCKxPxU*aXDgqQ;(X&d-o+G@4Zejw+SD3zELD%8|Mord+O^mW}{J6 zSK);@zigP@ladsDmJD`%I*~hm*O2OG!q2mxGofzE?ZOBCR5)s15UuE40Q|3xmnH7W z!uw}#x#E^)s9ZH1kM@rWq?cY{OT4ZQmH{;ag}-!=^vdXmRu@^A(bd}zpS6JH+Ow-D zA_9>w9x@v2GzGzmt3fB@mu4F#Y$C-bQD^Kii{6FVO<_LK;9hGx~ ztU1$@fBbx4>0nbNlhp_4Xm68WC=7z`mkLkOEcJgAk+p05+QP0|IPPxIM4F)_f!Bm)JMV}@Q1;V?4 zv}Fd)8uZE}VtBYb3FKxutI1+~z)vuc>eqbYf63b%8D2C zfQZ1Yju3e7^iD_rmMB~h))YQ>Jr?;bic#YA_(3*X7TzakPqdtr9jVgg3~)NEw38mQ z?+}n^bLNmn*X5nu^XDbdt7x6J2x3g%gnEfvfWI8b4&VG4|3My=P>D*@T8jZ$a%X05 z@M(~qq9BZH1^Y|7F*W(ZwZ@5P$h^VS(J$@dG_E!(tJa^AWZC!U6^Uucv zaOv9{KTHJ?YQ4LYxdrH=rQ{3okmE>&F+TU#UN)3V$A9qBS4YOJt&A4AQlOGH$nr5j z4Uy-{L>H-w17pNck)D(UxSV;U`u&L*&^!&PRxPncrg~@BZpoTM5dP=oxlm{Hc0@Sn z*da6EmwkDeik};Gr)<)5VD3e5J?|WUptnGt6N}E09wU;v7ywb>D!FV{F=)m?--DmQ z2MANfa z;tXM}r(=Sb!wgM(SiFr7lKgg9 z;Y*-58VYSb9dXDESz2XYH#wP%{0!foZk}?1l@q7G@P|af=J0oBKVEBaj-MJVr&ERN zda47Wp}`>7Gn#9^s|7UbhiDllML>4cvwpxs5B<_KA?iBMhysp~C%omk%F_ zkdn`5U*<{;@SS9c*2oS)9?f*5Y_DU$Wr*I(b_K)Jy=NQ$N!41Zn$hpElV`f+Xks9PZt8w7NUue)miSkY>;S;t7sM zW_xKb-E@O-UY}Q1!~~LUnPD(j0Pj>G6F^XtRz$2Cs_VHZ$i+klcg!ht6f9WaVP?N4 z`3^n&+wqa?$8(SMdZ8ALfwcLjBp(cgbl(f!qGnX2&@XVB0u$N6|eB z%E|pK$mVs>P<9NBH18>N?DQd$6VGH((Xe!>4Tfv-PJpFOjD!mgZ;=o`u~&!JhtD2A zH4p%HTW>6Op9O>WhwDi@#d)Z;D|W9|HxPol7q4#!7^3!9%})iEyy2BB^W)d`iHHKf z@u+)_E>wADp7^F5g6Q~p3FoGw(EZ%Ji^bh~i0n4sz4nzHkXy6#xk8WzvA-Q}iSdWQ zxFt1SrWM8yX5CP8MAj4WPddJty>uEvh~uhm8k8cu&~USlNtpV((Z`fSGw$$oA&0oU z${x=3x1Ocn2t!$*>GH$L3+{i-+jk@hMoUv&HuX=nke9xrQkiQpsJ-^d(X}%NjRoln zdeUU{B8M_ldN3V0?Yj(lcg~?*=XIC7*RH@=R{5g)n-+)&5%o5;_y7&5OTGM70Gi0Z zx77AU2S#mwZ)^Btbh@McB3r~#z^HlE-1LDR>i?4yT}>qo_!n3WSYyP1isry+#T(NH z@qS*a<(N3mdJ4)M?#hChl=!#k^Q7D^9OGW)OVciaekyJ z;MH#th|HRSD^vZu^Hj2sdiEKO%z-gFqtM*&9^;FY5^*|!l52k5}9qB9>|E8tDfx`MG#8W-< z`*oHT449=_TVd){_N0?lwG39E#{bj@87QEvdt(&W&zQi)`x?vPo1sWUbd=JsBm`xX zeCJcs&jOpb1}ld+bKwg4JhN9;Bxsc$3^N=F0A1m^FC+`+(f`c;=b!IqaNXbjzxn(B z?fv0DA3tr%Wr^||=DyrL`nK8`j1GXHNmS7q8P| z*Ykh=yl@@gQTXOB^N$8FnepS3o0=97&U~jSX`n}R+9?vX{AS4F1fN_kvo72d-z^XM zX^1Wjm^Y0nokyZC>~5dgPK6rJwvvs6RJhnb6LPHV9I_Q&b-Wjn4&={KHs-#G;{%Dzpny#{3{N5y1xUnu#@1le(5k&jX* z5%K`7Q>>hQCK#^$VSM>HjPH!Fr5fd7ULQC$FzOtdtR%kMJxL2fVXZ}ale{)S+>_%KIcN^(7$Hw$U2pBQG@M}e1;SKF6<3YiyFtxOo- zgYvY7kGdW+NRDHUU*?=S>_`h!e+x`Q@vBqqjG+j9V3QN}3=V?J{vF4*kNE&OU+CsB zGHc-ZvHbPTY#FlKExys$(}wyrzD_N7S3^kINV7_9B^=zT75KmYKL*!RO-HNCA>dK8 z+6!`BAQ!W>2;jRc_xH4Nr8#(6Vwk!WG_# zNwDQ-CZOAmgiA6}ZXhO}m-{o_1;Y23@^Wt3qB$m?ATe5J7&_u2D$vUY+cJvtrD?jT zFZyxE83GRYKz<_rn>8!=&o3v9hKNG!LEVeYrtyu=25RpHM)&{4}@*;9oc zP`2(9uBH@^q}r|0cjm!N07{|6S5k|!2d{Cu2e)Xvkkv1)+PsbJ;V!9l;l2G$tUu}YFiY>JhWm!w z!|G9T_jLom4lA_B5-nEIp~|PO+MPEvz?MrbC5yxYs6^=Ui62@3qvwxv+srmF{9S76 z?rTSQQq}Zz|3)klX^?239g6_cVF7&(Tl>$)6`8^B|?9d2a`!U!vVVxrShJI)r&gY%K>!&?-eYVD~&q>(z*$TTp+hNydE1dV+f6wp#T z>kk~%cU%~@l0Ymk^`hprXr!x?$M2pK4GiY{AK%`L$CzQzQTDDEqH)m#X_v-Ooby>0 z7Uf^|%L0acTGMAL#o!mG$nRbo9l$SHp}RC^3OZVLLnG}W$crJmalXzBs>_w%%ajTN ztIe9%n;>pD=@(nIu&Ia0hjYcGb};vyN3yj3F!2I`Q-LMx1P^>ln^Jhssso$NazFDU zH6ZMo5YZx+FFHvosjUm>rd z;*iowcQ`{v!qr~t0<(rE6BpRs5P!)vsu#PC@CMI!UZ@}jDXS95KHYN0^1$h_Ja9TJ z4;*26;M7 zA?;PmLwQ3xc%Y(fLn&AQxlbc_AGc>h6a7UKS>AS3*+jM=V0RvzylSlIWem}|g_+ms z&kG@xd!B)d^cVyM==B?%ItpE~hR)8hqKF}VnlwU<2)=V%@;r3qIB4fYGpCRe!(?OZ zvV~^}xGt?uKW8ojPR`PR>ZVR~N#UFr!O<9GXc=vO)~Os^nng}}MHd3Dd{;&;*$E<} zEa+nWX>g)A83sjvNU};?LVh#x{F(_Fpj$y=l9iqctfBrZf~1L1vB@-7J8cKfa{Y}{ z_nF|Z2(4LgR~RznYBwb(wuczD1+`=+0U&Vxx!b;F4}bM4VpzS3CRVQ^fz_)>VD&2M zSiOoEOcFPzKMG+&gT(fIJY3;0VR%4+;?t2;(xQg=TW|DEKl=?!K_rCqvFbkw3jn8J zUiH$0ZkUnzEWSa~3C&B7L$sG?ktg}no=WHjb4O+N&7BT7QLyaG*W3dp#3DCqQ!xI@ zX+JzCs!xN5aI)%;OQC3I$H4yNt{%+Kj(605FocxM?1^Bd=$L+;q|3E(MvO=JTr9x$DZbu~)j zLAh(}rQLf6!b*-Ls+$04D&Os2Oy@%eEeYB~kMMvexoRk3@+g=||1dRWIt2fAyk?H>oy6~gaD-QP zY@x>tnMCviEX)cKjc`McNy{0o>E5OA+IP zI~|23 zB;6Pw+>8rHOAeLGh`}754t^uRd&`f?w06AB?ioX!kKOF-abakBY~nG`!VjPJthB1O zbdUwPy4o5GFX%XUb?4ljRp#cQ{k$xHCvTNF}m@}a?+hR6`H;)x{++AgQu*SM|4sl zdXzQ4vBRDY4_!1A6{OO@`DtumMqDwPzWrF)g(MT`QjAaN-_8c{cJTsrk#eL*u%~XL zoBglP2V8kF`Qg^`r@xdT=HCn99m^5$rIm5M^9BQ5V>`jpbx_>GGU;6 z_Vc|cI{2McB2O*}$KsXntc|3Rg2t@Tt70)&T2a4|{X+^?r9Zkf-H}AN_9G0K``=Oa z|2&*uL7U|>ri+T*&azo-DL`J3p0U-j(;zqcs_oW+4Jr?yO4;Ss2dBq}s5q)s;N!gf zYIBVwnjf2a#Y?7%nr~2C^p2KBuKYpL@2;po{IttT{WBFfKUHFLVH{H*sMA_DGnE5B z)~9u*U#)=dK;qyuX1xuixmHaxZ3agwCSTl)H$l1-JvZ?wJb+^)-$(sr4(d`(T&|k+ zfVTE8TCM$V(C%&5uVat754fRz+F8>bd)_>bJ#Wfk&zn@(^CkuMyvc?=Z&KiV|5EK2 zbfntI1dOfnmriY-2D4|J(W9m&AQk!4-CfQcKHQP2*VrVE3#6NZx z$|+;|w1ndaShP`qyI9!n33(V8CLvgr6+rQctWD+FGH6|ZJmp!L1YDl{qWVO~47I+l zjILf_fU>EQ2rlK*aQ0+SA~mTYeDW8}<*-$U(+(NF&EL!r)6{2CYT{%hNwIj-0^|Ri zsrFviKP3-M_YE)OmxjR-=aZO@@d#-2^D?7S^Tp3u%bOk2p7 z2rOpo#FQW7AU@do0vm@DNGWjL`p}VrW=mDreHE3_qaTEw*VXY6=PL()@ii56f0HEM zgHQsLCNKZ#p^}7>Fh!S=2uX0~A0W$!dIsGY>Mm+5pV969l83D)rUCE$1Hndv=Rh5( zz}Gu4hh$xkpNS`3g;xUUeO~Vz;HmScPwkwZsFSmHKj@q-JbD|ic!vSQrxMzfqTX^t z5>#S(>E}%0ufL=i)?bnn>n|yY^_Mip`b+X-{Uy0^?k~W#-x=5V>E`Mp9(ifVX}-k0 z9&3tLVpI#qE=fUAU`J=>8wps;?=Gh}wW!QWct^M_RSc^q`S*BDxbhZo)kD4zF}=Ti zRuTR@6C2sTs)Q_0-_%Mal>;~Kdyx`*a?n=kY4ylP8|{l;r^tFPhUHmtgRXhq`1&J$ zWK~u7c#ED3#&0pPpSZ&b9SnpyOllJ7eNUj!W;X-Qyb)aguYlKwkTSwBu(O`Ie*Z`) zYRc??=Dr&U&Q|7J~e&QyIIpQ6WYPBaHEh zz*+C~Tfd|(&jVgiZd*S#b%Xvh!x}AwndrT~g~st=SBU@otK}P~JE&?Yj1VZf!)S;D z(F|Q78XE8A{TUsH&W3$o%*6BotaxmW?%a?=$BqTo<+TI=!3oyAzL5$bq2BaaXmSCC zw#~hsH*QGo406_%vW6J@&egDD3wXWL6fUP8h%&_!G;dzC1P69gyH1LH)XhLGnA

    2&9@0YOPP3r>MQ?xfzV8l2cAro%^1Kx5@ou}X94RzdhsFO4ZxY8(oew! zqwAke7nPU|MbRfjuH!SCf+3xfzD{H$d}_XQncqDMv1n3xPzdIrsY}866+2lV@G@}K z1jC``bB<3sw331_O?aD{N(G=w$XAxbnT(9-BJjHRh0vRZy40JFI*3bU)A3TO7X&x# zPrA>B!;9Z>hl#mdG2da~-bZ`I@U8Q(g4UfIz#}o+GWnnkGAKr}^zyr4!T8LpceLlx zaB<%pH~IuS|wbmG%Y8+A?(QBEA3MmnbxV*OL>O5evMg9Q@V!x$tn{Nr3^ADuSye zG~f7)(YYD^p-~+>7+VSV>$cH_Bc~ z7NB!GtZeUvJ4DpC7X^OyK}`d5%OpcZOj{Gh$3*D=(D>R>2gCI>9<3%7N&}tu@iCd94XBLw-DGokKB5RdYp)X- z4rW%?O&&2xs3iZ=YpS6zlxsqD`GwaRu*~I6mv@N3xjyjXm?P&wCncnv8-A&NTLCOp z5AL7%p@K^3KkZR~I7C^jg>$K^q5H3&F-kub1*YH4WA~q^qI(A=x4Za6Ven!&JIO0` zl$}ES$?AzHkklV^tXvm^f-PpIQFn2;L?M0rXn{6d86tiij?r6q^+;R1d900i6}4`s z{8Yr$S<5c7QL2OC+C~tbh6ZvyPAE=sQU@w$&S?3iTA`JAM$g1CW9UqX*Y$ge=>uVF zFwOBY{4QM2k3r++ z4m{`k!2W{Dp%+RMh~m6Y+8;ZNAMobQy0;a*V3!qdd#$JkjHpYf=vHnZ@-M2vQj}e2 zGs2EdhPnj$wckYVo$Q0(*>!l|*t=lqiRZA;*H)AjBt(|&RfqP()}FXGSs|Nf)sv>d zJm`#!;ZN~;HTaWj)TFCm3z2RSI?jEj=-eNTt+*{Q7-sRgYw<@FWhMwW9IG{e&$rfy zQ`BKcT^{ zSL;~*$=Bh({FBY$e|vlq3c-}0&KBtl z9H8H9P0kg>mShA|%NOL(VJHR%$rDhKP3KwJO9N%`-&=Ppsc^1m z;`%*`dYyTmq(vE3pS8a<`i>h4Y~(UMhjW3Jf4ksiGe4`^W<%6qVPKEL)svunB z|Ly1dZ;y{_JsH>h<2rwEozJ-X1L7KwtN*nFD{u7A18pE;i|~rdutDc;TUyDunZcjl zBB3pOP53hUW#%ltHfY_y*;31b@eRcBeZh4;jPZIY4{dXyyX7ZXnhMFF=R3L3%T{XG zUO%O%KEVt@bH6{UQ1Kzj5BXjir>Gzf#%t=mn}BR0TH~t9b!Zym3Aa3k@jK|SWYxCH zM;U8>W)!bv0MqqvobNvkV0;ilZg*YOM2zWoT~r?>j7;GE!Kn9b)g2||+6g_O%7nMJd0Ni;mr=b{|JsIe zHS#N^C#MYWLc9TW+(lPALGPMT5$%Z%ly@W{PIs*Xp1RL|&A8SI!LKDp-p+SGu;J2c z6X!ZK`~Js+6Y?D(qshHut=@)G8k?ja{;EReM_vof5H&&4u{Wj}YO2typ2+%0NFJI# z)!KU486x2h&QaodWnk?y6q-Jz0GTK581P`~ySVZYoL0tNYFs@)I@g|bqcR;WeAp5t z7LJBjZAA}Xy2}9G=%14hbKQ~g$tec&saR;baQ*W1FE7Zrv7H>SrL9lt| ziIA{p0ECyjwMEhRqieLbN58bEpcX@uY{ev7_!|FNcj{dx@Wxae3d%o+zUzrSv=GQd zcq?4I_M@SoH%OU6NRWlIexP2Kmv=f_9ZpS<30M{%M%^5f$A?oj(c8n1gHA6X*z2cO zCLS?Bk6Z~3UY4uErf-zY{gzPB6dqNctO$ZMD+)5Yf(YP}5$O%k&O;Xl-VkFnT@XX` z%!7L*3!Wf3lg+G+5mRm0 zs=iYE_(UW`3p}JHj130|>b001Q%Cgsqo8rUvllp2yz4CX3IiF!>(W#DXVAc^K|Ie5 zMWAV5U-21`f?=^jBGvB-5K@_Mo;ITd*U7#~hqcOJxcEP^1EihN8)Jv7OCsi|Jej^e zt;ZTh$Y?cl6152iPU1I=h0;6YU#=dX1&WFzEsm#7re5Ahvu-@DrhoHMKvPrEpR zF{g-af-?gBxz6P_CuyXA7}JG$$rYS51>k(1Rq+@N^tg`cPcdnI6Qmmg_MaWs5~c!Seu$oR z$uSC)UUrbVg@iyq3spXE>^W?`g%JMg&GxZ+GeY>QHzS0Zw=nG0bzp zW<8M<-x4cqR*jLjFmi$OjZ66njS?v9m2+<3J$9%(PV86{EQ}mQZk@Ht!}v?y=QB-6 z76WSOD~j}b;=q+w;qE_XiIl$H#bfrCgmb^Es($-Qz`YR25ItlB@nI_yIn@lP$jioz z($W~IWJ~YgiZ~7FW9?mc&F#^-3;UE|jz*x9JxngBoPma3*qE-7#vw+#a})7S3Fvs? zJ!+GhOwj&$qOR(v3n*)6zPo-p9s1($oJoHsfqqDko>in!gBV*;k+@Aw5Pr^pzj0Ru zt;zSbAO;QCD&HLG_cTQdgD%f3OqD7~j`yM~0U!(U9VBNsZ!36g*u~AI(0Vj0hKRmR0ekfuu<;zawiZREQmU zEzFXE2uZSkzh=(_Gh)k0+AJ4ck7U0Ob>z3zLY*OJ{6+H?RPDGb@J_u3 z@B<#FRfRV|S+zC?D!z>HCeGAMsTConEMC>x5177>i?ya%>B*4mh(Gk$D-boFSQ#^n zD}$i4TZj21GhpVlkt4<3IyA#gnhLfm;3aL!N3|;lrg>A(#&=y&+$V0A2i3};|LxF^ z84t|&V}0mUBo@&vZa4UF1OdOHW}icrH^dX* z8=B^2B4gqAADOT9LTP~he#iS}G~s5W#ck6K!DEi!8c7Dh``jMgJ&gW|Th}^P8Aj2q z32%GGFJ9oHhyQ|O)(N`Cx{0r$Kww-vLPN&r1zBxL^B?bFxKtFmxi4nU;Ov(gXIuO5 zau7z(MD~r&*oYVCCgk}VvLxW;t#i-Xs4)6=$E)h}=E6YuX%PQG_bI?N9C=S-v+2N9oY@yY)iak6fg*U2ORTqsI z)KI;7g!->QXVhYBaPrLSXfPN0t+~jZh^TvW?Z#w+kwQ&Zb;*_ma_!eRHEf{*aq~9> z5{Io7W*N+bfD^wh=b{4DOZ(_dppw zK}SX86p~}nIxBRk3GQy`9V=sOz?rwuwiM$|QDF=}57*!Fx~B(5S9X^^MjHYCpi=+( z7h~8XG=B$EdSLePMVqX12*Q^`UQCiIEAC zTlCMsGZBTGsl?^ux6KeKXN4jcqYGk|S2=c#P78&-bz*Vs@`PhO{$2XSF7REK!E@F= z2>R;ph*WBYA$r&Po0;~la3yT}{LIN#u(W9x7W&>R@ z$){T6yD*{hBFqz=Y^1-qP3VLMJ3SLeLR{c_r)12?B@fW44bOWm>4D0m>F-x#{E^EJ zYyY?!5)J{*0a`0G;V61gf>rg21yW8gpP{)I1RMkGr|)EjgJ94vg^){r=)v>2=IRAZ ze>(m&&(KZ^a9Nw&_STC>9W~aZH#sX2Sy;!P^QP6X+%B<4OXPv!KIh`E3Yf#CxPYkn zKo@j0&oGln*9x?#jvG)0m;&L!1Afh27c|4WNLNH_3}<6X{g&JWAdcsPVrGRjimTWw zoBe$X-pjrGBf!cBMcHnwS8H|* z@0Z~6_XgXOT5#6dKBn`$Dw@{}r@f@7jnNI0Q)H)v!2KorqU-p+NK@)uLI|@EG^hEV zd@>RU)-RJyX&7TM`j)TP3m)o#eN|81@uV!cv~eo*xkEJ2IhMMsZzsbduf&y~qM6X} zA?OezPdQS*_=C-+q8JfvGwUdB7{kjSPfXr%7{UEXYY9s(5g-tJ`MSc@1Rg1QuJ&?@ zL5cm`Mni1?nwvV?r_1gPx9n$I;};`Qs~bJ9;#Dyewn|pxp%DQR1E=jIuVeI%hNgSB z{k$R1I^xxj2wkvg(LO@8W{sL(=D$&Yqz(9P$vs84wBaO`Yt$EC8x&&8XG)9d>((nh z&iV}R49uvRUGQA*L!ODofhsRLp+I$#Ke8o=3v5q28e|menr#c^< zTIQ{OR2&a|qng`pWO1Nlu`a@q83URUukUo~CV?gO(gmW{Gw99Jo0>~v|J?uX;iUDO zui@vRm^fE|MKKDPZol?4{h5XszbD+To-c*9gF>=hqeAp4@TMF2P6fiXA7sB;a*&=v z2d*AzYdAZt0~FmeHgi+DFxTN;Se>Q;^9_#IhNAtEs42U+yOI`24dp4W_=bblJ@bn2 z-##G7xX<{ky9naX<`UdXNJkWpwkDdUQqad~@vEh$A`q_rq_q}Q<`IXK&>F?w`;HV^ zQ2A)4>;7wNcx57hwtkrr4ke$8@lK-y{IIqA(O;RceyO4`aX5U`DPI(hM!!`kk`{v} z>!N1%wE27Y881emgu@IaW z6ip$tXF^4apO5#)s32VThyQjwuJx-dTgvh!;y$?AZe&k)^#%~QuMNEkyo7*({Z?|x z6mldDBk)xp0vD>~l0x26;HmXLbN#dd_+8v)nfzh|)dNYzGhZE0+A(2kg16R)r15G2 zQ>Y2Z3?AFP#i;kM$3OdVR>oJq7uL$wY7OuQ!NWUC(wb%%O-qU0vZuI@xMieXJ{r3T zai3Q_0uQ%9MUwB#MsXB;YO1*486OMsS}~7jA~2knaWd1LpW!INuRO)=S`b7Z?v7Rs z$VW9loT|S*H-Td-zjfdKlmz=fSGh~BC8OMz9V3zTu5kP2&9{4OPEg9LH~i*}8_s+) zT>WC+bd#5P$JL{Er{X)PI152nUdZ*pGZ%PPU$XcQH9*Q&Pp@;`Ey%s=Zb<565sa>G zhUex+ehz&?h&%-sTz!2;?vvn4Xn{!dI34R39}EP4@Zl_cj8+*5JsUy@ijK zo4@l2(lMjz9B}^T&4*lP-rcla!`Otr6AwGLtCjosKi%@`!m+Hp+^!-+AVZ8oE!IfF_B>FM)l zbHH-=gsb24NMQNUdEbrN0|vUO&f_1!RB`QnY@<~jq0Ow%dZ9i8b~(z*@GBA#adOOL zQ@;y*Wp14k8qY%aHD~)x6oe3E3@txYA^2NAX9Kd_ewBy~b`W|%7B&#BiCATI<`#c4LJMBkJApwAPjf&oq$iLSNUb7Q zZRtvpTJy=6Xbn3U&OJtTG}Q&3QwzSJ?Quf_*WSG4)hL9s_r#xEJ`w>e6htOfj7BKd zd3(iIS_x+7>K{qHH$&IjU(+NltALX~aoyJ;1^8e*c-p^K4L)5jua7>HfcUImAb8KeO9JAQ6k7@LrE%s<|E&iKVe5h1*m|HKwjL;qtq1aA>w(4y zSAI3F_fwZDzL13GWAw)-GcC0+^^XoJMU5lF82^xKO%%$e{P0k!y+8Xk#wSxb!9ANr z0Lvf#=X_mU`Np{RWB%<|{pb2&!dmim6$v$Wzgs@W{OueQyaHDE_Dc&m- z!VBVh;p z%I8!7*ZIlmtiOD|^c0-TaH26umj_uYj`49)O(ZxHo8!C64~w_Ng{6BH(4pe@UAOZD z;ZA|~BKs?Tq%Tgc8yn&b!O3AQfBZC%*4x=PYH6y-=(5{q3rs)2$3ul(yEXxc!0X6# zqFX(>e%3iWIM)?G&{+qVz?)TIMYMsW1NU@d6>=>2qv_ACv=v+YPzINyIUT8}IoiM(-h*0wZ(MxWW)RsUod zVQmlRG|fZ$vkbz#-HA|CCnIx>HyvCZL$7`6$wU$ND$lmu5CoDY1(%z@xuEAcpLO#z zAJ`U@`?l@yfV!iVkF7f&9F^XD%~@uMzLi9g-1AWf?ZoxX-{hx}EB<*?l5z{Qg7>&I z?Y9FY$X(-PV)H-`vJ$4$*PO6^;(S;?aW<@Fgh|%HwC*B6hKFxKgH8l*g*>ffW(gM{@1=b~;qgt5b;`SnvD=imR| z<>%k~J^x*PPGj>Ui_MP$Hb3&%{G7(-M-k`zq~uwt+=vRn@GbVqB$^yyAZL={F`Em# zbvj(ggth)3gmBAF}mVB{(qPMfA9bP+xh>W`M>}6{QS4a|Nr;-;yQnP z&SVRIA+AHQp22&B?+Spr_@-9J*Obh+O4NR1*4iqo=FZtK8X!WZcZQkeUX_0ErPCv~Cpw-4Kg!|YHI zl%8QdF{;&E3KUKUZ5bA zNF>LO>Dw@P?)Cz&09lv3vHB*d4;6RlsyD~I;r9_0jsD3%*lA%_=%VyT@47$MSQEIz zz_(GYKN(>th(DGQiyA zg*4Hc&PRqKNh#=k_-nJQOA;hW2ga0YZX%ha6oSa6tMJv-sC|~93rqX_~O{{rLf}*W5-uOU5OvVi9VD=hoby?D_$B{ zPZ*Hl9ay6g=~kH~`FiL`m}`C3e-Wv#)e&Afe;Ma`{^&Zvvcd;R;1=5Hp*OZgf1cZt z3u>9cuZ$L_oWpiVPU9MAJ~Vahq^3a$8R-Qwjs}Phl-?t6^|`P-|_pB^)GuFHy-Bg@R;& zl-9_fV#M;YvE=T{U{E4;n>{NT41Oo5EqlF#;X9tc9#Ky)jJ|0bUV9w~ZI85dEusps z{=9Bje_j);Kd&3spBHnl@E?C(Q>;I)8Su3)A6{x^xIcs zZz_Za(`UG^e(;42-6G#`UVeWP%6L7t#U7eL=mo)Mit?!oVnd+eNVe73UowZON8=}8Le-Q#>+XxP8)dA_iV|VKdc|gdYd`z#h z8Z>r71qhr01*aYP;%P&Ja>aBbcoXm7wTTZ`mnp1t1YRZvLb|1!*gMQt{ANfpbRM_ccb8&`%~G zzd0)}Sfk0;DgNvZYuBuT^dSn3zbZ0)Q0axdA3E36KJkW1HBM_D22J!=-}ukJFKnT; zj_>UxQFmXh+yf?AFbxWLx>#+Bh)PrY-uJ76AGgR)i9!XqxyW?v%y(Mks9KQT#li-j zR7-|$i!@Nh>$U);Q*3a5IPD_aFaxB>>k7^=@xZLjS=#6BELi;m z3s(QYfYm>!A-Ts)xt(uBVB>_L!aSo85XgNFw_cJ#NG0Zics(CRZ$$t7jvqpbL+M{i zS_L3fA&%&dRWO?MOC~5es71dghrQSot6?{Z=N-{PC9s^7{wR9l61sQ$Y-9y>8Jzmi z!|2oz1-x|?gd+N(Fn0F+YMxClIw#@uHq9X&rDbtwB|Qs-?~WxtRRbwF-*;@>%fHFK zUw>AWIZzg!i>wcDg_GxHeHHBmz`Y^+ zP;90s$`BM;+i>LpgQ?4O6lDA`Y28))TtOCXNQeWIFEh^mM9RjsflV}$u;o7VEoask znf`DY?td)}@jpF#LUP2xeq(L1>j^Wu5Lb5Tf~XkIdShJcUAXcRM~t$jJ_afvsj--2 zNA7b#Byo1_%1JdexpbZ)dr=%JmS6aPSTGNjrNn45&i3T7zHs(40BLg^Fzo0xaABsG_)ln*A{27R@y(&_f z(SfwxS6Yd^DbZ_Z3e59fY!TygVuaP(T?v8MqFkf=WG zM14;m@}OYo@Erx5d7Iw$>9O0N#DVz6o4l(7ns7Kr?a4BIAhP~H?7eq5mT&z3pH*a) zqL97!-s80Q-g|Gd_a0dpAtO;5GE1b0;w2)L6e^OEQ9@dZ68YWVPuK7N_w_rD&vAVJ z`2Abwadvgx=Y8I<@q9g=)aL7b^KNjw`$OyEqckIzSNcZZCrh&~`r3h{m)lDtjK4|$bw z!&Xi_FxtUx{Jm5fg*O_1lBnSUynZowe~%c3-^O$)1|tQdOv^V%ouQ9$=;0~h5acs) z@~&}|6FhA_om|7@07c8fJ{S93faEHJQ`bvdH2M54$E1-NuwFYHZ0c)^a_QwYK7|^= zisvt0AA;Z8(*cJ!3c1$sXG)T3xWNWRI@Sz5ju(Qtf;G!>Q)A>sbu{{>iv`RN9FUJ~ z+Y70WwrHPtTL3-cu&+IlhaNxQsSFQ@g^Y|Qi~iXxBsDbep`Qs(FLuzlrn{Fo5HsJX-leuwt%<) z_(;_-tL>{KDE4vgycTjs^B(8?UN8|j5-+9OT`x$0x^cZ=E2Tf z7$`q+$8MS@4a8D(Cj9rtqkR@;7P5jF=$NdO`TSNYx}NnRaQ8qel<4gpdqEcmM`&|d zH=NTzbAPu%+$lFCF1lD2ZDb4-#-)Y@vF6|hE*U*~mY{Y)%AZKq7??NgEJBn8bGp6SJ_B}H~M|t>fhjMVJ?xJBSeNt9WvRHfLUgzh2@>;0y1NK9FmiP{J#7^6uGpE{sp1I-80 zQVns(V|v5Q^j~#6Kx5?Q`)P@@k>o+vdBM`sYyE~Vnj=O)ltyyk< z+7}@`T9q4Q_qC7}CDXt_f+RSURee!-E=ln9$e#boC9Z`@8xt9pd10Vj@jR zL<)vSem_mm76-h%R=hmzs-T}@@6|TomSnQX%~vF9&QGpO+`YdJ%8DYpmt}uK(XA>9 z-qc-WMnCCB8}<`QpBf=kbyb)&w>4D%pp6QC`g4DbQ-;+<>3+`)6}T>OtILGl7zurC z*&tga__h5H??nLPy;x$r7eS2o!iVu*q%qzL52)3~J%M#s7$>uREBf9GZFy^RY|T1B z<+w;R&oMUw&up5!)hQ4~*b7lo%R7S9vRMFeh&x1$X=FbSIe{3_hGXJ=d-$5)gAP1* zfMqJiq2Tv{&~|g#act2Rx1Q}^J^8=ahi#)XIb90Wpp4y;ep1^M)lbaJFC5kYg{r-^ z(k!aLrQ6NrvSCiB&wVA*zp4y{9MKP*A4h_IX*5gsiVqyPIDI={EgYJNRl|kTW8j+UrCIG)!zx5~ZnnBC5lONd)eFz8p2Up}HQF&XU z&^ZGCqW`bUMv{#obTek(`kHMC9JRroMUx)z!#k+famyJ<_NyKWs>ntazU?iJdhU>) z%xLg&(G~31!;>{1`ancf73ba-U!+=)x#d218ZlQ;l4}wr!0m9>i=0a_ATX=NarC1* z7^RXNc@`fB@fN^QlCA`LQN8`PMDkF1y*kA}$QV7I=kf~FmWBKE6sDo+8i+qFP5cE1 z!RO(g7=?;BE4;pY-stuoK6F=MYo{{(7-;t0t-Ne@3}QnS42g(^5aW?|C*pirao4-> z`q3L&pjNd2S=2A4alOQY8-iqr$|f9S(eBXMyjxQ|K%8Qx{J4(?Qt2G~eQJ0?v3;nt z&_e?W@(}qg$Y_J|7he88Va zdn}$#47hksGuIK@poXoZZuXRt@Z6e(XN5)->rGjo7YJNBZ;~jw+`&QUHG`2x5KJ2%Z7g8o2bN~iV|M zw0|#w`#~I~Jg6=L3JnQi@u#>T`Ud&YOj{My(C0dsBjt*&7>NnjF?t~?-j=Y66jull zf7W;TlM#>->xmoQ@&*=;@bM#|si?f~=h4}-TdJlqC%&|*68s1=X#0iv2)yc__gNDR z@=;s7|M{DC=^!h;_-^E@EmArXcA(r(4A%Gtf+88b89^7VxftBt0;HWEPfbV=GX zRstr2WhOm58KJ^#&C$zA1o*O2ZB2~{ex+*NTa;B|pkV)V+Kj{)zH>1&7V+zW{R^?H zF(P5;)4I76JK@iX8;rVJF6cpQ_KB09draVFluW|LY6M7BlDu>72!Y_J&?6B+<*4nV zQd@OwBplATbuXej1U%2`IHYAnLC3yUQXK(pxK?)Qv-mxAxX`N@%^B~5#KYqXFCldx z+kF0nRZ;;A6m@RAo+WTyA5Kd~mdU`H#aDZeMH+a__IBA*Sr!Jy`NmHZc%B9iM6cGV zSRvjgYV&IO(*Gal7yi4Sj#1khWyDh*c&wm#TAf@6_BGe2>YNQi#m~j^8}Dj>jfjig z*(hC5*Kn#lagZ=~n{n*uo}vFeeh#g*>T%aUGSK{9fM}Ig2Il$Y;_|~B(TpO0#2Aev zbUzq297vJ{5!J_nbBa{Q5+V6{+B(VRE%M#e zmJyWHG7DkxZ==pRF1%f)uy=2W{wynOa<((Xadh* zV#dJ=O&E(cP_1S$Lp#yM4W{jKxX;glCexWqBb~tG*=c;$qz#FbO<6~K-+%*#9bVrA z3Eca?XHQ-F*@9BG=6c89_aL`@yTAV~h=AGCzs`3hlu=)!fXExf55(>9T~e|Fz+Umt zc3e~uJvYjC>{}KByz}^Y`7?1bmx?>?b%VB0o^!EK7m{*imd!CN0*%A;w)W(muqSTp z^Y@evG(jKpWoNVs_w(b`^W%N~{LSv0&->LN`bY207%>BsED||=lkzZZ(B+>Wwo?Y} zPjhJWmo8dwj5~iW1OeXnk9R%Z=g0f`{>#@W!GOHu)yzS1=zQI6yvfP{FXvni&4%uS zJ+k)#e+*K9(ar7$*5s1^>z|in!ISy~2|~U$EGd}m#F+#r^-~IfL2m9ao#-~T79c0&x;gZ)ci%2d`I2c%{-LsDnZyK%$ zE3``joBB5uMgtqf(Jk1k_(Tu;e#yc7jB#wxJ2Q0ZYp;7|uo)b>2@!^k-_3mA*|oZkM&zsv3@HL)^8QZ`mMaU{gNkKV*n+m~)K4b&+ z_G^i8os%$Te=#z};|9W8ANap*eW==gD#QKC@Me8oDPg}2kaf+;O3sBL28s-!JJS}B zv{a;0{lylX80uNr4{*V)Z=$Qq*R^1>|4YFVp`L5@%<-p>q!&8OV)n@Nn<7~1yuaCN ztqvOdR#GP!)N$+K)pauXSaZbSSC`QiMWiy4yLMOjHM1nV<#-`>T0|K9zP@1hw^Bx; zbE3{Yd3?C%9q@i%QWSG&o6}v;uxc2u`IrcNBtO1Oy`m0gTZu0kh15YM&3WVaUm*|; zhDY)Du57jAgm%^X$;r1K-yL>RJ zQ<4rEQ!9AmvuQx))A7;AUef3qFW0#LRcZ*N654-t|3QEy72>QgYE0i4i0PT_Fg>#) zre}7*^vr>np4kcT^3CwxZ#T$=eV^JgLczSal=2om+-+fcxt^(V6>CWOdLH-@X*z9(6eTdC&JiB`Y8w%*pfB@Ibe9 ztQ<8~O|W?@GqhRia*02N4;a5Pob}a}fOX;nS6jFR2!Ag_(N)R^t6FBXu4H_Gm(L?? z`s5guXg=(hIAyhBm>`}=rO_@a^^ZHCP;8}Jwp zk~>Fi2V39NN+h*y;Joqy{e!^@V3@Na9;zw_rP3GPavN%*-Q%h+eYtp$=2foOuQE8n zj=1yi>+nP9iPc}5dlFi(b@+Y4UuF_?T0f0oHOEhSf>KaI^POLSOw6&>0M@Y zUlB?K&n!N3O#$^Zubjf$iC~!F9h4HBz(_tSr~d1Jy1qmgM13 zIPVuW>UcH@f#5r+?|ClYUoZl9Jsht;9p3eL>+N{g z|8M){{mZ8a=k|a6q}VY(DILsDiVgnxNpWI+QmnY&Ki>Z@UVkFI`{P}YH{ZnD@5uHb zcCiuU1piQr=Ym&QVQ=a}P7|3HGV1TTKb*({Z*QCzzfaILJ08x;H@M02zyAL5z8}1L z61;khu6@04swf*^jLP{MrF{$7>os_|Gtgw}JCu zK-PD+E0`=z;Phl&d5?rWxNf~!KVfGB`#DW>6;uMih(}J0<81~~QBpE=A9R48YtN%O z3Hn6hePYLEjz^;W^icncy87^4NbG=moEhBUP;F{iHHW!jESt+6kSUKPIHxqivgFYs{NQOsuo^M`}$V0Mw zt8ca!q=VvQpijw(TnI}UQQGtIGE!oo;8|bHf@3qwzx(Wx;ePb)(whtde<}P0d+&4> zZvEK5{?UKuJ^qVVwJ;v92*%@;#(2Cc7>`#E}^4-ubKbA_I9>6fMo07$745 zn(@gi5olT`%T07A8W0cp27gjG_(F+|6-<5!+-z_{1di^JMwYXRz&+_7;PTfERjGF^ezj2mJ=M&e%YG^_ zHpb{UyR3l4&zxAk!;0lQT3Eirg5^6LSiZx8)mJsK`l=OHU)99ws~T8+)e5Vxs>9dB zzU-bUepr$}d|y?W55ymx7&o#tMq1Bl#!im#z`Koa+||we!1RLcl`kU??s_TS{K$y5 z+9u#BI}En>Mh^FCBE=fFq7oKPxRThrN%%Xk+xf;ZKY(Q=YdRq^OSu zy-4P?&Z)s3L%%hWGA&f}sM5=``mU-(D$@m3J`LDgv7Fq|stW)3d)gR(PaNa#$zuFH zX^g+8gYowiaM!DG&nrdPa97$Mh69vSt2%Rvgx|R)p6B!jA=Z-ESE=G4NHVd#coi!M ziFW5~g5HqBKb|LoI^)XapF@(!Iiup_Cm%)Fy!+$4wyOe=c{UyOP&7iJYlr9x&P(I| z|KjBp7%_AeMadt9!w*Uw1@(@=$0(i>7g80}*N29ZPEu}8s{)OYFgCc)nq zXFU+_{=2TUue;U^!07JD?j>qHu(Y?)F9ip5{9McLkE1q-*u*u2D}yla9bogZe9j#A zeTA2&ikH8QcmIFu#jx|hiJb>Q>^uly=Rp}e58T-KVZ+wbVe6T&^^DkhVQl^3|Mm3^ zlj`0(_sUV_S^uVlUz%|0W%mW^JK<>2_ESWi2FXrd;kAi zFOKT&xOF%Y>Rg-C^hVEKNT61iQ-AD&C17{+cC65>3@XX4k$6c#=;!{~>$YCz2btO@ z*^3Bqh$ec++$kFgcg4SF@z2L1>YJZCA9#5I`OWX|(qD(6ZVev}N&>h0?ZdAbrupC5FR*~PXBJKITXl3J&^)>H z9WyvD2I*>DJqj+iMe92POmNNp?~qD73nVLv%aa|>0UOgVDg{<$;6=T=tZsG*MV=gZ z{q#r#ptsEHn8?vf41^-N38$Y;y720}@M}_CTc|8)UobxBi|!Sd9_Uz!L>e)p(jTpS zq05NlAW^Iz1g5yW=kh%b&2xQn%l3^xmrm59%Wwg59J{;e*z1wp!|Ypc#|XTAa~Z#+ z6W7qcct#qFXIQX!h8v4#M6h^99*bu&zb|b zAFH2F(RPzFVSY9xY@{ky38c+_KItO}7#SR22E2*Ufba`ON<$wI7`6_m&~j>lteK@G zU8Dm%yUHD5yqe0?DIoPs0uDS~gEp`&ABaWY!4VT{e0$bg0{yU)i%?T|~X zoXwB6XR6YX+>|F=&EVS;I!jkOJH%1LOTP7<;Bz@h{hQ&qIsD3bdd%~R4w9D%Y;3QL zMzpUExBU1@;F6>eO-XXZK;nd8L0@46G90*NJ6q+3?6&tl791!-3#96c>AIEZ^{v{8 z@w!sTq7vXVb~*(Q4p3fX=1E100f&egoyu^}hvNOd1eA+sBwZwhq|Q1K-x)e9Y0KJ&l1TO%h7gnEL%^1~BhS`SXbv4YUwT33^y z*YT@nWTc}6&rJ#StF0nU_Ne+oC8?6H z0o1S3C^dl@Za+c1zZZD@J>R_|IdH+R0Dj%Ax*a^3MbMveP8l|zMnjk0oC@TxMlUkt z;u7xU!1slmJAZ3)amW97>jQY_Nq;5^)x=u4LRfl?=v#sh&E!>uu8n11nF(Bs9PQ5?I+7Zu(n5>ZkDG z-)$Cv*RQR4w(ODflR8xPMe6S@vvQcHAGTZ3JOkRd`Q;vMm&1dH?V5LM%3)?}PqO;v zB?6~6SdXHK8xC2vuAazaM6U+lxh#YdqX4glFmW4BFqaFtILOP3gnm{2$*5um!{9yE zTm-!tTX}e_R}2q2QIl3-Ior2hlk7+^fG>d1>v?l259ex`TqmB9Dn!-R`;F*N? zj_9Y3v8=R>1#}fsCQwjV0-Ml_Cc80rG{wQ?T;8D#M?-$>HuW|l)SY$tzhLT0S=vlC7H%m{g<%Iohxf-%}*uj3ac;%d~B9eV9 zVe7DU3=XpO`-i@vM^}6wrZp6?LUvq7_T;V=q)U>BGm?3tW}24ll27Uop3TEn!etNp zmFiT4eiC@o*E1&%9drO%9+A6_ggTbWwd-#w52*lk;_x7qsUB$ch%7Iwo1>+h2&;=(X^j~veHs)YkbU9A2zbr`Iimr5EY3kBCd zzXo(asKL$UzsnzIOyTOg1dHk5Xk^QGp}(%w4FqRO`zRmS!B5@K;~9?PuN^Oawbd`ysTD8ASA?FvbQw^#PCl5g89X=JVRQc|W+0xs+1hW>mejo1uJPP4=a0BP1JmB=&~OkI)N z=Ae~Fg{flcYvV`Ihwwj}E|rGRHF4?OH9-PDHDil*+K0f?{&0F{#?lNjiDV}3@6`r3 z{Zk{eI+kc}^a$6?S$@!&54v*c1qXzG$h7z8<_2dME>T-ACHO!*M?Ab3Ssk5%Gf-V0X7e%gylyfSbk)VBm&;i3eYWV3!TT}-*Axl zppH))B5lKVP%!-1DDa0R#MP2UO}zI(qq@)OF4UPp>hJ8|6H=+r6qxEzJzIzf&=kjV zhcxK#d2}ZDR|2H`I&K(xpa^mO%zBk{JO(N~UkcX|`tyxzffe)1X6U-3h~6GzO%Uj2 zyAe{W3Z>Hr$8^t{qh-%3+@QT~p&wfM+`gG4w+wG8`x}%paR^69Fr0XlH>%{VKP<_I0_MQRy z>jc-HACm)TL7}3)Kq2HmmY;h3_6OD2V6rv-ymi&4XV?F*9bpHShhSeEx1>tZ6+SLb z!w&4{Rvd55Aegk~m!w-XMS0!_LxqEtKt4O5mG7<&Tn)%dF`%|aV-4zN`w8#i-}g}r zl0JCyden=;@WoEX3nYA?WqL|j+rW&#(UJIiNKyzqmtW)syNRwH9~*u$lh)vH5+cxw*+`IBzf%&Y;_tuksKrNJwnA)8pLNZ=CoxosPrhn%}>tnNR| zLZ8U(MSjN;e1c=jy8H}d!F% zXM?^-F-q`V=7Fdqwqm-$CGd&9-ka&`S%MB(cC;|(658LnmPzW8gRXqsx2M@N0;=8n z6~6j7BE0c%@Xn74c_0B*ygzN0N}q=Yo@k4b^%bFChukKI@(6xQ@_RR1 z$j;)P|NW=0Cj7qtkG`4{(^uQtY9YP)AT!reQT$vEC*{}G{hVTGGV0`skLaIa4 zds0GXgM*+C%+~pPj1Nd$3vAdP68N5B8=>1a22eCBLo&Ui0&ODSmY$|+0q}jxy;JXp zYF?W-T(Qvv;R*$*k80Yu`A(Lv>c?D*Pk>KR$AEp^X*2;ZS9NK#AY^9m>8FHq@|7Yu z^mb$^Qam?Cy0w&qo3}H`K9fF8(EmEzI+FEQ>>_-!@8CKTausf7Q;}Jc#x9e*QhrA^4}KI)Le^WHCJzEvBcU z!}L@%*#7^0Jzjkg-uY9!{5?w3LxaC1+<+#*nqtM~ChGexN*DdU1a(-2WjB1RhdpF+-1Dk<>yz)kU-(&gjNs$`a1f31~)#5=2>D&L8Kk5eVd4|~Eu_sR7J@_p%Oa+aZHV(~aZw`A+0 z6f6OZap479ZCtQglJ?~9X2g#KRP{AdnazqB|H7Fc6?Z+%SfZHDQ+)iAxcI;Qtl!}Q*&SUpD!tLG?T^&Cm8 zo+E|TbJVeV4iCJo5`Rd+o&pIE^?H&Aqd}2bgR8s29}48(3lG1|hA($CsY-QEATsh( zCr9&&5#?aPlLH?1P(ot!=ANbQ+B@e1}Zm9IQeH=+faOfJ{EC8N-e zMXH&2dL(!scR7*G9R!^3OoY!e#S-RizuzwWPVkxBR2{cX4+bYe&FC)zS;*&t@ejW% zI#4S%&a_aW3&E8mO!+SYQQ<4n6!Usb$aQn!7Wk_Ree0!GS>)Qd>lMeg8}2`Prj8!$ zmJYP@i$nMMNDhi=O_Y%Imh(EO(7Sw< z*OCr8L$=?4j5Z_q0r(ruQ7OZQca?~)lm>X}2gffxvPBE;Ek19W*@LsWn$R~2b7<|~ z4(j^jgJ=b6llkOrU?o~u#&X3UWzEV~U1W0ry!~{%{wV=AwC8)9ZK39|rkhKQIvVBn zrtQ<$L-EEV%a?{N!IRGJ^iZ!7VtK!Nk15{>jRjBY1V0u>r(Gt4J(XpkMoyjC`J)bS zWTgJOPA(0Vj*M+%{BqzowcKX0VvBnoD&RR^X|Q%2O6DgPxpUYFc1S+=jz0~DKcd28 zWjA9{K}x3N6M1(i`YLmtb0`QN4<#?0sdqr1#hn{$rX2`#*OwE*|2Uz!-@|9jES(@l zpTWX%&>iueHz)rqXHTf#XgrzS=m9w<3tBsaE-1}b)fr;Ghtl1;X?xl-5aa7F+U8Py zi2in-s_RrW{L?p@VfscrOyB5+=^Je^eWMqqZ?uGy>;rnm%u*1gLeFUGtA;AlESmCY zrGdT-apZm_@b-ksrB+td(cwH_=0-blkPE!e@-QGBie`#i#@kN-Q5BtKU3e*?Cw`H_ zU!M!ttM6)EyVpahaQ$=Xh^8-gLCBB8jWD!_5$ zZZ)Hm8Za{?U$R|L#@#Q*%hRx7lZ*dZd>kz?Gv->3Il~kAPjb4Bgx^Kh!P^D{A;@*j zng8{uE6}z7_VS=6@G^1E*WitR5*E99%_Kabq3dAjlwuSr+c0LYAtLBFOPZeelAJ{M zGHuMp!?IvvVm+U7CkOEQ8R1>O6UJI=A`*ngIvc;;Ec8YbbL^z%o5#`ppegmbcweZ@ ze0=Zi)Nu&v(f9V}3WR*xxB<2WHMqgnS@`RUGMu}bDMw=Lfmj<=?tIZ#f&m*wqx;PW zl2gRa34J8+ch^1)l=8Cx-1saJC3Y0bi(cm@%&MWKkXIr5wh8(qchR0nEoRtwS+42M za0I9W-)>M&bAXkREwTPZ0&k+Gq=ZXb3%zi0jQ5*41{DeqZpp}T!dQf2!H4t5;NQG} zFqnA74rmnegAGZwVuY(HVw{$y`R>UFBRt<)GI)f5i<^}3^eP`T2`G4|s`9{5f#zLe zMow_}_4J#mp&GI}%pNGb$quLYsGZMlJ&c;$$zu!x2>Jw~VB3_72jHnaWoJ;a0KB{^ z@+Vo_06k%k(YYAN4gC8}d)bSa;Ms@Exty#TxZ_*ekU*iE2_dldtDR?mi7f=}*AKL4 zN$H9Ck{lO3 zK&$bj9*-jvfn?v@=O!^9+{KRG=S$j zQD17!^g)x^lwBuZAMo3bNQJRTOE$qC@_8%{l@=&NtjC`Nzn7iSgcN(& zGOIP%i#}k~(~*YO&gd2Cv3?ZMKgmj`avxqK#2u}r9zgxm{5uj1{qXVpt0zi-2H{3) zq1IEw2dG+Q;%fy_1ghCSx+*1*3KB4vV<@5LauJ1UdYMm*vV=ca}c>j_F=o8P$!-E!tD1=3#k_V zu6nZ90MN>p?$qIkkA>CCL zh4^-L(7Lo+aWb30adZ7pT7T6FWq!KI?B$^aS+Bj$D;Vj*)1AL1`}kWS&ZKxgpW-U~ zoo2C$>%ECyz3$VZ=eUYAl}66Wr(8#;I{P#z%Uj`oZB$HIF%Og(NgQ&CQn@+>Mk2~;G<_`6g^0_q0DSVxKkfpJKzdEYiKTx01RI}sueC4q-! z_^M=plKg|><9FilBF!j|Hp2$tjaRS5zH!$Ia7L&0(SDnnu?Gc8mtztUHi%DbgyFBe z7w|YoeUKyYV~TCfFCJDgN337H_9R}ofyQ4v`*I_@1kqdQw_nI6papM*UYj?`gSc>P1Q9bTvRB-o%px)Tq2t_7mvO0_rb?{tunxW;QXJ8u{mtG-OL z=n0`rO^d}l*6_wY&*NN@2=rOz@+qw!KugzU_4PVA!GbZ9YN}QkBtH)~3@;r-lEpb1 z+k4e;$8Ta?w`k|TxB%(5oUa9A-e^3T`HJZb!8e*hY}%>F4b<$9pE&e86sapeEBwu5 z2G`Dy9B?R~7;z)$!rp|a%xD>2ho_Z}Zr)Eq zfQNs1{tQJ0TD)HJRx8LGi0euG>MWDd8I@US7QP(xA;H_<|mN!C}KOTsAwZZNUS^Bv#9`@P5+%Kp;b}SwCsLQ1l zmYzclHoK3@lCx0S?2x1oMI17JKl{#JGapr7{zyNplnEuNu!MD>)zH{KL^p~Zrbfm2zz5I}HR^>mPK=dW$pFi&nL39s_ z86_8UkYk!cqhjYJR5zmL`F`pm+@+X4UWCp4t$tVY3;tPI@x2r;W zYg}-@kUNr~e6VPET@e_gf8^$#k%6bDr`nk3ZujmEHEuofm4N(^kL$A*erTO%!T4Pq z!S|Nvqf%TWfe#w~$!9^+6hsV(Yd>(sxyeG&mW(MyCg6V^@A1Y10HL@gVZ%esxeZ zTDN!F@JAHn7KT?`ZQvyn55;JcI~tKR;BWm~+f!z@difxu%Btl|12;Txm%8Z@yB8hp5DL|E z=EVHd?J@s!Kg>Vf7V}TH#r)I#G5>UX+&sE7yi4m$e#)@G#e2v*ObW`+1|+|%SAvUu zc|D}3olueAV+FQfvM~Q+uH9@x5?CVM@(4c50iQz;%Kn_GLHpZ8ez>R{2fgi}3nlx@ z!RrSXWfxf;y09iLzAOYM-_m=xw8!GZZlNMZgF9GHIuC*~i)^?%*|c>P@Z z^VeNmg6&`@mD4z-$rBw)W(y7Du!d(PRzY@&Heft{hkJm>3*Gy}bfkXB9Cy90$4ECa zTiq3XbCeN{97)wZ)c<2`W&Q#K3X948AiE{B20`Y&eK@ef%=ScJm_?w_uV!6Tr91a|F1Oc+r4vIDOVV(CnSdW z`K5rm>1Io=pfqHVC|1cY5%SAFQg5FHTcfkuAT{{?zx$Wr_5T&6uIuXPw?b4Qfs{qI zI#7|b^7(nUA>>WkR9`+EjKX-9N|M~P;R@v+Dk6J7SQ3XgzX$rr^QMtsu8$JzX|l3f zAn4^}8g?({P5B{1)pT}mI(c|Xrg!GD{r}77OhGBM8~eS!T0zN4`w!Ye4#1)*q?&^W z9CM#Iir@FFAyUhpAooNCP%ckH@i%2O--xY@f5f>4P)N$fkR| zHc%wE_R-ktE_R-5U|tP+iga8qm9qoO;cU`$g*2Gs#{nBK7ZS1Kl9iM)a-I7bgtSUXPc&$ zX>l_sOSxBF*R6qq#FZ@VRMf#L$ymhO-U``GleY0SSi!%3s5w$AA{UTzwLlT^ol3dU zS`bg|q+3^|245WhM&`??gTnop(t;zZ1m11Z)w=i)RHHVgciz$z2ES=Huzc`<6a0pS zI!&R7@uC;2wy8C|xWjAnUf2^vyZYTi-4WId zBZ+#`NJRa?hPVG4VSebk;taGQ?Mi1vSm zgX!X};?wZYpF#ukr#O!JQ)prS6zZ5ig(>Dwp$3nxWyU`jE=9kiD`#x-8qjr?7gTBy z7a_X4u|1uv99aI`fA;pW4~*{ZI%{W4=)c?=^&?Y}gPjiAS32VIuy*M2`48j-9ux!B zL(>=ylu6|xX~Jxb&fHkaAnp_aqkteZv=D;sCLgwuad!fy1OGTg2K59-vK zyAjsFzPouJha0O0j!bVh4!^18L?OzRcdvqMQ>xF6!8DO2I< z#zp?pUnxMJ7~fvWmJEOMVJv1;`$>Mu4BI~241I!P6Bh}fsj`un5pp7B|}VpEtg_--L* z8jE`PGKBZtGXs}y;?x>9W1tGmyR5rp51NuIGY@$U!Ou;H_|EA-C_6L#DaOqiRpuOt z=nD*l`{M`ql%5R$*ZcVw1h&lJy!CC?F8@@dovS~X{8I?X`SkCCpUV7EtB4y_S(`N+GFOX2`AG9 zwLW&=#XV1lSKs*mukRT%TH(h0ZgzX$4qS*NW+cY^ZgzYB|M&A>-p_yc55miPy}ZXEyc@yiFfeT?kW>rOde{6o2Q83q8c_`&p&qt* z+xW3!t~$K`r4`^x;DHjA{+Y6xR>A##`1Fp|bhW8L-|Az9c_B5h`>nhIPYlDakPCT$4aeU8*VEYow@i!9SXZL zoWyI~;f5;Q9s}LIO;v^-zaum28aIb7KF#^lzb#=po zbny8}QOBFzLqMjq=l#=IJ4mXh({uV$>({YkfaoxG)}~Ww&k(+?65B9Y>N7 z8Po5V<=YOR++#h(MPvi7qw7f+w;kc1-xlc9EuUqE~k=`MOx?78tb>jfjMuz zgi}um7%$oq6*2rjeh2@#-vqAp#EekGPeNZjQQ2Y)tI%UJxFglCQfq7jtWk~MXPP{b zx?y9?!$Wf*<+Kahow9>}@s`+lHEg^NHr^5&ua1q^gStzMGP;*-(VH|Q!9`6or1i|x zN_@v02}el3{6=dAgx-EX4O(q5x|rgyNPH_`3aaPjs|-Tol0T<+jI@Ei`FgB;u`#sb zpEX_b)&*vf1kH_bZD2EDneV=*1?d^af1hA{P}7B$On%Edp{1*iHs0S1q3(73QvPdG zAhpoAQhw0@L?fFhRvj_@NI3Glo{@Ta$9P|YkA$v<4<6Vdt%kGw>XxEl@_s~)XkQd; z{e)Ssr0GHFZ6&XXv-}vp`RDP>?o2?LSo$EULII@|*TXw!7Wi2qpL!G1ujaFV%Gd?N z(QZC_Etxv|mn^RD+jSWe^&eA?=#4N1?~8RqWP?ZGm0l@`IvvNJ-5>~sw!4pWhxwxs zrIFyvjK@*f{J?*%&%*V7G5OMZcJP%Y_~4t<`@Ay+!<$?>CG%#;$n9q4+QmRbRr8UB z@VF%`iirg6zr^$hwVv9RkJN(RF>R4$Rb@C5n8#D;?~jf-Ro!~VZwMdW#?9v3QH6Ee zq4RT=x;XoT;5xqE@mIC)k`>UicCO
    S#5o0UgUuLhi$tUh6U7W3~(eA|ds6&Q@& zIN|?C9sTnoQ^fj_iDLc86tI3|LRddCVXPmSAkKcuxQ-vK;CA*F^)=MoO{*T-8V~KC zpA28bbCg^l32ftzG)#SqjBJ zRumdz>QLCrLh0p{0*FstwwgV_onJ&vWk5;h6oME5cxRB89a}wa*nMe9)Yk_&|X(!6;m)*nvp=l;<yFj`hC;aS{xqE_;)7EI-&FLD7%hf@TlSN!W4k%{mu5hxdmezelm6Lb*8-e8b=N+LRB--q0rrJraetms5&++bNOVFz-x?lnS!-wjyRzv<2!l z#}0NHdvx;IiOBEU2*vf2dei$^0p-w}N(M~-xk$eF!ip~wh6mfyb#PG^QAjb)z`4+lmDErf~#I2`X%k2 zD82@&t5KWet&;#Zi#Cp$NsQ00gs-z7XrRDXDogUEl5i~N9Q`_y#OiI0(DfLDemPD| z|M8o^q4q8XNc2I38|N`P{vetI!2%gr_wuRi5YaM@@|T929@{>V{1 zH4NcKBi6xDpL{8?^%Qw*Jw*XqPZ7b^Qv|T}6hUk~g%9hWqJ;I!Ls-8&7pz~N0@g22 z7VDQMkMsDr=5vO$PLFLUdq9jx)X3?~5R8wSAdy|ZC+vImWDGRA!5?XE!lN}|NXqth z()(~1AmEcFPdXV4>uc8~zj2;|WoiGsLjP;%rDd|8R*OH}8dS|x<@SJK-u45RcR?Vb zCmL0dWDEx{c7|7QkTQ>c6#$M1689Nv25Tb@pILu=$eqVQx@ z0H#TJb}+uj`Qkr=vRZ=?dzg(1`H%r9GpSU?u^T}(gBp{Lx(U1x%qr=*jp3(VAlv1b zQiV}nmr)O6A;c_w!)-V!0%(NazmD39h7JA1f`A8bjWi4gek4J%Pke*= zbnH;rnYuidK1Fn__F-tpdj|--bdflJSsUaOtoIw|5hQaRW8vOVfd{t_()!+dpn$3H zbKz%{U|0TP_1B}SFxVzov3yYrC{HX=)v_r87fpU=(54358B^0*QP%`Ti9vQ@FI5=u zwn%hI^+O|G)HOj==FmBc7ZfyV3M@vhXhJd^`IB_lu*{l)zfW_e#sMZzdAzn(DMA?M z{*(XR@-rc=0bfMckAQ1JLGcak{h|3OvbVdIOvqb^=he@r`$KO`JHKVN9}c;h^-CUH z`a9H`boTPoA{~f(acp*8Llt6ZMdx;x^?>-c9JJu;Lz4$PF^i=ZysIMUDwYmJ|Hfy) zj(-vUjjw_~gjL)y9gStaDIP{VG#J#+UNJ7kAvRjjp^%*iU^D{S~#gI61_g(>7 z6k8meEv|wj0)|wTP3PNyUM%vu(XDjG!5ZD~_f*%l$OnI0p=ZCNJV7M;gzY`9 zFlg&2&!XJ929|R4b!I;@P|(wvT=uDG^xB%W(~dV0`cL0XYu~$!62tF#Ief%$aG0Cz z`Cj$`{htZzi_xvfd@i{8hHM{7InGbWPt*vPZPX-XmW$9OeD@;`a;=bmk=A;i2g9K^ z*Zi>cQWcZ8$O$10@W9rz<_ho+0X%XGmwTZ+%*8rSAoNUPn@B}fs|}dvm9>8njf)quR?(g?{(@o$U$oBs^^q5{|HNl`OUob*s_N#GK_1NueZH5^Mpi)P-I zQV+LjL;KXHW#P{%u(qQ)KD+9I{#;#~6~Xuiv(n+mvsX%>G5i&ax*knn{lk6-K4pzImlV3T*ZgGdsRlF*az0p=6#Q)F@JF)2M%f{}Z- z?ic{?Q$eBg&-5V9{`p1mWmgor9PU?lTMxLX@+=&?*dVb}MOe|33vFGhzw*rh!-Exl zJ=3Yq0-G(5k`FN4T4#$BI$YZ{Fg~o=`_K(x$O>4#le=1gPTH{7Q!QcoAG{d@_NX$zuoEVp<`kj#mc%2% z3#lMTe^{V)!yJY`^eYD+n4uX0`wyyfM$q?Bao&Ky1W?oEQf*HMRA}4AB|@wZcZwX| zAGpUudVJXjsnh95;XTTv6ORLi0z|$T8VgTipGEmBWFeod>D@G{Ft|cguj{gddC!)Q zWN~u4BEh+Z>$jg^d^bYPdlmjDgF%^31NA;D+-<797IqQiM?6_^flE;zu7~KBKT}hO z-q_mwkh>PBx7~ZcSHKp9ZX8B3S7^ZcVNr#UyY_$m`*n1SEtBw9IC$HHHJCkg1A8V> z{RLM)RFdB(@R`RE-L?M=4<&+t_|dn|`IWKgpB_pCIz%^l|LpTZ^{a@8t;w;KSv<*v;qnzC|dWRRt9#(jeN7`is&xIN?&`03YdKU z9Y*+34QX1Pq8{}W#W{bDYkp%bY0HQZ&jo4z?n@ks%0f~j+u2I;*>LNfTX?YIHK5He zTn;o%Ly8+5eB%>-5UdcCeAUJQl@HnWM*pyZaALlDu{ElQW@)WfFTf7M?D>diUs(a( z%q6i?Ph60%_S)3}MS7U9Qf|1?X9CjYQ!O6z{)o7iJfm~+*U-;OUd10()}YjARLsF{ z1~N~SOfS98gm&M#ncrGDNZ;#`19w~kEFIJTWt)}+Q57;Yj;-m4G;ryw!}qH=pWhrZ z8Xo2`#3J|2&LQjB07M{8Wop={54F9+ELUZUK*_ylc-AHy@lrEr;SpL5- zmj6$V<^L05`TwV}{C|w^<^S>v_|N0NdMwy{os>mcS>9X61@(b$@ZO4blN;iQ99C1k zs*FC}RHLnaDgj<5{f-|oe%82tU&@r3c^;mUg}VdUEG-dAh(?$*$x}-j`k&lx>(Q10 z^2)93X&p^udGA|?g_aN;dE`zgBp`0M0>nZ zw?p3^=Y0D=9N^w4(`uX`5LX6Sj}-N9qt znsBny^QEdBh7bH^3=f|}0|HE<;@_N9!`?SlvG+|4?0r)Xd*77C-Zzb~_f1*A^?N5l zDkzs`#0PbEN&SB;u!1FDc(BGA4-_&*{B5!0hj08-KDx5(@Jgg(N{{t3LXbX5gnKe)e>c&&rb2KAJY3>Sto_wK#@j4k3TTuW;Ff~nuB=JDMtP)5() zqA4ztxx>r1S!V}&)IpNDPo=z43W+3r@HzIt4hRp)lDBSK!AM?!U^Rs;Bv~Pyd z0}9w`4YgW?z+T#?;ePS(l3n->O6R-EJ*j2SZqtDx9Aq_e1gfwjH?@ znxM0kK^Lg13Yqs*1x~Rrg8IeZ0lj-nVB*NXDt<*6er`BU=#gom#Wg`|sySwOQykow zP(TkdN}=1Z{pH%(EZ656RV1vS0n2ky_@+qYNb- zsGeUq`n}8&#S3r>xS$UiP1)@`l!kEj@6|PNJ$2MnzSq>| zVTUF^4t75nvqbYFm!;4rOGw=G5a_kjgeS#?M{kE62cHqb>zQ&2sD$EGk*J?ABvE?^ z^a-Ct-1A3^d7j9k2vLh?8u{9QYd-3~9Z$&qX!)>A6*>trpH_@X06M{b5c@1E5}|JJ)Z^l!aF*!41F*ZW)c-+KA5>y^QIy#>@WbOyf8 zV59NF2suTd>kKzo`t1B6K&JlZi#trf>zj3pcRUz*?JUz}JGy{CFjI-NyeC)&EeCP_ z4nckV)8f6a^#zBJdS5Nt9yxtftn#dNAzC|JTo- z|LuIs$xF-+lcz~nnf zU^KcFv29A=9SE&8z9D4$Uhw%y5>o?F7|!($T=PZ7kHll=Fz5Divf!mt`xe?}#^X&7EBzh}CmkWNP(8#!CsUw7o9Sl~-p}?PLe6RhyzlNwH`; za@5!Jgcp>hX+M6z;|HZAdcS=3{E+{X-8)tnVxa1WftAZ-AUd;Yq$Qpa3P0vJ&peK} z42ild@_jP#C`V1$oR!oGdOHT>R4)0WS5HpX8IU?dsugVk=Yj)_+vj&FV9ve1cX&qM za@qr~e%b%_&wri|$F*MnZ+s{0{mpZ+;iVKp^qDhv_kS z^u{LmS45Qv__es+JvJlV2ZZZ+>7Sm+2E{KPoE}$Jf`Y?>8zvQ|pha4o zcq35_c(VEJ0&MKiRqH2hDR%0RejdMTZBhl1rwShLbB=o9VRg~~z zFhD0?pB(J8 zIJp8QF+K^TU&2yenxX~j`>~DcvdBW+NxwE#9sZ0l_7$0^gOvSpAnkp1v>Yss;d8J; zrs%_J$iN+(fIR@#ykc zH+_FZ7<@C!6tASU2I=)@^$PoDz%g=@>UsqkFfDbxb`B$gw__jtA0(539S_;>+!Qic z$UE85a_uyjyH1oA5s9H$?ct&*VMQR#H6eOKp^H>9P~lFgB6z9CT>9uD4-?wf(|qx| z=(Ld}y^6R5#LwsGcDLH2(fp35B#|mG?bvaa(#jBOR98>33_2jeM|a=%lVSAdV@DQ$ zV|ZlS9zM6&dF(+oq#Ix1j01S&3>~%c5QB#gZJ!X{wgIxIcLUED=%db_-ct55H=Or# zj_AD02rJawG z6)_x~Q_@U#m!yjzdz5chx3Li^yLsGg@To?r_?4l#--=P80JB%x{Y=EftY2F%6^ty4 z^K=M?J>b^35Zy+20vt^qh^aeM38dvQyL_tlKux;s$2y4NIn%Kv2!0JiCgeL8>o9q* zDxIB1r=~E(__op5{AWIVeR}(RmqaNFzCb=pHWCdxr;qK1=VG`Xd&x(`^@@?c+8pa8 zRzDDl$bV5qR*G}KN*S|Uxxa=FS}y8JeoGdFH1Ij4Tq>fV?P(XUC?}@g5ou;T&g6i0 z^j+?_VSHa*!Wk449%!R(30jd)aaSPh{W$%!QVtTjU(uDlmJB?hn?k}Q8EEaBPEmXO z6$ts2*mff*7`;nEwGR6#@a#5)MShkYBvCk9XNg211s|u;-Uv6u*WL86Kkv%_=g-6c z?dR)%&+-5B_tpPt^Z&=wqs8*{&SQCc2+Pwuhvn(fV0n7y{)hV?*WdrY9gmOwejUMn zzy9CWYy6+K-v51me_Z+M(pHxS5TODx*f;Uj7^w&P8}x(Z@;yk`TVCgfxfxQ?{Pb1( zM>Y`n9rCbq6+-?@;k$y+eBj|=y!<984Vljx&i!V0K&MKD+h}fH1D^R8n)Tw@FyZ`X zSy2aL;!wPOG9Xn^5Cx(RJ*{ymKSp!aZAlh>0$_qu5CmZE-g^mm7 z{6O8q4$V^YG*oo@^u3H%L6GA)?%ML$2i9wANsU#KKu(~hn_D~_p);%8&4?zqlboowIKMj}6#%ee-6%P@(y&*#`rN1?FfN@cr04P;^XX zaVK{)s`)$GaLmIG>4Z`7+C2*gk~dlmffx7@Xa3Drfx<|f>qpPBMF+bDF#XsG_vNxZ zWYCVHL1OA6Gc0mM8zhr5fYZ;(BK@a~7#|{+Et(ZtDE`&>=!>i;8lJDPU^tV47}ASP zL^=IXr1z)CJU2suC}kzr-!>3lNIOZT2!w-X`}UH~i~}O&N_Sw-PeS6r(IEsO+D^f#dxUR+7Iij_T( zpUCx?*oZ*8?xTY0gl^dN{^$PM#2W%+mk$zX*SV`gT_KGrkISY zh*6L6aG4|$0%pz)Ek6x~j=09;=+I1bMVsytM?e%fe6G>V>7g)|enZC%bQXi;HEuvau3)J-A-^C-js~dLbeg(SM|;F`ulk{I4|ISZ(Jx4?q5lx z@}iFgpOc-JLs?3pM{zBv;&~ZbH;XwbotlIgN`==}`lX=t?6u=tzQ!n_mj0Zc7^Xhx z_1edOsCE_a zlr8uJrQNJVt$;l)l+71}E#lLRJ(xYdaefV?JfvDi& zfm`KYWiV#{+SY3(32?LK8XM+bYWI0FK7cL;-Ip09kEGK?3cI6k-cCe=P>&BK;hX`K zZ7Iij%mhNDLV=)A{WY+Mvx!kHRjB{tC&u%6Ky!EIQ6sagX~Jtv^Hs| zQeI>4FjPa+c79A$j|JfGq@j=^1wLvu#JjDYCky3&m8QkK3&HA;`(3YcEp(0eOIzK# zfmV((n0(T!Kqq8X>s5NH0MDx@K)d8B;-tUbZXzIv@N4gt+fC9y1dCzCUq4o0n)#{8 z+|Q3nzxmkD9MHkCWFO&)V0xVEBe>RsDqN4t@%JkMOFp5(7KYpW@Gba=+5$PIc96;_um{2{iL z*Cp~?44M|YHF@%rAKW0nH+@&h0NGk(KAnB72o2pN1EvLvFv5m+tZKv%EqUIziIi7{ zFwzD>mvSW_J+jg1`&1r1Qgx4b`dAZ9XspP_uFJq#quX_Yn11*tsoQn)Ycg;wSZ-h? zLJA%q(Q_a^uZc90MJ3}#m4Tc4i{7I^3#e-2BO4@kM3t{zpO`T)!1RajIG;9VMKMXD zCOM4>=vwoEMDfk52)t^O%+o62d??{2zHJdIp3tt%n}|pGa;KlYtk1>ye)^C9W{Bm# z$z%C%hFJcaJeL2afaSj_g6#d=hN#3`#E&uNyeblo9JFR=sTGpp!b@sFR^kj0dmsPF zWH1HofBY#b&zJ}g-Fzl`qn+VypK*r4W+-G$4OUykUq+{g%^0U`;*o-M8r}{`D0nxQ ztm-}% zm6xnjah^Y}>uoV>`gn>=87LLPElzu2>S$)4o)}J|;VQDf5g44qbp<(9v2=Z15{A*+e&b7$ zg0M&+bI$RFFw8%z!(R&$1HPhD(PeXjFwEu2Wpu&_b&_iS-l|VQH`s(;yPvW^$G*@H zN&GZHYl>xHgC7jfCo1VEL!v;nXk%zhQy8W!>W=(;s0o2}_i8u`lwcD7AoED0I)v$$ zr}|i7d@0Ww2{(Eu!~N-%5;}H2RKV;{Vtzssu9z|!$9H4u8?PU>h$K3p?JqCeKE*48 zn%;YYz%@QZ5q9GoYpXQQeE4etdoSp`B%m{bmE($8tCkeBiky293If z*NLlTQGz+4!-1hN&O9qzd5^fpuN(vp zNH~V@gUqP}2z}mUe%!tu{=T3+0?C8u(ZLtn`)?Z{%6E-}`)e~$*NtjWPj;irpZIS* zdU6Bj{B7(YWjnczG~%MCANh4n1|63Z3{D0{lzBKk>JTXc=9FPRW^!UMYr2E?#7r0{ zoCMY1il!pc$rHOWJJBG}DY0CCDjw4M^+{J|G7vfAbgJq7D-g7@NAodL2OXJE6#U?E z9W-?oD^FDyBlV9>a-o7{K(?YO6w(zBty4y{{YOgBX^{%i7pDV(CYqzYI;#;#mN&%4 zsqP}`zxSUs9BBeio-d0Vs}1nV%CnfYHRMoRi=HRhGt=1>!nHR0`Iidm zpjRd`oz8>dNB1*dNW7DUGas^NMf%GKO%D1J{)67iI}r*xuleqiVSJKI55h8(lHl^E zA+;}xMJPy{Bw;u!8_IlM%=P9+!X*9pBi>J#|F;_N(T^lUzvnvFP0=QVmqgMW;2Huq zeD+;O_;cXf-XKqLsSq4jKVSHIjTaud)LEK+kU~dXg9J?y+0l!+q`hZF0??FlQJ1HP z2I0#85znC}AjEJ`@gBr}oSZa(2lM27dBj1eA@S8`(f|`^)f;#p;mwXB#azP<+e~5I z!MS?pgdAH&&ogifCRv(ss^{ho7`WPvsfHVLN#&geUF_`kpL) zKfXH>&gsXlBt-ufl|RcM9Pq;N0is}ULVn( z*X~P<(}V?rx006_jZtfu?5U!A;?Vmjap=~?K#=d_Cmvo5g4Y|1k11QTPAHEKQj$! zSE=UyQOt%&vh)?X`2vInW%O+-5`d4HU9^+f50dpM_F}$82`W`1;|teTYgPTwzLMIeyoU|QlBZ~}dN`mH^z-Il zq^#g-hWd3bNn7|RHrC2@$q~6+;(cFw${e{hb**nno1ofFe9yS50C;RAd;8Q#5Spuh zbaeD6D+;8qzT&#!2E;RU&aDrf5W#z;eSNnaU=1KKi8~Vsk5__TQ|IOaeaO;$j(ZBc ze{Gd~TQ&)3w$AOmeAR|tYY9FX#_0N%V`Ai@wtVX{+hqM8-G0xk_H%LiSE#wkLc$q1@yqpIS;cIvuGfv4ipJyDiFg z+nX^06b3GhzE}(dI*;i+?R63KXj?|5`a%Nov#lU&_z{lteS|tAM-7p2!cWf6&aF&_ zh+I_sqzM5x@M;p5b;q*<^MmJ5(D#n!D-59m_hbj z<5LS%`mt$&S6LFqg#RRHSE&F4h2keAd}Zji+scW!?S@WHgo*6ds=%*Xl8?i4!L>pE(T;LsM3Xq~P<2cIR;e6He>4gMC2t<*ds%V#982`n`xNFJ z*mCMtaf1l>DxAE(ZfgX-do&&7FEwG8;nk{Lx)F@dRhBJjIiVWnb|bwW9pLe>_-z?y zk4mRI-*^w=15sXsp$acPii~*M_2byw(DnWR8Uix`)b+P=zNGJ$tn|{Y=uh7}S z!tE@kXm&w;`Au~-3Cv?nuvpO3p zj!?1GS=XSvFu+Y0yrJ9&)yc(7Nzf3z@xq9q^4_50x=!X;2>Zg{d3d zS!X^4qR67CpCi7y$l0T8yvQyPUM19XH4j!JsWB^B!&Ey|no~epDANkcRt?I}vYXK_ zSxd*NYXv|P@4`(=5REg>7T5j_T;p-&Z)+WSAUC%kg|35%#nBc=5Hd?jJ?c{r{e|48 z)VUha&&X-LKAuRVx#zpb&{K@n6RBhML~2+)krGxCb^eurzOXzLixJMASN*Tl1CB=;RDXEr#1Xq#l=bdCLfXY!9EIuZTn| zk1O3k0SUx8^md`1I<#V#)T(7+3*+KZM!Uf_# z?JKrqm7%-FN;dc733UXM9%Hx?5|rbWMOL_z1nvtOhf-vpgI`mV2)P7*QOX{{IK^I`m5 zZ7KB=B|(CmX>#(EGUC1)k?QfD6IO?1Ta-*Fhk#Jc|oR@Ad~0$-=Z0)-d3qJ$3lVSp#X>)N)63NFkS)?{>i( za!7Z`{5steabUf$`GSQ}6!8izEDF81!dcIYt3MG(%R0fE1{#=|{HFD>@;t0n98dJQ z#)tlTDE)ctPYIH+uXwo4fQE@b*{#2&0&Nky-ye!C;cz-Mn#EofnNoix-4%64=(iXC z^=@;BG4fg@G1W!dpUFHWM#%$__jB(%AhDWUzZ-z5@6in0@e{DadHnCA=O3%3RwI2K zhUE{-UGOea*cgvI4l;_*9iLFd}rH zgY|t1l$vEYo_-OF3<`N8mL@Y1uKnB8t4G8|d#s?b?r4m3Ukd8Z{yH_;;RFN47eAdU z4gq#f{;9)pZzS`wu%`nQb;>Pk zZ>>0?4)H#iNmYY7ro26x_Nxfb%;@Swjt2Z)y&Lh`{VHsY#MPg*OGQD@RFf*~09|U! zmMy6XpmU}%=v_%RigoXEy|!@;1`cd{xd+VA5aDucu~r6ZKI)=Au;_~lveWP#rgNc7 zG^r>3Wht^bo<{PT>E z2vn40<`m@FK+SdKQ_z(ZgyBJ_aCzCI#1r!oZ@Y6)tWHnu!D=pC_j!3RomGcsyEIf; zFnP_t%Kb0eKV1jaQqEqAH+3j~ke%bATrON;$>;Id$%Hzo3sTcoooK&*I{o39YOw8O z5I1MM33&tlIm#2AD5uHc$g#0X2q|6uv3{lwu3ns#QBp}m$zKyQJLcVC|EUZbM>dCgI+(2LxloCJ4wQ7Wc$76T z{((_~+Y~}H;2_@ZEUiI-Gyl-&Eh$6LRSvk#&0Hq1%mP9p+s>DGj)Gwb3lDFw4AK#quhGZ&!=?4wIU?Y-~m%9qsEmk^vxdPpO9gZwSIw z->u8-M&tPd!z-#&s;m91hPGBG!iYI^VJh(1%wB^dDAZfjYw>%a-s%3zQVhSTs73GQ zL!or^oSgGl=E$Vape_vKgVwS^boB?nBRU+LPW|dDh8|U%zA!G$inHDU*Y{7CmAQxN^AdD9 z@@Za^I2&@YZZrEd5r$lKZQfi9j|1cT-a~B1W8n(jAH$l$N_gAQad4}|7G>@CIT(p} zqHWHl>Jq{zbTKlbb2}gbI`A}HAB0#!sOGPXwkS-V?&e9e*rQiL*TRZmYws!$T{PtD zsxCkivlStBo2iJ*Ra}93&K+G+KZA~b#P~>VCr>)OHUNC)`+7n|`jAUwUT?0Uk47^$ zZ78J7(D~7n&HUHaNSg6e#~8N_q*09bD?HbQ@Ym*dT^@@A@#a%Lt`{<};iPu*;{Cc_oszm>Kj zSHWZZd2sSx23D`Zh}COQWAz%0SiJ@#RW|ydx~`5?OLK8mZTp&ibw~E2WYjxzjL%SfG{;BVV=BPPGXIQ1P7Wzvjh`yGP6_HpRg;@D7m(@osz*B) z&cfs{EhEJ^1+-EhOQls{MsK@(cs_R$;jA~|FnuR#bj}|h1P>|xKI0E%%Hg*S8spKm z1i$_lYtcwt{hbUKyEkOk2{eR zA%bS2@JZHWAc^qzyY}V^&iv1v1lsdQ?rjfsa6R&NG}s>MiaD_+O-G5?zAp-{WNZ#; zZ|Dc87=IliE|KGjZu&gL)qi?u#Y_cRANMFp)076e?xUIZ!O|eTE83CzQxgfuhqX*- zOMtLzRx?b*o9lLFv!*64%gv%zpy&&?+0&;zu(_}IG3^3W$j z$KAD472w}W^kH~97Dj_EUB0Mz8N9BG+so*5ptq6bhrO3`;GHo86Bl&;yun&7 z@=$nR+!if$Hw6-|w@W8iO5*5>eplShHs`Z} z=)XO?LKtrD&=Jw@C1+!d&q8zL*rFW>lUp`as_8+tlEKmVZC}*5_f)dYALFAy)U;jb zXa#e@5ALb+TB5a&gaMrA6oB-Y0;bX|h!hsIUsDt-g7-xYja&~SWL+IsSlJ~9oDWWl zv1RfgI=7wnu)*gjrg~te?CUMq!tcmta>Se~*P4^AId#GP2=8|u;Vp3GWQlZ5N;mA% zi?BtlV|cp8f-AJCLZF12mR1DCVNw0a)FXW>RQ2mgN1(n4TzyJW+VmE4@62q={HEBB z45fC;LuitLJAzXrCNB#fJ^grCQIG}x8JFq$q*EZJQ^i#nlUK#nPb6PWH7V6K1NM9l zPFBB&fMp|1?TEiA;5G1PV&AX|5pv3PpYX{=Y*AMz?f(?Pq#J(M4dy`DA&9Fxk*m!!NAeFgMo)Qnl2H8Hj8D+?DJsE46DWjCS{2>oP}8~>mSA}^Y4H}K8TJpjoA!s+)acCgQ8N!Sj^i)3iqqp>{dG1eqAYo7^Xu;bA49Eo9ghy;( zGNFS753{dILX1Ygxt4=g7E4z*Pb(@JZF(D+YLEP+cNFG76oXM)Iam5{InMcfKOyNY z6Y&7FIl3UmXsZHSwikZ<>DL0&pgNsg3|H#$cgt~RIW<@{2zCS5@dF<% z43CzO^TKxx^ve8t-^n3!pnjWWjMyB&s0LqO7~=!~E~<=pN-qGd&mAGlAqYa{#wkM* zAudQNpkP{t-4@mnTWJY~uW8&da@fS_4}ITxL=@-(k=@VAC_xzySf!{X1a~FmU|UbR z!Q>AYsb)3iLKQ&yp%eb3j2x7g0l~Ue3|d<^*xJ>@_~_}&aeqB253M7Ay?Xad5D8~( zG`oZfd<@|cHT-Cfl3$CJR?%xfhQwPmnWP6wv;6cd%-UcRslJouZU%ZnV(AvoLebAY z&FL&70~meM`Q|{t5a<5+{hxiG-{-PHu*yWv-4g-uo#(jDla4r4*DT?&wibZW$I@N6 zvn~Vq&AK@+RV~oCbwKAYX#@;?_j&_^-4KHunaP(s#^5F&m-(mL7 z+uwECl$gWuJ&!fMlj=au5Og8wKo{9db~?Q&VS^7U*L`kyn4(oNyU|yg;^^2A>!>s4 zyL+C4v{<;M03=;chu(achpHD|F-0WDfy8AK&)}C{Ah|Y$Z@P~8{y9ikR2s#>OrzMr zGt%qu)q8PN>SGQ1rSLlabA33fGn3XbR|DLBH3i{Bk7)?LJqXG3> zl@`vHHi);CdF1#@9iZ>g;hE#pgk*|wZMHFUG*%lNnxDf8`C5V$HsQ?h<Qf}TMi82B;>aV`uIr30`ZHgn1@Elr)ca^rY zHgKf*q(&aGDt!9tO{%!=ht3k-WtqN_0b?T$!k$0Mph{vy#WKtcJuo&9d??n9z7;Aw zY4}nN{(%ItjAHRP-#7V^Ol_nvytWJB0U3YVm|-(F?%gdfZs-xj4^E}hLrxdDN32;n zL4LA{z?6d(=kamX*WfxIT>Bw$oe!>l(=F%MmJ40Ak<5i`C9z0#NM|*m$jjh?Fo!+T z-ygKmyfB0R2Rdai=bN~orosY0TE@H7;3_26Dm+u9&V`8GhnAuScBq!}TA$c!e~3Qw zN0>t(0lndN@7FG`K(^`b-$h8oU`n6bMPEq-!*^}gIsMBV)$$&discdpGF~Cw^iEL_ zU}Y%g#hkyg-b~db2naw;@I>~|X@0=d7_s6J!Q?Z`tt-+W@<4z~Zu)mM0a%gTj{Et6 z8)yA^evLW)HClHV%#euS-?M?=38s-VF@Y$Bn(!e}Ss<#NzZuG$VGXo=-mwXBb~yJZ zzlKh0f@1V=4niCJeZHy zZQN-zg5O`y4%3X`x0@$(T<2-VKGi%D4a5#Bw9+l_V)hTN@igPm^R^=cacN7KxhE$< z=gmHA&(LT@ccJU)`?(nOXYcY<-pyD@D4#eky&I47_?!kAe&^{@fRx3z!Xd^H232qF zKaP(>QtGlVnpNY_L(}x}pVQ{Z;i9#n%k?mv$H#TO&%e&oT7C$JQ37STYp0^npKl?_ zdC!cYpS$5yE;YuFO7lMc2xT!kpGbYLK{f&In8i>CoVP=NpFATb(Y8m2foEcleRe|6 zbp9{u{<5pe?|c7;QKUo(K|rLtJ0%v~Al=>F4bt7xEdo*^A|N3#X+E3#O@i5LCmhqq6o}~-I@{x8& z{_#S$M*i_acSrv5LU%|0@j`b-{_#TT5dD^x;Ut9%va6l!dl_R3ApumX1Q`Bv?%C8j zk(0U*{Qc(%r9Y}r-x~P#r@0~26f8V85sX1sJ7U)Kv(ix%ox-o?r>RKkn8b{fQyGlS zSrZk1i$^zIf0kTw&V`eF`G4XoN>H&Rh3LU#Cgh*~(EG5@15qXv9ne`gqP-_&!wKps zKvMI3tAWl9TxFZuk22V!KAZAS7V^39lC5ODV=5a(eQhVPl}JO;cWi$|zA1%C9h$gT ztw{*i`iLcxweud}3{@KF+k17FAQzQXwXqz}?@ z%KM?fk@nweq|Sit6N2esPx)& z&Z=`b2vYjeOFJi_qdIf=SJzD8&E1p+omn4{PWdL`C~5_Qw;Keu81&$P;mBxAfF&Ay z<}4fgI}EjC2Zahx7XW8b;Z%S}B2xL}x8U*86>U+tgK~8m+D9B=-0_MKG{YBPbDgFXn@^~OI zLXwa1ZFHXdNmGLJe#fkTqAqtd2o&5zj8eLiP~_9P*E>d9s69byXVc3Kjkjhj_}axH ztBjMYfeOWN((~krZOcH!pwh?xd%_u7Px@4Ox_BdsAhk2=7~NgzsH8o&pb3hy(3j(K z)J0UpqeeRTvB1yFuoGV9k6OZ{xaEc%(5qj@78crZpu|}kK90&dU zR{c@hm-UH{Tiz&&4SnX=34-W$l{5W0L7-067N&PK04xb9gdQ-&qLujzqMU4zsGOYI z%SO=!9jH3HXwybv_DB59-!;}yVSYo?iiiw(COH{apVC6R)4Zqm?%AMJK{ns~&(<(- zpgeB669attvA0`-Wsn_djp>1_FK~Ksh`i}cM*rfC|J~n8KG2wfrXwF#ZyS2P^{Iv` z)^zu@++_GIO*DQxtQ?3q3n!JIrNYKmW+I+EV^g$O%KaSb9*kQMx-#&O;q zQM%Qbdy{)(>KiTHA}r%j_ESvquA>Hq&anwxQr3W9c8WLO>NNt2ta6XrYDHE$$|*(f z>VPvDzj}kE4M}a_$^U$4g5H;p_R26>!Kie|NtquGpgPt<{PnRJ`r4&Ql;3TH2run0 zzVjCc*N7)Ea@o{i`!qplg9^i8m$)WGopTzxe^o@(I`qA!J!;IM<)@tcx8-$f%^slAJ^Kg08ptq9G5G;ZQD7@OJ*990 zaW^=V;&e45#Stx3tlwuO6-KU{+l%uUpVeaX1?iIQXbAJ)`$*^R4Q6CU*)ejdh^;@) zGod^K`qUk4q;qo6E9%n+H`*g1UV1RCa?24|R4Iu?HZi`i`|ql>ABUiYw|n=E@A{x< z#eLdG7@wYY2G8c=C1+@E4?4F(D1#miG#?L;(?V(oM#pZ33L=Lkyfyr31bcEO2SqL7 zP!x0Ou>Zaym`j*7cS?stn_SLcig-*urZ=Z{GA$etQIc+1@nif^{2e>e`bCkGx4Z;* zvJcFLS4gt?MgZ}fXYo%rT9BmhkB(l)a7aj>{woob1B-P;UvIGG!1Wglp+A%>P^RIa6 zG7IPtsPSCc!ko_;ZZU49>cI~F8ILtFMwB&%Kew{IJkrF>$CqP|se>_;M)c{5D4~M= zF~u`^aG-YVv3KSJ9o`Lj|3F@t_J0 z(5b|^0jP*ir1j@mMvcqdY6?>csFGe|d*+=rQlop>P&}QAL?@W$WRru?dc&>U+xL^< zF3F)ix|ojnJD>2cWJm(jj=~p9R#7N5WpfbwVU1kETW))fiUa@Qra`N$82r3vuUUHh z9K7_UjsN8pg8ZzL`hqiyVDrKmh0h`-h+P}u$9%$!bGn25+4f@CzyA0};ITYJCS71H z+RFe>N{y9R7ifTDo#sRMFJ&b1P4f7f89m6E=8mlC(Lqy2v9PNxD@+NFGf1r$g54bH zvg}wk+&Qy5!Ew7C8C8}HX5klt*V+u(zGW`xf3k90bVx$KJR&jX%@@J6sbBARRR*Z{ zH2F&DR3pRn)fneFa(efyW7mG}T9r<9r^}nCesgY^#FL-B)>zKZ%1M{J%uo zf0ck?6lcT>xq9dd-sU8D-;Z`HQ|AXiA{0;l((@XKj9ruJerE ziTHsv@80(KF4D#wUOetzD=*Xk@pTdV8qY-t-$LyWs@N`Fu^^Dy( za7Giy(eMo*)S0Q{gntk0m2*?NnOMO6)SAKTLN!#e+~KDn!~%Cml51H;=ppf(Hvba_ zE_iB{PaB!e`2Y9qqn}){?xmB)#O>5c8kmg`jp%t^t1GI&ITf2sS*8kekvfXijD~1G z{9?=bZfTsq7gv2;kg<+)Gfx##Ca3s#U-TN1D7ok#=hp-Bcp3G9y_dlJiQj7hrf$U2 z@xqYPqWgdTJ}RLG3&(g$kWr}9z_Z=s3iYS%kD1Ucd66%|iE#hOTulUx66b&F7v`b%?=dhSmQ?1BlC6 zX0A*apw<>|#@uj2v~fx$zsq>7Y zRkp0w0Ll}iez{HF2rpk@tnL;@&qP{H{J2m9bgoO@@E#8b>+8AWZ>d9JMe(9^Fi8T2 zcQUi!PF9C*A6po>m=FOkQgq9?`=jAqbwv23ayO(hDl!sJY!9M54Tq1Wlu#y*^u;xO zQ*`QrTH~a?BX}QOHMob-w-eJ{>cR8vL9cfe5BFqxAhY`Y-xs1cQNyO-@J?nsy1}a% zw0Y12cnas-gY$0UT>r)&z0V~wV2!TEJ6t)bparzsLR}|s+hO!dq#MaH+CUZ(PhyRU zGd%q$z{g&u3ylo{skd58M1Vhv?`D0nSU1=w1l8J7-N9TcZEFzdE z&%7IXKh>Hl{ZJh`ANeKj-c*HA9>x>hd6wu#Hnm%Xq#DG(rhGk;r3$yMDtIsq=prKf zYgb}-+E9Cpj?ORA1`r!L=r##223nc-U39fq& z(>m}&VqS@z!5AGp3V+f5sSX|_CU}<4Hz275QvHGtm*DJtMabLCB&^@fe~(|qk`Pws zD*YMZ7Y!c|_fdwOD!*-Y4o(;nPrOVniSgO!xfrwZfdx*8^c;?in4|WH!YfO{<;X7J zXqK;<1A6f_I`bY;0Yt3ds9Nu?LRQ5!dmf)U0qD2_yz&x}W#jvjSC~2*Rtlc+Wtl8s z`Xha^7ZZ;#nRpY`{GU^W+${z1%Pow)NiYDsg@|}U%zDiK{aQ4ARW|(Ny@+FZFRWPJi#V3| z!iwd+uwi*G?Emxj^p_>yWC(g8H-@-IcbrM=)fnHLPo3f%UkeZs$;Y8@YqE$e`+->PR0+sh zeP1%fw}Y?jG_3_ZmSFWvxIIEJ5qw>s)9Au>HBYkSxpM6@OyBo<5& z*AZ&kt7O5@^1;Gy1H(Zs=vB|ZI_w4YAIgPugaTnq?ONbpuT-3Q=4FMm=RXf+p~osI zP46&yH=n&sj?T>#AoD6YWbe&}O1vXwb!<6E?}Fv+7J)2~7iO;g>4=X4CH13Tn7e>$z?DtZ^GuBJt4a^k4KojkJK3)oCePAu=`ArU0r87Jmf~P=xCgghJ9WtyR z?tk}>*b33>Kii7oJp_FmpQN2GaCTKA0{?80bjU% z?t^z&KR5h(<9cGAh!H~kG*&!78%?fx|JPX+M@AL<%@TvpTG@yn$J7-@A6{N8A3{Lj7P>g^;03oldV77zvXON%ce!`6H?)Sg z5#N>a1iq;_l_ixh=pP+v%R6O^L@CdqjnBTI)?L<<*OiZaUNf}5z;i-7ulMG}FisVslP6+F4C6Nox9^#v$9v~2{$hLw`a~15h3;s;D631^cYifxM072j zELRgG#}-`lDGbr6TSjWSwU~c1y!w=xC7`si8}FX0GDOOn)OFdZ0Ph$jT_%ANh|s-x zHuhc%H9n%St5gw&6O|pr8-2>CQlPl^maPnUAKTCt#KcW)9-An(zfizgPls##(_Yng z(i7C6V!n6adZY?$_7SWXZkr%-FTxmj_P?x(o(WYT2;HtOMN^z4G2`7Mh&k~5} z!H3gT>-)7SJV?Lwg68mjJm5;G9=`D4IG9NNG&W{90tUrLJaY;}AhwW(_vQrwSfx7t zEVD@;2|sF7C=2HUKfHv8f|9>RI7e>0JI}z6v!1u(`qu7`SuQA#ef-ShfDJN9tlBzH z=%6rsx2@>wY_McT{G`j26I}8;tzJp6VRZ4S47uGrQ0cqe-Ew&0oBJ&U=FU{j z9peZC7c+dB%JD>07`I9L_s{|q4H=Y#zRQESwRKKaWCEIxT5Ov*A_7TD{4Mln!{Ev9 zqIr=dU&Q~y?{&oY5cuGf{(|_05yV&d{m%9D!kqi8E6-y5O8Kjjy~do)fpNq?qYHVU z-N&DlVl*s3XY{_h&Os6cM;1KS_QIH%&UKUorduW5Wy z0_eCud{(Y{5&gVk);R1KhVf-hxG*Q92iC)X6?J_5AX}g@;ih&1{G0C**!eDoo$ngh z`7VN;@3PqWj`4kRym0vqp*|$%mZw|QyPyS=ZQ(riQ^+Fr$j;ktU7*z!@k)752{KS} zvTs-wF5T{W^ZZ*KTp-E1Q~E0hxlFP=DJ}0uspO26ZN_ylW4u-{o|p({NFpT~LaX4$ z-kTyA7(-nkpWOe-X2mgyoM&w*!N z(^@b-@vM zbusG|1cJumFLZV<6a|>~CH5``03EyY#FHRX=uO+yj#qX;{n-K*LKSxKVVV;^tj7UP z65jDN7ji-;?g>!d2vtJ3uAl$f^JDd`JXn3JB39qZiPg7?VD+tB&`svd_-8vC+$wj^ ze!36@btJ4&6l#g^EGEL%?4kpxMZX{i{}9A$V7PHjs{}0zpVv+1NCmoMO0@;oLJ+%I zh2EttFQj+br>gL-IUF1Alb`$OjUHM4>NzMsT!G0u=YtDAUf1!XLw_DxZi z@ZG}u_->0Y{Q2SZZrs%dc-}0FRtF^`meWyLtiy&t@~G{XYVUdAv|05)b?4Du^OxRB zmyLmmQ-b_v#wqZ8)y*gE;fmIsCmsrPCBpO9+5Q@An0tc?o7lyYI`qC%T&Vj(95@g# zI*01`z!UQ??-YW=abEv%t*81I&s2gLg3xh?93?m&`C6_}N*Nw~6!GD;6)1 zzN0f4>juY_-F++ZoZ+&rd-Lg7SKw>^c>8v=8+e=>R&uI#hBERSZ!0ZRvGoK0U9U7f zcO&L=k`bH~C4>Df4>ZIxGG1Zj4vVC5uT{16f$maix?HzAn(3Phen)4B@g+^pTHE4+ z9GdPv{_EnX_knOl^C=#9*VVOqJe?B=k18nWB}k%prPy0#HSFMcF64~yq6vf~_5D!R zi$m59KZ0ak&0xv!>cvOZ#_;vWtDiLKF3=@hH~M?Q7}EOx*zapPp?YEmLi@<`Xp=xL zFGr4zMw#8^PpN?~FS%WIDrRt_@DQ=OM_T z<$B4npMF5GbRp=hh#g2*2CoO@L?K-7U%2v1an(QK`aZbM$L-`fxi`!_u+<{FmlMtb zA=d;5UvcOl8d3qL-3#pSZ1)bO>Lo6ixwBaOdz&4Ix4WCFlUZSqV$Zd=oe8MY1!Qad zWe}y~nP$q|vk;UbLPmR=4t*60)BzrMbokI&BYm&+!q?=+$i(>*X%Mvr_-N$^ zd}sGWtA$Rzy!4*%{h+8jXvYz7^_#=Bo_65vh0HL{^T^BC;|i6Z9fJ9?-hm%R(Bjt; zWF%k+{UsTb_YIg3&umVW@g+kro4dt5$R2{0KNie0DPZ>TWT!Eo#vnAp%-qsD;RMBM z4H7yj_VC0d?fxRIBh*!AUE8ZlK@=QcqBNDW(W=m?FM%qNKqL`+Jf}AjHpp7331@La#BFPIrHc_=AMSnoZ{oa<0XNUqrDs@F~pD$ zIi@z(gb_o83#Vt>G5ER^eRcDY1TsTJF4rm%;#_a}|MtEAeSQ94KmYIg)P2{E6R7({ zj?_StAw+%jeVb+Pi7xs0sHA8bLt%aI#-FZp=wz<$Qt6H%{Nv+UVflE;SU#Q&mXBwF z<>Pr``FIxa$Xxaf2E+?T@He*F;#DB7TjqWFtOlg%ze=77*8~#Pp4Gqi)c}6;o>yS> zLAbX67jL1!##>~u@s?BAcndi;-ok>7w~+tO-v`(C|JU9U+dszG{xQe)j|H}WOtJkF zgDl2`Nfbnc;Kfj_UO%2R8j}6JUy&pLs-r^{4Tcz-ceVl3RtqH5foes^GEZ|lfJb_x&aPFU(ADl^N@VQ|# zkul4chYcne0$7z|q)^e+?GTnZNz}qMWACoa0m5Sh_P<|p zGOfGxd zQFK_cd)QP$2u){)JMU!>L)#pI*QxXDkm=af=-Q2k%}TH81x5%}M8P}R@mAa+Ufq!RNuC=<~qAx^~j$mU!( z>?zDa)+0{`IPS;cT>p>j_u~5d^3fDqyWHf0lpYOnRUbaIE!&*&%^1ULm3(=>N1Fpa zUVoT&pdpFetceZyzMRFmKS$mZJX4@mM}N6r8mz|~qRV}odunkQ--7+q_0nW2K=poK zExSnq^smOQYTQx8xqtd<6nr!-{m`r-?b~MLf}|zx++z0*Lb(H>_5DL0aO;&d$tA5o za9NIXv#s~WnU{#``3Kkg-T&Kq_}}-7ylG7lQVv$oX8aXA@P`e|U4&mtXNbd(cP_UL zDfQ6vbx}K-$Lz3H5!RMm%8c{)|F{4C_j>Gq9F%x96Nt0u=Vr* zy*;kHFN;4Mb=jZ(d;T5Q^9HW_5w7u4T+e&WHDwqlr?POFdpthUGX$x1@ zw`JlkSYnPD3-92D7gXdcdRfd`;=Dfpt8YAyt)Jw;)=%nHiJ^^=^~`bmDk_4mT{ zeu3-ni);UTg}oN6Kk5wDZEZxeDx%QDHMD<$&It}f`-K!bJU~S8dDidWCWus}y>{3QO|Mx`twfFiJypn{4FI`^vH(@+}w{pzo(Q#kuI zoHOGNBV6->PxH3fl4LV5j!#NaY&(lmTVA<;IQ|GczPiZCCXb@1wvnyZStBTmDk#-S zoCQv1^(%#aVg-TOlOY44>WEoJ>&2_Rv(Spyz0P-w9c%}5f^PaV!<3`+vUFA;3VonK zx9cs1tcO+_j~d#*QO4iDh4yVAxpO>tVVN3T<8@h_p0a?zgwnF&U?U`iZ~gNm6DK@o zu;WVP69P^H-P}w8Ay}2VJzyus1!XP2D(kdr;l3o5v}9ca{L<(2&E=+rDWj) zmM_{#i}t)g?t0p3={PS$zp-8o3FpDNUKH2)g)3jkfY^KR#qTh<=B)CAoi_#L&Z^k9 zt3&`eE(x4d4S~rOBN@U7j2?iPAhP3cAS{CElcBmo7<@o(5WbTQ^k+J`S}1R#o1AoX zN24zS>6&lh{y`2*-da9)@?{Zxoory=^sk2x8e&?V^;J+R(N67jZVD0Mc_}}=c^O`x zrDGtwQ3HNW&tI(nX#`(a_ZK`)zF^dv{Undg4en)Y?rVGrLdq16n1?X_)U+$gFW*eN z16!q^;GYsbWL8@%wBwuz4>a}Pu^9$~_QVAJQGrTCsN*WgcsU-P`0*X2j5q4rP>l)Rl&NrhB_Flp^|=S@qbGIAW9D$xPg_+C{(VSUKG zUAWR!;DKs;Kk$*?)Psss+k1Tmy6|NC>DWxE9;%u-HMrJd3}kL!BEM8fz?MPra15R! z8ebpmb{Y}~S`{5B+0zoRDBz_)(WeHNiU`Nfx17W9h!~&xii=>llp_aqP+kkrT9;J&E;5r8Qiq_HzodOZiQ4jV&Bf z==tr>`&NRdd%@o}J8>Y654u+s$qy2S-|vqWSs)sldGD17F$k{Hlbe1k47!~Y3gm1O zP|fxx*!7wLND|SPbYZxNpPEGTsbwrN`Tl!(3m!I@^G(>+fu|$J7sgIa$RZTc9%nx~ z-lvCx>P_zano>de>yaOrDj3i((ewVZcO`wn2 z&r5yC29>m*eg5=_2~_S$=JzEUK|7z*IlpI)hvEnmNOS5jT+rJNE1O< zh@L%BKB9`+mz*6wcX7a2Rkm+yTmQ&QBJ}Z1sy=+%Suy?GXo~g~5`X{tYYOW*bNc*e zjll05{Q&I)OJs1ixJi3W4aNRhqI4bN2U1?okPRa}bWu`WeARJQG1Hkvi#nPC&DdYH zZ&kHGRxU?>3I@4>=0M*H_jMa2Og%ulCX7(e?V)O^2~QXty^!AV%pO^26PM(RXrs3Q zcqiO{TY{#Zh{zFUS(K)6Or<5w6?S7FM?NeV9T;qCB^EhBUiPBsI)@wDQ&8yJ#qdo> zXi zLqjKDY0$`5!BK|XcWigdfPv}qdv1)+j7~Jck-^axbY-8=$G9LJ#)W)ltLo$7=iuY; zD(gr{=gnBne(VpI-f16uNf?SuCg$D~OGHBUncBxYQWsGP5_}-L8i%~1n9I|eqG9mT zP;K<*V2~#$A}b9HhSgx**1qLHbY?`fc6}fSk#jTt=xhuGo@+lTbnB8J>@bR3&`k&G zb{PbJE(OEmot@hJpgaVHMJtJIy3h1S;v;y$ijS zf~_FhpzpmlPZ(0er+#M8EDdzcM6?~E8fazoopw8iEPQwrtrE>I0gqmL8P=W9L@QxY zd%p@rKvVjCVXE6Sh!`ATEK?q#I7;mk*6W?9pydr7r^{`~SUMcnpy)?G+U(!da5sZ| z_vl)|0~LsA6_nyQ(KSZS|M~uc>-iJc zd>O9$DX#5t9Y474zmvA?{7tOmidxF}Goe{7NIrztjUd4aHu@$1)Cd@Xn7EOW_ces7 z4QBOT)N!TyCNyFu0x>Itd~w54;B&<2wa66-IIdxD z`)pDJZI!*$C{U8c>S6yopC8xr(h42{SyCYx#)o8k_l+VwijoK$3^+jn8QbMmWIZRq z_F9t>#Z?Ama`nnyDED!k=S%j>J71mF-Jtcf5La4zBHAMsahy$egKxQAze!?TfwkMg zh&IR#c?(sS8}Iu-#By3WNvi>>$+vABUzdbjE7>$RSzVBS>CMFdLmVy)e4`^YmVx#! zLcv_}hRBGXa(?fP2s-?mUVM&B0#3v#;8~uRLUL+P&o32W_)l+D2Qz+R{IR7rotmd4 z5U%$xT;l_{^5Sr9|IRA?#5v7o$UoUZc$DZqGE+MG@_VHPqCObEa4h8!2xU1{tSEIN z!d%OWUYTE51A0H|Xmk*P;e1YuAT#r_V!)*Xqbs%=tvuD(t$3 zvMG>|^S|Es#SRlv+lwdHS>Z;M_pgiqH56#K=$#qD3gneHTBR!4K(ED;j3bEcf8HL~ z@r-MK;+kK6uh&Zbz*7{2iyCJ?aB{=#h~$=uLrDk>CEQ!OF9Nc`^;AEXd7)%kQYy{I z9Q_;5irDeYi5<^!*zwGc9nU=2@vMaY^*_eH^8fl@6x;u%*!~yA_P-dm|HW|be_Yo? zT-X2qb$%b$_4c2?swCE5RTb;6DvkA5703FkYGVCW#c}S>fAJFvZ2W{08$Xf6#!pDG z@e?X+{Dd5ET~Gek^HC&?uqX0W81f@HD@a0C07+?$Yqt8?X!+bZf;jgybjxG7{P$uy z#1z=iG0-5aKeaN}pPC=*Pc4b{r$$(RYD~WF|NNIBIN^ zj}AAZ;`F58XHN^jwW2FfQM(%0Gta1uooYgd4&*NewyZ&KDC^d{la^p&Wv*Qe-pH?} z(%C`>nS4;RUHrfgP2C?KP^|I88HGERD1!siM);mZ{N=#puWi;<=j2fJH(DQ$ zzvqCyWyb(-Rt5bLn^|6B(S)j57^ykJ1+w?nUrgA`BZq?9?cOvkAd;>EchZ@ZD5Dd8tIIDJ>q{_9Q+jhF78z2|lgRmku# zx64ohi_=@O@-_^g+p*<^Q1&U{u8O!9uc8Y#h~qzE_+-dLm*!RZpeEo+EUfp1>p@k> z)X;8^HLB+jd&=0WioK8HWAz<)SbYZf}dL18m0#uFwJdZH^B=>CXV;gX_w=l&4_(enIcbAr;Q`e*buk!qB8&vH5+P z4cR4^WqoqzgP%jYwdxMMK;Y6w=X_2c1#VHD%B|(V<`WgLd^tTVUrq+gmy^Zv<#e!o zIXRsBbJLIg?!=rH+&oU1f1qTGR(y41t7T0==-QUU-Dx$rSlTMRo^Or5^{0+!4{Lyl z$cpLr1S3!s3_pA7rY%Y*%P7B5X$1JBHp7E!#$aMtAs%$-gi8I4WqQA80oUQB*{Ul( z5Xy1VN~_-p+0JJU^w2JhaME`R^!ORVmuA+umQX9Sem%FcveW`+J{YdNQ<62-;ldlb zz-IPiJzUQm?JZw;QGQ1U%3lawOgg3yS*?-Z*dE%TOeTf1Bi~fvAHUQD%P%#;@=HUp z{8A$PYW<e%leVNuMAQCml3B_e?y?E_i`kEE)D_2e6%l# z4H2cxsl&@Fk~oilT={aiw*Pk?X2qU|X|d;FPV9M@1$!PogFO#xAY6GG&(68d9?Z*v zR7bo!3x^0|NzP~roW=0Uqjs_vk4nKle_uh!GhQ^MkoO}ZO$KK^8lw(v|BXpgVN zw7jTB>L1(2oLK6Rk;1LPM8z(6&uV+`J3$u;vk#R{^+<%qiZ3L=Ihgw-O`5sJv=Zt( zC9g(2A_fcBn#mQ7dEuVq_5O@yRaC5a!8L=44{*IN;95_MYk%VUd*S;2xISO{`4dgq zd107n@+ptmkVD@!^ra-s#b6+hG=_vk9GLl^wOP(7qeWJByV71xU<>5cW#z?iM~}v| z&gVIyA|ay*nmIE#*TN(wrECGObi=m{Y28u%kcU~vmOcnF65h;ok%qWkx79#C0hCt1 z;~{!q90qcwr9+9tLG^BY;S9ez;(5bZ^<+y3%MTI3@?K1_ycZEH?}ZP`dy&HOUIekf z?|&cvxb`Qm@hDu+C!Zc4NR$6z1qMSK@u6W!v>r5n`6Q;^%J$CHI75AQ*c+Y-bWagS zBQhoPyhg0>GQ^yt!h#woNEbh9ter#0S=%_Do~DFIlcOGTWt1RB&;0CpBp<|D)|mUQ z5W~?Z>A*Q>a?tP$tdEH!gs=MjeKRM>K!Eb?cj0g{*bp{)1(?UP`cUf z>2J`CG_@bzf0dLCru(!pBB@Deal&)TuqhH&vJ9VJ+NuJt=9oVJ?-oes$@yl_1_PAz z{NTitIz~r&SbD|$5=NIzQIT>bMFs>4gdKzJ4N;ce(;MlIvfv!{ifwE{7W(6Yj`a}9 zBMPg+2-VYPkyYHS+a5<1(LlJ|@k{G`VB@i@YVk@6zBtQC`~T2|oo{(hq&^uyX>HQ@ z7#%l~_^F3i(dmV1&*kCQyBNZix>pZMkLbg(K#K>|>x>}cl16rMRT*{p7{wL8ItzAh zd^OeD>A>Ei;M+bgJzR4-m{y2pgfpi3@}m-(kW{~Oe4xS}eXckaNq$=mxMhM$CV5mK zR{LvxxPT#Y^zTp{OfrKF{{=Vt$qF>QsBDs`90((mKV}7dZISqLZ?H5IhBsScOGG!xAjKbG9{{=^k%?SCZ2K) z%%N81&Zlc{;vsYRmg}$gR>0|hXNvWL5r%X4GiK{y2xze*MSG7F^tpMEfZ;@-K@; zx9;i#(WK{yc83ZmbxbZ%6quq{EDk}TYqF3e&%SP!Z;W%j`oHx@6ubVYW7i*X?D`{) zU4K-u>yId8vXXo+>NA0W=yy*j1@%B7`sy8b1vlgz+^@ZV#vXmJFQyOrdmjE;6`7o% zw7{94V0%3O{kJ`ge}Ihf-?1N<`d($cJI_R<(eDV0x?Kl05HmR{tQ^P=Gma%oM2qb3 zwz(#<{ip{TKjE%&I2DM|J)VERwqy$j19h<?zJ3|#Rb_oj$S zDJlTn^SPdWQCu6?m|HVMo{B@D?AeDFZ-QYtvRk#VECQzYf0BB=3xjd#1bWdM*06}z zz8O*Ag#@3xl6Hd(#31cL$G0zzGY^OQC-3LjwM;lxk}{jV<%!O`-Wk6bjj5+Gd&Nbr z*@#vfFEa-$J3&}w@AC3O5#YL>;2IBn5hi{8?Qc#Dr^>Ejcaj}aIyvY>oivb&c)mdS zX?CbTtl*BWxQ+*0-v`(B z|MHb)*nFiDHeZR+m;GP9QVpB0G{@#EwQ-K888=&-5zKl4ZL(}gMzseDnsSD$pzYjO%RrAXiX_G_ zERWF%%VRXb@)%99JVr+>k5LnXmJ)OAERIuBHX z=~70vMsRuVlwFp$7NqOg?q-~}L)2d67S}vepj`IhuL*oBFyJ}OG0AfgW#r_SJpJa1 zCUxiCA2yq!x-XskcNLOhh9y!)=avT|!p~J}tEd7uwf&>_t7_1`QTWu9bv;~AnjzZ9 za7A3$<)>RtRU)U!=T=N7^N}Xu?Dcw#ZhTL6O_^3N71Gg>7nQGlQMHJmqE1QzXk|um ziQkJsM~lZQ&wFFyX~i=o&+l8KDT-nHfcFxhe)XcHc%m4jDz}HnT@nYS8AY>>vr;(U z7jUhIu`lX%6ZjkmQrsVY9Lp{MDpH24N7afkoOFR_N-wHV^0yPhyM|RT^xQK&kINN` zQXkmI3dzECWzEcjcnLJ|n$gT6;4G{<`>aYodOV`qdnEgW*|Oq%#YJ-}5fSu{AFGDt z$1-90u`F1AEDM$&%Z%m6GUI$6_@`&F!|GW~uzD6Jte(XJt7pM*&;L))VvY4*Rz^w% z#JtiDDkvnnPc9P^$BaH{tJzc~0-vo9LUSZVL3VPvIG0uk+ujM=-Wl886x-eq+ujJ< z-T=bhE?T{sNI@fM>wjEFlThJK^bvZW2v|sP^hw0{M)X%W-m|zG295h)X_J>i{vY4x zzxzi&ZK8F->&5ut{2o5m^)d%#aU{5$bWH@e(^jGn&qcwvQ5Mh0@-!%VY0|GjUWz?W znxg7><3S}}Iapl_8R@#I0xAB8@Ex5xB!-?n5G_@J4PXDdZb@DAFaE%cjX%&};}1;O z_yZF*{y>k7Kd7KD$LbzlTVR8LE@^W*QVGzl8}PckVUAAZ-M_D?BLlDBgna%WNCAHu zO6N)!W#G}bPqs-IzD4C${ZCgVT{JdT5!1`%fYz;hbp1}tAWl#3mML?4@a;|;|A6r$ zv1WAJ3O z%K?8hPA9gE^1~3-YOn3|dGu{OppQR_8(K$IRXG*;aK0~a7gZ<^k}88jYdKMHsS|Qk zq50lmq697%+@qrR#Kus^79imdDNgkLf0ju~oR&K{;lwBwLVRhFTJ}Pg2&#fqh zUyoUI#P4MyN23<25!ouxywYF5ek&ViKQ;XMdxr6JJa8xau4ZaI4=k>TwMTr?Lt@#V z)8}_M;M)XIDwh)vxYo^lwWH<&zWoPZgWO7hCa;2j&$SJGE0!bF^sEJpTNYhOOB1}J z6IUL1+l}IN7V+pGmqSvp-w(D(4Mgtx=5*nr5i-1Lc>aZ;4q_u*mgi}(1Ri?UZwiIF z$ecYiB|+5;=ls{tBmpze-T-(JKW0(kuZ{Tf*e<`k9EC=I$V@3HN1=Nsl_uyO`oV3y z9V6ZOAh0t(D10|12|ayP$|W^^=Nw#bGLMOIvicupz;PltD7Xsop1QuNOe zK@V{x@cZ^sf2A`b(U{(c|)*GE;>S2@vJ;#KNG4{cChbq$)*4}t2Z`*g&}1V|IU z2Ls1s7FaSh!QnDax}1nM)TI~VZ&UsK>LiaVLJw>&!~R5tP=)9LgD=kPd$*+ z9EswDNE*7VPrXvC5D63ZsvfFKj)?Ep#?nV;JvfZDs}bZS)kd`cp!{nM7o8y$$Q@U{$m{%HamAveO4SfpTSx-fxO+YMfSi5j@S z8-|$JbI(Ve4~A>1VqG5PHOO{^Go$QV8c3gw?N-Hb=jg@P{CDD0fa-bSy)dFw(?g4m`#NRQpK?m8GaMkc7d}^VKU(UO}K%%@!|coQuL7pWSHg zkA+sX#(V}$|J2rxD9#jzqQswnvolXy!qxn-+)OW5xYq4XF(?>>M0~+k)ZY%?<5{zP z<9CHb(lq0dwjOBHn-!>hbp>b#^(4RP_Mm0Lrwqb}9hmd3PL$a3Vwig;cC}zG184q* z4%KL8rqVe0DSspB-MI?UcADxMBsb9S{xQZg>4k_{?8qJa?M`4*njv^mJb`eHpZ~Ah zk;tV)vnuYsD?E2Q zmeu>&6KDMwu6pX*!CVC^fntdFcgF_n0~VNlbN_z%bsnhGGx&b_q%b&U%(OA4OCpBX za}N?WUyrQ9U%In%)o`T#_JZEW8t60spmCD18FhKwD9ALsj>dX3Bs;7w!Jp0XJ5~pk z5K(oZnCeg;>V8$IsZ<-n$MDS!5n7Btm3Kr3SAHb2Z_d8>#KH)!yycSYZqNl$=EG90 zD^@VJIjA0XV2SP%IBjY^HicUsRG%0Vm;<^RTcz*gjLIBt@JWyvVcTnC+iPLlt6|$~ zVA~sG+be@c*p=^|JdH&ftub$V7Wb^-aj z6&X#~7$6ivygC`i1LVHvBNu%2&~RA&CtFa5$qTfLR1G|!T*G}3ZKDCW&i5?t+&Mo& zGiXrEXVk*@y_j5P(EPBXg)+|^BHp(ysMRuOJf^}5S=Z3G^$9sb$g#)V%#KN5e)$U_ z)5U0befsDh%kg452r*Z1vYs&s zhH`_SYgt#Lp}TddkkAVb^u$o{TucRUc|5KhR}|uZa?PzM2J%OTd!~ za?90Z3{UgD#piiD1&E#*UiM9q0@e!3a3wQCocZ475yaY0TzEk0Wh+aXAL7p$Q^($odu+^@Ds2)TLk}qtl&g0D+B$MO( zYAxZ9$^)-T+`xEJ1}DtyB?XN^wzB)rD+^~}oLEWp$@D?nG0WX?7=L?H0h-gimU|wU z=UiZUzzI^p-AxyQDG<#HY4|P+Ey5~FozN;NbUDIfHG)9|?|wMGdZB-LZJOvitNxs= zzc|dE>QXtqB@OaIg0CLW$boQ-b+VhSIOLmV5|r3!A|79tzE5rbX!`kY7RnYYIOo_t zL@wlkj0~qA-89B>mrpyIvEQ_SLN~>4St+)7&pT$7!e}47HiCYQ4vLGB22jIm-W{Z6 z1B2Bw3dH3XQLk#>H;R1|h!;ApSbW$FE<}F}k7>P*oQW+ukG`ygn-`*P%-zd^y*TxO zZR%U-*v?{bzf3i(30Kvp9H@csCKT5~l-yC@jj*IWcXNo52@zzma7XJE4U5ZpnEvVF zs4M3i3pkU|R70v^1Lo$?H2kU#z8@qJA(1Zw9j6L^GqwhxbFiX$N&N`r<`Vsm9V!Fg zVhweM)vJ)%%qEa~wh=LlE302^!u)nYgj^wJ^;rJI>hAf93eadO|1sHK2F-)dJ)$Mb z;j(EP<^4Bai1F9+%g?WvK!2-Dskin&6S@`$7J%{t-aO38z?h#@FABT_uS@H11B8a!Ucw7P%|e^(GFb zXy=AyHDT|c{Ia5gegl9%WQT^1Xu{y|?ee#E7U;+EE7=0Fx}eX)@obyd7R|ixxcu=w zrWab#ntqbz16|g1y3k^mV=c*mN|!xpGUh zmoOM5Jft}865s`khLQSu)kd&1_*~{~j6ZU`F~@uq`+rljFSfWRctE%JCz5t*CYYJ! z+GlsLMjdYEH3lP8XoW&pi~XcN7;7G0pmb%1$I6x=><^l!#!@kIR0N{kiC ztYx{_bX6Hz^OdY5(x7oAdS4|^*&pI9>a z0bO_O+$j}fG;1nqFgY5Dc)TiFvexyGeVt?IaHk7AqU0ddyk`$apHKX*vUh><3hDZj z%Z`vt&Y5{z$_Yr!>)tz6ry>@EWGZiI?7bafU}<{tZ;y??zzC0k0i5?8ANsImkFJc) zeIu;Qln}{Kx6NcaeLN<=46w&of`63*CDY&s z2E6qW`0^|8T|X$Z~_m}+a^=Fr3PGM=60 zc|`4o%PUdB<(mlN@=cU*`6hz6d=pF``TSfEHK{P(d;kj8`(EK4!sz_z4~7~FQqUGm zpBEgUj+ptXJh-DJ!8?P$%M<%gcqJswx(;1l{<>1O}(Nmf* zqToHJWvB+z-e!t>nr2A2jQHpYc@;>mjEhOmZ$#rX=^`_&cTmOy<4%XNTd4f!1$Nqi zTkyWzbJC5n5tLPV{%~Ho1<$V#ul)LkK(N4YwJcf{MRsK?njA$y$uFZuM=AqHXhVoH zUudGU12@QHW28Z^kb^t;RT7+WW-y`lhy&_tR?iq~65-)HV|rz+Wbhu)_$=%n2e0Kl zzv_Ib!}Y8GyI#&-v9gUTR}pQ#tUG@7FB5coZEEDm5uk=}OOK-g%+PJL#+mYi860E% zz9yYxhRW0h=O2;=&{F<~qvk{~YJML4;v}mMlrwH&vmQIuyo{vdT$2&#NpM;S7Nprp@)nRqeL79mi8q z*o~8)VwEofr-1K(?x+nc$yUN}Oak(_a_D*5N*FY(yyATq8UuAoj#_VJ%+UMhtf}x` zN$^N&Ofp>&KrhGW*xWH)`gMhO#6Jo(V2^vg+_Fv*J&r#8YQtF&oNg}ATsyWW$9vx= zRoGA&sh+rJ!bigg>QRS1mc9_7BAac6(U*LnJ1zKTyZSz2PBvY>^0Xe_9G;R(lIliO z&q_X)Q8YrLYQfJq#s>IH65JL*)r5Ec&W^neX-h>tdd4dg#BZN~D2)s&8q#w>YB(on z2-C-Kn9L>59SKK21GlF>QkKE2m#O;Iv3BIIcixFrSBiTy}MXjok5dvl2eJQ&s~{3Xu8xAisSChU7|Bq^|* z=wN_X%Mr)_*qfu^ki##(Osc`lIdi8PV+|-|yt6(9N~$pWvu}_=IEm5 z+x71nMM$NtwB($$38K;Ykv7m zZ=MeIbu&hMt;RR>7L-6n{`UJ+Oz)@IBO#zBZ;Xtdh&-u0rvP@cuf8e-`y(|4ig>kH zQ+QcWA${d47(DlH7~)f>!f3(av4AldAd`*kP*Eq>DA5Z}Q5KDMK=R|ON$6Pi{jXNhnSAWdQXAm|JU z%+WpcD-n3>?eWb^{onD#l+mLi%5!zuym03S8PD_$5!hPelTmsi3x2bIzQ|)a!g{fe)3>EcGq+i@w5Fv<5dh6{UtQhfPx>BdhVRL?A*@a=~hx_b2% z357DoKR<5ZM|W5T`k%WSAKjLP)07=Ak}gWZ*on4Ii#}Eq$V3?DbL;o!)pBCV%cuqrR%YH z`#tgPH?CYSoi@@YcO4%}4& z<1VJg(;98iVR?q4sJRAq(!Jl4e`>`1;Yk#fe4|J{CYiX?p#eM!r3VB)-Tu>yb-iQ{RH%8jJ1vl@m51yI04&2m4gq?#o;HTkcH7LA9PIIo&qk_#KE~b8S zlKKXG9?Ixunsb9^A}YUkitWMj+x?T8$0E@B-WR7AyCJCF^v0Z_oHLxv&IzgZ!T3#G z4ihF=KVRbjy-E#-33MG`mmX1YL!9qJNUX3N%Li)`#aWS-aQLWSN6BRmy!|Qn(w^R3 z-7$e5p9R8hPV)fc>vaDFQycWC!A-g5wE<+<{*lzZV1b?usO;EX(1+WiOUK%FA&-|J6&_2l^GW4fl5aAmvS zK+9Yj7RzaM5aJoLIw5)SdeK!4g)8arwf|>IEtsypXQPefPrUCXOJL)XK~^3b&|c~57jrAm-;J|z#{H=I^8)L zxF_(M;_r|mbU$tR`Syqsym(i@>w@Wj)rlyHDJb30clI4hhFxVy@A6?E$@W2is8fvP z>r~*Lq;_%DmI7pU##;+qae!NP^qi_RO1S;`@6U65f6w^p6Y%~0E8Kqd%_i9eX>HrK zShTu;eajoCDt9-e!Nc=(?7b^odKf_V>9#l8ZOzUOvUP?chTB{ehcREB@Q2Uc-)vwi z;HxROtOJrc=h=0_#vYbgSM*J29TB6X?YsBeTqtU-apH@4J=%ZLN|pHZE?6I*y8qj% z0j=_hjk<8$fp_^?9}bWXV7#8_I!?}3z}KIJub=l{e@`EmKc$b$pEAJZPif)urvh;K zQ#yF}H}HLa;`@Ewcq!zWydDR(Y2}_FhJFzEI9&TfQ6fAVQ?h6ps7CD7zX!+ zf{y)X32g6B3QIjNP1H$4Rd4zOqC9Jq?fy)XVOIgl@M3dg^1lrIkSqLZ}Y2d->1 z0qLi&RC`C-Q5mtI_w&{YaAftH^KHupiHz85(qFFuoj~KT-SP!=vCJjf43WSVMGtdN zSq3^YM8ie17YG{TKZndaVnFso<<+XLWK>D@i#!y|E&O~u*yoQ&1Ws@N-}OTO&PNzG z_kYeuoVfFmKJI+Pfjb|a$DNNjfa?OOz()4Phw z{q>p9;2j?|W*LHh^aN(v>YheVjGTW+?ASwihZ*HgIaXgzR(K zmt~eN0{oOx802- ze`U8$4pai;N0E)AGKDCQFrjuDsb3$bbXg@0bRd)R#U?~W0BJhu_v`fYskgT!`X0?G#JkiacszC;TH zWcN|3{t?Lb`$uN z6_Mg0<2dRK83?khJ~4F@fsJC@1TCd0qFj9TC;FTO+F8p6#d{(Lx=r zN>xg)PN0MV&R-QJ8bCg&lKHvH7hSJi5pG|whreXP@0GkSAfoYuOHaR9!z0mRlky%1 zunKE?qx~D3r=1kq8NOJJSV!!By`1y~QF1ReKUxGE zYYg6g0etx(UHNGhG1s$TnprTDjxqtU=|(*-U5P>I+;4Y=F^-8+^4J%W+$0ozP)!yOWKK+TVT1A>P>q?s=&H^W~U?63N?rRjMxqqK@pUitEp6)uw+_)l?JP4xp-Gl z(WV)iJZ8(F83He%QDeAMcb$n_(+C(7XrB*s8sPnVqo^EA|4nKH zX-~Dt6y}oA=&m0@2gxM}ToEGEYKT9J_)hgz z4QBTk5P8`|Qz@4MlxZ6t{J5eB!H>tJBJ6Zgf1kh1a*ZNX+9BGcxkmK#n&s-utviVF zZ>7ku@D|`PjvlhuYyzUneQn2itj~YH+|D($632^R#PK4Oal8md94~?n$BSUc@gnGf zCt!5}Gu^{=3zm8bC5)4OzttwVQU{TJ6+G4%=mhB$OAA+Dd7}Jd)QRLTO`)4byep)^ z7p0OvIBQxO_4wfOG5I&x42VA-@ILQ)7hH zNVVsukZF=Cl&QGC^U^MX^xr}T-HnaF=Ppyp;(Z4$ovbsb5afe_I>CciMwua_zVV48 zzW}JWvFThB;DN`>`wz=SIAP8!h;b~^09`EFcYFL*28lkiYkB{e6zGB|Om6ft!O))s zgOxf-;LTt3jdZ1eiS47symNx+|LeS)txs9&G+(?>sdAjWc#8w9wDs*;KXHJ>E<$pu zhzsZe=Z)cVe|umN*-|g@aR5QJKE-o3#&B5s^!iXi46?tsW?a^a)nl!)bdEnQVZ1)K zit4f_JU)_eWvSO1_9{fWXium^6G?MT)+=>5ar?E!>`M)pZFSDBh*yTUHMTb&gn1(Y zLna|-SyjB}k6GCxHtp0hh<%Ck4}*&f%Hw}=UM)`x29{98?-MF;k@*?Z<4+nOPNema zW>^JsUgsD8CQU$V%p1H9dOWdQ-*2Ps#WCpk&=2`r$QA6WehC`Vhl6g}ixYn`gW!C` z9=kxNCAtx9ca2mQo4aoC-69>bK{|@ZKE_LE09j!45z7os7+d4vW+~DFov;H8-ZozF zxmEm~DVG!c$b08@)ma5m)m!lIVSYv8mk*vqzA}fJ#ry0=R1rwuYm=M6TN2Sf@~9AB zW`=q@qm)PAxuI1j8*YuvMHKbK~3qj4tNn zefoYEmS5L5bYAE{y#+s=ETXEQ>GzWwyHhuiSZ7z{ak*Gj)xQ%FkZcRlISremla6Tp zxUtIBzwSsbF(e0Gd%&^A;@V-;SQylMrsLVJ1I}~b$*lOVKvG3NFU92?G_h*O6QO2` zoZ^O`73UNHpJe5U!mg`Gs`qxIow^NDQ}=ZtyDSg+!D~-Tl~l3!{tUIaxdxndzr?Kg zRRLO(b=Ou+R8TH=@rO~nXi$iCPRYb{^;+>RVNu^NLfFI6`ku*45bG09-LIXGG+BTB zUOy0rsBDYb<-IJ>NMUVEH(?mCRjh?xo{a)gf#ChUpYfnqnYA$YE*BBMA2`;0D-1C- zy%TjcOaxoS>a7it3UJG1jYxB8MGNPvi%X-jQIL+vGKI)>5Id4KD|;>yC>R-kP-i+K zV*g2v;WI8!OH%tOd{_;7er3NV}!|QK$)B4{jFdw5KKQ*G*9CUOF9|>>Jql_ ziFY?EO?jQBY)q@f*dj2$N zZJ5(=N^W9fDiH=!9Ayjk zdyWvq5#jtTHW&;~e)~sZtLQgs)x#-+n^+?QO4fJ@#;_Qrhe}ff+m`aJ+Ud-wrgT4_qi^ynr(M zt(Oyzn`6&a?XzuTF39*5U&rfX#?W@svcaG-4mIoZ4Q6Fn0@v&DgbzOy!S$i_x!F3*Z^}|2`8&cM8pB6*h6lY-*Rz*F3A*+$bDnYd$T@dZ7P#djfUXs_ov_KqMo#C_33S5%p#NU*7G)5GgBjg9zh4;#)uD zc)PBNV?4qC>aWL__lWQP{+L`eNNUv@p3|N@n-^{hmh&H%j{LO&@B4!sQwtVQ~wi0G{pM0@ez z;fbZv*aetC?vModw`T<23N@GEH=tBO;wMx{}_(Ru>zYzA{M=g|Xroxaw$4n~Z zfcqxjBO6o;g~h^k6~#&ronh2@LLm*QHatCHn^KCZ37&9SJ=X{IpYPFtV;T@2PZuhz zk%R6vLe0L5nxHb&<{E^ZubO1Ye`{3fLBmt8oV6z!z%%_bbxTYPZ{Ftbix;b;!c!ne zIq=6tYDJj57Bfm@aUG@n4*90QkdDpOD|WwoM8l25FTD}L@qll?>)m*_$~<YCSkpLXwR6O5(LAHkZB7 z)i%o9JyHj-E}*YxmbL-kGL2>Yb$-rQ^m{VJmFZolL}OZUhcb7BTu z`8!~-+gOYgqpVlDm9t=}D%8s1LMm(ql&XAtS%Q|1{SCTrpA79hN*)8H1#pjt*LC4e zH7fHkdLb2449`c*RVQEMfzPb_j9qXIYBTyN9^;aOw|)R$Kghr5!++;j;G1{wFVDgU zmuH9d*Z(Ka&Ks9!=Y`9&^Ty@b1pvcX_2ZBIo)DDZ{_T-)D13WC-=gOkhuGbFC>8z3E%u^>s%D!yjlotm1Ot-64v3Ut+7lowL zAAOj$S=Ib-*$wd>IwR+z8HT1NorMiV^kF?|*+x&r7|TPhP8l&VhS@&vj-a>tFx(Q> z<11?fUjBoK1NX%9G`dwRSjJ|Sc*bVc2IZ)Joz3Tu3Cs`bGi~`YREaJ;mcprde6MpKtH91;_g0v0S(4 zX!%PUQm9>cnqZih3#~KU=`iROL)%#l?@=rdlHk!|>gJP&(^8yYuV@BA@_VsQ@0Aje zp|1K9YpozCGaoeDx*q`AH{=}j{OwWa*GC0|Y98ousLX~DHaCge5952h;sYL`^sRy& z;ouq}JXdQI0z|205#gJO=%P)4+Tk~$uxHt%@Ry?lneGu3bll8=?j@u2bjN4#6BT^q z7wUyK^Ky}YT%I7a%10^JReKS>^-qifOUSVuj8`7DFULNu20AHxl53~{ zE!6IGUnls)g}8gRHqz`)1HO4Qm)(y^$=^vre>OD#-25B}{K zm(Y=hE8ktbbBA0JzSoa$J+n#>;S=Nqfi+*ixWp?rFp00|atSp6UBz*e zhiWFk$M#B1$-^7rdmh1eKk=<^@vZlE!ClFEZ#_irK3&`Fosx4|I9e&qQC zkpnswSUyLgQGt5G=vQlL>+qfz;H!_q_x**h-tsv?0f}?#BY2vyONH1bkW{!;e#U`^ zkW@0odiw7WJY-!F9Z8-*=abb=^T!Q==;8v=-t~(pG3Md3)@&Pe)1~jew4xV`WJXRU z{Pc$B8W+}6t!>c4yKfsP)(4KN?8&||(}1J;ZQWsyRN*=qS$F1Z4@8+@teJRN73gJZ zZ0Newz~5T`$(f_-;L!OZ=Cfh~oc~6;e*hC4?ce>=JU)Z=nbbDm<0irB)J-+AK4A1q?4u#9Mz}*ouqn6J%!TOC+ zhwpcNO!xX$guc-k%9!|f>n&a2XlTRck?CZ#*Emo^^3oajrE9C=mR#Wk8*jJOh%u7A z*)n&GQWi)rK7M#yPaTvW@P7KFV1SnA@5KD{lE?gFva=(iN_gvO|M9W0JjVawt83x- z>WVnNx)P4BZh+&fi^35}mXV~VBEZjOb~b{7A6VG(&RjoWit2yS*jpSEf-w_%wpB7d zFxTSS%dHT^+fNi5$x7>|;f1=j-xmBb(}c}mUz=!-nF8(E?&ox9&?rn(glF6XSMwo@*`6|J6%5AMZyzpwX2ugSK`7$ZBTInm3K0+2t! zGxRA@01D3kz9qvW0-bj+^X}0I!cqBv?-C9oAnWBD*E}QwUxu4TVn_Kv;-OftlCL@P zwISGy`7Qz@AI4v0w+X^b<{5wSP+`c{`F3jHkv(|2ou=55#oiZ}B*Vqp<5B*Jg()L3 zd$1XeRo~{Z1jD1z(IOm<@O_o!CwbU4%wO)?F@LQU?P?f>KQGM2@{CM9+21unes!?Z z!;ssE<3kohD|0EliyO`OSR4+wgRdWy9EwInf^+Y%^l=~&Df;a);fOX0o~|;b#iG%j zPBu2>K)mM#@h=_bPkuiOy3Sz(ikUQEdazt7&<-Km84L^?F_K664B|F7HROT+xJ&`^8s;JaizewN20Fh7*W# z`0F3K?*QKsf!{gyVD$Ild2_z=LFjjj>$UGEvH5_~(vPubXT0^gby|^&(~rwgSMbFPwQ#a+>sv8zeVJzx_1i0J<{4Mp}n? z|5AZV>`Y5@XFbv58w;;X#g%~c#jfy`SOqY#Za;sEUm3@*BY<}97d}pg1aK#sWKrfE z8)Dy@7JPsCcaP4pL4c|WA&`~I^IW>I*Yi&=Cy&$1$>a2L3OK!-G)^z)h||l-LNv#7 z4X!W?XjvwA`caSRh*&DPWWT$kxQ;uo%Ii%aCRVGysofmp%=&50TyaG^7P^Ijl~`U^ zA#bewBR4d3Tt4kY1_y-gT)MJPY6eI9DTy~ZjgSeefbnl{W4zC^?LIj_40WP`qWJWV z?2ZhkPg!jAxu1+KSlINa8peW{l&4>1i3i*{S@kT(B@zAO`Sap<{suUn|9KqGpA*OP z=f?5;dGY3@6Fj8rsd5wm(QQ`q$~->k9&#>L;xIDf4Lfe$7#Gr&D~zDtB^iDMiv%CY%|kiC);`n>ad`8cs1Lqt*qp}lD_jFNl+Im5 zN$i)Gvb{rr!o7)i?_n6!%YW9rdoKZ{r5|qn#UBViPW_4t3E%*cw`oqgn2sQwI4x(l zo&&yj+Z?FvWCeyxey_j%;6T3z4US9mF+qvb1kd#c2GFqXRkZL4)9+dFsuLVA09BkZx+}MQ&CJDsC7$nAv{wRpHJ-n#F%b+k z0_C)C#6rNvv*C~GP$*pW(>n7_D+o#CE>gK$C8C|#;KcCHWgUGv(lUdok~1j}{n}Q)h+rP{NPzltejy zOu)-Dc zi{bN(u0SE7?G&qo`MT@_K6*R2LP6;K+4r3~DCfu<;n)o+Sh(f-yX=4t+VH%_A{!(H zMup{)Z=B3)A60PkM?>8FQ4u$PRKm?4u{sye{9j)-BGn_0q=0uw zji^`I8j-49i@y6!9712wU%eN}fqJBMW=QH)!B5_eEGJJEA}y~zzwRdm2T8xv=<8uQ z|M)7ud;alNc6Z|NSaA7e^0@pmHoW;}|9F7^z23l=Pxv=?$#!N-1 z)fpY3kc8>+JhJ#GDY$vB&Zc8o1oYLaZuTDKMt}OO1Qc?F;CgJ++nf~%bZPj`XM0K^ zSZr0RvR~&1{!nl2i&Jtad$TmHQi%_5eg2ogy*~uam@ZC}%6fKE5-I1rMFUb|V6$Jy z+ifHc_ghEb^%N^3Lt+}+O-cdy$N#iPJNdTNoT1`C`<1HHO-%v5A0TgPW|hSLUGzw2 zzBsHY>z}YYBo5cVt&Pa-D}(E8*6|lI80Z;N=P}dLS(5j5_M$}kuptt!<=6lO{0zjIwSHx;z5rOlr~?y@UoW_ zwGu`PO+OSyu{Zt*tpr#h%@|kDi(%TZVMW?pYN-HqO_K%Ymo?$Qb}!fL*eS>v>G;Mt z6^h=ZX4KJB`9Ke)Hw`@%rW5n|y7jZ&2f4DzI)6Th<&VF<-2x=#Kz8*ciA`Jr#PLRi zomei1g2#vKA7Od0MWgC;TMZ=;{zphtuCE&noy;73f#sX~h0&FtxM&acepBiUzg*zl zwNCRJZBD@Vu)yvtodXojIT@ZLOh(axcD6c){Xy^pcM*l0ACgz=T%0EM1dorWQtFbt zfPBL0026U2in?nf+GpT`_w(T&UtJO|j`!8)1~?(U>6h;>j7Wj@bvQ-uwi7c?^A6TB1_uvM{EdLcuVA^4)( z%YR8Pq7TXozsImSX|taQpXmz|5aJba@-#F9nFk9LGF})jEUCwB7ULz`OI=m%7LNs+ zAKnCn`{5A6cl+J}(Rf%D`l$C|z6M#i*Yh~;M#AweS@xypm!KRPf8wU?MiPky;zWNP(^NaD-=TsEQeGo4=4-6KoZtwiqfXXYPd~RJ6 zk@chrif&_iK9XeBzh^n%pxtFth9~U6W-9UYR?Y>$Frqw0DLxfUxg;H@uzZe&IRgVCixN0j$REZklL-6{)T|k7l}J>_ zmz2RP7yezpH17IEao2B&yM963^^4=KAIlG`ROWT^|L=L$BGUK01!QAj#KUN~1j~Ie zJ9)L549f$FR`)RDEQ^MvZNESrjWC$GSJcM$r3TS&?p0ZaW&!QemnI_O8dO(PwtoI& zHW=tl_+DSk1}Wm3)zg$!NSg%<0MN~ZB2~^>_fTJWOdt@ztKbYHB!R-uP#_Fy9TP(C zKCsEcCum;f3I~|{{7zTqAy1V6QLzSlq^|X~XE#m{&Wzq5J|bxXVkJ8bq%vmU`FGc3 z(bWK+UV63`>g|fON;iBv3(Qe{X+gnjNq-1B*xay?8Ukiw!%-Tw*@#Lfzx}tH7kr&a z4P7S*z|}wcxcY|!SN{m&>K`s#{lkH)e>hZeBPV9c1?I0JrLsR(#bUu=m6ES3PZbHhv9-#9*!Qkx!?k1hH3YWu z@1rjB7|45YVW7Rz1)WKF=vYN04+~U|Wj`8~;52VO*NU7Ptj8Q3_rdZXrdy8PENM`N zqEBB`Eh5T*OZX@W$5K92lE0#;;J=Gj+xKWS?UI1Jtx8z%Xc4468C<{iCJt}CP0~vZ z5$zBgC@p0ns!lZmfxGjDfejX5P%&}qikKI)soLKi8#e>G=BUl>f;gN$*$}5s#`tCb zqfa)#>62Y?`ea?4J~{x`f{C<;0Ub;)GW`38MFl>q3^A1TyH%gzxRDntDPG>S7lKrGz>*c z&jm{i54nI*x;2U7!Bp^>iYr+m$w#l9ez%X(rh(?w70p7F3^HAh?Zw|0Alo7GT3_Bo zVD7Upss0lPL0+_v4Ksa#aq3)!)mA2|L&fY|6b|Uw+P4iM%*VdgMcMb^O#tAV?p0$+&4z-a*8I~zR^=P}AnSvx-4mJ8L^u-EQ zOh>Z`VY%-2r0=WNn&<*sRO8n04J)K!)EGUokNE((?1Ofm=mWla+(UoK;@w%h!I%El z&k@;saB*S?tnUpWRr;vS$el-+{`!jsrS^SLwk|nc71xM2zXjj-BffcIWBjuEv*I(b zc*FV6ap}7tNv$%v6Z#e@eG&6rw*7!inY(B-Z}x*g^z_A@kMnrHU)b9?TVAd?B2MZ= zgXJ}Ii1t7GA@Q9p8nXyY*9;z)Q}5;Y`c}#cR0R3or4X3`JG%TF@-0DuB{tZy)*pS` zF}P_zgXPBL*C_MFx`EUsBZJ#-{gB$66i?g{Bf!`Hh41=*d4gYi{>>M@_WYYKoW{); z)^PKM&7Obrh4r2>qRr6;9ebz@e3r}|?uH1JnnJ@b*@2=m-_Ip#8~75e&Sl;2g@nQs z6O=@4z@FB^E7SQsn%fh*tK`rLvzsYj!@KUop{9n$!pcryY-& z=YmM~!_m#rId;Nh0dQ{cbH+^$Z=^&Rz9(lzwk5vM7lFNSBU zQJdbr*WfQhM^5Hm1Fk=8gX<4#;`+ljxc;yvu0O1W>kn&#f@(a+xfCpKwp07pksui) zezTir_KXnBF^%)*@nU+_uj7m!#xjU+p3mk%ItOHh7kJG(aYH0~sZ3Id7>X?URXFyC z4?ajv|K(=j1d@^1qb-W!XqZ3H;3hpA-s|zbo_)I$vz_ajpxvF;wM?oGMi!0*Un%4V~e7G{>prpM~rb==m&Ji9O2Y_=Hs10 zb2P|1kVM%fi29ZC2BHsPIc&e=Ddk@Z<9N1AIG(LAj%Uk+6h6kgBs?`Ut2D#(1g9!?X#Ju)!=s@$?37C7}Oy`=NHf6 zhg_KHsB+T%!0E$CFJC|?oY`8NxOf}m=g;5acvcz&e?OfJzAHol4KYRR5y@mA`q^jX znX?GG$WhHVJ>PvbNktf-ov-yZ4X~bnCUVEj6Qy@kc{g*b!d#N& zvBElG5Xsn?U))gz!k3GWcx%Pr8fmCxn!EzixeZ^RO=JR6 z$?)zM;d}mah%>4h_-P7qe9~H>JBBd1RaMy`Yz%&5i}{xV)Dg?Hb!qG!S=7$@biSw2 z4gK%<)l9&jSNm+0jT(kR2t1vy|^gW$;v18r2b zJJud(zzS*Olw~(QZ~~clwxwXlS$JJ&D9}oVt06xXkid7*qw^+oAZ>iPXI`5I zuBYVlJ6kj1o%ctTT1rH51oIz{dPx*gX(1Y2=e?B5I0y^7E%)fxl%2 zh2V{1)Sl!^6mDq=?;0sCTF&}FlnucTCX&nO+o1Hv8oCrT5q5`@CMO>1Z9~%dxD(-D z9=!%Gk6r*)3PVA=?I40ut#URjmMgTrgo2W~6Ip=Dwt zACta|i1s(ZCFDv5d0Z}^cPZ^@NjF8Q1t_pa6 zzsqrZMTOn$FyvLh%7a*8$WoG?C0-46DDT_2FR_5Pf%k%pFdJOe4KUTJ#Xlb$-}>1$ zYi!v=GY@#_?6Ve1ve2EvRiULTxgbpVczoz!3OqDF5F=fmgqY|{j+Ad_<2?_>SKoWR zH$H8C-4rsY+V7rkaY7v<{3Uf1=CFM0*4EKv6CgeyE2|yjf}-Uwb`@0^!AxQNp7FXe z=qXOytoQRH63tCsa$+v@GV;9rv3MoeWzA_T10zJ_HSI`>`MjU~pufK@U<|iOCFoZB z+@Zh0iZhq-5;{MqNquhU|KaYv-?9Gx_-`YLQbvTbNA}+9Y45%F-h0n%vMO6fvK2*C z6yjkN8bq38B~mCYq~v;C@6JEqbN+B$$M^XD*l|3M^XPna_If_X{eHh8NNC^7wr%u+ z4{}<^o?t$R;8$~foFdh5XCYQz)S?m`bZ%W-y;6(r<{jiMG%LdX9Rtd*2HZwKzF+L! z+5m2>#brbu;&9z5+}Jr%4Bj`XT{mtOhjp{em(g#n5tm14oA(28$jqMgJ^xG`+<%8Z zIw=hu`{q?$11RE$PRns zf~#^$j4+vO9g+UP4_B2~LMP+>22~ z%R~1?Qo}SMjE}NVAVCZA8c$~Je$+%;nX*)b_q1TbQuaMhrZo@}FK;v_nnJ=Ynbp$A zmT=Z!A@yOT6_Bajp8GRq4zSB>q{tM9ZW>=DSoX7pk^YLOUcp94F|;|?wblya^}9$P z6qy0J#d*#NMl)pk;h?!vof}$gdq^^i*|#1Td*~nH3Pl4;Uwz_8?P0}Y$Tp3@78rLD zKPex_@)d~1*N5w^arX-+?tbCN-7oaG`-K5_zfj}u7aF)<9}!iY&jrQ$qBM>%9Pnkg zwfx2)2P#ge>X2*aN7Z*r&K{u_MS0Q;zlszwUcwRPP*DO=s5xn*VduyLOV3l)HZ(}d9`rwyWZy4-sz0hYY3`PE4wst#f z{+M26jADW<1g=mAp8{u7NTaMPP&5fa>jFw`LMch`OM>h~zeWV|?qZd=^eX@qq%+?d z4yVARQQeS;%2|Z3U*;An{;k&hN2ybJ{BzwTJ3KgiO0KPl7j}qAPa!TLuo(=zym^rt z9Zmic$ibY%7EF{6$xhugAcQ@#Dce6LN4qSx3^){ub)HdoAzvp~6=SsNCOS zEwXS$ZWITcjBXo(Z1S@|?jm}4>z}tow7E!AACoNkaG@`44NL%6%6c zkZA#FQ3V<9eRlAPam2spX(JSMMi!lqy$I4it%jtxhR|)s7rgJpBM_;veF=|ZE%+t> zxbZoz0ayPxp~Pcb^l2qQNf*Oltf}nF!PAd&ZFc8jyr=bsM%-dU?FRFTVT4 zf9H*H{&97jf7}M=AGgK%$JKEDaZM;5G&^xMAq$SoY}zRv%!K*Yzrj%tsu1hSV(Krx zPSm9)eX+)|24)S@b~bgdKpjQ=+paIk$nQ4o=GnYxh%Xd;Z{v{y3%PR>!QJ_&_Q>Cvn0YR#R)NKF*6y(;%L5m?D6>)HlR6i?lJo}ab)Nk zKS6wq18@C_uq@&C%FBR|tW}G_`@5iT>p&>hmkST)7_t*8+ac-1uhX2_gQ%&8K=Cfc z6`bGA7w1p3!ub;&aQ;LaoIlYY=TEeQKWZf=gU{&GK}cnk6K8~hiBT%{1H#CBJ{PTy__Q#Z-1Y|SWvnWr!Rz1U)N3HE=G@! zPd8|g#6jW14>OkUvVh#9pXYsr31ZHjS_-~miRe!_6Sz*x!-o0J8R2RtAR^|fquz3c z@;{!JZ%uiCJktqh;rq@YEctO)cQqA>pMTAoKbHX>&gHa2^*>c(^+^?JT413P`s1sR4fjIo3Xfcy65b%T+YJ4|Cc^6lG z?3@zO)lg60^)GJlG$F#YyD=1e!>mYbu(>q8`dEDDdnJAo`Q6zO;6;4)($R`2T`GMQj1~}Bq(K~e;(`WS2n~v|=!;<2+BTbBc@H1!T!0E(r zWZ>(!X%^@K5xo_@jCx@RUml7e-)wQFST>gDAh)Ho5e6=)gNjFQN5IFPLp3#BX{gEj zY&JVp7;N?!%rHGq#(Q7Zx)|ertjrj8NNNYXMs&fb`PbsdXd@u%R=m5mX$-pu%$Hyi zn?rwm-74c8f~f1~jxfxZL*4@;^Itvn=+b2m&tckHNPAIHaw4V<7Jq#VRC8-buVM^5 zVwwv;h?zR6OwbmTDhg)ji+s?q=Xd%_4}0Jy4Ho)))CvZFx!4tT_@egLeRGo^&ETjq z3Ga`;9!T|B<1f->R~X^-CL&1ihh}GUiZ3GeNb_2dZc#GGX^3vsY05?17?smzBBrm#1l>}me3ci<|DFal3!(i zp9cxe!$C!zdBAq3BQRPh3qp?)#Gli@fVB9td{mOc(7$=$|DKmiWU^eHQ~Z%__%|Hi9ALm@JW3S0a|zJC|pE)e(Zp#2l0v&0+j2o237a74TfwixS_$ zp5NYqwLM#N@cl+!QTAB_#oK0ecw_#{{ButC$`YLsvEt3J%9aQSvNRlMA&Nw5f2PQP z3fQ3}1^Wp1mzWPwaQOAH{x(QRd)rZ?R|IN*l2!$T#*x2ezVIozAy95u-!s;2N9md7 z2lP=l-t|K^O-Q0jv3u?96VNkc!FKH_hCyV(!5JaRCzxE6}H9>765 z!DY^j4rZ?mIiJnpL5)Af_oa(4ADbCZOobFJ$a6V$aoO=AlAX`nG{>m{-}BKoP=!`j z3{(UzBwxa~m5-gyYXmUIfTr=pum6`TwQF3SwMiUnCTp*N`t1 z-r$2$+?*AkY$?HE!HqRiLUY)*SWV${_ePl9L$7?>3D%M<3fLFJK~6bhOWV^JehV6< zKF{<)y7V6U1M-e2NK%6yT+ z+&vY+aczxTt;)3MO3!W6_x*@Yy4_SFlLcp^2&ibaO7Ho;PbPfas zq1NV75~_#!sJ60B%ibm%Zm%(T{WMHNH>z&6opMP|LMcI8lwPfXCwyQQWfEbXh)YJs{!KQY~3PxFO4@Jxlxu)(ddj5TFfyQ zeWPcM^k4beOMkOL;;{;|-%nY?!GPc`(>6yq)le24M{JL`p9Nq40@ID(A2n*4pq#?K zDwLuauAVsbc)Ozwb$gXZG>hFs3f=w2;iN@yc)DR>V7m*1YPU4@3DnT>AR;lMa(>8_ zi9X}9D+XSBC#ElHNW$RB!0>PpAs7t!u}XLbq3%FM&G6@$5b!(xi|pH6c;+U-wD#H) zY24T`XmO}Th0i+VuU8g=%8QF$9$z9+81b7+b8nbY+ul#s0W9~yjt--?kA*;f+1bVh z?M%eIV8Zkq>wj0??Xb{@I76>mO>^RryC~)llF z5o-Gs^vPm+clr2*ghQlR1s|K5p6bnL8Bd9YPFeCDp=L-CNaRup?FcAu~6@o`ocSqeo5$Lng z+^jy{4bzIbZOJXeAj=Z4ZcjJ{g-x#<+Xq&VC+Vsb;dCijOQf1IbdJH0_MLsbaaK5O zl|esF_!AKO3K z{FLkBcZF|WDM=&sZa}NSK~a6o3EIP!OP0Hn(06y5gP$u}P&;e*q2sPKh&XhdN(Uk-!yM-^;qZ?P37e1mcE1X_~^sMW&#$#uhL>ZD?RtYXU66lYvq) z&M4c9D<{&=2EK}KUs$bjMz=S6+dr=aB3Bdb#q7@A;%x;>H+tDL+yvv=Q_${=)aVI@yX9_|vKC-V~(16dau&XjZsFyrcv+Gdu3Hd3muljCAQ zMMlrfOKgjBf|q-iW8xuV^7*BspCceAi+Qpce9($lDQBWe7NY*_-#bJX1uBl;V}oRL zP&x&VJw=8(x|C?zqs+?>bBkepH#@{2Ef5|2Krac&;V1u!mI%VKe_-`3NqH3WVvRE8 zm=DCR{kgPJ=K*&!qN1nByb(QlSS;hxHL`ek#tdRFl{JFz#K|CxU2eH!Ku5GI~n zvC#k;Z5H;!(XPlIiAjH|#JKOb`hD)!X@lxWTcPw~C}JWT(3bfghEU~Eg~u@wAnRsW zKindVX1=9n3j7X%8*#$d^bPzV_BMUDQiLO%^X(^$%F;rXI{62lpN>Rdx+yJ5xV=G^ z$kOI-CI=EztW%80Fo0ph%;xjOW{AJdeoi|b(<9YVS2x&y5D%z)n|$>+RV;nOK70R zp7Pm~K}P6#`vuE*0V&7}rW<@fh+s#ABjB5*CKT20-D;ySMdP++6`mUMcv20Re?Q zvTyYsn68^;tySF;2n|=yRhn2r%rp9HA3B_nPr?zp&R2$b_Y3&)&Nxu{QXtk(IA7hm zpr*hL{EzB#t%*b+K}WiFX~h%`yp%eb`uH?h=9OqyUlazW*$kgFBQY3hN~SaO5CaE3 z6Zx7jQ$%HRCM;l22=4qns-j;@4d-t<%QjpUfg3iTuCyJcgWscedM`GpAjvta^{=HE zO4$B5eX5fhZte}XckmwvPEpeE`(y-Yi7icGh1(SFtNzIiy6lLS$qUkWPMJcsH?5Pl zqX`@nd=MM5?uZUtHLGRiG{)&ym9c+k=T7^x%CJ36t3UBV1+_Wm{ZRd?B^S`>)%wze7&KXuEBfP*mmL=?M zmxSmyeO}Dm2!Y*Z!P>Of-mv>qIavE%3Mw4V@Qdn7K&+*fyMXz+iqCOVt{H`6d68`{ zI%m_soS~vNUh@(*dS(Ik4pJnJW@&2D;aM)(-LYBZAnP$4z3* z7;l_upkw|z+`7DT< zU4@{(C%6BnH5WdsJgIb(FMzv5R>LjFvr+ZMc|Q40bqGmod{1VZg4%7B4o&7pf?UJ! zmDwYa*c_qZuUcgy#Fhwr65I*_*MjE_r5&NjL%(-7<-7q}h(D7)=M)Tq#FMl2&;8Il z@2c)YHhKu(eILI1c6@mX<6|MWQzz6B{R(Zz0WN09Q}nX9@t76LJxqS}qF=Pl3E;Ge%n1G(N+7wWSRfwthYahBoX@sf!!Lg0swbwVNS(<2hSeQOsCzN9 z6cY16iA=k$g4fRrBA3*j*vF8;zU4UN&)YT<{z*h{5wkk%mMcIxZS&nlsS z;+&X#b~)@}&Ir5p21F~gXlnO614RywWdiU@Eh%d-*z22mNcDc(jvWPv3CwN1 z*y~%gy8Zpa&HX-a>mIqkvVZ#CE3%(4u#iU71%t_R%`8Yqd^=}ySsBi^?9`JgB3NI% zlVmDxf;JZ~-(s9V&`Wnb zRH+Jj)PMLV=?oDeTX6D=E-C!yf&bN42v=WWJlg;2E6mUEUwwt?!T+nTRB`ncKj7=1 z!uR{)dp;-aCSR$z8pNo$NXdvrB8v6NVqZ=rP#p`O_KL89Yf3*y5<{h7c)8+h1F<#8 z`=$h`U$g`TWsSQGy!t>HeO=U8&lS;K7aepu_=M`2VG0y@ok=!AyJmz!zD@J;fgvwl|z2){Y9fYBA}a@a*d(A=hPk8ojsSF&%sT7ts-T20QZk9zt-kvdCxRP~8^X*J@9?@SMsOlv zD>qBT8P(*}9!tFMiXh3bSP09L%3ylp=lukK{S05vk-i0M%nwECTb`q*0Lq<27hEC~ zKw(?*R@Rmt5>bi1F=8MG0cNZ-7v9N31J$5L-Qg5;|F^)W?N0eC)p$m`ucGDms00bA%2V7t9=rl zKR#DoQo{0ZA{;2c$-%v0Zm-%@GgP<6`;&=D4$2r#weGfzAhpM$#x}Vlh~!X_7kk)k ztS`NmHN(;kQz8S-d>1-EU$*AUs>TrDyI=Su_Tl1ks{=e&KOwx;8ivG*`fqDBJ3-0( zj{^(0ZGhEPoTlWEJ+jMKzeqiW@!J2Z2Uv0SfDW!6V8_)1EVz0=1XmBRfI9K<7lv1` zT&gRiCt5`{(QN+*o$FW*&Zmi3)mVNBn0V)7Tzy0f%|^uR{3;Lutq;G=?rbGNZs@nk zD(MX5C{u4k@i7h-Lz3^;J;!p#0>qhmiSv-A;NF}^VHC!*{ka(WCJ&;OyxvQ`yN>4b zFWf$Q;WC_S*C{Vqx&&9=HU4_$Uyl-_mGUhqFXR1uI(!&61CAsD#hmj1Sy3M1d@9ki za5@Q`S2-yblH;M6QRtOycpl;!`FU_~G7e4?`V)&xd%;Q6V@UDZ1=j2N6i9osfhNX$ z+w`#w91UOJ)8kBnzIbFrU=Dl8LGB=d#s7{o%C?^I>KLNo}q z)5_YsOhG@JynerqjfNBC97Kb6^ifEy+2}8flb*X2J)ihf3KU!!$O$JUKt)lPm61sm zXhvR*F*8VFJUvA*ixU`!US^PbU1t!<+<0?E?_&$l$LLS<6|_L0n)Jt}k{0x)IgReo z<7;@|zr6|F2N_Gnz@#Be>qn_LkTug&d=R!mrbG!1ge)Rp|KxG}BV`HLfO%yaUs1sK zc^a%(sJ!`>jE?4b%SA^;q0m!SujX(1!{hEMeH9X4$bVvg)wwa`}yGO zufca7qT=*IOtc~ykfN>s8_a(u!9EaU7Ly2>r;^@sd*-3kGIHv$pIH8b#Q^;enG|ID z=|uEHYgu@fuf@)(%Ltc?#?SS>bwy&E$q8a(V#xW#f!>+$6eV4g$6q}XTyXOZMwlbE zk$ZPr1??CA*l#SRgT|A+ZBH`kp?Q+ThuTOSvYc<$yWgUOp*W_V3u2n^KG>vZ__#ST z@H>?wO{)&;6IbawcGZFGea>Z`N0^RF%WOoETpf1RsWN321i&Sx@$L<0Ii%zGR!Va9 zG;nV_Y+jy_LBIGDbjhfAVQB81_vk7&q$XUMXE~b+9|Usx&52W?OW>-@Sb8I(D3?jO zBcB45mtOx#6HSBn{Ml#p=aTT|%ixFdt+4_k)}1 zXl}rPBse<>UNn!cv6$y!dB#ka-!^DNm$4&r!#O*2S0MO%F^L}3FbMt)+Q9N3GM_)G z8?{4UoIlGeT~r4G$urC^^&(MLYMfu5jSnimgj515Fp<5*AJG|vwZT-}DH1v<=sFgJm zVH5TnW>Z71ntK6*wJPY6IxEHXDq~=u$aSoqW z0i{qn_r_&?SZ@=nnyTS@X^-xwo zWh@F#XMIc}7YjOpgM2X$Vqi||mA=tr05l|}ZGL}o1{FkU7v5_Sgv(#gA1R{MLC+U| zpZTn73KAt(t`bpy>KkBki$8Q9%RjyK^sy7U0gTT@WHJ2GMibwxxdc3YfUKb@Ibtq zV)K0n48ERb_!*UiMt&b-8Y0E?1XcOfx@@L!hA7>7!OsYEzfzo|88AZ%F5hY4lRh{- z8JBddGeyR$UoO9Urj9qiFGjs)ZngO$Y9DBLb^TTWP|3Ex@w1OYPL@NeA^bIHUXLn| z;Y|~!vn{3ljpbe8`+X0Qh$m4P`=LKV7`NkR0b-l}`yrzFEK=cYzAf@H4HUksTv=UB z2J?BgE&{tOy#1{=Kd_w$krV;x{pgp$w&EzwH&l9^TL@a%ueD#gA_(L>XUF)K6p;TR zv&D8&PB1#qLmQABjIx%FzVE$W0MjRluK(=3w|VBkkB)kOB>7BkY<({2=Aovwm~tBqUR|s0m)= zxc8?h?)`ZX_x?PDdw+7^-k${U@4gVm`7woXe$3N2Kc+FxkBOD4|M@XFKx1(7B0IAV z8cg4g-w829ejJ&XBQ_MEfb0bY%ZwC|#zCB>!@(~EX z$Mir25(q*rd}UCE0`d>%hp;)`Z|@O8yD43iSvp(&cf$k1ayOgq*C)a6QpyGDi{bFw zLCiVO)f#<{9OAe)=?0e;?IMK<^3jAnMg65`P7t4V-s<{81K9IsGX0w5in_DbAJto^ z!K`&j?C}6MRO&=_x8S!q-g#(T@>3Ce>XE1$#ok^Ja|iF?NuQjFX!OY?>tnzH4>*^N z9I9D7K_rN)?%SRxXgcMG*V+jH?E#%jCR3O{Q~Y^a9T7izR$m&KHOmFpk7c~pCsRe% zr3aLKHckV+`!6Y<;2>UaUvyF`Myi~|9Cm6f^DlE)LsBu*sXP}S;A@e2;B6j+5WTnN zioPubn5ezz({n?P%ju=l@}5Axll?Pu&;#Y3lI?Gf^M>thk)|VM&RW6G zho2*kx*CDMM$eqVg@nRv#86?6xNpHZWh*=0=@0Ry9z2}^uyAB*!Gb% zdfnaMdmum$$Zq@1YANf3{NjB=Vjf)xwTw?$B-4ha+LSZqS)qXW<=($(IfL9!aT0lp zg+Qe9=OEt95E#GYma}qXTj|HeiKmC8{1LwMy5lkm_bjV*VCWzV_s3tD?vo<1DtSZ` zJXp@3;TBebV@p?~@8w|zv9)O)PAz398;R+vqP0TD=mV~t6>mm6Pa7|2nivBaNfZCQ zvvAap*ioB1{=f;lnLj4z2ugE5B|2!)xdgU87@A&Xtd4gEs)Z_<%{+#VZ8TQ zl#ko~T$~L@@A4^Ys(-nGV}JPgM!X?he|hKtv7R>+&qTgwd>(#9@O8O(ya=bExJby)8k*SJgqzUu}zF>2Vt-tdtiJ1TTWNmJg ztPi4hs57&Yu>(3ck&dZN8%Pl|WnHZCL`$FR7Y-I$;`&WRoZim>r}tCF>HXwzdOt&) z-cJfQuhz%StF3YKYJJ?i8sj1SH?OwF&8u~Q{UZOnQHx-BV-+m0!&-ot1Z6kRJ`P7+ z8q%cB@)(bU^mFRZJAvpMG9gM7Ny3|l`>$WH#PtjAxPHML*Dsjk`UQ7fzhDl6b6F|3 zR4gDx&WP)MvJ-kgWf#n$Z3=a_wiZoN%)zAN{NJT|XCzCt8YHc13>Vu=+IBB^qZK7W zYRAcFB+|Q55}V>hzP-u*AW`M~(jPuOqtBwISmBNxMc zsp{+Q$PnJj+OFBc8==dm;vHpR(?9Jlai}Eh30(NCigAhm)q5hi{VC>a{cnFNirb%x z;`XPKxc#Xx;G3WD?|yN{-7ns_`^64-zu4pM7hBx@VvTp+3%>e+QH~G>g(Ok%UwK)z z{>l#3EAR8=kBULI+qrZCKLubanDtY5#RViA2i`gzm4|^h7YD>}ytZH(kl^b1R}7xOg8 zKO<&0=71Vp;@B3k#pYKeS4D2#aaDtV{0k8r|3U=EzYxXoFZgl%3sW5bLJ;rY^Y~jE z9s|PQsn55K34Pj5ZT0Be$%k|4C z`zR-+4^Ivjymd?oLz~`T1AHSh(T)2whyNs|pqm+t+s4CbpjZBskcTt{oGX891ybdr zh(Eu%=o|8ZsA!})RwY2=TE3)svKXYRT#rns5(njnN*1jr zrJ!Z!mE0ZcXw>;Wr826|3%>nLTg_Swf}Zv8N4IZBqU(|KI$!y{z~57;AZWuD_j~)_ z^(Q=oSLrTQQDM5Nj(Lx0a(I9LW5|=URNyQ?^{XI*3SJhG-MUeD1Z=!UDoV+v5Wf3y zeDj(A&6oan-U`0+D17_DBcwm_eO{k{>`I1(Uj_(9>+9-cmNe1h%`jDptK#tCeW!_h zAeNipagi!C0n_t}`3zc;8^f}(*T}(ZM(9T(t;cnCCD?F$Xx2`m1(x=Ee__P)k2LoF#qt8lOwSvB4F{Ih@sU~ z0uHWDmX-c!gX5w3yyW-0QKiYXgFVjepkE}U`}Xn;kX}1dEtA%ZPJNzJFgehI_q=*6 z`ozACRRWBD_g&Q$@j~mp%ardS3cX>EqO19vg!SP=ugz7lE$q+R7OY*qa7Qyp2|63# zCeh&+wsRc--@bOq|7zXzHTH zHJ;gYR3G}tA!ADdS=IM7_dmq?WUt0={ETOzKWW^^>!c1)-SHm!eq05TLYe{+3g zT0v?4h76S1k z`wTC~(@bt@ALC%WuEMi*qvEfv84cG zd55>@C>Vh5hjSmDojD9YNk94BFbK6(ShbO!kb<xXifU;9)}9zS&mtpVb?`T-nS1GKURc+#G2ZqQ;MK;oA&QJ zGI_Z7t}12ar3~JAJNV{@4`fK@$V7IaYxDF$tclf7A#?eRSyu!64nEg0s8a{eB%UkI z8nvSjYtt2Z_Vsw{_wdcPcWBzIE;34m_@@%Fp+DV!dNFY&{gh-j-DzQKX8DA_>P(ka5(EPmlg{FUAhykNtztUP_vJY9@aqo{jpiT ztGuuubKbv{zBe$~?Ki{+pBfFu`&oddt@%G>0%a=c9aiUzeqyh2ormGBKer|80>Qm&{ z9`H<{Lnk@57bMRi^@<280y!~`jt#0Rr2M zZ#5y-Mm*@1JEpI3{?I`7O%w0@88^Fgy0d4BKmyBW&1@@y&nGBe&`kHCYcu@%WJHxf zxqy z6kvVd%X)$suw7QtxHrWIj|XFK6xZ;;+hqIR;RZugP2*4|K*$C36Uik<2Si|%xZ{JT z8y9f1Fw{93Odw73LzkT`9|8&G<8iwVL=OKS_K(!!g^8e<#5{az~* z-Rzk=B^jKD7@JzC4{l#Xftd#-%$ibBZ(W+S1ZOc=7$=hDov*{Ye#TeN_J7Cu|9xNo z|MmB^A>&mz(cgodvdzz1A0CD;ea!98OJ1ScpurV7qgyDBWS8#C*I|g!Ubxt`^AObg zJ{zc7L?IWNSjZGrfxHi8QdY*&yT@D@9~qWIr=amY^}_O}p`w3`nDkEOx2PgfrKR2Z|DH(5|56 zJF-%DkeHk|Z;XmWqZOljPb?i!!bET6O&1R+<1#YRX$k}*>mZgvf>=14@$OayX$(9} zJ6S7uIU8-)hzXrk%R!!#L8PR5v7l=1TizC)0N-aWlnayB!?pXWYDT_|08Bma>-X-W z$4!~$UPOgJnBWm6opJ?Q7NRRt9Iv5JqP>sLwag*%$Bvrxlr6md)pK0*3YOAP1YoB=;hv+2Wr1o>pZw*Cpm!3TM9%2PlA4tx>D)dERY+nwY({KgjA;0a#Wh=Np z+b1;O?g>1%emHFqsH2udNwshB5@<$e{d&kvS#)w_;tQ9kB2bf@nIFuT1ozAOaXhCn zE|L`MN@QUeVq5&sU{w+d!%fPgDL!c!CzwwBoS!w)yP7A>q8J8$6}P!V_Rl~9p=(R{ zNqs~6VOFs9 zJkVMruGx#J00I%(BQB?Nkn)Sn{tOOVpf%j0<0q1a8v^6vixG+FJ@YX!H+ofg)h4T} zux5xn1|qyZv#7&ktr3s2ed?f~I1qj<#tf-99H`m;B8PY0pv?QQ)qplHSgx0p>zDIE zeasyOvbl-KfaqlH{AE`tfA`deo81i^zT>{fHWG)^5C89a;73H7j|55-VaPM!$(KiN z=;J|>I#+pFP@?T=>=TlQ{(kKTN0lu=AdF`#@RAtb^Cf)s$we;|HBzo(-|K6%wuh|+ z__Mx3pR(N1f(9GgML{=c&6O26iun^%i;lC*kNKdZvEzqt)<^@TP=OUgn*>O{X!|Ud zB86J#cx5VO#9;J(4o%WAL!|wj*g0iW9Hv%teo9@mK?VDr6A2SWh(KZMld}sgRBg>1 zQXhZl3v&Plz^EVdMw_>k(F!jcQA!X$l< zKANM!&mBrFGNFKPej2|1Vtn;U_;FI<0emuEPwOM05lb%nLx>c6Y?9&C}qs zeSmun%S}}0JH2o-f*0@k629{meDe?voqCktO;-vkyYY6k%8e+Gb7?^aNBMlCQv|8Q;%7!2?q+9BA--?33=+1-Fj1efAQA_wFc__Rn>gzndkd2t7 zD~;4{n4wp6e_A!eB*D}4{JxEk6714TJBtNrqi;#HKbQz*;n>s{LXDFKc=I|N9@(;y zX6mDJdmnvrSbPzsY@ORqx*A&7SPa(?vj&lGF^2m4m6seOm1Ii))VXuz4&kt??Ebc=b`gIM^7q&D*TAe@R3g zUzy8zB*LIs82EmySi&J|KOx~hgtAGWvwgf9g!laRU!F4wF3*`5m*>ob%X22cJ6yyt27>P0yMRxYt<#K4Ik zvTY_mYfv(8248@3HBj;!J|{Wi39Vb7|7a4~LYcgm^1$~{gzw)U-}&lXx64ZlQ$^4r zV$!HPEeYL3-16fpT8L*M@{rweDd=63Db0e6DU!B@eK zFWVd(dLOJ1*=xf?X1}2+6=76=FOKZ|s5*L1|HYx!>=0r<&AIx4oE5o@csPJJok22uz*ANk)lLBnq@O5fuZMYgtyxvWdfV62pp{77FK z+Na2$KC7k&!s9h2?V8%a!cwN}V}j+pO7&Yj`(TKMTVtq>-O&Tt0b2in*LrZC?gPI- zrWs-vU(*%k(?&}lW;`E->ww<1)8#Kj5V*@k#`8q_Bai_@p(S^uF++UdYMBchdsOs? z)590ue{A^?!zSpZ3Y)?va|K^*LK-_&t ziQ}_V;`r>6IDX1u_{V3b!tvQDz<#Yie&A>CYF7`9!iNgx^L0 z-QAeOSNJlJC`W_e0XHn~mf4{@wILYW>uwPpukeGZgEB`ydc`3&p6*1dd$CApyPV+7 zr9hbLK6EyS)C>-kJ7uX{3B~wVu5wQv`NM$k(aAOTFrZ9`TH<>fgQ8bxiS6Tp!6?Tz zews23ak&|a9aQCk2{o#By>Xm~)y*;PkpmapXulkAwU-kZN4hIKCnb@kZ#2_$X%^_o z4E}fz#llx#@j&tsV<`I(zE@Tli}Dwk-X77)0reaO+Bb|DuihSJ|VH#+B#%p?QHgzC06-FRy~*%b&#Y<>_&J zc}5&xo(Y%NbP|^zNRP`86vE{P(!#&|KvrCSARXR%czo-n|I^M(FjDDGY`Q?0){Vc9 z=A#h%_S4t8SngJba<_9^tuq7)5Pqu%Pc&&8aP{jGcMxNZ$hhU0549}8`~~`@h-u1; zEBrwY%=OmO(%R<%rz*JSoi0YjH@yFb`(;8g?>d(k#={X{lQe3_azEc_G(6e}6NBj~ zXZkiSNs!RK<Fd2pM zs3MQNZa#6mj|xZJa(t7MwN?=5g=nLB(3!X_-&q z=)%&YXcG=SSdiNoekh;|XMcW>23Jzlku;Z=#Izn+OBGd5Qn_^~$(?y)tfJuY%jx%j5R-uDE@@BB-!# zJ!_3Of-}wInXew`g68P$Lrh0QP#0S|(^8fWR8^VZ&KkrxG?p@7&l&1K_0E%<2E1l) z{r;5%H*7D;X4fKfV?P2d1yKHxcQAtS{tIQH2Bx4qN*|S!YzQTv2ds|98^ii55fbVj z9_U5urvj5U984*M={@#q)Xp)g(IpJ zq)Q?rQ9)<^W>MYj(n9MsUb1W0p75)lpY&&H6{uxMe7JO56y1w@sVzpPfOkF^zWw;W zdV>sCZydta8^XAH;{dMSAj8!g2Z1rUhuUE-0xF+o^29HvqdlzdlDruOly<$I&Q39K zNM((rLNgt;CLHi)JRAmp{^N+Kq3jYB~|aAngn zG!l5acXY`8QecWN`5EtPJB(kR?7;Ch447W z?kQLR+jRGx&lj+~2;z4=Ge1mVg?wqiHY^fV(G{H=6|jcw;9xHH#|V8BzRunlYKC4U zYT7L@S%Vz)gQrv*2I$ByEpDM^738G4!f{mI841RAwY_9A2GhMq(xXT6NVTI0Kwiu8IBtQ4#oj=C4(tjv-C?43Wr+mG{ zgJHjG;z_*IS>z0}#9x>(?o4X_mZK*l>X;gEW!*D?nFlfh{TNSy*k<6wXclv{-GH`uUD3n{l7}=RzyO}04 ziC!=Dy1D)CLARt@Ek~zDfHg*`D~hTHZIO1kJ?Xj+2~k$bwhsnCB(L~R5=$HMUZCT( z@G3;~Qak>c@^x@7jQsBRp#ZdNDs;o7q#AxTK8W5by#y_a6+!tSuCVS=ze@MT88pj; zYj>#9(VyLU)5=AAU`zORG@Q%}9F|KHTD%=Vu&Vs{o0k!wjyR)VQzwG+U&^WM{pK_-7_<#>oW$RGybZNBGv`-eXo9?;Ijj-Y}nRr^Fq_obShX>HX3QFT_Oo| zfGKKarV<)wNbDb5t1>Z%`MaKH=|YkL&Tbyxu*d+yZ$li=kqIu}3nYIgorS@qV1UgmUwUXb^2F95_zZ#C*f??kMgchL;^lRrr3D<#}K+kN9jltWYiStd= z;AAF>FOPkDr`iR+BpmsY>??HvIFH7ZUzs=u464tGbLB&k`r4}GxdZNC z#F(By(&-7^k!!(D%F!tDiue~nEEj0{!ORKz6jvaVy|WF*gMMzo#P#W@Az14P?G;p-0OR?5ZA7I5Tf7?{ZR}x)T2h+K67$yx>K(1@ zOwj_4C$FKd*%~e-#?*$6Y2ozz|2to4DN95(DpDSl?AV2_W1J63^?@W2J*=NI;@$SS zA_rOiesB60q+mZq`M`H>XT;TUG%26~>+6YDABHOGLE4T7;X5G{Sgwc+_>muh5|O)duJJyRrj@f1OZV2K?RZS?#@MbcXvs5Djgz?NQiWc zAOebjGD!hN6cGaiRBRMPKm`TPKL6)F-=F&(=RM>7aK7puYi#yj_u6aCd0p3U-0&=D z91!jIA_<0u2uQpf6AnwNPtOPcyo>^cnG8bdLg6Df>ovK+|C6W6iqkut#_63{ae60K zoZg86r+3ms(@z86yuW=5mZ?sX%_L2seU6$6jkkkvvpOVrY;6dt*Ot`{m?n{LE04eW zY&U!vyl+)kcnjzaOML}TK1Oy^h9QK-;4RJP5g0It^L2mz5QU`r*hhTm2Aj0| zp0X7cV0Ggo$Fsr`(DA>SyHsBZO~&C`JJtuNtwe*fov zY2x0OJnns|;NBN@F8$B@Qo_A2MV#J}1*f-U!Rakoae7NuoZgZXr?+H=jsD#)p1&H< zifLsmfkrueTZtxE`gH-zhnm{$`BjT<-$K(F0V%+!82pV*v;`8fE_e|+_g?@Z+8%YN9Sa{~iUf!i3~jL^0%)Y%~#BeO0$S3PJJW_Y#s zNFNF;y50u%=;D3ej`S#l10i~hf_{M3Eo$t|_^$xvm`%v~fl`p_WzKjcc@b*Q zT}!3VF2P$5@KrbZPS>&o{LsiWkA3HaK3EbtgrrD;$>&VLl45ZfH(z2F&ryd~M z(vlSp)NFpc>@t<;xt{U&0NF^m#51as%o+x-zrBKtqe*}Tb-q>#3d7z1|D1mP(TD!j z@e#=|@^Y;-KJ_dpvC`}NMnpr-p%`$M$^(^@!x<~z6CkDR(%Fi^I&5FaaEjpGzvubR z2r(HXc;!KNm~BM)?@K^`W#-P~-clrBzP(WJDiTe8k-R2%<_xSIzH^<11nXn6uoAh? z3gA@sc4@U7LHjqazNhzvA0oeDh<$BCKH z`=A2av28Yp<{8p`Ajpm;8LH-(H4i{vPLPbr=V-`q-}+6#8Vcs!17cbt>F8`rf_P(2 z6hw<>4b*0bLB=1emYOR;9 zch-`|JHHoSp15qsetLtcKU~!8PgW#x0{E?75Z~tk2c9~|*tpm2T`h)%u%);N- ztAWv{-O$Y|+3CDjbl_^il4d-kC0zUYc2TUy1G%pR3u(7w9Oa{Qw{@_(x63t#uB}Jz zsQm83UqxUFK`%q4^j!lG&3w#-IX`FkAc{_K&RfCZi{JB{?5yCyVLktK%OvEqwae4B z=Lf&kofTb&g3<5i?jccFpFTUq;L&Bp5ZG;NpSOw*gHOGWOh1>O1tUT2GB1iG^sqA~ zRmU>{f~pmplbjRb{r&6r%PZ5+XRdI5x3g!Eqnh7{H}+mjpWW)Y9;FJOyNQ=x6UxSit zI}i!wcaLb)c%YQ+RS$lpLRjE^y`R2Q0UA{rB>ov~NH;7wW=)|0f}#xziLjjAThUF- zt*IF2K;g}w`vF$K)Vk^%K;VrmtL`fN;I#m1?yd4MX(zy!FL3v&hrVxrEV}FU(c;F5 zv#>Ll+tl}fFdu9?i7bM-oHm#o2@xxA_MrrPSc#nqYXB* z!q*}NG5*|!i9HMU?}SbIy=_(65S5;CVfC&dIBOS(SYi1R^_@i`NB#BC$_|sH;9+^- zT;<~$T2+CO?Ccjc#iq!FtUSOjQVH*R&S~f4^s0-QXj{92r4&U&r&hash*%~lF)N$EE*_{_5OI@kAaw(dfQv4yf99h23ak0BBBvB;~?iXy@KfM2fAA+C+Wzz%J>bN3h(=)1P#UHbD0TXFlLpxzVC%@ z_ECnAJkNyDX?nKfKU~mVu9Gr*pHongZR1kq*$B8VI&NY8?kX@TKh`VM$9Qe5KS;;T zjG${r>5S=8BZTX2-N&1VPPe745TXGi$2-OqpD_-A?6 zln>V4gs-MVK{8JUfxY^p!sKWoY6~B9Pe-FjXhq%G^g$;~Gg2B6lXfG5)Y$`G6SB~C z!mjnRvn+%KnES{F?DjugD|s^Ti4WbirZnUKsgK+P?igr^O5#1=@b$}cRr%#~=ox@- z#U|6#cOxk8iN83r?tqey3R)ArwMJz1*RmNxOhCH#==LDJF0S4pi>tS|;p#2&xO$5; zuHK@JtG7tw?*HHWn^@D0pPo4#g``!cPmB~NA+{{zoZ~?eq{h&a1!tvELtPu`Q`9#uHtH+q$vu3~jLx&4w|6pVoa(9L9jYD3%7%y&N z{`n_;qAZw|kC_lIuSDh)3z04JIS}KVaDdG(8+fwqzx^hwKxZTNLwUAkfgn0R+2p7# z61DsMURG8S%bWE)?;0ipzLcdggS9G9O`5n?`$P`m%M1IS_j9U;;}Y`wZt$R(pcC=S z*OR#KUO_eIYVXV@b%Lh=>2%0KJy3CRC$VhL#^pl$74^!I#S9oSUiAFkorkwy72m%X z-~GePLW+UyGj&uHb49TVt1D75mE@Id%EC4sd7^f=9&&}I+H<`!aGj*%=T9z4Xg{hM zrp=WL!W-rkV%IX!q4)?psapkT?0XeWTB#p2GWH&)y^{nxsq2~^6G3?E59v0qOuC2p zAeu|lw}? zNnooCUQ(t!)Y!Z;&76KVzU_))S2};@S!U zuMh;qL_a5dXaKo2i%J6vSYGi)HI-6^DUh_z6)4YWL-O{VCY6#J+??~BH^ch1xe^)v z`AX_Aupjnn>C;Krd76LWFy?y;<#ivQpHc<0h2O1QTP(no8`OuaRB`$NL7aZT1g9V1 z$LR-naQXp0oPIzMQXG5p8S43wZ{@1f7Jm`c=nJ!w6I?{M>Dw85UJbeMLZ+ z^1+AgZ56Vrun~Nnk$^ljPSFOuw?jgQAH*~>BJ_;<&pUzXWK?yv=fQg!B_zsGHgZp) z42rFf?|r=-4tdAwJC_qwq21@1uK;x(GBS^Mzfc#7CLSst4!#%z?^a{&yHyh)SVk{0 z?xZvHGwm^Uzm!Cp42zhi#uM$?m19a^sxl2*U8>O$#Z;lQVy@i73t%Ezw3y7H{ zKZ3q`93IrWl!%Xg1j&{RpOfE*5e4I2r&m|IQ102x`d7r(AgxW*eGxl%rYrI>F}}Bf zTOEQ2*3vCOKVYsnz19n=0=wq3A6dddzf{7Q9jtHYNp~pnLL%DLU=)8hVhzft4LrEB zEg<69t3cl?o>1?!cA|OO0_3Oe&YUN(1SPHW8B2CHNT#|`O1uK=JN$e>`|}kq5`D}f zLYrWMe$kbC_tUB1ou@}SGNM(pVS-dIP%s=|JcGE*B;QImIzn=qcei(*9mGg%8aGle81z}3(^ zeft95`WAfiPyWfz$GFe`$xEo^7CDB`T5eg{CosUSpk+vE(+4P&!y#*)UQkjt2Cik--RDWkKzG)s(yy3B;PR_QarxC6xcq8yTz<7UF27n0mtQT4 zciuGxJrAcblR3I}(9rOdr3dgi{jsL4aYJM!EEFR}rf4E^hU7Sp3iRL1vI)ZajTx+D zTNk^{ATZ|R43(fhD8{smdn$S$*O1#fyL67|i(}#G;J-%j*XE+xQ7S7KwyKT0yn)r9 z82;R}o>c;s=)jCSSe_Y;y)WOr7D@E%yKV(*wF>BLKKt%DERA|T8Jy+n!}6MHSwEcV z;e>wCJQ5X5Zyj8gWu81E2p!}bQlTx}5T^O-yuXw&YNp~6n#4HQcMmd}e0jhDe>6`f zHVyE@o#TtQ?C%+&jiJD9{%CG!9#B)`RN{l}Yd6*t7(k{&ZXA72u!#uQsm#D~#*^s^I#+GPwS)Fs}cr2)tZDvms&{z<*aP_eZlb$z;S9@_EWG`pGCYe5mxj3@YV*2)GC4cgmQT6ow(1~tlXlOm z#cW{kH+K8J5ht|QKdn%;WW&2&ak`6!O4K|bQaQ-hf+h;#xt!8H;nNkcPx_g{RJ{_t zuGrt2>ADQw4Ku~EvrWkK)|Y}Qb6J!aRWG@uLxp^^$3u7@E1+7{%Y8q~rQm+XX)}!w zIq0Dn?6Vu*?05P4H2)|cGdhx|i_x__k!@fFSy+@AZZYx;o)1ECSj$I1TDW z1YrE*{^%769$54ZV|f~Dg8uO@YXP5`6VaTV3M4N+ynFGq2{P>7hr&lp4S7rCSf2(*}ApW4T%`rRzxlXVqB{hej%wI`Q`S^XHDRUxby3h@(%u~LY%{W2H zA8}2K0zJ4vY|{QJ+8r$zK0Y)U?1c;&PK(N7zPaY}gWvD#Il##z*SUj5C&ABf?j~>N z39uw5ntp#-77@cmaKQA)rRPt1mfboDMQ68Kw#%p?sDb=JlX^PD(7%6blXVWhuhelo z_>zUhMV0(He-vPx0k@p&uNV(j(=&0MHWTmhy$L(zY4r(^%ms#!7UKYF#mS%Vv~^9H-F6>y_2sr}w1J1!KsN?=f` z!itDKXIj0+{NP?D{W*fSl~EL-^@)$O0%$RH=sFpnHtGZkz}g# z2J5^U3^dcG41LRl;6Dq+>{$PVR&tVPIpqTSny0L<)R2vM78suF_^KoM5tUananZ0u zcf{VTNDka{?S7qVv%>t+&&x}WnxTl(Vm8wPL1>lMvd#3q4O|sJ!Rq|P78-_ynI`l2 zfbO1f3+Z1jXl3l4P6?EO0^bvo++~t*y5GT9Opq(mGz_Ba$BC(HeP zP~QxgoMulB(Z!+^1^X2?`ame_Id~=MfFm3%{N;IR(-YEpizN0s$>7fO-FLx{4nm#& z=&|qj84-2giD-=+QV7r08x}Z03clI7_E+MLp=$Bfm$!Ngk>I-+w~;q_K>zB^gwL^y z=*#gF=m~ECdU;F5&WtA)6e~#q$IT%U$sYlr@Iy-Eg=GR7e$VUDzUvO(?gxo& zl%~LFgs#@)r&O>pJhngTQ-}mU91GtkY=-Y#WM;gFx*^c3&?G!$7?Mt=YzMh@p-8Pe z%}zQsuppgHl5G1B$Nw@%|M0)$ar`e;9REuL$Ny5q@xS!YKYRoZbg%e0Q)3=E+}xrN zc-ey0Q&)r()Fv1qaQ^R_GBpp9_?YFTE<_E1t=BpNc>NH+;F8$NMH3Kt)nEBE%L_j7 zePxiubgIF0TunD!ywK|H*XFqgje&&N#lc+145;h(5=<(rz$2peZQm6aP!7$ru8;~u zB97IEOMY8m^JT@D+0+dU4Gg?gocD&C{aSfLNiN`FK>ltE`+8Rlc=|tI z;t-XBCm&;u{&luS;Sr?MYtOY{dePdg)?5dQSZ;oMam)Z#<2)5@RWz}BN?CizFKeV4 zQ%d)PNDqwcgR1S%>VV^Kmxpo`G3blp%=71m?Vvi@mVEJrDF_v@HTF>3!@9?7q9?&; z;0dpBHdkvB>TMp^w#auxdC@Nhu1qC@i(SE;mj)J??{n)(g?cD*|C=ShpeT(ZJbsNF zGB8H>BEoF^4lqHb(CY?UOh@&#vPJopg(A$|_Y4tbK7o=Mz7{4hA+uJ8?s*XkCnzbf%c0(F_c9)(A=0G-cA~U!X*Qyv?%Q1C2L(6Y;%02Sny8s8g05H)(^#p6z_KM_-6aD~Ge9Vqfk6G@2#%`YP2I*$vH_1AOd2Y8}^ zO{9{N-zXZW&HtYCxh?^>jlTpR98y6^KdN^$Mleps`j<$BYEketi`M(_T@4M=C#X89 za^mzG66n?$lM>Q)c{JL?c96K92iV6rzWh4P3yf3ORrILXVD(|%t%ZGd2uWkjF30rh z6-6CKyT}b7?(yj_w$ef9r&k|OJ*x}UJlU9Vcd&=c5jV=8I{4!4C%U2MJf=e#gXp5# z@6y%y!ZDFM!JYA8DBa;!LGJMoP-DEfKLcKf>Lk;<8Olg(UqjLPRr%lRy`vkql!OS} zVfeygtf;j)Q24XHJvie6cC|w-k1r)5&cFP(DsEVT*5K4=A-OBw`Fn=Lrt2ID#^_g} zV+~IvH_&~jx$LDS3LAvSuC;OSg5j_vSx+H1tf(7PIuUc@cqJx?sP0~c^SC_3aF|v8 z4blL%hd=e$`;1W8Mu5x1Jtdfz>m@l9j$q4=cmCFZ5IUE)X>&Xp!H=ej7hiK&QDBH| zL2$JKI=SnSSA1F)kvw=jw9Kpuf8M3773z7TpI>(}tURsYe&&INjdWc&*E{$&PtO_N z$#5(C@){$iBKBVeS{lfGwrK6+MQ=1Y&mz4}V+rS?F5jyn_@Gp&;r&y`+7q5WCO)X- zt%f|mxD9PD%b_YpKO<@SW@HjXZRL;cqrY%3=5tM7hK@M@+7RPvh=`3pc^>=!g4@9> zzh7tK@*X8{>n$U0z2(5Iw}QC!RtC4;vf-T%iSK%DGc1{R=}aufLDf0`{(A&)k{n4x zSL4v%lQ%}VI76XtC7XQDAqpCejfF`ia!{sq_}s5>9k6NEIz;`&8a2JlT2jMwn}lu& zHwy-}fQH&N^1F`>3by4jrN!1&H`>$5#|{a>(|~E!N0={+M%r)e$3bkpJH&0mBPRrC zHRr)aJ3bUuS|9oHhzQ_&KK(}z_V4*D-`=_m=6>{rz4s#=Tc2HEwZ6W-2Fn4HD(`7Dp`SgvQh?9jD1smTNh9dPA3BXr)!1a8JCSVlzBK(V4~%x4>2D7mY? zKK`2*^s01jiA(FCzfVsjJFeLxe4mf{5NEXR1rfCUIPRVBQ6&`iar7Rc45q8)awF)w zBoBKcUFW#Bg`i5b%WKL>6g@Y8RwuB9Wq*C#Fx~ow zDI z1VSz2(29XXsH`zFYhhxA5K(u<0y$PhO#5WNt(FnanolSgpJs*~Wtv&D2!1r=5Pt4! z;7Q;j_)ejT@i>nvB(he&kVEU4VRL*}RH5gfsyvmQDp2VTD~DI{pcTRw_sw05krF*; zJv~)B#(O&R&G=~}u-~#jS3Ft=-B)jyg}=bK=oixzhOUnSztFl)$h#rj^WW_6lw1+q z+5Oi444O+dwD%TY)DwLyxkFi2P&de!?n81h8k zz8oA(f-bi#{#?2c`1ZarDa}t2o2QqHzA#P(cJpxDQaH6A|c? z`(Y=y(kfIZsImL>pf7kub&T51BqI7I|Bu3jf$;mDuCPm}Hn8~Rm{iXPqW4sSk z9M7B2Nhz@)jCI;Hr_Q5!{(8q9u4HIT+Bz4&l?bloS~Zj@|jBVKvXs6!Y^U! z47c;m0^`cQ=%+8zLgnjS2gavwU#wr5sr@6rSOiy%Ex|e>n4S`&&x#y2Ed2kcwXk0j~ z4@8#65;T$WaIlJEMOj=G=wzpV4zfu@`Sg?dl|dDlzM|4YzGewg_agt!pHqVK2UuQQ zK63^&QRqhfvdjaeaq@fX=Ggg3G9rZLRx$V=IApWZas|bVhh2Fkkpc@CrnhtL63Pjj zJmEWMi0+0+(X}V;DRBlpI4?^8`kq1FKppbv*V_DIP(yTQtXUsh{^z&NJTiRAf zG&gsb{su!Zs$1wPJMza3UEfbC`TN2T=F%kl#q~^}Vbs%_%RLY>o*Pa)Hgtkbv5EOO z6&v7MEK>B<4?+U6$*-e5gHRq{AqA9NCIy0<0zKZhOcU zqd!3dN6tCrquWG!r-Rip5FyPRll*Ejauf~oY`TVV5PnA)Oj73oi=4%+=hxFwyU%xb ziosYY`%CN^O_Kv_cIzOUww^V4Z(cFJ zKAzF#hIj_aC%@)JfTB$qt`mtuiw`#i2gcv{P)&TZRKW~2C-r1@ zuW{hcv;4U8>?z!NmJWBGrN*6Sk3*1{!m6co2wE9_CdKNc39C+YTRVOFU=`M2SfFMC z)0=jq?8@5k)-+nMti=Q(>D*F{=I(>puxit&buUn+H&1_?ok7Q_cAm%;V0<^Lt&ib# z_fXg7!OS}pgP>>D7xb8m9qL{59=3Iuf-bw)U$!51aC#<&`S>FZ`1m4CLN&$$LPb?x z%)AIgHwHMQ-&5#7&)?9fT^mBk&<-i^nbSjrgLA#fRR$2eYo{Vc=!_=v-_it3YvX-B z`lR1{V#=EpgfG@T_`*pGW0A>C!~2{N6h`uU?jZ}vhSVJY^@*_atn|G5(bFo0y1YHsoZbw?uT=18L9Sv(1L}Rm0P_=x@~Gt#83sukv5JUL2=SX2t1~ z#c}#%R-8VW4X00L|1avF@g4u)U+*xa+4IBF8*xVUj}p7+gWjAw+0l{!;MUc4j(@0& zMrqDZthiVp=DR8MJlCioclGn^1t(0eRzrC#n>HL-r|CKyAM^w<;y67u!*Ed48PJvs zKZ|xst{UHA@BzmQt##UIiYP4V759x~4_KE9Z)0RoJJ~fE; z4i-frF)DJUfD{AB%sE#!ZJvRC7g;fn=0w86k)$4>mv-p$D z?NoW%k}Ug#*%Fa;f72G-y7ihsK6jI#189d&aPkg`qr_F0i|tnU!K`CBjr z4!q%WdPZ-9#*awu7L&w7guWlW%qPsZ_MB>$eY_CuNMAHj9d$)kgTiErB0?~Kr$YZW zfi$`!yR%!GBmimycS>uG1t2O&R__3zJffq0of7RO1gguC38NQ%-~f7}_182U$*8oB zoaa3QO0l;xGroC)`@?qg`b}bKJo?*|mu@Rb*ms+by>+sHB!uNcQZ@=lEzxUtg6`Q9X^%|g* zK>F_Jhsq&U)OSodo^VMF1PQ!pKA#W=?c_p{J~I~BJ$*7R>y-$+Ja#(P4$DVZzgP6< z&UOmg2_{@ivq=W2?fmEd6PX||OdN9DCU5+KX`9tpEv{+L^!LI;#j_DVc)RTtiNc>XCPbU>><_3Vmax>$YVitIwX9;k^6 z3DsWI$Gd*zOuE0lw=4+8kMBOYtTo%owV4-o?IW1EgHEfCROBc$3r5R6jnUo~Rb2{~K+UX$T->bilpAdrwm%M$e zu1TSD3h@P8-dt#&_fbWH(}$^kW|n_ADjIq~LGb8l=e^H3y1 zWNZ8_@u?KhtTLYe7Ml!z4_1(SB%X(_0yalKC8Wdo2eC=JADdBQU*weTz&ZHwXZ=FM zuP8M8SzE2nAqBmzF|>0eOM{5G<{}>53+TIJblZjI3?Q`T?7uD%2)r6O*Xm#R1K+5F zC);uXx*py>cFijYo_0P=otFrL_vQEelP-q=zC21M`_!Xi6z71B&`#uTOBHfazt3KJ z#1WQBEh?+}&Vhh?QU0E=EP4}n=ln6V3do9PUThLehSSR71__uC&wlTw;Na(T!25|T zeu>r;bud55{mPhxHU_iPs*Ur|AC;V}j(r^%lTFzwJ*Ea9i?YTte(S(x7xAi@Of1J* zFT37XS_5|b?okRE2cRC=8dVin3b@W5#kKiB97)A)A357(ggyqy5ZCU)KXQPvp& zs3WMmuRxU#wJaJBXXr&Ey;2#jgBU;hW#F@2ZG$t=Fko{1$f5=eDm8U|X(TDiXm1Mgm(FTZ*sBIYH379to1cf|50 zjSrb4ul3u$pC>b5ulHQ3kA*yl1*eW3(bPv3-X|$I17Z-dNXGyVcO=Rdoqeq!rUh?L zPaIt;vql%&vaf3r>w~n@6BVIMEZ^+-gkwjM74ou**z%c|18FLF zLXvKByfgI!lEHAvyq~G4osH2ObUJzeIB)&x$B3g_w|;cyY3V<*fI zvA?{JR*f&(3hZ!wiREi>O@GnakPLvsVd)atvVO3BtkTQowHXvna-9q}iba;>31Jno zZpgO(Kx90LKF~6naQx&jfC>eRgL6~nFuFvZ6(O$y!H2V(g}p72U9nCELw+#g8@|ES zENKlLefe?U=2<{^SH$+kmJ8%9wf0oIi zW0Pf9OaEwLzJl&U`}!P^u4?o5?hO^xV$Qa6y;u$JybFBu2Jy`gUs*0FtP2W3e=P}k zkp5-(!$19`w6p@zhuthc;?RzQIT`dP{Hq{EKgsNe^fl-%SM=4gc0dn|X+Ja~GbAlB z-plUeg0g$UYHr`Lg5KA*WR=>^;Pxuc!@kBAK5ecXZaU(MrdXUJo~VW+4*t!sRoh6k zNI2RS7IhXbCJet8YxV^(;UiV|SG@7wkKKO1eXP;329#vwe$pMhj`Z1x)&ig!J}zsw zy^Jmd>chPsS?@F=kDj~xyw!y;a;VPq*-dVE`^q57@3k_@{oe1A8lVivYtA@RzGR2M zLwvMLhm;YO4E28X0w>=7M?RWDTeq8BkkX|ouI9^!R%IK{Zt6$;2~S3#KjJ<|9ByE|x^v0R7wr;(?znl_kwaCm8|inJsr(vp zOstn$bI*dxO9telWL3}_?DV8|paeYDr5Uuks({L)V$kSWJNkKV;;+o*GGOKNBA%eQ ziq)a>M;-hG|kZr z#FM~9o~ys{`31llem_@IGttdQWHBXR>S3j}D`+A3s zT_#CJIdBW;I~9cWlb)5j_CJYNhNd>MuyF}lXqoLX?C}tXAdjY|y2s9VkN;o0|9@XE z@_u;gzV7E>RJ@yWCvHL)Hu6;`IopgNwb_|+K3f}_T=&VWcMRYNZ7FZghz{VJZ;5Zd zhd$*MOP@!|IG(8+j%TWh*a zSC@6JUL2**IbR4EV}-I~q>hzAf_V2gzYQ#F31K-Kg1Qm0&xd^=j_`$CZ(uZ3M~n#( z2ZRFk)6TYYAN}E|R-2I7*HT0#zDve|&cmUhbM$-L$?#y#bh%Ed1&wJ+N>W&*K*kNt z_i8?AQ0BEtdV(SaZ$Bo!-_ygjc8wG-qanf0G3;4yI8@26%)itvLm%6dI=?Oif`L2( zsqD!ph`0Vm_D3%q@BJ{o_roSm)I6G$j{+D8=m*OSLF9${Zm@7WGD=nOPv~fZA&JUM zk;0e3kxN~W7j@&E#}d_k!^ok<4C8PG858%Jzy=}+Wa9Ebd!zi;Lj3ON&vnoG4Jvc^ zp!Q+wX`4CT`WAfsp7>tB??gG@^9|zz-?`BHkz5{Apw>p%_nD);9mOWl;r6o7$AO;MWa`M z-T`p&Z!!p5#KkBogK&Aipl+}dLd*2RfQ)v@|g53}anf^v#tR>*sti(q~~IFHNo9` z$!7Ym2MQ;n@BTYNiRyl`+oTt&LUqdxRf`>csHPs3n(1y-L4#+!y^<7J!6^JHoT>55V2lfdaQfI<#@z$UC-F-VIbJhYHbX>j2m90== zN)>g`9;T;Oy!)o`w;5OwjG1S)TB4n*`bZl~ON1{E7vJ?()1a@gvqT(8s%OaFt(8Qr zVxddlYt)d}2*K1|k{l>Lz0D$*ssIT~8=fcc%fg)nvmb1Cc+o?;foR9`)1q+NieRz^Hps40wOj)>~}&l7;1QRKead{qlOD@qW4tJ zfmIuG@)gzZ{_go+gI`P}@a&D_@ui?&{RC2j zzMG@l{rX+KV-|@Zlx4bMVh^{QSQ68La`$mWemv$gq_N(O%CA67GOdTsjAX#yS>m&fSKTmwZ+=ovZyXqx zEua7V1Iw+QTBQuIaKLh8PG6<4VgvQ?F%D^38+i9y{jphqJK`!jPDjds>53HtqiSTM zU{H-VH?K4Sg%L@*y1%<2To%BqQ|~BUS-&#wCfsXUo2CBsB`3zUw$hZGcEda zo$WlTAQ2aHy>Ja;Z4&ocCvKtbfet@Uv1Yii*i{p+)&XfQo&7roa*!tUDD>h3V_3DF zZ!t@AM}0#Q0pG36(U(_4qTZP%u=Vn1hviob_+YqM%3Cyq#y{=Uf3?1jW{4E5yhU!q z!I>P#{=_hFV7Ns}aHtC?Z(ON*xpV`5o?U0_5{pG#+(aQt`nuqDw~3iJ(hqu<`+?(} z9=cb^8_A*Ti-N{y9CPMk0AGKiC9`zQ7M36Rk)AHYY}x=G%6yg9vNMAOrqSEF!%oQQ zn*-1Mlo3#OZo9jZ8^I6j7n%*7)X@4#TO#Z}=I=P0_3_?{6H?M@)xdhHOB3OH-q{tTIht*x z0(Ii4M7ANDn;mWy&fTb zLngS;)BV2u>;ih#c|dkIArqEIlDf+4GU4U3t>8HClX&afCq<{;Y{&+ZXTeojy%ZUbxIDI5Ade$EQsTpTao{ z91kj@?j}R^1T9RjsvCB%H|i8v9rXIR`s)PV{xW>~t@vJ#Z{B;yK!ri8)=a-IRb4^W z3Jc19cSYsIZ+_?)HoqV`Ck#?cyq-;i3Me6I_DD}92hJ~m)mQ)H7of-a1vqhj0b!h9 zfC=XpV1^Nm^$q@0K`5pp=X1l`3fSatUtA2sxaaCuLvpvfkYcRhHPzw@kUpHm;?kOj zcRdi@dHo?zOCD|$Ws~`eih-=lagL-^2{7Xvi2TJQ0qvwz>(f(WKt*BOn1LN0CGKJBSs{vW&#mcIT zY#3ZsZ%dDv}*Hk{nGM7LH;rkQ{pX&KE=$ zOVjkrf?#R(j>a3zkNm38e@ZA^7&ecIdpYEoBAB#m_LJZP@@MBnvUY{x+8X^mha&=b z=l#xBhDKaG+z#b>>1%0c8onbzg<9AHxBDHOUGh)0^uK?#bN$Ag{x1Nu|C0OK{{qQnHs8Ae=~G)B&L`|pQ@(ue2WnTa^PkLdGV}tL zqsK-XViVDsp)uRi5O-kAYP2-|o=N_iqzIyv+2Jq+5K0Ez47oNS7tqyM}fX{n6V^ptlKr&@j#mV&w+7`{G?JAK# z)x?r7gJ}h!xH6PQ`Kc((Eb#G%^LNs&_e(4?3i&pJ8B%y?lg{P zM~CCt3E+5kC!p3~V5E0=PG$)5EQuf^V#oC0-x@vaYAPY-Y}M;3 ziB@E96S8V%TnZ3c2Vx>8aGYOJKQMax${ zhkJc6hIGw%nq>>@zJK=1ZtWRizA6&d4~JBs*JQ=+aA-5^#W8ErjFbc6&nJ1^$_`NN z;H={&(ua0k1@^P&vOvgasJ-BFDSV$iuiPKs4sQ-*ck6$;0XNvEo~wn8AfYs?+SHjw zu#3zf*@F%!AkU4AyVrvPT1ECYFEd52vzk&>l2lNM@S1$q6=G<9cdx#*{dvA zzs<(!)Bb(FciWp%a?LMENL}WeN;kh5TB-3ZSR3=jI9T;T@vHt|-Zs1D5RCarXZc1Z ztIxo4nEs@7&N(!abE_oK$s2^vJbnF>K@9GeRgmiOh9KEiYwhvK0HFMmule$5Ab1)o zzo3aJL$=|bt`qdQ)xQ=?zE|F%1H0te&t1tRPC$$)FKcT&rNpuhdi408yWuJxp&jnvSA@`1W9N}?neey6l zT$68(S{eLZkA2bu>5>oE*NhE-AZF-cqOc>97Z2}Ud!T`Po+dc|oe9o=XMpqH8R7hQ zb~yi?25!GCjqAS~%U8a&l+EbP_-U%3W4dmpd8#g zEjh!JEe_X`?<11~QefM~?{KS19J*_00+skNKgm&&$mx@MsCH*wZU4Lq=A&s|jfzx< z$*PR6K4bDwRycW3#8MroidP#QP$<%Ww9G0N&jKR!JY+0GZM^ zn&5R97Kv=+-eO#*{Y#ts4VOqT|JvR5$@7Qc>NN2gY9n^YaPFvc?wBxLJD$KR*4i{~?TWIlX!>N_2m!9sriX8>OM_D0g@bud49cg-a1{Dq+`aWzS54G6j35#=-O}CNLw9#7-Q6kD9a0KPDAJ&`0?JkqQ7;u0 z0YyO&0|UeWEc7||<@p0V_gdGxp6C4)X6?1V=giER+4~cs9$3ACg!a{%DJ=ifu{3<% z9jMpq7osQ~LE9ngw{CnT5;Cq0))L8pwT;xXhL0*yPG!nug>x1ZTb3VuxRM33m)X?j zDbon|r>+i0b@A&SL6vr^v8RfRkkG6){dpl*)WlL*8>4&#>JG8L>ePrulF6xDy7I}e zx)wDQ=a7IJo|SbJs9`=;H^S?AIeZcIwK|bDo=ixsV3f({%!c_ynWYuxOhnXA`PHpX z2YXg+m^%A7HpJHkiFetwn?KhERgJ!dTtO|+8c~$g*RVm>H)U_ua%d9nj}xsgslMlE z-}@Qklg`aGCX>3stabnGgs>#k*(>G>6G1U1QPxpI>sH+%kuS8s`KBhu=f3D2=P|E0~ zkFKov&P8!PQ8%~T`DEcN7h;rN;uw$AgB>$66R+sCk)xeg?C-DIgz<8J?x*Vb{ZtOW zpQ_^bQ-t4774ZA12l|62{QLK7wG#9E^kzCLO%|Wt;POJe6ycrfRWWc-^L=$*e>jjl zJ;gk|!x^nOb?{1>VYc0)61d48KVkM# zCX82cpu?mAt~es|Q|ZPoPVU$34k0e~!}Q2U90Wif}z}AzTmK8rK6C z!S%oea6NEETn}7;u>LJkK1-EsVCm(X`q0JT^d{CZ2Bt*Vdek+_kz41$>HH^0kgCE_ zQ^l}6IL}yhT~#p|{^<7_;`+T7xPGq&uHUPP>-TEl`n~Fe>zVxyU)fvt!$pn!;^{|TgzK?l%Hla^v3;>*Td&K-5pFQ9 zWM*!m7J^34w{~&17+}fAQyzQ zCDrBAR3I7QqrP|jctO^Xu_bpp5Vq%T@NbTLz<^80PyG+}$g=H-h(>84P`lFWk#Tsz zdT#lA{|;@m=>M=-{e&y(YI4m=?h-@qG{USE`D{>y9Jf$`u?sjW-mXaYw*!GMh4aw@ zmY84C(zuen2XYhJ2j;DgC?h5(t&y1xZEF~OC1>XdbN-*MZl|n7PbSkf-JPn??#48e zW~%~NeUtP+?rwdQGIHt&XtBLSM3!O_`~2ml@epHH|9%QF(uBg84d9%!A3vr z!a#N~t0m1d4PAkmxWm>)V6z~StIlZ(v~r1^(;?yLc&BiW{E!~xhHZPSMPUIa26hE~ z#{7x@@N@s3-)cO0Ah@V19g)}R+y>it;OCVXD_-`+d|R*8sy#?U&pmF82hFAc?{hoZ zK@w+J)~F&1EVgFf-PXcv6q0k)Dm+@qLo;h%hT@q8@se6W7nzxgQP`B>xmV7TP(8nhbs|Gpo0 zFYZD}!<%3hpUkvV&lNO~)cBHXH^SkJ_KV zqyZ0l`F=(<%fkA(s52LT8zRcPJv4*-Mu@R6?0ZnJ3?!D{3VRR;{WR<0iaBa~nSi`sa<=I`~geqBkA+%0AXr`DRa zY|o^k=HK<}l>gX*#23*pGNyy@DB+EzeXbiU-=F$8ynG10P6jv(kZT~lQ4YaM3287I zr!S?#zH2L0emB1z5Je&{^B4w$O_3g*fKedE?_nixjW#XdhVVB6d!4!X!2IXZ((kj5 z@OkCg9UU@BP;j67Da`2!%`1L`NkLKQ5C4$?=RXSK{6{97|45JXABAxKBMrD~c#RZm zsiA*NY#zR2fppmg7?3SRuTeikg=$! zMx2Er%D<{uL(-uMi_tZDG!M1GR>o=vh4saek1t7=rr#pM>-Ud7n+~r3CWh<3$>REN zYPkNJ0j~chO?dyO+AH$>h4zgYHl!T zaoEEf&P_OfqV;);z>mTtK}v}Ix_^zrYi?*cWSw*UvoLg-#&GP|ltrm`?7P!<3SjfH z_0!c-LAZ5nv_NU15!jMv_Cu)^Y^>__yzY!&((QhcQ8dZWT z0%->M_$VvPkZ6(3Z={QP=bt1;-=4{2QDYnm- z1)p1jR>?=CfKI+mmDxxdc+;!Ag05k{b04phu=~lv(Vr(z{tS?TnxZH6-tmW#t&OcS zSCuy$n?3)<$ub0bKL2ludS_=lL82z-~2x&`?qQf0y#?weL%bn z;{SAA`U0sS@H)Y9cHta(Dta-_fpt0zSGwCP3JutKdMo!;m)1EiQq{IJ?kN78%EUmS2` z0P**?m*12#L#lnA>ebKmm|nC$9nHxsXf90T%{tSLtjzej+7G0|oq)BSjW(H3v2^#a zjcf&IWv2*=ygCdHNxo&zzmB4i>6yFgOg$h$^5*vC|L z_mQONy_6BAk9Rx5FF_i(dud`Prj;Pxx`zB#jTRWw{1my*V1~AFg{4jn%0t+Z%46jb zmPnk;X>&IRA3R`l*T@RI#^wW7@xP++0XhZoj1s?m5oNRM4(D@RmW#GUhw!d+o$OvZ#cSi z&hOjBNc6;6Zv3CngM{O2TwdfGsyqxW7rtk|mQF)Cq<0&PF+6y|;Xv-u3yHv4KJOPI zn2+WJ_pA@vM-h%s^!E}SZ*11YUiVKqnxEU0>$-9Tyr+)RH$2aP;BxZm-o~Gl~(m-ODl9lRljkEvI8pgsP*(J(ZzJB7v3M=)PFP$Pd{k`oCcYJJ?<<~lRX+^+bkcIuWc7sc zHh=0HC-C}4C|=))#_JmxkLlm~Ml@dEhys5y%G(7uzpn)m)nX}HxJSX7sb^gp;s3hinMc~f@aWD(6a<+ z9w}(tm5W8O+-KN7M@J!|dd2_sc%ph-uU^=D99=g>SGdHxf3jeDA8ETw#b-Q#`%sOY z!Z}y4`BiT?iPV5CWGv`Ha0DW%5B6V=XDK{tfcF2rKcK5uG39H_fB9D^BVDBj)_<+c z`6=_w9lDm79$1-qB8S83=sBi)EiWXxor%l^@7Mf&e~svQ@>!%EZ5Vzy$dPDz7*gdS`A;NVBcEbVwpP79d){fp-CSS z^9K_t>}}BlGS<->LdM|x_?f3Tw=S4Q)ju*r7!FNviTrMhCKSh41TK0iLn42*YF3pV zO04=``S7PYyij`lOZb2yP~J_YKBuLR?np#hcCyRi`6%Q0=;QgQM$bzO` zx&TKGg0F)n->ITZkV5B0(I?pZnCF_3C=*i!zqKh&e;X4dz9{Z`DPIB4M;OmX9?wS{ z&qol?M*+`=kFeh^(eoJ5@q4`2;?}BUVa2TcQX+{Py1F#n>wZxN7`2S#mFQ*Rk*L4g zzVkXzSGMDdd5bdP{HqV>jZgCj1J%!h$4!$FDDUFSqTM?j;n@?CXGV$kz?OgQN!7hD zbY8hOd1S&D?iAeMDQs7R=M&Pm)UL@P0n5GrG?yzO3c<+dMXzmuj*)~vT|fuePB?oc z*gB%Y&L{Fmjr&1B;B4A}&n49Q%(0!~c|SPiMY*`1>j60<_ED_;i8P-b?fCw=3(ube zKi>-D=UYzve9MNPZ$tt>kWRf)swiKqo3;xH>Mr%1}N4RDh{oPcs z7X8u@8E^#jgX?LS^D5Ak5s&LP)=22E7*<=QPeX-0F-{s}Beey{4 zW2yQ1Onx{z`{R4@@l=@f-ICXe$VD}y-fk1Bhhgv$v}Z{r0$s_VmTPSRdSm~AJ$pVG z7IS~D@NK$7bj1Tt=?Z7io9eyJvhD`KOF;RQ(+hrdyvup~#1(QgfA`xCrK98JCyrHI zwFLONhkTsM2(I1fJ2}_vh}L)2l}M_YfrY5RKO170KJLOm;mZY6V6#2hGCURsPvu26 zY)!p^l=mpZJ06UG7TY!RZZ-x6si$9!zi>nB)qOsLrkRK$;%f2B_-L5!q6;pvHAbor z^UchkM8WkD)7(oR4?)bQx856@s?Z{J_iCbGE-F26Vom6kf7reeDUadocaW~+ z4}-v|M8z`v^ivEf>%QP6{-z1BYs&eaGVg-fTJ`bf zSJB{ofM+agxe4Vj+KgmY`yk3Fc>~URM+nxw-Yb{qjRf3jUf5!M<Fy8Wrr1GvKrNS^9x|;2m-~d5X+ly$aB+&BacKH=mXC(VW=Ck`ddH9;?!%nZe z2Qk*Mq^A!lplECJ^FQ_pVY(Z%d-_gGzzMl5YFjEv_+6-SZ$MHAMzqEALh3b;1kEqL z(L6(>!O$2wM2b-KkL2<*AKcL5T+sW2+pK|4LgDSE88+|IOEj#7^bt|Mo8sM=r1%|{ zutxLX$+@v@V82;wz-8}*IGY5iLagi|=wptVTciilvNoi6+GGtzljhBS4Q43q@vmKD zy0TFDyRy-)P9IG6Rb@10D1vB-gj>Wx3zX;jusa*`e?B=uIYV;65_xwDQ524qf}x6! zv9mL#n`e=tr8SXrUER`fv(a0yn?wp)=vEw@EG>Q2}S{;l|8F1L;IT7XD+)`OY~ z10>pbar>L&MxgO5M?v{=D5{<4OpDwv1Dxbq>Gs#PfcJPn((xcMI56&T$}~m-`Xs4> z#}4{}yzGmG+iUhng)w|zrJn?>2#f|rVYohhwoItm(oRxN{tv;dn|ji&+;_k z`+^%my+ktZ!HzWsZ*-FJjiKwJ0~9;lwySw)3OghpUH^y66V*8!;qvCw16id#8eLD^ zKzIElHRGNjG|m3w8r>ZuXrn0CW18?mZiA;&t>0@Q2d)H1a%KaR<8>w9;C3>w3Olc^ zR2@ZaA&U9U-2o7OC7%5JJ8MWLza#tnM;bC3tbP8^_E=Cl-%L5JSqen?bduE{e>gri z1DaQt4@z^&025_k&IOS`B%f7r-P6(t3O%-(RPSKA%{%N*^{tvh=VT7&KNE3avT;Mm zpfeT4X722tE6+wt>30J?JhPy@)AHKY52^50t>AiNfj=Tz4-XBrrk|GRf_5az$|}?e zTh-iAObh2wN;5b!y!Zpes5lg6L}_wO0(;vrl}-gB+umIZ>MH-HLuEPhvspx&)l0m!`cCi zf%lgfVn@(vp{%IL#WR?H^|{&C&26|I=HL6N#qwyIyPvOy>NU#Xs;p8-Db8W`UM@$8 z*R1PFC7q$H=W%|2VIff2yqw^A(|{<(-Qm%q2MC2Z$A3QJjl384M@>JAL}AwIORZB8 zkV5wDvh7z>cye#|(br7Y$kJlZ^5@n-yE{O8 zw9FD+IjH=#>ytekeLc1Oi_z=czgRkY{M^%Bgdh{>g0KLtVR0m{8@dGS@th%E)URsePM}TmkjIg2zW;e&y9@ zxga}0&#F|k1QS%2JjqRbrh(~OJ`Sb$iSb?C#V^h1u)@Z4rM5c*BjNR8MLXQ9ksXKj zG(L5vITH$-=GRzH9*u;6wC;N*wuy-M_Pm>EXgHjBbNpVDuoFm;#BHmV>4VtRpNuct z#vsFt7qCkYx}AO{Wbp6}lpaUDZ7#GPO|oUU=9r&{gvmyy0VaJA&(x)AIN**Lq|AjJ z8?kfDSW^1_W7cp#&Pe?vyBpeyIoe|0t54Xk;o6z#*ovcAU&Ta<_Fy~@eE5F0`rK6> zRB^bjU%6WZ)nBO0+C?LUN)(vCm8(gC%c@BCzC9K&atd-f9PM@NCV@ zmheWWGJASev&=x|fj%w!NkiC(IP?k@LeZ}0Z(MtmP2r{Kjp`;$*A|rs-RwSS4#(t^ zUi+G0dUoyYthRYrT{V4(<4v#?+LNacSE{K6tkIWBjpVe!z37hS`aMn9;YXDiL?wmP zh35lSiuS?kDcPE+7Ad&FZg-33pUG}o_S_k^jFq-CXd z{lHFL?74YI5@N6#jH5Z@1Jw>pPp4;mp)}Lxu1XVzkD%K(F5jX9e2PwSeyPrA*)Q$6 z&IMK!&-x%a596(OI1)9X5*bKO<27gaJgq3;}KV9P7l9BnEvtxwbvRQl;%0U(iLF=c5M;$9K-@8KJirF zuFyl2jw9DH6DwhS=^uUUzxO}-laD!`4=K0F^0!udQik$QL~T??M1 zq-Y#oRYtusk4f%e%2+E0`Ufm8%cG6r0}Cis6e)@tb6phIAnXr*rzrjO9&u~nH|unv z$nikN+kefkoU?(;oA2zVE?Gdlz45?%OHVYcA{fe_Z30me!*_k-;~-V#Q+iNUHVQg@ z^76Jr32^I!MmPGQfDRemlv%R^Ff~&!o|V!=bC+KmcJL~} z+j|LG2_mv^@43H4{Vshp7ajlgTd5@IcdE6OjgVYe0sGA)OX$w9%bRVt0%keAo)gENP=(nw3%RErsAXO_pZk(E&@(>q zD6}+%cP+;~slz(pa#!4*jaR+sbQ6>9nTmF>$Y}cZ=0PizmV~MCuneK!t%l1xFg&7m zUfRvdlk{L{bLz&sJIu)b-_QeXllN~2bzen> z4tGKi?d%|&PtR*E#&9_eQ1~4;9px}NJ#QG*e-!6ukXoB;xrOii=Es)@|g)H-f3V1$$|NM#0|Nq_d zk;C^-C4B#s#rIDceE-zO_fKK?)4$`z`*%io|Begq-*MsnJ7v6o$3*z~2MPY_A!iRk zelH>-<~=LnrcCIbSkE3Lzgxc&?$&@1>m9C%;!?Ps`2^)+e2g3Kvl(0c3y_giQUi@v z1JK6qNh(;qfNT;Tx9n1_ht{Ezi5Tk&=!|#OmtZ;yqi*_C899g1_|*_alLRYJh(Eeb z%G(LtUYv6N>f;2Y7Dc2qLDoQanB{`RU1#`%|HsZz|Kk5?aQr_rj{j%I@&EKV{$Cx% ze?7oAs2vMYJpq0XgF}H$`1}6;K6IY?fi8S`o-wdk5e_EKho zWq`_hsh{iFQlM{b2zyg-8i`(3==3A00*M=A90T>`5L3IJ`YqR})}?BL4sp%P z6)H(W`LyWxn@mZl5c$!gDk=+u=L^NQn52MOBjU57yDTukRCwXd0_d@ycW!YkN0lS@ znBs4xfUpqt$kU)g*vVA&zCrFdTI@JA7t>z=MDc!n%R|mT-yZ{wpelKK`VwT#Vf?6k z^$e`O%qtT=+YA|dT2oqYmBFHK@5Kc#Oh@|pff%K*6fjyJ+t@sX;kH^+N5uK#k&M=3 zmNyd_Xk};qv%8T9zD=}!YnC{K#`HezpN|bkEvdAdlx4x-8C0J}V;O;V*~O=`y|6$& zo_qU(wnf0q(=QZKk}@#x)o({^ZZO>O-M&9i))DAk1Sd{j%Yq+|YN|E%OpnOgXh1|q zE;>1H!Qi!pP@2RSVbMnjG3ziEr(~oe4K?@hhl(-4Bm6nBw<-&K)YwM$(;r3ZO3w%S zK4rlthPSB)6ojC8H^({AT2nN$TJp$QR0K+D;@!s1bs*4=6gw zmkF??Ar4~&W3(O%3W1_44`vf#D0;=Ca$h*&|KXp>P-B9UikYL9c&)L%b&sBh#NX?0 zkj5*7-S^lFdVXQ26A$meeE%+-zqxA)e!{$)*%$frDZ*J#*cNn{O3JWasL@Pmb-FE{?8a;@l=UOV3 za)uA>pGKeeVf>v-wBM$_9s>T>l-;ZxGVo$zY9wV>Boa-{qJ3eY4AhBV+kNH@;o0;} znxqE`5Z@=*VmV|64r$6>DYjy;LGt2hkc1bSDP>Z7;Cuz`v$Z0-?|Bn>$8mm)O}>uO zdw-tIJ2nRIcVD8la085|p=}j=ZX8Av*@ugy_25OADmajms1Mly(F!g`e z0jd}IwSu>7kd40exEi$%Vf`PX{J}r^%=>VCW*JiIh+b1vbu|5{NC4M6Eu<6WSUAjBRV%=As(Gt-m*%Z@C&tXdSHc5cGgw-}-7dJY@0!N#@|mcEbAYMC*Y>@#F^FAN=Zus*%YX zGM3qg<-n$z%Q*g}32FN6-ZFjSg;Y&w5{I%X;QhAn!!c*-A<|WpLDhCkP!b8Yz%-BVd$A#lO@Tyj1*1wO8BcP}8UXC=nIqd(VE0SY)# zrWWwV_N4-pd0nfGd&vro{u!LvTk?=-=E^7B91Yb@9=bHTVQ`G^wuR7gH1u4o=m@4! zK?;4-JDw$k!>fh@v#ro_!g#0NPgZQ{6!Ku(f{Fg*O9F?yS5eBc9K^-io{xPa2RpW2 zPMAKG0!humtLlZ$h^W8$VK@4nxgRXxQkQ_?Q88Qe^_hkp#T`ul_C|~Qi~D-W;<-uF z?GRg37fQ8IyWJ90BBQcxg)G3C`(~=YkRzgGbMo26ZUXLCFXf-bd{TSw?V!JN%N2cC zbv1rfsg3CbT%kTOcLkYwM?9zGZbu|KzAC0W{g81ZRq9*m4xk>a@>o683-3c!Y^Q}V zd;?E`&>1F9_{`>3*IUF6=6wO`v7TD!Q?ly26SB;}<|b!0&%z6d_al-L+n8~`Cw`po zposGwFyG66{hs)6zJn6Zci@IG>N`blK4Y*?SXROLcrB2+MAzA$d5o-Y^|L?W>jpO; zd&4U}=U_?ZbB>A2CA?qx_x@tCnQub2-*$r?zxQXYo^^q%%LUZTQY_oTQW4Sb(Vz2)7k)m`z|SWd`1u6GCI5Rq(ZtUuI^g?j`4*6vAx|Fz zt$GqAP)T@^FmXWxT%C^5Uy;`XIp3~3LJO)O_AP#yyTJm@WNRfAE;m3==AEy(sr~4{ z`ScmZ;x3pkl?p7{eH!8yQfoa28URrbk)JW@M$6-KSHcyAU{KJN`_QHm%JE1H-hRj% zwn9SlPU!gn2Y++E5{(-2FBASIay*Q1|GGPv{d31`EOa_d9Gi{GL3x9T0it%*&nriT!vsJJ7AsEXnVNk2$M#U!@Jw?sXsb|!-9hX#7_Av9{>n+#Ar-O&8NC<~`nv(BID*hZKiG#(dw zticJ>`3hWeExKR?kXcp5I%o-t$+f1s1y)esrnE1t+ZfJ`qFbfmk*M_6jDBsHG2D-q z(Ti+yLh?fm3OCgZ!K-P-2s3E|m5f0<0d{93JY{zDy1EJ6+~7-NCKG@+sqA?{g4{65 z7RsfOD38j<#v?iJ%b^zjn+JU~c|qa|IoWxPcd_2_Bl^a&1Nt0XaN_H34;YJUxRG|v z1(}yOTU})GMDN?~$C*la!qkn-E1&owph)Wq%RZh|)c8Ap7c~k7FO=k2Qt1!P)L-Ia z--f{#ubMp7F3jKSHgA|8=s{A+Z8}AF4Y>B4 zj0AdxCxSh#NT5H3a!Hkg5AlC_EVWShW5o2eWrUvXHrP|GA$qudYlP_egy?ziSkm>= z7cTk13%R?tvyq3P>skgot3o-dXxLl)`BW42}54{LL5jW!*<1yaCrY8I8kEHs9`+Y?F>4lXVlaDsk zfX~W%to)%eOAG1PXLG%`hD)Cf~eYmakPH@@EG9K&uL2JP*-+I???9>;CDV zd}v{ct1hPDz&>DONboREkwI->kUbHzN=oPZZxmG(OSy%i~JrZ#p0cs>ancJps~?O1d6c znQf2C8k+Og^Q6G>sq84Xi!89Rj#`~vlfu`_-@mUvzn2#BR=$hQ9NY)R_LuIPyp=`V zae96$5_@5Ov_6WInFeNOow%;O*o!~UzxP`w`g{ND=l_QfD}(c4rEos14bF#^!uhb$ zI3HFT{`fm+;{H|&xWAPy?r)`m`&%jD{#HJSDBso~!&^Zzh8#}&RX}VX8PK0t+N#YE zM5e9D`j_sI0RNGbmy+*NgSGsol@;4I!uui7_e=Eo|H+>Z&z}d+-vG~_6VG25&!3Ah z9*^kr`G0*p(e?6Ye*V2*$+g{#VNG;q@Z`2%R0HM@%NV>-oGa;uPUWB8n{v$q!4b0x zaZ+o@X1^WiciR{=O)Kxr3QIt{g4hGTbYTdP+I`{~Rws4&YU;X}AOs;kj<58T#X!HF z{_FdjLiql#hU0k@aXgP3j^|Op@jNOxo=1W3d?xCzL3BLP@6mrf-}G{{O-Oc2fu8o$ zf1=-tLKY>-vxPHOs4%0HzwDI=)M}}AO>APg-*ZZe-FroW=y;;@jp%q|cH=#mxDu)m`(_ z1WK{TwI3CI(1TF#12IQ6fc4(n6Q#=9prdm^D(9mH%z3*`^-Ki zm1#d@GxKIWDnkp7Egyc{lZ@RTKHiCZ_(2O+)9OgvWEq(Ha$~=CojlyU@u>X!DyC<>H-7ZMk|gvTIA8R&Q50%AG8M>7tq@16+VBTM z5g4^&Ho4X=0f$p0YDAVr@c0IJd>uS~03ILHIs7-i9v)vCzmNR=_m}ARi0JcWL1IU6QzdmlUqwC5h{Ii4*Q05!G*RO&iQV|3MZF_*)*Q=u$yrgWTK68wG)9 zocHY}ix9BiJ*R2BpBq;1lnl)M<{_+)@h3hn9$y5H&xFTk#^clA@oC{ty`34aw=?1O zc7)g4>F|0xGhT0J!0Z2iA3x|$>C}d!B*69UHz~!%ph=K*?k9r^syyCUaxX;)Vz=$$ zUP(jf+NW0|4G%;e3C4=1DKy(fU)w`TVEpRp=@X7m-v25 z^#1p*s3T|ept?==lW~y-dbk)m!#b!3ZOK$jiPK>yo&G@Z=C~V_mcCVO{NW9enl7yG zK7^x*R_&zzHOvQ_^iqml-uR`o>JSzOf9hZ@dru+H-$p z9d!ni-%4?0w$A9$>pj188tovTv0sY*ts|&D`7vM~?~A&T`TYq)JHqStzn(w;93N)r zACN`I^vII$MHrys4SJ{IhgjeF%g#q?t}-xQy{Cxnh%|KX>3XooL<)$muYSg8Gp(P7 zF!ow}*Zcw}+&g0atXEPSLPq(5F8}aEr7B)8tlweyva^h8qH;D~=8G(^Svg=rhTnfl@cS<>e*gVF^5_0bir;^KkNm$rUeMm~+VnRa(A(Pku()0i zCjHF4ZIt{`eD}q&fZbXUPWR&(t%fcb*W-!S-~Q`-hJ-M0*b|gWK3xFmDLcNrxt)O$Vx-~L+bN`D?XKoZMEjqt3 zwKcM6-}kww=l6)8!?5x%rJp0)!|dME8Eog*+Rb z??$_&k+oH*?zq1_;xt~9I+ddWEEBtb6mKblv49}C`=S!iHok1{Wl)8I9qQ}O85m#U z#4~}7HEHzg@s4P=x9`+#y)7;&Z{r8v`KW|5m6Ax!cX4*(8xLIeGqPyH|2PUhs!M;(_x=oN)e#A{m;4|ICufOVJHYhU-1Cx0Vy);n-b+ zf5ro{VSjikU(&re5X{*>QfQC}PtSzheZbIw;{B6JPlu)eowcFzkZml4xZYT7>&ZbW zZ#Y9dE+>G}@%#R_*mF^Nh}~(qv;^Fr+85VzcE|Oc!*M-lFI>+#3fFV?gkdS=m#k75 zs3E~SuBg%n=&MQZIymDX>(ku{t<#z4N0#e~YI-bI@1#605OD;W9W!n( z-AzI7T_f2k*p5K8*>CIRgd`~2@U$q#zMp+IB`E@jeF)<%iQ-|1jwgx-`x9RR_iN+E z{n~_azcwMcld^&^9~i~?Fwv5*KLXKuHPQKCk-)_j5MT+a zMb*dauezX0nsXPn63oHteKyA~Ydr|~ejw>~l^d$5Ba==L&?9^vBYHm3szEnrs!Bjl zLRKa{=LFj7NV+8_T?m)MDYvtvpzP9T+i^?KLp3UU1hUtIqI;rb8Sxc-AS zuK%Ec>p$oa_6s1Y_jrvt;exR*H{$f$Ia|Ue2|q@9NF9yL(BT{H+8pE(p!Hd%(TyED z_ca@I>+wj!s=#5q3_1T#jqIqr)B-kQA{SB^)3Y1#L$x}4#_s<$vmRaS&7 zHtk&WzULrPN0LLr;;A67kRtXvf>biuG`Jhpqxm{%KT}toB1I zH3!lZeXKV45@BR~c_b(Q44U{b_Hv7&28j9rO~oy?#IX58q{8K6Gq=4U-=O*XmF8r0 z_w~nLXfYWbiJq+K?ed4JIipuHAHsp?c%KkM**BpVz?VGZ`Q7;?zeDy>@6EG6Qyptgz4kT8i@n zk6lZ@z7>O#?`g%ss%l7(A-{f~vLpyo9@(ewBn(f#hWfc>sUzA+{UExl{Dk>U$^jEi z4FlS!n#RZZ`GO44oO)SDHK7DHbmECmMRn0zgEuUtvT`tR`^QRUFQzO0FTeW`&Zoxa z$G`k;Wt>l~jPt4Ga6YvPIC-lcnxIWXlZ#3RnwIjB?1MPl#@WMAAk6&O;zkO1C2zTt z1t){nwmUuSI}>5%)X5_XND$HFa6PCV&OsN0>)xI&u|p#}1z$eg@WS{@S^HR)qrgyh z^PC6fTf*|IN%PC+yJ)2}!NtJ18=Y9|e*fYcfFhTu?&fd>@ToNZ(s_RgvP5f20R|z> z>_X@pauu+Wx3+rO;ejYAsEu~LQiPvA=>z`G%J6V2`okFuCD3Ly=hQ1u!u>rp!I1r1 z#NZDtu=A97u8?C58?QabE%pbY$4gSK3=gznu`0SPy%Ira$_uYgFY1x7!Fbt?w4)%J z@3@om$xe(Uk!Z7GH)q@vP0Qwl!&J0~?T{T4=Q9@4AlO;Gr0>l@$3v{3O<+_RK* zc~JFWrrvfR(<4+f;$&gh0^0GJI~>e%u$4hZA@t=T%J@Y3&!qJj{IX8r%ilkPSe42y z&b}W9>*v>I6?Tn-li0KJ@I&J;epsWmfjk@*j%ZO2MW>;Y!`r1grlZj3R*DIf8Upv9 z$xl5abA}(*sWm+=k$8P|ZR8K0aBbudo{%1|$G*eygda!#;0aeoR?qNo9NDA;_jN79 zpFVVOrtTK&ZEs~%r6_oyLvcTFy1&|Uyba@ny0ttJ&!>Uy|9lee!gSsCZm(j!LSqV- zj>;&n-i<)v>^>dNc?R%%=~Uv&XPACNuK%HnK}JB-kCJG;%bt1oh_!$gSb8h(JMZ9! z)XmoF#&#nhB}*IJHLn3iBz_iy1x|2LC)%TJL!Pj|BvJh2Xb0b+$rvs;V>+Yi5~~fn zbh?ElHBG>X(R_Qxc0>3!rD6IbMHfEzdAAJ*VR%RVG?J5>0-*d{{<5(#52*Jg%da=` zAjhbCq`l7k@LHQHqc?yLge#il*A=wUpZ=^AjzwYC7RVacJhr@1YpU5O~>;o9nPY3{u)ff+P3F zqPGg6BXk`eK=l5ro|h!dO-2nDWbbhs@1lU>JI)_uO2yCxYwt_`2gu>nvkP(dd{l7k zx!Y3tXL9Vm|D0o|WfKJLwp!X2brP0Y#Qd(FEJ8lY>?3-^r_jgjhaaV0V*Whs6rZk7 zC7?@rm7i@SLc#V-mUh7Lqj06Pp5Ktx3mqO@9WvWvhZ<C7`~CCkxkBR@AuuN1gE;90OgBo>M8 zzwP~lHWQlo9=Pvl&4w3^UKKKm70Aw^EH?)8-E*f zSNq-G`eOXtCcphG`k*cNDn$h2?F=rPCh-r80(}G5EB`@07?CR3p}8&s;U@}g(kI2B zXZL6M$aVpU(%Z}lmbXCN{G&yId3q4aoqjK>R~l4DuJ#@BvqX`BArl{&Y|*zUSDxta zMj$?s{lbAni*Wrj>r4@S-o!!BZ&2tWH!}yRyE__`o01R>JF{3=fD#<}Fh(oox zF7u`9oJf@9z#aYb*6?#8Nc6J34DwCeYnCc+4<|ft9NHdd159qbE^cE1g#BA%Z0=vJ zXyb+jL2Jc~ECqCSPx|A(tRCgd4;h5%TW!M3&1-ai@k@)1@Qa6BaSa}!|_EHIKIdd#}`@P_#!jH z{zpXhT?OWTC&7jX_%XS4yH{ZMc*mcEnzWh7Kg)%3f!zznyFWNPWmy1k#6|zz&wU8% z`Ev;+F3En>L3CD`C#SC%qwVJ{KG`{HL5);gpv19VaO$l&RiCRC+`D1@=v<)&=FgQ- zaG%l>o&}zMzfW8c89ffF8mjSv0{W-*r>c42BGsw;an-Kyuvj8lZ6ks3d{8+3ovKV+ z8Zoc<=zVw-2He>@RX?;PqjDE!~h>uCat%BJHbu({`E&c|L^@Y&)290>N^CZe=HbZH6u@? zAbVqoCm0xh|(*cD2=!xE!iJouQOM{oL)h3|3(T`(` zT}sjaVec)YstVh8Unvn0B$SYDknZN8ySux)B?Rg27ElpT0fP`k5WH0cMFpf(Py_`9 zL=+T35p}QqI`_vjhU-7ZJH|QV?5{e5q>Wg4$#!Co{JVaFdhrd`xae!=)@m^L*ZDHm6uxudM+J^Ai^wl5!EH z#&Lg>&RV?3A78#Rk;hPwLZ~%-RIC>?U-v>v=bvsc*w_O5epkb;0SmaeYhnCw$s3ux zmNqM-Hp4rgL3UPXT#68JP#L2~M}zj)$Qa99&Kn zH>~jfzA@P!Coe4Chc5bw7r%s_ptI-R*~I7f!?sj#*|~upu+SA}s|jw|NrlK`xoz|=Db|J-GZ%>=*Fn%=}R>Hu-wtHbug0$_7f^A8zxDkQ>rI> zE6;GjXdCysU9%wwzdCneyV@4H-HShEMsEyfUFO?IR`elNJ=*}k6OWDR@N3Pdj`AIa$l(2q3e&*!LGV6 z#KL7jHZR}}bRT4P!?KTdjiU*_Gq&Sb8i?-kw?bky%t&TSjYbbHm zY+$nig>6%-yyYndx~~&r-kr5*VQ$34;A0pfipjB_e|a9#ruBXwS1bib&pl?9ni%Br zfY>nEIvDAC41Qn#kqURtSsj_1$pDkAzKJ6oNig%ZNm+BN5Zyh)e@Pgp|LY}Z^H-X` zfIJ73EVhU;fwJf@@sj~9boOm-dxv;2%!=PTr@d7PB}ccT?vq==kH_sV{jV895tB!~ z`#~$PJZ~!%&utCFZ(|CTc}>CGYgjWUKL)vvp8Vrc<%v+&_VEuqKA=sxCwYyN8+}vL zyvk=0fKEI#5We@+1ulfzxaTJQAHUeY`&&h2O^Dx?u|dLn4_^06tnl!BH)9j9N-S4~l?gRt&CLJbh;W$OrORKf9AsK<4x&Csey(9nZcd1y;Na&o##1d?A7 zKb_R)gHz1X6FV=(fbyCuv=WKKWq&?OZU-TFf1af4w2}puC-Cp9!Rt4wuYCHC`IN#%$ayhNT z>R{!&xs!iY8Ki4MC&xV0V7sqzxs=@;J)5n$w&zfe>^fJX$r%H{w@ zQekDbe&mDRQhuK~bHWN95Y2RLJ+%dLL+vjYVpZWn+jEn`CRY?W>{HI)V++sHzU3Ue zp$j8wKSZ_}44_bp`0UFCZAiY;dB(NJ6qX|S2X8E@f&9(gug%m!c`=zMOwD;VeT+x^?>vIZiFrBU#}z1r zFs5I5ER)HP$~_CSI#Q2{WHFxc7;l{f+80=$UP}f@UsTKt^C(fd}cWPdQs^so+nounUuj1e$x z+txw6EBc$a@bCEpfBl~Pm>-iH^JD5`eoWjx@IQV`Ud)flh57yey`S~p-v8k1FZ-+a zX2=^%o1LI$CVEhXnjDNv~H&5-#w_4Sm7-FOpzWl4XM+|+-s&)NwR2M!(>|H&a z%ZSqJwGZj!sUh;QNcpzg>Y%pKxg9F+1BXLCmfqfRhtpTiMOBTs0`U)TPwfI9cs9@* zZu`|8+^6PMoB1+PXJ<>npqvXT4t$z9P$L7jua51@6qg4ddADwJT{#$Gq`$auUl#V& zY^{Yj$->|BqX3+ozS~q1Zh=H*#uvgykAvaEn$xF}_~2Pq2=o3PDUjjMN;rR$2UMA8 z8{gvQw-86yhotK=Aa`Y+=Dd$HS|w6F<|8cwGhT6=1^GB0W{hg%G!O3YSBaZ_Yzt%NNL*BLNGXy7;fO6iLF`P^l(doX*P*4&owVWbtz5u_c!hE)LMRtKT8(~ zh~BNYoKlCx>vAhqkF_DgXd!htS_jB9I$!UNXaejCm?*OZAbhXS<{0jD$38YL?T%^4I)1rf7d1A znxhtJ7UZmL)MgsEqKn#dV$Yw(BNF@Y@TUi2u=}^g?%y1{e{1aiZLs^d#O^;HrC-ru zk!%TuyBf~TQPq|_{9vR=*6lVx?$Feb&?^V6`#ZL`d8M)brV`fQl*am-idcVB8S8J#V*O25 zRHyl%n5@YR{Ro{U_U*Dpg+~il0oOOVWE*!X5cDAZcl0tt2yTC2EJIm1tqp(opJLel zQw-aGievjvL2UnNj_p5%vHifm&(HYI|EJC#(kj%vk3P7RFSianLJR^w`?6d5VWfM+ z;q1-Z@R~y0wZOa&t{Xm8mJ{y9`@D0iWz;{!SsRT_Y|}laQiA<(d-Hg)FnDrI(d$-g zq7M=wk-lg7VE*%#F>@M?rEyez(v+9PACL^e;>Y z0e6g#0$fT$YnyuU?_LH&2gBJNpROeIi4lObAq<=z_Osh-I>A26_T5iU{o%N)=mf*# zTy!?{jI|_(HEetqFf8}?2f9&{Z$GYwK>q@AMLBvSEkQVF1it%biFF{7K;o(cFv(c;a+=Q6612~n5l0$BtYNgZf3%nk#oX0eM&7t?{boNI5OJrw%o zu4nV&{8NY9UJ9MfNJlo0%ZjNwtsz3hi}{AR9o(wjdUMhz93u1MyW)AQ0pI-C&zq9V zEAh5a@Rs0>{by?^7Rz>JF$qE+*WdJ$aM;7Stk6^U{Omy`Wz^{`lPlimBYe-}YyAmn zr}an?nN;_A3$Z-wVFKuk%;LmOct| z1L>bzrHa|iP&+9;#Lv$K6fK?CvX65^Dv?5s+%hg7?x*DIr@>mtZ!^KK8JD9;a;)g6 zf2<_p{W2tRlaL>BPscvAbmW228|+43%A`;!alW3Y)Cq~- zM=#f@)uV%606UdK8IdAuw!yx-;cb=&usxq&)(yA6m zv{^@61j;O+SEa&=eZLEOBKU!L(;R<&kz4Hc(|}v?sGg)sv=dhk_OVuD^rebN+NV`3 zvh~6sX{^9mTF4m^$29pB!a|^Ox>FFIXhLq>O!2XJoG#@&tNQOV>Ok1CIYuatJFjLC zjAif0(T#4|?io@z9K@vn? z{+X3Y(}?ix7Y`noKJ-IR1~%G_ui0H;1y6SGb6gM1QCN3lxNo&2JnAdDPL_KN=x=xh zb9|5hmKu)dZXFf#kMsFzUnROgH?vb%U)VgIHn_&BFP9*P3SL!riaDAX7a%|J8bWHgcx`6Qb2RSTlB4jC_N)`HFH@R{q?sUY=>cgMFr6@AwHA$2;Y z81@~GJh)Zkh(cIOwObXkk+itO7ROKk-ueW5$8+JU$$Pd(wjd$J5Gb>23PZsg`NQh= z=)vPhzbB_~Q{}Ri>)0hLbo@rCpdGaq2>K|~QyXPNsSXRhs!Se=d!204o?i$7H_wg5 zZls{pKc$^yap{P!RiYqxFauVe-)uG#!|7f;7SuBA>e1oFhqg_7g=I0Dn^o*AWZ$miHs^`#1!j@QU(`hEfZL5XtLj7y+k-`Y5{ z)_G*J$?`DPu?X+|#^3ej-}8|1U61h1E5P^j|L^txJHPt>*>8fc{ubZy#P@uG@8|Oj zY|VCOr$Sd?nU%h01caJ&GRM0XppM9MpLL>B!GP@T(wC$RB&uPSOd9Hiw;%ijb*9!G ziwfA?UvxD!_zL=J*v7q@dmiHb`WdoC%iujj#c5gH3UqC)eXgrM38WvT^f~v*BCeXP zS>~q%Xg6JOqf&<*S*&nTnwN@zA-QAtBCQalZJv64P;2zIguwtKLkEt>^Xvp&AxQxG zG~7d*b;kovG7WhS=z4pa3N4q3)~NxsD{0aMpSDSp0#69h>*;^`0*VdFgY~1r`H*Y7Voq! z%ya~RHJKfKl#Uhn-zIyiD;@x^d)=N{nJa@HA&XW6pEUFm@+yw1=^*}v=mQQ%WT1ad zuBtFz0Z0#q+&G=DhXm&uN7F>=(W3c%q7!-N;p%PT$cp+FG-v2!yPJ~@b%~YkmvSn> z>b=y3)z=k3eKYy6Z&5BfO>e&!>e_&AP`17(IGc)ICQYAzXojpGJQDiFTs_ZEIGw9P{cp-%?L zL%vYKU9TUP$84mLQ9(b6WGE#>AF?NqU^ogFm*1KGq&$rC!!iFRKPv~cvMHU*Z)9Ls zJ&EB`fFy#-vPKSC8Bjd+{=OKqEM$|~^rXg{BUw|Acbl&Rf$d(-;qX~h`|agrd&&9~*QXir5k{I(VuvU%`n?MfGPWWc+ujVtm~t*Fd@QX`=w z4+!{!eXo#aK-aIImi3|qFe`D$XDh!LaZENhjt^x)_uh|eZJlgXmExSwT1y0?Kc6wf>indx`YH#W~gR35Stm8vxfC$cea?XZm#gi-G6HhoA zc=PMhEn6e>VAJODT#g2gw{|h$iH|W7sk;}*tEB-SWoE*^`)a_6s;h@CX49Z2=k~Ac zenB8!ZvLU>ls1a*EmF5Sh=5j9N#_`a5|A-Q6Bmr>Bj$n2RLMz-;Plao8CJYe>?NVQ z17Ce%xcQvrdSNmu(w~SZwDN(rGP|z*54?fK#^i{}kT-OHe6&-oWe;A@C`)gVTY|QP z+Wz&FSj4gIQMXNN0JUc%PFNxwpKh?Pj&8yV@BZ>5)A`SuOP|V&PQih+O;-r>uD8lL28PSUJ%9tOM1M_2YVt!0X%#Ue^`7yaLKPDS=D;wuO zw9G&&POOvEwBbM%PrQ6>F#&GyeJ6ZRXA7L$?cTGMNhpz_pNe=b2pUaKJ+B*d0>LLm zuk2n+fGOjvj!;~k)_h6d_FSPgsP<*>ldtKZ-FNrRsh0!M4x1Ej!aE+Ywh~`p&gKM7 zba{3`oDXL7_6?7j8KU#wr>;ksaYN2DZO!E+e)zhVG-Dv{ynZ*s%*il&%e(F4;fnqqoIGfb~&4r~+F)jYVm z)V|W78ykHN@Qa>ReZ<{7G<+lTo+#Rt!Xa9BH>cU4UxO)VWqL#(?zT+>hxM9DkyC>$}f2V?_0J z-yf|W6%h0dw^2{S@ee-T;QQQef=F+C_{MNr2CP3nN^rXz48+29c5Wpnk=yb5iBp7O za5FM3;q@ABUQ*!|`FPd0= zR|Cg&y)(R@b2V9>fQ7N#KTXR5%9?$&J!qDI!t(>q`uoy7jU_!md#4*ufBOh{`T(q(Rh1s zG3wlryAuT!PPbRuN+Q6fmgUU>rf_sN%3H+yLJFeQCH+iuFB*pP!fr8{`J-xe;L^XV zix@3+dc?sU>c0u?H)OCun{&OE?)+hhmZMhutC%O4e;1E@fXlZWn@ZP=c^D2(5={~E zg_(#f#Vc&5DFSl8)ZSs?2!m5T1&(F>(TL$f%mg`GDC`Rrvwbw}faDHx-A>r20L>&f zNeMUt(bKMk$EJ49!2c<+lGn=twUI82JXZ<@eD&VeciJ^GeJw%Y>Qxpuf*=&rc8nir ztRc#L>(AlereNeY-{Jhp3dv>B*GkiwLD`6pggut9VpgQUOQo>135(b zHs_ddb&k;A`}LKyz?m-Z_sUKhB3Nx8KdBK0H&p&~6n+VS*y4U&g{5eq5PYU@B|7n(B&ZInSY2b1 zfxkRNL5zoJf$c!&ZJ_}x7yaF!1>zZV_}*Re!*=AOSHkgx{3W}a+= z3~9u}G;ghtNetR&O65w~Od;ez80V`pIoNsJ=4tfS4Y-e3{K&cNiSAvwqTwmVjwFV( zSO4Jp>&Bm&ONhUC;O*b}t8cNx^etwXzQr5Uw^(EP7C%hiVh{8Vr}r|vPr~<>;bguR zOEjB!qqvMG3f(@jn5fke1MjOl$)_@15z|+SUZbO7$nb%{Eh7F{bk#gc#Oh`!`k77d zNJnD}jgvc~mTUnq!lHXp_+>PXYua##x5^M+z83fjxZmw%rk{7h8#B?58wB;$vc8bp zx^MBJRuVXz8Xh5Pi-89mlV@s`BH^$9LKO2~C}RE#3Cw>XiTN+oF#iP)-u{dKw%+6a ze*S-h=Z-JW`u{)I$)IFhe=PL&CH5$o@)!BDqaBAg-w@w?PSL|-<@a7`gJ<~J zUqNE_=!Fb%)~)-x(3L9_GOnfp{<4vkW!vURbUZf4HUhU_pZG0%_@^3HU$w&Os~T8+ zRRgQ9T4426HNe-uEX#CBtRuq^F~m5}m8UMJ|~l6g=N>5Dwdb!rlE ze9ajz;+z|wZ2@0@gx{H06Q1lAXrXyhw4+-R_S_^FE8XRxLBB~-%u^9!WoGps$w>p_ zpNYklpAraPy)GB3UJSTY?6flPY=RGATj&W6*jjG~Y^rZaJaN43v)OD?)0B3QKm7S%%*8@z z7;NC}pDkRUdxfHJhmE#xHC9jyEw(G|@tEctggM>iT*a#Plq^H|h6zZc>p*u)< zgB|*(^3zUxbHb_KtTQ#+N-$DHzC%aB2>H`e(vL(<;H|S74%?;!vkuqF_L6by_6Z)U z{nQ5FvhP`qXs$L8hYiL%;__a;pL<2e#1W4eeKu0JYFwaAtL_6SZ#Z(`2sj#S=mXdN zY$*7}eBr(Xd2z)T5BR~J&G7ttHex+B)LV_~%k$B!d{fv+L;cq-FzSw{nI0cGib)>WH&e&0$gYc`vb`tHv?LGY;)Lub+$xxQWsKx%xY7sXh7F&z)K4ueZ2D% z?jLA0f7ZnZZ(kY31TLte!j0Q*>A|W%Tkq$3c!mqNe>_euS)AL4)eFgzKr2G0ta+R z7m1&;LXuwbuTEWebVRi$uP9CfJ{>dsQ~rn>Xy?~Lk8^5)9F@3guB8a>+&~rf?HP_^ zE)pB1zbFKioN;@tuA=Z&bU4^Vg%4g!U4A#fX^!x{{;$9LDCX}zg892~{M-NdyJ<0h z_fgE>O#>ksvjUQ8VdzPBUa$a>H;73ZL^d#3!khD5rB;i$^T~vLw49|ew7>W$ViDm9 zdz9CeAEukYTumcIt(F>kcDYoxHcK9Mp1!!Tr*8m!{fjz8CT^&wgw)Pe(h%?bVSMY= zF%J%KK2q`k%AcW5>WS_sgp(R*6)uZtJ_ zAbXax#(k&)29Y-VvvU=wU1j^w9g=c*q`o9;a=I8s3C`8BxK^M@i$9O9S{8wOUi$rV zoL?g)m&)|$RRu_3Nq#}xq6wvSo7OBie+F9{Ta4nMGQ9BKq&_dNkMQN0#!X(Zzri32 zBI#OW4QytJPTWMm?t%vJ44zD-uGE0>7=4vm7E|;qy12>Yx-8!PeSGy}q4WbTd5$&^ zp-d|-Gob@|$L?o-b9V=RmupWd9o#_G_+-`ZR4!b8uC&94t`kUq(&UnFgELB*`F&_m zOA{*oR9vt=X9I>*r_(Or{MJH6qORf2t|-T8sy)+H4`$OYE6c^=`t&<77X=xGP-4)O zsp*;@5?qsGSCldYg>}KWP-{b&_1!xy*l-wcy`K&HZa%pdHN z1$k0MUw#~aGu^>Kz`D%{70jFVPP-_9n8Z0dlC$2Z>jfn%-wQ(^`YowG|K0*Vc2Hfj zq<2N%Wnz4I98DqXysLOok_%|0TzPP8jvLnN_e=A?VT1MB`;^U0+~9hvF)!hQB+8t1 z%?WelGpB`Ak!S_`&#FriZ|@C*_CzgNWg5{rhK>^jgF*T0c?sc8E=jy>gG{<_p zbv`@{3VBKR`%^{Wj`~F4qK{_s_`>3Ch3JILR-TH$99il+6n+kUuu z!H1Wj86*v^&>45>6J1y+68MlH{=(i7mOfcFZ>f2prB`Fh!c``4BDkP ze)BjJ55PD70bl>l-~Qmg_oMMWPkm?Iycdu2Lta~T^d;%g1Dw+C!3DWURMCD?@JyW% z-23gkonUPMy^NV%8<`e(?+2u299Eoe-G?L51dH=NgNXe_%b$;WgYa6gWVlA+3WR*L zYd5|)hA8M2EiT4f#l}+`Ic0s5`xDO&&5P?IuM)Yyk8PbMR1W8dUSG4k63&U^+?U%w zyTJyQWPBoQCR%Xp+SR=M-R3BsCdf0wR|}lZJ&FAJ0Qc{%MgE$y=E!MMUFPTqbvW|J zZr`=yyd$7?gWJ^`Z9-OUf<~a!6_=(N73s zl}m0N*pfrW1Mkx{bA^ES)UBGvgTfFqeYBuWPY#VU+UYXmxa=d5?(7U+YEU5CzDDxO z1PSznuhTHA!z2Dtwi^owX76X##R{4tL5KM#s^bbUN9J=w9hW~Y%T3@iDV~J_SG2oj z7UE&OmB_leD-K?`U$tdY$wJqs$WFZCIss(w{qCce^-Y&==cu_nX4Rb)LP*OPcVlHL|hqj~zNN+CkI9 zYmeyjLw5tOYe2lR(q&>oZMftVCCsxP2@lyt70t(S{ebm{@261`8obkbS<*HMIkg>< z*RAt~8AI}C=_vu&dLfVL!#yy4xB{jRm&NqqnwUOZ8tw>G@|C;0p-h*~PFF)*-(=9# zp!l){D9maO(fWHJ+tK-SV8nT$wgYRXl_JW(z4DTeQQI6tlS;)xq9mM}c&oo9PA3fcH=t?a|` z>j|p-94Pr2A&1c9>pdJN^DP%I`{R@ll<)L&)K?=8k=jkE^;}WL>EXIlLTyxGD#HA! zie3;HQ`>(~Rtv>j|ATM-;meZ;YJ~pipz?r1S{*3|IIFE)Qsx?lrcE^Wby=IDkdVpy zN(C;^{PU&b@1L%?bNSW75>MeZ8TdRqXsBIkiP(e9__GB$A;kQ1 zw_v0(dVk=j+F-3B)M<<<_i_k=kMfneJFj)oaj(K7`$KX221Biw&mr0v|4RcMYA@lm z-V%q(C%Cv88x6Fz$q+PIFAlPvzPu_{67c*9Ya~5|B+OOYltxK%BZBBJ&z9|RT#OGn ze6&&sj!XQxG;&D^GA`4VlDg@mn%>TDk*$h&f8W3QE=`ONh|>}Lhd(HX@d4#AKA;4~ z2b9Ene^oG~BSy~s@BP+856;^VjT=L?sPfNSs`|ic_GgwS!~h&PBMi)F!_Z5=@x z#xN7N_92el2$ol37xYS!kftrecX!hSprbxtYZF$1GH!%s6oS!CIbyjr0143D!H+f1#5SS1+q)6g;v@)jl ze4iUN(er>`l$M^sz;J@$Y==(`y5*S|*Z$rI2`Vv0-fBq)--E>&Ed)7u`#bRUgA9|r zl#MB{1EF8%eyI22`j?ISuZRkm!`VcNFtXMt~Rlx z^GjB-Bi9OqcF0m5C_BJ5>!Tw&8cFE1BGH#7J6qtJGv2f3GN|5oYfzEP$6#|b-$Y;WF24$e!k!dw2l-l;)nSW#evkH#`MmJ?z7G; z|ClKxotex?<1__vuE`!&5p|?VY&1NzUXW(v-{vPAHoB40dcjj*Yy$Q?HqCG zZ4O-hAyfM|GanGSPW+&A@RqGD^88oM;a-G1ntbpfOi9ICi zs}lNCIYZ_9KA|9G3&edYgsL*t7L7_x$7v1gf<;WhJpX+?U`u|UUO=l06SjBT?wr-e z`@Dv)9}VC2`Y#WZ4C8?wz<8jd7!Q;fbQ&N$^Afuy5f)QKt8fGHUGigWdl{Vd|@3| zar`MtQCYRDLi7dRcfM+|hC(^M?imW)`TkOhib`<_-u^gz^<97YLFyPkNCD#q31Ivn z8H^t!gzS3y+$ACE z){w*ddVKo@`0h{szW@JTU&Z(Lf^Xi)-|x!_6t*vE-sG`^^ND=hdjy<_K|K1a8y^cO z_>)C@ACf~+?ECl0F0;X9iCU%EsxaWHOS*fhCgW|AEiKbwQ+gSDjdQ#V~tz4oI&^eW2+Jo zoUXq^IgrTx6a@6}^rgMdMUfZhxgaqK#_jmRiJWnH&dW)hKbn$I$Dsy`&$!!%+CeunCD*apw0rwL7Yhp*)$$LFe<#QjciBT-nDQ!@kY#?hW9AJT!XVfB4C zDZC+5(C^mldsT+pLz7jA}oVN3M=zpLL zMAtzs5E8AADy1Z34m`96pZ!UTii)9V+oJ9rWsWZd$UZu0Tbzt{zT7JvioTIrQ&jY} zk}irt6{>tT>kTZ-QQA;O->2)Uz(Me7bG}v$TJqGcF5@^5_~yS6v3}57UkyPfoBN!+ z94%nAJLoLML0^cRYsp>PZvs6Gw^<|i{L$&XUBfkYM@XmOccjR)M75{PZ>b6>!s|B? zw>!GjAuSl~UuMvP-SH%RaxVb%s8k&@8cUE+^|MAE zyO+HlwsC5F5K?n!d2NHM-_0DD zi%!R2R{ z-zVIB*Q$df6sg5~Um5LNI^e5BbQrA&G1PcW$-)U`ca`^# zLm~c&vrKdX?mSFFv=`HBje?x5RZ1DtQNZZ*0v~}7JZ)w;vFqrCjlT)TXTkB+{=;WE zj`3NJV|*4IzfseUV}(Hweq}GKD2n6u`=xmXy-_$G)B5gbkDdrryVz)!zG?uJbxyHH ztEOOa&2!17#0WNsk2WQ;I-*%ilf%a@ssL9jsmq;NX>_5U+U=w*0`^yLeu;GA^vI5* zbjviVU>v{AR6U;otB-|l8@84rOPBQdV4E!Pxkh^M({MIKeLF8{s9A-Ew11^oWhMc> z{Sn=bp6K3`UL+EcdWn3l0EXfgQ_9m$g9z`hK)aXF4D0u`A*KISbXq_d!Z(l3R(@kn@MeWdM!BWJAZ{KySJZ5F z>!=!3^qX}+&j`dftaK2exrdF=979=j@*$1aBDv5RAQ>|$6Ry9nOAHhlBgr%qQAUW?he z9ei(pZGox;s-}HiB^}BI>Bs!VdL@6T2u>277Mc=4anknB^~;svI9-{&N0&FGb!tm$ z1o)#*@|Uu{ntQ^Q^!!Mto+qrej%EDTjzV7c2aJzz;OcD-Az`e=x$rD9;;B(vJ0h9< zy%g$@0{OKBm-jEEK_&a7`9XuT&`!-+IHr*Tz7zUszgp|i*L|6OMs>|-TE2GrSbHs; zeZ%3XwOI@O0^XtCQ`JDxI8SSKsS1ckez1PlWe4%+3K1!6+~`&$+L+DV2akhG_vD#b zA$#%U!nY|tG$}{^@vuktFAiVso+faRmPDm-A!2&Wiz>RzY|iPIM4{-) z*FeKpGAO}0^G9m>(WJzbZhZ70#bTQclYw+k`-7#+-A z8gR|X4|O&X*G~Iuh2I`cxA!yg%AS%)<&r%05=D zkJ+I*evMmJj2&o4ShED%*?^E+`yJwA!#n?w@O4VUAq{a*d2GDp+UR^4YVgX2eK#>_mGFoQesVc&9oSRHAU%tgQ=@qnal4p-Td_+=S;!j zW54Clexo}jB<2Pn+k2-_{4q6>nKTy;DmKLSCwTN{#h%{Wd=msq9fZC^4}E~fw#>|W zya;87&ycNk27@uD?)bCEKJe&kC((J%P{8+m{nW3b;g*Ow9OI7diO|)DqNVKxqt-&jnmQw8o%|1EQ=?ijD*0kmzO7JzluV(mkFQA_pY_N2K{` zq=EdvdxggfVlbU-n0q+Y8vV`lG{f>dalGUI92`v zqq#fFdRMsR;ltB7^*BK(c>31QwC<1&nv074{-Z<;^UIiFei>EFFJpoEWmGZ0j2h;b zQHQHJh&1qIKKR_!G#}9`M*Dd$Q4L;AgKy#nw=);h!0gB7Q@dzL!YEBLZLa{rMsNi@1K{LA$8y9qJNLZo5iXAQ*(=D5TErGxUV63m#X;sA9m4 zzV=*QS|nU+BDJd(4TT6A@2BcaIDT-q)~7Q9aX|H{O4j&TC5o$!e0qH)0BOFOBD`Ih zh%6utgaso!S`G^ys4)>e^7b8w;WT%`rX)jiZG7BdGGJ&lhnik4uw z_27H|+as{=ocLElaau^JYiqdQDTmIEhTO?HKn)z*gs*wKkASaa%kc9}YOFsig5@>I zVtGwMSYDG5me-_+hqW*lvs7X4e7CmcOtt%q>icRkid|$$mgS`<1FnS&Sc2^Syzwb%2=o|gl{VWPY<=^8C zFY9WMI-<;xjVV!+0H&z^5`Ae&a4Q&5`}P#qzs0k^Q{LXCdGAIQ3Vv^V_m4#>$c8<; z+4QLpRY*TK6!$DcMFMNj?7T|g=jxq_RM|4T`?>h`FUn86VP5DlLd9gSB$GcWz}pV* zpEZO==#&2iF6BrCu&Ah&pF5=p8j>O+4W&wW=LatOgc59JYmv$c>_fX80gnHcA?NJ z-7c|_M&KeJkvtu97I^Cd3pxyN@9o(w*3k_UIMZ{gbaK-Pr5+NtC3R z?aL1RxXYyf|M~0j_2d5?A17>lT(I#8!p6rJ8y`1peC)CD`Syga#_n0-a5c2=?8h zZ)T}h0Pg30{?5N$QH@&9(uTD>=&GduYVcKt@o`3n`Bizm`?L7wcj2q&$9H@fmWWQ9 zn1ln-qU~hTb_5Vii7Ih-r=SKCIgzwur;z?AeS5=b6u56)QnWJ*1;bv!L)9`3a1*K` zP0P=KR{AT+<-RWT_S`42u1Dv=;o3;B2FV$yKJ1mMn9+zB(omT2!^-3UBRm-A*>gLr zg+}gnJa6LBLR-n=Bot~gKt!?8;4&@;xtED1pB=1(S9JtoUnYt{@A>dE`%h(Xu)L>5 zYq%C1x2AhUdM_a&Cei>Rp=Ok`w|cv>(htW=TzNbd<^e0>ZbuXYd?0+CPf(yH4ALdL zn1-98k=_=cRWMHymhX+r@AHfqP%prp+lguwB3uw+oRy;d;z18jcs8%4@-P7xH!)-B z8a=k2s$u5^G3>mcft?q`u=9dAc3zOc_S;9Wem4dD?ROu+`rSvcem6DN@0LT^&y9zl z8oR)j#PG{RH9Oosr9wHtFcb;Nr!K^LhoW<26jP~TPM{=YP|!c<2F)3l2^WRDQ8&+T zI$M&@Do-Yxna*xWK{KDJdWfD6#AvMwPY22%#g@AqX|HsVINP5J-3xkfclDN5)Nfrh zLgKcnGocB+A2cS-Nwfi7K3QWFV2&zX+K)?7s^Q%qY`h;xBNFBflmS#mn%1_+SHRd! zJ*!Q~cBH+9NB8k5?Ve`+2Q|?I@cS?9t!Cn#p&A*mGbpp#eE;q8Ly1He{lc5 z{$)!lE(M*Rm1y@>)P&B#jJ9LMYN)8$_%YnVanjk3I@laihnDKdD&w=7C}Mfw+hQaO z@{_yZA5GMTCL+JZb-Zs!ug;UFk2RNok!yIo()WDur)rcT8EC>yb~QPZoR@Ith?SC( zS8k|WTQaQSY%p4Q$)Tl3;tV#|o)xsOxIhGb-=Ry}_VDe76q!JsEykz*cmGaiGwbmC z+hVZNU-GcgR~;#T_x>XgA_0U6ebTGrqOk5jYT!t$fyg4?e`R461bp*F|K_dzyFO%2 z70S$wP2qQ1SCcp^u0G+=;=sG;j^yrd(&TfwqV8FTLsNBT;QrQ(qb|q-qHR?RvX3v_ zCb5$I*32)77MZ#~Tt6rVRB|(y-&BafPzksCVG%XN`!M#a+73SmuwCo078A$ueTUAv zK4gM8Zi{n!p*+AjvTeY1OBB_74R#y(jmzIv=-q!HiVg4c0|f_YviHi#rY4oEL4sPHA{lHLDd^q4t2cija)Ybr~XWN0LA|z?=7Rch}yPq zLQpV3TDrTtH(k=*-QAMXDI%?iqy-`&AP5SlgaV2JqKKl1fq{e~iXiGc&*j|Tum6X8 zt>;fiYZUN?@|#v< zlM)u7WR&wqBT^Px#{%DL9MDE0Z_|hWw#Y-mPm-ojSPm+A5*%sNXOl3T8^EE;C@t&CyA@A zFgFB*TRs-P$PU=CZ|)T`9b`PzJ2IBU1`8cEk|ShX;6#^QVARD1r4)_@Z1Hh$S4(VE zS2r3O*1l4QJH~sdxvJ3ZRt$(5=!~S6<`aDWRZ=Y&vNmFj8l{rezG%t9 zP*L-$j+hRN{|xYH5mAIzm#1~}gQkd_cuuV2fD-)k->KpLJ5Styr-l3P6mkEZ4DP?f zco_f5m-+Ac-h_^?jQsWKf`JjDvJarWX=w{bJNLia7;uNv=N<)-_j#hUFP2Bd4fK)p z;*#9XaegpT=6B@!EQKf@zPnMdAq~PBoR{z0&_G>^$5g{23sh6?e11W0fRb-*te42E z!f~anU!)X;5IC|1yALuTPJ3^d-L=ywFT^izdOZ*08p#bQ%A7@6=loZBOjAI{U8(Aw zjW>`rOW)^s?gE?~YoB&j0??DG@I!ZaLt|V4gdUKayUOn8t3OI z;QSnCoS!3$^K&q6#lA$HuessCrYP1prCNvfykvgVxK$3OS9ua-o}Yp5*|SOW_s*k7 zM-C)+pUEP4f9Eq7f%2FmVY`Qpa_~zudRZjpdwnaY8QBZFS{5NZ9rDvE19Lk9c+$ochF;bUSFn7r4(0Ppr=jChbsij z5v>+7pfSOaCzEuq+ujI+hrJQQ2}X0oARK$4afcWFq!!p{oEC#U`+w5yD-|I4eB3P_6KR8yelLa_@c0>tnO*r7%CBjlWvb2uDve= zH6>Y}`-=G>#K4&)QdS37Z~xrt?MQd`3dYQyzceVS({J zhFSJ|UWiLa(Qg*HUXi9kn#1c~(z-FAJ2F)>YmkjpW%itj{TxTI|HWp@s)kc55ll=; zgqemSAv4%J?+ax-jN0p4H_YcDCGn>o=sV^we!=43k(Gh|x>3#dt{Q>yt^B?Z2Qi(f zgRNm1IHHj1*6oiEZ4rs7TNqCUmY)=8`?2D+1=LC27j&IzL5j~UH&3%)M{WXd>QZDb z!8O$rQoCE1K*90mUrE0Ua5ZJ+yXx2T`2Ix)=j)2$d|j;G_zz!K4d?3`;Cx+aAk<%P z5uRDtplF52zUw)^7tn-5tnS;KQ_`@yo1m?H596G6hL!rv>H!Itx!9)&4S2EDZye0a z2Y=~WeHm}dLl05RudTiIXyze>d0&_UoJ!F{lgtJt4GzMQA-dnQivk7vrB(x>`*y*~`G^ zF0T^bHf6;5wPc;nRSC|0JzL$l#{f-v8J*jcC=VkSVvdy;^Fg_>6s>DK53KLBo^2cA zLFLD5uPa{@L3KAOvJcQmp(2GN+huA}1p5uE8fQvx-Oq(bH_lTXqr8fi3mJ>=PNqYd z1+Nm5P9|*cXCs+1tpFz3C#0cE86d+b+-bF0iTrYWS!K6#fcwtk>hqNX`0A8q{>r-& zCI4M}8Oxpzqp!wxguAhvES__hK3n?06M4&i@{8^uG`7+5tI`{iJiO(PZ}>pogs?Dc zrU#hZUO(U>l7l3PY2L+aF@kK+h3p!75wtCRE`YP2ACVurYnZ!30<+&pt9bE_6HJbwl5V!g@sF6`<+1wl<%- zGQssZC$0914yhb;yRQ`|v||0U(Ky+y3-a)@MR_{D7^|c2ZC(%sDc}@dj{7YmiSwT| z;7;d2^w@wGQm%C`Dq+)t!KAG;=X7N-(dJU2^HGI|O|gSxD@u5NiYT6+!iVRlh~W7t zVt9Uv0G^*>jtD((B2=IG&p#W5`)9*&|19PUuUENtE-o7P&xYat*%+u!pD3O7(?tqq z({Ho54WRFr>*C)!L)6y)>M{9yV|XScbNSl|Oc&>0`}Mn=HTtLb;K%hI!noc8+n`2MaK!9hUD2C_?*I{q3B}3*d(&4QpXbJH%T_us8{~0#Q%+l_b(!t4J%26e!AkD=kQzQ+$d^2TzF_%D|9A!b zxZXn%*Lw)!dJjHa?}70k{-gKchKyhqsm1ANm=ZqT_bJH+xTD@3JBdQkrMAIJ8gpCF zqE!i8ITR0cxfhigFyA7f=k@zd?By1oRHHAXjLA|G3%-6Jm2PSiJr-xwim} z4(3P2RG&Z=#~(T>QeH+6&YNH_ObJ9kyS+^0R|Hl&7R3$TN0IACI>iHC7oq)7NCi<` z6^a_Cp`*|00!OvPnkIJC@xaj#&=FRU#!xC(HXN-r%0D zguVud2Tm=2E>ecW`!)wVF+OZ*IYqo8j~gQDJV!bwq7Kf6!>{F=6bbHE5UOV*bUdN_ z6GE>~==lHF@8?407mCONIrzwsZL4=z1GUqr>g*f9{E;n}snjinU_!3#M(zu3RHmNn zoy#svaDVcDdp^e8-90Z+`=U|2N9DHz|gVq1~`{UV|qRM;< ztB1L8Fpw`*5bn8wUdVjCQ-i}2Zp0qwY z7V2k>#M`Z#&E9B(sz%pho}dm z?|2UOsjb`G-f2TDCnp^aT&V?*<%HQz*#;X7g z)cX&bLlY-$e9pCp1B9+`uDjt&zRTr^xlQ`>(t194+IZVd2cH0);@H;*_zFRzX?fM+ z$qCSuil}i+uOgVwPiQ{u!s`3sGC?+gjy0(m2_~p0n$JsorGY+#Jqz2r%LpGm#QUG> zu)vSm3T+PtMuPXVFTOrVZ@Ml6RmW%I3)-dN7?e@&uv#N}hhO1iLRddwpOx!UpftSt z8l4@IDGlOJllL7?m4@zQ$&MgTDVXpV5|c3EM#M7#^Li0SQ8ky=Rcb9sATE6ocEnN; zdavC3c7@ReM*Bv!UBogGoj1)DqbyfA`Nr+VlB)w48O8^(RfYrYVxefGivz(tgpGSY z&KmQ&B7Z*V2MS+&!Aq@8p8Iw#+7rW)aq>|R^ccTd`L!GfP8HQ5)+51CRB7{mV#5za ztjUS_R=lA8*wyb_3ai|st$7VN)T#k( zq?*tiC~%0^NfqALlU=XG{P7e=qvP$)r6Jl>BZdB$V3@kP>vr{x9=hHCw_~;|5m|pY z#+!dc2_@&N?9?%zBsh;_i1OU1Er}G!C00!@bYl43-|MXq|eLn1SmtCZJDj69CJ_+-d zOalYk66HH$-ss+>faUj=XrT1@K)UfF5Rr7f8of{FjGFznljn#MfbLHP9s7wIWEyMJ zGeDLE#{;tpW>TZ!VBgJ)Vn1TQX0%?H=U_C!d9~XIF6w+`O$6G`Lq@~L^N}FaF1LC> zGWhP@^qqQr407Txx{fxTK!%K5>2GSIVbYfAkoSf@kjuCa2m6|%TvFDbpJq%UX!g+$ z&6h&x?j6CQ!7OW}MfsRMJ4O%w@k04pkS>4D^r`wP)N zQ_}4Zo;hGX-QwSHr39`=m>An!i~wn=n1+Yz#ppUF)3Q;FC0<$lO!!p9dpC^Z1;z7iY)cT!mRZ3eD-MOK^8? zgi`3{E$vU)=qa!p&XY;QCSA|G?ju61 zk5G|pgBWzW@r0BWNx<|qqC5p*2`~?f>DW;SK^IzyskKTxAn3v&En(7FL_Som5r5YU z%DpUAk{@CmKAE!p54$a~^Mjzptd2@RhZ<0&)r-$DcTb~n@%HDs zIR((2Z`k>OCJIJ^eP<>fM1!T{-pU(tg=lrB{_XV7Bv{+2GP?gQ28?nH>NR^4(6{T{ zGTkSF;Yr0{#bB8yT4(E|X8vUk*Fw=Nhju$Sn67lQVGou=a5Z;9xYrK86|F@}+FHX< z8)M6gg9ogKeqX9fz6D^TVh)f?=>2qkm;hN;`92NRW$4B0MrkfFH?WmT;Xd*7 zqa|pocbG_G{=W@cUQt70?EEd(TUofl15)>?=#W1SL%Ba24wC(iLCQ~1_*Eq>jH4G@ zMAs7tWcSsyj?L7=zU%F5Z0Xf-bm(wHK5-Emv2491KwpNo2T8hqGM__SK^>vKGf8O4 zZ`fz*iWG=VJ4(mdVVsSo!EF~)669R*wDZp=G00^PrT8=@4&!}JpH-(6QPQ13!9|)v zn9Hv$klA|*^38dfgm{X8_GR*B=7l^6?K*w4brJmslU2;n_=hs6}X5R^NnrScSvRslJmBF~Y$p2jZ zac?-&A@@~~A`$t|&Dxb$hQPwv-hriP4y_LfVESgBXP7c?0g+k%Pq0L^0EwK6X-Yd zua&^TS01UFS4+WF^JHcxyCnG1yf%GPVvQu;vEg}gkk2F_ee<^%D7R|mKh>89vOiuo zyt>NJV~>x^v%%Tmqo}#X994!gRGiQC)8@hCnQm@g#!PT%Xc4W!a>)rj|5DU4X8gMA z4Xu0YC+Jh`V1c8gn`hS*eEf5(OLIKor7W%Im{9Q_S|s6a##KqQlI2p@kZ%p+~5B?1wnbjYtmAw2(+EH#Wr`v4X#|_ z>D(!?1u1LqCJ_ihyR9~~H`iQ%(S$muD$*TF8aHgaE?L0U-~N*K-pYcaus917gC}aX zIV0U@;fX$U`yZ{Ew1DFqpAK!t*@IjOM;>uWF^cFkBVEu-fa{;$RGgT}N8BpPQod5T zP*C^jUM52nG*yp|PCtl+Q}N|Nuf3EZk^ih}b|sc~R=HF0cvl_XDLwlm%%KST9;Q*Y zY3ZW}5>XZ{Y;pwW!#0YIS6)$E8eRJVL|rkEM5Aj zNTvXZWyuoEi|F+?u%C^KM1>;i(uS-FXvkq~>!P|3m{9KvMP1=AIm2ZxeIx?vK56c7 ziG+eBZ$_rix*(Kk@4C2#aKc;iC^J1qGbDN}{b(q$7~Ju_t}0y21Nxi6=aZ6!Ah%qP z^!6cFWIF#&fLzxLz31Srzawb@RZHen$zQBtO8IV*K%*6ic`S5Y4YDM--X@g)7TcvC z{Ic8*U45Ff_<rzAd~Zuoqv;qxhj&!-X) z>W3xtd2!w4y~o7Cg|ab#HWw<=tE-rJ))*$B`C{&v*E05f(G)Ak9ldKjbzo&RkBBb)m_eXfteQ)rz4XRuVCC$+K4O<8EQC~e?uc?`S2gyPwFq?D~PfPvK7SF|t}&K=X(mA;vSm{^<=3Z7)5BSNJw zPO)c${ff-+Kt?e7K^x)xAh;M>woQY@R>~pl1H&*~>3O7eI8USLTrF~FQY$deJ_8cN z=WlP+rxDEi4X7B965eBkA|+Cf8`F8A1(H)ankoU{%YF6(s9{`7o4rIk!*1x=gOt70 zvFV7=e5>U7D7eTQ2TBa5l}^}ZAxp0Zfp0x5p=Bh~LbUc6h-lIg7td#*xUZ>?kXAIo zdV|l3A%RSr89pj8z1*kYjo3Le*7GU4VQS2Wl62rax|c$x z)ic0H!d>Y;Wk6~=%*_(}HKC2c7>|y?^X}N+qw_y7-_qU^|I-4ugMdM?;^TU`FDxeo8okMkM_w^5;f#sF z5Y=^_>5yj>(*Lr&~K|%&1x6knhnR23iSOU~HF?E#i{nyN) z2zBr~(^O-Utqxa;6I7Kj9p@w|<%<11eRvjREB8gs2i^);kus;8D?Ru))o}(~Dvcms; z!4TbimT`-oLkGof(mg41GXx8*zh~dp%7fwVgMgEriZ~BV5?#9K-tC+%30u$Uji;VS zp?23(zw9yH)ZeWeaU!qeP)Sa$)GUPr?uY&F#~-}>cH>!O5p2EMNEA9)3aoRI?a%KQ z1Gj8Di+{~2_!>WVwsE-&RbDt^r_EXn1+?#9zdWIXdd1io*I$Z(4!!8u`%zVNK%hP6vJnXez_bU^~RhOojDba@%M;cLcEdSxP z@_TY+OAAEkezv1gj%mhJ1wHtZ-F0}>9H~G23Hj92hc` z3EPqdrdH{W&kzV2Cs$H3KL?^+t`|Lv0)9Yjl-yQm><`19@y8>gW01x*(xGs0hfcKC zQg=B5ep{MN`i?}PTbHMfO%#Q~sYyGxVv2Ae{x%RrZkdGI_IbPx!gv`Cy%Qvi`#m7~ zdUmcGu{(UJ9W2V8j6im7)W6T9Vm#qA%|^vbju=1qsivrZC^Eb}xyrX1iREk`R!chR z3q{Y9h7=Cupf0|wG(EXY zu?-vF@*#DwKPvvaq*@aWAn77vjF-#sU28ha#tYbb9!-gDhrsvMIWb+zWE64Z>DG@O zFZeN?deH-0Hy9~-NQQd;d!8Pl``-_%4cX>*f?%9UMBn6-9}MlhwKJ~o&%3k%%QQBB6>{L5SpL#n)do=L%2_4 z_R7?bP#f!clOB98}hJ(Cx5CT32D}U8raD$r%TB+;2gP<#* z*_90AHZOCz65D+Dgj4jz4?T#Bk-mLA^9>Y)?XUB~eze(xX?)bB-qV4o&6uS74YG%c zyvb-eIR|KRxPpkJ9SQC~{Ci&iJwGI$&NsL`AOiNik8VE9pn%@_h01RCM}5-jz)X34-fYLjBkO_|k?rU(Ouo%W2?zIZd1|r-Ae3)CulK6-tKJ zb2Qq6jDI%w^*;e{v%%_a_IXB>7qkC?%*9-pc z_2rD&7mm8`Metpl^#&WImalbj9&jr)V$VlOEVr2{>r3QOH;ArjzH)cS8wT0(t)|FJ zP`!ee_1B1W$Z5!aIwW`k*fyAXXR3?P0x^5V;#xkG&bJ*qR8RpVbj#E`MwKX#wnzKM zlPb`6H0C(ePzqJ2PBS(fbq6!uX)(SJwMfa~`*U+r6WHKkXetsk0EZ_MSC5HBpp|bH z&YalaNg9p&TI&oTE+;d8t=|*~9lt-k_)T)YA6!r?F|AGsLQxc;0P*PqMa`g0mwe@=<(&kx}Ga|+mfu5-mZIUClG>Ys^z z9E}F|Zc;N_7uAQkm)O7%yTP|5pH?tzE=8He01t@_`es;>9 z!2xwwP$kI-CLyLs?MhMc2*~%h*0Ea%g>c^-vS1G%v=kgQ((@t=re%5z#Bc?BSI{D`DW&dMH&77Uo<#agwF^jujzZ(OYJvF}%x$A;H-~5@=?+l^) zcDJ#ZrxiR?IX&};CLE>zcIzyuJqo7JPqIhp>qEfTXPUC3Nc?0itZ?%Fp5BLM)`8nvG0SW(T&15 zDvXPmee=Tw#~5__?Sl7x19$kt{_2_bvNBSf90~N-5QHNaBOZTMQU!XqKRUu^1%Pt9 zRB4+{1j~;tHn~lri~i+9x#Rgzig-R0=Fj|3K9oG352b?VLn&Z6nQy$mD_KC>xm|(t zR57S^B4+Y1uL+#v+=OHeEJq1tJzv1MJ$$Rh1^4sy@%@DZzCO6)>w`JIK3L%EgE_uF zn8KeZ=B3Ni*m()Lk~c+I21@++V{zeaBDn4y+X>f;01w-)s!w^TC?e-Vl7L7Q!Fkh! z?%xR=@1?$>G5GQf^5aXlo%xgvT}iPF#04ioTKLM`@}5fctmeZjq3Rr9Qpitow=cx= zGXDEK-+#P<0GwCgkMjz=abAHh&MSz-c?BLobLfky+Or#w$@J&&Yz&raqu zTqRz$ifuxq=PmbqXu6F8Iyl_>`fCvL$zlU^SO|Uyt@^ZcTOk@b1qxd-5fD3isJc5{ z0C*U7cWN7J^E$lo!KYhI793L23*N=UEAcXAB{hz#PUKkr><)XdA0~iD#k5x+sy}KSN zy4uAIGjoqFNun@w*UB#zQ`Qc7g^x?B4b=%6om-o z?GyUFE+zlf?>?ppR`;X38q6KgtbYy7*hPC_i>jeMjpaCAJOB-*2kp^;D<&yQz8VDg z6K2~fLVEHQ(2vg#oaFS?5p86Ef(;EnFstlZ8wg8*y|vj{Y9mR^ul0?FE>avQs6^f@ zZS%me{My{Xw_I>7K5#oX4AWD(%mwB}aRJrYYfbWJxxu*6{t#~jH>7bqtlKAmaoFh? z_nuo3ySO-^&M$^hbB?>~tY5`$&UY%%$CE%3@tQvN~C1If;Odeydj&}*89Y*Dwx z(dLlCIOADPFnJa*%@;$5f@GH2%uX=FvPFCF13OMGXd^)9efjdt&HG$n9%(lp?q~h-=9t1-2jE#{-}5TZoF%yCh+=m`>}jB z1bLDJ#2NEikYM@oZho64w8*?Ig;nd*-TKOw}KqWbpQ{5bd>eM?9wTb$Jzi{@D zLx?{*n{OR)E!7Iz0#*tWj@yHpoM@s_vp0$h7+@Uk#Q5bWUJ2P?=Z{4RJc3&t?ob$= zq0($Sp}sOva`{JxA!<3iAv!Vc4lxqL`8iMhP`TnC3!Pp$G~&ReO;nT)5zF@9kAIKD z{KEUSN7SoOyK)g#$3bRv;@j(&lSaoN{&v!Nf#PuBSn5!n^|nG@M`-%bSqY+x>Lq#4 zvfa_I7yE0=UfBZTn7HYHNPv8lwr}r6tWV21es`3}9o6}*rCr(9hYyOnZ(a&o!)+Pa zuVs5Zkf*!&@ckYWNX#LLQ;^ri`9lBw{_(4KjH|v(AXq1t`xIWV2LA0zW7j>A=Z|YVl&_{aZ zhjzt71%Io3dvh_WpWf>lHE@F9^B_WhzYJ#-167@c!TWqJaYD8v$`X-SUh(7ylj%!L zR0oCNp?zoRQx!$DA|nl~fozaW(Rpbd^phsxZe{m0LjR zC&QaJ8zkX|baKD71LlvallbxDoj$?m1w8J?OJ~Z}fg#I{-XhZo6lu7}#<2V@k=qG* zfghD%aZp-JzWXR5E`8TId_n~dwj_xTanr$||6Ru(XF3r6W^+9Jmo(B=iBH=9=`hT% zo_zMPjsbF?jR#lt5aIsf|Grw$3+ zcll>lHRxFX9;cjdgT#A>+`|{l(S*7EhvPk}z^4Y>Nivp5s?dXtc|-%g#Bd7Bt}6r8 zejR)HYAu`(|KIzCBhpD$HJ&&@^e?lelDo7ZGg3J2BZc`+KZ>xpayr2fYwgeW?so$z zZ%(Jyy^TON(|rOrd7{vZ&qcHBY7S74;V~F=Ap#9>a5Q!gdqA1ad0C@OSD5k2elW-A z4ma4Sf5ej*z#kPAFFSiZxI?LYV&{`Lim!eCuJW`FNGr#%H{N4I9mRCKH=kfWS_02= zHyD=FI2457@{ZugSun_+r=9vL31+Vcy>CQf=g=3598X3`!fW;(vhghz=(L~@ z4-{dClV4=l-b`trEzL_|Zx1uU>K)T3VK%IA_XN*W?HV)O8g{tqcc>D*EzGzl>KqGw zXM;I@36?-n$jgh&O_?ZikN$k;cs#nTeeP@2+cO0JzyJLEQn-Jg7x(Xr;QoCx+`lh? z`}c)$z3YF^SBxLLGxa=H3wGu&}YUAZPW7& zxIRh;*GDPh`ltY0ABDXy|ItUO;rb{&c)0iAXzPXxP|uT@Zm7z_&&e}uKd|p0gLYTy zMXyjqW9aif-pm@wCY^0)KI)0r8=QFmM;q_|aO3?SX1xEyiuZqxz!9d^vSXSqP}crE zz)>0#f4XzDipaSDSx0*JT%{9OJe4djHw;Dh4Sg9xU7aA}&oH~lO(SRvJT3EnKo)L& zR=yaYXoY;L+1d)4^+EAAes^0qIriN;lC!E{a0$WI z?3KDRR(oM>HM)WI>t)bOyQorqWf*C_ju)WMibRsSkG51#mLew!_wSNZjWFDBDYD*j zfZ+FE-nY5Ml~Nz&jd$H9;0>wZ^3L$#`ARzIU%rwE zp06a0=PSwK`ATAVzLE+ec)iMCWg@!!-{;K{di|biwIF?a7j)m8@%?3Fg%o7R`gj68 z(8=EDh8wr+pl{KUq896mdA&I9;ezd)o_CIxd{D#OQt*YJS8~bl1b&K?{{gCOUCK^6<=o9y0uxO>vjal zysj{LDvP4#dV*+sG3&UAIjHCCBg!*bLuMn6H%Te@}3BYF^b1FA70o*S@ zkNXAaaK8Y?lYmlik)_4`0`$0FfQI1bOX&MXXdXJD|L_0yctYPFy4or+m4OVTLfYms zTy-2t-hUzRHJ}bTtQ;5FKT!sxziwQAmzaREm?oEO6B-ESV-q_6gw`kj>VGo4{wKxj ze?h$dC&KH0O1%CjCfF}SsD6pi|CiA9T(E74>~#|hJQ(|Cyj;fwZ)^8vhL(z>-9Vk4 z=?HpIhTqzMzi^_#Lo4n}?-+p4_kqy&bC+xMOA?1RT;~tf8tU{wcW=(c^k%z2&abDz zp0y5;MM1N7Pl_jcx$&5pf&eZD)c5*a`p{bqkwVm ztjC-Vps=%hNu$;RUY`&;pD}qK4b$6(e_Oc)HOi!4Xpc;wzZFOFZ;lT_*YRSfo$>*= zdDfp6-MbCt^Ga@>E)P*P<6$kIoBoRRvlw^Dk&9-Qzo z(i?QvN3udPyGH`GK~XtisG^7)rS2;Gty4Hc!o7I*uhXSqT1c{KvveMvvM$hIW4{Uu zM;+&R?dss!ebE#C{#VdmiuMSj^>YN*4}_kNP~P8|j#86EtPixNyUL_s!8P@=)~XyF zmJO#%9#(*p_Nmn}^->^Jt*v4Bzzh+}PaxEPO?_D5{L)<$6cj9-Szjy!{>K7cR4SyQ zzVKyjskbONyB3&EB4JS56UqB<^@DnBd*r(85)t@iR8(Fx`8_Z*e)!#%6E_Nx7G3!9 z?QbgoQQ93Kl%KGcF|G2BLl9OQm3|h)@am&3 z15Y-`4r|x)!}!=-+0GgdzFv_+{_2kCQ&%E5W!FD#yv&QZBB{@u9@y@2t=lOqANp~;NN+=K7O8VgrBEt z;OFV8_<6cDex9xlHsWb(lfNS&Ws=zDd4DRD=DKAh+(|`a=6gPU`4|iu_YIYab8;Zo zAv$i{xfB_GBbJJtxCbwUV>wAoMqsNg;q?BJd%*9wG4t~AWwfNDP%;*H0fMJ#dRN_E zp?`T626!H~4xY!YkLPh4;(6RUcpi5EdVA<*kYIBj7!7HdeD5!X!Z#bAI}?k**@oEpg^(|BM z>ZFkHsk64w%*jJz_EisBSd^ZBs53&Md&I>R7PY{2vVttCP!~=aKR-j6Xn_KW15NzA zwQwE+AO5}O!N1oA`1hI<|6U8@-)k=T$6qzX`K!`6e^nXhuj=6ZRRx^Cs)&zwz{hLh zl@N@C&A$dH%C!{Hg8Bbzut2S z6f0lrfgdw0kUA*8>C!}h%QydCDrbO8EdA{hxlC|nnk<0EOa}7YJ1%&4Qp0!G+EHF! zfOdN?opRZ6R1r*L@iX=YFdQMxx39bf`z^|?Xs-_;-KD?j!8A9pyxU(d*n<_JD}hfi z*FY2Pne`P^;FSgKuDXe!HF?Y)d-~j=26dF-K<@d+N(Mi_`|tHUf9N;{62?2Au;#n* zNaP@Tl2j4%;(7~=?tgNh&G#ByrJlHCH+2n#FyFG1p|jTV3@-6&@7r-(om;gy8Z2=93biPbqvp$?^HzhtDSuKA%Jc z&;Q6@Nq(n>yIeBcoaSY3itViHnqC7`)L);hW$`#dCt zyQy*gfD*1BpuzP6RJeYC6W0$=fpx2qiXpW-gq=)rwipXQcgkZ}IKo|_fp|-6@{=?4 z2GcwJZSh0nneQY{hy0HogC5so9KrP%bhsXa7T06&;Cc*7DA_aG#lx%$`sWXBkB7;? z-7!Wewz!tUs;XqQ#m{R5~o{y^!L3_pBbWh%8f zri>mO?~*B==Z9Xk9o{u2T^D)PHJ_0z;M+E2jV093I ze2;&53YvJHf(V|cAcyBEAUsb2%g6gqo`M9F3$5_^CCh^-mz>$PavAhY_u{?PC~0^; z!9JW2Z9%juslTq$3Ko1qS4wL4D|`#44;xyQEsz?P`ia64Dj?m zO4bO3zF?BZTc##xlsPN%5{D1L*C+IT2pvCikTLucohi&u_(z|=YzB-WKThRIx}*9N z4OA&37&kiAv|OCT3Ub&cg8V12{LyDK`bx7BFnlTKOyZIX`mSdpFKa6ey@mS|DJW!s zL*&U7`)N%y$Hn7P(ai@WNn&{(0Qt?&NH8qPf_cgBhkb8N;egi}-hB@|;Sc2=wWN$7 zB)T%ZbHc|PoCV(49@y)NjNd$#Cn?NBwiWWvo^f)6)s*a%r9(b)j z`gI1vrB&B#6(Z5+;aPbuH$7N$JMw+!rZLz>UotJxwt(qPr#n0v2Jpr*UaYFw0=850 z9EOYoV8zb8nCfsb`f$Oik3qErZj-uRcd9;)9_h%r9jq@#CnD;d#wLrQbyKCH>lK!- zQhepx<@i8kPOE=HHWC=s) z@wGzRWKn)73TGI)Lo5M5C3!+NY~`Ws!tc)ZgIegJqg9o!t_Z<-I{)fD1e`Qg+)86| z(65@tu+U)$pV@W4xIa(lf?3SZq*pyAQHgySXuEr zR#rTZRRqstWhYp#^^fmLgy*pm;d!ilcpmGofq!|d#CRU-?}5~pja{Dv{|8#2iKw2%TRWe4}P-3}PY-dzk(m1<&RTGuIniX-w&XHUyg2_I2+8{HkXQ3Gx z9%%36aNt09B#7KSK5Ap=524>1P3Dt5;UhKZe#>+O!H(Fe?Py1o@`GCX{hTX!3I~)Y z$l9aj`#Y3B2R%`$_-9&{_inJF<-tUSoio{mvEEH2=0((wT7Nb|JW%B}@qr7KmPm8F zoQpjXVdu{b(Fa}>fDj)i&2rT((A>j!OEcjnh`D~vexKZpih_gps+L@aNi)UPcN!z8 z+#@-U;iNTCuehc)N_wCjwt02t>jEIZ6ZlH^j3t~d>q|F_R)SWuOx6N!GlF@oy2T5( zeyP~Olca_Ip!ar=RDWKB!ovn?*=e(!N33AQtox7opIQ40Fq11#BwvKsA0}p*^ASb;5;lTE4{w4raZ9kKX?2K%0|zHo2=AogArZ2 zF{P1L1fp)?j9hh!ghho$^E-+DP~Ao(J`(7J>bDeEmoEo=1S z;9*`v4mEg@WG6Y)?hWDR3MUt9kE2Sad-s%_yiq_&c(#>Y3 z1n)-(?N`sg?m6AGkq6GY+bi96SJ1H{)sznE9B_XBo4F)MMAvooMTa=D z2-d?V)w^b2;;%uq9TLi2XF5=yN4S`iNDb`NK6~X@TnD!mzwim1+~Jt}Bn zg*rm^>*-ADfJUHa)_!qqAWwh&rv17-(i)&dH04G>=zP*%wceY~mxH=l{}$fS$Oa4Q z^`5lQTvWN4LKd5lf>eLE^$suQL3O{X!%n=a`C^9{teSglBJyqY-+&lNLwX3UnyN`X&-fOL=j~~L$Cpp^0vY?-X z{dWw$@k4AdSs9&15ZusOI@cX(1}?du_(nb^A?y8fbpCg25UZF(i6xc~kgP0tFH~3? zCC{FA>1R{IayayNH1b-b-6Ts<=hM0%G;tt{p-LBKl1wy@aa*B{gt8XP9wpd5K5lsO zE0#BxzmsbVcQ6vRRajJN_JFLMpn;%LS4fs$wY;s2@qH|o=H~s~V5XDTzhEX7T{pR1 z#G2{>mz>)kekclrx>_&28l`xoxn-F(Y0e9#dKmBU$oUiYQ{0`=-QO{64h+5DEmu!c z0!>Fx!mKEklez25{f@h)u+SM_Q(VdiDpDd;Q!b&1D36lp^KvKAb22bTLpWJrf4p}h z+W6$_`@<>>)VH$f8x{nER_?d5=Y^P#)@0o5@>B@qyg!%HyDE>U?x*yex+ss-R$Du4 zz8C}5>z{JYW=02E`5*$8YrtuyOgu z?JHZoLF-$%sllHEAohxb<4^t}WXNRK8pYX*Hd3^{ZDXzn%lq4o+wN?FtW57q+uwAd z))tQGuF-lh>k4e&!qN!UzH<^y!`jgLF|=y&trhBYl{6wF*9Flb-tNd#no#kOVaBk= z8oiYYzjCz`%l9GJ{~_u>BAQo8l+QwxH`>JBa3)2y6ZSb$9$5G2M-Edv1C$3_;8R+U z!qn#$7|DsCUAaDpme&%L9&JAZKNQk!+}><~#?O&uZPR|JH9KWRHNyyw-HLZlvegB{ znOQM@V=eG_HlFhBqYmNo#p$Jdr3d#6(5|1aZQhfV;P>LgleraQ@OslL!;4G=QQo^t zEiY*ahmDUr(OuI;^NCek82?D1y-(KS%#tX9rKwxMB!LIfmed&*SnES)tI~sAuZ+=B zXln5Soj#m0CyzVXH2|8=JnbSgdf+Mjvl08CE6A<0MLy54ACg58%^Utc`1CNoJS%e? zKM$(l{zom`|0sj|A4$0XQ3m%vN)bNa5zPl6ny*MSuS_Y-wMMMT6S1y{FRYhGqnNV# zhg=LkVCOja43vDp=ntFIo%ds}bEp$|zUnkX-Sw10M&@419X6m%n^+ISbHleiqG$+PAR zs}{YD8N;?1=R5ofyuilg9aU5`^UGga)I8c9ezzK${-!NZD1FR58{5Xtmr}S1{-zqL+rbZ;4D=~W62#O*ws7h z{Ak7)9(DPZ)@A9zLZe6fa8ekOvEi5X(=Y%^3I=zJa(*-m7 z$yDKEwmo>X^(A;HC4;@K9rqS?B5g2%mmL6SIfuHPj8Ab!9 z2|E5Kl8SD=pjo5Tp`8=U2;)HSfm25PqYyQfeSS}eUC!g)6z9%L9Th`V6CVY}Ac z9Vwomkg2gPdLRe>&T}pCd9DLK&$Yzoxn}r0*9D*FngWOH^3?{LSmRy5X+kT5MCp74fi z6pxgWij6^HqyDGPkUC7BqC6`tssqPU>7sXZ`lEn5XTMFTVf@Cz!b zcY@DKLMW{`^;v2Xz-tZioM=hHdP1W2L$uz69Xe;bg+cX2$irnZ0azbDKX3Ng2rYdu zaNZHL2V{+X4Swkhf!Q4{(e2fH2;V=^^IEPCxrc+;9te)Ixhr;>2Po5*^4ci$klE<@ z@yP?+@TB{=%s2%}rFH~jP;SSsJe4+0m~5=W%|`+x8M-+upW#{#x) zT~6?1yZtqGbvN)Pa7587YoeL9mvgD2yMaliSAnB|9k>tPxss!}oAC1``u-DLzeMYa z=DqyAz8tQ9mcjMUcDVjo8vg2^F@4N`^v}{jbRI->9!gX%7gO=r$algAUd@Y<&75G$NUJ-zYeY2*;PM~gM%}j>II$B=#fsC z@i!p}#MOuOHn4fB&IK(}A+;P@Gao!Gx>b(w`$M!J_}_lti27fM_BZslGT*akRsy!> z?W`Rn1GI4YweeX&6?iwDtdlG*57UdmRt>aJ9T08mzvL zePQ-~)7GW90FXLLlUjGj8%D%J#q6jK;`;C;Tpu2X>%$XqefU0HA0CJ6!>bAN9Er{^ z3U}=r<6V-0Zr*|7AEzat?rgTwR&yJ~)2eadv#~ggIk20JpOJ>tH0e6=H{yifxBvF_ zdq!55>?~x#`g(tY@IexswP^kRbVv!JI%wDTg_2;4 zrTq(=Oz>Oxh;?}&LPonZx+%u>kR1)j*w}tqaH*{Qta4Wt#QSm=m)XVPh5UTk%}q>a zssD4QLbMyG2`f?A#(ScVr*zY08!#@%a{1&8mRs}aXkMc*M*uRp9@&5NE~eih=x_ad zeKY*}miYAz@#`Dm*LT3LuY=#uztmFIAA?bB z_xj4RhYo1@%}5($BFJy@kZ&tB0L3pmDF4Lkg2>H4)?Zj&qSTFpUvvd@;NJ4}3tvY~ z(fQlCZ+XFP$6hI3OMBqxXfLE3@Im_-!~J4|?7_YMX56o<*uQ&~hUh8zAop1v zMV5CqP*49ki<(Ls{IlNrWam%~iUd^3D?7)Xf>1NE5z3 z(f9ek{rBz?lDz0TWrsA{JD<=nX#m}U$q8CZBhVX`eEU}08ohqrm;N(U3)}B$JepF_ z1y7w<0z1{bkYw`tt~qWiET8JS5|_F?$SS@2F%x0~WeZp2I;{NA?judN?oitTXNYN* zO_enacOEMg?$ZX#;ijdYJS#XK^)p%Wm^JWo3U1uIrUt$aFDSBXBM{N+|9!syo`3jP zZ)u6=p$X!7XkvICni!skCWPmqiNjNy8}$g&&0Cjnf0kTwMp_ClK72H>g3FAT1JOH6 z7&$()ZR4ps8t9^_^HDM+{5}wUKcB`r2v$4F13k@y_Xf{h5H)|B&|MZ1B-xS&s#TFd zmV@`+e3A(qaH?|%Tflfw|Ebr*>qGE*ZMxrI6h~EFyt?1sYX*0?*)})WPs@wPoDTWX&@Igc!~B(0~7P$3)`>=;G3awi1G;qvUL)Z zQdI;5*VEs7DIN!k=|UI3b%(--W2O6;L=O|5cmLg={Cj@a-~PNa-k&$a`|~zALAqCLB(l%yHXQf@o(xleD^%A;qHH^QLPa zEWNb(^xeuB+^x05zwFS4uF>CN=YKh%U81K__bMB}y95aZ+jq_==c!`t30@N*n*Z>| ztd)5xh##cOPu+MY#ES7|vs%VBg&-=9^2ftlm@X&gB-8iD>`?hwK`|%P0G)M_2$$bf zhQVzaR=>h!fk%a>`?~+nOS0x}H97r!Xyx3hL&Q}%SPx>jQTxRdUHc}K$-Y$y-ez#; zhl$9-7*`~})_wz2K5;dcZ$=-r2w(FE(8lt%M<})q=qdxR?sK`u{pS#OPV$u&l3H2khfW&I{*1H)Uhelg@8Mm1$qt2L|{ zFdExC*ZwU9XzspcdKw##^3)iH**>N~=}O0-`t>k$biH0Rv?2-}%kR{hjkE=)?+Ks;Np$0aJwl*)%`XH+9)F!mAl;L+kR)4UoD%{sd>@23qu=!6FKwTxqMUFKs6N4rvPN86rwgqi%+ym1xyhsBHK+Hh?6)MW zZy7uxOfC?}hx1wZa6St^&S&Ar`7A;>pM@8=H0-77Qv8vERl9rXMN3#H7jJUErVjDG z*OSZ9U;o0t=UM3=GM-3X69=lj#^X==Y>{<*UliF>326L26n}qtF9d(zCj36t5cI_M zKI@Jb1(oj2+$I}$C^xv2r9o*4@I&u#+68;qa=+Q~^>KSBb)a6Z`f3N_e%|*^%BCQy z-wIxA1K}t`K_L64zdLI49jT=D^upF}yQUPgH~h5T(CxzXtbQUSxoCE0!t3SJy@E>r zFA^{jolYK_EeiDst1~9`By?P(_?AkrF!U;wY~vf!LfmeY_ngwO{FY0%gc+!1usLen zsAr)JP$w;_9abd4^n01my)NSLmKE`c{<1+@Z1;6!nk5Op|A~)tj_zpHM0F)@r$(2A zpvYMz$6rMa)Srg%h=0R!n9qM@qqGr$v&&L3!s=S+Z@-rx_B`x+>Yu~`FUH?S-^}3$ zFA0X9hjaO1u3|?|XE_%*2VSi`N^L;+`3@`h91=bs1-rT)NgU6qM2q1sFGZ^_S^0p ziARY>&-+3wgK>Sb0dmhjWKrrt|#wcYTSo!$g?rh8+Xrrohnd|3; z%-KvuyPvM8Aj{f+xDCrYV}Hc;(pU>s1b(H+9gBl=**%3Et?B5>i5FDkESli5En)TX z4_kDKYl_?Xm;n-dph>Tnz=lZGIfn`|4Z((UJ8wM}fiQXc^66Cz185chv+qPzEOPx} zLKeB|0Ur;TOvl#+f%PHJB5Cl3)riH!^2AsaA!fe7z3B?uf6+Ds-?jnuG#+ZbbyHBS z&JUAp!+3VGxes++tYEjVR`P`dMkpYECXY5%2zA_3Un}pd7N^2YNpXa>QiLe!GR1x=qwGzl`2E{E_T8;Cff&% zDwip)ys`l@YQ|r3U2eeXPX0TcHU#a^wSdU3N*gfWXGMc zB0P^E+OHt`eNS+zU)rcTfzo>D*tjm`VtE`JcgnMBV7qRTe?n#sI=Fa-_E0J#qdafqmX zl4#x+(evr}srbaoG9jomBQbgG6M)a_9W|Y!0;n>zzEAa>IBFO?l0(Z#LZwRVKPxmy zc)rTN=b^pw60Go*&;iMJkNMnc9Z_XTACkOc2R(Y|PnW4Cv~b?u`bf?J(aw8~|E|>{ zoWDnuH~MOFhfuhY04zB!ekP~&K~-B@SxPWnyLZu+3xl8S;dde*d?$wWnwQDHtvwP~OEZeIeUTS^9k-(%dbVnq|?kvRC>AK!E) z(FH2VzuSMue0w9~hRg|B&cL8Bo-|$H1lbLtT{nbnP*&@oD(ypos4Ohtz0!;}(ki7A zRr1t9vB?8!hZ5u=na<6ysa6I)yZnhOR3L%M_~VKqRw;N#_O#l9Uk7HQ6v-+NI-x;7 z$#q3NP3ZlYNY4IU3%s6I`N(|P1-2Y-DF>!i;r*OmZRT!Y^!rvzh~FMB{}xL)oX~zxz3+1dvWOSFzebaZ8f01w>fK}D?p2p- z3vc`g^FdA?E?0c)q>8fRVy|;*Dnaq=f=|(5Ew~)!-^6ju7PWoCh*N8O;U+1sbv#iM zEQStpu5V95<`@L{@zt#4fqcDyJ!E^^%t*%{hi)u7e`qV;_bUj)lS zDDd183i-jl5Ao$Jg=cdFgDAzUhmT4K&@4z@>HfVBiLr~Q+@cKz<>QsH+ZeQf{I-7t z|1&Q{&8D((dQ1>)uRVR}+lnS^li}(4nxX-U{q>=i%vyx=HyU>+Y0^-6!K&-2?&wfo zpyy}&s>>7(SLS^*)VcBy|DRmSjsc8kA~{Uo+F%4`O2GzfyJ=q9ZylyYq(< zLE*AT@*TQ;Ao@m<%Re_3$s90>b*zbnlB6?`Bp3rMlrl|5A!(@l)zSOXd@*p|$gzh# zIuck<6nxC`Ie?l@%x8VI4~Lj)4$e4nZ79h3anJm)Ct}xB(;PL^hFlGwNb7k`knTQw zlQh8xAJ8{`(;y8fw_#o0^T7ii4O;Jus>?;IUfEjy&0auWXVf;j;Rd|-cVEbsj(`(w z++(Av?s)!;G0yji#rZy_IN!$*=leL}d>=!??=#W!(O><>zw7IW=KIZO=j*=rv;l>( z%uo9CcF_1iEcuF-3;40peGu|>0SOzsxa0^$)X^tXO?tr0N22q0w?nIElC3u{=)lp6+N#P?Z-C!BDXwC9i{rO?k1aF@ zqcz(4QW*^ou#(t&jMx0GQj7Lr8Kf?* z@yQO(KK^ca{Eam#JY-s)IUY=h@B+vEAn=6F7{DY8SR}aXv46O^ z2XNm}cy>b|8mZ?B-(ef^gWhy456z|CJK5AF8)UUnb)iGY6rN4cF7Ckcq*pdB@*b5kgFT11A7uZqLx=ceuFv#@ zpwc6>8Ip$H5MiEOeKOV^1fLr`Nxa~SmUt4bMka<3&XZvZ6s|k=4(lrv7Cfv=^8&WM z}N7$!SS$_nPJ7VBoP=Woz(cB zoI;yDt{oi1Nx-6*u|?)d1^l>cu5O)>29*)Rd!sHKM0W}YsIvl7;O6fGsqbDU!{}|E zmUf3jNK)yncHW~V=e;m-ZXC6GjA@rlrVoeUMm4`R(F#gy66TIF7 zueZSKP4RkXy#C*>PxO07^!|y?TZ!u5h}Ik39L$(Xv_mfz&Buip{m_n&bm_yhhNz0m z&Z;Tc59IqOSxV>F!M9^;!yD&asLdU8q4? zuIc$&4KNqP%J}FuLPdQ;{;9Y% zv2$bZl#Up8pglEsaSs%%T_>-6C#Q;%1eq2sd)rhPzxCzZXEVYwIdoJg7=b3B4?q~1zaBQlf`bTpw z$17D)yJ5kb^-g*Co8N1K=l3e%`Mp?P-+%IZHSzpjB|N{^1ZC};9t-m_ z5NDE~@R898tY%LCU_ECGax!65XGX0-)$FUY8Q@)qvtXDl zgEfY^49SVPi;s;sK`U82Q)F5;1gFkUTpLJ7BAyLGivK5v^wAg7;EZ61TqUdC@jex` zT(#fB;TZ*HpNGh@14E(z)b)ACvIFRL$Aw3U^%3aEK8MU&w{*leYxC|Yr!$(cIh(r` z^HI$^y}G$F?g45Ah3y^R;^FUnRu7-g^5FAXK72mQhtFqu@%bz-;eNaQd)*m!%rDC{ zr`W4O!txUhcRu)TvmX`toyq)gB>+CH4=vUla)JZtJKA!O+ac!V=mDCER1YSB(62>5ii684-6YqbeDhS0@luSyNoU~p^Ej!=>;sCY98W@gKStzF* zwVmP1%#|hfX-RgokE=o71wZ*~9*C9WjoY)65mJcpG>pO@7=sJ$uo-;#Kj2RTa zj)g$sHYA+j8iRhU>=(V|=L@mBJ08+&heFhCrrkSv6A@)3&BsN0ZxDL2{hIl=XvCG4 zzFUpK8@T2^`@AX)LdS%co92{~L6^kEEVDZr^>#Xw+{OZsME!Fn(kK@2RXQrTPcRkZ zS{QgI$T@-;x&F@F1KudJ*>7jJ&+Ds+Fl zdxZ1B5@oEV0jnjFNX#^i*dhrN0e$LXWddNh8rFCqMHEg|FYkycRDd_Ta~uq=XrV4f zbv>#}vT(n>d6%Y*DBM)&9L#&Hiz+lz{PK9j;88V$(Q#b^5X^Z&VfI=RRH8dx38!ND zdA54|Uk5@EYe3|f=9muTl3rY=Y%>56Rab|v1$t61htl#2_a>);tC0Xgf)vK+udzRJVFK-UZ zJ^l}GP8H|P>EpaPQJgoYhV$kyeR8wI%;-^iv~QICQj)thDitSh(4ba8jdDi*iOYJh zT6Ubm&xRG({u7vTQUC4@Wn(jxOHYTr= zcmm;Os;AtBeGp_ww!X^8_?6o!wmd7VwgmpAzFbCLcdUPP&L`H%8VoHq`;+|4!CNJK z?b=gsBun?@eb7a7!g&Hj{k-M(n~n^VjKOn#;p;&s1EAhxc}PXW1}D28VHQK=dcaAbzvAJ?=&ZL(c6G*=tO8I!Oe zEG@$RCc?ib!FkhoGaKZQ4MK@}v$(p+71X@tg5#B;0U+DH%fQUH8#1$wpG(QPg7%S* zd+e&|A$R*`p3ML=Hi?IDkFeP|e|A1>H*L;R+#IM4+`clR$kg=jkf9!&hC4z4VC4)`S*(1!I8Ea|MbJf zh^(#aZiliH@)t2_SC01wnR9~Zg=i!^IU1*}B@_#yZgfe#t#KgK*sc@s{V>!#pGcAP zJBhMeCbmqbSHSth_iEn{l*0Y*3G2^v8xiN|7TPqbBEs({(LCh3K9>7RuXWM!-J|Id zUIs|&)FW_`0 z0G{#XwYwKkYLdkz?U~DvuNOt;LNiX-k3V}z?{MO`Z1me9his34A3FS0o?DmP2d<|E z&{kINLy3#3+ow)NgDJ&jCcTk*NGq2qD33$MhQUBT{+3jeJ%b7bsL2#RJT@@^vW(21<6YK-^-k3;Z)5GZ*@F#j*f}2wH}w3( zE_Z8nTR8Lbbh6-@4NQ9Kr^YsUp*&6-6t~+1e$SPrlEN@P(DhHB{41pp931_%{euwf zI`W=22}&hI(4_xKSIVse(=xSotSR!(hq z&8|SfJU3m^Cv~B>oLy_s%?7UjUaL?Dk^}Xqae*>RaX2XTHp}(;?scyxZC<#|qK19y!XkT^sJOrL(?_(1z5p6_SRP^mlQ7=lr^0Difz){dRd(5xqOB2%VWoIs4(KRg+mIq?6{_iEw#UM*bTtBvb> zwQ+r~KCbUYurP3KctG$1(#x{A$wGbt4(9nji1q72b55eOF1tH{_3gX&`MPI7hr;XV z(w37TT`jkbyV?MC#11eFi;5zpqX!<3VEe~Ii(H0+*2ZwU-|Ni>tbdXA?9Dgz^l)&i z{GF$wk%|uc9QctrpN9$sH7-Y3rGkLqxi=#Np}?zTCaV@5g5L28jTN5GC464fwUfyH zGU1Er3L;PJJfaIm!#pL`)c&Y!p;Y@|k~jGKeiv>@*MSW?MS8=d-f(%@SmyP9Z!q1n z$4tpq2I^NS_nrueLmolLrQbwa!G5W8`vKd}RqO6!QxEfpMiz%1vu;jkZgqKXY>5Pw z*6f8Zzv@EzA@9@9T+T?qj9-Uo-2*6(U2T)-Q-@Ry?h0NZQ=s{9dih0WAo|3_M4ub& zi{&HrKDfDH4I6Cyy?yH|Y z)?aesnH^tB1%LO)Tlgg~?%0*69WwO?&@1uiiIHfgF<7yZ&-9t_m!0wmitv;n_Z)rbn*hzf#wg9tHJFgjiom*~Q_NcT)gIQhD-H#1`Q=MOB|0Fgy zw9CDF)yuCHDqnvY7fUp=y(310Sg@VP(#U5AJjoQVoJ<9E^+8uX0?nqF9g z=Uan&lxMB69LQgW!Rm2{==~7g&p)7jYROYlf!K%F8?TDwgKEYR2dA!lxJz~MJ*Pnt zrkiw>^Q9^PN+-Mg-tt=X*WbsC`}r@-IKp z)q}?@vSrLz4*c~iLLF$<1(l7IYz{XVK`BY`S9|b=rhQA$9r+Cju#m}kvVFxDH3jK7 zu8+x}#~1iW>TS|s@mT%l0GAJlo)?wyPvIl{JyI4Ony>ntio~3@KbT5$MNE@-R2g{U z&|CNIVKVjm;QZi*5vPI^^go@id-O6ET%IcV3yA5Uu3tS&Y#~O7qlHEOD=!25j+7i` zU{eE;Gt)1)+Y}(>oz08SwTi_1X#{y36M?=T5_B}sCzhHg$>kbwY_>Z~!%ho%wHng6 zV!mh*(<0gYENy7{M6LbNQU?*u&rD@#c48z+!B{hCYyI>dC~RrF<|8cwM(2dgPs>Qa zRTQynA8qyfjX_cFik%%ZwO>%4=ElW41C-||VTYw&b9OJnxOIdGwmEq^9|1=uSe zKaaB=gBy-dbn~Li(1Wy}qWc7nBa^nDlP*_EA^Ki_kow6Yn44YUdL+j4?sLp%`N>t&ob15#YI#Cz7^R2Cj2BC#5&4q45Xg6WLdI zAlrfQerBr}{F;BKUjQmdnZ}n#TS^k=ee3}`r$>y>3;Dn!vB+t3%O1o=O8Dx%mm5?= zb|eJQDx-KlN;0L_yoBF>-`5%YC4GFM;8dY*$Fe7st~OsD%nw3=f$oti$p=u~Sq=L) z>pn1DN!yss8vxa1TS#APNH8VUw7RM*2##6>j&VE^(A*Qk?RwH2F|9ms6hA8pV^b7| zuAHC;2H!}kpNlGR-b|6%_>(+*ow#)Q@>h1C-Y8CJilu~n(GJGJ15`+-^;`LUKTA~5 z)LnbB+z9cE<|A?)E3{oTFWB>o7o6f>`2twT=J85E} zeOus+ltdspeNsfGS!^GqlDN*$XoaKOw{*KDjqMP10;5{3e;^8<+IG%)?uTZN?iN97 z2PGu7@B!_KkwNNT56U(3nn86$JNcs_Lv)5g?&84!Q=C6;g!9MMaQ?V4&L7vp`QsWm ze;m^RDzGR~(s`ipTXXI{zkLv=N9;z*D=vsAxdECKn6GxlKa4Eg6g5uGUj617gzF(K zalW1_&eyZS`FgfEU(Xxo>*+()vAF^N#2|FlXw5z%+8Y_&SL6&d(nLc|yOwG8L_i(O zuDPOXlBl=MdoJ5A9RALaobmaQ13o_r!RJR=`25HPpC5Sw(flH!d2|sy^TU8U*3m$w#u5S^Bp-IH za7V7!L=vxJ{n-J>&=-O+=1_m!w6N^CH?me(WSs~whe~cP_gRS;Fmg71`)MH%eo&Mp z(8rac6RHPuepUxSxL_RPEgtOqUGqUdnh85u=!U|#%pX#*ue@O`Z~h!xM;=-i zUlQE^6Rzr8F*uN)c%K^<*Wr9T8MFYY9q=kQnm zNssgF=y9H%0?xCefxkRE2ApR{M_4btW1aG-$xszE?5A<4^YVw=#)Dn{=^5y*%v0&? z_(jdvdaX5U-lZ64BTp%-@)+UsAW42E_xp)Fl(NoMD)ZR{DPPvio^+3g*cY9oP|qAN zzGuS3?v0&uto|t3@W$c(=zq`G(mX8~*WKI*FX`wPRAU<8>z_-CXWsN8O`3yrI~iKg z_kMwx>6Oz!>U^^uEblZMx|w7T`bXqA%rGCyw(F+l z4f8fw&Olr7gt8~*Bb?41!_J3Jk2%P4Nh%Pi;yqwvqzt#%S(~1XD*;*U>ibA{CBprg zz05+%Z3*mX$6UP30GlI!F6YBInd;eA*Uf5CeZ)n|qFed!=|lWZ zo}gmT-~Fb^H@Ozc1vBqDo>~A>9CQ1ef=i%whnK`WRTpq?d$JY%Zos$(4+kB7pFmf2 z9pwhL*22_F&D@9s?HEr^ndG*;9?7u1xHs~~2%VaycdyZr2HKhqs+R-Ws79iqf5=T4 zLbkm$mRyhq*E_bFXCG+*(f-e=XP>9hF?uAbdei@8k29p6WzE(J!#GBUUTSn&4Cu}= zqkY{!+`v)unvIHl0;;Vp%xgCyLD(+iSLND<2#s@xM$X8gxa*P1+mvj;jLp3M&<;H$ zm*i9<@>81d`$IPEk@1$d7}^={L@4g>L+%AS#_cz{ki-w+8FJSi(7thN{R{DXl&uW8zv_MLhP5uSavC+18E+vT0znv+#5~K$0rH;vmqy*XQ(0R{KUSeRg&Q!%u3-mRxvoIyuSczVguY$>md!PO_>#X|EZ zP@Ia<`7Lid(W>_7yxw{Pd=g*d3rjl>`Wj4!xND11@7eybcQR#!d6a+sN9=Im-bl;g z7+oYaKl3bliUZ6hYpc_+9M`$LNG{6rf}kjpmvUl|1?K}Q0|iGZOUOQ5B)oD(c92{d z3aa-_+PNvfR6n2jN`)SZX*K^qs#gF}%@1VUuKvi3PVhpa z7{2UH_)>kl0MkhbJt*R9Ku6d1@P_%9LfJ_sOL$%gm;Fw32YJ=v_y6zuQZ|9F%56XO z-~r8evokdbec5@*SKY@LKJL*mare}NM>7%zIW}? zzB;>U#bPTI{id>)<*N)t4`<#iJcV(3kdNq`7Z+?tznRYoOAtQKhH@szc=ci-IHIFB z^!2mQ=`+n4%@@<)#+?#}F6wfm9l)wPzO)anZjC7j`;!bTnLZD<9bthmi-&!pJfXJCE+9mCiU9 z)j>;juJ+q`1JKMnmwn>(F=!vToqu;M2>$v7_+X;vQrzSvU8Gv?ReG3v4~!i6p5d0s z0p_~=YRvvzFx8qcGWh}Xb?rLl5OSLyub0E?8S#2*yq*@X-vO64>S(pzR6v%+!E~mw z5-7Xm|n$Q1=hdi^SexK~P5Iz5Nse7p1T5N8IM?Opt7;hhRGd}{+o z!%~s_M|tTpPWvI(w49=_DIFdEIOGyioPvm+2Z{QFzV>qq(B>#YH?{O`4_!>(7;0hd zt*MTNCj1*mRAiwh;oY3DEI$(8zBiqDLj~3C@i=hmAu}lD7&ZFSF~T)Lvt*SjKJXIF zwP>zjfV4N$R*7~@5ViB@nRHq;l*SNwz1XP`n6B6jZwPiE`bDYLsFTI;@v+phSYIq0 zy%2i6cp(>t^}BWz2<8y}{R^31JzpsBL+2%VSU)eAgC2{-yysHyMugenQVf&Jk;X^Ap-XVR1oFfCSLHn1BMoI8!T`W;M$^rVG zd_HQURgH+|r~R){Pr~!!_TqVQ3V2?e44xM!is!{S{D1WK`Jes%|2?noe~tI;fB(Jz zS9y&8?dR(}?|%5lJ98*q&nyX7cSj<-3mWKEtw4+_o!-#J1Rnp04D!nHKuoiSVa%fj zaQuT}G3A^ylnT_Bh9C9?du=1Kh>loTGL)GBcRYEk$A@Fg#A)F{9Lfs^Ycvs@y)4D zvwOvm^_120_T?1#Tknb2=i>EVc)dGbAA#3nIbyrtW$-GALNgstr^In{EI*<2fvbc# zl-BL@o_H<*$tzA0w@rn>b(5{^NVEVD*m~Hcs#qg(L4)@tCW50kamU# zLmQJXIz3^AHr8&0#}(%z{Cj?^T*XS`Zh;(#p)p8T>Q9HNm3<$doXdj*ZPNmw(pJQx z8ge0?0*YO`6v5@)mQ=P|{z%fhQ~yJk1*li;wfE99 z1z{DwE*)JZ+^*)7bxD{h7pr8M5e7GRXWmUENicd^UwVx}0}=H@88$M# zSOPgXwcKm{_67;lL0P_?_QHIl9=^-hg-JmAKiGTgpse1m?^`JWMOs2a8l<~9=mZWNUe5hN8Qq(f9#Dy<@tDh3jYilU+dD&l)SxBK5`=C`l8fAhXG@Aa26&YJCZ z?Y)olIM({E&-c9bl*UOZuzUFa-bj)ZGz{32-|^Q4sUTaEqEH=h4XH^@yX1??Zr-o$ z;L(Jwq1vZ%CQ?xF;^+KIk`|m-X*0TF<^>$N_hRnJ=OMF*wceNq-cZOA`F@q$6ZHK? zDmjP4;pBYTp|f zL-9Vxalik6{dE3$KlF+DA-m)&3P9!C-&52l2Q(K&Q+T|Oph)ZCOmcT=;4Vq@FLqIb z^E9G`ucxFzbZ^Z`)f#1>pUa3S=ppobPqaDr%o!sYmS*#;N?Djl&f9uuqlT`0O5q7> z6T!{bnqJNvoxR!uyl9x~=j(3Nl`|++v*$eQ$iy3#4CTNl*|If-;C3X}vdFt}yBWss z`|onTVg%-UcFG(_2z5XMACEzPdr%^)i*oFA0IBR-y?4Vs5bf7i39eTrVEWaduX@l4 z7Ass^UP@V``){gmJ1lCV^~ZY*RB0^GP6N~1Pi{KM`tD~*R$Y4tBNsc+YDMq|R$Yl< z=?q7&f&>rVBXFl0X*J)+6Mip+g92n+ABLi<41^|kFM&&SA$|7dD#CdC3>a^p731x* zV!VAujJJOfo+i=z*nIUwt_AH>CkQ->vW?B=y-w<|PVtPt(^nm2Za+4Pky0k;@gFms z{iF`EU%CRF?i8VyXIwSCw<{3ssnfw7)%ZG#42;}iji^0DJEm}p--*}mZoE=I3o z*8jMpJLAqWO9g4$y{UC?6vP8&-uW5tgQjErXD>nAJL;(; z4Q(j%m=eoxr?X%?@>V#nq!bA*s$G0{trE1iNj9~$Dj{9)^Y3_9*5{@#L@FI>2=7X%Iz_KCn8{8NsEo<~MfzwX+T`hcD`y+qN|NQk<(eE-E{GB|uzkW()+ zLO14X7X{t2ASZKN)xR_oJ=r_eQ1p<%Ctf|0+N2eVHi=Fy%|8!^*Vm<|S>Kgdnd?GX|EN8XljzafHYx4#S;o{o=+8Zd=dKE8=3ma`ClbsU+_(`Ymp zKTrK+_!Kl+2**DlaMKrB0?wVT%Rx&QqE5+#X2Y9%*X->MYQap?)0kjiYb4fU-C(w; z1uE(tud)R-L91uj@m6q>-Ed-oJvZtDW`ed$+{+iuAG^2_H}xb?tw zu~oRCSs(JHHe{2u%~9O7XY1-_;=mU(s8?Sn4@(zkDV8<4;ko%2|EPXNShu-h@^Jb9 zTtD@klDOC!<3$)@ya-K<7om;uBD67HgeJy|2teba1{1W$ZJ{}#mr1D67N%Y@WIPRa zhsyg;@;ncnKzojjcwZyT!DOqg<v?LHDUjpz*oR?4Obe*0-m*H^bz>6?At< zvs2K*c%_rNqz`oKo$^WFUybnc(!aDYjx7*;(nX?w_U3TNf^(~@>nRy0R9E7D_N#;p z6#6DES9{7s@|}aKLfJClT}}FQ{O%D{R@-pvoZx8~uJ|qCdaD}kWBafmH5CPqb9RMp zd?L&T+R*I(sTT>#73~)b*KLr;b#1Xe8+C|#ar1COuPy}cwpf(7tPPa9E=OhtY|+Q! zdEGPW2Dt0z`f8#s0RnEwF)1-;mz^}CU9@30Qnf{cQ9q|&N?QZ-Z5D3y%YMJ{aDjnPaVESB*u2VV1S_0b!D%4HNdpr@(XX08`>;%sTPcp2bRwV zF8Jzcz*i!g#wLQVplQD>MNgqTfg55@?Mf;SWBZA&_=HP9(A3)R(Jxpiqx_ixGvYl@`@`^TmZ;rfl>yHB>f7nLX!|#ZgPKEvq zYS)4|Rh0%3B3-b####U5o(8D0Co!EQ_~eaVTd3rbw?Le7nyEdWdWifNQGWbAaAc3dhBNnZl1$ySTALPn5|@ z_K@{HpfY-v_N;F*y}J+Z_3_5z#_(Qg9hEXONgIK=nckxx4v`;rP^L$1Y}h5KGsgsNu9g2PDme94>1C-(Y+yZLtV+;M>U5;;np+Yt)JlS2d#aY-sC}8y;MXdf~h}D0Taj&0v>z{c0UqU^cdkU6=kx!M}bEk7* zXrP~3>q4jn;@aRGAFDqKk!M70rwjbSfOGNL@ohIq>n{Jj-%SVf_@13FUN(TP+g-+@ z9#-&Fxp-=lE)=Ewc5TnEFap!LQydWlKS8{F6}<6y?+5SuhBqEBui*Qi^A+nqIiNcH z%#ibeL-6pSkkZB=Waa61YmoBY~-8k3H#Cj{Tf|5;DmvGv3XTTiU8 z^~4QZPYB;lDjV~zp?~i0fcJcgH~*`iTaS9Sk|EGRqrusy1U=%kRA-J&fhEVsGYJop zpi;$=M3*85DVdeqq`XXpzk0R<@Zw6pTSl%Rs{JngN4}65Y^?;3mC7-KGM{S?pOX+G z-CEnEXP^U@fXnRTxe;jK`2|*Dc_Y|((oal#kIWOp|=)V>l zsE!|ifZkQc;2RIn{wZFvJ>PmEuJw<^9>H^v@Xqe|hqp5*B66WKG59H5&;jYebtjZ& zQXFzhAq0YvZ}j0ko~Rf@=bRW zXb_3(f3Ir^kBZqtGRz5e|2b0=t7;4244nv;Q*cB7c6S|78lwbxn=c?{mH52w{nt>`VoJk( z-v}7_Fz}j>yB5r!yc!6~N{0x_JtywcUjV%8|GypoSN}tU>3fLm3*Pz<-gr9y{?CtM;vs#@Tz5k@8D14EB5f5^xC=e#@TpoHig0{3g^a$s^)jwuW_%anWexg(E{ChlJvoYAj2(F@ON&4Fc` z^E4S7;k!$DK3!rVht37QtG?=_iiXeLt@6)jfr0A7rTciL;9P4hQ@y<;oXeFi=@%t% zK5+WqRrfp~V%qBtk)0V?uDjjfbH$xA8RKEd&Xwl(`6M^En5=PCq1F*N9Ug0l_ywcC z^)3yp-erT;yR@)+mljsw=y2)b7LEaY)hAH29(==YQV zHeA=!efPO{1SNit4PEf;#@%na|4Hk0K`>$NW5?_At2asL)c5=K4%}hzBk>*^TnUAl zv?dZ$%2@QWqNGNa-WSennsOeH%>zHH)gNKBd8pRf^WNF*9Pl6SBdsnx4T6JXEqlB! zqBlQ7G(XE_nXd%5pU zJ$nA=V9hzTCWyJD#~q|{6z*UDlaq159r5p7yK~~U9|(kz>R62W!t^c9&70B3(fOuz z^-I>C@bj*C(8Uv4Kv(t0vprTGv9^`ZS|zE2+=o^&rfvjFCj!h)T(Uq9-k!IW7*fRi zRmCxXRc_2*^)TkIDunr~s$l-A1ixII{^0+OFV6Yk!;0mT1uSys5tFplSsJ5Kw1+;nTb~2dt$?_A-oJ9r5tgi`;+`5gz=xdz*ToxNXlI$KRs4k;G%Gb1 zmoeHwqvludTh)HZvR3QQ?f@rPVEOK2#OQ^jXuE!AI9Y+`v6Cj%30hD|H0j7Rqn;EL>_9MmHZWw07ot68u%OE2Zk~ zQ95r*GH1U!EKT;zxp`bg17hzb%4W)uv1^#|sPYvUdR()8to{nxb&@?RnE4VcWiy?< z;826<893m^$lAAMwZrI`Ow`SgeTN`x?R@EeLVx4PwOR|B1`%Y{aCs|IfEC`{x*h%W zttuiq92F_T#Eqr`&74K&cf+e`#;Zj}O7Kgrs^HQ|0o1E!xSndJ3=b;E-u_&71<4}I z_oazGDDK7?O&dyA0#8y!kCo~OP_RUkB$UWl=Hcy5YICP=fvsFaHW}y=c0mn5ZdsvoH8ASy`UC z6uLnF^1N&)52UjONZgSAp(Z>t6_B{R=*H$?nW`$%fh1K)`*h%VQ4fUDNmnEbA80-|dVb4nidtQdv^HRp$KQbhLX6Exe0o8Myka~E|7xwHrqQ&5=2)j2XGWl-BpcgMA zb343z;1jvX(X_X*1W99Xt+7lY(knHtzwDO-KSD!4eBONq-3#7J^dVLj1>5gy@?1Iz z#lr{M(@tc8qMZGg(0z93vt%)~%Q&IAa&J#jt(*yPyq{Fzb64fD@mAkLp zKo8oL;P&>fEYx!U`V~LbaJW8v-go+XG;nTrefnJx3SYKldtEOiqx%vah6l5waq~9u z`aA#I@p$`pc>99`%MMv>MRM@rw(|G8b#J0bF^h1 z&)s-W7sPt*x`niRYXoA@${0Zvm?YGHqwrdtXon7Q#a^FL7w2v+CpRTC38y^?`r=qt9Ue(Mgzp zbPDDl9f|ozXJP))2|&#!ddumdHB!CS{Bke7Dp19b4DK`22klCMm@2jPG^w` zdN4d+x+)U|RQ&?0q!tK$-sL3Vf7KVRQTuA$|6m7r{mt?6=$3B%$iGD3^NI1!T+}A= z1}b{dxhB2iC_>deS5;LL(R|BZm&p!AyT8THv1RocE5Ugyn&EVGlBB!A*qr zM}8(P%ob9#Hy7*!2jAh+^OSPvD)V>pE7fwa`FSWO>4XE?XZyXey+sFBPm10g+bshk z6U7&f?h{05ZBmOh-Vkp1QO!XBQS`r!U7$P@&V{BOECIV0KzI_;t2Bj{}IsTQwAbJ*5q zePmh8j{NtvtoEn1fa$O0E23Rjk*?p(_9N@pKr@|Z^9WB1lz1Q2e-Ph|nB;#E9bi5S z=2?yuX5Wp#VTH^=>L!6Fu;I83q6Q$U8mAqxpo6B4C`}98{nB^t?Jxebxn>A2&&o=G zlDR#AA2zQ?+jEJ_p@H}AE6Ue-q1r7Z{Nz4v_#K_Z_$!|mJ(;~nx?s$S@s#Y~l4`!` z#Y9JRoMPsE8jm@A=PS;=FklQTKSH)1iFl#b^A>x437W!@Qu@4i>ID92zy#5qx}Aud(;WhoZmpAphLI1FznLCWGp*l$Qc{J*lyp z@i_#}cLRgQ-uzH&LUt`A?y{iEBEoG}Zh;KS_mGkjbd-4cYQ6UyCm`i?xJV>oe!+@4v^Ano7YX8ihF;xt1w1wW=aStc35UL5&VZI<%h$^d$T%NOqhSPH+2l(e$Rv6T{Cu^7LmsIHU=o@&o{~&cIGHMcF964Lmf_DrYH&( z)qsG8(@hivpShsu#?@UyY7prZcu+B}5SYv}caJEP!*pa@zUXv3dNQ>!H#AX=F3&~y z?*CYczFRM}vaggtbW8Xrnb*6(H}zb}Ws~21Q=_!Yn@-&5sFcXdjhWwl3w9k}^Vv}kJxK%E)X6|{Ap%{SdMp%0+^XyPt$DMBmru=X!k@4Cr$szR6?mdTKG#^Zg z$$qbM;R9M_m+(Lr9%SdX*jh>=gz)-jnTW+aT-+N1EA!h~#w90^Qi}k(T@?zi?>@V^ zFdhJ@YV+5Ak0qde*%f0Cj}iEvp0gsgy&6#WF|c^?ojGcD64l>Dqy<7ZINL%lsX^f! z?S$S13-nIx=+JPpBH*2u#QXl>)pzZoF^Ep;5ksw0`L;ZgGSFiwcu|#73BCQ)StQUP z3HFmNW$Fjyz_}rU+C^F#H_wgALBTT_ zXK`Gb$V`vb>t&M^p+0bU)#14*jOnO2vvTP}L*@eG z^~K?J?kw$rC@~nTV&{*O5C#i{FOee`)lmFGw^Qhn0NfAIcB^0#M$`pgn5+${ai7kS$_AR^HORVvc)0;^oIT z{e^;}0BviMQR0Gd?##37xOsE567n=;&$a-(brtSt;1v*)zj4+!9X-|*_I|Gv+R zQ0-R)F&*^4Si1DPJWTUt<%a)nL-R@&OWQD({l8Ih{0agq*7RFA(=d{G*=Ug)pB=-=aw;MD`S5^1zw zd8mzYMxP!LDKtPDXy1j;9G0-l;%unzvLgB+%TQ*)aTtXedPO>qnnQNus+k^z5HK8& zH7ae8M8ejju1(7XKcB28S*suUz$ibBw7EeFQRvCCGaB<_e!CiSsIv-|TiqxK#3W*A5KnZ&u8$p%{ta2O-5Z4U+zIEf*gM~-oIvN<_{tNaP~7X=)PCtO)l4-=;8k4F zvylZAaf>iYdS!U6_2O3rxjcwWHm_~V%7Go(1+6dlTyS6CLw2w2eK|vLyw+Bs_uw#? z`ECwr7`mbYn$YTV7j@xh0=Zg+i7>?OZhu%Ey#GIZ|Nm`%%Rm3VIKOM2dmNC7tW8IG z%S=5Wb?eB^ucr=RVm7UL`?ohRjQ7`-9e09rB%(a&13uV#LJu=s711@EG{AP?xQAJy z9LjmmRn+m58cNTN3cePl1B20s=H!w6fY;yFefCWga?VC(qU`4<4xU3YWbd!|_@)v5 zow0MwT{&Clu}El4-+3@psKh z`$f=;&+dzx17Fk}lztF3Kb1i#MxTyPi72Cs9=!D)uosyR=w-`iN&{m=k!?t?G+5nP zJInB167#blfp*zd(VxG6_f@|{Xc{`a55* zjLp|uVe|F+*nGVKHeYXv&DX2q=0l1TH8|T+i$S=tFmrB{ATp;=ORonZSkFzHzp^d_ zH`rot966_mkaBlZpCu1m%}XHeyL<$_JvJ}&D$5+Yl36!zWC^Y9H>EW&f4~+a3e@>zb1AdSmvkZ-_mL;^6z1=Pd)YR%g#UeiDHS zo@$}aR3-FKTIShD7dePxeojpspn;e!C*P(-t)1s_)N%(wA2!1$IkD*e?hl%b%wCB5775x< zXNE@9D&LLY4u^Zcy*HYf!(f5@>RL{8C~mzgUjBKwPrYuW^+6~XWYF!OJphTO;=e36 z)Q}Xl*)pfY0TBD};O)CY7D%?sQMvn-5fo@7)pM=Ip!POR*!Nii=SS>Vl;M&H6muWn zZgvxgui~S@W@-ZPQl{Z`Ker_+GY-fI^bba9-E8-pe>#K16jO?x5`j-qlH>83DiD1( z@9GgzI0EP1FXskz*@25z(10JvK*?-ZPjjpkyz3@i%3sq(s^;x+&WsW;TfY4|!Cw*4 z>}@4)6ejRif_aW!@ApJ)g}V<*8T+Ck)&oYK-d@Png;?+UJ%2b!b-Gd}*A}>nf~;Re z9fcKrzM;=>7H;>gH-`|p!?MyrY9iUo=qdG_eznnAXd#OJxc>?XxCEb^ZlXxTevkh7 z`j1!d{crEzl!#aOlfLo-YL3>ir00Q!*g>&95eDdw)YCCx1ujsjJ9u{EHZMFN^FZ{? zT(Em$X-M>v99*V~QOr@-Kqd`w3110y8R;`7?Z;JQ!HFSoD@j8eSA8z4L#5O@CEejz?A1`=M;qv4CmXY z)*tjjHj_yY+$ybcUq3=m?O{Qd8_G2fo!KGqUJ_=!bPd&1;q+t4{nqtz@NU^Xk*HA_ zl7>F@9~za1zwzc+ydV}YipBF|@xoZV0B)X@PPV~d!gpaH7cdxj*=dC=qB=u&&5Jq>)O;=_>o~5n02cHRsN<;KEqsroV7cOf4nJx z05@gHxK}Zt^!?h6JCf$mNtDVfNoywK%xFh=`6W2OY&w(6)qWtA~ zGJ5$%Zs|H`jyc>FcKFIBD-Qc2ouHF%f3F(B@r(r8 z7KU)>WQq4oTa`coZ_F>p7{nm&(}Kd&C+yIdovcZn1w+(dM{MXj;)bM&7nCXYpMk&o z4Nq*p;fn1yGO+!I7q;JU#r7NCxa%8j{+Bp)8nvM4H3Ow8g#;unCT+&1=|iai{n~`M zHmn=Zw*MmV!)nRSI~w=;pxyLmu3oyric-Z>|CB#U0dXd=_Atg!^pt7Cwe3RzV(mRk z#2b|kYD4*<4!a$J!)`90^rSCHe2l7A{9yu;kv$PtPNty`h9{~0{Eq@H!-UYt0Z*`_ zWS-(93jnc93svJ~8;JT`M&0$w7M1n)c(Hlf!kLu&y9>VCL2E;c@IEDbWd1o&g726+ zy1CYKpxMw2t@?%TWGwOm1-;J7t=A@~<1^cgIfD)aMwd78jq-wyrS0v@^fOfZciKP`VAuV#{EG?E;G@7@| zn^;@}M4qfW>87~?@7~&X3w=@OtlHcA9Gpfly=3IKPbCTWyyxL#nd2EP8E~wi>Q3?X zbLfDN^|uF!xv&vzT)RFaxSgC7 zaQ>79ay5EA7n3LpHR;Pu{h!I;YvEB_E*k?#x65U2(>e&Q%;R4pz8wJ0Xx2~~1vNBL z|9Un-=m5|wcF3~kvH*M9YsvE6R&BL)Pn zVX9!?c}J9}Fc``jtpR`gYXVq*jT`H)$zlC9S**Xti}lw8AugS-H802$$Q_-wGIRA6Y0bnfWn1I>@yH#8==VJpwc+=EU76=R$+EfZG?sY};r%6JiY2D^LfeRAawD0G!KuOpw zdW%PfhOjSoIQ?`X(hlLhA61T$bGFCCK({KlaY0TQ@$tydE>bIje{%y>k7Er+nZwx_;*8wk@`zvrEQ-Ve3p zO-=JA3J+7aCBYg(o#pABv$IWfR>;PsQH#Y|6iC)?5Z&((!(GpOI2P8C`bZnA$8uox*h5%7 z_7GN&<;3c-oRDZ?__)he0=ZLr$)24?$TE4CufC%;^xoN()i0wCcPDS$b5pWJPv0Nj zBkQY)`Q_1Jet9&QUmhLimq&&98XS|J;;>q$@I%ILzPEauKqFDQ2XmA`>pS9ed!}sU;5Vfx4!hP?{9tSOW)u65;MZv z?^fV?mA}3GY(|dC`X-Ni<{uk&G}43c4V?dLhrB z>h$Ua|C4>K`P{bOxS;p}p}j!hPJR2rd~~Xs3*^20_|O9Tawy zfFg(Q-=!mk;GyxXMw0|DqOV&K2~89Qwa($=RbPdH09@it9x=eJufW?sO`ULGp#91Q zre3lAnt24S1aX;CgeyWUb29taJ(=JE-3{VJMi^gOALC2A zV0>vEj4y4D@uhWf*FW*l@>zrBsJe(#X56C)I&6c2PNBP6HmTN(2fxD#JS_#3A&{1F17V)|9xS z3b&s3@=b<@LAuJf$;%J3&|P^ap5JVtkYOl4hpIzCmw$I(Eq??$#@Tq9-!c;GxBl~f z=->Q^V);?U@*{!e=P;HZH7q~;@b~^Du=|(5?q3qSe_`zYEwTG2_+9aw6uQKG2)?qp zRkY`^gIPy_T8t-we|th@wN!=$*xY1IU$XK-+(dYMTs;fCkZL3%aYzAkqC#VilO>zm~t^W*Lj~;Bw2!pwdHX6~LVq|@p>|9kxI4C@lN}8_?g(UI`RLXk{ zF8A+s_!Acj%qPj-@O@VS@qYVGIi|n0f?&bC#MmRb5V%(8otoEyI1gLMq=%dWE1ifOukvhIDrK@# zSuFweGoqfGD+C|U@w(|zLVfXjOCcAJl@C&<5A0MV;NK{(o!K{YR2dSqCS4hZjUg9K z^^y)M<38UF+KfH0*?Su3%NCz=>s~+?iPRU2&lW&`Z|_Xad=BjBQ3nUKl_M63pAIHF zC*k3>r;=zP;2$rwPsEWoQXEnX=}N0&sXC0 zyT==!P9=DRDpMPkC0gE87ZQe-3lV*7ol=k%jL24)Wg$88;Ev=uQFt8`T-h$GjPS-M zj`Z4CT_$i%K8#9EQw^Y&$;Dk{p_gDJ;3t`~ZYO*Y)pSS^=|>4S-?GG1cHv&n8yUn; z)P8J(y71VQnXO86EX}s{&r&~1A8%b<^J#&wqVe*~vJzBmo~ivrsTK3zl!wLVCb2=U z%+cx3eeUVO=0IQV??(Mp8bZhqGtHBmBU%NzKUFVevHja2pvt+f9`%6>MD9~X^hD|) zP6hpEueJ_C-LCef!#4=L;~vAX&R|X~UIL4k#NutRcwsDF8jBYPWhL2noqM`r|Km~h z>BbIJ++|bImv|G6a&CI@jI~1=iLhZDaT`*g(PVt1+KGEViC0hZZ^sXiU$UI-6u|PY zj^$q+%Rdj6e|0SXeE(toX|Vj$V)>WF^1m0$KRuRzYTWrecDd=0viw<)`rY!{oBui@ zwAI6IGUmfbZ7|d4W2fN$&u0FEK8-LlZnIY6bQ;=4O)OhVE&}_+%BK77M)W$XPRioQ zc{mswv7@qi9!jf^^&1n{qrrqx@0prX-2Y#^`hUFpA2$2S4-cd5fuHF1DmO|-wL|3| zhqN5v+Iiy4TkF<@xnJ!&RHq~1r#5%mHbG~jzkAY}LX5!SC)g^uySJc(i~jB*mm=WR z&-r1I*(z|he6f=!RfFcA*}GFx)BtO}3;#>rGZ3}wUBq>vDr7YH-p)5H8#eoXE6tJR zL6`l!=#E?^lKEXzvubx5j)L07Q_cA>znd}g`S5WN+sCnFe6bZ7DpB^VQJevG*TXkT z2a>__Psz5x_p`t?b)-dLfEq1LjXM?)>cfxizESTd_$J1DZ?N_Ephq(K=~}0(rQq`! zMIyRJJ%m>eiTAvg%n>SR_NxqnVmVLDUB86(tKJe~Vl9Et_dS_Cw=Y0Nin2`1`+7v2 zKU|uvUWD5p;TxsNicyUTuv)vH%VhROZH;0#_;b9Vm@-YlYFr<3a=tx3u-6MQ4$US| z+8E*XBaWSOkd+DbhgOI2K~Yg3WUWnq+lMR^73#ZOFR%25C>J?NmTw-&?P_?NKdm3s zb7tjOYbwFvdbK^fWlRwb@3XT$eLAq;%740?UJib0w1&)j8Kcfm<;+W-3Q#z1jLbCD z;IW0Bk;WSx0?*2y_w6wiSdEvt>zS$w&61rxriVOV#j_i3r>jqKP^x0(Hp2*mq+p5094SWNmKhzay!bO(Ez0#ukXczx{ zB59-udLMo<)j1A9fW}XOdv|qEc4~WQ?{N+2zN@+EzxoPAs&r3nb&i2c)nsO7;S6Z- zPp_X^nMU-CvBE=F#-Z>?Kqq;EpUC{lm$gG3v91?Owd`1=hDe*O0d}G^Q)A|1g!;J=24AQ0;_Xn ziZ2qCK}%XptfoK(Y}9U1>s>np6uO2w@@$9TPx+MinH4RR5vtUmdhZ}e98$hNHNXXG zm6?epz>b@j`~9qM^y<+wz^_NNqd!=Q(B9VvWis<&r-zX^x+xbXn>r6gnN=Xs@5kFR zD)Mmq2bIknvE-eIggZgXMKRRL=>7fEOs!1*Ky`AFB|tI~2dYsHj2<(;xnG zektC0URB8fBAKB`;Mmq$zwH_dx7l}v+6sol-ojVk&S(e0)r%p+&nZHo?eQ?_P+$QX zwz!p%xuXQdX7^UV3aBBn$OJCM8gdl%jB@_Hi2~Hwe;G2AQ$pdB$vsKwG|+WUKa4!m z5?zeG&!IAA4IRw|Icn7I;NBp}?)BOlI4?2iNEJk)_~5P$X9in{8<@JX_QnA6eZ@S> z)NRnyD;3=GemWpfQeWU@st@vH$M=w%8lsD>)zL*-+Au)H6k5w*3eO(+Mb=y~1E!-J zr?Vy8P*rXe^rf+W)-F(NC-WPcFo_rM4$GoH$A=Mn1i{afA?1dh2H%}#9Qsx3V8 zpS*4}qXqqe65~6&ERk!fFL4loJ9@av=z8sp4lMU27|^~}g!W$&7Rs)UFf>NxaJJF~ zrRRP165?@$kmu7PuZBHP=<#EZiN;LeboEQM+b_bA_tz>~wQNfuyEd1vKBW(-Kjw64 z)wG~X#QG9mi3Gs!mIxY z3hMLV~`x4+OrF4b&Wu0b7bO$}XG3NHn#>L1)?v+Q>zG$L(0))S`s6 z%1=hP)xTI4b2|XyxbrTpd-kb9>4)&N}H8zW(3)!FxXa=jS85_m8*Uh&P}A zjsHLOhyVL|7Vq=I8;>{tc(0E)9`F6&jsLgr2k-U&_D}!0J|FM?(Cng+KAnjl(2X-J zG%p5#yS?FoT&6SVz~SgiR|);YourdC>cvNaWbYOOd4VqsUnuV3_*w~7?<|;dCsL5z z&D(})Pbxt$#VOZnHXf|gZ!<6{=b{}QuljqBGDF}yL(=!0cW?V$fTGuWY7S2O@Z#?a*%|t3}Z?7{tR0P5)rH6@=^(9FB+p!w&%>>-_ zcD(i2kbN?56Z}Qsm}>q_@^1>rwEs=IcCHBUC*CZ*L@5ffGmLpH1`23`#X+AUrf3E4m@hzgdcLd)dva2uhMEz`#rEiJykyUm08!v;! zYhm$nSiB?_uY<))0N(eLlD>l?B$)(`@-UrTH!=bC3%}=8Y0QxW_x$^(Jtq)JQmDMQ z?NL~sZF}yX9}f94wuSGEVVg;-yX5+}x!sPQsUpz~rJL^FK~ z7QN($Y6=CjqB3nz|CZHGs**ACW#v6MJmikfZas>7_{a*#vec(j&8X~dAZ~TL*MA6i1Ou7*!EX^e~#dn zR4W;`phEDaTA<@sk*%{sb2_^^3}&6s?DS#1Twxu^Vrkw|$u!2@?=z{iUAViJ4CGyG z#lvjJP*q*VX>f~0HT)0iVoY*SZnofj%HBv2FKc|E>6L-?Q~o&*AMbvEiIRutZg)Hi ztF{{XF&K_cFU8I$e)jyo8-V}$VjzTnMIAkCQ=!9*qWmDl{GOQ--mW4NKi_)Qqpr6eau z=EOic=}4xpivSeb=IttRRYG{<*SwfeZQi~B`O+ujB=%<)P?5MomZn7K`NB8Xq5!yH3#iRGbYbo32U_MF+B7RPCHA)IG zrg+SeoMVI_)45Keb^;HCig@Dn1p==N3cy*09!j#9eM-9+;avRph99ML@MisV?5e8; ztpB|EQ@q<2z5c8_K6cj(6e^5kww83@h1{BW;x9*po($E>rIR7NJh3)Aw^vthCBYQ; zv)Q{RVv);0`H?h^YzSdCJUZx}0hL|+RO8bTXtc!f)Rtuo$|o7_;9*q(y&9??qao5T zG-7IX*+Ci9WuCWiHmE@6?S7T{Y*}DbdzC46*bU*W|KN?st5?BW&%w**!K(+u%X`7A zNBXM|6vy;|VwgUVFo*I#`ap9`A1I9J0}1mzPi8ZiY-@zbDSAoLm8 zkERb)UWP?ST~)W9cC^nupF81}J=%XN!$Bo67RuEe9#0X+!BB#p2g`+1=*<3WMmeR- z=*rhN=cm@HQ2j}0l*G&t;oTqp_1F97{&$pr(gbA&PNHra>h0@4)8HiQ-HZszbhJzL z=DX}tH*}Vmi#MMo0mRRH!+6{=z^m8#%e(vM^GbN17hZpD)9v?Fzip!6hN8#E;2YM^ z_5BUe`#y89UH`G}TzMSTCDv!2D)s^P%R)qBeRgP{_?HvZOPgvp`^ra(7Ik2I4_VSx zeKSM@+C##2=J1aF6bsd=7IJ&=99o_Vp))T&JruPyK{KQ5NwzOEp~}2otb5xG@ld+# zT_)3o$rzqr^fJ<51Em9IMtkA;^p%oKCSBM=RG#ISs)r6tOAUPem4St@fHJV!2!FYz$LqX$LB&A(pS0c(xG96 zQce#oQbY?td-kW+>`7UuQ(pOAYpag@n$Idd|0x4iKEGvlElI<4m*u?9Edp<$LfyJDKtTcCoN&oFN-hJd72X?ZM~@%|rL8F^Y9G)K zd*HOj;08l`4@5LfMxsdxqt7ck-oVQom}#FJi;N$JUMI`+!_A|(*C_9H###PvUI^R@amthF;Uz)O3%+$e>gK@Wj?^2(_rRQ5REOwA2QYYg2O&Tfa^m*~< z+d_`C`rC=0gg=u*vdjt3{j6g7r$|jNG-hcXOq3xC68_$((MkhFJA79Nv@(U*v$xM~ zDwzVQh{B@nT{3vV9yqNv=z#Ek?|=P+=ppChPm#wiG;rFkcf$C+4C0Q}_4_DJ4KMpE zBZ*k(2>KjHu7PE0n0k?B;y7!K&K)mPt$d{mv>fNpod0G3KUk=e^}C&r2VAW=aYG-P z$=WtH_zCkVZ*GYkRkcFAi6Jz_srKlh%*=6}QGKwA&6^h-FaXZv$LV?W`Y>sKr{#9J zE-byaT-!7^0A~wz;V%>#&~kS>sOOh0q87T8AfTWN@1sRzt=>DJjCr}zDo#U?)Bka= zT`vh7=xPRxUdF&z+F!i6X_+YZ|Do24O?-6`E5-60Js z2q+B_N~;JG3W`&d5)oAFz#=3>P!uWo-@oJjzIUH7&KS@0_8xPrvG>~RUNP6aK3AlY zDC3PdLjF-+fwTEE8vd=snBX3Vn@@O)lw`BTnc#=BPuGgUEESF_SBEp*IEz#s76<=` z&45wbryukW7oi@q33J}=H29?O%rMn94%B?o{0jM_U{z)%+Rc=34yK|bI;Il^frDI* zl}l0ZPK#_i?c5op^>kb(*3uZ9_@}Jgl>OmuzI=ArTV$H7Yg&x9G4FZ}L$Q;4wDHIVmIplQKiyP7=IO+_Cupk8fv=mne@03Owg&a79B8!<7tbm z$Bj)PZ1O?SD&d~Q!9BXL_`L*>i7S`Mlo0k^WVfP)jP#*2q`sP)@i=n3{^s$jzB@QR zI~b99DF(eLeKqm?KolfDylIdim5?Q9E(a5#Zf%@$;S4=PV@A~w=d>dAbZ^MM~ zZB#M74I{?4VZrz|jF4)4X2k4{C8QbGk!w<#Ln`BT+d!-dL3hy-YMW>VUOszIkl0y( zipcx)xVlJ`v#&bg^NR#DLE_kYRpT6d8+N`bDpQNz9A}_qFVI29ek$lMk0(K7KU4Q6 z_c;hqy*7aAQjmFZNcwVd8l2mx{*=yLhz@4^|7MZa1(w^yA0(JFz_m${!;CEfxSn>b zeEV#QT+@fn-Wu?Q{-NRE3Dw^0nX{exShV?1F{<mFHFnl7*B`;H#}6lab%*%56iChZGhES>fUg?| zJVmRl(Y9={B*&Hr7zYvb9QBffdW^)_$6v%D{KRp6jb9;fS^{V}LrBE2_ zRT-_&2nPDnmulQ~0=K>xZ~bi{6UTtdb!W)9@`9O-n;zQpDjjG-jsc6FPGY069dveZoqfHq zA3dltc_n!|0?iE^fiCrODL1vs{~tQFwb zr{LWmlFM_AWsFFHsDRDkSUOSQ;yK4sPi&1EH<(=PC?w#i6)Vp?wFuZ6h-{xdFOECE z@v4C0V&Ck)>skJ;kN@sxr^L2I`SN!){Fcd}7|yLjF}ofb-1Z1V<0stDeiJ+g*39KQ zWQtjc&au^tls^QnGJSqi>}`aU59Mjf#OXmckNJUu93hBy+oV~aGeQ%RM?&V7)?&g7Ol1vZw?n4f;nM^wzREcx2`;Ns$~b0y0d>EG2(5ueIMle%snGYI^I zl!<(ku2xrcudw~u{y1$Iac`$*aI}DnI-kh7d)<)u_?<5|X$|2;Khdl8VGG#jO0|E9 zJ_Lk52fm*l3Pq1e@6%nAPeP23b5$flLV-N}I7w)IX%*%+^I*3T17J)9gOrVD}WrPB623gJ+|LP@e?au%pKzJ)eS<-p00 z`}Z*!RHInM?1I`4HOOd?%&tzj8tOm3qPj0d@PYl$d7lS6?{j14eLd{F&xM`$d9d?7 zCvKiF&4%x+N$$dJv9v=OV(ZDUR_8zwN#O9gTmS04DC3AU8Z7RUB_~6v;%*w~1YlBg|id z#v&)>?4ie9<%J`+8yvC~Xw_{BL{qJ@?wj>iaAc!0*>S-icRnh9RgSzTF9h{b-4u!r zJPE(-5}3xoKvL*aZl-Ny?8tq2lyndbyrS`^MA2l9&?|zZ1DRQ_Td~N!dJfzJSTQzU% z1Ihkub`rw9^ujsshb(ytP#PY4b1{{$Kb3GI)Rm&J*l(6 zRn`Qg-cK~G%O41F@(P*XA_D-gzU=qfqolKx^lOHn-sX|VosS9RaEG&l!K z@?@Phh4L27fFXKOIL~=3zVXJ)Ilm@6*EaFo@iYmMm$WoUnR3h*;j4lso>VwE-qS?LA6$!q!KM`HI3NUvGzndnU zLH@Q+kF`&SwSNR_pB8KX0M@=DvK12?s4kR(i?p|!QrpBq>zDTp$-NdRhV{{^aF`g( zyq!-;_F@3%QMM_M?_#*?4_{N3#6sor zn;gJc+y^lp7TwN4G3y*c?f@!rS@l%#l*nBRA>TkMqIcA8#+G_^GN6*Aj>#^KT+vDP} zvvwm|@VzuTn^`6PoLm%YOP9$*v$f#M!3=BdK~vO9r=+>}wmQ7H(y(8}TpmWHuinUd zYk>+>5Ra4L+GSdWoJZ{)*(vKG@MZR$zSUCrbWn1DKDHWrUuo=pRk8P#z}{B? zdtVLgeUAc{i{W%hp$HsIcV;k4Qvf+S&f#GSEhKm+_N3nz0r=1-AuQ9Sh<2TuYQJ|{ z5O;s#?SJWKq(>-d0?|G5#2}6bktlYHXLy_^4DGvC(^JA84t$42LKq^wfn&a$v0FV7 zdmbz7eO<8kHOJmp4|`vC?0xkyzj!IszxS-`@jK}^`Q}|7Kq0f6rA55CpKh8y)0CA7F!s)M%u55EGd}p-HVd|`@-^X z@=ql|uru@1@*zQ(l6sXtx2i%V=A5GwAWd{%)2kupBnX}QP>@s{_MOqtnXL-pV@i%3Cq z*C`@lF^B;KK8t#B{j>)A(Tm##p23JpUE7@Ny&Gg*c>SQ@ksElBX57{k3_`1?bnZB3 z*x;^D{>zsWfj74*4Q~+1qFeGC+odT&pmFC`=|xk*zB^dnU>C6>I>h)PEyh~}H*f84 z{eU>;2d#zqK@;>n!gDu_1GrsmevNMCMnS+{peFLBYetyn%xVokiNK*LzMwLlY{(oCh8!& z{JfG}P#*=884kZ|SA*DH=ffDZRbd-`$X#MGL2*h712>fkKGfbE-hBo(NI1si+RQS+ ze}puN>%ON9dhlrBTd0{L@VPa{*heY?v1MM$llO|a{VDLy4|vaCd=c`oD!r}{cS~lo z`m-B|(S!wcta~62$~Ea1HDTyNrq%i8Tn`Xy>A3TC+7#38|9k!!FaP{+{eUA@KVXj4 z4`^fc1DaUhU-qP-c>u-9D*4Pfh^N+_4ybmS=BAGt_)d6xa?C2S?+AD$G zFO$JvzbbXiuSyd0t0G5#{i;+jzbYeGx*b=1=}Q^9?&`r{@i`U_(fn$VDl0|r?NUo; zSPFqv=&)qVs}nF1^VC7MwE&b(<$dEKaMm`1p4Cn^UPLi-LUK`;vk>(jh8!J}bD(Q_ zC$`Eu3QH}*dzd!QIcRn3cKP|W76qSTb=WE>1yZqt zf9wJZV9!_ea_?)UxczkS`t{(wKmGrAJ?~bZgP2;r1k@*AewY764kbS9Ty!}=;N-XJ z)VO>V1<|Mg!}ymfC~u|gRHcRp(7ez(vsiNs)z^NJY$y1({Gpcopb_ATc0VJT8ToDq zgVH5d6}Qd6A-e6Y;if5We(ztsj1Dk0kTJH1TcdY(X7w&}>%sh^SoK&zO?dRl*R-18 zC-yEP=J)zpRowYKyHxJxKE@QdZr@Q-9e55=7&h{~us;KA$KR}+2-HBI-8Q0Rzn()Z zS5JH?Hz)!L^TZ=3;?kkyn00%9aS|9x**B9NcSBM9r1vi@)}Y9MHkmb%WY8iFx=qBI z4U;>XjJLX4;qhX}eA$6YP-v66VY0ssQG58#eg4t}kMH`sZ!cvaR$1n}lWOf~IICV! zsX-p|2T{fRLBueB5OK^OL=5u>5rKOpjh%dVi@;B(_uz)94V+q%Kh55qhun4k>}lw_ z0w)`s^lEZS(3KtM`PKM~NU^H@e8G1u~_uf^}R^Hk;G?yIrrxv?7b^T19ueOL*YRSx=R6qkYOvAXf9qG}{7{6sA5Pz(y* zugd2eTLXC87tLp7oH^%)uCxC5HW8%E0;U0tMx zE$X`zow4ns3rR|m;#_vN=;?PB9)#IoIGh$p{4Ht;tkyG z2g$5Z;7D9S!5&)}VSUtiE6ol#ZFYAp@93a)je_Y_C3}Q7|BQFNJ23o>oJjo`n(Zv{ zUv9QUBbNq)uMjJN-mVvl7wgPG=y|!PO&tOOH$~sd0&@sCx2&}_=Y{SW?Z0lmDGYT} zuW!ARQi7frX+PZ;d{E1UH=L7N$KXf6{A}(TAD`e=h%9#%k=QK2I zq~6#gi}cpXzC|9eLFc!5BPi+(Pzi^QRm2~A6xTtuE!kxZ6g4wfZoW1Fmw9jR3)A}% z*RN-Xi6aQUHm6eV7gZ2=7M3-`3l9$=n~Iw8?}zANxbHB>fq?_i%DnsJVRbGv)p=a# zYsWrV8Gm~yph4*W`4ak?r18Tx<%-0V4-*LQw+~Zn&_T48o%e{Ah!I2drb)t*FyQq+ zdjIT})<cv}!SCK4eEt2C0{PG`&!j5;(0NF4>L=Lurj+oEv!8_S>*g%JE4=_pND z(t%l8wPo?wYG8DqJHz0PDY_9&G`lXL3BKi0K>`Gw+Ogi}D{nY8ao=};Ui(>+moE+X zUr~SQb&`NsBNm_6$5}xetUe4cSt9e^LN!Z6X}IxY?EDMX|MM67_xeLalAAtZi!zAr zps*43OJ$^9S18woBp_YpP4+^EIQ&kSe#3K54DQCB-(9G12si&+oPDQAw@wfG=5A_5 z{Lw`ZNnPi3o@hePyvBq%sWzZX@#RMT=BU`Y?Wh#B8t(P$OZJI7u6{N!D)mK!y2%u# z^5e-YR;}T|V|_K-Z5#NN7k8#v!W<|#kMd27#UQ-#X6qj%8mdGPch9@J>$~)jhLGtl z6KXm5U}FDCszDCu>4&uq;>ghnGM}fGkEDT_JeX-K&lX-yl?I7=1f$el8;hB`w(#Yf zLb>*sHP8lan6NIpp`1W&Qwm#W-2F*T|J8T0!4(u+zHW5BcSrJPkc*DAEyOsseF-~f z1#f>fgv)CjM;Q_cTDK~#A?X+ z*(wJxex1V>relNq|7h0mJ?F|Sz|rl!**j_Z;4V#hP005S0`y{6{oG{~r}2VPIXe#2 zZTFDSEH&Y-=h@k6{|QMF=oETzpj=KG23Dj!R;md1EQ_S)v)j$kL*1P}^8M1l*w6jb zX-WzA^W&`t=8O6Ka^bi&JdfRaru1#7J`ikqbb{YsPZe%aMxcRbBd0lT8iB9mOZY^n zTWjwqXdGtNhI>&H(kICkfYfD0uz|=Hf)7u7M(72j%Z5P*mR59OZy0T#Fr6k`o8@2( zkro5lo#^Mm_L3;gFI0AsR|KwbUTUjo5QcsH84r(sRzd-LEk3r9af4jxM{V%l2a_ar z3ZFW}(M}`Sj@$lFGP8{@D*F(EECBWKU z^pk9s2K<_JA2OwNM6W)JI~{x?2_H)%np2BJar@=r9S_Qa#pEL_p73op@`z`1G(w>= z&&xDJAud7l_7LIRt(&A0Z!8^!Rt%q99Vv0g-uK`2fG%V^>wi8AgX#Dmr(5Dm=uVS> z@H@m0#O<-&k}?8tr1-wg6A=aU)G*uO&YU2;T&&W3DxwK_J};6EZ?>s?fB#6Y@xn1w z6wg9aq^$7?3?m%NfEri-+4k&s{;<_YLt2w6(Oe# z`_thi?O;-4D7ZQ{h&B#S+`I7RD%>jZ7y0aS9v0j4NHoIw(7T^x)LoVNkh0yNWj0iX zI;v0k*iK!6b1&+Pdd2m?dE?!WG+S-h$7ym>UfCWDd1OU7Cc}`jqN0K8fIjqIc^b*N zXafHFadTc@+hF6!pY}b>ov=ySJ8a3@htf?QI;Y?F!gJPl_a(@OkmMzmvFWgOz+0cc z)hg?>!>9~5Dn@_QFe-rAzJ}$qT}~*DlkRz}qdZKjHlHWuR|M}Gv19549THys7hb-l zY@|bZPSr6a(x7-lHZ>9zqs>n4$uyvd>~?QTj6m!XY7ef&dO;5bBTALiMSuNX&5&x| zUIAHWa}*YPUGZe3Cd5)X>eQF368zTxgl9{ufqehlf*eK_;7+{CsH>R_&+Bp*NPP7W zozsV7X6y;@r!$dMP9YiPeJ{6(^YDgELjgC2!4zcr>^aMu+!Ekn{TSd|lnt9)9*RX< zk?5u<@#e~-R>a%=^TY+>vygwnK(LQ3AMAGW?2~S}z*gd$*0b$NXo&O&lgb$vaB5CV z37bxWEobeTc6L2b6lWdqTMa>Y>y7uQM7eRvsG@J5quxlnh9J`?wWK{^p|G$rb2{W? z1l*giD<|^}MjbUqxh`_{sCcVr&$nbTWH8;)x3|Itx&3sD%ad_{A5==l4QdDm{y2Dw z{E|b>tE|C)DDB|pO{t0l3YQ`Mb>-6^)|XINz%L@<_G&m%r^mOxlmj!{!{_O^Tal1M zvlQ{ov+#F5m&fLFC2T%7!sc^NY(7`U=5tw~kIia)9DWj&Rylvy3_gYIkA^)j{T&SL z;b+^eYZ74nx<%-~P$VRz8=IXHiig&8`uJxhB9Q!c_oE4YJ~(k$`pMcGF`#Zyg{vgu zaLJF4n%hALW@<<~OO-6p?N1jU-FSH#B0a}HB%7wf*??;;Lrf*$EpY5y!NDYm+Z$Tj zYF35{S_`kF+m#|8ue_~hCrQ|QB4o5YS`eg6e?Gi(&ITQHc<%QuN&-Tw4HXAxM8Tl- zp7MT9DR{@JXHv~%3jGP&<#7QDFd9zv7(xa=r9Fw-|qX6~gMNys&yIb*!FB1*@l01HAQD!B<74 z^%TvZ+O}=)l)fgoKi}lcH!(+@pETGjiFJ|j7dg>Gm(|gQZ+UI;lOIu80!TERH)8E5NJl*ENhgdkOw^H&(9MQo+ZBsqD{O&ge&GL+64T z;T(B8bN*JV4@zu2(Lyq21ZM0v-djss!NA1e<1SG<+`Krv`dPgFiMM^7Ln+DZezs`m z(ZzWxQ$l|HrU1_2N2P2uYf<4BoYA=i#W}*~P+= z`DmyJS9zvO<_m0(-=+KTdBZwC^MgWeS6Fzf(C1oYP0)8#SrfUWqouaFiOpqqFbRw~ zP&R81E3@{kS{bfz|NAxmI2LsnWwB*h_P2qZLC-Xf*U9Ml?S&M&8aG(m)m=L&U=N$Z z!`sw`uJD(~PT*|)hsQ34@z|X)9=kHeW0%Bu?DAkuuqJx@@VAP@XZxy#Ic9R2)20Dyk?Ro5I0p?jPxdd9hwnIzU7-7A?r9DC#PPqrHpNVj>3bSp z7l1KqHNYYhb}mq6c5N1+l}DeSKRS4t;OD)~AWUA4?j=^PbM~LYo&Vt& zyydh8-d7{|G$}g%ZpReGNmQ`(+Uq02DQ)(rxjvR3(8BTqdRTtI0?Q8sWBCCCEI*)w z`#$%rT1mT^sxH_bA$HBnRR{CD>m3pL>R@pBPYvmiHeC7|qNDUo9#o$)O)Ne0MtJjq zp*-)HxhW_iC{X`~k;p!1mos*8i4{Z4X-_C3)c3$o&RVZs%`~8MGMY7+f((uv&{)(Y z(Sk0QrTo|yA4EPBEwxswP4Hb(cpQ_j3N$0DwL+i(%sk3(+pd6Myb!aX?` z(^5@;Fx+)_<>Q$NAgtfDZ}yr+BfYCEW*NNp*!Z-;#+w;7-dwTqW{HhA4{W?yK$R;A zTg<9CM42T0$RV+YPofMtHx+`>xqXp=J1iCuOk?ydnc4uE9ocF5EoceXel&ZIEjodW zj&{hwPEW1wG%?8+r>$HyVwMP*Zhs75O{uvpYoz6zPt>N(9Gij%P zS-{EH%JD|cVd%ME?p-+vGtdy~$vDfS2*p$Br9|u|pdISB_j0li@*S+%?zEQ8v8_{Z-iyu4CV zU>N$gPJ1R+G8k<{^>Uc0OQSf|YBy=VD8Q?i$9vy|_kOeejar7tJr~q_$TezUE)4xB z@EZMX>;ng5v*?{BJwa3_eQy)7A=;*tlP^l~!kwRAidMd!%a)6#(C=)?>tzDaQXd!}$LO82>*MWH%oh1{lJ3s>t_ew9TN& zVc_@glgCi|gS>r(E<)%JUrlu)l-HH3+4*?D!d}l4zUp4k#A@&T zr_CI@d;0v42yB- zR^Hb9`h5^wI;0)M>z||ZJp%q#-6O!*uym5O?lp=&F@7u6dj$7>uZgI<$HO!MO0)TX z8s0gBTtDz`EpSCcgJh_eyjvpZD?9i1m&T%BQ`zmDk^zvJF3=j4(*<HEc5tC~(R;vu4++ury|CG6htJ1+-9KFPgEPtxG^{e+!J;fvdPbSB z|J92Mn7ZNximpyfF&84yMSi`bmwmjTaqY_1#Zo6&<&#Z&bj=F5tktf_xq2dw53e3> zOV|-Op9W1vyuPTD=3X`Zj4keZ*L%9xcMQgk0G~;&FR$4VXtT^^EJ=EMyR+QC^3X$N zbo_AhE2}D2Xiv#xX)I@e-N80v^q*Nl%sqoTe^L!y^EXQ@_`m{AQvo`fmzm(0P2P`f z0cN=3`e#r%mKCxG7{oY8EkU6Bukx@@ADF5#uWx>^0?&o! zxyK%a{e)Pv)&Ty)GjPv2r zFo8F9F=6KQ08kC_-Km$ILk1BEHucd1a3Mh4N2z}hYWLY5HB=tL-JfqFWUtO_@IZ&I z)5X<(E&^wVn@QYN8>vg?3Y9Q$!G)btzSuHuAekTao>}LH^JD5|J0foI{iCzofUygN zdHFnNIh%r*FBP3GZFeTzBb-VhS$BaC9+R?AthO zi5ToQgNFsg!GEvCv1vaEc)t>!5tt?cfscuUpL*#+Gu0y*#wh|Pb?SV=;G7Q{?#;N! zp`ithwSN*K?rX!v`{v(mUTK471pDqX)do-(=+FIis}{(7AJ9^y454s_>*Gn^E&$WF ziZI!NI$-EY`Y23Y4|v}f@AKo0$GboI@19=+>wh(@{|UVC|Mb5a*8l2Q|Em+ur{nb( zyEIT4otML>50XGvGhIbKE)SOUB5`kpw9vfn9P?QzY3Lf={94p51-ccD>p!?IBa2$= zfvmX!7}sMM`}O@QQWF>~d^7q88eHC9n|^QuJ@)%WMZ-Oc@lHwMf=?ktb&vo<`RDD* zG=5~%l%Ui5kO+8_DtZ&f_JM`Wnz{MmUAXlX%<5`}}yH=kCk2@G2%k zJy}zT;-5A}5a0V%V=?D2T&%XqKFh2EvkaM?-%L%AV|SieO)i2zbF>lHCFr0jshBr5 zlNzKK1IHeCNTDmdTu*#2Q-MFF;J(ZIXaQ!Gi8Df|;B86x$-0kB;CgUbeQE3<4Cii% z-aN*I#P0-(sNbLmN{<}}S#u_!*!TU6U84}fd!Mzh^ooGZpgmL`VlW8`wLtGv3!brr z`J-KfGER)SPOwHF@n-q7E?Nq|nA#!Y0Cy{G=@u<*;EdT%?b`F@FgMp9%O#WqAC=f? zLb|I#L;IeD$zVE&#?A&kS?R#7*T$>w{`Rby?>w1 z+1;3%=YqH^vKwYXIYZi`X!m#lgZ}2%CG>QTbH_tnwiI-36#Ktyn z|E*X5efw{{`W~!aeeL$&diC|&f9usbamSnL4=l%P1R+zdxs=fy2l)EJn?3%QD)3fD zG=?PwgY6|B;|QT}bgregyj$1>@Q(k!J?CipNIgM_8?7yoIf8MM&G|yZaMYQ3DEFq9 z3$*x1T_cw8Lu==EaW%xcz|)|4>F*16(DtZEt+CG#Lb@N1rFb1joV0^9x?7fTS;LQp zz7PTVmCgZWS9Nr{F7b)DloM)@@89KHvU#?f?7wi1&N_um4|oc_w)K=dXXd zDy+&Xy(>)hMc1RpThEZF!z}fI_#d_i0^UuZxEo>$u{$*{OKu^UcSuf-623;L>vd_N5AR#umaeJQNYj~2>fh|@SVko~pZM$R)pH3Cr z9cVCz_=|g{GiMFp>x}C27^h$q*BAXp;9~-^v@M&M%yozJuN=lVE8^fld+1X`@+1^t z+C1#P%MZ@(tFq&GsRKuNMDy**qoDie!x3`%bXY%?%phi#1W^?uYx)F#l%GF-8ZSm? zK%3ANpUj;aRJ`hU63hwpSDVqde67u)JKK`U(ZUimB56wFx&@eR*`2vn z;DRP|Yiw=SYN27Q$1x+M3)MWlnaNat5mrqi5X0j@%qug%(rIHJ$#>S7|NIi?P20R(Eh4RpRRz!2Syd^kv zs9rS{3qgNAIeEvd7=ruISmUwt24M0|teoQCXJRj@GXI1~24*)bpHlf1WG%TJ?syFZd0 zdmsfa>(m>CS16DGd+{tuY#wU7uR>SiTZG#$`0ev+EmgbS(8iqys#%jt5N!~*(Ict~ z&SX7pbp0wIB(>HyzNri^E#6&lc0ss#S%2$qk6?U*BN*R+1LGTTV0;4}jBmgWfBCfk zt{?pCMucNSbYqe6#SpZ1go0;4clu+>319Ul+|5s0IkJZyA zWA(JwSUs&RR!RDGi;gOW}h<;fmeFHjbTAG~V^*nexn>7GE|vAjUE#h7KO z+MoqDMFCpWOBV;+#smOVvyX}Ns2DI$o z_q;*89xB|bWnF@!(3oHW_X*Zg-1^gw4gUEAc{jZi(c|A5IC zKIk?zbxPcQ6guvHnr}SAk2_z4cYem3&%x`5g7rs~cx-kIV+x{Lv6lP4&U0YhQ_V5vW%cz2nJ~4rPdEGxAPZ`7L=6cl&ePeJ5 zdRKMm?ooJVY3hIQnjHZnqv|hA!S_erL?A z1}~euMCX>QV02@FbkxBCUIpopX>TVYh4bnwg8H_gIMZeG$k+?;j{m!1B;W=<&JO@dP=fDAf$D1VFlUaI6^;sO+V*J*#f-F(6(@VdTVd4a?WLuL=nFJU% z+ER0eNC4jURTCM@gX)x#cFOsU%EwHgJug*(XHubA(qffVY42W=W3r8|tC9h=WIdhjXKSvT8z4 zI^@8MROnA)oD>|>A31xUz2acpPkST#EH^q@ znOU}w`G5b%e{Ub}e1dm<#5;cQ>a*~+k9WM`eP6us(XDMJPM0h|nlIRt^rjj7Ktw@o zyq@UKfS|32paQ(oH))HnkW_~_xvBc`7C9!&G4y;~U604Wy!0M$rv3hAP-0Q_( zeT^EXuTjVJHBy+qMhw%}h-3O15!i9w|EBw^J{aCQ)iX;);B?zr>lJ`K3OwJk{$

    zP~H?k^mX|4;2ERm?9? zEy6R2E+wy5>o2Evx&Rjpo9-8N9M?l4%qApkayszFHi6IWBMlO;58B!vWJPk|&)^~eQqXLz7n&Jc!cGni)b!vyrg+Mx@(~hX9Vfg~(iVY+Q60F3UT}0EziMo~* zoMBk;1l^F0EquG?eL7>@1y0I)_Mdo|2=jq+QEyHcqm@RJ!?L~^FgwL~{Fzh$NUn>; z9i-1g;zWN|I~!6VrIvB%LocQic0cz?m4^{h*mm3J@mB$&3q2B_ClIVzlby36Hb&UK z{o@Ry9LQ@tJ?Qq;1U?ed(wYRgVm#6Udje*2*gPlpsN$m$2ubd}XZnWWHx+URv=|NX zz7PIt>#8~RCj>rUH9fK#or-AduEtk7g~7C8NTQW`Fmwi=XWSG>K*X7()a48z;JKnh z+_z8(&J8+QTjN8B)gff?mc#?lJgM+xvabhdxP}xAi65hVx1oDCoZA6kdtjCRLBGnoR8>KUhH%3DtRAwyXF4-aD}wWTrGl;}>znTt z=}?4tXt)2NBXDW`N-0&_A+TwzHat?#fQ;*JZijGD!n$Q{^~ljwDRRfQWm682;m=yLQO`h$!#mB9nsIp7Puh}i+naS>hR}Zgzh`o@Ap1lb_};pT zs9%%R9xtpw=bozPM@Yp$!kkfub$lVrim!d+UA}`to>MUeez*y_d|t>p)~D^`nDKs(|9jHCkR(LnsT=FQ3uWg3j2gg0KfxsPm5RUZ=1=hD^+ncZ!w&+Z0;G8HU~JN!S!5lEdsrsI&OAj*aK-e*0o03m?5R#Z^oscCgbhD zfbV+4*I$g|kz36hBYv2nRSlJ5;en5~?(rpd^61NRv6t08(nvnLY3HLbH(a^Nc{$9U z2k_O;8Hiw{ZoR^VA!2`+$zVmQ;qTWos zCJK3%PCH!-asj&5@wz(=p1?TuHuc%A573B_4(OCeqbR>(4m-?`;=$#@n@lrVfMxw^ zJzuKOrE-4_zrYkA6*W_pnoETRW4Tk$MbgmriFY@vE3tZd{l~XeX63*tCSqBd*MQb# zUm6h_mB4-r`NHQDl|VSG;Q8=(6DlL)aq})J1NmjA4}}8iz!P$(U_{#xEj{MA6#rWl zjI{4%g;T3TVsiJ#Dl5$2^4)^VQ%xmMTXg-*#u}o)kGLe z0F5rpZFv=}N*O@rl(@vOkUlKgDHpub)qpwcru^Nw0QBcP#}U$_=fIv|x>P7#9f$)5 zqHKJ$!TecfOjLac$dnH@sU@W&#l)cjXNFMtYC9aRQWXT!11}`6FNC4rLWZhIzXI^a z!{A$A<$Wuf98Kttc3<}HRU2A>@8*|YJ4HWKPr#BmiJkl7?{f+&4m!Z(a@UL9a2trS zx;|2k@j(t8{y}4)F9kG1vfPy^s_^n*&UDi;XJl&Eph|0^0L1HEL{HlkfgoZi(b>ri z-KN+KzR|4$v1g3GF7mOXf_*B5ZH%v5JTN<&Jt&Bx7jGE5JX69O&yO#E@Bs0k`c#D@ zN=x7#qaSwz+eezZ^1HG~r|Frk^DPp{{9v>naKIBj-d{A2Sr0%HVaC@Er^dmhAMYBA z??|F$sr8-l@QX-(M>?#7!x_D2*I8pSaRtJrQ1(F*XT15*VtJgm9$hSe8%A59<&p)! zH&C&e_cRR+TnLNY4a`B@s~-e;tklM{cyAQWkOrB|XZMC#C%m z1NocxU$XsyqhUI`bHW|fnh@q4Aq+-sBV9i;kGVj7&1mYYt^ma9zbJWlzy;%dP7g~I zIKiDRYO)rC5G4QOONjEcBT$7M-emaP4^5kHp+_bjLZ8fXP*LIo^g;Wer2EJOB5v7p zkoi-OGUD5$%E}(#);}+9{d3{gzZh=)8{^hL=KubG*1zEYJf5Rb=tdbw5o~zBvUShS zM`7ylvn?|YeD0p;I#_WXc}x82J;8GU2?d^&Xcj01`=bW3I z_!$hkj$ZwbFx+2-7TfhePk)g9u2UvR>jbfx_NOk`SwnSMm(S*R?0&aFfAQ3h5H!81 zbwb!Q2=x_*Rh>5S0DejZ^7S?+93Ni+$2XV2@y#`Gd~-=0-&_{QH`hX3IztW*_OLoh zLjA{(ZhbfuZ_{8E=!lrOE!EYs4PdmH_fGw5V@TGR)D+`&##nHN-l&?z!h2Iu1>Y|g z@T>AgzxoFUXzoa>rFvG3@;0I!^J>E3;DRklgHQqllN+R{JPCsqnZ~>q2LjNqq9m!| zr@^TA=M(*q_xi}(_JK$E9anTMw_xDnfE^X~|#o!#&OzbK?%vuXa8}%L1%^iTE`i(Y2i8Ac1^xD@`_@dw%)7i^x zwooQVI<#4*0;)pV=rf@)GH<-L^uap=UX3BH5`>zN4r z(Ie^cC;W!0DCUDg*lZ)FpMq&Otu9G|jmVca0zWNC!#uSb4KBi+Ii{ceD=KI%Z{&Ob zU>b_wArAOvW{Om2R{9lP6+u>{^Y)Dgn&{i7G!q#X1f+5D%HJ6gG-z;#t2HR$-5>nt z=ZN*q{*RxdGS1J@4Cm*lj`MT0#Q8aD(TmI2Zl&Q$vPijbT)o8t~Db$B;Vo0(xBkL0RCd1LQCgnwldIxVx{i^vWs_ zVw(lrqE5%4VbR7X6srMv^SNji=&~d*UhZb}aSpYj29&hsiUujFMy>Z*`MdnE`S?%8~a{qEKGm) z?0WSz2kn+;l98W}hD`>WwPsysb|j2?I6 zevRR!6B{ZIYuUoT`555zu`O`=*jOLE&3j%$Ne8Eot&P*i*2Ehh(x*+fPG!W44jegP zq%LoXozqACGKS=!YwNE2%9<>UUrr4m`Jn`UGUj8|A zpm;*)lush&15zX^E=_k94lS;ZeezaC!^aDzLp&Y8iZ`Vy_H7V4v1TYqAm|MfH3_N7 zSFAyPXq1E$0#QZ%;KHkDJ6yf-zw7hhtM8h)lGLp1?+#;v!Vk;7o1-8K1L`@-WRz}j zRg~-smKSZ=Gv131L7!S4H_6MSK$QX=tE#d9d^b6BY?_t}zD8#52)7DCd~<|fADsP`z<+cnH{~cy=To%a&N~E_ z?vG2aP)edc;cp!$-t(hdt^B?W)9#?g(OB}b#1FmSice_fRRa&vh@zpd=BTq*tbgO1 zBi{FY?5=d`!~0;6?OAv&ZF3HFesknf84rRGDxHJr_cGBj%L=vd8bL&vakqQfFbd9! zzIgvRDg{bCVs9xNItv#U^N)6T#=tWgiN4cp39wHm`}g^we5fpKo}uHZz#Fgix-k8- zkE|9Na5=E3c2x-o&UvgID8TqI!^JMnWj%@_v2@oJxiCCX(dUaD&59t{+2;_jV1Pyp zEIwYmE06IifHhjo2#I7lo}uekf{jpSUh%K8Kz&fnLh`B#{OiYw&Nlq`f;Wx^l@o+Z8slK)W|vZ?6O1q47bIt=iFeGS>)C9ixX7s%ss7KxPek~?KNAW z9x9=Vhzt%bK)a{nyLwg((8HZfKel6-K3u+dlIdbLn7nxJ!ZlzER)oQ-J2!$cJ>?p_ z^kMMTSHTzm|G$pcA2!Ej<7q3q?9zZIdU=+RW z1wx-FN8S1_B9kPiBcsFt&{JeY<9-g)tGc#=E^9`h)oX+sFER|FE=OnL!vif492^#@ z(GNj~KbUd$eKUmZ+p@1&PU}FUe7)a_rwQJCOnmWm+08BM-8N!SMM_5bAx0csE6)qI zH=j||IkaA7OD7Dm4(H2k&nh9&zRPO7=^}6`{=4D{32j(oxS%|BM-5z(h5rt#X@G13 z`>7Q$07{Fp)m+RMxA4OE_`iyn-dhgM(?d;8NbffJF^|DGbgDC;cLH)j?dHp8`_Dwt z)Jlrxwd)y>Xn1TXK0O2N&`~`-el!trUV7J7!;uER&2*LzVLEq9-}il0(p=D(#nLsU zo26j)UNMs3ZUt(bE4C~$6otKQCejomK_Ck(`_uJK1#Py;iFkYwhTD9*8LsNWV8~$L zcA-TH;mZ%bB@o7+bi*2^dbldIOfj6_1D(*$d<(S1ew}uRNfQatavs$S(LpXPil4sU zQGmwKWI=k2w|%Uv{$%qRW3=X?*W|n_2G?7jhnwkh!lA_4C@H}l#q4FxO_vlIcv&@G z)A&IJdncoT@5tqcfj-Y*7i$4GXbGhwGx(=UmI~u1WyD^@rS|!ZNlo zb=ZqIdC_$^!nlA}b=D&zjFPMO`iMaOfVJlRsAi(ff%NkiVN#E=mGz1s*Ee%VfGY}%^ z=%GA7hq=-T)mg`gqFeM=KO7b~4Ky6@uIe(epyv_IdqiTiVBI&a+b{O|70r7AKjce@Wy|dKNO-+5N3o|J>@$0 z2)Iy>%;sw}}z%j5s_SJ5JB%Fiy|s1WwQA3{KC7 z8>i=U3~xQICebYejrIU!_2y2bzzM8g_2>0*_KT*FefCG@jEOV6P)&Bd9>4!r>W@E!rPX zKyGHR)7#qwPBkqGF*ag&d6|<}?<+dM%SM^!?<5VO<{e9n{hASsNn7nHL`R~~fr|Kh z@=6d;aKN+vpaNDW)h?{V&VO3^Zthc(GVo}0A^h$eIV9R`^=+_A7N=+O-}y@T^3$j1 zN}G1A3y@{or?7*x-r$iNM{`=(A1pndyN7wXgM+9d{e`h8XgXOg_sGo;?|cAX{AzV~ z$vnM3LN8jf%r5YA!sUQdeFKC-ur18y``t_u@~ie*n-8m?Q7hw8x3heB`={W0erb`e zX>K`NpkNcj{9i|W;dgjPsIpcN3i`gI>M5-b>tTulRxdn3-lZCR5#@~hSTKO%NHyVJGC^od#_YTnUcBDKJ=|;9b7sJwebYbwOcU)+i z9t_+TFL&;BL{4kEj^FBS(Vsbil2_FjZh4m}o0P!_B0YW%UJ)rkA6}5?%RZ=u;QRKu znx19w)WP@rep~{&J=?W6%h3pROym{{G zx88qvavF5}8wruEW-t0arCxA8r3M}>3!YD&sfFri0ZcDb?;yJ8hnd~S>w%9<{aP`3 zHQxRDBt9Kuhf+5fIm_bj_SOPiDX%R^>$`(=Nc7O>*U2bF&fNRrrZKd(4lvz$>j4Y` zJL-jRBtY6K_xUpORfJyp-H0>ELp;U#{yI6e@O6w|N}x0X<$g+gm`a-f&R0AS2t+Hv z;kAQ5{c04zIg$SP`zH?Q-N>|x%XN7O+IN$?`%w{y?ORJw8Q>S<4&T#8WqlTPxL@ZCYpuxkrqmGV=< zG7(2G<3$e65JWd(GI6xU1I%siUP`X^2I1X~SvuwzICr<9X-gsz{`q+smR^Y*i0y~}WlS-dBt z?ix~1{##T`lZto0a%}hFIxo8e(zdg@klJT~NW`dTS`^*-!HrIR_#$!X?@!fw=wi zzw>eM)epzlANk+;?u^r)@xbZNSm5+$EOGiX7C8MGGx%M8`iS~BGq`HiATU*|4Z`2j z{LdDLA;Hk|bf-paVDt9TD8)88%vYUSw6NV4h6s+CJU?%ZivNDmF3l4_Rn}wN*;V?` zu8=`Ka6}&dw)i{qsIZ|=&-;$%X{z9jf4<%LSgrMYA~M}{(o2Z4hOd3RZ(R8u;h@Wi zM~jRjl$rUzF3hsQaPdo~7Ec`U&NuMo?=&Z!h@QG42yw58$0srUhZqKl=UcCYfvQOf zZXXbVdM_?2c58n4P(jjOEN_gr|5w8=)rxgKPnhqLrwOes(e*6-uV)~{&b9e*IkNFgoF31WYR4qtUr82((iBKdH6Q>``w$xAoyE0 z`PVI37aBvRO;c%uz>6dyE(SaA`Zrm3NS_9xc?xfF)16@O{+h0+Y-s@Yhhj)FrGwCv z1?LT28bA1y5%a*&%N$0;KdDmH8o>LUXfoqXGk7|ot!%Mp4!T^N+%=Tp2hov+CUzMNA1y)AnJ)z^Y6jHyBvSBKu(AL3 zxEOLBS0A2M)P=gdg4AVAQ`j%wmg{J<@f9h-z^`*OR=2H?d-SS8=%0vd{MvX+$xFq58MBs? z7NT<-gVJ92BEftuE0Eu~2r+y98e(kD2aQH+m9Q7rVfpFRIN~2g@amFdV`{n zJFQp&PS+>+r?^WXT$8iECZi9%Q8DJbS!V=-u{js*4w=Ide%{nK7!Ic_wl*n3*9x*P zX}O<%WenVN^0)(jaT*#J3fy8_reaHdyseaELx#WY)_A3J`QpKUM*4|(U^DhKXIkkVz8&ZnxZ5gfeQ0k1{(72vGY>E!Ox~OakoC}2t-Z}w@ zUnb#ggj)c*MsfH>LZB_k^PkJQKi~-D_u1}GwqZKYy);InzkT4H!uLb9bW!j#{S`4+ zOd`_t^4>7^3x&}8rCxOB63|I{(F$9O8sybh^qI}F2)c|JUI-t(inNYYr^h}^LAgyv z^A53vKwA)XUYwu_c$k{*m6{{_t~r_7|&9 z$aayEhce+Ek8l47U;T~t{fvoO4l~F>ZYJ%R|Muoj>hyDF=HO&VtM@Q86zv}V(W7sq z2Ng%1=0jiV;a#u$r`M{7>8$-dG;mfN3ik_dnqAWXog>AGHxs3S|FV!nkevZavwhK$ z;vj>!e;K}dUxSm53(^Cc=umUWk4fp1$ZBmS^bc}HFXt{@8oy--f7Kl0gGLM>pE){I z3Db-C8q_z^>YWG~DhejNm(pNEKk(8HXCm6BFT7jD8v^@FzmFb&k%E*g?CrV~F`mWt z{g&7wVbt&`_onelbClfR*XPn_3~?{A#Om2GJ%BjrIdKLxY@Elx_}K-~LjeU<-Q7x9 z%At7R*x3r|KF$q)mhU2JEkj?)-U?{jF&#J{--6x?e*KvxTMm;HzwZ3(VTRwa1X^cA zq`@U3$G$UF21*X}bEIK<=Y*A8v2ovJpj}Wve%Hqy$)hT_kt+$ny}S_c)6oW$ElRf> zZ^odeB#VKN9ubtVa51&z&3Py(cMef}bP>7565GtSI3q***TM_M=J2MW>qBIq4IBy` z3ZZSY0Lkf}lgV@Dpfgl?`BADLqTy37m>dX!J=2wFo{>N_;_aH(y%K`Pl@E?&W4yK+ zIp>k`!x!M!TJ2}wt{@Z~eaeX``*ZJsWDiqsBYBiEl%m<7EC~YC3K-q3w)iCn(lj{Q?(0d1iYQNLDX9NOEAUVzc@h4q~giSGah7KRx$RSmK~lvWMDZy zzy{59#HkD_V(5LlAOBh#9VjFhA0#oT1g2x(cea~?P**7P%M+N7cE%Hhsz&cXltM2$ zI%|0gC2r1{m*^DY{rp)nDD4&*bN1Km!W z!OhPzZoPF@aGs2k@&<(|%-s6K?9pQgsu~Bhxv+ZfQ`+3*T@qtB(2zuL;BN%pmd*Ju zR+vzhs*ZBjsy#53T|DCCZ4bMnvcxeRacHk3o9qyuH;Qw;(01vh7v>+)x;k1I0=e&u z%O0_WLckS9U0t&Zr1)oe$VBWC44fT^ygKU-)X`@>qTjiJm`d8iqYf!xKfltxgUts> z*6#06g&+;qcd1M}CZKPT){}`Wfcx}E*`f#oMCN@LnwHJ+<}>2!Px?_+$WhrT0TKFH zSEF9Je&RZqWgaKYpA z3AY~YOF%#f>Gs?+VUP*BaeV7F4-~wXkWBVAL;rWH$F3Nd|KT2>UirR zd>-IsC*Yxl!w)*x3!-QMa{@H6ZbXRTyfcSK-3jZV*Q5y+qym{89B@QdM$CCf5pGB@#~#{8?Wdf7TVp zpH=&x|6Y8b&;MQge?L$09sf|ac13+r7E!X)alANr6vB;(+~tanf+!u+ z)XQ*Qh_<+D<}*(Y|Kizk@!Gg}7F;|FE?yQFPlNaS{kI;JaqB@Dw;mL5>jB}`!#Uh~ zkN~Qm@nRY3s*v!0xb;DdDw-{uPMfh*0_QerpW9~2z*YW9D6!lSX>WO6I=CkZu4kTq z>Podh=NfYeVuMZKxyie-@*ZUk zwkY1;@4xW{apQ~P#^=M0&xadd9ydNK?)m)p{R-dTi*LNzffG}DH5iYshU|2ch&q~o z@KLJ)s{?)+k5q}|6Nm97PlM}+G|+r##P&|EFj&5{&E5VY0GEHqXZy-4AnsG?*N?~w z121{(5e+L|c)jiK;gGC|j!$a%oan>wooVqyg=PP{{RH3n;QM>=U7!E@%m2MU^1nV$ zkDtr4XR~sFeVds5xd#`}{`Set15S=`sK?N`im;LUgN487BAq~QR% zl`9lIq}Etno;%{Lkv|%+@-eIpc7&;uK3kfC0ce-IR9o_eDc<`PzJB5%;)Zd_l#;+^ zMJZWKDTkhu({7zl62t1{Vtz|S;&4#t0Ab-DRkWs{R(p7e2MQJY)@A9m5W7j5Bju7X z^v1l+S-vd_-=aQ{n~i88&zjsV>Tw--zLFL9cZwJ9^C;{1Txm~$7_2@4gP9a1^v>AD zKgU-X<{3u2`ws~N&!G;U2&|5?7Q4u1r^JJIeJ{j=vHZayj4!aBN&A`80pG@+@r3m7$;X=`$t_|3Q^5TItBIipvkh zarvPYEOCdQr&*{(hbe5TdRvf3G${bxCmfpd>l6_^MKNPmF9+W57vKC!;0$Sdsx#($ zw&}VMz{`)4Z+vqXc_s#(nNm_AWMZH?9Fsf5cNTHKKT|rnCJ6uH&2jNMxOih+yfH4` z6&J6EH~tFW{rum3O%r!tQ^VcYL~!>tE!=%g0e4^H#ykIUF+H_2*nSVK9+`X8-`xmp zh$H6L^LhySIy-*N;T|HXo|;zWYJ{5+evfRU8iCI%s`COz8X}?Ys1<$S1j6zXKXbT4 zfrN|(6W>9woMPZ<|(=d ze_=j=G%@Qk=Bki){C7;#C2crrnRLHO(iw?!9Xr1GH5{r2P7t&h1ft)z_ZEoc;=s3@ z&))h_017J2u_a`4!n;1X79PlDY3_{q9qFn$?HR*RvvieOET)UE5yS3-^&vQxDcP^g zYryUEe<%m?Oi`9m3qOfqFc9}d$3}K|fu#Q9g#TYB&HMw&z5dB~^eRt$ksI^Vz4C>5 zjM_FFF)MTmb}STwqfd1cA59*(eR{v?FIxhF#A6EE3vnoaPL<$AXH~nQjP+tC%Voxb6xc4r?gL($j9hrT8Q+V`G zuQqwd%hyM@d+)yL(%oVth3Q4R<8K1CdI=;SdT$Qw^y;*AJvJq0MZI&RO^vAX;DAx&d7dN=T?wZcax1v}dqFT6! zzRC{1p3oe9i1Em-zjvwWyyXA^@fIuQ%eFW_K4+XCpB>JR&jIJh=YjL%bHMrWC8AEj zo6G_RYG^)P+uT>&99a(0o#*_`0w*b&lkUjt!k@HM&hvayX!gMNMt`Ll-g-? zM%6#X_NDTbaG!m#*|BqZNM9;T%{r&TfD_ZRomPx<_m{c_6S0k)%J;l! ziUPDE(hWUKc79wb4RDFr@iLSt3c3o9l5~|2+lP>QlMs4!>vyx z7$OPjv(Hch%J3z*TuEgZUlI1^vXX<(rx7F1A19?GU-Vs zKQE|*N89fgRT%zL00h6RnyZ29cOYjga7P(MiSH}w9S}{RQ9<7VGm^^m^bNIFg{Dfn z0_7DY_z^U>FG`KwS2-PxEwI1%_Ul`ZxYSe3SitE6L}YZvu1GDk{IbLeD;QPwSvY58 z4ljMoRra*qkyt4yCAAXPe~fQDG{Nh=2ZDut_$0VdE%t-h^;2hP}j(9F$8<~a5I%z12iMSE;j0?P# zcdw*k_oH*-zmr=AT_7@iNn)154dm%B=L~ClKv?JRD@Ls@V4pcISk0J>TBa0#aZu?% zRR&MksDeHEl7jK1&w}+FHrwb2E#v$t~;U)Fu z;V`#INXPjh8m)4O-3U9UhXw;zi9(1>fhcl;B4W(J+Xr6`JYZQ{J3HPF#!zk zlit{&7nZ^4+M!d5nh&@(=4GwntccK?OT-v{;s4aP|NDJpv@x#3H9-(`$d`nFa+{zm zkr?UT>pUQFA%X6t6E9R7&)8Sase&!hFQuc^tZ+5t&tQ{-82n0CnRBoe1MXr!;#*{l*n;Y$eFsZ8H6Ah|=*u=+RwosCf#?Z2Ol zUVUu$RwxODQS@ZpuID@sum0ctELNZYm7@N`0t^P$VmoOFMjr{Cj)keFqD%xH&wTPR# z?twyQ1~l_n9Z0auhuZkg^t)f#QHQ7D6|!bNG|(4HC%`p#Ox^dvyiFuJV{M$QdGR7lQK@N!R|SA_Jo#z5xCnHC>P_IQ zofOz1Ha(t1-~+DC5l0i7u0hJk_)g-lJXD^pMe%Mq58Yp>nE1F@31>oK6+TiOkN#o71U~c2F@1r;5V>D5d!>g7I%yBLYX^m1G0*>QSwW@hU*BP^3iKIjRk4ONBED62ljeN^ zlpgFd`E$qy?Ty_JY{i^EnMp#hmTiX~tUb2dptDA-3Nn95G2M#Nd9RAA zgjygPVm7O^?f_++%)7G_cJMA(Dp8a*6@ALcS0Lo~LUg^`8a3taU}KXys~+i(dOuPo zoJvRn_myG85!-l(*SqKcnM4kZB#n)h8=Me18Kw5257MyfmeAp8jrq6ig?_CvkO5VC zeP;Cx891A&HE{7KACPlt^)Iv=Bg4@40D?FCP`T9=I0P`~WcyKR|)Q50JvYezy{|@{ajB8!1714EZ~GMpwkS`BLOX5I0fe)ZIAPhcE8Zv(_D2ra`WLQ7=%m=?GbPa9=S)zdRmo7gI)q~gz z=kr&Y3{WcvbNtn8Be*{)WbTHNtjy>&g7nC%4Dxle^*c$?b9aG;tSdvx}f#UHySa~M7Ar%_;L5BTbD*sSxl z9HBCR-kdD4+(}Is%hegzS9d@LgyHhXu9$RbbBZj-j`W-d=;E1ZY!pZw_$gGHNQo$_}I;3lCD+S!) z_n)*6`Qm}7?^P;Sx=$2(wVI?IbUOrIa_ufq7WyD&hJ`mD?Pqj4o4emYv$Z2W@=HljA*ID0sT1GuO2jbO?oA z2~{7!mp_MiTtZ7=qx;~in4=>I-}>r#!~qajCi80;%*;qGJWxc;mP6^*f+)-3Z?(7Kb&x{QFS^4yf;4cdKKM7@StomXtXu z4zv883PZnhx)f<;rjSe8j0O?*dN-ky#6*04F$c|p`NHjpIAG%gXe4D)|rbx zUl-;ef5LYj2_KTsKR-lWoFAe)&JR%s=ZAO>=ZC0+^FuTOeB+f=_{h(ww?P#}hAtOH-CJ8FTU|6y}@FOYPCqZX)WF{ zs}L!sh)QlRcfnd0<428S*@(384NG4{78;hIi|k=G!<&z$*Of^B8>`Ri_SAHaI+y@! zgMYzAPFv_=lYE>N;(?qCG)gZ%Gl7?`#AzL0EdXCVoO15#=whNDklR|#k{RWLIE6}7 z)KooEtsUAWC&G9vVeU^=zU4z)sq#Kaq%+dtvi{-Tr~@el-^gUk5O9=Fm$PGfM=pz+ z-^9~(fPRV2R)ZYVak8fW8GBC`WGsKq8641s?`)@PFLP^x<&;pvd4WK*`oqwM8T&uc zEuF5W>zWXrl9;xBUk`8nc6{qyvvYzkJ+67edFqo7?D8;QwEi&z@(mAoyw5>&X)Xwe zscEH;3b{adVZ4}rbOyR1^NWh|u{7MQ-_^{p7lqU7D~#7|&!SJrKkE~j1RUo|$*mGp zLDF1|J!C!Nz&z}DF}e$ZaL!!jM`12VyOe8GWT=96-fs9(pEQ9N4j#2-G3Suu=%lCD z6Ky1OXFsLd$QJU{dlM8$^#Qika$~wpfpDfq|6{o+TsEWJDEeUnd@hbtH$*QWeDjBY z&*vcgs|S+9zk1*)Ts@Es{?!91;9osZ6yeKP#g{LG@B8}Nd~icK$_6_7b;Vz4m;ym? zKL7Q=I7IAH(KsXI44>b}jpy7mhh_U-n&;N`aQCYoRVt>xd_nC|mSsr*)T|4b3YZ7N zkIxH%<4$QPMB~`#B;9$aaFy!kA_+$O5;ql^SsgtKD| zm%AwrAfnB!$RwE?h$i=s&Cr_wcsTO*=dNHDRJ>?f-4`=Q-QhfMtwTH@RwAg6?QSZ3 zTbH@B%5V#DD#+fS-%ddzp2<3_QrFS#XY|ISzw3eD=ZxvnuS!TdU2|UQ6Xws3C;s*y zzgrc@?>52lyH#=gZWSEA+XTn&R>pMjr3m~;LP2K2bw^1d61Cb{6SL69!FA<{_%OPk^DUj(@O7Xj}6#eutj{ptO8|02ZQzxH~4SNTdAeK=9_g%r`p zZyeCCp2XWrZkYe7;gaZvpEk;6K69bk&ki+hi1xB1cmhW|Rjlt#Hy|haG!&#@4T;;X zgiC^0pRqK|cQYpm#VijkGGcz0l)eer z7iiwx*BSH(fI%tx`>oTFkQ}07!1Bxwen08bwl^q&2T`ucS5@y|dX5I{+7mb6!)X== zY0(=HzOXsipIwcNCT4hZIx6wTPvYAj#5W$_el))QN2!;S8Zy&D@Tl7RO4PC(`l+rf zDQ<@Oer6qvqM#51CcddUiwR{k%fe<`*ueo6Cyz{adwN0oz|;&gT{_x(A+Y?VDgm;$ zu7#Ys;SE`=Q=-H2fhhm@aQ0SPEZ+TMeDQ4MsY@dN_Jys)PM)}dyV;mFuCP~G965u~^C7$08K z1vQD}uQ%;{VQN$O3e%)M-uln@`W?_S&e`rgKabRjx(C#5_`;(@wR=bUtw5hx#V3Z( z44u3>)_3+~2*_Qr4ma*~L-_iM;2S?^u0LK@?uzb89v87bq726~bzkg9kidYR``WCP zDM*;4kgaSR0yAan__KQ~c>6#4LFdxDyTRza(FnVGF@meKx0ixiG5?MZ?uG#D{2hFk z#~!H5ac&rck_r}K~x+Il7^c}aIER*adwIfXuWr9-}g^49R6INl5CR# z6@u%>Ip%WlK3{(7WPKPhWdfl;3R-bln2+B>RzC?-OrMaXXo+ut7J`=U@ozPsfgcBv z9kBo{{QZ11^sXo?)W#NZMy4==#H#P;Qx`SV$jSEHv*8SQAL65Ipkx8~s6dn)cm~sL zEuCi^Q$(W@Plk3&ZX+Fy`bY)&eBk?)L}tj>4BqXm*W=u-A`XYXF^`X>Kx=hH!59*u zTb1PH^`2M=q?8xPtxteNZry55fh1r^II({EQ7qhI%bruecN5L&4YmBu)kLmQLLt6A zCa6{1OH%I=3*4J=&u&n4fL|6a6mhu@FtZz17LZ_$m`BvzBr>f~*+{{P@uC4r)uoW^ zaWPn^XLYL6fTGX2z9UsCAMvsLSj7z26%*ObIF? zEr@h?cinV%cXxMpNl2Fug=K7}| zOg<~ep_80X5_k@A@P3cVL~&QR-d20mM z^OwEE$^7vX%IHB+WR_&47&=rV{6v+efXF6;!rQyG;Z?QI&8;~}q)*oMd+(Aq&U!Vj zdH2>jY@1eA=@4tXK>kZ06Oh%_FDB}#h~!-pGr>j;B5WC|5PzNpcbznnYur~#3ozRddDL7tA`l-*2EV;q1*FNi^G65=p-0N9)zyr-(3A4uwv%B7 z{0Ji=4GV8T1PZhHO;NtcS7$F|+RO(HsTTSwQe{Ez_&is8SsA!m`S(qfr=ZZjFBC}Y zBDyvtq&_fMirV&{C-S?ufF-$PAvfHXEEUXPOTZJ(!&1zb7SL zs|UCuqItr1_rDpyq||xKnh^|FFsA#3!EY1zMxbl8rlAa4htt2y>n} zJelTp6*&XmDnuKaoGSNGc z6um*t5D3Vd(j0LzY6~SU!0U@(D`ZUh)afqkR|2SjMv8j zvi^2I3?pSw<<{M^fd*WVrPXE7Mwke+GHm$r`caVTVq)_qD;FI$aZ(JD$3oFc)fSOJ z3Rv)nENUEN0t?@p znODXEsV{fM%l-|5+m2E$2W4L1-fY}>RU!!eG*KgGGxx)Jo`P#Wa#3k&!S!1M=xSC( zS~2qtL}Pz~AYN(!Zr;||UD>rq)1td$LYMj=|5YimWp)R&6zqnu)tf+FElXG%xd);{ zsUu#;O5uwVp{Yo8K5BdBouAiVg6Qz}NVe%xp`EO2EP=Ebw7!kK;fp*6e;$s##nZZg z@g?YeV80iNY+2Q~6sBrWksryi6OMH_@7IV%OM^ZHxAW9F<; z2g;C`0hIGrzJcl;D08Tcr!e9_=T)K|jm#9_@2ez*Xi=B^)W9Q={*!j2$c0Miw|LQ5Q^>WyHDr`MDww@JRPY!jF-{Ok`Fg~N(qoZ_F zh9G&)h`jHc5YoykY&<3@05ugCm3JsS&_?w1cb-ENcr0nA{F74_257Sfhy|n}=H$hf z;^p=z$|-O=;=MQsP?$s-@+t!plU3~tgvqfgBW)UcPX%N)%T%l9D8MN?-)0=23ek&2 z?YQ!gVfbptqP$MpBca7_ezQm%dCp;-W=7hoLo(lyj zDc;Z?*vR0=iMeKZE20P!!%xV8O z-=5K@(JYtC-b_Mfc z&0@9Y5On!*piJtr8#v3|aFtzZix7*rDA;=U?$A;zacdNrjN$R_f z0DVk;7GY%0sSxDBBrxvCr3htDq_fd-PzEq37mPP z7G%L%;6ULbC3&ccG_V3iR3dmkP*T(IZkbq3v5{K*;>y z&H0-qF!S_#RP})ynpdQ)!u^Py1FVr0q&_f|422(G4R3Q$(Hk?*V z1^&Q}Y&*R%idU4sb4y7DXFiYb*F@h|by+yVP(N;)8YryQa8s;a3MMW^Mwb_JLAik#wNoqyeA&NN-8s&I%9HB*ntn&y%khu6qK_%!%lZTMiJb0NjsSyb*1G3ZpKD zYl7?hmZEUMio!P&;{Nd09)B4FztcKaDvNWG-R-Gvy>CT`n87`BP&yXoIHj0-e}}=) zY}2W#P0T*bocrhzB~?(h(yeVWH^XEJKJs>yGy#eew$DUOb-~3ownhI<2)2Kwz|LPN zu=5uwto}fX^}kVK=PzVXu<^Qs$ifP}UO0W1yVVp$jw%h@8h1g*`^^938(Tvep$%Dr zjy>F^P_*SYvxMaW=ZhmJ%aHD#_P^zc(HH)jt9L{9r30=;uJOZTR})cp*sPMtsh@Q%BTQ2p6^e5HA-DG4G869tZd$T(AF4Uz+$lZ3c?7rvEu!FN>N8w_om0dm-w%xM3nW z8YG}8dSciz6lRLlv;G<;;q3pxRj^g05T4wp} zG1?K}{@iM*;eH>zy&xSV#?}RX{ZzB+PplAy{*}$^%Pz>Q{Z8KVUKz-_uu}L_(iRHI z_#@Tztl%N7m|Y2_4$l25uJ51d?VIsJJc00yfAiAOVh6*7CKRmPr z3O<*J-Fq%@VV4>&drbvamzDBWKg&RjnoN4>X)APzRJNCd1@r%Qg>OQ#K?wt}LR>eWG_R!THjXaw2opVsaaFP=^&bb@GNe14V$FzN6jM(C1>^*aIr$zI8@&zjt zvRHTu--R3b_Vn{4MhSqz!QXRCF$gi`7)iY8<^v7y*!a@C$0H8>Tg;{n0@(dZ3M}8A z63e%j!t(7&v3z@KEZ?3SaOHjB`ab9Fe0yZIRRCtDb__mUm;r`5yyX%(<}h!W^TcL}@IcQ&Y; zuDU{HErGs&r4M}C$ObYVKHSQd?65e^96^WS&;Pss|Nj0bd}5wGAuS6g8M7%ThNXbw zl2h!vA3Esfo6$!fHpQXO^h}|Zi5jw??dqFPmBjh;knNr3Ih7y{M?)-+1cEd?PF^DW zQ7Q$mYuQ@n#>J3hdwXAoq6s>?KI{D_QXIMnIpbFEYh!%E+x2f;72yN_Q#K|iT2#jV zH0Xzr3Mez?z7povLoY2J2L1L|!C8O9mA8+p|LWDgE9(t$>kE zFu&oIni;ADJPx^BR#Zl)=K;@))Hpe~e>74gPRs4rZBMON?Lo&I9qD zn?c|_t+^OXB0oOgJ-v!NNC7!_H?t1SXI;i-3z{aw+QRD(A^x)UI? z@zn80WG!&1YWrB&IVt#XD$7c1QU!HUDQX-Y5r@T&E9A;%d@wE5c_aIUIx166^vGuB z2f1VN%s(-?UXht(QqQx3pdyD|d*oIS~g(!vNHtuBup}tErVcv$vQ{t zv?YWXh6WI0c#ZE=CiJeZgh5=9MYMBMHd=8qwjTQB0wX+4E9>*VIP*i|cYnT_xgLQ2 zJZ|y%^1>1vVn4{Q)7Zm#Zj*kueKj;GGet>6h0rm}MD6)5RP46&(r>s10`eY*_+(y$`Q3J@)h2B)+|DFv;X!~>l1FbH zHwNBIq|4oNzNkNuM|xLW9cEi)<9{}&K{FxqmFD3tG(u*ja3J0e&FYB-rdrqFFWsO0 zo~#M9-(WOXlGO$}x1yQs|^@^<2Aks0Lhc0QCfb&fM z&?$-nknSW)#_Yo3{P!BDRr1%iaYPSH=-ypH=14|zYLLUv73JTIXuL6G4TG=kj@9e9 zfcuLiPlra#UfTcmS^m3Tcef>@<40r~sOKBj%NiFWyUwJy9e2~ABV8&pgf9iCsXd-O ztu97fX*cxWW9GR3@B|6Ef&iR2+8J4SmJ~Qgqfnu4zMd|tm zC^Lg3<~_3nbaxD$ZW~qy5gB8mH)Sl4_|Bc%?FutYH4L1-NJs}7#)X2KdMfB!qS!XI z_!)4M>GxFBqlO@LrM9S>t#IA;-1g{l6TFN2b!0AB7rsp@bPWfU0e3siOT5e;V7z#( zoosUq{nInWv3jN`R?ig2>X|}VJyQp(XNo|Ty3+J0oiEx}Bc;F18;C-j6&r!s0i5mjv5b3ko)H7cL9yzKFdOyaHk+uE7!DI~(yEa9|a`l0C z=B>}!{86h5gD&4p2x4?tAyzIZv znyAsYhfYia1`W_zp7g%K^%A7O;MeYRjc`M!HDk=U4Mtge=`wOILl3bMPwcz9Sbyw) z-!DE!F7W2<9tYf({``z=jSaI;@3)s7tbsxtpZVp4vjKT^cdK+YI~cUsoa78;hkyOU z8EpSRkL@3XvHb%rwtry7_7A7v-Xr%j9ulRfqx-=?8$}cPIz8Wg)hq+;esS1&K~x0Y zH+Xi#FQx*6Ov#N~hK)Gu&tpo(CF3zQD8HLq(S#-(8rkPNX6)0@&z3j6b|lGYOhfsb z@`)JOw^iA_qH+=EebQ~Q6JHwdokI>*o( zzL3Hi;~Nxa&yGFBQlj2hK_8>+P_e=}j`iMZy8OGnq0 zeeIHfgy7$cM=`kz3ucPdi~(Bk?BZ|WXVe5I_h}Z6UPIJ;bbUkeo(3E{9!XSp zxRr5%+8tbcsb|yAMIh?bPfd8kZV>*lM#nO zXyN2%PF@EKpwmu9O8)ln>!Wm2LI4*U$`DWA)3yh$mZzjKmcwxK&ZoYs>h3_fn=-gyO&?3X5LFTuvz*}^_yu8E-ws!s=n6+7e)BPJ3 zb6n*}dqB=?S0w{wjB_$AeT{(E6Hz^tlx46jd#gZbH55f0?u(q^ECgKp$!EDsLnrG< zk$TlwQy#rClIgiKeRN(6(m#E5)JbJULF(NE_RWH*->kM_g;oWwJ`FH=ZsdkI->#f_ zODBQi&u2>;hK8be5pRRS7!SBZ9V)+&HSbha9 zmS4e# zg95@C4V?mV)x^yVVaH7*EBy87E7l+)r%fz5C>Fq2eCzTOlgYy%*k@I&~6o&F_wuv0w7TD5Bw--j`O8Y%KM*Q6(?~ARC7=fvmOct{fxtaG_Jnhoz0Z*u zZp!1LSRRNdmIoq+<$(xbc_3z39*7Vif)mY0D!t(QPyM3%_fyc^YbK}as8F=~zV6xm zOBpbCdU900FCFp8arQ0wp9K^Dul#rca)@ctw^rsoJG3~PXHV|%LziI`Gx4q@N}aLp zPABETaQR!mjhFC3NJ>RzS(qsjCbZinW9EWcMn~>ceqrD;($CKk6owV)yEh%hxuLRm z?M;C0G>bwALlo!}+{_Y^we=zq%>ZL>bpD>gdAFluPANqju=#^}s(jMV(Rf z`@?vSdOdi1c)niT7qcgp&Pb0p`QP^im?g^|W^KeHG8OrZO8zqF7Q7~;$zKk%TB|Wn z)w`kR1fTnR^-;tVz@F{HQ3E>@7E2Gg29fv+J;!qr-B1undVB8mFye@v96R%?1cD?< z`2qxcf!)Jl?@4_R;L88Ubw8b0Sow{8gCkP^QS+KBHwJy}rFmb?XALB0pTpB)Gr%7| zsaKBiEzG=REjz&y4)gW1XYwd8eL4Gr-_1f{7+eUVy^7iYrgJ6!P()~iuD;ly<*5>Y z%nlacN#)~k&waW6&tC~(dvaTOx||JVKjC~kAt(*3RPuOv6^d|!(Xc+7OBCpsHh=ZE zTA=z&hyj% z>pTKn=S~04QzF>&lrZ)@#e+RhnPAUT0@(8u2jtmAKHrVh1>08bqg0=4P|MP}SL!p` zK;WLzS2Cszr>NYbxBYBUs2#5v9me+?$B1VY_%HzlnhTd2Qdq#>hW($Kqjx&(^lR5)W4a$DuYAmR?cyY?dQA{Z!wu(Z}7dIu}a_TpVY6fA2k z&vz9#A}>Z&XkG`Zu7N(Kog$!x+U(>LS*XTb-S!VvCd?4?FNYdOpqi_3)wHH1Fu)}c zApE`({nLw>uzHayRxdh()r;t{dJzLwFJc0EYta!S2^q*I@09O#Rz>xqTa+K~Nn$uX z)$!w(C80~9K5FTXA~LZcZZdx*4A`np7%D7r?VHN{tTbb{@8^PpT50^|`@=-%dzq}6lg2jO#aY*Xp6A{?5C((Bx zQb)%k-t90k3t;o#g|YeX?AZKwQEdLZAU6LUvmfOj!8#XjijpX=*id2eyl!6+BdmY? z|G!?Rq9Xr-ff+~`4&)d-GXPehe#ZCZwrHlRTj-2~Jtk+9Jp4I}8~Vl4H9|yXQQvUR2Dj@wObglK-Y4l>@`n7r@H?%+cKqY$x z^B&ia-yalF0cVoIZmJ1o5R}~Qe)L-jo|(UFbap|YJX0^ya?b|v4b>m?%G#pHALU0R zO&!22j$?DhT@B*HQ)x8Zy%9^b{A}!mCCs(@Pf_&C!RPi!!HQT#z^B!IYHnZ%zqWGA z4^DWZJM;JR*lsC-uf#KW(1%)U z2G{*i*u7Y~STYURRb^`YN}vrOeB?yhlrAFtO%tuNAPM&NNzubJD)9XDUX0zeHtLh6 zKE{A#fa@yhk;zIKoS!GI_y7Oyd8%Ub-2|}tZc^BMH-yc16UOGdiQs(yxZV%0d{sSPhT@7Lt~(E_WRy3{w+RN?Kmm-9~8;V^}WDT11Qal&)a=bgpm_GtP z7h&qUG$m_8Bbc!Nz_VTJ#&A43xH6+I;=FHyYrapf8Y+`PhR{Fz<~6lkfEJLw4UJCG(SVks;biA%DV+J1 z|NLOokh`@nxadRyh1SDQ3_eLB_82XnEfI29xqUH$;4~FHe{RP%u}+S&-w)U82VE_* zw9H9`W={|a*vv+kHY1DJ8WN#L%y`ONI0fUUk(xaeEke)Srh-TZW3l)1-}6Lp<*8<$ z_Ikj*ln065sUEL&)uC_gf?@f&r2u$t_L~C*aILE^MpmjCsr)F^8=1|87NIG#XEpL* znku>VDMA}bGqvSSyjF%Ye04uBE zBiH-HAtMM8zo(ai)QB^G#VUm0Z9ve)9w`NctG_PpX|r8Fy$r?&iZM2^n4(i+#(cKT z>cDj;A)T^P9iGJKDc3NWpg&Q?Eyg`EU}wVnkr)-B`(6wACNp{PfN1p31CuN?^fl_C zN^U7ijg@3;7cYbto1a!?Vhf<0n76Oq&Kh=vxoGWvxS;#;KUw9!Yoh+$qU#e@J|HvA z^SzQW1Q~P`%Iq<_!BWbP>jipe(dhXXa}mu=NK)EGvSsA0Bn6 zCDVqe#NZOVG7y^^OULN8$;m27pXE`H#1h_&5FgrN>FYNgl}0}cSze=5K_n}v&o(5i z0$m@Dt=>BH0`|z_JI|j*A?EmRX>R6;P*;W5#$A;T^UKSE_c(G|*8u zNO$?Qyx$#7*k^dvLpO8=h`q0~7OSaX_z@~UFJkonrG+N(V0>Q`(Z2L^qBb4j>3KT1 z98CuAeWG}cvP|f%OdB4r%tGUuf}b3f(?QblUMzlqKb(<$=2VoCid4T}rp{^$fbF@I z(lT-%_dK~hM6}@v<z1@#~H=P!~x;zeS*CeuI@zP)c@BYw?NH;P} z4C0YrYDWwkI)N)hTyWX?yJwj_hG+ar^%{S#B&@&5$}bSY_=#nooNyc9hOu+@Zc-%_ zIP;O#WHt&adR$Pr;0MylO)ub68RqzM)E`KWJUhj07zFQ}M&ry0LQrGCD6>9YDE9g^ z&?B`WwEu?;8du`tvX0VV_Pakf-8Z5E^=P^Kx2Vkx<(caq(vo0R9^*oIU@4j zoGzf|)DZd-)d9m^{#1fi4-mQGuNi#$0kBYD;iz$F!(RXU$iM4vjr_a*_mO|s|332X z`d>%>U7!B{yk3-keSYkN4!ZQ1!m(OS1Wr_6JNkA&6;%tC^$$A8f*;XaU7?pEU_WcF ze05m~)+_X%Q&ffnr-V9Z7G~Z$CbJW&I8lc1wQZZzFGoNDkNQT1dnml?uLyVejqy`F zOjBRY&jO!=qI}WM=}_IZwECVe4}8|^i@XSL}kdvXMI-f>x<@6?J`{oEWn)bzVpVq z30Ncy{_zvCf|j>mOSYA);kiP!WnG>nxO~#c_;@=8SrqrL3hzomO~ZLXYdR@-@GW%V zx2ipwSe+61NFWY7)dbGQ@zP+S>u6Y_kNf@(u6`R_`Ie-5=UYzK<$$@$j1GNHF;d>i z)f-gIgdl?1@JQZt2!0zQ)XG-!B4e9Q8M4?riiH? zbnEjz+L17Z^H;W$dH)(fVQjhosyjc#b5|>7RY{}xs{M+&17TQ~Tl&k-!V5Ki8vIbnR;LA?WaIm?9rV%vP|rJ zM*=&45yj45tg!PJ5$ya$96Nsz#?EU9vGsV^dTwm};mE&v4FR_P?+E|VgIg?*J;96c zc3u{qHDa#4F2gx)g(|ex^45EUp@ZfZMc9%lX#e=jd_FV)Ik_hH9X`qeIXbWVHtLa} z>-0U)uqYY1F;yCp@q_`3ig3Gtrv>aStMvy66(FPAW?wl|OwewbQzLIQ51igURqd@U z20H{4SFdsMfzfTLV>ioqU_--%-1!I(mT&yu`vK)*`FF9B?$F!otC(Mo`Mz+AWQx75 z1qS2R-Hi*F;wfM5~b~VRR!0@e-8hdU_|LzT7a!AHC;L=)?(4>)s^v zd7*jj(7FZ)MBjCZ88<ET>+Hw4?Q&ckUZKSU$zu36NJ;jYq4i~Y*7 zfk??h!*CBw9<%#18J>6HNI0OoJ=-D#HvT}Ntwanc{IZBLEzL&LG=4f>rlGKK{;#2v zohMLv(Egt1ZUC$G=+)of8&E@pu?69aN?3{0`6_|&Q?+vMcv96Sz!q)veNx(sC_j$7 zZD|d``Tq7CV^39(zHr=9RmTJ!Ii7v&2#r2!z2hg#@mCFwcfMpk?V*S>-yod+_w3AS z3T%))2BlCCl8t!6xWXK2_^Xc33=JQ3IaGuR zNNyXgx$575oDycPm%Zu01zs2=_l=E*|5HjZ@ z7kR4en>iuye5>ilL(T~B&)&J@eHad%`wux)?uG&9BT9=eLEbpu&kZvYin~5h@P5bN zk&Chxxuoru(LN2soTDv0z%CquI*vbj!hQ}G-g>{{5Albo?8^#@SL9H@;rHW%)+#6` zX3bPMOBBvEA1ehfWC8LBqCiPxuGgydY)RJ;WI zVR$h&$igQR9%tE?UnwdB`izm+pA@6vDHmxPrl|*SX)|7`JzX%%d$KUK7lz_LbGbgK zH3EYj{N1OX`Vjh#?s|K0X!M=)z*lC}2i^QK8S7M~3Y4V%Rf9Q8CazB>mBB_|_)kf#DipqXGUDB*jqc{Z zFFIn1z#%4qM?p;)F<%|dYgfSdxx4P@eKAypk(3iOc$@pm@pHR`ty4vaUwF#VPdE)k z-%u)>`jnuH3K_`+pW~s@+V%_YN;>@U3V$G`ipht;(Z5>V!ES!-Z7OIa#3(Dxhr-z4 zn5l_EKGG37IrJXQ{3M)Vs^&La*30;&P`}lUiFEudRzoC}+O&KEea-+7Wbim|E^DjEg zzMq6>z|r<`RggE>v32jnr}W=i{2^ z_nV34}=USJwPhtq%sxs96=H`v_^>NKZ`RCXD@AvF&!=e@x!ZNnUj&H4yrJ-aaYb z5I&qs9(DDzhH1$U>L*)GV7)kj#QeJzJb0p~YV*e$eip?Sw27Nx@;mu?o<594fp}i` z{9QsJ#KJdK$YJH@)(b}T!8I||9gLnD?gm_ zp|?)Gr5hMqvaB*cuz@d6jTx zF}Y7mqZJbugWwVih0bNuNU-=SF!vJk{odw!o;cek69w0Ws-3+W4R1~NLgY5npi6Cr zbzm9ok`y&a=6eS|B|Q{8efa{4ERqvrfo%db=&%J$9>gt=kz#kLYRF9j&W zRX&}XZ7ylp`;m~Tv}6qx=kA`;+Q58Y{H+rl{^*9RB9B%Z3|Imi?}h7T{B~&K)WbJV zF#ms#3P!s^ZS7zQ{VKaF8UdDi1MU59lhCrInXfWy6hz=piL|*UqNj7t9()QG$aOuW z#i276B0~=@2I=_#amuuN@N+lVYR;B@NuP+mEIpVS=d?yvs>hp7&Dp|K)ya(nXDiqu z{kvEukdEO33AN_4g@Ay=wprq21dQFCO#Z+hg~VEBjwHVf10%lucP(?i(4iMMsD9T1 zxf~Vw6#vl`dFSunlRX{+M=2(*ooz6I;>uTwsW#?N_3?r3``4bx^Y}+cUqKJhZl=ON z@!Ay@+>RC#+QlOFQxD!5_J*MK+nn?MDjuNQLU~|(#uHW>9`T0-xB~I|_2;>m|KGvp zS3-(pG02OYwMY3cEn1@cqN%s;0@EE$2~Lk>(F%*`FY0P{Ag}$X#o+FQF2zxN{+90m z3WVAIP9!Ga{Z&KP>(l- zD_RVf+!uZ%hsI<6W|w|9LrqO>9ZDG`uod@iznAJ9Ombd{`hd}GXS*8v{oM+H_#m2? zlcNYe+m)3xxb>oc`~Gs+eSbOZzP~hf-(Lp1@2`Q~_ZNk0;=3l=eIdy1)%7?b8WVW< z`vo;;k|h*s?&L38xWk;v`kmN*Q!s6Do@U*(M7Gs}-pw(+81Bb)+p4&3xH8MO@bk-c z2%DdFjhwy#*7&(Ud*Zvnp2xh@Salxpr<_aXi!ntqL)%GTe_4TmdTu3os4E=KxNIAG zMsh?Zil~9q`amux>qaL!+Eme-E(v!qC0)c5U(?n0@t!XwNepX~|65 zvUd1_HI0PDSe+~2I`8;iow;yp1EFN{pT|A6G5Mppw(m3r7=TG#Ksg&RK#^DMvAr=` zh|sWQ`#^sNXTKb-{wQ4Ym`*J}qoB7AMe}_rLlyqcKva6!Oms5@`Cr-i`}KtrbX#9= ztvK!iN;}n=5$!JUqT2!}sLyv2sTEBdyP43e;as;mVV-UM(Vb6&;+hwfUAEJ*F2870bM^C0wWj| z<#>HjOdHrY&U6)J8pGOG#lWMlOu)yzUnLn>`{1AufFIY-HMhoGc%u+{fv!fwHQRfxRy_c%8(bR9?`6JzTpQ~8@*F` zbSCH&f7GRxeNOnBa?VnvQV57hf6*K*X5nguS zJBRk|hmuL_*r1^An3khO8p`|a^*Q2W6rvj!?78lE89Hs+Kao;O0j*lB-3dQ+bkAn< zSrw}cWab>knw*z_Gy_F#vUzR9=A>V{jp6E9|K_}yxB1`a7daFG_ZC&WA&^FO)ag$K z+@$u)WxZX4UZtIPRbo01<)O;Suhomef0Jcxj<68*MoPv1+%N~RD#F)}{l*X!8A2Bx z5QVxM6uN6-EPy7xZ!CP!7~HG1>{8P$arO(9(7GqHYiA+l?O#<=v|g~)caHj|rX18T zbluXYp-XAMOMVYRLY|MrZzrGCdRYh7fI%DeK{Mc;t1bh*7Q(MKwu1 zxc&Jo{HPI_|M9vReRq^#+9dXY#PpK5__PQ}TAqATNEi!bCmOu1iZbC@5T4SYcqwqb z8lx-Yi9>?6BTL(0$-U`)0)g=l%Dk%FT>Z zBf==NL{wMkz!@gqE@eMi%tUYSR_rT3dxBE`^|WRYS9txGnzsE`<2v$CuxYyiML;8??3ZEk@A{eQ~tUh9LHHR1P?Gqjn1wy7|5yTby zp%?<{evUvpcyYVe56eO2VEO&6r) zakpsckqr7v@+&^z3IoExZ0w1b&j58ZZ{%c*8#w)uIjfiM1Fqa8W2*jss8&Y$+pxU{ z5EU~7xPS11Y#J?P9hV5CE1$nwFz*icS(F{N8$!|Xm$rIFc}Z~l**U&zdm-REL|AK? zn2n4To7{mb5Ncl01Sit?U~)Om{ctE}MxGwp$&rKR=%b3^jrWoAFvj=dv{a-D$Py>l zJw46=3pw+Pzw#6@?~#GsG|m(xUi0;rX1NU#33sVXHw#29TEQ-lMdBekv8eI%PiNFH zHhW+%91kIJv5N#VN>JFiqCEQ24SDV~P%7uB0ddFk5|yX2kiPd^i&9wv`kwnQn`87# z{3mOZLYK6lnJii^SH%<=w#O&!xN3q#kzr4qq9)kW`2R{##pHcZws2gS(ZcdiF#gV= zI)fW{GH6I{|4&t#AgGTHRW+FiLQII9K0bj0I!*UFBi36O>)%sBmv6cBJ7lTA?sHm$ z$MdSF%c=0UO^_-a?%s$Ic%_L-&en@9977;rd###cgc%W42FLH#Y5@MQHs)Yxjv~I@ z(hi8w15I{Osz3!x^x33YkXF?QXMbQ!SGTcayE#blgqR$;WePh8FPNFz6aBp-U?VKx zfqr*-HSbVbz&rJKKjyAkVD#B63kq*B^sVuNzloVF=KI%Hy=_YpOos{rW1INU`oPi# zo}Uy13SD;P9T3O){f0A7_<#E{|D7-WuYcCX&Mz>0_5aN;RIu|4RqXsi1v|e`25Cez zEV5dJ7Lz|_EKOr_W|K}=-fmTfCECB!JyOx|De1$YP+b&k)Ep_0^0Y$7PN4|BkFp?T zIhl0ZUm7KO9&O>|)q+m;zK2~oGN7uSM5`0}Y^gVJEflEAp5$p`_SCOMHU^JO#h`zDbxSN?T?NZm$K+H0 zkFTzQ<*Qp^`Rckj^8s+>NrsqTSbwYMgGN{#b(?LaK`eE2`c6m?@^Kxy7Gx9xc&U#L z6}}sw%9R6Qx-)S&^8xZ@*U?m_31~bPVd3O31gCi2Z+X5pU?MJk&TcUp{T$T4Uua^1tg2wgGN}*I8TDuhVqqgCp*3^ltKsC}fM8D!+~s z@@9EdW&`RVVBEm<`a(La*XXh{xwk^_>o3ov>L-wWiRju6MFRxi(%sJ-Y{c0Qj4RLo z{~PsU5GLlKR3a~ij?m2>UTYG91dDr$CJZ95uX1YMJW2tLJ4PmM26JKaqm|&B1ryc6 zX&Lwum%k_4qYP2Y!5beq1 zN=d{CplKCQU3*y@bh8cv>6XM1TO!vb$=41zpC8XIHtU%2MWW_ylb6YV0^!R<7+0dN zDSA|WLQ>^k96EjeZK>&gFc|ktrG}k}!sch0V)L_9u=!c$*!(ONYciWTX6yLhd2zz}}Bt#kfj4new32Re9)7=KwoyJU8Y4oE8fu-AtOsGRQ=fN2ZJ zi(4vYh{xoOG%&0Etu+IJwy%!}L}3;&V2z8PeF=zd$h9fgGb9s6ERXCq%Z8rI}I zH(%DP3M;3U{WpQnEgZcFrF1!*S3UT zByoT*%NA9LEHixD+OW79#tv;q%k38WS#a)WP^XpU)mAkKX7D=J!mf;pe+A<|{-XjF z>sev$_f+63DGA;4Nn><~)Xx!&WA@0@-f^5%a6v+GH@g;?Ou+2VeHlhYOAwd&^y`VA z85F;ql(=T%flgIio|!#v4!C|_<9dDRTW54)q@9`iEzq`!%4qZI56*IuRYXTiyv zkE>tgrGs2AQGUQeF3x;2qY3LDHMG%adwtV|CnF8a_?(?2zWKqmqlm!eSq2hgic^WY z7YI&NK4tF(oS^dEkYJ#aJK{_Zrl?H!K@TP8<1{h*gyt~?uXrbHfhBb@vw+$LW^Km0 zM(eDArO~pPI3yTYO)o62GW$Y!%h=-)z9>}fJaq5n^&}J(HSa~076O?^KPMfW55V$a zXn=zB*@o7tJUY(S#x+Mv2{Gmb-U^kJAkM%tzZAm{2{yG>0WXh2H`DJ&bvO86lg+|q z@_-Zi+$^IxHkDBy%VUNIS`x^4mK|SRh6ns4&hgpD^W*F{z;z!V*SsoR_ib_2-|pJY zzFN(@0~eCHPLNmCBPHh3!bNXxp*+Q5r_$6W@J zzI(2O@C%}>#;@LDGZJt!Uq&W^L;}?BCzsq4&_ulJOc$PR31gq9D3-4%hUF_-V)=>! zSiYhJmaiy+^Yh1*--WB+0N3mPU)Rf0h^gdR2*c%3iqIbmTwpI88>zP@2$k${2c0e= zup@FW$QYwTuSmAPz0Gch{$4M#XXjNy+rg~O%mKT~XQroMRze8I;K*eWd(6)#3DvZC z^hnvnMT}OQ7pu4XVD)xCtlnOP)!RL=dV3&NZ}*1oM9b_&cWoHDT0e2)5{AbS`S8?S zur{>bcuYv}T?3vUbtxnGDu)=?J`??B)xf^rxIovUVQOQB4_VhVJol+D0 zq!9$AySr=X?gmNe?h+)VB_u^kKu{?WMMXr|3Kl40A)ufbh>8+|fXREF%kzAGuXC?; zul0O|S!d0E&dlt6_Ws4Ox{t<(km+*kw?-u&un47*;v77K=O+?)ejfm~zy6_jj;fmuoY;gRB0gm6$!|@w7IDSJP8b+xD zX_ZWn;`Y}fH|f++bKlgP{X5i9@Dlwb&kZLu6rUgKu4@h?v(&{=YnWcrU<*raJp=GQ zzx2vCfePN;{1|yZn*lt<8NQe1Fu=3&o!#fksKMF)PR(&DMMTuU@==@-X%)uzYLebM zljsr#+0tTn?K`Vb!M&Az=kFXxF$ZTaiS2O)Mb6W2s-X(@iEA9|Nw7f+)ge)*ydA*M zAni_TS^&z^82msrV2EP4p+iy;(_iUS{(W+n7rs7b`1!XOTk37CUI{5l15I&DY z{n!5HlZtpgNss4~On5#?i|3P!cs@x7e4b`=$15a(CCh`^I#U&t8F}yC-KCGjt{=<` z`XBUF&LfDRRsR*cNAvxlAsdV`Cc$Z8Q$3H@vQc^ zpgn%!Lz+XfkR$VMWP6(;9JaU;{*l5IY!q#6<~pJfi0(Q%P-?{;C>T$`a5>1 z*~%Dn_gQiq6c__P%Tt;{Q**TMnD&huk0Q|g15>H>*OutlN_%Scy&#|^tGbbY(Fb~b zj7>DF`GBZ@$IcCJ>L<({py%>4f5-eu_~rlMqIPO8D&$CcXnMK@zS#b@Sc7Zm$17>0 zJwH33!G5@=SyvYt6eZs!F8iVt9jBh-kFB73a{55l&zov@w*VJ(SnmVYqXk0sJs)-#q=@A=DxJ0+CWOT@`vO193b0#He)!>5q9cc zeEDnC4&aA~r3Ob5%6R1Unqie4EPN7%bc!%tGqPIMXb*(gp3BpI_1**b1y(vU1oia3F*=f(C8FK;KB5_P03Hrk(DX1C!qghd z5D(1(hF^~}?|(0VB$k7(E_W9KgKxB&V|6aL3%H71*nbW^t*RvLOxPF*8{A%7q$P{0 znO+`Oh~R^)y+P7f<-Ti*Jt3_Ue=3O%D!5FTV7gGsQ{O9QI>O=Bw3uxZWgw*V zghF3%-Y3P6p&%M_+HNa62-DR%c&H=cC?cv~`gc6S^?5XLeI6xTp9k~D`$z9o4cF(9 zBYeNDj7_tJoDqkWO@%z+h$Y@qstt^#*by!unDMuHkZj?OhWb{V%?j5>pb{aswc$M_tMNQabEK$%P zIe?t5<(=5@GKY5Yq@hm+Ht?{LBRt#69v(cmFt^2gy|^MCg()g~BA=h4#b@@#L-bV< zz089c?t8EPkM`sWbbtIY&(pDJ=s7FNQ*>=Sf>hsqpydXGNh%UDfUkB0JRis zGZ}Ohm&fWSC*0}_9*9GfUunUbku=PzE~l@56oXa8^UWsw#)xLM^~d`a8}xK1_wNsM zw!km_@i3BWlpo-5W24#R>Z2c;Qr4w90Sw(mg^5UhKZA&%7oETCy^a z?>?6Vxir@te|I4$cPJvM@=(S1gC+icE%5hih`(RVzv7?wYl^>LUFh9Y;@H!#1&_N0 ze#M-Thi~U%ny+mcBgzLC7<(}t@I8eQKSH|YAW1{Lot#t==)cI?z0hcawDiL3%9vim z?FjpZ-FI%IDFy9k4Mp{k?-=Iiq1pf^(`j=ia+(O&d)FBa9Ub`_F~0lIw)LQ1G*e*h z93gTRn&l<7GAtE0S}))5X8dUY zL*^fP9*LMig9hoMznLSvd6=`3qNj&47`5*3^LrtKX0~h9da3B5Z%ZF{S}Jrs&CDIy zN<-SGZ;pxArGcjzefTA;uAoF?CgfRh2yPabU#n%!M;A!@6AIpyBSvfEzFNKPgulwO_Fm;p7bz5+}e{CZ;+y*rJ!X6Zq{jXo= zzt^wZd;gqty6IVnrKpdhEb2uRs@vR_ZD|qwmaw`nXQ+#Isasjz< z2_0t84 zhA1@21`>JR5g(LLze38Q;aX~1KU>Ur%O$s)p`9i-sC_;Jj z@9r)d9rVD(w#H9i3}k%fy_C~~QT2;!?O*(C;n2w^I}0(q|Kvyt*X{z$FLw5)>bJ^p z6utD}PVclMVZI6LJF+TE%P1gw>+~dTJsP$>l~U*LIgFYtl_fLxrXrIEd(JmKh=l`d zXVjdnBY@weYj7b=4;6pfe7kx^4=z~m^UyQJ>gkHns!PNA@JC_ZVco$L^<5-;CE%wE z>?ut4mOY{H_2VL2X+NgpshBczwka5*kK~yDkPLWpWxxtRch5ecmq87frD|lzb=U08(GNEZ^7#ppFkqT*1Gw^M6BXr-n2qj(-rs z@ek}c{(&9GKZxP@2TsC%$MXXkX(2a_!KA&6Y(iHZE%Pi?OCKXg^Ywj7Uoo79GX+`r z+G~3>pw=L80SqATQ+%r9av)?s_rBojvmLpgOt(FDC8AdeK-97S4@j|H1T}eO)LmM3>bdNkV)~ zAygN5Xt(YvH^@U#W8+f~MJ}*df06JQ>tAu&eF*cXl||NW4}6ZkGDk$?BT>K3zy6p! zxF0bu?nf+#`w^Sre#CsZA2Ao`bk^TpE7m}2cXh-&xTR5PYN)x$4mJo0QW2Ky(}rza zFQ>S6BDBQB^Cx~-8D>Z*Xb+dt!qvNrYwtAoqD1-FzHn-K$Xz^MLwk`LT+g1irf+9Q zw(X}jV}z(c^Yx{z&d?ID!PIrU1lrNj2rX4Uw*O zEd~mK)q#E2Y(&K=#Q-^9ok*cBM6>jH6jhr((Ei?V0iyju_L$$g`$<2z8aY>@N96}Q za?ppDG0nC0IvFowcQKYFI7P;sFOp)}1LQ_d~FEXRt(CGD?vDxY2yj8KfH%PwqAPJ;2fW zl2m(#3t_zl_RB^5F|=M7uV~74IpzSk%&!EpzW0VdTP1AY^sOAzzF~JY2I7 z>UfNuc&~VTV@3lY0~ga zZ|Uw{UI&!gw*vHP;!twn^Ym65RyQ*+B%9zhg7(dqqZ+gP@JUuAb`0yEjAmsy+8%X5 zsSz7UV_6#dpB83T`N=}+)!e$8bu-K#ZPx}1jR;|VHlp>q6lQPl!H9a3(Y>=^#AqwS6Il& z)nNYM4HG|%zdvn4(sH7SzK&%;rp+{ZN8%XxZGN|9ovlJ-%%$6XDNBKIfPvkK$_sqY z1yv`FV!T7e2YYqx+(11`JZL7;6CT7nwKk6&K*Kt@v;Nu`?rXd1pO+S1U|h~~?h)pz zSDH2-nWpUplYO_ooJlE0bc`J>E7hRU6QsQzlQBV&!j3uS1$JassNSq43! zyEU}7t^{*|*Y;*ktHSMhuBTCv+Q7G*a8Z218tn`*JjILoeD7JbG{4tV3__-U7vEyI z7}F=3l%kW_aL&NP+KZ2wl6N4u!8nLG%Mos(GMozQ_b>KmdpfAk>TMQ~A1 zT@S>xm=yXR=tBB4)1{mQUBY?=-|jZQeJ1A(_9VtaGX7GaBlJnn#y$)QzWUAjQPK+O z@^9-iDc67%M#*`#5eta8*GxygHv)BgNN(X*;Yd8ssH76(*G!!Z{F6E2 z1}~{Eup4~C@?V1e3lpnbL;5F8p);`Zb?jpkIC?gXMVwC$dPaWGd`}NS@)lxIkM0>l zY{b^&+AQW*$L>{s&OR7zK{V5{tQBO=UvDmW?GOI>)rkhK*1$+v8gyqq2yFxo$rx{U z0vkrA30e|ic<$2>`>0$U?aU?({G-he_r6br$o;|M`eS~H>W1%{8&5A-sXXBX^3L+v z#XY^~$CWwKpBYWS`LnJ3TJ2#}QRD`9%!`5LazJhLwG3$asWOm%y%~u5zql;SAEaJ0 zgca$2lCe1>bn~`{I`<_72-lBu)Y7v=FB0b)<4N-w0w`cTgNpHucaz>T%7x&u-= zn18_j#4yVM^ow_JH{-MoOk8gs-kq$1#4fTgU?y6SBVL~&a@4A@cO1>{L4=sn(IgQ-S>4tRm#F#9m+Dm z?e(7ac$)$kd$zog%$EfNkCK>^7+;Q=+_={Ii7?R0J=pR;~MGBVi(U6}l@ToLmKLw)oik)<8PB}K1@6CEWCD#uv zbWcS^y*1PuEq!MwIw%V=~2K;<6aT)0#n$EEQ12@1b{l2rSeA^!9Iy!MEp(mZVs}Hz=+NE%}An^dC$rd`0blaM+e%j#E+b1|;RnWwr!XFdaJTS7H zY5jAX7}Dt8mp*rf4|dnYCxHoZ`yoBI^sK9c(j|O2zm5mXuP`^2TZo( z+xF5V!V8gh;ZMegApTqs*&UmM@M`>;{%g$dV7ff?fn=-{tkKK)yA|0WxWB(OL|znV zo*j}d_$>t;OZ#rS?Gh(k|FNSu{(HF88ScNfE1^?%L!(hEqCwlOKq8a-z{Z?8uyc*H z-s$o}Aud)!r(W6QY5CTrMP5tS$`N!Jiv%?-hcOsIB7nk;;f}SJiQzEkPJ%Q@@ip zB7pO8{(XI3@$*eCN>vMJqDYTO%~wR{4*Q+msMbSyqn6}p{uuvbrn}%_uPwTFY5R$y z-6n+h1JU?JbUYc`nPWWTlJHC{etJws44T#av+~MxQRaj0;u1Dth&|)lP}VJuHVP}A zK5-L)IGKx3x}XOU)7IBuZ9kB5p3M&X;Q+OK8?+a89YnOoMsdO1&hVY3v3m5V4bC_D z_x;&|n=4+i+(xhw#d4`HN*8s`{2nnJ*9V6`u3wFp<9Nym0xU+b?pc?6txpHe(tG}RoE(l+oWDJ{BEx)*_*hztg^j>@ zT&g2pA`*RGwRYvk{!ZFrcD1v?2oiEKk1Y0E;J^3Z^SOxn6HW3SN=;FBfQ7U$n#es7 z@VMV`V@Grdn&3EnZ#(8&d#dB^4cj_vh;N)<`BN2%KHl(BX|r&F`9K%B4hlyUG5T>X zK!yc>X3mhX$?RM?eH{<0>F?;_H44M>pe7ubJSEZoJ`Y ztKJHNJVT=&sr&swz3qa*{G(7P+`N`uFXssIl$xc_maSp!TvN%7-=@fOVSpJ-+|gVd zx5mz4d-%G#)1%4N5~<#<*i14L29r+)b_GKG&|Jf+#>Zubj>#&_bp7H3-CsYW+psjs7HudQ9*Cp~vam zFE-G=aGrAds0HMm&Ht3jngH=X7n@5*q99d|yutZT8IqQq)jL;U2j8aS`jU$ zy^ikvgzqb&{`HsksmNSAUdsK|bqa82Noq*uKS(z1ZmrgXK{&Cz(8;q-D?Z-%dUtAnjo`(B+EhMWkA{ zVR8NMe7JFZH4l!j*2nSH`*3_UAC9l)f*n`esDVZk(RGT7nR?3tdOi`w`cn(NTMCc4 z{9O)qPOob(?U9GZ#q6HOj%^6^ztbv2V!DumN|d&-mgq~fZklX^A-r5JyZZ>krM@_x z+a$Qx0hx@1Uq1d+hp=A&(fJcy|Nrdy|9(CHKL6k2+llI#ggTABSJ9G(;*R&lrT&Vr zuJLGW{*epX%}0}0kR$_7uh-XJYEg#g-4Fa^PRRk${YLlZb?!Qr2Ru^WKaR+WpqdMAC&nI&kH?%-Z6dC zdogP0P zh%#I}C?K3`q>ad*`3WoW%Y*L4hWo*biqK|RSxb9T6Jx-XXHT?YQ;^!9; zoV5C2a*)yCtg5gt$fSASRgHF!EB)XM!!ubiO?U(&_3X1U2d+SQ8 zusoXe&vaOERz-nqv!``uW#Q6-=;jRv8FXg0p}U$yfpEMd`g@7q4@C2~zt8{o?~CYo zqWR(9{7nO_#{RfnlQBcrTSX*hkTQ^VAMBM=Q~~bFVaLakCg`bI!T#$X)u5h!DT9hq z8+>-e`b9m|MRU)7n1v>5!s5dR@<+oo;Z=^($e~Y`=)P|DRjxI8!ubzTzBbYR1<`)Q zd;=>iOJ7A6OaX6cEQ?`st&B1<{Un?abgo$RI|e;opcSQ*gJO97M;>yX#`*jIo^N%w z)x&D|Xe7v3PWx8;4uGK0I(<#0NO0uXlqUUy={!64j&GR;Lr#^48|VHq!u}vc{Y3uT z@Aoxl55@4tKIpb)jtCOtgu-R{#WxSN(1!Nu@V5-C@a2}pc(^?~+|K8FSiiUz_ zC6^uyZu8_HG75sh|CwOg;8YgU-gZC4Vj%#M&fapots4ZYLU*tDJMBlUhkNsTmiW=- zKy2Q|}US4vFQ>?&uhyT;YUN+!(a8BElfe{u*i!aY?F#%EkxW9NsK^(6risKbA z{Ovz@MSdKwsDR@YvF~$&^C5cPiPnFLtd2!A_hWpowKlGiK2tcK75+=?mN$B}WV)5Q z;ElF63kKr3t%2vUcW(7ZN5bblWI^-Un}AFhNA~evr*cqK9W#q_Z$0|u8gsj^{+j)3{5U?D2FEAw#_`DkHVUyzI4gWhXVA=Nl^~VGc zAib(_WntM9evsR}g-4h##K*}_WzTfN<1MK>oZVm9qRacP2^yAbL-SG7HM$Kw=$dP; zW8pUhLC>sHquJW9cs=O)g*&$BHP^!%jeO@Ji!?*o@%1UNqK|nXMp1@jKF}Qix7#Rn zf9eaZmeVj-@?xyySvzo_9NS-<*$9+3%eHZ;H=qZzN8Hb}pMbe{NmhK3wXm&)qXHF6U4FuQ0qbOYp(kmtRZ}?Z6Qkg>@bXr_3?9XA>M_WBs0{Tv}*Z@yH3;c~$V z=Whyx@mhcN)AVuuG-+HvO%c~mlgIVb3~>E470@=w5aP_m_y@gaKX%5bBc-#~#9!=_ zg_k_zQe_h25U@PX9cZVHBwtIq_2&ygTvybR{2U4RXB?|KW&V5M$uPsajs3hRR95`u z`uOjG*Nzugi!N*p1UU7n{!#fg5N(mIv%*{laT~uM(z~7npI0LnI^N$#mTwOyB^@{g zv{6!|JZ(*oy4o#ryS|NZzmlk4R`>Eowf?3b3?>FH^J09^kbsH3U-W%3zQ8%|0Do&Z zs#EhMV z;darmUU=BVyC4OUxNdVTCY*#J|62>yV-@gg+oRR5@k1zGx^ukgMJt5OIVQfAZh;*h zdR;+^m_IV5m$c|*dRS9ZpQ*@DK|Kj$T}5P!Fi*>ryy`>;Av1HSgOS{DaI10h_%%8> zSDSi!$lO;Z!MniOFCn~;6NeObiz#_uy{ybQ3^k)=K9k_7e630-Y= z6*Oae;a7&97-Sa?_&PpR1Go3*H?%)kWBvm6$NH+&L9AkKg=0(!*ZxQT-4y>9>gi~^8nIfozRg!qk-eQ+|l8wKh(GM_2Agnu~QE9j$lS# zm3b=D2*it}Jfqw_(Gj<&=W{%b;V-|54QQ@k=C4R%g`-elxBo0c?D5_L0d2eC>+^%{ zAGg>bFIu|sgcb|o{@ry)_Z@)gOs>a&;7$=e02z0e=+B%t2HRg3I|mGd(4P8xvFBYC z!70qOpWVy@i0V~l$PLQwpDaU^b$1e8_XmNFwNhvCRv7qh*!Ff{J{5sJwvW2T4g!Nl zl_38vA0VnvLbRVnlutpFU(+&0Ev)}l4oHSfXR@a-9Tnwc)Tcrm(dQ^G_gf1_P|n*S ze3?lL8DF_^GG){lboMf<#g==5;7$2dMrtR}DUYYCwa-LCdrjKj7<c0XM>W)Qp`TJ5%B?pS=}L-V-8;uxr4LcIR9T8edg0ZaJ6+=WkZNrW{KI=Gca> z_vZcJz3?xI?RFm6{a6{@_QDd50iDsqY>cNq&~*Gjk{3E_K5ZE^Yz^6O3lB1?+d}`> z9q!%Mn4W(a`w72mE*Orn^_%3&FeDn2WfQ4+0EBxq?;I-ffE+JoN&!X-aP+1SQ}OVG z<5d-Wk1(H#$o?0mY1Y9gbaF%tLsz1(fufvSB_80t(P#7MoDcNQZ*3fpQ$gNqV^{Y0 zE5RRnv+e%LS`eEa&++2CHuU9nd^_?~6<9jjc%u3p(O*2FHjXEh!|{Y_IGzyWD|3hq zx(Q(S{@r#8M_~o{>qp>)`w>{;egvMlAAtq#M_`5f5m*t{6Zp#?m%{nQk~qIu2(ZzGE$wCJ6izlvR!?TBE$55*Ie9BjNmo*YVeX27zN^ zk;WzFLY1&QxUBoTo3l&=QBk8iQ2ewkJ#y$fM}cMj&1Vph@SsN ziQj-d(Aow*J;7uEKeW$>Kl5=#mzGYjzV$W&?xOV?s*A};?ahSc?(@D#iYe(TNl`T1 z%5^X!AB_Tft|dr1Mw2{zZpSVQKr4fwjcExl9R|ms; z#1e&|^}4REfTk!|p#}k;r&Ms!4}^?m>v>{p_@GKRb2Y&(03_ zv(p5f#NS647wX}>Pu<0W#s&y^{apTIL>qccdf4^xd>67~xIZ42)d(KNYB#2b>Il~x z-_F@AZeaQ^Zq{02D?7EJYw%Y{?@tFrC(@iEq-+46;=~nfKRKi9SBf=_T$ob7daWfRDds?QZ04~1&#&Vc&{UZ|>{(~&8a8;pML*V-2qjYbZ8JyQ-ALmc@D~{=%Y@<9XJ5Y51c3agA$yp~OX|oe-o{ur#J&um%JV$Ik zJ5^9XD&P*>KH#DKHrOM_kOVQ^=G^!bUysi<~!h$k;Q z9SJY1#2k7R0Y;%rRqoE1FVoe`eLr?2AoFWydLMZD0B=WlMT#J%)61uLrzj=?c~=TE&lrQ;_%S!=-^_GkKZ@!gr*Fzuoot#mX(gN?e%Hw-2R1oV47qiR{+ECJMMkhgM zfJD`cC+(SZpr@I9R9Z@nYgXoP~W?30#lg;FQPS2gAyv2eQDhlT}cJ%mopx z|6Kg|J~0TxCB1Zyo5&HjMCVRfe4+6$N2~(RLtlotgDYy2T6VEPB@>$x%gR{XCdjX; zZ&_I0ndc5?2W`3E9dko&m-lk{{B#A&y**nt&*VU_QiJ)rm@hgv9rwLn*a2<^+@vB6 z%|mY_W|R12lA+Gcd&^te6HJ+MNz?~(P|xzpp-TS@;Jw$WwsAid&xfUdGs6MHroNSD93l1~306<^vBD3Fjw=pOjc$#_+g972V@>Nd_?D-MyRH)fSoz z-|Xb?KY(P$u7BubFoTJkBvaq-Vt;RrlcQ8-L)!)%UYBF_)V}n2UdepO5*0&h6OEulzH)lik z+#mCM>;7oeu4TgQt1j?yl?^PGme5am1L$RG&Lu&rws>OT)X)8BgMA*#cjj>&{F#FsJp8r=z48Xi z*^Jj`OS903cA4cx2@j}md@`1|>JArvFNv%U`#~&M2DReiexT?#`y4@j0Kr4HO=r_3h=L`c9pa>Ap3no_ct2J5M+qp%?iq&{~b!zs=m+xFw9~ z7<|?Yp7Vln&8$6)YwnninI+xYY6MD7pq*`|@d645ec5kEZGpG?^c%mlP((By#onno z+S(@uJI|2Qdk+(xh@F0?v8;j*mCvF>vfqUCI1Z~a*Z8@61b0v5F(!+NF5zN!?pkOqx@+DwLk`GL}Y z{}e${X3oc?3P!b;rV`H4WE4#Q1tmJnsX01z*}ObGyQoeQpy_t&V3fXUF~}J z@pL2-4XO64pXnl;4-<`F>9mEvUxaI-`%B4YewfcQtAIyDl!FPf@tejgmfbMDQbIKu7K-9mR z=z0?EC#I2h%CT5v1NB&S?2)kwl;^JZoa$l@B!pZRolDGs%l9&Fkvz!;GG$8c!I4VT zHDKIH#vTOfYp+C0$<07N#O@qrQ7qE%8nMgx842Pkvp>ERCm=;urAi;nzkV^Yh;7Tb z5nYWvKxTfe4J?}J!+jF!;70S6)})+^=vUk2;+)zBPp>8D9g1%`DPL0 ze|m)>W!%TWL{kEePRP*OwF$zIBN_cVqc3UM`1JcM>6&SKC2j`Dx6(Th226UkyBOrhFdQUjkh$ z?e(M4<*4^v`og0RaTXXx^@d&`3~&!q9D!#NZ{*zdr3%B^(slLQq1ID9lzT>}ZThb{Yx~m7d&V>IA`gFI0-2IRJU|`h3hU51^}% zWJ}bJKrMp|<9ofGV1DgKNoMf@M0CHo_^Nx1F&#!vUaN4Oew&ZvA1BzKdY%FWqHI%E zcT>UV&~GoY&_kfJZS(@it|SQVQ3_aztwA3$(~^!Abwh;yLVDokGsv(Hr$Dwqf>m z_CxF~tmkL+!%*F0wY_(q1VT_+4cGYL0AM)Ws-jHh3!h|uiG1KsMztz+%TJX{AmOaU z>!rsjs9N#H>U!JDtL$Wu|~Mcz_Y3Y z1CLX+prvzX%w2gEXdmyj==GI@2;Y{L=7*kWi%VUb!p9r}19i4Tq6JE1bqJgvHHUZk z_7<0(nnG3ZG0GSFvA)Ed;ffuW$Nc=w9wHg6fNuO~lXBrUSrf{iGdwb^wniT%LvPb`#vkcTJSRIoUVdW!OOZu!T7Rcu^NVzp@0Qlnvl#@#uN;j>G(%9G ze#?P22a3ox${*8BD#dvdV(LO4bw5aX@El zE>)iRj$mJu_`NqO9 zlUyGTE~;4QP3obYMq$S<-QoqYqg)i-);e(e&yGnU9mUj5q1LLDISiVM6k>kPlI zGuoc_k_GSZ5j%O8XmsZylkeL#N3dJl{ydXI5IFzbykqdk3Fz)EyHDNDM$t;#M}$@m z!48wC)Q3vRVBf(H*IyQ(PaezJu~Y|Pv_#f=(LIGQA9hu6gNbWX5Av^u3O*`)k%?GeU`EQYD2i# zEN>cURI|mq*_DDy)B63ROvPZ5-8DY*^$Ie{I)1_LW;^1b@``sG=!7qePYkDQj)90X ztHlo0c1UV+UgrF8hA_UDD4zUp|BDyze{tjeFJ8R=#ew&~l=1!-7h(MB?oM_mN17T~ z;kz%~ozRAK&SY`0npA;o;N)z(MinT@O{UauYe#!#P3|~-tcIBnZ*EygDj2SLku z`;#o<5H0tKi}})C@CAvck3F{rxyD-0R&PJ}HMtm}C#{2miXRI+wNTY4HsoShaZ9$ku|4t`XZ~d4v zTFHCV0X3eWrh3|Hh;|&M`A!ju{r}t?#p~96FnV{@>=VXSd0W3DGptM!{R-0i@hFlR zRN=So)-uMMqy6kT_l^aK>I)I&%NRbqOg=MXj>MGQ9eM9~!YQ8cJs%6gVUYZFdcjr{ zQcYrfwXiJ!uC3{IIW7jGDYN5fbxj$5tbq^RJ00|x)}Ki;#B(ARbHxrp9Dq}0Zq<{RSxMc;pD%r?kDq4v*^sDloKzh}kYw$R>L zjY3a;yZva3#p)iOIjiEmm=9bcuU?%)5{T6v?T%G+2HyPvYkLI45m7&;O=hW6liHl% z)AxYr97z(PBKZ6E5v6@jC;ok)L>4!;9doX!Vm*X#?o^ zT(p6QaUm!?dr`lQxdxWsN`&vAtb}Aiv3F4=CsB)4#-6rARq&|(SNteR1BfA!+z5kP zh~>%ZgX=RlpvJhR(_^-g@b}|i{5BID`SL@2!kr$DI`%&@`y`Ke6AS{rNYTN|p@tYz zHb!{<+=b`nJ31iR{~}s{Ci*=q&H8Tq#s?$R{E*(QT1N_~t2-&@dbClsc=_e4uF4QZ zK4&a3BL({(+iG^a&>)PDC7NITtv_?)dUU$D9vv^PN4FQ(qhrVQ=>AvVm?PM+t+^m>Q zD2_rbMlabdx0V-j7@7;eA) zfvnq6boOhB*D>DcL4xI*r74U*3L1czVX7vH&>28 zjuvbSYEY3$)CT6{7?qA{ZqV(tR$x}sC+siw@~YP}dm9ZfCgsp?5>kMxq=IS>v<;E) zY#inO-HOn^pnUvjk}B+=3cp-cXiV5&ETdk~Lx{@@99Z`iz3B`@eDelq{I?e@-cO?6 z=Hm`K47{Ja(1jtFlDRwK2lf-@AGuq27I-=2pi~t)iqf#dnBVx9UuE|Wf?;x-fS~zt zU{!bTdzGAw?y_3_?3oNl7b%xMJ{CBJ3|VhRZ8#r+v}A!vmItK}ccaJZ2;U)S5x0vw z>QxFs72S5J?s@$g^CwM& zpHCFePjvig6&?-CWDoQ@-%e)A)CrkQ1iLDIbw+Xr)n``OonU)t#JWwFJFuUsN=PDe z1tBB$`rh+aaDCyP${R5&aQcuEWvXHY;jyCEetB8}ndKFoJ@poFnXN;G-5>(ZoGQ>i z{h|z=0P5qO8eMy9>7apa_dO2|2BvWSVYB>^5x%k$7M<(ppoDvmmPe$`G zKf`-+f?;imxn$&N6#RT59l{w92^-ue`WbXn(52@i?yVh;g#DG=*1lz!?`lD%Dxco9 z^p--Wx-j<}uPSgnk)*TMPzfDWYU&Xbt>}tol2lD}73}DIUlJ~3gM_xnQ1I6}A_ey! z6E8BYkfM{sT`EjR^aR~X`H^`Ec;TUbdMLt~@b?-~|B-NN`41_9W{{{++DEzOgvI0c zS$g?qAeh=$(@bR!3FFK~UB*u65u39SyRtDn^(Xzfy;27FSSoXxrZK%Ip^NgyCm5lt zHdjjMlmx6%P5+wOWsSCrYVF+dT8eP}XT-x2N%KV_ZpqZp=c>tQTPv;f`P;$3A7x6Z zqY@6oV|OT%Fdn?r4?kV~7+1p2C(5__>)-nC@k>W8zPkCl`#L~9TLE9?aJ&+Fb$J`8q4vutDY&4|`sdG~jYL-3Ar z!6D&n8W;$EuddV20%gy>zR%aZVCVs(u*v->XmB1lQ#JivQ@Uu4M298~l~*%y&`=$M z{aIZM2M>E7W@mxBkA5GsY zqwlA%{*({Zcvm;13&ai?R0EoK%AV!3ZU+9@1seP9myj?8$${bWQ@DSn1@6!5g8TFO z;{LqGxIgcH+@IGJpeLj|;jJlHbYwHmD-(c%?CKXOFa6{e_y!^w4N; zqtWg& z-+n<*K~TDp?(T+3cXxMpcXxM#fS`h+hzh76+=w8Gf}|oS5@LXXA}AJTzyD`{KI7SE zjOUE^9p`*ytg%^ht-02k^SZD5cR|C?Y?tZ13M3f+hezzTJ?czxIe$`F7wA5TTt7MP zgpAZlHZw5K$Ek=EV*5f&pToA00B4N>lztCM<&}|w`2%!p?Ybqpb9nWQ`m`n#;RV)Q zmazb$=dJf-f3TtVM08&JF_!4VaHWValLb7ZdFpU;+7PwhU+#axAcoHV87*#G#N=@F z5soXR>q89Fs7v;eCH!XV_7RTEua@`?#hvI26|ywJ0n$O-RDhCd`>bRW(2 z)En=Yd{MXI8YQO91J3Nk?x1EVIG#lx+4H~^9gT$TqSj*~6#C^0!>H&z3gO*~Pd zLy*Ya6D_!FzNSzprwQCjVx1>`l7jdR_F^GxHDHQ!={PGM4st%#S!hWQPSRz+2a`-h z8bgh*q>}>W?qNg>#1?t1@s=!@So9k+r{ltS06Tfmb z6mhQaJinvxVqYW^PEz05txPCJyeyBKum4PiwQBzJGWKcEFZ9*4d87p83Ftn1`#2qb z%2Cjlj$yuYPO_Z=VcIZ&Qq7(T*`iPp7u{SEZO}?O(p|Kr4JT81%$zVBtAF$#LbxHl zE&TJ(pP|;3`1ouhLSX6p)HY#E2pTc+6MDh;pm;U@*lHsm>T_l%6iy5W(tIa_=z_%m zwg2wm{FMe?dklWR$MS&wgLGN3NGfbi57j-DZ$r$#J4Pp_&CvK^<-Hqxs?gsQ$xgh4 z$)8O-{>f%q6^L68yWd<_gQBmenMXV^^*|i^Yj9n^Da8jD_>oHhf5oCyCBcSDg5Klz z4-*eSaOMMirQJ$nmF0)_lPp(-nvBr1Po;|vLV{3wCeCeajT7R( z+6p}};0A|7`m*XUP6%6PpRBjwfQOexeU4T!z}3gHmzh&&V5BiRXUB&f-fyJYJ$GgX zeB#dL{T5AxYyBNpzQKR}`?#LZe|`Le;k)-v*fye-!7_rlfC>mvw;U|Imj!g0bR{2x z+mXLn_R+^i6>#V-_oL`*BUt{P34NF1g-HF~7%egRBzqOh) z`$YoSoQIxFiP<7t*Q>bZqs`#U0RwLqh%QoXyv93=Hh+n5bhuT3z^*gra%3}DnbZHw zYivOcnQkT?vrW)6(MEo7>Lw7ma@puR^dZ$x3v)X*S3&%X+LBIKDr!7ubl3CCZN#&2 zkLXkT6`cF8l{VeqR10eZf8_P5$NFYyeVjWt{ig<)>)$GlCBx)qW)HkQXK#gSHdZ_z z>8e5*`v9%#sth=8$hmbhOP~oKb&J|GHE?53OERWWMXciUy%wzUNXD)H6j7Ks;QITx z>QPUBdN*FiPT! z=wxAsaB)xNas_sDly3I0tL-!-T0T@VWn_h)s%@ zE`EHr7|Ie9-TL6p14c6!=*ckoep9wLDxP6{R39WIfZ6{vc%7bo*Po}046c;nrABDN ztmQ^y(;ZBoQQDEo>#};tl!k9~<~t_8CiRFV)hHjlim>LYv!TYUyB4>#*A&nR_DkIJ zG!zhPal}Wlh5{rQSr?wi3P7Um8SB88L^$UMJ&IHfy=W)_Ra^G=-kp>}@aRF%1#U4Q z?7>rxi4lV_{m*rGF!PA?@n(I^Rg7;%b@`Jzeiq`oaNwkoBZFEQ2Jvr}MZnK{ET+!N z;lNHbZr%CF10LebHeP1ZfYuV(CliI|;Fc86$i$Vq=)hCU%_8y^_&%akIwpA)=K0Ec zn0#)dvUe{Zn@?TG`F`Pge{nq?SN$AU|A1hP_b=H8;mFM4=;iocS76ON7a4}(@CTL# z)&%H=A(cTMlRo4QB5_mSzD2v?e0^~JeVTOlCBkYN2sB>m<-b7<)+Y&OHtR9{wNL?0 zQdCfvOYhy#M+4P~dz}XjlsMPBalQVyozc|eCXIan*t-GJ`U0{>~ zxu;S$Tw26I&8S@vtI~}k9&4xQW=|<>WdTgT6#@+g&nGw8VHJu1z!?h)>L&S6RzI`%dXK;@%iPkIK#%{!k1! z?FW5x*hmMs8Z4hTmXFTYNVZr}CqVxO3(KrX66kUz)1|T&qf*9(qjl^V$h&U#*DIcj zsPp05q2TOu@aMTc-N&I!VA#l{JviNnGjBoE;|irnlQ|R*cNx(%sG+0JySX)5LXkuH zgO0zoj_@i`*eN$i0u=}q;(h70gF#pFA3>r8aMSy-Q0}LzC`B#t=$t_jygE%c=^K&- z0h>=82KKVSXgAn0dOs7Jhlp7x|4$yG1=fEef%TsVVErdTSpNw>Q1FVJ#8<~~9%*F* z-)h^ztF{gSJH}jOR^q1chTR*EdVvowj|)5#wAUOM@B}4h*W%N*b!gI7+4kF38n{lq zA9HqUM`R+FBk4K`FrjR|ut8J@J-oK+brnrO7ejf)px6OLZAlzIte1jH$BPOT&T`Ny zIZvX!ApybfdHik2WFdh2%nz+uN%(Md;x%=Y1tbQjXEIdUqkDc8sx$-!@U%cqN{&Pv zcw8P7`S&;=D(-@W$K@t4_jv1sE*~3IyP!vS;ux-TiQeWF3Pq%%gFj4A#RwwRv+Rpv zESNl1nrglK$8hd{WcJsN$hMR~s|HL<@xgY`^A6wo>t;CWD$S(r60tz^*REBH5ZZ#} zac?@7Y+v9u3HPL(G)EtwzEcns%0Ltz2XD{4PC>k4=JkGE;ZP9i)bFOA4Lv7vm^IA8 zaQ168eGa+4K5GMPr8$LO-o_wN1{T*zd%dOv4 zMxz;|$NTZn0n|kz)X0i?k>ib|@7pPSP}CxS&4?)*1Urza)_f+yHO~>(ydhk9_#sx} zg!;qMKzhmNd**;N4B2bBQq|fcI}HZ@^z#xR6C8QTwptF3c9qsR%S&SUVE;a^0oV8c zKl6tSJAaO0=g%qZ{5gf4KPRyBM*>lF6ygV``JvCpA7)am7=Q>hyHforX?V0CKoSwE z2*Y`*+m=ClD%p?QS5GV00Iv0M8L8K+k9T5_B3&4HwXX?$Ud*5QmxhaH7sYIwonSnXS z?%j!=q z<=)oyTRjeEFN?kYAj}2F4+km~^O&J=PW(O}A19o=)YFwGzy%ou3Jr2^nZfv%*eh5jfmX+^ zn1tGMaA;4w$MU%lK8;V2l9s1o^F9APKNDBJ**`o<1uPE`v(9>`z}J?ef#m^uV0nO; zJfQ#K0jdD5d@a*}F9LXh^62z^zcaFLIiSPEBKQ8T0CXEgvmE;_h0-Q%u4Rz$V(MNO zzmAmi;haB?tKWW}RCUDniWcf^eMj83?+&D4aZbY-K1jsOr6fPX67rPW444EJ5OFN! znJIQLtiKUq{f*REeTj=z`{; z@cZ{_X6Wr&Z|XsSD#mZDygVhX0Us}$O5~BZp|c|E!x|%1V7DwC5plX6tP}UHm+`lw zfhTLHj1DV6ENt*4lVt@ko<05N#Fh`LDG<^tX`vQ{&-W zodzJ`Jrb95{RYXEu&mI3j0lsT z{5-=7|8RCy<;KK4wPfd1$T;qOVw|o5<;joQJpEGuBw=Y%%g6GNCEME^w#&tk!Q8u{ zPVNLt6WL`L=oLumcqB1hcLl5DgX=Wn!Dwg3SX}O-6WqM2?!_MDjd0~}5S(@KeB7E2 zogPJJ-u;Y+&<1(eOuuS$@mwcaK1nIqsP)&c7&RhQ>JizKZKVKOE8g^?wy4uN!7Zgs z9c6~UHOnuzf!NzZp5q}ph>;Qd-dW_}9nk8=4S9)LwFQLJBc{8F*ZHRuja3eLZMfHh_$q za(tsB9_aDN>{9o2ZJ;;m^jz-JfplU^>b&nx@L?_|_ZM*%3VL9^)1=`G$63#nX<_=B zT?dmi3-1~5abJ|qVVwt zJmqg=;D+VDk$+_8>583csNR7MaNhVO< zJUu6qQG#mi;*8Yljo>mz%l+FC7I4(v$BuAU3rKCJQE!6-h)Y?B4kg*Zi~je)dmb@J zSV1JWix=~p;@@z*Geijn)eHMXcRnWa3Za%px z4yerZX~A$YHS9Xtn1463f$mPjQ%PcTZDpi?W-2;U6hhc&)@Q7b^z~-qPoX4A-dr0dFGHksY-a{z zy2GoNqz!@W37fmEnIXFWxcyZgB>|Fas)`__P=zB;yn@+RUC{}8`9J6HaiQZ4=kxZz zssN!F%Z=S6WsvD>4ltos#d&?Jez)*Ya99GFs)e_cG>Cy`$wrjHwisrynW*5#AO-0m zSF{5(#9?<cThuaTm$)=$*xF7_JRz%r6#ECr?6Bjs6$L@{MjfPebCg^&?&*x z>8fJZm{)Hbp)%qZl4+k5VEwxHuZAN==#&3>PUT1iu&8d7f0?2P8j>O+Z52xJ#Ic#X zw!a$$e;ognpL`#wzD$*tR__Jrfmt&@zkWCjm;5_CGlY(E{J~3lcNuW?>;90KvfcGn zMMgFcC<>KqA&&ZG@dlwi?5tm%$UWr>!*q^U>=JCC$gBSsNo^FO9=>Q-rC|;>v`fe5 zuUnwT+fVe+mI-{gprpcb%>*ig2x@aqSR&J3#)`FZ+DIcm{b6+@4d_{(eXu>rfNUDi zKKaT(4G-=zvr~;xK{q2|9X04WY=Vf{I32 zC=BplE?s)X?*!H|Oy}5}6M<{7=#^BQC(e9hT-V#U`eAVOpE$f!i4LGChRmF9@}o92 za9X8m>oX>wMD%0KnF-o6h=g6(=8Z}T6is{}IB(SeMiDla{i0Dw>-{C^jbK|uuWfeh zdQc10*!(zmt>zr)^DK3j2Y5nc#YTFF#C3!#-vfy=jf(Ng!uFjZ9r7+IXc#k;%?>g| z1|6TuQ@)GCAMIdg2VWVa=k{*8kya95|Ezb`jZ!2=)t6z|69lh%do7GlSAtyag~XDh zL7+qEJ;ZUv3u$B|OncOapj0)^Xp-;tXgBFlh3B~r80Ct{Z=W>6}DW(S7B!5Ifl0z7$S1)qd73~P3iqH3W8K~mh<^`6|g9O ztu~t>91`q0TRjClK|3XB@v5>DFj8+nO~JhHUR5&_F5R;ObxI@kk|)lvb^GzwvbrlQ znw}|S%XCK9-WdqqTk?UKuk0fQ7`}G3-|MZ-+!^mSAB|MaR^dMjmeB&~B7M|P(o|eGk>jp*; z(DaREYR3f5+)k;O`{IN$NQG?))@>2-`O8Jj;btJ)PkL~dNgtSFXST+Ec)?7xY)$<) zACP?1+~ph9>GM+M*0=LH1)p`+ko{7j_>&c7e?uK)P>5pNL9O_3xy^ug5C zDGIDG9Dd;nL4B9(420N{!xt1|;m8r1W1KRv@bu(hO#fm6Bp-Zau-yqqzcle&9^nT< zc9iLE-*gT-qh%*!Ngo4~_Z?~r7u?WW?M73YLk@`1&0iGq(E$H5596i@9MNW5%5+Pk z8a$TnVZUUngn6ExaU^MwLVKcD*jw``aQ!(K@l~f19ST!Fqf0D>`(@6lx8Kx45?3~X zzD^BVGYYjLNXo(Z9Iv(hSU!WiI*6b$<)_1fcZbf=Tr=ds++*dt2wIpW;W;#Qtb5Vm*T8n zY4mtZ3D73P`=gJ$n16-@ zaOKbNvvys#78A#==b5nUd2Z}_UKG2YXTh%LS>cqvLWrn>H|Uq89+o>b!i-jQ^Z5dQ zxT2e7#9MF`&DDOZrMX=L{wEJe>sM2uMw{=PZ;UfMz!M7>RAdx_r z{^T#5BI34Zt>FlJNC-_+2F`qgR||Kv*2G2NMP<;G2xh0o|AwZQkedZcm3^$PK4OFVgl#TaF*cx@WXTo0#tKKcv^NniD=3dM zv}-)?MlDG<1KUdTA;k64b(g=X(7fqhMXOp14h9qx)z=O);_KDBV2*cBC3yd=geFF zXoFNzRP}5XjQ7tv|C}>M<&JVw0=>#$OLt!O?`d^#+kckzwa^Uh6#9*Bsqrrl^>@t~F6(iur&lzaXrvMGRfmK)NFs7vCzsZMVw zvVV0wUYObxrhdJk;!3uH60O~$XO{C zBZe!t-7&?)O05lYFZoy-{4^l#8A*ZL6Muy3_pw7QmMv{E6XExBMSD7D!RPqudqCxb zLM^L9HFnd1S3tSwu~-o(TULGlZd-x0?mBd|u{NUYq$a=Yf;33mvg!__D};{@v|d>T zHR$1s2=4BqnXnSyrSn{~9BM9J9|#%DMXF(5zu=WaW(D1-=UP{;(*~{ z2e?KfXvj{Hj?BI8x4re1MHI32zlbpVN4#@e2k{RB;LJt+yUw|M@JPt@S%a@PFuiQH zlVEX!A@AhrJr5tSIR57xwQn@=(QLd2wgp{=Hg>Qh(Ro|ywG;aCQSNv7oEF>H3i{5`a6Jt^M?n?GWY%^xwv=8qU+^G7_f`6I>$8`9u>`{oS)jL^R-7`r3MTuPss^I)Nyw^l`3FX`VD+Khw&Nf+Ov|(GBsT zpmx2;tRu|eTj1TdkdApiTWnXXd1xS7F^A#F@>><+58IA*suJkKYpLEp@?yXk@+6j& zN(!S>nT1dkNkfzke%Rk5;!sV0{mm4I5yF)p%dMBlc7M_e$>)bSPGni4{arT|?@nb< z%?jFd7%>9|EgSdNP<)^r`aS@_yRt z4Hx(%MKAMtfz*j*{bG$GBt^8E6{h9^P3gnaG1Yabzke;X>`Ok#NIB{KK2i)V{0>DT zq?O3GK6eg(Djx(hzSojjVK~R03p<>&?hyY}HSER3Aar55^q$7P4~Qo+TK`f`!K~}4 z{p}LmarU#}nx~U_v+2(%S1r)tUaqZqtp|O>eTKsBn7ky#nz>oZP?Y}1xS~F2N|6Iqkf+;WreCTU54n)3GG!LJQVf+O6Ox_=Yy+K0e z2+PlBfjH*}9erM;5Khew*P=vaI+v<3KKkoE0v+XWY3O!f_BB;7;(gC`&ZHLA*!oT% zNVY)Ci|ktBiz?_$iQ~DE4Q?p1lh5{&R|KV3{w#v~oRD;Tm;RVJA6(uM3FlE#MPYKe z0hb%p;N1_J>bEuu=m*b;_V_mhb?*F^Hfs=g%c`ldj~XF@kjHZ>WvXyXL5o8rqZrk{ zSoE~}nt>jKg}!{|84IpI`WY!$qJehJcw}2812Q#w`@8+4an5&msF_h}c+MB8)u6A8 z82;Vm%+Cbg?5>!8zk@oeSbxOT&~~;j%^qGu{KZ5Jw+>gmf^VdQwy~K4IF@=}dBvW9 z*Q4*l9%oa4s}RLOc@70Utt7s2wSpAve8wAUPsku#{Y$v!0cr5&p2CYW2Rq{|@xUEB z6hUL8KQJZ^b~iK0;uI}FhT2rg*xVCc+2{TEq}2rH?=PS;a1B}F?i@<|l2X?e6JD@Q`dMor^~Z%XI}n@y8wTPl*O|3m-UlMc;AUwA_lBaY!+ zmlsSD*}=Q;%lbQ1GSD2oKrgmv4m-b$le<)Wu=S&V&&R-(Hx^rKd4{nfnR!r@aahtv`HcI$hAim8QQ(yRaG+up1#da1 znlx?1=^sCF%vk`f`WZ9~-!?>wmsCg;PwK~Hfz$zW6AexwXqlbeng5MV-I zQal^q@$!P1F!Sh>#a#4CxLm(wr3`&CKWlD7R}IhAbi0-h8^ExEp>y$dIr?o9_u|=r zD~#7j6BctOqt9m-o;_A-Lxdp;K`)G|ASx1%E1oP3HlO*mN4>!42&#EZLV7u{oJiCl zbf|->0!pZKq#U40Tf4l{6_X!nqKVgQZHhud=0=q;d65@?Ej#}G<%;wAWWKKENLTFl zq2Q5Yjm4OCM?KX_t#l|SWHI`S^-CV82+kd;6Pg!6@zVCs^sAJye&&Dg2gddJ>a-rc zLh3DnW`|_gE7VvJyIPGZV;V2KnU!VvbWaAh3~2lGFnt_0eZ+f4Rm4L?doSL-7JIq%iQOc1i`g94Iw++Vex!!k3PLpPDdP>z z)E(U=(6~|Ns*TCXbU;C6ws5bRF2CZN8w!~kF|why0Ae!1_00oLxF_>z@#F^PI~M1E zkQ<_jLY)@<^CH-Rtp3_XnR*T|?65t>6~+Oq_ivH9mCp}_j$NvWn-YXw+1r?X!VjghLhO1llsa%X=g_ zX_1(D7BRW~4O4Hu@+!USM;j*BowSFkOB42D#h<6<=p(P(vDGF94OlnOTqQQda7vB) z+(@_dkodU$vf-L4G(Tk}|MN5ssds;5lx47kK=fth^-u^1fv3+~&JaYI_kCwh+7X_# zL_aS}@`mLo*{g4Uazl@f_ukJ?_mCpPerg%TNnko`;xcC-o)cv?;s{#_oSL@z;MuY z@lUdr1AY7^3W+=e&EFH>ldaT4;$Eae4pSBUco!ojoIH%Pp9EL`53b+q*!IK`f3IQ` zWFKm8b3G02`3c3%7h6LE{#8#ArV=zvUaFsbISYbMT*>uY%LIv>O*NibZ|G~#v7R3b zg3K?4qog;2;gQD^+kiDm#PIEm<9v=cYR@9ez3dZ@lotlyz9V%<*UH!L=!|+p&8+iH zUVj6mdTSwHGn5WGyDs#u$cI6q#jB9%mO!*8TG=lraR%kko-w^GT@8lT?(J2B^)NE@ zN>kOe71<_;D#q$ILSK;HtBLVwq>+Akobe?Wd~7`?&9}x19~(zcU1Z_{*MW0|N#`X| z&XQ|>@Hjg(kRNw$4i!dxE-l-WG6KpvO3~zok39&ny9$> zRkviINP#h#Y(^g)vuoeEblw2*uK&Kcq+$U0&ZO+LzqH`$C%GVpGir#KJs~ACKIEu79H?~KWXkLC5)_tn4W>EU`l zH_s>s=-39KN2YXd+K~s6m3q+6=^uuQZb!D>y5j@=tMn~FBrLs~t>|royH+;3P z91h=*B$QCrqHCdk%(pq+(a?6-@oe8za0<1iZM^A&9`19eGZ4ta`?S;ffqW8hk2!>0 zH9;FyjEzUI&1j(xo`=rfYEqbb;8B8`8glT1vP@bT&mGy`$!q%VW(1u=3HP?N&0)Ic zbV#0P@lpz7z$t%VoOa9LfvJ)csmC-vmKbLVWhYk_e{$iMOk_pfh!YVr++ zJ7tL;#U~7boUeaySy>odUWc9v(9{MKuAB0iu6p3b^TL<5?&FZs-~Ec=E-zGRn#tAm z#~Q8F^mp3kIwKQOgBh=0BY1oN?-cD{9iVDZf7GRp$?!W&?A=5A&*85 zVhqBk@~n_m@v##k2Ej0GZ=AB$>4T1@%xn}Y8o?@`$1gr@ZoGr>A1x&qR#eJoB3gT{uZdry;A!io zruo}UkWZ$*l4KPQGDo;KL@`{T|N8!FyOc$?I$-#0gnEr;b9``0az3-|h#;ChR~w!8 zk{d3Qu;2(-qWs@1bTZrF@VNQdyPsbXh*z0!HKb^xg#J=>s}l&QM3r{j$uQ+OC~yH07E1(d2p zrp&xe&|?a!zRsV*=%4ym47UCikF9@&V(VXl*!ou{w*D0i1-4O3-=p-v?xGG6<(4h# zcwYEQV^Rl>c%=50-_-$HO81x@e>)Ur&u30&sfRN!muxMr>_=J)I9ind^1s{+g4SPG zM)=ARC)ov&zdC0j|9o!X@6-H zUH9)K?48X9GxC$aXJ4E_^VaV|tvhUx%*Qc~(H?EMu#U=cAPevd_y=Isa&s(AJDIf1; zk9ju2wVv|-wd3u$y(Gr}dZWGotzR?#rod0o$wi9sZ!R0RTv7dE1T2sG$}^SCfzVI8 zQ{LVe<5M|Erx(QRhcFDNU(B-T#f!w^(H1u}pSv4!fyN5z`96h~Iy=D3acJ@KkjJ?{ z=;#NRn^HUJ=qPp2i`XzsUuhZ?Up$ov)?_sAZPFrN13wLVN`6hf3!I9i#Dp{QEJ@DKks#7UNVz(L<0VP;D*BHp@cvV1B4=9F094bWgX zHLI7Z=&mN9KK{+4Q|E(VtDXAV7GWq19+l?VW9UIP_1So2Vr}sC$9!KrWihlqoM(H? z*^MltzuAurU4kGEPh=U`j&nXKuJr|6_jkDF3;(0L5V zoA=-^Jd{B09nN_dG5rL%_GjU`zvEqE$sWHf0io}|;@3}$!f_(YIb(lIRMNw!vP35e z0Yb@J%<1A_J3aBoep&=)UN^4$WnA?oT=xq)jMUwmPWjNHnw4Y1TaB*uON94TmjHc8 zM1@byu=;T6iN>s(@bkYy>B+l#(t4 zDMGTwtPAzHAz(;egGa{{;Y&Bobf zWQzDE1zLG}W6664K*Xyzy3!kg%%XZj@m?81+xPycXFEFJ_nnYuJJ|;`1$bAlW7ZiQ ze&>!pV8-}Jl59+^-$%gU+sUZ{dN0tA=qc@E#c*Hu3D*e+%8^rKO3l;caIo5ZQq?4& z3ml&~&(f<|qI<;s_pJ0~;pN9NN&I>Jc|b@T#9hfG2;2nWZo;2* zCPD;Wq!0U?z4egOM;-cm4RT02dE?A98x=IPHVWB}sR6U5IVqxUfhzvzuVvdyp~)uq zuL&o{ADb}JouOWXL=7s8MT{!p&^Vc`G`0hiH~slqkBKB|iA>XbHDZZY2zI_OT(JR< zYlU0`Ow=Imd)YN!+XVfvJ$cn--U7aOZhmurfbo-@YFKL0@q@x&9g_)W^Fw1sl1Co% zVRBMOEtrZmrcO2-? zo_-Jj8 z^ZbuUOkdOSvauIdCtHxZ++y`=atq=go=e<0atlry-@9 zy*|@eYGH)f&2Q||kZD2iYT2Alt~4+o^Jy)3Vt`7$p54@5k%Fe^p?yNBVN`pWvDiGa z88)Q|jpi@)0+VX`DUF-~AV}~DJ#o4f!ov&j;>9kZtG1n6Boxv>qaJ5Z>aT$w+J0E9 zW0Qrfyu&!tT1iMZRMI)Qpo7?*4bJRfd_cIqKY19L-{W11vmPDnVKh_#Byb2TXD(bAzS{H5qFPc%i(b8HWeg;@eV`Q>Olx(w9OXIy%$IRxIH z7dfuAW)3lOvNsh5Lcw3+*kV|yC!CYA*kOp2M;_GXnIWGsd2M#;@rz*|5R{`axm&A+ zjO8tUd7t)#*W(o8ZXb_S{D^@iz_b5jq>RU8^1%9=Squ%Qtyrr$2O`I!s#`I*%o?-oR3w>b!po~H-S zajvcJj0|vk>Z+On1tol%EbV)FNCmOaWWxOT-C%oKfOuoy4_dE(BsohPi!>-d5(sVw zqO6+3&6O?>&{ZEK$6xeZVlEBpOnOXII+ERLtcu{V7*(<-V{$ zl`2V|xhx8xrk%mdk}C>7ZX5n2j#NUjSMCTcGfBV-`+{hNun_p}EU@`mDj|_I5vRcd zUhMut6`RMWip}Fw!{+fRV)OXiv3Y#TK;eDVd7M!PM(;DdDfk_XR0#H2zm8~tc;dzEDrx@id+;FM<<_oWkGfy8)3xMN4 zA7|(j#KImk-|!2}^M&jCFi}pyaEwI>j$u4GTA2FRfIeFb0j7VTebV-!Tb(>GN8BZ~ zp-_M|f4R%+K597o4{@!J)N6s{*jEFTX;c$7k|hVc7n4S>`6z<4_k!U#<~)+N4_(W9 z3{WJ+6`Ef^lyKHtaMfqbGB;!bo9s}Q(wjESHHVQWGr1Qqb$vPozn^>j=E(ny%dEFv zAj-~R5q=eugY*7qebKA@*Hk<*|LYt;I_L&%tgoj7IwL{j)6seING~u|vf$G_pNN)b z>IR~vyn(Nc=2#eQ9VRE4wfxH0QW$Uh`Q`d%Jrq~+%$JwkLI=r@Vz=zd;ExsQZbNYy z{8LZl#nux!u=PY4Y&}sLTTkS|))V=_rFc(Jral0%Y$gQ?|MWq>_nuIl_jiFERvUWdY>=;OIAK&jWki;i#Wy!!fyk z{S_ylpF?KTmK!y8mN2&cMW)Iy4ROCvH7bsChsY%(oq$P4AW%^1lm6of_nXrK=7&uI zGi46!e<(uzlho5omDLFlR4&QwxGoPQtJ^ZBoj|7W~h*zsaG@&7YkG3I}0s5U2~>-6?z=-WbOuh8zTn8p8jzwA_?^W z&i(!O=kw3~#r61KL;sBT$Iw6HJ%%0c_o08rdoc9Rcsc&_@oL|_N=NpE8pte3%2N&~ zf$8$@arQTqXj-^L`B?%5Y_JJEIzSliP5jPlM{kk;P3O^i-E$|NnL&)G)!GFfb6C)CxW?@0jI>=t>^ZYdK$GoiY~u+pNaSx`v=5F!UAgf^ z#`5mqO})qL@xTX;R#Vy>F^oghkKUt~7;ZGK{5Mfq6Tt=L$8t zc3hzJTl?^>d|%|_;}jwvpNP&}RSnm$dYH3TWp%v9;i8fc#Dy zd71Jl!=nn5bB{3h*@a~!oSjt%F?D3H{}8o?*=IdOufIe<*L#inw)+{##d}BWZ*~kw zn}v&rqi|?a{p>gUHXW@Wi+6WC7X$M1>z8GQbr9R8G6QOrg1#Q64WSk_;0RBAc)?T^ zEcV|uFi|T253QT%o9|}Wegr(M{)vaxKe@5`=dYoE^iO=O{`qGJ*ZfUf_nWx(lj5o$ zzII4xbKq5n`^Mx!HWtQ6LMY_gqN5gEku7hfUidx4F@Ll+GQ|K*+-v7sn^%WY#)!`> z7Perjp>u}ht`*SfNH%noMxYPkjd6s>t-wz5{7bES)}YDNk|a1li1U8)AKsum3OxLF zqTfap<;8B8iDZjG;d$b!P+@WK?=0yeJ}Cx)(U-UJ_(ib%J#sjie@iv$0|f{@IvH_0 zQW~+!=`OGSAc2c`H#P+Nslf5JepqiX8BmD-<=gP;1_#rWG}eNF5uGc_3=>a6u3C2HE-YCt4P<8lSvF1g2IF&tb-2Ouz zSeHgqw-sc-jO6XUSE($pU7)J^V#ABnwq>>$n{3e1LxIX0zZGDQW4hz6hyn=6k4D$n zCP=+7q)j~}LiphQ5grBmPssyX{*YlU&>f&QrB z@RUD>H+67II?NChd1Q$!qD;`oa~i1JbgAb*(~$v-@q=yd z=N;%>_377?vay(XQiX=ui-05l-Hxq&0qEXmr&FJg1xm(8&kZ{YaONZVdYAsbIF!UoYgJoSGWBLU$phKl#!h=M`)J!LWuDR@9G9jUP82#*;km@DF} z!G3M?4e?(m2pkyYU0k<=8b7K?>ux)^w)k3f?sgi^{agxd!r{z{n{113(^ z<_>0iA#Q=M*)=^D7#-x5+O0bXDc8LH-Qj44v!0Ne@|BnMWE~oeU^Yp(k_+jbe?3gS z3gGOo__am8I^@P!{L7SvQ7mL2VGhT6ZP{35oKT}Q4bO=q=D;WEP>qh7V)FT} zMFhNZMl?tv%uCi3D12Yiiy5i`@j2zZ{drZmagS|6WZVngzvnAyg7INzN54M5^GXd? znp#gU)vDlJpZ&*=p@a2f=wtmDs#rgU64sAliS=Wsz@ZD-^6iiMV0b6L|LsX#u&}e% zs|0%#bf)Xz-IO&tV(b#anPC9Z{?_lR*UVs>RrTGVqug)jxdqYkdT` zGd? zjRz0IFKu(Ac>$`}|r~(WhWoLaiC4lnm2yV2^av)sw zWL%GLCjXpqf=CTKk4JfjPivsfr#}sY5>?>S^psRdunN4&k)24|!uYQ=vin&v^-x^D zkGS@4(w*QuGIG-qg|%8dI2bcWB^$A?Quee#$(`W@{){H5DeJQ_o;C-n@n@4P3|csU zPo>aRhi6AU(fLcL;_H+rA{hUzZguVzXJ`pe7ewx} zoc+J3`|78zqOM;`L`9VD?(U9FcXzimf^-NfozfvCh#-QBNC*;3Q4kA7L@_`S13?r) zu!#G;kLM5Yyfe?8_x{T4`OfB?eb!ogtxw27`pGzwmR=X6?@y{t@=_jNT|L^Iq#_Gt zmIq${+AR-r7yO0kuSsM5D<0VI_>yKWj|<#m^BsqYc@UFy%$k=VJ3-HKPmCX>5{l*` zCsO>#2{a-?3usRbEE_NGo7pUd=)?!F9WK;>T$UH{P*yBj=}d^7tgVJ?GXeWqUUZ?< z39mWoHG=-HZ`@7olT2VwTB8!_fe`ZxIjU73M!3)a?NTZ~EAaA>F_$bc;?{>@zJJu> z2LX@8-YA_AVx0qRi6O6S*hin@%M*l+^xU+O+g1WZ4^tOJ|KkwU40A zD(Tjk4?ZCG;5}!LvM1z`NH4H2groPrq=wSIdtmKtqq4=6^$p%A+GD_@N0;GACu^ku7MpSv-a}InQ|j1 zKFSOtf}UsDnEY+s%|aAk#`EqZuOqnHPL#7$CPIqp$G84-G~mn_PE@8KhQtIGZS4MV zB6rTt7M*%^DO6oT3hoZ2 z)^QDqzzG#2(MdK1c;ZyR7?&vy=Qn<6Z~h_pXcip)#`Z=D+InZAV&l9}x4BUN>lT8Z zQQfm^`4yiC^MC&b&uzTufH!6vgFg< zDjlMzzPCJsl13U8Dl-2nRhPy+kHE_(#j7tZc&sX-{#_=RZky6Xl^rM4_olsNZ_lD! z^^g7YGa2wBl!tp%EERhHlwGyoX9*V$H$0t6^MTuk)ag!WxxlY4Zq*gF>4^A4g$#eR z5A0%i9)E|`6AWq$4w?}Az#q*|X^&kg(4o)UWCaAgO8%`2MLO>G=$FsgXY|+ALBD|i zlBc5!5Br(>c7ycRspgi zM$Y$01@p}zynL+J4;plq?>0VL<9>{xGHEvqn5C zjCf~;yuOVQ@<+^3rn6qDxaV1T@iutt6TJPI0M>-xS9j2<&{RF)8>t|6969<_I zI*D0Iye0&lqnPvWyJ@Rpka0nNR9UViaBowEtW?^9AlGyzb0or@FYtcv|J&Ao_#iEE z+?gG&<%keT6tV$?ozss_&_)g2b)tN1OfX`5z);nW1MX+^`cZ8#!{7Dd*m^N+y*0L8 z2wN|KtrvzbsS~R2IE7%jMfqo53?D>Z6eEAbXN(y3iFtib;)SX2W7ImQ1>nxubm{Le zyg(N2Fitlw4pKfDR7JB^=t{6va_JjUaC;YGpnE|G+#L$nwuD9CqSyAQdV)B1A5nm` zE`3>@U={R5`CQhTwH$nxfBm4#NDh|TA7*Up>!Cx=6y_o;q6GZhm4ctqjzCWK;EO&% zH_&e0kD>or9BM0^-W5V;3ooYS*s5*ppox0?dZd6PZazy1#j8iJbBw@vSnJIG90Sm^ z7)tUObU+ylWU|*Z^q@$mC)1wM2srLG(yzXCLVx|>xZt~@+Duuh5xN@pfBoZl;3F07 z(KSa-2$^|*Z1{*2BU*J$NduDUE70`%TY#k=X*Uc zJgNZ9oV)3nk*kE7*JXDUONGGRMku~ofge=)J^J`v2>z)*zx<%3;{j_DlA`+~g)m{N zH2UgW5!`r?`8koM8-+8A+@K3CfDC~upIP@J_(P+&_Z~qn60aWY-+F)_s|Wb7dcX*) z2Y9i1fFG*|crZMeJcb9;#PDD;7#>U*!-MHycrX#%=V51V#NS@%2N^55arIu z92IlSfN&ClmERSaV3znsQ*c*4%1#Mu(TOU+?GI9o8vW_36j1L|vBmvv>WKAtx}&~4 zGfYzt@A~pp8Z2|C_g~YNhRpVFH(wFvNNAsK%{bwGh`HL?RAmr!zN0vmDLM%CTB+D- z;75Z07Vqd{K)5<0r8%$U@{ypw_xM+7+NK5U>$)Dx>+gZOiMrn8G!Xi|Z(dkAs9C|B zyp)aYEl)IdjG8rbj}@Wri>=$0myWLc&h7WL_C)c+sv2p@MX0a;bjs(~H*5p-FeQ<1PX90q-t&wJ6gE^K-n>uW z8cyT@O`9K=0BsdoC^dN{Q&9#_T0E6xP&zEKi$7_TE<#;DcRsB=twBygF4MP~XKQ9i1)M9F=Nbc5ufAiQhVgmRw`svO=OnQP{cb_Www!(GIXi`%Qm6qGJd zLb+!I2)a-&+f8Xn37bC(S-~bx=-Hj(V8Ei_TAScs}*FMmHsUPVMmO zfd+Asa%2?~3VAz5^x?HMI&s}6j(T1lg*+a)lSaaY&ge(D`MzNRHmlbpjtzQn`~J?J z{?-79J+OR~A^8ZDd>ekbw2*+(BY1y(v-N_8p4he3l0b|<`0sj&xa0GYAq$=JXOY(N zt@2A#jUb_Lvkm>Z0tb#-xxR?+K(;GQ1XffdOkBRCT_RnI+$C=mIOG!MO?QQ?la5OR zokFV`v#|{DrJnK)xn+;kzl{>H2M~A{n>96?L9)30C_8qqkdgRlqf(M*;yNszXnIQl zwUfBPGfuUo=$kgsN*Zm<#^nlB6M;Qa74C?fs;2y0yDp3tyWA_QKZHV!{wS`bS%O}o zpJ(x;4X9Zx%8t8gA@1v?*|`M%ycG-e)1U98(9ULNsS1@GP##q$a+=v`v4HY~bN6=R}#z{H)IZFri93B1jbzK4db|$YNxgvx1X=m;i z5ikNVnv`R)SM<<5TOu*mW(UMRmc7_iCIfx)t7m}RoT)Qr_xMFal9be zwBZOXpHrEc#7vORTVBE5nlRK`_Wbd+w-K-{sQKeH+Y#6+)asV{CkoXHLvifIB($*q z_{gJ)t6=bf%wvr6A%S=CvaVyfpYR=9s$G?h1BsTWj4hR|SiSx4_=o>D_4B{;(f;lS z@BaUNJzoClS#=g39W8NKwPmMy$}C9Gqt5>&)hPifm*Wo)i&`P+eYfA4w2J_9%=hf< zN`6dV)Ev_nmB;i&O)z~?SxjG43DXy~M70$f?-a{SfYWKw|8R1JNnq~|GR!E-v9USepIpj$Yc9)#`YtP?MD&Yj{@%f{J%MG z|9&3+XXkBY=r6x=W#})zk{-hsEn)bgZ$p3imCHkT|KGpw3-9^)@4YX)=jVU6e^Knb z@nh%B7&~v=*m)Dg&YJ-IJ)i%-umAV=g_nPd_kI1hzjxJ3B~Gg=deF5~mhWk!1u|?R z{l4S|Fr3xX)OaHh`52Zh#gXblv16>Dzl# z7Ve8TyqRV2gGbEjF<0`1(AC}4Lf)euFc)qs5cne&eeL5M8ug8VMr2J*Sh*5j)CQ z^q!RhQRnq{3WK7!>xU}`Uwoar2$=;(`Bu@Bgk3L)~^_<*=6?N=rX1FhtJXI zbHr^rN&gJ=b%g(*HDf9K#V3ei_yj^9>Oc4d3k;tih~X1NF?@m`ZoOZ;dVqM(v%kHB z;B_rg@M#J!o=X>jn;&E1iiE6?JHrVfeIEgM#W)gQEFuOXN#9fLSqc0s?GLI}65tKZx<)DKY*#8^(X% zi<>|7_xq*6@G1u}yb2A5SJ{u@RfI6S$^mTNN00UQ=&=4Cp}zCTS-klRZ$B3A{_)liYVA6v{jY7Ivg=jB z#XHU@`4FSsM_nTb_r6QY&SeGf?d_&FihR+hn{8VpeU`ZM-Q$l5l$)N8C^}~M#MfsA zFfr@s(@4Uy}XQowfAgX?^wOh#!s!Z@$2b$Nq~S_;-Eazw3D+XZg3- zGj}d1a2T90UDQQ9aryzvlAJJmvp$N1nTOz)?aY1a9VhPRgEt=HeLi^C<9(hrsjDMz zLY1I*_Y*79m-2}C=(YxTp+0PnGfKo$8KXBx{mTr`${@|cLk!vMa{u+`gBSmU_xa%E z_u;)?;LWH1?emGZU;W>%|MB9l@Zt&azTdz3Q3lJ`Qdqv0!SXeM*YO{GsUeoHC83;* z*Zqo!Fgjqzt^Z8=2$)<8w*l8!bRoB-fZR0!^ea_9KM5>EM~FvPtUsTG6K679-0C$^ z2Oavh?~o28)!gIF@i0U>@0aK3W^|zP_qAb(9ZmF`xRCAf1i^QGMa(3Zz^}Vp&(K-B z>IX|#m)bg5Bav7-74HabB&duI?MhxsAm9e8%A%KjftdG#I!p0o)JBBpW3x`W&+j)wxq6P@pHEHTe#Pw|&)svl``ZjJrw=kYc%iB8;{)Zv7C=_gY%TTK z69u1J+Wz*+96B7Ty~_7mg8EujdQ_Vw?)qf=6Ls`e85%f$yh0!$lM3WNhmPO#l|vT= zcpnE|*bl*!qI)mwr3Uz@PLgqCKRDOCyVLC#fLv57-&D41!KK6d<)7>gK)1MlZaGA{ zf!0EAKd*-ueB?A4&ED@0;m6A>N+Z0G1gZ0n{RBO$$82r_Cqy)W-`pfWTTBCH6>j&r z$tXZY*RKug+X#9CUUf1CX`@>@g3(>8+@Nv!gGF@cE+pT?vO)KQ2cn4rGXsTqf!|u_ z?GECBneX4_#=U~z(WNw`=}yo=vUqxRhbR+e2!CLiYx9H`lkc8{-wFWHfxaV;480*M zh?JA`w>{#LEpGE!uSBYj!`Cg3n*sNO$H8ouYr)>mOmEHYIOwt7-#TjpIhr`}^jWoGx0-tLSH4I!*iuSqkx$_X54^aHIxOEJo znX^YN3B0gUN}CDs+;G@Tr|y+^O-IeQGhVS366O}B=jp}+xIwby?7c;PMz|fD+H!M; zAHt)^f4+FY1+b^@ETn7|hel6v4mq3#RkBdT(}TS~2+|@)VjMX*>}i^h7CogU1T_QW`ZsD{ux%;c1Hp_4&@w-};;ctIv0aPTZ}ViJ<5}W))mjrR}F7#OI!XD02{6 z6BxAGplm`W>U(c5%AAFB%F@M?qxFDSZw)UV67Tyxqr5@2_qHK4wQU;ad1wRUmnDvR zH#@X|!cH#i)&p9>%;K{W)<{W^V_^4yE^a(h7L(zf7*1o36uuAH^lQplRw$swgIRM#j}>v>m(^<3j(yy`0F(1OH^(cRfYUVU+6UuqM8vhV zlz6TK2|BG=ei?0q$Wm{G3gtT7{#GUAe+E4XJWZQ>QC(*&ozT;OI-0R2M_`YvJ6JKI z4o#GB#(cjcqHHxgrtGH)K9zx_;zu=M|MI@|!{-QoV`;39-;H^q`TI|`ee2aAV#iPQ z>PHPA^XRO89)mDH^aG$D5Pl{xnH*NldavH0qyjPO59^XKRPbKLzWp%&UI-z5Mb;86 zgT?26Kc9V+2b;qsmC-c&bn;^-ML09zx1(941*A8G?n!m%BbJ(c#n;lRK&iCOpMO9a z;nhQvH8rL=9mfS_>DBi8mD#|9=yZ04k~Z=@Cm2DL%?9~A^zuS)IN&Fd8UGy)0^d)6 z>X;@AAE;BuGxM8rgYK}?mq>1XBoN1FdqYbh9a*!7E=ApCirq)8?V%=fS5^{hE?(ss3ccRVtZ5xk2dsf zFkPyJ^=^u#5x#54P3oaCZ6ZOFSkC_bRAUnCTX(s@ zYHyJ~X*CkLr!z>s5eY^S>J=*6BXC;L?LyO=J208Vm$s<*4&^5D-~4Vf2t-AsIg-V9 zq4#*kd4-mCtbg+F^JRq-x09ux4xyKE61d~Z%dFollMl+#y6$D#wzX2w`Z**aJW>rDj|c9$kv9?M7_Q7JZ>yk1&q0V@ z+ZN&F&*JS5oPNm|{O$35LLCqqBXv0&j&zP)(5-oomL#={55zqKhOL0k73#Y{&k*n{ zhp`I@<-A>NQs)MN$iVyyzJjPrK3eeY!#!xzFV)J`jT71$o}OQ5=0l75E$@U)S+VCs zz-j--zncs5@7BlsyE);ne>V^2-_3!0UV}HEe$=nAq~GCzSi_uYF@GHhs=X8ch}0Fm zZ#?#>zDA3H7wzJ1byS0;foD8PI+P%ueRuPttv_6y7A+Xd@rJnIgS*-&bCIEQx6rW% zhd|NDd&acb2N1;%UM|ADVYe8!wdO|$AdQLp%w%T|HS#Z)A8{ulqDqM;V_G&aOY%h} zc+&xbPpuLK@!0{rT3uW9gEHuUN|))Ql8h!jXns5s%t9?^?!SoMs)wGj{PfO4If#34 zc?QK-AiVWSM$4k563uZ?&Lh9U|2PY_S+4I`#b=NZkaQ;W$tnl~SH&HN#}X>&iD{n8^-rR> zzel`$J;$pL`Loqy&`faX_wSEGpzG$;vY&YcA{KM(Jo)e>tRK@#l}t=W_on&|c4?Gi z@dt1J_TSe_{B}(A4Uz-FyS-+T`qB^(l1;T_Y>z(Y$5xqVN`cnIweetHS@8X(-StCHlf=!+|9Ath?Wn&| z;UNf7xBsqsGXU9MJjcH0lqK%`hlp;>Y?+5?Fsp0_!gcVErXYxD|BX zY;TbhdUCsSF@k{q9$P<~#T=Oj?vo69wdsX$@Ib~fZH^--?YOsD!lif^%fGs7R!JG; z9$jDxc&vk{d}a!SMfBkKdsXgdqjE6yP?AZDpch(dt#w}@T^2$eAAC^Ol!L+x9}0{8 z6<|Ys;^D^$XGF)lKRb`WEqikPG(q8C30`!L`$;#+0^azB_x=8FTmQf9|NY;#pa1sz z!u$W?&3AbBkN5ZS?jP@d@UBCdU4z1*$*Pw1&3&W6NawSpRCSU9Ji$BDpE z$6EW4849qd6*i@+Jvfo$JTI*Jm1 z-0T19t7xL;e$O7)3{Cj)g5LDeloq<|Uhv29uomq6=#3M7t%r&;PfI`DgFvEh*fV_A z6WzCT{Fr>z6!_JF=cueVl0NCh&T`8VR-(B?d~W4>CO}7pl-yY;nkI zjaV?MYv9k{6$v5UoYOjaak%|M|Kd03G5qJSCV zpTBBoWMc%*2TDe}GDXql>*>6)40N!kWIe6^ATJV`e@NT=njX5M5T=^MA6 zFgP3?&KMa&@HuHv?Wl>10=m@h8{u!zu)Q*_MryI%)zSdbhE_ zkwglTjTFz!f3QY3o+_}W-V+4-!g9m<3Q73Rw;8B-JplE69gTNCMZgaR@c6SX5p;%0 zD2Y>FYD0qc!e|a*PSh@Y)MU3VLANVw>yr3h7jQn%nJup3i=tDRsK^evLRDC5O4YP0 zpaSg^KMx0^UFWvV)SIku>%C-2v|o99xdwju3&x&SZUD1kj_J9SZZy4HKRBJX4yC`C zeAIBR4(fiA-~BV+3?Jt$@?shWA!xN;kFI0@owQzxnm%?9QrMgy#GiiwKYn?V81Fno zsXk{;Wl)ZwCymLX-9;M6W@OqUp3VfNbe{jl^hy)NDffQnR@Zo)I2qw0A zE7c?id-dI2r*7$^<%-w(g__E+eSP>y6;TUhZl|X8Q3GoJ{krqq+;w=DRGrduu@{PX zLQf7V^nQLLGBXjw4*PU zm1;mTMSdPFIrWf#{2HrmdJF94Ihq&PtPeNYd9z;Y>!VtM64SbV4X9x`qZ}Y(46T#7 zeJZpL=qS{CML6j~j{+<4-A^g#melp>sKPK9Pom>)EQy5mJTCQS_YJ9 zRK59*#11u`WnX{UXaoU+b{1Di41j)X{PGt^LjNvys&TT?08*To>eUM3fpmU0u-Wc3 z3MYE?_Htn~L}=*U9F>iMf@S{R$EvA7F7Yx#p)d;Y&b$BWap_|IO5&Km5<#EgKmJPU zn7@)C=C33J-V@8WA{zq1X+XdIp2H!yeu(I7&ar&tb45-2E%zaKL-r+Xc+(%US5wnP z{d{rP4|w~lyPLy_^t75$Rg(z`YjZVtu`>UxdRm2EbrLIY9j}J@TPa<&XRG1))Ab|C z0sOeY*w%X?-6(8{mC%Ot9{y4N&TzKccH{iNX&FA4o_yfak3HKgL-&pojMY ziQLYqg5~b*8s{+^lwjoNJtANTD&*&*ox6=dCVOCTIKmoHuXRXqzaj8sQrVb@M*n>t zA;t7=>c)a2I{WCLTa`8f%Bo8g@2^^+DzVa@Yp#Y6ME2f@(69uT$2J-lUYfzxU7wHn zwz{Iem}?u2KMY~{j8fb}A;Bke`x*IdVH=dneAHdMNgSdJhv@f=n?dU19)^ndaS)fL zJdsZy1=mnwV0%?8kXE>sdIiQqKk2bW3-&13bkifZJ6MJ3KmWTPHC{Y3W9iQF>g5>F zu{xl`jc^eCnEnKSQ>F6>d}9nZKc2a>`LYzZ`yz{_94+Du}PT7ENm zI_;BzCwA=oi&PTeXdt_On*Zd)8C+hzvs;mJ8zQMdDFtqn-X^3 zB(d|R4h@uv*Xwp4LVNdWx}K%=MJiba5@mCN$np-=^>t$}NE9}v?ydBP*6Y$a)NDb3 z7Z0FxP+BwBRsx!@A3U=DlpkCq;-ih{#h`*GVYA&+64oT|9JbI9gju<^_cwV6bAFub zi+^3A^{FQ4;PMv4bhp@nJQ-6>{ka6RZ*KVDV0!}kE+Rd)r^O8@9_f%gQjGy|6^X1% z1RuXb;!f9rAsR3#XJ&5M%M49Ei>685%s@YNTkX{ydf4m2Ou=+Z1DQYPu-uMOM{0(A zjx*cr$Y1}ZN%TP#(D!~pVXmbH@|8F4ZMjmTn=RkaK1yly%|of(?o2ks$uHNmq7!hqVz>s3)hR zqOU+k(p7qG(oT5N;L2pL*8^{TrPT*+jUc>!uXyWKN0QivFphf2?F_r8UDg8D!@5)# ziF%M)wD_NwT9=TnwVGT?YddW1?ejI0D1|!8g?%aZMu_DGu@(D$eQ>rOc<$`(gNDF;N3nUhsVse;R97g=Q z)kKPT!QgvH+wQ;3uZ?J`o)00k^4hnA3qF97m{nOi^7rWJloVsak#R7O(C*P5Tf*dWQ8gabd|JX z1`Ix?g3zQE@#&>p#6GVR%QKt^`yWy&y}WOaZ0kgS#?hrgTwdQtfrF{&fPS6Iq_sY< z3jOBjZ_@yYw(^^S`}JVIg`*blQ+w2PVnNr5LKA}Y{2rCFnxTR_ISL-rC(xx#`8B$$ z!C<~G-z{&U8-1eVskSw#fxUmkD<5~%Leuw>5XR*;;C$sb+aJLI$tmCY*M!XBqY2&j z55*BsJEKy^wi$`YzkXG`MbObK7}JcXAPPXCJc&ZRld9;~{hd^z6&*AwIe)s>=-JSj zZJmg(LZ)DCBG2$Piw*>zzl+&SCPJs4%WR?%HTc|Bv{PLt2VAQG3%$9j5U3K+VE z!xY)q{gIcsM~U$2`Ty0+;>7Sv3>bci1H&(IVE82#48Np}z8vgkdBP?I4C_AEud&lW zo2d4kJLd_0pVK$;+Gj*zP1R-i<4YRIKK*_8^Qbw&*KxLidoM4Hb!aDqPRSw*(W1Bd zOVm(25k>WLgTSNN;a4gX#*?Yp`LppweR zumqN{*RkevF|R(9C#|MzYXl=tjVA_&2zoEq1d2$w%{-8)+ZEd@Ck0T!Ez)@fAu_F#?gsz4yc|so_SASs;V59#W2aWYOxS3(T*SLf$ZL zY1mxld6OV-jK1C1AMm-X4KDSP4+iu!fxJ(wXZ@fh+))iPccDY5o4+-Y67=D-W%=f& zqYvU9<-5yvNfAVBJV;--NJHxEgTWFOEo9zFx9^^i9Lz<8WuE2GMMatqJ9U<1fpX?e zves)~XbgyLzL^$)ICUC_GCfQY#jLb_fj^<&DDY18^PT|YbV8Efs5}Pd-&=qAVQBbxbqD>}N{ z=DR)In=saL+;V`8!o-uUG6Wre9udLG@p#;Ruc`5mZif8S2J7Fw+DWS#5M`VbvrJ}s89NAb2B{E=wqY$$FRtcc|G(cao}TT0$2i&r zXP(5#oBLjZN6&Y^VNtydg+FIg=ROUiU3$9mlk}HiGukX~^XvfbdK>Tm8{a-EEGxnT zofm!<$eQpVcN-VAW$RsN&UeZq;1m~BMhE>mGf(hOO8et!HN_2CD}G(t0*8>7vi8VW zts&g^X)IagGJ@TsodaQq%^_mm&B%R49%?j;OP2-J|A%;fX^bx*i17vFF}{El#upIA z_yYFW@8ezn?|g);7m2*otLezXj;0{{t}EykxKUl-@&dl0!PblWyn%d~JhW%g4GwrL zmvc6FL*MEWMVARX&|4X0$1t$KpS+9p<_|QH+)Hcz98*SUf5<)Z_7xXA5LqOOG-t$( zKfzlc;>ADX^$W(k{=Fet1=(mdvY)C_pQP;s$Em<`CmAcz?|ni{yGAdd{@eu0+RAG{ z73Uo9VB3xG^6BE=HgcK`yFsUD-(#j!d#FnJ@|dR01+t9vGj>n8Lum4ZxXT|0_)e$z z*!Rvcv~T-YD0%ft|4KgKC*B)=f)c$_*ET_eTiRsEbI?7 z9O+daj1lPZaaCfq{BRhlSQbzB4uNE{Q3m1<)vz^razbh5G?J6amXX(s0|lms7X#%) z&{pof(UB|K=%jgUqx(J@IKbRSPLf8@7nS-U=)`4;vM%>=ANSUScQ#3{yJMZf1!^+E zI1XO@h_LJtO@du#g35P<-N2*z$;V?~9bi@a=S7$CLL@{r`FhE?6NP%&UWplM2J@5O zmqX1jffh`^b$HwgUo}sD$cgDfdq--&N~UDu?zfj}pDvm23q{oxXrQZ3Fi#Za%%sae$Mgusnnu|S_P=yTI z5i@~XMktM^VL!1pp)d15j<%4>62`8JgbiK`L}@X%iRylvqu&_{F|-nvAVV9yyGq>} z@Xo)KAF}2AU){*hwC1WatYSc_{58sPP7xu^_$rw*LXc_Bygm|)klJ9{N@<%2T;eO1 zoEMD+Rkk>%=y*%yTxD_6&?pjJXzhE*+Z}_-wX7bPWV`!ntF{*+Ngi@04qAcDpk9%7lP79^6smaQ zr8Rgc_xdPmnFD)}g<71E7rH0a^F8L3A>h@k$2%{Z6q`>RAXSA6Pkh}vxinD-X-;Yw zmoliV`h0TeQ36+Py|zXgL)0!kqDt2x1+&+@p4wTfgAob4UZbEqTq6-s9oI5ILT_Ry zT<8>Fa7n4MAW;Q&?+xoYm2ZUk%Mkw0|KJ%sF+778hG+1?@C=7AJc9=WsQQ{I$SES* zU;0dc>^zZ2L+9m=NE3MZi_>?Z(i(~!vM*nIri5;MlIK~gv;vCsuU%PWHAvyRP@uxI zV?fufZIODl7{sg??+4jcA(FZNx)_2UX^W)I(XU?V*nC79jM#rg^!RY@K_e+PDQt-mPhqEBxzBFTpQgb$i$ZN7*9o{=m=q{?G!kOj%AOxL^MN$u zz5?Z=hA@sgI?=N|KUmi>g z3{RANP5|;j0n0eYJRq`)es#eq4@ne>$dO))M3y^8iwl-cqCf$yHl>4kD1ZEj{|SjQ z^pov;9iwt4EKsiZdVkA=L{3fJEy)b{EcvzMSXdei%)YH*96y8jS!`s8e9ohZmqVoC zc{LEAp7ZTlYAx_6Ph8Out%le69ZOmiry!stX&-B{7gC_5OblK2grwj%{EDyL!Q@Ss z#kddT4OCr_VtHE`8M+v@xncUe{k9qVvs%kG7v{hjI&{_QS=ob^CmH zvd5`%GN=KyTsV=-v2qfw9&&D5{Bjd*O9#o{+|yymdf_eTOzmT4 z^`2^2yD9(MgT)v*9lLm4*~kcbYxd?}VMh>9G2M}1aYn-?>tI=lyB$iAYUn2^Fag!1 zT*cBiw&+!hNPfVUJGh285kKCxMh5Jub6;4j3B0SS9F}=1G~Z_9zDVK>^!Fy7N+=&f zii7j)GA2IAVaKNUX`U?z=)cj=baMh_yImWbU-iLcM$RzZ!XER};lt)}`>}Z(9X5|+ z$L4WD*gTE~)ID>yQtS!3M3ahxx5M**tlZ~#PHj2Lu&CV=JX(nu3o7n9ix)toB2|Ap zu@{IuY$2_cv;@~C7w?NwHYjZ2!_jMuoKuOe~3Yl*9&sca!T4t0gZOj%#>+%D@lyY3fqG_RBzj@25`K{nQG( zpZa0$>G1k0*~8%BpxMJZ zwqO+)5K(r<1|CRgcwCY_jN1>iK)2g_`HT_r58y`DD=ILQV$)+o@GUE>rd?C6Q$wjW zTwiiM)u4z?{mBhiSx8wnW>=)~gX!9uN2x4#^oqLg)#QHD&C-as8;A0jt} ztwL*&(Nh+c8nZ|k%5@HZ#~BB+a~7wHWa1!ivA=YJDhgOkhPKy#$6LZRR_qf3A5)1ayUG|8<#`co%FoFdpou~do+PLS5c<0L^{ggv* z2=jQi-9c5kCTgJBLvqq9S`E~G$aiLMm>?;wxc1v-DiCVJ_44FfRd{r~STx3i z&}2JF_^x`rw=BaFkps^-gQAQRoDM>HiX=`jR5P*VnC}L&o?#S3hU#dkRnMnuRtUac zQFknyV@J!&{Vl7eLh$*~#WX3Zbq#WBL$QE3LSMK}SKKF@6#nvkh%mm70LJ&(8T!lj zA;I`Q+e1E+p1;3p5^#t#9(OcL{7}L5`4G}{7x+;h7C%w#2veSGT%%3?=;xpEZ`%z{ zK$omzz7uJUI!`hNLx?Wuj#$y;xAGyA)bW(VKedpeshM-LqAqO9j5ayy=;5Ac)iAtw zh_x#O`_G3CA0BK*cP{>HnmbqoNzc>8X780l=N6aO2cH7CH~E^9zu^=TGZP5XZ7V}! zN7uLXenr9c-4$zf|^uD=r`8$aA|UUsRwP$)&j~VKpF-ff^DcD^T$JJNG_S+#M{)AtLx?$6XkHOH*`HHAe9-)-d3m2MeG zJB-LbGReb0+7q!F953Qrr`ttlY0gt4|=bD=3gVbz8Pgt*p!;zBe z;qn`S@MJZmy_h)zDXE`3urVD9Qt`&dlESoLUKf!Nc7YDaGA$xPIF!-qWcakR=Rr^u zQG7&E%>a)*+3T4!X~1=F!NS^4fjVz8$F76y0gI~VVKdHho3XY8E-1C{f$m5&ojUPW#GwraTu4GY{+venG~%Bbu3too z&nFF(pGv~b=HSZ2_o`@JpKv{~C+Mu7+?Tj#k1TMCPPIBtXrXCtUbpfde%yYMq+y#~ z`!`YvIso~{4JBewnAxnmn_eQixiFV`cjY+f)xJ@ryYG$c7oW4e5)MJ0jdf8weZr8L z*`W|rV1Ry5ep#>oDGK>U!q*0f1wi0OSm}eW3}`Z^aC-ppLABByCf9>Dpy#`HBE%^W z={FzKSpQ%HQdtJPe;O^}MwQMV-Vs|g*<}0aho}X#(QDs$W0DU|3*22xP>cQy3ei5C zD2BdA56Zt86~O(h%-!v0Y6(8N6755l`H*>@?kIC&D#7so?-KbiBCdURR?6@IJAsne0b{0cQOKS5v2Pf!!{6I8+c1obgLK>}Fb`s)$W zMP=AuofmXCOcC}UJO86p!y0|g6+gU3pMZz5>SFGjl1AP=_n1~o~4YB)z^SY{8mR8^u-I}J3-0>= z?|Jxlf0LvO!1M7M#P=ZIB+I1)j+x0Fm6z29og3%= zJhLLy^*%YB`|lyRy)CL0@ktXdoOZoC7%PR|$@FJQ_sT;OSJlKLg1($tjgv0}r4Pz^ zPi=hQq$UXN?|%RXUBKqNO$z&h4YDVDe)N8?El^nmNY6!wLqNj4po&IUG%vWIz_;y& z6q*++c+ZAF#%tRfuZQE%Yo0I1_pZAFr|xgZPCEo%;W^SOgnmpFfBM__@Sj5)RErb` z#ns`!3*p$?r7@h?X?N7P{(Huc!2t1y?(3wC)`3OA$%d25vaoMo_DaN}0lES~ zO)q6speJK%?PG!%Ea@0mexf=G8=^sYj;SUN1#JwS^LbkzG z;t+HekMEnTIf4Wfbe5)ed?EDXFV&!9K0w_kBpG}^66M4=WEI!=VEl`J&!-pazx}y= zmVg^=sqcK#XADb(%tJlkgn~yFpAA~*gL6~aoqz&0^n&iv5t$ZI-1?}O=Hh)1oU(+U zyUyJ3zikW_t-t0z#aRH!HTB-56-)R{W;+iP#$fYl`jV385#(_?k;#U*3AJq&crI0* zLY#(j&ZIi$A*zGbprgMOQ86n{eJLdHd7RnFZ<}7i@FD-s7skuC#fuLN{FW4WUPlOa zu@uq=#mgdr)lr#V5+TSv6+dR{$`9i`TxP4Kawy`w*=Om~{4hhbiz=n~-}PznuE)E7 zy!wZD^{DaUukg+{i$eUC6bbc;W+8>JqK7t$Ot`9=9YfHc+V5)6TrCA(owuX%eY3+pOTouX6XMkX*3+ zxD+`eV}|52KSaL^OhGjd*Gl7!qagK3>YDKzZzSBm)6-%Vj7V0$&WEY?z!Yf)rN=~f7XxYI_k^Vxk3zX&q`r!FHG*HV>s^diAhMyoTdLOv z(eN}rqiHq)x|iY^pFUVXNvZC3>sM#ge802j{vk8K8&B}YE4=*^yz$EExm)qiMRh3r zol+30W`=|qa_bMOXo3jE@q-4=D)8!OSb%4SIij632%#HRz#X5Joz`DilA6IPFT?pl zAwzJQlDrTregu79vvTDk{GFu5^xCC*Lx{^v%lR^B4tVETdf7%J$ppL}g`m-`*=`$T z72O?9^jZuWe_V@xwjv1shrRQR%4*rxv?LW2kR(Asa?U|AMb0_roP*@7BBBIIk~0zo z6%Yw35~d0&C<>@3pddj|F)N6mLVtZ+fBTNTPWK*tZukDnn4_pwUsbJIv*!D}{_CWC z?~dt$mJt73dz2vD`hH_D+dCb~R@#sTR|c|8RQhe_%*_g{Is{$xnz2$yoH^VNb&Rs9i$#|HVLEPmEFhyx(30|lF=)xA zd}?qBCiuiklpK6)3V8d2cRl`DU!vIhQo+`j1h&3}u=S;ituH=o{`~dxA>R4$@5TT1 z`HXk|$7Nlr6EPs@+^INS-qXH1P;6NI2IS-x-bf`Jh)}Uhwqr>%#zqEE_6zw?ZVaVbA>zM z+=0Hfk+j`#VVumL)|4C4-P-HDI(7hFeafHl`RjftT(iT&4{xW#l}Dm-+9#^eg?`eF zNzq(rpHx;dE;$2@`ZPc6NGj0aWqs!MsC3--M|kI(?N6TSjQ4-t4;1ftwY&7mHKDBr zAU^h}xBbN>G&1}90=;20TyzWFIag2tVy=A+N|&3_)ePmWg-vvCw)|eg?68x<;2G5V?YD9N~9uK7F8(BBr1WXw3t|3zA|pU8D9Pg-rwt& zW|4WmuPM@_R%s_2v_e*USOx|XG{B*-{FA~H4G`{1UHHtb1g~VKa!0mRz{*0S?1s4o zI@ZYwmARUP5wuKmM6?am(AT4qpXsCyfQQ@_Z)F2I+D7L~8-J*>!CYaH;1g717st0x3bm?*w79-9 zLu0>)%~g0TVJtdqh4ir^YJT)HM14XI#wYc|!p$_`OxTC}(wvUy$*ILW@oxt3uqw7O z>7_Z4#mr~=JuydF?OBOpgQ(ITiAVd*R?CF z4rsdaJt)cKa3dfM|2p+xHM6kea{A@8*PvbHb_uxSbts0{>Nq)#0A z#!Uu@)UxM%!*l>QPXMo8z_$9{2fgPPU?upxjX7UEu!PCG#~O|ygL~W+=It#|PWu)m ztDl3XD=jaJh%UgRT8dyf{{qPDktwOK&IZXW!^GObYsiBFcm{Hdz=LU;hIQo(IEkJt z93038y!mIm-K>N!TKNS%@G<9NTA(_(xZbj=D(A1eC`Zxo-a|FKA z+`T&ayPkylko_x32jv8zk&^wANR=^q_VLW5qlhq^sf=^KJZAx^EjmaXyc&lh=5l$4-$Fn%25~7A%Aw=RN%Acd*?aqgO2g{#^h1OLDZb0 z&-G4!q!Gc&NGq-jmS_Fq=JwekZ-Yw~NnG}jkVCp0b;AaJ5feXqwyBSMKV;F{xG42m z2gd7mjVUi$g3SSGk(OLn#JP|4wdr9^@TXa>X&SOZ8i(KAdDNr@R_B6M4*C=!nbPY` z`Ms%#ozwZSCPzMcT;cU#YiBi_ZP9T(6GGr?e%UKG_`3?@E$d;tWrAU!khoW%UAsWE&lHw&wtv_vb#m}zxLz%yT=FbeEz%pgSY+vw0OMZi8mha^ZwKR z;_s@H0vJDV2gVPi!1#egxX*|GjQ{`L{p#-?|Npf0@=t&M>-qN2`1~_IM<4$C`}u#` z{Q2*`zv1owKk@(d`Q)GR`G0$S@a{i%^rs` z1DUJt3dP9L?&q$yU1{)U*d<#u`V8*+kiXk+=ui89y*?ao{D1fPfOr1jjmNv*@s20n z{`?dFfA;OjE20MhccXV!(X@?wc zeU`dTGCzA7!T-72Xp=lr8OgQuiab9c1+$zJ;`yQ?;P-ig!{167iOq{S_hs-y+@!9O zKHoWDsSQ@^w!DlE+)fQ3HaG`W54i={V(Z~toDqH4-7dsz#`KYXv-0+1|jsQF(JV#S$q@ zI(#Wi^g&eCX&sMx?6L7w$M`%N7@x-y&1V&x2r)k}>ogy$d`a@r$f$bOpxX z?>Xrbp{ORKmO61T9KmsuLNQ`bNM#!d^c!&mies0O%%AE&&)7K`YJzUBypOCkMa~Y0 zT(c*|2>wVHh$J$n=*>WJlei>0Boh5>cU<;6>J5QW=8{Kj+@P-|;Tc7-2qG2<-0{&$ z7qL-mNLi1&!MXm_ZH3r4-1R)a>jMj^#A84@_3<50kA!+Y%9~t%i6HHFfOVcb7Fu>( z{8>_a7;G*4J&$RXBfR?A_Sc+@VX_h+w;lU5)Il1Z3<#Hd&nE^gTo*4_G>QU+K*|H5 zMP(GU+j9Q$E*^{@?uYTiO)-ABJH`*U!}#H*7(d(@cxVINa$7x6LdD4KZ(+JX^O`K{ zS-t~`;QX{ZQ`-W}1_IaTmvmupreEx)mkm_9)#YrAMWKo1LmxgT#ex|Hsq}!_dcWb< zny@bij{rq-#9mdgL}XRhOnX(t8skTCV0;x0jIY9p@l`l6z6vkKS2>8ApWw*yR`-5T zDSVS%cJ5cNLOWpZkDv3AHIUoEu@ZhV z7nefBbM>{0bxS^+CX2CYsgpt_O_q-DM7@#5B?emKs!WjU5x+N7sDN5H?oW3S>KlUh zZ|=NXYl0qImraG$SpjcYJIPlyLOlpo_O+@?0&iesJlsae78;vnPQ?@SMdu@)X+61S z2hXLs!`xb|K<07N#RU>~G~JqX`{p?-h?R+7a^}r~1A|K^Ti&KXM3@+HyHGADzO`O% zt|!zd2We!f*-sMsp_k%b4Seg5_RY{)X{n~ z?Q-+QC=_>WcFo~i94yO3gd6j@A?DG$rp(#8u->m=OFC}}<*9tvwuRl%_h^!;0YzhA zuqoW_|3eo{QVeq%#V(?u^o#Q=@zFq)P+R`^MGiVp@jHGOQ7(LF@-pYQseson93ygm z6v5Hn?|w`BZP7c!w5PX)_3BOwoP-OVO=;&~}Lxs$G* z?_3_VTs#_=d7r?;I85|7V&NjXEbb0G9$3kS^`6hY~b0GNT zB{4Bdgn+%@Bj4x%UvQIBJ#ch10a_WVlm>hbL*pEOUf*mj%1P-|vMsJgC9An^OP|W% z?k%G`v=-%%xbI=Js&+9{*=z1{4?l@}fBwd|PIvH!7Gzux=6iT182w^Qvr=o+hHDB& zB{i$+klmf^ByrXq+FjWMbeJ?D`1;pMu}D{VWB90|Oe6*Urtv|cDsE6@6Yll(qXXC! z-99~ZI36;oMU?&Poq*fTXsM)7751NUWiUT!0P?h4LqmJ4k?@W9^nf=CFn3c*^w1SU zM3n!kV}QVs-gmXu*ZO=PlDYAlB(b^??Cz0d2Sv3(<{+76R6sK*86}-^N$*Fb4nHyl zYFYueUyn9O-~MWdP8t`7-8v-?{O6AjUiMW2S)U1`yEKY$^xd{w9>G5}lBR{>=MUw- zz5T3QB8?9YhKPQb{;Iy-W`BzK3#0WsJ@9UidsFM82+`Nq&rO^&MpLJ#)~_5?0#cs6 z4b9G`uv12y?P;_gI-*p%Q1jXplD1A|U*Bs8ADKzl?w$2QOk?g5Cy5EV$bZ#u(?f^s zJJHSGlu$bxAD^eN99Emk&ME zpS^cr#9I-S$_pH9mZt#%{fDaL0t4u~H9Z&0pariQo~|#`nlR8BdV5+?9j3@s7(HKT z!sBP>NERb?K&)iXvC2p4a8oEy$ZEG23W4nkQYB6lZ6L)TMMuNa^i+QiWCyyc&*r*B#zA^gd^{7H8iT}7O=BrI#2Df9wcu}>(HobLf3TQ zb4w8e-1Q_mhxaB3p@Ti03ZB*@Wo<2ubqK?zjeR?Yb#-V+s)&FhAXdBE>7SFU$5 z4!HI2f4+Z(v3h0!te#mFt7qoL>X{|5dS*V@JA8seN`ePO_e4J^l95Cg5+;b8QhDHz zOr_M(CtMJy>L6d7D1*ET8TpwPSOG7u8?Qc#-@%V9+`tjhIDOq-i9oI)I-Ay2E-+8-PyF4&3l^UYjhAkOp|Tq~ zKCdY}fI3OWyw}tRJpGlD&tH;*nfLc9(tjTUn{Iu&YZ{WU^!@2A-w*;1k)3xn+gk=` zEOSd7K8XNcJ?7~~*?1ZH6c^cg&Q`z8!<{i~c$f5bypY_C7Ix`Ai(Jcx;=}GdQBV`K`arnc`8QpKh#) zrx(f*8{E&HVuQLk*X(obqak_ReV*nUE0}o24rpW(e6~m`6eC;_VxE?v`s&FDBfMW) zlX(vSHxDUu{yRokCV3^nUQOE zqNeCWe%Le^Z;S}h1Pz5VDSLvHKv>&8^c0a6xS45C+`BG^0!;VIk$#=m00_*Z-w|B4Ovgyt?BJ*`XNDCC(`CK{l4 z@`;s`+-k7KTbxlgs0^<+LVk>iSfR@$=DU6hsABrizpiJjy~jV1^NbIcRj*g~@8pH1 zUxr~v%0xOo<6o-JBCj?#ced zRv`nqo6&Mt;^ctGd4ufJS83e-O@DYP<`^%<0^_A(#AT*pnv|k|H0zT{@vbItTL^o|7#m-q0<(mjAB2Co~tnGNxt8KutG}7@JLb0y_Pfqaex+m;$&jsPi8Ost+uiE63fz zjn%i>EuIf5XidrWuH_GEVA@7+$SrSJ zD;ql&#O?v4H*`-(52mBf(JI<@gum}N*1ab=)&okt7hi`{`GRMPad@F-1bW)l;7#$< z64`z=Gom@@1UakH2bYpvV4V2KQLP9&_<3mmp~dIcAebs)U+x+TpGD1gC)xXh#@+YF zyp&~8y76m=G}R2mlTP#D{D)*XrYgT|lI@G|o`(}0sz=U+2muM@HzqSveqb6_6sSv; zhN+vmPg`j%k+n;+CbN|&kbb;Qe7{o+@W$iyuNh%heE;yHINa8o)cwM3k2qeW6DwHT zg7WCzp8ixDxU}zOHA|BN@|rpGY1Ky-(uS0HQ(|<{yTvxoJbPJmSoW!mZLSiW*3Np^ z^K1|Dy(lIgW}^Ug{tYYRyaWz^!05TUE1IZ`*2i&SP8w)ymd=uoDu5NeSi%btZM35I zmL*R{7Osr^{7}>(gIgc1MRtjt?72Sh9jps_wMPjht}5*RTCIp2t!qVbni{VCeHZlk(Uapx&pOEs&jyPAz{lrC+LnMc>csqERPN zz!k3Hweqk$70*cJ{pm{+e4_7kYME137gSGT7dg1i|DC!{{jOn8XPBPUSvO7J%WWeGJ z&v7%fUf@zI5W^45pZAyf5_~?s5$|hmFXz_S9?*rQQMV5Qg!7r%LpJx-U@KJc>-I*kgBenA zPWahPWB_&%_dbYenL_zqqn2cF=l)8^Ys?H>sqx2^Py>dXt`>Z;xZQ>MDj|eNZk}enfup+&SnmB#+)pO95*D8|Y*R2-x^&!-z`X z$f0y?-&lrUyB!N{R$zblN%Vy|7ZP` z9;UD1!1Ogjn7)P+@baR)#-EUu>Yagh?oZ|UnbOG4ig6!NXAtNvdyw2sIZepVae1wb z89{f+v{Fk=IHKl)UH3{NA%gEp(`U5^u%>?%DmoL1Tt+44Ct8o7xE(cV29$o#!{)b^ zC-02*N&jS_-mpZ!WUsFWMcE?8o&I#RMSAdb%BI{pfG`htN$uFxqyrny$R@hTsMmz$fcRZCxZu?k{+-~b-a#}ubT7>iMdu{+eAJM`&BycSeN|GR7X~wO zA%oic?4Z6#Pbl$b0?L}6Epgq7L;SSTJJZg&L(Exg{^&d5fR|^u<7?w#6RHNd!S3Qx zrEi5kF=&3b7wLeJkBjDVYvB+|RzK_#)&!6xMfa5X7CJ`LXh$n41_Os{(I{9>l(CpJ7?xsG+E*ehV3+f2UKfI2trXFzJp|6J5(?jRp@7rqoSPfC_ zCb#>L>kAtDy*gYfBN2J~&wlOz2Q;Dli5ddPv{{> z(I1VmCw<}7SN@ixtnNU1=W2tnm=Dx4OtiLJM?gLMUIwQF9&pD|s@yL;18sDt4J$+p z0cj4!T6cIcP?Sp95APp`=yUvey7G@fDd*_>x9Rtxm^<3yef4|PDz$E=+jSf{yljsb zrFVmeKVQ)C9P@@8?QdDntRmov+N;}fSKPt8$#sNd-5d4oc9#&kvJY0}lxGT)70}h# z(Y9<7T6j%GcjTKLH3ZEpCEg0-fcWj2$&y}bpvx2v{52nhGD?dNq&G*QullNIUMvB~c4nc?ewdNO@j46ug zu`AMQS3q_3A_Jn8YVf`B!nXW67hHSRq)SV67#YrvlbF8M2gMxc7}XtmkYW&6_+-Ew zK8F##iF=@p`#y-tVQ!(ECKRpO1l@7C7mFsZ-{>O^4g~Vfz!_b&AW)hgBq9+AfN-0m zC+5lhV6WA#W}{JQRFp9~Bak8o8E<3yAJZzpL^Ago{iBvBJRXQ=D;43fYx%=-ISTOP zeBjW&D+=)OVw6ZxoH7tG=svbIGKL=?P8a^#>y2(t+{@tXQ2~GHNmyu;1J>B_mD@kO zVLV!{xNOxIr0<_?b%}~b9>bg`PMi-%8S5vW2nh#3Q^s)oc!4LdODPuib48%vYaXoa zH{9SckF;j4c_gAA-O%!hFonR7{waxhWT4QJcLbTLOUqJy z_W}KPipzH^P9o7gRMtLZQEdQs{{*{B72@wC15ENM8}ym4PGZPo~44HGu6i<^P# zuIra+2TedkX8rQ$Ph*(0oT+tnGsRuchWCC7Z@i9cZe*>aGBA+pSC~JR2P)|&C+mon z(4+d2==2#`Xr@k`G$OY^b|s{0{vYIU^K9|nf8mYC`@H{Y?c?pw-yL79KlI>?t2v73 z-t6>ekwkm?&5lS3m?7zt%bd^7Tfnm6TBGw-DMb37qe&~k;%~oy>^Z8`kW*!$yf(EISo?ih&uS3`+49iGqn?uRy|?~#K8FUv8=qT~GW{va z6p73>NS>NegH8JPi>G;PkmQT|nVLJ);ftVoCiN$E_&NIZdyuvU^!P|Q2IPgH4@&Rc zCdggTtwsfL7Sjkcu;adwTUj`;q(sLI@TMgeV?u_*uR& zN6#EcTrA%6K%kANlKojjxS-wo^hFpaj0rzwe|Fvg8d;Y!C7lzXmZs^|A*ljXWap~x?r6d0j(o`4~WLEnUS`EZMj#;L7ok9%FN&^RIJ0OCQ z%~_lAGQ?f}{e?en5E);d>j|>204nd#v7bw2;Dbp)U&0PIbZfDv!@XA;7&QzIDKN;u zq=>)DzN=brHh1?IyN|BHLPsLau7Dv_D@(w z3!_`kQAgj0FhGp?pas|k7kVEOtFC8=q zb##CCeo`p-p4a!N4Tx~cnqDrnL{r)g_dXE51E(LmF|`qVTxIk+yxR)B(7@0GfqDZA z@TeD4zupo7yN;Uh{^SZn?3HFTp}e8s(rv}Cc|06MU;eV&BtC&IPNG^u;155U z2lnlme5W&SfG9XG@IGPSgjh>rU!`JBkYYJFF%_!_N9-zXf@YY&f|l+X)ed=>_NtB= zC)87srx5#Zsms9qjb}m9TLhouM?9is)#PaXNxPZCV=>(KkAL#Lideo^4a@f)!t%We zSiV;e%lC=`mvrH3CBfG;M=?8|Ov422?ET2Gm;qQ_en`{3 z;)hF2i_eRFoskOj8LdMJ_K?YIL06Ea46z5tH4i|DxEz5evy7<*oQ?0H47=QYNjR~vg?9{6Z==9qk_Et;kpBjMJt z21mAvej#y9g8x#{;94G`-s$aC^ShJ!@R^cKvx`L;<6Zyt`XapbNdMk={&jybyz?Kg ze;M9*yz?LLdc-^ac>9C*dH=-!_4$vtKX~Kuj?bU|6Y8`70zdni~nj)%`C-@Nh)J`T)66)etYYSH6RKT0< z(VOe(cF3?LcgOJvD|lqJSW(rh4&_P258CDIkr{));P|>R)Ey_bq8pUQegC`v>y?~< zA!Fd#DJY;v*arsFp4S%KGbZRa`!p^*GXpIz8kP4w2Eciv8Xenv7}Zf5Pp%#J1X?cl z=HYrbpjR9T{YLEx`-YXqcMegupZ+{Cx8I-#&y%b|_i z7AR*i_GRLl4k&vtQxJ`7fx3zT2Me18(A|CZfSp+z*n(G+Mpp9(I-!Vtq^Ah}rkqC3 z!SyAuYC*m&c(VX~DsRslUCu*P{zNOXZ*ppH#2p>- z6V}#wXaetlw7lwaH-);J2WYDbb-<5EmS0pk&-nC z0QX&LA>P}n`a;d~IX2pia07vm0O-n#j%a;|XFMh$sKg(8{? zN1qv8H!NSOiSZ>QF}{Q*#+Q)9_!3eWUqTwzwmgl}Es_v(p+nZqtNIYMlVtfbLEjap zr@Tho9RqVYs-b%-4x>%Q^>}&uaKOupSSvbVwL?Ax^e?!*$(z;#sH5AUn~Fv`J$%oM zDxwHF(!!?p(Gc#(ob4xE+?Wowl`b#td?+1o{6Pd zCICbqTU!o1SUJiyXADiFWIcL2HFZBl(=yENeaq#(vF zgkY2FzHuezX`s;h#L`;PgS4}sp9ppshCM?`uN}IFk$%tHV4o*qUA12u67o5P z*d90FzQ1eO*7-&98qh-c-SStyw?OmO!<#1r>)?PdMdADATd?Rk;_b^dgq{^7BtJJO zz&)P&@}9O1v>qsA{cwZ5vmG>T|FF@yZ-v^r6Wd;EIDp`z-s+DM1l?&@6dW`2fN7KN zKIII;J+V%waZIfXv4jzSyW;%?qxd`Na^Z@e3!ezWT0hm&@=-|u*TuM~#I z+$yq#$aVfK(rOL?J1M2EYlOPfj8^un^H*ZwapWfL*`8>yjml7)@{9*%$@lzpkCoB5 z4Vg&}!T)=9&-k{2tsWAO%k=zpSq3`0c2+1)a6oad)4n$bhoE@5S0q@)67eL4>?=;T zLl0#p;4}DNt~y z<2i9k1}u4R#H_Q+K-(^wFXIoTfQFojPmsg`DV^=8EcmL8Jg#Yp^;=6o!c33QvA#nP zNMybs(I5j9IxbEVgF5I#@k^aEY6=i^RVVsWlp89b_tmaEt_Q5kd#l;0%z@)XoaOMk z38Z%FkX6&Uqpz3wWrIFjz$sckf$+`~@ZilItMV_U$c|QDcz_`Z9)8j@S@8{kgNfG65$|hw$&J|AuC^uI0+I}99x1*as@QMf*Ni}(Hc!bIy-%wbdz8rJ|{n2Zuf2FyB_tUvT%b5T)oy)m( zvNIeKMLaa^^}LaqLwG}sn+Ux1G|d~>&_Ktx{n`%@xDSQrCKkvv(oj*#;`V!X2WT7J zB5UW4gTTk7jrOrYP|Vh+8Jn60=h-D)d;8mwq@(U<2F^yfUb}Re_^uyFO0c>3-mXBZ zSIqs?j4MHH>wI?eW)*IKG`#mOc>UDy`sd=!-~N_9FBAX41yS*4`9Alv15TT3^p*DJ z$Ug1q`c57~ef*USnIWEi=qtNLk)Vhd#E4uciQjz?4#?A6Xp-o{x5%!zFRMl{N%_U( zB&P{nxiq_eZI3>zqiK+-uAB%pw_9 z4HI*sw?YVd6^CoSN~P$1ch-&<6!MTMuut1NzzVgWnc0kVv4lPrQE>VvD55Yb%Y*$R@d(}E?{}X_;$@6 zTWHzO_V5~C0Mv)aY9&5Bi7v?7%AVB<0oLuQuL7&Ouu^>3nVsGpSbsGQ-WyX#cee`$ zIs_!(dQ~JR`LrfVOWO6(c1!}uYq#5$+a)3ED;w)AFDcwSE92b)osGw&;p7=+F@p+K zG|yvp=$^DRY+ahDN^zHhXg{GP0~vL6Eq7T{XG{PBOoWcusLLUGiLk3SppR7P3Kk~r zNJ9H`=C|V=vhbFe!A`(g9PV+P7FtLr+;3f#?6eB^L0kPI`KL;Q&?j0G>hTpP=$aoR zJw@#T8-WR5#`ZhG+1H02&Ure(cKB+#u~j;{>BgdO6x)H8iktOs5_~;lCX`K7G;)FX z_fOgVlVvcLR9DC)QUlwr)X%#=7=Tgl>Fcj43FjVr8~p-sK*5!*8*d)kAYv2O5bk6{ zkPWbTQ#5Z5mYM=|GF?aDcvdg5l!h`tcPdgZ+z;^O;XiZlH?9oghQDQ4a%UvhCKD#6#R@b_V zyWaW38S0f$4&fN!vs`7a36lD?)(qldMdm;8NBUh?Gr629Fjp5?TOza-)NziAG?|aHOydF*YTWpH>1&`XZsCy zYX_sQwdSpyov9FZ*l6d`PuWN|TKs{XRwA+)tWlLLvxS?qHcmdpscAa(jrr~Vbv@m~2VtGbV^)Z1nW2l6R}9Xm_*!4OF9Braxq{50y!QQIj1NPnZ<$ z@x(j+|7r1f{pj)XWAV2CN6(0tFHHicKWvITbJ+nowteG9D?ErRR>$vy_;&y7Ky@TB zGcin0J8%xZ+U^h1u+en5T@2h^VFNFW^T94O?EWX662x1hKpM1Igzg_7a&sUrf^P?n z{KrWO5njHxankkgM|72;S7%`M#7Y2|?Z5cMck3iFzL|W7_;>)EsFarL+VltSdy9qD z0URK(%d@AS?+Sds&A8z$*8xp^+7b)t&ydxLgTe}-9bmipATD5`9lp#|=R9U?hexzS z3Z|SH(0Sg3W3s6neTft7XQIr4?>B5D%wtkP=nU0nAa5zUZyLold?y*VzWa~f%?s1J z8De@j3rz23jp^NtF})jskCM9e{Rq1jOsWp?&?RUh#rcBs^lchIH1W1}>aiwVSoqG7 z(q@X1IhNK)y3}x=XKYIu=V%l?;nEkckm+6@ASu|-c<53jnw*nw4+wnS|GZvwKapY} zXp^O}pIz}q1)?pw;Z+{!R?PU)!jv?OJ@2FxD))hpsWRLP^j08dlCGCK7l_t~IYo&h zY~i~W5<;bpC}77|kt%H+;P!rZ{P>_1oOL7GZS=+iLI-xURt@RGl)Zm!p@~0YfG|^E z4ky@^`@&S4*d9*#FNJ0Vd&7kYq4iHsBVpn}NtPH*IJicYGqF=;qN`LyUC|rbpclas zDM!ecaK5-yn-t=PcF#MUuk_J``q9oI1t&#RIV7JvO{a}}|6!(mGD~8mjam=0X!f2F zL~L^dV}=$Ia4Lh|xZ6P(&ZvOmq`^Wsv{6bHJF5F}P{R zt}YQcMGIdwWc=RQA`Z510xu1DP-9d5tg@LAvQM=8rJi;OE^THgRL*F_3e`S=$!mnX z(eD>Dk-y|2KedEXL&^l_Il+WWQ5vCrb~CHDnL=P(bF%l4N>)Fy1d_%>flt! z*2JZx1oq#Oe9Ji1p_*CFs=!PM{DjUwH3@b@jW*Xp%;%Kh665W&nqbd$EM)GR zB_bks&}&@_g1gZ)qKT9dQ0q-e@#Stg`pj@@f6=)FSX4V&wv%u!%jUOw*}xNvyS~x( zrZ~BZgepAmtunf{Ll^ZbZ2m4ip$wWgdQ0of2z70t3Wh|)hKQMQ?qr;=D(>^fYl#}V zJ*|PLNqHcmcOejt&3hdmWjc)Re@YTK6c7xE=0%H9WH|CHo9#A|2!H^~ol4|1#b{wy ztlL-RVtC!NwbD#qiUcZea*8IG0I&{nPTZ_Q7Q(N}Rvr~X`&HYSRdPoZAN^t6K+_2v zF7eN`*w~{fui7N?T@J9@eo=nnt{c)Qx>!5L=Y+dHzp-BWtNBkg`1pe*_}-E%3OT

    k_%3hoz(4W-jL-khe7K`FTf<4g4MUeT;)5rok*RR*g3db{ z$QzHO`a!7oKE2H=U)U&#~kRRxqBI-rgr|11sWIb&r`m zQK}M!eu85zdwMn!zRy_2Diex!DOCSh ztkQ>9S*;s;1rbCAi#}kgFoM#&8;0Mkt-$mM^Hc9gEodaWp)br5h8z-)<=|@Lp_*S>uC! zKT9hmi@9Ld>tpj?MI|^hJDYpaP87!4`qPdPTce-q*_rLz`fyj_J{QK%m&W+{Mi@Vz8{_961m^MAN7kR5MBbv}#e6@L;g$dFFW$%^ zU=$kih_Lqq`!$)A12^)J-2`Gg7j*&^epN{BER#oZ%(*lf!}4%=h$H;k4MjvwWgB;j zR}r?lPnWq7=50%ZT!Wh~K_7}U-*u3qMC03yFvR;jf$daH0LlsLy}S6@9gvUG(O-?u zFcP-#>8B>4-ocS~JAu;zoPD=8PWObNSMR@_o|*MPQP~Mrq3=9k=fyjBvR5_WHcS3| z`H&ORwP48F^B@drnk8Pn7nOls+dcV8=^{|^Sn`g5fHY8E=xj|Fl7VCr#d7)AB4F}U zdUouvH5xg)^Uda01d@doE9HqgDB=1U4QmPnbmGdoER@PX&KymeJ!*hh2QKbQI<5pd zWh$~EypgCWntLFS-we+7-PWM2-BL9wkUmbr2;(ygAaVunhbi}DKwQw4HJ(-+xOwvroFleDO`A+^_Isq@i8UMV z3Y8ex8H)YRtCWPByQ4(I7ma|YaJ4*V*bec{rj+P1n1YJ#*_`no1`wdYJsLsCuZ7nv zPK>ze!A9M-aMM>IIM#adF=wj`T0YMD`R))2>SNO1Oqvq_1Ec=EH}quDwYnp!ttx!r zxkc6SUX2-!Ox$eB3)e(qQ{!`C4_UxysJt}sI3qkw3t`>aP2k}Qq#dof#sFg1yBcn} z6ZqndqWgGttKJxnzdVQhA5*tRh6vU2BxJd3|g|RA#CrMvGaF&)X{47i9SUPvTyAw z7W(p}f8(&`J+0kJX!Lm@ol+&q>)yzaj~A7*xtQJu)6g6l&cS6`{J zpg5VRo{+u!AnjvGIaTLgaB4YczV9L{vb@;vBa)v2!i4!w6cY4GOp=1{*Ylj&?Sp@q6d*%?30h=LY_$k6g#Wwcka ztJbPQ8p1={#+E<=#-!#)lAm}h2Hqi&cUfdb>5N@Bdzofz+QH^w{V#(1YYaP!;-E?G`D2uj1|)Sibm zW)dL$)r?eqS`1AWGeu;&nxPeu#5~0#(jej!S(9CG2&z@4#6%ZjAcJL$!5}FeDZCIY zTAYprL$i6i=JsfK^g-vBomo0+{F#)X<3rGsOZJr3JH(+$y;hUAD!y>dB%0ReUOY6~ z1SGx^Jq8_;N}b^cl2KIemZ(9tCmN~W8yb~biBz&IIX~&Af#|KH+t)HmfOBu}mzOfR z;PFCnHtSh6y8Iqpc#`4=t{ThSR7!40G`_p-DVrHs{Jtm0s%#BXaw|W^33}YznLE<0 zW?qQ!aq{31g(WBol-I2jr9cd2XH3nVXo!v9EgF3%8^!K#ZBy9DM*Ibps(M>T;VqBs zb%D}QICHXgI@s3(5u z%@{L551C}wH}?36ky{ooXX2kD=q8jH1T-v>Z?Ph@ z_;lt{4J!cFe9pi5wK?#QhrfbfZ#M`2@$feX{_*hF2LAEzSmndW;8DA{*#;-myZ(I|ap@U<1tkv;X1^ZG608hmSXO@$rT(KHjjw#~a%C_~gGg z9xKl$cJq^Q_Cr~u*pRE-yex}+Nn`B7s|ZkWyywNO0S&lVVMob?<9eMcq7!CQR{-m3 zorYp{Pegts(0nCW8=l{2`LNt(2`NIR9CfE{p!>1PFxy{3c;s`a9(m}Xmxq}xR6Ztw zNla9dc^__`&VQWM(X9Y2pRt#Da8AnuR%E$FHk-;CgxrG?AX{ zJEm|9s%sMVBX?3EU-r*tO-}|2I2CR4E?gRDmbr)4=`v8fR6ErLdVO@CzJcPerz~22 zHFaG1upW@yR=@l0zCLt#vyQO+7DZ#%E8>aic#%`Nj#hMb5>jt=n3B5X4)lDS<$?Us zP^b4Hop3D*TGCgHEPOH%&U>bz_jDjMl^#_e8?;4vdK*d~8kj(u3^AHK+}7+0@Magv z)q|PHH~uoY2a%!pLCd~$T;0Iwb

    HQAkj5o4##|i(}JfOBn{m!BS1Oq|sRfns#nq zB>1X=LVNbbXAY2rGV6aSz^s=T;=l4<1X_K10;52a2*;W(U?BXg3bHY2Lq3{Bi+FQr>Ky4StAR*=EI7+|Pm= zRk!a{Nj-l@3K2%9)EbcY0$6x3Y4}s`W-$ZA_KuB zHg2DSWMOtKIwv$s7T${0aTc?j0jj)!g)PMlcyxPcJY?i7a+FSK@%?QNg0G@SlLm4j zC+{@3ZEh**px`{+dAbL2aKzO)xm`kWMRRqGa$PWc*EE}Kwi5jbSEuJLYKPd?ZXxXt zmof858+ErL&waIl`rh41HS>Dpbz@d)DD?t(N4}qHo~?y`>KF0Dp5c&kJ4aE1AP8aQ zm&UCKN13H+BIR(iU%$n)Vd!#x9Qw%!8}nDaIp0~KshKMmc= zD_(i%zxQC?O~V+XPH#UfyX*i{`!uY3qxum1My;anXDGs&PsVy)uD*FKPo%;QmbIA= zJ$x2`$O{RMEe+d4K5Kam$!i;Md%_+TnC^j!J~ze8oV5b8aqhm4F?Ps~^!bkIh!aG< zzY@?><&Nq;e>r4Q6#z57tE!*2{gKE6Q_|IFOJK{(FJiIsL;bS>SO11ew9*7LvZ#+(w}M#H!0l#0Y#Cq|Gd2 zLXcu-&+`YPF9+Bc>EGuR1|TLshMGs2X2AB9K)+GWAC^@z+ae`>V92gH;rSt!cz%cuo*$xt=Z9$H`61S5 zTE8`8(n$jCCEXBo zOa*J()~5KPXr#V<+jA~45N-c;rxN@gjh0WJeAzzP%kE4Kn+WS%*b)V8$bJ ztim%9VlO>nuYDp8$`3N`RivCilCmc|Yy?vwX@zt<<6b%9QXV?<*TNQrWFv?B&YJ^m zMXuk4QYS=EQkSGd#*CsTc@~DhdZJr|@-poi4sh-R9sK#g0B#eq1Ccj0fs^2|&qFsu z=*>>A6+CH)d|1MFh*`AZ+3m)YFA7YN>cfhkiKe)7`ZojHQ$qaERLi2q$8Cx#Wfk6c z?D2u_-tS1aK0z3BZK1T%-~(~mHKrE=DPVnY>-m~qJcNs#4*IZChYmC*p+8k|AVd(> z0;)+s>V7Ms+c^%;qqf2GsCDr?YFvNU|L~~o@H}dLJdaurbA80oOMy=9r7fzsQ7lM& zQX5oX@4wO$bwJxA#)Vls&DP~@`P~L+tv>{or+_zJ-=$3#= zw$mRZO9!Kq*Ml;z-i<>`DSqbd-*Z4y^Jp;B=NQC(r^x;RCnNGHcdI&eJrdpAx+Tgt zAB;|D7rF8HCL!0eRuLuzCm`UHElq!GCQJ>Vc`d$3g({bBO!=4kp@!1tneAwG;2H{} zdv($St`bkTPvLyJwmy!P*`HShh3;QDnu^ijCx7rd1939E|67siG?fPAM_wU*rBa|& zE;XiQIt|6|rOv!Iy@KPHj}r~>)}sqtCIOkxZzHf#A#1;1gy?2g8#98tp?bhPo2cz3 ztTi9cH8HF~`tB`vj+6iA{t;pA(tkJGWWa7*z$Yxo9QGsr?$x?@AcMD|=ksYCknY{6 z*2EDD*hpS9vvIe@te3;;M@IBoHnLJQ54zPYPdxaMhF%cWB@u<^p^F?;u3v^S;NfpO z{zpO?&?D?*NB1ckHQ)00+;YVETn;BF)4sica+Q_?&)OuydWX5R&)-;hrSYzP@lYJ( z(Os;*|2h`$$MK)@B>(Zfe+>NNd;b{t$M6!9)=Ri+ugY(XzS?OoErW=f9-j9YVTS~Mn+tp40&rw( z+l23y6sp|_^Bnuj1#eaRiAiF(0c*d*3*vw#A-hbdhzQ=89ZQ3|e&TyR6c=&(MyP63 zbvp3x-+#Tdln&daV^?0S<^q9r+}*FG_3+@N@KUYYDYVe~Rr-xnDWbISy3Q4Z^JNV3 z+b&>CM)~fN*`XT6n0Y=HsoiT|>#f0XxSh+1n-Ox$rHhxo`oh($&jX>oC5U&ifgO=s zfg?#s%?rz7%=y^TB2L{~%X)~gU)fxn;1K%G{&%v8R|g$D8&CWDv@YCEysG$yR}=`u zACo@XQ^Bmyf9@|^_GPjXGIDo3-tcsz_moMB6UJ3=(L29ASgRb2Wwcfaxy#_0`}oVx z-^zh8!)y9rr2vGOPj`!S@q;}j(d4HZoPHU~z*U|Ps`FUJvjM-zP4@QD88QlpU)Sp*Yj_@ z0{;5t@z?K!zkWIV^()}7Ulwjy@5O#oZ$&&88_vdvX2Dbwv$#xQ3Glj?4_+j!M;YFi z;;$N2f$62t#t7oGP_r5HqS^5hYP3mzZ$ux7`%VYHUD3)0(=u(LRNHb?=T3O(X~=na zz(guS*jtR*U$3e92WjLf1z2Rtu{U_Ag*xce^+*PA{h;las5Pxc;EBSun|beaQMqQa zPac;j-1E?TA~UE84c{&8Np^4uD|X7fAx3q$`BY%!6sHPwyoxZq%4meXZ52D^d{o4o z@5MUbISq<#zrfX{&b^*3dABYAb2Wo0#oIdQqC=naQ34qV-QO}(J*|N#lP0AKd=)X* z*P4z;SPw8U18;7UQzH`{^gZ|*fA1|DOx?Qs=H@OV+)q-D2}q#F@m^=d_a!tC*5@fT z6K+HnXbNI9(|;B|#2{OSWezQ2bFkB%I8_vG3~TX!W(6&A{vr}8?cK+ZVxI2@{x00# zT4q7}+0~yPIEy1iVFhiOJzjVl-5x)Hix-7g9ZDi4YiB<>H`fZAhzTDvAsU|KSpe!Urh zfLwg$VpuC8R)OJ6T>Y1~+&QbdpcGCM%MtqhD8xJ;U1ez4X&E9Ql)%3y#`6UFv+C{r z(=r6qiCFXv3j#qace`ZnR6H6nzHd4>9t8jY`2TO8k56iku7s2s6b_fZ?=1F5=X<`1 zQg`F(^>nL0d(BPY+3NGVqm`zpc9ibcTnnx~`+xcS;^C^II(E?%D6hQ#G=}3hXHd({ za#)&xYH<-+ccUqs{CTl0{pnHQ4$_|Ciw!~lx8E<;>&ME+!#e(r^{?<>anZ0|Z!e#s zmWBdUy~i7fBB9ZIocU;A1Q1d^zA`A2i6&J!{CuP%@qUQ^xnCYuz75vrgZ2OajmP=I z{|`UY8_& zpt`TlQaRNPh7X+LX9xTTxJr zEiqO637HCb%0Ea)HS+1|{zL-3$Pv4}?&!nfKi-`2l7#hSR~U2?|GHM?4w{!nLqh(_!qZDPuF58!K;}P1ZnU@{ zAh^fe%2}fd{I3Fo-2Qr?TJ64tA2=Vlqng=&8Ur+7a+3Af>{k^CyQMuvB@hQ|+h1+S zYueG((5_gvng-Z?OcZyx?;LpFk0_ttzl5CG_%NK>2!)&h7qvUVy=!tGlKli2{7(cVP6wqjnGT!{9c%Uy2mHU;=_7@Dn zl%_hXIZGMDi={jw-7L{b*XP%BJybA{&+0w@hsr}A3hlfr_^?j{zX(V|HVz1&Ow;cop{M8o>-Avep<(qG6J;uQ_U=}MtQ!V$y1}YwRpnCN zhP6CwD$I`EFp`I*YZEzt4fK((Gl{wA4>2H9HTY$D5!WBv1hF&coFK>B$SIl65N-QL z$65zv!HrevR`#n`j$ z(T}pE#(8n|Gy6I#;&(dWc_lqB1DAe%z4V;E-cS_P@$laZk5hnt{p9h^B_3qKZLG>k zBL@dFiHEw{sL_Zat99#+G{VYHe%@;oq(o>AgVKB->Tr3MBTMWZ#n~1xzos5aGHVHb zzF%7|co;%xYM7?TY&hosH_cYqs`ilsBVXC%=c1Cheq;|yQ;H!?(Rd%*_@gp#YRJSq zJ5~!tl2X5;tCxj~{_C6*)6vj>N7S_;Ivl7wO}RSVvk(>eNwOkwB+( zXWI2o4AggX8Mc40g4b1K1j_Gq;q|*#`n&0o$YkeEqWuMZP=4xuF>l2h+Lo@9yel#X zqw!Y*lnGX_Z@>73Qq%F2V?wte%!+K?eAaYUgq?N5|f)+$7#Z0Ai}TgS!WtDCRwSZ zt_c7~@7C;GsTee~@_DFSm=mCLRVGG?1uBc*<|oc-p)beZ96!9r42zzUcV6kS!}iNc zT~Ayd1ZzK_qWr>#CqEpJ8gm3qWq=f{2n~fq*U5oxWS!*2YjUte!9JW|B@K2PgsfL_ z>kQWY7c1Wb>;F@odR#aDO&pfe3RKkBY`f{t57;f29&uzN;#bT_F3J{~#u z+vNK_R3ROvWMI^b`8&f{ErtT&qKnwxoDFDYD7^FW^#qwFbzUis6R4OnH@xetF1UTXdEhoZ1#tV)sK#G$ zMrUewc>8g6T&z4>KAEVho1amq?v)RVnlOUzaYXT#aU3$QDiPja)#6BD zLpMNf#{f=zSxR}{cNNKHY_bTAx5AI#1vvpn&LprB%+#I5_s!{F;u};fVt$Q=W6M?m>nF8#< z$A6HuY>64KPx$Zkr(=z`|B(3gwHqg(hh?@V>6J>*`64YMjiChTy|`wW*q;nKpH;uS z7>$GCy5s{|x*71Vo^F6#^R|@t6M3L@ens+K3LgY=uh4}nbHVz`lI@kqBXF6d!ue$n zH|Bi%99Qq5(H(Z^vSJJm661oxAM&dopK75U?Tg3fX<1<9f%%K$b{z1qfbZ#rRW@i% zkqa65l?=C84Vx&s{2{jb`IB$(z*qzMW?!X?2bW$OLcEA zdl1qWzc?d;({)Lfi0w+IJ3!vv@ffMC5TwVwai#i{J>IWY53Y^`eb%C|L1Ob6L;LLp zknoeR^{b&a5VyQPEfHXcto^IiT$Z$e-8WXk>ai&-bM-L_{Bc0hEq~Py2pz@o*JuAw zJ;&|8^Sw9wf{q~_x+I~QE`1=3R|=o>;s%3&@P@<`CRjJS**i+Xh11o1-ja&tf={yc z*TMwYAcW}M!Il^u^#AVr{Lgs^bpzCyff<(YuCP}{V(|p(XI6`K`eO!em4?aB18(8nPQILUOI7{HhiLvJdPG0yWy*gsKee4Fb~PX`^%T!MB(}tr<*1C zwI{{kBJ0>SyED8Xxe(fE@8ynm^A(W+vvIn-QA__t77%=;C?f_+L2`X*8a58+%8UoVTMGEf6!dnvcoo{3z zknIB5(<6b%w3aDZyw?kaD#TuXcy0qIVzbG_+!Kn%>ds$O@&vj;H~$fiXk@$^%u)NK z95%ECF15H^Mq`F4FCShg1?F*;kRanW$Uf}$qv~xFQjt`hsO71^TtCIS-~G488{ECd zOucpxsBOthQ+El0{mRB+-p_>SsYH>+tHc8^&m;bL7afGsgdYnoeq89k?eFkSRwQO( zj1R`LvmI=Tj8SU%4$}C+19zSmW>xzgfzy!$ipnYr2ZpQ)}Ab_j8@h zbe+p+bZ&RFq^bcvv6DS#mOBqQQyJf;jhkU{*mynkN)N)CpYb@nzx#Jy0xT!~y55#i zM}w^*67P{P5OyW>$tj8ePt~Zyl%y(pZhGq2;8!vDzkNK`=Y#cp7s5x-9{14;-ZzOJ zXN@gEDmQ;EEZ@n2-{b;s<~ovKvyc6(+x23kN6l#Id$16$IktTxr_~2Wop@)8AR9F5 zxcs`B#}Kmf_v0nu7zAd*wdKFg=c`jRE=JPLwNUoL=p9d#t9@;UI>*$QLjlMDW8K^#K zpvQauELe^_9Tp8gkHT8iC;Z0BV3v~M(-^TiWZk}^<-=}_x`rOp@=}=rk8@+eBSBN} zFT3!mlhhRDDHXAk;(Q)!!``wV*Hwa#YhR^qduT$__2CD{`VsU@9+@s~c0&as3onz( zC1K$-o4IGYI-EP=mee%O07^MW8+|G1V3gl9L8XcZJVbKMFO}0m>f%$&6SnjaPIaa& zjY17!)o)-ukL%|fJxJLS0}>&l`!n4($SS5goM2WQ8h83*Ui}b)z@3AFODTq+Co1%z zGe!hnxTtJ}1%!aOF2_seBQ7voMp=cbF2b3>`WHR+mypGWQU0rh#o)q}&c03;iFy8F zy?(6YIoI1-4_uc(4qiq4&lb7iu`6BAtzZ$5T3%LfxFm*7*!Gz9wd4B5+qc+eb3bZg zT_3Rex$oD06)u0C25!L;t)8?g@NDNr`|aLhG^)p@+?a6+4Hnl5Y|Es>-Gd!PXT=j^PxNtEATQ&W4OkoBJRL`E4_P_4zBD=eqN@2BpT|cnp_+bJ zQXJ=FJ^zKH@?}pM>=1@eWjt&~KO1wsxu|>4_skRZPv{!qfTow(AFs=>Li|Jdl1Ldi zxKe#|Ybb)+vGl!_-a-f)m=wy?DuUwjcnZbiCGh1iN%e;tT}Z-5GiL6L9%4IbZDjP@ z6+KbD5ECeC4G+)J_&lGGfN2%KB?cM`sPxPwxnyRExqsOzeLQ1TC;~LSlD|)%H9)?% zygw$qiAO;;{mJWgF=*{`W+&N$7+4zVWZCiwgMaw}DM|K+mE` zT;JFdttZR;pqCW`FQpz|bz?p#Fw1O+>W)EA$i<4B6qI0jPS8vwCKdTcn2RT@q`>i? z-?>Zp1Hj77a)yk+4s$$q^>5qpeVmR>hv8)P2Y&~YIPvH!`=w+U`>|L!Sd))Nnv)+% z#RQ;hZk^0L@0>t4@jC4V;c^(B8xLX0IgRrnpH1*;Ee5KWU-D_sHKTgw(Gbs!VlX0$ z7V}T8Mzgm3*$k83h+%Z{r;bE8_&D0pPE)v|`72_1<9)}#b6V>$VhM*3CTbs>BeCdA z^+GHCt`>~8?UH(XD1&3d-ZGoLHW0Q@nQ!>pBkFTB-=&yv{WrYAnRLuLsPnXa-GHta z>~fGE9>?+M%imEJ1TDuQhD!}w`ZclWQ#rBjQne!JdQ`0uC5A(~aLum|=H)0r>~RG1 z$Z;shI;%?lB@wRLn0Bz#=EIBHXVI5Uvf*~LAQgE)9>VH(gEc>sl&5k(^B51(R=po^ zRyY`nIsFcf(`TTh@tv5rAt{K5`-IL2;CPbuQNyXn(;zoWN^6A$m>_PZ3u}iI>6#9VLWRGM>9L;a)^$?Ouy$#J8KOvBIML>6vEXP2nE%~wGEN* zhggzh42p1PN%>4sqADCFJKj@WXoP}kicbiqs-g{k%Ne(DA$ZHsug|zC23oQ*QzO%o zAeZKn>+dE6<@Tous@+x5*#h+#igP-s%zdah&fOWj7eH+@*bR}s?zrh{i|cn7ynT-Q zoC_EP>5s`hl18a6Lzj#LE`V!Eh;9Y>ImrIS7hGj}7QSy9eLWc7grY~I1T`yjLBm3y z)pY*~TJ`rSwj0SszTJ708*AQ}SQVhm=iG@gvVF5Y3y>^Fvl=5LQ0M z|7qiAnbUP0FL}d}b^4s0?i0|zRWL_lQ;AYOG!RYTbnPQqyGkFfdEs>5A0mJ2#A5FU zQPi&NG5ycazkGh-Q?qLxfI3+(R}6T9`QYWq%N+n|2->eYp+WZ1GET{z^DkABb! zrqrk7{7sKXNmv;C@B9S!lJd=y==ta&eZKV!lxsF2yQq)_7K}j`Vw|g>Nj{6yMJWp` zTaPHcEQo^25nG!_7Tyq;wwrCwQU${CqCF1I0pPF7wr70*A|g#84BTxtZt4h8b~`l$@QekzNvpW5T= zr}FsvsT@3UcWNfzPXa>u%^RB@nMm5qXzvek47g@37J7Wg^}Qy`YZjAdp?habZt{4= zV2)Q?2gU?x$)sWQQ1m_bQ_?^d_ff4>Q3jqaNe2r#i@{fB#3l0E8fme-(viL-0plCl zWK%zVV7FwoQuuQuI-zN?JU8kERLMpX*Nwbjp81BDF{v+7{G7j!wvT~d=yBp`ZY9LW z=*94U-~d|Kn9o_hXATU=B7g1~;pPYuO)r=7 z!4^s@4+rerae!SVyV~6uCy=Q3(1+4>g0k9HWa6?=hEn<>xf$+3tzMfV+3SNY!sPVpt z0$w)x#Ex=zFz#@CaDn3_YSq`wNxxhOmNz)k?5oNVz2(A-hCip^t8Z^NOHCG-9T@5! zu{(pdaT7q)xd2wfPq>k2r-7o^P0476Je005b1y|L6&NIVy!&&KLHkk6{3V)GC~2NV zdCMOc55AsimLC5-U`*2U<{j^jjSZ%wIU16;>vR_JZ_&O-3++D*Vyi|G|UqQZ0LYT3`Ye=MNui zX)V#FeaJ)SM~>)q|KOd2p(a3jBlx|cmMN&s-9JDiYz&e1$r*E`N8uk2QxBa@wZ5e# zB8KN-%HnyL3V0r-1fGYfh7z6Yo?JXG3Ph9}ES45Rz%r^T+?Xo|Z|;`7yh>+-?A)&C zvf4_(!PS1k$2TNl{*(3Uj-?T}T4{-`k!nN7y}gjW-?%tKq$x#6*#N%9iYwTBb3!?@ zinaCJ#+dczSo@L5!%IFUpEQIfjZ*V-sm3UQ^u@O<98YgcpsJwezB+u_J^u5lxGlPV z#_I5IVNIx2+;FX`(uIX98gKjdQ_$HVxv$$SQ8-TUu~~WA2w+!xO2efagT6Gf1wY}7 zz+A6sC3Ll;Ep~!CVFu7i<^eQvPNsjSBhdRZnzw|!1Cc$`XU$F*e`t4;ueou=+RB#9urrEORIIxzQ@dwLUAS=pUE~-Zw&FGRJG)oz}ti z7eDlw>pX_2BAyLaJk|ior^%t5&$VHXk(QQ^55A|htctY+96}>Vv*jG;8^Rq|NI=SkXA8?h?2WCic08J%a7HA1WFgf zi?v$t-T80yDFtm%x&N-bkXaML(<-aVBdw4mk@F5EmjFz0xC*9=N`ip7NnyUYB+Mud z_qoanLe-7kZQ5Ze%=I#?_j~bE!`_7}xO2?Xyy7p41O#&CD?%4>e$fh9X1U_lKp5L! zhsYdZvHwu_%;*;kF_n8z;lg& zZ7tmmb3a!J?=2>+4~pP2uk6{uA&VaQ>)4#ZaWg!5)052^wGg+=^KKh%6{P4{Lq!rH z19xuH=yK;d!dQ#O`LP5W_+_c8(;l0I-bTL5bKJIv_*m^-w^O#z`i8F{-NPB0d6km3 zj6I-BpQwFO&KWijTVy4E1`uGnQo_PrBSrb`y%ph z)wuPN{`+C>D@cA;{hC8{0A{_%xhl;Cr3x|NcKYT&dt3mRf)mcptQaGzfs--{+q`g` zB-h|ChY%3C7us`=3c>-$!&A5Uw2|eWe?O9{ z!R?P1GCsdl2DU6=>Vr~-@Hp$3;>wOaj_+q6bynI4`pVX-)T;HMm?m;TYy;Qt?fL%7 zyL&hu&*tY_U$%I_UgOAEBHli;ixo$+c4Pa(_+u>BuIbbfge=f~(8IiYGvHh}E1=7sA14O@N(RtT|z~(Q? zXq`hUx+u{IuBfnaRUZ;TCKGH=FT|)LcJ@23vvrJs{tDUcn2+{Av9!pTo)&>jzYfOQ zErvmb#gBXnoL@|UJ9+3>XDHfMetU$~-3Qc}8v;d!4gaw>b{_Mrwq``RS_16v7dn0{XK@p?HV@0?o~IF$&F zFD|Aj-K;_+i>nns?Mk4Jxx}Ft$BUWj64;BrBoABHqML5-8zGYMPP#rpW5iq-{wt(Q z4iYug+YS;cV*dW?$9dfa3M`R{8W=g|+oPb9$0Y4ST!A1v zD!+mmloCy+912cBFXK-B+_G%|VwT1Hk71?o>TbBdW=|g)GhNgizEcL$ebQlk@|Q64 z%>rK5-|tv-M!Jl^~m+%oI^ zsFn-yKAD~AI_QXI9OmfMs|6re_VM2jmyQB2(cjN&Rq8;{X-As#%@-(S|IARE$AenT z_=ORLD5P|Qu{M_VBzhHd;D8*ZKg9j~vsti{1QaT+RRVG@=&ynDm+|^&MDe{gzoaM> z$Wx+xLRIyEpU0O~qtq82WiZXu#rfSK`xmkvYFD6z!S+4#U=R9RQR3bm+6`zC!p|k* zxJy;@6(#GPh&`jeEpNadbA24Eei*AB2J3k9A?r2%G)uHo?$#iDLI_xYFxB`Q%HaH| zXs%r47XkAj1=7B9Az0G0q;@|fgy)Cwz=N)V=#c@O-@yfs;!@5da5rfu-6ew!%yfCx z7<@Tkyfyaj$TBPL_t^d)>+`{yAHe#23Y8N_$sSpvU)+Us%)PY0&Zh9-$4CsUlr53u z6gz+*H5d1j4?b``X5d!cb^_*n#hY^S#=BqWfYR|T-P|b}a63`xc<%rmjyD>+;VDFk z%*1f6)A$Q(9fqhd^$P+ zc~=#ongvRw-X`<;!4IV;oj&V}i2|ptm}VXlg<`*W(%riP5UuCLyT~F2 zz0VRIbHB+#iE@-J=Z+3~cIzj1qLx0~dr>uMZmtLIoA-QfcUvGAEiyjsm*k*oZ7}$4 zN(*h%pVr9fGyyRNtMSk4Du~WD#DtQ=1HEZxCb*|$3bt(CUY-s(|0az2H>~3ssOLr{ zPsxBo$zN8vSUp_6d|2xFYZ)L{_){tuDGl;^_PujmvgqMROEvusaVR`tvn>1l7&`YR zRX}#~DBM)LWzb}24g$%SH^+=llzap^~eFA>n z=qx=-69d-Q+7Fz*od|rNElz$nOM_VM*)@sPI;5hlUFPYT4y_4tue^UIqadx!OX3>!QrS{5{MxEqM&ZO9Pntw=G>1gwSDu z)9p&q(DsaH@@I?{&iA1pQq^A=@^kvKo4JnQ`2!+&{<969|165TwvjFhv z^HDa09YbYPJn}zs)M27NEQGS%8NGSl>T-j?1fmm*gUMITVDQY(bF&mU-5SRHHd|rI zQA8^O+afEz9Y<^soq`gn{UI@sFrhlvlOY6rPhLagWo0;<8s88(CInd5E3D@`tk;j# z9}Vkxn?`#&+g301;Zd~32(2|tQ43YysqjLsiv!+k+zwEIJGK`}*+8gL7f)`cJTFVyd;b(@q-(gtfpvjz( z2#h3ENICTKB8xxgJ*EQ=gQeWIQu8GtxO#rXHq%!cq!Q|9C+u`k#7Ew-8XH*{y?o#Q zP=yFwd!lrOBUJ$IosG@?;V%PU=hL0uxQW97(zXlRb+(xEGi)C8>^d_AX!q!Oo@x{i zU4|WMk+KB{F$7!fK8b_XCxm{p!|_0EY4SS&$9Z;aCLlk1rx;ylG>}9g5%603RL%lJ z0rdVXyDR6P3004iiVxuY$Vn>W7jixF@Os_b?@2A*$wkdKCMg9E zq{H%|838exbojQHuSBhyhj`yk7wY2bxmf)TvGS0y>dD_qr7Mp0CL^ZHuNG%HOVGMx zLr2GICj2Qs!RvIzA6lR0o*%GI2U)VWpS?7a;W&l-VoIPo#A}q^BH28O%!fW_>lLVj zVCt>fCNd3(d%<|R!{{iQWOX{qp{xQ|uj_J|%h=-fSI82O3Pmj%(fa9+{ouCKNSu0_ z1MD}i%Y4WTM%o@GzEhVz_T8(c(XtZ0#yU*?U%*iFA;TY^NtWC zI7T0wUb4ikr*ivDw|vo(Tynww+W;h|AUs_7J`65ix91!>;s-~DT#kNpHN)xVM?+`! zZ7}mlvDORjmR2Y`|3Tqk32wwFByKO+fJ`;f2iG182#X14jtYrI*Xz};pN+ExhRp7}QT-O+U1Q*!o@odF z^m5vGzL^-FZ>E6fn;|^k4CmkSKYTMO%znNbc680Lx{l~>TU^ecfTNJ69xKD=gbOXFTcMq!C=No)u@ z$E(6UMd5)!N;0Ga?@w=V%L5JJ9lq;4a+vQobGXre#)B7JPx8^&GI2q3sR(cPMKLg~ zQGCs0#tDOW9fxkR^MJc&t4i=m17sPzCQ1;Zf;b-ro>TgA1X|o}@*Zx8LWfx_7x9if zN*{B$o=Gl*%Tu(j-zycy=W}!s#r4u7_M0+L^`!a|or5mgTw@7+)*u5)J^_N7b~rxQ z6Rv1xN;%9tD6HTA)RzQ`Jr73|6MJ~_`zu43oN@GSv^9cCp6->`G-j}x;-}%PZ2&Lp zYC9r#98qgVUqSD8e!Tyz7~X%D1@AwL>zf+Crfot?hxebQ$6PPQ+E2Rht4sYHbrh-^ zq;B1IwSZ6?DdpUpFjPJfM8sg~1!uSgKpHU5$uKW^*5b`G8Pfpsm|cG4QW)1(EA)DBV4ZrLEryg`xB*zZqtU~^#p49SfUG~xd> zhd@scyl+0*B5BYD_Uexlzf!HChx_d=lBtwjVU8iUY~u5GGgo&y~E?4!J>>HrMvH6@(4{SX&7VW8fGBe-c7W_5A#fFIqQ z`NvW{RQ>L1sD>mDJQ~P6&ojUV>8eIz&o~6(xl<8yTrMXB_!aM6c9jE?)QBgwabh5E zxivOe=75-vy$pJPLKY(HOw}HKmI9NGAr0yy@;FXe3~!9HGcXYo-5FIlhP+}K-yKg2 zMb7|4;gHcSujU|67D{ipSG}c z|I!1}g@W_Kk8F{xq0O)cnI7hTx{A>Em6wVWKwnp7R^@Lzl!a%M8xWmB=9C%abA+dm z-dvQ7i%J?C>2o0+pUlL^Z~wWUJ669%wI++BGM{u&smoaN+YEcOG`?N<@)?44lTf0o zlRA*~_|=hMG9B3QZY#D9*M@67Yh4%SWr4UU@okrg2qJ~IJXa^=;b`Pv+QbPN@Fosy zlXxYC>`rDMrMRJvu-~&y+hQ~ zN8cK-{y)~|nL;$entja{S?ioBJQU)F+)?qwXtE_x5Z)?{J7fh)8;w&W6&5g>ZKj|9B{BpJlDGxVQ*GDn?({ABHE8cj#YZC5;GXYG!3qSo@4&p5)7&7O~>9NOT; z)w_K}nF+`jZ+r`NFhTc?MQOX-RDo3`@e|3ECfIiEy%H+YLrsl$`RS^KfH93OxcY)6 zx<<}cWO!TzK6ihpd9%R}@8ZKXKaJq#S*_M)&OSe8p6b8#&;)K06_N(a=zxkRJ%2{F z9@q#Bp4h?p%yt~6U7H-&0a{WPK@p-L^eZHI9E{Wo6kukwuep*SwF{sYX$ zAbg)pcf=W?-+%b16YOjdhw_HsgJc7^eLAjgo=y!J6cR14j~hZ^Pr9`Chj^s_>|nP^ zX*e`^rUf1R9tDpD5J&aTAaDy~Jl)gg1R3IeDePDzbW1wHyYeE+Rthj_K&1zQ_r$FS5exi~R8VBAgH3|LBVX@%kcX zxGKA2Y1kc(oM$@|Bp57V{P#P0{uDbX(%&e2W$O*kwH6-4_gH~di~AFv9XnK$Npw|| z_8k1Zd)-^}5IZE9HN+??Iitno->i~LHGr6X$n>+@(N^jCLm&3TG1r$>iM|M?;l3+$ zEmq%}9_K?B_dxP+lo8sOeKRJe%nRzR>?PZS{P2X>3(;TW1)=4K;w&;+pebYgoypK1 zy}NE)l@=ie^rYmm-{gE@E3(GCR^Ao`v=JP+QwK`_}Oi&>TjSotVN z-J|jbT@LGE*CZEEGjVhc==28C-PNTlA=aQoHZvFLZUzTGTwlA$uZ`3OZ@Wr~Sp(PX z%4hWyEeI(rq7xzuK%>89XUbV^AtG;^E+&Z<^}gy7|IinN$Yt}~`YNqpew2pT?i~lx zu(`#|Glt{BSiRtERER(!Y9xUzv5t^r&;449H5v$Nj;)WmxT2F?t z2F;KRj-xKjNx0qajdQ@S8aOA<0V;=}HVSs@wn;RTaxqQDxv znV)|~0P}prdcS7017VkSrGSU7_K3=e0NhbeXPW6$fh8{eA0A_3Kz+=WOQT2-IND_2 z)l67pjt8(_&wu-S!1{jwPkUcj^{)Toe|dcT?}3m11Q4+9Rm6wf3(ZDqrw&qjf@F5;kaH{-!FmO@fQzoO2cyV zb>kh?aP*ft_&5`}H?&h;4D{La2A+combo0hh?DR6%q*=3V9j@7_0zRm9Uq=a5ISi<&92lC_Z;|*jmsPGrtQfkHwOhD#%t^ z53I8$lYMdes#DW5-(%@?Q8;*n@t%W|9MCz<+cKY7*4#RBN;`310*N^AKKUvvg}EO6uOG(~4eyr^bqQNS z|M_TM(rIs$mwtHF;i)B%HtctN?zDo!bxw|ZKGryYV$~HrGHXD*29Yk$Xwd6XrfmPKY+A2grq zX53?_7epiFFBs$=JD_R-rTr@0xxHtTuOaij4p@wAD-d4O0<3yD2{b!Lm{p9n&7+9@ z4D2D)`#bl`N8vEznWRK576|gxe^1^b2#4vMk~g*HL72a{)1{IRUB}X4et`a)4{*Yii?_55y->z~{A zhR+gB%?#&q=Pg3o}(Dau)SgtdN}E^}V>Nvb@ucl-0i zamELJ=D%k0)(Jv9zpUN>oH;4~C<7CKXVN;HaCQHa|$+Jw()t)8*%jA6FB^#lr{Ihp(G6IKrVP zvBZjcV8B&3lBMM5b>K@dgZQc$E63j--d5l|E`Pz=s`|E~A*dDb4|IcM)N z&R4j`9P_@{yyu$p`jvJxGU+n-LcSS|Xzb6O6fW_H7yG4N77Tbn>$*zu=TvW~-=a*q z_P_%Q`7U&YeXd8{Pj7G?`dNfjWA98U%N0SvMcvUVic(OXdR%eoVjP_KXw-V+Z#w+r z+pFVzdkvg#FOBo<#c{s91kSe?1uI(LvspKN;le=sx$i>}P<6dQrw!wY4Xzw+xOck@ z9Vuq+Gx_Qa+JD>ZW2R!@^ikg1q|+)O{q;A$%o{maAFbOkm2gGX6{qeT`k(;L-;e8- zjLSjHI=5M(uOis&?@d!IFoy(svQws;R%n;$6+H%PGl+10f0ARr8929{cL_0cMI&FB zyLMoHI7Is=a^X~O$MSB2;>Ji1WBx@&7d z*)l}*`KG_5bMOKM*f<$_S z+kt1-fScx?MU%_`re1qZAJsL2jvX6V`et$iR&Dk2vUPe0=Q;k%i!{dbB2DqUNM}4R z(hkpy#QIYIlNV`#kN@AU|L^5j{y+11|9kU46#Ho9?hkKx6fIX?_0<=o#%kMLqN0(< z2v=%qO9aZ+Ysc@d#-yUkhmpq* zVtx=DhYKDKU9pCR2(75XN*|PGe{vY=Ly&pKyZZJ*J4mP%YUB)Z0tTraW%Pxn;74KE zTaxXG8B(HY6Ws0cN1*Uwkyr6>#GJ}bn|5Idn!G!w71bO z0S6R(y8Y+U0~!dK7SL4<5X^b46aVf>e#zdyOKtK`A{^f{lyG$$Z4UuKkd zB@4)Q^;^uvWx<`ssF>0sJ}5PkIN%b;1E06rt1b=jpweTt-HIK;= zaL6kUX#dU+nl85f4qk$=M|O3Zr_2QXuhlEz<4fb?%j4r?zDxfzzC1p@%m3o||M~n? zVjT9){yhoQ68teHif5sk@>Cm3$VGI_-NNN=a5Fe`#@+Ak>_p3}_k3d4tHJ)s1+ni9 zYLGyuuf`+J9K$756uGex8}cI#mYzyo z@u>+0vgOC`pS{mOqiKd>Q8bxI;mQM(K)ndi6*nz>nUVl?Mb4uF>naFKl3y23!1}x= z=yGl7wBf_5XW9BC8zePM^EQS<1$vhz&!{}Z^p97?w2?j|-262E`RULhpr!BVlKjX3 zU44cOm#?cK^4qXD`j!!y($j599Vm|JXczW3@faz?B&8+e zz>+dNQy;4v?!x%1&%FiT{;@zG8XwW$R@8vWlD#e26q4|zrsCiscOh8OcxB?cB?@(! zlkLi@bg1(2dT+O$Co%oA;4?laE&{{vx9`?S3&Lz*B?ji&bFzrIlQ)hp=c>4 z12sj*_g(#B1;4+_O{>x*^|u^PC{%eBh)OpU(z>eTQ5(88XZnaqX5OqNKKs zJHe+2f3Kgca`RO~7thI^bJLZ>{lmr4`5SImoifB>bBe*};iLq*>{9T{E<^&hH?PGC z&&i2c>_@x3b zENALn-4O5^Tpsw4Y=sI}ek^=xvVu-?R#z=U8{{l|RPpnOHT;!%Z}Z*85#8t_o8$Ab zgpO&}2S185QU3$SLTeo!7&E-|VW!}_>YdwOibG$x-~}bg5rrx~IPmVl?W1Yj(3fY~ zoVSn$a))KkxL4;R%8OZvT~{)|c;Y>C-bfaVGty|&zAMA{M++(jkJ2GZvA_FMcQTqS zU!j|xPDH3fEk98FC{XSc&o|_bgufyaZ7y@+5I#eiN$ws7D>%uhf=^;22bnS98Kb;}S?DuK%<=o2R^L?LCG{NWP=0XTk0=JDn$ zaiDHjgG*!*&=w#-&Fd%vi*-A@E0u|#H-0l4NM&LX@62DkEVq|U-SoQWjkNO&-cSpq~diFAC$a)-o8V{26@x|IC|O29MN`d$)ULac;_g(zSOSqos ze2D6mh}IL;kJ!$hnB5zsg-mmm&Biz-P-m}i+oK{SWW)64-Q9c2@Pnf*3TS13l%*3G z^VH$hht8E~0~-{!$gAiY?1rvvH&GW2WNWb>!fy4!j;=!7pzPq z!F=>;G=I7TTrg?boa>c?u=aghae)#*a^xnD^nNk;Vqfs`btIPm@R$0^M>S?#-=~S| z`&e*&-$7j8$BXOx7@$?^$ONVA6_lIXR1+C=72SzG_}xF_5`4bv$a;sl9?nG4Df4$Cwu=J!TUmbM}PSYi3EI zLGEbk)m#7lA|B8`7ZRqqorLs_hc@k^J#jwL4!Cl7BG}Vn2Xr5&SWsr?L;PP~O3df| z>NkFG9-(7R0@PJ%BFEbP^s_6q=6=f0g~;z-Lk^;8FxaTHk3Xsq99H`~^loJXUCsok z3D%+r-N2}grW&LuW%O3%XfeFtxcNKrMKyBq7Pwy{odqp&Cx^Kr3ZXpxLgdEbI^@aA zo;Jx?1b(D17UGyZfed6a@-9Unm4=r08!z2K-GGxq^pQIh=4IPU?>~y3YMx1=-S&X% z6&4S26j+gNP184lvu-fjJf8MAAQlbY_c3TrkU+6xFB$CO-GS`l3!0mW?jZi$E$hq8 z81y=lzsdS?5HMW*Q|Ptf2H{e-X}*4rf%}~CFOMo@p&ZiVAxtCTAe;V2{iCialC(*` zKSNu9B(gkA)S`XBv4?3m_+vJh76sh+nwo$jk{icvt!IO}PMQFFmKglFZnQ-isf^?< z-V}MoDhab(lVYcih=AYPB&WZXG7^0)>fD!u`GfYFbZf}^APbWtpF3*Z;qKruzl9=i z#45*WszLCiB_orgYIgwK14xym-mlW9ov-Dx40yU8f*yl=9xtuN}h5;-%mo(%f$=I=!| z$AZOTWb3F^0?7aMyl}f-6B>4|p1l`thOTo|509E*K1>_$e!Iz=Lg(p`#82;yk>upV zo{oAI!u|~Lwpx5QSv@x@LqR`t4G6z`} zYnZxwcEcb09>c|D?oF7aqsp!yIe}X7aIIl+_uaHi_#MBtL;PDT;t1v_OVEuY>~F?D zng5zAS{g{&b`SSp{*TeAoQ;*$cIfTG{_y*vQc!+VsG{VM1T2j?o4pv32BP^{MD<@4 zEXsZw0}1GfI{ggOs3F|04xO&t7Ynh~TLU**qoJi|?EYV}VB|Ywxc_a172*6EqWawW z>*J&c_qs!5cSe>gi5sld-Y(3T2uHTA`~OrVyTR!c^=A3=4wygFb9E8F5cHxtp|wSa z7v8?A3)JzELQElh+Il?%z;9UcnCd=0SeY#Neq2-n>C4d+=e!&0Cz_{2)Nhuke2ReBi%SUr@aKG~@SUK!$lN40c8F^!k;1DL@cyPA*1JUUR8w2}H(H4ya-R`k;B z3xXiY=j7L%q9H1IC;LWAF{+n5(O!8q6zHAB%q;q2;pZL;e(nuJKQT z{EW>EEdGqj9a6RiNx79Dj{+>9Xl6*N-OLLymYu)D13-X7lXd`CR*zQpt zyo-8cCf@7=%Hxj{Yx;80*&SX{7MD&CKHn-%2c;|Vvi;%(@54e*K}i|&2bnnEa8(mk(fK&Ona6lqb?<5^CltVnUNm7^L>sN> zEwdC$%fQv~U#n$Tq~Y&}l69bU1a&>y=@85x@0|YFo556fm?_=kK#$!c9!)709}Ka9 zSn*n~OPC&HqJz$IJM09AZRVe39Z!L}!bm!uxndNV{9c}?HW^a$_C&B+6rmAW(<`I4 zDez<_-Pqxo7AlLcQ8|nG_R+Fe6jppyfS=4%DSADI$OD=il6vLg(yq?$-}z-=-1;Ny zpwST8UA5D7b4Mr4H`l$t!EyzB%2lJ+jjy5i6D-WW&X<8sca3eB_X6SZiO%Q$^m=BE zr(^|65lHL9l1whS7nrh~IJWbu5A;TV2y<17MbS-CpN}+nWACk32boemfN1^yp5KoZ zzTPmOu>V&TOCo2S(eqD*FC0abFg|IV z``y=45Wit3GGQnKj@wK{W#Lk=ez-^8h6Ur{g`Jwx{1t~NUr&n7GTOpSfab|H3o9(I zs*1(l-V=TwJ7B*ZZ3XML$K79EDuGIc-t(fWjp#*KJ>NZ>QxI+zE2V3E3Od@i-4@O_ zqJ)uK8x|!ca4;#9Lv^DGakow;dA1*e>zUg+R4$pI=5Y1OH?vf58LXwyvQL3#r|&TZ zLTTW}T@(<>4XCMo^x>|wGSI!R8?-H60~$SDkDZoF;YXYJUQbjB3!RUC(QTFCeh&Y6 z{+iY4Ylf41HGpjI!H1`QD1d~Am*`G=T_~a6t$gjf2MT`B5X`Zp0)`)sy;^pXC!Ehk z^!^xj_Rjuz2^;ttoHjyJVgWLlq#M!XaVR71_tgXr3ox54VimY&1<{|`+KS(pgC4bB zfY`Vgc-`6WH8Fk|PCCcBy(~0G`B$+Nr6)q*I}vMWK6V5YjV`qKeG`JWmYcrcPg;Vh zZ26nNKiyzwyO^?1TsZ3DaV?Tk@JB;FpB@AmT0`~2(NJ+w57<}hX1{Z-7|}?T4yImD zg$BNg7K4sVFq!*HKbDsX=NJE!29s1E_o#xw4bx1*e)2@~O^D{p~q&k_lo=>^hu3FN^c%rEvbdB+j3g!TIxA zIDcM}aD8{Wp@~Ll2;3o4Zn*89fWocbk@SoELrIC=)5Ezz(0l%~w&nwWwDk12?S<36 z@GlQb6VJm6!1J)w@H{LHJP*qW&%;t6JfEjECxrYS7s62ukEHW?*$_-aGHLrP3mDX& z+#J*^h0N{wZ3oRPP`ljS_?^2G{qtYa!~NK`a6fik+>ageS^pnDcFfoHfBe|}(H#L_ z)xNL1XsG-Eds875bbq53dD%t}Uq6T{YmTr%=&RqK)#wC~^!r?2Em1mLAH5&fQ!C(l zYC2p`O@r&HIdMHT4Pm_!Q9bytv2h2t#0F4eDcrLz1!yE$GMVMlSy0&(lGMUf53ZY! zw)hqzpknUUk@&1C?A-J`?Dy+)Ft7m*S}wQH>5#ALFjx=nr0Hz3dX2!ps_x9s5so7E z$`@n~p9ZS!VkBrU1MGG|@00wbfQilKzOJbiVif*Hsoo+Et1j(~ZHIVZ7iA{ptfB~JXgSXh?xtR!8SR$XTwfk%iJQwNS$BFwQht0t+X4rm1R1YPy zCY6+S2Giw#F}vn{(gy~FQ;nWpNkXEzD|PA-Ua)+>TQf4q8$}s--EvFu2Db93Cwii) z@Y79Zc4Arv++T+OXdPumzy8kr$bY2-ZK4V}yFwJ;DZTZxwPTKi^I0lApNX9BQ-_w- z!16cCn10srh~5rTO%Uqk=nQRCg_0@SN4iz!XjwFP=-wp-e7_=^H%herKhMh``o8#A z|KFRB{C)|w94k>ce`|mEw`Y9dC>j@Kupk2E-0{CJxnX@tv5^o{RRNflZhJS#jrlwu zx89!lAdh_NxQlnD>4M0v3wFhI+Ax3SyIf0?J8GXfQ^lI94NUSwD^1yt3vhSC6 zO&UNUYo+R7Ob9BVjm&7+qXW(#Z^}8SV|r#TyRHY~dW6^WNzOsNB34a^Qej{=^)*A~ zDHg3cG+Mw=iny}Z)WJ@KLTY8j9MR|avbNZ%0a3qPir{z99m)$@)3&UkR28Vl`8O6FIv{XrAvIUA5fRP5`|hvQlcq9^?f|<^6P=(u9hf=Zher|0WCuUlKiG>!O6=q|9*ODRDXmCcCdE3pX=IP(dC`f%G$TR}eDk7Y0X%kQ9ofB7AZcz(xj_?O>7 z3IFmtBoS|+zP+?q0&oX$y!R;f!}5XC9)Br_hC9FC#-x&Cc{N53udfRR!)`Q~t4>yd z2Hdp9C2lD~{bw^9icKB#l$9!LkU<%)J>(nCWmAC5&%<@w8T8T0w?g}jH<&NRj-Ax0 z#q7{K{ORjk)x#)GI_gH~K2FH`R8dXcbqJg;o;Tm$CW0*6&i#lKU?E&jR8LC1K$h)p z@Yv%$SRP_~33cQK<@9CAjeSQYj zb+hYUoHvIT<$HF>&uGGn>6QbxQzDSzW?zC$tv1L%bUmN7Y5{E@Iw+5VP-LiOp5o;QR1;QXmKc5-xK=uLjC1OMkRD1Owb;~~ZY=Z!0u zzYWnL=d|*ZAAMM0^XAtx+OEv7)3cSyLs0~UtsbDuJ3~+S`}tT)vi3CB99oNv9xdL| z2hpKXi6+xXM73zcKd^2NKQ1Xwa~(8-i^^>wAN;LA|H1Qqs(5qQwpn^lb=VMmPr|0& zWm_~Q$Ee=^*A3lksbAO`Vhm5{)Y!@nn1POKQDi-a-!qWw*O)&M1Zt_L=?$d9=y793 zboLA%T%gH(VMM8c>?+9B{8t6wpB_gJ*IP;AdMh1VZ>5dvt)y|il{{3$or%w2D@JWR zu?ePUvVmN$S4y<$1bW5$L|NP+7wy}z|91WJY_R|Esz9c#7+RXlEXRzCVNt!ErqJp< z8u8u{twB)_$1(z`%6s!cVj;8e_n~u0?^?5__)sDIyWe4Xrqjl;LGxy)V6ET%L|KTW@KRQs10wWEj{et`{IMnYelq&tCjC511-c_lKLu@ z(}E-m$K=b{!;olq+9qg*0$dF^ZA0bQp_cS1)e0jgT&IY;b4*tQ_4~P{biZVVe0BN4 z10C$}c7kaKj2y!K+$3;6H&)!wjSu&86T|)7*l|BM4#M}@Q=H?aE`pV)pWR@63hVPK za1MVF{E&@Ohqk_?byc8|op+e+ca_37GwlFtj89GU^Ag<;iPjr!yw10~WC3r5Sx(E- znL^jxFU5_#D73^BWBc%x2{be7|6s({@2kqbm#Y_yp_=5aM{}JHgfI_N@{wsG?*qws z*M$wxzU`^FGdh~^rmg2`Wr`Zwr*N_d zb2+R(i+XiN$p@W3(6wTvPy|kcZee`Mr+~)T3zOMzaC1k3?7Kn;m12a0-!V&$7m%CG^ z2TbX`o^h`6%J@k^8UD zr%(Ufc1jB7_f|7nd&f&1D2}{5vo7z09*25!L>H+6>%*1mVnt2R(z+&*wT|^+2-fpB zQ~DcUl>ueLD!R@9Nk}367Fd>Pi%vB(o&0uE0_>-y2f3Z3ft7X8qJ2$*@Of#s++Lm6 zKYZY?RP^7;P!BlDIb>Ki?G2%uie3~)d?Dxa$|3b*p1?df>(qENi|~3*6IKZufMRsz zcaq!{uNY`sUl=v)O~vxzhcldL3edhspC!~f;~~l9l3%4ZF&?Ch|K3?LOkJCUiV@)kBa8Gs5dB^U7w|ADq$1`Zb zO@#JmaV9N1E1|q{>C`^3_q|tLu}2mWt*5*2(Q6-*Ezxs{GbaYM{1@&A}JORTkAfzxcop zUzY|g6%UBM9PwHD-45_gE2}(b{HOoP2<_WVM{X1>DKh(g@=yP3+paJ9o!k9>b~hCN zD*WyzTK|(mpo)As1Y$)yR5JX%;KhlWsKw3{l#*da`*6$;Jl2B`E1mF1W1kLYd8+zD z5_6x2^>b#pnDpdRL^%@}m|A$uJ0c|UGuV2&p;eG#t3(1Fe7@WXRAJy4vx;JNif7C@ArARPaPUmWx6YCGZ8Xg9daGu=?9U+Jmro!UquzBOM)MWMj`mRU&_}x-vhz8V@r^ zz9jCKD9-eD^7fJ)YJ9lgxk>}UzN&VLcRl8)N~Gj!uah1GkiXMEGK0YJv8C#TSH^_> z_W$`es^I>R?zlgs67CNvkNZO^;{K2-kT0BmcihhnoWA9V)_B^1UYAD>le-^;*P+I+ zL>Fl6OwD{FVF$5gEk*tFDd^J49~@(395BzMVmr_-f==H;X4MbGP@sdC(^@$*fU}KT z!5jx9Rw49YodqWIU;TdlO90YMPsrX#76Kg}HOFJmH&r?9%(rT9>7n5s;}RG=44QuC z=8qrn!DLfzFEwo$tW@)O73CMgCyMqgX3S@8;P8;b!7(hKUi;zm-_AwgJlgw5ldBF% zmPN(Q#-D^vt2?xMvuUuRBKO?PaAq2i=R{FPsUJ zL_%Bb@3bTp`iChy=MlOC~V;9Ev^Z&d*W3g9K|IitBWObor zcg0hB2>xBS!@K(sWKI~Z%@1-z<>?~X>is+@{8rAq(+CSn6pS`p)>H$}sn34vRci2M z$IZ=+@9wC_cC6>;q!NrKDD7~(E(IhRd{P}VD&YA(CEmaNRC3)??7TND}DP8(%-fPvtzT_g~XmuFw zQVJ0o=RwpDdopgcVt#M`<-Div?c7H%_~-ZWriHC&W!Epl|mn!rUle34nXdSY!LQ(p(w*4UXx{)h{f1pxe)6S<}Ykz^1TF?`$~&BSE?E3Z334 z*IQC(qSYEAK3tT zFzIVCc)u>rxaC<7lzID(ZR^y7jrX0M!8R9Bxs=*``t&(as=ac$WWySHT+(hZi67x6W=d@stj*HXe9UHV-KBrTtrcZc2MER)9k@6Sh*5C9WIi<^;xGD%v zC5~y`Zw*nX-Or~bLe_BWtL$x^344s6Un0Dp#~Pg8?#RBA>jsiNO&=G;9UxfVDyjTe z5<16GFDc#Y2BJP>A5my>qT%HY z8U>-pXxLt+l#%uhNIiHZvHE-f6zsoEnUOie1`lIPp`abuPl{cLIg)}teld6A#Qsj& zY}DI+7CX;mrl0)O=K@6eDn#!Kr~1MNubk0Ftm$_>>c~0a4Wmc(w^kltI8q|CgyFKQ z$$KV)_j19@OM5R?w(t^uzC`h5X|6{M;^`hpd+X)>mnkt|NY39iM12gBI!^>WyJU)5 zO7bj@GJ7KkqX ze@lUAziw$_^Y<^;NEC90e#q~M4cs|*tjfyF8TKxCv0bBZ2SdHP3f{H0@OHIU?jATH zqVEg2=aq@4HxtmE*0sgubuXB!_UzW_bcQouQ))zcZD5$DvFFO7CkV9{)1`}9A)@Pn zXnw@<-NU>)geZaP)>Yop1PUmCTr0UVq z!$bdbJ&_2zC~%FJ0Qb@pQO4m0q}3NPGN@h#*+oL5k*h_(8)V=-RMLoyOaCS~{>USo zUqJNxi8)REN8X|y=J}YOm>Hggpl7PKnIF%A7q84%no%>5eqiN4uvrBD0<|F(y8!8> zd&`MO?}U24Qi$my1BU8_KWEYfk#S3sZr}YKz@J>xm-Ju{Sjui%SR5iDeE%Xkf7{z) zlq%vFo^kVx(X|}{=%&KfpUTujpn2AXJ?2I+g zP?q%^{G1k>-q!ij8=HS5eImHFy@+EGNyWK}$B^&`% zDU8(qGxqTQSXR>&XLoo!PrbGEAsNwMtFQlM#)Ek8AFw~AAdTc%$r7jy5$2ci^8{^! z3=AxGGPQL7=Q>XQ1{yvDZM6xXm{QwrBap#QqloN zv3?2AJX3lrgV7jyZS31oKb?nsG{l8OnKEIo@G`gPtSX9qBQD0TbPAo+P-Ry+SOnw8 zzcj1s#{kJo!=wr;TePp|Fz6s>Q}DmO(94q~GH`@JCGYErVXAp;`Q7_R?`@z}~0 zXmuY~g<k*`*e8;>z5FQ1AvMI_F`4jvN{fts(xgcan3{GU zY?shMGq>LBU*J`Mm51>f@xs#Z@QuIO*?qcbCMxd7&th@H{VtySor%YrlhHB5>s?!s zp%A-^y<1%`3gcIEiY0WWqw@ooU$}gagpU_ph8ZIQfvCSR(fR+=n{eX%Onsc6$&K?f zIdFcaIL^=H!29i7c)y(m@3(W|{dO+A-+l=1x9cFH`x{pZKfT5kMR4+OxLCd*i&^YE zW^r(IK+m(ZMMnf=;ofe?T>kg`pd5APa?Jx7pi;{#y%&JxnO>ABwa*U%s`~rZ@#A4I zUtF!QuTB*Ousm355D$h&M(6HbCrLr#iZiqvDS=3rHhHu>Kpy&J#Gc%3uz=Rh+a&%G z7*6{0Agr9;ff$Ugku15W5$-2g^;GiT{UZ%NPp(RE&I`gEM|1e2K6~V5#2+1&EdwW+ z1SD_#!T8(l8YiFY%EEZV6|cMz!$uyRj}R*0^kX*i07E zd(Ql!b~^#Oe6K3X-)6(rTUU*ac$|WlO65-;(_KcXe_XE=*XDr9R37_L-Auy#jnten zi)V5cP=C7i!Q@9>#HSYZwUG*YuI^+-G~8OKElh%Ha7YflGF6j_EH)(E&;NBbh{IA} z8VT+EOKXq$y4cgi*5@%Pq0w7sOG0F~`!7F^d@%M{7$h?L_7!F@0a5?(d)ZUtCil%y z>JjReS_(VV%a^-;=?vxrCNbV%ZK)4!H@?S?J=FlgcJtO-`Z|R7D~%qOaY09SbcN5R zoz2D)II7k7J-Ng{EB`gC1f@L~#f69R9km2za(Qw4Pj2X6o|i9DIvBpc%n!k;z+h11 zSxvBtI4gSok|uoE$9gZ`Tn((hkTSPhXc5l8AbMUR>Q|=fG2`@Is0dyKi+N86oJA&+ z1DiK~7DDl|W3ke!B(U7s^eBog0)4%cn{2bw9~EEN^Z4Xnad0_NWzTs=4LO}ImDi?` z1Z%(b&Af|8K&CqE$%Ll_e81WF{uHMMVLd)sA`4KeM0%gH)rsRCu^mn!E|hPZ7X{*KLrMjIEQ@!|Mz@`D3ATgDs;M#`g=i9 z^P4S-iB58IxTcNib6%Sq3fF=o@0|`&IUPaq*%ji2=~y1X`8Pd#fB}+&-F|QBd7&%% zr`{UUIswnCs*;WXC$w@oZPoC*H%#YVFUb34K-hn;;EhD)I7t&oY0Hmv#?-?c?VMMg zZ3)aBPk&4HqY3k0U)BA>-hiEZbT~=#?xF;Tv*YJO6@iTE3zL~C_Ff%P6l}=UgqOFA zp0(3?B5Rimn#@)zK>n$hbgWC2@b8zXe%a!LD3kJT9&~7+yZF<%6?*(b(e}5SKE}^X z&Ji8ffm>Xj<=;ZIkooS5(bRdmkX1hY*XlP9YB@6AwAQ4C)Ha{Ke?Dgh6#KWl4ph0K z<0iUwXM#-N_Q$ah&T|HY^Y#Ael`L?*l0L3ivc>gE5x8E-7}qQ5;dzBpcwQkFo>wS^ z=M{3{d4=3~ULg-$Urfr5;xk457QW{W1Un;mR(|#Rcg%k;xH;Th#0;*LX5G1O!j1&T za;q(B&G7fjf6hPW8sZ&2)NTuhEnUf`9L*tZ_I}?f7I$QFg?{gtpcTB12+eF{_d-Q# z6IV2`oKB+m_aEKy7w+-8qw+XmW*HTAn2Qy0Z)?@T^gBHYM>7rJ{qtp|xhyHP_pPcb z<+vo=G0~YwluC!Y90y+-O~t|QrD&bBx@5>aPW8=>-W#Y>Grt}Fl>!V;16Iiv&LE(^1uwnH zPhR~@9PcK2e(Q^7TpW9+f!LVlE$%h?!0}ww$G3+gk-2Q=u+zS9*ecajK09gyb4HP~ z*XI4uplO3T^@bCCX7cb?7nX+yT|)Xfwg}W{I9ey(I>KPE<7=40>On>*%#>CQt#s->2sZXaUS%As8Pe{Ve7GRI|sr$t- zNN)bU`!;u*E^TP#+vG+plc zb=w?tgvK+{Zabkz5Y4FBWr6#1+M}TDuX}p2dslYsg1Kmh8RVX$EDbwi4gqZi?UYnz z5EOmk!ww-6D2OW!eC>G{68Ni>Gb&|KLgiN3)8C@-R^jE}!yJM@@gQZ-B@H=rU+k#) zMK(Uz<7e`F5zG4wef=m;wZ{h?@9rWMd8UTtg>@D@(N_kuiS*y;HCUfLO86)33srnR z3iy1~@cD@2^O3;kBaY8Ul<@v+G^%&5H1Q(3qb754pt=v!ISqdFq;EovPj$MN9iza` zJV3{9<1&1D^_TBmO%wXJAIjnTp#;7ks^j~iG`=5d;rpQ!w7-t?qN&90wL9x?``!xx z)7GD_mt#YLv{&WYhqW-+BDY$AM*(2D{Gwgntq3&_pQzqHsEk~ujPL%CI0!fNmEH^+ zuz{RJ^bLy;HaMqwB2_P&3A}~X8%|w#)6eo$XzfLk9=aIwRbt__GzgC|OmV$a0_kg7 zqc)YY5c|Z+K`C1nyX;dO2(Z#cZ>`jt$vcbDcjE^Uq_gS3f9cL-+*A?jzaRDX#HAF7 z$QDpNTb&A@uvbs82A0Ed)Y9lWzZ>|Tcy-A4g9l14{G>E-))hzxOqf!AoPf^lS{gNV z7&|5Js@oLk~-*2S+&vs@kC)4;J|3K1>BQ2C-ao{L^sE11ASR+p%6_i zOZOOnTaUQB%QI&Xuo^4+RX%{>#y0!a|JH$~eIy%NG6hA}=86qL|!m{zI9&%3H zYux#?0siq}9B@929?pkx#`!S%I3LCU=ffC6Y0T?G^Vf}05#_X0$|ps5)9Lf8n$#G5 z3OL835~&E5Wi<*j$CW@+N>sGrlrof0b_v6{7UaagEMiGOaIcPCc2r zE@zNTXc}rj#!|<-sx==(G{4E{^rU~FSv9Kc2)KBsyaHaDF+acWmIM*jInKuw&!R7d zTw33DdO`kK$vD~TrG)u}Pd_rRh1w^fUlxkXPj>o(Vu(Du3`ZC&m5xRQSjV9w&i2*} zu7SX?cU>+5f}k+myhV^K5&A8T42fdro%w|Ql^1uRReT0(gbwhI}P2@BLe&!4WOMtKK!#c4%LLOK68E@3<;hz7fzD& zAfkTPJZ?tsDoRCx@q{abIpz-~PscqxyjL3u--^!;SQ3Ky+mc6QuPPyuQ*W;f<_Hts zpNaB~kCjVXWH-qpb(i4S+$?2O|6He(zeEgd&IcQ=e^rDW&DC0-gIcKHSW`mCOAoy2 zc)Qo9G-0qk?CzAJI=tMea?o>H6P`RjPqq-L1ELjskDY$34z~{n9=4+JLPYacbbs6z zco0ki{PxnWJwBS~Tj3^~8<##TaHMItH19$|KI^-8TFE1)#Gbi?T^c~q$J6(u%L6w1 znJgY`Il+R;#=aJoK=_vPid^7$Br*;NT(b=EhN!;k02afe=u*Yy`^qY((d@44Wu`od zVCCdqk_Sw0Q%n8vKlKaWIo91qO%^W)K61FiPn zsQ@6qD7NuzIS_KATW*Lk1b{qeBABK40a5*qL%HwaubJR1lHe`zbl*XaSEFUE)?HbYaF#`8Cx>IvPBBC}oX33V41kC~O5LK;^f2jn?BC zD0Ze?`Bi2#q-MWzdiXaAY+o%tj$=xIL)vv&nR4EUJBiUm?HcAoQG=Z!6HcJV4{asa z1Bh;jbNZ8LZbeFDHJsyocd#D1$^SJM*WwKK*i*^ zd23iWVZX0`=XnVn9}&Ru5g8mG5y$ZnAsipEA*{zF+RrbSO?>Zbq>0Sh+E}em%79v0 zFZ*(^2BJPG7h9|@39M0l#Rf7`;GTb9{o6w<-=1LoKYTnG$H)C}e7p$9$AfWv+z-dc zLx8B?EYbT8QT&u>JyHCW==h;@N!E9BbCBPb&|Vjf6UfVHHf-%m2Ku;C;%?1+0=!-8 z%k`#CLVQ>T<-W8mAbNi!x;}}HPgEcM@B0+O@n}IDk2b~eXkHwT7Q*ppez?5n+|xw5 z3^XLaa#8GZI@-q<$$v2}8Ks+6?ak;;g`a#9#XeYWx3rbiQMrXo*!1T6!S_cCeyFe~ z4kT*>DYx9!L<-DrW8w3`I}7UYntH9>Ye@?Z3g|wj3(E22tyL5>UZw7}`UNL|s&0QzptuS9d`@c!q2o(DlRUw~*oq5ab8*Y9KeP?7j} z()TYnWK-I=UfySbqR6~g<1cZ;lr_bZPAfj}EVyhxFU?K3e>*sCESfdp12gt|OT~YE z;HJ;VaC1FvP@D^R@%*$82>os{6g=hvU9J%f1sxfL`Dy>&?>umFbxY*A3nvuV_B}FM z(L&s@I)1B|u5)(qY$Pc&_Bo~;xbD2=Ak0^E{_=-ih7Id$hTLEZb5e(Al^*?%kDEbr zJ7wgsG}dpQyl!&cTNA>(o0}UShM|A?vxacRoFObg*aY&{q(8mE{=TVxK6HUr57Sqh zOomz;!B7s*!`e>-He`OEC+6Q6Gpjja&}N9XH`19X zZ%c#wxzrY)r`SEb`>_R8mKVsF-zlXN_k(>Ne^94g1gKux8y;=u4F{%8E7sLh@$()% zo^L`0^|SHu85Hz*z6m{^Z$gXbo5-WE__*h!_f?>vepdC?j0f`mQb((rtpU3(P8F*? zk%zROQ#!P&QqVmW_{vg55n?*OSybK%hTQW_{>R=MAhockBYLEW&e&%ei`!j0`70@ST({2!ufnHL6r3dP|NN_%y!jWDU z`aZ~46eK9Z?meMbEA#ZxKfcO;?q}}wbJrF*FE?xn=W4MCNF%n&`ET!E%&5j6JLXP) zi47j?Hx9_=dfC73+)??$g@rKRqyMGmmd$w!Xxj8z3n6tw=IvSDe=+=zEUxu~RGk_8 zIL9^0BWQ^f{Z9R0pVxuUn+s`O?`@&>h9L8P4NHihlgVY;vW4_wU9PK%*1&t1{>b-T zR$xsYZSrC;4qe-4+@@RXgRasE_^4nxAlY|jdBaSD5Sz5v%{^cJfVSXGSa6m%q{kFz zdi4hqzJC#YUx)c_3a=m1L%jVu!X}Zj=&mQF&Iv3(H}u$yY)PvHj0{~Hsk>o=GQzU_ zocEc*^A~-5{IeQB8#Ls)c*_Vec->Sz`$!#xelV!{V7a-5i)0gOugy>x^}a7{J1`u9 zAV2p1tIx9=AfZD{6477W1*ov+PZ{mAPY^|M?%E;uo`x_VjOh1S9saxgut+g{-)a(i zee5*qEzdnW+FAzVq~f6ybbVZJh5aj`Lk*alWfG&Ue+p z`K}5;l)t)vhvDFY&=Clw=^U8oQ%7$}3YJG>g`q2vB-IP+Tkc?(Yx*=Jgg(|Ot^Ek+ zC9K!`cRu9A{jNE2ziVyW@0u0<`CW72e%EX`KB$f3gO<47Sr^wkYvOumTU_s~Nw}V< zpUFS{kshu;62tXJ>bU+$9@ig<;rgThfB$W*|DV72TK_+PZwCDHe!%^`*ZcqZd$0EY z<1_!~&zI=={C2%M{oPC}WJgkCNm-$W%=5W<{wykjo2mfSvsVi6NI%w#epnS!yH5V~ z&s7Baece(Qb)?ZJbqRwn#nEtY!JO>eP&9NTrZ!KONWf(3&rOe{0`!$CH%x3Sitz8{ z;2s{*fgU3iUT-=4^R5OeScsiF{!JE?J(%~9Jdy@=6$4HdHVrs%@A-XpW*HD=r%SFp z5&){z#WQmyahRXq7pBwRLBPK|O!P0cFAV&2cP#0SM;$NvXCEzl!ax2hmXDG3O@2E; z99kAuMW>HRfj`G8U6{NmY^;8;x)31=trVpW&#sEW-G*mX({*0hxtr2XMaCaVN%D-W zYkNW@snMn2Cs@9&px+}e%Lo)7{`2#04F_=gB;2u|+6?-O@}-KO=)pv>(L+-mH)KW< zt4vp63tEb;x+XupP)l3r(2S`i_^&7Vw`dB&PL@K3fH*0{zcD0vjZ_eFD&vN&ocQ3u zRZioL5@{6CV*F8}mJeuB7=M@_?StL&*R|U>M$oUp#yiQe0QXqcGPmE|fS(r=S7*PD zpenWIp|IH-gvTd5pD1=3kko+P0(P7nvc{-JhJk+%DaO~3ax6nT)v*3o$I-w!6U2ZN z!@cFy2+wD3X!j|G49ssN_?Utq<~P!w(^um9Bm(t@`|=%Mz;a~weL4G@)(AeaDarGY z7=g*4#X4`Y8QLsysTcge$ouQ4D!VWI7gkhC5D68L?(VKdcb9Z`x3qK%NF$BXNUDUw z6cq&nMFAxh3)kPAMk8BsVK;exaw`G)XIA&|u~Lj9*P5ZU(xE>Nd6;l5P2@Cg!0Twa4t^rgdnA?R`Vbg&c63`5qZC zlMeO6ySuv=GazD&$2@d69scol)G*#o0LI(Vz<4{V7;nc6DpE-a zHZz@4XmEZwR`&!D~W*F?-5{@DVhba3wvJurqWLdsSpMH7gnPto|%xgJ@bC`^m z24l|*0$@{gY%WgO3pf{x6@2vK5x-2*n@IO~R82xYnH1y)^8C6vgCjxMdIxO16}CPQ zTOWw6x5L&u;c}q3ueODmL1Bt%4zrFfOj9yQs*W1Ko>Yxkh@b(aXO*qWO6tL5!u)yr zL|p$CPyG+?$wF(F>o}d=H4QOUA6fK8rZN48i8yRZynb>`TO2-hJWbu#P)Bao#0I<@ ze0cv}k_*>b{$=3>N{gdaz0$!*e`|w>JjfH8L+d}?yX+1E@SViJCJfc0`qY7Y?x5yM z!BF#E103rQ%`-+Q1GE_4{GqK4Cyy*urKM=YfxJpm8#Q&92~N-bFzbumznHQ75oRoZ zgaykVVZri8II#Q?Cb+#=ElI-92l&tzF^3%CRukL>zq*V|CilJBq-w4e-%D%(+`8qmKc*|ExA0XN<| zknA)2fsQxG9a=R;A5L5wAlfrV?H+fVZ>MOWolN2AO=%|-Yw0odX4D(2*Z-ZzHEBRN z*}dS1wtK(ZHd7kI-MOCQ31qQwing)zMNkns^OAD0LNpHa$-UPFu7yE!^cRB90(oF> znz|$8as|l`J*d>@Z-ob9qRnP(>F_Pe=lI6KE*y{j>&MjKdYGv151-XK1O;n{n?|mi zL3;01f*C}gbb<8q1soKDUb%jjc9X~*t5E?!ZAsz1x_&b?ANZX{=G=~qJZm_yD6ZL<+A8B8v4D6n)9%nvjgCqgj!K67Ah%)(jKNB~X?GTI6B~nwyyFTJuPyfA- zoY?!wi@lHR*!#$iy^j*u`*;R#JzGTG+g>^fX;i_s$g5 zc|tvvLm$UCXL!PT@KK>s4#M~Q`B#6Pv3l)<)oTx|UOQp++5xNAX=sb{&hn$XVxahX znYMD>8ZFed2fhEw0*Xo|kplvvAWIwgC`thVf6sFx12Pf3^$)!_{${Pm$wG(Sx%Y7# z`7ma-!&6ky3O%PNlM~r4Bf6<8FCQq?gZ%zS-k_>B^pEes2Tw+S=&jXo!`o`2Wd8z1 zwCk<*dm@MfWMNPB?}jiMKK9x1{X0&)???Z>&*RvA`8al8mcZ_hN3r`dC3asX$D2PE zHd33|Coc?vMTfjvj|#w*1)buSQ8je>%uVi-l00yCd@-W;H6IeaY5nc~057O#Xph9< z^jyST+V>W(nwyPe^TXv|17R;WxWMbzVa`u+nxMwZ^`<+F2TB4jd-WeyhkYJb zPlcl4%qj7ioB%C)8`eU-Ch(sw2-!WO81i{abKdu&@hJ>@3@^^lm zfb(RpO;S{p;f87)(-T~Ow((1iwVRCr66j>RL$sg>OuYvD&jsZmm3l;<^PV=scmD1< zX8x#P&H~96wuX(r2}5DiZ=SA}*dQOn;uF_D#KK0~sgDi(me6!RZq*m3BfDUidH(D| z5cvJ%B^au42O6#JKZ?TsklQ?NIb0PE6}K&;nmK&o8;PUEDZ>K1=kNc%Ph;%+#Oc}p z$6wXOzRy7H`^5R({>NWc$NPM45*RgkRUr$;3F7N(p_)jNp(X3y8$~#?C#GZ9@K zkKJok&V^9)otMiKdPU)lA_Z-*k{BG$9M+U)IEy4(#>2v>g@H=qOJKq+G5Bf1?BOKy zf8O{1-fzM8@B86{2yeVK0}N#H9uUl<2MB1?2#Zp|aXzc~*y(9u#Ee2q&YTe*r}nuY z+d2&k(xZb_9A?OfmV`xtx!(aQY4|(8?!PvS%OS=y z&yjkIDm7KX7KC_;C?}sdArAEXg)n1)^o!W6cl5QT*&c2nYKgukN%hfzV#Yk ze$jsY?O=gtB}ljRh2r7~XOy$dAR-W&3lASug}qD2f{^8`R-V3SWRN5y-H;fG_kR0# z9{zWpiFs%-0kxd~w4}Wg<^3&-#M~rZKeQZ1%vG-(^MkpeWM<{lM`J#8BFpvm(JgMk zmyi9A4=jlBfn_m1urS64=EwNJ@)#eO7vtR>!`9Pb>yKmW$*}eG*m~0ci|g^_732Fn z|NZkDZYO0ft#d;5$(~-m4l#6NT&S#(iW^qCyEjSGIDn8qK|wEG0-aZi87Qe_gA1om zbqW?~p$oOC(zWeukYILqG+@;X754i_o~FdrDcREk{9{^Z>{ADS4=lgl1Iw?E#PaLC!1Rmr z4|#K(zPOTU`D3XL=pLDI_|2>V-n;wc2XVUNl^>Gl{QGs_c~jeD68|jcE#s~QCc{Cmtf?T(i z`M{+$r>*h$l_SpvQ zSuJ2Dbkw_kR}~t5n;MM1vp|N662`fd%6RiMm_IZ5tg5QRUT@AS?bm3O?@C4*DH#aa z9m6~F8G%sc*)>+(?~AI=`}!Bnoe(T8aD>P!Yl4qo`=aZ1OeZCG zoN+v|(#;)td*EKowHfa7L&h3eBP9CP@Gt+u3Cq6-#PTn2Jc$7eQG5g%#d> z(HVu~f1;gb5z(8}pApBnk;DTpkUJ~}sk;+2m>AkB$>uuSI_=(4(p622>Z4X&>R!jx(K(~N9~}-a?U?yKoKb@i9`koD%Jyi7!L8q- zLuJImm2?3#L<&BlwNsuKxbO)je&>^1Y?)noEzUp@A(LK z-lI^fT#_$~2GF@yb1-c@0?iRp$6FZ$L0Wima7~FF`naXgb4(#0z4h*L9(orJUnKto ztw-j;t&62fZK}bbrg#3g4`mhN6y)3SWr~NQ&d?3h7)MZ9qB}??m<;xOZzuAngMf3{ zhzF`e(d+5(po7doaMk4^?fQ->a{81w804gmrg?gE7LP^)C&Yv&vj!sfGjE3ozTUP~6*sx!BqH1R=~(xS<8adXsadSxYw+Y8-VsblCmlY+#J%(ykf)X}~A zABE>Fqu}dt3+i)k)NuFFgI)*gq9Gzbk-qTk7~K9iBq2q07d#pyW;xWyz_sN4>{eVK z3Z^kt&(CN85U-b_z*}_1l4&OxF&J3Purb8wyhC4C7i}6yU6a2 zGDL+v;#RA0MKf*VQ)FJ|K*MgIxM!pT!6di49>$-6!;UXL2oEX2BFJpXAD2KOG7QIx z=IlU8#cr?Vg(0N!9%koTv4F?z`&k3;qEPTyO03If^0#KQ;OI$%mJ-m zQH>X^ISY#$1)~#jmM~YEewmZb9qBv_xKTQZ%hTMA`@+lah;;0&V>9kpBEpE*$tgJf z@`lg4oYfIro^BW+DYdy7ShUC7Si}8);hTrGl3Dlt`J61Ql==5d?}&gvr&8cvs5q=E zHrd~&6^D;9O;gvpMB)3~iGrAAE4=$@6pV~5=GL^Jp=Pm5=uHbj*%aE01B%FZ@aghw z0}VXCe}s{Q`V6?g%@U&gdjfC0-#`EFf9JvS-Xt4(V~P9yM&x}dOIIG0ZV==+g~@~b zFNvOvEnOt69MSPWUl#mKndfqrpCK7kBsbY#oVp4Ko|3ND0h=h(dkzYTQuEl z;9;bDh3l{lD5*WU&go|Yg>Q9#mb?oAiB1x+ThCIF)mMhUO{+mTzjCr|X08{QEkDs# zFNj3>T2qgA2fW}!PuqhZW7bH>^dsR+jUC)uKQzSg-WLVGdn!X&6bz@D!=kS)Tfsrv z`_C>;`XV~ZKivJE4xne)6y#s-hPV#uFeyI7`HBV8=6!r|oMn;e=@SRt(X8K&)@?=io3};erjXNx$;DKU{^N1OqYO4%utHi*F?ZKuj=3V zV1=Czdf543f}Iax*!f_Doe#!%^R5XZr2;3MDL}(Bur4}|5Weg8^^TDp1AfX6KZU}N z!Fy4Q4u1|(@I5qtxG78&;rsh=Q{eMs=4;7tn!fh(rHL3Iwd>pp=R5}%j%vI)Z3!@& z+WOtAvj|jcxKErdZ9w?;&)c-8T3Rt{<95y35MqjOvqM zYu`W$T-^f=rL%GOfe2T=>P26a(C%B7v4)#(aWj<`2&uzF`C!6rdfc4IoT@%t)e;T2 zMx^d}YC*hwxCon-C0eg+e!Eg&09Rw4xpU8J!|Pw$DW=$IgU{lcuxt}=5MZBaYdsslx8CR|zk#GIgd5eEBH<_CMj zKnQFPTC-+AtuK|+lk6tE^%ZZg){P8U@B%^Q>q=VUbU0WWMz?P34D(mj4X#`ag4)P= zwZrvc=#1-&-QcktRN=O$J_+g2T^r1re>EE|*t7ZGQYl4yZ7Z7Rnl6KeVoZu^YB@YR za`dn%_hpn?am-O~9LJS9(8{Jq(U;0R5>HbJzG(TyUOV;`y&RVK~;V1RaM&pw*k} z7&|Tx>O<|3>t*t$2w%T^XWSh#hxRt0yfx4m;WmuEouJhs?~es{XQSV?TwUP1TUq!uZdk82_0E<3Fon{AXTle)r$?`3cjOrmWmaaNpxQ>$+hHuzi$dceKro;bC58{Ds3RBi zHz6{Fu0Vw&*4Omlg~ZiEL9qsKUzx^xnjr-HK6SDFj~dqh(Zc#aIDXat`afD&|HmIC z^DWR#1UsTGxt1^cvUb4!Ue|!{whQ=K$l33is3Na!I?60}2k0uiVL+J|fcM`^n3qSW z*xDLY=!4HZGD$!?w%1|)qzY`3tp#6ZNd|^%HK| zDu>Q*%AEXOBa3Xz>jdO?Ezo77_j2F6l;KIiM4fc8Dc<^}fA>>;?0$-{`>6(YKlR4$ zr)t>!R1>~yy*g!4;{%MsxWjOL zIDF@E!D_|NfAbZ?cQtD!&j$^NCCKgP5#CbxoqxZU$-Wp|M^11k-ETl+hq$94*djJ@i6jD~W?pE@Obfx? z2A|UC_j2f`hQ6e@g(&pr9E~O+5d$W^sTRu#W%P=L&8`^7ExsX|u1;s2gcN7?2}U(8 zq3c`CnVjoU(8X|u(eHjS?B}xfc6(-^ziW=-vx~WauilkP&VxRkHxPY`oVPb6b%H>e z)27O;E+ErDFqt|Lgb2z>EQ}snfpPuJ+a-2Kkm>%L)?i`>1sX$13WSCL+iLmeZ<@ow zmyL!iIPPnn1?fh~4>KG?-D#>$G!}2Y3I&J2Et_#Oq;R!k@hG(dkjIRUkQr)$+MvMd zsnY5QOQ^y!~0;KK}!OZ|K#2#o9fXcntNYWm5q{GEcJJj=H|Z!ru;HA^)2L()M- zXs(|5Q7DKfN2~9D#m&_!s(4??g`i#8a2d~RCy?(wMWwGThdwEvU{p;ALT)TeM}9ZP z9=%7=PV$j_G-Q>j<<7I zkL8=lk$7+r5)wvqLFkABP1)s^6mZZENE`c60y@>zZZhAUz`r(Ppi7_*k^gFq+7WgH zlLO-H4o`j1S@s~&1`cJgw^Hb@EwP8NMwOVd79S)<*4!Y_Ymc}8)I|LIrYFBJY}~z5 ze)Nk9s*AhQA0}f2?N^*M#VZY9)|a{R9LZU<`Rf^N8i61*C-!Iceq~2Dyo^hUI{DB@ zKkMNm^|ZkDfPL*3-DzML?@-pIq=GL`@@_2rrN-O;g0CO8>_Z<@`Z0AR{`>uJg(hDV zF`s)#ak~)A#uGJHm&Hdi21i3G)2er1f zz^v2lE)}CLP=CMat~8~F%Qf>==eXyMx>s0E1xYA@)Zd8dKx>VuinNtz2vbJ_r zG%5focj^<~w|dBz*mS9jNE~l{a#UEfVE7OZZk{SH{A*qj$tFqVkA6}D-;&zfH>LO&gKOfY1m_|(ftmMg@LSuU}`kH9>B(_aC%cAo%M*G1tGY z1A4bI2Uf_nz|_h@yAZ6AUuFBw$8ifpVBiqImZS?3-WDH=myGe&Yw3{54PRMgMV@TA znQw5q7bc2Lq9@}T&=4>7O{7U1Hqu6WXL1obY5C`Bnx!5(b&l$)ZjKEKTN5Svdr2G$ zZJT8a?4_YjZ1SkaTT$>|<@7#FAq74hmD}pi#qieOR>Wp~Tg`BWEvdFVc}+XiI(TtH zWB|uIek0=c?SM6SUPJgwi!vC~RUJmljsZR&a8zI5T zDT`OOMrgNRAm_BRBD^zFQyIhgOv<%BFWuYm0_OQg?R4x}Na*$2%^40Q5aRyvTwp2% z)UC|eC@mrpw@X2bf9pBupnW@6;$eprPUopfMq5EPhY5Az1$l^Y{&Re1)egN7V-8wn zGzTle2dA|(#6ih6@clE~`~O_FfTu@J1y1i6J#l1Jhu4Y91*N2xsM*;*iFHC99@>%{ zB;D76G(K^5?Uiu2bu=^g&3*_3J5SyI$&rpkBfdA75#scTVH|$+@!`N9z@PQ&`#Bu{ z20#8SzIlB3>X%g2nI^hw5)oO>mOE2_Fa(^W4OFvmgq+JdJ1gB$h^g=G&=oCrV6e#k zs>2fkL!3g-Xs&xA<^l3^o9re)QA6s|O5{PuQ z|Gaa7Ux_-0uEg4dWN2~OzLYfR>7Qu1`6UIt%Fpx~|LTRe9!aqOj$`1W5qfN7xf0ha z4;(mYM2wgT63KC5pu4988)3}6;$LNf;;5RXWTgt=%XhsTSAMDc84p;U_kKka#tDkm z=eQ+T)XJ46BngWUFO5~ zw3B*Rz2E?Cv)a*5Pk7MTirS~&PqV}5Fg*+P2pe?L9nPRv5kv2;`}40~ql15bKwr!c z=#2RREigZz8RiFc#{7Whc=u1HIJpvk$4kIhWokiYT)i_(Tvgby& zVE%a_L3H~HQh0NaynW9P)C$hzy*5uo+Ao}v?!5|tnmdjN>asBx+N#*y3<7?V7&+|PL#;oFb;$6G#&@s@FUW&h(Xi($NF zoZk0;yk%jGw=9l#ztNHC@6P^P1soS~-|m)(9=hGkgNp-{27;cbelbZIU@jRu`&>{5 zP3mRa++LM~$+8lH_K06Y{&xr~a+E~TCF;dei9j|;q4O3V5Zh7YdqGgfKPiZ!B&=WR z6e(bQZ*`3Ct&Q=$O)*$e!9E8`mi(lefyD8`Xa8*=|=w^5K;mMqJb`|dy2p> z{;TWh9|d@2x=`ofh`?0gMEyd-utrxNQN4fNLAUoyTmRR1qPbLC9D45SM0o5M(X= zIyi3SgDTE05;9D9!1%MGcCNq9=>2B_S541AM1B0bmck`($oOi?dFj0;j^|fKAr~2k zsLixTK0Wb+)RRK;kDCL)Ui@NV8gDSPFy4OLIpG6j8Fy?ACC(#!&*zySMt}b&f^gC8 z%&}0!2g9)#Fx+3gpIf>5VC$D4FdHSkU6Q@G^71@CRSm-`-{MB22Zm-pYW zLvxMLgi|XAbovX7tXi_8w+AEbnqPAweEB)}@+*!S>4X?pB!Y32{(89KMa245EN;0q z5OjHn&(s%0!g#Fh*$d?<=u7d#7njaPL9ttjdBg=#n7PEhPDdyVpe*&rsMZVxXmpdh zPzb}>6OKy3?tl4H0s!4#M8br)p*U|YBl@)wS_zm5All`Ek4}Pv zFV*;9Yr0s~=_D8Y<2A8Db9@PBR2m~leD)iE2KsWN=={-cRh}qOJ+5Cs zM8HqF5e7%+o~q>02ExEOh5bC2GIX)}bBCyZIQ+SKg(oa02xg92=(s0GLT#JyyUzmb zK=k)!fm{YXRJ;(m&&|yS5y!>^a?!~{1IDx=C6+J2N6u~DvIe{RWZG* zEv9!B!}P8~SpBud>aPh_e>JfBtA^EI6RiHK!vT_O2KkNJ$oBI)^S~`;bUdTQLv_Lc zmOyxzJ>3AlKc4U#)MH0N^qbjtZt0-|s`uCFwDQru>m@<1_EIph|9p*~)DAtKx~I?n zrv}+~)~j_oq(A`ep4%=Ift+_@fLcj7$SbM$o#yd{;}LBlM!JdUWShv7$EPAuBw=Lf zP}41?D{tR6B}hC&0+ zHYn$Z;eB5DSwCuu-E~Jd1Gsdu#8Z(a%yxKb7{U644c|LO9DmS0*FyEf?vS$@|5?lN zaOka6@X@riLywG3eP~3cNJ@NkfX&+pUFZ+3>$`Op2HsecRBJhc%Y2-hZJjlA9%w5A zSyQ+=mU{I9i80Wy#otlY*lYZc(3q zs8g(kjIM<$6#I3;l#gSNrNVu5)``_bf<^82pr*gOy1u5syUqg zZF_y~mK~HU{|#X?i-cki?g_70J8%kXPfxB)MxG`#_M1mTVDbLyjjo0e$o@j#_#`kC z4wKb;q$vb~+vl|xN}0vT{YFQl8t!~H{h?>RDX0T9KhBtw`Y52Q=2r<*s~KqOP@=D@Uw6;pbk~(aC4V$T9A{Ig9#PBpqFr zP_*C;506ZVG=}O!?%KmAHGg8@<}x8$rb#yX5=AZ*A9x;CiFRLxrbWWZNPahg{0k_$ z@crl^vT!in-4`DFWddnNkG*RAw4u!S*UtDOGl)JvLct|%0)Ceyh!ouQAeFD*EVu9+ z!gs#&kKfJ-3ypUjQ?sN|!%wllQia@LVagp@F3ACM91i^)HZthQ_LpDOG_2q!n65{u z<`3Gtk>j7_-QZn2GH2wzh^*E8?trN`=p13T)z5N;mP|R)(d&VD_q+b(aqxqIYs6iZ z9Ncpps*nwFFhr+k#gBb=;ey8;-`bNn_<)W5@ack2TzKmz|Lx}s*nUpJ_VYz-Kc`{) z8Mn{=x1Tfd=F9!_ga3El3%>8ypm5l-Z=w;r;z?JLEYgG3clvE3YStjwc3_2gS{IlC ze8#G-@Ziv%^jJC!Z>9fK1;7Fi*vKShYE}G^s zW`X|VTlu%7O3)a8Y)L6|E}AszDX>%tMJwDHrt5F3Ak35e#^lLrm?!YqcJIwV|N8kx zSU=wq>*wRtX$ToSyH0{d`S>7!7#K9iCWTF{hx>eZ=)zFkkQUb?OW zil)0D@+AsI^Zbg5a=nP6XTwO6RZF1il%=)WqgoVvwyMAHQU)9jx_mD3=Ow)BW5@So z`DssM+?=-W!)F{vs~|^-E-B0%MYuP2dy}XmAH{{qb2eUxJ;{;JcPasIzrf*?<3=_1 zF3@iKeq@(80U3@@D$@UOhI8edWYg=8aIPcp*Oz8@-0%CX>Ew4#K=|WS;janQDvQPvwmx*ZDWJ$h1RJhNYeU`RmP@_LN_d|? zUu?OyNDjs$^04hApDNN&#bAA3wPzxnIePoxgY9^j2}mGx@QQ{8F25%kXC2UFueP@o zfdSkWW_weEw%HUf9I)uw7kP4GMKugLQ{5M8_0k~1P5fG+wz zOS@aH0haT02hv2e!9&KW*F;MTo}50_@aCQ-94O!X6kw-`x84a~eUzxno$keAS7h5} zD4N`yh3ZLVAKKEVfWf3+mcD2b{F$YA)A!CB^}^ZJhJ(WB>%C+T@}KDEC#yjY@836mPQpBdSOr*hbT!Hkn?8T_!`y^{Fz9zHk2x<` z3%+j%VlqMRa?|;=6fKaRQp6Cssy=$GQR25%=MRs%yng)TPem`B3T3VfWPnh7VCL;7 zK}hB)eP-8dA^1#fAh&Ra9}dZU4Ygd7LP#m{l4u<_q#2z4IpTwm{9y7%VJk1hAMle1 zZ^?wZubDy=s!0&*FZZY3=_;b`upwftz6i-PgvYHLqCwZB{*VDfI>r;w$N0cn7#}zY z;{)qsd|)k%4{U&U-tIsC@PGgOLvF+KS+{M_;l8AI+KV12*6)YJvrTij8m0L6W%pUI z9c0+fkvD}!uHF{95@Wpillc1m*9fGq#N2U%pO>D+`7%1g;oF*tV)ru8M!15yCGNi; zi0eO^6yXeIZf{qDaXhc|()!FJq7G<_cii6OtqG(Sr@0jDd!vEgURKGdvtS^9v+7ZZ z83=rdQj(h0|G%9NjBmeGxVqT*D1#>Oe{`qG{VD*HTX&mUkLf{hDNQl2qy~if)~#oq z7KT#~zI8WBd!qXl@3%YbRe&T%*W<6O4D$41^-C!iM&abbG5JOk=;tw>rTRxa$jWp0 zbUelX$>aO)erJ698(qP6H+nYR;aOkfTxUTF`r9D4R2}L9kF-~L=f1cCP5ViMhqzpU zGixG0Y?CcpQQa|2ss!4zM{_!zn?U=ggasK~LklkhKE#OCq3!Oexi7I*kkoHg zSwT~XH&6ShW9P}ez65lU;%1`wN1Q&dMvKeL#|sv}(a$g$6r*>PzSoJn@}PC`kw>a# zEGTOvaWSUj__h6dzez&nk<`^&{BvhSVUcA@s6c=pJU6D8z0Bm1;F6%-U=|nN>-8yz z{99CofSIbCRc4d}2IUh@E_TbnCr0%R$0vM1VPnUrkjn}5t)lano|+(?7lw_Vm+evF z%s$zOx*8P!Ev~n~LC)g67G7&ObB4i`Z`d5T zZoeeqaf(9S4F?|88JfY_{U*Bc*SfH#S5|0u+8pNj8r^iGmBDg1mQ*7ir$@feBu>2K zj?TWgew@8P2U_nWMYWR(!F-#8k5PyuTv7+Ik?*=FS-&LcPKq>eHOJoT@{j`w_bI&x zl(G=}>91q{HC+@+dG*AfZFx9OO-mxKEsX4}smeOEaT>yA@(zJ8R;0F+c)SWX*ApEp z6l8m&0#3rWy)tiV0$;^%=EU7npjP>^2X{K*?XF~<26;EycA~j;(yko+m>eO{4rqaM z$6_Y$OKS#1#8gbkP>293_%KVa=K0Sp;qj;Nc{1xP)VW;L_kJK8-q$pJ%KerC$0pgj zCR`#QSv7C*Y*08d)4tb`>Jthb*4qO&r*ZwCPb=B4iS7$dk8VR(wC#%e%4PDW^80_Qaa*rKIK$w@@)k$wR_+!z}SNbh0@)( z>(k(xpCV_JQZ@+4+406{r9i8PTpvk&DbzQG7T6?bLB7BT{;xmGQBJH*HFp>bm`e{E zJt(z?^Z{zBD}HjIaQ?#Z&=DW>rAGSYTX2TzI#bhDMivMbaaG8dWkE+yJ^$N&nE_(V z#^jCYnBce4$tlxtK6J+}EcSE23B3KkA%QY~YtXz2J%U&Q<_VE$Utn zR-|ML1G#}ZbEdY-pgAAXqea(@vb=y(ioM!a5x?`elf|(eK-#h z`nB{YWg=nbj@;-^=>l|VcHx`6MFMP==_wX60Y!#H<)pz*a~I$P;2)*vISpt;dcs8Y@w*Gd!kz{5q*`WsrHs}M7m8K z5!4YT&~feX;;MuhGF+ph0b(myy+@TukMo7q2t@5#bs8Y)vLy}hAce(4RLFUb(Rszs)N`iM z_ub%J#Z!maR&^NFpR$a&zyJz1&TQE|Dq!dKJDdE9H1Mhy-wZYOKu$BYeN@Bhz(sf5 z2CNi7qW5AH1EVTrDBZp3Qf-3r0@Guz9z2g)_0o4KL`=|^U;HIn#1Y^{FB;ce5RE({ zkDETB$%IK*==@BLVC>HjE8i_$qdtk1yLC4J%@(NcDe=UjV(-&8WoFCaB`LF1XjK|o`J5#g zQC$pOWDS+Qttsf&*Y)>~M1hdH7+@)~QG@&#z7cQxS3=#^x>t>SD4P8qwk^Nl1WG#M z#GX{Xkl%l$^udpCq?NSgGUDwDdd$SB${Wrg*YroA(a-?t*@yXvo5sPz*T*FdSj~Xv z-6vW>rZ{kGTq2{&3W4U%fg?^o@=NC!WXrfVe)!|NMZ4m>*CR^8;#Oen1P%52ykTp7bvIC%j<3G0!JwIU3~> z*$)O$`$A^R9N};9fjE7V5wVsCBxjny#II@v9yAdS>=$r4OacX|6|D>Ctk@OeH`<{v zmve}vF=!h6y%FK64^A?EKgV7>AyM*gpFD5r!;kv)8_)NIAuUevfPJ|lYL&VcUC+u1 zYgwY@&*b#rcD&3>vv^B%p!Y+k74DvZul@($c`n}kkV`4kH$NeCo??sCb%O@-Gp#4w<=y#o+kQg?C*WtV5 z88kMCE;(+KEL05^#r_`2n+k*tvM=8}W&Ghq0ZVW#cOWFN$v#@mb4D-NPsE-+6pl12 zX+BExhGM+p|32S&Tg0cAn5Yl01N<7$U38A1zI2PCHOvTIjy$ufGiDFuHFJz}26k{eiBCP4!3EuT&=*g0 z%mLxc%fh#x6WMW}M~s&hdfK*g#dKMby{V1-y2%l=dVct7+Z#fWW@*hXz zDHgovtu5SaXp4gy0w3Q!8u0x%47=^LK0Pae^m7J}hy~)#12XG_qO>QVVdcHipJNn| zb3LS8a4Hf}{834o(hGx=KbF>Mui|nj(|WJX-it@PwrC@jI}{Q-K40+I34tqPB@13S zox1yv?+%+U0zv7|uf{oI4{#?Q%;{YTM@^>{lr7x&Kw-PKt?)ts;H#G?I(78^ffz~H zg5fLmgc5LXrD&eq%my8GL_OtRqM*k`3y$TI&}%=Tcpb-y{&$}L_q=I*`Pd{e7vdl7 zC8Dfh<&aa4yrC^;{pqcn!7!DQ`NefV3KlqHXEL9qptP=+d+U*bfUn=@|Jr(Sbiag} zu`!PUuKzs7Khuii$9@u&R~^IUP|WRqRicu{Q6h;K3Ks+H@ihzJFm zr0c^W0|DT2Ny9oJDGXb0imf-q)`w&3&9L=`*m`p?rlXwRekY9n?xq#W9uo($7=;6t zhLX6tIB7UrAOcGtRBxvL!udfZSDhM1#1Y#I0=mr)5io=Z+I~-jz*xTCLM~ASV$953 zxLX_v>p_%O>60O_tMsbV>0K1w`Y3#Pbd60{7Uhlfkkxt1UFCF1==hx_Q@NlHYsZdr zzv>eQ)4h4h&|PULNGl~*5j8;gemT~DV%ri?9npbjJsvLL z9U3#dHD?36E-`WupB(^S-qgSS5R2`HbJ%{U!S+KOwja)6`yn3axKjqwzW9Q>egAtW z+`K{R!|hkkb@Nd7x_8Fh1wT+tx=0(y?Exu|yA{x1f4uk4KVIB_|9#svze)5d+6V@d zCl&53oJE|xeA>yHM$kLG{V^dP=W~o#r_PwOLpN*(3&ghd@y_q2%y3F^)C&cshVpsk zA`>LG<@WsL1rHSdKzPD^Efk1fUYWkL8H_Fj{4Pz}QNnw_;d>wXzk5Bt`HcAHH~s(H zdR?dE#OaxbQHy+NUQ-h{vU4F$_YaVT*TQcy-*cF&@Nj(F>7@AR(sD$EDL*Ymlx=Y-ObE%9o=s!0z#nemv$E=7QyU{RrPTN+@?@$SK8N38?G594ThlAb^LX2Nsd@n){wMFeSW9$)VPQ=a$2rx2rTjMkj4wDOeoZN4-BNk*OlS zw~2TEUX_HXZGz@iO%Wh$TF4RbR7WNrWpcKkgaO~*dn%XbKK%3@K%qyc5<|ppqJzIZ zC-QUK;hHTs@vuiT_}}#6*(1=z5?LF*{}-_d^TGS!&bHJ8KO~yeAhKTA3{S(U9kT@*&?8_~ z_A7QoV?o~KW@qg1?q4-O6I~dLl|ThoGNW-V*y~`hu9z;b30mPA)RZ;76FCylj zlwiQgx5QAbgw31&JMR}?eR9BQzOqH#B&2E@ASZG*A5AQ_U6_9t4|9=TrBPA|K&27* zbxkG#IA~(#yxzy*?U%e+YA76E=8N9!pS;MZW)2mP?5vQ9J-D1wU;a?!frK9$~3rRI_M$OTLRjwvVuHz#mJ6{ zD`NYvCJ-`*d7S(Iu=kcxS#@puF9Hgv2#QD}-Q7Lu?(Xi8mX>ajMhOW)kq{9D5tP$F z1Vs@=lu%H_!azY0B=+^*to?D1;d;it|Kr(Xzh7aFIp$i|TrS9Zo@b@4wsetG}-=!@FN^`+NVrKlb+gx5V`MhL}Fz0@LSPV)}dnx9lH% zek9sH--^K0^=iXzB3X1@er=;XMF=!*UN5gV6@usxd4nCqiim-3HZ8_S1b7#(|53cj z4$h0L3a?|gX$T!n;7!dlKsVm7i9fTKg&9uL(diWrNLG0N zHsx?2Iv!D>7wPQ*0jJXg#j@Ps+{n=F?pq<~hh0FksThGjg_Ea-m;bmg_R*e>I$59= zDY9W`mjdZ$?O!EQWKi2He!0_f5-`}GOOr%pjC99HTvG`3gxlwT64>^OCc@&|JXm~t zt8d#cniz|3Z}u_EncRD-?f}D6yW)?1B=9hjf;l&ZV$g{V{zV2;8=%(H-Tz9QP$`(F z_jP{54odGfKE0nFh>8>q_Ah?(L0T_g$Lad`ApJ{r0;<|Rux`Lfw!jhqhAqNpOn>|1 zj=!xhTx1p;vxfH{_8UaFn?jsj<1*c(ABtYwRrIFP5{U1fFja3hh0nXR#Wk-wA!2={ z?5PW;KvVFP>&FEf#B@;gDJ8!tNCM@ZA8`bZluVphqmUyyDY+WqE^Y+rHo5d28cg6q zKe80Qdf`H(1E5n42^2z|Gsmd!OCr(W`-Ial?a8 z+_G>lD)s!GEiDL%*!6qzp(@CSouOHomWR@5X_<@wZ)9E@@Fl=85Z*jLo+4iA4F+AE zDtTWCd`{Y{6RosCpzYPDFkD0U`=NEc{M;jeH~vF9`L=q5)EJO1>*JUaBUG|^Sx0t7 z3F#h;et$W}0OG!e_ZsfEKqGe@H_{04Z^0^smo3en@bOTf>i8QGAm;IP;H*kUI=cN# ztv~#r@ASmIwNVCC%Cq;+^2-3+@m0KfUA*@}yz%g?3n!aa^sGVdYhKJ}e+!uQT@NN= zH-Ij^y2}(**5GqVX@AL-72GuaUh>HLlbsnnv3f*&-^K-~Sd+pNKp2g8jOHvxhhqG9L5%+{g7M!8`R{-D?|c~l zT?pg93qam8De3#7Ch*2tt#ryr2PPfbO4gG@(4Q!7>RtN{z=deMQZ!eapwGV>=NPC@ zs9UWaJ{K$iB$P|^rY5{VKcv7{pD76ww+hGG4p<;7=T;2{OJN}W+C%){iU{uS>!G~q z-1k{Ys3GQ&5NHsG0rjpg!G?Os_rT8vk|J?f{w>oHdycSfXLIO0H&;g6-xoXfebHgx z7dQ5Ov0>jA1NMDsW9`MU_PkhoX{@~%)}9}0Z~Y(k|M%m;yPn|PkMPz@Dh!nVjx*!~ z{ZHDK$9cJ+p^{#a^ROW*laPMdzRn36>wm(WukpY`r}LC%%AC0OBfS0?c=KO)-;Y&P zynlz9C$yZCNZw2B0iW*&EDx@xBOMfXM?A?I;KltI{qG)lJ%MS1w7MXZzEC^xTFB!S^?1kVU{ca+P`&knJoc*ZYwMl#i>UKFE}ys4LCla)D{k_BzIss@xQQ?>uwM=bk>8G_St?7;OT? zJ<8n+i>9zfYB>j^`e5<#MVp*!C@R#cNFL2jN6q00t-tu~j~<-5G2iT4Yyx#$FXU;K zT@n9C|IXH6UD!GGqDmzw4XEPe`~=>eLQ!eL%+_75z{ogwkB;IL@CkgVh#4#d$4_5B z-9An5Pp#u2=Jfe{zGqd{QpOv>B49YQ_0^L)1L~5x6a&XEA!%XT{0)aPu#I7vEo2FU za)Zx4lZ*wpzZblGaJ;|oB|jc7F;)?1yCJ8?&moI0y?wyac}EzeJW6bze-wm0$F~gc z+A5>EYTx?yVlFTZ_%1*cD34eM{7%ch=YaDr7Fh#J0?=-Bly%pN6iR+*b18KXFX5iq z^y79BALeHw217d|Zo3ffsk@`!C>F_x!{Y_90A71R_(+FX`Tv+BRr=@ZVvWLZkE465 zLc|l!*4iA)IBNpg5{(ibksWML{t=rPrQ&Tjy?jdg?6(u92xLM^T}vOZ4jKNI4St8AO*hP zR@^H4o{yN%UR}Gs7LAU&7AQCF*Mzxw^RFwWcHm^DD)^mHPu+fdJ@DEeZ$!o4aEw>Z z8a^ErlD7EdhcaelD(ep0!zZ@-M}7|q(J!Bb4=&l4kYU%(Vr!u+XD+bI<&`&n}L$xB6;zNW-08cERE%czxg z8InNGmo=g1&ICQK&5cpRPh5y2THE)F=vLpWJGBwS48#O~LVNc9w_AO<+ee44YBR|I ztnG3zEoP>C!cSmTYafSnKJ{n%X z@zU(3iTHyN$n{odpyPro7(ZpXJv-$Nz0XKJFA92rsB$i!r?M+JJuejBs}+K_{pAcX ze;ako-$n-Ww~@m9ZPYP;8)@G&9j!(er{9Ev z{JS^)A@?I8`qLp9X!%U6e(GWCrz5t0 z8sPrD9vkH!?Q?Sj6;5`&UCS=;sZ6&)a#sp^`7GC2fWiqja<~Qp2)x>^p@D}|U!6h8 zXSUPwvl7%yh1-;0v_Nf^r@lE-=z{bf`obP90yn6XRLZ>E9O<-iOi@Luz)>RG(V;&b z=y5NjzTER_I7sEpp4Vi9HZ;091n-p~g}kg-x%GO;N?KfI>pKZ{5~&q@o4OFNON_5q zoelmR_;}{D9ia|4w%s6s${Q)F68T8hh{LCRZ@RGK1b(gf{^g2xYZNy;G?S#D3O+)9 zPqs$1;X(HLJ*P8Da6jyu9$Tj=Iy5)q7^pg1r-y5X@|C=P0s zJNrI(v4FAUFv*{JW8~>&cX>ViFdByz zw^xUwfKFQR<6R?7)aVgU{7f+rQ4_tt68uaJjp+ErJ{vVa_w;8~lIE4+pk>=RaWPdG z%U(S9l;E#P8mW4HHdYbv*0bYnFLKwTP&!``W%SgLQS- z;ms8_peBZx5(J#~?J`HCAvTW=&ar@)N5;OwS8Avu!0cGbEE71r4b;(Wr3Yu5f~5_9 zM!4X%IiMWNg85&WVD(B|SiO<}R<9(0)hlsh^-6-c<8OHLi7k4S8o{5O$IGb`aJBVy=T4#|WRho2x!G3=EklK2Z&=Jw z-uU3hu2&i8?p#^abW;jC+8*{zYMuyuQp?KE8g2AF9oqkP#eo9_NeI3A^=zZ>wat~K z6CGQ9zP7yzoAT>@o0rp_zt(6WH>y*&HzFnA<%zr8(fnpG|8^z0N;MqSr@X#4?i3FD zT?7l??A--7+@=I9>~|rb`=OTJj+SW8%J*31Av>sbA70fdu|O%IyvBF8WWm>|%@OoxxE z`_#7o8^QnaAOAOc%>NBx{%>@c{~HtL|3(L2Q%4ow9wy}V&ddKkev}KsF9_|L<r;iC4HmbR~be}860Ll%H!q_{%8Bkf6x2b9zWjsgSY+PKQG?j z>py${|K9ljv+?}>`}yDg|K|Sn-}C!ERJ-X+=N1l0S%I~033WKNkCrq#yK>Rtfwnxw z7+M%wG&!AEk_=@fO202fWT13PK1a$-OH`F;-mA*52(Mm;_jPotL)sCv>pi^|Bu6l9 zikB(FeBhDV%hCo|drhppAl6<2YcGwp7slEvqNr>2e^eTiL49CnP-j9c{CLWx@Vcr1 z`D%tZ+O{OZ_u!=CB|~xG`chyh&^H&iUYcUChCx8X462TrR6p0%gKJ3*rAKetqiY>O z8`s2KP}KXaIL;bn3UeO)4Np|MuA}0#~WwF||{Lx+v_eXd|D$s)j0rO1gR+<-nhGUQhU? zC^$T^P-&e~hO7#?L0X4yP;F}NF>!2z(C>MX64&matUURL=P7&9pIG;Juk}mNE%}B( zBDx6oNj-9Dm8*bTSCFQ?ybx&0=v25~okJ{i$B1q^)gU_ElPX6hOQ7b>%u@-14SX@Y0y7BbK>B`NJP(jr&(;d4lS5Z{t92K0UCH!C(UvaqT4T-I1zZN z(!3$2JA2(=2@wUe@$cKT-M&WQzQ8bw<~ef(t%vK z&bJFFoQ0J~^>iU2jj*61D`V2$g&vOzG1(f`;jZ^-dwX}@wapC%+SQ|HJ~)HbMEN++ z107_oKX(7kyLc2N7CGQ|$_+MpZQWemU2*FnIfD7z<`uo*!o{goo4b)HL9TXu_Kg>O z^?q{U-fK4~pe)bZR0~1m^NVjNR9qolIh;9urv_LhC$IIe7^B`D9xX}Ts<6}i%(-TI zRhSUD#BsAq6I~o!G%TKxgEcwxMUs!|0Q`9-A|={r*!M!@l`=KR=U=@ZVyFfVC+AjP zOqe3Rnb`~zXIa3@*I?Srr>>AO2WJv_o--SIKw0z6Q)bWv2xN^s2y{kOJ$#nQL59GV zZ1#rzwFTzaYKQr?T4R2#{+M5DD(2T}kNLH_K=59v56Aq3AV#^UmwZ`{;P>|~T{Bk* zcoKUn8+Hpr^fTHM?Rs)(l)+AyS&kp8zZQdKS*4eysdngU^ho;&5(#*}k0yS}RulqX z&L`duRfX8Cx)-Oei(-Dr20+fM*Z-uL~+PBHTB2 z7=nY}YFWRv7J5D8VKTIAf%qR%v@bH~!EyiT-lvJyh&F8huUSETn5g0L@s-pDt>IlB z)6F)BWQS?ulWI*kh`v41i%SJLl}F7J-o0F?xLOPU^fz2$Vk~qMHaWLS*Fh)k_Y?AfSUUn2aI?F7DD#WiiWx zLsKuP>22K5v(BXJWdSBYT71r2>@&e9p>bjJ`?N7!vZ-_{+ieQUOBLx6EvE1@Ua%(G zG8jTrqC{SKc);^k`D?#EMj^i{v4|g3(TKlH+IcMA7nnLZukyZj!1%>d7{6E%;}`Q` z{9=BLU(A8=i#f6WU9kQwu>O6p{(Z6jZL$6haMy=!>rei^UglTWMoFZF4K&UF;mqG< z2KVl0^_(B1N9z%rEYXjwz{U7e>Dyc85WYlh++TSVt=_%DK}%GF?&vUla2AOI-mJ|! zFaJ28>oI=Vh9aSAAizfbdkiq#Z@+rN@F?7ONd3UC=m{K|DSuA?@PKDsVNIT?(dhg_ z9-D@40J=F97S1>82hp2{c}}VX;`X0>_fA|O$({vzas-G(3YYW4aqx8 z4S1X>Cg|_SBN`r;LS^%eiyJLLf3xxJU3f$ZM7k#&Pn;L{8}^JwV*Hn?0DG@bBwctoMh>J`uMB>4%JC!Rv`Pg ztB?l`RHTd{=(3B*?>)j!5cb*5^jJ_Z63W&sJbB&`CeHY6rrmdfS9?2{wSPJTbEVeJ z6L%a?o=FuM&44+QZEPO6S!D{0%*19-N=#w;Sa_egJfU8EGJo}oxGC=O;EkV@{*X_- zQXz+87z+324#~lhLAJ2&n+k|xpG{0Uw*qWl%c*enQAHQd%AR%Ak;V8*QkcJi5aw?{ zsP6uUKPZLy8xZ(o|M(kNq287NdcI``DE>M+Jaxtr8mlf`B$bgvS3L@@7EId0d70Vr z)hrD}nXan+AwK|Z^F19fzNZbw_cX`&o~{_*(;nk{+Ctj?#iR!fuJCS_k5!L90uf!8 znT8$ya6mEUcAH^1xU;+pco>z0=nifO)CR}l-oNnr^W5fdjpY2L2prc13nxVnAg!aR zlpF7L;l1RGs84#5Q?<2_3j?~DTtjXEwJ;X5O$vA#mF@baE#)fW-b)ckdhT%5e3d)g58NxQc+(rEUnWLP-i$y|eK0eb=mF)*1tLo#elT3K z>%-a)1mdOUpDGizQCv@fy47w3G@?p6jFd`1!EluH#E3p(zSBaToTLaY{6~q5+SuTO zCBe<7a~8doZ<8wp-uL;; z6OzQ?piHw8gT4fCrIvdJ_FE(6?*l|EzEV)QURAa3FA2R6OxEo^d?SylAf!Cbb*x6)%a7|%Bno2aB#UXm)f7k1`ntPHeX!|eyV{k?Pk zb$$@9zv5f-3HDc2YRLTKQupuMv1r^RwK|y|L5;XvLFa5ZJkmPXR>0_+3BUp|YVUGb*&Ztm~;_E=dg(P$}v@i(45F25C!8O`b<1Hlg!um8Zd zzE=~|_aaQ+>y7Dq)iHgq3a0NR=yYt!sW}d`p}nui7T?UChVuJF2PD!ip>Qz@#sIxD zkeaK0^m|b)tfeuZURSA%VywGYO#Mi|dp1LIk1U_5J8jAyM0^LM2GP!|*+p-AoHyu%TovpO7n z>Q*l7XHJ{6CES~wN(59@D&pbn+Ll74kSN;bJBML>XG4tdY>M%njWNEn5yp2mA#j>) zoE49#0Ygk!-r6MsPrE4j-Gx9!xGGK(nSIC=d9n!JcH))?wZWF1Hhj{!@0-gw{k;tY zRduxiv(&(wxK(JY5A9cbSIb_M7@CWmRiH z@Mo*f=1Tb*76@ln6oZp|*%0me<0zBT* zwt_QEm4;K4koTDf{)ap$M2~tZISx*k8xR%gevEvch?%@P2f1I9yk4Y zb$CaoLhEE4j&!b7*&gI2@b%13dl??nh8E(E#@C$$-$`;eF@dhXk8hm*7B}qm-V?rQ zI{I1Nw1G3#^7i45E+BY1Z*uOWJA8h(tX}pg8F6(*r6!;pA+kFnaFXxMV0n!5Hy9}KVO^t`7e`0m+R>y>~#3Oe1k z`r(l^A~tpj=1esJX@BbvWv|UJeYGB@Z#TvC?W&l*T@BN>6MV)0(YLE$dSgG8?|+?573$^Aq&KxnL-khJwDK-?B(9R6`@P%<^N(W1{G)g=|0rh6KZ+Uij}pZE zqgV-?%SDQ?<6iLLP=>YkKnQ9-prlFO=MK*=G*YRU+rhB(#qO->a8#m_;F-m04~0WC zPBKaAh}kpb`&yPTRJ~}rwn=jsM7O$|DZfaAZ!r^lKd%_PQFTltQjtUCFAdIQowI|i z^bD@M29b!TKYcpt=yBLBaJ?;=%oSe83QJ3}I)Fsnq!dwP3ffmUgI*E1Ex)hOEwWo1 zqTNZyTn7WiVYc)^TC0{GqI{Fbz1Niyj@nYFt(s}THgES3#@pq?c)J9h<3GGzT8y{L zkMVX7z?p}+edY8SXy9F-sCKj?%G4t}7X3yNJwExXC0QmMjdZuU92bayQFcow+Jy`d z+96dF_#^~mHoqKf9gqikTJ5uvhH;2vsgrwJAqeyfBHDjzWuT}n#Y5IpDcJn+!{$#2 zHh)~P`QwJoA6IPtID;YTK3LIHjP6d+{w~WZg&3;yH-_F_LD4*J0dKqtAtGBovG++O zbmUUg8VsEUf!@7+v$opEiOjzu*FXtWyNFM?MJj>PiuC2|Uj|4_E&Ad;BLxVuV4FJe zMiKY<9IrpXqlckaQXgv~`ggRQq};4fpzLFH@c|oD#4T{iim?IBL)I+8ONW7&OM4#i z9>#s1!CQZX*YC@iPwNT&HG5ExE>65$;f5l|jvPI?X$xxU>)$IaY~jx+^JkA@ZzS+& z{QJj7Q{3@MliZzZr2P9)UHfa@n_NPuFHlXvF!ZNyfA|yjrzznkctK8x96JR|)Zt z=+lO-Rb`^^=RHH=H*yvDkR*_986gVyZ<4Ume~m-UwBgJEE1ckywc zPAE(=kj%VtIfhCzV$*I7hQl`BiV@>msbPGpLm1zR9^+d{VtgxV$cwW0Eb%P>ot{YK zmKe2#ZpB{h1}kUaPH0|!*b;#BESeJ^ZP@`eziY(G5P|Ey`9J(+28_R~f$^6aG5#_g z#$V>b_{+3l?b7(6V1Eb_HmUbYsCNY-(yJbg5$^Ds@uFx;mL-Ihe$}|Z?29B$gt<-f zIOFCmZr|_Hu=`yYcE3A{-S5({`&~G8zl(wCeuC|6QaVy*k?sy$On`Q+nvg1~LNM7a z{CnhO7TnbTeD%nSB6K?!F?;8QAiU3u_dff-?f)l#^#6R{$NPQ`JPy4dUFilk{l~Ru ze7wVz-}_baU7X+fx`_!M4lWsf zs-=gy8nUz_#Ug0kUvq6Vlok|VLt|@^4c*%J*>(QyA>8LHn?GE&xu2K&w$EcF;@MczL)_h34X}lPE&#n5WZaHdPczl9L+DCJzcfJU-fV$$=xg zR!jW>U4l>eUB!c!#DM>BTZgrnI3j5nsCFG>f>tB zzbo|YB9Fv>UfLeNK3d{3edQb?3sVPsv}l(VK~+Nh$>5|4NG3UE`VjK&CDtd1%3bua z^_d^rk1VkLNC4Z9c(MIR3fqskaqAh>7#zq;q75Kn4`WXtqb*wc707j^Ss%`wYHAEm z(}UK>9(DJYY*9hAPH3^aI&MF}vGS9|ZP8?K zS)4J0!y%(bWaL~?joT;3hw7d{g6Q^AiuR`NK4HJ%`-V z_*5W#uGz6TcH9h_3k^r#-P8k-f&1c(CJ~78oi)$x?`H7(qQW#gogrLMYB{ptX9<7Q zP8{#p(t~^QX+O)UHQ;^O@q5|7^`OE{vi51N9^@P3oehxHBIr*Bs6}{RgVOf!g*id(S%)Qf zW{7Rx*R%nJRIWn{;0n8Kt3DTTT0>dFkCaUn!aXabMr=(p0k+iMjF~-+0Ou};A)ia} zpptRgtZh93q$3$6tl%iuL-@of5FyO++2>u|y*6mMtc4G(bu9%4{~DI;i)_iRq|XB8wrZp=wq& z2qzvn9CyPEEN*BOs-Ja5=N<>iCQq4zi+s0-teP>f_?sw2>$#x^VqMEer*&bwe+#UC zPpp3ntbcQ?e^0D`g6^&Hu71=tRivudl_|`?i`cCEhq%L3(0uo>Txk_Se`4y-kX|o@ zRLprt4ifmzc;hGA=M6X^0?Q-ZGD|Drmr)>^mT5SzRniY z*O_4YIwu(LuiDqTc8B24EFbwi{0Un3lu{%+(hoy4`JqMr{lM~;#Z_Bm6m_1`;3(7` zfQv!(X@bGNaC?ANGU1s$;=3nx`bo1mR0ZaFF6yg6^vdhfa0(xk6iJDy{5w1zDdWzLvD7HiidlfVzA^#vVf4 zTu{p{Bz=b_xSFc(zTYE@{7nwYQY@LHgC3EeEhG*iyzz>eRxxkJc zYj0w8DuDf(gVP7C3Lq$u#ymZy4hi+ekw5k;gzM9@z`ZkUgUc$VgQ0vd%XJ zw_Q5(gQDi(Urpm3C};pvCx2h!iuXl${p#`h9c|BlJ#7BlV)LKCh5u*%>tOTW4x9ga zK%3$|Nm@n=fyR@a{Fe`cH6_XDe1$yP3B}+fMFZto^xl08=ew%ph9XMN{u)J-zjMW{~ z(40f2Rev5*uRb;;Wq$}r{O+Oddjlv!=aT>TmOj|d*SKT(8YL`Wql)EgRIq%FGM2AF zuqU{-(UhS9kz~Dp8D(4oG||cf1wAJr@k{P++j}|iTIrY15PuDdzMQ%9uwOCY-!}RZ9U)PKyh~}wI;KAG0FxRMk(}JLn zz3CvjbK2ex-D=}XKE`DNt*;ggQk={nWo5Sy+aWvT>7jhN!^8**hxHQt`T?#_%m!=3 zJwP4;VkCxRy|A0@Mym?d4Ujg8S+41LfQHv1Qv5ah0Ixqow%4gKqS8pPEHHc-Op=LS zls%?;Q+E`o8SdoFQG`Rzd-9N~z9dAS8nJ#mFAVZ~UBl1uNI_4K&M|Zr&Lo*0A9Z}ynZ<9b}#(DZ81WuwDaV3Lm_0JG*fi& zCNr2SN)*=HGeE=2^>aiY`H?{1^4A;}THJaYyyIt5zxZn0#~0p&N%yFPhoZJtqbH%9 zUNHZJ_LXg>H^>nCS|&CV_;x$)*eB1s0o%?;ey>Ugz~scmN`C8pbmIPM;s@QUF!0sG z@nOnsSfXdLIG!?sl8IG=)k!-*{P0$p?pZy!^|4nga#I&Q-0AjF=ZPlteA0MozEc}e zOMInKfH^wpa!EjHpBir7_jdmTUduoI+hYA&V*OiV{kvoRn*mAi9n&duN-(!=n@|$9 zgWr$K5@MW=Kud)c#aEdSu%>g)+cTAnsH(Y73C%jA4Z9aq_b46U4g;0u{B)P@yctIQ8tr$iHJZ`A@Gnrs0wH>mV=M)sOScJiYPg0u43Y_4B@{O)1S@s}tc!nxU@EEGw8Pn9- zNAR&Y9#3go>j01ZFX}Z6H~`-J@93CP7(CC0c>Y?d^29_?^*yFi$dd|!jFW0%4;#@S zi^~2FPtpiH5xOPoiz(2=bi1xKJQfry0}Po1dEtiFZ2swY*(f2E_uSL`V_+B)w>xY( z9z7R%&&NZT0NcE29YS7Oi=zIp8#*Lz!f$uh0=VzSr|v�i)6SDpf45Xya(%d6UaJ zAn$ncK(%@-!3R}VkBcD`)jv{up6up<%wIpEWcG^!siX+GuEu=zvz`SHm#m^CaBkGboQPN}Haf0RFo7psNtr63X2lD*1oNwDv>)N$%Nf$%QS;52=ABJTcw#Qzi@L4`=ibd_qrGa0^p z{t&=dngRFC1{YK_i_pWv$DeQIrNCheC2B5~6c`eWZ)Wn6hfKS=_||7~@Z@v8g3oJt z#46$47x`Ek7W9_i4m~wS;m4YKE)2>-#DzyBJhOzjIT1&sIFlv3lCI75p>l*;TCt)2 zTLg{_b;t=}cWZcKR@N`p$|tRPPa~~1IbTD%{vm( zDBh~UcVdq=>hDT_k!GZfdp)duxVUUuOwE$4(=D;K1eF$UbC0KHe8Yz zuljV_8unea+IdLJA1un37SaQg0KIxQQ-32F$v2!iIOMJm*BcxbXp_?5^8NODE%#&S zyi~VQ0STB3%!fS0b8LNBjWWFvsD>`IPr>X=VfB3VfwB^BAQ>ZhoOam@oXCmFR zNe`Zb&-{<}27u@X+aZZ0GxVB|`fgu>9{4}VxuUp8;Oow7?ra~mKvOx({pEzZo7+H4q2A zq#PYD_xeD7YU1^-%vj)Hbn~^}X^dKnO52M?l2JSLRK5^TJi2_9Ry#^87j`G{We$AE zMlW5`H=}PmqRPWfrkY1`fpKoo zn69f#M){xBJ15>HfP-a<*C1IM2%KPD9x;xFsd4T3f}%+nlKMSWTzGB|%i%U6!%;fH*3UWmqjy7RPwB~esWR%wWrQNQ_(o(H%;r|jV9cLbUAz(e`m zPPpqG)-}q^ihU5$rBd$L*{_K#_b}eM6DI-orIp|0$0R_oGxNnkXFJ5(Zvf z=9+7lRN>~r1Nk?Cs$l!!SeSvlDg;LgTwixp1rn2Pb-EfA=wfJ9_{^v`dwo75e83%$dBB@@L*;78)Cpnf@Pb`R@G@Lq`{Xcw5 zs>~OL6za(K6sfA;7hY(SSTWV<3_X&SC$R*`I!;YTl`d3~yiSAB<;#R~^-2{X5yg;b6vb{VOc+S@A>3^I)uLWOLl$-ga?RaEb3O4*}?OO;H`^#y2!qA=c7R46oQK% zbJ@MxR2Z~d4G`W}k9>ODP5tUq;8b)q6SkeWWe{z+E_!V3I#Ku;b!mZ;LB)X%e|1PE{uxk~>4S>v8*_f2H6+@?y*x*U1Has0_ zY;+Fh-M!BIAol=A=`jKQJZDIEB%QNTb%nHMZhkozUnq@e{gS`?fAmz2jAG?!=&ezu zGOu|h%*s)g{;(>8i%}eMd4rWep104LT=WKNBO8pqAXx@mb-rvv<#q6S_^b4RwXx5gEzvz@K?(-_%eC~EUM;MFeC}Z&)F)W@V zfW>oEuy_s+#2>OdQN^MK$IY(q?Wy%fE)FTIijwM(!2KL0r>VoA^Rh14LZ-l*OqL`3 zS{{m@pDVi|u7}mnYGd`Y_E`OFI95NakJZl-xc4~uyg}{mMV~thkv&VIjipsCk~3e` zIVP5eqAA|m7O~}mg>p@^h(;m6MC zZtw9k-UQx>q-ZOj7f9`%(m$b*hw$o=iduI+$=MVG=ky9YwrW-6c)Cc zT@VK8%8;ic9^&xpdc*r-Hg$CEPm;O76*qM3O$&3ys09#T2%314?S~9pes0kES^+oR z^ap)1JE%GzDpqpc4mYo`rCsEKB!?h6<2#lt6)uka%xU_F$JIf4ugU4`&r(pXpndUC zjW~+Bwenn$@PEAi8y9U`KJD4B1+?lh_Iv#;(2(ut7v*e(^)!1c#`Kg1q!=pcP(HIk z?9K+K7oTXr9akNSw5((3-t8lDhOy=#8&kML+{+$Z-_|+&_O=IN(-Xu80xf{#7-P5S zBM01knQi~@zxPYWyWefc-vqGun-Ug(6T;$e{8;==9*e(mgDy{0L^~@xkiUOK7i4f4 z7{*s`@0wCZUp{!uEFEQmtLxpFq=fpF&Zq43TswB48gHsZfjAFv`N^B^zS{u~)W4u` zKjH;mLrgc8T{Dqo%#MX|e^;<>$^3qI%ma75`L=(B8|GhOhxu3dWBwJvn16*m=3n7N zSkDrO_wqA?S9Z+aauz0V_oG>6*ic3Eio((hsq_TCv5w8}9A@yG_bC1uP7ffmb8pI^ z9U}R2FiLk^6C50lMcp8r6DJu~qwR-nP^SzH1tZb{?$$j!2TtnXuGi4Nu*n*#U^F(Cz#Wf$ku%}p|HlL=Ogl_Z zJX3_{Cm;M4?^QsNlcCP^qlEAI=1K0DvPG~6cfZ+Z5 zd|P5MIHo6iX6~Iix-~Atl=^@dtP9F?Yfp;8*i}7$Sz>3nDaJWlD{ccE3ry_==`Jw$ zT`7os#udE1KAx{}wSl0-BP#qeNhssiuckH&7r32LWG0Yq59Cn^zujd+(W3LuCN(R6 z)E6V$Bbnj^5>p3)ohjU~`aV^RZ>5Uyt<*5Sl_JKsa>w{q%JAyTyE`R(!T=p##Un-e zpsZjjJ8s4ly$_xUCR^u)4{jnio@)xiukkVsw?n+(P zdL}Ihs$BSWsznt=7Wnb)me7E}OKth)S*p0}LGZ>KGv{CI$|mscpVLmC86=W`6JI>{ z@e3=Vy1QI{&k1_YEp?0hD`8rQcCR)$4VO4H(G*>D5Y{Ck)&TyV!yUm5Do`@He^jT!41E*{8n|~+9!7~ccJH681ar1)zl!LJ zq51e;(#5$d(6F!LVQX$gSB9@rlHWK5TE&BpLv+s|y!#`nUQEb3>W6BAPhM+W4MIM2 zb*nusj^KWWGAb;>22AVQF5I262KsKEx|Jepc=wsw@*7<}4Ahv+=ccwmvz#mMnTRV$ z^BUz7ijfl3#pxw#YIX)Wx%~dnY}y2StP;!A3cbLNb3l@b;G-Ti#x`X3n-hd@G#=N9 z^hAF)p1u~^FhXA_YAz15TSN62#j>$#DVUM-EU?nIqx(C_pACOG2~~##Hxj*Dk!#%C zV7YcBv>o%0XuDE{d%wf07j^Ew^Emx$44Q=n@{!;iB+Q=lY1JkiF87}PbI>dkQXjCL zHB`?)b)RY~{eR>D-uyD&_z&LpQJ0I>)Cu`o)sF9N0;g@zg%@&WLj-^GcjWF$qzr~Y z%T)G_>Zc9zc{syGT4sPde|qUBoY!hLht*4`-~Uc90-wB<1b5M{AF8=zbuCFmlZJnvN+I19k^g{ zA^=5xk|5iv(1a4lCWT^WT{t5-wnuwT9gckD@wcJUfdKB)zqJVG8N7Zbc>U_z$WLC^ zjIn_*|J+sgJS(XE-abz`8jFNN#dndpnS+3kN9Kf?6Zm`d?Oy9L2UCUhZ{G^c;oyO9 zo#sT0NZE64H`Ql%)WR$-QU1XN_4fMhNcdq5CkJkvoOs{~;_8thZ%Q{+^stu^$>acYk{3YJmJ$jJ!MH&gEQ$T4@ zri6ePsDworhzf#%3ijFOalieK@!e;PXN+_HoY{$vg**!{@!~hJ zsD0?e-1Dw5kXPKOuknb3frbRhQv4(snevY%o=iq8t6L28&*M>G!_pqHK^9Uh@_Thx zGYNh462Cb%=mz3`qn%~KL2$anJ!j)p1e^#?4rRO?fpb2P#T+?N&gTO1&0nbTlq5mt zK;%=`dppQvTr(Z_4o4iMSCv~_iQuMF*n&A7hBJ~jl0Wo;3(HFp#PU+;u)GwE@A$nQ zH3JGtEH8x$_L?|ZQVyuW?W?-pFK=pSx;W2x$4dcK$?>sv$x#5C+t#Vd4jRyNZF?q? zkNLZsuZ*+XVqieBoFvF15}4BnxcNkjQPnpm1NroDpf|0a`X1ni2Dq6`&w4}v*$l7D zhEH25L$?AF}>?j3GF3J^|+d9bJxtf=9$Q$4taGvsRB-kcuhw{EIgT8TFf=>Ew_{iJk{yAAZXr`rEe*UF_9> zmPcp$tDy$Y{v){N1O1WG@!xhVK)ed?xznHt1Vx6N4iCWe=j#=()Wlc2{sJ98ay)oaaD2uzLJ*!O zPL@|2as%h;Eos4a9-PmQS@bJ3pB3^DH(Qa2N-%3YC);C2YUO8&!PENLRt{g}lR!rX7JUcyTfKP$$0+Bpmn6qrdlos8^l+ zW#w*2{lngGw7P_F^U~%i|ovHp}*!~gCt`Rhf z9&J`@zC7*-+T}q`(}}65prh7j)yfst2p?b0=u6nu=|+=yPsuHiOq)Zp95t`Y&W~&l;DQgKgkt*ek%uY7uP-rev*S17fPbc zn5AH4Cfi-qN&)BR|5^@}v^l9GoVYW_PZVzs&-;1{PGf#&B9B<2d#0{XM`f5{f@cl) zi=WC0U3P?j`g0qs{@fI+Kexu}&uy^!b91czJQjVaXnopJ?g1g`F(>LU^8rf>_Ew6G z8ECMEefGE)##h{v|F@ilIgoFtxLQ1M1^i}+Xkas{R&1So&|?Lu?n5^VS?!V3QzvOHy#y3t6aDVy4O?ie+te9N_J^;OYdT57 z!C0QdDHxsG`?9IRfMTU0$AU@7A!o0$`cyv&I9_fsBkyEF7M;z95xhh=`(NYwJ~dk= z)A~Tv1jJ+0Fa33Dz=CYG`h0y8ymT+MzZ6r6ULRdZsn6>}N~fOWZ!Jcke|lgGtRC0^ zs|U8k>Vb8zdSG{~9+(UL)vP#Lc&ry zj=yce4JpkD(S^fEOi<4(t0fxst?l3qID^`2(;MU$Lm=nV1)9!#$*AT?NMD#lJi4Ux z^X<%oFwpfWG;kda2O=hlf(rqm&_0{_sc|A0QcfZ+ug+ee+&vrelL~@W+ie+f((=lY$>~^=0HVQrc`{yh-?@{!3Ty*8tayTe+xoH7Y zD9}bYim(`@Bb_BViTfxLTmMwT>eY3zdUYkNUR@chSJ%br)#X7##j9`R*ctG>b}6pH zGailDbp?uT`oV(6XE!fz4=|kd(tc49jrLhBd2D-vu;&GFU@~=(ymnm+y$W5aCpD1- z$GOfVQzJ<@ynZvpJ3|AF%ayJ0n~8&kNNPwKi6tnWr09#rJf}!#pUul;Sb=-Vp9Whx zGuT|a=e0i)jrfCS_>*$XvCotL&g=O1{QU3nfzrI}s^q*d^z_%DZYU32=n)()Av8iy zA8B#qeZp||>crMmmw92^FJOGjiwm3rlA`ji8Np1me`;i&G2HBts`D6kL+-mqZl5}x z(9fsB7oN440{t)6b0?V0aelw}aa?%3{z(mTlzfWb6)3@CbxqS!v^V-QK#DzMNItC-lQ1?L02cVr)^A=M%RepwfF6dpIEm>VSpaioqqE!AT1!TwJ~fwVZt zPp_61o)*FIV=3s0Zer#ZoMb!wL#<&9rIP z)^l#xyyVZoJ4fBo^;@bSzTX>kBl-;Jy8GAivc(~~xp&U5v@m(!wNaZJl#b{<7`sMJ z>menBo^+;h3HWjUN{@V>I@Gh3Y;TBip_agwSm7yYDD&LOILMbkxsUa}3VFE!*~R#; zGXYWX=JosJEJ=GrcjenyDSt6K_mI~)wJ;8*9%tB}pp1b7Rw%T6tQ|XHLRXZ z4MavJT|?Gg(H&FUH%UW=z^x1%36kze{Hz-@!?Y=UjARp#`k)VF#G1A;wdOGU!}!%@ zN}|*NJ2o!vY>2UEqM=PcrIwGb;C^<} zHFq=xT`O&s{Pxog5{_Nj!xx z$|*B@HUcw0Q>Ig$bTFl}A-_)UtuXaR0L=mR!{;rSks$=>HMNK|F z>LA3IGyb{)!99@;d_iMxGFOuYtgXd}?8xWxPPv3H}6S3gz zw>38UNk5gl8bzn5-3;gGfIY@o%cjf*XcKaEDtqaH5~IJJ(g-dBzd9;bQk^RZ*WdST z(#OiYqEzI|`o#Tadk75SD|KaO5_B5+I6QW`X$>HN zq|l>8))P$``~6;jp@a^_YSSJQVz^vmm#GLpn*$psiPVz22GU|V_4bx6CQnKXN_b(f zfbeGo4>x1AAgbN9U(Z4Xx~7-DWH+f{^OIC;ev*dGPa?4SNeDJS!T47HPks^v(f7ah z0zNk~dN$yHe_IhfKcIS+;a~tB5~?q&Nn8_t~L~|wnxP2>I1HRrbSP4DvRWu zLG|c9f4^Qjs#|Ln?z47=wY2I|6-qmJ+){doKjsOtp0wphdK_>*&wj9;Rg}q5MaswM zbiZ1O!B))K+nXj@nB&8b!{7&Ea5wu6Q3r;vb7K#`@|?Q_R&PuXq&Eh+%HrwZ928hO zTt%+X>q=u!i(!h#O)-&@KWE?Yj#_O^R(^Jm6NiF zo1F(gLr@gXmM|DEp5;ZoF;S~KNCa@LFSSOLUOyk4gAyZVBLoUEQR0tIg4p_8#Be3n zW{e{ns#;4Lh`q9a+^5Rpx@|US;!!Ufx5@%t>&esI;@W8K#v8pZE_v9#AEzECCl7Bvt$~s62g_KeF^F`QPx+Br0jY_t8s~~P>Q8;EX-8lRXSBTU zmoqvci&w2d&4T)f;-v%}H#S2uzJglX_f+8h;pNQ%Hw29njFfd{7`@<8X|CnJa7N6IH+dZvAlS>V#NtuB|Lrobz zTQXCw(96PyxWeyZeJYUF8yhq!=!V3JXEzOc6o5YJOKxtZG|ul+T=QF8&r`V82dZx; zim1*zfE`Kp?}!C6I3LqW%OvXzZu`e4statOKftDXPe}-shYd;Ay^F!t2RyL#0S9b- zz!O^^u))>`!m#xLDWrI@ueS8F6>=Ze6dAWth4{5Gfu!r&;D6NYrC75j5NSI*E@L>g zyA>PSMXGx6Yr;WH?YsoEq;{>He=CQQ?hd?nrILVGy*l--yP_Z(9blO7SOpb*x{z0= zAp*~>Ts}Rzk&haW&~}CNguz+&^`^F^ESM0XDd1d*hu>C?MPJR&p)D7YXV(lc^IYS1 zc_@g)u=*1*to}qCt3MIM>QBtE`V(OoRE>EFQxzz-ORazV8-|}pmR9f9o`=5CQa0NK zj^Z8}+nQAs?JW@r@-|T0C1)$Pn&d2a6Cs?(vcSz_9z}d;F zNJj$!xFo7GGZn-QX@$!XpR-NTNJrJF_*@03JMm=ACrt*tY&|dWW9DTl!+K@+L!`ls z)XCN3r5r>>?X75Ic!)jMOi&0%$0``*hzFBHF3`t63kC0wd>-ld8&g~zdDwS#TW zXnV=LU|rl0e7%c)bvQ`^L2~Gw>KH+gGW~k@Mu`ogbyzvG7A*l`mkbqWwnV|8cS@Oz zLkbA4b6#KUcZY*T?F2xN4||Dy#)e-?SY`V50XIKnl) z?>M(MaIG&JD16T!@J8U1A zp~vi;PUV9bzNg?o1S=+=j*yNg6~*K|cc}a_j~qIHmsO|g^)p&v{hIJOouemuq|EO8 z1*6w)=;YX%tknR!G?IJ<79|)KTcrFms}9%Zd%mw>)?e5t6ZW!E1>NIRCn%|Wkb0S- zw9>dWEZWMaT~2pHn*6E;-!cC2GCS0RRrBoQ|U&iA`wcto}pzbiO!+)DN1 z_d^6s_TD7Sj^H+VJ-_?6IrQB>L34LL5PjHlGT17&0Fj3iaYF<)ut!NWks?@(ye$qV zTI7QPZ#<)%iYXX`9#S6VlsW^YBM)TT_JZMWM@AgSIZU05q>EVK4F||?@3tStsv^M_ z-@jQ}Y@pY0dx4{!0$uB1tfLNO$NBnkeO{?}s*LNfcp{H^tIwxYB@k_hRP7MP|EWwu z>6`JWH-rpSKm74M0%fa&a4!&g0j~P+|Lu6ikNkNB?CIzgMkk-uScq~59~(ror$DXV zuOk1%6mX}NK5h6k3Eah&6l3@ka6Z4|dfxfqQx>lz=Y{4%=PmwNDx)k4YTNtOuAs5? z_vxsQ7wDChuDxK5Kwc&#;ZDw8AkA68-$W+{`%JDE`_2l3N&gv@Xb*D?w@7KHT8bZ- zT&0cI8KfZoL0Ce32S4EYzW&G8mB!Aysbc5dB(U>t{MdOn4eY#|09KzPj@9S*WA!;s zSbdHJR-fa8)#pUPHP3szGRs$x(4}4hmXBAE)3{Rp9$zbvUjCfh#nA@%!4>@>HO+vT zadr_JZ-g-jCh!PnLR8k}tYkYph(1^Q{Kpn8s4$oRQU99Lp1OK;;)1q9BD>dC$p+$E(5H>5mPaOiB=D`9v>&5mTSLv!ut~ zs)+OF#dZE-xSr=2r_X=)Pr=o%5ZCwf!)uhd?#V0GUPLS`A zwK0Nu6@#oRA0=Khmgk?M1~Bo1mutpd3;2>4idSYq|X09Sr{ z^}wY6@v9E78~EL@jUp12OjWqm4BG%-_USTiMLT$Y`s~bN{oirYG=WByaC11_bG`Z# z`vuS?zD~?FT!9FZjvg5PErB-Mmos+El|XmfF+jSY1NE3NPzaz>uogO7{eHg?G@9&$ zx8m~A9`R_;L0lG`zCC)DHYFbdRys`{D_lgb4o5xJwz42~uy04BX$~2i3%6464a4(6 zMx$=uR@8RxMBMM^<*4T7<7rbgz0;V4;4EQBtk%5(pbGYe$Zzivy|Xb#WVw;3C6SO9Z-z}_WVZFJV3 zeSo!v2Tc<+nXe4+!pl{on1JW1=-kI~x6B|_pla}QC40h&d3p<+-XKs#6mpb*>oN1a z>Jsn5@Q!$apR#c6eUmdl+eq8+aKj$WuZMq^7tsJ+GV+20ZdbG^C^Nh!<%<6C{p_%O zKMO41&koD?v%~WJtgw8)B&7PIN;(>^2u;Ud{u?444TEEht!A_-P*IZixBW&5^mCwF zCkilpcx8*Bix^!*vLt=TQNchc9(o>5JaYyX zq%B~thI+CCGp8N7CzilpYJ*7W@qYJ;o58OF;M$0lhkV*aq;<&(?Y~K`>7XkEr!yJH z6hkY~M+%8IA2}nD6eJ_-pEw z1K?@pB-NkJMGLg&825`kA;##Dorszfgv>>qv^n&JnV;lO?a4(zz|EJUFH8Wqj`1H} zAK`|?rnI&|b$&36S%0OVCj>nd2cLUWP0=*3kIMBgTv+`iDONv8jnz*wWA&4KSp6g= z{NuMO+>y06iu=F;Ktg62Q7p+bxkNx*#dDT2a{K%+oF3?%W+z_FuoHpXE*q!^?)_?QRZ1HU3h3a z(R-s#8~Z%R@|ds{=15H_y#Z$d4h<_$`Y)*69%_U_2FJ()y^YU9w^nwxNoeWg2*U7ckKl8 z!ngd=fS5*3&|m#anem4U2@rno$kXS5FT>gL&rg-2n8WY0vVTg^8-rAy`KS4y@j$3L z-Y*-<1D`a9E2Towu`d<}zF9c)-&$^@=e^kFfdbmTA;BI=G%u`&;;x)kP6QkXl3s|9 z3j?LQ$Ib7sheDXkLn^vsK4?TzdG5j6aO7K>X!Um56C6*(%j2K&f+O2=4p;Fkf#PrC z?VlCyP{{Px;<`-&;@z>Kxp|@qIeW%0Y+IDUTy6h4O;kBVw21eS`{qN1=hd6%7h@5w z_ZP1IGHt$QnqE79=(#(m?g=`f^M5St%Hm(_(&W~u264^Lcg>P1#hOogWCq{ zzUJDfCD-YiE{`V)Qb@X1XJZ4FrWTw%h1MWJ&}lHKis=)}7{8~akw>_GUe|07ykc1+ z6eu^dqEsk{y4vYKJYv*=_r!j-=DcD^J(=c1=s9UvT@}@HnN){cn(0M`O}!)x6>!(0~^;6)) z`Y9ZNYiZ|_Dm5*jAm$TmCaDkVaU8aD8}$TD8@|UB!yFhLVt|RITL#kV;rcxGJq1if z10vhoywDY2nxmP*YG81Rv^BAt3-vH(@Qqu^BeBsZnG3>F(8))-c~rq2+n@dK{%GkB z++I-ZGl8*Z%#`|BjIRt{jY7B!LiA6iPJQ+`4R^Rdb*FPP0w>pT`jVZ~IIsWj{QKXp z2iJI9{aOCEdGET6;t$QYUrqS6j@l?qeyaK4;N0B6=7#UP|Mw-?$HKW3NpI zN%Zgi&IUL8#v|s&HITwZ*P>!(4wy(dNOeqO03!`{MQSf5xYr&vG54Mx=XqFM^N0Vh z$KyKBtNx&Rj{~Dx-MjVRwrYe78sWcOWh&r@MtA8=uV9u9-Q1dH6G|ms&BHe zw+r?>^56ZW{^={o!6&`Es@aGX7H?5(9ymy#KnbDsZ_A|c!lr-!>{T-GwH;IVBToWf zpW@Lr)r-MIOA^nFlqveVJuSIPECFg~me}_{V|-NcYW6<(9Y^;zcJTwq1Yo+~DM2Z^ z0X`n?pJ}(Rha@Qu-UxY580e;?qR5k@o^MN8f`$V%a$u@x{(87g8kjlDzSfQ^ z0VVy%wu9qm;Pb6jB6G4zgzNhPSN#>P`mXEi@@s*|pQ)rTp5AGyM#!}A@vUE9ltDGl zTJqB$Lp0h^XMX`t74m*gHmC&40p9VR1&d`@G)=J?>dfnks&=nyDJnv1-lr-I; zZb!KhFJeT)$6T;~zzq4hN_mL;Zhe2%*jigZmHS&4SX+Z6 zo)fab^sixQf;LN>dEiq6PNJM2Lt(l9q5I=^p~z8c*PdxQ8fu^GR&1X3LZ##UYa_@FX8(A;2NK47PDs5#s@jQXMTp;v%?`R@BBxhBj9<|Plr;97jDT;QC=(I1QVl% z&bt%3s7ArJ+K5XZ^ZCWyCOvJziqZB(_ii*wEO^uK?zJNj_o+ENC$xnu+aSsNO^!g8 zeI;F4pb4rjSfuiecOWv!>Cqjf8ZfOq9^EEwhl)y~-L@n$(Ph&mp-(lXSYG0P?;qis zKeSAVvfL@c=yhg9J5TN84>E#vq1c~VnzvdDhzYh7Za-IrNo&7#C(a>0rZl2AVu(Ls<3Hoe@I-50}9uUmn!*nl(eF1JYgn*<|s_3Nn( z-RZD-?J9lC-w<@((YA4&?zKu&@iVV|p8()Ur|z%jjzbMkel&N}grG~KXQNUs6rqB1 zRFd1S<-or0;>};v27F<$uc+NI{^nzOmp%GhkoU*>n=DHT$j#1Jm^Zryg!30 ztUwhGI|5ImvS9J4nYqSU@pC^d;l<6} zsZ^FgBxSoCw)fEheL6XNDD=k^RKx_n%pSjrst+GNP!4SdRs62N?V=`#(U~12+EGXy*fRN@tp~4`(dZX z2Lh~Zyxl!2s5E`^POxnV7;vz7C93;@skbslp_75(Q|LW>o015;{dWD2@bb_{#t5M_ zrsV(id_FHoVa>6?3QQEL0>}(Z!HE0)^v45BD2eb(Zg9rTv*^qCmESOfu6JQZO=d9& z*L-#L)7`Z80ZFJ%T8u5|6^CdjCHlc+iD>M8hRpGcgFk_V^XoGbu<m>o%r zRY(#+l(Lg*sX7^|FQkTs{K`Tu_#e0iLD76Lclyzgih%sCt{i$ zDBin+*)N9*Hosi;F#gdg`66@LaD&~W;%ks5GCO%W>Qtc)I2I{y{9?xNOUlD;s%vT^ zSKH4LJhMT=|N)_D^xuCouS|^&HZMgDlOxQ>we6 zU|oCTaj-``3R9W%xr6B+2^{iVKX(ucGvo&u3g4X&@%hEqJw>0#NfLhr+^yGwl+NVW zB3#Dss$o;@&s!rz``{!m>svjvcg|c%B1jM}r52QdTUfQeM`@HCAA+_=N{S?G{ z@pamMW)Uo9t!rqwokfc(JaL^9t~m22zi5>$lAY{=PiGP5@1+qGlWJQH8JM|L!u}$g zs$p1zzba>v+EJ`(G}XFOJI?3#Ip+nH2eKY8=CKf&y5bD{Do>gY-uWQv+fSU2--$)L z2jyI4K29J+nZtH;$P2C=^|h7Ru?2nSBy+Z!K#tcGZm^gJ>fHZH2DgKxl?4u*WEIeN5&rLyF5kU-psmHr{pTZKhG`7Aj zbz8z8>iy44>GjaK|G4Qh=O9{qGr|HdI1=p8+H)bN zv=$pgaYga&sC@{W4~;#zpX3ZQy5$B7)6wW~AZzGdt~)$tVJ{=8S3u=NMOkHRrjY)j zGk8PX34|;Bj}{bS`e(Z_?ZI<)ko;t>C;v_qx^FGN$(N%GNAX_ob|kAqQlH%0%G=tI zW%NA#R+J79YV@!Fx{K-8{@^!JX7)!P4qm1Azp;UfV|?`F>J|{UAzeWC!v->nb=U_J ztbj{^TKL-uORzc~W&C(57JX;6tS4t}02k&A;b(T$pknZ4*OjFXcD@sE1nUZM`Q^vT4M!n)`P&qgwSgb>;et4()`M{q{%2k-o(7RpWU z3%MSrhV%WBM-`gsCdme*dBdua@7Y1dj5au0si0ieR9>lj8E6Oj^+!R z`|m|mK%+guqjN?V;5WCAn91Kt@OWBzqtdYwSeGpNjgqPW*ZIw*4KuaqTb#g7{`qD4 zB`z?0)_v7JR1YQp74!0X%?2M=`bD30KCjX%pf4);ArF5V{S0SuJF;>G9v>VRQTk>BTOY1}=-+TftNHIgfsPFr za|RA95?aA*v2A(>qbIU@m~zMUk|m6sK5sL0-4q`7asP_Ia0b8jL^NIdYljH#U8Nl1 zu}7y1Lw*GGX+XTPQs?nw+7P#6tlz{E2xOg+b~ z;dWXq8Xm5#^}^K6@W*FU$WDhr&TcN%0$vE5xv~6y-@Fu!OcZaOe;5h(_ub0p6oVjy zglTth+ZUL>m+P7)VVWM1D!GpNUlo-~d>CID@5b&HmuR5;;#lIIn*alv zWb=O6F*xV*RIQ^`#n#1W*xIY@>WvhPPO~iUl6W?(h~ED8;bjRLFHShQM4kzlvSK8? zcNTC^pBHeKa)->@Prj#|w}fm72NFA@2sA)+H+uxbz1FmBy~#>zhtcWq{+u-N027if zJLe4xG{|_3N2gQ`n$8(~Av@57-q%gFv|KvC~bNPj^*A5M1aM_QSvM z0BaOO2)UdwdeHHDC5fL0sO0;l8S?poIpg6>mJAPsINOBTkd*_|Rr<>5vLcLLs2a~F zwj8S2gPVh!hEZutZE>Y}35;8=sM?)52d`Y#A5%B@LGwaiWwe+#6souV%=e4{iI`{2 zq%~eJ$82qpIOzj2ENs+07mLupdLS|Uo5v)8fAg5M*m=y8@NXWI5dO_$N+4Y4-~Z`p zt+0ApSFE1a9IL0*!|G{0uzFg30I5guiCK41rP?{J_1DwT%_MI6Ht`{b$Ey}GQ*#?7 zY9v>_Uz-F%6SW{8*60%k98S9%FKr;wp%(l zuaB!gDX#N1|J(7n>Z@_p-{N}xxbj7DUH`gVUoOvxE0Fa*6ROL~L^iie&y)9CL%4_+ z)1bK>jMaR3k>C>s5ry#s@!Zzf{qW!SbNuVd6~UYmjGu8$Xy#f8^js!Ebf+#r`;O|4 z?Tbbv@x4ohTC^PcG$LPz(=?#}?e7!U^)pz!SHF|n!dLn-;)~fvsK{oDu(>uA^(a(0 zG1OT=yi$lR-*=2}bJ(rJf^-WgIq~zl>zo=`+>YpPFttM~zIBvy&9=ZCUPoSWQyH2` zpuw2b7LjxqCChuO!X+Npb94%(aN{L^NYqC?^omiq>2jnc>Js9tTkkXgoij>=mc2Tt zntn|ylG7N@Q@Ff6hgS(ruO#M(-gTm%RO#ip&Mm-pTtV`=M?J8HlICX4_M-0&exu6P ztDX7-n>SqIe8v2LH9D(0htllv&jq_)OLZW>dPp+LT(MU&ZyAY|fr= zPt|&d=qTyl?3siX*jq-i71ihOd#x9MxAi8&^OZVHI&}r9+)#Obnh@d{{Nx`N7 zY#;T~9y`kenJ10gQzChY+q7Q~kCKCikvqpu6T3mgKvs^+QCIkQaiS<|Ar#rTkpHes zafRAcwKlmHdtkMDq$cDWg#J(b|M`CY|7kz$s*y{-N#X(L7EYb1WOa1nv4=vawHz!^ z>5&lo$$^?C?RAnkHAH)|vcM=v96ZtSm9e;IP(_i*>bAR!V)Q&Hjy-)0yA&F%gd0zQ zcYR3vr{5;3?2DDs6Iuh$rk)PL7kHyxR}{q(>LbRQXfofHj6?>{+h*SwM{+m=9s{yLQZ=d7N zQvh83#N$r9*H;y|01`eu`0xL=Aid|QDVlC&usgh6T*6fb%!Uun>b=oG!zhHam+`tf&wHMSeKu~2ta~ut#!Z}0nXP`{NSp# zyQnC%7*)OdI>UjS(kt@bdket9wJ&vAF8qM+(Lv{~poBtpsVEEUxM1O#PWh!XsW6tm zaEpPm5?%Tx(7G6(1d?v?hoZa~t~D`tO-8f}3f32pl>QWlwox! zOjtgl5SCBK0J!QO-ccmkzO8pg(o%x2OgR<7J>~wfM~WhlshxF4#{of3D1CGS7Z=o! zmi*bdu7WeKp6;XH^0S^$_|YNUkb%)f{rIXHqI)e3mCR)OM~@^Swo2vek)bDx_@F@6+Z-N(3U>VR5VD{9y@4dQZMS#iw`A!Rn|jg+xVaJ(+iAx8cp3>%DW zwgoAIuIReq{^?j8kb6s$_7VM*T#{%j^w8AdTW1a)* zME6V-+z@8QSN$8O9*D3#iWsF*2N}}a1JC~$pdu+bE+!fcoOwRZYK0knENtLS`NH^R zu_mfo?G98HVT1Yc^g6b221r%V6I^8CfhD_hr(?32!P}?Ii}_eSkSIJDBzlqqN;2E> zyUBU5N>y*6R+bM27wc#T6?5Rm<+z&@IUNXB|F4Hd4lP#dPH@NY3nzVnA7UMfS0Gq( zg4}H7y0M2gARTO$O4dMBu71Tm+|~_rjQQ z4`aKn804gVR-u+Y1G`L#YRgwW!81$j&%CA&D5P`I?m!3-+19)-=Jba0#LsDeRPxcr zknsn$-s>DsgBwS-83^Al00nMw{rjBdt=->MK*!4BB z>+4|GH^r{6ja}a#XFX5)l6!6)V+4A|>7h`e>IEU;2|sG@rJybw8r>GNk&CoEU0KhTAv zlspiw=ke0|$9xJRbLbPJg7@x^E0Ac^X}!@f0QdYOIY^=aWg;w-sFExDaRoX^~WqD&_{JT5^z1>f-ob-Ux`Lpbw9y`Ou zB{9dpZ#>|zPd2D(!w*XS${!sGa|1geB8+4r8`Hn^pCccXhrP~7q4HQII7*|lXklms zhr4-Yzev2$&E@%g_AzDflY9&>du1_sOS9{2RSIlZ_i=orE<$8Oe}ZchQ^DZcDy{xn z0*L&MTQJfqK>E{s8W(QHW9x^E*!m$YwtlFBtsl~2>xUTMga4@?(!#~Oj7!8p=fV0( z*t~pgEn=JGpAq&ukMXZo7%zEV1V?zkI2#PsqMHdfv;X`$3tzZ?`N`ghK_ee#Vx6nZ zfXkP|hjGUa<10^cH2s-5#F@XH$?Gx0@cj}DPHLLLov%iU!Lep=JH#Q_=Re_ z5}QN*0KWz4t`TTTXMJdP4us_|VwJ3mCQ!Oyh)mQ};E|b)f!dZ9D*Wol^%nCz?IcJ| zdZa5ukNCidF`E$*{Mh{se^VCwzW(p^NnH5}xbFXddMz=m{@enqKgV!T{zrc132KRQLOo>wo9H_>&h! z^Cc^weJ;~==MY|aMm?%U^FYXOcTVasw4eZVTccGN4{42;#6t#0aAfe80Q9Sy$#baqBZj2Pn+rN{g|Y~-f| zSbK=Rl+DqAZ*M$iO(`7FlUL$Sv=1fWMO9=+I>uk>UpzZDo&y^%iH$eJ#&crhS%IIm z`>M5=8p3OusdJqZgg7pXi@z}3AC9}<3^>OSs@@NByZc83o+*r;Acz!&Z#A`U%-QNl zD=UZ|T)Z&9n_oLgZwMN2W}!Z^pp2N(=daT&o1wTD4q->uF}{VC*0hXwK^Y`VY}ohZagW`U}T2uaf>^kBjCimRt;AQ;no<%wIwAhPj#UeSd>Ahna; zTeyYcnktyqZ4@S<)wGwZKR@}wnU@14>5am0F0Y)%NZK2GLyUyPA9%z5Vt3xad>T5Y z(sG$e!Wrg5SEB74T|p=2-HZ8?`DlfI>(4|&3<$F_BO zB<}eGu6pB=-PwB6r9{O3a=5QXzY+;0JRu2OFNOI`U9n8-JUGG5hPSO*f`UwP&1=5q z;H=O5=XWfJ^+(pg`XkF>{gI`y{>YkGe`IO+b73h+CM_P6y?N<=h~%T3IR~oJyd;R* zmSJ4(jD_v)`6C>c^HJEQXyJlyBK%#S;d^JI4zeFt>Ig9$xR8^Eb8CHS5O=gToJLy} ze#5?8C!Gn3S5mk+rmTuHuL)PZ6U{s4#Cxm=or;n0&&T+os&UMIT0NqH?AjWgwpgV= zv#%Sy^kD#|12%3ALMeE@Kpdx&sfj$EAA5Z9q&br6nsA#XG)9xb<>9ON+NdE)Bf{O? z3ff5qc9WJ}p^=J6(o+KSo?cpyIcLd^9>0oul=BtCbqJSh_0VvGOIM%yrs1)|{*e2d zGq>#_?xPC*&lgf)_E4m=xdX$s;2ITRbJRsw){kwjVtfGYZjPGN=E$N<{DY$rR^m|C zbhg3SpdLl>kDl2LoJ0olZ9j>MCg9_D%VmX`I%G95Zmn#21)a_a-8|BD1LywZor@>l z{`hPH;$`OB)ydW4rY4nW%X3db-ZjOrR>Z!+S}a30j*1ulj?p)I{@joP{WY zx!jT5F%+B=poU*H0!E*I+O6Ms%v|;>1r3akTXa;Sqy4ZJRLQ?EW(w5= z;Wv&jQUF1J#wC_@WeTEz00eZ!H;kTLhcq5+tn99mG^HbX7O@A+@r+5^`d8K*Hu zFV=IwtNUTb6)J`_F63g~!+R5WZ*=c@0g;n+sh(mOY*kOMt-p*#&mNMieXI8c-MLlW z!TSNg#Y^W<@6Qz96$b4iy2nQk2*IVfjk;W&0oh!6urpDi3gPV8$3wF`5oRjp z`iW-%iqG-OG%X1&F6g*y*dng=aQw!7_K6wUv1O#_s!7k-_of*K2;d4 zi(n^wYJqZ6Pwv^=R|Ud`zr9;m)u8Y*Gt;D}I+R=wo$9O8LW~(V-RqCD!An~A>aQJ~ zKqFkr|5k+;c2kI!1Buz;Ne}Vms&+2;=LeyIo25+eT>b?^O-_51(vCmMvT3fUuj?|IsL@4YwKva|P=O(~H?5fZ|K zP_$55$SMj+QK7;2`o4Sq0k7+O9G@S)KXx3C<2;^S&g(kQ=i_m|-)|FA$H)rMJJ~_| z(2hc|)Lyv$_(TEVt3T8^=QT!q<`SHlAqhW>N}w<>EBM~uT$DL#KD^Y~h&cSd6pJ}m zfzqEBE8j&t(R0nrbQZ%Tc(0b){kbv;+Kd_No-dYx+GUB?Ob_FMT`+hzU854U8OpoU zuNLF|e){gfA@an+|IP=&_k4fBc`OlZl)zKcgqsTYK4y|N@oHq(1x0`1bbfqM5%jhQ zwqLl*LD2H4*2ZESuUt~Oq(hGoGS`3czjinPd6vBsdaE3WEkeUg&NtTL_uEM|COQ z7vtUE!*^bcZ~ec||G)P?|G(A$_rEW``{Dokc~~ECJYu+|3B0C`gj2T4kTm?t~f~s-HjM)$t9$MkL1)bTUN)x@7+?|{U8>I+Q0Iqtmim zWrTaE?=5Y~q;Dwu& z89Y?G@f$WihAUd-aHY*sT|AO zdfFh`eMTzXO9vE*-q#(~2|(v*?`$0Yqz-ql8VOX8>q4=AB1c`CCJY3`=mv-UBdPs^M`lj?O6`(kzQF5xlxf~gCVE&F=$_<#uT zl}$c8amoY*nx?H?U^RxUz+IP?0TbYSu}b3q$_O%Ux<)ODh9P!-W`7}(WVo?lVOTv= zj&5n!owz)nf%6ek8DDx5h9pl-+*_PV$2%_w-}wT*?=Se~A>jKw|LXs{e*4QteOPBr z4d~szRzY>F5oQz{R>)`Otn_SdaB+?SX?Fr2h zo4L^%K43k1;3L6354`7D%iMni4x2gR^0-SwZcH0O2^`lNPc?z_eOJp|qMgxA{TV}_ zQDaDbpA$tTZwhS#-`|@Vh=TE>j&o;{MWD%`VSBDy3IcDD{)+S!0Rn*@c5wX;tV2-8EVV0uUyOb=;_=^jKFxP}Nt|P)aCMu9= z_kMYg)e80Bm!0K{SHkj9S+IOmMl2sy1gK)Z_;G@^+Xjvflvy>0I)r$5M9_Z>+UWD_Z&n;ZoTM@ZlK7~K-d-PuE zoh92sHRN10yU$2li}(BB9<#liXmJG+;Sqjcv7Zd%mdg*cOiPjM&Cd$I<+5Pa>Snch zeJTXsu=15YpN6-73E#YWHxAMSuf%?|_P4&bhP4GkGc7+&*moo0v&&Hqhi?H*E>oSA zcQI7HTOXcgZpHiid!C{Hqs&wu;&)$+eCnJ8yp2yN4KH3mROh{{=Qc86|8Qr^RIm?P z=)H5FVJj0l0?sDWC()t$@7k*y#|_aU_tv3ZvXf|~nQiJ9rx;XuJBBU>Y6DEg{N+m! z$NRpG@8^SW-YLHIGGh#xx95c5Gqr)-yVLwYD62l=mBY5nDzf zN0yoOZ?xCo>Iu?ApXKV1w?Ush-!>vDmo{<1z8TMzXkJLbj$C4q63IRLk zh11s#dZ6pSXq~K&slcQ;Bj+l)B3S7P{w=(y47(#ym&vZ22VOPqVO^mlMDJZ8bX&Lx zrUWWgKV;nkigU@cPNGHV4h@r5T5%c@Vcsv%s?&ynm3!)8ds^t}A?Fp%=W5Wss`|p@ zkOrW}m`Z(L6IAMWn^&A%87wHelVtM>Aex5og5h=%I&9dcb;3L!g6%(MGE?M(ed9F; zf8A;{x<%K1pe+UV@3`p<6;?yRn;bdcw>8L%-s0XT`-?zN=(M@APz8H?d@aRnO=xyD z6!9cpfWjt{=b3v-;E+;b&2q^I*IrMTHSKWh^jv1LYAZBaJ&r!%&<6VYPrLt2+ySCM%V#w2 z89~@JmAqh98MXQvpD&s}4fY@WG}W4D!ND?r>n{&I+;rZ1pb*7~<)P7Id1%U59@5 z`Uh_d19bi{3$$qLhjX8*gCZ#ap72mwK4;`d$|6==e7HWaPp-dj^GOSo;Ce6jj-xj0 zMW42l9a9Catud*tRWWq3Oxj1@ju+gnrV~V^3ZoQ0q1DeWXFz}A8trj19(ZQecHy<0 zH2N$i3JgAs5V_)za(_h@mJSYa@(W}jhm?tHUWMo3^VLNDnayNe{`6PlWo94r$bf}f z>X|nrz9=y4XmLh^#ceN-M{B?%*EX6HcBXJubCH;%7ssg^>;H6*QV(7a9eBGtVhTAg z#U&mI8N#B2a`CjjCQRAhD*BTUh<=B2QXHn#1;+!gDuuE%fGB7<+Rjf0@cn%tIomut zt*eIqWTwUi8LI$Xw1L=o6(G?&Kl$Oi2DC`sa@>p(gT+U$(+sw(5WacW|MH4ukl+4y zl5R^Slo9dXSTI!>vg?S80|i9Dr!nsqF_|#N80YLnYe*sPeAE==3i@tKA1fs}(O0~$f2mzOddzRyfDl|ORyrONYi|Qj+9m;a$FdqF8_{XDH z!Fcpy7>}M9{o~OqVmx|%jNi(N@mnP@ek;z;`agavJH~Gn!}zVNfbZ`Q>X~28*OY@! z!W?2>5mAtFrshaY5eHMw{_t%kacDV0`EBBvC{Pm9p5Y<1!SV-)piN>;;Md>3eKoUD zQK?6XfT`ol)kg+Ipc*doNZX$PbrIKYTE1S=A1SS(A4N#hF0@r_LX4Ju|%ZKe2?S#1VoCKr5_&-{4jhxFqiQ+`H(2 zEZFYtU*%0hzEqp4Gr0L!l5@_ZF0B;w{c5knsJAivy}J}>EolgW#-!#ay@Swd`m)zu zT>f-CsZX! z%IoZvPbJ~%q!VXOK`_MKVfkyymWtwep7-eRhd_rl=Q?|<2Ryy$)3(GSjVRnM9~C#Y zLG^ayr-#0%qdgKX{YU%CpjB%3VV+tOxs~ThFn`s6tPcdi+s>*W_h?@6wwE$GMZ$jY z{#`v3RAV}_JFJ58-bc*E{g4EC7djGx32{(X&|#rxQ~~OTub(o}Nx(lImJr6nlEZjd zq8JZL4C7%bV>~QQz}F9WJ=okL)sY4o#J*;|Hq=9zZ5M0a8mIuv=9BGYA47nz4L8Pn zw2{YnRkpGP9pF3PA(zUx5$V8j&`V5|SYJy5#ru=1=XRZu@RkJ0g1IcnndS5?=t;x1 z^dccQJ7p->m7VjdXGM&k9M6$QP=crZs^JqUT6kT+l^`CA<4>t7JibT7iSh(r1}M*M zD&m_z_9K~)iIC49=GIxgDYD|xLCcsK(JXU(EhdKW7HiE6Coe0%VdKg%oM6F`<5bn>;KGu35cY3MR%%l(s-)0;YQ({ zMjWFBH2qwh7433IZfik;S}lgKPfFLREp8562J*cMC*2^IjF_Xj*cm1bPM)7-bwxZy zH>uw2I>6ikpLhH@kw{UQQ2OPj6A)b{UsDn@0Xmt9p95@~aB<@K^xA+iOjId%k!^TD z#DnlZ)3FASPQdb}!aEZ0ezKIxv}&KT9ct4%Ok^;G(+~O-jLPHqJQw$OSc=SDkSiIH zqhY%N$Rs@f<0h;N*2glEeYbG)h`P8@@#b2TurJ0E>wFP;FL5~v(_RKezlqer&>AE- zyRxA)as`}@?C|5_NH_>5^en9=HJHTG|^!A`RRP=M1?&JD;hiwU5!H0%<~tv z{}`aI1AeuWL|U+-ek{P_kSE$;KD80@!34%9ByLRdn1WS%IlbaZRg|EOcwH7Ku>R+N z=VATRC;az%3v)@!2p2iAlBf5;}hF-u;-o>up>DQ-`M15^eh>`k%cGkSc)>b zvm?+g{PrZIwY>Y51Wd5bc4~)Hnhppn2UTO+^^mg`4`N%>13q*ngu@L_FZ^%Xi^1 zceGGePEud^DNjfgl&T@PAB@HVRvV^!96@hs@7xq=IC^za^+Z^pFGS_~3z((ag2!3I z>3(fbY~JzT`Cs$A)3Uq?xID5&DbiRA1E_2xavHjf^U>db7}a;d3>I5E(u$uLKq-Ic zDaM~+7;i`$;|-}|ydiCjH>8d6hSV|MkUzqA-ij~33158_zWO4|0U=@qVJ4XFxun;5 zfD84={Q6s-$N;MSJ>^%87$720Mwj3qAEG-opB(AQ1kOzi?LWrc(8b=T+a+KEfp0@3 z^<4bX$?2%fDL*Gz7C|(e)0RMT;cLF5ttE7l>Njc@dY}#}E)NACZLbF_q=diCdR04lUuPk|NU!w;*ls6X)yRHU_KPI zd<}!2?8QL-QKN$j#OKjJ{Rs=EKhehYCv2Ghgc;MH2xIyaW*~d0-Z1^u9U2FiE8ms} zqfou+CwdQRIH@4Sd<4|B1DNot^aVrA>*iUitv z{VACSr)zNEk$8DgQwx&wo*zzbfrJ9MGS=yobJy~MfatG z|C&UZfdaF$qIgXP5C^FmzB_vXO3dEujND3vLIT~#3IREgy^&)t9uWjCB64$I+pEzV zYSkOYyy=M4Tru_NQ%A)3SAwbekQXo+iKYg!hof0;iK9=J{lIPgnig}S9Ry8ZJvr%M zkMNyG>(I&XrV?gAs!aOw&8$keob@{(JgfqCZ|oE7JZnL(B`Ta8jI&`mw9AxWJOo)B zv^yDrn?FBp+IsIMZUuW+^BJdHA`soWOwJKnH=s8;?{}%m3iUY1@!Z4dTJXJ}f3Q*s zjc?3F)6@gE)CQBmc}{0r?N1RjQFzzSE@Zz02tRlF65CBWtiX zR^t0cYz!^;|M+$N_CUvZYR_{?Tfpi$ehJf6Zt`1fp|RC<-1`p z@Yp;c8J0^%19`Ut?@$FGo?jVMYIFhcX8dY8Ypnr@Buba$rKG~Fb=Z*}^Hk(BN$|<~ zcO1N)j+GExi-e<5xslW>8HiLrlwstjCd84>nWU&FLx<{l=BNC!Q2*t!jk~P@5@=z+ zf8?DaFyA%ce=aBosno;zXNI)VU`jyqy@NK0%T`zMWu+bX3KfZOlk3CpdO|&YeP2NP zA7cXJ0udX(eW8D^1~PbJAGG(t7nUoQEEuyBATIoxatw7edPCGi7)F+W=&wo!*+3A45+RwRTGcNfEkTo^bEf`TGd*iFBF%6jwip@OWJVnZyHHl zOzA?f)1~)|I8+`<-R$9?J}nBftS^Nw2=If~*Ox5bX7WgILD0T8iwpK8>J(b!&5$GO ztVE8CFciJwf4Gt&48?rETjlx1q3dprz+YMsAW;h5l6J;%pw05MbS6qcFw!^c=-)~- z-7rJitWyEAQlIq;=&vI|NBe{+`2v(7>CfXqQiXS3WkX_D*4+&b)ZuMhcBF+54R^5- z9jc=R_JwkW}Cw2VyfA3f0n`isaKf;aqN5nAy z2sh>*;l%tS;+TJg6J|=XR{UhO(Xbogg4#tTIH2pbPFSpl@*kDExmNWkip0}jR^(EF z!=)?dJ6aTha_+~_#}RiRcG;$SL+uRC!Q~3k0xsZ1RsOAn%NsViiDxb;L?B%X)?aOp zLXn2CdwNQ)Ej;KZT*+JTL~(RP%$nrZ5MgdlG=|GN-#<0PWZLC}kSXYN9kc}Uj0ldc z2~E^Z8>h3eER805l1>NE8^hiwG%anr^)x(*I=VfrlRO2`Q%{cgL*XEuX8-e3lOHnkd zCBdKio#I{LD@ecOYV#t0B+$^AT@kN}#GQ8)zZ#iCP*t0fon)FbNXl4=7)rQ;^cpv* z`p+QLUc2~Ji^d7u&dE)P7<&S~^99k8u*lh{OlUP5qSTsAf>i~n*T!pQ$Uw|YJ+VIx zewaFW3%yQ;BWLDIjB|?+zIl%@S zyoANa6oQ1e4Czf`Q4mdc$js#!2%JZ%w^a+!woO})p-DW%6da-9dy)pmc&JOc9Bnthl_OG>tt5E+BNwv0xrO zgZb%1FhAXC%umOO`RRl(KOOEq^*=uyGfaK&RmtgZpIKy63kb^x{UI z;FDk4=qn3JX3Cm9ZtNDom(1k^9S`7bHvOp3&djRf7B5Hko0C*X zt!nQ_7bP3&agnYITF2>a^;YT77cO9OpMtwfIG@G-F@6&pXLx;>&S|eCK_7XO9@RuZ2L7+qW=7ZWl0?YkpE1dJb$Qv`R8%GZC%f3&Q)KTw(a^ zC33nPXT+hl9(T0q3<^3w!z_Lp$N4(1WEuNR8qQdXG8L%GLACAe$Ar@oKs06@@m|&# zWm7LNyvtHUT>?y}Hr@$<+6n%V<%jZ!ROC*LS(O+B2eynafiR4VENIlJ`U{sj+Iz9APD7f);Xr#tRLfXJLPI8TCIP%4%OS3Kz)@h|~q_yay2H7v3 zn?d@(ZhPnkb(TJaN>Q~&=~#ipnMBUDOf9%_cYjUmqYoPP7fldfp-V z0q@ax3QZeXnAr*Na!NHo)GsvsXzoiw;j5`Yh8I^58wK6ir`TdN`Dn6@(ESS7=pWbqrfO0&Q;P15wdmQ}*MKOUz_+$Py=ZD^6*OHyUV`24W zc#~yGA&R6*OeGtOMTI={-98RJ5N;Xtr8GDI)SBdeQrHH8424#NxQ-9FvtDM&Zj437 zGn!jDnR=+5pkG_o^8^x~r!aP9af60Mt2X-~3lNT5QhhUOjBa1udTzepgtDF$4*vQP zj&NW9j2~mRuqO412EIhXABI8Q5!!Rm`X;f-s4x&lo3dkaP9-CJ-|xD3+h4?mB_N{l zxm)KC1%SyRiKf&a!62Et+Uca5fXG509bZ6!U@jJ69QG#^IQyi-XS}5m?TJU%FSfXV zasa>o>%&ek^~%OG%smKQPa2@^KfwwoZ#A!*`)DEg7hmp|;PS_eXglRfzT)@?99#Tq z)7G$}J#gp=mooHxreNI4AVsln)!DX|xgb7%Pxf9%7-|pDZo4MpjgBZ4BzxiVVbX(} zMwiHA;Ky&jttitZc9Ac|GG9aS^Z|}4{I_K|?>c$sGF6QgN zr+4nP-|xzR-4bge)kUBw_va;O%n5PcsM=e~)RfEyB z$1<*m1=`53@G#*>If7f;l1gOTYa_z z;`Xy1JI+voZXV}7HS{_WShSxXpZYEVEz(1ujLdNPvU&|P&%9Vc=tAw|RnAlJFg)q{ z;65h=h92ITdddPa!8O#|GjvcqBO#gUtAYO2i(vI!SiJ;RFO1dmVD%Pw^R*eM?-)9J$a0*&uIpfN-G zz6@DXC)D8c_;uPlztnL2_^eCZkIaynrs+ck5;f3O)`-v?%11lyixUYn7hrbvTTgLi zD1@>dYhU4?T>`MoLm&3~Jo%aPuXmFl4FU zqE_REYY{SE6`pvZ<4yVFw2l@)f9UT0d)kw`u~dM}Mm6^YL>SsnlE19?irOUst7P|j5N^m3*ZSe2}uEuoTvPO*H8 zt{_w3Q6Q!_t`$d(^Ytttt^Q~u`QcB-He;w9oKF;)V*|={WtluJ6Nr^aDlh;c@SkP= z%fPLN+MYWO)|KJ(cTK*=A7AhSLxPL+?H*Bdc{%amLLe{DQ`NrkXfpwdg}6mo9RF|2 z>;CVL-VUgFgy!vIoPM=HQpkB}PX$tDIxL5t;Bx(wKf&*LWz_M(xc@t^D{KW`AYR^= zM@FBGO|)=&nZ@15d?DXx&^C*VH7$!fJm~E|Gm#gILPrL#5xSfO`aFprx(ddqpj~Ke zKEMZA2hgv+d*K8uvT;8cG(%v@x_)JaECZxBBm2uO<6+KF{^Iw_bWmJ>PqcU`19Hyx zv(L^Zz=7dCZ;q)OsP$W=Hp#9fBuroQn^8za4R^PNk8E0k%)5d^5n2|It~jqcR^|$& z6H~4nxcu-SO;bKOj#o|cW`-=Z``*oR73DP78*L0 zYw$<4#Q1_ILR!ZaS`Q7WA+uxjgM-ncU{hSVAu}loe0S0oztZu+2l2NBPxb{s=V6Iz zn?X0aqFwoBV6qXc@73*GYHNkplYjlTZ2|E@RTagx8jy73eI78_46k&WLS^{kQ66dB zqwktBsQv5tJmq0QWY}|$D)L$=jNP+oXG)C%&-sC`TCakTl0^08^fPXtSrB07vWLsb zJU&q|Y!HJAIehEKkRF=qbZpDZFopuXn}Vv0?l>R+-rZ#15R~&O(5R2Z1c35k8bORR z3Obj3%J<$6#kE(~<&RtKAgrIhg6W}2{1$P%*bNr-% zUQo%n#IQSq-$p!7!x>?W|NGzdVEF14{Y#0yi2r7TlLkcV72G(^#-pJmh8+!5_2R{i z&tl9_f24Kf^<6f|;D7j>d65~SUmXhC*5`r;BqGtD9Q}-r zacy`#g_jn>e?=60+Qj<>&3 zO}Njr@R^`D|*z`^O*?~I&y*tyA}$>^Q{S9_K1 zcfF0kPS%i-_)|H0^gU%s!6XgUpOg?wOO6Had;GW-sGV9hb!Mb^bxzT9ToFam z3%*m>mV&FLEC+8}Mx&R9mFb6Y_lb{3IdrKFBjMS2Ps9g}bHF0)<=;RPjff(Z=Ql^? z;iKA`n6GakJnrncaxbzCojm`$U(q8Om3O8t$vFk+seYK|2zwhSSC(B< zsL_TIPwq2~)=r@Ad*I}A-T?G7edZIRoHrVjAqp5BcE-)siB^{H;&QabDgNjS20(R> z#%@B$IW%ld5cVye5=@=O(;txP0b*8RnYiqS?EM+!o~;K#8@b1>-;OcT?qu2SB6LQd zzZS!*L@(HN5`Lt7$QKxSZ&%S*xuLhA?wdalC*o2J%dl}VLcS6@H3KH?i1)FA#Qt&x zyiL)SxygME=0sFKh7cAa+kny|+d-G`?w{MgIr#dPLI#9aya`y{szJ?bW2&lEiQw#0 zDk`;`3xZFTDhi*KBmYR5U>n^FkRG!1oqaO}`Lf48n6k(~CNilFTGY|-kd<9d%Rw60 z5*Uh`1w7#38TBy=mNej)StL22831kLVzlN(L1>S5w72u1E_7aWBBXlk0RCs9vPs4G zfV!-PkY~vNS-I2>oy6rersPLf3u_pnZD-H*z85v<%^=aW_m`q!tTs)D#jgk+-_;n* zedY!qe=o)I{tZJid`$3KyA)Y3H}uZ`NCm>k-&zT`l3<7>%J0BOC*(Qy+i#{c25&tu zzWvxJ)m7cA!W!s@VZwNOqyAruKl`1W)Dy^qUc z`gtWxKQD>t=VdVcycVXP7r>i$JWZIwjFU*gw%M!l^|wNRLU-zomCfPE7Q3aWhYS4h z81N#>k%Fy6)^sP!Fr?~xjDnys3FfcxmuvPFqP6G0hzPoZASW)D@|k)xm?ZKNpDa&B z>0frntvk~}nD)cVflpefcAUb#LPZEjD{dWKx~q&T_=`Ha?WDnnXh~b(oe@wNV|o$= zOi!YR=}Dw9J&6paC(*(5ByvE#N;IaJV2xybbQ!BRq|n_LHBxko_R#Qoys4DI5v?^J zs3g->Lemj92S-~SA&YIpJT5F6qJ*egWi+CI;CJ6H*OLUeeu#Qok~Ip)zk5p0r56t8 zlK5O3O0OV%^=$a=Pkj4V_~zr`TmO&0d;sGw|Lyz7UuMJj%YXa+@t61e{_&Up^x><| zDVHbs65>t@0{0&B*@)r%uZQ_uY%8>o*`1;7JC|jF!s=5;V~#x9T8Q4hNG^xB-)Fr# zDXm3S8k}m%81;!HKu(cry@!|;ac_7}jSPze=Y5ycmPL{fyKvG|AjK5n%gdO&tL-Co z&;a^{+2=2dXad{X>6ZKyLwNs9{_N2?Bk*uvxnAw031{Q{6?x_Ykyu2}6@BwGwDU1- z=}y9V^g+6CDZD-yCaT5XjIRVj=GBN$oq$*XV|2uuBM5qjWPd9J3WIr=1yP>`KL{1k zsGWOjjP_Of+#Id>AvoYqg4HWQxFAs6oa4*~NfXWslv@m7;1)5cl1mE~gjKR3jtJ3B ziIZ=-o`NTw-)<#wo(6UfBDxD}r|{MzX+L}2M~35=?OS~MNX9D%o|&+%h2tSiNu5-_ zwP%DLHq^X7sFh&jWQ4PMUlOw04-SzUkHr0dHD2Tu1OU~?#k0=Uejr2R z@tN>b1a#d#YMXiREa1EU@zty7)$}bjt%u|EiQccMHF0xyOI0gEfizrxzswc)5ie*1 zmB9731W-S~MXi`qffo4k^PT0jATjQ~7$VYyFRIV`)-U4x)YqS#W~R{q>37`BmENk5 z@cLMm^Oz6P3t{-WWugOjd;W|)GX*J{UQ>IXqd4)BCr#{>ZCw1!H-_M^qaQ@S|Q! z#9I?Lziyq2&|6J{t1k9l%@ieg^EAsk``;R{N&=SxVcoG=V+6&w3AnZNL7m>z^S~}n z56C`HeCUTUQfu`q;=Rp_^RXmlF07w{?2~PG`I^O0$1|bwdMa-C*xLG?B#jdeA5>7# ziqq>r-TlPJK5i7L z)j={xNDDFIT%8DkgJxqU4`Xn1$dt}#`RO3YXLjNWJyn5zP(OMeO&SL3mJ?kBuYzG_ zW}fDWKm>>;USJ=)+@jiB501dSIB;h%^7 z0pEN8i*@3RI9)bW^x|m7jd2waY`;W#*;N~9{SXT}t)&Vl&iNC}K9GbH-SGjP3mQmb z_}%WyPjc|8;QNl}EdxZcbzol|mzT!p6>O=JEDM=mI=D7&8=@l}t3PPVC4tsvezB6$ z2z|Hkdtmd(3ccy>?*@-xn`F9vu7o4+D&f%0;}M9bM8aV*#tTm0VZY0@V2iCEh^-%it?!Gi?}x4LgRSoc zcTUTQ^tjl;3t`d&BuP%l=jen_i>EaN6Iv3m*;(Uq(UQ3P%6w3q^l%{kIb-0Se0*A; z)C_!yJNU@ey6f8^*+oR;&fe4j*EOIb^_g`;K-_n@=)>M%Do@0rr^36dMu^f2@(&v z$EyWJpnrODeoRk(2Gf%pV|sF4OizyMYyMA9E`qmz2VcF)vA}}G*i22RRVXyL7^j1x zh+nQIvn#<5&eE)kA>8}fZotkszZtq+W_;u~H*TLq{XHYxWrG^y9P7vwwBXbi!B(<| z_DEml*iw?THjszJ5!+Zwa;y>TjsAv`hhk|zo{)kw^*o)k0%_3WL*>X*%^p7vz`B(Vz?*G5lvtaqmsz|ol zDZh}B4a;Yy$MTsOuzY4Zyz@Wt&HKXl`SG1sIv3Mad@YHD*YqyEed$-x+m_z*!Nt+w zUApH(e;@*m|9<^KL@)y?kIWo$*NebAujAkU*9g;>Mq>I>Tp#Fv`DTWgzSIfRmm1=| zpYh%Q_||LDdA`UVaE6fI$K}ROXCalqnaYRkuCT_uYOP%F1gdf$>SuAf&aUGp#YASD zFnygVrms`Q^mW>pzRn!e*QsOrIyJn{7ag9@gmvi>!1PVws}-vVPG`#IDEiX|xt_cJ z(5qhz`1V%}8e~La`-y{Q35hHure0ytJbM`=?vWpew>XkwPInDjy>`UO5 z#?s5OR0mF;+8>sGmcql--H(Jc7C?0TmdZ+kJNhf}IfX#q0vhYT@cG-ALACz#BG*w5 zMB4PZTJgCl-aMCwzW3d?s#1}%RltXd%>eKjAiEJY6$ctlg{4=S6Tr>p&)mR4JK(jU zSIHeoLHO$T4yBk09keY+Pj2Tt+nY-Pwj$H5_s6oJ=S<+P&+j-Cw{yC%yeV za5D`m)In@`(-$S{mj>NWu>!7!*rD5=wjkm0Qtu%p&da~H?^M|Ci$W=Hp7_0E2M@F* zvW#BTLPMKQ%VCpC5bOEpu;=4i2qfz0)()$M1fwrIr(a)&%g_EA`iPF8{h5H{MXffV zzi3DPp4}ViqSp8l-2C!+cGRO-0ZS0uk=MyL^FhI(j2Gk{nZic&2=7*_88Wa*$?0TO zgZ43r=Wk;WI!HCzJs4>VT33Iomz{M(eEDo!E&aC8JeXr_T9E>W20h3}cCH{l{q6R# ziZr-3w^3K~ISU-p>W2L4;?a8=?`Th3oPQy#(_XeV9PCOrG^ib8(eU4?+Mrv(z*foc z%X}moriX?LGDeD!Pr>PA+L2Ve`;(oWFS>@TN^skJDN&DSwC+kAQIAc_QJkSSD2l}l_ zGQ`9Dp(FJ|+JSiIHT~nY>0`V$4vg2vi}BicFkTxE#%tpSeCzu!xdsMnNr81l&xvST zG3eT%&0gfOM2ARvHhDcoAe#53wqph^SAgMC`jcF7X#c4-qI^yQzD?5Ixkn)i;U~1` zcWzlA3W~rqjq`$#dg#5dkFf-l=_LD~#pes$%)K!dU*T2$p{< z3PSCl4!kLMMW6RHE<82Uhvk?>SBq1g=xoPLAx%Lq81jASL&aeS_q>wg$*vorV!xj^ zD5fM}qLamfM^6k0RzAwa@Nz+i?!9Ij?Gqp@{?2;&^$76(b7Jc=|DUgq@8^lH-|d$)C2jt&6*91wYV-}#fO{z3_%**33KVqINahn~a#l5fEdGqK{kSG}fBWzL5gFt9<;v3cfP9nYTzMCu-d@vYVWty_-?{GdakT-h z&uF}RNWTnGZ&%$9D}BIQ-{PGucfnH08+~p3dRS}F9d7805T5?+h6aeo#XEQ+(7`Ir zZNwG`ip#DFu>oQ5PS`N3b<-H;q$5Z~eB|L4UETwq0Vkwec!8h!q%#UsP5+eeLKSF_ zvj2TeY6bZEbG4fUmBvaE(SwZkc>3Nbc=__%BQl?O;3HaY>wKRLtgjn$xXz@b8XX0C zBFY%N^RNE#(U>tl8WqMzqsRDYbQm9vALFCZ0MD7gm%*ayz}G99x7nZsc`s~wwRW_? zti^qhib)r!H}82Uy;Q^b;QZ7%hkQ_Bc@;w&$_4JzJ_*C=nUL}1$Q2R34zw&L(`vK`W(z`gb)*u}@k1P5d&jOokJZVn?aTr+XI~nB z?@2B)+_V}_(+&W=BTWh1f32Y}vcovr*A)D}gx44*MdRjF%$-8H7C26ssHMrM2?)>+11{E zF9A8$GO6w|x*$L2!^HPf3}U;sXb+o6L(^Bm;4|_@s6vjOj8&`{GK>TWTwd8D-{)2R zmv*dyU0m<$Y*`r;z)ee`^4Ky=wu$1zq z8(N?E(p`PM9(A#4-)`KyfL!DkZXAv%hb4~8Al~sD5dYYt@@2>ik}^u5FRutZ%>Sz2 z_*#q9SehfMNZcWYr}~YJe>l389+hJt;{qNuKNws`JmF9YmE}RbNJR5^1--+im%SSL zAS~vB^CLayoxNgE2Vc)`Do$_LfgV|{X-oAr6!4>L{^?*XQf+H^Ur1blwC2}LT1_9`A+Dwxmi8-vgjgTz4d*aQn!B>A}#MwzQI?)dj z5%dbh3f)jclXf-l5x|KoU9b7lZbbjke!`wQ2ZGlxz@U=>_{w>(15nn869IyZ8V2)T394tUC=G(Wrp)_oLRjdvJ_XC%=0m4`nBo zew<#rgRUlIxGmsv#8``$&DIYzV)tQP>^>}w-G}9{`>-r_AJ)b0!}56NhX_d-5-k=n zL+rBa8JBt{7`bwn?lR#iP&3TqSJzR(<&27ar4~I6E>a!t@;cObpQniiodGL{hY4Szh6I=pRhd8mKGHfoJzK=rgCi$=B#F84s;NWbS0`b1q#Zy`Ja zt-&ljZ9i_KPiJp5^m*!{wxs4y(;j_5M{z$e_(T`N*B^>+9{c~_>n+S<%W|!Ak!sD1 zq2beNu#(E{c|&j=;Q&F`s&IU9mJ6mRFTMcW`1ywl>6ZvqM-gSQFTs6Ej9DWv^UMO@m`*!$0_4aqnm1 zF&DM8lYxTsZ^iW4E2#CfAm6Q8CEPrIlb^a@0|kg=MjTLaLLNSf(I(L)c%(@JNyU zs-ESWqmp>{EAV}v!k1s*B4k#7+B^uzP1B2RQsIJYnEtr@!ZjOu4` zpC+^(Op6a;FoFXTAz9nP=_r)#H4e^LggpOzi}N0j1;M$)YGl?45aCGdzgFP};X78J z8INS*-LES@_w!hozZWd+N-00|c1GK*l;eeeJ%Ko%mgCNNAgufyc=No>9qAn6)73f@ zg6fX-9^evALT6p49pswgk&U*1(tE`ixUo~~(yM(Id@fB5pKZbMz5<)en(fX(t&FPH z(PCrR=>Ae%&U_wmEIQ<~o14M-oBLb|(d@Y-|=)wkl9&`L*`@w=-bRv-J~| zYB`Ee8d(^u&xHerhSyqg_Yuz|bsO%9Z20)z{Dp%bj#pj6TpuW53y};p70=s#^l2q^ zHx9c5A`3sel`dBY2-(ysSkSQs)x2v2&!W`9XI{Fh<%>0XOg((-ONBo4snzCAs_88v=W67O8N7YyA`rPB%6Zuy;i1Y8n^|U(>kdmW1Ln%gbKgxqwDzopy_U`J;)G z^Y@wCQ_)wOQ>$^B!NC4*C7wz49Au^uxSq%PT==&J99)%x;RFj|GK)b3;CsH~>qo}- z_j8ELQ?d6u2YOIS%~YRH26ujt^S^DRf$wXA@~WeZ5HS5`Ly3wTiGR%YR1>7ao1b{J z>1VnfOBP&ASo_wkOw<*Yt zpsyfTtnh^vj1}sQ8)`TqBZ3HdsxnJZlf9v7u@@x=gBx-i1Z(>=p{+eZRstFG#w4K?6KVu>4yQ zEdTZ}mVbK`%fDsE@^25or54_*qNY&j_59`VxhNhHP5M~uK6M9nHNI{WBYPM;z;M^E zITrnS6Fhf&DjcLv*9*6%nj>-+RgO;#iZEUA^Nm3Vj)Nw(m!G7ohfk)R?-7L}ZH&T)}*&RKHKIY&Wq&LBz@ z5J5peK$s$;h=`(qqM#yz3W|z~0ff81*L{EA({I(O`tDz9)vn%)?%s3FImR>UOweG# zgiMw_CCd54(zE&A7$h9h##wF}0qdu@x<`rPAoW)%%iu#B#2nALX=B;|*9dd28(Tj@ ziR??ML6_TL;;u47sX4CydxQCx8QB%Us^|GPuhhl!T}|+OR~0(c_wP; z_92ct@q04ph|mXB$14tCQ7a;>tGBHjWghH7&#eJA-a`Jh6u7L{vMf(OT+ZD-Ck54G z&sZ4b5|3gZO@kMm%um1il%h9RJVI+9C!s$f%S#)dd@=KTCEkgaZ|?`dVQ(|lxwRw| z5iTf1tQZX=?*09p>b}tN?c;>Rm_N+#3e4(o#~=^YZ%mB_b*NkN`Fe>}Bp5zCVrly$ z52$aJD9VQVLP^iouZ=-B^vf#fFCldn-Y@Wd>1o{O&FLNR!*%Et~``bmZ(GW=19i+~3~ryb^e3asa; zfBjDtxJMj*>vXOPkVd~zD3(@*M;oGkJa!83fgUmQ?YJV96HnDdFDijR<3jgLdM9|+ zeOU_jYXR#mFKdmrt?+7IY_T<~4_Ut?7@oO*5j4Wc3;Fhk5LUmyKmMTuo_}bD=O1d} z`G*>K{-GJ3f2aw<>DEpPxW4qsn9#gGS2Oqwfrqj1ri@FylZ9?W3sN&RqA4a5F?Q7}R^rs3FCirEWB`dI)$`LO$I#>2{XOS#09NF6K2n9<-s&X^3!^_Hj-v)&$<0t z85sUbC>0%&g&;qhREBHXs8Avo3E?=>So6rR=0{II2)UN_NCTZ%qw6K&VunH`FUzj` ztWX`d!6_rk3N#OxGX<`)z(G!}Rm8&r{pXbYv~3*GeG~e%i^v?wNKOoL_`0CHf$)aw zH>`2Fm3BwY>o|kkVxosbgB|?KQ_w`N*ENJkEJY!1X^1~@SQ`8YOy7t$O9H8ulf&F? zEnFVXE3HD6|2L0D3ZF-#g3qJD<*Z)5NTF=ThtH!?$LG=TW4<1&|E~uu4f1uwv5@Hb z#$PO`28GlJD%o5KgUvO4c4yxL=ywa~Kax<0HctpVGWb$}na}Wowfx7pv<}2x)-`sn zb3zdm=IfuH>q7J)vEy$)YJxLav%{?dU8F>Ou%(j==po&c59GdxT7uWwcDBQH6Xawj zA~%!g4C})jEG!a!$ieY&sxZ4F{7HV@z~ZBfu3UYvLkS6}V9WBBW*p8x@Up9I{%{)j zK3yteSHaEOBjV2Wr=_5k=kD|=A^H%qH_|X;KbYou^9iHx{9^lqP^m)O5{CgxIPD$|+ z(Lrg#zwu|`I^D7$$kF@t-yPy8P&*n>rX75DgGN$`BqC&v1k7hbWn zhRh7xB4-2c$lxp~$Uea%KJ-@zF^W?NmP5vEkLz*o>L8WzYK^vQ zEhIPoIbnvI%Y3DiC-jrPg}QjPYM0tozG>#Y5-o3YKzyS+Tr!6_IUl?f3Eivk{8bGD8(+6%Xl6h|&!6E5fN z8>932p8Wssd^)WA)4#n#en}+*k$d|8>}E|zpH5DRoD7S@@ou9$NRmvR=yIwe$KDo2QpuSpE7YxoPvw^U%3ig1PQjV_9=ojA=b z&4sVugkf-E^ZQ$6c@!fVF%(253YnXgHOH(_%ZQ=4QX9CK18Vrzi*zlI1lL_YinV%EB!(1;3 z>G{zITd&(AEiXc~gE-#UVt;%~g1iKjnNYm?jmyp2Mh{$gD)gftUt6f-_B69;RYj=fmnlN-s zVkO38!v)xb&x`)iNPvCSH?yWs!ojJ}{+`#>cu>wbXWF@&08$aB#4RBbv@K(Qsk2=` zwNATZnPwqySNnZlcvlu`xVJq_9Gw6IJPMlCt_h&f8|3IKn2D5628_hr2?4h!&VN3u zn8PCV>3b?Ao~YpFia#MPH}B_#pqQB&8<=zc#(JmO3;o(D|GHOii&;O9HBaQ5C3SP8 zx(yn=6rJ(cTL+RABgHsuZP2H4Z7c6ejNo$oBTwE%U0^uV(MYaq2>;f5+wbJUu;XPz3AoGWENyc_1PiXv(#79bIzCRrKa7hNF*OuBv$!z@x#m{JUY* z_<61>=ra8d9oSI=D>sohGMVPE{m$*K36(!uSP^qP{#YHBt0LOd$`R&#(qUmWu@`os z&|Jr$TEyjprl{4st1dgE`NW~VJBA);?d0FO@*G=~q4Gu5gDx1DAMrhy7&3+X3lb`( zPVPuWt|C(Oi#*s_O*LQX;Dy0!<#ar?nlQU+vDp=H42@)!C`{Xx;_|XW1bYZ_AtA!% zmg$Wsa3^(r+edQ_9Y~X!%%aVQ;m(y{S&<^l_fP$!P+Pz2>gc$}V&ST!1-j!srO8!n z3Y`zG0^y1&?73D&9;-5esg}tfqOuyOx~kkv205X3ZF#pIQv0G>xH_knY7dMZDhc!C z4j|T7szFU-2QgGvNfLip!(rk@RSFho7=K5_FYbjq$DDi4=Ck07bo-vJDvkLefjsq3 z)<w=1lYAl^*%z^%b&)QcGQ=qcDe$ewV zg8FMWZc24IV!odb(+CD@>^9(ZUPn0YRo276*RV>Cv39t$Q8|2Nt`&uL6O7)CzYOo# zrIV7wTaf!|Mw0ca8ES|bC;QtmwEdiTHtMGskgO05dOr~Z z3%9KXpSUErH6Cqiay|s!ReYK_r4$7fwFdr<_v1kCA!A9$?OL?+sPHS3Xau}YB$W4> ziUe*(^XkjimS|&!`A+hIc%(B~beQ|=S;R#0!G?xS3X$H(_0ztVftiOh@ZK<98XA#E~WLR0NkK?+2?S_7=61H)GrXj18q0e)wz`UG0$tjLA{9e zJl48n~i#;R(;Z%jm{dkl&ZSD$Kvv|K{Cncplv; zJdchI&!c0*^XM4yJUT5z=X$-ZJ;MCWu3Swxo6> z6wVI$PTh-2gd;r!q@r)*QIEX9_Y|@OP&}K(_q077t$W5h*$W4w$m%9;ftql1t|4P^ z$`ZWiK_!4osMh85zi4p-s{Hf;t z;&eJehsZvs`GDYYQ>g%l6lf<14d2p^!JOx-)71KRVoC{$UUfbhFY`y;{MmK$kEL+@ z-6tb!#fEU7dXdtZ#sRwP7}?fVG~xEXLGIIJQJB~GJaLNM3MCDF1xf`$D02O{xZjTB z3}|T+K4sUzp;2JkUaO-$D>Lwb>I9}ojQp?+e(Yda0@Rq^E*bNVm_?WkR zy)_cOXZ07<#qrMTU(I-msJp<|ZYJZRD0#l-!zC7jrKO4%f;6Zl6bue z6JD=^%isJTy^0WCuOf@rtFXgMfmY=kF%Qr%{qaW8gZDv)jq6Z~{s4?fc^1Z?2?$<` zP-bHYMI*nb+iYI|SeDy@2E5Y^z3`xp~SSX@6++mu%4k z5#G^c&+A(7C->MB2-SuP!|x0HRw|J9>2)EumN|$#mAH2Jxds>z-I)*AP=WRX272By z{^+#Y8pkmOXCxFmaAls!1kC) zTWF2o#gun=<3(ej57;iq5_LxPISmv^w_On=85ZHQ-0o4`gs5Qf1ZD;aBENg zhF=q6ttxo&_EIpc9>_jV^5{Ic9FXg{ccBiptA~SIMJ^+Ee-@u#Hg)i5#k}v`hzhE@ zxhK3BWet&)o5#=2xxn5_h3hgiVd&78bd|#o>|vsTvgAjbHuAYyL?u~b4@uP1@0)6a zA>V6Sj{9j2x?p>3uc^!qCe&g~=7<77Z{ieD&`mGET5sC~@AchJ358n`dF3=AXVLuN zYa{v__HcA{`>}$44oLUSPag-hz1KZHm0 z^!k*rD-;*jRK#tY!5i<_;vVUNNMlp(Z`m_m8>tKkuU#rte4& zaf7XYUfKyp4iFI2U-~v! zJ=W{V{Te}UeA5!yF#jkxVxS3=F0Wjv*L2ZCcfS*n{#p>OO<;587YjOE|88rjQxpF2 zsVMP$DsuS8rxM5WsmS3UpNazh@u|o_@L1!g%Wc8Pnwt2Gd{P}e&6%#Xt?+^Vw4@dg z=|BqQ!3)I2HL$zVmp0>k0dt-**6+JjQE%lTlY)4c=`V#G$VLip=4FD?;(;o9ylA&~S-;?bbO7uuUb)ImIjp*F~RD@7)!L8pkLPx?kwMwEE5X_CPAyE zu~HSNls&EPE0TcBIMdE}eCCBx^<77&09IHb2{YEBH%5X{srrEgLNM;xtH@u(0ovdF z8{-rBfCE*p1j>tobL)1#x*|6SOg0wS92A8_U73cJH8V6iFU^p4p9ic8%XKbPh(L4m z@)Mz9L8Q+zUVns;2PSVRwKLaP!H|Bzop?zflv*}aEK+F!3K?3HMr*q8l=O1Sq;)RT zGLNslzyJU9`P9GrpBB%1A;=*YALKtj-zA$(i^QD?Lo*qzkDu)sL7K-o4#Ol+s&YAoS zC_BJwQ)dg-auWn^FClZQ!Xm-_O$4xNv@c;3h z4Dfs>6FlEZ7teRn#q*u)@O&p#%zPxQdP}V9|9AP<|9O3j_4Bb_|7{DEar-F-q(5aj z{QQh0Vn`aMKc+4RDQvNO~PrwKm!UXw!N}!v>APty;@2CCw7^^NV#q z|J&=a@+h$CTd@9~VqK3_AM&|!ZJZ+47LMn1Rb9I7hy>Vf{5D;(f^NnduZ_o6@UFSd z`sHUYbk*Ztg-D<=?0uk$=ohDkw&V)#*t5q#>SMt4eRoN8nVaLWPX{^pkqMA?kWvA> zQ#zOtLXLSo*8Mz3czdp|DIU`6Omr;{<)X##MEj3-V!<^?lx%z;7HlnyGK?y7(TGQY zVs&CXl#uKUJ5QK``Tg)~4JJNl-n))^qS+gm!s;k1#tosF3>u8cy%AZvVUnDu3FbUO zto2ow&879DR8l~v7Gp=|tB&s3e0)~LDg)_R`!Ob!5|C=3s7*enjo6&@&wY6;0eKgF zUaKGl6icyrUa&|MtUfxBFR+OKZSKNt$%i-}*`{Ou!^|UaL4-Mnhglr69}TO24eNR# zMb$>V=3qp`)K<6lEF4X78m~%^vP0qYj^j_8Pzb7MZVkin?-NO5ia#ERha(gMZ&rVE zz?k&rGx8NSxEka8J2OZF1v@_T%?e`!it4Lv($(x>&}wsxGX$59FmrTsd?gD=S}vVl zoNqzdT}F3&SF>QP?oAP4Y%1j2I89XxJEKH-Sx2AKsc@M5vtIR63-~jwAg8h!iIzKC zX{=>J(7{Sz>3S9p-?=>~Y|13zLtgg}W*0Zi^^fDXzsyoh^57OYbRyV64Cbp`M;<4s zKx^lb@CivdxHLClG~git!5*!xO^=*0^Tx5hudw!Ku$~{a;-lK4dh6iRR*I35Z7VwW zv{WjbxCXW(dO1EaRRckpC}I6%2a>npuPWE60fyug#=9Sbksnt@`_->z=x)iQeq*Nq z_~5WboxbLUq)v>rToST}^Kld9DGffD^-HppVk$Wn$~dkqWyp_tDXO8Y|1dOUX;CW9&HJN!Y!c#*aPWBE!0z#LGbRoAq%Zm6aVLnPU1ivlR%Q zu{swQKX{{IJm{m zMmW_NTTDRC_Q!J*LPyx*INnysi{stQiF8B>rJ#@BOdVKpe?Qo2FxYv)2BOcN$=)1x zf{42{1#LqDaO9$b%Z*)5=zYp-)B2bf?D8snJGZ$(-O1X=&Yc%Xr9Ulllp7&9zBl+w z#u4bn20!q&hajq$UG7Nd(@@6s^g)B;Y3Q*~jpFVPLXz>_yDJc_T5QS> zd^jqPtyQ}4+7qalD+?>X`@rv$A(2<-u-8Pl+VXpS4Y+sM70Rh$gM#ce$>3gZ|%5Hq)CS z5Y8!LrcINHW_}VBEjJA~(lcDSrq22Xw#YpOE8GltwBGeCzsk>dw zMI1>3!D6`ls3|V?3SWu}WXi1Rmc()fGP$%l=sh}Wj%?6FDA;&?Zdl(v9P|HI z%=)19B!L<{ zxfL3k(GUBy4GnWdb4;7w zkUVV;eu>aSCe zY68zGN_((X0;&F@SSDt5sP7Pc`%#D!4($(>C}c50?Gv#(yu2Jh-hQn!i=PwH2<2;J z-{JWEI}$G+1!^KknM9YD=Eq^_;+S(r4lio?A+ax0isSm5^TyOj(}4ol=>aZ#K1BR$ z^Ct~0j`MM!efHGrdSume&T;>G9*#RUns9UOBFN^^`d@NyM%C^+tiPF~P(?#wjx{r` z-{wTSMtaK+jeAhvFLb>%6b{(RT{qI(Q>cW2eNLY!yun{Y``V_3I9lCIU3V7< zg^ZKY6YEDp;fTn^2PDb#;FS7ex@t5WENa5ar61*?fBowJT>p<%FD+`3PAGu$;bkO; zyZCsypt|?T7B8}#K<`$CxxBgq#2)zJewaiK_gtI}qcXHXgr!*yxO7A~p4_Q2G-QH) zjV(nbJ30f=#oI!99@d~{J3amDhXk67NoSkX@xz=4UH3WZW}|NkqIES*%AzbpOojy0 zcKyC+*0wg_(XS%tqB3-0zT<^LCGNkDEY1VYm1V*+WEntaDm-_E^9&H#^3wM_J_n^t z(R~ET&JbehwD)$Q2=)~!X61 z{*kSK+pdAQoIw{G)sS42oIpd5 zPF$imbOZt!6J&$;N#RWVPc>Fm22}UBgp(|k4N=`YlT|Tdh2xOe4ShZ2jrI<&4~INg z071E`{A_wF*wh|;7q&)$stuf<%_tip5$&b-pK$tF^Ao3{qUX#IXVT$2xd$|%5w+eW zE0=}#b~m8|dy0_oa`xKHNjZq$J{`#VUL0gkUHEz2*A^WrlUh{?Qh?Lss6N)5Or|gduD1*NY;E!a zR$jznYRDh=Zg-IB=C+8&M~Sju1J0L_j2gGf1J?WwNuG7(Qdr%8IJZ_;25ezpe@4i+p~k|f9=)7HGEP6AjCRC2^iC2+muh#`9ZRFggXD?5`#oJ7!U~E;E<#gfp4}2 z3(Miw_yy!688P#qxMgo2%wY?K&QIM91B1zkcsn+(|8qQA$RHr! z!|8rC`imqlDTKj*^Rrb09RKQ7m=$N0H7!sceYT;sERRUp+PP-ws36+>pqD}g6^Nf= znOlhFhj^QFR{l$eL8@URDt%W1takjK?Dy)RJBQDb_2^5%_{&=r>$v=b;vw5kg}V}P z{`Tl%(p7{ij8aX1{7HtR8d}_Se=Z=(@$0-ln`&X@+pCN%*-XU4#mkvUSBY9TM#Vp5 zHDLDdf1cSm++3Oh1W!whx5(?!Z;24=tBoaKAexuKF*cNvaOO>D5KraL^Uq=d0li8M1|rr_nbKJD*0o>a#+9^QP#J-ps|YAaziaE6h0R zuK)s?w!!HH8sKcAMmjktgM5vT%N+S;hG^X)KAMZuA}R*vuS_ft;f@9A#29NUlory{ z9II(TM=LHjc@{6DcOwLstQ$JOcH(gKy}U=5`>`T0ulMuqjJ}l+(F%2 zab;aL89gvwG|ZpzgxDv|c6}$baa9?r`_jQKg@$#ZI;PrWNJbKD3K zumz{g4M>BI=EuViCsbiGbZ^_4_!wqv`OzS3;>lEf{q)n*{skcA$?$Odb3hF;M1Vmaa>Y3S+(rTsk*1P|I?J z`zzH-$Ybj9va2dZ)fVwBkwzDg5Y3!|LEA;>Qq0*q-(3ySSFRd6UNQ$Mo?sJVoUiK} zIuOLn?Sb~j1#E-`+|f>#XY)5I3s_TM`!U;T0awy#WO=+6wOhtjxbYNK^&^M*Rh%XRR`toe{P}m@`EdiV@tWR zArSC$=KGChKa{4Op(dyh49B0l-WVitM`HJV6`HpL&}%83j9LJ|cU5jsAKyK}gZ}6lCM6Vy0mZEcmrY{CN&)p)>lxErY!6tW{ zuL*R&9#@8 zOHokH?LyD(Oi;Z2viocVKbT*+`-JG18S;rjwocm-U>%}=H|1qGyf{l@Zq=QDoMhU~ z{nTQ>`u2xobNgYCO7P-TzOX0K_p<&j-f0ch!ix8K#ynAM-~$0S?PioJ-PNNC1#sB( z`BNveDtL2+h}!*W1*GutlzhhJV>kTz{j`3&9RBT(9e#hb@%v+l-ydE4{y5eZQ%XK+M?i}~ z!)LS8i70Zd!*%tn7MOAsaS`W5LRUoljeCHr=X!N0ze$)Qto6V8Z{F1=Nge1hwj_Lz zs|jnDGI|b-+M(K|oxzGRHE2Gz+c(l|h~DQ;U(-3P0jDy4pPIF51H!{=4Uceo->TbN z_0EPJ;NsXc+2qm*1B<+ZZ(CVjqO3AGg3(5&)892M+Fqkl|oiKLWv^pwR-N{HbpOb{6u0-O2Rqs zuY}4`!4O_2r2M$W5>!hx=EoA_(TgbJLTBbk)Hq5;Ak{KI(`* zP?dWRQ7417)Azf6xaW6G!zH{kH631PRc>~PmcR%_EE(UcHbnCHuYTEqKww&@@So-n zN3pA+l~zmvsP(zn)P+t@#NB`CC0|wy{BirfxhWcqxj%!oU-XFkIX87o4N{L{B0A@9 z0vTTf*?Q>riu*OfJ1UU#F6!3KcQMGnRs5R6iXVO-9M3cCI0Z3h zo(3?eia{&c!v{Akg+Y<@a{A0^Gn6>U&wl!_9njQ=Xs>fR;_@(K)ZBvYp!`Ml6Q}dK z@FI_0?p?DhDolRzMoL-)KKZVNdhr$`>zgx+vwq3Qnv?RIR%!;&SpBX3v6l`BpJ)S8 zOzqLfXZ&PxRLPk4Q@ZA@*t;<^*qXW_?UiT%=3Gy>AIQ3+mKKLjOMjf+y!+>xbyqk# z)FTx=p{@=SDdWd&^}S)HDa)hVFcO7-X07F_$JI}^6txc${9)sPM4bd}7>cA-YH`f)!2`A-&D|@Lf54qtFEAOU-!YUK6l8JzDIk%!vUpP$p#!sbU^ooapoN46wa&0qGI(DqR&-#K(TB@2|N7RA)@`+&<}wJkETNJ0C3uS!z`4D=8ZA zpkSpXQcD9d+~xeC6TyWZeMqaS)8&RDu0ziGH)PO$RB!xwk0z-2a@Rn@z!|x|ARCF< zIfwe{hTiKODu%J9{e)%iaWM<#XH|1RS4YZ;?!KIVo(R=JLm zai=Ow%CF1B@kF9mKV~;PdZUru8>O3U!3n_BVj1t9>V|H_N?SF=n?da%(&6udwvg>h zV^B)rj^??0-9m74nz0VkryE_kx#s`ywcPOebmsVcI$L}`od-Uj&Jv$bXYs#W|KHu8Ep@SFFJYZ&YEs;O~${mEx-?6J$q;*Jre|+lXC=Hue~84qf~eSr(?(3-^0pp z$NK(J&rZEpUP}kM7WESw4^ATM+WLoECuw0~l#z{QoCdC(BFbV^<3MkF0|h@_BZYr{ zx?sGY&Kd8g^T7M*T=9OoaJ-++4KqIq>-ALc7Z(d;Tf@$n4{g>JYcw15+Bnl0H?Q)Y z+_3sf3QBk?+w~$r@h%gq@?NoIu||MjY?}B+vkGdaFSoo zAFzU4Xamj9#gkCBC?%cYr-iWIpIG-F>v|z3lHM#g8A$x@@iLfS5M?xc^%8r4%Pq{4 zkqJK}0qT=U#rFg>5${{3nkS!x0qgsr_{6Pz=Ij6{9f-WlvgiXTq>k;t?vL!PBr|T` z@q|4)8L}()Qjz^VqF)Uky@9uDm3X<00Uk_zGg!ZH0#?o+IulqTjCOrB{>+5Xfjs{>Gc<*R%z@=s8+_5Pi6_EmA}mo3Rec3}fe9ST9=YynV}#Ea zut2p*Wf4!S zh8PQks7GI|X5#Y3&oAvHYdluIq{zM9Y9s@B9ex)xarq`BNt5=H(YW(vaEIK!b}o3d z&^mT-HzAUjc52gAS&$SNXKK}&kD?3%lpkNp#>|tyY1MNe?$={9vD#^TF!?q7Dt6J^ zSh@pnq4IL6;RK3h4OCkvd<&n0n_60x-k>I>Q|#)hLa=4QL_L3!2R_H<{TA&JhSV!D zfwu%qk=W6@Z}q!yJn6{qSy`1_xZH7U>$xxZ=XdKHf?wTt=IJlSaBd)}_Her(F)7U) z$KBZvKRBN1i#GdN8`Msk;;&x`|9xff-&Yy`eO>V1S04X;rJ#dTq5Dm}1CC20&v3Eb z1ZY6U+TwsKs-Mf;4=XZ&-u*;{$SzZ`VrE3?T_)i7L-ubSS3Zz=_!Sj>=tl2_E0%6? z_Q9#|zmjg?&aJJNDb^SR`q5DjJL~14PT+M6`d(+`4d)Mt+tvug!{?XRQ^(T^P_S9_ z>O-RxxY9)?|M*@obS@0eef$xF!e*&UTZ4>{=S|;_hM7*Nt7mQF-7_6TQpe)e_aOvE z+Ymjak1OOZhVlWY3knsVvwgf6hYo*n-dSJ`Lj<3=56(1y~a|A2vf*1Ics7Wh7AQjhLie2~L!z)V0p!u8+B2gw-E`_5GPm6O!&C!3yNr z*Ht1uvVq`z^00w$O~fLr^Wya{2539bv%){f0S*ItA-#bt`0J;^&%Y?~^DjyK{EGrV z|DwjvzbN3J-zN<3_X)!Leai8EpK!e2CkXHNi2x2~gVoA19ET+RG@a=gd61=MpO`qR zi3D!OX8FG7gV&?tLehN-h@j+c&sdHC9J{q;*?h+Wx!t5tBsnXELeY!NPs=)REaBF1 z3S5q*EoGC?8xB?U%P-^R=U1A5OV)h$*vt({S-P6?gYNM|^@`Ny;`Cbl4|F3Mwj7X7f1a(8UMz%*Pw`b{xS)k|hr-8K z+!0oP$G`k*Nz~_KT6yS-0vaD+Cn9d<1&+I%>pxHN0n>Dssy-DvY(6OLTiWNq?7!0w z{4gplP>V#X%%V+*vmx3@L+)&3ByeuAWH^N+BE#0&psYI6d`1=o3q_nmolH=+UlC?sz24{|G?QkErDtYePV; za?Vp$#t)8v3s{<;wL}h+f8V-f6(c<{g@=UCi@-kO6Dw7DI=aM4^NNfs8#Qn*9J9$U zhCTZ`Cr$LDq2jU7@5-}Y=w;o8#=%2p5V^o|>Rsh9XsIq0+r#A`vYqm|7`d7NUDmWu z?!}oPI@a=r?B}>#-!r#*MjX_ENw>V81?Qu%8+9cm$k&Efd#Z`Os_GD4Kq7Yjv@Z1d zQnNheiGc6=MyHtkJi#EWmcBPQ65ikSdMB0}1({W3m)MPPzXQ3!!uPsL&>@P#)FZi> z(8RqtOHEjTT=zn4RmoD}_UI+E(Nn3AsY9L+vQ&ypi4?zac%(!0XM2NR#5L$d@Upub zuD^6x$fe}fxm=KDT+L5;6#!b?$0j#A@?pX1*JuCAKsaId`b`a$Gx~1jf5&dp8$BDm zIZPB_4@a)~EorMbfWq=^0zzIp2(?N`T|Qz1+$e7fN@GElBPGJFsSvIHG`;NnJQX%d z8#RPe&VqcRx#_i~0;K&?UNH4Y7!-5M^?MPAfHhIauzKSe^q}lW0_Rf`~> zmC(bi7{}KkzwOGA50cNf({Hy$g1tZon~&H9RDZN%Zbv8&Vxs9gBG>X!c+jV9-oGFRc1KC$$rVKq%bG*O2|qdbz1FJKC$9`d+@1w-lPVA` zDJdh`V2iY+1jnsN(che#v91 zu&ei7t;IAC@x0)ZN=c$_){`zIW2+dL14X#)u8Wwo= z)>$8Dk}&W{xaI=a3Rk#AGW>xiuy!-->HqNopp+&$C%Eb6VcNbc4-c8he#_u^P#^ez z&ziROLAl>(YF{HR50I+M>3V4x+Sbp{wM^~?lgq>}cC1G*_iu?V9NSQlP=k|lGuxx= zGH`C@@r#X7RhX$&9U%W~1<`k+c3&jm&Tj;)&#HZVFxLZwYH}%+-hRN=^2M?GR0;^O zE-)D_r{Vkp;wA@D@({mB+7ksycWD0BAV-jyg4kP__8K?NptJU0R6^%-fcx^-=E)id z)XHOi@d!aVnpjbh<^5a;v`@{*HI>t$OV z8xxz+U#2^+0SEY16NI8^QIdq32jwdSv)v2UmX2DW`Za*Wb(s?he|b|?gX zuuKKz8xd!}-i|_I`LhgMWr4tV)>Cv^C?0m)(9w4KvnXWVKb!4fBK+gQ3gUUNTzDR= z0GG`9` z@EPapPb3^L^7+)KD)s=h(nNdJ?LY&N2C}Uh*%l$2pKY9m-*NiM2J}Pb!Wj@cx$YQ2 zUyGP(uWeQdl%dn>E-5NH1&}9WAYgH=2xO*4Mukxs3j4dkNI6o093<6(Ryr@hN0PK^ zG7>+eHzc34b~79bO13zSX=71AiJ1cLBOlaDt3pXOo(7zm?B5tlQ1c|W*)TH#Xd|HIr{2UYn+ z?ca(5DvE?O(jeVko9^xqq`Nyr8l<}s6c8jN1r>p%fT$=6n1B+3L5T^10`EPK=l%bC zo|)gw^Dnb!&*I$Y+Wn=Vdp*wEdTM4`WD$G2UP=)Ui%V#%K zcu`K3N%Pe@0pM#4%S_`whmKk_%j#XXhP%YMSs&x|(VixqPt+$fV3Q6Ue!gG{wTm2a zO+=n>`L14_#a>M&$|qqU~`Rz>rf+=tLF;&U>U?Yf5x*{^h-E`9Z2kaB5;c@F_j$ zJ*+5;#pa=2UG!%py3GNS+!tf6+@gZj^zKmR52+BjW%f-rE)7V?JWsK06{AOfcN{Jh z7o*rU`Rc9746L8ueO|RG35XZi4@hx3pnUmaf5t&iptZ18FF)@KM~jW-JT0SvvFVRn zG+7V|?isP0$&W%pkDSUDyMlnk-Pf1jDHQrX4K7)YC8PMLhh80niRk!J>doz2A@KfV zFvtDmP!Rp3##~Qq3)zR3a+b5D(4&TcDC${fRC#_Vx=L9X)tI$DV_X*oX|Fi1P977y z=j(I(LU+yyWWuG=ZGudS6j&tdYFZ6V1BYlrwqes;C^^hayR=e`wAZyP7td9oSJM@( ze{GA9^^MPABy`^3ksnV>BkT{>9+U22Uhd!^s>l%YEE-y=s^o^;{P3=C<2%o5dXR3= zqJbUSb{keF2HjCy=Sr^!hX|0B>PVktaR=WexoPz|ceHoVnd%F_Go-z|M161|5sgRB zwve5+gS<%vw)E$=pu}OfaP*-Eq-9oQ92;|ixSd&b+i_#OdF6pI)=x@X)L~)6t`8_Y zk=^u}JzF_7xZdm2;rvG#X3jbKz;_j}YOpN~Ur@%Imyze=wkkEDjFfVZ@JO9gLBUZs z<@pdV>I$-mkKcpeH*ASR>FJ!J-_AHWcr>k*e91;vs5XevzLmb)lZ6oxyQGy ztm^_GQ4#R`nX?FN_SJnVU{S$)esk_+pZbD`BD^j1eJU7=;3t`wyInTsi~7X2(MMbs zPP~c{&fG=NvcWK7M-+$JU20%|R(SW^y8C>1%Nq1&&1S0K< zWM^`0Ud%bB)hQ(vr8+rr^1Tm*o^L6$-rYWsKfdAj^-lJQQraw5g?E+F4m{YiAk7ZvPLGx+iaK)i^Dyy$!|vM=7=jaYC& z5$4gKlkLue(Olylwhad)dOE3{)CuEk4TLf@ezyi9=a<3vH9V1h1NYTCDaLsBr_6ka ze$Qe$;5fM-mxQo6#q0#?!$<3VfUp%EVAKdgS1$1nUK4VMXw?XFP>V!#$?9uC)c$a4 zLfpjsr#pBX)|_k}Ekg0j^LFPc^`N6}fYNm$0;uRn+y>6Z;XRLouRrQPe+GS=KLb|p z{2zaYK%75=KF*&(3+K;Z0CK@0spdRJV9WL>-jl}~9bvR_JAPUZ90&U|T6a~TYn+H` z4D&PG_+qE~u~-$yZ~gB)$Eej3H|~?>$U;`Q(NV|rlRZ@M_4as4Z|ulEEZqt(NG z6xmL&c+ZWRW!ekQj%zjlvK2!+1O}fOy468PNhnaR-vm*9wrHBMW=Sa`gTk<1t zbEa2+i-{UuE!b1e1rWml$$Q>E?;i!d8@&(AkBFjw{R;-%dRp9iF5G$=+9^%KZ_}$~B1=I23 zxx)eCXx4e}HM1@iEM>YJ&{SZC&_ch*8&AnmR=DY!=!Px2G!@G!I-v!(`EJo_ecf9h1bz+p3bG{IVWbyVWR}@k|x{~+cIF1G4bl*wiAl}!s+<=6e%#@%iJ&(3O62Z_~b4Kq$n9hB%Ig?Ly6piQz7O|gffVT@zgf=GY;BF&BWxP)v z{EOcR7r!Bb&jZ_jIF-ym7!VvNxksOK8PTp#$gWmJ zfo#DFT|#a$V%4>qHzlX@tCu|;?llwr?2_jLF*#KX>rwU5Ywyoh`bNY zp7aB>Xv6LJFc=m;n0(nX(gr(YCBAP*m7#s`ug~p27U(2T-GwvK8n6<^FJZcZ@l)m` zE3Po>;GIvd5J=aZA9RIZ<>ME8n4IA7UCjis;WYF$OhMfW`}=_lw@DHsoS@8g@lz0~ zJN)ZUk>UDN_tR~*btOBUo^HnrTa7BfI z60x6y1JK(Uq1hw+Wk~3=5|gVJ#v>2yAhCTdk4oN9Wi%x6!KjpQn0}E8>sDQr7dm_qnc(l-El!czn*t!>p=kc%-5WVV_(|Hq$LYmG1~Xov3u5i2U~|Bi zO1dislC34r${pH3VdskDSU9KQMhwq$(e!z=_ID~@I{F=a9oBE56MY9#+mD^C<;MVT zzpr~jM-_zs`~1bJwo}pvyLjRF^8k|9mI`QG?oXSq`x($uB_KRPBZJZ|zVCNo7KY+U zlN$tTn4fyoE|>7_|IYVJx>>bL>YxsqoHL~*OIW|^ZjYXTlPOHel{}xM2tWzD=eqK% zb-`ddiz!%B6FB9bhwiF{pjDh&SH&umCMWVk$cLj-$hQlr1Q^9_`382=ut**F~ix|(=a2BP<;yqv4 zy`MSphSLJ_kegZe6@B>m>tu$mg(Wx{(;3_g4Ml%X{OB_@F@P)NPVYje3~;|+GU(!c z=Id-i2Hmko7Uh{F5ZBKsk@+kV(Enr{q+w1Dq~%Kd7n(7D^f!}Ng`fTz_?OT89{88f z5aIHZt$}~}%=W;)e1;7X6y7U0^pb>;!be3@V>akMS--viXK_$(&XW*}7lmZymaq%e zVxaU$(Y%#G5|$|ZYMkyRz}LTgv`6>O!>=H6zo@Q6%ttNr;wW`8+#O&qcpx1En#{+t ze^6gVQ*o4T=0BX#xq_|}G5oSnxw+LwVygt-kIry)yDNeC-PgL|qH^$P^!2H{4JEvJ zBK|3z4;QDMfa;nT%^w?IWRrVCPSec+7;kmzZ=SILO2e`%TMmKfUh%r+&1vj&$Me4V zuRo%WyS%fzJ4z?AAUCQ zlLs(W%l%x-i&k%k->{*O!duV(FP>0bJaM>qf^hM8;^Ilf#p8u{{{L@(bKL$8xcyCV z`)lL&cgF3n123uD#V$8p20!oDV>iAxqUE*BM?ZHfA*7w*KxI(@$Pl;1u-|S)ZnL*y zE{PT59nUMR>0Bz2S{Qx9q$99!9bJvPe-?FIh8Gs!)KOM3ER&oc_H6G!cQRrlMN~`R zY-!^txxFM}nt3U==(eqhIZlijT~>mQ-?!zPMrBY_WRKC@bt)jBA7yrNl)`)cKmWS_ z{yxO_eU;5mNcr$VBT_q%Og?zH25QsQ>4%u>;b4FD632%-;I5#iP_X(CeJpbB4)bWm zJ0H%mzE9UQsSLNpY0vhq$${oF;kR%FMe4bSGL5aX(pP|2d!y--VcjzKLld0fzNctVNV~*X!`r-~PW| zkMI2*-}6+#hP}~F6M^08AtzE6Md0Y@dU7t%5sg2RE;)_82RY`RWab=1u*Y_&ZB0%A zqRnltP?@`;%vpg9&u_ZuupzCF_d7cXbkkuMCC~=@8pFKvH7-bjCtJPW$rtbW^aY*+ zL@XyGP&)Cd5O1k9=zKBzE@Kl4XPWKVhg^JMAcd6bR#OD(vMPV35~2kc%=?EgTVg)4 zUt9SMRfR#aX&}4WUm4kb-FO)0#t&_q>Ap2y@~GAGM_gFEAl|&ZrCMI$m3dI<%1rC29ewyba%--}%?(K>AL#g#YJ}4tQo>8t>abd7GGL^Rax#pS zMCmK6MK^X%LPhZ-?hgVKp#3PgE&d@X-g-rRc{J3e(q8gsWx=KP;=!mCC6vr3w6f+T z3HlTDv?ouPPs@8=;)91CGgln9j7u z)8XWl82BIIrI|Zogvg~S_OHB?03AALd)~cIx0 z+Rhq()Hy+Kl97kFj16~R6UN=wL~!>tbKHH64|iV^!`;_}pd+#4+)_B!Cw!X_n~`e< zhGh9++Ex+B=xAr8_`DHx9u_LmH8zJIB4$?nswQyAh1RKn7lGinYsCAyPAI9SU4Piv z1a6o`WpR?qK=yB%4RT6R_|tb+u2@wK@AKlHf6;&ELEx)rz*pah?|j5?!87fx2qRG4 zmj4}cI{>MwaabD28-w5{KTc~deK;`elki%8Td^#(Z~Y9WS3O8#`P$a>BP zgTdA9+1Crq=>7qHlh;R%Vfv{@ZaYFJV1Fy#+@*mYh4fQc6RCQ^lP^16(b?vxBspY! z{dpMrDS4aS!Oj^HOxaYg965{Xlao%TJ$8m4wI@^aU0e}~(vzU+U+%y!o0?H^&kwy2 z4JfJ;_XHN&FJ=PAeNm@}&cIxf8$6S3WnM1Uh5HT}jd4s)h`Qd=v>D@zy;)pQn>k<% zJ0o#hHM^E5Zdm$|3y(35H%*G;ans{?++;W&_i-GLn-Rz3{{QEv{yUHC>bCafzjDqH zCGhC8dQS-)J^pNNaHteiKJM?uDq6r3wKo*p{T(QiU}8?rrWkmbTRSa;MbM$Tkt&CW z3=qX(TKzYG6WGQ!b=mI-p^6`Vj$?b+`7hf`bR?7+Z~o&+CZ;BH8(Pp%v-nHoMGJwM zC$*V+6_HQ>v-i{Wr(kk~km)ET1Gp__2$Ano!MbRqynX5|Sd34st$fvnP6x4{k$H6& zT#<6j6@$y*7AvjK%z70S-w9|5q3cBd^iEu;Lk`kTDC{^l86e^VUS-{izw--T~|24DRc zzW*=2{`UBuN4YPpa0b|) zyn)&#X{d~itO*)BgSY>W&0ym4LF;(*Y3oXO{?{y+<19ZOpq2vm94gw?e{G?hu9Vr8 zTLs?TsUb<|EI`BG2eZc~bHQ|q-twYY7Wz|tdQJILGMvpKzGN@qge2qIKQc34hOxx< z2H%QH$X+=ssf&pP+$a_d-sh{KvbU|i3W6*!I*?e!GJw_LWwrU9GjhQT>l~Vh)YI_I z`NJ5=J2eoPaI+o9xGW?wS47j|JrQ@Mz)LTFb&$Sv<;4*rMHtzrB{6=b4l>Ue(>vyb zV2#p1?i~X^9Fo}xv09KqNGY;hw1yi}4d{N|_eMy*Kj~{>GcVxF7pQ(&S;I(cgr*+! z#8UVv!|o4v4e@)H$m>LZ@2N}5(Dp~Y?J&J6)Q2CAZ8lQHJO8}o7SYUgoE6+InthR$ zKMgOfsm@2tOQKxD&_*j_1}N7k9gIt3L{6s%E1QKFfizAbamqpfh=Px(c8#+8K>_TSYT-bE^nFfz%V?47? zB*LZ7>4|Uu#(~r5Pr}y?jcE3uC{t#9IEa@m4p+TPK*hbnfi)`OfL*NFf;vKgw&P~6 z&eueAMt=3I^!E^8YN>Y|k7-7;=8BK0<;x&h!vE^sH4>)d(T4@F$#rrvb*%`7=^qeAuopncGm7n| z%e83Ed}*E3(hhwjWM_UAYy^(1uRC;E%;CO2+ zOgB@J1>Pn_;)CJ_h>T+<&uu^*NKHLoR8dO8j&g_pD;GV~y-`KG=qwFyQb?0tQTxJ- zhuORxw+j#@FgIyvoks(&c<1y^5}=S>w;jWCZjjTRokksGjf|_~4GawA5oLJb>$!1V zXz#P*Hg>c_j9*$gPn$YmLxJxzjvliI&$Et-E4(In$M0I8ywNjj3Y+iVJ()gji8@U3 zX^I{igM=Zw_ytT?_vQAlZl)?HL~E#dm@`NV{@$s+wPA4@($2DXJ#r;S9CsLRY;jW| zpF>vyDUZ^_eOc4u>SOwUy^yCB8RwByhPb%4 zw=~+ldMX3Ys)Amgpl z<)UOY^dZ)I!tRC(-ul!WV@b4r(Q}F zbeyw>s^WyT)I@B4UsPxD+c$pHnN)pBwv81jaO8H9#{C&k?ut(MQ_O|RzN|&le?-uD zf9qR+z7{YYmV0t&R3DMw&RUQBgw-9-PU|HM&9&q3+lZo)1;9%qkIG%ie%WJkCp7j1=MRS5_*$zno)h19cO`G*b?0 zaPijPkHfu@sPe>~zI=-XoUKUnN;Xr2iEpCg1mrf5xBs5GOx6M!3fRr0d!B-Vmns~` zWNhHk5JR(@fh0T`(-(h8Zi1}F=Hs_!L}1bTVIEPp8JxEWpBW)ChnWEO!yA=8@VtFU ztU}KRRHf{Nw6O1|o=yDH-|R$$FW;(c*se5$w-vpy%lz$~Cp=c{-(l;8?_y&F%LbRudOjRuQz4WDz#F+T^xTGyCb2RLx}rgKAx6D-iT2{m6dgP@`>s@EAkkZ5+0 z<208&G#j4^YZi0|<*BzcA(PoKN6Q_a=UIb%{xb4JHe>={K+NTa`)SB(yOG*=aP{*0~1fYC^ebm)cXyJmF6*`z8_ECMwZC0bW7HQ+s8 zd`;k?$(u@9Fpd{rUkTAflBb(8hUXQ5VOLBck60S~y{!@$ZfK%hu}mb8EDkis*a-%2 z>Y>0I(}&ylRZz}i#9ZtzNsxDx==m^0wS(a zC@rT!PTqq*OVrp%XQaY0ajYLq^J9&n*E1X4BcpoG7IhhAmdLqB-?#t)9}GDxn&S~i zqw~mOZZe464JT&!6pvmWOA^jJmVh+W7h7CPv;NQV%SeaYGD+|LRJ;}S+S4}P7>%AY zRU={gt;j{RR6BOw0TM2z$)anH=vZHU;8?i>-h6FYF>&Rmx%JR)``Gq4Pc_i0MPD7y z>qa-@_xffYU4gr%1PF_x<6|o~Y?BKTFWf8H&2I?2Ob7$DFxOZUqO!dl}um z&B2GOA;g@_4S60FZ4KHq$LYgO;brSoxSzWV5^OhXHhgai@=7=6)3{AQWk6b3Q^^IH zJ`#Ua#bgZHhFLdMy!_CF2+iKx%Cq2YxAh^e$poBCR^&fodS;8~Sz56p_OSdw&e___ z5mK3awS@G2(Rl@m!AS~B5Sb`f`pfHxp@lW5$?H84)8AWb-LGumX1m9evyL`k)phVW zqn#D(Wbd;G>>GlBSuCaTqy?%8O-OYUvIcWf>WLvId*mk*bH2gT7E{pcV0CAGB*daMBVVz1Q1F)D!K4XVBON9CaJeRaaeSJHUv&+)CduRSE>$mvsu>=SWo(F01r zNphstO->4|42WuYg~-s1n<(S93>Q4J53={hS~>f=DNV_dL2%J<=ug=fFUV?~ab!s{ z2d-A7U}4fQ&!&+Nw6H4=@@Ph&Vycnh9~+WTeuB@T^1e58zh51DcN+6^it9MAw`d6j)-Ncn zC(=Qw%aiahX)y{G3iVoX&I7~soH)M5WVp|o2p_SzA0f@K)AkoaftV|2;h=Up^tO9( z+u3G9gxHG2SL}QhW9}inmu8R75)XWoY_tX6QOkqn+@&bmnuzKqRWWoH+}R$wR)yH6 z76KS5GT^w~ZebWf5$p?)k7_+GL;9y}#o3uPkpB4^UZ(S9=#B*a-vB*#ApYg*6M>zd z%zJEK+eG7$JL!XX@~8x0t~v8IOZFl(D%oE0`sD=o=U=RJQ)52st4-a{54ZyVfmf&2 zZQT*_Um!TT;(|UMqj8BP4+4t|vOl*S&x2KyXiAS;Bv5>5v%EGO0beTR$oVn?5Z$f1 zE&tLuL|UuE|0FyHz5O{?Nn$sGUz{Zw<->aLY1{wzIKK<(C^aVj z!)*W*D%ZXknd$@avAY}8nO-3K@bU%bL|;@=%IP_B#24N8ZF z`A_b8s>rChnZZ0=0+bSanU;N35NWzpM82{pFogE!>qv-!WA>QxuW=E0Qcd)E=Q{$C zB9oPhSPc~2o2z1e3<0H(ye9n#c{oZJb~yW)4q_Z?CX0{5`s#!;QW4qOz`t9)tcWY@qiwFpZL($azMK-=&&({c8&rlYcgesQK^suZ9OCW3_%J@s0zQ_y zI%rhNZpWt40?Djh8 zJe71y(B;qUpc65uJs~(>tp!x3Z;D>I4x~O zpgX0<2&3@XiI=jP>;TZzV z{T3C?g|2N|qGFJFB7I+dU@}&7OER3 zvny8-g5%|_M?TzCM&JSqf0Hbo7pyZ8h{sp>A@B0{?|I?b|3*jj(ew{L!5(2awE+>5K{whSU8Q_3zTzKsM9X@QuX;WNsas*7!IM zz3&MY9@((~l7<7Vlg-B=c`;Y6|8W$RGPU&i4t|Lf3J|^Wq=9BfaNs;1jOE##Up31`#LS* z`n!2cM43e8##pBWznqrDUtf`iD}#yNVLoDb^W)gU>HPAO63{)$46=H?0=Qp(xn6tW zBIF!fEM~O7f^qQ-O{Ie>K#$_v`}6e|5xzVceEYxn>f0L@1u1v79MJJ{iPB0{O?Y|T z^w>37V>m0~P~Y;w3{_9J5j6E_1If3;A}D~ZgDEbu9qIbbL*IOeP#$$x4pVa@;3l=Mldo5w}gQOwcb)S z#KA^V`gG}L2D)~Rf6pt#0=)f;d^$1yOoxq`scI%Gs#i?3DOGVm3(i8Z79GYwcwXaz z1g#*taL%o)R!arK1Cj79fiC*UDcHgkLJnl;J=+IuaS%B3W=n5J2vq7?Z{9tD@4=>is$v0>tpZ%Z5dM%AmTEwEUV2ToCUOieAAfOCh%{i?{Pbh&;Sj*}G z9z{@#TeloX=4eBGi~D(+E>PTF5S*=7Jy-PtqC}d&3(DQ^xpd5@GrYt0uNCCH< zds1c@g-G7!MK#4vIL2X|IH0^+1zR-1+h!_P(B`|Jt4G61asHFaIR8myod2W(&VLf& z{3msB{*w~$HMEWSZb}1aQJ(RL3}`@_w?x7NWolqbMLzLYa6JV3|3OcGbfRwS{^t48 zYP|g||M?Ay;NlU%#Up@=M+g^>94;Qt|D*f=cR$bn-T(XFpVzGlKmX?~G=A~2 z)kv4dFx;9v8?@GE{5zaW;rFA=oQ$MGw5(;B(l}d+{Z7Z{*snF?t>449zl`tte||eg zIKLe$oZpTv&TmH#=eMJS^V`vaV#f#d&%W1zX}NXZ*yAXt=3=h9AWQLfJ&Rk9nOz`l^O}fj6Xh6*{hhJSs34MOa4zdBdc! zos`!1U~sQ-{rTR`1MY7;dU&@f617(_*AmBi!c~`G)>{njP+0xwbjN-qs*?P*c<`Gm z#9faasUJ*7^E{8*X{jS&DR8^Lp!^~_+}IvEHx&cDa>c3B@1h~-{JhJ;hiE|kZmIEP zM$n@f=v)`(f|$w7eym?M2Dv+Ro4yeSaGGSYSn!8E>a4yJjJS1h{yc1O!fJ+MA(I8{ z!?Uag53(Uzk+2_*XHH}N?W19C$E8sy3(*0oPt5Sc9tboCbCLC22rHR$9Eg__s+t^5 zf~WzF&^JB#$S2&6sKGQ5zH6=SQw}9TD^pC(;n;BWy`$q5EMfD_)igfRqu$Ve>DLma zOcY8E84YJ{^#bjeFK#kS`@m1eCzG^yFQU~cJ%u3lXyE(A_Ltlt8mvg2VjKE1ko)pA zwRM7Mu%F3VS-BMpQmd=n*>8eDMda-8*ZPz4hm@)zfG+%VmlK}m1F zJJi&EvwW%*fr2N3O9r^kBc^-5=F}5?fQx#{$Y9C^?|PbLK+jix-HaV4XunL|b?LhstlnI0?qCQ; z{K=&3_bG!xc4UC?!fF(zD=04tU3bChH;mDP{lcLxZYAig3Sm7uZHg|&6MwNBSAwH8 z`|Te)v3vga(~N^ID)4rToBU>!J|qkUHom3Qf#KSZWZ&+Zp$)Z<^l}A4YR_{+$Gk7@l0T5-At&KrjGOX6TU*=R zYM^51DC_L53Wuxw?R+qfiL+lzp6g8wxW-1Y>48l$DG&Z6n~*a@>kMa8KJ)0nQ!e|? z-eYEipj_|J8CIkl!2aD>Rvab44SE3!HY6qA z+PwNk2o9W~O}b;q35Ojd)b(lk!9rvxZroM`NG?8=Ti%gDPWN`7**_D6Hr|EeOa)OC z=(Q^x_i16^ubvXa1x^9jWc10B(^rOjnaj05I22*+ty09N8Y5)YEbQ$zrT{HW!t-hs zdI+srU;iDYh&OK~!QhtvGNBxpNSc~_XmLVEh>z(U|0oTA-4c5|vHI4F-O!CX%(qXK z!H`8GQwEHh+T}&K_>e(miQ-y~Hm^c))?x!wL<*tU=N%eDY6DAo6(`N?^5y%~#^d zr=G8Vak@2I8tym^t~?x2L1N4F57wz)K<9$oxc;DPO-Zv+X_br3teX~L6gNmHSJA81oLC&%7F9&qL=C-;v$qhDH zC0?zYT%c-i>1pG_4aX$c-?A4Q;N~Cy`+Q=Owo1y)C|AgjQa=^=)d?P?oMZLu^M`{o zEsSUPvQhoig1n54`))`0~!qeyMmFi|NJZ4Y}$p_#M!h=-BQ^IUm$y zqo+S^ZG-jc>zBgBEn%4oA&YG+k0LpvHNcPqOQDWI4x_t9WElUaHCzbe*?2~Nx%AN${oSOuF*xUidfub1;2lSpiz48T zOSXj=5?hr$D}O||5KP2d;RGIWKF=?9XrV7l^4gXw=IFZ7?^Mg;r2$lBDiS&71-)#h zipBw!h#)69gw#q3d{%XfmGg|iW#93K7^f;cNbVC$`zj5Gf)vu|Mvd|I1H_mAd!tXW zdSk;AwLd?t{dUI;w!iFZRqi96Sn~FLCSB0t3{9-U=IEzt<380B+oQylgeR+h(GYx{ z_)C3F8V#93fcY~mzs4z_F zPaLAT)|*n#aSWu*Z5}L-6M?~nWWw8|LMVz+`c3l%LU^sdGP@~#6walMKPB-agqAr2 zI-*%^l%(idxP#51UcbZBn*W9!&3_Pl*mhqE#&f^#ga+^^ej&zmIhp0~w!9+oQg zxHQR9Ft|RwH~ZpKwapar%qaF4A(IY02*@wB9FK(0Xk*N-A zP_q5FT@a=QiDOAAMDlJZ`;~9WNgWIHK4AQP6SX&JSh-0O-_}F;&JW_-fB&~$1jn;D zgX399;CL3oIGzO$j%Q(k@ZBHZ{u;jZ2Ylmc(AX|48^q=m>kn+xWa=Weic&sfdQJ!@ zYW`rQ#tIMSCf%#qd4c)lX*M!l7QFK%eEll%J@4@K$B@lm@UKI9;O(5ZOsR|M?5OKP z?$_zS@9WzUkIHm_k}XyIb%O=+oEg5-U&D&GUopP^#`yM|{_zCKaXi6eIG!LmjweWt z;|U(e@dPCizU$8!4|9T-5sD(P*;XG=f#K&zGwLVE(aN4kgZ8Q#I&-7tgU(F_kY2lE zLNBZdkG-|4=~eteQG?s!2ie8yPsj;Z9v<%vCXzI_;3|_ka~D$cXK$0|d~`Z~ctp#py_p$2F;6 z&;yiOwYKkN`v5^==IaU3K%hG9%CG%E9O$=C_&gpm1>4r^K6W~)Ab9Ybt&^S-NQL!0 z*5P(V6#g&%cB*4_lfjn#l2a;>dnoy`PaT3pLH4k(rQ%@xtdD%{jROcF_tx`QjDV{< zK~;$C1pIC1lRJoU--U$lzV$g2i2M9manFk$_qlA_)}_ zhPsACL_kUK${E9FwkTiPZNbn|2AfA3s-52z1@3|6A`THraBN|`@#~ojy3{|mRSYH& zFcmDR=j4Z|XQI-leH`GU2s*_%V+qF!zUH2@wS=P&tLb=EjiEBkuK9{)`-hK=J@_9L2J}-{T=cRG^yd*B4m&WDu_PF|$7_NTBimP9V;p$hc zxcU_vu71T17xhUOD|x74{L;<7i%}FvH0Spl-wJX>Lu+%)&gm3{l%AZ~Q#ysJ+4FWU zJ*5EYJG$KNSq10`$^E3tH_dQeSM%#VhO026zvZx#)B{GV;fV=MExg91D-n)JpQC2w`l&+nreXW_@jhLM zR=KSDLC+78MjP$y!#&ZPf|xr#^AV_hfx{U!xWT@%sbVXZhxm;;ybyHufhx?6ittDh zI)3q}$*x8$w8Uvu`p`tc!P6eT-@m1x^DCi3`TVYU^Cp~g4l3@y2tbA|PkxpkaRV;N zv6{kHuE5tsX|F6C3Aaj83Eo?TzzD-zm06cm^m{vq{o+qO(6q0A5kqDOD(`iFbumaG zLV2dvAAH>K`wgx2@Df6Om2u1b8)oSFyCi*^S7xX>l;-d4#&2)J$p60oocfckT*NGLtLd#*$Pv`;pR zm}zJt-eQAm!#ZXl{*m#XtFIpNR2Z^6cGdy&^Pz~455jzv7YW2v2%XUv<72in4IXgQ zZd9uMycaaxB8{ng7J*JC3Irt-#i5$knCHbVflzqCx@J2t5bk8z=w>vUqM?cNEt0ib z=#Tx4zYSN7VBFpHmwtjKFui#v`N>ENadI)GPgZLIBY$4^HgzyMM>&<)+o}UYYDeN9 zdSUz{K7xWW0aJLl&l_MUW(a5a=owr)%pv^p^oVh;5!{u3(qpfIKrxV&?nag+Je<2` zqRyaz`TuO0k%gIpbkkb-fiQ2JeoPUkACti8$K-MPF@)2PN#XQkPDrWl7+1n$Q@AnZ zyz&&|!`ntMUhlhM0$s#%7AI^?VbWRpTl7amSk(2>Sf&rfd;Z8(v~8fhR0J|yCM0Zo zPoSvC<;U}Ryr@-L&C>ldFA{g+c*eO#ik@#0o#N#dfpV6J*ZcPb(2ZO*XBRCQShV1e zr|(vS24K5c@JIrlWP7pc%j+TfIrh%;9U=(dd>Hl3f6UdCgIkBPj(UrTf{Y_2M*^mk zH|4w=zQrUC?Zo8YCZ37{`B7Rfoo;x&+)lCy;$NCHCm61W$ zDU!$B;;<0ppIXPHhVqo2b*Zk3!6V<8TWYl#pvt)JeMcn$rcExlSNoKr&cow%othr# z%+4G?&2`LQnrltNYa#~K*k8_c>|lb)7&V%ad;=u=`?dZihdOwVPEZhHetvgP1iEBS z8lr*so9ID0=8H-|CO00V4JRJDrwFfOyf2^m7oVtgL7DVdB(I7FjDP0tze$Dl9~r`D z-U-{{{d}1yv*I%UVEZZ2G`ih1LS#gTmALD);aA703KHyI{=Fyoij2H5vM*Ql@OUhX zps#$Wb}#|WZc>|uT?>Zwq}TM1jgv5LeUHS?yfA3gbQGa)2!N^^q&j6)k-)Z75b?8(U+Dxp z*j#$*l5<@fsTsGsHI=Y|{@>{BQLKL6e)UC_iUk`u5btmAEee3qvpu^$5qWgCkw@Si z;s%1QsM}(aJit=&$Z}Fp7QN8Rw7t8G`Ic)X4)x!ohiC7WI2H+Mz=^3jtaOMUp)Ae; z*Hcs=G;sAR`8*rS`uWDOf|(kIWm+1N_1%yM^jvF!2oS7z5FY>IBD_lxS7MfT#(a9Z zc4Hzl!Cuz=&q3ufy!$o7b)n%!d7MzBCqii-$qpMkt>tZl?5OBMb+>E>AG&<2IORBn z2+EbB+b&cPfdqA>(vTNCFg+@&&XF%q2KR-~r&EefQ|uxTU)9RR zXv2+EtlxNT?9)S(g#C1%9zU{)o6A3Sml2HQMDuEG=%8+^ul~R?58@s8`6c}v6)0YY zFM>yM(0VoNlGlk)xF#;{T@sar<->$oB);+Rdwr8(;!_A*{xetlp$zlY5?t;c9WaEq z%%cHsOfA*Lg)_dws@3i?`M^|=@-=B6Ty z4}aD*cy^V69twG{4&@rV!TKquU8LX)Cyxt-&DF&tsY9XZW0oq2)2q^fLS7Ng1pj@? zMQ)60E%GWr)yv_Z6IHHu% zA$PQlggML1FNOsewN@|7%F=5qD)wQVdDGL?dY09Y~GM&w00!` z!r~q${1NbhS~uIV+lc`Olwtjq&ZK2KRpbVGUCpJ_1y?|uQk{(*a&$||7OfNBcmdkA;)pvqgWF>0X%G95b87MQN0 z(;Me>CB=#WbzGv*ktzqHKby1~oX^qcd5NIbkn149$FU(~u8SywGw&F)w1Y!kfEurQ z2M}(S$awDcz>A`SA}{L*G~6Qen{Lde zJh4Q71wD3pZC!x+!qwQ`K_9prIyh}A=ZXY!tPHlgqfqB#J^4!%5-_K1l%wtE0g~>l z?)P*pkwBzj=f|%yP)r!d{>W7lJsw}(2r`y~GfvkcZNlV$z$`amat^yU9{<_?ja?7a z?pxpBsy9cQAI@fXL>Pi*#=B>wzbH{Ap)DKZQ42J&&NgG(ql@?F&)wa=70_aUTK`sj z&i!Bm?_Tq{{_s+OZTp020)I2)r$=~UDFB;etejwP$8;1~Kh^!dA9DueH>R0psEMvc zJpMDTWC17EHng6)*nqe4V_WHSDhScb>$cd0pnv}7f;j(kA)NoY3C{nV7w3O2g!4bg z{G_a!S4hYufJ!CO=D3$CdStcsri?`jlGFAhjY`EJK~G-u#7j-YYOj0g>!cVY`u6Zz z7e}B^G{1w=Zx;i@OM6mU`cP;jMFc_xx#+-B644JWj1LjomQeTbWNVZ+ zWML`gjQy^9^7+3LsKeL6ug`M`G(lsuukkXI8Q$x4`n$3=^s>>pfQxeekGfDfN!-in zxFJYCC@vRvzYLt*MVLbbno!4bXJmhK3zDR%bDb->2z_U5E^EGQL98qnnWa)2fqprp z{+w1OB4gtC5xHH9imNtuF45OP-#ANZ^-dMa+*k9K$*qNG@3`kzn9AT(Y9h}?u`ZM$ zYGLiITM5Sl*mikuW#K(9gRfu8OsG`b#~n_%p=DS5bC?~H+Bs-N95s-NSPp+F6+6`I zmz{|!=YT^iPuxFlbKo5hzWd`FKfd!9as*#nEyY|RFW;$)=z9=yQxGv_KI9G6?pF_u zd@)9a^K=`tK0YW=rJFok(i4)YC#T+DVMA%BKWiN(^+yS}j?H?$cY}ey#M#3p=aJd= zaZ=KJPH41FHjJ)MfRc}W{JsjNh$GgYtR&G2Jr#c$rT$0@Oe3=AxQDfYIsSEWHl-F! zTHR~ETcrW`_9OoBK>s_R=!_O)_3aKNxV!pT<~^ShSbe?_q${HY{-L~me;t(Ikl`&A znrcPpp=*(0)NsICPo6!ZDNMq_3fiZ)gKqy}0}E%N_fi+dVDppn10!-hG_@#VM?J|7 z3uXTwdv6(*RoA`!f`|gr-QC>{lkV>B?pCBjKw45lNhMXJ1Qmt~1}Fvy79ffuq9Tfl zO1Rhi_xk+q``X8T_TJAv?yowId8{?B$y#HLagN^^-B2BlNlozNwT;snCFK1|ByV>>wz&&{xrA$vGiV z{(ABz%|~xo{`UNpd3qeWb-nNFiD*9@FG~`~%TmShvZQgmEO8t!OC86{5{0%8DdKu} zBaq^YVM;oF4`g$v{fPgiFtBd^DARP?8(vEtA9}=?g6>AC%8ol{0KR^v_dH^r4ZgR8 zC8q3sf&D4yjx=xodhTJkVK7cNkR1l`hnm@fsFG20#*${4b3FX@H`jpD-gGt8 zv7nJ!RSQH((y0wyRAK&SWRO>m1)`fV45Pn+%|$k?$n%{t0@;)+%?3@5$hz|O_~`_U zGql_`NrG{JJ$N)-j+}BriuYv#EopT?B!ZPA9n-Cq5q}GhwX;XFGGE?W&>O*~kX_rx zpdJX4KhU{4YmcTaOfk5+Hs100`tM{t@_t3L$qp8NN5*uDnZbdmUNzPeA(rRzlwW^@F6k?t}(JzS#M!MQeoQ z-xUVxNy_5-W&fPVg>S#C@A|i8I}2H`o*YaN%$9*}i;k_Amz5yuJo)d$P#GYUxXLF_ zjm;4{mppqF=ZI=J?!iyZFf{G)BD9RJ3ALt`UAyC)g*={i%W?M9K>W!2JP;Wj8(x> z=CRHXZ*|eF%k6A3vtH<7oo--fza7lqqA=W+z@87@+oG+MIw(?W(3^?O2J*Sbj83r0 zLA(Y7i)Ek|s?M6pphyJ#qYF1@8#_YWwQU@&0{@>Rzauah8EmnU7WQLL=(d zRH65)EeGHEs+z(#7#II)o0z0!BYLOtF5T>ACEoo|eDgOVDVqK(53Ha{%2C>vH4cf? zuu-4dka4g;26=8*Q-g~z+j&gvH|JCV}l3D2O;WeuR?_6LTPIJ37W+G!_O;R84 zIJn`t*bpro55-2hKhzfR=LO+g4}Vs1sO9=QTAY5H8mHf;#p$;xaQbawoPL`MZ$DOi z{e$qWH;#~aON$P2!#5@Mg~}{rbm_>0o?;?ict=T>yor5}hAq5JyAdr7NB=ZEJ$aQ2 zFn7(Yqs-SJkgG-SY~~cw)ITurQ|%f=OgQJ`-~5CRKo6Aj#~ftI8!}?v98e@6Bjpx;T9I z2VXrWzWez%z5uuXQMmoj#qEDIZvXRf`+o%f`ip7d{Kc$r{$e^fe=!Z5znC`8U(5#K zThIC1FL1^63v6)x0y|v4zz)|hu)*~Uj^bTEzjMQC&#XTS%Qqdb)DWjbQWA5itoIo- zz`y6*F_Qt;rD|2lF~1+ha<0P(0~vUqhY{tzF3cqPPQ5udc_K`oDHnV~a zpWg|bHAcwXgmA(`#u|6tv~lN66?fhc?z|z~c{9hIH!bicixFC6_k;U(t4=v%o^VX> zM3)SkKlIzYa}=x3MZHgqB(j}+z?Zj&W8|Vc;QKw8+rc@pGAa$LBV~75gLII_&wxK7 zk+QHa<*LH_M^f;~^`NQSeqBTwx3bB>DTepFSbu+K@l9nBWjy5sLhu=r_ZtU{Orpm$v+UWys2N?#mLdZ~rpMLvr> zxWfdi-jX9v^w{9XT$QdjBj$sJXZ|VJ7*^bCY7U{Nzj5B*u!K{?Y2`Ct+));}gcH$g ztUq+7yNEr;8k8=R|GJLx>GA!Z4GJjT>2$XRlC zkn|`fIjNHc7jK1&H^;@t;Np#O@pia)W5D|AD=0Ikdxeg=r=iN95pB}P|zaSM!@X2v^!Bl%=adnXcUWtcl%V;PvxN z>`EsLBF7oGs$N9gU`{J-(1ccmcO(wjd7@9%)v=u~ETIahj2`A-e38+XlRin_=$!ey zWypjzAGbQHxgSo|V(P)Jy6hpaHzeayFQ+uQvxP=8v!u&n+tdSrw=b z={YH$(t#b_D(mtR7O_y8|K5}Jjnm0<~|2K ztdElB(>rfIfqoV3|M1PV540>(D)N8bK&rGKC*rw=;L7i`r_V+QFkc!$!A#`=D5P6? zwNRjkh9x+eJ}*ds9)tLumD}owTxOuzu3ipeqIw>_1!;IF`|6(BE$RP!JXPWt*RmG$ za$PF^c}5*hbstkAGWS889U50Y8>_*X1B=;s7lPC@sZ(OBYLFhw9HdLA2wESQS5F9w zfnA3R^W_;A)M{EOe}`QWqZtVZnyE;GsvFH_&j_YBG}8UUI_Cx&VM6zo6I@W+d9mQO z0e_T{c|vhf&*!fT&Hkcp`@d#4r)Rn2Iw2R}c?oYc zy6h6BRAmj~!Zb0z%xv)X>l|K5IUX-yiGpnc&(MXtBbcim9R6Vq?cwdw*5Xz$RGBwE zWxi*e~M%O7ndcA!k z2%9B+lcuE2=%-$&|AClOh_IgbUBdnvkT}$m%X_sH*k>y*iECGYwb~p9`+6bX{BV5h z$@s?OTYsj{Cg~%$a)!?dhbT?196>{$ykvQVBf$NxZ^`sJvt* zep(CbZIAXhD^{TS@h4NVZPDO7{kGk4A_s_<8w~}PYmn?!XDZDr7?76==i zeqClVj>!N_T1*A(5ksu4c&5f&7Mr3VBrJt8rc)=6> ztj#(Xe6$9tQ$|I6Pd6ix_%XA$>y7Y?nq+h3S}QJpkjK@pIB@kVeq8-Z0$0CM#?`NQ z@$P@&%g^*n8`PDMGKZquWedHff#~$$nkdzP8Pw3O|GZ>j3N!1EuTNB&p}Gm$E3YtJ z8NTs&^OqtB&sxzXgWsA>$z7osq#X9@{Mhvlv=KD2$At>u>c`uT)qJ7Qc(uab>rf-! z{r4eq^De_O2Q)}46rd5}jLo?&@<&;^Ar5(|t7PAtfTrYiRCt~}WFIce^&54?&9~~} z^s6#B{i-fbzbb>%ugc=|t8&mcwex7y%@SRyrH&aUU`77-m~*)N^)Y=ydhs%W0SFr{ zs3kg@z~z#Nx7S^=jz>^(U~c7^*aifDWwq()c=VNYt*Co-$x zQugKaz>8SjkCMu->f|^Qbu%p)_3HyNGVh;UC1dEjDwXrZy-QH1%puXCHUQqS{H3{L zgTOx@TSM;UkAiLs8egP~f}oA79iN{DqKmS(icDwxq4!>KR$_ZFGW2`&lBGZ&|NU$d z+{YJah2#HN;rKt+IR1|{j{jqi$r9mYN0C3HO+e5ebFE3U?N z50t@yexs+UQcduBB$`iN?<_%f6?& lp*Wa za|0SpIT&~z`ob3TXZzhXGNVx-h%$fgKkAC{r8m4cvn-!jqn&EvCpCL!7ze3HiA@XB zU+(_CzSnC4eD0*d=7S2LZdyy*i*fcc_I(en%5_BLEp7SV^JTz!UVe<%O&-|T#%#`G z_0Ye37!@2JMhnM>!QRXN!-tW<@nNKKd>BbsZ{_1m-=YWa?>fdi0rb$?Fv)h$Ulr9T z3v+cV(*U>k3gyX8jNk0l{z9^V76_ib7okW}#`s5UbT;?Ikwx^y=o?q`5P9Dt6ZUm^ zI6K$A-Q+ETr0qs0qq`J=OPG{1_TgcOrjil%d5>}V)T^G1=$u41nSus)j>m$hVtqXm z2j)L1obEH(U1<=lU%RxI+t@$dQGujHO;m~lChHjnfZMv26kmzc# zHhoG4Z=QpM`P^iCa3t8Oiu?5zdV|5Qv>z`8V_|Eg%vjvD6dfwsXEC+k5C~V!ZX5`S z#@jz-qxq#?%ROOO@(+As@SGon_}|oCT`@y*dwCzz{rO?rYA5>f|ugZvUNHB$%YUFZ|xWSkZK5eqC!i(@gjKF zhw;_RZ3=GDasAYTg3IB8_pv&{4pW|;RvY$rtzvev3FAi;4`;baH+Vy@Cx@^Bvo7GP zpTu{bdVhGH(s)1y{AiB5e=;H-eh-E5p1K}|<}PG@7s?2Q=7-)({XQv(GJI(N`V}99 zZ~x_Qy@COngDT;0KOHdCE$^PrRz~I>DTX6c)F7B%Kaz5v6>Jr^Y;4$R@aDJUI}c@Y zNNze*DFy|yJW@B+v6&kgsLe4%hUgE~YJ)BB&Kl6Xh$1=%mWrH6T9Q1F+O;0|47 zAZ9IP2uajMf?sdR4((Hhf||rTc5VuAe~{b!YlR+)=`jB&(}4M5%~-YtwOF9cXM5x~ z_2r@JPt_TR2178TuE{==tqkI&QeH70Rw&>7@x@#(6%bHayOTa$kLdHo+m}09At*zM zn$I)~?XYPL604}A-RE0GzY}U;ho<4#owd_=KMyO8dbe?O3BvMe>ouNJWN6AEz%!Xc z1wu^w$|D?EVqC02@34)&0n)6n`vq-LHIA#ZLVoq}wS_YsT z)4hVB>o#zByRYhdx+`*0)UFydBZB--zr~+;5MX}LBah71_z~|BgP>1Re?}L_8sqk{ z?1SgeU3kXd{2A4mw3`-t>;+%ChZ}dJqtK@#_5C*5J|In6`nBYYJM3(as#b|bqlBr4 zzZ`0vaqq8x&NovndbX=Ba11^@txo@ulLE@j+hxNcZRp8zVv`2_F_?d1UlSRd0bAwf zJ6Ec*p*x~!ZZ_K&Zu@J{XK1@(^VjZm)u)aj!j)=Sfp}jaW_*@7!R7^q^@h}@guZZy zPOPEoQvs-cVbNz9E`kXo!-j7+deC={KYHA(c~G6kof#Zd2zA+MHu`7t!9c3|?!);; zWc>VLql-c*h(&aD9=LuOsDBPnn9)?ASN0Y+OhZqD`x)!)ST#j7%yh!>(ufsI_X+I8 zwduk43vsPi|2QL(`@OWof-Z=uDC&1upDrY6sCVt(XMoi!@#D9=^(hRTo4`1LF2;Eu z&U=C?Ywm}kp$5eDv@$p)z6cIZ%DhwGtwJ)whvl9w(}sVTY_ z*H}R0Ga(1YS}#PsP7tg?X939#e=HW(CE$Xl-&uZgJ*49N{kav9Ieg_~>?jpB!scfySlk~b!r%-z^I$0l09`kanYEwtqbz>@z*vH|%f`I;f^(-2(f4MQD zF$q(}PR})bCm@h%sN+N89Ll|-LmNCZj`#Bi-+JuR9P4`_@u_fN^>J~5OeHG4^zF^0 z~O1q?_t9_D`<=B z4+r~%pxN0#x%rw{l=o=l2{ibkJtYXds*?ogq9yIp+{Doio#23aJeRKR7;|9~=SR{&Y12lqz9YZP9ET&(&W|I_UmJ<~=z> zd$`nMf0k)F8jdVng1Jmf#QMI|>HgC&^!I$4;?Ac9?tDh!&ZiOXe463TrwM33B;N6w zj|PGUvYr0l6-c5ZU^o=TLg6C%7Rdsdvx*w!Br|( zyj6Z0T5GqVm21%l(U)vkR#f46-kbv|DX-~dd2@g(;gGF@x-@JY^rcm$lZ4f@YyqBc z*67%r-&$CU7&r$_3lF5QF<|wB<7G+5L56EgjqgDudO_@TXg_-?;LDrBmw$+FevWTFUx+Tb zi%$yckJO&XO`2u_zmLq}t*f%o;@0YEMJNw@qw-~snj8|o@Rs;h2OF+G z#fL)<*CHg2BR8aL0YhnwfM!_D*R0>10B-E4|H#jc6&*mxFk zmAe3~NtM;rt6r#<^0JzIpeMMdo}~V<>4&`A{Zj{BJn^oF(}|_ed_RZj-W@D6ziD88 zDPN8G-RAd6U#Ph}TG@NR6h5CeO&n$2)%< z9dANwZf+RHN8&$sf9Mb@9A$oA-Vy*60#`*2+%^CilEV+3CT)?Y&I%u;+CTRbXE(2~ zBFeWwZzELpU1f8H<`-gf&!rXNW23;TkhLSyBw{of)53h4M!9D_FkKA3`B>-rQ!~0e zCCGhMyabsxU=~F_NAl4QjZdyOi%@ZcLEPiKEh1akNqJ#;KGOmH$rzo|snCa$LqqJH zY#P8#^ze({M?LWC%Azhms|OS&i@cwa7QDY`DBs2$f;aCA-~0;SczoZFmGAmp_12S6 zv3d1zM;jYJ&cz}NZyjLhxxZrdmII8cn5+(y+QJ()NshY%*mwEU=`+&zw?|D#2A|E- z{2aaX;B7epNh3 z+>M4W`ieP^SD>G(&VTfnFJSfapcikN&!Ow45pBnZn}Ml7;FA3H7{d5)7UvoOzAy5ckNWC1GEc?*4qdZ%4cN>A_e7EiJ zP6ecfek-eVt%vN>k$LMOXCUO)#ji=qwV>u*yH3r01IcjxsWLia4ACiNEI>jL9f4~-FPktm0($nxA$Zl24-GFe z8<9H3p>(sBeH?9(K%aH11Z@Z6?LYokKTnO*&#U0{^RzhqJQYqq&yCa1Q(^fNe%Fuh z`T6jA@q6czA<&Lk^|E8nk;t`JYl{q1U~)L2TwG)Z=dU3G;>#|`$NBlq4I?cOer)nE zLC*_bTsq|}xi1^p_Zn5+Yzl$`s+8TPNfo3VS(Fow`L_)P{VH&E^M#@B23KtFdZC{L z%2PdsQgA}b$-a)p9L|_JD$3-Eqp4v{*$iV-@cAmea8OGT@bx>xw_k?u{@}}(!H2qfRq^&mU@baf zglI(IhsY=Y9$s5StDr>cKr99lrj(}!GlhWf-cxAlREGMr#O9bOAz*y*l$zPm8_f=+ zU#$wYg#G1bZKOYXq0qJudtc@);G$!lcNLixXl&LVi|ew2?hdX@K_OQdO%^D;)+GnV z*2jw~N}YhBjx^XP(HXj&6DotIMZlw$)URzZ25F1?3 zF&#$_7)#hT%lzPo`4eYJZFh*elW@@SXAoSIts4%|&49h%Ut@xl(xE2td>hq!>^tS% znRyS)50cF4#;HT%Szz=gIWZ@u1^52_=kqxD`U7_AF|2o{IYZ6-G4l($Zs_dXwMN4* z6U;BEjg;cFBLvMTO6`w#N7A3dCM^UV@&11IzsNzvY&VR$Q#Gj`Z1=-$hvYn-oCf%n z^_Xx-ycwEf_NEz3M$vn{#l+3IZb;YWOE|RUf;LnBXbL_v1oJ#el@Ao=@S}*+s6N^l zaz9-8#dpjN1@uPOS>%|)2FaXA;PZ48#X%%{x6f+cKz&YH0&pUoXi4ZPVKZ(g!MF zM=zN)FRqW)jNY@B$t%F%z3op`ee!r;|KI!l=hs6*n)p5LlR5NUzOe26T?<-l_B&Uf zw8#7>^=rqHY!J`G?d=gxY;NE+OJ~zVbvRHIpKwjo0%hEiVVnyhf{za8{L4Kw;mV=+ zCOgZP=;<&3qX1EyYu>{#S48h0`0G;q=BnIK44;9si>@Ho@tQZE*9m z61e$U4cz>!G;V%Y6gNMsiJPAl1l1o`zMS`u1v}0CBC|Zz=!xp+^WfMl@MlYd(#~w4 zCUR(6dUqTdk!c^#e3%K8{u@U&YUJUQMa4)Gffu^5e5KF(svI!sm?)|+$iq|dU=8X^ zdeBgQ;JRhID&WhbBd8w#-9c6fcikMmwK=teN+J6|tzZrSOZdGtwPv&&pZ;pM>I86T zJP;ZE+=ZSjeW^Ldr~~QD3%|b`YQYdq@~5Qk0A%#K^Mo)3G02@ca(Gt+<88@*yhB-M z1Nio%@y!qa`qxO|{A(m}{xw24{~9Zte~lQ12yWtD6j+`D82~**I72XIMYD1>HqA~Zxb*7hm4CSyG6 z@3jw8!#I6l|24x*x$)y@BSAyo3Hx_~)Zs%}M|_~hfB9VuWgxD;^w0aJKV)uL3gp;g zTp+!Kh-YqSG3(0%+BVFeLj7Usj<}-FZ|e z;)Aq*sJR*+@Pzo(EuvAZKWFZlb)Ub-7D=s6?OVR-jJF@C?!nxc5swql$3L>nDOCua zX?dKlwi=K#jbm!3Q7z)VGp5}@Sq#@FZY0M!9S3~tnUa(C7n-~f)SrCTmqKm~@mYCn zuS3lt_~i%B0zWHQt$1uTlcNC1OtGh3BZCmW>*M=9Wy7D9?f=;bDs*?;J;JqM`9Q3t z0aGLrKb&bAL1+#)0|wMZPw0Z-x3HFEjLY^{@AS{>OZd)r#1ND1b#R!XuA{@lcQ@tW z^xUCK^S8x-wa!jE$iW&OT@)w2L*|a=hxy}zrVa7_zWY{tZ0^bjgwm*fkoj%ULs`D_ zioO^taOjF@<{?%n4M-&Yb)5m?^qhHCnc3iPyd^H49~Uo*ixR|~--Jm3 zqD)U+JZH!aOm0s;xE=YWNji3ecY%i=?(3^6E@9j!lUpAjoV%%u_wO6C(f$64c^5jX z$3R5;_#rf0+f(*lI}h4D+k0`OgQ%3~rNdUvI5>OQ3=7ddMnPuxJo6~ zxM4Z#E0UIvQbX^}?nURI2VFgioc`%xkn5&J(Nhd9UaWUN%><$10gZ2hm_FO#wr;(h zXA^9*Hs7EY??lHh43@jhtQ@2_2${T5evHk+8of06mfLksVDcJ9E+qrc~j!G$K+JaL^4J6CNFB3QirY&?QwO*wGnm{!hoA#o+xz%l07}V*11p*>SE)vKU8u-1Lb#HIh7+V`#PbY11Au^^RVMS zs$YxfP2rFekJhS{Gul4id5YqhIkXfCHqT}lgF-pU)lC~W#AG>3nJ%se6F&qpS%`$- zeFjHPQ@AjcH?NB-G*kTYI5Dm;x%_Hsus9@YlwBeDri?7cR*vZvh=X9-mAY0k2{4t7MHhs1&AkV?O_k^QN(yW=0>DYC{PC| zKfa(&ig6nhtr?csncxp;q57V_ z8jOqd>Nq=xp%|_9X>#L0U}qRPbD=a9sc*!dJE}gU-M^s%iWNXf$42|g^=IevCIatP)fEM+QtKH?4E?Bq4An_ki_tK@izlmKIUu zhs5l}7rB*k=;h_9yG7@CfR3r~F7H=4WZ{$Ykcf&8bXfa|mHx=XYPCZ2bpu(DywLlY zUfv36*Ik(2tdWMD?yLJ!`FQGOkL1ENZbofX&e7~Y`iGFPW5wN%=E_v1g>*vkz z&9z2UmsYfXIV=tF@r*N9R!2j-KdGH@TNVfu_J)zIXQR?kzOWL^|I&X2c{+;apmkZX z3a$fwXp2i;Fy*ZRIM~Z9u^*QOJ=FDlNk$2t852xAuy#XDKOgtSTFXQJEL~mK8)a}8 zek|ce#s*(_)#uF|*};=rq~y>sZ8Y#x;u*j@QIh{r+_jG{4%4E@uluMGuK5fC8|3o~EYQ}5sRhN7L1*0+_? z5nXXFRnlS_5Pe^W<=pUw(;xl0M8}SxsQm6K7P|zfR}V@NN-#hPvjca2f3gG5SW42$ z%RZ>3(b1pN!WkCNunbzGJDPcP6aTOxAAKWTSXma^#3_!3nX{VZlHmEGE0dfS zaAvFo$CM{}OCx#LtKSM)5ZjP1MmPZRNapA8G8<4df2|*Z^_i1aE^ynwcfo#lKfY~w zCph47V_T*;87Zf+UT%CHggBdDs4N#*!<{kfH#CJ#z&d~BL)ryzsM6bEKUW!sN^G`N zzf{@7*(}4e@x@|?6mdl;jbglUlMumAX}<8U4hB%sy4%-7VT10w*wzL7ujkwU z@CyF<{g%s-HcZc+gPVVJ0s>e&Aeb}EvHDpnqS(URFnp^qKcqYB7Ne)phuZ?y4el3l z`^k@+XQaT*Gt%Sc898wCjKa8iMq1qU{2Tw5SN7ksKmYvv^nW2J{wQOD<~8rd1Ra$H z-agvH59U-L(e@PaB*q&srQH#G#AtyCd7?6AhZUhR>_;c{a|L)b#O)wrCI^J?->D>v z3c;Z1l?(L73?MDP;Jor=SJT{ODOMiiuj8wS8NG0vCG>hQBKambOSYvB6vdXRaXTg; zS+tSnc*F=z62+*gd1*q`tXGiYsz2W6^RJ$b0Qy89g!|eMz(5+wvO1>#68!c|W~pd< z)cl=wjDbBNP}XXRr*`d*N+cRywRw*57f_f$ypSPq<=@yf_qIjC^{h@kG$ug8=@;Wj z=!m$>2fkeTVFVHtM-uo*0#L}qgpN8}BM=LskVtNK0UCiHBQnpO;CM%w$?}LN`r1x* z;Q6i&F5gqf<$FfBd`}&h?`h!jJtJJcrvkn=Xg?BLI6F`PLoGE)!r$Jzul?UR8K$LmB%eN5=S zeIHebh%tJ;xcOn!+z>QvZO^qw5yQ($lH3L7d~|#Jczw2OFiciIlCoJl4*Cx3`cnZZ z=-sQc=TZu6p|!$RmhM$Oas;#)X&r-J4Qk z44AhL9`}bgt2X?_c1Ph#`Kj0ey`$j8ePVm_ZVIrRb6{LKd<5X9IL*v)d)Q9fAT#`I zi$)3JEFTitK&11jvUPq;SIEChsjcLM+AO}u_HLRY#mTeOCCafN*`?>6+LsBd@1sw0 zyvj$cl8mBrl`-&*n_uHadIlIH(UI;uMQAlYHfzZy9UV^!mExs3g7Q{HSo26r(eI8n z&-h%7*Z$pK}Di0~GGee>|=@2x9)m9yec1K(cXS zrh4)XSo$p}T0}a9j!_7^QRM2O`ZSv>S|Vbw_$qd^cR&`hBhZ0&%nFbZ$F?U^B>`{4 zA{zS?FkhPCLD_xlg-A)rRL-RD2-x^UDs+^kLqs}})_vzp;Ajr@LAQ>=vkptI16IXI zp6cAe&rH>*^ug8XpyE_u@z7xmCO-!DZU^5HUCo8O=+B(Vt?AfvC7C{?z8D$OtCLks z7NdceDTNyzaWFM~j-!w|8Ey-B9(OsD242+_sb{1Up!<={kU>y3!uR|AE?0oGa7PqU zIC#qyafG400n1#?AgrJ4t?*%@$_36E-xSY|4TNwi+7|&|U2ysqdid-2O#y%XzUkqw z-#0z{_4}rQzkc7!Xfdahp&H|8RC)AxDTFzIi&DGeZ#_FWHmE7lf#vbL#Ese#447Zf zK(Clb_MFx~DZY4Nato~YMl*n>|reH!DBJOa<3|&)2q?C?{#{^ViZ#ci!3*(NSJEL^Q%TNh#y`{nR z3rtjB=z+@aP+8h9T43wmJjk;`iylgpXgo>6=6$)v@BTtqo&4y=8@B*S6!tB^(XCVl zY<=IK^}uvXMrPLo_N8f~r4WX`-T+Bp_8MJEIe>9cXC$JzY@}dg^Zh~9O@E{mZ7y}k z-3+QZ9yAE?3qes{e+vD1ZlnVU z?2zdsq?S>t=r}$@G!~l6-RB>{gY&a*2-BC4k1~zE?)5@AsBO5>^0o|ep>B>zB@yLk zZ~p1OTZ^JbLaHA~ltKTE*OTPNIcSaNldj*Jcz8*Xs@fr$1=2eq7h3vVk#2Fbhje=m zqUbJsF#lBrvB-uTO(1tiN2G^Fhr;=w&avQ=1c@BFsirn=Udaz5hgoejG9+MVAiMO#nPh?pkS7y8H}D`C z`Kg~~6H|#r;g?thyEa1b_5;HAdj5_7-}@{5r}xM8&&|uah9T&UqsLHYayqb&?tGT< zR!4U#qL4XD9E$u!Apfn|DK2c6F;o~^zZebUZ1a#eJbafD$+i6)a&k< z6wuDE3OgO-i@02`ygf)6kMf`1nLIDx1s1A`&l2Jt{yh)>KR*vCA(dg0#ad{|vD`~! z6RQW@S^PQt#vk>&(T&bJ#3LQ$8}{n0F0dNRFgP;f^Y3~1FFOyve70*nD~#a5uRzDc z6j@MwmsrZ~bvPoNS2`IG7Kfx)+La&t_5%Aom4-7l!ASH3=k3*LN65aky|_#l5Bi^3 z0yKo9(Zp-9w+bu%NYA)sSw_JRwtFM)P`vdu9$NdHSR5V@Bi2A3WiO;v36XX?BSCz4kSz z^oG@Y$~_w7G4N66ED4uGENX5ujZg3oL&FEdzq7lALyC-C`-Yl3qN`V=q*V6-QtgIo zcJ|TGm;XZW+ub1x$#G}8Z06wdu25&}vnX{gT=pi`ZsW}_soaLzHqDLo_>DDD$>s!kk6 zxk)z;o(zpa^*`&J%pD`4zyGq#$%_c|%%Th8BdI}6#8EGLHUf69_nx9zJ&fF<#Ao(| z{Sc|o)0QtG{vatVcCxSy^N|zLj>P<4(V;?xx{vxnkhEWN-R5-!a(+){9d*JMwSLr= z(7ojXqOQ_Eh(*ouj=%8h2eq;IF<{fat&{R97v7Aq&q&z#AQ#ECJB((HsBJId)`PTS zP!au@$hPQ!_xdqTq#Ac=O%cxopQnzKAI58Fa<10!MLxw_Cp=zIfT9MyIW^|BN$l(si!=;oIT_Kn1W5MbsWh_OqNChf9Kg38-b8qHy|}G8 z`&E)M36fHB=d;JQk>!N##dfDl>d$RW&io@rLbm z-W=*wFEsaqPbWCn9u^lOrk6HIAl~$X2jQF}%Jh7BKCOcR8U8t=yI0}`ylEXD#W(Fx zg;z$}n20Te^mm@(U8hHN5syDL#JV8Xd)qXe(Ne&{=v?9%=M7zp*ShV}T+s8=pD(k> zT7ZG(#f$BN+Hgvba$;Eq^QFf#-YRpW$>&xUoIi4PTXLxY1}To+zJ}drb&0!BTxAWK z=}#iB!sahuZ{8+jQ;9|)#I*JlCN7})vagHL$pxZoEVJs^eUbFZ%HhNNd7zF!O-*!| z2es(F=h3b*M(+Yetf}I|(e17kZHdoTaDtQ2-Vr&$r9V2aU$}TfdXGdv5~equls$Kc z^rIKx8;|exM7IcMw115NigBI?;_cpWUQ;YC$1NK2DAk}Eq9Y1YnJ1L>;7kRz zaR8wneEm45v)n}o@1lyj)=$|(3*|RGlWWR|s8pH4{f!si@%Zus#TzVH&tHlFF6-7K ze;SM6`n+SNmu(FA5&dBC39dj)FJ68v8_oomT@7!NwKTl1=RbYF+`sE;tEI&t$)CVP zqge~)e4pfconh?`^@8vUEI}TnokAJv8gUVvB}-RhHrhbb-u0%#tBp5eDgE zl`eW?KHhtNezD%x(83_&yE0~g&iY)Pxct-s?Xppb+-$Q3?(LQAX-#1eH{?mAOx6XX zueGlgj$nG-)JXHFOmpNcK&Cx+%mq1$iK-tuig9QQ?B^@S1YlB3^wD&WA(ZnZM`Jn&yczpLW@bZZteSGY!N1#SMEZqSaJx_EH$9UHtV>OLOKam1S z@tSbjb7jCc|8EFwlp+Yy^A1_jC~U zTQzs!eZTnX+e_vOZ*xji!fxer)pUnbpna%Y^3lo(`0blq8q9kNaa|97Tvl}yf)8iq zYy~&teLd&cp5`4+^Mcd^6E8>WO2Js*wp9#Y9?*-WjZKUdA&z+ChG{!5q;lc;A)&q; zyw{(-9ZcPM4V!xL~0fM@d3ZH<*`^hT61er6&H@ST^@ z^*AQbU{HyI&MMlD4`x6Rx&35DdNvHrjP9Fh&4$WpGNur}N;KD=ed~>H4!n^Q-6AbW zN4$)oH~LGmp;3B`#ndbVLUYb4@K?p6V9%2$avMF7n@b-|HdlFs!o*#JEek zbE%@88IZN_pvb;^0YLM)M{(LM87xIj4BlKSLDNK1Lm$f{kQ09lY1>XFD%)*uidIMm z=C1Q{?jI9CDaiQ6k*-xbNux_1?^r;EuBa@3i&n$ z7F!=3q3KTWA-^ZK$XBd|>g6*f_}%&Fn%RakP&bgB=uPm0ugu4P^{VB-f{WxcV($!4 z_2WNLHEUj%~Hh6{lx8qdMi*)t{J)r*T82NgYC+?7_^^aiKVvN zA1H6|ipp1~p?T(mb+ebc@b-(`uy`UPXJ?Jh=G*p9V)a#th}Px8Y9V=JghFkYQ6!(`ml`4fue4Nwm##Rw3TFQMG zlYRy4XldVMaJK`#eD(iy{9nIRc{CVoeez(B8oD{myPx=sF!0^xU)#d!s~q<)Xq(dT z!unL{;KCn1z}H_D-*~#S!R$nm322Shp7oJV3u-1&w@emOcO1`)=dG^e?*886bKm!Qo!5C@Vn^$b*3R*4 zMIo8vSF2<4OyDfZmfGFZC&8gZ(~7m-0Ol@}l=o;|hLg7LYp=`vA+gZ+t;b3MN+B=4 z@qVxk`Nz{#O2qyhdH zM|26uDj-?LLBFHqDk6G&*p``<7b$5!lJvPNjW*89Jvh{B0>LZ$ZA%_FpkxcrNFrqw zaK8MWQ{=oRw1m{gw5qxS73=#OT*NN0Q?+mDLQ)7~5VNlk=yd^Ciq`>+xO_$1g}|lT zJ0YmH95zUCc_vC?!&I&XTVzJh`2F*63Ve-coyq6GeSfLN-{la6q74~Ef(3zdh&Vo; zyg=9=$OZb?9DeyA4?UK!>h(|ve4D1t+=26#(s_Qq>gzFx8cfKVn&m<~%he@MXXaEs zH#(DNtXaX3@#oJb;-?@l(&-wZQ51T<;#poXXpE{{-8CO8g#cIg4zm0ki1Z)iD_h^P z2czYkQu0A6P-mZ-aFITN9*8xt9Z+(D-3;{?I{M1c^~&pQYODjA>t}4@U6V(IPsa9B zr5eEJtFDF1AB`Y-!{j>eJ1y9``+JhA1|jQq2mhar>0o%ijs(CbnD=y_A@BD2;l0tuI z3!!~_k;@F_RMMRr_78UN9!3%LDh`sUhOR zGE~&7cKTb@3AC}blydXEHB|TV9i>t?hnQE=IgC5Fd|`nOd*^9O;1Zw{{y|~^mc*xw zo{mH#k+z0!Rv-<<_v@FP`Xyjj4*v{ zQ#7`Fex#jG6?&?|*~#Y3QAW~%b?Ygdo?`9p^<|vTbM9B>PW_(!l_*ZzFqh&VUIz;XjMPCVs1z}ka8Cfn%*~I&;FCc++XOXm>WRS|bkQ_js0D2)(TO1-8 za3y_PCTBArMa$D&h>uK%f~!BzCW+^u2lqp7rc7BN#^oa&#M~lqPTAY?+N2ni#eU?H z6%zy6`z#rPH$;JmOZy$-6$K-!eCBbgY|E+FcAWBLb zZEA=_P94UN0{eoYL{Hkv!<84>ihBK|x1G?r*_2-6dPRsEH!_plmW7nZnU|AD)Iji4 zP|l$mIlT4r4_-O1LVGI|scBa{?fL5frzWd3hYxx}#w#kWrN=@z2QYF%;oDy7`Akue;;9>RLS%M0)OJnX9oc^Val5(!p}8xM-ZL7`4h7D{PI z|7p`I_Y#+%ywKI?wd(=zR|!ku(YAj$QIc(6s#TKbMtjVQ18pDC`3DOg` zHb}zF<_Z0pH6-cSrpJ#7q3o9x!^0^Ki0`;kZhW2|`W;@^%XXL)E&4sLpuo+~D6_*E znSgvWA||q_AL<6ZqCCeQ&7|ZAbaCg{)}c$~;8z=9QFpr-)ZV4^?*8@1`Bh)2I;ETr z%`CLbk&1CZnb1nD9$kcvExwM7|E7)f`ll&Pgv0UHL)OSjo+z%s`Mp`xjDNg;6j@i) zJp6i;4#tO$v(w(Dh3m(NGmootqPHDELTfk4!TR7Ij{FUGG|OSO6tAfW!Fe*b65Ac2 z*^N;l`m7sr?rAio5LAVkUVn8o?g3OE7g(JGU62fah@N(eE>Lk)=@I`i2M)bwx^wfc z$j+~3q;tR!Y|BYMWjZ=RsW02t14<@nb%McOVpRoK|LrK^#iqRne! zE+h}A5WeqUy!|`uKZ|~19)Pr)>&60#t>9?GMRbL?3v$9fwsp;qq5NuM_8+S^p*L&I zGxTylR!^;k)l;iu_0&38J#_$9Ppyg7Q|rP{ntW+x0ykvSmsz#tY6#6ju_LS6W-wL4 z9DK&a5+2MO8JgFc0&B>0kc^xQqBklEsu|IO7Xr1@)ODdp^+EQdD_TG- zP?s(ztBQVKx^NP92kheeU6E=kAGhAN8d`L!pRV8M3>Vkkvzs!^kn|_MuvS80D2_R-O~2s^ z;fvFzzq`CpU)O=8=s)x@=RNz)M%n@t8Nx}89UYK;&bThArvcP|V5(lk)mP#h?|rsn z@d|+-s?L0Mb=O%QB8!wKhQlmiDNHtGY04QrFHpP_&4lxFY;k>MP2-98_!x`6>pr-_ z2XSEpnv1$TK-`nIG?68Ne6&nv6AXCK?>J!W+Y&-S`A%_QJROzYR}PHQxlZym~c zofDF%R7eTPtl+>jk5k~h7K*I&`s?K{3SW7ie6Ihl1NfeIhhJYP=u|O7hVdp0j64?lBj15` z9~mW4w2i^$`=f)uEK6Z?!r8|~YzQ&^c}gt2dJ`?*y=r64qye+7&mx1oEs)4{i)Q0D z8la?l^K~X4PS7WkJ^h0h@AZj_skJ$h%zVg zRxF_giDRs@&!Pn2v`wW|z)MmLpZRxu58wAMzVRNRl*5NA3(>K7?~NdeQxL91v-&AC z5$2`N{b^H816y~UG4lJ#h`#k{(C6w9Oy5rred97&a0-!y=X5<Z8fRYLsH_`C{8 zCOV{hJITU%tFr_bob^!kfwmKucqCv82X)Y0~QZURD%THw| zk80jL`@s^)hqt~WzWV=)zbLcrxy!+}l~qdXrYBnebWXaR#T*{r_fGb&wT6aOAK~yR z6STBROfu?c1V$d6lx+9JP%H_*@zqut^t(@{Sh!vlpsb1x{ZvKo8!nHENy&j>s`tT# zC~5dkswzVBw*kKQBrK#-UIUHZmh-)_Q>Z+`urVp{B6$DEHKuE-0k@iHZ6EzEU?Art z8op(KLTk;(w{NSXyrrmD3EyQv$?YgP;j|Q}DeJKvV^#;+u_yOgj!HwdUTaz`4$sgsm6b0a7ghMA z_`OXlEm6MlhamxHIXHcsQm;Sj`@qADwmv^SIXD)6SDSF(mjSgp!lCV-MyUDG#rHmy z29OlWD5l?O1aWHS_lz?Q5QTjs;mrXu*z*Im!2CetFh5XB%n#HQ^8*cqJwH%$3=jEt z{KSQal5OZk0+jX#$%~dmfnv;4$-pO3xO(xc*VEY&L4tzVFz{m}^xob7c^BZdR^!w_tda67So7~by~JGG|w0@(x@eX?wUg&x;AOEYDhFF3PS9j`R> z5b-EJP}4ztxci|!oecDUlq=1PRe%HJ!JQX!PoTnyX`Ywb!>I55?T?SOuYfJt6Dc+K z>p<>#N9oLFJMMh!sy4vsx%_Oh;pCpL!}Rp<)!+N~czpHto3)~~-rK}MS*LO`n}jN8 z&&56F+QofeonL(3o{0q_awXoPS{eAkX}-K^pN;7H)`&G1-63^<;3+?z7$lrV@KP`$ z37S=xD@)%c!6Euh4Yh8yZ^hFlYOUPS5ky7 zr6LuU4;SAHyQYt31sU=@-#Nl~aJw&mGZTC;x3j;`=L%!#hsCHgo!|_IiSpqbdswlw zuO9iPhul||I=dCaQSzgTlUp?%kZ{%XK!WNObc=&7A@*QD%vulLYB_%st_Pj1vnKC? zc(0orkNszmaoQn4HNGt9VDZkJ@QVZOK!>w>_s>E+|7qfbKeE9+nd;T3bTW)l(bO>B zZpHjf1TlXTKFr@l1@kxI#{5mhFn<#sy!GMn)sx3pkHX97I8V4&2zWSg_TFqi1**R; zbSnhpp{wLpy=Qz*L;Tj|W#*I+=$`1>P0x!&l&`vnTZ;@3=7(;I`JtO(e(2_yf4U?V&yK}QV)5)) zJO>uf2~Q7KO8%iS10O1z51H%M=!J+$n&Y%8+~FVaf7f9Q&nFpeEQxK<#v7girmz#> zApBa)w#x%DrsJ{Ak?q_A8GVE6;1{RRprjimrXXrJ&;ppH1T>V`$3`bL4_3(gy5azAbVi?1th2I ztbsQ#!S&POlL%k^Pki+U_V_$3&@;Zi`Bp^$MN38W1|MRBjP=s;!#9tE!_`ZsRLw%j zyt(0LIPWpM$0y^|qVGZtjjuD@SA;~;lyJju==IJZ)IbHcpi1- z<`3d@%?z689{Bvbp5$wd8e<|aVMO$shl9gS5AAQ_(-6LJ1XVO^HPogW!7cOhi=iGm zNS8|2B-q3VZ@h&w^m1^~9TSu%p&(A-Cl6`QO!`%_G@zK`v03*mHS~=#V)-M7Haa_M zag|@x5_X*_pLeh6fk9tZ&wC18Ft@cjaUSeYU}fv}$^$DzWaJ#onW7KUepV~Ri#WX~ z(^C%TzZ0Mk-@5xMP5h8AeL9IwO&j^2eSF-RUJL%-@@r%d_%blMHJQyLErGYbJ-+K< zOl4aAz(qeuIoI*>6SohX&7D4WZtgVF<1}Gsc^(8z{hP0*wGz?HTe;;%=U|}EYfYjG z=Y^KI3r<_y+~BLeKuQ28=HkS1{)j@$2GbqKgF?{S<^L1$JwXlo{3L!)4}(NO z;NRu>I}jZqG)j>@26w9BIE&Th5UJdqt%HH1P^JZvx4-J6RKt?c;WRnmZHgPc;jIYL zUb6;c)Cv&yao45bralU%zIx=>Po@85ygk;wF4jJ7KL69c9@f4+);{iDmu;=u8ySk; zv;CovyzB(snGcRVWOIc#&il_D*LMNYZ`G%tn}nhd0y%3HOm3i&+%k6TB~JgmmPDFw zQ54oHMh`bJNr6jmeNJ4121=iI$qE`1hjOX|PSqjGDD%#z8&#?5h`RR7C+#Ug*za+y zhqF-~=84XhL_bi2WU9rkXENsK{Lr%(frr#VGW_8(?GF#c6(c@t>R|>iRh-Ok=UPDH zp^MR$x#m#$8O8(0JP^ZuHIu#`OUPrj_HijHL|1puJAJE-2Cm<4b55Hj0Z|%D{PW&3 zU`h4H=fm|vbZ%*1lhff8hz_*UXyU9!rM%R|!YPH|g@!(ISd@Zu$WjGIFOGMxaeh+l zawS@n^n6z9?}PC5zra_|*`4OBz03)JthkUvH4AVH-BgnJ^o_jVE`0Z-h30>?FUC5Ig$}9Sc8{BysmbM8<6&IS<1KT zp(N914|k(I;n8_poQk0-+@(I2FYXhC@b#B8XfJtRK<@$jsePlIr%YhJa{Eb_kUNks zJvnlCArczWeK@VUs)h^tI$=&WGNseRh@kj zZH=f()3ps&LV#eqb};0yKHQsi7}{qlj#LJInr1w7LtPawf^?!-U}I^Bom7_={kcB2 z?fJzS^EclIv+UKU>R54pxAZY?#tA$qYn8p|=FaXwdGQ3_J7FR?F>&%*()iy2eEq7d zJV~hgex|_N;q@{hCr3m_P+cUNcpmlsmG080O@@eDLFaDZ@WT6n2kc2WV)51s#TOsL zHy+>LJ4#w_HrK%mZ(bNi1-w>8d7lSd(}Gliw$|5$@);)tlL|1rB2`7yax}X&FS%ha zUKWeT-8=phZ-T{3V(}(eyfha7@9lg0pZe5PC;^p66AnrW%OL`uR|)&WkE7MF$`r>~ zQSejS;k`R7jWSc(L;7RHF+DLhpvdY{jrhb4LX#9HyTi2*tDNrh*FTw{iJ*N+pobG2 zy7fXkf>`mspX0mVXS8@d_|Ed8=cT~?;)DybT@Z6a3mRx*F0@hOk~cI`*UU2}xSec)sY@!c{-dLniqbVe%BeMQ83wIC$t=T!CHz z-gR#DA2J}*!Si;nWdnNG{%Es^DjUSjuPhYlWdUjD&wyL|y-?92TXKhJ65j3e ze(w9FILHo8pIH(B{{BFsb;_Db&gd>Wic_wO5lNhcbGEbx9T4SZ|&E z*`NfKEorj*4BZe*lXCCI2}KyOI%+W5j37Qiv{G;3or$!A`EC zSW?J?91HuaqUd;}JGajjV)!~A)BItV3^GrO)l{jH;O)nR@Av1w{d@Q3O9-1UK5V{> zvH9Y~=1UNpFJ8Ryw}fZ6d!IFQfR)xvZS)DVkUPf9&N+LwLv%RY}oh**TgrOhTl zJZxe6?I+QCJts@z79F^LS3mLFiw^3m?=s!jRj@wrGg z4c_DbznkBG*B8atzZluMPXJ;0{z z{J@r*FDR*90;8g zbqRAaL0OJ7H_~0?@z%q{cfa5}{?jVyP6o^pC}C5lFYSsW1WIx_M_dX;6~#uM^lNP4 zRIk*nV*)Nv9`a+Bj~SPbd~v3ftVsn`<~h_4FL6Vzt^65Jc|}lq<;NoUgA?MqzcG@S z@j=UHkuV-5RV>~JimgAxWib|b-dAPNMZk;ttJ zww8w*(Ia)Q|40Dez=t9(aT&O$^0g$RG72h|9$0mr^N0KEPnuSp3eY=p)y<+j1IT8e zo*y!g0`tO8(Z4jp@b*7l4(~l@HEyQ|EiSQqhx3t5z2~GQ3u?l4hv1!?XYE%~cW{uN5zxzZ zf;0!>B}-KoNWH?%FX!w7Md2-LdE_n-aLVDB*o9QIm*4q!KSzA|A$$I zj`_DD%)iwH^KV5E(UN*3b4LWWg_M~Ost2LMrfjlVQeP-66>r$(iiQM4Jg8A@0!rE* zCU1IT5&Nc=41FU)EI#)0Bl)WeowOdT9gkC+ZNvFq zpAq|eS5pTRQn=_pf(ek@RD3GH`BD|feNFzW;*V@-OSM^EsexbSc8O=47kU`f^5ICa z3&>F1NeyB(h0P}>OgK#v#F?(IdnD2pxD}Iy?hwaxJ>%FHO`uBKO*GdgR2+ zrmK@&@JsthQsbZ?^wBPKI@~cv--d&42}bim)1Zb1w+hbxtZ(G_iTg(&G1cbz{%~42 z%0#1LPRW6~J%e0c?^3}I0cpTDLT;2|u)!agLj(BoL$VL~#3w~r!P3MGkq+)Xbm#a% zp>{TNoK8CNlK)l;ExUbIk9(3mROtI`H5U5!zYKA!xCb!Qs$N zgj;7l5sz}*?oC-YSUK8sWmDH3Sd1sfyEvXIum7b_`PsG1ElMf`&8=dvKI!o-@$%t=LtMHyQ7I{cnw8 z(?V~AbSahF_K#{Ji-X5TMq(wvuBd!NentWWJJR2LJ}L-rrJm*A+ZBdGh6Ll*Hf1Pk z-|ZukryNlj1E0d8wHfG5o@&e@j6-H*S0o&vW^|D;oq7h?MG|L&KOQ$jRnOBaSt zjK)%ZoHc;q1p30aKRRv7i$4gV($_JX0a0fn$Y8suE3cRX6h0mEwK>Jd*4-Ph5Ni0*vN6_}l5g zielgNyE1vS9}2-yiWV+pFnX1D9)aT1-c*+G=82JiKW@A|iT zwOJ*)S_$r)kLPkjia`GglZIG*1vu$CcQ%k#LJA*C!qtzZxbw4yi>q`94VUrLF=z3D zjL}T@iv>1_RJePhB$Edga{_+WJ>>!6ONskvD>#93zutk<*Y*GF{U?f+4ViXh1#O>@ z+Sqt{_-fd7YvK?K2vIM87d^!S?KfDSx@baT9yVzWxZb z6gpQ!VT`-)jyK1f7`nsH{@Wp5sVC8ZT+tlADNYZ|C{j4x{u1iVESUVpQ3sb?;=Z=42&KXWzg#pnD-1X8S0- zK%^MCJ-W4US0@t?3&j-8LOLw`KW(1o|71kI24#BMuh!talF zX^A!SAYH40*oQXN6t+ht!QCw)>8J;V|;PkqD9CT9$DI?&q#MI=o!f2?S zcBxy~mw`TRf8r8N(MQsYpMPG9GDqn_HFSmZ#z1u2{^ly~eH@iYYDi0E0z5mfUoGhw zfs^P^o^`eqc-`eQi%S#-I+-gl7Yh z@rm%k>4N;*!2smfyV&ttH30-p{3P@o4F%^6SV+1m_*(x9&VQgY+S~%?56KoP5MddN^Dp@0M)_Kz22EMXzvau&1;Tyr)~+O| zLwvj3O6jCFoH2ZzGI2@=$TV&){JyUVu)}Yx%nk#gM;G^20V7S{C8;ejl1=^yO4 zd_=nT-{ZWn&pFqMb%F=O2mT$ez!zV|H~yOK>gDT)>EYM7z5eVPH6*%Zw*Iw}K=E52 z=8t#MK--_;8y$jlz$Jble3Xm;!>|4wufw-qbr0|Q_xACP-y0uV$XeSGdg4R{dDi{Y z2CGttBTCz6O_UNAMlOaE9i@T!c{}#ex0HC}=P6@#-U}|`;F!fpWkD|j4F&w{9hVfr zpiJf|y`eA+4%v)!F^Pe*Ym>ZxmKDNxzVQ9Md-#XR_!S?9U-4u3l>&xe;dJFv zjx!S6VZ;2M*f75*EzIwU3HJP+*fGB+W-R`{Jzx8<`69sPiwm2t-GRONBEsftcL3k< zRAXxlLNhG+g1 z-|@jW--_>jWAFXT0TedRX%=(Xz$r4c6PeEE3zejo5%pZK0H`1+$QvfSD~vBd=K zrbj~j1X&>Wv();VDOI$kb}4v?ni1A+8_fn=9)~;GoKw~7$6)V%&W_#BrLp@tj!*HQ z`#C3eKbOSr=j>qf>x4kT7cr=Lt0i*ymH?b&IW(zj!2~=^IpX!%f>8G&@MnznqKf)* zmu5-Y3B13b8CnU7yMEdb%aovP$Zd%X(W}LGqUxYZa(wdAiaJ<}KN(`KGe=eOO`0Yf znoyRPC!xH=4thnl;Xc2VQI!v=o|6$VD4w)_WW=cl^CWstx8hEqK-wF3jz3ezyWUn* zEyVB}l@Ewhf1NB_3I)QeSAX(UJE1gr1|H|RJY@L$&S*WG3#>LCw!bQwguSmVFh5ge z%+FL4^D{NX{7h{yKU3WAnYp3UFsuxNt?S`B+*&XxG^o-z=8htCmuDQA%^~P7u29=w z30-7n4NCD-gp=(S`kShLaJFBMiz_J-<|Q5(#t^3>@%0`F`3QgDt%!FL*NH)6qYI}G zRRzFGI*U8QB^RVDJ15R#QS+WEiJ$g?q7Q*P+w(1YApMwgGN<*AxA6y_rOqP>eWU72U~n4~3{~ z3OeWL0`T>6r*Zb>2III0UD12z;E|cpzNq|Myz?o-3L+V;yg1yKu-&0=fCKc4j~;C# z=Z6OORf9M;emF8aru1Th8_4aCk}{4OA$*L{A+iO%XqEh;`RzPBewk`$H>Zh;V=9y{zLo)MmeO;joAR)Ilp;y@ zmOgTW#=5v3Ik-mB_TvYSG`8QxvHh-v?RQCRze{5KT?5|?bQI05)QfY4s$f|?u#GWFI+vTf%wc&iaI<`NKlPmS3vEO z&j{`d^P@G^j!x4-8T2EM^)*ToLUKa-?0q7t&?4DuYJM{bZagROt2&YZDZR|^LT_fG zfo<(@MW0wWNX@;Ec{LwprO#;Dw#C6AH+k!QcM>7|^5^CQUU7g}>n%S1EkNl38Fr+S zF_0)$zl zU(K(%^Iz95+M8bytiD45tM9=1zy7DbLkO$yP{Qgv1fZYd!1XgLIZ&0=JIcaVk51(* zZ;nx2g6N|LmTlLPp_A{9YgT#?N9`cCO0+^Z&8+4+h5swS1s z7)nC&I@XSxLXx$=7pr(A-u&3SnzQB{>JG3INNfE#H2{r#@l@wE_lBjfF7l+fJY^D5 z+tXnlFC<>f`!oKCE9~W4sjz&jJeF^z!Sbz?SiY4F%ePX37~|X7p%q0ocY98W1;M+z z%uE~V5J+ei3_M90iB@HU2k2Vdz-Ywm3s<5G+B)x4%NHpNM?ce-dF!abHzKN*RxWwm zze|&KpO=M?nkJOa`(@!h-2wYHB^B@$?0eTpYlWnuZ!PYU_@Jho_>$OP#<0XFt4_~l ziaOmlW)B|^gR^&Z#13+?!wKf?u&z8g;=^t^z;)RGS zDaAM(Gng3e&Ymu;un)9k=2L!sFQY?2W${|+nu%bA$9mhKhU3u(?zPeMV0mz z=j;4UXgQds#RSeEagO`(rf`(3+nD8@6N(|@qF80t1@#qg@40Dvu$daJ6W+B)H{0e# z|I*pue30G6UA1gsl8%F!%ft%_J8W=&_A|x$e*)|O39SD(o%{dvUkB^I1=fF6sIE0P zZ^qTxhlzVA7bvKq{S1$GTkDkJw8eyy$uWfUwWpsoKc$a`9V6mC1xsV&sfCTF7B-&h z*m!DS<7tYGrvl#b`1S|i`NDVol+|73F!NVKI)voEd>C!eU?tnBm`?(TQn`biIl>!E zne_HgwFIMNzpJ%bL>^#hyOVs7!w7bcM}4n5AB4KANe(v~nLt2l)l7k%0sPT5d|S?? zfM%J5blZ-ffZscEgoE4Mprt>=cSK(Y-EL2KwKKpADdiTerHx!L(=K__Es6v&b_#~* zI&$D$KaxYcy!bNP0(A?sFl@Y32F)WvShHEnw`F%{47`pQO`1;YpK$KNj0;RnbZ<+iJ_+-g?PYxfCy)6 znj6r_CD9oB#G<*9X@NVvZg9>>U<1CE(|wBMp5a=EYsNfe}M zo%x*#=S|(2w_MVI%>R{O`0aRbG>*Lg=0FlW7Fvq!+ouREGaioZY^o?=Usg&mn>;9d zb^l=9DF+VhTFrGdy6BqtZAH2pVsPTYlL3nV(f_wvc~2pr58hd@rF-2P&CAlOwf=QM zV@VH$y;0K9PBg@c5{bkiY1R9(IleeKhEt1 z)i|BE`COKhI@WmOd-%RL1FyRkeCnt{cFYOZ7MA5m&TLyJUaS&Dk-fDkU@Hf6B+%t z*N1+1^D+3(ws5=P_$u9Ph4#IPC*V${Xbup_Jk zPi*#uno(H+9bLt9MIP~ge@^e$jJj8jr>Y*_NwUh8A(3oT6sfyvN zsu;eC<0Wi96Mvnnh~cYh7{00ubVgOK(<5OZRFKxMUEq%vmir%%K8S|9iaDxf7eb&T zDeT&Pwh*8$GCY2-IS-|Whkv#BIS%|<6vf4oBhd5qg@p2(QTR1oGVo#b4!BEXybXFd z484ya8dLH(`|A`cB)z;ejRRT)a$Ix$&!`O#e*D$h@-5m%Yx>S)w8rvyyEWwGHt z!|!mkCYjswLq`-WCO(BT(g}j7Y?$oa8#$mJxchy_NdN{N1?kn|b7Z2xVtBDLmt7X9 z3X-Y0PDmo%hTVFtO>wl&kestoD+w+^&fVFgVkkO}`VLPO55{jf2zsQQ&t6cI!mZ~$ zhFdH+U7tlK+E*b5fIw!*fAcmO7~Jd`vm}*3VP{^ASFN1`2c>W`HkF%*K#5V-=X@UA zu=`-c{Vf}|l0RI{ugeAVBb|Sg+Rj0WpmNACB%}78^fH7|x%0{EP!- z0y;FkA+Fly2XRJ)&iCx2VAQI4CiwJe$fSR&#z9(xE|qy^P!z;K;{+|8cxohQ6>=XU z`5Xm|5my$I8BgPIgYa}q{t&R|m`L*Fk4B`&?Ys^#2Y~Bve|GC1H)x+CIdcDQ9NJiS z)L$-khdn=TEm)yHW2KF&)4fikq)9rU4o|LLrc^PLhkMf3x-wqi>K|3&JTh1mAl@WX z;QhrERH&iV`EbY@WL(ZStZcc!cl#J;iftF@W+n)2`e_425uc9jymAHl7L%vWJO=2u z&g(pHoF2s&WT1xb5zl&GNC7Ud zU$pbIH$uYKIfoCtQ~}moMnaE76yXf*Z9|^X6KD^=qJ_PBE-I{^O9rdwqJ+JAE*h+! z>oC@TNi1Fri?_n!MX`7ZEM5c-@20P1tJVVHgFyTB+6oY|voxm7ssR1m&;b(8QjjpM zenYtKflSMi6@49gP~_+CSYcjA_$u(Jo;2SA2H&Ug=@L1CZr_b`hI^)nJ+kIeZa@IK zM0fp7oW2MuS*g~ovQ2{&A4iTck5G7g{)39BNCMg)xl1mlo{w72uc%)P4}<+>~6^d_O8~AU>>#{K2Q;C-c zFH?c6#vKKuC$L2J+E4~Mh~1v~9gqRHXM-x&``D3M&%K26wi(Q6TKp3AQ^FTNpwm@M>fxXuuu#F z*dCc_R1XA&Xyw1IWbwe)VK2fTnS~Uu1{pJO$K$QfV?f`1E<%nE=*G_53+VE~N(6U- z6R{z>)o7%dsKX6Bdf|6^qWHj?*!%tZ7T14$zV`aVi1mj7>yI+lpCed*7_t7)0lxA0 z@@Md^7sgj_kiJyTPsu?5JnAwCW6p@7G(pkTPi{P5IDLtcl7b%|*t8cuQItcUBqiXu zA2Z(HD}49M-ugTMd+SpjTc48H`Xobp>r(|=pN25c|B>L3TRxg78v4y|mkf#e;v^nN z&VZ(EO_^u96Ku@-Zs_W#fq4h*rU}70)b~MefwDLW+{4$kRgcl%uF;T4&@FqGzX3hwK8Q2lQUz}rGd`Mac`(bKo*UnGL$T}Ju9KB2VDOD_ z>#?UIgf26*H5aMDPR`-S5T*kqhMUg>tW+U)?e#exZF3NPB6*W^UK0$6@5}{$RD~-9 z26{fS0f_kG;g714W^hz~`o|E54pdG*dj4_96s9ZGx+yliAnH!!@8@wwkU_}yw9Gde zJbVn_ z&RgTo`BY^pMrSyE|7vyyu{}6N3ssO1*n_&atEl|RWE>CafA~)Sj<1T;{?OVb&_Hy- zL=r@0f{-T{b=q}D0=)k)%vWeh!!T1&c(|Ad3C<)=w`2%4E>F6n!J3gbf(!ycdW560&thCMzfG3@a< z31N@V$%paH{ylyVzp}ybD}>=!rWk&ui{V!Y!>V7s@JbEz*>RG9DFX4P{ExriOytF$BS6oX;GHlXNa8;;!dP^k6 z&-w51dGLMD{=XK#cOFq;?@cP~y(x{|_YPw3O=|4DNdctUzdlU*m%>V9(Y0{hb8t@7 z9GM*JL5sGsO35#aKrGKsOu_IxJawmeqH0!%w|)!HF*EYcFS4L=E{piLkR-@wr&)ZD zlL4QbJ2Um6G9U~htDmf;!1F7Rau!*m^-N-W;n4=994F>?h$I)rgj^~<|H?tHOLXK9 zl4e61n{Dqn&sli(OV)#wCl~&HppLjDfzzc(Ea8bsX94L?fe$7?YO%@tm#|nNJBT=U%bj_L3ay?G~x}IwK_mX zDx7~R>;>AxA8auE!5YIKtTFt-3d0}FG5jG0;fuGpA3Hk4OXLENPM`a;_Q4X4?l^R; z_Blei+U`kCi)bkJ=9~77a|G9j){NB3RJ7$~<(bNQ5d~;33y&+fLXEQ=Ek{8Xa2=zc zaa=nCq@{Yo7jK3E&F7I*Cwd)0TmYIzA9@1nK5OMq=mW%eypH|S#NkvkBu~^wLy>@p z!lW;k55yRW-KoCg4tbjPNv~r~V72o_LuH03w7&9`pA~jTq%TCwhK^YwB}Z2-IAjiD z;?<=S&4!Roa4{ctl)#7TNq6RF8}jm&VGE&3ylrNzY7!h z2Y#NA*)Rz$5bT%8``V-md5`V-b${xD#dXgS8Ww$^{o3oLI;)9$M+azekNP2PM|MU+ zt~mG-lW&l@KL)}qY+ePtje(=?RB{p*Ps8BLlB}`21&C>LDL6Ge5v6nllW7o{p|T9; z^|=m3G#h(C+N4wk!e8v$lJHRl3!%w$6>A=-`MDWT)vt&*zkNgO=lYR>XqeJxT>o|` z0SuS#J03~TLMmNV#4l*_LcUAF`0kZI8D7g_S1~ivP;H{4cs4Vi( z&jhfeal?)r7!k(aFAkW#s2Qd&s*UN3YGV4LW|+RH7T)#3n)~QxjV{XqW6~ z<>31hEx0_&>Qsz+jGz=uz40})ua%5K6<06W@{xdF1(*aI zIu&vL0-ZX2rY-?I@Fc)Yoh8f(sl}DcS;{MeG0CHO={O0HQ5^{F{iTHI4gPz59~q_K zn|IrsFe0=5lmf>?xe@KRoe`{wLL8s^Wu9aQ%CZ|xGG!cK&}eg*E0hDIMp1VZ+vdQx z$E3z7+LmDP>(yr)A7^m*)c*QKr89Jw#5{X9B!!~aJ5>erBG8E!!d$;Rli|!=OU87D zXb2jWzCr4o3?IK-{3c|P0>1pmSOt|&gB*j3b=}DZ^hPY6^kkV4bRkFC^j(8kiU0u)nJsExu znZ?-R@F37^WiiMsK>Fg2)#q;~fezWpT0RjQB;3aF{JORUfX@gi|k`}4D zE98w>Tqefxx{`8pHP;WFLcF(gLq9yyL>gm_1FQFKVa|1+{;9k=s-HBmRgbd=O_nR} zUz7~cY`gCYp@$u&Z~5=~x~@e*mlX!=5CPkvJ|d}5loZ%ZJhdDR^9T1ytA0-bUP8{} zrYDo3n5l080cQmE3fa{+#pM+Vt0a@Qo`r^lSkVlpGP<+G!y>@+_Wh`zq9quFbUW$NCQqT=wMrT-PFExx7C31_;0N6+hNpRY zh2TgX`?7C0Hw=iMBT@S<2%+UU7AcQ~p^f63%*ke62-n`q2$V5FJTj*0s!lR6Z1>7{ z>Xam0n;Z5g|EY${51?#jA93iImv`IuNfXr&pPW&+Cjs)d-{(#C;qX;X`lfR@{J?fr zv?WqF34Quz>cEEkJ5i%SPwPb+h)Pe*TJLv)Wxn6SBo@JFt)%4SmFLb-43xT4XWSru zpsv&{HWXbod|~W2;Rh;$PPy1rf<4=_} zD$$l8T|SpOjmz^-T&`))8d({jU3MF(19@t& zbXVMGP)Y*^zKk3X43U5akqQIhw+M*mRHOu6oR&>ns!QfP?*q}r<(~tR`-|ZOg%nw~aTPMJ z{k2^2f0%pgr>?&5{Tl%hL{t#zl5Xk7O?P*9cej8N5`uIXNQs0Xf^;mv01OOlP(c(F z1Vlj$kni(;d;S2=XXZ6?|H`b{bDo!>mhvsK9(L#+-)ij*S)1*dekW(gx1uX z>O~+s%%9RzO%x6vTcwEZ5JMAO^y@8Byug-McX{P^G&meenV`KJ1-C_iauL;{V{e%ks&co7T^%GjGenO4aPvj6@{ZE|pGn?v` zZ^vADy!m93l%ctR#c`rX94(r^v;7vS4E(I+67s{U5SLA%A|z>!@cNxP$|kzLF{i`w zVSX$hCir0eFCRXP<--D4K1_pqp7j6bC-d*~T&An3Ir^)i@WsKy%FHhgQ3P4{oqrGp z8S`XYhanh#JrLS%;YdQiPq%vBY6`&Z-y;8jCF|PTqwx8Vk>YD+VIYxTjj)-OMMx#~ ztVA_GoHAnExaE(K(m?8$q9#EsKjFaotsGdt^$6B)J%aUHd9Z#fJMegklyrEwqB@pp z^N$zg!714~>ukFP8vRv&>6)hr#7^~ll8T#x+f;yhNQ^P==Y=vP|K0H{ZKzc)FuIVW zN6-;HT}JI+2TOZ71%*{Sr z2}9(2_Ui4M*MTjsluloJJ$SMmxms(Y3+l|q99pM!;VHdN=&$@XbV~u6 znoKp|J{Pva9hDCX?|OfSSr(yak*E9Kq+I~BG*JenJzR)oq@!Tvo&|dRL&18>MVFvQ zP0kh_(}JNR?xh<+8pw1{bJYGE0>`I_vSxVU-~Cl?@_8Q{Sm(y{-c*?0n-D>cDncUm$YH<1-bb7|5YcN@QOltNks_P>l09wEa=L;+#3fDa zdj5TWCt9<1%(5^HjjL(}tz2*fUCGk?X4zomkgUtUZ{7($jP(uOWpn{E*M#rdbuQTb z^Y8sxyn5Zbp_HuIWnMT<*WM*`RT6bh94)_0!w(B>ZR>ka@c2YS?qcHzHZ%0qGdG1Z{sh?hq$J+_kqpaq^Gwbu&M0YP>++cc1phf$<3F0Iy&1-~7!G%inac{4EsA-wd(*O$W>0j9`&it~O!B6E@C1 zOblRi1JWVwlae$XLcm21@=5q zTa^-`>5Xz%o`~3_*g|(eWNmVv6+8*a_r5R3kIt-{lgU&O@@j)xH9zX}Xi78Fxrito zL{Gn9iTGK7q63>p)#oEYLn@wj&L#tzO`yi>9)(<6i(4DW( z3_z(`k|BO)U0_dzgC)JV4QM}G`Ec`vBmB|Td?@kM2M+qr-p{u4LKivpXZ^AcBGo4u z_uoJCfv&G+C3TbG$j~4@Vug_ewNb_!-1iWJpY-X?Th%I{O%(_-e!G!XviMcylj6Y2 z9dGjemm$jNE03+#as$`UCE@q)>|k}I$WY(iAAK)nFRI%Uio%zRS=I^Xf3Lw$k_Imv zz|x9xZ2KzVTu)nfZYAIZkQ}5-<(rCzgr-C4xg8v6*X;&f&8w$D<_<@<-uYVe)m!(5 zV{-#UiE8JR&S%0e#sd$3go>8|`ZRyK9q{^TW-8uy-%UqDiiHJ+-J zWx}>V8-4Xc9>mEr$9~jEgQ=a&b3^rINacXNd)t9D;Lo)`Lp$Jw3^sS`SYLBNHgtZ5 zi3DBLt-Wu@=k?48{$RmBD=#}hV?{)t$}Tf_dZLxVil_)Ztcc2<{E-cv>?>iuN8O=g zDEnufZ5}*tnV{s3I|DENye5sJFGYCg1@QX6-B$SZu~|V9I6wMJQ(0;t@ry)54ErR( z&d5k3=#3bJjW#?#Pc4fUPv<60kcq?RWQh|KsPt1fhDSZd)ot_{#&;z<8i+7!Q;KYnx#Was`_APH;tlmh#A`fLj7ggpYmKyc7koxA(M4Z(l^IIW5zMOvfSPIWhCX zl_(fV$b0Htnh2u0Me-CT#)$XooegJJDM+Y%^@N>71yz^i4DMc$h95uM0&;Fj!?A8J z>9$H)DC1rD#^j>}b6mWKJVPa+$B}9lM=Z1 z|J$#8<&)(I8QE+!eJpQk^3w(%ue_~B zM|B`i3cYtOMv>s}wsC)mV5mc9|IF`ov>Jp}8YteLN1)$&L-_zFfuqQALnohE5+aok zGa7rVpwbg&joAmJ;BYZIlKDj(Y=p@r7Z+6#ZMHXagN+z$$1;4(3(7)eei8ipt6kxI z@u@tKi+M;{hpwO1n&21m=%~=M?^Vd=(TXjve>LuTz+)VOhH~xBaAQ>U&h}5joG^6` zsXS2viv3|~+(m1Fl*-A@aZ)%!b%Dhgm7xcSUv7B0@Hz>6NZWTe6&51b5ZTCI%(0*> z_hW7Db|g@4JUj5J(jFP_(kN~H76qD_y0;Pu^%!zK-J5R+b4jL=9U(+-g`sA%H}d%x zKJeWnJnYKs)-1+}G|1)eMb(Rpf<$3N^vJK)s&6jJ|=!ev%o$5!j3BE)! zQ-@6Cj9|G;yg%}c8N3S1T4fihLVM~IIhm@@BWJqhvEy;|==^B2?9Q(|v?I>xN=97^ zpM1$5?V-H}JKZE4lgFjeph|wcE5YYbsAy=vD`g(?smqvS8goVzEAtodF7kOcP>_yS96)vpb@$dZ+y!($g9&bLzjJl`1@>?O!vay{zuLi_7%gRD+ zP9S$)=Wq8U&!KX&>@_v&3+TvK4#^11D)d`ViY!(81Xu`~{nG48M|bU&{l6!lfK&8y zypLs*VeD*cm$F|5vibS#>LW2<7;(|KCqASA)vG2}knnW4z97sTiN1U^6FMOX24m;Slal%1Sw=7m zS&tOR@Mj#a>gK_n-{R#(;*H146T$0Gi}!qu_xt$rVz+F{W)bveTHhniC`GB^16*8( z@=!8WcVpF~VhHb>|LiuGhjx!x%G?e~!~H&wiJ)^XIF3qL%pt3pQP6|F)nqq?{q@KoUjuW^^F}ZK~Z|Va3iRWp# zhjiev&2Z~bg%)^Re#hp_=K*PI7ne8F6439K{?`tN{b68`cfUc1AJnJ5IZxRajS`F1 z*js!8VD5w2$|j+H;b^KNv__!{ts`3jJ-@Bc0fE{?J~=H|j1rbMU$jN(Z)MI^vFqXX zCx6o5KX$NF9#)zng-c?UVAo;oNpk~3__3T-ytU60-FkW_`$(TM_)5NjcdfGEKK(tB zC)^VXx|*j2SsWmTWyiqmsxhJ$>hrer@q(ARJm)U`um-m!+qOfu<8k|){^dRWJFg8d z58?;?_*_iLM}eNwddSScc&|O*tFcRxeUJoqF3?yBRlc4zC`vvs2b$ zXBUBIApd$#U!Ve@L$&Tt8>Nx=$I%;nALR*t{RI}3&y=7fl4H@1&l+{<^G|;LA&J6b zb~h94wn1qmPX!XcTLQ_)bj3BBUC52O*;RXx89M8}O{gYW;`S4BO!QYCv-U1$|$(Gg6tPyLI{dQHLI!dLmo6i4q0gU8d z{rTxtjGir+%Z2T2L=UD|C=Pg^gWm?ui%lNq;jdrZ0n9Isz#I6VU)+AoFK$2P7q=Jl zi<3a*?$3nl22`P8*}wGNClhqlUPOn8SRDj<+1r9^k3rEZ>POmVP0=UOz}ur&<>9-@ z!OsJ0*Wp>}$)n^k)o}gb!3B=Y5wtcOSX;ez1Nm+yh=lJthcf*JbM3buLc*UM%iDy0 z*vZcAAJl&|;ebKuUeP=&UR|&PkWhVNFfk_N zDdP(KHK)|!<#7J978-YC>2yV%(LxzWS9*!>UOxsV{%e9n0rH6Tw(kYm1x~1UHqW^I zO%PfQqu9tcrO=7{*4I)f`3QZ8hOZ+9{J8V^zw@~!*nBP@HlHhw&F2bW^SON3d@djE z`af@FKyI79A^2CUvrT+4h6_DOg_CQJC}p3B4aqwjL~-d#4oet;1KGRp=P1?WYK~pQ5ry)|L^()y!u|e@&EPyyBD+4_qgdGR|=mDC|3j?ln`V|r;DO@ zz1&qJrvi7ps$axYDMQhEb%Wumk|*|Zc{0iQ#`@Ec7K-)?uX zHO`D>e;NgemeLfeEf$cRL0b9scNW5XzkRc$xfG>tgNB=8(zktdAXzC&oXeI_@4wJ6 zw@_#V%?S^^_@{M&IrT~nm98Na=6bw$4KP5hB(KWJPsu|`iovtB1$|U`?NGrsl`1$C zv(|GeDuV5|6W(W!sKPy?5SIHN0+I9c&t+{_9pUNP#y71_dnD}4d&5Uw3+_wWjIPZ( zzsoI=K(EZi- z%kLuSxZ;d5G<9nb-s>^9;_UvED+Z6OFWPXk5p*0BbR6Q*GBCK%Y4Ul_1jX<9y(+^g z4t!sa8#Zz>;-2U7Na|D)Km4p2$rGW52lWx`xz+aG99%tL5Ejy^1|+l2U)oH6Yu*9 z@BA0u{0*=FSgkS>r@E>Le6?VudB(^Gt8qC$#o9&TWNU2Dh>$4~ryPB+e^n3|qt-Js z%Lw}2i|rSRzG@=3ZVk~vOEHLl-6xnhAOrrpOy7xJl7hWjP7Y6RY7z8DZ?*DNBM$FC7bhEQ&zhuajp2m6Q=bU3TR`1u+mLPd=z^CkWF&f_+@lkD)`8+5xm9ytwOE z4TJZ2srQP(`0j`i=hI@aH|CvUfs8mjToUu=vlD_(^oUL1w;57lc&;XPSp;{#AmVaN zmd3TS(Bq*_H<@@HC3{8+w{_P+&X1$t+rzIw-P~f@pm{s;`z#_|71gl zB%Di}j6K~d4$)Aw_ZN!=I&AwpWK2LD{K?IoKKMz%+qH=Fz*Gq!?I#WX@j?)t%ei+k z&WZy?jdAQbIjRl=UbWvUABv$Ykyrdg9ztj~bNQ33w<6%J=M+3@({dwl?&=K7KW*Hm zL5?YUS^XLKDwhj$9E@gq6px74HX((1+EVMO)&s@ST^0 z$C*+E#$S`A-Z>_O@a_-Zc)WZByuTN3{NL;OcmIcPHz_6u9X+q@o z!`I~{iz{I?&`4fv_pI{(?s&ZVx4(Kz9;o&yhUn{DaQNKZc15ZVGHf`mJwWg`=1o37 zaGX#dH<#HoGh;bI&~@SaKH~kpPpQW+4os@Uh;AoMLcA)}h}iT;5YF>At6!;-oew}m zTEkyyb~GVHVxL;s9&N0@#)I)11TbC$H^yt=!gvjm7_Wf|_xBp_`4?|~f_FdV4vMQ} zTZls4(817+XFOmp8XKuMCk&;Waa&hij>5O2<3Yy9_~4CH(}x?JX6WyEAqYD!cw^^< zAnd#lgq;_BvGYP9!kf?F-5 z89IJx0LA<43jRA5$U@tERC%ukn20$u<=Lpg^%ABbmRG9KqHkJ8!|07D+|y-5xQ@YA z5e1dzh8iFXNuqIi72Nz{yI?bj)w9_vpp??yY>K}Vd??K>PYTo=Ab~_H9ELgB# zkPSsO*NDaajwZlg{je*hANIra!)};<*csCg2V?qS2i)hczvo{Dr&tO?^`n-YOwKM~u-Z$M=4}t1wRc`x z=LaCXemjTJfuglXaX@p5sf9Hw1`dAoT)KL>6s419zPbD}60QdP`FvN?2x__bNQ(`9 zanE1i^`FPvPkGX%>nBU_?->%~nyD1G2F@ks*1R-lm|If{B!BAyUY?)oFS=MmU{cUA zfw##hV1~R}`@>$?P>7W7j`Bpl39CWRvxwm_%NgfVLtV(GT>DWxq6co>tHr;}3^4yU zRm}fQ5%Yi3#{Az*F#k7Y%>PXVY?CtX8?$O52RC86LT@vmlBi!;C+JpU@0=bTsq#l= zQq$C@oVg(UJF)A|8F#Gy{O|fD`e>SF{akw#xhSz`hfp^ta%fN}bdrN=$tRRra}p5r ziPz8ifGqg)T==2+SQ6%D_SLC33jxjUOAmX5!(hp|{_3;+!6^LkAFgk_F-Ty)%T&4> zFM2||@3T8qB<_AqOrUdmDDNqBxL%UBdY3QUb5WbTK*0;K9>26{*G*7>_5SqNuS4K{ z1#!p4;UH{2;@^2;YQgK3&-bgso7E1RZ;#|5l2Uy3v5x`jThJCPB;0 ziu?C+$hW#?8xnX@rEl8z8YO_k9vzXM(s&5g`Ow_W8;^_wIjDIFo-AFgZO|roBgUCjJiMmJoDNT`8d1Br)b&W_JjSb7u$b* zP6NJbW?RI+4@UD=B#vRJT44GqTcoU19mXu)vP=D_l8E-c?>!}4uTEZ=4a4knXr{+b5l zSm;wMNH+lb6G}08y8(SW?zbS`dlFsF<4F9b8G_oVKKS3(?Z(|-_}hreS${V7+hKV|oSTt5(7KNws8IJSNawtgtKzTf|G{eSPT{XOse`~KsN$9o~Zb?`G*VrIXeDa z)|9{%P!YI4d({p76f;*|xt$9iFZ~qSiB5y}dLK;b!YUChC8Zw{2(8$EHu=kNno4@k-)Q1_K!&%2w)Kq4)Tx+YH^X{`r6>FZlM_PS%Ydnmap z^gNgsM=wvJ!&Wm-n{GvdoUBN9N2~|p>n6K)`hY9!xiJ%{(nR1r>^NvY zNKgSA)G1`)ql3zL*^792)F8zFOfEw{BeG~@p=qwyM1T8b|L$Lew;pvpQab+ok~xT% zlgv1F5`20iL+HZ;qR_P}#cStdEPytpV>rCm7~Icl*_}wS1Qj1f(%-3R$gwg_`}1Tx zWPVz!DteXz6E0_-iLzxO0W$Lg_aov#Ewrt6l~E1d4U(rAC1FBI9&TUmJSOD*S|4uI zDtIDeD=Ax^7e|0DF?dFX#RaaOtZ8YQv_nV77HvKF0^q@NA=jmOby&z6Z>0Y0g_hL3 z&T$>!gpsdtCrz3(;nkpg+c9c$)NgT&!DhxBo;`U#k(*$Tm~!~V7p}=dO3UYL9y)74 zn(-a!`7Y>ffs9MkWoxL}`1RV0P8)FwQMT`kREI^r$*SCCNuZ?6{1UdPjoQHP(v*Y( zbf#~ATZj|>&)?^N|G)pvn^R#nT<>}?fR5T&%vn9_g^l^wbH=*Y5b5HP#emu}v_&=^ z9N*9aMy5BlxeRV$^Zx%nFNU{YHvXOGBqIqQd^*9J6~NC)c;14KsKm>l!ds)^9FL?? zJ@2@amnt_L9o|jSrOpqzCM6-Y114~Gy^;M+pFUhm3*HjC<&NI2>hB~ixucyQrw5}s zOyS65_l&cjta0~)_V!Yk zi;bw^wkq!P9p3%HtGC44AIIzG@R!%Ai19k5Ft&LVD)zkm`}b7J!mj@6ObR-( zA{x6dGzPJ?G|iM9@rVA%wf-yVDIjM2F>^K|8pS9okL-IM3Lo4&tG|*H__Web1od*9 zAkBev&Qiq%QX6>$Z93Y?NHe(G#1SbuT6?f$I@iEBpX?I`%5) z@mB6c&Yb|1%-dAbrQrvRW(z4-O06-z#=qC=t?WQL1XRS@RT@a9W+=T-6cU-0(V@YZ8jYPr~wH)+9jLrr(fixz4x z-eJDysesDm_}Q<>Q3HqT{Qk1W!=UR@KP8$?(5>T)$E$C_`+I}rvbKgt%3*#d+wKj+ z8AKdLHnVv1EYj*Eqhcy3hS;hI`8@Ihv~IDGY`|ZH^}7!ORaUo3Xm4eZoupk|egi7)0_-hqR$}6ar1o}& z%NR4nahqS<3gH3H```7s`i`P=--2B4|6zkEgNlydu`+e0`Aq?mRe!{$ew{F9WnVbxOMV)+-x1#D1uw7pWkr`E3mG%K zDZ6{o?y@O7iOVO7Ej2}Ned6;gI}iX zyXRxa;lo;IM7vx8D%MM`^&*c&S&TJPNSP{mhjLxkFt3Z$R^uF~;CEWFYyz^oyk6dS|zp;RkN6ZbiT!Ie^ z$$5ovXM`AEN$vmYP7n8Z)>=|{n1PF%l(BG$9xiY?CDgv61=)0+8c!-380R*KlP~1} z7lBhomy4(&>ElC_Xp2J-vcIe;d7mPp-^)cj(q(}86RKhUgff^vp%ms%sD}9yO5@g( zZ--8FO7(j})1a|k!jlNtnm(iO>`@_7eqNZRdp;B*U)ClWO+|nu-P3bgk**-vw{LL9 zhER{%<99Y&UkOw?iE~{el|X4zx;^u|J`z)nxjJg70D*1D*z4_zkcME zk%k`az4^{^PdHRvx`B?p4TFG)5XqfOCs31w)X z-We0__uKXBjk&i7zMuI44^Q1VCj&OqOhl)|<-uFtwaZLL4(>D3*Uj9N1)_87OTmt^ z5Wat~y4`OCV(&8z8gTbR)cH%NzP}nnac#yX$6h`{$MdqBOi2JbcwN#oSBD^`^_sC` zlQ~H9g_!K_Glg%6D431c6aBd*WFso%fqq~0y7Z0O0_N4{H=Yo5(AsZ}`y}6*z^?OJ z-9{-+NbimY9r-UaxO2F{-;&D^Oc?Za1+47Qjo$qwH66SV#rGyWj#!t#jViHg@>YSn z<4K?Ge`}-kJKR5L-|B+z$#4nbRltszD+o(cu+&sv|VYyqvP4=IoZfu=j>`aipsO{aG^~_DT*xJ zw>`4p^Xn6EA~6G&-#Yr*u7pEQwE1U=ReN;dWfG6XBOT~g?9-~XByfw4H?H4rvPZh+ zjY$(bx^PgyC1P{j1b6TRZoS0p%+gF5bctCtYxtz0mzY;^LRA~_&qR^i)5^fWl3dxDcm>$AH@LGrM;AG% z=A^c>aex=itkJsy4OBke5~wW70e1#dDmVt2;Dmy%&?E~lJh44PA9IQoH$U!8mA{?E zmK_|lz40U?UYsxoS0LqXWe;(5s{z%AZD3jEeWG%G6q1==G$Pryg{dNWvpI7$(CWQE z)6Zo9&ksHNQ|T&={Pt`FnvnY=s&2VmNpDP``@!uIn^aS<)D1UsH#>)Nlo>0fMk`>2 z_SMkUm~^Bxli3#Fbq0=JxIpwhvH(5&)8#ESlLHoA<-E7HrNC>lQ=DUlAKtRphdvsx zMJ@)sQ6ZVqkj20!(YGxE3N30`&$VUX)DnA7&5wMfcz@bCq%#?wmfQBHET;j-sm);H zm@Hst7qNLIoB-Y;*Khw!EJXE!wpYnaLcm~(yI=dXHH=zsJyQOniURXgpAW`_KnnR~ zLqSF_Q1=sU3r$Wz(`yAG=qJ0HQs&wM#!KL+~}Z*yloYkgh7T^)*KZ zQWwO8DulaHhofQkjQ0qt7_jQwP_9Oo7b?@h=L@LH06 zq>5DX$OUAb)lhg`mttm=6vRa>-n#*-`qwW<|Zl-x5f)Dbwa;h@MtX0 zWI#3=h`C$ab<`ZpU1~49b4Y4Eqwn*STMHMLDMmT~kYK9u3I>&kv@Q{_I&0 zu1b+-N8njev=@kNjb_5!rG(_e4cWjK@4e^hRzEtmyQq+PtriTU!d508Tn9_L^grI? z?Pzxxl}b)p3vjr9T%sD0yRrW#~(9MPa2R)X~3xp$u^ z+M~E#jJ^*;lrcW3F~%pg!uX`d7@yPt%-zDB*2Ql@f2gZ9&Ue_MC!{nG~%Lg& zT;nmkBqj`F3p=;YOYy@S{|JsJ@up~KR!n7*V3X)5{AazAQvzJ*+JvtiKL~I0$`}i# zq`_MEPfTq6_@L2|Z&x*x#84;YF7k;ELtt`<{g7Cy3H%;6qWrSGQHs;h-i3B!&^zW- zvv)}wn);q8*lfHOpzzlRxC(Ir6FjR-JT7J4TPH;PKyH&f);WNmdQs6_ggjz zbx?XR5^Rjs)qfsr_LLhTKZjUoHvDK_v{=!4;OIa zy!MQR^9a~|QlF9~<^Ya4ubx0@50ol+#G*M(51zjt2z*l}0wSKP*V79LTsr!E>#hM6 zc-+pj6>(V#Hm*k0_V4H-@`*N@9$q~}pA+&cpj{H;m6e)EiDh7uU5fYk2OhAp6rW+q z-C==UwsFMceF2yeXtZ$J9^#${1j!uLu@ z_<$p|suyaEisF?~wI}$6CeZ7s5IBw>G$zO?Sx`6C&dtg}8^Fu^#_Pv8Z{6D*Nv;X= zeO}9ZX-}aa6638NtMTA5;6Jvy84FEU_ts4uBD}v(u?==UC+OR7^0|Ji=ALdNKHzqoEB7Dcp2RU;=w>&VMf8(t?uXUr+uyM#%qeb$5t~JHUKcLXN#l9J=K; z8ziiyfta*jt=)B?0f`ZCa`WE>Zgf-bmh9m`-$;7f(!~+|F1(h&O5oALlwMu@7X@&- zPP}%LQW20!NQXRuhvC{~Sx9G zqxo>aKsO#4kR5gsT22PO?WTzCNHgTBqBu57c;3Swv4KX93ZmbnFCu*qP{N@}@c9>G z3ElU|07hv@MWb}1&?l|W7g)9(V6|FbVaCTAj)Xp$E=W;8{@z~Cg`};)wHAVv-s-@V zw>yKDvInwzJ$TW`$Qb0$jImFQD8p;tKT>HM3h3sQ3ru}E8n8@Zdb+c`15KTK`LMBm z0Q{S2#+D1qU^vNUf!8PtUa5T~`Y_gkD0ZK%%WX}DVF7;=*Vs0+>tTfC_sn+i;OmI* zC(PGNkR*^dmSq9S-ud62M4fOyxs@++=qmcnXEsk;;ty1pk5H5o&S_`!qih99eV|ld zPo~Jr2ln4lDy~R&LK`!&pJ%3Q;og&XY9?nL!K&cVbB_uW;JU>jWxL{!EG{z&Sg8dd zo6*IKtOQ=`i#~?bH>W&s>&+~-39ZyyXTdM232jk=X#(0RkFh0)qpv#_}pMT~=z~sRn z$9{1oG}Is<@*432aeG{kq>KP?l#W|J7F9q`3{Kk*eG*ThML*T0CA4IJ3iLs9%Gy(P!z1ij+x zz)wZw9&qDhO`^A@H|WNXr|g7;B2BO5b~j63-1Ri?*zE8auhXdSJn5a5@kDqZ@2RIq z90QGB-b(3l>EJKpch5t}< z`}s2werxt$DbR@n=M+}cyo=%R3VQROUNA%oe2OM2bF%O<@Y0|=lQpt`O?gfDh6aG` zRi?gmB`E#Y@__P!CbVa+Udwze4GoG58+BGH$meRl!t^gGsPfvDBAO%k&Hdh^caKm| z&Gi*Wb45~c$S>sA?_x<9zf_XUe#a8LCuSemUlV|*zjK80PC7zG%s{5-pcNddKrQ}D z5vU|>^>o|Y!|11F*{#^YWW*z>z#d^12HVy2z1#<#QONXqxW4j9!uMG|RlqYJD#zUE z^$0wcz$BZV*(e@J34O(;oZ6f3SfLd0&o3){K`P+5MVgZ!0Lk}^Ek(&3BI285v{EvoKA3Ld`IPxd@RcI?Adjv zC=fJ1x#+u_xC4{F;kET%LvXWwXu<0v0`37_dB3Xk!Jw~Nn32^0=A5}+-i_meH!4+P zZ&|%jSyqd+&wxMt6#4dSl|KbWXC_0dPG`Z&V#8;9=Uk|1I^7^A8-uvoCGGy4C`G)p zH~yHM%LiE^;X8~@Uhu?ACxzvV9UtW#M>a?D)u)c=!$DJ}Lr(n~ zC_or}eMfGO>~@$EdneQ(uZ6ejz()et*@K?9y;Td$EJ^Ghd{u?vnHBcWhN(!9c*lg- zDI3%)`ia%cW8jV6k+rW9IY{!>(ilBo9yn8)ZS$NFvJijIq8e(=^n{K;^N8cZc6sU)r_pmxcZME6Am z&@y{Rr|FOk`hJFe2AvQ_a>DvY`b7zT#7b!;!p1ooiJ1|%{BVsP!i-v^uOHIZVnXZR`}hgPNQ1h!~Mh4ap2qg zX6~b^Es&~J7JvBYkF3{NSro=&aqnl#Y^=wDaufKmyL#ArR1b_Bf6jg)_`nnQDt9k^ zF@ayC7IW}O56nNkXpwUXMc=NaBsv}}Lb(x~CO?jspnyc?MEchRzVn9n*nQa|U{*EJ z=JYNEk^{N4lL|%fa3;}Tle!1Z_uH@B@~8#B@B9S+fvd1poDm(r){Tz-culh2RtvGG z5}4Q88$eYng^w-cDE#O#_(c(+gk+ohg{PP$;LVYzM+-%S!RO0U4qpo;BsweVIFQW; z%M*FQ&D9~utw(QhjKdI(#>uc}zIFtY8}AvT6A1H1+LB3j!A=k`LAS(iC52i;wLhD! z7lSs*sdv{Z%F*owrRc7-Gw{tI%y3FP8@3cKCw#nFjSPJ^zn2l^!Q|^yL%U}hs3h*Z zawS1;N6l82SGFz>KN+b`=yd5LH>j^U-b>KOk+psQ&MS@kynJ=h{f^AA7UJNa?B9FR z5;?p*CB1yx8`z3;dyF>Ck=|~3rX6oHG-khCsPWbk6whD2GcuVBbk0Zi{jtqPc@I=5 z_cJE}Up@V+YkVhwnUtBBhy65a;OqLeEp!6@_UmQg-Lzp$z>Enx^JUOAEyx58Rr|Ue zcqvKH&j`}LB{xCTax^vw_-a3R$`C;~56xUm z|B(MM43hY*f8Oy61NP3)Tg(@RkyJ~~s&dB&swJ5-@XPK7rn6NV-5jHk`Yg>(iGXGH zu_!t|?RyhNj-ETy&?f{Gmla+6x45C>IloQ)V}7v9DfMgl&I{^J*1mQg{IFMMd77)l z2#Z(5;-#>7IV@fVi7W(h-5=}U+?Cm%|9$@D?|kJkY@Span>`kqNy_Q z&j|MykGqUKoM*$9wQ_D{^#u^Q<7U z3qI)l%xrJ2gS(XxjseTpfce!o#x$eO|KHtjc>TTc-fwvK6Yu(X`yF_%2XB1tZEZ11 zZgJ3M{TbHtn@}frKl)BKLmj>^xR07pJD`_y;*NBLxwzT#$i|eCqrhM{^X?qA3tG1d zxNUdG2fgSW8Xyg{2a4=rPMjPK8pxM zOs4Cq`!*!el_=))X+u}AV+z;l4&^}fO9etjO|C$p$XcMPWC?Fw*9#4;JW%AG5L-nF zOHgf)S9DA=hn&pEu055WXi9*zHsefzVlfDjGIVaSt?0^OVDIGWxFn7WZ{n3 z=#v3TQ12BLRz)WB2gpwr%fM~r)CQK^%RogZ;zn#Ug1#}>ze+h>3*&byTg*z@;YLoc zar%iaWZupgOEK7v=@a&2`UECSpKuVrDsyz}E!VR^ zboYaEe+cI|+S@#3PnfFEQA+dO6SLWn-W7g#emoEU)=RB1evKW*uQ9>+H3k^J#slNm z7=cl5D)X;B8OX5za?gZI1aMvnE>7e<4!vA5qqz|o$h}zmT;lx*c`W(B16IU`G=9oD$n%tp2lv)qmCo_n%b}PHb8pTn_fHxwCEvnTM|Y4(HPXE;_m2 zK?hV2?`X)6;}7*gk;O?)O-cuz<$ZCsCH6wj9Mj8d3{g;Xc;D{Nijm0InRSBuO&Fvy z=>iDGcR`J?vha4TSe?#6Gvjyn)81$kggl9?A@RNwIW2 z2#h#&9zDD34R^j>C#m8Lf#*44LKPkoFwEOzByTN`N}b9}N7U5d$C#=6s{u)5VwN_d za#9YF^Zfor5O9E8`K%Ur?}axcwhHgAi=&<5^_{w6GN@x7XuX#~4vmj?`_dS5L8ePv ztw%c%#7$nZ>tv7x(KJnp8g^4eCvGfYdr2L5ZY88p6XrJ`#poS7&uW6Uqw?#G+ht*h z(W;*78KG_ob}BYM?eKC#J1pfy~FH#w*xV!M2rjH%Ws7sHWd;=Q$UIG{|?7 zqbD7~&Sn3j2_<`QXSE#ja|uFQA`e7Xnr(5P*I2gdZ{B(M?>t$&JT<)f*t%=mzN&BO zVOjBya!#8iJo#;L>S;G&{$A`5Yn(?6Qh9vF;LIZeZ*Z{d%O^&HzUP0u33H4$p^ot; zbTQt9CB~c3#CQ`Lxa0Bqd&}epS6P2j1LZ8Mlqwl7bfi7torbFh*aXPX)IU~+PXDx# z&NT#kk}kb;6;uYi=gmzY&v!YTeo*auhjxFX7f7VujZi1lD~XOiTTM9R4L{vJNI%}35`+CMDsYuV9Gd+2_H)|{!+h25j&db) zgqL4{*Iy{}2*pNWmpKH-Elg627=UtI)0h{**V`?uTX&n$2`xGmF@CGLhxobe6X!U0#btz*#d(!oQPolBVHl`9|D3Z+ocsz8Wq0-)v14vFL|^{ZWSg0 za=*T2bNafV%m$Uq475V5qufy_f^JP=9t5U zFEAE3>VfF*tD5xpTH@wURjmir|9M~tS++Oam;WT8UcHa@f^TdI94yM{reK0TkBI!R z$U`?cS3$&fdqo=z4J+zC7Q2J1)Z^w0Zrq~N|(S;Bkg0I^m1qAQ4Y3r&9t4@J){ zG`@V7v;n4&U8MX6JQ0t(T`ukYbEwYd{GkhZ89*$+&g#UF24<05C}t)Tf)vT8mgTt6 z7rPD#!RWj2MvPXYzvd1K^nI9rGr9V*M?8nP)PRqr0v8cfha{K@{`j4qN_vOD-B&TC;i@*g{(R?r=C&4C z_2?ezR#Sx!-=B?m2m7E%HlFodPYs|p&o8qh_&wmAM<#yt&azZb0sYY9`kdCNguXIG zIIOn(7$kdo&^2;F3d+KMuew%9gQTUo=`uYN?)87oTyF~q4uGo@aa%oK#n9!r)tln_ z5wK`$rndCh54gY7=r}D1LezAe3isno-1%q2Kv&{orZ4iV@Qbr;jDs*svz8@$O;~UB zTP!{=j7}Ks^f3(k61YB!k-O9*P(C?{!f4O`Bk!%Es(9b9e?m|Yg9btAknVBo^0F zRyW+;zXu_0GS`W+B{ekL zMRcP{KN50v_6g}JdqM|;^xm7*c;rq`d}YAQ3tVC!g!x|!L0pOR)eMIAaAZ8T)X~-x zsOhGDykx_{K?iabjYmOP%FP=)y1!Ngk5`1Q-w4fTskVjHYxbC)mqFD<#^M46RF4F0 zWCMX|{)qH1Qy+L)&Tn7HQHaJy-_uqw`QiQHrg;7;=4bgIf7J}nUp2th(qw2(hm6@L!>3WSnbp+0lV))Dt3QJLQb`GO){M#;`t;y%7OKp zioJQbP33g}-o0vYRbEv=UUj_W`eD+r;^qH^!J8bG$==dxkILZv3IDxc()Kd-$|VL* z$jkf8koeFAB1sq~7slLBi`8J6IW}(Edc?hTz7dDkNYM*-H4l9Mg*b?owcK0d;e*Mj zwDuc+r6D++{KvurF^~^!qTP9Z5-Ofc%VhdlBSL?#DK-<7U10~euB#4Rxh4-SMx=r# zRXou#iYw#+Vb*ZTrL~*NSP^EnY`t%mSP<;T$auPmgW4LT(v`4MhvjtL53kLP($0s+ zZkN-UzypRjHOS`e!q8|1SCU;#G{ODOg!)kl@) z+>bm?y0}i~Ov31_xD?B=MmWb>N~;i1iJp)(MzC*0Bk`Dvx9a4(ArT3Y$^}}+Jtdx#UkCT9=S?HLGT_~>Q9cd(JeWNh z5c%c4I(!>lK69YgA3gG3%_P#)1owfv+XtG|fTilqqn}CUST5w^E_Rtb2zgL2LN=iY9Az}BBiZ?IX30|Ld0!?v{<^YW z^FRnn%s3;kw-5?B`!oj=eDaW6ZpN2&g>?M&oWfsE2>yCJ@z>*pzaET_@W1PE1(Khi z9-FKr!x8mRKKr6z*szVP+N$FG1d;cMdcU}V|qI~{^1mA znL6rJt!@HT)tv|4U3Ep(LgoEKj<(>t@136T3lng7Y@u>#(FqP1dr8x3g~9PpEL;;< zzu=1-EDdZogP|=$xW;2I7`RSozma(x0qn-9kt8kN`19N1&yVouH^ZM_7k_?)Kfe*k zNWFc1|7#RdWDGfa`jiQ*^WE?dZ?FK%&<2rnT^8_>ie)m^%oMD)NSHg#EkRT5I5W|D z0?O>vzU$Oz0jnEZStZ%F@Uc*LsHnyk_@P`5_Cowpsq{ZoYcS3B7dR`Mes9eEG{xjje9x_dkb&hI0X-$ggkVVOaa zi@qhD<6`qag9gdZlS*r6Lnlk>Yk$QYxc9`*jMpIz^BL`t2?-^_;j+|dT#+Cejd&2; zo-2o5Ys!RuId}?)OB!hY99Ko&RubOF?y(~UrQ{cXW^EB|=sKsEr3R!WUS-Q`bwd?J zS3g}9wS;eKH@GtAOh7{2)OwYh6P8@746|;F!p68HN8m~%qM`KF?D^yaOhn^~rDc&w zbcLF=_J=2cPVGE1=4-rlOvnFdq$k`5(Xe}0?UAn76PNw|rf^-=*lYvq1Nph{v{u#? z12|0iGl~oIkKaAHX!c#h02qb$aop$dLq8)b{LYuTK>c%3=ikdds7{{s<<;X3K$JQ_ z$ztdTNz9N@et>+>&<9HG>z z_f62CJ@DzW)(>7*g|UzKPogr>pR2CtE=Ax#@4T4EF`P3zx)7t7aK#f2 z%NE;<_p`#xX>(PMc?LMT%&-=@tA@n3q$!uIFrKbu!RV496P(K~7xi%DfTzAxDGeG* zV5)yUcA!`u=&0xG`Z#RS6RphbJ~A1&_&dGA*=b|+D%EvY#&1}Ep^Vz;enV3H{6d7E zU%2t}%iqy|^9u=ne)&5Z92+xFg1rw#O)pi(UX&uwtww4UtS^$hW1&=a<`ksuE@)G$ zV0pa@ev1}DzIeTx53hHt;`MIK=kY(in+vaZtK#);9)kG^yrT);sUJe%tLgrjsha^n zx~miRJjx5S+sl&M#%SMZ^Ibp(vPuUcn49tAsscHgBGCD3~jg-dsb_aWEDXWQrZO8{e+FjL`eA@qzi zkzW7zSCuQ-eyNPhBCwD9bHR^CRp|Xe8f_N!9JrgC!N__oA6)wymm1cp(2|$Yhu!TQ zXwtDL%V;WqPxZuKpX8gtg%ZQ*_hWh>a_g>mn@Ko2^xm5H`i2?&=u&vj!Dt8_N*4n^ z`dAX2$CMkj%>Jk~4z{{4HR^rMM7=9ju6N%=Vtst~dD6bbK-V)jy4i*})TQ_$`C~x@ z!TXDrs;?BG`Tsqilu&-lCFaZ>4k31!{^O=|%upPuCntX$|D+C7y)4wr>^4<;tR$x`A)A&nPsbzKC#u~AS~(!1 z`2OmWTRgnZ@PF{`a2k%$V15bWo#h+1NOJ?Ml=D4t8EeAb6IJzl?RNSx4T-&QW=aLgxn zx>o)L#xvEB6cK4IGXw!5nfqh3W>7!MZ-Xlk1bK?tA5R=iK|WcT;fH}4%y5nNpF3&{ zW{gi0>WG8U>&Khi@?}C`b$pFtRu2K=?m&0Yp>Qx)m}hoN_k+7yM8`GHMk8~V`ttVx`Vc=W&m9%N+LSQN#gq~IN-jQKuCo)n~4d6`4fP1kRHK$G@<%+qGoR0rz05uVn^=qy^;{P${Fu~yJrs`UN?QKZwEv8@tqD^r7)l; zkM!)-PQd5M{`Y*?EaKCx$K30{=y7oHGt)7|^3B|(i@yyFMb*=uUM>f&F)R)9aWq{0 z{AuTAbSt>x6hbSUZ9%wY?qd$-gDgG0|J2Ti4eZKV)$C$AfN&QF(~E9PP*cIe^W`#Di;oqR)>{W|L-DYzS!P<0Tim&zzsc)Q18b#7yZ);-^7SQ1!g zG_wf@@_~hkpv79$q%e7H*EkyPQ8FwaoD7F+Zcp~NkHi4o<#4CoK50;2-y2e!mVh6H z4yJB2W~fYUbM=6NIQXbMT|NGp9fhlCubjCcPVji{ceFT)KS=>?ahtw$4(5YJx*;w4 zZ-SsIA^!OGf(S?^J7#%1^Fg_FAyJi!0@`=?TQNI*FmifVKA2hK2%AU6*azlZk<^9s zYlYN8Xo_M)cmU&Ve*W<1gZ57xGlsoc&LmM4|!#5zd%_fC)`+`4US(Q2m%s#4Fp*)A$U*4PcDR~R>fUgdR` zhyV`#d){>M&l{GD@xSLy2mie3;h#56{PX66zI>;t{<5PAO#=5~SiieN=1VI*HC;+r z4Rr9E2@e8g()~ELZ4WSWcg?j+NI``9c?jj1sEohXPS0pT*H2z2qj+5kXH}#r3ngkm zsEqzH(~%bRrI*3Z>{%I@eEs07uUQHQMz}_1dfi}Wl*#VauyQelP>Bw_898w$&dv-aX7C@?HV}BV+LK5Z_W!)iG!zw)TR@wDXU z4TlIFpa1RO38?=QxZk%K7o|`Z!+2-IXAK94_|UNY&)-$4te`PAT-9vK3emyx2E>?t z$;|jVJ;wV4!S#f{U(L3y_H#hRS;ZWsEMasl*7DuWB{5WX)W~lxh6UtgWL_e_6R@|m zJwDWY41fOr{(T9(pM>^HmWBR$e!^cDdSiL`vvtkTzBw;`S#C|x=xw;~_gNb*m{ist zZZbw`cI0k#>EtCcdVWKdky&(lx#MBuIbvp)iC{BYo53T2nNEP5as zX4Y|>2kTEg4e#AzAlzlEERib$9QrH*N{*aGfqj#v!`SDt@*^PoyX2tQ`&f88 z&Rvq9s}ABn4E3_jtpbJPH7ND-0zS~&_%fOWU|MnvfT&N*T*?%2;bh-$xl z`}bN56p1_C%DQBP1R=cHsw^6-SJ|KC7r}I7D}z@wr%Dl_ybeOI=bMeLmf4F4SP-e- zf8c&3P-RQIr@gI4&tlXc)Bg;GiPR|;FUcsdT@icJgw>Cl79sLJM>En<2)steNDUK4 zMYfNY+mTYO-nBaQGZ6T(#9e5s5$<z)>@rKS(F-g_f=nlGx{SI7*p@(fWA&OT;iGYhRM3> zOH*Ucu$Nj?xY6r~-t+GXlUurA`InVp7Zy$6G#t^L$~1?>(dIL5ajvMt=(&mS9W%&W zE{LU3!s_;BcaA;0*Mf><12{9Q&%nMvf736JM}W`6jMhn>Dil;ozx)xZp+$z&Y!~9d z;>{nL0qZv8KFQIOc&8HNM#igj!fQb7osWL+p$n+$+ur;6l4=;Y38<0muO+y?_m8Ki z2nYD|ZoceuM`jUy!9=f=pm}E~V*aZv`0VWC{g`M2ngV>Udm`isuFn(7>-+!uddeRe zA`>-Zm^ZUAPCVx%SIAQ!39W|{+RxS2B>#?OI2r}i7c{lJJ&&y1Dr-*Jr-GRVhDLHMhcvq3y4w?}@cI)4 z=XLKQ7*^kXvR*}vO1kBv>CW-NU%EARON@(hq<>$y*<)TP>kkMx$H0s_mU@=a5D!=m zeN6J*^FY~mp4%{7&Ij~Djx@_O8#4B-29IZDpfbz-Qq+3sAiVK%=JnNbME%rk%%Hap z?fP$AJ|}w)*q1_JS!Doaa#QP5?5hXw%zI#;oQw=LC#3iP=p>joLa5$d;bLB3zoe(*TOInZDlK505w4tzE?p_|9sKuhr0&!Gu*z^(XllAKmYYrV(Xp9En!X3v7B zCmFA(G%v@}4Y28;&WYPC$pv?%*SMc57p+C#|4bEt=p@s9G;?Ywy?h~|d`STO zFZK36?W94PN<@cWXr9FL*39sHHgi0mO%u;&Q^oVy)bM;Z6=q5L@5zS~=sfcflJsMWrTV|u*N9qvqnF;g@UO|-Hrp$R@U zQb8wGt&sD`+{PlOCeRjmRkWp9gJ1K*rf1o%SWc&z?Q=VGSd{FjV9dn0?emX!J2yR$ zpqaz|m11)sG|!RHex;PaGbi~tOdzaus+{?)GaOjn{BV^z2Chsy4p=MLqUS1+@h3*S zQH@|0Lz{9S;?^Ic^6zp$NAG*~eyGZX2iat=?s?Lq9G#4a!p&@87WnWz_g60JUt0Mj zFPKHJALbulS`3}LhU<6C6oZ`wdc&z%an$Wx^vgC-9RBVML<_!>Mx|Nx;&T+DVC~ZO zp_n=t37a%~CN$%KXx~-$ws1FCI@Tq6G20SCD?V#lS^e~?33S&pb@;dX(Qfzm@^+ewKxjVWCfAVyL1G2CQre|@ z@Rl5qKl^Zb)x#OhYBz3+yp@Jony$aGtl0la3rrlb{@s86c@4aOUJ~!0m&g0(webFV zX}o`43IxSd*o0SI5j*>%jXG96)Fb~UDqaTj7ih(q&6_$vOEj)?^@cQfXUlCW%}}CN z^}b)XvgJ_Rv8)ppG5+I%Yre}#d3ltf{=Lz-RsoFJ<~6i(>A++Eq(o7PBq;}+5JQ&Lc}S6jR1D+z@1kp@2)#q(an z{G!bq?|lY&FbaJ!x!SfMgw*6)rp*XL&!H`uu#0>UuDz2TAY)3fA99g{iX97IMCGwl zO6=J9ipYmw@56~9Es2*UzaN-^sF2XTqz4)(GI3qq7|T`o$9t#1^WG2OdGDfl-upg0 z@0|kv@!rYdryMm?@q{fhc9Om57orWk5B*^0Vs5GPeIMgALY?@$gQQQ6>l6q)JnW%}@j9 zVy)^Ew}ZeSe52Hqw-UW%d{*ZE*dM44QbpMC1i~Z~@A255NgkM;` zci)K{tY;kE(a!huccFVX(epL_6_(gI$<8JcCGCgeWdxJPn04}8kp<32qp1tEIBxcf{c zKtz++O|;mArcPdtjan@y_7O=z`ZN>opP>W z1owk@uRorwp4CQH4m=ItM7R*2s7)OENdur%BMW>Qrw>m|ruNu>OCh7Ou!?Ofgs*Q~ zAgaryoYvpepz?lI8;y+x`nJIoFoXHiWIayts#vMR{QVQ*jE6KpLqj3$vXdv!Y`^l1 zmv=ykgMA{xY{BRuN93jD-^q~rXzb~{=PAToC`pw0P!ferGPFpWxI)(rm7>?%dPrc5 zGvT`^4$<$h-qAa%k7DJRNa``Z3q7ZLY&{bW_66HKq+33YJ!hGROJ1s>9zV0h^4Bcj z^wwWT^AZy{+Z1p8K6wl}T>sosjy(>y-;=(&s>_dXKlPt$*x?}j(mRp;5s~OA-Ji#I z7(+mk^W9_d8Xr{6U47NiJrL^O@CklA$_2slO6UZRN4YHf5qmskj z%S;u<;Hs`Fxh1TJO7G6=oW(eP(-D%|Vdw0T%uuuJ9c4Z6IJd5kL7hM`ebAckxC0WH zH7>cOVhI2EtWJVu`%FyD|Dray99lTQLoaTjD>m{kM=un0uhu4r@3ABLOxudAK#vGhkW_e zgWVDCupYwZc=)sM(e`psy3?HoUuca_V!LE#w;O~%j&TXpE(fO zWcn_AVuQOcggz=vE{(d7@rJ(hG=eSt!&$>Ce&|Z&kuVaV*ikMSf%W6xXS-P%2E%tUT$)T$2nmj^NF@t>1 z->h@yPEe*jnx;%{0`Nn#H0hcZ5YM-ntemxiVr$B;m0Ok|=;1osB$0qN8P-zRWKUvw z-6y()&KjZl&&5w2gao0uF2;3Yi3?&kZG|2gU^(D_nMzKFU^)bCNQSHAf6u=l)IWBz zs>}As!Vtolsz0d1`oMiDUy_Okcf#g5Ba_bAK_uk0c!BlY%paK$ulnhdgje36Q1I-x5>E!KKdnsu zo|yo0OutG8ecRCda!jK#Ceb{fx2g&XOM#s-qrGdV)8SHJ4++xOO^L*Gq{poyYzrP z6ODdwd$C2{2oX0D=E9f1 zcAzFQ+usp+xIl+szqjG=-sio%aIkUXrt5r^g92tN8Hc^2fZjAW?`LHg@Y=)}2d82= zrMh>I24FlEzf-OZWW2gCn!NoeAR!v@$pi$17h6J+m2H@$Q3#-`@2-#7#~{kwz~xHI zV1o0n|Be5``0?KiKmH5i$A5nO_%DDT|AoQzL$Xbbkq2@Vq%uslH3c2c(Y8wgr;x*d zoTzaE1B(CEK1p7NtvmcKo0yjTU;m*H-har8_aBOypl3=}qU_B*rUYccpFY>7|(7fZ*3ztpQ zxMa4^pb{#3KemX|FuIypuk(Ho1@3(|RJc1p@cc+6{#8h;9=V{_kmFt6(44MGc| z&U4A(U~1of=nkQ_EDTcsqe#56osV0<;&l~{ZA#)UhR|0iF|9& zsTk_!E3=0!3wmP;M*)=A;nh~K=!VpZS&Hue?nk8W1@ zBB4lHJI5Oio8Ow6zXfO#><=N-&m%0qvvG$}2R=7uB$>)sqMm_Gi4_MOpw2oT_0~iO zZXEnP9T$J0jp>q`LQE5ZNZ#nK5IoU>t^0F(dN!u;^+sy( zDPw)0nryTooi>JQQRQFPRQ2J6+1~}8AOmpV3^OpJ4MB@O0x5#E#_%lm<611c5#*g3 z+ME9_hBi;}1(K6lp`7V@X5%xg$YzaK^p>s_bP1KTHpL*cb)26l6H<^iZ6@9jONutGq;Zle zNZ|cl40yi~Ki)5d<@Q+c$JEHs@qQs1{QBf5etjZ|U!Tz6*C&+t^$8VzeL?|` zs($Yu9M(XL0yHA0Ni^YniVw392@i4=5Ev%I_>JONPTZ`%23X;4A?6iR^soQI2H$@n zitoRW#P?rF;`=Ye@ckE3z(wmTzS13y0!>ofF12u;R+u(!%_2RP9Ec89A4WW zTo;4Za<7>*o$|-md-vn{nd*3crX-%9NrC5Qs^IyVMuhv3+EmhQuEs#Hqtx#oE5X1^ zbvf=lPbI48w|jVuG#LIGaY!u7MMKZ4V{>ZG5m2I2oid%1fi8q4T>8!*k1k%QUSX39 z0ef2Bq7?ZcSaJvwYZHuv+6yZhM^=>M zWf)RcR5Wm%(1($ZCy|_=Oknt0CC##~54fxh(7tr{gz&QKJH5>w@Sz(!CeGtnFiaL;rXC!RetIq zPcEdAu>|weokcf$dqcg5G2fO^%-4+H<)HKVWJCSo81!*$LNEMqDbzJ;TZCp60*mn{ zgW%KR5Pkd`Wxt3Dq7|rB9qST?-$$O4#t4bQKF;l!6Lbi*FML)qb{8U;f6j15&R5A% z0X&+siDNTWQHG%C+9x*|Fq%HcbmWjcJhZ)1Hm|6QK1oUdtFJJ@JR&`By$GKUcVN$q zCmQH;g3P0gGr?P)Af|9;ecxavQi~dEFxYVcQ}qS<_9|C+ai^8@r3IFUadc1fvxpn~ zd}FZ}P?w6x?1HY$(6|8>wDyUL&jaiP%h&FVb09+JM?(AY|E+&a@arFL{Q5@#zy1-x zuYY*(>mNZl_Cb}F)5{Pz-KRU_bi=@}zsI{R9qaeb+8<=q9R-djm7J9;L&5B94~_WQ zd_*V@#Qw<1<-z$(NS@4CKyKUZFq~Yk*%a8Lfio<|d_W1nd zW;iONURO}PV~Qx|NwyoE0|~Bg5ZZr4Xx_w6TSX=3gm`!w-_B>@UV?0IHbu#K^A--zGaZ+#i)8aoHnD@H^6Oo{rrYw5@|PG$0D zPB;J;{kyH22oO=-zeam798M@+$p2he3*p~AZrO{J!HpJ0D&B|&uwNg&tUFc(Gi9)$wp~Ikb|Q}~qP^gFlfG)tj|_x+MD^Da>t{Ul*}yuY&kfG&Jmk5{BLm$> zqM!Wz9ZdYnRbQZf*d=kqhaWY#@PhwzivQiJ`16KEkgBQLiIR)mj)gg z?GSKX+%WJ-@qwUkL{$_Y6H)u573VP*Ecflp5K)G=AN04}eP&Y0dfLGn;?|uX>Y7I(M%~l&cO<2d3em?S*Gx6h`5SQ; zqcGZ5vdnJe`*l5tq`2jNXH6f-kTH)Bl0*|8{;vD4r=ro%#QQ5>J0Ye|rVJ6Y!Qjoa zdh0FLf1b1|65l54h|WtC`Ck$V2L3{aBDxVTWVl17YjYWgY#Drw63<$|1m&wc@Ab_w z{Vr&?q0JF4oDILGN{sngb5rk}uKn-z-hbn>7=C|bf!`ltJih<7p3j(turuld zM=P6O$X`w1=5SfF0%_1@F`Y<%uLE2voOxUaHITS}|LLlJS43zYI-&jMhucIi*%4d7 ziJ)5?vDmoslg5~BPv0N8zf|=lVbKGQ{pf^Kz9uZNl^g3wn81YJyEY>iBV_RFi5wfh z4WcWZ3248j2Djxuy7N51)`5njf@|Cc(EnVoh;&vLw##f?<+1(u=efTL4i&m!@1`s= z9v6V*DY)o)I=080*8n5Si;q}~Tyq@cY*K@t_dagIY z`tS4ouRZMNEuip%#x%E%C3GLKv%AfSJ!fZ__`{#5LWj`7?S<7a)N^)3<-u=bg8c(G za{WGY8YUsWiTFE&tn!Cz| z4vrpt`cZpH0a0>X;CVt%4bc`P-inpfAaRUs_F1$5#M{g7>r?2w=~ z&v+D!`MLx+G{+z|rn9Tq{tJ@c<|I4}PC_B)FKkhpL=x! zT|B>C3kIl+F6xw8qkbAbFJY_Kn0ohiN9#xv6t7_4`lkwSn*7ZHR2TQ@~Vt% zLsM-N&P6+ez+_i_mS*`p$R9U-BhXTgc)5R7I{fxT2WT!DFTJ~r=i{A(_}TIH(ohQ| z@@)Eb$U^}zyj@e3l*|Wn*+H!2gHj;FpPkS+z(X*Pj`;VB@TSLBz;F(}1Aq*Wbu~pMizS6JN_)8xciPMyv9W52)Pv zmTPyj1w4m(Q}*&QP#CQM5eegIwDZkkI@{A2gsh{>4~b}_nfn-=+s+s<-Mg5a`OO|! zox1ivIOT;75C?WOe6|Ia*`d0FrN;28SImXKP5>n@T{<-PO9!%9ZOUTPxDgYpTxgCw z58|V4kj%eoiE@=WMa9^z!1)*V9$9g;fk^RUzrR;09OI#WYe{zj&D7I8P(D`=T0JXN z=axrN-`%v?b)5>x`6fo6y-*0!YI@G3e-mJ)TVa<}A^?7~zF+)Bod(zsPnPR;iD3VE z;&9_-6F)cj*IV3LCBA#pNdWii2hugIE#uW!TVoh2N9w%rLz#U zIgNDUT43L1jCLkRDLO6C&2r#m1+R?`W7DJWo&I8*vR&euiikzUmFZ!bv^~Z?yG+LfKeD7sr5d7j3dM&FI1>gQW z-V@t@8YQVozw8Lf1eMeB-NURk1p8?fa}vfCntf4W&z(gRY#a~x@XA>6l^OcU@O-@U z9LBrXDG$s(?gfqF&!D+Y0{ooZwin6LP~@TYqU9P-v^R}w4L_8E)jGF2)8ulY(Y&Vd z7cLKsiO$||XbnMw0@>KA>DyxxZyj70~=COBp7N!{fQIa!@-46xHVPGxu8q^B`GFTY5f< zyuDe!zjhwYeu}q0gYoD8TGLUrw)Vl_blo=><9i|Q%*m{3+$GpP$XQ0tcmuowy0=pj z=+QbQyXst&0^CnK@SBKA3mplT7d~RCg~l6%=3qr0&cvKK6tSmBupgVye*aI8|HvNs z#R06Q4wAzo(r7tkuJI7YCw9DjG11hB3x14D1bd}RqEWeuxszrb1m}$s%BMYdt@;H^ z5SGhyxzIX6NCt|78Lm$dBlsc46|iZo4dpGruXG624FCEQSu;d zi01_ zv%gyqO$>7GBWq;>u1W5-ony>!{9%`x0W}SLeo);1;x8@!{gT1=M;yiXN6_N?BM#&H zBWUpb5l0C2Q~leYn!)*XzsfhOIMn4JtV={<0VjvpdV*Svp?raQTBq6-t%?NPn(WfU z>(Nr^RweC;w<^w|!XX*+p*n_EAJh4$!&zE7Ff ziN9Qun zx?DTz1eGCr!`6Q^Q0XPg$GLx0!8xPaj{U4Da;&S6(>kIKR;M<03ObZQx+Zw$k-Hjv zA8uJGV>d^SS7NF5aJDESa{u&~c^#O3Y3tsMt$R5IB&0RL5Qbp8p6sh0DZrkQp6+y6e0Izwdh4AwkXJzDbTDI^@t!+&fAEgpMc1 zH_SJV=uU2y@_0!e~As&Yi}Mt&%zD3 zYc2T+t&%8f0hb#%$pJM-_dC}I3nN1B5243vxwMZ29sKX}3!&#H^mszwUqbKyzk1z& z*Iz1{?MTa5?O>!pE>`rHG3=(<#63uIM_I?nA5zv~KG&J{D6Rq{U=;~SPD?Q*_`(e)MHop805fFR-*}eEuVR4*qJrjDAJZ zPcYxRS_>p6HVsg^QDw;W3_0LCpK$ZCw<1V;%^FTpD?q}>zqry~0~Ai(LI3NA62a#` zY|HL2pUBJ%;5=WvND%hhCTpfFBDppACE`%=>jiK#0J2-8VYka zjE|^&J&^3)l0W?GN3%et7ca6{r1)B+|E^{ zY5;u{Bdw7qgHdso=5rz&V{l@vIxkp?`A7nrvLud~5}dC=Xum+gtd#U!Q4@IMtX8pT zqyq~Mo#lHe!RS{M&rxz}18^als}ar9hJ7IuagP4_kVG!mrq_7@YLhgC`wR3zKZTZ8 z_J9@=>yWGcpC!Z zK3LpW2jf~YtcN^18;<8y^5FTF+<3mF9-eQ>h38xH;Q5xE1p845)sHsicwZLO*@7ie zlh}%k9o+mvBJRNwiM-D{-#?!liuA>Dd)}@1g7@@%&_O?c_*Xyo!Pn2D@%3|WeEr-T zUq6q**Ux=`Lz_P={z(ebVvAID-1Y*x?fqeX8lDhyZ&yH6G!QO4Uf^Og#G!Zha=r*> zIuX2Ic*>aRsu`t&9+Y0(oIYa!U6O~L_Qu?iW?rMO(Y6@`G8}698^n$@)cs87*3Ajl z3kc1R_@{S^;Pq}%yxwh&*SiJqdbcQE?-qj4(YffOI7{GpwEvgvS#!8~SF&n8C>)89 zd?jCgX989odN0s@%zq#Ke7GRSlwiL!p?Y!Fa38O!Y6$e-&?L#t34$BNXRfMZd_ysJ z<79#0Q^2BnP;B)|Fx)ho%WmN;M1LbaF7tIHLgrt#Ma$w0Ac6Dq{8yq-2i+eo@;7O~ zd-rO23bvn*=&ZXgp;?6p+gSix*{VR)q#={d!XFtx*b(y z18U){{<7eYTAp7!7xu~;&c|HIOQg;~>Z|4_zC4M5ry)E)-xtKdhkEBPrr3O*yiO7( zpp%UFFW>5JKM)Ekn;S_TryWtSWuj0~raLO&7&iOz-U3p^C7f9>?wqFJTN=x|rr_&+ zKevv?95l(gD99G|fS0Y=|Ls9Vl=MxWVY5L2IaoCbEA3gMX47|yo0rw#LD_VZ+-WSQ zp1^#fi24WYoLF5%p6bI*$}`3gO{6@=cG(jB&QxYRpMV3COILbQ4tXPL4F?0aS&aAg z{_b%htnS}fG~h3xtp&Y~YAG~}fmr>+^KEjXC3Hjv*Iji?MhBVcOBv6FgA2vu0ijJH z^u+Pjt*2OB0XMjK{$q|Jgq)`Edw5+7#MU=|9q`db(P7t9guiML%u^+lzdDk*tTszp zj54CS1@7I*0^;+9>XIk3k-j-`TII7yl-@hwV9b^Y=~s(h#V{2Bq4{xy^1qEK86z$`zK5s0M#;fbApS_%+nL<|O-~k+bb7<)a@x%K5IB2#sXanHZ zGdE==)@;P_CyTuEDwc!czGi(o!WB|A_dOJkaDm$L2hFr&s&MBa(W{NRKorN3df`Hu z4-zmm((A_bl9$pU)br(Tkb0|Fjx*C7Q!Z$(M@vjOA`_Vqt-zI1%DV?Ec0n_yd#3c7Val+>l z8XT?W-hewmo9=M12&t`H;+q$WKo_qttq4;Ffaqr4%J4l4M04Kt+;{5`_$hI2N1OBv z{L>c@USHtF>kC+Z`Tz6<8N9xrj@K6iK`{0=uh^h3x|rnBdPvz87(a{j9Gb**0QH0K z(&X&ma99$BeZDS=b*YoqNny}|ErV-XH3VGMRf4lAK4sFhM5o0x?DEPJXlhK#%;P*bHn7G6l zwDMi7`h(+;4cn2zM?|KeC#hKPh0}rD-466?0ux>*f>3G~$9b-CTUf5@{N#o4PUt8bing2-(S^0>H}|5PfQ+r*%VkO*RWq|i zdXopETbgD$p~TiOxouwNzk>Cj56|W;UG{*u8%_1&pBzBFc$F_|${(TO*YAsU3}Aq? zfWl8)9pqhUxl=PV!GdQjYUhL|bnmC$n0}}Z)D%p-CrNz~n~IsH`Uz8q zBsB7Vd~t#>rBD@PVn2SgK51j?x?|Jlru}c)|3EZaplt(U!R%t!_E$eAHn?ybH0a$e|sB)jkWW*vx*sF9`N4zIV6VYrC$Ed{9phJ z$wIv0?N-S1`Q@-<8-_r!d0S)5_9W7riLqCY|Dz(kz@^bfqlA{j;-Y-ma7e)pegFDV z8J?@euKuR7$NK~Sdw#1CaUxw0mp05x2dU8D(opek$7`*wD2V;8&B}hp558}9(mp($ zj)=ra=|62o13A5$m>l}7QWX7%_~w!Y&^qmVD0Wp9WT)TQmL%ga&QhVI-*+pR>i4qr z(@{iwcPM|gY%#*mqLmIJ9z~Si@RyO%RvIXG{T?RAN`cq~mo?!|T5zh;$#dgUMt8pR zq%xE8!D`C!Tz`H}xWO94p&BQH$|fem*r%mYJMSH5FEwru9Va8bs=-h2{1va9{#I>K z4CQ|IN&T&7hN8%C3Y_kfga`-w=l(w8K=kTCuYIE~bX=o2!)Jlz9sWr-z8S6n_KJoI zzB_{G>acu~^8}V}`BkNGb-?A*Gq)f|G}IrU?06Y(hllt+E7)6 zn?JWnh^W7)oJ^K$&pN7$6w~{sX~YmDyvq_-*hS#8G$T68t&CK7ANtBKi-X3&gY(fV zT1boeVE3C~39L`E@$v0CN$??~8+lsDL-2l((0awe25V2`B?A{SpVzjYl7u0RdrxXR zFus`KXvch_I216v=D4(~iKJ(@{ttI=8C2yPy$h=--3q95gS2$sba!`mcXv04G%6h; zA}Ecr1WZs21Vj`uKnxTG1wrKO^LL-`zvrDfGiToKYxZn5cdd2RW5)IA$8)*lJ%!^Z>zP5v$O2U2GhYBD)Hl=2f zDGPm<3?E;@`O;GD5_4;4%Rrjm#?_Qp@~}?X$QN)=8gt$>R=tVvj&+>7uLST;3>b)L zih;L(4&`TEOZ256s@gD16jYuJP5E((gZpn4TdfIEF!H!I-mG7MI;5>krPdNa)o(65 zmnC5NWImsLu?1ywovue+Ol0*uM2h_atY@uJCLr&qd3V0-> z-cg{l0oM#V&kv;RNI&cM^#*%GXgXzFYrgG+K0W{bLq1<0wg~okA7ttR3457+d=v$E zw71;}Bh`SXqf=B*(rr-dVUvqe>eBE#FQ7^3l_8J|J3ZOL$qSan<=S->BKZ6`c6@#u13o{F8=oJ?hR=^X zfzOZAL>DFZ=8|5SKr=0ARhzji#Jx+kOq{hqzgq5eS~I67x~z{nlyz1rs=xsKjBEAnojc6DV$y`vXC*w!vyMhj;fB`)JFgGZl~~iH&MLa zjR&uHT3MET{Hvj6^KSYJl)_&k9G+sdFR}YW6?dF4nlzSL0$^knr^X(h7mB@=iuZmYB z2Oby_%^lpdfn6#6t{rh1WFNeAt%fHQm31%GDV(u@2p#X1vSB{3)&E0yme2+>zYc4D z3f6j}dfJL^Vq>&VbzE}WT@$rlQhZqWK@iG@f9?36RE8w3;#qf3E2L=1r9WQd1axfW z4Y@C@;70n`wGn$WVAd(`XI+Uxwxh132Mev>^WY?lNLw{nfi{X>OesD62I<6O~5)Ii-|iVL=JJ&i!LQoFqo2bNlel21nV}xA@KK$*bJqgY2cFzHGNlKsj|f?w?na_1R*_bQzzifK za$$F4y9^%69q(^Cnv9yh29wVz6r*PHi)4EbYVdyDws`+}ExiA{9^QZ65br;)h4-Jg zMdMb+5m86NU~;0dHS}~b`glEyq5eWBGzLvmvMq#wzM;Ev(d8gSc0I1&V>Su~s;>~x zd{Rf>Dc-QlO-rMsmq!}NUn|1&t-C(5W(Ziw*kp_zioui!PiW~~Mr2F4WIrdC2ToB! zO%i|Wkd^#g8XZjqBydr=-_0wBKOaoAr`+n0`;qsAmR7#dydv`MZ%qh_T|3uT%7NoC zy}Ku1dD;~ozF*$(+jfNZ?{>}}=QVIXLW2{AJC2y~5ovjXYhMm}!oBp%Q*^I$(Il;$ zZhT`p7&eEgexpnT-kD7I^ZmJ~@MNuf{8Tb#{`r=<<7jN)9XHH`jX6p@ht}!ktX%4&U1!$ zO%E>b5(FbR3quC60BiW##L1Gpbqrj7s_OjlJO)j*6O0c$&J^Ik>qd9PylyjKBy-m57-?^OuzSMcBc(y{u1TpW4GLqq!CzYo@VKGx62 zT8}lK7whLQuC0uh@-YKk{VEnAavaKw7joiWE29rV^Fc&^7+}>!_{N+%Bm9~zS976f zz|93O>`^*vfEM>cWyO0P=)2jcFXUYmfJl3G15d{Mv>rlo~>Jz(`S z$NKkT&D$-$KF*}`kPed5trw1jAB7W)v`S`F9B9xZ(0OT}8g>p4`)?fNMrr!r_yh83 zG5c9z#VfJ?y;$q9u74I?hE$W$P`DHk$Fb$=56AMGiKMJ>`GzG2t+}$opzr5zfdbJ$ z&@MUXSkzmJu<5J zM{|3}3SP=ak7T;?ASv_Ulbw+gQ2$FqL8R9NJ#$td%U?c?yMOFeDSt>n-Q7RW#EwW{ z#s}wS)dRIhdBBI}oz(t20rdT6!p)^UF1Xwhf7a(M7exH|sKqHEj*QQLXqWA0#hi~b zZ@Lq_6OHr7skf9!lut(9a&A)%1i1U%aEd|OCj<^rPIlZBOG8iOm^|G@ae2DzBtOsg zhe1&6hiMuie^89Qbk9>U1G$C{=Plo&nf8kRIjvzEo-8eDE9^+qH3ghnR-Yhtin)eH|G$D_h!7 z6torCY~$b!ZTs7nnv?FRYcQ$ngQ_p^KfPY}RWt+*^hQ9UaVX~d{Ywe+$#t15PIdd8TAYIL)-p8y$#xA3S;ycQpkwf2_Vk^!*nhE+E<;J}aNY z1m~v3?(p$(0!4dIXU-`uNF$J|k@>)c^FI_{d>p8Ou;ve5I72Il!eo&_K3lM&9}X{} zR@C{;wXK0Y{5g^cHRk8CM~0|D7f_Sb}=V9i-*l<8{? zRvK+LFBKDO-=&?|d;#}N8c*iC<`5PU^`2nrJxA$a0Sl`18h0UL( znRyYlzG~eIF-G+F7EAcJyEfvE7&^Lw&_sAPaG*N(;%nWC?U@6{S%o@Zj^TSj+v8#!Du14-Us z<0Hc+uz?N)vG91HzqbXfg$3Nv?iJ7G4H|P;QCs=>tkWE@)<5emJ5Dh_hGwVbzI%^$ z0JAU{u^A4b%MwNP)Pq-n^AD8yv3Dm_n~TBKxgy&Z!~}bAR`59;Ji)_cuw0tc+1k z^g9#bOl8P#CMgRRQUTvfMV%xR%HSW_@%aG15)77qI8LswgYx=Km4)KWk#Tv2y0n=& zZtnAIQ@}0}lv=BzJ-O{s+?lgm8?9kT%Is&okhTFjCcVv>N-P9Qo)me!uCmBgd-s*7 zvkW9M$#=JG3qtI{-)_NKvLM;o`Q~J~20ST7JeMA*!szHxpC}n0R3*P5tS*Af2YETH z$)>3WL$Q~hWell8ALZNcYdHVn1&hxfJJdQLaOPmmMPvfQjWly~9igaV?bOdZSB)T2 zV95PWuP)|!i$c|{<2F{B$Yi^SBKCq3Fp23cMO6zSrVa7??~W@&jr!Wpp|6_gT;k63 z-(_W>Ojb;rw`2ywFk-c^{;Ex&5*xKm^^FLG`T{HoLI&}*>U+4jBRP`+ai{*X!hiK(AIHS zZtH2_p436+ze&uPUWfy0Bh4=dI$~t~b>Yogu?9-|(WsukYk}vp9fcY8+Q>#$YG9&| zbu~(oLb;#V%X)UGpr-sj-?9)b=-dyxl5&p{+Jx?zK0hZ1CMgnYpTf0}6mxstttBO3 z+!I$kLnH%1e%7gsJzA((JRb>VNC1HdP0#QnV<;D~5_LNnj`*t>DO>H0;A67w;|HU9 zpyPVzs$!4b zx}t5?-qGZvOqlOeta(5i&8J2Wtek^Nivh!1xLhcu(NjKBs{yFX{pORC4@=>cUXoDI zvl0|P{(~Zksvh&a0_**P72mA-Sa~!5ATCd7bG+=aSO7XU%Q)UJ7>=Hf-Rrue=??Ts z8Vcnn4B)Pxz8MEu3dm54Dd(9BL(5I-ke{35t>n|-z5(J|0$ro?Dl+eJ$)aMRr zPRx8}HT|ClUv6ClYnsQS?Nd0ML~&V(G^`xH6B937VLp#|{j0;bS|ibIUqQxYr79Hl zGP9E8q7ph^WZyLQjvESWWHUWv>Hmw_pPN{yl)-zdZQ;yFc=8{~p5c-@hZ-8cFi|zM2rnn51dIZGjBX>o?1| zb5og+X|iQi6|BVOMwuJU&;{9x>c-#Hf#lC?H_6j75b$y?a(Z7LRmERU)U`*8iTx;o3$msVOpt$9R~ynj-*IUW&d?xfWHmwbVn+Nn&1%4XJ3fu3LJgio z>nfdNHb#4qXWEReNyD7MW`n?TEF59;kO#Uf)bVcQn7nKph|BSo(NOC{$lsg;Yxb## z@)ob-?ePepkKtWBN^Jz}+)UgLZyeLr)~F3LmunO_f^Zwv(g~g$QbwwLNBp_I$jmd|Eg$&lCRfsci9l zDs4QU$^p-((!ukoaJdTq!>7XWY3%ENeYaCa-aYjxQ89dQvC_no3#VscJ9EI-;E@Wd zWG#qwEek^G9O2PSK{w#&-I6r2~A{PE) zeHfW{K9<+*i=^hp1Y5!o;yRc!lJ0MX64q|-bDq~iTa_^k8m%_4lIKK4-D-fS3>E#y zldUlSy;$*jtmpYO*p?rXqB!X27}NoUHLP0zHlPDjGe>W15)UI zu$mEiWA5L_DSuN;Q-mOqz`W>kiU=gd;9%8k?hZzoljxR@D>P7b<@P*xh9eMVEKKAA zHb1?4%$RT^g>y7I&$Y!MK;qN#VHOg&yX7#6r6;pv*$ zRVbg;z-eOji%AhpP>^w3IBhuxSg0JvCK=nHjP13od|*3LQrImyLU;|u-db4PVq$(xWJOzE}NN-2f~_=45{w@9iU#g5HQ!rNHreur^{Q{7z4%?t>EezFZHV$pc8tr651ih$#93JLOq& z!RG4AvWIW-Q4Gngnj80gU|?aIc6+@LGQV89!(QhK;(FzVqGee~DVVgpK)?&Mtk3jQ z6Fb5C{xg+j6xPt~&FRx)=L}f!2%b9s!mD}?;CEq@Woq3C&JQM?o&Fwx(#VCZ3Ep}m zlID&Arcf7<9wPre%4my!A1dMBhd6(i|9KxO;NOP`|2~w)zYkq8`}tt?Gm&O&6}_72 zfhgJ3xK^2PeO~pi=Z1aOa7OxXahjez%19@Q{=lLJ-IuSQXun|wP}uaVXawg&CG6s` zc1RWmhia-+NjTs)qX*9n2SO5Uw3dH{Ps7VlX}?q|Cor#O)L}{z2FkJbvc;7@m1-1E zEUrZG!N3&riS7wW6ktL7Lxh+KjialDc}pDdpq6lT=LZ6@GSg2rNt!5bs94p46v0su z1+9}53P5rq@^IlJUBongi8>`&9!M(}j*QNRqgvHJwJPd4knR>ndn`2#MR^@O8>|un zDl|{?R(+y@wSfDtx^@~;X&2?I>TriYYx?s`r)}V2i)aO7lOudPrad)EnuhA$ySEOu zIYV%&^=GSP2h8)FoVl;ri%U%CetU0yY_l|k-)pQ0Kx$xcy=x>wOc6OGAB^dbkpnev z!x_!bdMGkW_l^UH7upmJ5&e2U5S2;`S()lOfq{VOao5w%;N_H3D*M6?K7xv!Y?M7_ ze`&1#$yoDSc~7C>)OU%Wktjl+?~w5fZG=JN-bXi9 z&uq-|%zye&H@rU70&@%m6Rygt+fipDc5X%~#q-N4$y(7Vd8YwVumO<;_k zoYWO*^jC#8$Lc)(eg(+$G^^-%tpXc7TSr;9%^`0nfM=>W0sUdfHdk)7fB{+k%KA+c zC>%_)7p)C}t4_>(n#avBuLqVHC&iM7?U2jfTl=Qx2I40P9SWJ~0-{6Tj>NBAhLv0G zo@rErNFaTv%f!6{f8PFgz5L;Yht_BKnqXP!Zr0_u!)T9X%=36b2W$^AnrBY60_O+6 zKdOmcC|IG*^vUry%zUBd>!}14#-cE-xo}#Z#{gL~Fvj#<7lYPD-m2BR!oauad2Hsf z5ZWp~=-j$@3jg_1c>jNGy#K!p-v3_`@Bfd}LvDZFI(qCh&VTVntI?!7s9)bm`Y~XP zLSJ&VR*$N|TjR;$152t<}CsYH1!_vLGxO^L(Mygf8*>2STh9@(n zupXBKS8{41y#bet)jh`Qb_t=SjtQoc3m~hT^;bDm0y^*ct|*hMA%S$4e%RS_&X^cg{5L@+~`eCjKHm0(>5i|0^YFnAGyE92-i&Lf_(*8pkQ6%>)Xf5XiKFf=pD^* zSi5aF6J)^zck(zN*M2>TxgP8Hf4io=wg5+VCEMup z-biXn%*zO;UjvKcCZ+&aI8tnObIH#E^sh-&`YWcRAsK28p$S(=+*XnGE5-RRqmGH+ z<8H7+|NE`vy$tkS=d)-OR|FKT3XYMUhyn&Xn+KDF8A#WT$+9CX1nx0Y$=%?J$IPFZ zK5VPn^7k}6AssTGf6j(#)%a6%y(C~Vzm{|s$A6xcTlReY&Glrk!`bDVxDdTBrNU zXFXBT&3FC;8FsK$7ZmfP#u{dvH`wkpd!g;!^6!7^Z7}bze|j`!*pyayRhH(1`lBCp z6%wez2g;-I8`cQ?Uo9t%g&0HZe*N>x>j=&{ksXK&azx2jJ*CxN`k=87(euA~aJs6t zr;T+7>>-%^(Tlq_c92mkvVXtd3YbKAh+9_FAQGx03tpN5m9N6?-CKHSk8EpdyU!A& z-*(8&%bVfyAOc>BQTigR{>Be~`zx0nQU(v=SD&8aeA}Gk-kh?=`8b4m9I;7VlZSbc zvO2~+b@Xyds8*3#2LADX*n#6k?`x0flkoo5$B+lOd`@RUn%^Z^>@ZtOa_!1lCb03k zTT@A@iLmA`^I7TKn#G+fntN2wit40b+S|y(T-FA~bYDN~OK}=Pj_tlasw@f5+D^XQ zIxPV?+7ZN?X>Jf}e3gFM*%>OA_y2lUx&jpuOJ)vk{c;!)aD5eXhEwLv5tH2MXof!^ z^4kMb*c^FRN!$~U9(jGtJfLn4ZUYlPi5pCSvFh!kog`Q2V_o=7_re7J;qUx-{2ixP z`yc#W0FS@(;_-JGJpRs$*C(>!*MkmzJ#gUH11o+#h~n1+D`q_-R{qTUG0W;9D=nCI zdS+*EPaUpyA1D6xzyU=IwwSi_t3pl5a|4S?b(Et1ZsaA-#{w(=>fik$3KY2m$`N10 zKyZ>GY%tscvC3#KENu(G#RJ#gof^XV)(+~1^ahFm>g{zL$(4g6%BCnB?RUwdHa3_5=eS^Eod`|$g% z={h|RbVoeO^b^ki8f)IP_6e`)e4JlL*e;d)BgQzS8vL^6E~goMX8mNN(rOH9^6y(0 zqg`N-ie6mor7>oG(DhH`w1TB2Xg9;>CiP4*Op352)Z_d`pSfyDwPYv5#;b$spF~oC zWa;G}jh87fpk{iQkRcG(H}wuV2Na{CUm@8U&jNu^eMXSS!w=+R=a{cNc7-2C_d1t) zec_94%=Mmk67WMK&phtE6I!t(a0pG80+Ww#xzHZIRkj__iHZLbcT&bfYL zEYuXyY;=pVFDYW44;XtIOsqyWpnEkN%I590VCgEK*Wyuy$daO$O2u1{3` zI`Npp;zvSJNQiEOj(I9N6Uryjw4DwE<^oqrM*UF4;c7xQO9MEtmwZm;&Nt6sH?vMy=$5_) z4eHUwcR#w1XkGxpcN><`Yw2+L8)G`hP9qY(9Gp>TSPs3E%jk7mG-f{yM%62evtHKl zHdJy*Da-|Rb{ISj;k1C|r*w#CVp zC@5NQ9-&sYL!JQvL1CpSXwB5jbNpr)a8OT_{CyLMsOK~aztlUTmZnwlYj2I=FQxdB zn!gJ=JVUTD@k1Z(NLE^$8!-X9=6ixKquyDA= zj~bNL-<2up!3pJaT8b_V`2@`9ZejH zIDgCm5vQa(lzfn`acsUL)(n{s`II}>&WHKUrBi<;xKBfrQOxD`W4OFs(Pum4)~k5_)%wUkzSjE4KfV?no)7aG z&)51s@{g~zHu4XDIwCULRAWe?XoD3u$B7ORc#`m&7f$ zUOyRBOo?U}c@ltHd#&U;a{)S_n*D&bI2LnW*sB9aC{s%)Vd&o1&G$+tQH(^ya1c2) zWPh!!q3j_C`^zmR)R&l$*`?;~a9&avb5?&Kc2f=-z8PB*Z)u`uj1<}9bP6!=nEPHn zvn+JYg=lrs;VkBV7TaXLm4Y1ZXKnBPibJ?E&$C)Vad1=*5umwijmjz=`>(mHZ_ElB(~A8A9rVbrNToWF(`Uyft@Axrr5MO`E(KNK1L{PY*e z=)z#jc{RIbLr|r0Z_~SO5Bw#^54T;gL5X_xzp|ROAXMO(fU=(*3>en_J=f%k+9FIG z2gvCGYredrk)l-H8)fuFps)0(nj|Egk$N)r))Lh}?jF(H)Peg+V|}K}`snILL#73h z87@My@phK2D?0ac)kWc12r^q-7>Y=Lr(|?p-<9LD50pGm3-ekwh2m=uID#x~G2=(M zDZ@HU3v57~e{E|eTnL?}U*wr!{V-A&ezu1-Rub5kX!OhVm61IC=ioS;PpQ9nql7^A z8T8_&eO-}dFEY9DynwPI8N5YrB=gE&g;twExe%wbP;o3uX^!?R^sNi(`R%tliO2p79riotN{GijpB@3S($EwB(NWkN_KE`$ATIf|o%=YgRQCOL{ zY;DD;1~Z-WQGs6ONVv=VlF?f=P*Cn!%HdN5)e#v{EoF0Lc3Ytsx> z73fn-WPK)d@3vtnMZFM@Z8ctSijFdJi-8vM;PJp z2nReKfy)d3A3VYYk4NZY&Qtq`X9?r+EM7dGC5p$h#PE2QARf;$LsB;oT{)i;V(Vdy z3cB5mrc8dx4^)+bnN0JazdsvcVq>je_&^$Zrc@$1+FOeG_jKD)KC1lWzxxAV#iOzQ z{=p|tfAGJe0n!TPHczXm(HxIR@5c#KXp|Hxdt7Y{TmC_3tXuUV!JMw3hCT>Qb#blP zT+|1lm$l8ms;!aBSX`0`gCSgSdfokSRTt7!^YxvUY|(jR#*2ID+L+Jt+6FVTODyaV zD(0?OBFB!7Fg)GwY-EOb^ZN?MCs|=fnSRDBQUHxPL?nC(qQmS*G%_76>Wjl$3x^x- zuHyWTuk!M;km34Mja5cPGH)SZUtc}a87>V}wW2h|--Yn=^Z%abh?UQSwLW0@!|Va2 zO5|w57A!wl1QZE(?L69AP(0`7PBNLZU>kKmV+Y!_5Z%VGkDUzF??H+jyv}{ z0~CdwVPYih0^5i!q{!(AOfz}HGn*oY=qv}!e)7(JHbguqK5BZaJlNz zi7ty~|2^*#>wY|xGJj&c@*G?*PBz*3ScZgiO$IZR%aGkv6=Q08BZx8@N>??P_&O z(38(UBP${=qkEg3@jo8a1Jl)Y?JFW(U_blg!jwWg`glt;3#e<*Zo>IH`=hOZmCyG7 zTK(AWahaU^^=K!$m;01)_Q9x zmGVA)0?1w45u9^807X_ep6Gw#LLAYW-fJTJBa7p8;fGEff)_7r*>AnyANl`Q|9{Va z539ccR=nSCgIuP`_y!3|y(BE=h8a2LiaLQ0sBtRnz zvp+x9-$(k!n#Sy=4-|-QI==Zz4! zta-$-Y#dz#ZCW7mfL)z~$`)O9)qmoD_J8MV5%*nWwS+^05k}uHIHF+L%Y&O`2s3{Y zD<2hWy;RO)3uf9)Hx2^rW&?qY@iIHJ52BE3ppv z`SOSZirk>x@sQiTdLm4HR9ta?>x=T7awZzI%h3s=zP)DQL_qa2vFzQ+@J}zMj@OGR z;Pql^c)gf9UN5GA*Nb_eL-e<<1ic$adIIjkH%rDZu=Fx+_L-L!A z4^qK$?tX!l`59Ce^@eF_&;Xqwc`2UqRSw=>_1vvFWPrZ^jr-=a~BD+G|-XJ4kUg1MF72mRP=Fwbu- z?+X*eoN`2c`Myz9uj$NY>))g@EgxUAVHUD_XoZ#VBKm<8{>Y9OCq1 zLoLJ3efF7bu=RpY|M3hv>T)dFwGL#5{jGs$f!ExqB&$|zmIOPW&A(qW@>_&6Dm~_< zaXwiam{!Q^SSU?^Ej7mM{+1zR^=KZcJL-adbn{C3ubaYm)(QGGIej?bxY1X>?~B6H zr`1l0C7|APhcn9~0Z@MFP`-F%0I0Hl^IJS(1M~N{{#dwaL7~2ls-=S-no(Tm4eC&a zFN?w+@xzL6El?pjTf`h~d@@WrIG_Y1vYbE2h`tzoKELRF~a5?wa*>j;45ccb?bgFC_#H&`6 z`ITQnWA;1!H?}XJLgJI>La*a;Hy84{?M_r+o@dU48b_)#xPWCm@n5R<9xy&mIb|;4 z4BtwNHaN0VE zH^pDkXnsdRU9c+{vz{*2Rr!FoUn!!t5W7^;RSkj~%7vl4h44g__z7>pCA1{?U^};= z6efc2S5~R#Vczdp&j+ma)9-m~M2V`Aal{Fki++h<>`;VuDKgOI{KR6_FXbrV`Jo%H zuBCzR(;uDVGflu}l}vWQKNvMAzirG=H$s<9^itmc@&pcdx-Z7JgTP=Ye}yK*2A(SP z9(41>@grF3Npx`em;H~AT_ogkgiWepy6g9x(IbyxvpE%GFk`inrI9g4Z?1G)3B}z% z@*iA#x+!##(kJ!_b^=b2+wEA>Qc{J=TPt^;VRPM2u{V6lQ6`U>74cZ)seH)DNz7 zlibaO_^GSs?o{W1LiWH_ly^@l_npNvZhAWiwXdo)XH`Mn>}F>SMxBAW(obp5-5aI4 zRK?zY?+-Uu4?a$c@I!WKw9$4B{vaZ9mmo|Gm-o)NcBLZF4a`4_tayHiN0aS-qc^f+ zfrwxH@Zh6Fw4cuP=G9;>`tHgygMD{f{f$>}(nw8D={O*ziUMU|h ziEAf7=fjVk>VK+G04>w>W8HD&YgubSV|Nu&CRHo)6}rGoftZ*6YCJ4DX&9Up?}XeH zCP`J{1PD2J*gf}P3TRnOJh@?>1RT|$z6`BrgOfX-!_n9@SQ|{JPoil?R=Zqvd0!60 zHObFHJ9~R04U4g{nZ$>IrSEIwgyCUOi;|tt2|Nh$S7Hg5&ha5j6X7|{&LE^7?{S;; zuRHo?tf2Wt#}@+mLb_z1`T%!K=cBv^TbLm@F80Go6|K1a_1_KkgcoLuPs_{)Bp8iI>^<+(i$U*c)BlRD2SAIK&28Fx zThRE}eWk?58ZiXbFOqX5V$O5dk@l79S}Q}7ystJryz5}sXV0;6stsMB`p75wJ{nSJ zoI6X&E`UgKMu-Ga7F;znJmf5{2|q;(SGzPcAm00!l$5m(sy{wt^2uEl24~2Aa?m0u zSLOfk43}5?c1AS7X2lHUXtBGEob-m10ux-?M5Z91ekF38+yzNLxuWEq-~-IPR~gfF zL(r+={Ph|iW*`rUel>c85iZ>bl^`}&L8nVD8y+Y;0i!Fb$A;IL;B)3o>&Tg?+e+prr_Wgq92!Q3)Ci`wx{%QIu@6vzU6BqD3r|o<-$}nx^LTZ;1|xP zEv)5EBY(L%+#~o~c%WSeqD?O31ln6e!7+33c3%ygzuHnY3vVzQs(bTUoFEfXWk>ue zX2?WC?H(Mn{V_l$MfFRZDH4Qd)L1{Qq=QDL!ad7ydCc=Jto))wG19?LT&Y0QJGdb( zkq~|u4D{b8rvyQom7gM!l(2l-@=72#Dfkn-Jlqy>8oz%xNB-^KHT?eF9Qn6@H%I>M z-|r*;_V01b{cqOtbHW@PJ~v1AvfJ!o)>vT z=2{NVpfgZ)EeKx7%s^I?rDv#nEFnzTgQ?Hd28PdVzKQn=h46y7-Z&f%-Dgog_eUuf zc*v?H=t5%Ph9Q|`Wz`vUu_62d@DwAnTu0M{sqK2+sKqtOlzzdm^%u-dU`^q=+vto}~3iy1Couh_#h4i3$x2}I7( z6ff!W9pQ+R#)QGTEwJ3>>n_gnLzJZN&!_cTV(zaa?$#7t9F_-?R(Y4}e_-fUxro~x~2sNy<8NA{_;YvmX_sLTD`FK`=<$NJ#KL@Py zG(|gC&ire*bKGMmpQ1?{PHB`6hnqwpm-+eu+EEMOJxOf`HU=Qsep zhY6Pr2t=I0U7aWJlbsjhTQ18}5O#vO50~A-4?2ML1;41w9zS$fm0Eicr~ATso@1R? zTiGgn3iuNNd+s|sRl6ZT%6x5}kF6Z#1Rj5}Kpz3Jv7$LDHtrxJuyg+&WjN#?U3v2= zPaO>ku`qmlB?Rhpg7;SLDj;&P-Ujn?;t(3#^>`UX;qmD=59IHNg1K7nOnR{k9MdYJ zb=EM2_ceYzth*^_VB{Dh&1Dy;Abx3~8HUT}n*Sn`vF!#FmM^FnPG=y6D~oDh#*+bk zx-ukoJs%yGj2|A3kAYh^^->?JyMRkzi9j{(p8T7|W}*Bc6>LZ9JK9gj;O2Ga4zG-I zQFhVG4(=zt=@Nr%6<`&Hbh=Y57N?0YenkK*!;kI=L>lH%r#nc=N{UKMF5AnS^z z{_AAK8YRsgS(5=XI!`;hm_5+Xc!Anz^B@RGjS^mTbA!1K*}-2Qqma)z(eNKs(TKlX z((ze5F4w4+v!C~k9k{mNqdF*)44F5h+(t`6A+MoPXY3RXpD~+xNm#EBaT9kr$B9!Q z=PGXw*NOk*@BQEXl>YsH|ND84bv zcg~j$MIqwEIX{|PHsF~3oI+*X6e?GrTCDD-z}Zy=60txNsg z{~ogeh%5*;&fYeG*1|nnUs)!&MEsx~-Eu`W4Du2q1BURFbuy3MUlb-^()S$Dq{iHT zJ*%oX)EP|#fn$W{3YAq+_0h#j$zXBFIO!`oBu;_^rVmvKK2t)mlD2cYWd>lfE+ZBjK>fawja|e6!D4w7571K-BwDcyquU=sl)Iieqiy+!jxDCxH-( zdu;o`g~18Dcum*+5{=PqavAs6d&a57rUFM5|JaY^u1=)lmjYZ2O} znJ^s?}c}RUEzCqytrDwI}%iz zOZRSc1-ry=9jrM2G0w}|B0{*_!y|8`EZLQGkxm}3lctghoZo669$3QZt3<6u%+ie^ z=>@TznnOP%j1M>&xs0OqJ6!Tajvb(wdG~$TbU&0O=`NmSy@sM6bG-N8Eyk>O!>S*_ zdS7GZlUzEn!@^*i0#A>}88u#U0-?6Uqqv-@7CGLu5oZ|I^}0dVWQ7)Lg$8e`ID>SQu25jS z4%~D)SfSd&kGlKfwW)~p5R00S!-B0A%*Z&5XQ*hPz@E@+QnT7HxM~p3Gb{*njqEEv zgWND8R!pe!QvgD0^3Btxh2Sd1hE&)kUI^FR$_|h+Mjfk?36TdIKqg9^@p(`es$%)I z$v;pB4~>GKJt;U3ChL+k@`2sRdAuROhqoS5SXF|m!{lJEU>x0{(MMT)9iB?@GPpju zIOSHqH0b_}E8|m9LPK(+U(ujAem$$<*S{Ek{j1^EzZib~pT@6$Tt120vXGFQJ}S~4 zCpNUyNBiv75=2ER@NPoP`=*2%jC>zw3c%&4Gz*{87kdAH@K!6lUrh+!uf`4USL25F zs|m*Y)mUNX^Ha)P>YQgz0XMQEN6qt#5C^gHfrN=vh(hR2>Rb}=|6RI&(%~$MRlub< zGbV%EU&?D=lutnX%xGIls2UQUf3g%ZbrSUN)l?-VGr(+i5EJ1b7fA7CC)5wnf$+T% zs&K+=&^DaRmNTzL7nW9d8|8DsrNQDlzi1|y8&sY!I$Va>m~Z#EXJmqWg?8SJPtNe? zwzr!Gn;pEbmW!U84MAe2)hZz}E>K9CBP_3O2YEVl%|>({`19NeB~kq%bzhf&l3be= z4FNe|RufRlMsiT>8AI}WR1(6~ZP-_j%VU23W6jg-4sSS5-=YO^d4q98Ru_D2isRvtcxOYE9&n@hKnr>s6m@X^V55vNOn5dtkE1Yv z(#?j_%@_mFlx7V5?h=kd`WXn@k1N3M%J4+ubsI#x+7Z-qHW+NbEnZRhB8>!R#WP7i zxWb!OnXEh8^+?s)_nLra6#6|w@x|k5CL{zoz0&*}fkML_OnPhm88vmiF>aj}GO7Fc~LBsR~;0K?_Ju0XrX2OyU1H@99y)M4f))B23BKaPrr zjBR7hUy>=XboNb3?!|mGcDJmj^?W{DK4z4DL9`To(Dil}bx*?l`B?9xoVYZGt(6pb zb1WzRmI$u`AR>1(3?}8hI;nuUQe*{A#!d?;}4Dz$h^sq zskFrfl1{z6u4AEtdb3o8XpcIHJR1QNlnN! zSW3GesRblzJ&S)Hssrrs8!0mTAp-{SqvJXnC|TV%Sjb);Dc!0wCNhwRV=|^a1ZfJ0 zX@P-wHCF~UU0;9Q+r{N#mDP91^y94e`Ue!h?HJYCf52&L+`Pq9RJ7Q>h*}x?6vIzQ@ zuN{xqPle+3Q=WMJlsjHO6^hqSd0@_`z}gS~|D*o@UcdZ*`}g^KbC=R>Djyv@J#;Q7 zI0CMg&{y_8Pk>h@r2LPM$HBK@c@pcl1*m5@wbQXA8A!9(Zp#Mwp}3WqK_NeLc=61) z_m#gr+*VmWnJ{Go`EwE1NF)8x$Ak*&o?<8Pjk%*uBa6T~%l3WExD@0C6&A!Pn4wWU zkD)S71ztbbWvJrsN30UcEddi9&nj>Mm8kCH{CmKuaaU=6o0X3@q9eQ zWb`PN(8mGKlM|j5LuWDj>o$=+zw_B89_Y4x2)Z&Fko%-nXB2f91W-~Ku)9UV8O|Br z6JbSQA6_S7P#y+Y=k2=FMy=kBhA4IZFZpc^2`Jw$Z?>$}0)6VL^yYLK5G)pP4s|p} zxem{|vz%oC>wSc^{_R@AA##2u@W_cFuVQ8dSD&MsC-#)lad{!h&uPcOs6fkVJC_OE zm)*|(3_A{Ymli@~nJ)uR%*Xj|!+vBSDY0f#&<=uBSNy05uE2s{FcRhLMf8R_9W`H? zG2g#f{Vp_|+HM4q{dYf^|JUkI4U>;7S>yc2hHdiXsT2qM|(eeZKb}@Z;ba<2~|Z4aVAz zeebpAoY(caK)DAm&m~*|6n;u}XZ_GaA}UeslLm5d&Wv?2@4Y-qN*6wgRD zN_CdQ90l?7=Abed-`JAV`PGCRluh0J_$uJC28fUE_@Oj|(%_MFYv5^$AM5n814+-P z`jaPZA^!7$a}m}b4m)|{^q)O@=)SwVY;LFuCii!n_Xsdo+1%qF!;`6W*K`_gBB0f{qpN`dATrfoJgcaJ8g6OLz3ZgJW7=?(`t6l&#Yroa{(`7TsK^WaJN5(5V)>5m*cT`KE&bqx zC++uVH*Jv9Hrp`W(?V3+a+b^@CkA$}_NM%ZPQkt(OSh#blHg<6al0>xMJTAHL^eDv z4SM{C3*J&!p;4bJvqtgB$Xv{ET<%FJ95;N7pF&c!0AzSae7oeoE}yG z(0pLQj<~?2&rYyv@|@#ztThzOaf>3VWK_z@S>N%{7T#WOeIC7J13}2coMX=hB9#p; zdJI>if70(y8_K3Y7=exK(Cf=E|7u$M(fL%M)mgC`RAA9X-=54j4 zV)U;@h{;<&3hHkZ#PY2d0>i9Vj}K`KP-J|`e=1arV)9K_dk9j%_d#6w>ks*$!x=rA zx7vgR$-Y)+U8{rctj|pxqnCmDUVpp+YCxWziVIPeHQ=)y@6)8l3xo^>r+uTv5%8xfF;saVlx_*)n`iETyup~fwI>{ zzqG;k#WQz&NjX>>XRxig&5f3gXGp03a3P_2gS&jw8qmaf_GE>s=CWqh*ukfKiuJdzO(AV> zSNVZ(9I{bCX%DKcV5C-GEa-y?oc^zK8NAbhMPk_f5md0q?Uf0_p8Y8ot zcCLERboR`vtw;J$WO4I-V4p6Gz}o|H{+lpJs+~9K(hI(!%@h6xV<_<)3O}kb2Gv~* zYm%2ABDd__O?`zP;Q4yzkNhwjIDTc8d&9{Nm)T?m3m7%gniZZr;aL_SicFEKkK}+1 zlX2R=EUZAaf18o~NDojwAN%k@vlD#+e35^wljz<|On^D#IQUivznT5o0kq}8j!bVG z(P4R3hn?4~kMnaL;Uj?)!#$iOvBZ!Mx#o6Q-Ek(;jmx{40Crx+w5%VHKvt+oU9~b1 zoWIwV`KK`vS(A*4`C#`vM&*vJ-1h+xK5DL^d|muVSIAGKke%eK5m zRuwegG<=Lt$NGH5M+xuGsT}(KDf(-h;V#b&tVbj+ohW68>sh7E2O&D>YLkBUiwt)7 zS96ptYMK+~dS;nwC)gk$niJH{4!p^WB;vO? zz(CAiWJQn-h&Q_%DpN&afO5~hr&SoJ&kM>{1z`MNXZq_WFJOJvG!b&zNnW%grWmi? zAqaoUwIZKfDTFLhmA$cd7l35x)o0_3bSE(bp@H}GL z=kbw~pc!y6HH7N~P@Q_F#uF-ruKw8MztVgh1Q$uxrdKH7<{MKUa;4+YMJ(v`$ci2= zycZEy_s?QR5zmyJeqqXly&gBqIb)6ukjgw%B&5Ex__ z3onsE_Ty9W9o>BJ+u(t^emXbUGZQei%19%7rj+nEZ;9cDG0g{m!E)4dq8;@-i-A)* zug?8x6N5~NIv%ncX;4@5{YiIjHuwb*XTL8=!*q;ZN`t%qyM8G)*p*TBlnctP)#$KY zHi1Xw_5C_-7GQoiGg3mu0wVskBHW;T{O z#bArhRki*4IAe+M44ncwQuRR6*Ye|~C6hz1-#cB}dXq*4-tNRrsi&(Vz8C`$(o6~X zwer%fE>jVnvEO*rB#HJ~#MWQ!1wvB(cm88fuOJ`JFP*waijjLcK@ovN87R*4C!hEl1{$|` z0|h(_A+z>cBvDc!)R%uH3CWd&k2D#UniI;XgGxc2cnF&(+_+AmWXcB*CEI&5U#X#D zrFi#DX8uF#!>Kibpy;DLS|K;v`za8Gbn_+uN>`nOI}WV=W}p0kC|z49T+JEeqoFVR zxdW=0^Dh-{h=uazyPWwEnJ}mHd(ju)1TF34%|)C^fd_a2UpVpH(bcVEqbi?EQCPy( zUyhpwh*@Fj=;vp0i2Iq-j&;{b)cB3?73GR01j<@=EbQo`dk0g)v>t{qdt;CLvbYC& z`A@Gg^eD#VWA;e9@>mS!Tu*$rylV>PBW$jN8b(kz&1ON?|iWEAu-j=4$d5e z;f<&GqRrc^S5)au4z0iPXm1EP@(7EuewnultvQ-$(XI6@;Rh{5llJ3> z2)wl#z8(AOETkWi+5hqw(=k(;x2^v+hZkFv%vBK=B*c<4l!7ahPh!&{%&~^FxXLGbRtZSL&+lgq728dfwlt6Du(?I31 zMi76rKumXSYv_Xl+b_QuKDg|Acahdx8NJ)30aYOpn4F=zckc2xr5CRv7UgfS9J*dR zERTAZbKggL*cIr( zsfAJu9y{`~oV{fTd~TV;Ne#|uH}%RV-7DvyOh7Te4&!<&QvK*T%^ZUM(@Xpu`cE$* zhSN)M;Peu|l>XC82;=k;if~xo#bMvixc+tO3A}RnwkiHAFQ);n-Utl}XX-$5R&80f ze_P=0WvL3fgbUzOTV0#gatj^y?;lpbeb~Q$*!8KIe>&)wF;3ep0#)Pr>u^)x=T6AY z0aQMk&VIqE75bh9$8s8%!-H%GvU%+eblCntx>XKcml`8D(LMSWioL@u5ez|;GD>K+ zdG%QW9}Q5;-jrm>p$De4xrq!Z8W`-QRAb5XhUrGd>ggDa$7(F6dLtqiErz_xw8nfk z(Ge=Y9CO{F=>*d4Fvld!ns8WX&QAF@MGo>#d63Xj(XErI0mivzS5G-SQ zjp7@fI=oznGFswx^sL&Uc|@YJCZd&Uk;wAFE1vH0bI8$ZTR0Z)9Mq7159Dt011$;N zNW({*NTz5;%KE(*?)(40`|&L!hnT0A%n@srNnZFzMd%8tO%O29MdU=*#AJUF%!-mH zvUVV#QD*pYmtO_zn`R_ht(u}M(fynUT%xcnJl<*ACky=7ng3*eBS$}85X04dTJs7uA_KrWXlb@2s3h;scy`D@((&5N^Q|8p8(BRom3t;u<4 zUg&@I+W)TiyLDE5>aV#sWXs+mWlDBICN){jr)sRAlA8DQ@!yufUG!r_oXiO&kp!s> zEIFXy6q&8i2354YHrDO3ZUBFOBu(hL{Wh>{jXw-?-H&e zyx>CR2hveOs(VMGk$Q6V_Xh*sFhb{-6!gjqHvBi9Ur&fede%p|zbE(|n%~7rt+t_# zF9|))n}soL7_VqDO5$g|6z1EPn~g3M0m}Qk^@4!$*7!d~{T0W~)%W5Ie>|dKI-$h; zrFJynwW;w%kJO>mrlP@`h&XuIblT(2!z5r~JU&aWn*eK{9oTFVy5aZR{qHX9cTw

    %8T9q_c?U*|9_LSGt(t=W<)z^%%9wJkjf{YbfDGU8|rF~UH18q+xv zEoJqI;TNI;XwHXAh3WV~*s6vEsSQ-7s5gw;Kq4?)d$^0 zG3UthaOcJUet&aj-WgGlv`0y^bQjW9bkVhfsTJkQFGG$Ea|znVErFyjQzG=Q4jjoI zt?Z8126B(DQD4g?;EQ4LVC)fRG_pLEvo#V0;_5^CF6s z_sxN~PfEIn&mQiMu{f9AH3zkX8`JcOrl56(X}I@eEQ-qRqfXH>2AWe3t!+JZK>3)> zF-9`Xul?0O{ZXJ1M9=egda7V^=rhw?Z^}attx=iJ1_x_zYP}Qy0kUWwF^HajH zuLL#FC+&5HA_?sG@$k==OWhK{A@Y6VizqL=65k&Zk`qHxJt^t^e0;$D+WL1V;)9>D zcIAxjXOWTDYFybxR&>S^z5Aqsoi9zp7osy&&<1Itkm3VFbmcGkF;__wa5xflc@3W% z*{_*iyJCsuD|}dJ6{0?aOlSn`iK}gqqCSy+`Jw@Qs{F-Kw}$2CMqVp_9)t0oygxh9 zbC^JvaHTQ+q#a!SXhFUyVUF;U2|oO;l|zNSby<~*zMwe#^OOp`E$}e*-x1n~MEyO) zE<$bC+_FN!^2DkZ>et!pAHd?9Bjp`ZjQ;fg}!%DgZ{ym8v zur4=wvyQ?Ow#Z}`1MaxNkLkXt(Y6AN?^S!YQ{Mxbw<+5`{E~xiJZ?GO_mmkx|1*gN zc_^afODGtjRLAm;@{QQ^Wl{Q%bRF6VW5h1?k@vWQGVF)O+?K|2OU8{a>`xafV>%LH zo?#UMOivM1w3N;dqaPxo3VBVCBTX`|rW-fBq8*Pe;ui$|_}x@XMqZ$PeDg{Er+8pa zsJ3ss7z*(VLJn6yM?sF=kbB@kEjqT>UoX3YWnU|(%Y1y0j$7}5TW^M2Z;e}@gj;Wc zTkiqn)PrXF51of&!xyT6oO*G|7{G@>( zQNsSsh5_Q2_~`FuCIipE-K##8A_XqvFZ;rpgwcjN>kxWQfDYU5jr#=ilkM7|;BAKD z`Ocxq?m)HpAuXiOs2tkXVgx@a&d+6I^PIGKXyw1!)Il%)zuFdQKdD^_mkXJZ}%a zKZ&UcN<9#(eZQv6cRd)q81sCK#S#6xwIRbXW(ZVX_ip$Qs-sh{2ba)u130g~d16a0 z1fFV5pZ?_QhZMNw4k8|9z-`wcDYwQBC^DQRkXuB=d1v)ZZ)=;KYyRcVnT4?jL#$hu(B-(SXIb z0jNPh3{F2iHO*|Q1BPe))%2e0LNyiltMjU|;3*Sd@hIF2h01+-~sBiF+pS_K4qv5yrnaKPc25F~%D3&+YrWE*ZkXKk7~0Av2`#_2xs1%234Mf4ngE zs}EEa$a%LYghHZI=eg%=p{VHdbjQ~B5C~cyF(18Ui->NXB##DcPq$u~N2SJ63;lFIYWoZjF0TZvD%c>rcP0MIL)u_aW4v<>d!DoFCt~WKX~9}R=t4rsYx|`*jJ5@hzmyY&7lewmZm+~)exU(>IZO(K%g7R{=0xExzaPIju{kRA z_xvn9tAdmZi20;3egSqI%4bDLK+Fkyt%eE_*s}c>mMbX=vSY7`FVJFnu8op(^M>+h z`fJ9`lat0sY37d&>7*=>`mF3*x=4cJ(h=rK9Vs|Iq9Y#oQvz~~9kgVBoCNYZEs{4! zBN3|{60F8@g*kV8|11$>^W_1GJS|>V#Mjv1v;4;c7}C_tw=K1RtK*?A{>oW29jOpz z(4z@C87>V&zS>wG!x+^>H4CbG$($iOB8%?*;7Xy#mxlFZrfh#+F&I4)$fg{ti7t*$ zhO*9TphoU{j-DzQALuS2{%ti(w?FVM-jyN&@Ly*dmeu=!5QjRx#RkUby-mvYA?9Ex z){$?b&({-rH~v1q{Gtfi&IP|1UJ*c#tJ3XykGvZq`bpu~EsW*0uqWYDbXy{YHhHBN z*2?gDD~f_CKpBqMF&byG#-XW%xXhs}SFl|-ephE14oMI5v_Cl}p_w=Sa(JQvu>8+d~Y`cLSH$$^9Y&4 z@nwdkSTAEZpGiVSc-sl#*L`OXob^Os6Bq^Z=FGq&WFe^6&k$UCw|YZ%(;?s7;FRb? z6CjTCd-3?bD0=XjQAKIR8@}P)4lpC(N8YHD1hg4=Pj{Nbl*Gn=lZBQ%5PD12=h;d zxRjSNC;VcOBJJxVj`d+6PQ97!Jd}bW&nb$}u||TZQpAymbx8=Hx4^_qF$l)RW`;Ey zlb~H-R3zh-A-wWARyqAn93g1fQ>e9KFY%iEJVj^*MqF#?6z?^$LDpb}M(7%rS3s|teZD;dO541rdb6F#LSBRYN8j2y@1*T`-<_ydgnKW0Ny5 zw@k-rF8IR(Kk?<Nu zgn%4+){xtDk&*|}9Q{)}UDTlOAN)RZS{oAjyh^=wOyTjf84^lo7j$avkNv$TG$1l< z`+_n?9KJh6yQlIiqPi8$;ODJ2P)_ycD_M&@+IpHhl-aC_QW^TZI36(|;k6*X>Oxh- z)%%;WCEE;0D83SC&W0mugMWKUYA)bBboAsu(*Tgk%-rUD5`#QW3_F~0!*ppr0?$q< zctYgsJA*-CTg(t$AHrF@1%4jc`1_RGFvjuh=!T4}J{0Nn?tUdV5nqG<+p`fJsu zNR6Ok=y9bkGUHB4Da87ltUq(2Pdt@El&??OFIgb;x-IR_u|E>vnZqfx?jjB!f5-iu zK&(hZJ%*M4sR*d^D##E8SpwO|Y`n174k&5=!=kx-AzGRUzw~Q74vvS_5zptCBM(M} zj1>E9XwSNWc!YzY@lJ~0P4;v|FrDMN@m>Uu+Po90yB3Mah8Dj>)mXx=1XZdaT@o~z zs;kB8(V^u!&hr~o96%kZCPbPlf~N3DZs8r}1ebk#&TCiM(52=kADzE!p!Zp(GnOtD z+{`UOXF3xu-xYo6I)4eh{;Ixgbk!1yv{ro+Pn?I!+xFejSpH1Squj6VHzSeB5fSe^ zUwvfePQ&~!63dAayK#3e-3(5XO~*dnRsumMBD@O*m@aOrhMr%|1S%tpsu#3%pf9Pu zBx2YW^>v;5+b80LB0n6&a@6R;>OonJn2!OJyFC+Z7*v6#FMg%(*NsuTosjksJT>6! zXXy&8SAyb~Cug-To1k^!a}$&8vWND=a_+YVh91a(y=t4hCb1-3Gi%pEqjqSgKFF@s zTmsg=%r^h?l?L)!kEf@tFdoTX>Y}n%Hu7mFnVQ+=yHO?l&2}Pl|$sr+!)<4LUFKL1oDZIhAk$Znr z6djc89yF8?K?CDp$HPowXr3kXp)%rtEa$Fz_wFO0&!K&w5BcXws#kulc9J;Z0TZWJ%72STj5E8l_1Ru43 z1!b!SgV%sb%;bVMa5ElTe4OY9GxZ?~Bo@{np+})CxaWcb42Eoa?W`cg_tN#F8^FT>_l6@hz%VIxktB0w7TUcN|56dr#T@#C=-fOT5L%=gC>Dbp>eid+|h zycXW2*~A1ibWJB(E=L`h)uz_NZWW=7KfZHSX$8>U;dfrj*#|uylr$JL&BFB52Sh)v zl_Cs2lO_Mb3K90tE`60M0+x7|)w&bKAf=gonw2dDh@ahgLOW25_OHtq7^I27PVAdk zrq9)oeZ8gi18xz(t2`5%hSh`8gf0c=$b=C74b9h$j|6c3FHWE&d;VE-Nf(i_HFG^V z%?43scwX|QY#_$K^7KWN9K=~yS^B@GgS|)NJr5)UG5@uWkz!vW%Dm^yHzart>P4>k zJvw#{l$G~y`R&G|p*JGrA*9$k-Ux*|Ls*{TNwi^%>_FUF#`BsH=5uyV@8HAwZX&i8 z2NK4P@RTi|F(D}&9hTpVI`mbP6v7~2=63uymkOx-5Y-y{z5(MHPQ98PF9%kxzGt2A{le{C++SoNbiG|P@MTT;S+qkCN-sJk8P`~hZU~MNyYi&Neh7P$#noE0@$DNC zn@cLB?p67#EM`HwzKoCcR0-JW=v`@CI*;aNe_dlqs6{chCOKV=rLbc-KVD53gV3() zDc{ejVCz0A!f94{==v^~B6^f%Sp>SUbj7`Ef>70(E{$(sikO=e2ex!DzoI3*{#eUd zNJu~>}>QxWbcdPpLX z?t>{GO;2FTmvJiLwB{w8J7`br=%kO?qcI;>0j1Ul4^7y@vp+ek@ zE2TwsvMA9%k@dX|J9I6MRmIiIp`$Z4X9lpm>HnTr5%;{VxaU>HJ+BPzdBt(hD+i4C z^Y&ACvANV-EK|L!1+sk;pElXxj|Q(Hx)Oaa$gDB@O;v^6o6mm?5>mAbDxq^Z>nIpdX=A!+#QO{@%uRxNFyR+ynx&{|IZFz`Tjl0(SUtS|lMtT1U)~@n7A?|{u7{}4 zEY4c8MI*vhA$*4;-te+X&-Uw(1u8p1oqdiAH>L;b8(fUy=yV<1#3mmFS4{2NrNr-t=f0&INIPB6azDmr)qS*XH(>eDD)$ zEnzjlI2AWPP$n@{Bi+77-M{XihXG}$uWMKz?aZ5(qM`~$aAnzxj$X|ev7VV(@5s=F zZ$s+}M5FHL+mPF-5r6$d^Cjfz@$S;mhr_v_=KGJhQ_u@Vc{9mlKEQ|OjSQ50;j6OK z;=ua^RLSY=M?K|xXuY?(5&sgeG*+(<6+7-d3`KSmq-Gpd?lAB*hG`<)9hPss%)Ps2 zgdA>6Uooe$M(z$BFVEYj19){v7vV)i5lvkK-SJ>p!OKv+&sB$7_8c{sdXnHomG{^C z=E0!+#}3VkUj--a`l{b|N}-tZ7PGbJ1qizwYrhdci1?|cv&i)>f-5NLbyMeqgMUIq z_8kM5xaOA}o^1%@?Gn{)LoUemi-F5_iv#-eQt0wxgE7$Wv*Z(`@p&G zv$Y8%?hv3zpx=`1hcwU)8#{knLtrx3N=NY9+`< z>K4DhT#b0hx>Prg#(-`_!d)UN7i4(haU*%8Cu)I)gWON)NY+$;Lgm{9*eEtAV1G~z zvPmut3ywkP&C18w&-<0g@cj^dYnCC3q&b~aGU|%BRAZ4dr!{bKE9zIqP@=a)GY0(T zx)7|F@olk12C`X4wF?==Azbk^y^)tPDor+R&Y_Ti(#HbO3lfWe`lNzR<#;hR zS&KlFG8O00IMzq|p?v#lp$R;cW-Mt^aYa%xz5G?A_Q3dNFu^&+9!2nLj=yWxMW24l zn11GrhEY0SPgiCu)PyJ5r~A+kxif#V{A-v1i#^lR&sx~gPur;(9*oD;%FU^~^X4LK zdIXZ2sE2`^>)0uU^-R>_E}}S5V2Bn4^a+)g)xc$C!ZFGt1bsP3`>r&ifX&f=y?x0m z4}UDZ%o2=5AZgxpl?CIXT+bo^ z=NK>K|MEqhaePsI9ADHG#}_rm@kMoUd{K>B_Vok*A>pccaL0S%0us}{_2j6dI9mdpYHB=oI&y@lk9cbWVFiu%j-duCsK2g z{w{_2evhSP)az$?)E zsI}vgoX_cSkWZAm(It=tG+sE@?vy-Rj;%plK{ zNRU+86g+EEKRmWD0HenpuX5^yn5GNO-V$P??&kR-zZ^ zy-Z&AKjH^b!uB;cClgWlcwI`bf(Qha;QO?Y2|@j9-Am0=>WH3kfR{#!4@PI+MBRQX zfW!uDw2Y zapf%IRv8&%=#x zpWaWkSi-3dtIO`W8K5H7Qmsi{js{G(-B(O9!RKltNypdoXh)U3;2V;FGmR5hFUV>j zwOXD4iULW9Yh7*qjV}%ZeJA3F1JqD$p0s%5F_A<2K`uRyEDIM5g!`q`NfCS{@TfC% zG|sCSwb_pa2FqnZr0Oa1<>?r7dDQ(ArDiPJi6Xv;-C4jS%avWvDGZTjUrf)voC;55 zMX#=Rq{960mxqeK3Q=BzsCfC^!}Bvw-a7t0PQ)4f55|Wo-3#H$4Gt^#Vuor)I?jG2 z=0abUNp|$t3!p{b_)fU&RkWEpE5E|R3tt*#_i`gRA@qhI(K}9EL_;R%vKx=(6z@)* zRIA~JdsEMge{XUenm6n51ySGHc1Ly`pB|d7CW2KSJ-?ZLJW~B(Wfx!~208|Jq=%Jb zAigQIaBk5N^);81$7abvHPMULUYOp>!`i);Z^Ryzg>*=N3z7tr6AsR9?`0q&V)L2i z7s*4{*N62l9Ckg21Bs78k0dDQU8d^t6@z5F?|zrgTcL|ruV;VH76qGE5~J+)62Qnf zYTEYy-6#GZ`>hVU|HH1Q3v2wXR8aJZE1?YVDE_@k#rflM7X>-9a9Qa?i}HiOSO|WLHz95YQ_`MoX;3Q2CfLXFre$-|&A-P>Ve{_aPwIoEKnR3CZD4(Wj~yW9D8V?3 z;nMAEzyJ4sI9<$U26ICm958Th^C;d#Ou2uW>Q`?;!U^}NsL>9Hi#@tNE769EziDS* zluLt$gvT5>Oj*zaJ@$FA7pd@LD~vKwwE`HrUy~W$ONP58505THmBU&L>v;pVPL$mI z%!*%G3O;$TB0QF-7eP~uigQjGBKBzp{Edj9S-*0&+w z(=ncN@aaU(Iy7+at#u6vKXkim8*QfV9!F5+2xgvPNC+w z(&Z!wc-6hFe5gx6;~(CS80G zr*LLJZ9+U)H7qSfyr@KplQD5QlSPn4?-8}aQwS3(zve?8)u7=-GP;tU%ZJYYJ#3!4 z#dyQ3EtHP7Tnl}~e-tCl?t-8xW=^I1)_uSJha6}snU(je1cm2&%J2_#qyj@4R; zf%exn0V6dLkZK;vs|i#=4qvyXB0L45{YUn>E4~V-&F5QEM6xgplZK@}T1iH++3!DF zbjCxhG)aEnl&>GF&VipBedi;0v*7RI{L7x_QD}o@x$x+1Pnb2x zVKQP00Q}*W{8SW)wjB1}DSN8G?^|t+>koo(`Q2u?{BCz#ezzGezuOd--|dde?>2!B zb&h>eK2PFY!Dn{ebaKx*b23`+&QXhAq1{ZhklsTc|zF7NYAfX zfzY47=Esxf3%eHyr(`Y^qR0yGWshbb;J>Fa_$T`u98_Oj2&(mg$4u5PAteded&1jE zOyvsdRvD@fjMPyarQ@BbwpfH3-S>-|o#91GpZ1lYP&7#FBEsLp3cJz@uS-%fJ!sUU zjy!yJ_&`n__syCG{9msojs%N9%t77rvO6r8|Cz46bs3{n($bRrdZ&$k91V;jw9|p_ za|4p~X7Vs^*)(<`TN_nfi`%l$MN`0PK?!PLk-t*!0cH*Vk>(_v1AM zB8rA!EXecVhma$B`L5@}>N^8CGh(r=K$?MAv_gin3zI=G$Sd(BHg9?x;N*|@JqC?` z;NM1((GczqW9B{siNAuL1a8KQkvA!rx6@RIl z3m8hAY^CYcu@H>+ueOeth9yik6`mGKmD>>D?_sx;Hmf55tsX8z!{+QW*G>DFg*A&Qyw!rUp z2W>f#4tPZs;w4X&U+WNVidh>%7)C};_Q>vOl%v;G^y5Cli zR;0z&6K4UO{HKI|5SfDoL4@J+(P(sLzj5sTV-+-cP(0erD+2x1VQeHX)lg>gu}!PT zB0zHGpkocohrF=EbY{d|49C~iLH-B3r2SULC@X5&L^wkka<7q;1PNh0*OvS?k`v0{ zAJO{x2%i$hCWHP#=9O5? z$8p$tf+=?!TL9dP~rSiMoh4H2@f z?3hm*p>mfGLjm0O(8Rq=ko&;=(EWtN`VpE^`f_e>NuVAdld@wS@@Tw|oq+HfFK|q9 ze)`G42TU{VDtaf`VRO2m=k);xSXT7y>3HxV__}l1L5vG!r0J=}{@EK6iOSH}MiMq9Aqy=}`waU$#39I| zv9bQKGy3RKW?dla4XS%>O-tG#X!sac#NC(fFgUixKf&BCSZ#n7HVdBH2?{_# zRkX|a5(mWWSPMSV;{v+_y24Ar95DYPy4l3n9_pG1EPpnYA;$Z<*EP6OQN8teRCV(u zU}IS6PrDj|{?Nr`Oe-J$etuXz*cXBOf}&S~K)EgFo!HlCG~XigaP;Rn7?LLSyPOjQ z%k>X${J~E`ZWe~LqUXFpVbyi*l8`3wg>{uY)HOlxC%H0Heyf40Zf{-`g(jqB41B1! zwLqoIZ`>bfD}#JZcUAF@26F9H7ap<@f!Nmr{0W0n;CIyIy~s5QAk}oVe>$d#zLdVz zEKrsO@f?Ncc!Zp=*bv9+QR{$u2a;^Yo>;=uh+9S3ZPws#7535YvMb{LrlF!kYzAHA zTK!Iw9uQ1$rsoY?04iQho%t1g4soB8PJTw?268+zPk$Q=qPL}`cXmzOar?2r?ME56 zA5GkT)N%W<#O+7t(EK{e1&zFoI!wo3|53dAy)*nH7k{VbAB+f|;;-G`v4;uCGK}{f zNT@&12=Gtz=Ea~Lg5iUkJ&vg19b@4oe^2Nj7*!lpDnt{8J@Jpn;vs~Z;R-!hKG@0} zhyh_Pvicaz)p{WfRTQ_&)+D4L*GKM`#JJ*NeKx(T*)IdWF|dt_pUQ?<`cmh~JuDxi zEy}48(`7L{C77u=YX(DCYR*qKn1J6me#hQgS;+V%n|8lg3;B)Rbo?WpfON-yeeBkY zL`8k_&WSP6XlrkN_p(VOP_Bs`Swi3 zb1fG%r6^|AJAKeY&BW}qhANN_&-fGRR0eKBUGfsgic#gij587ca?uyTXQVX*CFp5} zTY5=L9yb36t+4fCXbC4#{;YZtD16kEs7%VyxMKL$$3I2LnMx=||64nXTi!3G8K?zW z!+`FP>-F#|KuG`bZXNt$u>BtN$rW)17{83YVut9i@ciy{4MqL;7Q|l&#z2nfv_r+T zFf7!Ix}?V0ANqa%NR-*O`NR=ZhP3S)%W6Z)rGIO|&y3-uxzjFVry-X6dUrDRgfpUH zunBFd!}5uTxmIec#38R-kc{u=w;?K#zE6z;Qb_2r5bH&K5%5fl`oK3Uj{jX8n}{%RU|IUR6<8{qbzXE6^H+ zGjr|cc}T!Xv%)glEkSVC{HbMQ$^>D;F5W8R3~&+7HrpkNp+?54wG%?LK*zOQWx&FQ z=At|P;)&D4V++<~@+1}rXtEplr^<&;66x)}&(T0<2s`br@0h@X+f*_0HEU!#^1WMr z9qYHsEZ+8Xj)QqOlEoSFK%kmWP59Lq1nqMqbIDBs5R-m8@_cp}aLH`$DRh^knX@@M zLs#_B>*%Mev@I9G|7oaqL}VFgQS{!MJK8p=rTOGnw9wKM?cQrWPEQfL zVK{%23C`c7kMlQ~L!ajMo7) zJ-(4^1}&Lzv)(~$R?ZojOl}{)a?>AfZ66#NZu3O{#zh~`V4T22GT<1I^Fy0OU@TY}$Se|*}x5}%S@8WMmm}8)Vw&1`6tRAYR{jSrMydi-Pf4Si_ap^)ZGRj~A~l11 zCx!%hE;=ERsw4O+9p>=C6Lq;0@c!avH?l3l^+W#m`yr=p$H?a-byV#@Bz~$?4;_~%)art`OxO_ccT)v(mI&6RMu27i;&)xfP)uQQIKMEbw%n#F4&KTUr1w$2dP+@Ii8@4=+s$3jyiVCPrY{L%_sR} z)OEAEEq=xmGT-XNs9cNzD=|Sy%!mu(DUz+qz9~q4oxHIu*Z=VMtJZ5*W9Ci)*=~%x zgkC-xwz@EMkI(}#2vpm=%svmuA#$w#sSBL$)xH>W;CbkN@|3}s4Wl$WsOnweiK9?N z3-25^SaRbGpoq^>z%wPLI?7d}FRb3b^iYO>Z2uOD$-3^nH?hd89q(Qp7Q@SKn z1QbM2-~|*>5k!$t5EL*FF%cw`yYKn-`E~z%`;768an2d{_kPD3bI-N*+V6ayvhAVM z!se|wVe?kZuz4$H*t``-Y~G3%&ig4ozSBKA?utyzYVvA+CnLR#n-lXdFM>sKL}zzr z7<7019>GubLPkH+Z5|E<;e35upXdL&K1C^*DVjhXED{p-?l2poyGLBE#rLWJfoVhY zRXP=TDSU%ts7eEMJp86#v@8oTHx|=oUz8%hO;5HKo^(i$>z!X*Oaf^JZk~#2U3Bc% z;G2eHnW$iJ$E#y53+KEW{14mrXLD|W$K-K5G7N85I)5@=XR#N#ZNK-~RO?6jG+STk zysyBg2e&ju7h750f-eDnCJkZ`!25&!=`b@?g}f)D zJu3lj?a{9fua!cFPnwOAvp1-Z*C|gjH=smDJ1+r}e8g~Vifmgj3v`QgYAQ)D!P*zE z*~1qq$herCUtLxXUMdOYH{~n9=55xabrdrYkc zEXFZ6H)0*2CoSQzlD-e(SQ|Ay5Wn`oPl#qfG% zNP`@5h`Hg@&b#_ZCU#WIP;fKEj}PIRH~nMxlk?bSAo$Y{aMP{&LWKvPSK)pjtX%(f zDV;e0q)?4|AhAE7q&1u&I1Gkw?Qj7}UU)+Ko_3kU8=JzjS5 z@ZwMC*UQFopw4K-rkO1V)lPf<8WQ;^Tlu1$5>Xb!)=<4FG!H^bt>0(O#si^EKQeCf zTrzYU78TYRsi2ty!c_6yc$8J(UDu! z>Pe9QgYl>Fuw&P>_J?4VkK;$mLjnHcQ7myJAVvSt$%;dNs2<2nOsx!p{4A#A!G>G# z_hI}>w!NR^1`hpkkIQ8p(W#+;C}M777#4G|6vO1f zEpbjh&Bo+D2RvCf&XC36N;V}Y#3sFwi2HHgYjw7ebd7xe-EB9R%vCbGqm=>ociZS! zlP+WOF0RMy8k8gYn}bwsMx97}o{Xu_vI!D}=}$5wg(4CmDX-JLUNEu0v~kbZ8D6q? zO&Z!p0JU5}GE=)7O!ruFYZ+LBDl6fnq|YW=k||;0uX-@BbsS7dSA>G3eBFBb zo(uBXeEFt3BN{4?CQUYDbRA)xL0=``;ekg|X?c^upTX%z6l*(n9LP^xaA|wy&){3D z?w`3g4+lN1@5=v`I~Z&{9I?6kq`KV{gR3f{7<)k_;$NOg;8C9o|UeM=TTQS~bt7$4|@}QOS6WFHQ0JF2)9jA;jEAQulsXcudl~({@Be2 z?r1<+IEPx-9y;)dk4;I1q9IA8?N>i#!K%KCQfkW`N`6%deUkM6`W8#iJCSl|o-dul zr^ymHsl7ZVR%1Y$_}Z66NmhhT26+%227plR)?5O4I!b!KUco{_3$GNBDc1)|m|t{k za=wU}U-9JybofvKv!mkoT{>!@zoe+#sf~wZ)E3kSoz9^yeZpgg_qBn|yWo-HcMGUK z{LNNufyvh;J?3E4Z3uD+&ktNh^+3$|B7U%BBdUBicJVoR0g(08eS7n&7*0q_U1BC| zM5^?oJFk}uAYAsCN;h>G*vURAiSe=o-mRRaP+k)#EL|OwvvNj`LZ`s!iVaE*OHXW~ zXF^9B``$}g+F)`pUWSi6OGhykk&CzMoZxFL$=56=SKxlN_FIC@9kw@(jQToU;HvkV zXYa#3z&}U9_{gXkq?ESDT%Iui;WsxwZ{md@{Rx!iOM=PI6@Gl{s`Od#?vA^1Fo?lx zXC$Q_ix|O*y=uvVffl^7YcD=X2tfPc+@}aB^uPgcwo)WZ6OILrMxFE3h4csay?lGG z1B-_>`C(Hsl6LTVT{%;Ox zA^G+}`$Q|8-H7B9I(`fNTz{ocd94{btgn4KNg)N)Y8P!uyw%Yo>(BG$Y%-9Nad^@A zk_05`D{7I>Xd!lcz3OkzB`|&6*e+gqBBVsuj%jU&ArKfVV)D=h{1?%}RP2Gs$aspE zs6GTqvdD;DAd7{7pK@lM3m6gt7lt5{Ug&Tu;tKNe_mXDsMnhJv*5X5Gke45F)3 zck&Z+0|I`DH+`L-2DvPqY9u#)E5Axvm(jEnLu4HV0e3Jy00m4eX~leOC@}b=2f--~ zq~{#tr^4V2)-Mvc^)P(rwNJ1Ad?>Pp7d8F|VhheNLJ@Kz`dI*~4qkubn`930<%vfG zg!^Fs5uVs*_jVNjwYWyYs2r?c=5pihTmo}Ck;Kn@oyf7BP&+fe1gI08UmYu@24BNh zx6X8(220YT&)!wYAp*>#_`D<)l&90VSN2dtY4opayOoqU*W-%Mk{(PwY`P^1jMFDX z!=H-6HMz;FxfniY%8?tDcWi`!{@xXatyiMZ#Sr0kpFIcYdvitT6vrPx1$wE#6?=1TlIoHwjPU-bO%^? zY**J7nu9btsxm(Zr$e0+!KuPCsW9A{k!7@(g_NsSjr2GRVDT7Ls@ShIn7>YB>~7PE z^h+dddavaJ<@sQl+UJ?zdDw}U&*25T9os|OH=04B|CPt9zcnCqi*Q}3{4t_QT;3|* zY=XnCyq;4{i>#koHWUrfD3bVV6e=bgJevdRrPHgc(Matffh?9C#u%?UAm zKj{cf`JnBaa1f883i=!&b~3=x4Mk0pyW9x7fIP?j%XP>d;qg$2GRrR;*fQ*HOc*c& zJ$+U-{B|q2QTc_!BlRA#YZ><2csvZQa?)~YV%H$ zRV@W@yt=jQ7C{Va_tyiTq*8#RAjNKB8U@T26LobIk${cISmh;RY1I1{DP^!;6ee5Pv)%p|KVPIW#&d_5KW+go=)qvNIBRYi=i#GVS3$}>!A?Wu;#oPoOc4MyRjK!gA z{FDDZUuBP9tKH>n68!jZUoPJx5~$(}`5)mY!P%C2W8t7?M8Im&c}+DMy4>gmj*lb) zC#qQWmlp-c*6mz%MII1%+?Z#LFAA|bG7YQmP0{eIG-J{@FIeW6YS)#C0N&LpW0r_! z*qxPmnOobA5??uK+iEv}nQbTQ)MOoK)!ViW-0ei)e)KN2+~+Rf&?t;m&rFbC&S_%ldSQb7zpB_mlM6(&j zgiWVoa6Vtu#`X$0(8i*UJwk)Wuacmg>AU)!m=t*UW{WlDS}Z!Ee_}!Db}$%ruXCCo zOGd%O2imXiJ44=L^B-QSP&h9t*#G&!9ogS;>K)K?MMa^+@!#cxVIfm`rNKJ}4cRx4 zex=d`NAJ|5yIEGq!*1*Tkwf;P&Ir0ou2xpknL+YTJSM_14S2q*ONK|vhOW?vXRUOjQpiR98}$M? zjNUM3XiKd(n+A1{N95bBtRaRd;$cv#FB)tXSYj%PLhKx`*-NHqP)+E!2h$RsP)VsH zDD~SN?%nw~YHfhYU;p-nYcSaZTv82!O4NhV?5!p@;(aq@^}|@7g7qBaZAq}cOR|S& z_|Y*M!Pc-ZO(VU!U;+0@X#<*18^Xd9&ydCzBcS!$&dU&WMDr55HNH)D7x7OK9jkv^d5;vzxX)wNeftPeg#!_KnG#2xWM5{QZ0LH6Gx|jAh-8 zphLL!!+$ca_{Sfb!UeAzVJ*Jih&jl^kfO~J^za4eLMnU zi`(N_v)mynpq~~BjiE5we&n}AFuEbQX)%a#2pVgBrlT5S4mLlG8!2m@5joy<-j`OG zb1#L>$PxTxRJ0gvlxPqN`rBrXtlIe?Q}aiYus0cnPJ+P)lORnCj6Z0FieT(DQZRmUTZm0A5eQt_&t0Am1!9Wo z$@`dGsgi^JY5%!GR9oQuQ%f@*EVov_NQ!2oLAH3_`{~KRuw|ZmnH$6Fw~L`^YAr== zuIHJE-_#+6?f3^w>4lg)1jFC~sKHs!sHLs8U%%cApOxf@U+LdKveT9~->8>h_>k?n z%XPhw8SyG$+@S|41$PX1#WrK#w^T60UK`fPdJ33mBAt!mq*3N4_LA;Ba;PkQ#P?2! z5_BE~cO*O{!}4j{~m6m+?fVv4GTPzsYe|4RoD{^SM_WGx(4Q5VsMt z1AI`zPYqNAUIvBTPK}ssE{t4pwWAC;Jx(qXTb^y=Q^cAP;}k55KXY zVY1JT@78E==8xgJp2UY%Rw zOCq0g^+#_ZT=lKEo?j*>0=tu@G!Wf;>RZRSSs-7@!=huH4Jx8GxMW1xfNFvzUEl^Q z;B#rdL%ghjE8bx@suRlfSP4{qGnVo%sUkL0M$eDG*wOorNAVp%%!drF#Appn-~ms3)j-T7 zF_=m3n3^&j!5N?WulLik%Q!LqG6xXf$WW8M%LX-4xaODP+HX(K zKW`G9+#l3E(erYV;`iX~g*yg2EQB!o)}CrPU}q3dde~=cbazm{`_7of2@YiQ@_ga% zPePEtmzd|LsD$`vvg%G@=6C!j;!kPW@&hJw+0!vq8BtAZ`JNu(f!~w`Qc8G1$htqH zX2pUFS-#f0qFI?}}e_fC3 z{-0A>F3bS7==8z3$6tMaQj34(LpLOeVS*(6R8mnKB#p)OA z{}=23y*>h0J%y*$4Z*vTS?D1_@v*@B7(WEY!ONU$Q7}2k;2mgl4tYy4a`G|+!3JaE zxhj<~s9CGtIrg~|MGnNcY7}%J?;nqeGy+VU`%}4x~|v&%4d6p}nIZ(gK6G_FA;Xw}i%{2Pb(JID`w4Svq_B zq^S*v#;pk5qxOXQI|UyvQ@A3D<6w{!9>!c*OKn+yFG(FF*Mdzyo48 zN!@NL>A{DmHxw#g*vZ)XSFQCs-G~sdXNN@GhZOuDbpr$${)WRT)qRXQr(;kN- z{2!wdMm>254^M82?^Ff|crh&;y=V`(^3y02N(w?buA>573A*j|M8sAn{7|c;4c?3u zIE>ZhV|<{6=h}puQS{e?xVE#+IPX8Mc_06$*E=3R-2J;M1jbMQp6?e^L_=532)#yp zfZr9_CxP*QV=H@P^;}pUz0l9L8(J3t7M{m{d=s2u;_HnKDo1~GOFv}TV9f*7F;KHe z5PE>A)avSBjU*C{ju$QNGlow=x-=RXKKEU&Rbt)OjYuHo-c(Un5fILBue=MY10C-s z0`aV7MAAt5Y16qJ@-CM6ymjG+D4q(%)N*MQRlZmH;y@VIF*JRC?c8b{elaO;;_U%BT^(J2%g_&*u2aYk?>pL^8;DD zIQygiGcW!3^V>Iyl;37{G5KuXKVA~_YJ+cD(3>)LLnzLFTkoD{h?x&2^liV_feo$W z+!IUz*!(y$Y$6lw@>1%mqZ_+;bD zp}g$f=tCWKoL^zZme&PI&QcbbcY5*u?5MuN8~oh@QB>~ zv3edTV;6cTpQed!ndv=`-5Uh$iK1!C=00$~yWg01kPmk6uRL%=fauP;j&sS}0K6uh zKOd)t(Y^VV+p@w1;FlO|J{6k@CqC=>Wqo!Ag1he5QAR0J_j+y>r>`-~?xP5Ja5YF}b%|F(@ ziaP;ir9nQwmNopI6FKmn(}H`dmdYPQ;wGXYl37CC-PP(h850`j8{ABRdhgD7qgvHdT`5SI&rFQ8{Kx)E`+@PQH;n7ljC;UeZeX z1p|%6kWSohF9;J0dQl{!^TJ1>*yXYyaS}`FyNmMiW`sao24Lb0S_5t0=ZJdO)m7;6ERw3oneO4%q%k zB7>sfl3$qopS;Jn4Y(Bwp-AnE^JDcAL_j_)W;UM!3k@TU{j5cByKsH8pr#mId)vk5 zV{D4EeyXC9b6t%KS8Z%@@S zE+bKfD+Lk@6Z`if=btpvns!1}V1+ZI`gG5lq=j0M-=V|cuL9_Z1V4^L!c zCD3@n*P#erACQjOH$9VMgl@bO;`}J-hVJszJJ#~Kg6WSB;oTK+NJ%c1UM3&_eG0m7 zbmx;T#;4z)Ti|pSeDn9S313h{YrpWy@)I1OR3~;!`qE{TU9KhP@Ad#ulm`D$T^In_ z16G^L$bL*d_&1SU$|9uxlPiR^pbKVS-jOzAH3G_f8@vh^OO&%Wtuer^2`n#&=0wB{ zF?o?CS8g6yqphQQ#}})#K=)o8FF7GU)NjiXzBo98)?VKxrkdsgBd;m3i4r-`yBPAJ z^^Yd<4b96jX_EkZ)tuxm7B+CFd~3K;sDa8C+x?V;+2HYDQVrW610=}n2uw5azzdr^ z+K9COi6YvSIx)??phb^PUnpha{-+9X{pF&jB$j=Eu56no*9m)|OFRI-HRZXj%2j zfSUE{x1Ra02g!5TZ+soegc(;Rm;H@u_>``x<$q}yaj{eg+%&rhlb>}CXMPT2_mx084L! z2XEdIhh%?5_<>Fe5<(dNij@k%J7530E-3|chBH8kZrBm@=Omsw^d&>@?roLQu3SX* z?(OPpd^b2rPNUeykq(?m$M_n3)6iB$%Iw_@gyP7ziCw>)hQdsn_h$tdfLUEYIUO-T zzWYU@-C=47(Xe6vNQcoI{15-wqgcNbJgi>|7uGN3aB%5fT?jrsKGrYgaPXgcPHa6J zwq65U&x-X|;lS3jLejRI@T6-RM!$N2r1a?oa-Fz9;=b7rsd@UlsT;$P;Cn*;h{Pb` zsuw@^g<=dUL)`8j(~ts7sdYYyW7v5<5q6$Wh~?XJWBK`9Sbn|^mY>gw<>zx_`S~0;^Zjt` zA8_T9;F^bs>+c2E^^36{mTEWY!0`Irv!Q>r(FB3hy4G_IxbsPU+LS;O(6#7F10PdV z=5T{wl1vqFod@DtFGQfnA=HiW-M1faUSF_8qAR9mTXM#*S*X(WnAim3#$R~h5jr6m z(!2NyTiVb;x4KZ~VStqA^EITSbRe7Cl&UyK5F(uSPwlQ7plJ!Vz;%|hU?V(6udT@i zm&?Bq1!YUYN19Yi%?B!|lTuOR#Gp9LU2h>*Ha!DRq&j-j7u8X*a*S&_3qMTht2uD~ zGDk)MOueO=0`Ot%G!xAuE)XO=%=&C*27!@7feO9kU~G7{{<16$&ga>fp?7AUn0-x5 zGF&$6?W#tNCNPBnc408z@Op6jStPKP*Y3aQuYoTyJqS?!07YW(}A>rY2 z_2`OHVd+vtBJ@r9psR&`K)%rF@h2bwPD}E4%@vm;-W!WiLm%oPTyXS=erg+<(&>m` z;j03(?cj8kyEe!s!1aAQQ!XSub9zhhlL-u6Bkrl?(qViitK@?*@#OTcB*}ib(83e$ z@9jz4jKIltjJ{}t7U%j{iWX~1F=4pZB6hTPiUYD+uRd}X5e4lV+y+geg7EOe;b@g4 zA1wKVu)T;fLEpn(U3xj4g0ezKEjlr}bk1(s$XJhyu%4P+=I}iXRuVl6{N_?o$>jYv zI+Q_hhq3tvWpfzXDsR%%v5|za0snBPMRzd1eQBw3aZnr1u)Zpp0FiF_y-%DYASh!Yc9@UJ+_%mi@v~>^%(8Xs=;^K zwb^yO5IEQE`zdzNAL`pg*FFnL!tukqMG6^$P&F;~fR9fCNUwIcXYflx(oy+J*$;wX zxG%9ZBOnV_XoWA#H<7o@{^Vyu62`&TI*in~Hv-$9Lzx;Li^J*kK_v?J~ z-7e(Mak0n);^4#NV+NBrx@?G;u-pfsDoZL2aD;fg25 z-Z+h0F=F4S#2LX^rpHZDmkJE;nSSSrH%2?f_6>aD zyg>hrroux@43nFFs;!;t4CZqwqP}8Y*w8R0cOc*eT=5GgcU8rZSVz>X=U;k~+6B4b zuL??F@^!S7x0hp27$a^Dl@o*+82)?$Ss=l-HxOtFD_n7BLeFXW>fd6{ZF}weJooyz z;oftHLaEatkVPkVVh-aHe~yrUE!$NG5q`Q!ba1GJ0?T^)B06iKnbX;`V7?Nz{@i5# zKI4tfng?GycdHhp&m5BBJ-dni@xv4YCSyB^{(-Y-HE_0`)JOu(J-ilcY#;%@2Sx+j zlhx6nY{~2y6EU3ona-5c(KDBXAz|^@)U+-y#4$-d-&qg^vUU~dI4TC$ym`sE>;&O` zJ;AMVMKhfF)wo{&AHC$i@5gZU3&ph_*Y#&py?^^UO9R6nXQBQ2S_m|#1s}d2Q$!?U zw;If=Bp@iDbLt(4!j$;iCkhWl!SsMrx$L?G*qx-(wDWgFLIOX(MP-M;Q|XbUVO;d5f%NBwMh;BPbia?Thbor`I68cvEZaq?l#hKURq-ESxuh*L%E$D)r7 zZHeMMKg6~F$r@c)X8qs*!VH~Ee{p^O|NZk2`i$S3HP;-;@TWN#CYixKW4ugej4p`2jw2wk)D=CPS~*T;uZ2Xt z!%`@oSOBrS-;$A^CL)?Qkb3Y{0iEW1`!wjI6>wb?tsXbkMvo?l(jQo>Bf{Ox?D0Ws zoagPho=X(*%tez0?|mKsEVG_(B*(O4-iomMDQt zN}co;Mz^#UJIBth=Y;S}&$CY#rXrsjJ45Da9`O5QN|b%z2S1ri_@^*A_5bWA9#&6; zht(5tWA#M)ga7D>j$rjfe+K=Y;Rn2M*M_U4Q_{3+XJKuvI_AN;Cwe%L+Q_bc7FsX= zjR}3E35}0Te^|ZLgegn8HNJFhICAve=G8bgi0zX7cxhY{QVrfDJqptTBK7X2g9#0Q zy)#Bi%s$BQ_nGe2a|rN8Xs<9=$OG4$m$&_2M^vfWxAx6a4z!h1{xo_j!Lw)dcFXH> z;K)PHHoO=Imj?XhM9LySA#z^AZ!Q9c`LB1TvBiTp=`jPpjc~a8m|%NBy%w$HhtgDz z6d-1Y`@hAgZbJd<_@bT5FpOn>;kZ`t3{ge-9yK%WgLk<*dY;X8A(bYQEvQrpc8?OBi zuJa;X{WNgx|KGCQCU~^N2wf)B0p0>Ekn>IQ%gU4r+EH!3uu4G(o1=y^7c7|IK^Es! z?H2}|_0+hor+nI@XWGgfwjS&KiEcDP6x9~Sqt<31*0q=9^vn!i-;&8XpK6HkS6YRi zdpP2phk~oVJKANfs_T(HlK33)`+6Wf^4BsU`)pAEx`-f`W2 zEoOo^HD8HSkGmsF(M5HUV`<2%&f&PZdKd&8=Wo$!h=$4i!&|r0!;oLCTlqE4Fu0h2 z@r%x*hl?*4>l>M9fptPwhagP=bq=L)hSQt|qM~2Pb*DHH|LRk!-eqc>{ljtfC!uh; z01L@_K>nKfGC7YeB5gl@(aKaG9KsfChvS4n^r>RW+6xopGE_MfET;)@quYJveH3zd z+$OK&9t3xdH@6&-A2L_cNz`Nt2e&5Y9y;p?G%Mnhxv+5&v^Sf7{G7H$?*tQ_p19dS z5{=0ZBFc-%via2~svI}?yhY~_cL~!kqhKZ^Xb#p9fxDWF(!el3VNP;F6l?-&Pfsz~ zA;}2R)%n|U@OiB(%vVSPo?2_WI$-?paGn20ES^2&PP0dwyMG8i91VrnPxqhCo{dM@ z?JMOKRzZMo$CLfS+Yk)JUd&u9P(w?b@9!1!F$3KEA{Ht_2c`K78BxnB=);AV7mgp$ z!bd0JfjJFE*q$v_ccP)i`8+kDL-s|`qqpg77qh$IaatLyt@O4M| zx1w+TjOxRTqlj@;NeO9p=l#o2Gf@y9o2m&>|fIhZ>0)#n@{0Ve&HWD_6| zaO*U8&;(xliOHx&Tl6!V=~H@#HqQJmT>G&z;@S0M%NC%adPBsp#Tcevo#kR~wS_^Y zo|;pYkx18n$o26V4Bv9O;D~vK1^m}~%z_g;{c5xPK#+UexSvrJ^>qY1(2Ws5-aDSJ zhmH%thD{S=bg}@F&r=_dUgCp)^0rQ4^S0!$d0Uj&ye)EU-WD4+Z;Kpo#W(-)8!^NB zjYwhrMwGFBBidNM5jm{ihyl*m|6jxV{yjdZZ#+U#`!WS3yGIg}*fqewiscB`P%3g? z=o`y6s7D^B+uwT6B%%Y=8&Pc2#n|@)#{d3*@Q2y3{9#Tkf0zZ!ALhXFhgm_CZf$1x zqc*xcb?SVDnh20ow4Zo)TNPCZ7WdpaCkx)k-suRv76H5GX3A{~N;uhi>ql?(V2&mMF5R^!$1U^(U+An%Ba2_h0N1Tq@oJSsS8pU@A+~B5c|LKUDc%*T1%8Eh2 z5qx$Pw7fSRA#o{uWyI7AZbTVI+?&PxU%_RYIto>cUpT+kPZeu)o=$O1@{Izra(B#l@-u>nU(}rw~al=?iB$3 zEvfwT7(bcwYVk(`-gLmnQ?q|n|5zaLsBwuIu2=}_=U3t(%|>c7a66Vc5gNIwcU9W+ zQMX9OW_Do_n2wOx%>Rghmig=KF9I{5UrV!6BRCV>ueeH>?UbYBuNh8UNo>IB@qC%g z!3VByEm8j#uK~iJv%L9^4Z!>{SlD!<1 z?f$fIM98+~pRpT)DtyD%Z@ZuEtMZh5KS29EVSKH_iYggJ+~8rL=`Kp2bADn*eQ z${H8suaMS*y*CdY=nW_%sgG^_z(fO5SnS=p=THX>hot$l zEEVVuH=J?KYeu9#JRHQj4ba|gv-gs@9{;m6h1RpQp9@iU zz{A|zmwmx~hjtGf%Ueb;B#RG zNTnJz;JL4Z;tkU%zpW*LpxWTMmJ6e(%>jOFrIf;bIaTV@EY+~seMUB%yAma}zMuHr z){irOp>&%jOYbBXNaWO|=wIW8lNYM9-4@xP?;ySBPM!{`3yD0Mc!LL|(#)I2O*w#{ zrr6fy77rwMYf7m5@S`tsE$Kf^xnN6bd7@i~3pP5QrvBBGLT=fB4z}bf zw>k}{PR?&=zLiJB>{q#8P*XsJ8NP=?83l+lu+F@U;D>1IYD?eOCvf)X$5oF&)UeGk z`lb}@#CVCL3Tlw{kne%!9LA?k{Qeg^$1>>S_SN0cXhcN4{jKLnje&EX;Be!eE~5Wy zLTe*z0j1{s46IdN=*U_seweK}43lJfvl%Hvt!wn#{f8EC$oy$I;{AE_=1B(m1I+W0 z0Ae0xS*b|KzuKvb2;*DTK=4F-Iv$h5`H<@NZU(}&-?%d}W=56hiSdc(wqR*WK#lqS z4Xw1Xp!wl(7^{CcSfprid13NLcH~412WA6ccrPoAKh_h8ZZJD?U``5;=*Av1N(I7F zMYp_rL;%=s*-ZrA^g@Cff0*)SLU7J!!S%d9QU5%_dmb~Nx|?1ll7{hn^0kiIwaJ09 zV>_8I1VfM)zusZ6ej4iDDC-LDJ_ms->=PAc9PsGseGh^Xdgyo})5a7>4I@=yY2Q59 zVSP2h=A}Io93i?^yIrS&Oev}6$nf~!m1|w-vtmU=l#1{5SCtFKcjtU1{$hNDpK}RS z)a@$oytrvBH_ZYsHiEv%PUr*YOd63ayDmt4`Y!9bg0W>5V)gOlm>)0Pal1eyE5-{> zj`Bez_SPVDd3GZM%rSnm$31rjtYBBhqH=f12824;>0V>@77QWm^*>o;oe7DLtcHR}fw;!iJx@(EvnjdIfdk};(f8&Ux_ZZcURCL5I=DOWOVFk;BBc;q%lapr^K|*&}uUYIe~Ti?$T>&w1zH_e;3uZ{n)Q#P$0B z%yXo${3}T;|H=l-zmmZ6ucWa2D{-9PKe+lC;@UspI#0kA@5VJh_pe^gF7>!3lDVyX zykX1-PS@1&yd8@Gr87a7r*k3^<5$^R4HvaBe4I^t8;suat%rSiof$6}yczVMeSp#b zSoax+&x)YAN4W}N8FDDBq<6nvlLsRE<#X_sSYh3;n2L2W37vU%%f#aZCVy-fZ?gxZ zM`RPFp%%ovKi?#LDl&{qLn4%u-EDorIQxeOPd%%YGN6ZDpYrgdcTM^*P` zN+h|$L2jplEHDvs&iV4tTRbEd#@W+k^)H}DOpH|Cd1 zLw&a(U5wZhZr)WpBF*Uz!DI7r(*jOVx3e~v;SqqIzRS7Y$EyOK{iRQxOg)fkNS#lV zuq%j?=r%u1I)~AbiaHuDYJn9UgNAs9CR~u0WRe~>MX}YRtJStz5c|I1{F&F9V0%Zr zKC(+2Rr=nrxl^EwW@|6<4P`mP^!-R(S0iV*p7<;2VzdK{S}MI;$K*`LtCBjkywQZ1 zs;8I5bXQg|j=;-ESZ&yK6LD`^3 z?OAwKnX8t2y;0tB3e5hD{vM0re~~|<_CVK4(f!@K zU0+THqxqI5+F#j?w$N_Vb{lBl0~-t~q((9O&hYy!b%n3hh}3J-3p5V9&=M<=r|5 zB^LFmqr}lDIy1k&28F^2XT8< zp&l*S*JUwbsE>L3y6qDe$RE+FKH!!?o=+dX55DW~&ts;)6`g@Q-; z2__GF;25*Xr*SUW*Q8Ep9TI?ks->QD4~)>ykqfs4F7m>aA$4_bWqvsN9^MTO*}^nM zFLgEsC%F9UZf|Ptd32<({BKvdJ0yJ8&I!QagTa>3Pj4^=p!CUJ2Kc(P%LaQXZ;XMHW?=DtvWwr+#rC3=-UxWxggMuhXB zuP>rX;&8{BI%hbc+MK&A$_F1dOxs8<*}{Izck2>X7TDR$$gWsC_Je z{P$@M=;mQVL!ol$$S{p)L?RC&sJK!xPlfSaXJM>kc$kjDpK&~Jj}3z#VjsA9B~w9I zS-k$_S}L-oKDHC38v}SVx{A^*G2j%<_qzUOKI)R8IFJx-27>Fxll=qH$mGHK*RNgU zQKuQhndN&a=nPlIbW}|c%ynI~HCd4dr$>0NX{n1)hSnux&dZ5l{(S6p(W`98zVUOK zaz66KZz8{0b|6>zRvMy$`9H8BqbP^mklj$e#NJ1TCZ8`&|?5g$g=OE}~K6()V?H?YdGj7YFo3%+281z#$G{PRNUN#VY znDT@(WNQig*Hh3$u-0$kBN!fzbeBc4gfa@58@cLV!vNCHd=-i?_&$T?gEu2N4rukT z$#bSy1J-UCl^=_4LP^7Q{mfKRr|?P5n!Bjet4Iy4#|WIv>xKuK-pO6<%!V}=ufbS z@fxgx;VO46>)mTe=Bace*;qNu^Ivs1`}H!yRga7-UVy9Kiu5ZnUH%OnG`Mc~U429x zB#+ckRy!)e-H}gJi{1*Lza~dz^#qfncjXL6v5OAM!5f`G`2bNCYmkk_!JJoGvUqhqY6P|h#~!t1XJRi?EeY4?>T zg|a%_dgZfVCa4RE(*;I7oq_0HN!JW{lqEcN={ik)&IKB^R*1L;f{@tLp^tYd&cWP$ zyqCKVUEs>#1P=wV3OphR8F9!~0pf@ig+ggnnA#Ba;k8wOby~!7X5Sg9(9NldwkY9@ z9|`jRkhum)@T`#d%b?g5q)S>B=Rukb)_J3^IyX{bB0x0pjczK4KNWn?G=TYk{2%Kv z#;(U0yB-tldi1dC3Bs<&0Hmf;uHDNsMKik2SCmB*k)AGr4B0si_-znL@|aT%(pMXK za>MtOxp!9Y?N_RR{15W;r)P}eZuRQ?4^c~GW_DI4$kG_pL+3m@cZ`6V3{PS&-T>Zs zyjYfT!@RfNDKZn9IszuKVoju72Z@skhX^k_0A)|t$&R<@K~Z){@aO|Z$gohQZcYkD zcMWq6WSV`^mDg7{xiZ`#Xy$=r^=V5Kn<;u|(jNfUV}f{e^&X)AWUX>#BNTC5wO`TQ zkVbCf4y!hmj-Yba1fSR$)1QRbJhqj0g`2H4y+)lHh}+C>QVK5=6@In;*syO6dZ#~? zXzrMS&#ZbaL8cWPl3XwSjhWvM-ej5P^S6Ku&N=){#z-uGz!A%@mcjC?Rk8ePIV`_g z2FtIO!P)Qkuw$5Gxmf{TaINK5YPg{{zPz1RypmJH#rTfJBd`Bi8UN*sZs%rwWkXGRYE~g zK|n$2?(SH0cXxMpNjK6Ujf8@vbO@*uMFasAu`m!6TR}R+c+U8{-|wD#jQf3`5AWAA z=2&B&wfA0otvRpxyW-wiJg9-hdxmLwwt1-b5NE;>hBDO4r?JQOs|UqP*Vb zcdJ__ufXDCC*l`01Tda}D8>^|#&`lk7*9YBc^}UU=Zup^>#PQ^?E*O9CFP(h)dmkJ2n)@Ozu*Uv zc$+kLI}SK+mb0(SUiyD{J^#)(z*j%!$aTrZ^kB0vSE!tD6hH~i3? zMOOCxTyx|voyvfWy>NAII+}e;F(|c7ZNj$J7(TDAr{$+xz}Fm&!Q2W9;Fx|B@!Zt} zcsrDPhhRb2(AEozuN{7ESEb{yf*0k90wt#xgM)ni=%Y zm1agl{QeecTgJ0s7(T-Nz`_^!bSb+FuEnA9TdnU_w9-(?QAee!oKP@n{cZA#F9?W? z%|3+c1Oth)Wy;MXfnXJ3ZrIR~16w1J4?pAb>DJ0Ztq$Sm5Zn6h(E#!yRP6m`iTzzL zm@H)K(A-V|`O3h-8T(+k7d4@ipW*`Q9yB7qH4{ytO^Y#I9(=-8NEn_CYl#aWQg-L1pNu$h`CE9FhACR@bWQR1Sc0}RGegiYEb7j z4Ql|>E;wt?;%5zCJexYx7Wai%`TgjU9FI)l{t=ugt^hTt5LHl{Zm0^<){ z%lU6O!@N7tZR7G0Ze-^>OX(L*a<*C8EXg1>h@DeMCW#G8(I@ zi2TM7fMn-RGZSR!L+&vb^~B|FAm&e&bKmEp;r3hbMqBnC%%;T&k zX!_-I!r)j3+zCA5(_BA>7S`4>RO`Bs&E3z*y!n?QSCuU?JN_DM8}8eGGzhof*;U5xIPP2P6;eH$#pYOP$$osg%jd51EU37|@n zAeWO?=t<34bE5)YAp1-x?Z{^e!Rw!W)oe`u*Y$D{?WjUMBN8h777{9P+>%NAY*k-+ z+@T^?f^~ zW+oDK%0#{rMVGwQcHz~exVBz{*b(Xn0g+~t?kV$ zC*6ct@uXNvAxmJhDs2xG7Di?#^5M$QEZ>^d>(hXIiQjoi+BzsD`C!CHdJ*Wna*d|>x-uvP z#JHb4lnJD{0!!$zJA@E@kh+ITfnA_->TGNfQvTUnc_rT!7F1OkQoJrAe9zbCP6Vbn ziZBA%xvL7H-%QPK^jeiX9`~bfH*WEkpTT`JhT%d_NEW#&=_OZ{$5rv$=ac(Xo*`5^uFU21m z6Su@rMpAdc^(Z0u8?S`LYhdxbSUkewRk3)*|Lf)l-}%Qke(D@!Q&*rrn5<1(@%DMc z#qDvEA94;z!-i++tF<>uKB2y^wJ`vQ&rZE}c;bQn@;yv2zK0CP_fW$49;z7MLk{D6 zXd_zRlkwSsCQ$R|QQmlqBE+#1vWDX79~G}$b2Qvl5sAXPY28O^;Oli^e@2xJ;9F0B zvfZ4ImJtqIDM~Ro#0CuE>4>wQ3GaRleEXg8 z+y~f`NNUQ!IY!oalp#(+@j4Q9B)N z$+RIQxTk)J!Q!_vDE%QU+443;ZL}1R=uR;~Cx~(wTH503(5K&+YB-`J&wOjv*PY;9 zO-=oQ0V8O(=wCkj&ISFlYU(9lG(;V~Uss;s_N9Dh9+Z})o1*0pA67GtazS9e{Hc{8 zeP}Ec*Dt$mie9&J=fu5H1Y(l>8fG<5pm-aXHuS~{Z3)|wZtp{AmZRyd)de4PP5Yh$ zp^Q3uH4%69qlGKX>j*u*nWO|Sy zi^qZvkk_9dZ~3H!6pqMk?0nFJZH2%*U0N})A@EcV%Cba`ItTbvPUt~r)!ghFu1-E8 z&+$Op&KGJM&s)AINkCC62Lqh_6X3?JQ*uuv(-9jHP0!T|H?Y5bSTQj+5uB+Oj%sp; z!|$#tv*25SXbK4T7W30VONmzd&FchYMnYR0A(4xU?ww4tuy#TIO|R-sud2fX?}K74 zeqt!IGnW7H8GW!=t4$X-)&xg^kcG)jZ7}#8c6GN%AIBAC7VFp!hHH{7$LP(|(2Di& zq0XP4=&Jgx*7@8ZpznDS)cq+KG7c?yiizn#rp50U9b`U8=&rCswuLh~7)(URn`!~) zeArnp`j`N_jo+Z$xEcH=SR$M{6$BbY;`X;Jqrv$ND-ES-4LWN(bo(V0j`P->LbZwW zA7`goG*x()4DZ=55GA$;Bdxn{>?_aYLm{OJNFFIg>MhO{DYhB#DJ5)AVK)XfeDbwp zJK_TSH~KxqO|4N;!6VlXN&&z`M4V7mn2DHnKMoJd8-V4PrtWk-oc|VO?ET<;KQP)O zs?3-Ug;`k>>kAG6Q1;>Bd=yhDVn2CNS*Il&uDoHnL(UZhYaFykx&}Nzs_{A>>*p9a zkYU!tVG#yjpWfNWwpN3>=c{)u!sFrY4;~@r_6Sf{EoiM94Td{6ti4tT4WRk+D)HJ( zAad#Kr2C%W23~8|Zg)rpK>0fXdXt-pXlm#o%UM}J%s*Wm<{CyEQZqHsLR<`F*z5<`tZ{szo#pKll)_L=#u;BDUk9OucAukg`y~JNPVHoe8g#;w@ajr+ zH&D^<4l0wjBZ}CNU-AT3P$Dx;L(ffRi0YOIr&zH7z0k7c{N)IAEuk~+wx~OtHZ@CL zx)cm~Hwt`WKYF0^B&=ThCVk1gIjNqqAm zUzv3_MFboG1h`j_VFXN;+-*(1TYy{+q%$1Iz}5Y;J|vu+^>;5wl z5V%77*hxtUPK3OsAE+`x-@Zwh7o89UpE6~F;Av5yIs5z7^T5+E<$ax+b;S&HhrftM zzc+%%nfcPk)WcC)z1qsgelr*;m2IwdRRr~f6NWXy=8z*eeRcH>&cCqhfXAJ2T%F6} zyrJ2{8k7W3M+-)iP+)R~#8Y?C^DR-@L9G1`R?mU)oO*r6N#8q3k z@}=!`nza+ebG^8;HDM1=3mqOATgRe_VETdZWn1X8?R}w6BZRzJgh-g z!C-!=Us;GI6kcl0hu_jHMZ&)njNV9w!j%p^EwAq(P#AW-s|!~@Z0JzF1!pfq;`+sv6@9gUY^=AVNoQ=eB0?75XJScCKj?hsPcjG@9K-+2i)MJ<@Qi+c^+yJ+`maa z;RTC5Oc6A@?x6OlDg4{0AKur4@Adz`6K{acrzSR^LD+oiVe_et&8H#Y%UeEJDroUj zOcxAf$1lG!l0dcBFS`c5)d3^j=O1I~bf7S|zQ^Oc1OyUPkMf;!N7SW~Ua~ga;BqN_ ze^jat!prl2zV;UA4f*jDGdnSGD8aawDex_<; zqykRSU+9MW4Uv`A_0z!pHsP1Mc}PEXkWk}u0~E*aQU zlt;R2QqW0KmIJr?eNf;<S2C_~xr28M5fTElhBQ2d1oEUp{kDkU9 zM8EZVy$E%LspiGGmiQRtJl0owfjSlrBs}aav&`RQKSd(#uVtFbQLgC0cdnkE z@mk={_s_R~(2KZ66r;$)dcoM9h?bV41FG$6^7vNk5GA4Afd}$cc=zYx%X?H)yh~=l zlno6DS&NQMnJ{l~_jsLs7|Q!shAzDkIPR%b4^!(@{Ex&hqqo$m=^c{+P{ZeZ zXP34dQ7+9>4+O`+)#X7q+H>^Vu6w zO+{g#5NYN6iM<*rL>T+r#0golNVR`&@E1U{gxx7N%NArZJ*(erT?nNk<{qTi@?o=Z z=B(pHA>MxO#8y-M2Fj$~o56!|;9Ra|m5`Kz)t3da z`m!KaUlzjZ%RE?p*$AsI^WhzT=*@NZfT|4e-6wxh_j>}^qo>UJ^noCgG`q$^UyOLZ zaC!MBXu_;pm#!J94H{3sEF;?>h3N?uFg>9lrYFSp^R(o)k&xl`1!1jU_i^z<_{zXp zJ`P)0>%hseK)_W!)?g7#CEeF{J7fH#j0U;gCK*apcD>mtdQsBP-OtgVY0ovg$>2{(>#@pWnUq0U7`~xeNf57n{ z|I0sUVfhCpEdRiUZHrxAo4x+v*9Dh(w&FFI=*9ns}u+~h~*rGWpZ zyyWOTIiOOcP3wOr1#NF4U5=Fnzz)&Ho9<&?px?av=5vHU92k_l`gJ7$eh`{0!b2}G z{yf_z>5z}!8A`vbSo1+K!^4jOr;B-W`()c(oj0P^H}0`^vW6ysGq1isuz>>8p11x3 zR(P)`(@&;-uY?4mBn4qYk4+_{%e(C$_QxJg{petSupI`39qutMQPzl?`kmojLpMzS zBZw{!IrQ123c~gaDxK*kLa4(ochAC42>xtejo_IVLj`HoLQhEqaNHYZWFkWcQP(Hb z+(yLEm2dAT$13%}^8lH8lD9c(@g|d_u@eRJ&FyYe91oO}opCm?&Jha%9tKl z5uBfUw(tJVLDB zQkdiN&e6vPbr8HLJCvpg#Ys9(S3g>#n$8mizsL;1riiYQSw4*IsR?^xrQ`L1M~5 z@-pJ;NYaL{s;8C!)ffnful9Tq4X}zwIp1tAKWQ=d7+>RX{5iGgney z8$$1z**PH-MMzIO$a%nzA5N*WeEqI%fQlvdF0U?Cpo=2GmMkJYumO&VFZ(;t!}EO+ zEoGHJIpwf3_oNE6ZL>u@Gt-blk*#o~bSq*miaFXHI0TnCMdeP9)PteUP`sLLA8N?z zyC$sE2CouskPAmN;O%EeuHV$*@>3K_q7@bn9XSCt=lzHY2sPpLslz{XTc+hde~5m5 zPFe$&L{cit8thPD&AsS&Yg}D#p|-7W=L*>0`14y$@;Y+rQYxa9%>}6L=*q+ZIORsQ-sJ$8g;U~C$9AZVc zUt6gtB$p~Am&O^ax=5t0mEFOjV%tPi1;-V!d%Ne(?FtXB`2<9DdVq8EL|0LF28x!w zlTPEt16S|e4Gs1V2Zo>5`bysifEIHu*#)~0pt~U+)9SB@C^$2Qms6b4(KC7buby-V zN;3V6qC^46Y?!@gU_UA9VS1YAjPuKyf0;d+Tx9_G@@L2*ADb^YG=jru4{@1%H?YgB z$ecSw!y0IUn# z_0yNgW))CY2sUBPNoKI#wWIYdZ=RM-f8;3Pe-65TCN zxZle6Yv`sYM5vXxgq;k6o5PfH%pvY@?QWy7!<%e`FW(qn{rQ5xoo(L<-1+4NQTF!9 zW{A&^uKl=i0gc#J3U2aOAgKc${?7881_8NV$Uymd)5D8kdU$EP^F{df?@Y*Rr*^IggY+=-ua`Ww z=&jQQk0-REAo*0Z+rCB!6m=W8GpG=7(zDY?Y6;@~zWn8xvtm5+GZ@dD1>>2sVmxyk zU;jUzxhlf99~obM5x(*GzK{6wz-7!tZje4Xg~HC!yE;&>Ogu373Nsoxu3S%z4)*ZXn5*Vb@0G4xSml zB;zH{aBEpEZpSqf{XLHxVCQiy>^!cIoyQHZ^SBmv9uGv{-Zl_NC(@%Kxs`|Q{er-n z->ls4sER&+oa#*55(7JWHHQEj7W8X5QI3jR2%3n6D7O@i;OGNK=gCwru!+BTvM(VC zHMvc*w$B`g)wr5J?q+VVbX31qh|B?R9xT51i`1xu-HyQ;g31KN?K%w6jo&F=@2*;* zBcm5@x#IE&L`T_Wn)g{F7JE_G)X!#k^I9Fx{o%V?UxV@tiBkePE77f>3kM^-LcmA+ z<7jPf0hH9v6izB+1K(k(+kuY?fifz+@nJ|ADyz0%Qwb>^P$$#~CDy;s_h1K6F;BWuF3D&=_kM-||Vg38K`s;uF`+8Xaz9F{%XMrb7)nS(y z7%~4fHOzmF0si{0F=PH~^blG2{n4PgGMF4U%oV3RfPnjrn%1lX(vBPpj3mFD43vW8(=UfM-)YWvWoir;quax zrskuec-OD-_4~*=7CFMOC z0^sYfkzA$p?09}MQjt7G`6)3JQ3%sBB#7D~=K)p=MI0AyS!}>L=4lAH^qDav87DxU zAQJ^!QVHTw%2g1Q%!0|V`6Wj0RIrZ82#GenfQG)dk2*G{gSQj|ZCOta-uyJ+CpwZi zu89ctD8n_Lih{LuZ1{Cb1$aTT8(}r2j(WvUkkBFtU~4^0bf-iDto`*KQRbPVz=G9e z^H?3=iMa9PF1Izx;F1hsFj55ZkIeNEZ3@WhMt1&{W=Eh=e)WuhSpf_vh}VS1^pK@d z#FgRjOX-zjn@V;O8u5bUdcu{Qqq{G%v93Skz^^*@$@j73eZ~nvDMQ4P$&+1eCCQ;82mmjrqY=a2f@GZyZkhX1!a?k1Kj<% z`nAbc@Hb^$)D!VU@(!~TI{0o{ln%#DBAxhj^Gmfh(kZIjuz2f=zrIfL9$9;37#cBi zEpzBjLh>AEx(~dg1doyWm!Z-uFt0flAQ~MGe%>>BJtv~@u5Y?&{3HpzSPr961Q*-L zOJG^>kAv~!L8S5f2;;uILX^llB&_+e64I5*vKH4{@UGW$F|>7=2?`;Cx;s@4tNizobM`^@{FW7!{4{?Fe~ z1oJBt#QX|PFuy_p%&$-w^D7j97i`MQir1aNDL3%yJ$HK$iD_yjTQwNv`Tr`y_4PboELSLd)7vY;9{`_10_Sv{x^d|kz=JCA-WN~G6FPyL% zX}!36QF!ALbgG)De~He9OTK+bWUUVV)|crq|95W8|D6%@e?Noyzw=`L@3dI_zx&1G zd;Ndo|GmGm|AL&iy2S-FX>jsG11dxkqT_=sUbQHDAmrlJYb7waU`0}`Q3KAeVqI-; z>y*)}&m)~zB2jl072o)`P~_V#L3bhNEHb)%^sRDeDBLMyrMaYSJtYpWivg9cYz-_&eW681G8JR5kIZA8QDN zij2Ng#HpdPgLz7(qzFz3$g0zl$pQ&Y7-7x>Ep%q2<##&LzcS5Z4lpqs zB2T|*2^)GnmlAM&rP?|Sj0f7x;kNnnbPDDm_}*&$s7KfjIwoXFo?3W7MqLQrs9Z3BecB#N1Vtt&Z=%e_xpGQgD4w=Po&(3rDES=Q z*P#cdpSV*bwfIp`nWkA+7>*M{uPa+A&IKur?^th0h=7tHyQcK67;+$Nm0x)#j6N~? z@M`ioLGAoQHvwfwSnZ#_43lpUE;p{SoIY z&N}m8XvrG<2K+X+o$Qd$fOoxgnFZ9YmIQ}sg&-#$A`j}XR)BB*uvj(1uzyqsYJ0(K z@Js;O0pC~l^BUmC&rRyps|H%3G=JW?Yry0J@6Ve^4e$No<)QMq)BXrO?#wZZ;bn)s z0P0(#`vqV}ki~b+OdQVF{p#)@Q$qKxj4Rw!dH&b;&yVJkb*-MNpyH@XxtaxWAg3?Q zE8UQST^h0kjec$91dW$s1|^}LxNB>RT@3H{@vq*%1)cgp)l0}GkK??$o3>9XK>69P ztP+AauFpOCbe>KG2UykK~bTR45@ zB=xIj)W#@;Vr43jN(C+lY&MB<;rc|Z#R6@jgyB}OthBy^Ir_n#dj8xeL3rxb%oHIk z4rGg!6syWY5TeK-%kxwi;zJpp1*!=H`NNutw>VD5MT!Uo*#iR5>3qYYeOU|?U%C3< zMS?J+Q%mlZ6NIeI2s3WJOM#uLbx*J181&e0HGPb0z$c;(laAJh$mpJ6~5%B|gb*3+t(A0H`EZ9dJj_j`N=&a~N zaiS^73-Cf^_c*4)e^S9??Hu;ow{ZEJ)Bcp3=>~YOKltXa{`yDLVE)mkF#l+T`A1V? z{?Rm;e>638Tu*(O8gB@9c?M_B6ybO}Ge2H_vNME-Kcy#jI*ed=HjvDUL>t_)enN(9 zFv?{9ZWJ2adjBW+~;pX-0_abSO1pw&~Lu6 zni|%*gQ@n*QoufA4~>_3H0U{bPz~oeCG?fEt~~Oggd2*JkH$p=kVo_rn_{6N7(^5o z{6>mU*h9^I$KMpd>&j>4%x^N_CHW5RN_RdY2<8*&%1lIh-Oe^SJ;5+=DNpQRM*yx* zK`DkwVZrivmQ zKXbS&7}rn7ZPdyeNv8)vCy8F(3(*2vhmm!GgAV8dL2-E-pCh`lXyqeOYzVxZQTK_ z-zf>;Pf;bg#9)Z1h4i^B>y?3RG&+gAL>V4NXvtU78K7Tb`HlMB64?Fv_kJ0cjTQO_Ghy*3v3NEto)L?u!Q$1>lcz?z2dkn%q@>!K z^L!M{WraN|@UjF_Jt_3YAsL*14YBqbMFD?F`*|0#TEtx_QGaJ#74~>WUlL|0Ls*pb z9JityGPsyzS~RN!p`#uIrQSF$;}+-B&vhzbp!ztaEhP-j4$AQt6^BCY2D5A$y#vZk z{k`>aGz8AED~uwR5O9C5I&>YEAHny1`OE*e#`yo{82{f0CNOy z;SOMvLbt<`V-3D_38P`xJf1Niq?L?O~{SGRO%lXWsj->#)N^j~~s?4Rw$jT~7mLCJRKjua#d8 z;e($MqR#6bEKvKYAU+={p{n!QkHSu$0h(7COue-MXoFPfu`Y2Sbbs6@@f7r-gzdrb zw6PK1yaIy&bbnpL0Me5^oE(R=VEPvK3HNOil$32fduPZH*uS6ezK`pR<;qRCAt>#N z+EO+>4b2PCyjEuU*vWV}5Wd!U1jjkWeX}Q;Pba{+wT5Hy`~@haQ0k5gK@yz)QGV>} z32*Q|Oui{;rwOkv=8yQ5C!-^5bcVIl?r=x-iT#f&79c@7JNKvG74y4c#QbhFF~1vT z%IB6If-1&IDPhn3?GysUA7|cdW*sQTbh4zQX`Y zdTTh2#pt5m{@WD6ih7{h5?Y~)<7AIE&>n$2aoFRVpFMaTm#1FmWPZ3S2Gz_&Y(-p> zaF7IfPk(ekJw44iqmuS0-)A~)q(U4lUeWGL6OsaVDaU>z4N161bMo@SZ3);{vGLX4 zRsxcCj3j@t2Z3$Q%eU>^amawbqV4w4V5q(4)cT1u5SF&0I`WAUQ1Fn-#}`NaAxCu2 z;AN3Bli79fOxN;m~9P7pbNeOqD$CC8E(lO9XNO{gtYC`z!sekF!Fz*jK(E zzv$rN>!_&IL##mGw|r?rj}?@|r6x4}m_VjIig=+?1L5nZiLd@JA=6x8C_E5-Wc)=Y z(qIPz8TV-)Fgn6pd!oEE+72MFULF0?AP{}#&RVL(#u|dqdrRmUPoPL!1wvL6S$dcp6LQ^6P!jd@s2<#-YiR_ z2oqcp3E|CATvht^wGt8B0>ot~NM10?mzl+E9U!NG-eD^)65GoH! zm*0L_1l}aF&Tp#o;O^$zeG9k=|M9BE<%daC(Z=N*XuPPIIAHpX zNNd5g9lTo$W9D!&f@vMM{=9NOG=GEb0QH<7Quk1cXIr%eiu(7`_uU=w)(;Fz7MjY2 zTB2apa$&hr2MC*6zo=O10d_|uKHK>upe=>1tOjZq2;+a4KX=L%Z$AZm>xtjD7n6EE znnU#vC(UssV~Cm;%R2SL9Fhyvnfjtlft8z*Z;RLjObNsEW=C*+t0Z6YuMow<^wHJE zY574^RT@has4)Q2_3W2O?>qzsL^4yKa?mYZImq6vFhVs+b;C1kBfA)`Lxg>B|>+cpS=GX*AY*|UAO-7G>H%1^Dl3- zrk7XP1Ity%6eOxy(Gc}2Nn(5*Y6yDlH&@#Vac^SnH^Ms5_At-Oy3gkz+hyaEWI-}I zoZn_ol~IaJRWiQbCMbjyYj3jJog&cK`0@3vWH}19m|CLySp<;_M>vh{Dxj&8ZW+Eb zDkzJ~wRW*e2=uPV(Q$v{1)k4`O>fdkg1O?vTIGE{yx(7Z^{!L*?T@74eC(c6u`{2& z;tKC4(ktjMc>zNVA4pcI!J8jn4swsX!P)g(xk>*-L^57Y!>w!xm0|i-&one)Ail0B zY}g77bou@o5VS|(AODWHQZ))h`_n1V9%57OFrE5tZ;{KLZ&&Jb|;qtA;#E6|wu=66Qj z4)*#hX-LdmAcrbXQb0cf1xxzngrC=ds1}3fJDSQ!=IfaNQbGhI6GJlHrfP6sU~BBs zJ_RKG^4PkytO3$WKX56kFb=MFZNEHJrw3=p*eo2KD7Hrw+ILvqJi zYZ|yy5x)KA`09r*eXAtBL|YE6hlvL+eyKuAUwJOq7#4x)hcAaiwDZurKOHqXY!?xS z(YN}np%#cGZ?K>cl82E7A%f~@VaRH1zUze3lWTOc>DCL%!uZEOqm`nP@Y*|s@$p$) zU*U)V{Zt+|(A*JdIrx(uuF&;AO!k+A0&hw&jtVh2eCUJpdPtiOz?m7 zLlEbfi->||mOUJsVK(it0*j_Q(qHFJkP`2L`#+QfE-b{Lr~5)g^%ScS_n~^$^rZwi zJ>+_iz@r{=42lElt{Xu4Ml-|2kT!It`2XY?bw=~wwg1F@bw+=7vTlSk8UoXdb9(t_ z9N*)Py5M0}CeWnY4I0>E1~X@Yw-V_hu=UY-%z#`6Jzo^ErJlk0Zk2^LClxaQBky4c zC6iDT5UlX{cbYx$mhKmoWYtCiB;3LCJ%?L})1(Q6x?*K6J8&casOZV%wbX)>CCX)4MyZXAc{~cVEUT;(R|| z7t49;1R!3iq=iVg08~vv_BbgJ$2I5G&bdD7h&Mm^m|B(eBO^69&H00Vs6`(5TZ%_K z$y9+%-$Ie)sTt}?_@rWaNCCW5-KL9A>mtw97|$kUNg$%lqw>P_(z37J5x#mr5;Dso z$4zX+;C>&Y?%H`394B1&n^3hF{Eg?t;zh7{PAr}cix*`VE`<;!7mRiILev^wHt zjP6=|n=NBhhm?#zkp`v8kfm#1``(F@O&rgt+6a=wR?1_dfo-GXVY#YN1g|sJ6F?hxN=U7&SSjA!AApQ>jfmwn!?8cYXk0e!^e< z1|xKHKk#)nVuaqfLyNNXs)&8#xzIxPY0&*>7^G&(1V_sicw<}Wpl5i)qn=d_6*Kpm z(!aAu5j8F4QCG}hWA4N#*<}hCGob1Uz?~m63kkYMHjVN2H^G-Di7#If-}xCX>pQh( z;Rp}s>|FwT-C#B%oGbc4D6;YFJl%KE9fZ2i7fpI1J8blC^9B-dJ)nVZRtiK;f z_$APhfhjB=ia2o@aoV56wn)8Hi0=PIjp0;m@kHJwXx(8MJ5JJQx9Xuiqj z;7N2I9nY|C8nD3WdHU;yot+cl7?-~;g?18fWGr<@i4?;P!BmNT&+8Fsz~;96QVFcH zE(I$`7r>#TPKz5E^+?=fY4sd)J}6C?%<$m+fmT}wYJLUAqos(-9wWsd5G2W4%dPi? zpL;i?i+K`I*uCjpvvNU_@; z-1jh97KdC)#anNN@ALn6e<+CM!!5CVxG!? z^j6y^XSlQpCi$nCd;6M!r{7CZ!@D1~KeT?fGISA6E49CV>K*}agTw~qgA-6&tL{u7 zODMdbp?YnR76#%6JWS%6Q&H#s5vzpvfmpl+7Vn6~n_}^1SiBn+Z}|Vm|2LoiU(b&R zcE19#`-M9<|95}gu=|DMW&C%4@y{=n5F~9J!S%atiCGPPUW`EfbPv-W;(Qjf(z?$v zXt)B!g^4WUS>{@G6ZrVG@)CRQL@afhZ`(aFrZ7HH5hqw1229r|#bvR!%46)b8t z&q?oTAz_jO@}$bvNN+It^pArcNcUR9zT%=wRd(Q-( zyAq!3`)&b6fdm|Hba6gwyap#<^PWRQNg+ery>Y;2mv=eweLOVo*NdC~lZP@BSq~}A zM&VsQ!ngj2Z#=&JFE5RhE*d<$1%=;K?W`21(NnJ&Yev{a`YFI=Mz zuU87kAI56H%hL2q?6hV`Yr?;;^sy4~B}TN$;CMW?Ywoo~6J98+Oo-s%jtBVk>=MvF z_JXDNzjT?OgrMid#zLQ1T>#(l|7YU;5x4}XW*tFdnc$5y8NTEFaQO#H;})Vw}JU!GuAS5N;rOa_N&?(X++A@%=Vay93qSlxXYA~ zgD@?_ljjlK5N&b6%xCTp-skrRlb-u*8)U%X;O|PSabpyv>E<-bt^v}-O`%r3njoBU z?fR`CBSgO5Daf=ShqqtArPbV;Z53_w!AvJ#bIJqtx$zEMwK4?x-LieB6HQ?DG)2=+ zs4gy#Pu9Qi!wBrQ5KFMV6w7vFebJ)XWi)riacfB^ zpX>&r*)x?r)Hn{eqJv16kedxMnsC0J>ShQ&uVq9G<#2sUEX4M7FD%gw3pN?PO$%7m zI=}qz4k?nZ9%E|l_Cf=DZL3xz+GufySI3XS95ziA_a>AK;KjD;tGmb??|ge**$PQe zmMeUsPBl}z6M#A>WK|B`aDr!78ji^uS;CZ9`_=SU!RWkvj7vJb70_nqYanti*y37p z?O--W6k-x2W<)%|r+xH7Um^#vOwGcjW=W`wi@X?gj|1=c+11jD$G;7Mo@hm|Xh#z& zDqGWbhxH+8$YIO;g9i$tkG`ISbl{uL*K5*a>PXXxczo==GjyK%{QZJW6nf#{arf;L z2OvGkN|ANd6^>ALglUXBz$ewCGvYpeXzMWbOYdGI-1$bLKkBg_^n6*n_{z&2wQV}+ zOwpQv@zWInu2@|Eh`X%*u^A)SQ_RWg`lAVBQpuZT$Ccq@an@J{?z+kyMQR>pYC^7d zcD=WRD*PI{bBy1>4@t}O7Lok21!B^HuXXQD;3_Hap*QcH&<*KM8&)bS5HI@vwVT%r zELn5n&4T<cL{KXTc&Wl&nGFahV-{gNA z)jv&9137AAD(V$wxc;Ws3Jc^{kkQUibh=*^_*^S(WHRqY0vE@Bm}=BPtm*aJHRi&g zvC_t)uPg}S%{OwY{S}ez%J=awH(qGpI_G=QOBS_xuE&QZ@Pj4ge$UC8a$x*ZIc9m; zA3PHd^zSicg4SjpksZ?@B2szq-MP0Kx}W?X_TD_2tMC2$Hx`PFk$H^F^UOArd7kGv zGnvT{8B#JUA|z!@lu~jDjcA}0l|m#kR7!*LJNKva`}1DweeSj1Yklu^fBvm&9s8WK zU;FHRUC-phknX-*s57U!Nyd`_{mESWOQN)je8+AJ~K-5gaknEL*PpNT{>?9~_5RH-vEccorQW~! zrBA(o^GnOUa^+rbLPaHDboTJq`MW1kevXw=sd5O^2_Bd@K~{o1tdy1?cNN1&d+`Us zAqUYO>GX+nsg_`J`9Xpp^?vAxrHoj)|DyNW%4pb7h!xZd^ZTt?TEN2bPU(EMF!Y@+ zCPv}92TFr#$!2UnxUk(e&>dUPg8AsWPV~E?!4Vo7G-V1CB%;wi6ISruwakjjJPFEP z2=3VBT7^5E{!4bqCh)-Ncz}sDQH>cxZ}1% z9G-p>kt@P@sy?sVIj=iozB17>?yp}sp)z}E#_0+*@S`4>c(S4i+S|4a6*@GaRPRkY z+Z@JMEq%*KsviJBlY`H*Jf)D9qE7SIF`WL6(jelTe(!$7_#ueK1q~ zEdCi?{)aFBUwxp z$)wiVc3)Kih1zB5>tD6uAm{QnE)q4g%vGTnB)F-WxI1%KvbZ8*Y;t<*y-fnl?{87* z*;$|+3(_SKvPz({Z_P6~R0`<#d}r%Wsh#s!59tVZ7&%~l)%hSWDPhD1d7^gXN6lrB+mEcYrY3%~by+k#UTVFkmJ>*y%-)fxH-K}raVkf(tdLoAQpy)EeUK|K>r7PF2N&kx?`hh$ z$cEv9K;?)5j2wSTa#O+sc*#Uu!iD_MPVF zB0jjEwkqzYt%dt(E8>3ID!8Av5$>lg0ep7^A8@uQfvAlK`J{^sWK50REN0inbmPoB zhD79HIx0N7o?8zUYCY=IU6RA|SCV)?peo)ED2?|6isSu&>Uck(D3s6lh=*$UAi>md z`tpoG^icj;qW*nHu!+xqBZ6_rc+#IA$!BteQO8^Debx5RA~jer-zp9I^xH1Q7k}6E zF1qFF@_-dMk;4LX0em?3zxcWB zW9*79c|g;>V}k7#?hshxy1Ktd5moM|5F}QEPoCs4Rw=j%>^eO7ZLk78M&t7)EdCqpAV^+(F!1y2mhDUCW)|`VK{0}|~ zmR~|l=cfYHuzk4Zy_ug)CHH$jIv2iU%~eC@M)em;U-CiAV}<#lLsgn1mn_fOYVyIM z62t8o(b8xj_WC&z1I(AqiA{_uR}(CD>rFV$7$Awenl+|aJ(sca)*5vv$k-F^&Vr3n*w6peP#4#RS-&2p=bS>QUC!fYER$3D2KSX zp9VjoYtbr)k6|Q3GrIk!lcCe90n!e4{A5W!NLa5zl&3~CUqSTxMB@uX{FjuTXd|rx zs(nfxI_O~HRkhq$c}S#nHEgJqhE?Z3(Z>{IKxOb%$#GW6fBpH;`K`sTozjD4^OBoM zBoU~8_C}{yk1nw47%Qq^{Z%i-4`|R|wS_aq+iqE0Fox0hi90tv9Z^i|_9v^)4dKa@ zqt97e%vY87%JK_(GgwLS*KpQ0fbp8j_NWaiLB*&gqmHf4i`oDwNtS3bi1CjFjz!!muUP`7GnPqkryo^sIU46tBa@W(>; zj&Z3#`}0V{HkSQp@oRxo){G(?F`#^e=_yNKAUdyN{wTXT8i~;@KaOuZ44j;# zcJC+BQB_e<>B2+;OujuFSbcjp>X|ES^7yKV_R3zMT?|Y>tYSm+z2laM|B<=aSf3v> zzh`)NoyQS2o0pjG%0>e0!M$A*?2#P(YbC?bOl&=3|9U|B5PA*w6`srZpceJrul7;fqK?HfHkM1#Sp7lC zc~v|Hb;(oN(y}|jtk zMQ;pJxv=lTx0xx~Za?I^6e(%cZh`T(_gvdAZwJhpPj>Zd+C$2b+)$z-MdsORAdL!?gSQ?KZ)&|om1bGMosVl$`1$Wd{yq5kNn$n-J9@a^oa z_r-2#OOVn=2dfW6rBc#fx)ewFe1YT!7%%ZSqx~^9Q@M3|FeCR&*K*1c-Ac(_q>?ZP z&Np8CEr<`oaoD73o5qJ?HyY>oFT&-St=W}LX(AOh8F7au(QEDYP-E=?`9 zkzjQ#euWBqK^W1GbyvxjMzUgOdCrVI)I6~#jMsRd6q+W#Rr!5h3Y9Eyhg{~{56#;K z0xjLX^%7m*h{pf*m$O6O*YqTN?X)22^$pRKn+6a}YBeK`eK%+f++Cjy+N0(2HwFb- z`w9EAQ5+NfL5KMvWOBWDt8l^tbx!@F*k6a`DN3gg9M&<1tzhp*eH-4WI?=hhXW4^r zew(Pj&DUcLjJjhkkQOB?T`%DP7a5W!_C=*37M8(S)vGR$t~F_y*z5p-(#M z+Sof3vrw!Cbw6C`oUL@gOst_@-_ZeGPT4_AV}#&D(Zv?>7m7eCt{tQtx272t``q}XNUZ`aJ(6}mqUHuG;X%*j{bZ2bi)8WR(IIH2 zikdI{g*%)!WWAGYrwcD06ng4qDbUa$*7v+&-SJk6KTQNCSv(oc+2jXPe9cR_SiX#0 zgyD>FKmcLAO3{-J18*rFXfQkV;p-hn^rJsJZ1k*G>wD}0N}nb+Z&h&=vCPDH zyqX!V?KEpPEb>QPjKcmJK?hLo;FMs5MF`@Om+GNe4+Mr2GZCRVevlbgldWLph{MVD2})_|@7P?WD5N7-^ITJD+-Et5R8{IKS+sn5h8UXSUkJ5?mqj z6gS8F&j(RAhuDh`+0I~A&g$?j)Cp3OI^XaY>7(fzGF8L&Hb8^)`@Uv6LsW1p>Bz+t zB$|=)`+%uEob{a9_;b@9Sl%4Tbv6rvE{A3Fr@oei&*RQ>n)*FsqA=8-c(Jrr1oIVl zy?N)HIjUiDJ0(sk1Z!s z=KJzGQq{Mw1D(S536$sz0EeJ^b7s$D(9A3~b1OvQo{9Ga=2d05Z7zTK~@yys(OSLoKPN|6Y8=Ds`kcVlYn>x zS+eR0akk*9A-*Ym!4+=52{Kv8wz^n(%i$LqIAhP=V)#F|-!gFWcI zTiLjldH|Vm{2oxAvjU?0@r9nTjIm@xFqZY@3GvcH`8>BpowWHu%uiA5N2xBx&xr99 z=+Q=7Rvcs-gNjJ`)U*Kv(7+VAlj_W68MIZpzSU5=4H`IZwh!k}LDLh;1B?~|kn7n| z@7qZN8Oi?F$j{3I>&s^f2^Mk?@vFHx^o13AbL~w%ua^w8O3v$Eu~7gOsZnyuDnY{h zbYJC|2q|9~h~!d}Aj8HP8K{NW&D-z*8yf-_)e&&j*H> ztFnyHm{z_wF`Et)K88LV@|8!edj&=hw9rEEPBEGm8U}#(8f00Kw7@|s*39jX@#8X| z`=()jA=O!;Z5?c0AfURy&w9!W)8o^b|C09rx@3=E%XXRQvAxPWksL=LC7)YvO0|ZR zPUVG@L-vqm_BP{wtOHQ%UY^>->fP{jpM?fj63TeuHO=q^^V{`}AJECid?d+Fs~+?~ zXwRfP-De+G7#8}}mLbFe0)iBKikDak^YZ@sNBwg?(O>^PTikz78u#Cm#{Ku?asNFT z+<#9VM(v86xIf##w3n)fbv~vC^xf&Y^G-BMnv9#@!nmGXe2&?!FD>Bg$>LIq*QOZX z#;xf4q68HDJbWTlT?2{i&a0tUl?G9&Gs6ETe$hA{W<1)}`ie>6-OR?gs*Z88CA<|nAX)I;ux_^{_|^(u z`825u18otvCsnm!f>MLk=anvuJ#QeNjWz(ulRHwXMz!IVXt1a)l`lF|XJgaM%?D93 zz8XcUe29{DbgS(w7bM%>SGQ#6!8irGpV`EUp?5`Vt=*FMTH%V&>-(wDd<3uB$?8K~{v{7g0SS(fC&%D<#5?Dj+slo4AAC z!szvKzNx#X3^cSp;Z9JOh1^z)j)fzbKU+cCua46Sg!TD^` zQIE>c-=_|9f^J{Wsk4@x5FeppLP{ov_OQOqObFlx;RJ;j0wTunb>og|tGF|?ug2VC znvO+{roWd+o$Ns(DY47U+ZFN)cc$K5+^$nF4Vo+w>s(md)`1$-#yS{C)ir(eVKJZH<(05_Y2C}o{bBr33 zP|D-!x%o&>kh@!Qa3D+z-PN%o`K9XlKkk0NS|3YEE0KdwY5N(E9Z*6Bi5wqiKPrIS zDak;|Iw^=hf~@K>zuV!RL%(>ib%5yeFP@AR)H~}AqNY-M+dXWcA}&?((|Q6j3VRf} zQ0)XEOA<-q=L})bEa}Nf6(=~Gtb2^)ybqk)JL-J;xC@x&TsWtrn}Rk9Q)0sPy};)A z?6JV3wlH0NvP2lGzYyi8|JCy|0 z7~X9pO7C|O=JgOA4^cfE(d!evU!w6u$Nz6%|KEN-|I_aG-+rF|uU((${SuA;e{KE{ z{XG(m|F@t2zdfG+Y2*L5@Atp+e|u(Fu_W3I();-&k_A-Zx9-*&FSN+ zqVMa!@&A4P|DA6fFmmsU>0%8V%%1tbYd#QNKmQv)`@1?*1erA+GQ2rL0(;X=-#qk? z25b~JtgSgo37=<)ey@q#|3=;21q~VK5Eka%5p9R`7dSL_1Y-KfwFSzyXw2N|j5I^RCkevwqPt6+eXu_5 z%*zIHy1_wcMdf_X7i(WwS9mjWdA~0#U3`@F#~=pzIa8U7uDL+w-si<_osm#;^|Eo} zSPazfJ=3%A$RXrE$$DO|-vLV9_mJEyKZ4$B#22UJV?KfZ@jLzJ{-t!+9#@KL=tA)8 znJyQk4W&)4ODq?B&{|AMRoPuFXzxi|Df+Ap2_oMrc6`)^pW2OD)>Yi_JTSqQ>>vm9 z+gxLkxgmr?Jru}C{n=n%>+<#Ky*y~_>-Rj6A^-w!1B=_w;mZ&)YrIA z;x$qRvd+YAIYkxVEx+$DDrtrV^{i#S-s;IV`HyUa! zk4s#?8Uh@@w`l4%($K!tM|6i&B4AB2_rp0V6?!bd}>xkW8y()=FOk z+unUzJ3ZTpe4FxFl5=Z-==e`oTry?#FoW8DQ<%SRgUBW>mz}t41%*s3Gb8)R5wr7r zRqs_h&T-&jH@b=Nl<-!*0^I_fm9FUAgBx?-9+h#d<26R3aOVu5Hq zC%y$X4m>^_kJrQFjq!M6JYFA^8*)8JYAmIm%`>rF$I4}tMMdBuX0b!gmKid>-Z5OiVfaTbqLp@`2g zJfAli*CPqweha*~-+~_Qx4?t@E%4)h3p{Wk+ju2z^d&J_YnQsO2js2X?NV^aSk_*M&1%83BmNA@bIPDKrJ(EdJxBY?bgXPo5jc$n5^VX}> zck)=hY`ZT5uPX4a?LYj&T?KaevUp8m`tZbe&Qk|tl_7CWbI-47d9WIlY(Ce7`9cd` z7v*&|LYJn<-o3)=*iN^vTU6yJp(B(Vq|unK__EjoahbXZ&}z$jE4!9}#+sFf2R1^X zSBWOLA}<1F>xWx^k*6UaJ9Ac<&_Kfdl|*@AQ)7#rLLYp<_MBE_fS&_Qt|}GYRQ7;9 zORx5pyh%saH{2wx0-fQea?8?(BW}>huvc=p!wYUwa9J%5*}^Xamh=mKF3`g?)#Z98 z6@BRszbcmC0F8aRx>n}V|@RCA` zbx%21pOO>y>dXg^q3Go+QYS%aF>FeCM+qb{KlF)XDufBi^1{{88;GbL_1}(P`=X*uVj5`_+8Ex`;t^>FG9OZtO?T3~tLZWM) ze(3jTi1*Z6UvT^Kn_Gd)7<|HRutm6P!}uxh-chWd?Lr%M^gVe@H~g&IyxUI~BK$5~ zsK@-U4X(?^M7ExXxvJDElPA{@9mxnylwu>0AAcILsn!7ESCtu`UF$-FHOK9-FAL~6 zy$D*}GKNG2_sJepSLB@brii)E6fD(b3(q?5hx(1429gg>NVIo-<*0`~@Yl{P*->V~ zd$HaarGs|xg7ev^(CO3Y!KkIHgmF4N{v#~`58PqyOvm@Ys>6iWH+tHeTgu&Lu&a^_ zoo6*e=@%NW-_g-R&z|_Hf4OgqS~w@$+I5WJ({-02Z*4om-_uK<(+`ffJ3;kJlCRWf zW6_HbE*%qCzpF^~mH7S7BjF79(4NLyX&6t8X~#D6FenTDa8)Tl5FB_9M zQTO+XAW4zjYBK|VI9ov)@noGBE!s*egiY{*hyF~}+nBTHE2Z0b%T^=Qw)KpA5>+}qjAyJt;%H%j)byTOOcray^t|qk zoDF?gQ2gL^{ca@PaZD-C8+Vm?s!IpkSfUswXiG*iP}d1o}!*IMQK&=kZI zZ7&|YYEJllk&BEOX!f(9>9AOOreb-NIPk3h%Mm^xquU+rw`VVCK05UHZrF=njVHQ? zqf#*)*nssX!8A*>QQ}@F5+@9M)^=9}7|OsGGWwP_!F|~OD^Pcr2*Z+|8Lc6`+>cZ7X+Sr3+EU$70;KfT>>Kl(s%NMFa|AQF^1zq0MD7l@MN^EVvU#op`U>eP2{h;5Hr zm7gPlfQ+(J=gfZhj@@T?x8cH%LS@CLzCHWhJMD1!OMb^zZ=mB1)jukmy?^zn3b5a{ z_TJKn3UWAI`{?r?dAN6rlaJ}P9JI4j)bB`&Gh!zuNfkR|Wt5D&fChCBl9e3zvN&M*9na z^fWi)osoRlR1!KJ^`ZlvNN>p5$?)l9A2Pu`hoX@@N7gv zJLZ>s!xI$phA1Mme1PVI`o#;fo^Ve+pQ}PN0vKouF0ru&!UF%>@`v;V=$1zrN0VI$ z#$^&KTf_X`*wo5`pXvI6kmU9G;0*(qjp}{BtyUXee~#yrP^N*Ma(?=0TRIRW)$wJ~ zM-Tq=p}pVV_#!n=)eF@v8o*YTxXEFy4563Ux=uNJA{OQV@4_D{@UhW$fEN4r+kIG$ z$XEq9KV3U#tY-z2J>O=x^;iHcJooD42}ad&DXmxjn8MDwT@1b(Sig=C?J_||g|pp|?9m9Hh<(Av88Mee>e=zm)I@|rmi z%|_h&O&VcKxF4S=FJt%Tt`kA`LP2obJ`tlA2VgMgWnIaGP^^#TrcTrI2+;Fo(D-;G z2>AMHP|D7H6xO_JgYB6x$O<`p=?xYH*p(4yBV&xNvdU1Oj246#du6K%hrRIIRDNQj zRRCt{t%pgSbs=WDkN1I-7Le<6R17`yLrt3P(=C2lP{($M>khXLm@CD%Q`jS%2ce7e zATWLJe|QioI1fS}=RqjoJP3KXD9Ui}I7K{sEH9UJ+7S*7nQ^zydFah>4Rpym)CV(=%j8>klB*tZ>kNi3=1TK;ZF~+mvP|lyYdC^k}zDV5|6DI>JZ5n|@T@sHJn?7eZGCwt z+bTO}f5s3@=}%>z%fx&&3#2@w+%3^jx2Kn~Jyk&eR{Z0ainb8-8^*_ z!AzG=joFVA9yZ3_y7zGp;q&Oc|zp!ojs}^w6J}PLv>4(NsY6q3w)PaYO=f_=E9pGA9l~L}{ zB%E*md!ACo&r?`G*?-PcTKIWN1wT(=eH{NePkEx!xM|L}-EOFm`juSziZRS|`2VUT zb3-dZ=L9q`KAcV2X_ePl-bYtXQu1uEDMZy6KD-!w6hv6=#5ly1A*Y#{mp5sOz@e_b z{BBA%SXxk|tddtE*QfVuJ(cr7_@`V78IvVs`&rS{722X!&QNdq1rty@Ie&50(hNuv z`$y8H+>x4G%=OhFeZuj7{jUUZ|0`qM|B4Uyzv9FFuT*jWD>nFBA5p~XBdU0PL>{k? z$m8`9eY`#*M%Z8LZ~xSO6tcBWbKSub<;KriNoHxmv2)a=5fa)E)O@0inpO)!Vq2C- z_GuFCw`wHI@;kI?55fLl8{hmfLsmUp92WE*=s{`vnT$6!aCoHf!r4MIRIb6L&O~8{ z_k&C0d~j);4=#iA!DVnhxB|`xmx7yl)par=g-Ghq7r(k~iIB=VCv!R|4|GF%eq2q< zhsfl;HbeBeh}l9;)8dCWB3d8RctR#)pO6R!hG~1IC@WxgnsujuNeh}Wpnfev}i@zbjYrZs@d| zLG(TG`U@KFi00^b=YV-j7&Q)%XD2rUZQsz3-0b?mT=|9SxTOb@?C$rBn6gB}mX7aJ zuBwBO2Jk1#StFTzFD~{$Em(`;6_sCAg9ty)i6--akS!AB?|6+@I1N_7_(4LMb(VTrXL)7Hu}17C>2p3 zW-8A$h{Nk;ig>+`9gl_uI#ghZ zTYt@SL=1MhxN&Qo*bAJ^vac#0StIhBnvoB+4+E)em~z%kIqDGf4Y2CTgx#A{14VbU z;hhUffL32AdUkB-{Oj#UL1O-U$=6GLK&Dc@{M5S%DHJVM9-`Zn9W-}PujU~C@*Jc>858j=82)0W1-ulwLH zZ3mN44}I zr3~g{ly%JbvIIV!f6o6Us!y=HU(7b!uMLl{gZf5V826c{==l8QC{6j@9cL zjypt1AW(IBXPFuA4Kb4Me@2EJK&?^lmS4W} zho{||yEvyZQT*QX1!8>k$Rh3YyY9+BFnRN|{#Q)_aBFI58+8RB_Fgmxc23M_Yi-pP;eQT3bK|RTPlMG88l{#9XT)* zroDUDwG$|Woyj`PxfqI%*zsHtZ$zEjwdRlL$0GB~#$PBlV$m+Ab4SHW4!{d~xrr0~ zSf2HhM$zhFKdAdjedyXlZ%D~F%y_)q5#G>VEHtT1K&ES_O%y&mLYz&g&B0__xchPD zt$v(7#D6;^?3Zs3Ur(xSmP-YZj`Z05mn<)mqi}OZ|#it{& zH+9#&p$vXs`xMV0AC7UjNoo7v2cvhQNy=fLC?`Cr(xt2vM*X$GEfpmL+z$wRttG>L9-`R#vuh=Q$Ap>>vtT=wfJVj zCaR&kzwvhZP%D!4eP4ZeR}4y&;5L77_#C_)nEUek&M)I=T)(ba;WQ})T#4~BJjSWW1S{j z2)2=FXqcucpj55o>*ZAfFwgCLY3`gQLYJkM4|GQ%HO)xv+jnXaa9H#W6hC00dg@*!dY2pHl01AG_9&9I24WeSw`)&-EX1A${oOY@`M=ge z*D{kz)91Bby-QRNd(NbwwK2Q(i8={uHt7wlc~Yi9yWN2#Ht%76q7OLJK4^{V z3xlKWUj&Z2RG|I8MOf3Y{fcFrSGaIP6r9i4zGHzZ6p95Vy=UqU64q-?d<>T{YO#Y2 z#=cL1U)fQPQ&g?EbQr2>izoR*W(GCJp&6?0l;AlzqtDCpRzT)I`Pob9IEdNr|6Igc z1GHz8SI!5P(5K&|~sl0)+F!ME%v%@7<_KRyqlag71OHrvOyU zyAJ1<*P`&Ba!;j~>QO?*F&XKW%7;#u%$P~{bKM&qWl`7`oPXx>$A4zvS9U~D|T`?=B&Jg#`Xi5F;(Uek*C$Oqy>v66R-SLPCBhCZrVUZ4Ul$J{kx~OGa~(zFuhI(`#=7`V2S_%6y?@J^}W= zkkCt53?Zy<5A-kCY;w~Ds?^Bg%6K)9xBNQNhY8AdyNn0Dj>GCfHKuBJ<`I~*4`}S- z*CU)CV-%UUI29g&%&TX<*)GeVWZ%T`AUY!$(=A>uneahehMKC8EWR)##N=aB91Kl8 zZ=`qFjBB2<^>z@TazWgD9)1<1=Fm?1$E|S66iT8T=YH@RA-S}K)qzYC*m`BQ|1pmO zJoOvV9`DpcE6u+W`};7Cx!~Td##YRia^_{hwxuf46t&Qd9{nQ??nf$|c&oLL zYgMVT{w`Ut3;eWkyj21eDkH`o`N+Vxp8EI2ygKMcUYMeOr5f_M+aYUl5##jyV42d) zb-?t9FY1mCQlO6I?90ih0v#&)V#={*4*}`yB(hxw$S1Bj z{xhQqq93Ephb~W`$Ug7JQDTQKaqjAOEeHf29uHlH##p%9^26_!LOOh~*0V@hNrS33 z_adGv0Z_PNrzE3(1`)0A*IwZ^Y<+75FUo01lwV`MbFUhiZly;dlZ~56_Gk1#`LRbs z&ayQ$FI}Q~b;6vmKil;~7dzGVnSytrOuj#bJ4%lKqeo|M0%vOvU6XiZ1fjLf$By}$ zBk~=c(>wBY;DzQUz3`cQWThz1RQd22BxKln$MaU9fEAXVR^~-$&_G9l-?JWue(&}W z-sywrW)k-viSmN!pqSR8xjd9Mq?L6BKylomDP zgFXqKQI}Q?LSxlI_Xd0;5l77Fsr67H_;OTRTo6S=rDn8`;%nxyu?N?CFyeX-CNMik z%Ao2NiP#r^GzL?KLE(-sBy*?ZfI8->G#^hCvY-94e!nsT94jA2=pT$FJU@x*4<(N{ zxT}T9z@CJt<3BG6z*15Ad~1jpT$Le@$=z*-Gugm_Pu6G2N5B{`+>ha;tj(Ky z8T9i~GfnlB~VujCez5_`1A4DOr@PLDZi4!1ALSNrsOA@5}~uTRZx=+~q~ z#mfdu*t5xVVjHJ52z*124jMRsPVnk@8^*`2zqC0$R}%&_QD5)g4vK~!AIO&HMx`Os ziJI=r*Bn%@n8f;}&;xNgE=o4gVfkbgzOgTL4p0?HV|c{Y6P3&x=5L$mCng z!f*DvzU_0u06D8}SFPp1dVn`q+EoT_@{WGejFtcgk%wJ56?Uj2N>bq4Qv>+C^i@z> z!5_557|4EiXQG0>bM}Hda^PB-B&?z14}6T44OMo*g!!06>!;Kz0uQqu*n-qP2hK!B z3lI=0=4c>`MHhauc{=T|hNpI1LW^|f;AkTGyQs(!jVPpN9dgc@41V!ctI9ig;C!3| zI3LFg=i^{`ssHeC{Bb@`0{Y9x34$fc`Exbu-l*B_k+`Tj&;`C~ot^`3+9(lw7ZkQviglID8_ zV||v{ZEh7KrS@3NP_461PwPd&0b0}LA* zpV!VO!dT>psfgwg#Q5X(9rM9-NR;=U@?OqC7VdExx9%TAp8C5&D0f@Id^58X+kGLl zIdnPBrr8B4ukU?sktzil=9da){g{CFJH27|8x`2wtWv7{IusZKJC*LWd&7^PC4#Ph zqEI~D=ytTW_ zLy7rbPf1+WLhJ^B@}70WZ(DTYdR)dyUqwi{Q8P&YMi5P~%J$3-E21VEb=FIna!^-Q zus-P~hbr52Hxg4NVY|~knLXcapik%CPI7h|^yKBXZfMtm^Hh#OCTdDZ%dRIp)7A#D zmIfGbkYeY?mPZ+mttmjOd|*Mp#|J1jDaPd}1Cf>i4ed>{6d3fH#QtCmN`CR7C+tKP zDlq%ZJaESof&y3=*EJjge?3#IDqv#24kJF95VLpD=G^wfb!rp|}D@FNt zZ->_$kQ!?weOaIsEDH~WMAyiHZB&h9!$mn*+R1S@(MlTZzL4!{vz8~U7j^h0Sd;g0 zy|+_gN#f`4<=(of#KbJB^%}5(`?A6fJJjM(Hn%F z`cB#Vae-sVr}&S8zUZ<{>#gmS{=i?=HFHD_;|>gdIwRZeg6g`5$yj%ILG+cZ91l`Y zSUYp8AnQ>ia`2%4eKO4xs?xPDC^t9*kJEE)@xUXABOf$N_@<+T&ykzGqeSpL1g)Rp>~;&WbjwxvSc!LcFBwx~nn-QOxa^ zcr67kqc)l?FEO4D!QVU4`z89l9te0hJUeFtsz$mfG~5eyoP4W$Ysnr0qaIF}3^~9; z%+Y6U`u@m#F?d}~&;(4VPJXTYfN{)^J4$o(#G`SA(i7p;VKBAZpNhsQ0;tz@vZ+~9 zQCGsfYZP)AXOW;^0rkBzdqlB);OSV4>gPuLp*yXk@CUtXR9&db{Ye|dQf z@RyfIi{+W7zBauz1jd_|9h@I+QTXCPEAw;{V6`t)&OdGnZGDJ@^13tfcAC7sW~2qv z;Yr~EZbxCyUKM8=_HvZ@do|&Xdp>vz4s~v1oq*t7pC+##u0q?`_>Rc`N{2epgFCZF zQh`A_-)5mY5B*fhD7M;4ht-vwR-OLC;5re`6LYE%@hh^+caO#p-mem!|9|h-0l!~g z{C-{V`*p?dHweF9OME;Q`2N`i-#=U9`)3<`|LleDpY@^r2y^nYlai4BisJE@u`r}^ zDvWNtlm%QGVZN5~$|-dlM09@s<)13x{8KHQe~R^C|A&9N59goi z;`~!leE&d#&j%8GJ_zCS;TO(NB*o{$?_Q$g`9GVV|9m_|{V3+=Wkl1Qx$yHNCw_j^ z!OxFu`1z3=KR@mvtUo0Be2A_OM4#v1eAhqM;}PvQ`8)o9{=SHgpXm4QZ~bL2ygonR znU$xE8otVHDV2zTy^TmhrJ@k133+r2xnTX(-&Z!6nEC$?zt<|b{#*;!pG)KVa~WKJ zE{*HYC4ux(nP^W#GRhaZYWpfW9GXi4XGLB_!b{Tb7o>CfY7qf(d z#|2(?pB>wg8STxo`z7LNOTBC{N-GepOiP=*aP)^bnJERSmp<@Od*!`3lP@Bg&m{VO z4KJLbwCpuO9ljH_TXb0d<)yuqQ>7N@<^>fCsi`2Ft+atW21?XXp~+zFsRpX%Ceiah z&w|jFQ1-lC4V==W;Ac3j_7`XXum_;hxth{ zc`p#Zx&8T_#b_v$S)%aBO@Q~!UL^;yb03x`*bVS7*Jk?MUQhjdz?v zD$+T<9R*o%+Ww@6 zB@%Y?DJYcmM?&QIp=)i?QJ{0Q>_E4dYlp7o7`9H>U*r@UfU6_jU$tg#ue^ z_d<}!NKE?XejEa-ZqSZ|l!KFl@5@&CE@WfmpMGp_K0ILOb=9>$4sT3lp5Dr^hL@?S zS}7~Ws8eo&WJE#*E%RLIvg$KH-%jwnMd|8DS=@xLN79n8K5cb{$~Su^9zv8^7Y}=% zMu}}Oc()-E?2I0JnoXhX8W?tZ|9NcS{gF8!WKf4cw` z|FQik^aabmN~cj3Tr5UU$ZJzSb!9+M`lxtR!_DHyB{Ayt( zJ_>l$?B9}}bwV5O0%^WJ)&2jdd+%?q|NnoyP*L{G$liNzZuTa7@4fflqeMpbNGM52 z5+TA>Qc)4w(bA4YL`Z!fpJ(?!;CX+Y^E~JM{nfdi+qvDZZjalzUM~ZvV%VubIurH@ z*mH8o7obye4E+0vGC@$rsRHdu2SwV;Q9-W?5d%_=@KH#IfR&Vh7HvV;!&1Z$m>`4r zzu%I+N+bw*)d^$P&U`T0!)f}xOcq79m@Z1y^I`YTfBzn#yXN0+>0J(2=$(&i+MGeR zk;LnVs^wtKe#UNNxddD|slTdfHXvU?$=RK)68J%*_=}v)8l*p@hYWmHMhBLimOn~( zK*ciK>%k9xXduP>s4IA&%j+67{GM*`$Bk;X@2e4*3>@$ONMQh04z`A6;D|zM+c!T= z+9Dz|w=kY8V~`89{Z#SB0(x=|OdZcc=u?14#rIl&c+~!*(v;x{q}-tX*`AmT_mT{Y zWW54Fu;`+*J(T0t)AQQWpwpQC_x(`3^`B7zKlQ;iUUaLHj{STQ1$6(Q6n%Dq9@ZAb zRkg!7!EftlXS#@R7B1d;d9Ywuxle#my^&xZ*=Y(ITZ_F`(gfRN(%)3?bm7Jg%1LWk4fs}eVwF3`2n34u zbcIMO0p+^);UnxmSpNS#U+>L{FkMsnXvpE@c~qDkkFsy19}k}hhcbSH4_{g%Vadu< z;nSUDWS4(x&h}{tc*%7v(*=uxUR|*_%d7$tC^u!f=EMt8ESA?ZyHsH@=$J_HGcBZk z%Ts7~u_DHwWx@Qy2tH!}_=PcIeqjeOzc3lhFO1-Kp;>UGi=7jEY2TR5m*}ACx%Ln> zaZb21lvT$$!~z-0h9VEx_~D_$38wgChrmtNY30Mnc`y-~?e}GBMbfl;)(jet!Eg)B z^qZu^{Zdye$u0#2#ny7p8_Mi*) z|JA_wssw-U=L{xOk2Ep9swT!))y4R#2+DuH%SmG@hBRRte!tpg)IfYy(j@l;9QoO> zeZ`^(j32VRY2zzKfdctY4eE-aFe^$pb=4F`ZudV(>yv|Xg6YXSwsL4^F@WkBL0&l{;d2$VnFVT{d(6PphwHXkl*K3v#*_^|nK;6AUFjE?=*h?Ir)vA_=+<`;!x{<_H0uUf@}73Qy0HrXCkg)Ps9{43UKuxZ)P8sue&LP~yY#yvHMx^(TgUuYfCn7YE- zYZVqCMd>PY_NE0&O@BYITahkKKKH_?3&GGu&_Zec(=!Ie}m5d|5Ll0y$kd|JLTW zBQTOs_bbxcf=r*lQ%|upR0}#4%KE|ZcE8@vZPyIc&Ry`jIyeN1oS>U-ld#fdPd*ho z7!E5c_J_Q$q@%*9@YtBWuhiMJiXTf5^mOd5O7A+glL~_T*FTOjM?+vHy|hqf28cS# zTvFO1@bvB_9*vbmV9Cr(6{h3ND=$H6pC@ ze#zIoVBMs=V3$9bXDr+ZZ2+#Lz+ zDrPwI$pkb{wk42N@j(Mu3i1tWAW=4QXiHQ_s zFYDh63=;=QN-_ptdt<1Qsti=s3W0tX|4xVDWHj-EGTSl5ANKs%Q@k%K0#(mT264ND z;Kuvmt+(U-UcBSu^^e9ozK6SVWVx$7h&4W5$OUUCso3YgF=z*y3N|&HFC9Sa64${O z9o7V0v^5aROF&A;eR|(YCBo`U#@BYer%?jG>I{!@B9I)oo1WMo1G#A;r9m469%MXk zDb4RV;Fqg<{L3{1PJU2WwZBk>GCLI|VjM$2MtM5bEFcvav%`Z5Oq8LZHM}#&ECeWh zmgASJW#Ow?*)Mp_Y83JTf@)Ae|~D84yE-H z8Pg`}aJZFkzOgwE+3gH0W(Ot01U-uBCCNa7V&W2lJ1Ow~R%H>7Rs`~tYUn-47z#2^ z1UHp}qfp!V(y2>R1P>qn6ZCGY{(CqPp{4`hI*k{%aom4#&NjuDu4ZR4KV*)EzCbx5A)B}$NY13F#p^j z9(mdgjjLT7S5~S{=MV%JHXqI zt_gBHPf5_{NqbHmAsA@{tC10zneh&&G<8h(cfT>z%FOoq3~Iw~#hdLk4kozyIPt6L zP16KiTFQ}all1_1G)_UKX{c=je6iEko*OpcXwOUirrrlh=(C<>mA8cT&X(&*$$V(@ za`4)Qx+*%P$k`gECJ8({SBw^hc+iOP{AAcANeDaY*m?p4!Rt3=*P;e9BtN>|ToS2` z#Gg&Sj+kTtld+oWv~(tToD;^jw~rU(1#?o)TxEc_?=6=$%pEX1p#_E~^u_Rmwiuo; z0K*eH0^a)hUw>g0AQdniecA1WEMmIDcfC@Dvm5;}PnH!RV1tBzA=M6agauxA#wdaF zq*6g(h#55ZUkDYT5P%gIu4@tBOhA>T%v5;N6oSMG9d~;ff#Mh(-t{^Fb>)7$oI4{2 zEh-;>G}&q(|4YTnb6c`-#&<_{7lAikvAxge-V-fU7$Ak-mdRrIF~sr{h2@7(-}xs$ z`dEIfvHa))-t+zMeie@4ncXowvk!)6_Qdea(HNfD3-@{YxBjDz;o+q)JiIoBhnK?e z@Pz*EKX`Z<-0Smx8LcukgCN*(7;0$PGb83J4+pmeB$3(+wTbua{NS$sI8T2+Cwe67 z`E%?UKW@Fy8t!fC>}|rmdfuF8jew7|`*fz^KH(lQ)*dervs)3MwGL_Vs=&bPcgCMu z3V;`X%YL%7+(6r3z_4%;?mx|Y7ixGN#45u}BXcUjd;Z;4eM2@1 zqArRPOjAayyyh=m!v$cLzF(JNO$0QgrDn#Si-SzM^D#eH0VuOA+*R$S{GZ4F?bj3Z zb{Vs6^=_GC{dz5|U$2Dq>#eYUy)qQ{)ua(s*`Sy+u2k;d*x{|Q(^hDv8RR|)-h6S& z6dZ=Q;@yXdVfc3E>~kI?beAY;k^G1gikCY6nN3*%G}YwXzMUc9Ny*CSUlDv;v)JBG zWbBg%^#`nyQ35KszgHqn??J%c<7l6yxuv{tDPohCv6$Z~LYJ~X1pT2df)azh(~oF# zfr%=Yech!P{_FhbieK}&)b;?Ksb={wV15cEMNR7MS?L9W_~|4^aWkAx824ik>;$vC z=VG_G`f=-DO-@8y$(s82dRg<2yN`IDA3!%GChELeN6_8=%@m^CR7fNcRA3>a83Dkf=RST1-X2F{@~sk=(V114#|Bei!uN zj(aQl7`6R>K7YL5`@h9|WBOz2nEsdsrawmTot|LN5xI;o{W0{Pf3KEi;h9E~Ky?3- z*b4U(Em$MJE?o0l2QnP_mvmHhKtzL1?%Jd_WIQ(hb}U{S_k8f;bN;t{{`>WbcYM6_ z|GyTmSi*8)uU#1u-bhTi99V=-oPS)<@$dv}g5+-svI02NJ2ytomjf5fq?>C_*+JY~ zb`@ER8LBr1TLCUU-cYmmix-F4h;f>gLxa`xTtRc%`c&w<>12!%N?;rW?2HCaO zzwxcP!rkzm+^+YLh$PMM&`OmhQneg^CZgyCeew7Fhm$Q)`!J)xJ#{mrEkf;7Z|O?V zgAVRlyW<0yJ~nQTi@yzh=i3epjdn*g$h%)8Llk^jL%eJ0OhEVig!3Q=KT6M1djH$- zFz)kL@{Io(?+{CPk|ou+@tNS8W=tF#Fk*w0uNp09Dmfxkt|%w%(@Jo?l0)i~*kRxv z&|G-(TN!29wmmg1<-IL4e`ydBuH45#R7$owvd1AWI*t_R1_5k(N5^ zkQ(a%Riyy;_}OCg@Pdyk^He4ru=&1tpE3)!n3hPc_-4cUv5L44xtYjk*RXg*PaSek za-&*`&H^Eh;qsymO{k3Xez~u$1|&VLQ$zhTpl|5U+8334G_{wfRb@>U?(bqf?ed@y zLb}7IMxC2Px0FUH0nb zBZ+Dcnv5b(u$E1ni*VJ3&V}^1Cl<`nNA-Sz@j^Y2&W=>|Ez|_*g31CCX$xdL{9=7p zQ628z4cO&!UIone{XXS5W`z*13`~7|-Wbjd=M9pS2BRYXyGk5C^Utq@k7w9qn1v<=sfd}(n*bm{{CWB#% zv49%iZ)V-`hn@L=%KfvY$eQzN##(eJM28Fl8X7SUqTdn1D+f zR~9^bOdFnEFMixk>xFDw+q9VpeKnG$exkcq)WP)Y1Cq>Rxya#W3D=~mJE+b&m39G&1!bApfa#?yh41G%6H4D2ew#Z13-QI+$nzS;=PZLk2li>~=@* zpo9&$lhm(nS`u^t1|4~`rnKSa#_MVEv=HdhyS9g6A_zVr=Vj9BbhJ)yEUlIufxa_w zFf;jk!Sz0NxeUrk`1N`zEP*8pb)PCYCUhzQT1#H(r5%cew)Od!(tSsf_dw*DpLL`87I}fV14MO=s4TboAi=7<=Re0n5bN+;*2x3$&_LtRXLU>tbW?kn z=NK&!-ukV6>x`!9buUo={JLehPX|^8iDr5llF`A>C!(UbBOsua@o?~P1RP)C;WF5Y zLQL$)_+&S`tJr<|6K|9{-Yk(MzQ;&1$b)H#EvOQ!Ibwm;uZ@dcz;%=OK43UC%aZPc$sWc6RcHC!oad!*X$!sQG!aXkf1w((&X; zJ=f?11#wo3(%+m=?XxsK>1hMFs&Y-Q(Z&q;Qd-w02s}|ktJbv1KZZapTd#A{Y@XMzX?J7IWb1+%p$lqq97RN zl!t!qsv}h-^p67HwAIYA6@dM;`%9R$Zu{P_mt28 zgUfuT=OhXIypMlwo|09BmqF2-50g9)53h!tkx@E|ZkQtTtW|)kX8GrZh0~Ewa}ANJ zb}US#7pZKTMgfHw!M-IX2{*q3?|z6k-jq!6BQhv}xOXeLiCpK<8tbGxJU#*QLT3f0 zq{^Z5s^y5eSpk?g+4T3=R3f~1^;R7w8lksouoRoNtBx)iEtKV!%nz3YLFnWkl`T~?r($@d{;VXJr@YLbT#*FTF$r34L2D%5o6gv9Ruq)0-e0El zl!BB}pS|Z&#bKc9*+tTRDY%)# zI}PT;=YP75ok7w|E@wSk%iu&pdC(g#VMyXXshV9akCLjlDjxn4hj&WPehYI50_kMN z{!3a4XhI^&;^HAb(A3KkV9z1kkNQlu$f8w|!o>m6SypL+f5#(m<_SO#otnb>z7(LBUsSkSkcEEfr`fzEO8|zHA`LmeM3^0jcpkQ%i}>0^IB%Vc z#`O08y`Dc_JUrg~|JU*V_5AVr9pL@mO9$W1R{FUhHRd86`6LI(=d+|MD^P`a&u!|> z&o1bJ3}?h=b{lXIzs+o*NAMv!o;hA|>ff(_yz^(QQVdjeRtE30IlB|HHPBHJi7$(u z@?bjMbdZWd2`25kN}s40phX#JU<(w(?FV7Yp^*5aI0SuUWzMylc7X}SMFo8)FGy#< zdDZAf7;^jSA~-wg2DDw9-kub0fLA{aZ+`IRUuQd*EUelc(GwlKe3;(|BGi`2j_5f- ziEZTWR$5O)#dRy-wSfs}@NCT7i?ji}`7D|4)bo^(fF{%G&p&Q)6ZA4Fk1zTP!^Xf` zovxb@?D1+n=&7uV!oSkd7S!?L&OhFK;@z+CelOnmzw?)ZNGWf%5@jj0hiT?d`<a zwjNhCXOVy{4aP@Su_|c9B_?GtjDSb~r=D+()t|+&`m-cff0o4R&k|VuSpr*c|9*VM z>Nk4e_wVt&pu0&a7eVk1(XHZ|<+8p|} zR_9Rm%LF!ExB4g!#Un|JX+hQ8INbM7y!X|=ctryYuc(9J74i^QRHbDZCp}35_cATJ5bSdHoqFq$gW(zPg(>% zRpg?~3{A*&((^zXlwo`mf-ftvgYx_p3yg2VkMT_eF}{g5#y8=_%}+7Y6}$UbPaDl> zvP76t6`+am4v0dQDgQeQfD;O&`)aX?2H;$DZPbx41h_1d4!tq zJ2wh>8>8xHi}vQbk#`e(U`6|R2JSq!Ln+)8s=O}%+8^EopE}~tu9A^RgrfEiwH`q?CskE( z`7Qx>W5r&4W>E^ZukDV?9uWnOURk~8KU5G4B`V7Z5Q2~>^^8=(TokJz+I&S}^hg&WHR8jeG1+8u=^BqgtBKqn*kzA*u}LmrgtSIGG`_4xW*HFVqR& zYbH7)t^(O~H%<9R4Uy%{W5v4!K7;Y^wWTB9645Q4`z=Z?5paxG!+aq(3_^OuNfzH_ zA`Q);6RZSXQ@s8`fBF9ZUe8>!kux{_gDKE_m`i;|Z3ygY{OK~J!RYn&<*eIVo{+Y~ z(^Nz7sWl8RPUK1UN5#Ru3kn3iMvWp;Aq6*26qVSkk{fFci4@NIO*Q85&GC11zMKUp zjn0)7Fqz@jV-)JymHJd81Qx0vSLSL(B90i%+XD)r@H604-f~weDh{GQw#A(WQ*@J( zXG$~xFCG|T+)(NHzNG>n96A|JC+btHN zN59A;y!bu5dS!q2D^6^`GQ{>PZfw8e!1gOiY`@}w)B{TgetnHb{w*YW4da@GdeVNs z!4FozI@SDBV9g4Oop@WtR<$9@_Ktb4p*2jrz4v@Y`4BwTAW;yIWr4e#JWgVv8fYf= zGt*}_Cg6%KU)XxW3I2A{c?!i$m>&DT_h-k8N5!jOfme?`D`DzJ@J}tU+`6ij@?9OG zjgH5Dr8NNa>2p7sE^C8~WH9Lkg8!JZ$*P0%dH~YP6BM-d)rEU%gZJcfb&;3ZTQ}2e zEtq(?!xtH@4K<&{eAa|4kWBZ?sgHM+aqrJ^3&v(qf?go{%G!N4#s-M*>OJ&b^@9TO z$mYsNUJ&zciDVx^4W z>vFmq#FERA>zItkm{0-yy|3zE{9iGQ|4Z=e{D=RmhVg$5F#fMJ7XR=0!g%k)|8=~q zC~Z-^Kq%M<4RI?K`vHfc`{Wg=6KKyp>#sjNeW2>koRZyuA55Jx{vtOQ1}!xF;`a!; zi-RPGEWX^8g>5~CjOJkiUX|`;kMk`zv^o;jE0Ul9EyLQ{eCo=;<8Jc4s$3ixkGe5f z98o6lvJvJ?T~o#2{!L2Y!p=X9%&vM}^DM-g*>_Jw_lZy3I>)WF{Dw?qy5 zub>an5`$9JJ&2=%_f~;k6UTn zI=>bC5}cm8s~>@-=h}C;Vv3jp5R`1ot>b<;hD~Rmjkh=qTA6+yW1q;V+N!5_kH#bR7E@0E0NuE4zSGC zhFqETp_95%X4efX^x&>^SS^nQYE)z4*47k*@79NCA2SQUx5R=?$u4oo>_`Y55wSp0 z2X4PJz9bCHv1_@x1m5J|cr`3u0gG41;ytijb{}qP7@| z-<%=Z|7uffc0>v{pA_%>@y6r5zv1O$+RPP>guO0?Z}wSFf~m7mlssMAaB2ZEZ+90X zh=(Ahd;Nl1V!kNO@TbJqi8|c)oWJ#`e~;(EtJnHh&z28@&7OA)b@75N1@ZLzlZI#y zl!A*a4^-zI^sVXPgNo!I7dC6SF}|}T#&?#)_|62J#Xo#!5sdF_iSeDqaDVULdMO9i zzo5nX7c5x+f*I>yh+_Q?umo$2U9^J8fj#* za(O!Vvk2TQU?u(5CjyIziy_Nb6>Z%7vNiIP8}RBIS93ieZK{=o(f4$(FHD$&;%agm zQ?C=6W6LS=xM~aM*M3%+yxN7{c1#bcs#+qZ!gC7>hXfF{iPq`oQmp9rD0}n`ZymVk zD`dA8A%Sf7EqzOol0tQMEH6G!tAhSWwMmJt6^zhuo;pXUYqXLjoEKRk=;NE0j6W>3 zfUGae>Pc-LNZ;HlqVI?yT%ikNQ4SY@&bnCc_q){5GrQ7v8?Le-e|GYaSvNoYD%-!S zw^{{}B2M3rU4p=I_Orlk%Lw4B7CV*QCNQd{qJRH?W?1OQ6q$33#R+t+W^%sJ~ll*)Qc)RPoCVGXhS3`7hCGPOHd9; zPx`CxeYo|q@ZLA(RwgoAx(V-&)CURq1e|IdltEnh->4<@!EQ3tp{6 zXNMfo0=)5f_0sXi-&NQ8@6YD%w_;#^|F_G4lqwo-5fXcW1c9h4u}?-`2skUp?PkQ4(Lho^Ur)xe7L8>1KlX^dPJ3^2Y0->=oy@?;H>^U8SkJclDa?q=^Bj*JQ>~fY;(*C zxBj7Xb$DLs9t6KPcRQ{86h$q2p*uOs0NEauXJ9N>2Fa${Nm*?{B+q|=b4E=KdTZ5! z^zB{HU2~=n=aCgskR9vi3G_e(ebEh92kfB#wIf-*fjfB3rTREGIO0C<{@$PE;EI9E z*|kv_IMTs;P|Cv=X~~=rtzsbfHT9Jd5dhAk| z9=kNA$1aT1s$wO9!pr1BpB5KNw{Od>8 zbe+|3k6&_?Vvgdy3hc>b5Ggd#Lymhts2OJ|f?vMM+iyck@TV$y@d1ISELmBmR#PSk z{4AFHdsYZO>_x{(eu>I}Qr=PPA1U(Se`V`oV}v}2f%un2J6Z7g4x~Kgc4*s2GNI1R z4AEwuY1qD@LeL8|wxHcH0VQ7wUO^Req;_Vf_L!pxOp{SEy_g~RPM_f?;_>_U`a*c) zk4Y-lF}%zHZ`swx%R+gG_j8wXfjQy5y-Yqr)oqPLVwnFde6U3KsGr^3{*;N~-wuEg zY0tAc8dB(;?Kjl7Y#U{@XUB(x^4Yg!q_81UQ@jBFoY7 zK-t=O=YQyYGceUzf!CLI0i~hqs>am%kv4@fQRz{(=m~U$DaX z3t||5K^(Wf2j21V#{X~i7QDaT|NqA0#pmOVH>DX0ZPk_lPTCr7r7=DjRLx*~*{K8z z?7GYD6Cyz6OVIUT)b&eWL=B+*UR zNZuWRZo$;G>V^y;rD}_Qb3zSSJ^H3$x~>PzL(w#CyQI*=K8e%H$r@<*g2QZ0B|(S8 z?9jf#7De26^(~|6^HE{iprurleIQr`M06d(j}r8M-OaW3-|1H%XmK+tkgZxGdasy8 zD`|SvA9|em1&K6>v~+Pd&Z?pT&;IGcYf|7(``oL1UJ72(h{yE`6L1Xs+C_B^i-ARb zOtZG88|>K$9-L8hKp8#ub^;Cr{hd2%X9m=5Q2qUL;nNolQS7D6bX!Juz`Ne?-hc4w z?eKKf371gMhg^-5#SVly9Un?}y4!enriV_^)L!c)n?0r)?GbulqrG zf4_Lo3%ujwV!2s^C3Cj^UWTN z8YN!I8e|jtVan`lgZYSTAp3kqVLFU-v^l=z%>Xglh0YsGMW{c9c$espOi&5T4AZIf zCE%@euQCfc19g0xl(}&vVr-L|xW^QL680uk4Yj+2w}Nk9ubB%}YpdNGCj5O_>%hSq zf*~l}O|=2ook8x@;@%IQw!rvf=)iidEi}>wGk>PG#oa%BQtb85&=|9Uu@uzG*#t9X{gUdRC+bt<*hI`F)<##TyN~UTb>c~L(yB=;xl&66E<`7AY zWEtX|=YIMvIf~#H@T2hmu4r}g>@L=+Y3?_!<_?|!dr zX;FDY-^s$I8PY7=c#psJ`G4;Ref09_WaUm>xHNfZq+6d3jvdQlmpJc-#wFa36x`8; z)e$)#;Vi;4$@k>N=4d@=eoZ%VGuNMhbEs_|r*#D%or?pMmVWT$mh0)@4u43{e_BS{ z;|#lG)E(&;vJu|;{JDS|`vM4h)H&|zJMq5SNN#r#Yz^)bEQYzjc^R$$99 zE)T3uHO%tMk)ZheRyz4+I_l;bUXmg3=l01xv^RMb3194(p6nh;M?2HZ53aa{1Hnu6 z4b3VWn0d$F&?-C#w#28DqudZ;elAP--HQqC@vXFH@v#CAF9~z$0uxMj@P2h@aR#xu z`g7|i{gKB=Qkn&mE7ZBYx;*j85wf)MP264wqFQs-mYpN^&|bGj@hDmk#p&#&_(LRw zZksJNjN55|;n;OcS0_zaGUL(Ct0d%~Jfw+wKo8M$9DPH&au7rx8|XgeW&rBncidtw ztDx_K)I_hI(!=KRVxhMy6I?LPX$*F!$BjQ6aeU)FnwJ1vakW24)WYD6-CFl^p9EAN zGf&D|n1dvxG#%O~!+|L&YS}0~4!3?<;Vpg11H4>dcxW@SZ<`xzy(H!pa%5orqt|V7 z8WZ&Ft&|Jn3=h1ij%m%R-~hbwf#+p<(~cCOr^5PQ%>QJi zC(ML?7aRj!3o#PoUl~A@pb$RoDFJ%^;SEWt{P5lMYVSC?IEd1G_#qK14)3LHFNN|6 zLoo3iNplQ-zOc^jyX&smv1s)8@|pEA4?>+hOo(_j2t3n1J?J_VjqYkDud`FQ0#)|A zclmX`aHM^Y{gq><5KRwz1@U?goR~P9;%t=JBn5Iw6;!SYqTujAIM(Nq6;iyI zLgczF0w->}@3WYa01oq`2@&52=L=4~zQ6PLK)3&t-RKfDhyJ=~F0$udC?{jzlHHU! zkTv}2_|Rzq1>X;`jd)w)*2l)n-+!@d4`pTvCG?Lit-VucK?$-k*TTrDA!n(ohVlwI zIA3hCpuWI{tS+4U87;6M!*Be1eY3y$r^oV70e}5i>9PFNWBI4S@~?>gu73_}{WD_g zpB-EO?AZEe!PdVP+ON6fJk{6<F>7v8AB@G*2@m*YQl>c;5ke@7{_ve!q@J za?K@o9qYi2Z=p9SG0qw-N7C7PDc8Q$AVV3(XXg?N;ab4vzWY@LaOd^MUBxoTppKcx zjJ^6eFwQ=uK4=$#9(AV=R0O#JNokX%~{yX)ssh~FStYa z-9{=BmT=VNCjRq)m}%_V=&bCXidz)PaN+Q4J_^M` zM6ng?7+9DDm2AXpQsE@^Qfr z%nGGo`P=wH|6mSMVQt7bmlT7(XIRlIQ>O##?-SG~x__K;LNa?=Xw)`Kw0Fg-a;8zeif3}>MVyfyF%6PS!F2jg$AFzUIWUD zJ+%$`(y(|o@%n94L*OCA#FZEGLAi+(oofOQeA{Y2d1-_Pm8aHsD_<5tr>|CIlhaC} zA_eBnGBqja{*yobl+PB5k*{_483KO&2UVW2tsQt;Fq>VEi9x?8RtFASn!y-Hd&7udn;5!UBKe17e;*-hfhy}yGpDJPsS>{&V0;;YbB8oIZx32xj?khqmT({^}><1RtYfK+I#=x_6ZpEp-q3b zI|62^hQHiWsV4M~Pa3XzwxWs;Psvxx@*p9`o5$u)GFoI21+vj_^O^g#SvCjcw42h==+YVM zsS@nKN51sRtV{%HMY(cDcJjmMCspC&f--2{G1t58mLytRFHNKIGk`ORPRaV=`mjaj zUw_L%3I%^%S*5tAi#op9OXeL9LE1%yOUEYM(T|9%6lpO_q{& zX_T^qR}Eq4z3Q~MdkE^P4pL1a=#(8z_|ul5WB_l`y2QJ7NuZeO@;pqyU3VQ}|1mRu z0b)lE%aXnuK}SY^FvoGVf-~J|NAtL5h(2#WD0AWxI{t-0A*kaLZhc+7J#rP~er-_q z)h^-b(hzEio_)zP(*k=xyqgO2Zid~g_XF%ByV2^@_p0+zGCg$f)-Y&Gvt7t&V3!w2=qL9KwKO4X1P)Wg5AZDi5 zM-u$lVZ9mX2R5(Bo zN6Th(Wd;JJmeyL`BxsL{pi<+{1d>RDrbezL)ZS)sxV|e6zHGdojJlVI8dZMHo^?8ZtVsg-FTPmQ8IwbiN~NcFjwC^E(u|;`XEhW)|7m}w zG75aYmQ0t$UPg~cl_d=7%3#%wii)9-8(pz?O1yfx40pWv7i)+s6p+bT{>R^vZ3XT`u>5^Y#=lJnqj+;4a8qZsYsOgZyBDJmWJY(GG5j56i{q+JMyErG~5oq<(JQ7j;4O4lSkH5f@}Hg zR+fPj)R*}ja#$ho1}e*X#x=a*QSJ|^#Lx_MHs<3+aW{>e!1 z`Xwf+6%wGbK2VajNd&BItNXY<5TPlt6KYSAcEejv(Yu?71WFQ@-#PoTBfR)SL&Jbe z%}4S<*howG!b2m(SgZ2b=|&maAPR{devl6$wzjPInj(-z?M8#(N)W>9pMv-P@YkR2 z-{T*Wnx{FLc49zx?Q=XOS2zk4e5QUyJr3;^H0oo8BM|bw%)^!_8!7DXbJzYJj2lno zX2fY1roayML=P#xFmgg4X~Jl#z7`ttchBg4#tem;ibZsn+2P&&gS%jy4R=52aIKI5 zt*Ic;-luwnIOg(CXJ zn6%f)nlK+*C%D=Y1X)W*o?hV(24Xv9bqmEr#QtVHr0awWa5lHQT`aOk>w%m0Oay!= zCC`jygOnBGq`6vi<&z3fo}Ki&I*EX!=THAM0f&zl|A3dT{q)yH{qkTa@rB8s3B|UBB@y4q}HLlK7cDfi^jc<3MH%RQBC- zojI2TL6du~W!mN;7tOFuHm3U|(i~WX+Uggm z2>p`pjw{{ov{B$eGj1voV`SZ1&3|)87JMJ{NO8UvgjXER5z~VNzbzB~*zjCAIDSw- z`r3{dD7R}Jf1)oBn?4$ruork6~!T0qS7CMiqa7AXa}pL3hmfr76(8uhOXAoIOWm*^jDRP@d5;xs1@ z8mwoYcCzvSl@AQBN^fSMW&Y%CdifZXOD_H`_kAE@+aA4;Q00xD7e4to8D0R34}4nh zteu6s@ojrl=sM7|fmR_y<#H%EtzR)ERRr_;qw8lj&!9Ja`xp%~E8wcq3*~dygCS>K zMPQ>V4BbC)!%L&p8y-I2OX|B41SVd|1K&muA(Vcx>+bU?M3Ue>#eX0U?p|G_J|*jm znh$FA`@6k&!$%ljR6Nygo|H?HoYoJT}hdERwIi> zdE$%S6pI6Y-N1=YsWQOu<TnL{EO`Q@5)Czz_w8?=rJLf1?1^=Mg@tMmnvK^!!*gAq-}?MzsB}?Z&(1Y#CPj&=*mql>1p_&tPaVQWfTI$flNEeo4$y6 zuFg{gr9e-1J*|sDM@{5YMY>Og5Z+y@G zT!m=l9VYij~O zp3~hynh4O5ct3P!#wqgg zCpEZaz&-YGk33Q!_yxKcZw`6LwNNh(Yr+xQ@rzHA2=Bv+=~|vnPSmD58{U#>gh(oK z-$irSqLuu{Q|Gj}&}XT4=Wa$bz|Wc+RJjXx)rA5?lmZC*kfCTz@%e=P$Uw$`k0QYX z;yEqvSi1(Jj}@FlUow5*{@lg%aAiOE9TnFVa7|^)kdR0S3Gd_lr}7qpyb~ z3^3d%C>!HRxvmu;^*WITse7IU;J6sT4w8Y0NKM@@qUI3x56ZBV!O~ zQvOH~*7Aj^PlAKJ41o~I8aMkwG6{VM?7w&}K?&sq8Z?Tj(W8dis@H4G)X3{S<&}6= zc_2e`^Y0n3EtX6eoP33#}DFhZ46LKkh{!UR}5% z$RZBEqC*|GR<&^JG1{j*?4SB=4R5=?dfVKbS8wyXCX@cw2-Op{();q-p}6aX_Z=O0 zAe8F4#iJKifO2EbPky(B{Z3pI7bdvizM7Bh_KpS8r4cGIyyT5ozXnS_c`prOzVScE zsvO~u+&Q%lRcqwN^-``tNfOE)i{AcxR1(TXwmVftWudRPKy2rr6ztcCTvhat#f{&< zThHg;pUra8RTs_No(^tvr9m5Vu1Z#)b)n(Q{@~qTb%1R3_V0~Zj-%pGzntn zHVz$eiGxcqzORVZ>d~`xI}(kUbQt}m?(Y{E3N-YS42p8GfcHJf)ZCxl#JisW&2+r| zd1^11r5@eWM=604*%Y5%NZkWZbice@S0sb~kGl7M%lVD}|BHkcB~q03-g}?zz4zXG z@1?z`_8yY7OC%9`D1}H0sc0w^kxEfWeV?DV>koKc-{W|Hj_>#P$8jFlv##fLp6BCn zzu)fm8DpcQeuv<>VF6*{5kuIKoC>tJ2m$w#8!@X)DsWZC^Xu4)F!=uayb<4&0h&L0 zI8T)&72Tp>86CfC3`YZvtaO*PAt@yQi!FCTZ_j#o7cLlsRVBK1S5z9kOCHyD{;iF| zI)m0kKN5g@Qc3w0-M@V=hbcd7TQehHVcxl)6My>_%x`R7xW3=#VR1)#PinW%h&3tM zbxjhAly`0Idaj?D`jXmNGPt^7!l!GC+ZdvYp5m4Xqxf~rM1<{hyIztRPK>URR zR0B2OjuvC>!J`4F@tMW2W4R`r4elp1r__Q4FUht=cSFFJNAY*ogJ|5&3BCjhmc9tW z_6sYEXueir=%WzryP$mz@#~*e^~ShElE${dlJ6WLA@S9bVjoM`W4<|MCL9X1k%XPr zjZx@e!ldBU?MT8wSKC46Mp+2R z1>hMSQXNrcm zGjz%PtZWBIym=A$`Un5@+l_Gjc1>KrT_4wPx5M?@b#VQ5V_d)PzvolqJC9os;aRQM z%0)(gPJXZJs=y{`{Ii^%7ZT2qyZWHF2t?iMny<+eAbvTzsh=F#=(i@-YKcoGDo)n( z@WuN5ORGD4$st)lvQY7>!Yv2Jn&gvfjC0T-={3TjPo<#IK62)Usy}pvu)lZp_Cqp1 zPkHRhc!SY5r6Zqz8^E7_f~pS%fk@$SX1YU*DOw~MJT0eEg7kbl=qFZ_&;dIqRU!KX z$dYz*h?1`XqCAWof1n;!e!52YW2hREtR(U~coHCdA&5b1uMiCaQR_~N77Bg(>fNb% zA7pE=b3OW#GqSiiE~!VH2Uf2husmF|fh8+{fxD$n$aH{qNY%purrk(?8Bu$ooind( zx-DIh`^Ppb7P4UI65J*!mGM9lKTde~FjvA5v!DCgkt^s>Lp+!6dJ=fM<=6b-iAMQL z&5Bw3S(d>Ci` zszvJxDWw>kREo4B^HN5`7GI~z86_YkV?WZMOau~jWYx(h)De@NcJ=xT5wK~1vHZ(E zNcJe1?YfE+I%+cU{mvf^D7ui)J2~tP^ejWoL4ro;PT&Scya` z-n$|UcF_BXNf_>dT--}ccV&Eh>G1xx0$gRVth^tjitxRUuM6L0*A`HNr_KjRxv_n2 zEo1V2^|BhAxX?NzsH6(L4C*6=w+)e3>F$qGw=;H2OR_HXOZUB34le z(}3GsD~wj}Qegd=X8dgzS1^k*Jbs}%1|G!x2-bO)iK?4edgH2`q43DU(kb#p6#p=} zn6@Jho=X#{%{&Z;i}GBOo9{wlT6>^^?SL&PCv(Nx9gzSTYuT3A+yHdotaH@EW)rx> zC$Ilf(Eu45?S8WewuF~|*aPH=4PaMrFh>L9+Z+-e;y8HG3(ZY%4QT(?0?Q{F;WXJK zsQi!O5>1~5T-!T(a3fa*xr-bU&c1?ieJm85Ev_k|XPy!9lA($)QGM^P3!@6U)1}QE zC#?*dE%k30HzJ|FJ71ZF3Cp{sR|sLt=LPPAD{kQoVUV75NQYCv1>8Po^z;19Ln67{ zp=ukLu673-cj{X&wP5js-bRFa7{XV7ezky9Cdo$Ftkc-|LncV~bChwLc|wiM9HGD5w- zEm3wv%oShH%gFR{sw0JcK763x(B$RwM*iFuDB+1Fl9iCEe>H;Xs;Q2*9v_F&4YW04XCwizYx(;CukZk+=p>mZqY+mR*y6*3VLIV%ctYGJ;bobsNbtwzf z^}IYYfy@+GP{n&cX+dyk`guWFmK}JWT+X#PAPBLV5_Rt}Ur_&R@iR$JIlwHhM5DG; z0FF|xdd@Xs_xFy~-`(@hNa_M|P#3d+NSkY)f(uPy=4WGwl(HX66^>E8TVsZ|9tK}M zYWmI2Tcy-?DDnAfris1=tbhmU>;RSnz8SvQ_rMx)oK)=IWYC8A&Ba6RsoHq=-*%}N zJ7>Si!_g1>wOL7W5X|}Ysd$qUy4JF4;BiM9)a#G%%19#kRdT)1?lzV?9;$8MaTDu@ zP!~MpID+7+&xJ!)fo_Od>F>g;B^{W*{yd@koDxvy<(%c2=EluaOmO+d@wohAV_bf* z2`<0b1(#oJh4=gg-+W}HqNjP3{K@d7tN!*LV+o@8u^u*Nl>?vLJ~rz8jt6x8sAl6x z5fW+rTW(a72s)>3=Y>k12I@ye*4!F2@F|q7z>Y``^)%_J#H*hKcCC8Fay-a8?1s%bpNF87fg3;1#=yz3L>aB3i)dH5 z#IVpEA&p~l*AES_mn$#;ym)@PWxK7IhA4I3~NA~&P(4!`+ez!D4 z8l%kmT|69kf@rk#^20#O;-}W@#0;e2Y$oJ>D;@~P0;R&R{>49ixDW^w)<0cgMfxSv{8Qy@=EE{CB+;zWSfp$hzzm$pmN+w^N!HDL}(> z;UN?9u`t$`uzg@T7AEhQf9YxoN6Wpgaerh(fxXt}!gXydH@0SrVRT&|s&B^?zTB`y zNo0H$2Nx~S(JO5^XM+quqL=Jf{~0Y%IY>RB*NElNG#;ku5K=?4_m?%>SfyZPEJ`Vg zM-;{uJq>Ef)X{8cK$oZgiL z$LAEn@i~cce9j{{J|_!~&q)AH-l_6zRfaIuQkXjM2jlUjwmk$>J&^Fs=niE!fa+%k zb84hw(4;w+FU_WgH!m7re`2SbyH3_yM;L00m>9}(1bQc+A&A#2=09KzY4juB9wXY| zvnI_RXXOv^{Yl4;>i9xRfo{R^(=kYRNfBk{-8t+-)k$KS&tRUVyqsqRBPzz#*u4_U60IDva_tQtq1Hv02CX7Ti` z5M=PT@&IdDI8qJvY<)ZH1)<;5FQ$lv!glY{pD22aAN3(mAmdRAvg)Fd_xDQy3igL5 zeh1nj^{hxSmrr5nOW}24Kgv|#zdhg(Fz0|q3@nyodvt(J4w$1wFkk%zM|!$JEO#uF zky~_43yzVhScq2}!AioXU)R~|koXyizvsvc(e8+)e$$sSAiVu*!S9tL3bdHqWj|K{ zcjHJ)=~L2SiF22a*u);KmX-#$yw!&iIHoa{Y6P);m&=^6yq9*}8GWx|Lr8s}6GbI! z3?uhSn?yfnBZmuiQiA6SP;NJWQT0R+giCyGHBgC#&$31{=3f#Z?1oBY246DVLB(G+ zob1r8?!fz}y#r8j&ZgbZZg)_Tf7Zfv4Lgsn@2xtXlZBTGT>&>)93hDMnM!?X4D=6t z-`Ls;g3ynslE)?+EoJC+ER`g{mwNAm1Tt|DkoEK->(5*y^mUEsGGz#Ok3VD2k2XeM zDvW(go_Hd&p7fGnISKoJ_!^#) zDPzEW_aKu+J2wsD zDhMQ@IghVWZj}>+w|C?Tr4!*c|3PmWg#vW((!_M`UM9R>5{XY?^Mn3~@@(sOdB~Ub zd!S}g98g~>6ftAAgqu1S$hWl}5xwvB8jR|}&$cg4$7qDm+xG68QEArb68-3{`(|c1 zKfXH7kFSjLD9_TDEcoGFlK+S{THVJcK6vgE=y1S`>>^#K(1{R1w0_*#G z0X+gpuG%p)DNqbVC5A;jerW=QZJZ(*=2s{RzE$r94Cq?0eb3nxHQ)^uP#pnT^z~u) z&uhHK$S!1=OV-vIe1&6Vrm?)kjKl(XRuqiJ6XJ#Zdp%%fne z{pHN#?2_XOV3Ga&_*Sa`uuAu}+VxSQsj!OceN^&r;O2d|gc2cOp^_aQeTsdbwl#yd z{H@Ty8u7i-76VwR(JIKg>5ZoN>-v+l^iD=VoEm9ijp-FH=iJu2P-_STixO++EdEd4ytaQi zi5zMb8Q0uwF@i1%(eIMiO`z~z;DfFjS9B(M$mtT10xX_#s{GNS3@7=DxIW3N!)iRq zgfFQgOkX8!FK<@C)tln#1#$J*yzYPMC2;jZxO!1|TTZD_qpSw3sUHsMEX#vbV8;@B ztOhI^t1xZ$cp(}${|E99lpsy$!xQ2bH6S)$dZ3==1#P2KZ8xR8;YbQA#Vdg%v{yoD zVwD~b3>lx^>X{jWPM(Hr!dN5{9SZb3&4=|>EUanzB;wi&)2V^0 zzO?mhzpkRtN0qtFcX;4vqm1L-T~_Fxlnfx4@9$}+2`-p)#EuR)+d6;L;gI>Ssim+{27Mu)u;Wd zH^J%moN@X+6P$j}7^mO!!0Gp_@YehNZ?BK<-xJ?@eEBW^+w~s7_e=^E5>Oip;T?Y! zJrtiZ7$)uI2|2+QA%bxMsGd|T%loY_B;+qT9@Y!T{B(-)XTP6E^E4=2-=!5jJ$T~XMHI_Q)tIC6Kq6hhX*>O0Ar(WX_= z5!nk3D6wD=IuiEERp$!&#%^cp%+&>=akTZFot211qcn_tt`;6w zga?hqx53~X{jkW@di0N{^xyM0@#Qb!%Y$-bdy-WlSPJHA_un{YS3>^O0XbjqL=^CO zvfAkVRrIb^i;bCFN%1w(-8`I&N7EsXhKEF_uA-h zkwE#^&S2w7Ie7V`==bPm19i`^w)3q_#Q3Z`CI>2Ey%Ecv$kZX@0Bi8&W~-epwStB#7s@YTzW<4yQ-q9Zw%~aDQ&dZ_GYA>+ zd}b%iLA9Th)Y>!((cif89=o6<6!4qn!3JFjL=9{#-L$U9TR)Q^V)>r^Q4YGv7eQ)S zT?nrQj(%mQOhF|#2TE_zt3pm!Kb%|WxY~I{6E8=E=uDw|nCA-gvQd*52Z9+@|-~0t7@ghRB5`l)Nsj?5wg~5Q|ba?*> zOm}&OUTeJ}28bUJ{r)+UfKF2^8(n_ngrvF)R0XKpVa+6X>eRDFDA!U8uzuf#*vl91 z5UXB+pJf8s7te%3=0x_ZZIdRvzt6VEKPg%lib0#kw&y|Bvnc6u?`KwOT5!6a_Uco( z7Mh~1>r;yr1kKgdXge8Rz*j%kU+|Su;dBU4{n)c>V@O7(yH9PnYrSEc$tq?|I}q&G z(wyXpVv%8zUW24~0PK;d_VyFS!n>>V6)$oNP}5@f4;KDd*yjq9IWrms!S-=pgT&|2 za?{}VdwwCfJS-Jl9u@;G4~r3(hsB7?!#an{!#W4Xa?3U^H1mP%*%bE=6=M|8ZZdLd zx(&_pwkG=B&IHq2+_J6L|MZPKF4Q54u7YX5z&G>z0Z{d}cl`pp77TUF7=45wbYrWP zx$|*2@*thLP(f<~&o5oCjxG!WgE?2$T7_T;`oSfg>FERo7n%1}I3m#-I)Re%yl8aK zz2)0seP_@)DU+y&)gS!T5~CHW55m#%MjbVJC~AtD(cp$2a%R^g8F$nNzDV=M3T}P0 zf7SofXDVHg&WT+Y4{`#70o@7ZjR16g+x>aTH49j{NKkX{iX(JiOiTY;=Z88!CT`dS z+5^x1^Ed9iGl%46RAQ%S1Pf2H#w60B5w&~b*_&@ILDJ<&KhI$kh>lc$NJV50YaW$) zqeKpf)b+c`m-{+kb!<%2L{bADd4Cv}4lsd-(QaW={D#ooL2>EgPaCwou=ccE+7Zm( zEz|>V0G7x4qmw1k85Xo7F3uwtST2cn?y(I-FV&+mwyn&;msTeykJTC?uI@cw-!z4H z0cQ5be+iJSY$}jn2|-NcFHUB>RfHp-4hywO*uoEve*YOeYiMhcJMF?_4%ElYC@uGF zfRn#=mZ>WNJrRFWJLYN$U!P1Ryr#E@@{zGkMsEegdbn1aq)8DRH4K{U9w`C)@Vf&mYd(1~RFf$c;cQ%6= zR8Z@icS0O6tw}Ka+)xKy+IiI#Y{-hek0&ZyKXBr$hmm@IHuKuN0DL{6Co_A77Y<6T zg;*>|AfymkAza4^X?nCjhP)Ayy_dXR)XEK&%kLQJ**xIQs|#xLHvQL={N4)vrr`J6v-d+ua-z|J~$x|Ni`-eh+#@$3z_%O{o z{B|s2EHnEJuf3r-oBj9~{SXj|ej~1I!HP`fS0DYNJ_WfK5Ay$#Qb0BGqa5Phl4~oMV&c3^?i}H`oh$MWIhQ;e{e<}~?qHkVTSmZ*a!MLPKYBo*= zltuXYFBi(f(lfKBxqxcKd-#{&waq7BHj%j*S9A#_?UL^oe&|R0d6%xfAs+?N<-ep7 zXC5I^qYnZT?wv3&#nY*B{w~A_yslJb>_Jy=+mJfkE=SLkmH!^;y9M5 z6R!VHgX{mZ;rjoKxc)yauK%xw-1dVw{f>kHX|ywEnpZNo6AWLhmC1smhn}5TNV|k& zrk&%13jLjE8 zSWO#fu*?+%%hAqxCvz=iydrNiwZa1pU0+6zFYo}Z++z!r&I+l0+!Nv0{i%Xw*&vP8 z8I)3QvrUHhp_92jiDWXau+uujSeMFicn{WTqe1e$^eUhiY~bctBUIpb3>+xWmC zHH#B9{1DlfD8jfA#+;Fr;wM3d&HgrT9@MH3tN5v{P?RlKmJzVKR^Cf-#fd5U=Yq=zct4h3?>`K5lk=rVV7(oi}`K|-ut_6>9xPZ z>;>rC4Z9@+u~KAF|ALvuBpZw^+p~A26F|^WJ!z*p38>u}t=JM0;LLOHD-G`y;k9SY zQ^E-o^nB&@_8)l#C@Z#Y9`IB|U2krga9Ch-g}BR>`E~MmpMS_ssunh-iz8Vg)=SZP z(g1i^xR3H$QOQ z9;-#1!ourGx9Z@NOJ8C1QXZsUJrPxFlMe3EW4}5h<5DT>DcZ8t6LQA~dxx$;a)vr`|_9d9*Pz4t`k$)p{nXPv;| zl<(_WQY*Cgg3iqoSIiC_Oja`Zbo9-j)LGk=Xo=?PtY?<$0vHOCnn8lZYY`Hopi9T0`VJ3vTh$gRJpL3W8M*NqgsoMD+Yc>dT?BD6poZ zYVUTl0Gi?JG7Mf>NN1tL%lxi2G+oRv>baZ`x*mB|H@gkMP%f{;KEDd?{OP{=m?;1T z+ZD1Z2J3*Z4dM3jYv*?6*#e zdvhCuXph?mSriJp{nmnt`NGhU&^DX@NfO0A>;CF+LKxn6s$X(g6##*7AD!qad6c(N zky)e6kN5BM-0uerg=w0wH(~tA_FOcGI4s!YKQc#uZJp2O^~Qi-xZugr;XwG_KRYZ% zl!r>iqnF)vl#xMe>lxEbF;GbAW%%r?geWp4A_^3R;Y{eg0xdBSaJ=wL@y8hE->fq> zZe{rI`Of&xf4@y+6}xWm!cbuR0q+zpxEQuIu5}U1Ly)`hOv;lTZb;-3G4?7TdK=;i zi#SdQluY+-t5k$fJ10w)&85)}`+(Y`Ed=FGTrD3lu9lmGq9W6vE;{Hx@=`uu0al-K z9-N6!KpDwA+7Stv=#_8-HnTRhjqD>~kA8fz7Upn-} z3x$;n9X!0_0X{c=9b|ar1*;$b>M~D+plM=bp--$XK-fz3hSIAB(MYl6*=5(Fmlw77 z=DuEqf?5%m3EfLD`Q-%9Y<&VcM_cju$8iIMZ{E}Rd7|@C`B>lV-tCpw-+GWi9(8+F zb{(koHq4OnH^A|P0M6jyRP^Nd7L}z>Eg0O?UE_5Of^`GhA9RzPD7>lv39~^Yv@m}- zdT^8iZ($~j5PnTF|_Ebl+JV@nT#&-RBOHrP0V5F6j4 zeJf`uIdiv@cOwLEzVU6EeDj`r3h<(fZ8xM*6ne7QEPI`dr--JR1PD4rF+l=$`3TWAX+W+t_rdM<1zc;CJ27bOSQFc6q&2MW| z_?!a{!UWUBu*>HN;Owa=C;d2fjNiaieB<|iUuDTK=SRK+pgA0THR17IAK9Zz<_E|1 zph7_I&m9FVU@+W&!{)CI*37}$h9?5iTTku;o+>?em5` zNtH5!16P_} zV-Y39eHt?eH#q?T6lJaPWHJcf`spIl%l*q#KyLAtY9aeL*oEg<3=mSG(?VgJjvVA5 z?R7NFjf@k8G7=L=EFXgkcP4X5AxUKQarEK)NF5-cxSPunr;3i!gqJDhTB2s!A6E}z z{c{f5xT8y1hIoH|$*#-ru#p}yZrpis%9a}5-uUX7aFrTFv@fX#=I|r8_Y#)t-^74( zlJj5(EeGDeKi^If-`Ej!MD>?>Mc>M1&1c}*<4v8F+SBm<;^Ab!LVmRCrSf|`@FYmXU*-LEM$}L7)#2lZQ_!Vr z!Xp>Pg#>yk9+{NOA@amt3AboL`0Hq3-*!n5g7vc!Ye_f)3(CaJ(c@0AF zj-Gwe_LUsS&PfTJc&Lv!r{}+#TFJoQ#u%4zBNb#6%oDISA_GJL=A+c_=|Rvrl_Gym z5ncB-j4gV125dk0sH?P{20Qb-&A(i9(C)bRP%erd9!oSZD%FUCj8=ZmpouAR%^P}q ze@GQ7TX+l2oP?n&1PpsA#L$DsA3`(OMWF0#jmtX`A6RfLZb~E#0IFA|r5~t5p!3_j zF@t6(IIv6HJ-O-$VTFfPI!p^u=xXTG0#XNTKDR@)oZ^jwYq(k`Ep^bxf|VHojSw)u z7*Ve`8iWdrKRm11bOIAP@eZDedidL*r2mq!3;9I~x}U<%1>4RZt~Gwm&=9{vpWNGy zK2_9j$op5p3~SGFQf@d{B0~kL&uQp&Lx`RVUoiar#VVhAI|4>6ik|!aOht70f@Mya zAB}(h;)#(9z7UnyWhv&6h7JZ3MD=0)K<)mCi7UT-VJPkCfvJfI^ps%o)eM&BlBsq~ zg5sJLHm?b~F<~K%l7>F|Ubj$$=Wj6a;Z+vsGbrl6D?koxz6zx@XH4LulWX1gBhFwW z_KI68#|~0#h~AqjVEXbFHZDnf4=4_4Tg}DzZ$4o*bb{r{=qhdVNe^u|#CQ1P(mP=j z;3Cf1-RgHm!pHBv;hQvuz5uZ=A1|6fP(z(lub(O2=PQzMk%avh+p!buSV}?b3hoh6y&({k zc;uzSuOOHb`jqBc7>{IXxa|6^0wMikR#q*G1~ME=2tEEu6U^D3sU+OfK@7iC=)y5B zHXlEteMYGbL{B5~R4^Tkf$Hrbrv4jej*YTEUgO(?}VY(8Hq{WEWto`uqY_- zZUlOxM@)AZo8SIBkNtN&!?4}Y_Ai8FsG+(3y!tB!)bsFCB!PlB3XgpxCLPWWgsg*c zRZm#q@AY|dV-;5L?%GI5te}KO7Lt_-2W{j@uj^{SDF;sr_3NK5Q6YPVfgq-H>gY^U z64QnCD420v6*aLB+qo%M*%nXq9G_Pgd&JNNB@S5ViY?r;G5RFbAYJz$A9Pw$^z>%Z%-#DYZclKR?1 zjr(~g)>UhG+E+#%TpWPHdmkJO!ushCMmu!5U)TXHqv40G83*7`F}IWPQ^b6vK{>y# ziNKeFgr##Izhs-&};EG3Yojh3;3gEGho-t2@nR}G6 zo(B0a-(#jNYgdM>mqHgBEh2zSB;h(`PbS=R5Z{t+X9jN%A6f0cs<3jQD}JY(4;UPT z_ECU7+~?t-8P?Q-q9cnZsH z7WlCh+VSN+ym88nQ2`sLb@nOr^aKAsoO87GZ4Sq)eb+|Gx}|{wDU!g^95Z;$T?WM5CUhQAN<++-eTRY@+9-sw{p6n=S-kxM zG8en5i@vKOr&}ugeWrqNe)bM`>^*VtCNx|WydnxDYIZgggKC(*eqJq4K?=9NAg-Tj zjO%9#XJRb%g1u)FLf~pkspjgU?ez zASkYy>Ub%NjDskBK6~=Q2OYQP^PJX5%&6jctQ)4ssGa=#I)@FRO)YE3aC6Y-q|7~! zan`szdCN8l#L#SIlu3>!D1wBw5%?9&+`P zjVhQu;n#lRm5d`XFnlMEE{rJ}yxz=ZPVrnqLv`OYEA?YRUK=(D9OCij16*k-`<`+C zBwTyYv0xZ`3PzQ*ms4_u5RKaT;(#kuU~z-JD6`}=%)A|`GGsV`(n=>42QeOqisoE~ z>vJ72>AP^`7L_7|k>{LJeqxD!oYNQlz@iNY_MIz5%yc0CqehyfoFZDftl5_kE02f^ zYP7wx6o96qvg3sUKm6!E)apQG2FuS^v>H^*QRFcr+ar7l@OC4NaQRLSqS=d*YqqZf zVT;nENz9dSxDA6Gy{YyS=_ zgqGZzH#vpz02MW~Z$Gq!GJ1z;1+I1&qNmcWpX@=8Wmo3XR$9R`eTTuA8RLjQTlKy? z--$lO1ktme^+igaiH`(T9bwhgE8q}8D4H=w%qnLbA?fv=l+X`*@T-dxNbmJS_m5Nt zRUCA~d;b3aPS5<`d8GeeTOZ%^u;g(eg)9?(Xt;ko@W*R5u;z~p)q2khrOZ*gR~-ak zQ()LnU!DWzL|Z>TU^c>AZ-8&VR5e3$DE5a89O2L$oa=T*hN0a71oN_RdAm1sa$N#E zw~5%l#F~Q&H^;l{p;Ex3bKcd$*cSNAC6@?a7NhOK;(WVjiLg1p7!`G;016k>pVzt@ zB01AM{_~j6pv&I*o)}9OLPM(nJW$hg_Pp{lb2#7}-(Ape4yUM`!q>e#QJ@v45e>${!q+eP z?|HRx&l`+;ULD-?s^gv)^LPEv^J>C)9ODoB0yA*PA+Dm#^M%Wgp1czLs*7R>IJ-la zLy&o*jH#|NC)7MYVWWFS8W9wSA1XFtM6|!k4|B0%`NlrfJvZkK;Qk?-)1BCPT~V7l z%xKaOCadlVpQ;Ezm)ZnBeC1<>!~1s%Wirk})k~p=oSZB`-g2WOgPRqS4oX)_E@OEq ze?;cS{8Uk*@+`}Bib6Qh#5BNmHybjVek$@?6he}q@DAJ87E|UdNDMHwzI$w(n(weP_ zC%a&iwojy*p&9elP#*X?)(LIl!9FPR5z6P>5^no>4HB2b@=xeqM~M=P+)i$RXmCk( zbK6u3_LSW-gM%%gX{jr5t<@RAkEyONN}GVbp5kr8UIWA&RC)a{SpwJ)We>Q}Wum>p z`kdwi@sKWRGpZ{Z5AE-MOcIG?pxyij`7=>rxV#22_;f1OOzoip>ZFoYInpN#lkJVi z6F&cF@x!Dg)G=G1VUbn1)Rf;1vwYGHeIk`f|}54g*eQi3qu zxrylrZiu$1HuIT10=a>94H?y}@U2B|-9MZOl-2DYC=jY6<~9y$QY$9Ndd$;4r_TaQ zyDY~|o-so4cd4Ws6_O~DHlH$USQ6WR7=v!zmqte^%p+6Sq+#!NW`%>h0&2e^am7Jh z0`S$7?>CCA+)2@eIG&KY?;b1=b|}uUGBy<3Z`AFa3oPJA`C8O9A7c<~3Mu=jX$9+M zGdfmA_UKq~*E``t7ihbvo7SljgrKEI=g(OOv|C%JCRgJMBndTjn^TyM@3v1=w5}?A z-e{EKpSD6FWK(Gs&X~SIYq3DsSP3#t^L`STQ$`m)z2DVKkjMKxxx}$DBq?YH$!ED< zygkGY@=Ue4I?`6i{dV1t4pvAkU%mJ26B8UdkQ|aJye6L##PB^igaz;O^S``fHeB8@3oh?i4VQP!0{`-k zS#f#CtiWfZ*DZ$mvUKxe##!7=AWP*K4V`WfDwo)v6U8_IRKm4gcaEDtwv*Qo^+8L# z=W9}T?PR4(Lc!jIKK_VVKC0#CYW&R|0V;5~Ihe~AEX!Va>o7(D>pb@b<9DHmbD-%| z)kR8Re$zeg8bJad20sUmq*8(dFXgX-G)j0~bhPVgAsJY@KdLMv5l1I(7pxUgyF$)m zjVX1{IJC*aKpml>frxB8ZZ$Oo!c@h&%Xu<;peDNe=2p5Ds-5Z0o7oYA!HqKMn>G3< z=pHx8jTb^t|G_M(DHzL#KHjZpJR=1LmQrQWFJ(|PMfpa_egh)gmf#Q#xdfD_c{^O1 z%aK8l(jB7r4H$1UMMTT97OhU$3{`LxLA!D@!}Wb{w4I?zAIKe!ywWOuH?>E?ek147 zVY>{Z+v39Up(zz+w3kheDp|r&Aq$J~3(hcl>k)~M5yrpx`{K3l#|R{by8q~7IdO)Z zPaWqg?BQY0+qYMKIOFZ7`^Puq#PQ7-aeOm<9N&x&$2Via@y)n!>x<+3di*%Qo+Qq% zXNB|Y3FG{F;(+h^`0}z6t1=rdP8*>jV!qhb4D3Ck8RhqR$cajIJb8x~)nIbOf;N>2 zyI+ugEIv)920b*+CGBtYVf?dWZ;g>RN|JrCvs0@ERrcp>+WK^%Bci^_IEfbhJdylV zLrxn^El8eyZNvPu*OS>5$gB|w{au!RUN!ig!0Hf2uLLD#ae_A_wNcIR*Q?}72-M@- zd5qNK;G0RndUcyCM7=zxEuWc#sHbBqdt>9_t2uWXl}`Z3etPg{G(HhM?GbqX@;4PC z?4aU$k?n_?tbNWB#6ONQ4L9Zzd=eYNHR!3_3mTi#AEs8r=SzN3On)sLJ@*)oAmm5Aj~RaR6`!}KzG z(FA1~kZ#njSpvnXnwG|b4*I%CY?@o;j3@-0iW{;2Ut{&+n{h1z(4S8$y>{9Z?K~ih zMvpXMD>9zpa=ZcF`^$9v2{+TtU}Rs|MIOVe1yw({uaa6D!1tqX*}L5hK=l5kcDS%M z3_qEq&R;VC*#`Evz7e5dyO!w0!x4)b?8p6~Wz_k?pf+1`eSOm%I%D$gKJraQ#t-`J z@2-l#F=eS9*;NOW`?|fQZru>pX6LBxIO;(smG8JYr8$}~OpYI~*^<9>^s~5Fba)NUGAHK(9e1NCa?T^IcAY^ELs4c470nR1Y zhXi(6gHN7MskcTTlE25Ue-k+Yf8^-aR+uC3Flyc>s|0u&_5vA~2C)Za*0}G(Fj&r8_p>JGr~Dvk=iPL4tbM*(D=r%-x)?6&q9P<7b6R1e zFCLDY$=-H(p9VIv(6eh=j@k}Z5qygaMb9j+1kJ=%L$2GoLSMQBqqB&G_t^h=kcrs7SG>@88xL0{{4Za8$_?iS(swyGIAPh;(rAFn0139-iW2XiQkrY&KCMYsou9#eQ_j`0_*oR1UIi)KQy;JDMt z8*VW1=f34#&Ze`@yJ(etA} zPSrkk1_2=Mr}XxMQy(9*Ij04nvt?R$PYMJ>GTBNj+X|NVsYZYHw@w`5)Zg?nfFJBKrF7ktmYSX4btG_}ynIj9CwP`-B z-bQHf+NO=HjS}1w_zCZPqJhg!kzI;^beL>WJ!U5Kn&gYh5?`yh$&a-RP zzMyG5YEph#4fEr-9pGHR{QM$yD*~S#;I!4d#Y)Nmv}NY=(CSG9n(DoOkI2^>j^6N| zRafu7;eyt#`wSK!{!8m_UMghk!5Ix3X*^8{+Lb423$zwkMGp$0)^LAr3WPXn2z=I z%dtc~-2GYvxgHkfL!eC4F639 z7;z6%=O3a48I8Z?-@Yj0J&(p$pJqru{bFR?4r$k!83wzl!R9fhQ>(?MsBrk$R;-sU zv@{*LJ#|hKBu5OpEV(ox`^3`1Y?cbT&Bs8qHp>SpCwU()J(5LaLfv&HRU!}+&^h)I z1Yt~gVMOMkAh-lx(y0rSM|-!32W(XgArE*wRQ?*EhDYO-aq6NdLV8+`FG~-eb>_VZ zA|!%`a?(ON0*2r;-S7C=!5z51M_&q*k3`hn5Avf9yP^*-2G1}mn88x)Xg#Bf2jI&q z_Q(jLxvXGI)<(*`%nVX1 ztIa!+3W%q{V?R}u5j5+bK4)&GM0Z=x)KL2}0SyVufdPy|A6RGn_}5Sn%6%U(ANK>x zt9GI#AslxBML8`-I{F|u@o4fH1Fb7=K5mH1-&DZmZyMwBHx=OM|Kx8f;_^3@@SZ

    bbJgBrl-l|L+t<%L!6?=TjbIw5CrB76NCdLWhXV%J4b8(uYgKR$j_ z3cj_5@|Hx(0^v#Zm&Q7}u(O(3yi4Yah9;h5G2M{^Pmw8D?393dr<&(E1LEk;La_Oj z4k@T>Iq$=1B#Vxep43j7k^q;S3~P}CtS}&WvQfE$10DYwF_hA*0-iQb(@vzi$R;>p zPS%4DdL5iepX6y`zw6{w+Eb>ej6Ja|nn(%n-=97ry>A?`p5WrhH0|=+39?3%mTT%l z(T-cL|Ej4c+I92TU@kC*{Cr6=W;bgXzZ-l!UquVVh1}gJ_|)Kg`&a74Ha3tZRNYc_ z(}qd-Ue2Yh2A`i;F+KV1hRrqIzDSHKB89voToU$5C^)J|CL>G~qR4I38!821&1x?s zTTBR~24{+LX!wDq`=${akuY#vZ*bNaR|eA1rt_lng7EBJ<*_#ySAMT0^m@i66_7NH zpo=|agZKG|bC7&}yh8~&h6rkH5G`bEb_`*~7_ol^AifF>A z+O;oOqtF%M!}}GYP-N3AU1%o>bt11w)!qw(-)D9&^J5a=%~rjm`a%Tot;csh%XuJw z?NL)0$k{*9{D$Sa*AL!!QTbL5P1sMSzjlg3+X=acB|`O)0uU3QNr(mELhF|nUYH-* z`>K!0b#*XlWU$x{wglg9P9*$_h_-droA78c zC{g`C%$@f)*Khp)g-Dr^$evl*dtLV4duM0wy+`)Q9+91$6d~k6rIaWtMUtWvX;Dha z_xb(w`UBpt?>V1yzP~z;bDitt+2wjXuKWFVm!@Sb%7jN}b<6zZRA4-Pg8Y4V2#RF1 zx|h9Hfa7VLgg1+ZQGUxR=-ihPm$U#Cpl$GWrkdx%^0ftyzdEFXXk?G>*T2M4Firoi z96E6o%$Bb`uM?<%@&0qPw**XJIJRr=j$RJ9%LbjK3BQCkWBG2jG}Ix}6Et%_S4GkO zpNtZDN=YD(QzEc2mPQI1PmC9e#o+Zj^`XoiY@RCp!KGzf65;C?lbL_4EjK3ux0-z` zV&5vD?^=e^l2+nyJ^x578JPsI2|jJN!M^wB99)iNeLUDa;G$h0gAAsl(IjhRGez`b z#{9My)q!U`E|sQS9cH5Rl&e`x&|XAgt8tGE;H%fgmml&^A0-947WESwQ*y|S*;^fY4^I0N#FTCbi2;b7ySeO^DQ>a;OWIw`MpS%w-90 zXOAt}WLSYTp_fHsyC=GG;FewTTT`G}UhHgfw}HoNC7zZfE+{+iv3)SRB~%6OJtK&> zg4Qpa1b5GPBI}n=EZk2qw4H!r=-liVuM2d&B=+1pBLuGNXSp}B`dFgS+u!E&rllm8+ggvXPc`5Bx<4D4+}JhU9(P|##Er5t};q`*AeNdf`GgaU%qA29QKpKkxy27Gc+ZW@lIkQ`~rEn^fx$tsz2F;?t_D1zZk{dvWTM61wtv&_(Q%6UGHMHJ?a30Q)+jUZfS~ zXf>C_<3lsHQ;eDQ5l$BT4{p5)JCRopqt15zh^OtWA z74_k}b6B+$kv?P(Csn z?i%P4FW0PhCkyzJ3m)z~%mJ{bM3^4Tg16oeU;W|#cKxT+8HH6gKG${WJgA8EK#a<6oL$_|ZF-*5_i zkL7oD6iP`Xi$j`fXGB7+1gP9ow(P?4mgbH7nDXS6}N6dIu{wL=qk7scR3ytn{9)(fSBd z&!6H+H$Y!?CQ`SLI>1C`vw~uaF7n&oK0Ih`g0iAkOoh``Aon6!Y0xQE@aZ_$MMj~5 z`5ihp2>6xp)`xGOPn#Rsz~(wsKMuQpp@X7q+jp9RCxAs=P&pHwfCA5GvR`AzAWXxS z<2?ftqz&;Wk3BafM9vJgeqKr zZy3irBm~DAIo^3+=YbKi0ut5lf)HGlYmxf+6kMg)k`C=S31M10nf}ryc;EMC*J8;3 zINPA`2-2C)&$MA?$;PeGLKn)|uWdf3HiS1*f$0 zw(K=3$l*e%tR|H>SbBZk$-8t4q^g1*KXem=AHz*+#q4TGFlLWe^tv7DNIZR!LP-aX ze-ge*an}(UsvUWoDvNPeLlepDa`oWJhL8YPxjyXb&9sCDs)L$bLHZF)hb^dS8NgXJExpH0+R)f6mvC?>cZ=}`WdCgQT41IeoaQJtG7Ghma$6Zs|v zN#tDWD`BEI-meUf_bY+p{Yv9_ztT9~uOyE5YmNNJxhosC3gE&yJ37Lx45)C{tbR0I zhuCt8$;or85MkAK{qUu1_^57Gnn{}vX=@%MjbBWl-O_x9e^>)Ji9ACOv$>;kC$byA zNo-M}R{xgv5cXagbUHF@+X(Re|BG)wr4h|Rskz34exABvVby7b5>_1T*t;GnAE*e9 z(~idS4JcioeEKedB-LtnU+$VgXZ-Etmx~U_t3mdSxq>VFTv=5ZcXdV1X6m>0zAB-l zvCovBmYhNKq-}NdaWR;hI?Gz~l?gloT7Hzt=%DN;?4!!AeBkws+IC7q1r_kEUXK_? zD3ye9{(G%G-hNmvXM?vDrOH5`cKVpAF|KD)7_AH0u(X~5R>&g6MS_xj<+xB6rl3cOP65tRx%R9%?v4cbD9A2d zvO;%SwEUm;T0&Z8*GCdld-U?dkx&Xzad6mNq<*d<39SyrOga9N$kY17@|6135zP;V zvHZi9pt`Qtk}{-$gd!Ns2{BImc7Bqjz;Si-RR4!tIpHak{D+8OjaLOqs!Tk$H#Kqm zA9mQ5QG8jNs*C!g9(Lywal#rUZQPa(8~D9^n|L!=6k_)4pH~dC!3*~-h3c#IaH3+u zWc+p|n9vfYA15?{63b+pi#ZK2m0LO!tXd7X+8y#pj*Oy2dAXpHWG7G=wYDhMumKg* z0UJujROD(le**oshXnqJh08P8yUNP8}LDMW{HTqgBY~)^xR2lNPwO|!cv>6XoyN!kEIJwM%qNRN19?2 zfrtDyjn$19kh@IYU|Lv!{;iMYD*w;=^tkm^aqFMJtA2gXIXr&WOtcba1;Q0a5-!Y|!kB=sfW@IO^nQA%S?-<{eACI#=yo!Pkl*!$ z9Q;;Tu2Evd41o>&B{nO}!+3qw+1vIn-S zNuBf&4q!dUIeB5k8f5%Vc$)l;L(3t-WAW!P-^tk=#evX5nB**?Nt6u*5jP=sYL9Zr z=Ic;gsw;xvsmhA*zFy?hCOWV6WDNQ;{dTo)j-$w29Xdi+Ow{umkU+u}iAvw&-SC zbrN&DGv53weD!ts*5jMkthi3~bBCiI3QLZy9$Zg_{9Y+KN~%V*%Xap_(Cav~@q><&SG@qw=A(3KSdqNxb4ttl@ zX7K-eqyq2r2j4t6>5mMT++w`oUFR%a{X`UctzJDDv3MHYo{nVwG+Y2d&y`be^{5~X zhX-}kMM>!2yp9v+uV=^k>p5}$dKR3&UKZ!CXM+TZ4yNe{6EJDHJ11Lj0{7myT*88F zk#EK8vWQVPlz2h8L}Ah#_-842Jy?z5=g~qbB?4DuGn`ek<6;OMLb12jwanmAIZI%= zi6u-g7#W&3m;zhSOn|g3#yMXz*VI<=hJeHfKYQ6Ah+~))i`yxIL;4>1T}o$>)J)Rs zagj7odPLz}|F;V7`ysyfNx7l>gOa3HU}nV}JfWU~nbG%tB=81-ovWhe@QpZBT_e_Q(9Q(g{#zS%I4j@6?} zlg7d;JL#AoM7>$^WH#u(lDNxwu^FA=RwN*Ci$P5RVw*YdGJyJL%v#h)CM4XneVNym z0#l+3It0Iyq4ud{;v+_1XfU*{|MMvWy)Jj|=$zDm z7|WN9O*$%=KKerIcSo%6B7fGd`c?~uTgGj2Qr(a@=lSPLUsWMf@l3&oTr8KQs=Db( zq$m2@@6y~Et^&GkqQWPfmEmD~v_gE3CQRP#Iq$Dv30gW6J3<0x@ZANj>vKk<*K}!> zLf)p(Ao%wp=X+Dw{i(r8lV^#y->@yi53X*QfUDuv;;#j*hAxLJw+0~J_75~=C>aF){$!e-E(1c5R_UMd)o7~Cj(0Dm0dX_gY~|jm zfbTjw2At+aV18P{M(C_M;+6bzGmG9Gn8Fg+UFsyzMGB4H9n(l8s6d;_>go;rUh2mg zCr*RpK?a`uFXq7NdVDEq8q=lE3S4UJH$~>fzh6;5^FXb0+3ANaS%Lp-q}7?-lMrhn z7q;V=2fl+}$VQh-VD$BtP~h(isAr>yhjFg~t-Cm^-r+2VJN2*L9U(f0z2{mJ&h$#d z!I=#iKN>Mm)w=7x7RHT|#nkJAUUQ;Onfauz0TS>~V5W3qQWJR(QWd|(xDtcfm2cEf zhJdP&Nhg<|4jL0+zjPAI_v`aeVoHp00fOc1#??waG^a78#gLu@3HB*@1NM>V@L#ew z3<=d}K>MVo`s*AxBr!!}OBRHVg^8y`Y-T~xeJ8O?=YxPwVL(Qh+!Hj9*o*vHOGTOy zo|zxY{a~ca=I|_m6;vm#`ZP&dtQzKZUQKsChIML%HxmE`3kG z;AIKaH!V`xaum~TUA?+}ID-dB2$hr!lB7_gO59-i1upp2cny)g%Z5fqVRO2Ga@6F+ zw~`T@1+F@&pTzyL;FX}!xXEZKmV=Qx8uB|GmnW--%agUn<;fc1@?>>zd9v2HJXsB> zGPv|^QL_^Mln)9l2s9%Gws}#OV^tuQs4PgDQw}E$PcPAlwIEM6UT%;7t6L*DNSRVZ z34;@#wpW!;plHePp+ItK$oy1MMcGRZ4wsrusXLgFdB??{VJ8p6twbY6uYg8Pll)QF*<31bO9VXMf z+#(DG#nN-rvK=Cni7m$1E@%y`A@7-D%WKTD^3y(j0_uUx^NiGzate{uSp! zSM-|7E{AK)0$Q&>bLqa953a}9*baRuM}r5YT!~Baz%G#Cn6*nDgjX6RS}a$g4^uaz z(ZO?g|GhIfGFCZ-}cJH zdE7jK7XIL;>M8 z4`*kBvG?((M}PR{Bh_mMs0;-PK~PQQ2J_`GC{Nw(_pgcs{dBRh+hsZE35SrrvEN5Adq zJdFle7}k$r`30xv82w~uY0!z9@QzVoPGs!J7XG65DAN0}aV<8P7jBvHRy|#0LH)CJ zil4K%VYbEBN$yNIj7Dj{VO$SFca;x0s6SKz`^z^SqE>BTYP`BTzSkGEEFG{8v~z^J zHDAnhLu{b^#hY`VY_*^v#KY}dy)|69$>3oOwy>+MfB(WSYmoltcksYiBub$_SG`G9 z1d2ok4Kqbm=>5tGt%tLDpz=Op-)_4Ah`aTaDl)J@o(pt2;r_WG$`LIB&qZRq_O>op)yfN^j0Ikqb%z;*rqF zGb5%DkWDl0(q)2@Xv;nu%<>@D`?_9_=#4@1B)RBjf(82W^3bp*p)pQB|KIb?|M{ae zaQ=Z|{Yzgd=mqxElV$sWpq1)Xs0qL3z9 z*ZFXwNKy*=9{k=c>%l*d8(;tazxP>b9G{IE$7iF(@!2SGe72)FJ{uJ%%TFF0+IB&@ zi;~IjTJvFpiuR+3c{%E%t6$Es@_{Ilu7~#87Zx;juoZe_jtYJbBp}UWOGeF%h`q&VN?i`7eMw|JiZpKQr$97s8$Y zCm>kRuKir15~zAk5ypI$1?jSQ{$*Zgl=%1JWYRksxGZpZ&9GSkViMf;Y-MC&jec@T zugw}#SPZKj>YUJxl&2Y_hK@iq{jslP))bMj8?nsqIUtd~Yln%7ETJ>GQf%_7Kceej zv^b<^24oLoZT-a^AgHi&>mZ{8I=i#Mp?%sCdJ>2TCJ$IZeEd)-$$$YQJaqrPbygEa zd5OvBu9$)kd;U(0+)>n&J9d}#h!OG`00V|6vPg7U`*fmc2%`9Y#HQ%54San%vl;Ou z5RHi__kKR*0&mMK#fi0T;d15KpQ|-au=$}y?_-P~GVr@H{RuImklzNssUsr6O^1Q- z8i_e56}HT9me|2zn-|`^pMwzl!)*vG zOl*fcWzaw^QJ#E76l{O6zedgG0#)`Gesz92gRW9Ln68(&0*_hY2mVPfxb}_0U2r`X zy=MHV*8b!S@LeydyhP!LteLL^|A-bSrO;B}i?c#(UjBCCy=xaZwtz1edUHH^O076=#{qLS+K5g`OY!}rr%AbPc0bCfyTsV zD|||7C`l!5wdlJ!`pR?NhqmrCOgbLaknWQ~IilCS6kb`Op19k-dV#KZ^Xu@vude-` zvsa&ShIQV`H_y`5vO=p zJ0$djm|(mRyKi08HQP_phV%nW^gi;2=+(^Ehi3JA%JRPtg&&U5g3A|3&V+9%!_}+0 zFRn>zf;YAC&lEXJv@xdqd{0XSv?IiF7A~5g*MbEFE{Zykl6X@B5o^OI_1Tfl3)-;J zI?cpJrv*@sogXD%s z+>?+_c4l`$vkn+pNi0NSbD3u^$rR81ID$qhQ!1!xY>{$fEL*#aHBiBokhK_VIBoKr zkVC-&iQlqbh7L}|=j3_jUQ#f)%H(c%LKaC&2}RVvH#2bch8Fsr*k(n^s)C3$_#CBT)qv50UHdkX zJP`1jsOF?9!>f8efy(jva9pHxi5^+!N|C%UuieGzB@v_O}b{avZw>w`?iyUU+V z41pl#=2WtX6H<@}AN)M233ZM0YN3l|@P#!$zRDQP%p*xNAkG-NE_E5DdYMhSzLdljq8uF{AMe;RlZCcI6(AvvmLt+CG^O? zub8xgbi?J;dlA+^rrx{sXUYO#m)}^4B^G_7^!FNZiGrI84+{?(IzYxf-o&KO>QMMo zW%-0kBs}G`+Iy~H5Aky%H9RZ%sOj?Q&7j5^^rx|+vSex$=^s!rU@s3qubM!g;Zb1z>50UPfK+%tUh;Qp(-fNN?Y!|m8bzF2&?W}p_AvV|C;ky!>@N7O&<##pu(HtOFxwZ%odgZ=$^pN`DvYP zd4X_*Z$4vJeRT&n$1r;LSLLryOC;hKZHYeiy&e5!?cE*DxCFmqBiX~h z+M#6W$Ex{yJQ7)*^Br1sMhZQ`=mA+8kXbs=)nh#6>Pxmf%#{{s^AXpdkxe}$U@UBs zh0P1JHu-jL$|NBMGIuLNk{~edc3Qk`k^~{u-Jh4j^AMHW6YC1OGthTMRCg}Y684G7 zyY(>r_sy=f+Uke25TAAJQ_^i`RLyW?*PHIcNX|R+#r*+Gyz?UQ^>>6ba}v!Sh(%uH z2c0G!M1qCLS)!5kbVyhnINm7ZjO~DX0C&gHkog$EiD+aE(Fk@~?_6v3utt}^x|}X z-bKg3_x=V?BBpr6O|ek<-8%u)KnJKU2?H8lepjHa00TsMWWHjUPs4?lJ0(pL%y~v5 zcUUE%o0R73%(OVrkTLM`6WO8Ov2zT*9B0w@n27t=yhFg8p_S&Gr6-6L7}Dhy$D&C8 zAJ%m=XP^y6vgdds!72~jKVJ((*~PC@&r~_VIIGjT&#)I-ujcl%dJ_U9WnLG(qm1C< z#a=V-L3>0PNr`GYWZ;V7Tv|T09z3V-Ds2#Rh8}Of3z~}&aJ6ydi&wHY`sL9OGi@1# z=6=~re3TS}VjiOV#ATK+OGBk|CV~a+ZCM^$2)726I{Kb&dlmHb<@6Alwi{X=sQpZ$ z%nFXxmfK!*N-)PKDM(;!iu6N2(01u)0>hkZ$&!*PJXrkmNV!c9_5NUvwtwIY`yrAX zyl(x7k&u={S-cba8+Y8L$=cxIsr~QA&3aMv_(`=nhAzDG+H%=g8_v}zz$cz`0b;=d^eSlUC`HC3y18WYmr4VPLLE$TF_H; zeDz0vL@F4@59ngK+>R9=#SbCZ4<}^m({1t2yWe@jArmufh+4fY;Ay`R()-9_x%=E0 z_*~z7IM!tXi<_?!U;ORYXn`;#COwaqi`Cfp8snz&o zo>rpT=J{o|bE!~cRbhQqwiM{!B}V*ssEsr;DOC>r)`J6?RCyGnNk}y}(MI^D24sKt zuOT>P2S2`dJ-Nsf0%kuqd+P&>5y|sL>tCyl5GBpLel+va%OH z%jXP+RIS_Am+sqvwF&+Cl)I7W*67aKIqd!DeDzibi>@=se39O5D2s&i7ODomhb@4? zPmr@g^bUF*?dR=F&@A7_l~SS#5T%Wt-1xH_x`lj-qpDv zaj$m#O=2N*cbL7|@hCuB*OZrr9;u+8qb7Y$4|Cuy=ST6&QVdw%a-FJJni>`Jyz#u# z%#7kD=Unc~AH(wPyVA$HC=ne+^z9m6I=tt55|u^wbBj;GT#c*c7$fG_3+7}Vm()ko zK*e2h;Ur|l9^U^g{&!?dx{uvfj2|3rr~TCCRgq`1=4Amg2lPR>ZT?56HC#J%@6O3} zbGTV2w=>M{h>AH$m3z%hfrMpx-}8PVn4)c>R~G}o<+2$ybyqAZSq|T`SWKgv@Ty zkl1GfzPu4R+wTh|M27H`yn0 zfQ(A;&D&pGa7+5rbBYxXxDxI2D>G071vx(V$qMBFs`FRcq|bALL8}cVcQ7Y({u=z= zv#E==JYtwj!_2`$@~iw3qZ`WZ{Y4RpaamXPGKQWcX`}curjPfUF})R@`zhllK4|FW z28q0CZ@<-Qpl`;KEGgVU@S`r{sK1~M^m8zZAZkAJPJVy=J4GZiQ+qix7_v2fqUL)`m)BH?eEkLcmXD+_eYXE%tCut;0%WOUV$S;AJbf{Sc zWi>@Qy47odYL@zn`GXLcdl9QK-em^^1gBc8Yywf(v05r0^&k*8*0IT5OF<1Dt($8i z>4;U*=lHBsDOwjZPl}K&1fB7-9%C=7ar|lm=n;76?`B2-*Afq{D6;Y(-tBp@<-Fe` zhHIuFT9yZZ^1O;rLdV_+zIgu!sF=NZZU|2lEb^q7U-Dm@1O~OG4MTP z?)2729A145OZPu3jyF#m-}eQ4^=w5mSG8P4*r3_4^27H#N0DP{dG<%o6R;Q*tWyeu zjlS?+(FHLme|ej%bxjJJOPl(3hUh>XS%;LyLrZkxQ+wMxDsw2wdnmi9u8V3;tp9QQ zbQ16V{F|?yfF&YZ`8U0)XuouOzqyninwf5NKgeW&_L+m;M~x*Q%lT@Pdk;0|KIBI{r5SR;<`XwhTTJq7OwI4(18^N(ahWPa_ArwgQFxZRAw@G zR`nf&vbgUZzp9P`zV-O-hxSqLlXL5iz?x9w&{}K`@y|{P!{W;hq zw`vIqiW;)-Cq3X72pQ^V)Pi`$tojtD*I`fLVYIw`7Cu+lIE7SRh5%cUxEPZZFi}oc zDvGXv8%w2inv_@3iKfU=L9-s<%(+^2g8Kqo9(|-c{cZroRBlubp6Q1C0CnT9wi$r$ z{9h!fg~VAm0$nbRVQVJKgr{G~%JaqZVWumIHHQlLko?wC) zZu8ndK|H`Y^+TU)NCZ`F1-MN8WrY{=gCvK-*dv?tPKc@8|wE0dWf0+hM5dF<3XxD`()0(UR z2OG$vvyf=_!E`hCm(R1F#JJ<{jtwX2^`dv3kuoop+Ceuva5SgoI^@m%m^FMf2JV#> zU#rfwqg7kI-GIQiBKtNJqIa29G`cNDuQnT|J~ z0pIfk-}4jS_ceU$@zww1o2MfpV@&*}gbm`~x$(NTu);)rKVu!yanLY6C#0#Tg1*Iz zeW4X+!sg$79*TOjc=Nvg-S?z%`MEl{{9IXFey$WQKUWu*pDPYcKWt+#O&-isNZpuQ z)R+|B*{j7 z`(DrY)m)H~Ou&ruLJ7*L8Y}tqAsQw3*$1Sr6~MlFYHfjvJ7kMZ860Xj4&=8eKWFbb z!NF6L1z+XriwWYO-d&?)m2ZyHw%`dbBrh9b4=bZ(H>z)>5dM# zDQJqsj@(_0N{H_Hz}G9*NTqWJFxP+sF0XI8nZ=Nsf2F0Qz`WRQf&Q1a2!fd8SAX*i6csyH&=H z_xiIVGR`X*o-t()+ zFV7m<&1s;rm};fEWoe*ctthD2#(Z*&6v;aM`WUIKwK0BB7A})q{qciW3LLlgSfyCx z!7X5jAqevW%vHLM%qFTpYZqDAgrppFJiTso-9rL`JX%|uu({2@^(}DgYvI<{#jS6T zTVDsaz9!ID$oeQc2!MNI=7E@WQIsYqvi{MP7Yt{b8K@}uvHYf<;%5r7=%a)b9WYPeq-?NLwK1dvbmgmS1R|kU=Mm zai%W5N{I+qF$R;yXE)S4jiKe;uziGt3G6l-U6f$ff{wLmp{;OtL{3N}+})A_mI{7r z!Blk^r{}h{U2YoK#f|g(Y~_P#_g(4y{IhU5;GV|R_blYg68HBWS0M^=IJgi{UXQ{K zIPIR|iiV)fueWE6NWf&e9fHL-OAx@XmR**o?o z+P`WV>a072sKa8*Ue)x&{YF8xYsc=xwYnJVsVsjq_FjpF&pilb%gSIuc1Pii`2G7# z5%CzOkNkCIq!Zj@vMQysG)80xKQUK*^aZ|#+xEwvoJBQrPXi8Pb7Yl|vplbe3!$ei zOr+s$77A<+_L#kX7HC%wi!Q{!KHb->ad2BIpRT9GJNZo1J<$?W+Zpw2fEN9XE zn9IUpIfz-cTMCVk1$_C{ay`|l6BVPV?tMs`*<>-)CK+>AHg>??vj(jY*NdntrmvsP za}2&cFZvSSK7{xD2VXu+TgvsE{?FXFycj`TUJL^+FNP797jqPs7efoKp=8QqCj?;= zBI*{t>H$N1;fpRF6GZ>>^>xQPhVaAlQZKV16Fk51_{p&@Q-p8+2)_68eW{B|-HI0I zG{=%uo}4I@%n9B7kR}SHg1@gS3Q5BC{=8Fr3}SFtC1gw1MG|lQ6~5n3P)zhQ!YL&< z*RZ5K`qCA7Y}L~!XQ=_nrG+Au$Fh+6Ye9=fSpu#t_`Wa~lE>Q*TX3=9=}eCp@>DTf zF_&+F6V2@8xgT25(OCig@!~#ogEETnKwv9;J+?2L+13diK`k{BnrD%Jf4ip|aXzTT zn@bNyIKzmP)mp?rJvv6wP)Mbh1-kCE(>aWot}biu?ZDGA`2CWULS3#Gn4_6!DN+U? zzhdBz%UT8My^gBAD@TEB|3Z<9^?elIdQie2%+U8aUUA0HA}A%|XdG{-87fa9m8nXx zfP5lpb6p-I5au_3&d{WRcfR4(A`z2VDG69zW}!ITDh}5IzmERVl?0VXkvIHzMB&#B zvDTcwCg{nR$!{7gOnCe2@tx;{2Fd+am?ejv=TEjAnhry$ z&VCGYCx^7kEm^De69`|wvo%NIKz(sIY_7Q7QXvlpqW4J$SRNK3=DNsXuX&g(I{Y+SAJN1d>dhgsLcxmpb>fbu(6&7I%$JJ|BnlU5W}*$@ zS&;3tR;eCPuJuHox={k_o%&B3Y0m-s?H5XO#Z4&oZo%B7Nj>uMD?Z#~SOmK_z4P8| zR^z^BF<>^aml(dGiB^K=>M5{!p2I{(f{CF7{Jb$9my_-W?mbi3%S;HMwvbBDo+bdxNMCxC%*s8EEFghj9UJ0)8@}813UOjm3EPkZWOo zNdz%Ry773m6T`QKn2rzoWRMjqT3@3=0vuHPvBkO!Kq5)g-k-q$M|*c~y!fqzj@WuW zm5Zcg(UQ&oDr{ebwscjK$i|5wkB)AMuS^!%DQJwFpp&(DR^^Rwaf z$^Sk7mu#YzQ9#`Vsw0eRp6S@a^`xfKh*2MO{i^@obJsvqR%Oo(6CDuKQN8uQQ1EC`MfU= zF;Y$o!v+S(F6mVf-KZj%D2Nv}+Q~uF&Tuoq2VEpEvi&Lhv=rVv9DMUQ@U34cyDi+4 z9RaIaE`&j?!C<_=$7$sh1`h-SrR&&Y;Fa`HbYEr`Qs5?yHpcQlBTg=b#t`blu1c9* z#~BrvyqEaV{<%9GO zo0720c>woarQ_Z$rV#BuPF8o`3o!(hj!4It<9+@F2ZsiU+);oBL;Sh@DLjZh>`5X? zxFI@lmPul7Tn2tH@_sUO;6OpOUbc=e<)H72kbVxvCG5s@1sA?~!bbl_#}%efB$P(U zHBK7}@^?lKCTzr@%Ej}g;hXMY;`>#Az)udb-0{93gYhR@Pn&1n*%E+m!w6QA9Z8ft zWql>}$VssN-S+Kf5g%~hxgC9gv_o%3FI{k- zHUOa*i_4+?MzA?Zx%07D9bo|ie>*vaq2#2o0;?j%y}vZ1dE}!C+E2H%54bt14)VzVqCU1 zX!Anb%384zT#9?-$+xHrOlLbADRePjEh9Kp&!%Jde9jB!__Cl$g6{MgieymjZzuaa zQUqBa9Er6g>%cL-^`YXU9)$0_sPBYkn)7={_^`L(U}g~q4~<#P2cIN?sFj@%RZR+v zuvQ12c@qzJ&YOC&yskkOgtBW6`LVDPnPxnCG#C!3PKu@bqyw{f0`V_LOPI3PVBda# z<-Zp*(=lQ>^T#fU9C~*@3mjJ>&gF7P18L^1cL6gVwNR>Y|B zcdOi)6%ry_H~A)IbGkYn-~PZXu1#UoFNx`y~UH*16@K?X-}^?H1z(Y8RjluE}b< z8-NH{$SCFh`odU`hc?9zBgjv*R?up90S19{&!i3pqJO+Qbwqxph|_8tdoO%|*{!VA z(e_sc|HlntAmi@Et89to(>!1eJ5C{i;}!gOo+c!>8JK^G;tq9oBp;CJc)u{?o$YBCt&@amF#<48a5Y zHa|%LpqPsn&D|4$&d*GD9FJgJ_h|CSs2d%h*>&Y~L_ z6!ZzMo7ki8dQ1lqGxm2hNS`cm%ml5?-yN9ApPYXsX|D?X!{tp=GTDPQ})6I9xLYT4WGt@L30~eAKcf^Wp??T{o@Ynmk}I%gj$&$qA4D zY%8y4YJwMN8vuK<=^KvM=1AvT`j^5nOkdNY_}ie> z5Sa>*_UefSz)aWMZv@=|Aiq%cEKD>JPAu)u5nd@ki6w!FY0?ppbW4wqal#vUCx^$p z@UjEWkDnu~R(xT}VEpB%tq(eFNopcW6@)tTvdiCUV{^z2YprjKwO~g|Nukw|jW+H3 z(`MeqgM}%j*qM%W0FmOR$#tINa5plw_0~QQ1cj0OT$o}9xsV3h zokd0{U6hhe_tiqv8aGxmBh1l0Gj-l2W>;|k<2jj9CkvkDtB!$FNzg(loNm?`0&*r9 zdOxgkk;3i2B1DQJsDDZ~%40wT)E3eyvi?ZH!qp=d)x6T+6fWQG79b9d0zBO@u_h>R z=@^$(elV(y_~OjS>I&^2bK(pz-RG-Px_Bd7XLLPIzxH;xD^N9QD%y(#qksA1|2-cZ z-+W1Y>kqH(B_vskf{MzYg1lH7^hGm=uS;AOo6~dm!(VZv>ZzE0fl(XscO7FnjU*7h z^Q+ET-<{QTf5btfL=;YM0uT1u5{VvK!LS+sgon8+>SL#loEtR*{iV>c&?g??Gp&|Y z)o~5w+M3ET+E#;H!B#>`X*EoS)z2&a=|X8q&uR$5>R{WWQ!b&P8*hCDzUSM&dM?P` z+!cD}#17}IZ_F61Yaq@jEw4>XceHe?E{u?o6BZWiIBu`9;r8?2^LGE=_Cti*4*_mJ z+_?ShkNn#YA#OkWBlxZ#ESu@uS)~f^e;zAavzA9cd2edn-9}L9%HRIB9D%2dsw&5A zLqrt#;IVR{3XJfIJfgeih1drvBDcBCfU2IfY?aa;BIG5W=rv>c>whB`%^p}n&Ed3P zP=+}|BFGx9aa*Ud+kK~DrjefKzht~d;HgkLGR#Q%R`(9-}%6?^ZETDMylvM zsV_%)rzG07B(a#&F@p*AinGQ+YOqs6Bqm5CiC!2`UYwKFLiqB0UQXwp;a7v21d3p? z%O1#cw)4lh0>(AZ%`J7jsS3B7!Xrxyd7#uljMgcd3qJ35oxgmO3za6+UX#Bfi0TH) z(#emCp#mAkUnNRn@aDkTPvT56Nc+l$t5xp-V4zSERlxdkb*Uptn@!mLAhm)gkLnQk z&0BmC9+!q~r4v>rJ#s+K!fDxLnTpCX-uW`y1%j3BDEH}WzF0nAI^oD^H$=aoEc57# zKi>1z=@??^d@P^mqTc$9_Gf1hVPT*D#+43tjP=5XY?GnuOzdOpu3|LUvT0p${4C!5 zr4RL<#0HDukiBGNeOfIUO+Wb*ZTdV4UQKKj+0(e8m(fh_-vlDiiO}l3Ejuh%E6949 zZiNLz-O?!wmsHVJU(>Xl$gz%on!jUJ4hpKkop&taP^Z|xCjH36}-rbeWild0_Ous{~U++F2XmSX)wW$xiWPZ`r~-N7nCl^>s1>0 z!-&9qD@$Dfun8zz9D8PtG}wC&R%89lGy0|^&$nKXQg`}sMtmBI+!~Ay+KC0FpXISs zU)-S6kE^izVKH(Jj2~N82!UW*iWW7C2q3P|*#C6a5B`j7@MZ97q6;zFW?LRMkUK3o zmrSFNLBoI531QrU1aU4^%?fh}ouoN+mxCV+*mRKRD`{Y5>|IFTW=79G@Y0uf8=~~> zaP`eP39!3VD;~4u_a+CN=$e%|P=PfbT%T{74|++ccfTT?HnP&XYe2xxsa`W@2 z`WONi*l)Bx*L6m=3L-NiKcgY%M72uzHBa(}o_1E*Jg=S$&mC{T4UqFYZzyIFRH7i0Z!{oQ}ptF(NE~VJO;)}QuXqnkYsDqoeP(f6}D7g6GzZ zz^qFMBJB8X&5?EnGPF1Dmr788V#6@sDFtu5=O@X}`ahSywuM9HMY%~ju4pJOP|VPk z2i3mkGp-{(4Fs&m-_bt9=JRZyigRjx(HSe@lcTCwPQt~YqSt8xaBD3hs*ukVIngKc zX}R&j;_>n5A^{-~h~G}NV&a1foKA5~3v?ipuG8p2aTM-x8^p+!vx75#hEYoi4J5vQ zWD;pX3qh0>9ZBR0=!5|s8#AWI7{2a)CM_%q3C6u_N_mF)Afo2|@^w?tx8=!i*A6c6ZzurQBMV1=jOIho`94iU-z!jYyM-^RHVhFqd|&XrQ;58pA5_*e zmZE?9RUVw)l^dsb#q?bNqj%-P>0NnndRI=Eg`c+#%L~%f7D%CAW&*a-RyrfbR1rUwSVhE#1F2hwo^?6{hJA>%)pL^{niy z7G(fDqN>L9>$ri)qR6`7qctK^HmKx#8j9xSrq{CKY{101$V|) zFh8--hfdh?PpC>o54Sqy9nQs}4}9u94FZ`+HKwg+b~F~w8~t4TMDB@tmnmpj&$+?5 z-6U0F-$W>C5HF4I^*~idI-AEzE<*nivZ(P-QAq8~``-FV7r1;!?vsG5FS?<4$EsM= z7u@ap3Tdr4|m^3pgL7=dUe7=klBBYx=Y`q~5(WVn}hG!Ax zoP~D5Bvc2D*oDM=@)L*CId-e?MH=3#lg?###bW$>npui90ibS`MXk~5gfhH8Ti%v~fJ-Po!v?5N8^7Mzt2FojQuBNU{(y&Z&evPAt2+6KKa9ZWLPF%Y z%zQNjpjh9HvuYk1SqKM& zwT@bY`M|3x+jI+)J7@4iu1DAX;ABdS{#LmsFu&@KJ!Y7TM)J884@5oTRQl%Sq>DcA zC6q@YR>BdS2*1}n$F#!|Ce3C^f1X!I?(92s&oQ1GUjEVv_ds)~RleiY z(r1a*bk=PJ+2`+a&~w|=pR|G_gvZ4LzFLFAk|OypPA2dPPhY-iV~+47?m0ZmW=DoU zA25xMDWPUG=sv|GgxOzzKR=FmU?%iIlP0SW%3uoKNC3?EaOC+@Nj7xU3d)0rH*wtR z9zW{7?wY2$Aq^vI#L+XGYG}E-xTN$kCwlNYtM^s1I7CXyyf3$lKo1r~j9(o|f%0)* z8Udz8v_UXSA9o`Pz2l)NlQ@4Bq|3<0UB48=t(N&q{SiTE!JnjVvMdD|hLjNCWg9c92CE%QA%cT>@O)q|R_geieVLORqVB^9SJrr+@{^XCe zzid_n1H%U|&h|AcNIRdqsxO7Wg1u^b_I($k&f0z-cC`wn?y1%Zb*G@$0&xoVi7A+T zdOhM<@5c1G=#vQ&ivd?Y!2jv%Ya+}A-dq(&+%N4b2up-foX+p?NPbNaHZNMX9TP} zkAHLnw?YbNh10VA`fLi$YTJH923<%ZN%x^?N)`MiY}6usQUiZ0S?q}(6`~cQKU~d& z#qhJQw?s7|63wvKniZ^hKn5v&0tIU%Xs9VqpO=>h{jd6=$*nPv$jHsXNt%vu{eH)l zcfG;zd3tdm0j5JArErn^f_3xv-)4P@$osONr%+Y|ifG=rnRL@0l@o?%RuDx%6!Q_n zWf{zV!l}?^w`d#m@y%R5IUdFv_<-Q-ZAwm5c0KUK%Vl+V{86L$HnA3R*x6tXFt0%L zi^hS~uQ2>i9^OD7|LYL+M8YjV`WmdRc%SB7ONG*v#6Gp1CNy)g=*ED6F`Q+KxE-Xa z4LnDa0)JS!fJXwG$rl<%P}=QzJd8u%zA-PCE%hU# z6uwhm7A}KWTH{{&*D9E=ey8tknhQ)ut0taVb=ZClh8LUuUFtB33Cq`F#qzZnv3xBS zEMM#V|K|1oo!^CPo)A|)Hm>&{VVOKRn2TPGwfg|u7_-_=b|QK%o1dD7@i3-u z{TgA^h=Nu}an(E-7i8U7l^mrQ49Qv4`AW=z5dQ4$mDb=CboLL!T`MnZ!0Wm<{az*l zCWfR4q<=-Dmo`fdN6iudIi=TDyZ9mdhI95qQgP@N&7nAxryCO2vfR6d`K~63f4!|gucphUIP)9x zG|Cd5TyjNCK`|{qxNK2#Q`v{}Qbu5XiX$gM+5pyU{DkUxZJ?rQRIIfY!#%iA$u6Pp z2#zmzbS@@Xf!{7(De0y!YPfI4a`u7)=zi(POL4b>o|?%;i#%_{TM&75wUPjEo95K#b zI?CA8h%^J<*q%eP6w!TzMyV*XMc;QBp_AKBjXLofsumMY&|M(*Ghg#TAL zAsYSUqt&v~xqv<DJo|gzBfk`iPTyVSJjZx^cAbbB@LA3Ffn#A$QFKiYQ&&;12|~l zeM7_{47}|vf~5+1h=#aA)AVIAL>4dAgqIeg?v1C0L4UK*a^qp-YXo`urC8# z{h{qC)X@ti0+6tDbY@PQ6XNK_XZKzT!HHHyXgeYd&7Pbm*lhUVeHG!YQaKZ}_K<!)*|A=b0<0t@{qkcQwHI3-_Rrq-$05h+>TXNc>FMx@?$q=zcf229lR^7mBXw0^A9l#?b%zJBMl>tc&O z70dOup3#MJ{F^oL&PKr5Q0?oRYK<5P)Fx&u&%#{)mrrl~MUmE7t8U8u_X^K5)qhNm z(t(!y>cOvDM(B#^g6G#zW(W+(ROs(Bgp&2Ox2o*ski<8=P1>siQ|?(W%lI9U!FT1x zhYl9#z=3Od*uxNFCK-?S2dM+D`|Y^qJ#amL2{AoPiCHiPkq~A186tHsX^kov#_(wZ z=BJu^Nqtbn_s?uHeL8R|>>$PE=NU9RtgHK+Q4-Xtg(zRk^22)euO|DqVu)|a;ISmD z4ys8%A|#h03=$EiBIHhsfJ3XJ zQKXB?C#VM28jK-k=}6Y+b16tNsO!rD=6TL|p{J)o?+j1yP!D7F)WqMK9C#K@j|+(F|uE2bac?GjV% zi7eX_spLw0AxOWq^C>|*xblQ96AbxWb<1x?nDDJ^ih3P$BXH7~Mkupqbq&Vn2am*}ah|<(VtE(fBbhG} z%Jc=Po6-%(ekCE-%wn$3X8NeYZubo7^*~74_z*24Xbk)}R@*r*nSsvmP5UGbf9!gc zfL)Iwu4y@lg1NO?MgRz=SWO5=m?5X@x2V0Cz& zI9CSL;4hsK)UX88bNP8p=HBpFy?d=ZJ08U{5fBpb$b+6YaSw5AJi2CC|E%#r9?WV{ z*4@^*f_ka>-rdN<_&Uz!c?3R&vBiNNh^iul`#ObPH;%UOn^%p2vcnGxG^Z zAz|$L^WFfE3zuE9eT3nVr54zIy%&x$>j@*ef4D)X$CBRl1WaGkJ+2h)I~k^tJ(9y&YFDw_}Hrj`Ld{d2NYEYg;bU z2O5E7|M6eL=d|JFvGpI$B6O(Zm7=1O3oE2*tZbX=il8ov$#oeyHux4<udKq?NEggn`9grPY1 zCGlhH0|Hv~VAS5bL_3NVnN;>QJd0#T-Y=|vMxD@wp2EVs#IJm)Ia_KYFV+HehjTu; zM;8O{C>_N}Cd1(4=ZU=UWic={ak<=a`Z^LD6=6tD!f?urd&d1Ulfi5+Ql?Qm9cC5R zEUZWTk@MF}J^qT}@OvquviV^d3_2tpzKhdDMUp?%O1{@2##6191eE?zbZC4~=N*RP z2Vy<7a^;hQpa z7*Rz<2EeG?7bc1VFQgGPc$~i|2v$UPJ|x}gg1*$mVMX#$bj_^yxif1gP>|K{{&DGm z+o!?huxS`Ew(Af5z0(GM$HmrTFY-ZzeEtB*t`yQAeV?M5$p;*91LZYj{1CoClijW* zg`S+T(xjK-20G2&(T@TpKzjZD`9H?>XhKG0^euY{yc>yEuofzUx0j2Y--R?Fvi%V6 zoL^UMt4`_7&ri5?D)HIkEX87rcEWL~FHb(C@GcZkkWIurNYaHF?$veIXp^D5?(w zn*&eYS%m+* z$J>+!MC}$wYaV5Q)U&Rwsb7U?>z(uOr1QxjJ)W0)+~FeV=U4p_A5#N{Uqv_{Yq{O{wf$+0lO=E&gbrv7-K5&7$Ri#`Ez zzK%&I?3N;lujf`u9dhAGj&|EMu?p03>?~0RhO2(m?mOw6H z8!cF3c$!zQ)T_XoY_~w*{8dm~Yzf1a$3Q zD5~zm^jjZ4JYq9&34M5nv?VTwLVJlvCgEWM?9~5V?~sp#@fP+!K8%?tV2@qI&JH%1R)HXR%Xu>piDxh zPr(|KSNUsS;pVLjVN0ncq>cJmzqUBmudM_B{Mw>ezqSh`yskV*Qjya(rOQSm}IFFaC(%*e&Ovr!1{S1~FdTvY~wrk%$G z(n`>tivL(eM;TJrJKmLTyCL%Bed2rc@z65YNk(cH0rm>rY4^i@!IgQhiQV}MlJ4AT zT0N5h-IDcezrF@z_vdx6`}wNa{d`UAe!e<(KVK8OpYMz0RaAQ$@hw5-z}bCo*9Zy3 z+^})PB!E=7O?)Z!}QFj#!o@}*`t@}m08i-TfTgsyUB3A z{+|zy3hRTT#QNZw}}fxqqjb>?$b~N(j{+S0JqW2+)+j`Fkyy3+Xk+ zXbeu_0Y`krV9Ycbm`Lmy8`I+huIGKY{(fEgw2pk$xdcjA^TZ})GLiTE`a|l*BoNSU z@g112L^lV+m9*`WU^pWrV|0dMnDWEXt$u=s7++~cJ$cCKKS?OFK|fG|I|r(d(y&|AbfT8{L%TOT=7_!FAmPeN z8jSS&#TVUg!TI@w-lwapx2vGxA^TRhcp(%%($o^`Z9+VU?N$53mr?!SQ9rWwT=V!^6W@Q_PRj;c~{H?qdT-eh62_@ z7b9Vp=lBD~$P1wA8gb1cE*wlf?i9^FGev%j=7Txk0)e@SWIVm`GLm>FHO6uy4o!C3 zoXfr02MaJu#_;uqgZ2#iF=ZA64GvL}^SgGlr zd0&`>7UQA|67R)>e&OF6U%n;5a|+Q%LJDcnDB0XxT;_u+zBY#yjOL&*PIraDT{d*D z_!MJ(E;-!#eu8hYnHqLC1>{sF7{Kr4pD&73TuAIgmb}df z4-g~6nE}$acHqlhYWr5+3V+Z3rumAg=6tAZ6%LcNf-4LTf9HLDVM+@>xBpHWs>#or zH@YK>Fc>UP0TwS1x1Ofi!{pZt7f$1&^&q6~^3mheusIOx?z?{3wt!*VXQI=8tdUj~ zp1@kPJ1jjUcoxX30mA1Gi!^JsVEE&JTF8MWnj&=ks4=Sw{TnKC#)RsCnxo70FnpKd z3mrUSCos7*PN(>fA?kpaRHi7Gj1PMpo|HDL*?O;@*xwJhf>IA*` zEe!@=6~XV6=l1TLKYUWflV)s4L{671>0VoUfT8Jjyppm5($$}ei?@gdo00OWNv>ib zc4NNgY8(n)PMMsA+chY|db-XM#G_A}JN)MLzEHqNy0&2J15^uRb}E?X zAt3tkugK^?^yp~UT;JzF)Z&}roO{g`NCva&$-x2qnO-4?_BOU@dq6fK;y#Gt8}&~EmtAO zlV1fTNIMkzBwB#axaH#WLwl569;L`Zt_qeScr|xV7(y=*(G|)Pd&I)M{zBBt2&qL| zOJBFK1Xovo&$tKbIQLUl`W>H|8Owtf0fX8NPI2fb;Eko-1oP9VXvd)(ZsO_3%x^OD$=j-u# zR8oWCFqh!bd_b(HbHb2Hp`nc5YC5&`fB-#SSGV+s7tt+CjZ+7cbtr z3w1774IAz?!#&=Y?&sb%gL)yUMrvg@vOZK(`o`D{8vfI3&yM9F3-#!uWJMS+NOIy{ zJcc{r!?&w^vmp##v=Y5^e-nltudJQsuxmio`^~Cvx9#C?e38U;&0s`xg3mBhi3I}Z z9oUZhn1dG!aqy;{8NypTcl|558<5oX7T0%%qnEr1bC%@3=#|=QpGO+0P^WMBgl^pj z-0peta76kdnekei1!_`6*wty_ttyGOWblgx>5sx*<D+_e>`0liJ ztT8&GR{0}tQ5$DoP|tHliC$xW2$M9nFyrt6{RD-h@1v7Zk5*P~k$gO8*LgFXG0Z@R zE-Mk+c#)73am8!RnFpdc%H&c@B~Vo9e$o6N0eCCDc))X>3rMCD$l8=8(Uf42(M<++ zocpu?zF%~(eT_hDUqchy*U-lHHMFpO4K3h)HK?OpZ-*uXl4~;uwIMx9pZ?nvGi(}< zZ7AKFR4^E#zoB^z23?YnX&LfjFGLHh z8Z}6$HY`!YV%95_DGeZSj=z;ZtO2xCPGQ@gRw%%l%b3no3y%5cy^hJyz;OHW^{>Wh zqe#+)jbv6u_|9IOSvDpIAAb4$oZ&M?9VJG@zqu4(dxFQL1Fsvb=$k*V2Gk-N+t8HR zONA&;aMdg?tQmq5eVY%z3?gw}4vGi;Z8*RG{GAE2C9&~ECq$-ZOw2W5MQOBY<$)$# z7!E&fqpS~C3QWhMFzY|L1Fz3Qo<1;BCzd~Z-v`B2uL_MHR|Ct7^I5L+ZRqX;bwLxY zn@IPC&ag<1F&fY4n{}4H458yee)z)bpdN5;hw<_S6x%O&zT&DboDm_BU?Q`E!Q*tl zI`29lvUIwd$J_dFc!A>O?a$hvdncp+1Gy%cSea`Tf;IBF+WKpK+8hz+U+`m1(gAT# z^Yx-NBM`seARGSD2;NL*e%hZj0L_i;2E}oV*Qz)CUf@SB*wUiiy70vat`w%5H^#@~ zynp^@`tQS9lL9Es?ybzoNQ1tn7YQOf6{w)|$_LBQt8kq|@VQh{9SSN8-JB~b1Tpn@ z+w_ZRu+?%LksF3UQ#2!^&Y5(y=anc$$K#LM{x+~IPhz|xc9SuOzNtWF6rXfl$Q&)d zI4Q_kqlyMk4y#nxsUtemy8Xuc82_FH!*BLk5p+e|*m6C?6RbBWLdD!mA&zHm(M0D4 zVlmu3MuA@dXIWmj>0F3}Z>H1@m5EhoXMdzy&$txB+lX%hFJJh8FKr}+@g*PdpK)As zjzJ%)_4@`f8%R}G)hgF8`&?vKcfb3%gh1**^?0;hAd;82>WTZEi4LYpcW?CvqgT0A zX}0MJko)w!WPbW{s;|y6@;FvS({Wu2BMs2!p>|d zj*uch#z%498|VENTzOEqUa!b}*T|y|FluZ?di$kxcjR(<=3^X&W z(OxJN0b#~toEf<$U_GTz{Y=yZD0}!1-H-bqTzPB%`a5FS{*ElRzr%&??{H)LJ1p4# z4l9(H>TVzP&I6-^W~EgQ3>Q&3Y;iQGA357<`u#qrgoi@qto6@((D|fm!C!A|V0 zk~dq`n7;5jNq%oNT3@Q{a%8FoDZR?f7!}w=iucC&-Nuw_3 zLfB+4Jgf-J1uYpvN*A(fq}lUrbl;~C=l((+dqj?sq$^50ULN`DoH@9pC|?gzHwUA6 zH93lP3*b6U**&44fC#v6b8nmJAzb^9kw=zFZ7}|y!bztN{R?6+@eBWVOP&gxG@w7# zc2XVKOn>%##qi_IYi4*PUDV+AImw}{&-#$CNfzrLsS2(mqOBVG#%RPz#F&>Y;u)Xv`PPu}~%Zb78=F8kka%v9{y7K44EyY@e?G=7{+9ZE;M|QpRQa%Ip zZh4%_J>`WAR4Lq?(p_LfBxA6q$OEXhg*LdWFQN-8{$Y2|XhVR@Hh)}<1vFNE$z8&5 zK3HEmN?wT6LaPHD5sp9Tfb_uGj(<-M?LH=~znkKUbDj;uLbfGOQ$-bV#siAnys)ws zbhq=C2qgO=q7SFVAtCtOfp8H&yz}<0>=KtnxcW*qM7Tp9Pl>`*N{WR^jx~z&-$U}- zLNGXgIl0tL1mgPBua^JNg{jXC-cM&=2znh+yN{3!8t;ji3SBUMereWRHL!4qB ze+_0YA&X%_Qh6Z(czNfVZXcc`x+A^+w=|ItREF-9-Z12YaDQnXe1iYwKUz(Wa2Eid znKyAhiUn|b&e`fP_pyc&I%}+Dt2dA1d>;4m z`OT{p1#T!m>72tHCbz4tMRrh;Z4OL)SMeU7#Jnd`XDP6}*FmAje`Q|L4gum*<4bpK z-H~$T6MYDeMN02Z@z?g*!e4IAdUHNk(EJ)TH2qZta$ngAO=pF{F591rl0zQo_LqAR z_N7X|=E35AZc_^+2#(_?Ve*}k#_RVo+LWM8G+KvPRSEP*jd$4M4bfhqeKl7YC!E=) zEpyiphHnIvEv;QN9+@g#nS*KG#=EK zqaEgoUWF19Ho8Y3l@7wr>a)qHMU}C2kTf3TR8@~q9!)eH#pKl~U*) z_eO(YW+lFsQ4Dl_=GBa8kAk0E4^Fz7R-ug{p~=vBUo<%BLHfYP4_*^eq#wKsfv4v) zeRE`^kRMM}cU+A>WW;T1{dnb$7%AC`Eb5FQB<4-hY`z>AB<6fPKWB#SlI_>?i(4b7 zRr}+1M-*VbP{&mFzyJ#Av*Si&Rq#(1q_r7fk2jvIig=rL_f1v(<<-z1Gx^T zwW+KGP<))2SzH!`%ULY1PiTold=(@lB9M(wQ$!13Q&;*7( zmKk+al)!Vt;lWme2P~}O`&G_Z1I4xCoL+G~pi7eWA%7N!gr$!R|CucW2loilZG(FB zMeAr|G+`~ogw0-m5mF3pjWg~-gjI-}v3t;O=`zlI-3-5}#0n2*pxR}-(>`v1Hs?2P zROpzYq_>%Bl=?m>fcdNZ&s9%g4Lf`B)+JkHK7J$16T=(gTgu7cc2WlFvsrPCGLkTF zFy2R!ql!eE8k9xbRbg=K@3);>wn+J zy2G4dNcL&Y5)k z!S9!G-lww+QDw;N(w&F^v>m_vV||DPtts!-W>e@P>nrQpe^rQ4jO|PHpZ6Eh+UIx=J8O;L_4h0XVjpYBKOvp?PQe6DvH#lJY;u4Tg0|$$7B;8nxNt4><(pwu$|SByUt(V16T%&a@3U!=C$ z*(xFM1)qEO15p&<_r^E-N|>P)-fJWw#6dvtr+UpLIUU=_|L^{(pC>{>#QP0UJX{lK zj+KISVp9)$Wkv8}KGBmiqKn3+$jH!&94zAT1UoM(!P3*t*6T-|(EiXv#dOTShwDV` z_X}e7V~P7asKyk4Pi(K_@o#x}Zn9i`!2#39{6Fj~`FH-sj?I&BWAh|z*gOdr6rLyLG+GSqsuSm+X}erqoE#LW$uf)3l&yCug2^87l7)x zT7=i*D+pKqRmx}TbMF3;==%KTdXfwH8H$rjvOansxdFf?vU{b zluN~V{AFq&I{sA$CF>OjjHE~bXJgD*hr29@yDjM6$IP2Cn}-hh-8v}v99`{^7(f8^jWiDU{C$ohwqjE2I+~F-}oKSKi&~PmS1FqV#PJioCdkpu|d^q*d!D~zox8mK0 zGpA_a626OMb{G}h4Hu;UKCOycb)3R&w*?`>?!weO9v+-{T>XOVrzjj*3$1^TzpJ46 zJ3{7>IW4@-vA-Vrm=3HD_zGVrQNdUN#d#IMGbsP)rIw0n8aSauynpWjHQcn`s`$Ju zfaNnB#qv4--u=htJc{LW9>wxG@v(ePF7&TI7=Z0-T*US@VzGSi9xb|}x4z|hqi#0nxJcZ-QjZ1L#f7;EtdT=3*>qgcqzYoH zD2m?2tV>OiG1uR;SfP7m!b#lm2s!K#J)}=$LxOqA%c_jlKttUY@nq2$S=R5VH7@!f zV`^TiL5hXD#B=Sc@+V!v_-R3dwx<{z^--7EbaDb6ZO_Z;2g>LXpQOK~u?h@*KR3)Z zEsS1kT&}7d;zGe6m>gq7>4C2HUZ#GVIGiGGd>GZB40ZHnW)^c&=(dN?V}emu^ta&F znC4?K6tOBIJM)nX>4%7Sq)ki0`D0;%%`aamGr#vKo4zs*0Rb6%YaEyh4gZq zEU1VI2;3-;gY2Q19(4&=)@ zc@74p!4xnte42S+mI?M#bFxFVtl-`^U6+wtf&TI2|NDAvt*6uY^by2-OWZ^w_2f!QKlR-I)bp)NY^i z+Y)omez?~c&ihIn<)>X2eo86`iw$_!1~c``LKht4UTfp>a0Q5fls1woG? zu-~fv=)8Xwq_|d=uZ(g)_--4YA~`EqU!8Wzxv7OzjoRIsidjJKPt>nT19oVyoxi4R z&H^9Bw12*O=?47YTjefb`k+Rcw`+oOTtLn5!vNcHH(1M$eb^#~;Y&NWya{B=K)CY0 zaOEZ9dOrKF-~HeF?0Ic&yO{UH!^g3w7@dG%4~6Wq*uiN%iw6cb zouP#4pv=)5lf(9Wbv4$m6cI$Urx0hD0`a?B7Y$@mknC`)m8Ve#7+$FPTSAor{&)>D zY&`aG68{;+)er{|8(WdQ|J@T6AD@!++VeplHm{3RZ8<`Oxjpmp7i$nvTFmb}5($re z&yG8!SwjBCv1@n(ktn_Qi)&kb9nyJj_|`M17^DlD$Bk}Z!P)nXtH1l0M)|whAY(jOK zmgr`AiFrpAf}d{YbusG7@UyOyftOqvNr=5&eY9GgM9sdX?D-&E@;UXNQImkg`)e9$GpnN(BNBD%U^b5 z=*Hx{Q(^r8;PdX?E~RZp|MKeckh`Cl<0GesxM(vgDPaW2yf3A|)a{ufy8+@)N66abw51%W> zPBfll1BZc{te9F+l=i|Q!}mTjlv5JhU-#$7dA|kM`~Mri2sS@2gw4;3VDt0**!;XE zHa{Z>)PcUeEq zSp&}woR%8BE8yiqZ&eIWFRCxEQ<0&nLgH*1yoj-u44I`)A97U(Lpb9pw#0Y!PqMv?2Hh}mvuk9(gU%kR2?^(~5FeTyun?ds)iQ$an`f*1jb6nyCH+$BpB2OXpJ!d#+qof9r-Ax@p$(5FhSwXyo^O9t9`!cptHx{40Ec$)z5ejiU~$y_ z!`2=(%$AQ)FQ2DE^7%)TTHPffD%o)Dq96$(?-IBXcT)`B4aF25HtHefwUk9)Ckepy zeF;~e)W5&?|Nj1PL7U0KPm&R?6U>uu&@#bol8CWb4P|uK!y)0;;u*+RlFB{R!3b|3 zpT>g;dYpOqxXwSg=8*<&F-hv;QK6f!3SFB-B~ZTTc-S*ZHORa%S3S>UhP>!V_7H=b7glIS0i(v1815!r-LFbg zcHnZ`_|5uK1&zP@66@hA49DtCKU&Ljg5Q}tLY1-N(7gKe!tyOuv`l&*@6Rm8@{V6j zw0azKF5fHyA<6W{v3v;UHX;!C@i#$RE0_JT~cYs<2rZKQH4wbTWPZgnN;J`V<- zpQcZ({gXg$A>`BUuovK`S21*5EJ4bNbf?>J=2HD zw+M2da-tg5f$Q~)%ePC-kXc>5&vKj+{7n?}7VtDdWDA+g4n$J0(`u$1Zzl#+j6Vi0 z&MHE#&O~MUHD$CQVCze8O#&_kIi4f`Vu<m^{?$>jMDSIwuXp133E(^V z{<~o433w-B-sa0r2Hr=Ojy8mdpm%j7*8&1eA&$zT$8c32lYcpXtzXt0rtFF5zfOxl zYg}NiMXM2HTT-R-N`|1bo0>i=N7+55x!U-1ZRmWf%Mo?;bl4n zobzwEuBW*6_3%>}i9Ca%QQx@a3?GFrhAZRN{Al_LxQne)ZD9KPpPSW{?$P9-(AyMb zvon{Fr^i7@Tv{DGqj}GqXWD`BNUgtb%j^R7>eKo;jOA!0yl+SCeLpJTD9U-?+kp&; z_`jXNd?%7dE^)Bvhr^DM@mlLy4N@p(z^wnkZzp7Dfnj$A%fMaXXzO@=WQme>+pU|>p)Q5y&K#`s_@{* zK{j5K7K9sJyX0$Y374r&MVma;;Nj$I86&4Z;`ILVfpa7iT?yIf@F7t}-&%ZXwO;r_ z!iz`hM?AfN9|asMx#a^n-y}P`kuL-u@Qhg7c){1=jQGVs%+Gn``HWJ`b(B7z_J_pu(rlh$vqzcv&|z)1@GgL{pgiD!iABbHT~=^ zd885?ny-H#=aB{X4A|3b*FY~MX_Z6~rF1 zDRqTV3S^Xmlkxe5AdI}bG1x>N!ad%Wf4*k~KTT?{KiRefA&+YTr7Ho*MR>gXueCos zpez_qKrTQc5qSN{>tHOO?Z5YhTe%rn@A)dB;l}Z47M9(+A8ExN{1H+@nuV_(l@*Et zS2$1LZw?t~9AD1PB^Se;FM98KT`q}}ZSU{dmpQ0Zn#xES;RxsD;kF-fX7g3a1f~9j~ zN}8Z6@*ZV0U;m+rN)+moWbll^M6|m{3gcI4_{(%8&)pySEc3m77h?uLSSCAGZB1c~ zv6paS?;La)(fE7vGQ#C;v8~rLifB)%&hO31)9`s*f5Fd;9`0qb&RpL*3q!^}AEWZ^ zp$@-^W5pr_ar_nj8q#G1E={jaUs1LNifEI?y9>6+Pt|JujfoTd^8v+ReLxOaACMc? z2ZZ4V{*Mm`voHTYKA;frvgVZcQ>#K~Oq#`DDG@prhO{Gv(!lqKi$TtC0h(L=EnC5O z8I}mu?d>UwfYpuT$~*65Na^>qc4x~)8@-9q7Iw+-;98oxYg__+4OJ(-_$ULNRHcgW zdY1~HvK@MEhMq$Xye*ve#sp|5=JILPI8go0qpjOzs!$;} zBrl;7i;8Tj*M_f$qOqv^QI^q;Fk5~1p8TjY+UYB0zu4~$54cM1_~>Br_Q@xCnH=KK zqm`ca&ee>$9GahH+^7-E8-)|Z(pEHiQB`&zky^%tj`2x zCnI|qJvL3EVh|8%T4N4P#_&#!AH**^K-%Ebs>0z)I3`(luW7>?^%Uorg&HZsrjk4P zITZ|l^l6+c{+>BXog$)YEYpHfn#n=_OL{io_nsyjbkX#hK@Dx~TAX^0FwB`;gQ^G${oa^Q~*@Occ;|Xj_BH zIT>J?{5%-lFAF7GI`dN5N?3lyf9GRQ7(V|RHYNL$bH|V&cf)>?kCqD-%!;3kG)9vhPAg0;n z+K%CJjXs#-s?q-c{hmtbNX@-#4i9)ClFj7$AAfORnfjr_I)G65H($r815Dmirk{ue z<1@tdyiZ9ziIXv15Psg)-6su}Ly|Y|@Vz`I0xQf5f(871;IX~HbkS4}39Jd&4Q6rz zH;4a1pokjq4vOS_ZB&GuIqN~qpPFFW?m9}vh~e~o9dJ`zP=)3lZ#DKYPjqpj)HY;{ z8|9o2T48USTR&CMpC;Y|+e9mfT)k5v zx)h3Pt|$=6?c0E0)&gQy`WwRzvqR=6Uat6fSSgLJX0C#-+JQIQQcs)3$OR?**cTl@l~ddNwfoc2EG5 z>j69xVKut9O?NGZSe0IJyC7!gWL8yg2Vj`j_sTGJMxXnFlYACTfHb|Tr-I88sdMUk z5FO~C()O?^GE83k_?JgJGfsApqB*p{z=_EXxp;mf7L|ua&y8i4T1_y_^p@tiqXbFE zbp74yl;Hcge2!M6d3HDD*nhoHaA>A{5b1yR3J{!PJvS?_U$CB zzzA2i%x~Ek;PS8=`nYZcEvHD$#0yV@(vEgq{V|OHNOI=7qqHgDZ=Gh{NTPx|@h43; z_%QF?IQnb;E}t}ESx`W-9v>3Q$1I>Ym*E3ljz7Fx{Ef#}><`2Y_mA2+7r(~ec~JATV7!Yx6a7w0|Ms-f7K%r;t#VD`P+6Z(FPV8Bki34G zWL+DHj86M7Uh{DV#YBIVIWI3LO89H{RPH=tuJ9av73G2|V)w*l9=bytZF*Rqv;}%N zMfwfj!5+T-U2`C$cSa||T=9Jhoq=x7@6~&m3xHq7z7JO&k%wFEpC&s|Ac+fjR36R? zVus(RhW+~Hu1$BhbW3-qq;z+;0V*LS$`TO-5d;iG!T0JtE~$3OOy0emxsJZsj7(SK)`)sz{~BdTj7$ z!jr)6q8u0z|EaPbGeuF_?#?4zS|CewIn=sa8${D@-M$-Sf=+CA2(!LY0J&e!qA0Q_ z5crsXkxm=}1`W#*myIeAvRbC3R=R;Gcn&-Hr&NQ1%y)m?o*Q`Udyu<*iTF}34j&DQ zZbuV1qPr^tT~4>efJQ|}QifU_p7VPuQ1q%nZ6VQ+;U!rJH}1H~xo!rW`KtH1ja^Wu zFR6ywBQsF)a!w%?GzFr>*KgV}zcrOX5=2>Sjf+>q#hc>d)o}5uxOgjEybj)Y_?~>-=!*NtAq4oeLa+(1%2r_8S(?t#}zwu^*?_c0xXLbjBQb`)fm z>fcq?04e;fkuli4eckM>6DMaqO7Xp0x$rUrK1=BzP7`Q`UkZHB*L1=W>qW-^w+{v| zxAxgV{ecO5)F>R+uC#!1p1>lfY9nZ9c6e-h(*kdQbM@bCwo4Y(NKEz;jnmf%P^JlH zKC{*Y^T(cxp?mfJ<%2g9K~aWMZhpvChlTnpm*m@J-*=>ox~LGw8}ALN#QjPgPzrU$KaMC>l92YgSrKkC;0ZtzS4vBjF`G9K!Im-80l6sX$h_%YU7Zge{?9}*;&TCPxN}cxH)A~g zD`6R|)p&pJ`10xM+k{s?2yg)L-+@B8bVjIpEHcW?%?@N&Zd^;}<$$C^vX#>7j9{=Y zwmj{pj_~addnAy$shw(oRPCCZkdun&tr8_Jfg8GWU7xMds}k}38RH*ztw6#oW;W^< zF2Y`H(G}reo~V;3mm^g+1j!aBcc^LRKyRc5b7)&1(jYcups#L&?o96eknB1rm5fBaHT3Z>+GbBJM=_d0#Ull~2Ar(=eED8*vw+nP6#K0+MQu*7o2=JaNvUcf~gyb6< zVyfP<=#$LFv~6r|yCd;(@`koJY+iqq`bR?@xmh1E;KgvO_|6yb`<3C2@_>Ueq{-Y<3 z|LBb4Kf1u%2Uo2u8C2ovwfS(rb7n}e-K^E{jVj11-FTJGtpX~8(!!cbX2^70e7pwp zxoM#~?N~K#i>`j}l|Fpb1@*q13kv>f1RGjE0y0#L;oN|6)crXv;9?+Nn2y)Qt%n1* z9zNW9XmRVI!>xxBw;n3I`~MCLA3O>IlF&Evg51~MJ>YU>dx+IE6E0pQdZeA5i%NrZ z3V;62MbD^KDp_PNqJN&(6!*NYxaT#+J+BGwd0lbOYmE2#d3HVO*e^#b6dFc6^Lb7a zW|pm78Zn-J2}}3K=M?(zDb8KNT3G|0)m63!?O7pw&*%TY#Y>mJ)_`*)uzcvO?3)`R zm_GH+-5iREu3ZFp=M&%e^Z&PaeEWg;t{>m`L4M8o zZHa&e@Pu?0Kh!ZsZ|-xZCH_=Ch~pZNoI0@Hg!!M9t}MGwXeoh_lWWW^E^ky% zB|`D-kUv^+A>D}0um`f+){S4Ct>7WwkHUgmRv`1R<^JsfOWg1K@9(Gh>iOf_|G_t( z1v8x*&X{j~!sW%*ISM=Hwfnv;0Xv+!My zzzf>lcC|uXBzbj0pk8xsOr~M!|6BjYKu&<3zM;_^saA)(daF3w-D4 z_`c8o%tzR8_ze~ueuE8%-(bSwH>7d+jnhCied9^)dplr`tFgUQXbQ1&0(Om?R*-2k z=<5IXJR<&nvq@&v9OC5Fq&FtqfPT*CS9=vU->ACAJQsK$UiWPJ@Ml#((W!K%TZg95 z!u#LD;v)Uv->(u`$JLMb`J|wYWH#duhC4~AILlI_glwyerPYs%g1N`nz3i(3AW<3c z_>qeU?A~fxFJw_cO9Y3>6AQ@U=Gdp5RYiIfDIPlDe~be2aVe`Lzi|v~ueKOdv@#;o z*5>aaXGrkI1ALhMBXxYA6&Q_d#BSY|Kr4aI>dCPE)po2k&PbmfzTX}Ra8DLPgVM#% zc#K)`_UFZSUVmPhJ&bhE8g0k^Rpgr21pPEYnN2c%*v)3vstVMG3!4K!*i&qgduL#! z0mjeA_x=A*$K%US$9Fyd(qc^Y_@=Fdpf&jFI$X|eTv)POJE;2;0`f3Js$ zuirhs`}2(A1$#XvN)*4Nc`N0L0{Dt?IE1zsqpA{v54!a-5H=v*OV6tWl>xg?xtTa| z=iz^U{>S(Il$w96Df7$_hFiSLqStKDHw}GBaSIdZ&moOIdejt7^F6&{HRFVyv$ETj z^r*w*rDT2UXJ)7*s!E~ml?I$(F3T(1(S{#%WC>cmHpm$+HOAi5g6l+`ySrTKfbV{b z@ArtW|JPrMW`%ZnGvvU!ERiiE3`NiQ@4rjI`uu$Ro$~zR(BGRa@S9cyNR)!MrJb;U zn`mr!uRjv`+MO#PyA2E+(mk~-2 zj)?F`7l(Y+<>{~E;xJRu8yI&*70n5MEhpUN!R22Cmwzc-{*`h0x4`9J5tn~Yyw4kU zQgKeprl(-(;;>_CCO2yNCiYhfn*&&waz|E5QiB|)LqDet4?6t)(;n4HO1$~?@7^dh zB#=pA`X`jX8+U}k+vKc!Jd-VA4kFwPBawxbS*4%MXE2=~X5)D?3UM5tg$2iFVZrfP zSaEz7Rve#&6US#cjraG0um0he8!156M})HP9m=8i`8)Wjy14Dw9db0x@>u@@rZ-d0 z`)soIo+zp$o}S_H;(*_#k#ALdTp^6hp;U3v5m=Xx$!QL|!fH?rbCzKkO4a?7**D}2 z;rm@B-_CoZx{G|hU7Z3jdcE{=(|10^Hq0B$@Kqc|2u?PzO9}uZFWa{(S=^}3JV&Fw zoFDJ!b^6jxpKERip&=gewwvLIFX8Tp`HB(zSTa^~b2CApl^9UguhkxXBm-tA1)~@F)zN#cck~6~643K-|6@s)IAl@1eZ7>a zhWZ7VX+AFrfEqRb*xUQ^=$J@%gISdrrZe0=y#~TCE&BSQ+$i?@Q{;tn$IGH^4x?rJ zfHSag@}@fV4j(9qip-9^5CpOFwinLXpMfHa9D;HOS#-!{)K@mZ0zSw!@R@vcL-O_0 zUuZ3@fQ86WuY1@OT7H@ujIFvO!(|EM+!MxtZ~p<``rcNoU67;H0KbL3_MEwrK&GkN zscpXtMK?vx-XAGMLf-=O^7I>l)o1_GZe%r>9I`$7<$D~Wd#O#F*_MdRQuoKa-5St( z&4K4c@9faBG56iz%nA^m@A{E_xEjolg@#_d?1tnn(~R1h3Fh2!N%0T_Z{JcV=S*C$w@B6^cUN|*(xCYjUt zI!?nu4vjT*<}~<>*mxw*WBPiFomMp=c975W!s)V;6FmK`c!NLF1N3BXyxY3ui1l@Q zU&L#r;`F`QA>-pu{yBRV$hEvZqxW77u|;Tje8ld>%fodc2kF@0#S3fJd#k5$_uqdX z|0!ukZuPV@e7q#{Ju6Hcg0J!uz2dM&r%3soc4Ecg>CV^*)mljyAA4T(^OG3f_iKF5 zSNO*NQ|}P2p6cT2sS2*1s^aRYF|M9Uz~#Y7t`j7}Fn&1Xu0xhEkVL$ZE07d{=}lqp zGuC|Yjs`LF>|=Uiv~w!L7X{#_&dkMNe^pSC$x9{mkpn*UvjHgw)WFe5h2+6aDdc5% zO6usg2|DQ#`oUE6B%-+wM5sRs?9L>8(0maD3=kDXlNb%Clx*G0C;*9F9c<+%&p=8Z ztZrf>x~QIiiPl}P2ZCJJ zU-d}7k*)`fv(t-TV0VI$690#94|qc8>TFibWjmy?vXDG+Jsd3!6s&J3%Ag9?Ink5@ zfxsX-NS*QL9HcNB+%-!G1Ph{{V*$giC^kim;!@Fhbi3!R-_bT@WEC>O=)4pPo=VPp zS@V7{?d!_ilMn`86&bqhonFY2?uVV1aSFO{oY1SLPXq7s#y|I?f6oUIrd@qHw4sHX zrYYriyI~3V82tGCCLjCZ@k_5I-GcbIMy(WRvv0S|R#a;{v?c2gK=y!S0L3saE=!^yiN4u(Kq zX3ghG9s<6kH}i8JCPV9syN7g^l93E!)5znk7|5UsOmPyU0J4lerO*#2fPaE4xIaV! zotD;Gc=eqWE)#UE@ZO}t^s#gTyZw&C^-6V`_b)@?&!-gn3EeCxKA!ybn{5Gv4!3OX zpGg4aPwmfbsB_?BSH>Chf>tEjclH;VuR2t__CC6JQxgQ_2VSUqS;5bMnwZ&)Kr~|; zw^KQ)1p?>Obtnf_fgKKdJkgT`qXmYheS^o`?6(e`1y_miC` zZQ}&u9`K}1;V|tA514%6NV~gdjv70BKayg&0K;ihK@~+c48QS&_e!@3QfpLuDU;&_ zi@MkA+Vn)wHqqAc#sh8uziGSZOkCk%Fpreik?)G>WCTtFJyD2ivW7=P$QFbx1nZ6* zvH&lp&)JO1XF;z))y1U936@Pdc&}Zsgp1~hmA4jR(dO4X$uwuN^F#o%EMdMhdizUH zTf`#{ajrn(eJ0E|@o(-rk+=h#J!D;LBIE!s`I#3EXe5ANSZVfciePv;Y)5LEo`*P3 zxD{&Ir9jJd&cE{}1?bC>x50BNiLg^%w>+t21aI1%k19*?p`x{`i>KB7(Anxwjx3@f zP-W*h`C~K&DLTbk3m)_V=DzNu2meN)SKg8ek$I62ew4D}RYyK5c_en!rbG|Z^N%pU z|0^8M_b6L!TExM|hsY5jRReVLbjRDLVOH>hWVL9K0`oB%{xjvz=!kRzUo6cUT0>W? zx1?sSCAc?E`9IfkgikzCXKXBfDsFHTqFIknR1)*m+2o=gVxoR_XmZ{k9vHAS)hY{s zOAN`@l`9!Yl}oC!_GmEp4VkbPnx!G-OOmwL=AwYfM^yOB$1qs)jf;-?>jy$ohJx12J_X;sfwGf$RW7N=<+*3^e*jMvs{uF zh%_5)_Ul@K#hDoKx{mO`pHYfA@Iws_2bPnB^{QYzYL?v{%wHKs@+EUw zR3PA6tI1hiM`hTjQXi;cJON9_C`ttEoP`W62i?)7pR|r=Nmby9 zITPo5az(Jx75rULtqh9RGY4BQH^c35`AHv!F34)s&e$Xwfhh~&Pj zGa@`RZI9RFh6cL~#rjkVgncleJUbmV*rkv9lO z31tO9@WT_`$Rs^q2u`ry(0+BB-2=)E56<67vIcMd+-AZhTikt633ne3^ya(k{@ogI$>$~|eUK`Y%*WlyIq8L#9ehdl(^a55k?`%| zH|p@Q=G8mV5EZ=F^UwV5-_OhN^-p0rTyi<&ohkTz-~4scUI)^h$OtzEP2g5`B%hf< z2+G#=XHhLM1cBED!hr!sFuoG0v7CAq(WTS7`y`9Qx>PUe&pNCx?Q1AT%%_VCOBQFV zF&>?oUtVF4ohjhkPv+{#bhvq$3tabNoQ;1UfXyF2%d;#cAf=X(ODjYZk(IpX^S37e z9r_BL0e22qYhTn*%5g?1O9J=&$1Ndgu#wpu!&r^cAznx7okm3DESau8>=6kOOVV$pWVpdsJrf<{}-C%<#`i-I*@*qSoWVP!e_w zdSknLpsWW1vc=-U|8#*)d3);MwQ68c?w2IA?1t~7(UXL;(?!2$H;vsRr7lDTqArNX8jzVq;3Y&l;xQg^9OHTtz zy*%;V!X_AwKPK0p{c+NM+TaTIC1>ikS)rHRpObLcw*f z(WDR6om$}J@^1wzkG8FqjTSJRKls$l|1xBG@6;vS>_vpeE~$G*N`Tdx6m7q`hEB}} z{7DdRfQJ?dvI1T;P&`H;As$`}tyzkF)7;nb?kChQ2EHFFH${q-tM6mo2qB2Ol*!xE z2Od1FdiMOP4^+6CRm^Tgqrq_gw5}f(c=K)l(P#Vj`c9j%fgbHo4B+dnSSN!WAy`=) zIo*Qc<#j^FlQ)nq#MhBY_Y4DX^r*5cGBHLn;N$FybVk;)6|OXbE8f9$16ii$GysK%Y1VxTmxXnu`B66cqy zkJA$i#OaCY;`GF{aC%}oI6X0aV0YA8D=QX+Qz;JA#>uiEP02PkMyihZ?nI?~ZScUW zAyEOz9yxTNaJ6eVlMnCt_1S#hA_pYN++aE0HrWuT3!i$XE~6e}B>y zY|H@}PpK+fSGn=-@10puHT-BKgEoygD36clqTfT+-oiTOs}?)8$rx?R$SH-7|Q zeDeSHc!QhC3_poIkp8WU{Zo!+z}Dtp9LHq`H`yic=Y)75mtxJzxJfgZcO%T``D_KV zCkIWh-^0#ZufLm18mgixD*ZnfI-Jlkp}grFFBKFw!jKlw;SLm%P1z*|3OIcOgwr=T ziPJZr$LSl;?}MK)D%Aid{}jM;&sTn%~yCT?j8$lmqU!R71Um zmc7JM<^THkK{LW@vuCguvQE@)wTFZuaUHqR*rFEXK~nGiH>d%IT`U++Z?&V^_1LVFyW*GyS; z70$^?qYq-D!05&Fzdk;>x8^swqdI7EE|it7YD3SR9z6kPQ<#@4eLPDUfD(T@bQRR< zg29Vy=3q@tyz5=U@cK)uzZc;bhtIdnt$NJ&`KflKYX^!*BCBO?x`_rFuMWK+xeOYe zw0om}oAIvi|IAMbpo{mBuZsx*bjKfAk!R*aTs!k3ud??C_1BGqG|UeGd4&>xT*zm27kY|eT+)uq|5FjN?$dnb5s{0Q zlyCKfy-mRFKMJ`0M+&$9DB|`XC*1xci`#!B@P40P2f=|;yNU2tdv1E-jRm^$V}0>5 zMKL<782$RQRwAJBWb>{77j*uY)U~Uki9qxDdXbc>B`6A&7Cb2kMS|Vqu4zwM5DDetnVleY-^#f_B%!3jQt}^$8Xz; zqpPuHGNSrOq~e(m#jPl09(XfEzPI%eO9m_dhWp6u0VKiEp)TyiW6F48w?O0(m_G&`Sw-V z{3}8F^tTlM9CSg4b5>=;0PB;!Tc-$&ftN`HvBvD7(Amk#^EuH2!iwjri!w41Z%GO( zn{Egw++8nK;&R9QaM`nroIH?M@ulrgsS(ieQ-XGv(-HKY7z{idf)J<7^tgkeBgC`| z>5XaFK_WTX16Nm1M5~g2>M^A)9EoZ^c+KZLG9n2}?derSTmc-ns9Sw8T|`#;RB0!8 zIUl6hciaZS{<%8~bb)ZS;5D(|Xfh&Df6II+HWBmpOQz;ltbvG_g=;>T4_naZ;kUyE zmr(POINItvRyciQ5u84=2u`0_0H@C^gwto1!|5|~Lil28+0n}es5;lS>F$aIWS^Bu zb(7Hr`IlbIe7j;0+rLdqWFif1Uj&1=TBK2?z}tG-<9R$TfRCyj4KmO`oMMXQSB@q7ok~RBP z7m~ieR=(|O0iNTIw5&W<(C$!P>!Gg=cgi<9zPt)S$7{@Qk++D#-kN#xpUbjHnW#vx z{gN=`*NMfxIU@*eJ7Y2JLsDod!S|0yEDsKEriR0tN#gKkGB~`ME)H)djl-Ks0KWWC zeB;+U=_MU^Eg;vEFXe%k4Pxx6{FQHG4y)OMrmhFf!Pd6OSTW2Msn$#Um2=d?&9nYJ z{t#dNnJ*Q>W=#abkh$(dMP4NgGS@9mQ+Jx8D}o;j*0V#RI>o4 zf1tR_Np1^GSv+A=3fO+-*m%oB&k8OCe2t#(c7SW-y{i^W0f^r9&0j8aY;K6>yqkon zo<=gP7*yyjdZVyDh>p7#vxoh4*xJ(NS}QLC_5Mp|-#3n+IPu z$#raPC9oJCbti@st<=ID_bIQ9t#Z`A_tQs&Fb>5_&kosC7a`Yrj_$87#9;VZz{m@1 zzB7MVfyQM~3?9$599jvH1i>=WxawIE7~=KjH9KO4rtWn>r z!YZ^9ye6Do?*_B$pUa+N{zFIU^pp#doq(KP;`=&D7)o1azWF)c3C<`dn&qtLigY{$@09OLZjR7^LE^EtI6i7{ za+D1!wzmR-re~Y!U!uNf~8;@~h z@f=~1IwZ9(6-aX$BF0ZHow4I;AgexJs&AnR1)f_?XCq9|i-hhM(-%}>NFyJ4-A+f3 z?;K^bq|5`F^l%SK!&JzW)mw{Q&qT)Ejs0Ir62bPd&FYEm2%J8ZGESdL1*cCXj?VPc0|V);;^|m*K&!1w_X6^mq~gR=^lV;kCHt}3bX@xe%+kgBTlfV{Jy!wsRi~| z4?CySb)&#iQ-TPQcF3r|RN^p~4^aVu8gjuLf(SMrH{?Fh4_x$(&biBQC zc5)Xp3%FChHh5E@hRPSO`6>vqz=Of08kRwNNRZX$d(6lMPtNAjL|kCPUoQyHzmM

    moFS@C{6&zctPG+_!fX5u zmT10`8;MUS1L>M#n(C$sM1FxY+Lo#ihXJl;cg!K+!^V_cpe0OhdMMROxIpZmQ#-s) z=MhH{RYzvM70eCqEH{*y;jQn1FTN;F$2pj(E&%g!H%;p(D20W#(q8M?RCrFuo^*!m zDzb^a)BE&wFdDgc+EH<*2x51o-!i_pL#LZ~h?mFAkiBM8@sf`*@-Vhe<~tpOHlM4c zcfSnm>zbrzx3<&!ce4}CQyM7q&?PNIMp)}HL z5szNvwhoxk_@L>Hmp6z#lF&^ltCL~e@c@0Aiw4(&VCAF)?O}>U$k~>b_7##s%G6Kg zPA0k|)zuKOM-p|I?&Iw>#+RA!B%3GTk5UsNNG3j|b~7HxUnKwNJL3Sap0U5bU8fC% zDz94a4|t)B@s}JtZjNZ-*h@!vi}_P0uoB5&eN)2WQmV?^=g^tpsn)SvYZ$yW*;?Ej zgn|OahZlFP!G+k!Eas;zyp%1y&=F(@m;WrB&M@>v{a-%ZkD_n|DsB#$%8m%M&KY+u z&c+^Whe*js*4)7|{YY-ndpFp~iofIJWeE?(H&n?l8^LOR46*5s1x(E7C|muugx$R8 zoGYRxK+48@=J8Y{a@&=x^GQ#F2MpzB!X}DPYU2KLy2IH0ziYm*R8Wqm2wEu;2P<*r6sL_ys3i~y zs3Q%99Ui+T+eaDbY0@tTp}HunzP;3w^b3Hdi?kzqVln7v1gUifb|(0;Gf=`S;0P0f zLK>7$lc7ca!@+07MTj&)&`jiHIuNPOP1Nv}10lD{oE|op=t>rhx%N64{h)Sqqz<)& zEvXzSJ>j!3wq+yrq&*O2Rmcu%b_Ij|W2exp$UFe5(A8OD8Vd(xzH z(E-N&B+u$b_{4kT!H;8i5Wf6Mn`r9&(vu=kZXeQeWRwF8YJ$ZED8(Rrn7~bqNe;Y> z!kL!T`5=RsfGl^?0&hM1K|k~Av~!-Im)$!gFXjM;+X)AV?t6oL!Ec7b1`lYabm-&! z>I{=?2PTS?a!{ODE5lTn5g1*(|4h0b!z;XTx|$Q}guKgMmxSGMLGjg!MRF6Sz%xt6 z<;HA?_j$>6@+il(W(|}fC?MN%LL9V76rWN`V>l{CeQ`!t8E{=JmnfSN2O*Mkufq5B zP-tF6)!TRM$d{RE^JIxId>>fpRLIsv9bAe=A_~IrOQR;({}krONoacsY((&$N7NOR zOVBYFK!&zjdzn!LxR7veu%!Dzl}X`(erG=VY{*G`-y3_cdE)X6%SsTwzZbrE{*|ed zrh9uPFwjv*okU9-KPS1lk6OP5l@_+&4$4loy)&GiC%bv!zU- zLH2OO{@E=}E6fL;S=(Q)-yeNzxh|r1$QP;oK6=WL+5rN0$9HynodDnWZA0(!$te$3 z5Grh%c+W`#_rsGe4gckYfDoeZFD6+)Ca8gGZ;=j)7bPT9y)}?(dduv^9Yx5Q{OqPJ zCJg~ILaOwCosiIj1KuGPO7J6$)i|L*4rIb!4qAH2;hi5<$q&yoypxgGU-(7-&H`Os z64aoOjs+JcIbT1AIAmqtYsGgx9QrPuE1@@v!CTL#gVXr5-Fi7Xpv3c}H2ntJa_ej+ zp$xfcQ9(7%kHiwQQiM&Ux%)u|x zLu38BD_Rw<7&gCY3I&Q*9GmaV@Yc^^Wwp@K7%N1yiPlw$1a;tiM_G7Ewhfh2_7}GO zE(e>muHbv@sc5}SNwFoW6at=~mkFGV1qQ48L7f=x$&yikb|d&aj6E;b8@BRf{#dp8OSHF7OoU%Dg)d~%@MqsceEjTY9Cc=K!3Vp1;ys}pG zpkV=NEQ(79?=vHvCllK?cTAvMRpH?s8c*~^g_L%f+ZP2m$TtA9El5;-AbRU;0jItV zlI~VpKog}8-8%{ky!qz%;yLYn;=(d+>BDHVcS2}}0gPN1uW=c4Le3xcoxZl(q5T&E z6$>p!K=gy4BJUj9k%^ zD`oHOq38!`{J~#=a97wi?N?Afgi826hw3_5Xo%MteiaT!^|P03)l)&slDuNfAs;?I zzGg>#tqbAnw}NkcdSlX-Oy?C)tj{{`li7i2zKefk8f^q^aSq2di7sf)4BtJpeFNP; z;dZD>wGc)3eUkiDmVl>mxt?%b@>!LWC(i$&x}Bt%mj>SS`S zMB|4Sq#|;(f&X{y50#tpFxEuWCd8uxHF0EtN3Xjf_u01H5jiCo$;v9WyQ_?=cQQD> zzYC7*OX2wbYB;{X1V|lY4iX^{fqDi*bsKwbSb379`cVV(RofP6COj_;lTOte zQl|XicunGr!*O+RHQ`$>&C)<@qEq`4mKI3ic6=ORnG&LBY3~c8G=jk@fl&VD*z+aFGYbUirmbo%u zXf}>lOd${g7G8%(Bxpm+pYT}i;b^q`mi*wQs1S6KCb+S6)gGO@I3)hQJppQUqj@^T zEMfH!*IfK@HW=c(yS@}z|i8rEA?8>7bhxb!Wl zyq_(hos`$_2AvZ;cfO>U%i{rE=bkehI2eXRO#}1W$%7F=K;@0eX(Lq2ca2VRh8t!U zOrmepaG^|Fh0-@+chgBdmL4nUDCa?HA!k)r9>nUH1mww_!SN#ho6n#|T zx71Hn^dNLGfFwsBjxD;S9VgL8U+D#xpOOY3H;JzLf=)|VRGcTCPdo>)ZHI-Yl)Zt9 zM~t}YN(j2`b-McaWPwwf`)?y`Tq*&+_i(3)BL}_Z~WNsglrbk~J|d?2HcA zZ#?;FWC=G0&rH2PrvqOYHps(S9f9DW$BrpY1nORAg)isLfy{ZX%+Od128q{33Qy@^ z_e!J23woC5@d1wb)$ewwdAUvVcD5C4c6ZP(v8ux0HFEYHCTy;q!9n^^KpDy?7FK6dOox^ zbN;6sOrIMYy;CFt1qZ)hTz$)rV!agkhxTL;zW56DIGu^BQpSkwFr9`Qk2mVS;Bu(l z#Stv^hB^;?vW0i>DK=I>4}B8cT49f}g~YU4y~|p@(ELQo(GpQZk6ZtTcXc6X)?|ub z@KpeEHvMq-!C_ZWyw~lRrr?e@-X7n6-I(n$Sq++cctc@!o8e&3)&=Yen{)-VB zus2`xL9B=bWpRkx`46bWR>6jObge&n=Gex4dm#WVK00|so*4Ts1D-}krw70Zt-=|J zSSRGue#^C^MhID&%VRdqZNMuwL zuG_jJd+#|i;wS?cJZd-DBj$!ImfyX)=%fcbM!$;J!gRr~x|sM>ygugd`tGAjp)M5m zP;Cn~E5X5t=na-zA;?buj^FqDDrl%MIHBUlyj$m)SkyYlJh=DN59O<*2)2%kqMsT0 zv=Xyw$mevzr@2@wWPi%;>-|@bV0?;4M!eq>xaxdzI(7BIyJm-Z>Wd*%_s17L{%VJk zjtN*DdSiu-Hn(Ln1{s6Y&0{}?7<8c1so+D#$vh_lYw>lHd5?k7p_1`SRp)_e3FZn*lA?_eP|@B62*0xB%ln@NM>or{L|+ zTNnQOu!BQAie>P8cp|DAwuA)0PuXVW#H9(DF=6G>lCd5l}e7bzQ2Z>RX zuX2-R!`-*5cCGbIAV5YFPL9pPN;*GiZJO1?h3ZkSui-7&b5{DCyhH~-xE2ncmlFdn ze#hUT60(@DZkEPyza;EYE%2+S90ID7$zGXTrpRGIChWnwKJuPgTk2)>0U49EI+~?$ zIH8)iPDJL8qOT?XO<=W#Go)%wW&@$_bfmI z#Xokrdb-#TO^{@ToRVV&u_TgQt~_%{99p0yKdl9~SFc(zy?24NQ_qf*jh{m78wxZ$ z!`|qVz2JPeoEPxl8CKaY(ggpHOV_%$J<(aW6R`5Z3G#N$gsQSIUUO$<2g#rjd~NRX zUMICj18f|e2agyc!(Z3hX?rZ9ZIx4~X}6Ooy_G5P|7(%;zLSueO3d6v;U^m)_ZOh2UioFK*dDv_JH$Dq6(@ zZskVaCQv>PP$N$)&tL|p?<+}<{MCl49&P!p4JTx8vn8t#Z;Zwpi3zKY8o<=@x--dZ zQJCf=k?EnY0xy?69=+-WxWN`ccG>+hT0S|zZFc?=oGhR$Gq~A^uDhL(yS!KqaoM&< z8Z^>D$V8{=CSNeH=k(tAaUdP$BstQAU#B5A)0EEDc0X*ME4p!yBo}?VyI4!r9D}~w zzO~!2%0*S3iXjxbK|m7Tu9kfa>uYP*7`-d;#8I>c z$@WS%5vmr0H;c(r`MG2yaY~IZu_O>yO}oAck0k@XdP?}>4M>L?Id_k@gIYKh5zj&= z5`FSVl2PI^blC{!zj>OC?Dk`Qkku6wsdkd|0qI4&@jPMeL7&Cf2;f{&NqMvW@4?68 zCsy}t*pRO%|MKqB--E9$Z*1pu{vGtN8j$@X^J@@az9(O)`@Ymz5Hhwo+!odC2&a>q zLIS%mzxzC&Qg5w5qyMzE)V@CT}ttMKyL3_UNeh6~14<%RA z$NKPB{=VS2qXIn*Q7W%|6kwH-n)uaG4U`leswR-Hi=<{V=YJTAfMqO4_KTMipxc-J zG5RqXTB?7Sa2&fQoXk98SUlt4M02Arf07r59=k(r zVoq2zn;l{r^2yEdQG^#CuSc~>TSDVALjKZ#0JQeDNnn*0^SQF^PW-_U3>3p5Ws}J+ z$Z@Gw{Z_U%B$DwGc-{*`x6~iHPXDq;JRCZLe^~yq^JfpN=>l_}Kt@!4EUV44aVj z;0U4au?h&kKHzrXbP?P>;v~%5LjgNd@=L`@GN?D=QG3oIN?0eSirKb04n9k3@pl7R zAnI@Z^RipV|1bXk^7DW1!~f#%CC|gPt*JC6$zghsSHpQvc3%_)60ze%QGv?nM1Zr5 zqTLzz^_4I&&8--fYRxc#a1w?;H7(=j3WCHfy6>b*o^Y9eZ^z9r0A?CQtf&GNas9V{ z&!4UJE2><%rwf{;f@P(8YH+lto~>V80$z=t8}9azga&rz8CzFPSpO0}Z+_PU>&I%f z7#T+a+mf#Sg~>p8wrr8lLz;vfDq`bJDsqtYmBA;Rc5Z0;o({TyAqPBOUSIi8jLlt5 z2_8*~`=GlmiZ@c4EkR?=a-6`y0s4#$mX4Q(BT=WKW1QdJpuzICW&VO2nssx$VZ0R% z#$}NSL;Oi7s!8b@ooyicY0ENlOw=7T8*-yu-i6{_Uv@GVX)}q_(Cz@$)m)cg)Ji$f#1f~ohZZ;TZ^k-FymPCak z_k&qxB+wB^#$D)c>{`du|8h^ncEp79@cK*Hz5ld2hP z;e>$W*i~vCo#VqmYZbZI~*o(yq>sZmD~oxWW}E7w0NSAf5I0{ z9-2c9Ny?8AW*c0*6)s){7q5$pKZ}c3$HnV{_sIC%{OKli)VD9*yfGK*1tgI26O6Cj z@wtTBxgPxz)n1B!PzK0M?uffj1suy3=@rndLj?mABHz;TKy9A$G2vJhnywb9Ba175 zO~YTc1{?*T%}D#9(LDpQ!%aVkezrl?^YNUbGg{CmH=xmEZUCIIS9T^_ZIHI1&E|pqkA5sG&m@ zdi>YVyWw~?)Vo+*yLKQO;p>Nj@A*?xS12gZ%nDT}YX>ytaic@}q=K=$w&?jq6?GXm zBar53uiXzdhudm5zxFzqzzd3Ok{AJ9(1_&7B@Z-1JU$XR`rab&^6gU9=d^RblnjGjE8mJc;~}Ox(IaU)9Y~^ zV-FA(t7;fK;S3FZ2|?+_$>`Jj64dA$4^4O31qZuRfrF?{@!Pr{OfmO``@rk%S?95kD-chnfwBDl*Zz4=ViY_xTf1(C&Jp|{!g!xn$pI6Jdm~aA2(Lw13 zak*i2Xgwbq8z!s@m4v0=wNnicS+w6(jh_hSTC%ObM6kot>c3Zy`eXgaV`+M3`Wmp< zaFOp}j|#kIl-8Sgt&T>*(@m`(E5c5)@lmfy4dfc{n6NIWhNd3;4wou62TI~#zVUD^ zWbl*`!^ldZ{b`o#(m%~1({uO0;JzHt#00&pTM7XGx((h#n0{oP_Ya0E`@V4Su2aj0 zG*7TsauSPp?F2KIKc5!(=!k0Flh>;AOkqR+@94IY4)hxTsU>SQ2a`{B3%(cBAaOp= ze>Bz_v5s;)V7#UYyrvF^USRK6((>f(LV9Cl&~=h@f?Ew<2l-!UVm3qhN{_l!H&sEf zcB$7zRRx}lkPnf6V@4GpyxzLaBQR)9p|Qs1dySQ^x1#%nF&^B~`TZ<8yw5)`)Ja^A zV7``@(iUqff2pDn>D%7rYM8$}`SDw9b3D*J7pyz`lmb}%bjh82Sz+;6=e1fwXY}*V zgi_kFJVfY5|GX)r1P;VEJ1Fld0>AiP$D@4(cy7AX;NXbxo`>R#5Ai&Bwu4su|8e)$ zPg#X+*sg-2D2+;YcX!-$cc*kW(jeUp(jW*5Dx#7iAr~Dgia}VQBA|qYpjdoszdnD! z`|O!_=G*&6oqL#T!CH4+=XspM=%uK8c{zGp?g;9Slq*s^N8eDyYuc^f&QD z94b5Ul0JPV1(djG?KW~^AX+Nxy`5(&a2bj=94bhIQ~j+gpF-n7RII{|H|8>8Wn5fZ zYgd8tI5W@F!qOmNGe;I4tP1ziOp;?G)!=Khx@6{cIoReOZJ+w&hGg1CCr-)*0HIK3 zWwEy#*wBA}c0V-`D8q@Ua(RQ{oK&CCd?eQAYxIko2`NJO^4RemPw6~xzZuK1Bdzcl z`AHT6L<7ufA|nan%Qo@M3iS0bnZZV0Sa!HQW8HO1Egf~R)2gHL6VgwxaxB(8l<6{ zW$jM_PQ+zq?;Ztqf&HJRWD~%dg<{uhCKmXt`h%yws6eVop*C$_9DM(N(3n%A6ge5@ z2Pg~&qLT$7VOtaGK%hzznD7w6#^c{qwLz!ROM3RcYbRBqPSAQiLSGK8n~*jCHN4#F!BpgW}=`#CAoD@Y#+3-@>Yo>6Lu7A<8z{efLTS_?7~$ZL|osmu(RWb_Ifio z$nQlX#=0zJ8r@)MU6i7r{uv5f3TH2GwmX7c`+i1~nIoLj8c0zhG6wjeQJm0c2?ysd z8?V(`LZQ{M&*j?|AmHvY+aP`xaiFT@KzUJczOtLIuE-4ncP|#$5Qsv&u1v%7su>!Z zlV(V{#{*V{WjYtiMWCqgKsZ09o4RLz-|)Fo2_hu9Xe=wA2b#+l)JNZ8dbFuWXm&mp z(Pd{9P~FXePfy!Z1^(KifVG8(2L;1Xhd7~M*gDr&PWl-Vc@hT*J0mm|WlaGdqT$F%pUsKAJx z*uVti2=0J>*Q7K2x}7|iND~Cwg!cFNdJ}*m7wVu>E`C z%cv2d%IUHB(zc7G(z!Kr${*cz6ZHZHh1*n#l( z=(oJp7$sKOf{fft}UuSXaR|1y1r2X<5 z-5j#p!8$~pZBQ()V4d^412RtSN1(-aI8e>$9O%{#0sU{9=#@M0ULXJ8)gOwh-vC#? z39f!4T>XZ)`i=3{yZW5pOX4|DgmlZXt&jL+pqtn-Tr4euCJk5R?2&R56~b50NOBHN zYzt&lJ#0WXDHf(C&GlfBs6U17nl0RGt8d`G;f%Up)>a(ImP00?x49nP(g6wO9%9p3 z1ytBS!l*la5)xBwUK|di208{RWpi?N)Z-E8{Cb}PejYgLzkQGkr5JqT3&^E{?E{3t zkG|xN&P3S=rJ!yW@}D{5 zb})MEz|1{6ZM31b(<(|I0P~aC@=x*;VR!uG%PWKCNbBI!0|V{G@aXJt%b>nByf%${ z5RU0TEB*JFZ4R44=K~iHiR*sIdPsy=Nt790^w%2PKEQ+e<$nIDOlAc2!T!pNCX5gj zET?~vKmgIvyiSewVupi{mdAxINkb!Pq+GU&Dl)tl8^7%$1rmjZ9WjbhV1L5zN200* zGN-)4Q9Uh~m#~9#NV|=IkG6H@@lZ_K#_eVecb9s4J0)bgXu{HJS8Mrw3 z@f4kLDoQxjz4QK<8VINSqRL1$N3(;~ zj@zA)22Dg5e#z(ktSGbxzcVXO&Mp$%;Woj$eth$!@U8#osTYks=B6md-R$&_ zd2^_mK330L=7O4x&wW2vt&bY*6w8kuvW7}VryGvHY+&~OzNB@6Bt$S5gi*1H!BUKy z;()9*^3Ye(7ej<(9cn<5fWKjd}&QG_Ts`9tmY+UCGT%@RJdP6|}wq7-MXrG*rY zs0LD3g}{q>a-3pc5bNg)a>?G~hsCYckrG}ZfcB4K;Uc_HR`?<-cF6>-1w9Ko@|y?V zy9nQz*ARf+xiWQ^Q#^RILvCQXt-Yf=GUeHntivf&Fp67uj}j4&}++Z7e&3-q-Al7s#dZP$`)C5(fgfBFM~ z9DG$dX{#8o3tK^V&R=-131Ro`!y`Hfk(r}Ye5{owxaHGWR`hAZL17J#jUS$9KD1lr zjZF-C6*!ukTNMH_J1@QjoQ;MWt19BhMB!+W@PNu#r0&g}g`isF+6#;U~+8_yB_| zG}UE&pE~3N8QCKT-NK?!24`hTW4$*>8te?-a>jIMBTsugb+q6f8+rY0GIubFD1Ltc z)9WT@Jg_e(>6flHJpO8;i16|OO()VH2FLdB|xuen>+G|Ka z{~;#zuSDlRPcIe6Ujvqn!-V4gZIE|=dx|)w6Zw>uf8AK91&3a@daY&5kJ<1rP<%fK zg8sNi=A83|xo*~c?eIi&QL>bqFeU_MW%a$&%&_xbzWX~De*@G?_`LFHh8&co7|eZH z(?=KDsEhxQs)9o)(-n3F1+d*t@~UD}#ru4X@BQsR9_hD%4yg^HpMSOn8Wv+>(vN-{ zV7`U%nvA{;s7K1()eZbIpl~yW=yeS(!gu`tx*mLgpZN0FAKvph;CNX9Opg4mv70nU zF}j|vW869*Pjofhu1gohv-pC&yse^- zhLU(?M@b@)+Q#so?Z;)HZg}(Ti_IK#J&(3Tr70Qj_Xpp<@Bex{zWy(K&tG=h71wvY zG@Q^>Ei zPA`aNV{wY-j|L(u8(Q0=n12M%{@ocH>YI86fvAwCR@u0T3)UEZT3^}ohwm1LUtZY^ zN3NL%^1lAD1t>_l=|4+k0sWLgsC~*DW==i$ zJdNq}%?!%LL01)Ajb`4k%7>zhfB7fxIx9nl`8mBu7&jsDflYqWwi!%4`9i*@Zwcq_ zgp735S|WzjG1vM-qS!guwR)#n0!|8*@V!@-fvv=2vjN93&eF}}*DJ3|f+duY&_B3ppjGR zMX9J%l-7=bHxzDZ9QQii9S2`4whXzb-H=UgQ^vl17<`@!4!>O%jByq$&tDjjgq17a zC}YGG7)bTbR6ekW<(ntpUcBOhQl-i6chkCng2;B!;57r-5_CCW{muh1?2OCg9<+f0 zk0c}EG+QveLfmM<;*7*O1kY8j8Ny2&;^^fx#dGa|F5_DCl9(|l?mTpkpRs`Z`P^A!Pa~1^<8xE5 zt4!hSOz79@8|FBkvk;EwY>MMK3*dOpyf~gSKaS@tgd4Af8}EV}uYembiyJSG8;|Xq zbX5CpJ7edz3U6sq&)cZ;^I#iocL}mo`Tlk-_cH3Zdm>Dnp$di_$ z?|)s-|N7_S>z`G#UGV+1&kr$Dr=Ry5C?dPWrQ#EVf?%Q`UUbop4=#Q0Z#wWn4)G6s z`@)OU4!;2f*V{QvV_cMD9dCs*l_^s{)%SfBox)aVeol^;@(s?YfD7zh0? zt=PMRQqZ%Hj*d-_qG4w5C+(Y2KhzN86rCrmj;PO+-#zj0EUbU$;1O0cN7Aw!KQ=$R zqB^>I=9Muw5F$E!MR36%dEQG(b`5t0-^?juatd!Klk4G6Q!_=@oj+s83PX@l*Uf}P znNr|>e=?_H=RDSry&}(3mW3z??v${KL_zkaZ_NySrFg&3_}(`db%} zHSm&LFau6u`5WsFM)2@e3YQwTE_Zx2V@x?B4VG6PT|+sdz%1>apYUD^q9QH3BR@z1 z(VvxvhA+iHRJCVVInN&buit-sf4&08A2#10eyDJp^fGwP0hX5+o5l6`A%D0s+(Dlo zE{JH4j|6f-a^7s%*9;T9>&Mq0jc@(`{}|5(?9aQFJfi5~-ROsq`{``pEJ(RmoWTZj zCBz*!&oP3n*F<&2F)h6NclhdOlsTje=WJQwYO`1b)sPPAEjcy6^~wO;qucjoNoc?( zt@?E!y!M4eFN+I}oYogS?0SJa97 z7{V`^#a#ZDtKcWgs$(>B7Hxf35|RCsfRfN#q6d}@s5;5^A1;!5iB!$B~IB zG)xyY&a-KU+{!#7Z+%U}a>DPxrm8PGCh@Y9R6QGxG&C>y=q4i>RU*P)2TkDklk0@% z)ULtSbN{3nmR9(DjzT>%Faoi%mXFlB)WDhMu;h0V14v8X*+!K442*@c)#&K?fTF4C z3^jINe1ZBW?Qf54u)Vr0YQl@%qcWWJAHH=C@BCtX=i8e$*Vd0yO2J9BXgd;Lbu?wO zxlqX}18G_N(IyoVkZho+O**TM*iP%8|NI!^gf$M!jAy08afj3>bCyh4m2dv`p-UQ> z>@&Up5!{GOG)`m^cNc@aq}ewahj_g6dGXEr{$G!OF1-7Mfz$%kJ({2w7)?XdRfL0v zSuQ|zGGe;5DH1e)pEsg>&J7p0?cAg#B0x1PfKvV!HL|Qqv%4{^4Q>}z5|c3gBJmpr z|7(}5pkns+Me!Gx zkVM$SRq9=L#2F(tYwB(Wuar-lkL6jw6_N|lmU-rI{xeJlOt>SOX;qW{UP~x$IrcdF zuPB^OtFmRSRY4BtOJz05#lh11%lEwNLLgNg{N$mV80_|6T06(8hWGu__Yx0NsTc%& z<)sXHJsQYO&LBYUFbCp3`o%VwMhVp17OAzeXrNI!+Ar>zD2mZ}D0bJ)ANb@PrD^7! zA@=I9#m#aP^vWVpvliQ@y<-)~5?XTyUHdy*LkupU=RK^)H+2Q>PtCi#PMk$oTiWxT z?q#6E?jm-UL)T%R&)cjJ%PaI5jOuJm?L>!s&exwzO#}9BpVg1b3E=Uyq^kH!9#TA9 zB528)0dJC3x7rPpV2g)1TG6EfWf({cIrcF-Jf~H4%?Wg@vB58kd20 zbKC~&kx0~jE#n70lP6Ry@9aG>$O69r@6U7}bCBMTvldN6Ik4;yb;y3I657n(E}ve< zcx`j9SxHPvQ0;T>%_5^SP_iA#K2suTz`2 zHQ@<;{MOmGQ(X}IfK^3FMg;oqp?l5H$(wlro`~VDGV93-cf9qk zIX2yn9_SkXrm~L@TGNzdG{l~2gxy=`kf<>E*?4weo2}HZYB|kP3MQA zG_MPM(pT1X_++YPFoY2YL zNa}|rR*+VI(S=IZ6!7&k;;SE!iKbztZgxb1wi_wmUg;p$>Q~29nvWpK<=3Na`vySa zT_-k-^@E!BonPgyVEHQLNg8}&d7x9O_g%&=6Bav|mJ8H!K|Pqr@VR9>YMwtg`lTle zYBr7Q*h;G*|6cnbh23c+OMP>Vlh7NGQA6(S?~!QgdiC;+MHk2|J^gN~6Z8KI{1m(W z27AAyXFht!o1rBweuk@0HNb3)yvwK38Oc2~|MAP$3?A+Tf4}h=%RAz|*0on^3h&oe z-Yhp7!#N(WLo?O7FxJQL7wMRQ__?4`@QU+q!*x|kv)oWULaNFfz;Dl{LH=wQAO z*Ues`<_t*QBS|OdD?#7JSnAs^VLFzudjowRs*&Zf69?Dr04D^?~1EB=8O zI;0fPzkE+qM0jbu)_GC^%YQYm`yH$a?9;pY9DT;9dOOf%`mZv)knbfr8jgTq%D9Pw zAq-V{ibp;~dFYRa3|(DSHf$G{O@&oQqx`bZb!-nj5Fa-WCx34t-h5_!=YK;{TPLqw z9oSltq>kEjMOmU+qKqbb;KiCq@g`go?mWz-G(3&6{h5hK)I8axxY{N zfd;Xz`KF9FXf(VVwG@p)1(WyM^e8>y)q%rg$;D*QJNfb3J7szlEg9YyL_z_XA1kWK zI!VCcdXp)|HAZB9t?@?~&oL0W-q!5-u^J2_rb$c)i_j?&fuu;oE+pUVQ~7bZ3iuT^ zoayaTVXj7gmawW3O25jbbXLitXu2ZGoGDodoMa8XJt&We$*iN(xa8q)Pj;2FmkPSx zDAVYyEd%Gs295$F4HS|PQ~Z6Q44P_p6DG2>(WiV7e{nih_(ap%+(&PKR1;@~tLaqW zpMQh}=O3ZM`A6t+{t-Hye?$=HA31@0US{0$^5dSD75BW1xaSqbJuf{-_x84=?-W3Y zwc-Vbp#pT|$I+=f?yAt-@h4#P)gpBhyIzKCMSw5g8=W!6eAHc#?%HoS z^572QU=w{i{JIO=>IA62eQSpj-NKx4@hfbc|qR!62@-5MY3k5yc_gMKx3%uxIkQFa5UPRC)@U81A&*&!mOs zM~8i=j3pq;x&4xR2L&##)(@o`mWK?d*#OVgv!iWZ_8{dsYcN4+2WL0-or^pDP#ER) zlfQmA;QAeyRnje;tY}dc*Y9A!^*d;B{SJCuzk>J=n9kHvl#eMvBMCGZk=h`VX2S$IPZhlTHTb?iCrg%<&PazMOTIJA?#_D9e=Te_ z)ZGw_XloLkEes%do1TWKPal$;&cC--)5rV$oYp$%cR$`85q z{HAl>W~~TO*2BzX45{w?7JLFrVBTb43NqQA-IsR-ougckJLJ z3s61DAQD^uZ&dM+O z$qvYmYuHGi$2i`e(?%Cp3jvw@t$gg71Khneslmx@$jY0;gXwr45LsB-(6tr-&7qE5 zy|{cJCKq_Svc~}<(jON{m)W2#+IKHANCO2sF8F4h!F*{|ZC9nM*umh64H;($JLC+P z*!`&qhY$H@OtKt8p+Pn|I`UOH`WR&xq|*`tB7M07?@hws*%6}7wV@Ea?<+>bg})8^ z=0IYms_!43EEJ4sV$7H_fmWaHBtd-!{O%PhBfDLJQuoaHY0{FQU*SDtySNH$e2uh{ z;?qPI#yvj&!u%%ZX{)+(-4)@OgYoM>db+4~DPnPqRst693T>q6nS%7zY-C1>1*)C@ zn|#f}6nuZz220++a&p@~c(|UoK?P|Pzy0z>0AIfG|JTPqS$Nzi`ry}q-qBmnUQ+%T z=zh^__??*u=H8s9UJCv`a6o#<@7vhkfI(;Pgym6o)JgFoD^boGXk3jh^ygVan7(PW z44Wakk|C=d@8^zEG_H^fMcF{CL^%f)zae_st?Mg8U<8Ar9Ir2kX#@KPLu+B0F)V*k z3^=-E0-hcpuGBeeLqI~HGT%}#az3)Z_jg$cOdkGq>=#o+gID>4ULjr}=!of&kmdu{ z@+s@b!t&^;L9YGa2LYV_4)cHgM=!^U)5~GJ^8e`NSa5ndcAQ?08E?NHzW1y6j>lI& ze~X*DYI)cST|9ZvfoEJ7iYm9QSs&|xSRy=+7S)F3R=V^OXC(-aCHX7##RhNvTX0PD zJi)Xf6f`U<555XT9^3Vl%2{SWbp3g;3f7-X*?X=DAFxbc39EIyO#9MG#%E{^DkVg4`{qTgs(#10f39TP?ag zDBN{q>dMte1LBnvRGHnPz<4G8S9p;EI#nt0#pA6IkaG$3+dr^CO4n~L9;a3U(zwYn z5@Q|ExFhu8gQ_W7d()M;=cfYCpDVq1Af*m}))l(UKa0Yg$mOouVPUX%J5Ve!r;VgnOIb#d6=s5afWD+$8Pk0Sc4q(J=URL}Dp+NenP%jJzA zEAWoZmTz-YN58t0y}Gzek?Hk;_VbLk5TPyO_f|?0{TesyD{IO?AHpxT?Vff34r|Ax z-I6L)J3~R)faQF#TuF9K<<&%M6o-~-ArTfsCcYEKpl<8O!l?3>IP9&<#=z5*v3e(M0o&CQu-vCeSNU)+HgG+YxfwBUFKRJs!|{A?uXr-y!Z+4F(o`q9!0 zyzc0qex47dtNcz^NQl0R~YckN51hU z+MT>I5q=zQ81kBk0psSqHy@%BfS_0D_QvN#_<6`;86L%e`GB=@C1_yhvpC>=_oW&LWVCfo4q-I3_>UYM~Z-=Yj30J=}u6{dQ z{Yl8*A=%aciYt)q)ZI<|YY(ZEszd!G;V80-P5p1@8RVqt<&-Vp0^;H3XZtq%z_RSK zm1CbCay|5+EtTUediE*L^#XYkq|ct7?j0(EcjWZkqB-XPh-EEhu3kW+M=zPpb@9O4 zmxfXPuT@aN=K+_rKoy{F@Np)8#sNV``DvDpsvt^Ps{Q&`TzLBh@a6A4D>;5~XpIU; zZC+5l$)$kPk$E=52dNOPSj4sq4=Kp|5=VHF@S<>5q60E(DJznP76K%OU z5g2LmtB74uKs#E7(vnu<(35{WmY7%qSOjL9Z62wj1vU=HvRhnu^C+Ac<2F%eFnZvb zb6}}J2j26iSxI!?U`~% zrL7s}XCY(N!_KppKbl#uMq7jN?Pv~O1ufYB!CCwxJQ$sLV0AcM+Z*^DDR1%b$0CKX z6_$&W7RdPhVGe4Z5Kw!)a*TJv4ejPp{%L<11vf>f*L%w4(St)4xgm+VP@?W+Z|bCi z80Mmg%|eW!$>d4bn-_YZV;ac38|r|x-S;xqEZhs4X$guoYi}b+mOj!eUy>h4=gx}e{t#v$_xrE!`e&e* zN=>Ay2R&eR(Hu+7_5(txLLxpx9#DBN;hx^a30I&0WPHk~gEDJrhKR{ILGQ?!lE_{z z5alr~&Y|K0!lvB=Ti4a#*DoG3DJxH8vi$XdgTE?-GwIk`&MQNewES&lI~5@PbGpXU zUk&g38D6IgT+&)a;PT>&zE4sX1bsVDNxV^uu1r|6(>oP{!KdB>X(bq4)A^CTAf2Van9W>`LWkeT~Dt)-TRpQ>#^bM6MH>r*Z5vYRZt1PXad8Wrq z6H^IZ{iWypLsPLF1Ua_h{)?zxQ*KxKX%zI+u#Cw@H{tTxg>d=oJh*&zVO&1DDK4KK z(_ch<%gUUtJCod1pq z=f9)H`R`P4{yQ3+|BeCYzoUV<_O~6nc4ly+e<@utP!(yXl&Q;~ut4-WDdc}nnj(Tn zR^{zqtBYIQaHU^yO$@+6Xce{0zz z{@*qiwGNyEfp&&wojoToY8ksp5akZb5a^!H9g41S9sgZ-I229rJl2)$@r0pgEi=un zHjqHFWR|9;3b)kbS*8W$v3dN0ork><5^CibKJrQ#Sh|e_9}6o$I`x<#_oy!3{YQNL z7x>PHYrLlPYerSbv^3bOzr7G%CiTzGe98k4y@XGKWKBqmR^7CEI zkYsl2bHQFsKk2T54+<YD_~7QBc-;Jh z@m&8i|M=nNpE%Tq&A@JF7!kEq84LLaH=@hZD*D`{3FT&TKkNT+qsYqQklR}_sIuPW zA$_niT-^Ej%JY;qVi!2xK@zSG>pV~D^S316`0=dIq3hbH9ef*Kh|9yR^gr8cF@li7 zoffuHcMgvKUhk5~JOkmEox_>lB%?Yn*0u{QIVh}FYI~cb7P^uT-n`1`g3e2nx19_1 zgdI17@Nq>K@UNr(aKkJX39fBr+qbww!twLcL(9(KG2-L;MA04nJ1^Vd&dXZ3^Rf-@ zysU*gFKgk>%i35DhGG4m3$}16t4Lb+un)46KltXSggJVdL2>s3gD-qs$a$qBC(5D&xR|icWcKM+FSOa?3)t{Ih)&g`buG-Mg z43#^z@k^4a0^fbkU~kZZxWfA z^%MX5{@VX-R7YEW(WDjRzGVKrr#6UUI#azz zh_1u$A$w8PA~k4AYI#-kUI)cbcWpXTt6}$&+V##`2t*?N4dNDzP~n%V>{@kYpcJLh zq{e(d%+DADL#1@#si7F}LX|bVJy((OlieKFKE8LMW{O0j$>%$?mm9syt z6VB(3Jg)woE3t?~t#sx|2v^~B}Rdg1bCU2*xdSx7C>^+c==od$Q{cGj3luyOy;V=f@>iPKd$9v>*)_v*O==FGQGj+ zsW*8j=F2A8bd`_G@drYVI0_F9Ekr>|x;1k!7{%DRbPJra2L*x8=B~4za9`p?nz4#I z(vZ}5aNY6(&Z*YX$4fHcAWdBSY*QDFg%%%gQf@mt@5GCF$UwA6y#e2e-rd!6k8iaB-X;Tmt6@mxd;N zI}ZZ$Yv>ad+XtJ8MEG*#iOlcZG)TI!7jD0j1=ZgVJ*5{-2GieCquxo`;90?MCNV#T zWJUN0-B^s+7Q%tHmhyj!>7*(?-=%BJFbGM^&ENAOTE%c&yrq|3^KnX(X}L9Ug|mI36a58DZArGWdLMd3i* z40w7u?X`MhDmwEcH0OeA2?|Q}9)7Osg=V(bw-hcW!u-d=wX!CRixwYAMD!sCNhaTj zDoD*lcX|~v9^8tAs&#f+8{#-9b_me)IbMfk3i9jbMK`Moh6+ihY+f256)sZ-m`{`UD5@dB-3I>1gRHEH~;$y;V^y2gaQ&WnwIJi3a}bvSZ#B2?)`8 zYpojif+$Of1L>kO47WYp&BAnHWzv=7OROM%*{zthPa8=D^9#-%mqPoY44C&`m-!?eb2Mw-Cm809m zNVff%rXf=$3MtfJGX9nil=oJI>^+mg%vbtH5?K;Bty#S3a!kVe{l`~-cu9$#U0qcP zcfOXvov*Q+xYp>vVF4H1`C1-#zLtVA)ni9LC5u6qo8ET)Rc){+HJn}&YfKzl+x)oxefK`5u?KDST?xaY1p$XzM~SAv~# zsx!&(3B*tRWh(@H^GERIC!AKzOYLB01y8CsMsJHXQ02=T0ZPKGaCac3mUVz0lH_#- zo-lI5Q`-WXs0>X1({O{KWy}^l-d4WW5;X;fRdZeisZ^BLS>Ho?(g&V61$~!x@_=M^ zf+HN(zIfkP;Ooc7_x_x`;`83xatJU?TqI>a9sskqTBpi4ix45@-HF8J5HS4fs#N&a zAIdjI-Mf#R!QF3DKnMTB05>xV=t?-ctjH{dxW7FUd!2V24A)FUwJa%ttV%^N{u(J< zL|unemD@3W{gnnDo{R7!$?Fnr&8yCrw<3E_5F;6{N5SHXAFX6U z(ZVI@E(`ga}C6 zD;E&g{0ZVE%PF|t=6OAWY6?!@bzOTb(}Bn@p#tk1N$|YOYj!qK3{FTl zE7IwS17}L5yZQ6#cHL`Ryx#_xOozE$auC5kO>DyVa}Y3yCHy%3ZlB z$WLgyhpzJsEU*Wc5N4z!qS{nB*S8UP>&Ixy%jSgUrIGIXE88VoTeQ2_JP>v=0jd4o zXdRH`gL~5CTwh(RfLJYIL0S>x9#?)Q4$aks_ovdWw8l+PE0v`8-sw%noq;r`Nkyc6oK zbqpFU^TfMfKJnJram7p5CK0PL_4&?FD->@dN5wrxx3j{CJ!0MB~1(Odk zUGl03hFPou))MvtJKwJZPVdCZC=J31NYbG@jU zJ)i`qhcv+HA=PktNNJoNQWB?!RKw{ZrSKlF!DGO~=opNyIFw~RIg8~&^e;qqTRX#o zS7L|X{nKFc*F?47Ndkm?#p|ze+X246pXnB*SIu58(2iqA(V}4|9GnX`m;87exXn9t zlp^myz)a5V-&I}UZSqY2muN3M)=B%U@0^P~lrBD^Ch~xz1E1|(XM8{?w)j?IGUf}I zI?r>!$rB!0v2;{2`@whh9m0Z;QsDpOX%=#}0>#Nh`3fIYM}JI+X_}^sp`V`6L-2Yj zDteM)a#k)GUY6y2@R!d*WA21+G|net=OgbeLW~n%c(>Bst>(9~SR(xeWu9apD*q6F zt2G|){pvrzh8WJT!GQB?aN+zKA~?SW#;5#`UxNi#4|Z<B3vD_9dW4#yLOr zSp^VxyfG=;nn1VKA|sv3>Y*j`DCxFy9f-ul?Xjpf!>Gzx;ofI8IG*8uudl$DXLwgx zKfUdKeR^yr}ZC2;VlL{9?Z$-)$_lr z@>k}-BHVr2lf)e6&&sorQ&^)beml>F@0dUZW$?=`a%V&;OMFN4m?5-0D!nzUZwzzm zTytV+s(9-SR#(ON6YZ3sH=F-}aG@eV&}FUg7*|x^RV%>BC<|j2s=2Gyxysz1k;u)iYt8Z^_^47#TpeD z4lAFTj*&qPX6#*#rR1oF=}UprS$ViaBDrdD&Kfx#-Z*f&9@8m3Ei|=I)rKDT=Z~a@ zOkgSEH)+-hdqkfa|BWO}18=?ozJ687ecHqTib2G)EM@%XVm+Er>y4Q`-3pB5rjlf- z4KOaGoF4n51x!2Q6s-@Hz=tt@&I5dOKstDfvow|#3Lw|Q{yIX8k#1bx%_rdN^O$QN z_URz&jA(tW$|=x2c$es^j5)juOMiBZ)&V?rI@7tDqtU&*I{~D!=AcF%pfu5B1*e>cVp#P2hy9TtbTsnUW%gN(*PHUV_SA~y* zzJu)(m_Exog+Jk11NxkFY~>V9GUo69%4J#;gz4>zXt}>7f{4wprHrZ^K($h@#21r5 z)9K2cpyL=HJ99^NKNjO~EN=@HVOi2k`v zhYLyYW%^UDwPZT%Xl@fIxuyeSHf5rYGv-4)Z*%a1b_zJDt#XhlI3uB$p4K@g6EOR8 zSB6p162xWJe>}qcn?AwP9?;&(%?8(vgqWGonD;u;04cE(UpD znHY!N#i5ihF!Mc04Jygj-i`Kph+5KtP`Ef53&PMK55`NDH z`n)0?M9Bxcd|Mu^?B<9{N`~0#umA|@lbyen%mWAR~5#QCTMJkERP6Yn*RNDAp3Xf2lHc6c%Q%U-5-V=UFe-?l!2bA$B&I!rNQaf z;pRi6TF6y4PUdmjjRL&t2ydMdVk<|25z$@(&)r225H#LRDn6kK zOD>Ym4KiNPaQA`M^IeT=2XnZn{g#;X zjw=#-IQYJg(g5a14?NqOG{t>OSC2HV9wl5o*uR%A2Q~`mAkPzkdzPBJJp#Rw6(v_C zj6^j<0-U7mK~Nx4?zgLc21d?{P&{i$hd&3zV>?qY-nfB!x|6Us6jl`O=VCc??cZYB zC+`J=QS`Krzj6dR$eha`eHY8A&Q6{xt2qg}7WI=G({#wXrvBkqx)U%t^naLp>!vQ+ z_kS1!m6Q;qySqD1x}>|iL8QA&N~BXlkWds55e)QD5EWZ7P(e{aMF9~}1X1q2Ki58h zYkxD>%=a&bnR9mby}M@|$E!H`_Kxp`es=OgPCWrMcP>J5X^;wjub&LyoWyi1zJ05- zzx|N5!G^N;$$a#Y)rX_`LktLBICk>Q!(h-P8Mt_mGZ8w~__VB2z0liYd$||;oss$T zFn5(z7o?D^IrE*<8Fn3r{At_o37j4Ei7906u(YdD``DLqw7`1*JZDY}JSE@bC3rFc ze((q!o3~FxhiUn=oql8fh3>jHj9OxWsNUxv{o22;*NFDFrDUVXo>5|aqDs4{9;0jo z*9V-11`^>l+kEo1oyqWE<8QCg)qF&5&}-^fn+W?n>x6Z}Ows+CpAT$ zfcJFMLz(W`NJ5-p>AF%LP%kMqa#<1l{@6^F)+*I1p}$HzL;?~mul6{1gi z5@}T2DG-^l+vGQMJh1HaP`PZE47I(X=!-=vOf6EyO&^bkcOTSVpcyPLQ1X4s2$=?) zdgAYKmRARblNIG0t`}GK&N2~s>_9-+FWk0XOaMX-Ry1X8x=s+ z=`H8f&q$!w^ELT2jB=<9osOAfjO7q3NT>Lb<2te~nvE40z(HSU1v3+y)xJ18Dg zBHzl~CkC!2*#Ar;U5i?T`7=cO^F+r-Sn39hWuAeP#T|w%MkR=U=4fqxNNd0G8AqcbEQVo4m0qwFP z@-0aPP%F-}|B;66KZBc3jz=kj6i9zwbW+58oPa{0+6mcbWl(fszV7x3%c}3{G|*zW z3$s~jIBbsgiHuPCLqg+7UIbRRzvu9mQ^e+*vf|wA-4!RK!4gGZ6D))IK8=OPwkm*q zbgOh{p8|ZL;kcP>BMT1Scd+%^V!99}`kTt#1|X#Bni!nrhCT&nzcV<`fs!~LrxjW0 z!l@#y%MX0{QG-kt#ePdYI5u$T+!jv@+PD|FuiMNE_V)AteBl`fD=qHlUEgQIwcie> zcHD>o;m?t8Nh`7l=fx0Re=INNa%}ESL>41m7w&ue1OKUm)#<_q;G%%?&C=LJ(@-3U^p&c z{QBxvI?8U_tm26|05?8vPuZmVz|X3?2JQ{*0NZ+_E*JTxp zXg@d#kAAa(Uw!J+d@Sa0TC*qOONc!X^@nsZd2nFDo}+N``i1mAcRQv5I&efB9_I6&?IB}K@imB$fe4+^!f{=xe1JOQ8U`IND` zT|1neS{O}FeiJ`>LJdp9reOh%f2XWqVI)5xJyyA#17BP*pJ zyg#+WugQ$pe6d7>q_b9^3#ifaYk^*p=Mdrbkf=WHn;CaiQ@RK8nh(4?>W}FYZu*qf zF3LbMed5ab5OrXZQfEJ5p$wNO!&XPRGzhN`#e5yR2E`7-ucIQL-i(HVO7KvA(S-wEfEqCgn%R~|e8m|qT2Jjhb3hbJy46MYDDangDp2OW2x&|cL|Kq9#c zbIJ@@Zc!<-%134N*O$>`Ec~sbTVPQAXhOl<>|%|uy-O_KwBq%M*RJ|6)KZaHQT`+|YSa9HjyT>y}u6e(+C^g)S!w*-?%qmiv> z!+3Z70W`#9VsTpblXk7R3MIOw)Z* zmK5~5`ctI92YnR2@0^d(9y^%0%c8x|5e)5qzq?lxJZLH5?q`sRsLk+~mQlIS0%R$T;52A;$ zI%wf=5#>=UW3=q^ev^wi2I3P9^(0zFpvsXghU}3aSWNG<+5Q=X#59x=DPLjv@|Jp+ za_)!0esvMn@X1iHy>!l(?t?t~(^u^~*?RzWX&!zyUZsT+b-F)G91Vs0hqKlLZ~Mdf z;2TcVvISWFp2W)v6b{SH&cXvqVTAP*MDanhUdB|qpKY*0cRbTHtp<^-8x}~s?10GT z5=}O*!)U_E_!d`G4dRikv3ZzOjlw2G1Su^Y(D(Njo2Iv|z~10_hAX!%Bt1=Gk4m(G zm$rJL7H=Jpcyn<3Ib$tk%^O$6N2h@4R9}{Lz2U*~5?Mvb@|a-4p)AksmlTi=crD74 zD5KQa@+KcL0leR(kLM}N;d#pXc%HHxo~JC2=P4_I%A4GvL@rCvy<_rgFvJjOQ>+r7 z#A10#)lvlr%#Z7bcLR*V^W@*B!?zZE?KP2*)c8aJe{zs zoRRv?$9%J=Jkjj?Wc{?q_F$&@v36I#1H4|i`zJxw9Gbp9HFfrILTfLsuhxDthUE^* z9=k&(;I5HzuICn(A4xqD8unBl*pH;JG8HwT-Zu*T7RO4_)@e4Xc>QXqRG6S|AngXN zjmG0JdK~dDPnM_M=*Hg{3C{l^fq(EIAsi3-jpIS2IREF*6{6>p|7+uI1#@x(zKUWx z&n*wn1HABlSB#YrixrYg$lf18Dh1<#=QPF31;BVMygfAy!>GET~V!vrJ~Fd*Pro-q2t+^#d~RJMY%)T*7q19s_$kg?f9a?C4%V9^;%!b zaiG7~xnsxt4d8U3nA2L6407DP{54HZ4mCTm&n!IBgwc0l=W{h(Q94E7J45hAK814p z>)XMsU{~+eDI3E4sPgc@FDjURSf`9aOvOtN#Uu}F6vit; zGOfFDXQM29b^RM#q9g}u*Qcuvvq%Hc@uJVp?;o5AhT?Up7P*q+Xn10II*c+3J+Q2k zb0E*$`F(GQpzJDt#i z15eRtWGtFX%Dq`n=Z8!^4JtbWNs%ep5|y=^B+v#=IPJJYhnPj>c1KWH!&>mZ-N%qV zVw4_H(1|ccV+Ur&D(xd6k9V!%x>F+R>rF&~WD&5mUAq}_HWaewf@h^KCZYR#eS-e( z3M1@idtKd6Vb^^_7p>qqe7^lvjMUP~A-HAD)qY@S8mJREUf`T#h4gCUwI?qQ1w}KIOvr)XfG`evxFj z-w_G!cO;Da9c^FvCm(PJ?sxR}3Q_ztUgUL5@(xqj)Twdp3DSW(6B&zczl~A;ZNXnm zZ%iR1J4TA@o)wyBkiO$RsDp^s*F^izMD-5E6*ZyyEXtsm*)L*~paQ)5e+METxgle2 z%b#}z6yWS>=lA!sRe`+VOmo70MNl(4^j9a^0D5nQe$b(@LlW<^$F@%!LGrI1Cl-u# zVORG|sZ_87vJI-&aQ~tMDV7HptQii#+e4=!?)sCW8j{$z^S=UMsJg7TAZ&m>;I1pHTT_D#Hrgzc;r+-Ly4%w( zszTqcfuBExl?eB*h(7t zW@x#aI_|q(i`WOQG)XX2Lz6(K(wU_iuyGA_Jp1lAdcpgxz}}~pFdvVo{_7uor3|Ef z@Duj!l7?HyhS^%lM8Lr6h@_#JHCj!RTiGiw0lq3j0h(q4(4Vv{5Rj(>Otv{DjESlc z*1dU2OhXs$oSm>TXw-oT;{}U6VRhI#@@PE?!=s+PZ0y}~t41z^pW><6!XUUJi`24T!ob$LEv_Wh|n0aEu20i20?)|)|2K+~& zPu62O(esEz9frSbWzh|gbreEurq z^H&a^zlQkym4&otRojvY@rbiBXH{P{87Xgk+c|mE1ze<_4m!4D_}E0$AKPCT9^z2f zU$qemXNx{MQv~<|Nv^})m1s}!t+8qvIduqe4QZ5niu%K(q-m`8v^Pw<+a$D42KfX28$#vP2G1bw0*3Lios zye3U4fwd5tM=ICf8zmr@s|-P?pcGj=RNLkAst9<#eZM%mnTfif+4Gl=81$p7=Z9=| zLC1x=brtn;aQ$iY*=&1tXq#ewV@|3JatjgDT$YZAXg^s?ubY2N*AE_(jML9~N28P{ z%e_s4o)9A*sOr0g;a2X{S!Tbn95>#~#J@ToAVGeiX;jz?hPNl`ZrQtlR$+@q(o=KL z%rKLf5e)^02du_}m4YyAe_)0AP73NWB>A&Cpa6q`zrT|)sGtV-;|v%{9xgq&U@Ce; z0dx}&w+!fMK~;HS?So8n6gp+{GhSI3jn-aHy655qWNK<0O49+zn<^vXcBei{cV#56 zbJIaz22>?}9q@!E`wKZge`kaDSg_0bg$l%VXU}V7lnXR;+wVO$bHU}qh7a2W`O^vnHH>D0HiYOAY#;M;Z4ro1)J@%3Si_DZ^_ciS&gO zK9I}Rx%KxZH<(i~Y~2JE^nU-Uu7wW=9B-Io<#@=7GV@B=+m|@u8UtDBOWtA-7{1}B zGMfvmJ0#eZpBDnJ;accrIwe%cynpAr$b2Zh%*<3E*MY{8{#4B*+o5AKL*g4Dp(wJS zDL#4K4Hk|{ST{|(gH7Nkw!LW*=v7(`Q}1<0!u1YOeK*nb0MWdsNlr(aFCE_CEVjui z&J%&wT2ER}@_0gk+MnZeiC#eW?9q~@%t1u@W$UCnohRY?W#VmBNf?DJ?95Sept9D3 zHG9ADV{)#rLHbzo>mwIn&6rlDZ*>9%Y?3eW#3QW{n~K;xM>t{cnELUCI}9^_Y`;Y1 z3)UYWB+P30LbyYo^J6X>XtSgL`!_iY5%p&vnxD9`hnweTi5!aEHK;n|uL|v^R}*Jy zOkg`QxZ|mVDcsMI5b(UN0_$HA_fwO5Bck{n(eV|f3g=Ic=0fe|=d7HvhtT_*^c|n; zqd}iU?NV4?+tvnduf<)WYYjme@)wSvqSZc+%5`YChvV7|7Tb#gYH?9g4- z=J~pZ8#XOe5BBfnfGZZtyKUkckv;FI>S@X<)VBW2vX#FM8cAE(Z%F)~FRlj~0%uolrXZ)dVhIohbN`Z3>1D*oB=X&C%i< zm2U4ItenJSjZ1dADGtm{ zZa=CNrO=}h!+Ac;7wTSZ#o6{!2ROg;?>)B_Hz?w&d&np62`!Be*1l^xftN@oTNHg1 zYF{EhGx(wtwb8yc65N#oroAz&p{Cj3dnJ1@&MhAf8gjfTew7Pkbjx%~)p?kHBx=L1 zdjRoX3=5-Cx`O6s1G??iPQq`$0KUVbXCT_~@lU_Et)R%}Thb%n3uRFp^k?F z|M`S0obuVJ>3`7$y|%xvHPx+)tdqo&t1&)V#qndu5^m^#)K2n?RdE3rf16IV0K8zv z&WBZNr!Q2JjGlMqjz!i-zrJ{3;SNq;t*j+6-tzfl!aD?lcv0si?;-bmURZz0Z2s^m zAL{o!^4mFr54P9OCrZ2#LKTNv21KcW2R{DK*==r{_UZWT#2(&%C?GmC5o2)9{@&`@OY9{j<7pWT1O@1Xc zHwlAE;ad+2BX>=ObkC+!V#skp*hlVgx5p*Q51LF2=m#vHA0Nf zd-8N%+IYWuPBDmW335&$I8K4TBv|c+ACvJz-w|M^~m~6r7Z1*~w@@1sU{V^889% zP~=(R$xN*dYi*tZXUKHGw%|k2bc-Uoc~d%zHq!_Z^`9j59DN!6DH=xQX_?I&Q((TA zALKY=z=4(eQsZ?Ch~c(~6j#bYGHeQD`D|H;_u!M_#?x-7$*)=UT4X4+1yn>D*93rx z`u0)hgV7+BX2x>MH3Mzs+z@?A?}v!?SE=|XS%$H5P1Cg)mZ{|iwE6MyhZx@+h;4sY zD;ARrKj=C-OQlm#+sRWRWp;-M`(qI0=dAAgoW-Le23@q=eUi-<2=hgla+8#RvZf@T z@wWnyyy`6Z0P}xx+h#4Vi4q{}pX2F49v8(Ch#D$9PrEv)qn?M{-p|#{poT&>gW2*q4>1H4@FiNlN3bw@RB)P53VINSx8!eFPXA6eT#$`Q+ zgOR9_*LVQtUuZUI)fL?CiLzh(r5QIgfST=^4#yS@52CNn?Z`C&$ub%5Xislc!pY8_&MtxEF z3L%KjSD$Xz1uPGKaAs8n)6Ed&m&#-qO@{0WMZ0aSZI#7i5T~+&&AZJ=)R+GuY@0q3 zDol1gdde6AEOdq3KRu%0+MVlL?ASSc@>!kZ1EqzDFv74XuZ_-#g4_ zB!2ms(UKD04_C$W-SqK%H&r~}O$pC;Gr;rRlptK6OL$^u4Eky^;?@!Gi|%)pmD{Hn zqKBm6CXs3Wu&$!hpQY>#r>E`LO#=K0=Wi0lA2r#e=D&w4!+c^I8^g2$P)xN(A7Ism zC%q+7z216gPCG&7(lKTDvu8nmL&X|BIT3b?en<_Ld*UQ(k}%!@v+<;zxdr@MDyrV1 z2|(jdZx{1j(t;3$DR|ef0!HrK-`9Saz=)b~H`{suoEtRAK3A6jwJVoeq?WSbp=aWT zuSXEb1c^C{uT~M}D-vD*iQ@G{>*as+?En6JPSh{)@EtYHDT5riD}7@7^V<|m&m6yJ z>u4=%?M;&x>?;G+9V1`D$C}WM`?U+%Ocl`bczEF(l?Rl@GgXFcy8+c6`&(N&ndtgu zW)9y^PGG_4W@CKS1M*%71RQB4j&~E?@BZuYUF1%qD=*BTD8aX}29(JUS zC@nm~_?>RM_q&tpBg)th-?_LY2=j|_k{*tQ|MCUf&GUL`tDX>RRusR)7!1~rI)1U7 z@dE|faEhK$Z2vR=?&AKl5CvB2>L(p_h15B|_miHOuO_8II7yB>wA`s3xBHEq3vV`D z2nz~DGVd`yEQX5`#TSw%J6wlYov>U=L&|oZD6~(`O3bCh4}`{3a~Nv<;8CKP_ED}# z^e4W&+v=^)}Am3B=#0#W_) zacle9U28RP`fp3)(8D;i#<<#}XHx}D9V^-={i*?kn}zsx=EI(rQwi6qPZHiQ^47ei zmHD+133Iu)zncQE_w6aDiBbm{8K&xCNiC3-@_Tu;P7$=<#g<)Qv&QR99lYMu!Rt+3 zyx!Es>rF$v-bC;_nUnQg^HC(bCqpylLM(Ky9bjf)O@OtDvB&%M;^B{E_0qkGIJl`{1<+rC2rJw9F+UpONKr|1q%nN#W^=Q?tokR=h| z`}Ng4Z_)tajk!xZ1s8z5vMks!?wo=?e;nx@kk)(}A92ulU`2w!o6X5UL}s z3iq=2RlY<@@V%R_&udN|GBl?{*SN0n za$Cer&lr3$*%h*qWvv5Z++Z~~a=l>Q7m_SgDmHd{BX_&+k8J=7C#_eb8-DB6@a33 zE}o=3i}`JKy0wsPgrJP`@lwwZ_!53TM9+JULNrU=ujaMMo_jwYqR~S#L(bfOUl+7L zN&CL}Xe|vYrBkAnjQ-dHipJ7`Q>^-uv zbk1V^Lz2d|F9$tT2>Ye~lMg6>>&OYyX=88+g6*>q7K;Bwnxmd%n;kM#^$WeiyXdOvAoZkc}1+ z?r#Zd1|k1t^wQHc5zGH&{Z$hxiY6WZ9K2tg3<=Zub(AM8QPUCk7D;INBYet_D3 z(0mihE%8$U(k^^w-DRr^r&gq+g*B}S*R%iZr~m%`i+#Rv@+#`XmBQlShF>(O;a*n> z+dYgQTFvtP8Y9*}%L@y*{ql`AgVnfFY1)eRKYDOVTn|ox>%nDkJvce82dBjK;Jcum zQbn7Z!W-7yjt@kI`2js2<9GeN7!Ur1ua+if0pk06XjkvBKV0{t`$1O0hSsZZ;) zA#0la;iQ=gWN<1yUVo(ndwO-Ck4zVOLPhonx@p3PV>{2)Yx)uH*Zt%7;*VHAFrOnA z(uOjvAcwv?I?#~vMNmZ+%Wb&FT_AA=!45&Ac_e~x{|ZIizd{4|uMoxkE5vaB3Vz(b zLI8qPOohG;ry*{Zh}&QG1_Hl1V_e#cXb5$@S(`*Y8Sr{jLBHU)~Y?c-R_kvo{sl%9}vpftO4Lw=~e8 zNTg@0o+a!m$6`3Jyn!#-G>oN~pYFB7BDPo_OZ3@cxA!f6j88nZU9h0Yj#7?}RwzZA z!Ytq2dKGtDv@*+VW|6E@{lz(znzVSk!{xSHwxf&g;(hBuSy$F!$O zBT!k7Hc?BqgUMWKQhxLpVhU-E9O@NEKf|Otm+f^Mv6OHyq-K%ZxE%oH9sUaIn0|(+ z{@O&+L!nC~6Bg*d{u=t64qb8V*Z3h9NR$6`yc$V|d-Zm6r@~Vp-RSC4c-L`MviHN= znPLNUL5iE@>x>i_FiYP0a8nb}$enAmKdJ!Hk^K+nK^7j$zrCw*Ll$^fzj1zk8wj6L z{h4Iv1Hh%N@<;8713>%oNTTzN0N_9BP{SMQ2T`)$t=Mf3BclFGM8`|9esigztUz*y zf?GU(*PyJoA_8YL55fJiYMT!t1wc!g+~iP^4+i?@I-V%z;ri&cD`%CyNNxUEy3+PK zIXRzV?F#qMa{Fz|wJZ7wYPU@zzFpDiOWrkmlob*6ufD&}t>@8%7m9wrxAZk#6tKNE z*KivzM>>lS-VccsEgw{jG18)>69d-Yh zN8=21gXWxPo&=zbc9qbT;R48N?*qBYTqF>b{(C_F5d7pFrs47~K~5G*wm7_U^1a;&NYTC_!$7^-z?(^;h&z zHRN?#zGGE7j!sh-8ZTGZfVYLm=cJ?x7&J0Fmc`kD;)TTd-gg`UqV-h0-!sY1%eru4 zDXjM0f;H-MlQJRMp$}pgc?J$1*M_Q>43CT(Y|w)Afg3mb)WEpAWvBI({b<1d#j))@ zYVhHeqm2v3J)DztRJUg+n($(Nkys0_?jEK!y)%a zb-eLvA-e6t)~xs@6@GaYep+|42Af$|)tA2MfJSCNlo@Nld9uTlVRG`I=CfBYJ5Lep zgsvv6b1OpsZia7(io-p3Q^y8tz=s`nJ zv9i}`KC1)u94F3@Dg+@;n`7s4>-4~?J+kc6K^(AZX zxBIqBDCEQ*=TQ_60_jiHpDSrnkzIa%={LG`RJ^C<&+Lr|5GH$|?@AU4Z*+K#J}A_H z{MB3qs{R_-dr){kRZSU8-gRpro2vlttx7@f!t+>Oq}Fko_A0{pVtsp2i*c7dn!fFy z;45H&6n0OZTHHZ{~D+uY=Z8_jb>^RfFF1O|h^0?Sb3RCgF~ZBfOldee50Q z2P&g+k>#2hD5*@{PDaBCcBFTwgjLxR=BwPH*0xXQmql42Q?4`hX2>a8-jprQ3?k%I zNAj`0R!Cd*i3R~3cv2a6zj?q6%Waz9`St_{+`IMN{BtWSyl>f^8&N5Zwn7ayA4M^P zI{eY!Ug1U8_AGkO&+UV-=hG>|S8wVAQsw<3|?)BD`m}>0y(EBK$ik zmQQ8=RqQ|sBVoL9;3FSPl#(o{Y$ra8bX7pPq0uUf!qRY>zvs-+E-9cA&A%u9UK52= z*u6coTM%klzu9m7ltp`~k3CR{XGCvg((|63*oB_Xb>46|AOS8(&i5`3u_Di-Jjn)L zB0!X1RB`*cadV^_Jc?5=is=kR$`{*JCbV3@zjMh9J#hz(+zXB(TwzH3sb%>MZOo6F zU_RYHctou)1e8MuoHhG3PYA zXCd_kI+Ec&IX8c}C#cMz9_<6^lc!HTd#(ZFzJlR_ie+d9lznUpKW;J+L z^h`?Hp$}rRDfj$UYXQb*U6wR=?+~sZiS~bpj;}aH^|;L0#ri}ZW(c}JRdvSlWJ-ELaBkpfT zhu81Yc>OMd*YC1;{Vs>s?~-`^Zik4@U!wOz^!I+aecIWHLm!^@zDS4&vPaVW_B~eb z^g&Z+aJEoX5A?36${Op~BfAO3iDqtHU`b#+y}#5A#eJ6Fz1^S)RqiL$D?L@AP2mZ( z(R+D_SP%|%qEmq|p{8Gkj}-{__lQ0pqTidz`Pbt;w|RkszRAmcY4*C{}@xu!AgQ)9&ExxZ-z z`yRyiRk`||6NcPDBL)31akQ+~Rq)+b5Z095+#56%gfD#$^8Xqsp#WD3OYs#B!uiGj zoCo&f=K&M^Jm86+2MqD^fHi&|FaqVI<`RpqsYtS^-uW;JhKASY^Ot&Z(SVDQ`8TIj zuxHu-d@9}$A9{z+IYWI2=A9_;Qdkoyk9Dc_e*sUQU4bIj3Ip~ z84oyovtnkTECDqSeHN!X=MMFZ%fE&#-C%P0$+d|Zchoq+cY~{(lnML1Dvv$)&xMQo`V0@oRDcn4H+B44Hr`KD#Pct>@cawx`}rcRsXrlw z=U=Ge`4{}SU**4F&&LfvI!G`bMq6J6Nk17z zl)JlVW->dWrOnQ+hno+g<@~iO)cMd(mdD$@?Oc#*KcQ*O&V%XB_C2+Wmq4Q)acPSO znSto{Fj(v3*W*D83B_4wMxRi?t=Tj_a?VxlHLcHwgl|)Vk=^&&F#&2|-`ulcP$Y&7 z3r)w`fJI9zr~a##;cZ)3GOC;~ZFGcsv8XDaCTnQx@S3!{=!pB%{(C%v zXdXAw{yfq3gy{1j+7AT7jXg?H=Aa?0LSYwYg_e%%XUex4!|RpGTaVIB;8k5gyD+;W zGP`|nsP2g#;r)fEUX|$hq<|#B8ycf1(W8scBzyoEQtQ}R#jXG&*N^X-vsaMB`io>+ z;bU-tl4OEavzPGtM)bTC%YW3>CrS%4NBVgAl)j7kBANp&Fb(1K>~Q%$(<>AlfH zYJuVwWVq|4Ef7)u6;XdSqJD;-rDA-g&Xr?+RGvEo$Z64)6E?^DW=rA77KxpVRWWp) z4jUcy&4rB#YN?XvRY2Zru|XDq(KaeDNW7E#dl?H*5Li!NvpV#}`)} zk-AExAv3KP$5{jv*Mdg{=yJeerF}G9G68L&GQs_1#c(WU@tYQw*I9TxWYy|pDEj!h zv)}G|I3zXoc{gHxR9#K3hUx%!cqysX#nBuH*6+Eka^<2?Lp2yq6Q z^AfpK$Qq?Zb-pmpG605V>Wx~=&*pC*KRTB zw+O?;t*NTbWdX1-|L{2K??G5QP;u5u6XPM9-l+D({5p3>W?yy}H9+NW177*8+oHD* zi?V(4Qo#Db8!eip4AeEVDR!UtAjn2ZZBo7qfg5~f6_5F2AVsq%&t@VM=|qmUvc3)n zjh3@bRjY=`_q>7h6$e>JnYkpMepwm9NNwK9b|?ask*E99>qcm)_Ki`Q4(1nh{^{+_ zOGePR&)(x;xdC|3@4T^a$QkXT|McfovptxaRvYe`)CIEKK`G8PS48ysMEymHj=#tm z8kO5thZ0zyX$_QjqECa*a(7pi!oldmsU!RqP&M>@PG7qbK__^=AU#}yQ9|x zHcpS8J-9al?X0_ZgzT^x^m|9$*@xAsmUjinJd}(wbN(pkzI%KcNCz{^TPaMcxzJ*BlkLu6GgzLV6dnB70dp}6 z+f{M>h`tl+%J-c@_inSB{I)6wiPx-?PZOJQKEuC1pA*e{B08QZKF*x&`;xqd8Nw}J zo)bIE1dg<1kLDZH&`ziX55>JuU%(pJIK&J!sXux)8X1A;c%uFcMER&h?}zB~{D(hp ziSy?basIq9&YxGs`SaE|e_o9+zcDB*e(^-5JT$RoP%B8OA`;;@89QS+(dX!<9FG(k z2-V#bxjm|c3UkgzUQU(+`SUJYvN_GcvI}_JV_)yDkWVvS>lt zvGdG?@iNOX+i!xI-e|qbvrQE9_h4Ju*ARsHbbQ}If2tR&vn|JzC@)m0z!w8+Ia-oaE!r$8P4YraTZ8*vrFp}P8xxK)`7ZEY>C61P^ATv>>*&Q5Z)dRY zmAH}lkr#1asWe~xt^t-h$CbD)=|k8bZI;xxBA73}_ImkYIryS>;cU056Ed3Trt?&C zg*zvm$Q;M*;6aTr>+HNcL`5@tccK93TDcln6KxL+B^qZP?q#C2hP-E&z95uA_mj$h zg$XK(Ts{~|umhLAgmwX9hqAyV%8hHx5NqJV_lcDQHcA8BQKbQxGJEcgy>9{+mnQ;G z{<4O-y2p#W>=B4dNbx3$Hv_xe@;h~wMo^b{x@lR|1(k;J%$2{`iToJHmu0z4prtNa zYT&&dgi^;01k~^%GnKS2MMb)V&(GflpHFu@mqL-|cPWh$6oD~|ezn_187w1(Qcsg9 zfIz_6V*OHU)X>^f8MR*#(iys(8Rev5tV@op$lM>T>Qd;TOY}M!JKo5H6iM*D1tu&_4*X4?q zWj(qbU%Fy?`u3FQ-|pz`#;rPQJ9o%1-Dhhz?t?^{Z7BY#xB$go>Dt-FTDX_Ueo4@+ z7A|v0@Lv(SjJ_r8H@e(f0~s~drFMDMV6yv*pI=Q4o|nOo=Vfr?c^L+HUIrJQm%)eU zWpEMpgCfcYQ{AUM?ATic*S%zv-YC_8GeoJ-4PQb7_m58fZK#H%N1fFs3blYi`O}?O ztHANBb#~@)exN#2sHc317hJxSe{M2XN6L5PoLo0Kfq`c$~v!UY=hDP<-)#@cps_Xp5!5UZ=|t&a0W%9b40d(hE86 zvMoL^;Ke0s#Hx?yy&3>L_0$)mx1orN@1)QZW?e|M+YzKus|)h%JWpRFV)_i{Cdcp@ zEFVK_`kvr`Kccv9-`+gs243W9cTd;(z@G!rR$k})(VIfi)YGqBfWDt{k#S?x?+LU{){~9} z!0+M1=>cEe;iALwiouL9C}E%&vLOus|3il1?Bd>V$!=^cXjch(6{phoVN(bOO+4Dy zt_whJzaXoej}g*SI3iicEC6lW^&-g)f=j5R)O6r{nG)}d!FY5^ko{NM-AokEdqFAlF_uFx zuS?fgorsi%V`Q%x=fd43raAq@gt)3$UppfGMqn8g7fDEasK@Fm4EWucHsQ^?JGp{ zfQaTJ5ap9!U@3PRzN~}gvy&r%-_e%yA<5kxBbS2n3>)Z=ADAiRh+k1u^<{q$;zyv4Z_eJ#g z62*Us`hgIgFJX7vWdw~}L6Y&7Vqje$EOD}k9!&MY{H(7HJT*u~9v1>PY{T3@>67-R zJZTUN#wn%z{9*@k^<=XiLsk$G7s(P69*@o((>QZ9(H@v`&RvVSXa#-^My^>o4utnF zN;-*m^BV#%ro22w`yTT}N($X5IB0+(J*GknWB7os;mir;27WN_cHScx#ZUNrZhQ*u zJTd74hwOhAv@hC0>q`m)FP|9H{BkAXsG}=ne)^EXwQUE{Vr!*hTl$FT?ALed;X{1x5DdvLA>4<$LoD@yxteW>wO9QyrGTrRWO~-|M)7JI9~d|MhsH{wIH$6fd&TnZPNE-u5GpO)wqAq|2*ErtqrYzpN?80A|`fPhU<9N3ynj z^8Q*zgxACW`uarIw|aTbT!*p%#5f=w7b6e}?Mhu4rH%nWElcM<^)U;1>Mbh2Gs5zW zob3{dPZH0A;9F$ixEikl-$^ykorqI`kM}pVeptDp*U3Wmmkbp_z^a#9_Kz}LQ@c48 zo25+nd&{7CW1FX^3q$(pJohBkp=-I-HNedhN%aei?w-*Go?%PL$I=>*zjxe1__`?~ zI-Y3W3eolI^@wAS-8XI6(JOL7LEHo5$y&&M430<2TofA@+wH(kP%|UO!WAaCj?Yi{ z>cjTy8=?zVdZ4oMteFzaQH4_i^!9_f-AL8i!&Ls9Gwa21#i7Ux!?S_|*%mb4Wx z_rx=OeIyIjU%PQY!QKjvY|hyvc@(1O-!{8;YLyetXC(T3i2h!p^Y{7Jr~4RRWuwJ% zc8V#^1kgD{bI$uuICxXelF;AIM(f7xWu0lkK$VN%{QIHcM-H+718qs(R!cgc|dpY@v6t60JQ(7 zXP--d0C@LJ`yC4oLZ*_Ex1Y=gLi%|0o`u11^sB$DEY=hAGa`7NBzit1y8nKS3-jF_ z>x(!hB`rj2eZjG&&Y=kNhbk~5fH{7ByzjPynpQVKAAH&Hy4ibQcc`;jdA z_L1v$Oqvz+wCTO+m~{awKk|6mz?a_JHKCH3`@K}4EEr_7bHR22f*~;j&93XBw)g(N-1I^Sbm^&IA0e#`p zdPBZuWI_? z0;+mOK=F6pb?u?LI32#I^+4U_E1r?J9z!F6a148>w@RQ+T;1KNr>fx z&$^CbIn+2at2-qhL;Oe6PtCViV16SN3JDE|v7Fv(rm5P$#&x+!u(I7dX|?p z*QL)E1;U(>&yGmU$J^?qD8D1NPTrL`sNBjE3U8DzB@GoMAq~OZNmd`?5K;XjQGO;- ze2S=kYD=Z~D;)KJV1cm`$QLWi7#L_QkV zxE`R(9{`D@0$h%?v8d4{>~+F}K#-dZ9!-_-h2_3e?IOx?h{s_vnJ%$ysfFd7~PCIJ!n23W6kpEQcla5k=d>=Efaiz}AzoKGx*{4~8%3 zn%4TFpY(Bu%w$|3zUR{Kerb33Fea97s~?7xv`QrUi>(Rg5!5QDehf0#N7g+(91cZF zpp$cvd*Of{+Eb*GSfMKq9C4Q`%#;+sr}UogkB4$VbiX6I-tMbY4b^lP2mkg0(&T(u zlqVtcdC^xGEFN{T($R{+edn{4&oxxhqJlhdhH??^&wP5ruweGh3wrO3*mC}Hf|

    qh4flzLht!QhvBscq~D_q%@S>3uPX(nB@^XNnqVQ-rl7#x>pVUr~E9~=tIUyM8B0kw(+ z29*ikDEh$kaw-RbpUYL6eg3{JeAo>5{a7Fr-6%8Ozr|w@<4$t6u>>9EXU+9wr!h$& zS?9YUR$zx({75tJ5`3uBzox5xHI;#vN=&5+Pb7d{r$LV`BoHxI#|r*9c^d8AH0_gO zCvauF>p1Ldf?!HZMmC$`Bx)lHjDJ&Z1C(XoH$S{}0;b{1hglEV!E{&aXz7HP^z(h!?)@$h7#%fBJfRP{mtHB|c^Qn{)@rDgvP@v#wdV!OPqZLq z^SK7Kk}7mQ_n9{p&;jA2uKP?RY|zrlvMOO&Rd_yc5J`5<4(;Q<_S24_!`CQgY@$D; z4ENUAG%d~;L;rUwA-fh;)PFnCWaF<4%I`G45IjcUy52D=DEKG^TgN92BqC`cJG^r) zrdk3w-}U@m3d`^sH}v`0{jx`YH~O8->HQ?_v?1_s`ws0HHF#(kUi4jE6<#ena*l*) zLL;xNvyu`QFz`0*5;L9v>)(%l80spc)3j_p0vl`uZnyHqj8?|GDVn8)^T#%XjR!Q_@QuROe32fqld|%Yi*Kh(R=b&58Rkfmd-L+?|{Ug|Y1;lKwymc56GV zk}PuI;(v=F&{h;?%ANbC5|p978vU_uRm*X&K#z$$PrGWCLk;nwb>5FKh#7Lb)?izK zJHLUq{|E2*{L7EWBX$f>qsX+Kf~^#i^q%gQl`w$SQ#_YQ<=2&77l{{AC?hoRYc|>O zpf-5A=WRFI5xA}iLE{yX{2*cUbK*{+1){f^@qS6zH-oG7L3qvemsL<|NIc8JmI}^!T+itp(xAIi(MQwL z4m~hBx>Scuk+j4}FNe1iI@c3=>E>+<=zU{-pi0XTTwcVx*%HnX<14Z+uGq$-?Uah_6bc%`BpZ2yL`X2sP^@g=Jq6puO5AJUR1#*y*nrehrmTc1iiW?y5 zGN}HjNV|9*O~nt3L}_Wkuv$iBFt;@r*6ci%i#9^!1w;C^?>*6II^Bw{ znmr)PMkh}vS+u`>m4aocn~pxBDI;6EP+WbK`m0^2nxL*iPsp>!mSa;2Mdlf?kjyHFmVy>1ZpiksQ}bp}Lq zP2f!IFu=&gO#b5>TCgg`_3ZZOA#ksor@3UIi<=+S&2xrqr|TY4_Rh#% zUe7>-!mXY@5rb&Z@Z#+T-p9~Drzdn(D*}D)zy60zq8)cUjJF<**Dq31-pPMQ#t6+{ zxbaluyFGgRD6jv~tSz!@9vB;5uz@2)=Z;Um(*ZHMR`zkQ$36do$uszx>nB zAsS?tQhMf#`!U$Ky?#;Mfe}bu8X27B1W@4DBQ)nO(t_ju-Oaym6$v_zzjn7p_0XLL zUcr}028i3Ed&H$=fvt4ZVoHdB*3dg^bLW#h=+XD&g~>1g?QoF|pVm?M7{*m#zgH1; z*BhuMYSO_;ozS7)NCvRj>+xY_gBJJq_D_GOkLh_mFg>pxrsvhg^t^hQp4SA-CVRPW zafF~3pYvu|2^^5KDNc8NYJ*V!@#FPf_ne?e?XrYUsy#e$NuPLj)Da#%@FKFSlLw>y ze=k^%n4)NHcjv*AS|GQtA-9gWgo8Kl?qA{_VP+hmNP=L~}rK z{7F0L<&YZA3H3xS#hMlI6Q^O$ZSR?`Z2CK|NX!&IjnU<0m!<;`C{2H`zqO?RJ)4SeC{>&gf7!<( zp>qiE##hVCsNw1j0_XSE1CD&#MAT^!LwaW=2=3JAKaz|ia2e~O=}k@qfr#z0TuEL4 zZa)RQ^`O$F+X8-yrie2kfT}db5-_qR$_`fI-4(4>%weXwqBVHK6Rjok z_?Q1E27%K*nOz%FooE7-hJJTD{lPb-h$?fI1@5}%6R&JP{ z%LvnRnPYmc)0m#i9n*7JVSbCEz-(kAe!EW{y$zbFIcz8nwj)jPM*8CLyKgYiJ(X}@ zktv?xH5P?o8S>efJ?_w+R+{uD(in(84>lOgDtX4|FlG!TDH-a>LC5vp&7?kyqs z*Zo^BOKiO~vGvl%)=M8-FAZ$HEOGmZ#CALGt<=zj5B`TVaLlllOun5ckj4;#=}j!WH02?Y9ZWwR0jH@;KM zb9dsADr))~_`+v10rz}-1o~Hdww>W{^qV`Ma;$)~ppW{2LJ)eux^x~BA>d?e}BBNhZ`0ZP9+B&L2>PT zT4)m?ZpFz{!aH8mGV0h(an~ZUgz>CLp^}n>{Et;5 zA`-L4=3|QSom4QslPSh`Qo;C6r!c;gD(?B?)i>eY&++o{inpv!yeTn&A)^d}Q?xT` z-u|;%m2V6!=LRHSzc7ZPyc6y}&7G0)$vF=4dq&XCO75ZX%n5yJRkf@Luz_N}7`2@@ zen4E{HPRuN4i|Gz-6~y=Mdvh}xzkBg5nlZl-uQ4UFZdlXEjtXmXt>wxIRV_=Q2|~9 zYUucuQZO4m3s?`N<<&c}6a3B(&Mcl_!>vzTR#~n+e)=p*{QjnDJ*)s&{J%cPNKFK% z!Zpf^ZwuhqwN|?E5BX>)_}6CqqkOdJ{fk`OJPEGJMwlyqsRv6YBSFLcA?V{92eC<- zTonJhe&M2i60(!!N%x$OM|kxz&Lb^P)EfoCWc^T&Tblv$THf#C>O$}>NZ}fs_2eb! ziQKpAJdPlkP+}P8Rz|b0#WuaOYam;Zw?KLz9}W?99eQ=DmcZ}5alc8a7x~5wi&Xq^ zLMK@tTBm_PrJZV<#&ToUB+Ns z?=a4`VTOA@!Mp$99e*)v(eN z`kH_C!5K~5{K{yv2!sFiJ*IK{zzhMu{tfxuNd7pRrm%Zj@`j@OSnv-^Wv zUXCQv`gG9o^aE4mN`0Ds;5Q-vdaYKfwD2_CnriY&OfW}lm(&f@EzH320z<9HmMcn; zb$j1p?t#3r&yI@_{5VvPMvV^MwgTHjM@a1x^?}!V)8> zNb$>&0OGX0d|W5v`m14q1+f*9&xuw}V%SWzb)mHkF_VH8AMg z{l5R5HVV7`qo%j)6w)jaqS>pX3L?xhUv|aSv3iFR_WkH!-;Xl({U~7Hj~@2@$iX-I zNGG%Y6lA*_93uTV3cZujc#@kR05l&K{hX?NL6+A23(3bw=(#~=bB5Rtl%1>|9W*io z&G@|~b@t|nnzz%*SoIVHQWDeM?L9^CmEOGP>|>1<-{)I1n5yEgSK{sGIiR~HD|pNq z-kh+aAI)=wdBf2CkCJ`Rk1G|jR*7b?QX?ZjMu^iFdDpvpz62q>enYASt71&_OZ~Sp zYaWp-#iC-iCH|V80C<-vV{hzE&=q#7_LwQ#Ai1rgh$tyP7^C~%qLQEk_pd9KI<}q$ z#`-{i9vgkgi!S|u;z+_h_6uG(bEQJO_$)ydRoLj*VCetfgDC!JHa{DX-+e5%3 zVX0?Mt`L!!MP1{UIgQ-nmOt*J3`Xv`NkZvg+`vn1&-~FS7wAylN!<~(L}~XZwHQ|k z@itkl$xNp-EWXf>^nGK5a=-UGrTH7dkxO2Vlyl+`K*o3UHJK5jmZ90Lc`1qcyZK_g zQ)i5KYL4+vPh-4O!n}rOCs-K?{dk{w`&8d4fmvsJg`p%9qzw4ar(Z!JMir`D`Bn*H zCW6EcHnV}l>a5QABq6UQ9q;tYlpbEz-E&OO=0R6~itkDnF@U)#PgI2z9msPz^l;hm zBGTV08%JnqVAbjt$4w0<$o%QI?Zl%3al#ZF?xxDX&6?Lq*%XS-I}aG-zm@>!W5Yi$ zTG;{K{2ShQ^&gMj2jj6DVLWyZjK^+_@z}jF9=j!^5?jy84!1(E=W{j(iOWzHOZ=kp z&UFxfbGczY@CxFpyrY$yS3}63pS>2la|hYP&~25{ibA=4=vA^IPB6F_B7TcT93t)! zxv8^g% ze;2zwKL_i5K*J<1ihKVTloQHqA;dL#d)jSp_tSuG2_s|uK}NXZvaA>9%m{ST!wN4( z>ENIZBN@YeCG?LE{NMiK_T)7Z$F zhGO)2Q0>EMwnW@~OT6_;t9ZFgshjx_p)5T!uvmqbMrCq@tt(MVRm$_fisfkIYjTwl zOF4vCUfHYu;0o^gHD0|yUkT&(oN6j+{gV2jcj*d>XCBM9ZaxFE8XlEef`P#DAf?Va z)dwp149rOn)?o3E5ElQ)VeyX$7XJuf@s9!)|L{SP*zIBgV;%Hdt^B$Ki3$p#Kl)Dj zDmUmz|K$&?mjv3g8<)5ZPC>qW;>lw#B(ePefA3esdw$`qU*qMQCfI7> zQvY_#1Z1;`PwyiU0Wo9AzYiJA(dc!-_qiVp;0w#hwS7@WXoi$(enmYVYRtU)-VuC+ z%XTJNvZVZ>ckX9Ve@ZM;9!@OFzvzh4FUc$Y2n<77IRlT*5$cAQp3D%hSNg#H-1vkP zQy*a74J95-jz%lpY?n?kI>E*d!8aPd1g<&p)%SnCWh1)J7OZ<2vSDlER%rCm9B7)I z*Lc1!4;d}`q5uOkgqPRRc8R<3q*x8QBlR=Mwb?Oo)-gaVB^h`M~lI5_pz8A zPboUtI9XguQH&1yet29(cODeom+RlYX+WdN={@##WgvD{tbJ3w45T`8-;b6xp!>u= z4q;Erfg)0nVYg@y&h_ur_F|nz39j*(e+BNt*C%r}bR75LG`raJmF#KMAW?f?Gjb5J zEyJE~glU6SgC-fxvL&jYJNsI7LKBEx5<3g-Y63ltbHsOVD->kSV{-JgHn6hKv^sqW zMGG$jkDWEmM~6EmITf4opw4$WHbE;3cAPu^Oo|ntu@e)otSGbK+s50Jjt>@4b&H3Q z>Xa!&zm`19@W%pD3pClgV$Fb)k5=&4K0;sT-f)9w_o8s~0H6H&eC%_jJxoSb9k~r= zpl~yGMD=ANierr1h^VoJx*WujlGw3SyO(Uhxu5giY z>B_)eNBFCD<3?Y+JMf9d=T*_U!v)^0%o!>dz^f;_F?UxGrm8o-x z2(cx8%*X)d(4W8fO!6SBeA&d^ITp4eI@P)&tbitOQguyJ93`X`u&aIbMJE%7!avPh zK$*7CAtb7RA~Sx=&Rwy_&5KxSOWkvhi5IwTCaaX{YoQPO!|x|3@Bw@FwVe#+lW?;* zt4uF;54yXQBj!r*Uu-z;!h3(n5@pqOsr=@0MwS(1L;8p85r0dK4@p0v&%Ms*@?$Dz zU=Lct}eMAzgk8oi15e}?AB97HZ*s=Xh7WwY3AMCYIMp=<>jfK)h;OvzH z#essN;N6tla^SEC_=Y!sCgLUd5sJ=v9~Txu_OF)>=O+VE{C3odW0A6u7`-_wUuX=v zc}46g8n!^C#FkWCtVDpRtlXd<0beX)%*Fi=eBfrz1K-wW_6f-WsyL znVvlV-V%;~yry-q*$=f!h4*R5dw|LP>zhJHT@d+HNKh@oZ`>oqp`3f&5oP*=I^7w6 z2s`WZXz05yn$)dZjMhp*HQHPDLDs=&Jw)QWQegtPEFZHbD~X4PPpCycIch*$z;QoH z`696Dped?(kPRoYmFKu=3!!$u%o=4|Eu!~%Kh92h4whP8G!r?UN0b^D<(`;m029w2 z)>}k6$-T3^KL_WeQ6c^8oLA2FOQa726z@lw*(g!;K7n}{2rib zncq!C<^b=y^UI0}zCJfRIlMY-9C7yt-skpE>RbQsJZ-%EF1+!TRjF>=eeMDXR(M$E zrj`x1v=@DD2-l*A3f}0sYaaM$*I(rrI}1(^=R^bKi*TPWc=NH+r(GV5`Uaz0my@RN zMQ9-XGZI@;*Bl`#`laTWT_^V=d5t((i6Ov|6o3 zNe_*~-ZmG3Q$za7-r)imVVCR)R;-4ipoG6ky9MyHyp*^la--jWVBdutWifRA$g48R zKn_Sd<}K1IzNy6jgt%PbsSt{mw4T)|Rs_8H^IZqZ`JS&jpm+OB?}x*LI=z*-b`e-3 zzsi=)j}Ofev4KMXM~W^;dYgYNSulow{@vPOXROTs84Xwt z7mzevwnFKzr7CKU>)_6h;q}itBVR$!a^Da73Qvo^zT%B;Epy&d&2WbBtfd-~PLQE8hDWwL7W(@G)t)Kg6_@y={+_NPZn(9S{f6$ScR% zBP1d0=zAuS_eQY7Bg6JxRuG7I#*@88!Vm%I_Q=2_8I6f{%NpKDLM@8tYZa~spt7q` ze^u2ofWrM@($35oco(qxh~32vuHUOBDrJg6#bH+u)7&BWQ%@KY@kls=3iI@bwp@Z9 ztzvj>x62+XHC+@|Lzj`{fmJFTV>fVwgEyyCxH|OcrWr#esp}5JA zhr3@LZ@*AMx~SOQqt-~|T7acP{MGWJ$IEhO_%UbEUp z537%>Vf=qVjQ=lz@&6Su{=XK+{}&_pYT5M#Up59CnyV?-GH4M!--)pCaD5nUelW#z zzzJnh4ZdlZ5=BPLSAME^YvaBj;q4#p61M%o#s5vIsg|Fbuk>s&Y>%keOMOag>?EtsQegn@&rkm)M1IjaA|;AnM744#^?a4k~^fu*j{ zPC=z8RGzSpt$j`l(&<{4-44^hD5qYuY$+Q!@@5#+6;VUN$Hztyr;k7&MOjlKxjf1n zb`XzTk4J^wbT>x4?cw!@usY(i&cG(%))EX->H7vm2H9k?Eb+^3p<4aytA;Mudq zb_0YuB~Jeoy#5PS2Wb(5WD0yy5IoE#kO!zx(&VRY0d!F~G^hlXpu;gv(|o8Dk=*o@ z?A6|jSfwisRj-?(S^Di3jSxw2H#xU!<)s9F7^EG=0<_R-BHcR69$BD#@@latJ67S1972^WK`{|-SMiJisXq$Ser7p5qAyW2HaK~ML*IzPInOjXl z6xp6~kr5FnnAu|Xb(=3d=&jOIA@zp*aoc*w+Hjb?sh{NT;ElVV+}>wp&1I#t4LQ=$BKG>x*RJ6N)x&2*N} zf;*Hw&uBjyLX5>!LsW`0ki50LrGKmpr7(BCJw>RuJs(TY2N^Sv&~%AoYI6j$_{}yt zQ9@pI(m+(^s~vP-Kjp^m=Z;o9v^Pb_&O$N6+mv*l6eOWm@Nw;NIh2)^eOw3(MuA0a z46KdCXk=cit$?(i;ZNy?iD_IRlnqC@aLf|)jVBq))WtFoDed3y z6QM!iVeAz==obQRd^dD*Qq55AI#sI(cM$G;h(l+h){FNNV60(sCRbezy`L{C+_xzT z8TUse9*l^=p^s}GYAph&x#iNXAQ>M7z9|U&E}x60?Vd=}3*@6yA5J}DrAmQj(ZNRT z)HFD^Ja^7UA`&uFJ}17on+&V>di?XZEYS$Jy}`Q+#-Q;xgvDpq1x>woT&PWUh1#*t z-Fy$sfb{7}`7l*ev_WvujC;=o=4PUAn6pj*!MX4G8&PhU(t^}UNs;(`?o(N#0=v&Gi&O}7NhTmQ+3kQ!ok~PwC5fBsMCijkguV#f z#rF5hfja2VX#F`Sf`6m;$RYYey<+hF>F5PtB!K1$7A0js7#tezdUlSB;_lz53@n=` zrYGq4eD_EG*p5ddp=G~La0WrTk;}3`eGm+iGcD|~3IwWV=C@Yl{uu995{mUikJv|v z!?!;z=dTZlqvH6gPPrTMsQP9}IysFB%9Cc?EK*d#?vF<>9wQaTW0b&njFj+?$4GdN@(C&m+gezvj2P zi;)xobK;_s0Swm^YIfC9;VNs*!Lsl9@MgrdEUA5A~U`W0oPC@<}GU2!`Ztq-!DpxFL!oxd2A@n!TYmRo{|Vml10TPJp2?Pi*F038-%zNd{RSnnPs8xtoYz#DOEfvq0ha;LvqgbsvJV-hiX&3AY=#o9CAA) z1awN@4n%Z{pobhs*IOh`;?8&BVMFKS5h4R8v@^g~^fl8S#!Nkk6XZ=GmCM{a z*xVhRWbRHcx?%>&ITzJF=s5u;AD2u+g*)PX(xd8DVF#x-OG1VC9pJjbQiZduKN9Tr zb9J({#J#?F`H*<~Me)9$fA1f`y{kTDG4FNJPYr!33G-9XlXEEMzyVb_&OhB~IcbcZ zv2)m!bV=e~-`64LoaGj@7>`;G<55#%JZfr;N6m-vsL2Ta3i$jNxJI;k;$EnrvHW$L zIxA|VsLb3HJmCb7UK9p@k=90H$IPz%S+hn~PI6)b#g@3|kN5w=%V#h?Mm_WUoe0|9 z&M1DI~A<)bM$sC@d_g-pbsNgpX36oazQ8aO)lL&Ij-JhWGvaTVF!_ z_J95w+?c+Ku3CoVQ_ItuY$^SY|FVB#V1Kc>VJJ z)k9U#@NUt)b{-Mvy%@@V;JGTwOxnL<@mK^7T-t42Y7>QXt1Qd|u435#_21t=-u()1 zzarl8c>QYees8;!tv4gs)Cj(}boPl`8t7ee?D+#DD!`OkXMB?2SHl_lslF?~7**dt zCZ}sCgZuk**B#Z269|PjcU=P8-{&GR(*^6zpcF8iI(F=Va2Um$~wSmy!)IhKo@LIgyDgoZ(q2u?X8ME-yeIvH}-rV?D_fF^Zl{s6Z)|| zJO4zuMS@LW-el28D9ErK{Jqm12Df#?yOj@ApeUs;ftTbX;j7P|%|nzC5X?{6e19t+ z`F@N4q8pwLmL$hjBwBJIL;15t&6zZ~F}*U}*`E#|n5THrvK&ojf7B!4xCFMORO&C6 zE<&Gbj;1$PH4LRaYV}~ekA7EQKmUp368tVXMI6FegS#Gtw;vmCKK!9Vn$ehE1*-DD zz3<$_8CdxeM#1Wt1M2i2uewB6AaO5R%8T*YAarad%F-(r@-Oohu2x2&R$v<>gegKh4oP45XlGq1ib-7Df@0ccwh4HIU7lDzq>nAghaL%>|X{%wMu+)1c! zR*eaM&6KD*(I3U#|Mu^^{_p*Ac*o;Cum62NY8a1&ALFrzVLTQ|jK?B~@mS>1|Lfz2 zBctaY{pJBqI95sf$QdnB&)B6hDG~Aj^&DTRQTT0nNtZJCz9k?}hc$~w5* zh1UGMUF2FOA*G^0Q8e%=bo`dSzxv<M{{Qzw32Z+U#r8unY(F%|_CpD5 zKNN>~z6SvpH3LES>vhZBqlL)0#(ABUF%bf|T*dD^iv`JrZ`b_V!x5Qw9Ir5EEbe}u zIkA9-PFr_Km)$8iL176aKVBgXBOe%kbC#y)Y7E+bf05VK$Q>qXn26{O68a`Jm$aXH zxx;M7R&7_3J!sx@)a)sDf~g<*`UyEn=!sg`W?H8s%+iSFXNT%Rl!#HSNoo>oe7I1U zZyy2A!p7(W*pp#cYGK6uKoW#kuvBRaN5h@NurIRc3i2V!9_zW)g)T&RyuM0004peL z{3hoh5J@G!OR0N-Qr;A@oHM+p|W(dYvB)i;7Dp41w^1xJ6BA6V@NxPq%0f=nGd|=-h z)bKvB<%ehr2y49v%}CDyneqh<@HhysNUY=*J4DfL@%rx7;(c(HsjqcBlMEUsNxf(c zIUviit=6@j2>d3A1E0EULF3`aQb*sZ!@GBtaYLUx(MVtVWp-6{sIUDS7dEN^mq$%j zE#@>plUCti(O5j{d>wc8JApGeF?EgQER`<|b2(&LUkL!m(xUh)BJR*UX>wD;GZgzD z|2t3VRj<>GnTaB36SJsa=9YwB;*;_ZRWuRLn{YB4S}ExJEK`;nBM18r26UC5(oky8ah;P7U%@9z&|{QYd1sbfL8 z;pmc$m}i1KLAP|AC101*7b<_v@jjXgMXw%xAC|Ikg&HYuwTW6+$n0vpSxOs^k{^9N zbK1}omcjGT%Yk5sTZ>rizZZkJ=~Oz`SbZRIZIRR?-3LI3lstJP3z2NmMrh51f{jgl zL?3M;JZIdDv>wkuol-{*977Sn)qIF_s5AmTMW=p>w>Jj4iMf+G8T#;UTrPlQDHw%v z?k8(JtOxZeL$O>@M$o0AzK~F(2X(BiJZuIE1n!#t=>BYZxXYjGkTU6nh?Xe%I*~LO zOD(@yLW;1JWFFQ=CX3ro+`Dk^(gEoRP&J$8`a7D6+{041wqC14rhm}U=yZafrhntR zWSb-s+v7WwUK@h@{)_kih<7~R^XSXeUunv%|K5LycRXG`Fy4AP-uvAu{c_TAX<4W{ z%z9nmq8*xD$$MraAP;$!QBH#k;t;)RDe#EkKWMYdkY5r+@E1&VlNJf5gG-*p1h&!< zpsRShb1_v0={Lk__DxX1$;1nNaRk3iQ>hIT6J}}am*bt_AnWDpGtyVqm1MA z@~)7woTBX`=LENkue1pgd>ktm*#>z#tPtxnzK86Deo95vUfIAITM$UMdBw0HfG9lw z`o$&r;^r6O)gxqQwLf`(DFl5PQ1}aBE@)0P_#tn05L%=eo!X)bh1?T#k^?@@Fjzrm zE1MRA`#$*j_MjE*Y$(vW{E=*b?+dZlcjh9Woka}Yg2_pDk`Z59wSnK~c;Mh?=k=$I z17XRAqlBy(>}T9%|6wfzu{nKRacid$QdDuDUlRl43I%>R&KK+>}Br5#hY6L^`<7i+_3nCCuMb z4D=O%-_=qcYgw_e%!!BtvOtY8B1M}(Sxb&1R+{Y0#8}(#bykr8O(f5 zC<@~?f$^Fak$%}|#QM`NGM_3Rbud}Toc($R{_1>FIM4n))r*~7N%K#|HMKOrXp2mE(t>;H(r>#N_%c8pBXr+Zp2 zpGJ$|u1Dj|k7ZBgEE~KN1Nzb%TLz7blY_loO{D~HZ-+a|}8gEU}E0S)h zbVgC!`6ym8TZ>yvd{8PJCE=+Ok3@J^Qi2CGVMhLbo=!m&LAQQ|>!?8xoYzRD%&SX= z+souM0!6`SE6wW;)wCl#5N3<3VGl-6oi(MdW;(*!%ROq#!cK7D&5LdI7X;qcMKwW} z!2ixCpJ-}o%~A|S!WV9DiN!j@!JImn-e-oQ)?YsOP-TI>Pz{B>TX%u<{>x!ka|oQE z6y~E3sX`HvxN_{*Qz7v4Bd_cB8GB?UYNF#M=Z45Qtc5)f+koO#aZv_!PsoZl?iN%J zK~D#_i5|+>gKy%)iPjsuQ0cty8Zn_?iN~$lnw7%}mPyy+drkRq=ZEq3PvZSPXFZiw zDpN{eRdeldvw8s}b14K4g>)gI>4a^5rDEWlrz2zLjRyT%)0yixOQ4i5*6q;hYX8ic z5;v|{b+CCbe^XpU6Vb^Dy(^USK)=W@Twbiw2LGF1N#qIZY1aOPS?sYCjO;n?&ECrn zZm~7Lf{Wo-N+`^3MXRVBUKtAgeL-VWIg6 zQ8p~{3@F@a$i2wH&P3IH#h^`sZ`mf z9PQ}wCsi8GfIRroav_SIE(-!HQX}@F2p@fc5gJ^7|5yBr3kuvBFcP0N0^6`Y zhEqO9(ERzqxjb44crOJ<~H3^Qt-dEToo*f zhWsq4?nO3Z1TrxM_C#dARYq&x9?h8Rg9cKKnk>1h-my4PH1q!^NUj)Kr#+ zxLZEyTRwJypw^Q@#eZ#~!l{`phr$7Fj+Pg0S=$0$p1;+cUBT~V0x#iDa;~3(9pa(S zuBMVR0zR@tDotx0LO())r(?Q3I`Tx*mv%q{@-@#VO=h{F#*nz?Up%&`sqy@W<1)rz zedJ_rlB^*t*aV2w@!P=-Hn-D;houy{4Py*uzk;$9iztn#nd3@HT0Ka}$KNy=gUp1l?; zcOm*S_;Tl=-WBk;=Vi?xVg#*srCn~$8>7J~y(Nk(CO|FxPSksw{IJS5Zi7NIS3kg04&Td0lhv;)5&vxz$ zp%WV&x-s_riq0kYU(W|`e+b_3c<*a?$K!oJ%x04_+cmC)Jeh2vdO}F@ z=)DI#*miCG>EVa|@z@nH9=kKfV?TxQ*kv#tyEw*Umjk^0KNT zKc%anV$MtFd5z7%N-)67!9fC%b{upg&rwDr-Dv*RNg1q>y{!AL*}@5ui4_E? zGA=T|IYD4^2@IP3A&$6c7WX`U#sM0?E-P^QIzw_I57X3jPIQ-rsQJhBKvXO$VffS6 z53JK#4K|M}!o*f{R$Hhy?)VLFe2%wXjQ9Ef^lO}$9^^2l2cgCEAS{?3ga^}u&;VXu zpOMcGJ|bUP#4_YnDgEID)H|4F4z2M)tA04^z6}YKG+}Wgp{qW^7Prj98Gw4i}P|zpgtrueOHen-l7&wSd?!m5Vgi0A`(c5-ADw;~U{0 z7!R+Q!WP|&@oTiEi1O{8QBq266!A z{?#gwJre?AFaHD#8-$>$sEd_{#VlZH&LiJh*baBUL>!&gl{B(Iq=nkf)%%5_CUe`R zo;p|fPNCO39_a?^CE~~Qs9a(1m~LV9oHOqH3|_rC-utZQu~%FxNjxwZ@KT9Y4zQi<74HWHgexq-IHLKT%F`s|p0_rg@!Sm-vo@6d&pYjJoN_=x z5?F6iJdsbA0LoTIre}fHNcOGEOJPe<_}S&)Rvaq@A4qF>b8^K1uYMoz|I2&4rOjMK z6p_>pU345_f@n_Ds_j57I5F`{m*bW&s#x=Pn)pk&@5=S=BMUo@`~LgyKK0*uoB#Y5 zPGkNHrkMYN3Fg0Giuo@%VEzk6SUeyK+AN#FJzHX6?jpP>ov8}HKDZ1UQQM-qx1x6R zQ{u2t9@dyrBK$v(ADlXzT<+KeBFh3h6NfSvh?*WMdVj$cZdun}cqc~qpLLcxYzTFW z%L<46q|aF5?pOJje-Og*57JovK>*7?5c-<`FaIEq=j0e={sIEBDx4K4|(O0hLpckBBWK5U+YI|$V{D^=z%1mu5Ut@5E_~Z z^CQx!JF05HX}E4J`@9_WmFR8Qx2M3?4a4!R4PRiR>|Ous<_=BVAzz=Eq{Fj|--$JM#uB93kYxgiFZ6+-U8nHCSHHlwU6=xk7%F558dWivBG;`SvUQD)xQ?SvsXkV zRW(6zxy9`pWA~7r#t64k(G0?SU&gzC;^hx;nQcXHNo&F1E7n|YEHbE?<3hOqk&`f3 z$HU&>yxt#{G2yTI$`mzNSG0(~)rG6~gjvV)_<(UpxM~0PNw~(+J((IH0|h>`lH3)N zaENS4?!g-om`>8mrc5zMx9`gLDR+;8Pp_&;nfzTK`Q*dLPkSFZjWULq)LuplY8s!< z?!SkAonV}7keK+(UFD(X343Id1atzQHJXzD$wN3O~GlS082Hb zo#hHH*mxmqJU2F81RF1kjTgYioBlsP9`F0_aJ}{Wb9y99?~FH1iiCpX-m&-nw^NZX z!)EgSn@-4&xri}|_8VSXubZ)!4_1}2XT+k9JARYr*kSi3#3yAgBOZFs zIl!#$Ril^=ALI;_huP}#LA9{v&^>=H0$+MMbTz{Wy$`S9MMOcs{9GYY^iCG4*<1bc zGG_?HMV@eVznPBow>zt8r@|n+?AEUzzrr!T-+w=^PbpKBvUK?(_Tcq-wu5e{mQ4SW z^{O+}-HxCt3U`8m8zC<1)#8X&>}Bg-B4^zF?Rfp#I;Nx9DKy<6w=L9DBhUp%7rm>} z++z?;;TTCDDZy{mqa*u5wGtwIt!5JLOoQoHyq1{ z?6r^sDh(qdazmu)PPuCIMv#Ae-{jRuA-JQZ68dC74|lyAZ+*PHaYo=5od!xhRK>Bl zHwyi682LilRSC^$IfbDTg`k@BNZ+`n428W>3)1_LgsLu?nl`brL$Ii;Vu2hxB0V~_ z+j5x&Vo#4M7#%wff0XH`O~d)ofL&PJmjF7fUM35_c)z-}o^U}llF|pvN##LMm!h&O zSsFOTpTXruEx3>nbt!m48lEb~{%EQ9gf+{!(>z)}uw&(N=w^X8(5&opVtnBN-Di1C zMxW=P_RSXw%nP0%**z$dJnjIcS1Af8`vQT^xbE|@$qaO`$Yd-Uc9ryRH*+U_iH72P zH|(CfS)sI=%elkm^~k_a=H~C~&FEMCh|3G%3ZPw_7`X4<3OT1`w{7$YoGK00s=~T7 z@bEb5YRVc9Dl=iN)2p#4W`9jj<3l&3biuzx;EfB+XAy~WZfl@HzRe45#iubIJ~if_ zdl2)_rN;bosWJata?C$h3jOn^4#)hdgD`*UP|Tk?8uO>l!u+Yz5Z?8b*dLy)Y##zL zq!kWANA2O&7^$9-QZURsBYOT$AO<2X?#TC1B%;zpgS7(d4BYFB_kY2A-~89Vr-t!x z5XQrC$9OoWFdmK){Nv%M;QrtL`9Ygve$eWeAG8VP2Ym|jgI2}-pz%My=#d^WR8fLi zV+&oCC3SS}rx)kPC2}bq6pVTJ9`Y+^b!B}mS3drqyeu#5#D|e!%vm7q>r7! zSCy%``A7z$*wzY3BjmNz^kOPYJRCt^+ zrMtUZKtfTJ5>!-P0Yx!TM8rZ`R6q@W!#oRuCqa8SxGmu! zGgux!Kc~^*56hY7!gN1nA?+;sJ;8fLsLc9i{v#-W5c0!hQ*oBavT1SQ=Ep+Np@+7y zPA-t0_kO#^#}3=~Zobj`s)gp3HLOWIPlBkntHy72PSAV7#7kUp61RT-yIw=Cn?l)p zQ3sUIdA$qvaKe0!?3P_5<ucj+-^tcHcHo>@SSLE*<-sI-q!X^6-P|K;>_L~0w%L_Yw&Q($ zeEaWz`K$c6{9+!Mt0hkMD^kSe7juFv?5OUo3FGpMx!@{A@P>GX4UDBUKNf4W1f$Qd z1J+6Wkm0tUlR}Xh6bYB#DIs!1F6>M4rr*pV^g&f#%PoE&xgh6!`ws_nPw-e>e8B@Y zIc45ge{zAUgQb^^8xI_oTzSu4YJmRYpOnzW_srMTgc7>r4$a9kOCYZGHzLzHM?ink zI7q|%D3Dhw3B+C|1J_jjpc2(!^s2k*^x@y8$nv|9-cc4i$Xgd4- z1VhOQCi^jgM9{L<{k%FEj^(@+gi(gnp?cZm)UApz@Z|_O_LMmRax0hB1F7PGzs&u& z)Wbw%YWqu1L)vu?opnE(;6~QEP1oh~5T~RaQSj+9a`8>^ZK_E|ji2`IxbmB#TuzoZi800? z@2|$E`E6eDiRm-VORE?U$nc_2#-U>nUv0bhAjAm$I#wW|K!ExD-p)9;>8uZz1)>JO zXqdqBvJ?KPM&>Z`)A_Xjz~z(`P5jLaZeFS&kIImRa|ho{dL&B1X)Cun-T^yQ9@H-NBR~R- z$?Tn6XQd%5Z1t7KiUdqqmE?6jONRv^<#!z~(vilFd-9*cG$deKn`nQy0Q7vUCXQ!B zA~^Zs*r#!R2-Z{_DM~j&S$YBEyEl0tcHB)vM^O;+CPc{1E^)!VKz9n!w{w?L5Q?P+Z+hl_k>ubw~Q64IZx;&d6WM+Q`ak*PHopg5*?dg**Ba!}4m z?qX&I_hT~#vxRD?;{8=$1tC^=)R%OQwT}T3WVQLnFdyZY)_KRzrk#NQy8il{1Xrj? z0m!8Cwo-k`0Lg6)(@o)Gw3nFSK6Lav%6z-$LRFpv#=5fM_aF~eU*Ai$6|jT$>>BQo zDi4sb`5Y@ioP(5VE{^#Z$RYkTiSZ8xad5pti*ilR0anCvdVgx30<+=e5ISmpI3*P% z^$NQ`NBbUaY&-D5T|1er&Rqc*KinDbq-};~n6Dog-sFcaW10YOej&(N6JMQuj_Jvj zoBijG^1#Y{gK>Xz0T{|+e_p%F2aO60Csmad;Jew0W3T9?;A>>gmT;FMB(_KR4e&c7 zks}Z0b=zctK5RWBqg(=4FNmw>#?=eq>Wy*r82gAacyHU>WAZ zd;IwF88jowzOirRL7+oJee2T{cosr@dKKfHRm5DSi#V+X{l{k`@{$U`pCvFXVLlV# zdwwUI9n&Bal7{js<1o|r4rpE{mBUV58t9(QhLvOf7c)y?PUlLLz$xkS(MnE9TprNB z^9S%955Dy}l8tVULSrEHryXVBNHmc2?qAuIZbY&HkItkw5h16m^yS!T5GGz^h#h$q zjJN;!=eC#%Wob|J`Gq?VZ%_d0v9j$E#Q5n{6_kc?n6C-jwS|p+#ZEBW=)gnz(E-LO z{9l3Z{xS#RRj5q2Gf@UXM)~O5Wyk?;byg z>KCR4Zn~PFwI4*(Zd&<>L-L};C{r=4+|^5o{E!DGXSO>-2r|HRm%M9Pi5{ZI`!5y- zsUo2_qtk&S450V0sv<7_IJ`>tXF7P310;FUW9o0v;O*Cnum3qu*Sg~hff~9JC!zX1 zMjXAh6VWV;$DK3fODEH7N1 zjvg+5N(GlcC5g+Q6369Fso?UbB;XjeFH@*M9CQ`!J2p?5gC>7b=dy}pc_NP}Vl#^( z;m6%;u1!L@=)!tAqt^RSz&C%&>syRhiz*KsV92NOju1m!--kqR?Bju~iin41cAPNM z!>a$iSR4hl=r4=Za$@Vf;r`iT792jwjKe37O%mL8iMqb01t3D|^Q93x=J1l@ z^5{X#2Q#gom*(5B69@$ef4kD=3_ZaSeVv*v5NAV~^Px!@a*N4ek{ zj;tH5{R$w^MO8BCV}wkyw|h6X6ye;*q;8*_3t;9z#ur{u4^-{)`~+VgqIKQ(ithp% z;atsu+Mt8=U>7)&7{A_t>!<(w@5PsYjxV42yKx>hcP|GDZ`t2}Qd9z7G4Am_Qqe$P z8fcO$6eZx1ebH9Rf)EmT%eT4@#6Vc@9KF*E5pX=w+L&P}g8386bg%|kAkU&r@jeYf z=syttrqWv!t~TtakW9sV-~N{`{O|re`0^Q=wL}|(S+wE#_3JHPuPDJU@gIkHt8@{M z%xHM)U2QmGIjFYTsE>FeehCi*DdO#)j4vOuu=VhZ%w1t{NU5}D#ry#6YD%QlDMZ2C z^V??56+w`w3K)ClDgr-mH!c>js-SI$*Hpuz6>wF;p_N<31BO_nLz$iHfUGO+x2SCu z*y>eC4dr(teJzdGWVZv6d%~sAbH{wqZK48h*Jy7P3QwyzY|cO|30I;QsWF^H4p}UF zj!5SEmHJSbIJhubPu-Qr4HwUKRY*wlLi@W+dT~E}q|C{jB*n!65|8%s(*1a$&OzVj zcOVzudG7e0#~u44!&ND&K~QXH=T+C03N1wHK6|25W1HC8ZouTUr@bam*rI_y#IJ*@jXdXA?v;`*-*uF4TY<;JXw;n{|YDW9Z*4^&>BG}I zMGVTwpo{v*V;*e37v!JT$gGA6l%92|E{Va8M#JrVno3{HUZF z;EFy~OUqW%&?6CoS#bv}cc?F|EJtR@5t$Mn@A>#r6XYagB^H`^;khEwq*;v~3i}lj zMdzsl>E8n^ay=~|W5Qtgxq&0Biw?hwRmRT6A4(O@=mj7FnWX6m_W)E&LiRE#&>rLk zbaU_AcLsd%7OrjnOnGJO zZJ`LOv~vuzLbF&`6C)_1wHauD4# z+#0lF0=qBjl*>E~V9kl(#AC-0ME-5tFI>hH>Mnio+t;H3Lfx(J2NcX;eQ46|lf;6aMwqdyqGVwC)Ky7huRqT_w<7@MvF&Ixmn$6Ekb0xhSKuhk)fJ>Kc4 z;zAh7P4LKO&jtI~sfmYv^;jSLia-6Q49I<1q8s%&66&A1f3~E}L~JSi{H#%IO;RALB zw)eF{tkL3_h)4#NIr`g=Q^I`ZLk1kPmEiE%S-C<s-o^cTw-*n7tVXJz6H&lV^!M0m(og1>I z4@_V=D-GT3vIieziGWp}|D1~O;T=`nE{|u;{Ofl!&c0>hC z1J{0wNTYZWmBp5L7lbcAAK&rdi%;Uqr^5IB$_Y1J7X50AYTm?gijHc*4Y^wyjphcx z8FOj<>1A7_ZF(tgWKSC?d7VNwhmC+~cJ@|pfHv?kwm-9d=zu~VCG~PIYr>6~yPwmn zG=N#^P08&oR>U1G77+JQ6Yuk^26vx*tm7?YK)J-e;nxILNP#1ZstMkI4u0L@ave<_ zlPH!My$Y?Jmk!PfUctK`fq9Y49R0xr25x5uRdTUhTcT>&U`K@L--?recRdbIIKN#@ z;$#GNj{WpSOUD6Ueks2AJig<>_xkvbAK&jgzV-Ny=kM?RcR%p|x9bz({Kg4ze&ZZC zzwy1kzkcIb+QwTOwtMq?efaJV|Lb~up9g&F@tx2Ax*p&4bJg^^$JZi1Sde#^9n*0K z#dB|yMisG~0$&BpuRjvex(-PdW4yV+5+YH%H_-^)p8lAx`S1BPCA`a=9x;+2z$RhX zQ6h%ks5d=Y2^NL7V@`DKoDv|e)pfePL=6o-e9F_PBMNxy=`M?QjF>mTw`R(-JkxcE zOWBsD|0(9PD01OkSX>>fy-=|3+-gB&v2xz>W92wL|8e-6&t-zk=TgPxbJ3%}`CJCL zd@g&u`TvWNwztI6lfnERY2-oCXz-c)xGhm#iY5qO?ZsR#LL`<>g|zw!u#ZXV_ym1E zv>I~fDftT{Pi6jEt`H7nB$!#=EGUBQ*{Bh^Fc}mQb@BP7eexh_wU84n zX^G~pJm4*C4Ts!yG<=3B4t_NMl;XvF>f0Z(v9K|kVaK*U&L~(bETr(ufU}Z!M@WaYS8+?Wsp7X3_2F^+b!Hz z9a5(Pv+IRaVYegiv@7;+i73qvQ*tVJe=i1qOOa@k`oPCWnLW*(Q7CJ8zu=UQA6z6p zTYLVRCm3vfa^9|qMziKgoIlJ@#3ygFKgfvd4>IHWgG#vmARVqh$b{<;GJrTg z(~8}GH`Ek7mz$z#gER$FPW%*!f^q`3xA%;^k#V=GBo(hV`lWL5c})j~_sYvY%QlpO zsSnn-q6buvWR`9Rhqe?Hv*cRu+~h)9+;T>1H9TnPPSB6wQxf2Wa^LiQ(8c^_WOP z=fvON3x>iQ*PabS2C!Y7aoiR!L41K}n}pB|w;0`(-;zYYz3|vaA5SEsBkmR^u5ZHN z>ZLgD9OYQZxc`cTx;zafe*EHbfYlA8+gLtzO9#O{f1dSH6*b5pQJogO2Q8 zg~B;n@|IE`HCQO5{8U$Ngg3tqU%uskU0*r&@H_YAM4%>?J3w}<0sZ`Xsnt_31RfVm zo^k7qhNiBESD1dp!O2{r5pu2=>^pJA%97C(#;?8!_w#T=LhWXk4QEY3Ug_F&29F7- z^hpbAD!C!kVe#Q}%*MESRb0Ipu3i;auY#*L!__NeK3*C0s;Sl>xjGYe?Xn{n1rtU3 zoOT1RiWuFkP&f3ox>-NwiY;hb?Dje|1)%bpP+B)*eUz8-N1>Wj9iE=AQ&r-SM+aQA zn0~pdq3aqcmhW8=q+cN-o(j|klCK%$ge+d5*-SAQz(eRfyy?J5|lH?-X0Ydf|C5vWTq+^ zWcFd`dqf#03~&F?Xq`2Onih)v26r*uheGf&qqZA}u+-=z?79La_00<1G$)j?&$s+_ ziX&ofY`q=-pc{?bu3H%sUjWZfb}wc6+Q8N!OY`Kh8We7ubR#9U9vvQdvHx^^BM2A; zr6t`{M@tMDo%4x7VEv-l?{>cjbS|Vyy!;c2#Eo|y&as=pc<(j6^S@nDh3hMU<~zpF zvT~+u_OlaevlY}L*k=m7y)2#njRsKs_UNc)r8D|0&SuP|l;Ld~p$wsdOfOtZk1 zB3A7EXW#1=J#GXa9$RycaCxEOMK%5C2mEmGNXK~N-YNKTl;vxYs1gcrRa;|!#Scm6 zyPj|b^24zD+?!xl4&*Kz^sLi}1O7~}`bRJXqweaQG~Q}!xKuc$5qARfTm3ovLG)%Q za$5=%(rR~vJyQA`+Ty1{%fCqVt8En`Nigv{B9{*5rskBQ8Jy5kSWskj6{|E>TQ(Z`wTn2k|V!KbrIFBD+^Y3r)q zP0T-{b2}%#vklaSHNTV-4j?2(xmxHyh)(iAYmjm$eE)6!v_P;E9;Y>ri<*2u-wSNS zGY4LwgPz@mJ`FFSSuJu!Bjg_ZJjdETFz_7ge!feH%YBYFUW6~70pI$&KgB+85qhIV zwGE?`=LLx0CDp0$c`?uzD>z-m^sj^S+D+FhS3B2%Yu@6Kzq3FxhYvphK&Y+d4o=KzU4W}M$8z%oUh1hw0BE_S&z_m^8UhNZrF0ipNsb_kj z7}7H(+fVJ`!_LX-=wxTS^UIuw_qKND{$0Oj^ykD2dvyQNtp?>_{c z7Wc_L?<+u3$N&89&HJ$1ejBy*4nP~*?x``sCR9l4aa3wF2e@hUbH$5`!K+lE)?+ps zez>@9>P5t%oFK^&Jt=qem+xeNYVzzF2j(Oo$66-!w2UsuPkA%*{}h9mn?L9dnn*+I znotmzyb-Qm5m(QNtCz#ov*YTqhx&i@N_hKkyoslBH~$fg9E-ZhVgz)c`sZfb5nChp zPV$bc+rtRN?@s83i|WGgqY3JQuSQ^V@MzJ>{!(;8d5$&HBm*>c58Y#O%Yv3*HKVq) zRCwku(f-6U1oP3c;SDG+LZRX?5NA?~u8C{}6GkKfr(uqq9#BIknbKrvenNCA!^oapXm4@ zu&LML$q*B=Qen2pKQ#CUUs z1~qXyD3WCSOES9>Y;cxkRo;__#V!9|&jrj-N4YWaZyrU+)uM1-y=H?(&YXS}Zs>*z zpzARGArqK!f`?=!#=!K)Opw>m4A#rT4aX9V0AGEa;j8I$GoG%%Fp%?SaLyKp)YD_@ zk7uA~w0Vp_3f%xRF|-y^wugX+VZ@fdJn`li{ncMP;_jC??taPQ?w2g?eo5f&mmE&- z5RdV6&-Z&ghy=q+TQi@}#=*W`g&Rw2@vyz$Yz{^v!SwU%tI|&O2w(qaeEAH2^=tqB zJyO<4;$}|Ad{b}gZIgt^BdII51>P}=!UwkTQ$>OT;JG%=>SZR6gl2^7?__a<%rmCU zj;T|yOl2T9$tVCsGG9ZiW~2~Oil`Jl&jV=&^c(ljAS8b$d9C;|AKv|LlILXnW#m`T z^ykFAcXHjp@F`S&GwM1FMtzsO$@>g-2~CqW5}kwH3sUYQ)VF}-VJ$tMsxefD8J?Ta z(uSMyjU{1sZP3k5-<_MnjwpO_FNz(@i(S|&uNC#u$6K%ZDsU*86!WiqsMEW|-J=h? zGM9D-9V~&?=dCQzSVI+a$H!fDGkENJEr;w`IF65m`Ct5_-{W6=_}}yB@zocr?ti+E zu&)fogX6%b*f?-q*LuLCSO`v;x&c%qNl;euyrI#d0(mwRu#;X(!dt)W6D0caqf#!i z>CMU0!Op3iih1V@2Qxvp_>Q3H^)R5fU`(-p=8s05R4+VOE5+$a|DE4OIeMRc{dFA- zHql6Rbfp5x#|!rR10Aqr)n{eGX_?6Hdas{Abu38c=wxpzG$K8UY76gYlyJYRFXUmL z7?Q1Z$}c=|4Em!t6YLTXgT5-89QA2Z7-aNeLKr#c}TlEC_j}Uf#nuXrwQ>nq2%l5cF3JlK$G)bdD(mh^xW;y6Lcwp zH*#fTFOIdN#2v@3!rCk_c$>o(z1f+PHdCTzvqpUKdxd32E6LU@JwB-q%pI z)7;ia%-KsX-q-S>7P1!xm75k=KCW!j8H~@!yPo8!_nQUSn}pd&{ff{j>QBPQ!(t)m z6HWRzKVz86j^H|n@fM<({E8_~he5@gokSDgM7;a&`1b4n>-s|*-ET4j!q6*$W3I|> zdFYp^^GYI55*#zD4^oy*fMVru>_nP=Nad&j7luNEQm@Ux(xos6l@))oDRUMGG^3bv z72@IY?CHa5V^bTliXX#c;yE9_wKdhOB z<;=@x?^_pi^+pXOp{B38+#&32!Q%;neh@WF+jK4Mg}v-v(SoLa*ndTV>iwq%^x#xf zc4ZHC?w$;2hUS-uExw5+B?rU*f9Oh&W?Q3sDjfzE2C1O7I7K~RnFBt-5p`+@Q-STt z!2ns+TBJQP(MJ}k40{%z7RmVJz#|hjwc0h&TPa%QtGh<%LCg8M1AZ8<=9tonQYs}# zAb2XTscwO~J~%W*{HjKk{Jf?PV^yeLh@J89MjxhkIhby@l8rR0(88&di+Jlp@%0<| zuj}_DniSgQ&5$G82Z55m}p z^udK1Cn%8G_iIo!0r4`N_d0sq9&TQ^@H1oG325D256ypdz?+YEM9=B*QCmlN=2Enz z_1zn8c9EU*Mv~xhyhfUDI}t3NM;McD1Oe$A&O0@Ag=pdI9pTLUbYyKZ``eNu2iz!G zg=GT}%4%{<=*TQW^WL|^7X9)elVj#m#%wgm&_5^0zS0l$7q>F9;+x=-iT-Qjp>9wJ zy4B~pG=y>=9ptnuxQ+-J!mGa&Tms{-$vL`Tong(+&BDan8J5X1I_8hr`+sB;BP$>uAUZGuZ*i_z}3^?>M_6k|6TvTtH(EA8(%*5-~A^6P9H~r z)5me*^l`uY{_5ihar(HOzLync`>viP#`Qy0aQ#p*TtAcq*AG?1^+WaX#{coc(C&lCsb z_Ksd#VqP1@1vDP;?i#~ZfwNcTxZa?x5=q3 zpS0jUr%gqzj0$LcX#NzFq6&S*ga;nIPzHSSi~r95X5Zg_v?y-=*>Ur~rTDiWErgqY z1sKLa$8aZNHhs%&(-HxzHYJ*0YuBVEN7L@ETrQHBvLSpFh*er}F#ny**Td@uu&%oL^2 z^3zDC?m`j`u{4g4Cye9c3FG*9A~-%CKaP)Qg5%=};{1Mvar;lqkM4i_Pf^_dlMlE5 z6u|92d2#pm-}902eI5oq=AX5lh)3}1aKfrC(D=Gh#?{%4|(@K+N2(O)WwC(J@@71DiA`GSyx8V&J~d@;<@ zMm5jq#o+R8{+)l-e5-Pj(I26g9k~`U0$h+EKs#`s5IfHcv-^Ixkc8sKovwB=6*OXF zTIH_JkGCH+zWLqw`iJ9teY5KoT=#ddyuz^_5!PuQm}0pYIC{q#Iq7kQ1z_i{Oge7S zTRVavdsQWKLQ@hdbr~jaOPvMt(yeHjumE7KinW|BXv49I?W{cPDI4R&nmmm7|0p*E5Ga?~Bd|M~pj>nHQ~_x}6+ zB1w^Md?=oSt7e=hQiYDZw(XyB*FnON~BR`J^RY3Z&vg_&3X5?KS7x(H=F@)D#P96>{#~U9z%tWEbn}+oV#5gD2 z&ncs2B8&975k08hBR;P7B?6MJ1{x?TM8GA+>^l?KzPz-T^d3h*2og;`=|i_+0R+Z# zwr1=?pmmO_%^}hnT=BpkXyFLIL*M6OP{`fu8Svg}y zYS{Ly*SpnXcW_|XN)kgQ-h-TDklz>3jbA<@wpXNWRaC5D`ttb-DP^ZX^d z&-PVj+oM0PrgAR_>cR)9M?)WaO~K^BXaDTRdnLx`1yAhUYbum zWE>EA2^>?4b;*o9sP&%nHTged;5XxZvcKXj+Dv$vbFTLkaNT<^=Bum@6ul-dD6I5B znI|vwilPC?^9s*SHEIFxJ(oi__xmDz_rot1BT4@_S)tG{;?b`YnlSpo%C*5v8%kNb zS6)-COX_ygEYy(pVb@qxI&7pX|>!Ba# zoS>Duc{}lm4Up_v9-HKj$Kiqhu78xV-gs+7g!!bh)3)UEXo2b7yfqic@~N{zjUA22@SIf4Y0XkO3rJ6xg~aaoTtjy0|Ev`UANb&u(R5EJnX+&@2jHZTcz?p_;^bgV^7swX6V@5aH%z)vf~@(h@L<0P4VBo4{aN}XKuiHF9Y z){$6-I=ms1xbtdS9qICK{+gD-^!&@Z&3}YAAvdc_?%h{9q#MCS88*QQ#MH^=a%`Ny zk{dquR5BU0#8Cg*BJhL~o&v{XuifC_%8|npFKu8(VBp2CC#NCN;D-Na%pcK2($r+3 z)dd|QKCDCfQ5ycZC-r#Q%EHT?(65a~GN8(6$f}Vo19UdivsFip(7J`skj*12^t$)% zo&CPLKyvNOq^6P{$j#g%B;wJ5Ad8s984@iZ-nU_#Y@!7xj5`Hv)=bd?6Y*F2b6Rk> z`1cugCv}iYNfk0lF-A+X1+l_3`1{@UQ#835WwoGY;hV3vACw`6eP1`N7zg2(!^&iS zOFrnlp;4_E%m(x>jq!#_2TD#Dtu$&aL%xzPSCdFI;O%dJ^Lc(dNHD2OTb)UTp`(^8yW-J9d`?)7nb_qHhbwyee=zX}lKCj4tBE&;) z`IAyY`f7O<`886oyV7h-d6@~BUT*po!hIMloufON*AcpUq^8^INcNr5Ln><4czN1)dP|KgC0tlf80nTef%At3Vn zqjYQR{aKXU8b6Ch??veRRIZ1k=if-vOk|^Yb%L}og&a6OZRJa+odRn*m+Inen$UF7 zced@WV8|Dr5OcWU1O93kiAJYmP|{H7q*8 z^UzFsgoT#47M*^zI9cQB2Pbaz9GVh{2W5fnU8$~my!mo3?QZaWJ68g;^%6OZwaGB( z-$4JI)EUiMUphGh^`PbDD^(Vsj@ssrUNcKNkL+2v&;HuegoCW19^on0s9?~-Qp(j7 zc6$m1zVB0qwSl#Yj=XsEpwavhkia_x^mOD{!0Mjo|szLUQq+dPrt^xf~sW7mQdgfE}}FCWq!$1gpL z&( z-A3#kTLWcBFGKac-ZvE@O|YE$wpF0{Q6b>tV7Uppe#c^iI1uf+0j= z-mQc1_0O@LqLFL*7K7f-dSBa6@qw3D(+;7IAb4X8~p6A_&BOL46a&sYb#O)vceLsV*pE>Qu ziO{KUnJAiHYVJ-}B6?X$ni@V>2eQ3$$NPp;z{vKhg6V}Y)MUd;<;+_6pXUYq^$-7d zzQ^C+D+***?~cu6V?HS1IaULNqKHl;?1wWqhU?T@kYkN!ZSi3siTd6C6-;0wSMVW%T~ec=x06)t}P!y5q$={zou>hV%{Ty(m^_ znOhNhAIlD2EGx$Xq?zIS%92@Y&`G#-sKn+~4-4M;V)*Lu@f{DodS_;-8bj4KQ#3*Q z=c-1q1h|{z>{)v$!Zw|hlc>KI`W{cSeu7X2D8{}Lsx#_?fX#UEmjn5z_*q*z;n5I? zb6uGmxZ@5deYSa)C*zRTp-(sNZiNGJ^?5?3!>KTDEc>qNyB&(Td-o-98^O%I<5wpe zZ4s@Z=`~vyU1&MQ^#1EJJt#E4HtT;=2k`Z0re1rdIW`cAPLhg!Dr<2AA+=_Mgy8^? zRT+4fSDA=dV#!HU=RCl^L5KgUOfZ}$iriFZ^h5FNw}KV(&%!FTas}T=EPUIvJl{T1 zgFJ_?7-pPG0!{B+=f@Y4K{c`U0mCE*teih6!Grl?tW@74Z(-yBr(2ELF->A9?X6R$ z-vc(Nq9k^x4G=^heO(j@Mfu>}H%)Ji?)ART#y9E9Z+L-g?9nB?BtdL{&uz(Wy482e zsL;#h2qz+*w0ZBz(2e-?5LI_(DLhJ6e0?vf4hWCavZj7&L9?RP-$QIGVYjN9qu^8< zmV3G@Me&;rn2c=2Zr_nWbAhkw$qd=S?&0NFBYk%Gb?1J7d$JhnlP-D1Ys?0J^Hcsk z4`n{JrCTqm9+fch<=t|b76wS(ntv|*KDfTH~pP`PZ=`dbUX_}U- zpf(gRlLxwWNuwiPF+q8mmZ*2UuX$@l8N~!DR%rah{CJsVxv8*y)8F^k2-oim#`XJ5 zaQ!|VT)$5b*YDE?icn?>5XJI5xUE=OB=u3X1P#~WeJa2sW?PC5D1r2`j^Hy>28ag9 z2A-Bu0y{#drxJC1h^6@DCH42_D8J$KjT2+yP;l`@PsT-k$c(T|9PZVDjw&yChbQXD zlr!^8?XzF9G^8PjOM+3ok17B0j6`qpQz?4p6JRHZ zu|qE|6hYz0=fb#f6cRDK#8MRx^bb`H=XFDYZj^J=M>h>`yanI9q|#s)ADO5^6wuKo z@$!5k#_w7@KrfmO6k<_b(h%A(+k!6+5!1 zfCg>PDvZD6hiNfcR&f_;WIAWBZgheVvd_%#%TeHj?<2>{MOm8R&sn2aV*64cvHZt3 zkID;BqP6YH+Lw(y)RjfeX)2&$D{+wcP!HaC$k*VVKLl50Kv0L)?%jk8QY)B5gR+uf zzgH@F+f)k64}U(@SFVOk4$?V%qY{SS-sQ8uABQ75&K`o%%Jb-s{$^s+oqRC=(jnvB z+W@^jF!LfH8`?VAZZVmZp?X7}9}2p$Fr9h*kU?QM3=^|&+lt1)qXRo#UJ3C~`Mh+H zdoLX8!#wf1+fawPQ(oT}Knaj(JVASlEegn-4eOQ#6CnHv^IY8X1W>paa%qbq8X}+a zxoSwAM;_~ClP^gNVNA`@fvLm+*a8L4(6&bcSJu-LZ}scZTyu=$ne|ZMbpICais|70 ztcvstM7M!tMR3&I?<{aP+KZbXyNHPWKR>BcX+=>icNP$FGnW5-VCtqx4!YUqzaXi0 z8q+f@?&RD{M9RT*yXoc$@b>#-I%BeUcsHXwN8J{J3eMgooEMA&MFKN8av~boJPzzJ zq!l3>_ENdutY1zoBz6KiLEyx&Jw<}z~IW<4Nlom_ZIpaqE(VpB{; zx*(gMceuMj4>Er>Uru)0<(q+>47 ztvnG1j3Wfi!Cw;*gK>TOE`1Q*`yaP@j_z-7RblXI!2P$f%JAlZ!g1I4sxUUuOf(mQ z`8t&!iLJqSE&Y6F_{CRAIy!ADaV@)RTw?1qgZ{y2Sf46zIj^IJ0Df26^Sv zFWt+B8}cvC{i4c89b`X=1T3N;?(h@oyjJ}4dNy_*O#4)2BeNry^^1A1K7Ed^qL>nv z&!iE3@b2L>R6f?xF@WJkrCs_&gYh1?^Ar*M&1)dQ80$OvOje`0lRrlKLUki)yXmXN1N z?*2|a9;DL-4tfx$A!_I)H|`n&WfJ{JN{lIr$$T))!XO3mBE|&sqZlO+ROHh{9lQUZ5X|Q*ISy;~|3HoI_pIr4W zMMRLim)a8#Y@{{MhJ0!b-JO+pGr#|2E5uCeIp3e^ove#`N>Ff}aIluau$9Tc$k+FO4g98cfrl=2bzwER>7< z(bgbVM&xThUj^kR%73`^FdLRPrm!zH@B~ip^Y3^#zWpzJ&+qu+A&c_ihhDi`!09&b z%v_~-)U*0-H_y@%+-pBQ`9*C8;jJo!5AB>`lsM`7c)KY)sXh2<`#S=W5|b}gSZ+;J zZ@!B8VFXmC4nF#>=o{a0f<~?;tuLJ+Xy3QKEv1Vt zFly`iGf&kPO7>@$Q#1zyLGY$H@#nKB_!iwvXrBp47p>FZD++}5iCfGkk}^?boPdY& zj6ayN9gfYrZ;5X0&!xF9;D@*V&h+kyLct9W7@6WEyP)8PLRn;QG2QkCezVbuTU%!! z=n!3Y@sKNe*~atmB(`6`*DvD7JJSos+?K%Mo0U^jMF_b!pFbKn28VkT7Z7H zkCn;{H!7W4?&RLY@IE~A!v5yHild=2D&`CMC!l+ST;R=R4p?6jl2;uT1pjw`zA7D) zM&gUv9%@1-A?=*4=C?0#pc5wk*=)NMeHm!xw=5TeqMcJ$jtcw2DRY+Y;r;n2#nSD1 z>RtupCGNGIlyye;Wp(4sq$ANx?j6o|UQzJpu(LR`QYz>V)DhQmrlGLuV*3uEFrc|@ zm=|}#6a>3$uXGkV!Glu1?Op?K#CT)5L`B311a6}DGsezn=AECBjg&ENJ^Abp!ZaYJ)t?d>Q{HpHFO^%Pt; zYSbuxqzd9IdJ}mZ{@A&2CPELx>x2(3oH|VIiY5;HiV9b8hBmsncV!;-NP#|IO)|6r|XJ&J-7J5Lhr6CR-HaqhZXF1V|VcUmjdo37$kdn`_ zPY>)LGd&+3HNpH6`dfLh9373ww1;zqp6JwKH?fkkF<7{iEsK*ILhX>i*38=0 zB*UgYoD3t%cr9cEErJf$f}OFvljC|Gzq?D(kj7xel28ZSZTmQVS0)?|Z_sq{SzJc+ zY28=cq*CF^qBQZ!R2m{!cNgOrv`0KH1Z)zY&0%{k$5-W&J@^V;qZp6(KrBD}?CKQs zAb~c2a9_Iu(AzB;s7r=`X0j%`OuRGfa8Q{iJof^}gM4{=ls-_wBi>kq>CIWpB!06h z<|BOlqW`WBhPd^?0=GUG;?@T}-1=aHTOV{W9H`|-0KFs#Cs%u0?pH=L4xzsy>%}3U z&ExL=J|+06?b>$xtUh`~yZlGss1lfrfBitLl!Ok=yKH=)vqD>^etobGvqZ`6<`aHX z;UN6l`l*zjG(7f}^s0Urgm=E@+I2*^Gaw4v^*f24QR-;@V)7Bcd3A8_a!t25BnoNu zMg3xQO6au3V|T>~MhL1JK0h8H0>mfPlw99QL8*RwaSYWVVA13BJLWEmnzhM|8cdB* zut=tY)*U6t?akvXTGj+P88;qTS(Fu z<&mqGTvAJ$6ihBZs?OMv1dE&6R5w&aVBzPh0S|wS2g1y`o_ksxj+z#f+k6#(U2SD# z)t`W=vv112mQIK9OZ89GbFRXnm)l<+qj^&9yw)u zPcsTARyv2H+4B*B_=?cJ#}Qz9E4|}XZU|(Y*ew*0_k^R)60B@D{J~9yz+Yy}8R96j zV+H(k(FZkUE5B49aPjOt-}KE57JLPN|EV_v{+qGHLs_Aa@GZpTdZiH(J~rSHGam=m z9a_SSuN;wX@?*XFX&!|!|7lSPTf0cATqT_aHl06e9bR1Gu4#9keJ)k zc`S!0ll7#mp?xF5*N>4dV=0`U$_w_a82#Q8X`rMI8Optr4ru%499M6$2N)%V@g!W- zLB&5ijM_3>{ttV96_wQ&wtd4$D5123BGMq;4U_I}Bm|^Ey1TnmQbCXsL{J12PXQH_ zP((nm3luTH00H$~_v7_#e((6NjeCrD!zbQ$)&MJm#QV{oE#QAC^10$tHq5QuE2L{q0o!q7wt|~o zsP>sRPdI4~bl2q^VAz)qEZ5$DdDWK#R3c;d*r{C+%Z8?g;OplKN z6p0I`AoWhMKp&R}sioQ4JO(F*xM$=J@;p(QQkl(CxSRuqK$`627nukinc z<+L;=-`@V7iW1Iy{5WhaSioKcaO{>2RWF7WoKTG$}09Gyi}SW3u8;~@CII0*hPZG!*nFd-ie^SS+>e6%A#{AZi- zZJHe{?e;pniSR>=*Zs>hBP_sTB!xzg)eOi+el^Lc=^+;#v9scLHK6)TchA^_IZV9W zr*-9}Dpa;6oQ3HFkbc&*F@?rWxV0|pQB$xih=AzonyoZ=YydfTxh;|*I$2M%6o^_?e?~BW!Hg9LK3+cK6oxp(IU_`| z+);;wr=-8-g23i2hf-o-DDM3s-u>kN_W00)*9O1-^@MbCrNlQkXtp3qLc zXz%^N9kxu~w2Lf;q99-0Q*QL`xc!w9NB>snHS5Fhhils5fAr84nd=ALhgvYWsyS;x zrUR%WuEyBU0#%;4Bq&Xd)eFn0&JC~76Z*fjg#Ir*q5pe;(Ek-6^nYn!tf7iVDLMf$ zSn1#XICTm#n8cJP+XBH^y0|P;Fa+A!Z%%g4_`&|{5l2&*L^Qx$YOHCB3zS=|Zgu$cz zi$UnR`g^JI0DFjLyclOoXAVqNIf|wguE_FUpx@&Uk#I6dV`@e^4SctFd#VFt(1T7T z(HV*?)N6bG@;!%8==4mid&?V)==oA2y-iHfZ`bsB;&llCx@Kan=hBdFO4|ElTL$J_ zHxH<&OF~k223NV5Br<>XPT%jF9=upH_}a{%jCOidzU$H$fms5(=6in~kfhYs-8rF- z29}nGt(h#*)Qe`<`1MMV_k471kT(y_hf?0%v~7WuzcN?LZk3@$iY*iJDR=Oy3A`U8 zSqnqtuHu4ywD4U{`B{0Y0=gP?zq^2h9#*Is;=b9@fd8|1i6g-r5c9X;@#*U{1U;J; zLC+>c(6dPr^lUN&J(~zY&!&XPGC4>~1vTJZ*O}e>s@GL#II=%YpI3nVi{~?lQe4r2 z(jo5+n7-VuRn)1_c-+1(dOh2!eAAWf(KielP z435^^fps4Z5Z=63y#8GD`<6GCZy7RhALZ+CC(#Gy-#6qt6oLB|an%}=8W>ej zX*y#*`{iW`!KC9yU@%9JNVJFzAh1OzJVpaGT&Wl0VPk>YRy2A_*6c8u(eFw9lNI(A z1qg`ENkdc8i@LBX8Bm-dN%q6^6+4%NcDnl{U|Ct~Rll?TsTiq)n-P5cEbTj@)<|lz{Pp&;PavXb^y%uN;k} z!&ET%CZ_nXiZ-H~A##ap;)S(PGiD_(YTyX^!Qnl|2b>}wVpM&T(8AE8 z=an7tAB?XcsJID-wCgJ)m487G{vZA4Nfr6u2UgAejg6#dfZ1OjK(dBMK z2akCxhz)0zIIx{{v-+s zd=Rd&PZFk`_v^pl;{-`xmU1mkDNr`wOBs1W4Dwd3lWPYpP>5!A;ddW#xHPBwlb6~N zn(~fCOsfQ<_b%tIdt>(}GiW__@yZG4qQ3gp<{7r%aDV-m&)N<~3|t3P^_2pSV_tQ4nj=u&BFXs=e>{MztNG^U zpI8)jW8?#O#wlRWru9gW_JKk!=L1v8J|NLA_+w$D9ya=yQi;dfQ4+|dSxy08536Q$A}E3SYjtU2RORMq|P`q#du1!-Xuz@Ls!IU|Ewr-j$Yv zu5F6@2fxY#!-c+i>6~2Xxp<BrhneM+}@BG3N^&P&>r(32DO@)TvX)x|s_q(P#CLUejb4hQW%20>TH+^sRj9H>D z3NhybzScm8`4Qredn~L>GFSW>mGXTn8Iwec=ou6(F%Efc0@%GwO&Gr8kNU z07j2{*&I3EkX9wLw!@TwhUBXFlgK% zJ9Q=A7dB>j6kpXQA#bf9N4t(dSPx9fE4%9lF3$w-`eXcWy#9!rU(HrnO05yK*@yUk z>^-)K6$`4Ka6ri+JA9Y;9f7gG^>1agE!=9Zdc?VHh4AiYY7>+0yOLs@v;fH${Mdf1 zlI+a_lh0X@va(m<++Pga{m+;LsT;wm7j`ebynt3qH@4Fs6hNCD{|JXm4ix<0Nt3sU zhtOw(YHBKBsPT|-dB~eAi0nJ^eXz3$*|hGuXWov0zbYpE{dZ+ifdeJWex-P%a*{V$ z!NUiYMD5Ow?N5RDJw@lEc*9Y}V+o?ZR2A@`{@cxS&I{?g?1nRhNuY}hB8Aa`C!qSG zduN5N8qDpaM-0^{q1s_?kvCX>{4qM=ttwHBm;-}fv~Q$BYV-kO7pF8hrh7cHB`^;S z1x2l$GQfCF3f$8f_oPAWm@Qijy%=!wmL5J&Y=c_2SzPR?B;k?u5#Cj5QLr-<{asQg z0pqhb-`OT$x)#Q?6s`eT=x={Q_DvAu47Omu7xRG%FXh;B&~d;)U#~AmFisO*eFzC_ zO9khgD9j5*KD{p?1Wig_>Di^4C~dm8sF+m%!do2Ami7vx&HVC5vrfkVFOT}4U*3$s z6EGw21k4FM0Yd^$AcVjZFou8Q|2u!+{xqeVZh0tJZJKHIW)-9IqIn&`+*HUr>)4CA z3&8xhgK*n)H0ru~H1G+7C*ZADlf0{b$%j%U(DeS@Md4C-O`#l z%q)IJ!y&Qg<{DN-5pzS+!WHt92en|J@`&^=151>aN_qk@TYyRnQN}eaU!bCa!c95^ z<1HKKS@(zg!iDHqd-8G*u;=g0?E4ghXsdWgD%Fw^xuIp&K)o;Uo=xDn<^$YNZ`t|fx2+zkBkEC3(8s=K z&HaOO1<#?&@$Z)JG8BVd*PONGohk^}dh)V7z7VOt8%W_cumuwJH5kS?7Q9EyQ%nZ! zA$(ow-g=iMjIN(?3ps2Kb$woenjaEypU=~~8&a8P^wFvt>4|2F1lVf6rrb*w46Dam zjoPuij**9v;e$+Zu=D)X(*!I(V9{ea=h7E%#8U2)7QL1Xb%SSqIn|e-g2u;vt5|C|9SV*t4<^en~|=9jequO-l*$y}T5l8ybHj;g>jE*)t-b>Hb4iU~bgo1?B?` zy4%%Zj`hJArn)Eig~QNFX_4TFye=Hj)ZzPa+78%hYDOmlmT$DG7`zlz!17vWdUV{x zj>384st-Tz&?BeR%A7UNL$G=Md%gAvRv$PbxM{h6lur~~1xO`jgx`9XbP7>$gC88TU@$yklkhhuy}b0L!2AT%UdxY4Et zg|o+p^tSZCs@r3fo*k=WZ(Q?Ko6~}hb$@N%TfVsKS9q^K-hSvmJ+Lf6pG-^8Co>TA z$h^{qN;9qu9!Zx6{cs_Rp zstyFInrF|zihvmJf!BA@lv770ukR#~DqEkW((i>!uZ7=LmOn=W!q>(17bSr)|Csf} zSyAv_nKS27b3(M$B9t}QdwF~$swZMw5~kK#LoIubL7~eoS0lMUSeuW^JdVKXR+*pP z_eiM0Eo1weA6vZPNoxFlGEpDMb!azJt52FSpX55nw7QLq6y%ZU*6dZ|0f{?` zq#N9dzled&e7xhs$7%}O zt_cA}i<0a0T^_iyAYj+}PymkSSNeAS1@+MMjvfCda@o{)~9Cp>_=o`#p-j`w-^ z=P%PlW*r@et#f2REp?Fn!zm3!og)`jg7u9KhYyt)VDpk|!Ib)s2NJmR?C|ze@bZrE z=IxHt%7iJdI>IC?9b0L%4IF>#byVRapxD~ z^)upKzwjO(@AHHAeEzqOk9U6lzvJKhu1^y{#%=MsLsLY+msC3xKTQdivYQqbYOf<9*)hxSZpfmKZ@UL+_l&0eZO0V-%xM$pJ3M zGEG{_=pga^1G7jg1_+`)-I26k3HN^c-}!S9^dTGseFzspA994C50NM6LyqEpU-153 zyz}}0_ISMh1-!raw}_*fxkehiY_hDUuxLQT)eNn_>dr$$@VlK&=2YmlR9M+;u0aml zoo~r+MIo+3_gttSH=*bHxhri8#qe}>HqcYH6EU#xpEQ4U4jPUB>c#%`fpnLeXpeZT zujzB|q<(QMw-utW2LC2u|gq=_j*mG*~V!4Xvzg_VE}9*IDbEaf^lZ1#gwT zmYDANb4~P;g(bR^ooCP*q=M;K9ja-+sKTV={hs6$ggnn=(VFwg0A7B`-uPo;d}Ma0 zR3i3mkdOwD*0UcOueF2i$JtAn%l3$zl9l70mp-JkMZ`&t%A?o@)h?|EC&5Vhsop&+ zSIA-Fd^dO@0n z)EAm%Yy_SFR;QrnblM6N{ix5VXjjRW;bvzaenmLmfoN z(-n;jrIE(7arU?oIk2UExFU7L6{bd4!-rDbV1hf`w7Nb7O|;a@&1QvSe5-iXf!dRB zTICpKu=0d9IzG|K9tjvCJz~B(!2>%w2a{WG3c+=T=Y5WMOwqTIz^g*h*n4|ZQF4Y-kh~wh5LhWEjmPz)_6KmZ4 zEF-3YqHuW@U>qxR5Y%JF`0>0Y&ZH{nYO9G>lI}s^GYGpg7{vm%q+TnZH?h1-8ll(k zesRO7?B~Y^-f+UDXy0F1fm$fY>9KEiC@0WVUuu)B<^rQuJ8GU_F7PJTV^;OgK=YT^ zW6p;Zfm>XWZ2X~O*l#%3-*F`YzDcG?&$c$A7IC`h42;j!+;((qwweJ^-`gBDY?Md0 zJ~>?X+p7f^Bi_b8nm>p%WtH`1?PZbSh|SnrZA{;$%E7rRT!y-S>ckMyWP{^-*6nb! zB(y?y>2upeEj%o~71^!af);D(;ztfPK)t$ky@jPVYEh|sSD&l{Z-dI{EIc*PnfKb~ zx|S`$cC)>cUJQiVf1u&^cdcJL| z2yOmd>?S5{gpuQwR~> zN<-x?md$Co@i2Beq zKo&~QiIE#V9tWLnrP6zqGf?#8YyDZ82&i|BZxk_!0KQR5UDt^`xWV>x&&f}6=w{pZ zPrEfjh~c`<;JH;P^kZls)URF>(oW_-w01OtZNZFddzKI)ecBeqt5^di?J`g93`K#; zwx;y0-}Pws&1IwNvvo+H?3Z9Jc3sZYNkw!2sf4}4e&WlrCU9?bldZAM5P7P3`#(|% zM`Fv5p6TX$LVaDWD<(389RDkQN)1N9eE86TBFmF-?dG}g{Q>IeGv$>(Q3t$$>iJHJ znSwif`dywI@QE9#6_@f~!rtpup+V=}2X5f^eTOe~NE=8dNH4vlc88=3va;=W+@a;< z?4njL#>sHvTcgZRMmIWRm)4uzk;d^jzLryZz*bgaeE(cKO4;|=R>kHVG+nIu5uqIn z6Ml*Ab$e<-YN+t2*{nAzD8c1{cj1M|zjy|lNh>I#y0=Kj4R4ktrVdn#u-pxn!jr>MWF)6y=qjnuMFbdc2&KedTF3 zv_Cmp`~!PG@AkY$A8j&WvdjDWDUuYhy7n;3F(V18KAb4)sLeyCee7?mAVv7{R*k9d zp$v48a2_=;GDjvo8=DK4)X_1@8lA(Kzi(}@_Q_pqMJUTG(qz4z1K|%fe?^u1BkK6Q z!jrP8Fy4K+Z1kiyI-vV#*yDaG>}W{qZT_uCO)7`DG}TpL!|DkAJgXdhiOK&Z-m3~J z-O&LfLas=HYV57yMXaw9@jW~Hv<#L@`ak1E2;=z)<3$PM%?aZL3FCPQ)*Gt7Z=;o+~Y4R<7D?yzsA$O4-$&nqdn{P+CL zriyn86x7%{^d-NhZC@&kWW<(kr{{oV1xm?P$pv$J!A7Fv88H9-&9OD#E+myZad1l} z7-*x&3`C`Uf#zoHWW;6&%!~?L<>d*5J$7q_S<8XIWpn5@;kRNK19_<_vWTKY9uQmFBlO< z#n%t=T?@hd=C@R{!==BfzR*5+_9w9_XqlDAJ-Vs_wj}!9EJcAJ`N!@TSZD)jw!@$9 zFY)O8*Z#auSbnZ=^|N0!c1GY+CA^-V?vMWMH{=QX4LQPo!-=rpkRj|h& z>z`YoY&G7)SgZ0B$ z_}Pr=s7S}12l~*8rU~t6!v1pO5+Jecejv_5c?t zS+f9ekMXQ-9y$g`rZ1`+(s9A(siMATf4OmAAH3&JKEypVd)W;(Z?ITQZ#%*pm5u#v zhy372?h{h}#4u#+>-W_%zyrdEYJ3kFhT`^5;XNO`*AwsYH3a1Qb}-*)Ja2=Ym2(~%-oPq-6~3Hso^{`rxXYm#3aP~Bo8ujGs#^ebJ{ zX|gr}-uU+KQyA|>-?BY%`ma9F9&-uXylV!=bTu{;_wj$Z zWQz9nt^Q!ClEvz$_s^f}(?r$uo(`{HN&$VtyE7E`6~Ky7H1?^mHd@vDaHvFD2Kpv< zK2`Ke6ZG3!1pPK5=(jxy`fUw@ep{8G-&O~XFP*=C)x?7|ziGe<#@C)azP%^jDFM#P zy1w{q8w0OZ1;e`aVnBx6I8BGB5qEzX@B3A7M^~JRhZFRV{0bS^;R2hJVz1@0q%i-% z$uTob_qO;(!ini2H@vC}Z%?f_iaVe8R8ospk#q{GxVq@p9^?ag{xl*&+TkEeMQdj- zm4K`bRU5uv_lLxz^M4ud2LTPQ$aRNlccjvJ@i`TPF&u~+zrEko4zz|uK73GjMJuna zB>nO;gQX>vC(|;PaI8MMSXp!wUH+!OUNF@Tjt{NwyzuVB_CsshnKOWr?M%rSb-Q4g z>_|`bl}muGzg#ZTRf2w!dMBCAZEeH+ zF*dmCx4E@%jZRp(0p*Ua=TUQv3r(9k-J==>Et6l_{NvrAWnPHeM!*RaLK8cULb7nz zOFyU1D7`%@0H0bFw(=r)Ahc6>?@Jy7#6%_R`aPZ-=Dv^9X`bPOyW@|`wm);jzy6Uh zn7BucY7_{74N0wH=m}HAx+G1#agrYH7PZdi{OCaCEwyF~pGT3_1)CENHwM6k-|C~lQ%lVcwVwPBexX>=|Km1LZy?DYVNZueTuhVXNR|bfZvz_2mMNV?I8Pkp7#Bh=STSI-OS${tV<)yLhRg&Str07v2Bi7}`231xNsEbV&a8C2sgw zlDypMF9cU5NW!z3%#iyLp%EwEW1v3XL1rt!i+lW5_Ur~Vk2)weDc$BS#rVC~#^_y> z)POQ|mZZQ&3B1#4%&a685F;}Y`?#hNTA9?KTV})RI0>C-=%)|r+B~4S6hw#RQTa!z zdbq;91IYpuqnN%r|LFJCt0&QPXL6rMswfzdzZU-?V1)`K66J54Jq9xIsfQNb1mV2p z!ijSjZ_kkG%7CG;;u;PB0X&OI7!Xm0Ef8CO&l zh#w9VY|J_fRFt#vF`OO9|6PovgHR0^)UUd*W>n)|9~&iS-tu0uLtKw*UM_rAgJYvE zL#~`y4(!U-uhF||h^fx#UP*}>n*85^wXSmp8aKvNBi z68BLfR3Rzztb3OmGC zTM@S(4e$P8eKVmY#x4liUgXu#Qwl`eI$Q%IXPjYAp#RQpsspUgX208h;R`R?m9nbH z9O1)lK^~%G6mZ~XA5VEKITS*kl|!c(Vv9V<>)lQY8%r@AAO2E6cBptmz1m*f`x60? zh)c60`Yj6h~bm_k2E;3 zzQJb8yaPoHy1o0keKPD6xM`Ya>~tnWbFwAdg|-y5_Jln;Mq3>o3rQBTVRfE}P&=cj zRz;M5>4B_JpE(#zZ3o;eH;0&H@+)n(RS_S>{j|34C(#PC8RY`DKX@J7Yrpg#`;D18%Nki+$908o}VhH_;q}aEmrp`F{w*Dj$$b0R@1o6;0JGI zZuKoASosyW^+4DiT{>;PZ%4ocv^XwC)l!B-+_5u{j|XI;uB@1R6NM1)Wc9cqMK+XQE5Bj< zCwJGmM#*^Gc{fUDdh5zItdU#4mgo&@HHdw7O)z0d2mJP!zZP%S0!kfc$2rXB{i*VW zPLY~EtfW8LZ|Lp;WWlaEIhw8zw?*5?9pVqf0wPn~&ted4X+B`ZxUrvI&x$;<3Py5? z9|Ujj%7VQ7o<}by6OjBRi_>c-SwYO%49n1Rhu13aa(aes!Qxh?Bv-Eo?)+SFt~w=w zo9z%o#qKW<+y-M}cf&-UUqNp!xf}CFk0C=*vC@gBSD{yBIpY4CR?z7<{=3w|6HR{B z>?b+ug+57nSwv*GK;T%v=z&5G*czA{E()>c7;-e8*B<;k%LzN zPLssd-y=3a>}Ox@`OU=(>b7(AB8MA5Q{tr`+#9z89hWV$}6RnE(8f z0%7hRAgt<<)uF4tB`GZ6vmWo$ritbC9V$BL8!d(SHttCF6AM6YRrI)(BQH$%aTsru zNu!W9<28vhyinCS{`vEj4j}8$45n4=20G=_Bg3?pkjI_XGwt>_k(|rvL1V@qI5gzw zL6Lk0_xCJb|2y9O>R`QsQE7Y@6rFNg@Oxego?CzKwpGw2|68T-okb>oqCrce< z?0rDllAecqKB4PQe?`8|0>blp+K;&o0_~rBC&Di&p$!3A;unt@;n&x-0(WO-=rGJ` z@^@hbPL90h#sDAGzL}-zTPv(K3kC||qZ{^z|Z)JGH&Bx#o zECm(Sz6tX!O3-jKcZjsq5fyn)C>-6Ah1cI-^_tB}!f(syWz9Y-h~PU>sru9mIG^uV z(jB#ew;}cHd8VEy!|+dT|F8u_?(|mtNOC~pEN|zA-`k<42eeMr8VL4RcagulYL2Rf z%lZZ#^}v_(oxaF31P%`^RWCd-25--z-F7D_AWsaQtcel=X|o?wH%o01lf%64vq(t@ zIcubJXITskyGK=MxTK+yje$1pQyUO{?Q)jPFhQ*z7mGy}T7cn#B-vIzmcLLYSN->8 zF}xQwoLK0(j_~qT{umtU>_z39gu#c!&byrKN>U#X#eTRMNz z#pFOXn1@O!Umfbcez<(`iWVyUt9bYkQU|Ty9@7lh4Z!aJTe$lRZDbzzDwwNP7Rv+4 z6CB#Fg--v>zHL&(5AVh-Z{Nh~fKeOH88ibwZ}drE@A92#i(cg{Pv{SM%DTjAwABgR=%ijUw33PL%243+6y$I-C)Vv5%pQ+V~* z?zhsY6K+3UHYdf8(yJ#SFlJ?zPQ(#ZVmih>G5v#ENWcDX)&R8XTy`jU_XOafA&HWUNac^+&1)p-aoO#H%y&D zF!@WEnxN5THFlYIj2_?nz;Z`AH|gn2VdNN;m*Qg(*@a3C|HzOx{>As^4xdY z>3Rc!QLXn)r*Jaz)#?1LLhlRaDS7*yL%mShm2}0Yi{fB>P}Ns%P8dq{0)j*WEs%4~ zoP57JmJ2j=*X8UzF>wB{kuCmH2tqvDb;7I;L%jf_&geW7B$|lrSo~B)k~F4okJ>YV z=-TA_4`r;7Y@4Gz@(o+BPTlpcZZ`uk%s);};)Pfj+;vy!w4qdH?byt96__%~UY)ix zMi1W6lmv^~fv~ewzsZ6Pl9X@WFORff)IUY?{a!2dj@K#Kb3+>rug!QY_9}z@s7e`+ zp$_1^zqscIFa20oP> zD>PS7e@;kEM{2>*k-RUPK+iz=`B3BqzH&zcD?Gs&WixJLYh|`={p1&H|Zx#Y+6^=hqVK!Q0{T5X7Cj@sM+4AT^Pg+V# zq*M4wWjoLaPOas5&QzGefDA29S*Q)@T<3G%n`sHb)^^uN4*1~a4?I~6yftRv4N~J* zsY)2v3OZj{e*Q8Hag+kpxXFnfDBD6rWbl7-ufpG$fYzDNE$FXdnUg*hSr!h(>0 zp+(5QP$T4Ds1x!pRAIJ-U1h{a8tS27LV>HH<|fI8z-&`2UyyGET{jUC+2C>H zX1{d%s~%QoUG4N(jY$NrcV@8-hZ509ZuCnZtX@zUHL4@?H5TU8@(P${l2Fq@S5|c^ zd))g;!CTu2x@jd)xVmJO-_S)I`I*Mnr@(2&m(GU=mnF( zw8Pu`ypi$smVs#(E8w~iSf0S=1cThNV+CQ}=w!KWO~RBFEP9aU^nI~|=VULc5{b>= zYJbuMgP z^q>H3m9*j5W~d*dGN02u1JoPg54@?m(Fda=4`dyBa6do){KXsuUZ_5S7s^H8g&rmF zLd6NZ(4%lDzgQ2^9fP08K6!L=St5EFISLyxArLX7uIo$T2kyzoaIRe*Y7?UyL#FtF z;^Q3O_o+yD{`Y{w@s~wtl2UcJMcDmf|tjF zmnVjor@>}u^QG`>7qrdu&3c))z*Kw6QvLj8bo%(UAy+sDWG&?{Q#3N5dHdr9Yw9-i zp?$GFK!6zzDm@Y;8DIvJ%aJ#t$CZ&+vkc89FC+YJd9nA_HY>bzX40_sI0zRx%B5V4 zxZsV~5Ltkw6yU&ADwi=sW8z<`}+Yka914X}Q`#weKwx7R1RicRg1 z_Ykscsni{FMUXvc zpujbm0^!-hE5?{UbXtI$i-hq4;`3|GmEkM^wZq~Hx$N2S^Unc;SIvh|q3S`A+PXND z=hezCy2Xn~RDH;z3)~@2xOeKuFLzM#daZ*@ZQw-yqw#%515v4Y_)`g7?vb%GldgbpPLG8ftEbTG96hQ`xfAHie82T4Ay0U4`<8h}k|&T- zX%?&-86wI}si=WacX&SNI&W>E0{X;9w9oO&z#uW7(zLoR5_lOw?!YJuLm%Z&7se{W zKFYwps(gJ^em?z0T@wO@W70<}w_V_U)a#rXV-FzpGRieEH;1RA*2~A9xnp(c;byX` zM8r(VO+0ed2n9DIANVrP{Bym>}= z>xVX-zWLSsCt+52_u3JnAav=-l@O9=J`h~|d*S1CXS7i^@sel54VbS4GV$)5K>z&g zRA4~fxA>Hf9IieYG~Q%qg85g@3@?KA0g>#m-}l=TV03wK%$i&hJtHEcPAOrB!ST=E z->M3tXzB24f%`ci>+|Uv>dS24*m>TZwnG?Mb~JB=@gD*qqu=U80om~C$Vw;unFhr6 z?%CIt!W`(BrSwzjEQZjZ%8y>>WYatLv||60 z3?9J9JN7eIvKqbm%Kk+4d^*C*YsFj7=XIl+?QV8K*Rou-_wV&Vx5cip7yPkvkPU+2uBcU4j;;0~tKr7emSNK{1Mc+8$V2l2xb#zF0a--SR;QsUwGk|;$+#0-~xDin#MeB`dQ7>u6xJ01H@3H{J9mX)@Vgni1*xBB15@97`3)@p^hf4OtK@Po z8X#@g9_eTV4xf6XkOy6e<>13ehkfV3>8+4XpluUeJIt1S{&+8vUyyioE3ukze-YvS z8WQfW2I2l{67H`#;r`0tUVrhh(kqPl48xmrB5Tnu~cXN%|sJP^OvScLNP zV~FzW)g6W1NMw9U=}eWWKZNq@SK2k4gmaVfSHHUZf$k)Uf&0}In3E^Tw7(XB!d!)V zSD91bXpD@ia6=L>o<>-GA{wr*DEPgRJ%id=xLv$Rm;so!|9bTy$`ptPRr)`EHG^$Z zt2Z!X0G1yfcged1sB|A6PsGQ*MEypJ=(=MPB&b#?I-4$3f2dhcL zRp2-A;Jwdts2HZPO&1}+J^fZtc)-|%*M%Zn*q8Hk!G`L zaHF?Z0)#(Zro{Gf`0{P>_RAv8FLm;+XaR4r=9qxFCF(gvrK5FU3)Fnw(y2r>VQ`aPwlq>o` zoFZoFYzi9c1r1H4zUcl%k#(*G4fwu)Sg_`g79=0%`>ds`1wv{JGS{ZDe9w8qFPTxA zaDG&beX-3<&xJHG)1tnV?UwBIpxT!DQ58ohQi* zZI(GV3Pkb)>sO{~FI@@vMofF5i{}{je;JB_GJg1|Wkz#?j30JJSfmWzgrK?cMlH4; zHW*XvR!#D@0WJCulFQXtZu=<%_S!4vu*kLDd1}-IWXss=oZ2dopWs^Z35zWFZJ$xR zFkXk=Kgh7IoC`qpyK~Fh&Dn7CSs?%Ryd-^{b!uctGgp3id#<`Xx*Uk_!};{;8-{`tgagu ztB(@TR=(C{2tv6ZWCTmPg3!$y0{Ra<;t)L)cJny7!Rgu9ox~SO;3|E>aIh}`EiB$- zThVpLz28foxtiF=lmJR6qPev&J+NZzbDj0YH1IYopMNS;0fix@)PYk0@UHTM<#O#g zbZOozpmH`FWsh2I4MgpQ#>UBO$GrTYT6rfxme~_H*%BBm=v<)8fxqo=V=#CVKYkO< zauP^DCL{l12vRxMwz9G43hD+NU#-r@D8)q z>;3|?_m*hS$aoy2``jh7xEKeY)VS7dxC_vZy{PrT*#wBNqVt|I??st+X(>nd=EBqa zU;OocXF`i#L**~x68P2@bE$>!tc>C4h1w+bDr@K_VYFR3 zWeVKVsfH`j#=vL8GuwB^2={or@9+N||NlO}{nL{u68z(G1pl}u!9RYI;2&2Z_{UYT z?{$Yr@|T$Y>z55de_DCs`(IbkIX0P*I_!^TAc9E~^9AA6`$fnv z6~5hL0H>+QzB5=z!6Q+Xj^aC3DD6asMs~O!Tt2hjy3{WXji%i(p?)T4&&-=UB2BW; zd>~RGM@=0Wcf=-qbCm(9BIDi|Wf?4&#cwM~T?<*#wQ|=?$rAG1H3@um2?AeTlfYM( zAn?_(yp8|ESI2zxIP;{IhVw;>AA7(F+4XKctX@HM>Y|K8?J0Esw!@6QYB*wR*X|m1 zcY{pkqNZ3DcWCOoqN;z*9*w^d@N@iRkG6_qr#8v;q3M3BMOlLmSa{@|ynNFFh#qpD zR}a#KfAx(xLVY8IP~Y$*)HmD-^^FiheZvE{9wVt%{yp>QQ1HA}zlUDa5LkzXoIxfG zUEz5@DXbU*kqLUg!nVEOAd%~XyH}HNf4}4X-p4y0FOM#y+`!Vb)g4{C^;$E2*a5uT zC*r5lxX^z3m(L}>V_BPbYs>sFPDg@>@Xar&7I3<(rm}p*9AKB4Y>dJHZcSaTeb!=+ ze(XO}B(7otX2SdvKSi9;(#yX5cQ1{>VxypDHCGGR$#!0*`PxASAB}-pLIm2XcHDAW zbcc>@BI4};TXZHypS0RC! zP3-QdSnYnV=0{6-aIT1vi(3sw>PZ*AA2Npq?dXqO!ojFdtK+Ko2M0_iFETA`h;blT zpKU3BbA?A$mBd|9n>PYR_SP1tNup|o|A)Ere&_lP`+ru*EL8U1BYSh%d+)vX-g~dg z-XkF?Dnd!9IF$%VD5N6NP$?-5uQxR*=?{H3X!Xryg{DSrW8 z@7Y4KR`0sbc?&pqD1b0;Di+<6=_tFWACAs5Zr5zvxWRbFq_;bb2mB49>aq#=^pTDDO4?*9yt|m~lS)-Y?m9+0Q-f&wWPqpQ{4LbIsL^g%d70#W!(!w|4 z4rP{9ysUJ2;9W?`)^a%$lO`gOz%lr(bW;WACmQz7c=4?i#jyRTyH!^K8!T~BWx6pq&atH_ z8%sOb-v|r4NM8eYX?r`prp}-uauQM^-YzuvytaMMu>#rOSc{=x33hUOyEM&E3%|R~YM&i2Q_kN>3K3^3G^oxsVNq zMg4fIM-x%V@_x?9Xbx1hmx-dSB#@vMW>5?~hmKGT5nR+r2d%=_k2JKBKrC>VKuLOM zU@x74++xMYC8@tw#DE72r|J{_x%x- z1Xid49?{WVJusIKk1H6_K_31DV{g1Nk>EOQ=fHJGSigMagx8lCIN8GbI*!^8-i=?i zvt`zV+4hCl5ML`K)@jvh`dSl|)ov`G7SI5V0eNvr0gmU8N=ZpbO3? z?<@<_7$Rxm%$~7SE%?*NnP8}>0}C(SA0eu-LiEliCBOBRfob(tiG4sS3j5v_6o1wk z9a0{nbEVA$an9GdGqI`g;&0Zg`RD{7VA3m)3(7;os*m2RJ8B{IxAN@k!Q$|Rp;v?E z2~IzGjM?qPyflPx>sy}3@z3^OidFqCmjtG-zL?;32 ziI4dQAJ~GJjA>YyyA(JkGVE5-OF)fFR5RHK517q~_3A~!hG@iGDCQWMUsWE5xcJyO9 zyPN{FP_cE0)H|d3FU8LsMULQ#{X z%YIfH8%kc0dh>8r6LnNxGt7Jx2h5qIROg}!E zOQ6rr@IS1g&2m2bZt9VD-j-=efMSurR`~6OAm;1E2XM4^Tg*F*PXa z1H2s9C8B%%po_QM`pRc{5Mi8rFWl^dsvjp<*5LTH&!{=;`Y*?W+7YF)ZT?dztZ};f zN3t2(R871s9b^x$XwiN+Q8qNTiN9GF^q8 ztd)O{^Xu$NElq`JqlAaYiR!+ap#|o4ji=P!=&!lv&eLgYB>iaOREMZ0xY4e;b@iD+ zi^TS#QbPcQp4av5BsmSdA%}h`n8d&h&Cj2R^_zgJf$0@}Q#X1}6)ZD2RtZm-DgO)v zWx!b`Hor1^T{xbirttoyH5|(t)2jbt4cp3{B#wkiDCEjyv1W-T>N`I><6rBA{`oz5 zF#o$S=6^qq`QI5a|N9Zl|4s+*=?Iqe*nMCtU@+`vs0R`kCo~Oa_J(Eg7rgwq`?n+M zJ5&9hJ90~ZT6U2o5N~}TzVm|X`><9->I)K`KBB97p(u4Ys;`;eAC^D#XDBcEz+(!| z_c><+(ZQxaG-9`m5T|?W<2`;HU%)m;$?J_O3aGj=$1}u%qLwl~JSI|sfEBAh{M{W%|dW(QrNxmJHxpVJ@ouM@F;(DVi7BbSaC zO5~wu#J_G#c~_vw5~m`yl#{ShqDCm1TL7-LUUdl!g&@qp{=GH_=aYRX@Fwg^DQIq+ zw=!j&!tv+j)flQ8k@X+i-5A~q*x?)JYJFA$myhiSml>QxX$2q8mi}@;ZOzUnVq|qL2)?$ zV1wXY6lQyK?^1X++=|J(o4iv6$|XEn`I97YI81lW<6;Ele^-@Kjy;8HMr}?$eG&~{ zBxk0WiX%aXOs1ZT-Vd4U^BO6Hd!UBP?=Mbl8o<|>zYR>d^RC}G^=d|w0kZ5iPwVP6 z0QJX2vR=%3aNJ?}b?sp@v}F@C;xKN9p4}SkCk{3Q@*9DRx@tzCv~r(-NWcIhY?3op z$o1flDzj=2eLlo0zc@ob(Et}G%=^h7v?IFOUycv|HiFE+%Us3WW+ZXOgurFs9ME^r z%M)}70p*i0ig{ZVG^MoL5$wwkdYXhJWXBZH=~J)!z1YQ}a>n8Yp%yog4rfhtmo_SG9J)`M^e85dCzAw<(zy3UKWeYwFMhXBm&4Sv);p1L*D(5JuS`@*plN#+fin6+d9f2X#AREruK;Bou-B(e~0+W0-= zHxYoKy={lXHgf3bvKX_)At9hpdrPFb!3VNULq@(c^61d=yU9)q9*o!a-~IT}szEOI z66gS;jpr9DQc(1OEvBzf0NcAK$W_GI;KiMKquvAj=#IkgKQ$RFpgDM_rpb&2;=&XR z2?&J|Go3c@OBXCL&2#DT( zzLKf|DP8hw)em(b$9Oq&EJhc|HE%5KJ<WmuqLCZwM+9UCf5Gk^=zNS--Qni(%#EmlH&$yQ6wivD- zI1=a<>W~icE<^@20ztJ!CTUE?X;48Te9f*IqcJ z0&%kpg`N6(XqwSpk40Vq`qqq-_-=~;Llfsa|2|$AkSIQ={zDkTYxAu#pNPVBs_(Lq zt^5$BvvVp~)(qu-lReMTY6&Y@7QZ(nUJv{(byF0g^G5=#A)U0l2EZtAZJjMk3+TS) zhLYtNAoiC=|7Jo9uKbFKAaEp_YW-m8Z85S`R4ep$9Mn4 zcZ>*1;dsYgZ9j{o47retrK9p^3lg;AHS6kE!vWRN0l&_#@*=*hT{rVtPAp$k2jj1C zVEi?1jK9W)@z=O8{u(>pd8GK}m&U%#sV2W{g6fK#F5Fv{fdYGl9B&0fP<|D_CcKT~ zeD-}me$YZ5+P;cK@F|<27mwsAE(Yl#l|3RF)<>du9c~vx zq^{~@*(o!WXB0NO-zNYmvtBv|s-jRdFF|c}g%3WwaZe>|6Na>rjUkRPemGp}k?`cy z`vKMbjkS-L6hSm0qxZOz6*Bz&_}#Y)hUlu5O%ETPJ!Eb6{~FKp z{9k`S6zdO|WBmbPtUn-t^#_Eo{(van=k4vgmkwRMW&$+gf9%Nl)KPTA#$nI@dEe2t zES(DUKz3b23_^_xNN%>c|HD&#xOeF60~D19Lem%9{$#QCp; ztJIVOJ+XZ*SBWz$6_1@|90){o*W8`vgI$3qoAHUAtUY8qW_gW14nmess$zP3tf05N zG-%+vCm5QwQL38gAr$$kqJcXWm8&Jm1w=Rk8)rl8&^sfr`>t-X6Xk|?UZ`wIXrt{1 z4N%Fo$!wJML7ZJdueIE@z%EGk$fX$-xEYvz@8%`~($tF!?m{Yhnp{0(q_dJ_SrbFv#%iy;f%qX$EQU^KWoy0o71$A9&4A-L5qX$_1kz9;Nw(+MuM<3OuhCu zJ4dOD7Ng^T{wfv6>OE;Je~A^#U*f^?mqfArC3!4=i3>V!rc;Z4wS@_~675efolt=& zssCPuDAF)3U$9rO25GX-*|fF9h#-+=N`TZ0})EOgJ=V4kL&6#?Wlt_~7ox2yFiH-+2vdXKtP!!sSktSCcx(AHnf~C9)np zOfW`TowoGOp?kB6- zTuLb9ZP5L6QmIt^V7&DS>dhUuGsU^#6otfZ0zDp3+VBWI6{m+1zk4QrzrX?64>+41 zsPlnED06KWJs04cM|vY#CUF}#Cy}TjT6Vr^3L(*9$0CDb(6vUTYiHxEfIhSPZsaXf z@I0gAke+D``QAHU+7D)+>$LMPjrlY|>O%%~Yqu(dloRo}tNFw8#|t!lwU*!%7^Jt( z5CE>5oP)<_OVGL26BO2Y39!}Fo3S0A0esUdJ#r&yuvSg!_&K!{g|${FL}z7TeijBe z?^gk_H|T(&_J4Ri@))m&7UT6WVZ5Hh5Ot$(G)CJJu5S|_>!UG1`e(Iu<8gV_nH5!g zLq=wxZ1J4GBP{}r91{%gd}xk04;0_LK77~XJCD1sDXcO$RfVi9hqA*So~0E0Q1)9?{Udt-+7OaBFVS)uZ@(nIezbqQ<`WpNnG54J3t_xwL5$a|jPaUz z0N*^8ze^(mA51ks?(1AVxv&8WBQ+Xb>{5pWg1Sfs9X0p^-{o76o1#Qz#o^m3YIx5_ z+|{0F$s7C}Xs+SPA|Q4H^&mpm+$nQ(;GXPYoRJ=SJ9v5|wm}m<*T2V@=BquwsW`Pm3F-&XH?px?AZM~W_bAbj=7_~seXsJzX|&{RQR$mp!< za5)(jr}F1XXiebgb+NeX$_DUxmjlt7(?L+)hG^<_J&0JgPQT%5jtptX7;HmWL1FUB z^X=zS;1QRwZKfmzawso}f{q@-XbbiU`6aMCH+n43O%cm;JB;PI9mew9gs?m}GDvAd zZ}!#bP|>ZYKYH2?(d0apD=&>D81PE%5y@DA^yS<7AH*#Yu64JPoGXd&<^5&#)c>J& z(*|AM7u8j7^x@{~RUn4Vl0Rb!AVK@fjLX{U=tFE?q1+u@9(P#M)xZ=X#O>J^ncK?;wqN^VP6hMBHqlaQ>LM@R z{ip(?t~@$i9(!M?;pH8XRFwPHK>X8zMEKh~ShhtK2dv|-T}#d7!N z)sx`+{=&CDIojYLBD`#l?3YD6wXP@tKX=I^6Iu3%uhwzJvV(^o?%*^*r*N+a(Y(%2+>03q*r683v|IR$dsfxEfI{wcy`R(!{EG& zaUo|!0{D~QoHdzA@N{h0G^sBPxCH-9Tz*r7-i*1{?MLsc{{BG36qSKHXWQK>i*P!Q zsQ!M&#|JE6VBt9bfj>BX{`83-the@64?d!F2!5svQc0n9PbpkMBX%V9)dO*m`g?|@ zn%Dzk-xDc0$8M?0aoKKe@I)YaS_!p0D=}yuqz(Tu#|w^P@zDmWB2dMZu-D;s0=}OZ z3o%vYhb8IOw?kYOc=Iyw<@FdI`qiPkc?GT#P~W#LYsC4)noTPn*PwXr_D(OkOr+y; zRMExqG{i+roV>kr4tYg?Ozpg6ix?l$k;XXdz{9Lcn$z;uX!uN?Ga08DY%%PUN#z?r z5uN?CGZQ0RyIt4I=7P&Fxj!-B+mD=e2_LGpwBr~7Rj?(r7pphdD>m!|d!2ZsqAn&^tAd^@k+(8a{axquO z`|MCJbJ}8+of}*_?z2EsAA)4e1sWJj#nJLy2J_b`S7_qqcae;>1!uM&TvG)$h?sCV z0eWrVFjc+ZezqNw;(BX;YsVJ;TI~$D-mO&evAlOet|x3>b#I)6+l8LdrM;P`=cm}g{GYbaL>Xmp=?n`hvsg7voef2w zPW}9oFDd|+>ZM%{@kD@V+zXQL54~`Xj+@&L=R-h{{d$(;st>AI){|Ka$wqXMtJ959 zu~5CpeECIH8ko}@H}pFY4LY}n?QZ2cAhM~4KjKOoVW|F?)L45lfIL#?GO*!P_KPcP!DgycF?#KoInd`R?7c2}5T;@GLDRxuMbr zQ{(QUE-++WV)(#M6|C>^y=|k;05dzgTQ;h7xH-GaIotCHMhBQmJh#uF$QZ5-8C<4A zh>krIHQ`xQN0s|WzsejPU)2wLPo@FeZr0}|N$tVPfWJ-fnhiSc@`BS?R2uQ1p*H6= zZLGhig7x=2u>PI~*58xI`g>AXe@_v##GVGR5T=2;>BW$R2U$q_=!p4EsZ`Ya;=%Eo zIQ@X@#nApru|ibDdG_RS)m*TWoNS9uzX;!$%q1<0bK!y4{Rm;^3qW_ONWI#o0Vxkx zH~k7~LgSLV3>1gT(V;^P`$D;X=(3{7B%|MX^qH4{FW067hAoeJzj<^XZU~-nA=Yj{ zNi)K3yC+KU-fwBH!z7%Wo@ni6ABo3FbGX&*`Z!V}5Iw6_J3Ufj4e!S`Vq1{|@NICE z$S>N1!byidYf?i9{kWUx=A#Sy6HOf+rNJnxLM!#1yeZI9B{2&fPyk&oA)_o!J!p~c z`<0(63lEMtm^ctiLcY_1C(UDyh}>l8Z-S>Z(Ec4UxQK9d(CU8o2OCAmC#$)Zdaw|k z^5gYp^NWP6>nF_ZD2oucMo9T*k5r^4z1!OAUIL?KrFn7^`FQt>@XZIt_x&=E%<<^M zmqO(8y-hkiIRRp$ANNGJ6`G*v6E#eNPG8yL9wy!(rfh-u=ou z?hw4W{~>%L=PP1NrhmryOa52??1t%|tuXzwIi`Ph!t~D;c;{D`&Mnuk_;~`;y@I`=RYxGwK9$mV z>@<3Ow21k8DNa9WJZ~?i?hIk0F{HLX{a{?xFz4D=Nl+Z*`tw5A8NK$X^P6Ro2KhPZ zF4uE7eV1{I&}jw)0&IM2@do11$jh`AV<89XY<3nk^r|T6QzQ@g%L4g+Mj3^N49FBr z|Ga9Wjx?1{zIV{)hJ)Gs<6)U1aMUKR?`8ro#BK6lz0oEJ=5`0IhJNtFn1$1$C))yW zHO%i;^Ep#=#^Ltq0JlC!<#Y0JIMfBLU(1IwR~{gtYhfAuLpLGXZ14W-pIyNExKf{q&`N0*w+bS^^ z{qXMJ;;T=PI9f7T6CZ{i=I=F^ci4eIcTD3ER$GX#s+|3$tPDi!h|b*C7~X#;4o@=` zLzYx0I75X^z*}&M*zNs}stTLD$y$^Nl8~NxewWYy*tYwfGlwkE<)5O<+iCiE_rnRx z@18LYkcE-*v5JL94rrLR-z9WS8njzWWTet1AzQsICZ$0N)W%e;+nHsd&ZX*OM4%rS z7(ZVRlsJX>Oy)S)Q7G&jY*xKyF59oxlE)$h9kTb>*7d|#XEJLld>1j%E|3Y+ZMTrbl7)j8%#7n`(@Afkt z_oProN<+6IE{E@2Z)FbU5p`57$M~yUMIH9;I*O~8Xh3s%+hWO@9!h!Cz3xV*0jr(5 zjc%V2oQMrFN_u93iZ{>X)@$POYM#wp6rcR>etdlSBhTr3cfY8c0WHJK*e#q7?Ea$E z-H;JI;4{pgStHQ_j^Tj8*=}Q0-;*|+3c9s8?EDVY735!;d5w>3am7w6So9uxoYf z9*NGN=H9OK=2AFv`A(btv&!ld;}mo-teM`u@f76UAbvl7-(X+q}b6Uqm) zO%VBBXQa8GI^O*;4ng0#k&7`Xe}Sm^!@f6gwO<_E*-u1K1NS~~=L7@WXo)O3Y46i8oe(NHP2cDUT zjp;xt)zRtbn*&nnXgJhWpbi@LL6i$3o=EQ2i*pefo-m)gCM-6q4{6GLGtQfGa5|Gg z=whD+8Yv(+?4TKf$Ty;z9*ydu`h|8)_kM5C5Nfzhxo-;V(jSIyCL6#J@y&hSwPeI- z62c&)o`9l?4y82H8-QKQk3Z36 z`P<$kiqjX3DVs5!fZu9IXDwrt&^_nqToz68IoYX8=M*PG$1A9(IiH{WNf3n?l^ zK9?EP;m+B?Ext=?aK$vku-Ed+`xnR zax!Yp@h3bOoC@8)v!huoqu?9yb!Y3*a>Si>&G3ieIlSxnUr}e~udO&hqGq|9{DvQp zEnN5ZcxwT}&s(~rqwT;yikFLoI0mO*dBRn)pMzSLeBNeESVJKx`Gq80{%^#sCz^(R zR>BZv*Xaz#84LCp58ahU*!(3zcvC$0Z8Lyt8s0l+o2O_JwGjTfJxI=k4 zeOs#CU&p>*|7{7R<_;B-x(&eo#Jh*Q;0$zTF~8TWcBHmr=ONv=9{8{_gtr?2aH;NDry#x);)j2yw{ zO-$Ili4mJOiD2_4dYHX!u}{`44k^YrxHFuskZBCh+}#xkSQeWLUy(Qgm11d3M?W)y zd0zTg2__LB*wr@EG&DpSavi@S^5fCa#B@v2QW%OOp&4$!dJ^QGGMrd6N=MrHw&GU= z)8OjNi}Gz;-jbWWsgos3B-&s-qPUgg12%s>CC8q4Le1v@{j&ZT)H_&sQee~<7JeG` zw3-Vdv1&P5-E!P~?2;8D*B4osU*>nrtJXsis;MQ@`ob`ZyeL4Q57TGTV)<_hSpM4) zEdPxL%YVahnf^9DtG+`6bqkLz$h+0ykL;BG-^Z5lZA$8s=ErcfsFF3_<>wFP)5~wm zB}75C)-?HbwLWU_A7hcalZe{H-Cgd_grZYl?wUk$r9+`n;G5rq**Gp4>1*5YLiFbq z;m4w?c(6D^H&1;)0G@lDi=Hl5M&vn!{`=}Y@bK4skQ6SDdu4`4^vt(18; zIK7WWf8HzJ-U7sWUoZ02Yzc747T&D zrXGLxM|Yi=>3_uqz?s;}w5{jvFg;Ir>%fRFx<;G&i1xh?Y}|X@qmx&OX7bh8TBK6I zu*~Yb?EO;^pzLCA-kJk#bTNWPsnzIhx^|BkV;&qj$uX=DnurqL&Gv}~dcpIj0o{v1 zK`^ZTmMM7>#~YiE?m85cggzu!+1vyhXqL_7&L(iTDz?w(|@B3yCI4~hV zQS&7`TP>luI2Y3Hj5DOS`L1p^Cu62R@*WZowXo~*?vdG3|E&3TyPCei3BOL zmWA@NG_+x%JYK?*jV@(O9JC+gLUXQ}_gJFMK~k=*@=m+}5^u>|YI?5#mG0cj1Y~Y# z?AC*bf*B3G`(5M;+><%uRv2#%=SSx)V{Rsl!FY2P7;nx5D^XW(f^U^ME`LBX+miH=HQdu(z7}+@9#({li`|v=AR`s`Xd%{x zFPbw0pX+dWdY2}d+39saeo=tE)*qMeF;9`_{x|@gx^UoQH(@?(3>PT3c{f4^Ic>BG^)zeV9_g9*0x*Qc}cI`UwW`XNmX0cyYD0*Z1_9+vi9_r=*;Z}VMn4Nk0 zwq75nW0oSWIOJgqZw}0z{d&n9$nPsZ&S!{2h280NVxN6ro$y<@vT_Jy8haDO#)P9^ z-dP8~ru%_sub_^Wo)zAF>eaUvUv|v=!P#6*c$3^6I`8cT_3g$W8o>)G{PI5VF-Anj z@?$*8c_mxh$Q}US-~Kf=^om4>qf*l!zPCr0)oLm4y>o^*uXj3kxZQw9@RX{Ds{{P? zpl%57w}l<`fZR}p zz@L}CU`)u~7ynQX&6GJFlnV}pEBytxvwH&&uhqS`&b5-z=A>51ancv*G~34=C6qvK z0^=kPeC0*ijJwZr5-4Hx@1&v3D|HCzC?=55Krr`ixc}uZZB(1+nm3whfKv0V&#Y>P zBBQ$dM8R45pql$YD5cUCN}ECoW^p_jHjP}x#7S$s^#k^u#3V$Qoj^Tjq>HyU1Zk1| zO^bcvj6>>DPfsd4f+wr>Xn&`sJ!Ui1VcTp59^QMW>2rfz_R^B~S2 znSA{OKZ`C>p!z9w@BuDAqqcfE~oKYZV3wf^)RLT`zc9$h?& zQ`>0Gad>yAbCOyf#jZ z*T#$S+SoCEr5(nvw8Qw74j8}E0pnM?Vf;#4tbVh^@?O-jycbI>??oNUd(pu1UNrI6 z@BRB8X`xH#aj>TaEp(@nttzw0Aik{yiRA(cFn(_yp<{g*sL!a0q_k4OmvwdYbx;mM zRimPp>SSQEDL(ctwJqY!6zBBJlY~al9AsMPAg#lb{5;^ABrc2bi}IynZ!8l)pF z=%e6u*qfc$##89R{L61AD-wV%$>&X{t8qD3V_8Wr#F7F~Y+WgL z)=>{I*Y{6y_i)6W>#6%Y5&CGU$M$-+jvn~R6SN#y!qxX9Q&z`uISXc#n&CICw1KpQ zg82=RHiS1EBXf)JN94`jUpIXGkr5e})eMOl>=1Q5UFyNr0N@9`hMl@a5&9>@5t2;;ZXWBgV|_{VQO zinkusaaXmJq*Ds$*L{UADfD`YBL|;it!h+_foSXh~;G;-VwoaoDvmaxFpED{zm?%Y|!&#hu3(tP$zx(t6 zcAp-=?o*uK^ndTu-GP7iDFJq${u$7SQGX`8Z;kqvjxEi(>LT9!Og;4g1gjI#UF654 zpesMq$S6l0oqe>~%e{`vp_PdlmqBH4wd5lQujm!zzYy}#e5nMUoXdMM$X)_zYDeV+ zQmRqALRUJaUODhQIHO6@k0aeM6D-~$kp%jOH-60Cl7qTu7j@XGQUXu@B)_-iiA+m9=-466dwFP_&P ze-j~r$swsa+78K|Jl4N+FAfg8D?0ZeDjNd+`Yy+k)gXL%7Wl5mx4%J3Lak0$GKl)b>J8Ul29-C^^dRej*|DCGRD@pLKf_u}gxIlO#mmE~R}Sb9C?*J6l= ziKPCMjy|W*EmHm!)5!qzqEupAN3{^tDc93iaQc$6)Om*bAxCuBvH##>I$WNc`O~U} z2n|GOv|>No{}{iOyul7W`#VJGE@`6zCJ!l^|5!=s@iue9`$>QG7VI7G6LL}W+Ni)cL zKX@U3#TR_@&cy3DnZpsX(tro=1JI8Dkc9q0JBW-mP*;3QI+!l;ka zGlhP(dGJ*S+UlmP=%tK+G$h zbLZR_ad*_)9StdF9(d0eBwIQ)Ukqe`g)imo{%{%kVe&HFr#uC>@0IsX7-ztag1S@4 za5}QBS$#_*5Qq1?4`05+^vhV9Lr*o)ozQ!?7)v>ksmp+KVX7%yHzqvhFQo<-lK;B2 z*;pY5p@XdYXA~fF+I{8lcU=CLSKN?B;c>7bI;$AziV)*-Y3gsD$6$hYvptiS8Mt|f z8OuH$!}iaA*Nd*@rw+OY_`-zrnkMySH+WN$L~6O^gX3`+sN4PVh3(?R!Yh&BNS~j?ZY~Jumpd zOGc)b5Rd!~s;TelW+F<49xoTcXlQP$Ywntg2EAp5o;KMiFeP1Em_8eU)wk~GAJ5$k zHpqFvQokJ3iF0U2rL2xYc>=RmBAla=X)*W?+0Cziqi-$kbfB`YE9v5MNKbh5FYJodHig^gGoPpR8p5RLw4CTk3-oHK z?tsrNLxith(TL`(O~7MXEPp@>%O5y` zY*GG`A|@*#U2ruO+m~#RMjiw`SIgeZq1u`&=ApYd-@@V7l;w=VAa*jKs>RO`#eK9L zSiPYJWGj6oT-CB*dw7kuHc|&QP%wTs!R6!lMW?dc;_6|6;i`?4c1_TfpZ=UQsR^Uy zo3-~f)!}IUO3c**j;PO$C^Le}8bZr#d=i??LGCE`rzeU|@SrB_;7jUgBy6C?zWKx& z!uv^n3~eBUuio!BmFEREqbM|GXIYl>)dOxFIvCS-CI&q^K=UWJ*AvQ=4(aj+cmT`W zk>rog-guw4`1(EZ%@<{HCsd@Yj6|zt_d5u5G9fJR%c%xj{xJthd}ff)i!!VPtwKwb>TYXO4PjEqLL5K-9E-K|Hy!+9eHck zwP{H3MGx(UPbt_}hILZZHG|)~Z>_H^n-J|YCkZR(>u9Cp@WaTiS}0OJyS|3Y4Z=6S z5nrA!zWrOmc)74?4;s+%3p<~fauB{5_x6lYQiI6hcRx)d_!Htq}fj4koPJnxOw3cDA@ma zZbpQw3%HM7E*8)O``Ht1v7+H<{kypn2kz&DmyB+;pVNc5lUcc6`c3}7TaWMeB6K`O zR?a~JSm@%(cfusVf$H@YyMUuGN_hUYbd)Ik_-*2J-N+nK3RQMrjz0k(3FR*&-SdVY zXQonu*gSxEP&Y&B{%Q0zMn&5W_wxfOeH58-9#G@G`aXghfBtXwt3{Q)!61~#Tzvd{ zSQz3jDIlm#F@vs~s?Pa3PB4+_YhXd=08u1{HoGidfbV|5m-mYAeS~j+4`2TszPw$0 z^XvZgi_EclKn<%0EU|h(4XX##v3dZfYp)}FG{u&Lj!o1D(_G6&$xUQ@UVmdDS7l&D zwKopvweuSZS7YEptEk0AvS<*l^4XOejX>s(By9=ZZor;(Au7Df5rT??ssi=Gk!nAm z=}qJTV)2t(TQTn7Ya_-#sICN_7sEULAs6|B!%_;oXj}c>qQ9g$e5@fTZE7S!&wl8s{dgvd zw;s&qqPx59sy8$fj{m$b8i|V4uZ*9R^#}Ck1bMJX02na8{kV`ChfbT&4pP5xhR2c9 zADA4Yfr00aU&XIsM%_7x^8VFNH$MkMVY0lZ-ZCx^ zyPV9XQPB-KyS)fL*c=W|2qYE9%DjPqrP}ikaXJdL@|~v{^oOO-?}o|+SOKnok%&HV z94d=noKAeDhTexRgp%$ZgEe=t{&_8C*q*D@bU%6w?|Sn8w|^hs_bI-AKfdRKRj6L! z`S^19TW2Igzt)CimJ&N#Mk^qncz6O0QM5Ia*`d&1BHepfl&^-(iLdZ&kV@BB}`gGc*4LK7uaE(b+r4dUpG znm?Pu1%%ulf4z9FOa}6O*!Fzy%Hnw4H-q&A<$*XTn=s+G4#fK~lEvnRqd(fLQg80- zff|#sH-CXP#L&JB4LoZD7hN~#FHdV@^9y45H^2CU%`b@I-~56Y{>?84;NSd0038oM z-*tzk3h5Ah`Ykcy027oK!_P0I!6n-4_haGVV36-9iFzgLwZWc z`c`}M_9s3_xv>)=N{O4#D%$qH%hX0(!B*SLHaMLTo_Y27)-(9_=l}62wUI}!me_!` zI3zCK7E0-tg+K!H*WwqY;gF7t)9ig6^ttMlPO+K-R0}Rf)lk_&?0${1S$h$DC6svY z`>G4cMpb@D?yiFEvhCv>mZi|=b->AivI?A=xFTdeIiuaM&)Ga&K9Ko!tRvt>CUXCf zFZy#j0IZLRw#63vK+)=KlSpI$lofitaSsYYokY)T$WGcrWv0>G=KDZ&?iyX`A1Zfn zs$jjurQ`_q-_w21aJs`keke7@4`ssmp|lu3loI2IvS9qsL$DdN=~;r?x7!MrgS_Z* zxgxn%vTL4M=<>juGL^F-P_6xDgI(Ak&Jx8wh(RIXS;2a&&qEKnll$SqpOt_YC52cY z)km=e3j|H_YB26|{#hcG3Y2f1FW-t+fy)Dr_zoWuhcS|x1kWvki@o2RZ zJUrs+@Jikdl*BKY6yd+b>Ke-x|#*|7Sb4Xgi| zu=-yEg)h_mh&m98%w$eI%9Zs5vcP9f&ok{{CDZYIT!|6rjwU^<&<{cx5B}aMJm3pc z-4|KHRMO#_>fqq4ZYKP6T3&>a(~zXl^LujhGTKs@^C$S327h+M&57yqF@B0Jmba{q z|IdCOW@-m(>zx2y@SAKsK|H%oy@>V=e#INrwG-A_#WqB78VqAhu0P69}TEpAcb zI1u-r#;qLNk^p@3g8tQeVpv|W9F|usg5?#9V0pz#SYELhcs25LZ{qTShT6l1pDRkh z0*T5o&zDm0WWJebHA)u5swqz*xG5fQj9uUbfVp#do z8$x#!y~sp;A#dX&i+YMDFb*v_UAS`!;hU%WZ@mwe@2ZC7yJ}+juBuqRs|J?uiZH#6 zC#JVC$MiOynBE50U-0tdQ^j#N|M8V9vGxC*$5io6A@jx=c})K!kLiCDG5wDsrvFjH z^gnWt^Tlbun??qmeO0r;Y8;QO^p;ZAr86PmB4z7mwIq;i`T2M}?=<=pR~Qwrlm#Tu z;MGE>FDjsDiY>b41ZCbo@5@oCpt@f2%uo$?RQqvDDxzBt>aMPL9FPgdyMDtrzwYke z>Qmpo*u(oB_Ajp2)ZnHZPqGiCJCgLy?^<`00^8B$;B-4}*g4$TVZdyLx1QnqO2#KO zE+1rdwu@Y|L%52SmOK@y=`&;{E@{SKsb*_o=gZ zJ{M#jmx?*_I}&xDk+%r0_dy1XrA2&(!LUg#eo)TT9E}k*yn4Qd%TvVDe|of9K0w(? z5xkmC5hUcOp={w3AJ;u__1bjvaT+QGn6&FEn^)39>r#@y5+DlgOz+#TMJFN4!J04K zH@!eHLP}3pBpN(;p4}VZ@PsR0WP@n-e1PtC_e8?S1cYz>aM(sOB$HbgePX7R=eVQ} zFJyuzGIX`zQQ`)H$U7Z4`}P!*jjxrRGmhi=x6b1}uI}#7=en-*e7|3Bhl2|dr& za(_-*#0>$)&u{U!ae?&#lIhhlJwyft;3UNfrRj_(E@HXYMW?@C|9O!E)-DjsS4by9 zLEj}VkD9Uj=Ar6hyYAyaONWk(kH@=3+Ng|uTVqb-_e2oZ-tg=6k2fq`dw0c_07I=k@P$4qLwI??`ZO{pfeOk{)`Ti(nrgqj%?KR z9;l0fg<;dy0|?a@9lmbUaPhnsQtHU5S)x`$Pj(mcNEEQXv-9;qEpcbiySMnvQr{6u zhZfwg2X=3g0h{u4Jh+>fEAbaj5S)Pc|A@Si_KkKuJs1(|L^N@ zxa~4Ud|3z4vP^ohzv4!&)EBZoVC&d^cVXjQfd+_P`1EUik0z|E_xe(2|~59_fp6%+rZc{ zDSF4Ju5fIbwr)hq554Mdtni$41ff{V=CDp@g7c+ZbIlC9C!DRUqF zSNf0gUL2EvMfO?I0%0NW`7(Rl*HQ_I zEQ>hxX7B=`JVqzkGj59(4ETEZ@bzGG+W%P(J-!}(d_9K==6ev@pCoiW93o%eCwQ1b z(LJ3R2`X=N@5qKJcgU#a&kEQjUzFi@j2&Dg-AuVS<64uziF^wg2fnL$rvA+)@3C;@} zdHc3z%Ebjp0vU}?HvXUICM)H^Zf`WLlJlv$))@Va_p@AVcLg%LQ~Ga>-4NR@sRZZ6 z6f{~j`9=Rh7{pwB_Ps1R0tEtTey4tn za2=5XV!J5{>W2uiy;5|D@0EhQ*3)U{(?!rhzKodObnM?TSCAj(8jQRQQf^wA`=GEp z(*=`(J}CL*J&jaSjPEmgBaop8%NaeXaU*go46?ILj5&0t=fUAg%fAB%qo@Kt&n6Lq2kAz$K zcWr>-uzS=OKVKAL&u4zb(hlAi6aCmYqzb}$m!)G*V||B9^Ro=|D)89AAz+Uvc5m#d z>pO#Smvz}QZ#(t1!L4Uu|L_Q{jK}BgVmLll^g0WZf4G29H)6IU2#F zy>xpuV+tbleDZHTC5+GS`0)9iDL%jB#pic|`23ES;C^*Y(ShTV)nO2{Dg5TDXfmS9 z>Ubn=7y*uCkE>M-LcsLYIZaWD6tqu^b+UUg5I=v);O9ME{JbZJpZBEk^B#7;{h#xv z1YZB&&xeG5KmXhH4mBh7iT8Cu?{}5T4W<+5#lYqx&N?T^yKisWnCk$%-ljLd{PjY! zQCjtd#I``;UZqAf#RvW#Nn<;Xv}p9;Gi%t-gXxG1y*hd1kZrVAHw_6RG7V#+SJP$( zkIQ~6H91aLKF|UBl_7Ju#d}roXGA2bh`!!LE#-- ziD2dAANJce-vvg2@7FlrdJR4xW6GuX zi;+Y;8^aQ}iTNO-G-lM&ksBsEjvH+hN}ac)q+Lo-ePC=gZ6B`SMbDzPvh~FE0&* z>QT=*Tc7aWau@`65?0{#nNZH>o7zxQIFU6b)MwOHY9w&!5fs&9xcJGiI!TQ*L z{7-hA|H*{&KiP5qCp*snWXAcQ+KABg|I441!t-Yp@%&jnJb#uS&!5HSsuQ^#3%i^k z(NvL5%4YzPpZW*icZVZ>F0+>-T1If}^uxzm(Rwg-cJ|QxZF?xFBoR{@(}SXv!4tI~ z8$f!n?#w>k7I<}g$anWr7sQo5Rx7rDj2d~5QZznqfr;)B{i^0hg8S|Nc>Y#6&)*K` z`Fr3z{{)=p?|}3CZGceze+{Lq%6^Jq*mS6E4e<{HYWBn5G-%^s_?f%15_1V+-#NRt zsWTk9Jw8|$MTEe0$+gh108==9L?dYb(J0vH-XB1BIS{17emng@(~)_GX*<@fslCl!)r3 zD~Gf7tYdHb#Nb_T{%Ea_I#S*~vCAJM0mN}V((k85;gbWofg`B~q6~lYjfGVZ_xJtx z^VQ?hV&bM~ayU7#w>(=_9hK28mPiLnLMoG=Shpl45}Y9}6?&|KVx{e$=wC1b|C8cB z=H#Lwdv9uz5_v4ja#~eoQPx3oVXCpZxk=!wnPSRS9)<>OQ_9Iw7S#`RJoE*u* zn{8)}0&`V3W&ZJqzP||c!a?g;-bvXgZP-JmeFW?7}@L#Jpo-jbtfccT}VR1+(NW9uQM2XxE z(Omf@!G_|VOcsc~6$L6k-~IcY7(v<~(E2h`Muh4)52wFT8^C-vwSz+ba*96aVMwFz zV`Wc}v7tX_Gw%soED0Ke>!C>M_L*~mrH%yaA1bRYEUvS%<9s}JoR7zX^YPelKAs@X z$D{xMKmULDf&b5aKiTm&1ayK5VWQFBPK)<4VzSz}lXj>Ou3QV}XU6h5Z^;+G)pV{! z=0fW9(?t2WKjpvs6AAS*nqPZC>gZnqP;MCV?ezjA&B(}|3$r}SI8qNRcAn&lyH*k?HsDCF)9X^EaBHU19h*Ms~BTIxvD z-rkTsB;_~1v@78IqD+d!tkJK&QlLexSn`=Q%m`}TFz%_W$ z6g@DteS4-;3AmMkGbc62e2VZBK|7Y2Fw z899z;!HMVYz<#_4BuP5yF8XD{6))e2A7Msl{fI%=O+Fh$8guALbCVP3-#)d__5|a9 z3>4?AztcvGl1_Rix-5uL{b9xEiTNPqC?sdUui2t26ZzYGnK`0<3I?bTT>EMt13dO* z2Q1j4pl8q^wN^ZmV1BG_ikGZdBpJ@DA;Ebyd^oR$2W`;F!HR0 z#;C9vTKwD^bG9EL!GMZDTCSV$an-|x zRpTIuu@}TYJRVi4<__UK6tl*y#XxeCt7W+*7fiP#h#G!$qR`|To1v9L_}p!vEK<9c;$zBq~Z-Ve6aq7@bC2?3ujk3iXC);^lsD17C(2y(eiU-blMUMGhNC?QtQwq+ju_u{YhZM z%G6b_m;x1=bj=wG$xxo4@X)OnyBAvCA5tt&hDE*3ochE_$n|8pCg&9bc3GJ9zX;!h-b(qV<^zqSk6dYQ6k6)Aq$46J z0lR~#{uVEaK=J*J!S63R5TWx#wMYZwWXwObwtQlGU%nSQO(S6;>}QJc<&QebjvE0V zQ=g4=tsa{3e&Is(-3aoP_g8z+Tf_Nf--&_;CQzSpd78+~1$I>BHR8x)5T{AGTp78U};VuudYGixY#Gcyo65JfP zK+aci74EhUk#o>veKRpz@*_{NJf;QfQofUwP%#vjaK$eRp0ZMN9=cM4h8ZX_6n+&E ze82mrztX|;ovrbFXFWXMSrgB9w!!nARSC}H-n_BL_3j5Omt6Dq^7SeiWc{d+r{k$0 zSqn-mO^>tcc-W}@((}3`T-$HX2bP37r1-CL|_rqpUSJZJ8XOkfOph& zN0JZw19P$0m(uYpJ6<;1VS2vsM3RaEI&{xukfruC^WG4KWLfu z2dZ-ejwaGr4%cNKVovY>&X?<~Q1;icbwcB&N8VgT7D!fVw42k<4P|wOSKscjf$k-H z%1T{V@R&d2y2{60g5y_Jx4mXVJw_ajAncya>UormTut&IuQ;HhP@w3Z$wj6GQ z2-RbB){@@8wCD|q!yTrl=3L4;FDMFVy`4xIKO$Y=kgP)uGj3`Y8zxDQ4kLhn-}{?xZo zX*gKklfR=`5{*bG-vr*_3xhVF9L2dOp%C=GSc1eM2|1_Q9SjZkh1^T>{@B|ax%Gzs z7%Axh7ttJrLH!yOuIfo4Kr)2Px0&4D3AaN>FQuCn8UUXYxqlj*B!MD62 zKG9!bgBTp<{1&1lAhgO*arliW7_AW_pi(EG^ZN9{K*p3f2agLb_;(QB8 zpGBq_NX5UKg) zei@qmK1eR-?NObDe26T&CB0W68}0m**$yI!LKj(rV+&a05Zlac;fE$k=mYnQj+vQo z;33w{UBmjeZ|*nR+8on>*`{YvC%r9^NQ>ollUEv`q}sl8j!zxb`{cxQR4tLknAF%M zOs6kJBv^V|-xnT*#r}BsTouxe?;p61`5J~e%qk?K^^kVIPwLC(W?--&E;ec&iW)jq z=@!c6QFsiiyKqM&+8+PI?lt3 ze3`#4-r+Fu(2&{EN(e|Ouf|TOB%;zM92UqR0db3LdoYMNp-A4vuvlVDm#A7~e;wm} zj*rEEboi}<((ZF@)4kLK-=r{MmI)KIN+UAv+OCRD*;hTN3sL}*1K$`;O=N*_Oo6ZF ztOh*0n>W{V*aKNP-_ST}sSKo_yNSo!RS4$Ay_O$L7R#`L{Xf4RS&t4z98-BS!EVOz zYum`Kg4PoBN*bR(sn>%Aan@!^J`>2IN=c))Gy}TX!jC@KJ$RAytEhji5%4hmu^7hk zT*Ydh@Q>Q~LOZJfWB8gD;d;NtV7-05h9F4&{O{|f2xLk3ky(|`7_8JDX66Lz!`GO< zFL_LDKuK7>@m7#7_zU%Ibp3IM1F=i}@3ZZIEWej#Tqy*Nv;Mxs(%=fBcFW#Mg^op5Cnki&np}Y_*YzBVUbDAg*m_k70jWr^EV}kiJ zawA!N%!}AOZL$0uk@Q8>@}eyMuv9kuh%pwd%1Z|uN|TC#fO3?eKAlpkmI}u{crEH< zoT3`^5K5F~AZ12ivvJA}8E2a5ix^5k)bH$FYi1c3bqODvn3aT=vprhN;vz6#7&s{s zAqtz+lHN|)<_I1*)CWijz=63qvCO}saAW=0u+x4aNSetr>1YW-gBRLn51q1x`yOp{ z^o|}-qw|WAt2Y#hKkR>ZhsF_}+#`DSa}>*OD5cBHzj+ObvRQ457GS=!@8l7;r>`Mt zi7xUE`!Y}rF}=lNnh&PRx~oSHmIFmEXYWkAJ8bnanos_6gcaots(L1W_@42Cls7&c z8Tt8tu{h}k5xp1vm<+vwVzq=8a+DbAni(ifZr~HA9Cc!TRcd_iI`_pOG5RXOzP8 z84uz4jEC`j#zO@2VS0Bf{eJ##MaehbD$NVm!ajzy!kPjAYNO(rmsK~>HJYiA)Tn;g z@TW;TOd3v@ zXYJbgs=zNsSyzc5U9^!vzsa&k9uCc{@6kGDMDYHedVtUIz*$XH9&dg}m0u7Rm&5v6 zZ%IJPNwoJZqckLjAKMWx5{A`)lT~ffifFPivBN7_1Pm!&iGAm@MA_o;a(z|&ARU*? z^vqoV>MWkP)I8S!C*mKfG<6)n>gTRaJ68#9#>`)+qWY1yM?6lb`@x< z#qOzOaz;T*=e&F|{>2aGfGkBLHMpDkzUCX33VfVbjec8gifpfo`Jb3jh8wJ6OPUuA z5n8ir+>TWNLi6SbttZqU%4WPw^4a7hsJ!lG7;TF~$uqldv(mwkoOLdMx!M^9YED{B zKaE7jFwJ_T%;$f7{fzcYuP)M`r{P zgGcjpd&d-$uzR94&u^b3@EmStY}k&6c#A#9AJ->9@YZ{g%!i3U9AFnuZIg>8e0J!? zH*=Bx%;d8T@ecUbf0sz>axK*O9=5+@qZL#S8lx%eOPP`dT*+R4~FG-Yx1^R#^d%(wiFIVKW>2=yue0J$)b^%=5wWN3V45B7T05&;(BaT zT#qe@>#Oq|S^nKrWobM)k4{#E1JvRN`7-Hhfv+?+c6!+uXH|yjW1`(;h&%5Ha{D}3ZXB`oY# z10BQ?IgOEpnD4rbf$3H%9P~Yz^iaqF?&!VA)7D5t+k6&6&sNSL=6PL7m5Nk&L*dS2 zKzR_Zjbu2!#dL6l_D`m)%tzA)lUua>Tsq_?p?{aHl!IXC67hw0HsFzBKBVe z@QdF>nZ+MH$rPw&FSS6F5lh&sQ3E_fYTpYGDMOjf@w&Qex?r(D)}6d71vYH2!d8n+ zP}e)7(>!;CfWC(Pjc*q>^oi&0Rr@XoAr~_(lV^mX^}siouRov`D;3a9u(lO#_pHn=C&5$Edd;y%xya+9vPbHg z9klgF@QPvmj%$^S*(V)Raef6W&aV)_`4z`;eg!kmuMood6-?mP$XdM9mI6=P&yD0H zCLtcnE#W(vXW-^~R@qO*1kfrRY1c@}LmL5y`q#>A25&J_OoG)?Y7~<`SG|dhXfN-r@<2=Ys0KG96a~*PI{Z zJD%Q1#gHRPLB$bnuBQ2(-?txSiOYWMls7`pgmu5Y~iBL`S8;mNbBIi*FjeSg3GE@zLJK##R@RAN$UmE%q2JH@$g#^JEEBbPf(` zdKV!b-Bvbrfhzday5oJE-ybL&vbj5Y)6wnk-7<>D0>HqI-{l7V86cB5eUTEKLOBuw z?mKk}xSpR0->=p1{h9&auNm?ES`y!{sln!Nnc2(~e5u1~5vU_UEAiwX! zq>fVBkfrjM)@eZn&b*Uy4*%|rI^P{$+b3;{TGJVHXk_%^?*en!Am zz9Tq!)E=2^CRQKfHU>g@9fazC>IOwwALI(a(P7c+bu?}`e4%VbNPL=2@rQH-(LG-3cpA#S72Hn zEZ#qDl5-6~|MammxIT6tu8*a`^|3U#K9&mC$I76L<*hxFb`GfAW^pgev<*y7U1;Ln zHAkx-g*|nAToEnxhOTm%J)B#&;3-?Rh4*sF%^^^i9!5ocI@7 z2|;j|?eJ34=L8YKCo5ALr=T*gdLN~H8Co!C9(8_QiC%`3%)NDO2D>wjgHKl~5hsJ) zm#)A|V5#)LtdGeZJ$du9CE&R~vTS_twBVgRxCdxtM8?^{$N0Y$CPf%eH2T2wZ#Hvq zqBSFp>Pki#Wmo2foP1%y{j-ztc?;kPkh7#w2uB}+R#r6_ec@LIorfXDQzCTUXHvnh zd)SB%4nL$@Zhj?zaZmLbGLD!c27$=hYrnW)Cn3{HwOANP_ixit6!5|Z@u5raixkk| zC*LEIX>E`p!`GfcJ~MdWer(UtT~ioH^7%md4I$R(4DM1lWe{V0J$o0+HLsnbb}CcH z^pa&w6sw(Ts7$D^quWsq{76^zgcn4?;gN;PjTg!gQn505fh-G2(RyAQ_z{ozSNnW! ztDOOsnI^KbReyMEB~{QzmH;gZ^X5qhPr$*eD)*u!9Dt(q&4cfaZGF$T_lOcXStG@; zTLl&`B+<0zjdoshNu=vgpJ7p_4Odxmc}nR+(LJ^14UQkNXu$fiL_D`6oZAvQa)l)l zSV>Q7uYEQ{{hGy(;@lzt4&*$)RqY9<3$93Oov{F;rxC<%U2bUojwae6Ge*Jg7R8AI zHdtT7r~GY|6UuJUwpp>TMsysKD=VSw$UFPCE~TV8wDnF7ZE@*=|54_@KSR0E{_}rR zI4cF9R73ee{}EsGMSVZxAYUK~c2TMZR!5L7|G4*!yEQO;@7w>Q!WwE12OND*jadnT z^IpZB*MVB)eB+9EeH2SM`yqu>6~1#9XO!Jjg10||wx@)!Jf{*f^51+I4~4+{3l=nc z`r&yG^yi{eY6h0SO|I$MQl0zbxe#$RXWK!-q=rE~q;6>0>dbKPqSE zI4K3iRp6;G>9Gv|Zz^Y-s+JobO9Ra{WzrZ0Rm55ze{HB<5$BDFgC5Jz(5~MSVC^CL zN;X{se!TSf9*4cm?#0%XHB>m=|8qb!*XY z3WBPH_@mM1A|RRIc-GsQ7YePjiAr4*aDU={_~%cgfPel(2Hc-W4*&d#lA`fcWcOWTtj2AAD(4Ymd zt#Qj;VhTZ$AFOLX_gTVLDfcXgy%|L0AHKLEp^FA@-1z48)P!LE$wQaHFmkps)WNes zytB6ih~f`zSq&z_e!6cZf8(o>`?O2+(9Jw>YW(xMFe4H6^#@*6$g+oI+(6 z@PS=}Pa8r_=Dr&m#GpG91AU@<9pUK{Zl5zkTYYJlFY277!~9}0=h?#c*}~IjfBh6U zeWBUC^<8Y68$5E5$ff&e0Nz@Kvo1kAbD<>hMkXMTNY$#9#aw!T5ra^Y^ z;=2niC&B&1hL9&m87lRd6RPVqgZfYY#joDGqGktST_R!&;O}N@4XQPU!sj&8I%RI? zy-48jNV6U=aTnb^VVr_gQto#pY-S^AvY9Vyl!?Ig@pGb8P9iM3-7Vj*nE+w|ZQ~z5 z$HBc_!^|fMVlbzNsDq(+)d!+eHI?Wo5$zX%w$|y1Tf76E<3SttW0>g6EYkJ*>$^kpG9LEJ~yf zoqOtR{+6o@ey7*E^d4zIJtJZh$7V}`P``F>uFD||>VjU)Dd`#8djQ{8=2Q)PJuE-h zwU~4b(*c%YKfo3b*nV_9ayc*pJ?_-=lO;BWelgCaDsdg)SUc8|n`#0pUzGwWUYf!Q zulLs~U3DNZ{-g^3ODuBvLUh7{l5q?_MT6);w4D5SiIpa}EZV zZ1|1Bm7u=tZHkMNIb;@*9sR4}f%v-byL^u^hw=Wa@1Jv7qm?-Q`$=kskb3xP((z&g zSYm!L7Heh(s>us7q`7{mw@W1~y-N@N#IQJ+9Fak6hFeniHLzS#0(mBnq;Lro#}z73Pq6MNL|Z86pT&;c>2Pz>`ks=_DnE7}4K%y8f<@8S~uJ}_((i>pl& zMfHK=B6>`WkQ@d3Qz*vzobE4=4L{&VCE{WCL)K&=L@wR`#zixDw@qL4)&W1E0T|^)#Mz%mqksK0LA;;FhxgM|@O~OM-cJ+5`)NGzpmOiKUmFO-FPMM0 z7_W^^b?2&E?L$B-s-(koKnW<1Mv`Vf)JM#N*QpZ|6hVZ^uc7uwG?MyLwAGPrgkWLD zw75PRO`x5IKe}b8@2h~U+{?3|>U*pF#iuHQ^QZp#4Y&IK`3)s-zab~?H~gvc&u=J# z`wf+$`QxsqpokoB=X@t})d)ru8;c1^EH*GI>K>d#W&kBEUnKMn>HrIQ7?Jy`D4e;i zxMa9P&F?EkmhGm&U`K|=r+<8N2d-YOAX0a5k z+g3e%O$*^=HRV9B=LHm=mYbNh(2jP9nJEo(@*(ac)9rlmIxLSS0zKEz0ZlXFP!8Eh zq*56WQD$Wivt#BImsSFxb<-t zwjz;vWfqOYSBy`;b#X#|$O}{pUO&sIJc0XbBynCPJI{8};T?iB2wp5E^>cN^*|XQimKo}#K#+^!W;_XwUR651~!ls96vRMT!)&ks$H zxVVqB2qF~yKrR0{52(pK?rn47g_mE*bHMg8ME1`ZLGj!1>#%5g*w> zX#7A}7nX0sCa3#iY5N$|6Sb`fbYuL)F8z>OC)t4Fuem|t6>G?v_FmymwMS%=vju|h z-GPt%&Zej4>%LcZxjRl|8fYX@|L@)x7U;f;LE6nP5}?q}@%M$G6ME%d;WNu51#)vz zZ7x;fpk{Pc;2b@cr_0L28lx`;WxM(Lg6D1E_nv_0vJtTQY5H-nzus(z1izo6(Gj9P6D#(D-Zjo@0g)H1@nR?k*qKVA+GCF^y z6$3)`-v9hr^tgYG4)?EN{J;O zGsTg&J1t@DOUUx#mlph(DSW*lYgoEy=y3WB>P~~$3bMatSZy{<|gECk~0%^4T7uEqApc^4K(;%J785< zMDTf%(EQW?x7AaPT(%*ZHij}$<==Ny^?}uF_c?cv0XT4k8JN+ApclRZiGths+>$}R<;z(^}`1JN! zjN9`+JT5()$7PH2xO8wHmk!S3vcq{?df?&IQ(Qrh^<%G*4xf8^1b}2t{|O zRpW_Yx`Qy055s#p571366uV<#3V)gC&t%TKg5TG%#qkDvboxT^_j&dzWX?DY=X^7v zj8F2-BA+&`#^`v)~}|DXl#A5?&c!fm&{9`ryhd{sQr zS}w?T{Lz&87c=M#GfpZuGlg3&Cm0{Tv<9((0Vzd86F7K3Q`L&z2`N<9)p`G^N7yyP zs;;O2mPW*<2fec)ia}j&=}{u6`B_yRkI5ytf2Aqz$NMZ%3Z-OzI;50rii{ue$<6o~ z!}qGZSDaJ|=)oWrnLwa0?AVXx?We}xCp#YN&+B~ACqdWw)m}+pd3<=Zmcko$R5D6G zEJ?x2ZemvCJ7x4fb9!Dzc~gbZe9X9l^6RPEPT2c)P zgB56aviN-xT|UA2BUU%9?KR(K!qJsJ6#PB~9GRZ&>%DaueNF8#=-68d4SOb9^33ay zK!=C(J=Tj*cc*OOSP(*wZ)RJ^3GqN~FvGym9*oZ`#u>O_EdzzMf7@CPsG~`Hi;E|; z1PRuYuNU|YZ^nCqb*YT3qiir@IyzVPy~PWpW2QZcqTIpt>=l96Ga-oa!Nzel1vePY zyPQ0H*9}O2i5FK2graOwvDN7aFG$Tk7UMnQ1x3?A7Q1Ic(OEiewdpx`C_h8r-s~@p zgu!8No&gOKpX9jb&nAfsPG07PAIdO6bCh(-ogFopb3OC-Py&^ux76Yv^HAj%4H=)1 zTsWoO6Gd|+5xJ>f)m!O_2ff}8&$Z%(m1a}5(Lek zX&e9WfS8Etec7RB5q)pye%53!;C^lOd?MBbzQZvRQtZ8O<$aHr$e1&zO_BX^oi_ub z%6)&@e}yCA`V(FL$O1Aq8T69`3?b2G=8Tu1G5FDC8(qjSAXwl2k2mt)*H36a>Z5*4 zPy31`Y-nXzo_ZaR-dK}3g{D}8+4~IPl41)OwS37Yne7RU$m{IOSqp;oRD|+l3GJ^M zY81QdJi3I~WUt)2Cwm@tIeUpjFufwoab4dS_nPy;jV~ghJW8qr*Y9y(yWtVp0F9SD zvu=7NBKJ|cY6-Jepn8U0N}g_oV-mN5gg4rd_5^F(3#3{4kSPr{AIOm@Xt!O%OVacOJK8ck{c2x%=!Lfgg_q0$=U{!2?mgpuHnh z#U|wjC(W97_P#NMfAb?Be12q&&yRfY`H?j~KeEQ>M>gO?+uE+@s*k)9$HK?_)zJIe znZ_MyYv8p}6p%93gCt(6BR)L{b<3|@zCJBYFu$76{`0>)$8f~>hW-{Qrr*j{_O@ys zH-)lOYh1Eom`-_uHC^x~rkCQA=*Q?<5s(3xdnf{-8gx4cT7&)AG z`bKi!@SkMA0y#^#X7w_aUc(h6n={+qIz*vBm%aDC2U-CS*NLwJyVgLczmiaY>-a8B z+LKe+5bJ65-2Z(5s${9)qt7^x6hCPxxDK3w>pb6++_Q^N!bkyi?NkQA=g+U-@6lVe zhoToTjG@1!{o!=9Zqvgy4`_SfYSO+Lij?-7F4c|)1CPyC`LLQBl2bQ4^7W4=G?8C^ zKp$@di){HFoPV6b%O|~}0P{&KNYT2F3MZplhPxkmRULuQ_sQja=GW23UEyqkNdi-_ z4+UpO{MJMo+l(fYyh0hgi~1Fg}K?%|iuBe3%#fqIn;Nvod2J9B;0H79LmC{+>r`MJ+Y zIeu_5dt3Uduo@f<^7QzYtd06g9?(>Oc1MKz!3o`u0`0-mYgroOIv=k1IWGz(`c`wZUC(2oB%7 z{e0p$$cI+bZp|Ns3-i)4Y5v-1p)SDS3ArI$r(XnXbUQwHPS!@pbuJIJ5B*Fc<#{D;s zUL~$XpN)guB(>+w0KcN7Wk&k))_KT!W@VsZK`GUCbbx!{wBq)fs;T~bel`s$+-5&X#j&qwb& zN7%!&&Zf@kx@2fm=4#mO@kK$R?Zli)nBSwa-&ub;3~o5H-qxMLa%g*%gnC%)k>qpB z{JZv{K-;f<OMx&vgl-?lws?t&^Nz8sxfv4ewQ zPxG~YhQi$WLmWw+{xJS*6N7~3p}((Xh#zr#poMDesA> z!Jki)J=!wC>bASLdqNus>Yr`$;jM(-g9idCJ?oIw8e@q*bsMr#YZ5oOUJ28(chYCG z3Sm+=QZmi17AQ4|9~$SBfq(X6YSLLBMDu6ocAn53^g@SB><0C9(EfOnBA3GqExE8i zJJEO@8pl59?De<-%5qLIi<<@LQb+uf^ntrb)i}4Y@j^PX*z?BCxF8h1W;t=!YQ;j; zl(~w%RXPkA?`yk*;Y;POcUF=uc-qH$y^L;U<&(e%RlCG zYC}=nM$(RoKUxpwoX-|?M=mAzbU)9)QL5RDF&JeAOeym0Et*mxtjb6WPe zJ*LwjR8JU3uX`nx!WHSF)~suRp6I%@R~)57OV5Gg;e3vIWwNJ zV;k^&H&Q3Pvu=wwu2k?>dL<-yimi^U>=o*IcyG|XDvVFf|irNzP$XP4`n{7 zX5C~dg4Ox&WO0=JAXTK;Rx{Rx#7mO%SXtZPWHj$5LDoEic_4&7zY1TjTyd4Uj1CLT zNv{c&f{6PoCq)fMFg-`fp!?|}lHlvAxw(A-e%oCO7<`-izd!$q4*98lOa_>qPFPY= zh=E;jCEXOW1Cok9u=2E19zMQqiwqE!gon1eo-QXPAzR{=dcR>9aMHY7?dC{8RbPAq z-tz>Yhaa}|A7l4}r0{D3Kf_$%a@geAge8p6IB5QrE5Q_P6*^b*Me)MXFAQbgI^yt+ znEFN&7eDs*(v)5Q2Xki`)kV~`eN;d~8WfQ3?yf_3w}5naH%PZgw}eO|X<)!cLKF)F z1qBolEU*#Vcb><2zx%(}y4QNXpEYaGnVBo!7D`2Lmyh1aRmg}Px?3#}$PE=p|NQ741x%ly%N))*ws^_1VuzW{ru(uJn-#z40;&j!Fjuh6Sf>lkflW? zPCevK@cU1wo|Atpy#2U;5y*VXysjD>gDy(H^VC05ja+Uu8&PaGgU#I)wY~IdD7Y%p zl8@Pl;Cz$N_gR92KCM>V2{h`bPO>o<&U^jW~B0ORi-J9{KU`Q_BibyN66 z!KOjvdk+P$$7Xn0Jx1q07pUIq;@!GD;t7%BZ z*k|nEbTjy~uJFH27lP@qWepAto1wv4oJ-Q80#(gxmUhW}uylroQThZ{A6afO?#ab` z{)kAZGs^zm554TpkiMrRC$yW@zS_P*j}B*67i{{n!p^17je2e@K;qTS?5QG#!nYXc zk2W$Atnbp3p!u0+7X#rPyjS_-lMv%1!{<*_@hJ7!_rlfgaBzw_>%C@&aecmM*0AOt zfv>&qg)lKa5|7`%ch6~CxYT1wG>Yue=y2zrD^!XoaNr_4(RLto92jJloWuH^#x$m{ z?5=}Q-F1CG-IHjYP4HwiaV1z1@xJ&h+zu?{J-H_M-yuohdnOI!U1h#1!X2VSP%$!Rz*> zhuN26wC?A3N0u@V=zhG6JSSR)9t(#(IQ}yV$^(ihGhb&xbIv>3>d$saH6&G (L ziAoZguh*c)Vlq9!C&6gVQ~UZ4)+A8Y2}9Bsa^X$?t&V7>G#Gli7{g{9iPo!YBQ3IH zQUBLK;$$j+G}L1zW3Cr~61Z+nd;f|B_V~Uq5yVM zEawaoOY`(w6RyxIL@oA=l^xz0Pc}ZguMc!&6lwwI?ZM+#{ITB-_NaB5i*`WO8Abz~ zYLiwS;pVkOF=O^flyzB#+nbIB<45!B8P)J3IfGO+qWvGow1P%!6zmRwPNqRxfR+IA zaV)w4Sce)^YxrHt2qHSzkd6kh+8#_PXQc>Py`V12$;|IVGvU5?QC$>Z)(O*zmP zWtIr1#e8-?zT>8+ae&Cp;~Kh?wjg^c?nm{OuTE~601<`ejhW}d;cV{y;paQi zkYyA%-pQN@#nG)d%v)k0)=Gc#AzcmntN+)>_5U`w{@)PS|LfuUe>+_Nk8#o}C|fVT zpa&|)$Mma3wBQU#)g2xM9dfi0xAqknk zouX{J9syLMq_$25UT7l0apxNgmai7_XT|iDqZ3!@+WG_Y2<9gc%3Jt5UJA8ebU*8o zBLzE;m`vy9rO|-vu^*11((q?zBwqB1JSxj=l72ug3H9@5k{L;`_5O4paU#~IcaHyO zYU%|qRMq)h(LC7}DDoSY8^^T}2hmND5`9fHxOME@ho1XJz=tLX~cK&IEZvXKTs@CFmy| z`tn6U9voV@?OzWxz|q&%!-a?P;n8rE_09m+Hw@g)k|(OsmOul{--HD4B4$x)vIhF#GU*V?Z@MfSUr>u>HM7rEhoecdU7 z-v>hTQ_TTg@devLH0#XGT||-sS>8hB&uSCF?^fjT%7A02+*MBIqe3e9f2UIWo}LVZ z&gb9pw)p&G>)ij&zY#wF&iMQr;`5Jj-}mS-scsCQ_#eI&K`fOp@1U~t!M_Tk7s#ty zC#uk>f3EGfD`hYhav`8#r;gxw2>o9E`d9M7u>2eG@4wjL#7bgf4jCVCoPFCmYt9Ec zamuqsq1>R_pGf+&!4U0EPz=B0$qD-Y;U|((_rpiCk#pDfaex@z#gn-M14npKLZdx7qlGq@ufA2F`=o)`ZvLFl zXVn79X)`@$*$^a=QqGx~s0MKgf?HL$^fKeHx}yqv{61=UXJ_eBLfol$qshrp()$g$MsaQJ;kCh-NCGkj_y>%A?U20YQ@HhEq} zkjjixKuXf&L3pQO>N1C8H0o7o~04~Z$YPYQaX;n)ezR$I~xv}$tDiq<3q z);=0mZqsC=?veB{C#DeC`WDV4pL!I&MfMoJP&$c@%hcSUKIaW(6XTZq@+!c3#wqjm zlX4X6*w^hNT#o5el%LG19)ewp%A*>X-%8W9J9=Vuc3^R4pNLPG4akoX%>_97pdLY0 z0h2@<;4n*>xOq|^+LC6o-YTiV-JeG!7!3^Ji|*35BtAWOuyv#&Mo=4WwDd`hDF-4# z_4a@J4W;0-qS|t0<{@-0{`Nre9vOH+&5-=bQ4)fe*N;p@XhPzjmW7&2k_6W)|DNZI zgOpbeb?J%~8Va&Xt$2!Y&7KDv==KVMt3%1BU&11o|K9H_>WSh6pAQt#BusLyNx=~3 zx#F*FVsN}STXBz>HR9+}zxd8b6ejIiOs9IVzLX=9$3?>l`D)V9AXd3+e_CpbFtfmTKl)>ub}BNmjP;=VzbWWNHghv9(Es$-ShEod+%_@1(nAu!5Nmw<@C#8{F!Oy?k|(1tusOX6$!MgM3mIjjN&<9J(hG z>x1zYl}@GXcKv~I!e`v~TFprUr)73R#5)m!&-VyDKOuDf|6c#!{j3S)X?w5zB)^%i z2_zGx4$~%>Z;^BzznXv-mM4f8R-M#yfmNYYViiVRac3 z5f0KHy`Z5{DX%>{3}My&<(4gzh_2ox)ahYAFvZPBdy}6-KRSFmXG+6C)_aIvJ|Pj& zPYGS$!xav#Q&e8t{6|pPO6^f+#~?^0KN84~eBfb;{ODOJ9$?D6u2~YOjy~#GXXP*Q z!lF>Bbq*~Tcz?NCV>Qo>eW$)}4?bmspz&OF@&}rr_iL^s@Fg?&Q#|^;_a@da_%rka zzkn8)^pC_|RL}$|&I$P{W>2JaE!c3^d^gz51)Y$pI){cgBV#HkJK%XspIjz70Y~Qa zzJBZ~Oc4%!3ms4F43m+tL*OYU`A}F5X6ya@-48TFPG<6O z9YIBd#oySB{0Qbn%V$31EZVONmDOi>RtzEc7pY=A;@pws zddU}c1#1XlX|qG$ZBgIT<5?k?Zmv+dKmC}RDeNj5KYx0~0JON}&{~%c(79d^hGDOv(Vq_mLNt6{j`s`@kc$^`?vThYG);GMp`{Bc29!q4(>ET$jp9f6+%}jJf zLqVLp>qqL3VwAb@aNt#U5(FxDH3oc312)M+@%%4}kbaqO=+f6TIQivJBE|%PMJoBx z2T%2oiRjMPr^=W==%z{gPYHe~E*w^U{Eiu!BnZ&PKIDfY^ekNO(VsDs?soziRGN@G zq~|P1ZHk@WJ30r9+9JwZ%Fh?B%7LHVXvBD?I@)HT;!CuPg5`Jb->-B>fMm03;6Kz!#``uL74D&|ihrmNPkpQfvZ)N= z{<}^J*?AAhp=JDHZ?8(Qo`FyvCZXdA)wjGWdU%p-1M^i4PoCd@D+-dCA61p+*P?y& zvZZ#ky>M0M(rQ9i8!Aa^U?|yc1AlEYl_g;-K)fLd-qT zZnU_#ea{}z{}%6U{uBU{+ILXkVOwC5PiJ*)cSWlo7#AB>ZNQ?&{;rxk#-}a}9KRjm zfu>XPx$=%+b;u8rxw=8ga3^1MlUyhW;kt;7)3%u!^fO}U<_lz`RSkB~bRCBpqTVj{fNNg#V(aKTeN3>^pEDis5a z*G-}SYsNJK_3<2iS{sb%x}D(+!#7t@m8)A2X8!;6nt$J)WbT&VCly$YOg@<$k=&gN z%Ljid?!I4#iY<}?JEAk-fLSlcgP(a&bH?-wHO3S8%iGZfNnr=JM0y0g{N)GRcl)Bw z@67IpD7E3f9XtPPY7KBSk@!`1TnmT~5WQ8RcZK&I%FCx$l+Y)p>K`t*Z2_s74kjjf zLR$E+U4y$SB9)0Pndphe`S~I^KVJ~%=gZ>!d>fpfkMXtsm!B_z$0LWwBZOd}$LzsQ);j`zzyJ2QI&`GlTNeM2254 z=|e(7*7%~WAxMAcG^Mh(1fc&}NJ?e^$*QiecoM^qz{Tlpw(>4?{h`xz9m{dV7T)db z(a;X?)Ql!ybb7hfikfgCjNr&}LbNWul`ae6mhBd&Soj z4lssr?_%Xb-^ok)K9FGg2R-3|cQ=$^j@C@T&qWVDnl|kYN-{vBF5e#hYSo8Ffq`)b z<(}wruAYq*wl12@8m?Dkd6b8{N@S(0BZ!}T@FpK@p{#1J|IVlbd{eZm|F&`n#QV9K zmj`S?b`n=lP8eeTx6dMJhP2R0C+2kKNi`ULEH(aVkQin34~d7J)`ry% zhXAij+OVg7QYYoKDe^EBMm%pY9|I(iEv8_B&aA79985QdKMO77`n)!%xhg2A9`k`F z^#4U@zL4COK^-h^j!w|zoh=HI0owga53BB5qRW<~ZR~4Wz(B{{*8EfsUeByl7Jt_U zS|XFlHDPfGqZyjGJ*tJC?>hEs7V}X#oxCf<+e-w9n4WaJT^2^0EvoOoM(_dGL76&U zZB-QI;JYco%YZsh&I5U`Dti9Td^;&@QWIQf+cTq3`N4Kc$bhs-NhWXetBQ#m%5gmPe5xm62cN?pm}J zw7n}cpb*q*n5|`+^5LAx_QGqjTySqjT>Hv%VVn4F-86?Ax-d+%KlP_3vRFDw-kj|X zy6c|bR^)8qxhLm0EtX*9-?ox%v*QV>dzrVF);thLMW+Gx=`e^sMb^+e^?r;>FpcA= zY#eyxNJWYIM!@+Y{?>?#`AC4(n&RvSMbIcIApR*Pi~S$6ZMRbt!2k63`zIq5KpZ4q zZ#u|<&qpBRt#m-b0^#$KGI}67Ds${(mnIy$=QL{g)evk4d?x8ROn~9zMPJQ%UFi7` ztj9kUhzPAW5t{F~{xP>@$@GH){mW@{&Ym!yEp*tEKL^SCpH>hR@dLSyU4v7p7%#8C zis?FqKbY?AO&9u=4`T^ut%`y&A@ptB35(1gWUb6OB3YaRZFVva*4HvXY9-;)4si}# zX`3r&Kb?i?y1RSr8w+9X2Fg$QIs`G2lhN|IXJGgMnNL-FCDcmNB+*4)MG9}KLcI^h z!gITf8&4j4pp)WFdvyAXV1!6^_|2JIM01FP@ug)2d}+B7c9*gmCDgPhSB>POkfK@! zcjN&K)>j3|FT0{}hOO&Lx56PSVVv@HSuWHo8q--;haqCu1H$c?pG4(Gg6>a=lknbl$bgh-q^vn%ErcL#y7a%e;^c@Yus*Z)6^b zQrmya2&n}5eAUg{BY996%yG(PZzUpCkviXA=K;#C#B$R0p2&W9mq1*BBdm_@zIlSm z9YW}XV_5Eopx17WeGCm&&^~-yf4?IaWTt71E;%7&B;Q!x7)y_|JEFfYWV6G_b80se zaXFyY-ah@Nb3fLHARuvLNE$|o*{xn*=Yt>mOzEBDqHu{}<*dsU3-oCs?3`$VAasrE z=w5Rtjm%da&sW;DTx--bY+JHfe z`<5g~#s!-uFKD2W4|N5NIug)w{=in7>H$mHS23;NBKF%b?_q zt+A$*ZgW)gpWv=1*pc)@>M1=!!anbbv}gYZtdz9Go>JJO# zM@h9bYVL=_#A&<7b0QIcO)0-yi3f645t4X$$rWmHp6{>T=LzOEc@f*b&hRp`Z8F{m zjWclN^5V{YTihffLo`lL$J3mo|*dWP=Ld{s=1EQS6fo^3%5uyF>F`+u!1Lb;cPZ( z^&N9_T{!i5!u!%03*@3n!K?Lv64ZCG-w&3R0)CdUNhTU4lzhb1S<_z<1Wrfn=He0u zy?cQztLdspvLNov6O5}$==k>%Bx?P{vGB9C-JI-f1bSP4kGw7@0@8MB9(3wQWB*M? zlS^2inz~!;hVrNf=1=yfTiz@er8)D^Ig13s%~wR!1(7k3)geRw(JTgDUmo9T-wFi* zw%zZ#bmP$bXO<~W9$w%gP-&9T(F;rwk*~C-I?%`3ud!z~dePlp+p(qc0l3w{U)_H= z1~I>~yg%1vh7P!2UOMue526|Oded=<0M~n?j0IO=pz&t%ctjx#iO-!@qGE-BJu@UO zyFU%F79CokNq4~bH@PJY-iLutqP%Rl0IO%yDxH!Sa{&r10VnNjXLu;RQ680F2%!h% zR8MC&gRjC@g;%2e!0LCT2VPGgGBb9a=*Dh%&6)G+nNB&udIsM2PL{NxG4N@F_TH~Q z-r&PbY9(|u3OM9E?NCBIG@psi(_zj*xyh8IY0olH*gm$TPNtxjN`C$dq<6Xb_Ax2Q>kLP(ScydWTQLexi zd?fgm#OOuAd)%Cx^O`jf^OohSlLVs0uO{butb~z7jUufa6L%^F8+5A4!da>fa>?T*XfsN}F03yHB{Ch@1HnQ2@{)*$2r4UjCoid%00wt?+-#F$fp>JDq;ZQD z7Xs$WWNfeO81wc}Gb7gs zB^4mcksWOCw}tvbb=MGnS2$Mn_Gz3+GHN+6RCI8RRw zug{9(^;tQ*J}ZaUXQlD_tRs?N9lddzHx&`zU@Frc42L<1F8T1iNieI|erCUA3ep=& zvh9d;1GfCJRFYc}1oJLPJ!5PSyb6JyW%{MNk9;9Ji7ep2cnPX-{r(`d*&jHJV`Q2N zeZWs3eKO)s2zbP@lH8rQhjWX5#|?CJ;Pb)xkCG8FDCw!z7>%GUtXk=O`=X!$>*?2T zK7M6Ku)o{Uc{%x6Neg)9s#W>e%m5xa_f`B%4@W=Z_-RS$Ou&ukLA_+5J`hJtC%FV0 zL$Z>J=`_Z-CVe9adJ&Fr(U_}w4|y8uxaoM!qxKN6MP1(KK<5Ojfl9s4{5*hAUS*GH z^jMXO2YPQ9vAK_12hw*g`(9NEK&+ZPK9=_)fvAAuyRDihyyxJ#qZDX{GM`XOHD<}d z?zT={FFOHfb7<5rn~(*@$FUj0*_uFQOFUzQ)eCE0_WqufbwJe$$uIm&b&zFG&q2Ea zd907=0>`TmZA4w57+{nHiEl~@BG|SXq{SSgby(GV@ zKRF2IgB)d3y8O@@S9JJrMl`zZ`lR5KP%s*1KIN15IvTBMOU);|^MGhBcO93H(MXS$ zl&J8UCom0s)-7xB0?uX?zI*B3Fdx6#8Os&`QHtZ$4{vxwp<&1O%N;4`){76n(P|1x zi@A4vcpw03myI`M-$f8y4v%a1y#|LsND&5ZU)F{ zIG9f6a)p?er^b2b&_N8 z32A)LL_|fb-o=f`3fGzxJNbb-*YbV3YEQ=>gqk(LOc0*n&1~xlw zw01W}!9$`I?ts0K1pBj)Gj0W}ba;Sj-`4jtPrQ(FF>*JMcZ39&!Ix3xcChrNBU)J} z6y?aI=v`{G2L-w3Pj9^UL#hWNXsi4YYza;VM>p$$ZDg}Vd%q66*>`Xz(Ml8SKJ8}d zv)0A)7fn3hF~sv7gy%czc)nwT=R4|980R#ZvUDwDurKS&m9jJmmtfa4!Vg){K;czN>*7n)`H+=vv0)pHm8u_;q*JE38k5v~#&w++Pn_ z`_-ztypaMzum87S{@>q!LdO#t5251;^^Z{36>C4v+=kMuZDe0d*`goH=1wG)9U%9m z_9n%r9yBjB9rT4C^MMwLCHHe{A(%g${_Ml+m6m4Uy^?*cYQ7FAOv67&TMZ%zE=*kw z9z-gS%;*{nn}Fzvq#w((6Cmh4^m6H|KXg{}k33!VfB-Yj_6?^{=&+GVaXxz#&0RD+ z8QrN z_|S70{dgo^_qg2>SblOIBW1(|7vDMO(o{*PY9(wKfB#a;S2PHPFY#Af!u>xuNFWi`4VXppfHbL0q zcGRBpngGFi`wN5Xubt8?p!(^|y|g?h$kV#iy!9j=$?vk5oja=oJvm8Xotv(({!vvb zVjA;h=&)MJwXlY?_HlQO5QJ`=Oes<^a76_RNcrJ6j5o%eRwuo!iGIHm+jDW&9PAlM zgy?I%L2F1-IGxfH7Q z?i<5F4H^4+YGEG8cb|gG!%v!9xQDg4Z9H@|*;kFZ9s4 zC#rixjS3oGwyZ{lav{wyN`4+HIyk(wO`mXq7S3I`z0W;^m*DzHG6h9P=;~qA9Vuuw zyITtxk^9y#b9qDTg~r1kSiW`c{%N~Qdw9@-b>f&Lwm&6Q4@T(sPUv`3ng;v8+qAfT zPZrnj(c}6(3S7Up57+OJ|JT3kvVtzU2fXoW#^xk%U~e)dcO+j>4{r z(j(5E#d!awCiv2?nm;S^Mzu?QA?gyEFgupn$Tg+{=_*E|_t^B|{-I+B;&avU@lyDB zTYS6}K3)VLuYiviC-}VdWBVbu;AA_LA)w}^c32B)wghKXZyJNVW+Kg(`!-0+aot7J zO$V-d%MtTqIyge-bK~P9%CU>>p|yC8&U9u+me6<^UP z4_`{dk`7R1 z!XB?HAu8een9l!%sP&c|Qfrxe&+K3bT%_)%XC`%^{kx6%)#vueVnyES7@Zcu^#Vfq zz;iR4F|k*4kwFnl9!X3t+^;l~T-^yp#`{B5j`|fL>ynqvr`q%3wi`z{U4{$F@bZcZ ztgS#`!1suzKLhd}_7$^!u0qqNlzP^~Gr_sM2_XEvBH$d z4EBA_iqCyy20zYyeyL|-4cEBi>Rm7{Z9v^~Z6fz@B-qL2A$AG)s8lJgJnCYYtmY#ECB6cIZ?{QCz=yH1HkhxxnV;gZe)PlJ#^_9!Tyhx8o$39oOgirylQk>AP`+RmY%sV;sq@Y6pyxc zuzkzLT&iCUL1^K`?--e{3SgJe;`+uQ43=4!UiVITz`Ks&wp(vP!F%=>&yqXFE0b{I ztzHR)q8saN{VwImQ%*Z7Y1RO2?Vr7>rqcr+yH?)SpTh8vb?ArgL;&)#GA@isH-beK z?H4{J#t?sE?Hnss7i|0Tjr4aDLe?4q@$=7w;6`P>#%IhI?Xh<5^}7S&FltP^@6B5Q zg8St^+0nPf>NujyJ@Gle{0$*ZEmoTMkR#eU-nI6k+#F6N&-n^18NtD<-c~9jGcZ1P z-fHBMJkWbk_^5~@lq+l3$Fg(i3?8FLE%kyaf0mPy$DVCQC++2y1IXim`{}OE5SeJGSq#(Mbvqr7?OvVf z?vBL$-~F%uY$~^& zTRI83#@26gdWTV}5NpfA3(Uuqf|s1yp$3{hW=WLVokbH#Hcxi=8{lSq-Br@3S&-K0 z(%Mj4jkMy=eb^c-21#4K{Dk^)xNFQ1*L^<>c-lWRJ5Mzb>_6o_ZcpcA>5O81yFx#< zgre!GUn^@dp%7oBtu`FS1K;kR5zV<`iq==YpZAM(1%-@RO1AoZRJSa0smme^hE9I1 zij&QQu(h7DdCEfMvYuj->7EX+b4?yde$;`8PTJmbKU=ith{Rkg)>q*c$B`JlM+-=5 zcJmdN>%z?!s+Sg(?9j8LABc^m$MsnFhnNSurH@ zCbs>_v;fdQP1}EHNf5#VcZbmZ7KGj3MeX0X+n^;Wg@%$KCs;dQYHMi8gFGrvgeAE7 zqnILLJ6CKSTZk%69}hEv#d)H-?lTUiUA6@GcVGL$pTUCp@xDrDF9;Umfl0P7 zZp|bGR6acu#f9-ZI|Z(}`fBlkIcRUnSUp$i;nQPaW;i;k|)%g(jw;d3JZPM~o?` z?Z^-3e{n`qTJileX2uX=!}YlMnF+XCga^o`Wq^Zl)4*n838J`s+4I+*6yO&Th+}ZU z)+tS^snZi>XtGv?;>d$I_|X&!7is*VZS^D3ol7pTy0(wcpa?tvBD?qK%Xk2!4a??V zPCf+3%VX5c@^jE%{{{f!p+JvjNF7j~eESK5G3SAW0Wwt5Z zBo7+9%*gVLoMG7BEvaHI5IJv{FEFKH{RQcP^3U^}fnK(RO2#V~5x?fw%1Oa|XqL90 z&%NV^mkIS2S+vHeel%f-xteh<-qx+ zTsXg!3+I<|;`~xhD0`)rJ)wF6Ig;|38`tN-T{RueUb1!+t~L0o?o$nRDyM_qXGrY~bqxu{>x7q4c{#q2v2T`ZQNT2c`(g0D|#z2mPQgBSN(;llk^baB5GPWbD$!h`#*a1tC3q5M)p*DFHrm(X|!^?Ukz zz9EOMR5NgNl(55@ZECT_9zOW|MnX;J8m23L{PUeAy%LgpQRJs9!9%b09{E}%cg?!=%fW0|7?}&v8_WPt@_^U-N7K=hCwsF! zwy|^SsqG(yAxV&l6otRN&Oxqup7n!LQ7~1qhXef%hjoViCYx?v=woNS(bVy96!!kz zIc2j*#PcWr{F-bacv2n|jui5SkT)@`2|W=IXEk_=|Aj8_m+H(2S=peW5K4XB+q$3` z=$TC^p#!8DtIr0`I3n#a3PfLN3>{}&r`5dtp;){1o5*?*Y;K)vsh>_lD_ox$)PDt| zVl8qB^WbDKqA5@rzfyt-)e9}OQy*P3tU%s*X=|_YkHh4hNmhAmAAmCNwZ)xm1!Be2 zb}OH3#BerB=vQtjS}X^)6@7nsB~xHr;8^ zu={P08$UuYk5nhi;zs8OFBDX^H%n&G7S1=Pm~C5Pero#H^yVTkp4wZr)JY*bs1Miw z<@f=s!_6tbZ++$lJBmgzLO0_O@yKaq>Cz);U-5j*wYD^HuQ17FSht5)!Z%e8$Ay4P zXVnpRVjWoF9t^W7(1yFb16Pc?4beJH-^^iT0;iL7K8xsKe(ec|_dh68MfV#gK5iV) z1RMFs6*=Xq&|nu)u1IYSW|aQct7#5!Ebi9Zlq}jG8R>254)gT)%z)VyADE@O_q{uK@fO6t6sbzl7eO% z#8#$O?NFWQLy@$>t61DNY^r+tx4f|TY4af=l!i>|Yw=63jaO|rn%T0qA zw8b>FDBB%@?E~IFlcEiRHZMg6jq6xm)+_aVQ=AX>{<&DLn$HFe_oS}~3Go6|_vyZT z5kAP=qf)Q*f(^`n$ga$V>Y)!K#wF=5D&e|T>*Y@vKfUx+6Q%uRDWqMUIZ>`$1}z^t z8;uXNqG~OzbJe=#1fQSxjNCf$j>QostKzyGRV9&&81w5-uL4m5Upe>Ih%GEE8D?hc z%Ay*Rf&{)^TWIX9>g$cSgxU`l{fR>EsK#mE9-l=UNZ5-wi^y%Dc{zU<&og(#v}n2i ziJ=8#I}|bx=^O+%=G&j5KJN$4Sk`b_B@J|^d;LMG@P1%WJ}u8$i1qDd-Mx~du%F=f zpU{4dzw0><&a2_Vc{MyZuZA7x)hOY-8cu@uSBXyr13vAshsAA@$fAx2By#ae6MH5Cq648IN$;t#WUgeWBwqt!F6PmIkF%;-lyp_hKdp2mlzm8buD!UPc&-f=8m1)f8MP41 z?=_fS(#zJggFbh0%djAKWW85x@&vOAY}A{+WH9momelU3cMyy&)vUOzxY>iY>gv|7 zv)afWF?H7ba)c2dtVXq)3r@I1iqsBZyto%MTzf1IA|f~5r9@0eTxF+wdowu`(X=~6 zJ>L}$PxB%Rv)@L-tA~1Sl-$u^v#$4tgfRz=&E53XIusA`yhXw%nYl3ka`&d;Vs@}N z9jFoKrHwwOsJ*F|V*xgIdGi%kK1jL~nVi(kg4eVDozKR7g>ROv@8A8V3FT$AD1S-X zi|Ju`CKGcTXQL7ES@%m9#ggFhRMBcBEz+F~BQczWxnSB-yZh@yIV;&rIlRzYrQolZ__bzLXC&S)y!@T5;kIFSIX(gUs`k zA=C@LI9ZI$_2wAjPd6o8}?)ndv|r? zT22l+LsjqDlokmzF1?~x9kU6}FRtc3tXe2YflogaiLRVbhAg+FNLr;}6tbLBIGvn@ zf=|^@yrzqRK^;%pqm^NJJ&_UDe^TN4Pexq-$%yMe>2Uq0659Xepg4P4A{-0#*1c7j zi5w(dzMN4{gL+F7TBm)vF#UWw$Mi)3N|yf=qGl5X=ecz?>v#beABMmCcw+)-tnH*U zXI_93p+CzZtD{gnpr!Uk_!?pmY1d(wxdL^1AUplh1ZA03M@(cZfnZn4)S#a#$otNl z&d{kq%9}s#Wv5M0G~FqtA79mg(E4>h^V;KTKQpAxQlhJnWCTV0)(jO##US4E2kp04 zX6T+QSHvq0JvbyW!(yn<2m5Q30@YkZz`HeXS7MG7$`+M;z3C|cW_Q||X{dzZmg8{w zLsccTDJuhPf$X>+78CA=#e(}`G2(t$47eW_FYbp$LGbhKckFphNhc3X+6hkk0(HSZe2 zh~&WCKYgw2kZgNR&61T9zH9EEw}}-+6Nh6`Hp7_UpmzVt13yQ27Ab#0BgzBy^_ty{ z;I)JGyG$#NxtN}7x4-R?ZeKLGYtkuw-HPD<=hxtAoJYzmt zjZ(>etjQNgg7-<`iRFPLpt0c>R4)mE$3JWmrW&aYLd;a zRn0(E-ZP<|qv5d0kan0-#to*3m+FZ-o4`dSG@g#50@|0CLWn0u(3J?;27`~ypcbUE zeYCF5N1+zvuf2dqQq@J1tp>4fJm2_h`S1LZ3bKQ0y6mp6#d{u~Niz)%^Z0OCRM4 zu745AyB67B;pBBj0J2W&%jyJ)pts5$d7rGY{8#?T&C^DF7;o}+&ToBrl+W0$tBI~u~;fTJTaUcitQ!M384*dT85KLqAMwPfe2uBZ9-Y~X8&t~}Z zGQR78wed)CJdHkN6Q^xmWa`=8s7T=HQ;QKKVg5RH^ z7u*LTJ<>{H*x(|J&pLJ^sIX5;NRC`Y`SvZHfCw8{_`b zuDE}+KEeNMLf211&*ur%!w@=NjfTwUo)mXah5tkw1$0!BjjD zn|YNj1(l*dhSbF5;QYCx;=h=sfkHF#lahxVetkmkm(cNAc>G#;{OWl82#?VQ#>skNV_5Z!!pU~?c-XBUFf5jHs{8`_lhgOiF$JalYWD74|QR%J@ z+rtelj>l~Wu>Q=cilRUMG3aK4DDhaKH0m3hb`vg_L%Z@*2OQlk(A@xYwYRrfF`m0; ze^8bPoPN9J9B=G^>!tVOdTAkCFU^eWrI~QOv@ouhrU$3!vM8pIFwhSsk0Cx}19{)b z>h2$ifQy4tTC4Ql$cokF$NQrmKqAGsB<7ulxJ_eA(A%nDhj zq)7v#Lbn==u?+BK)_Mm|*(3E2SBTjC<)HLuL&MKNS%Ul5NG3bje;;uWR z*Ke5)4r;oCR{ZnlhqP@_ABScqO_ep+s=0?r&DsH>-^+#fKesIAHQ?lYlEwXWOSp9B z@z)2j_DJ>!**bfM34Ap*G#V+fLs{GUyr-CzVUC8=%0!0~!lUV=0!)YzA?U%twN z4!$wuqADQ+&YRUA&gzoGbvn6~@oO}Q(0=5<`;C9+hX<#A$W<;&LJfNE!NVL!5FHI! zdCPhx#+h}}UU-MqX;lK==wbedt9zsjAH9nwSdVdoSv!mCx)EB-;=D}vND|Fb7JcTv zq>tL~k(4WKTfp`JgF<4f|sql7zYK$P6!s_i-j-6Dp~a73qmN20;r9M3jl0=HQFYYd zt*y0C_|tuqx`)&Wn8!(lyJ*6Zq_Xh$kAv0(_fHWzKe`Un2uFF zKCCbsMrqE|SLxNkiD@~qV^?cXGt-bn;)gnd^L?0N8}GZ33-ct64w0=jh*?)pfY&4* zPI2>hc%~MDkjVLa70lI0pYPX)M_$Ds#!=&y-J63-zc@+_6L+CAWkFN|A1i^bftNY+A<9!e%jw0C?Nxx9|kyzZ*&B=Nsp2T%L`_IX3-{2X-3P>G76Iu z8X@xpqpn%NWu)^ozRJ-dAGkzmsY=spvHn?uWW(@e5dTp0tWEzU&>2c>P*Y+YOj}V# z`%ezYd*8swl#Vo%6j!}tW);SKkcv2>zRKeJ4>SDx|1!eA|1U58|7C!G|KFqV@Bgcc zt}@jL9xn1mRN;dhA=CvhUHW{qo2>{gs>mO4Z!Sf%VzC$rHXSCvh~C&eUy2CTr+w)x zP9k~Q51L>2D7X{uLh`Gvu!jSWk=mf9-VO3*&@%K;qJf8)zBKiIp3WnbK>pk`O;rVY z)#BMF1y4fbry5%iJ3}PY!F8KtSqa#$845lUmWT8sBL=*~I{)kAd29U6cIg>_Z}kS- zgD*x!| zOubgUOX;iuT0BeVOJC_g?_jUKkgFLi$d}GMq6tFDyH4GO7xchzF_$e=OACq){OWfe zR{^v8VLca(ZP1)oHO+W~HL!+OA1)nHga&fBXh>m=$Xg5&%zJrK~MCIZK3 zDmdlFG2N{~68*C-Ie5>e@x^&k0I2L7*c9`4fu&XaY59~X!RtX<&tUlas}l72%WXaV zvq7k|ZuL*^T0Q#dxvU%bEgHUk*x)kM&WFQkR}O(rC;a1!THt(9W1KH)jq^qAaK5NH z&KHeAvt_0G+M>1x0&X9uJgY2@%8xudFBQZEX-qz%HzjtI1ZMV?3C;?m7%AI%-D1W6 z_4PxjUV7hXMEcju*U;IrH!&UyX~+c$Hh)|xg7cxJX;Tzf9q|+E><{5;VEax^rPx|T zaJ}B^RQ~T42MIWs5Ij+Vac?D!Hzx;+tPs83oX>KkIE2*b%a5*!fL_NPMJi57;1|!S z9eb_;>METghK4kIIl?s*4`wAh8)lZ(XtuWRsmJmE_xKr{>TqmEwg`0|EdEHtP|TV zF&aP`>oiDdr2}+7j1DW^uRzl*hg!S(N)T=0Tb@*s4tOL}5|S9#hO!Lvc-H7LKxX3P zWg_Xz1owyj;}H?#`i)(jM?{S4H;8fl#$H^%!H4enFW)ILH-xlf8|A}R)~LNL3Y{Xt z`qloH{`BtF#rA8j7s5Af(1Rl`o_`ML!Ia*7h3M1;sIa`*`mq$_Pg68Ak~3Dr&*Oq( zErI3mC#ITt(ew^H%Mn^^^qWT6M}pH_B#r?^_I2g(4;&zPpCa@|mgBhCl zbg!Pc$p!W|bc3%3uoKLei|Xh!a%gn}spCP$`)|3xceE#vjW-QYp$4oPBvl01a8^`CEFCcRtuhuygsL#{epxRc4j@R{7 z^xRs&>zvjwnXUq#27Ly*#>|k?HG0F&$tJA6lS6&Jp%D)6^fg}G=|Mw{e&@s4yHIKd zYu9deEp%}+vR+=xBbZM`X#6+i=Ua2NRAHm+>v>Oh9TfaXNc*CV5~$2wE{c;;hH+7q z#p~+^Xw>S`G$rP{Vk`V!ixztyJ}s4?k&8(oSmBwAj zKz2T)X&BSv5~%NeFd5vFGX3BCM+n_N-@ZF)M;Gmf$i~cW%%5;V1s=0JsA9pJw)l zfSt2)sWXW!`kl}=$(Ejr#)3pwrUFkx-1j=Gyo(vge)KZiQI>2-WIpS9WYGmS7o*Gq&+Q70#Uc*Ld0>_f0&F*d+ zLPn3~{+c5$=v(J;DZekK1p7lhyd71X{V5CLVtYDDH;PcHYLm#x-!357^LAcQtq}gy z9Z@)8l8ufWHcb>#cLinsF)}}CjECqgsdk*g9n-~E7tLv>B2BB0+)vV7z(=&@k@l1a zu=GhEtSC}J|NL1vaDNsC+@FO9_h&hV`?DOy{aG~8l8VzsQ)g@od}^RP^gJAf%0C;# z$km{rrTss`GBVJ!DZM79liqOrE}tihf;}oJPMky~Hi)7AXyl|mg74j3L=8M@u;<#D z^^tarS9R+5#n4e@V3qhP;3}g6eKun*v(4uro^yG7?{Yl4>T+6k?R5$=OvoCGs>($x zcYQ0*KF>ljlYPV!3i{RK)A zM6!Z<9DNwKfza_(achNlCJNA!y*t~tYlZNkf6dOHI2UCzXe%Fxj)rRqDeP*gxscL_ zCi5PppbLqlc_jO&!8T{_pKoPq$Som-2o0;ivvUQm6K2Y=IZ?PI+o^@5L$+Q9@G9f^ zuK)gh{P#UQjDJt5@$ab={yinbzo$p=?wiZoCHdf)Z`iTfSQCQ#YpM-i$h`R>2wXvw@!vj3pi33Cf8NS6!8x{(9R&xB zi?*Y%dC*T1MZ9Cz?KM6Qcb1hp83SXW@`)a6^n4gJYo)K6Ob4TEKJlaW$xg^+I-Z=H z^E8%Mj~^+K#LkZd=DP?TFRJ|Qmh~BB%&&Nqa>Jb!9NEFQl!9=|LezattxSZ_La^*F3NHHh+ip^Wmr47j8PD8rG9-p*8*uUg>2 z6AaG}DkExHn!mNnJmA27JnF|^EjVy2+%q!G1{K_~w35Mm#s2gb3Vz$C0bg!^naSIy z1)BHznrqn137$_v=bzB|`8Qq+-=B};`?D0jKa1k~Ge5pRTmG-dPw4ypn|~{O{=M<} zcf;r30-t{?eE!`Dj-Sx^Bs6|P#}ld_{?n2vz4Sy51patR<_Xy#$$?_u{%TdY&tvqB zhCvl|k_fT=RZ)W*bcvByZb%c{&sEI-fyXmW8U#6{j5>=Y(1J$8y^o>dusGw)*uf(O zlG@!K9mVSC&iEu>Jyv)7K&ER|=%fRZHwqZqL{ww zAMfrk&OevK`R6n^|C|cvpC7~d=TrpqMhMmO>}%b3NK>sDf<9w+=*2=bdx`g$>hTz~ zw~PATbHNfMA>#a+aV`~XLuM`DDSFEj=)!=d4LSz8Ou@LSsZ#7y`0|n)t7g>C&pgJHcs- z%C(((TVHx-2T-@k!Q*ec!q zK2{4I_r5ww{Vam$g^Asc0ZXJVHv1!Xq!e?R0qYN( zx>VPzhRSJ9*{!^g0Gis@7f7e%z?@b%_Nkx-dZ+!CsZdf1dMAE;Ea}GlmQ>DHJ1&Vq zTLGQN6MY`g-x%Mv^%n$^vef5`Dh9~uJhU$#<%7|&x$^HKOc)ntXZ=FwIba`8qIq;F z8$@R*9l~6%psR+lJ;rw`;SU!tZ#7K@*uJvw7aYhS_UBRcXNX!1<}LT zz7nEf(o~r2Ofs)gktveN*KxjRb(DALiO`J6>vY3zb!pDFJ88|0npB`!F zh+-ROxppQcAg<3sz4)Ch+z5Eku4*O)hYr8n-N{jd0ght|0hJUgUH`Z*TEhH~cV!+_ZS2m27Sl z>UZu)U8^y?WV^Qi?lv=Yo6rUM2(Ur!7s*d6)5>UD176Dte@^-(cr$Lcgbk z#=~+`_-6T$IGA4ITzP#b4p_(E8YVq&L|Q^c)J$hG;qS`*XmyTwaF6$uZ;nlY^4c{? zt}1O1kGpkIv(^fk6psy8N9cm=YU90wSRKKUL&-L(${I;O5c4#m!TMj^FZl?G^`Mz3 zy27(fJ(zEWnFXs|GrArO1t)1S&e{D3OOy}N5W{PR@yD-v2-e3Eshsza`=yMcia*Z= zcAP;+M!SW)H4`A}i18Eg)FtvJ7KBXtQ%d_|V_-1jhzp000J|s-r`hX9xGnDwQd=JF==X-Ge`R>3!{y8VkKi?hr$3Oo&@Q;7~d!XRx za9W7T4L9@Y%(pbdr{j1ZR>$>8Ptc{XKo6T#j1Prrz(4<~|ISl#&kmjE#r7jp*@~>q zhb<^`=gbEE%%-&YKOUorfBF&~lt)4#(9 zG?|-ml~cJWw|MH@x$#2CyMAj}I4Bv!yagOYFO{Nxt=Hm0LkTcC{`eQWN(`K_4qx03 zw*i}Gt%Ef0yin6Z&U3X%%!kS?@oM3a70}bTMt+@Wxb48h4=UrW`>ptRpxxW-NrGT9O5CPP zD`l-falLc&d&d$X&H8?S#`GE3jF9=GGan0gZrks%TS&wG2&`~F0ukJgKmzw8kih*2 zL~%a?NrLsFEequDrqUeH#Oxtetv`ZDhfJqy*+mUD3rd~qxfNlIpUQc96#)-L+9>m_ zlknG)>!Kp52cq%QDYnJ9CS}zuCI@NVP)LpCHGyI5dvZ{@m07|Y?6o+Cm7n>b0>4x5 zWgeO!<@|&EGESx_H0GLoR)jjlP}pl-s!)c{wtvEMq*Op|`02S^1|@i-C(?G-$O6?c z=-zNOj}do3g5o=(z7VoWezIhn`ChjH6r0bO3ZKyjk9M$Y8*)OdzLq_X;#zQnp}^`| zzcM`P=J_4gC<&YGVfB4~bS3*P3Wg(0s| z+iUi;aN@f~e9$j(q$VGIn(Qq#EPc#fcvC|UnG1LQDz5Fp@|kwdfjr_!Jj(h~$OCh< zg=`=8?lpmnih-XW9yNhTqgEop0&|pZ!y7Ufig8KLk<|^Y)8M?9!#MAS2Isv{;Jg<; zocBV7^S%E&Uu!8`rhV-v5As@tcj2gY_3{mpJAMz0mNhtYS(qMT(3-k|{r8cC>f?&RgbBLoc%66FT%y5!W@op@Ly~x!AgLRV-O$!sCELRqcZ#5uTU;R(7!iV$yByheT zAI|sV!TElYINuM;_Y$a&IzImGS^=#d%1Za}X$)6Iz9Ub+o4-GYJkp{ z^2R3JH0nsBJ^lE+FeE)Co}SS?4hbw$kG7XYfwD~*+KI%V)#o@Rx1AuY)$YGqreKD2 z9Upx#LYTkxyMg84QUuP*`%CH%V!Yu@zq{PSN)ULz_tcxW%1}qnQ}U(76S<`ugcPfV zqPeRL9*2IJA**l3`qb?9khdYh{yN1G9_~9GrygnzzohAXq@OBus2BZs zm%|U0?Jk+gG&)G1@5%9>Rm#9Z^?BT^=>+&Nryajqrh&TXWfc`&Y2ffj&Hd(Kf#{*U zC#8I+3GBPP&o!1S6hY0==)i>%WYBIcD=dd;0 zG`RPijKL5#`l9E#D=iT9g@ERV6)uR-{NBI%xH-;O6vp|AqBvhs6z407;Cw|9f_WN* z*53)ukI`hS&{eB=f^g-b9e#N?XtA=?I&do+Jt}g0cJ}TmuvA$MQ>$|WIsFyut~Z`Q z=={8V@_H@BH5`ay({6g72?iDEuT^X!=aA9)Q#Z#bF@EoT>oe0C!NAodB1iY~|K_p( zcfNW#(Yc z(DDCW-%e<~@85Y_2S0CH=lBMQ&$yE z6mWsohF{(3IDV)wksjX|H$|s!@;fnHv4)=RTPIKLnxg|g28v7$&XB+uWOLo#20SN3 zYW7CDqr!XhTGc^z@Gx9LGxU-VlD=6db63#@+%I9KF|+m{pL)acIIAx@@z}6nRLLHX zM;4Dq6pzOVk4F)YM*@#W4!lp9%=mKiK?1Rp+SQX>K=i^GRUcwU-`h@}_ukI~*EXF7 z9~Dxgm#Gb2JVH{4(DzN@5+&y@w?!*Mt3)GlvS3cqww{Ov#3xZ91@ydWX9Z4f4Sej|!(+Ru3SZ8B znXB)U0KH23ltCYJ#Cht>t49M8aAAs>lqyaP7G(Z9^CN7YMr98CX%Q#*_x;B=IDzvG zcyYdgEY3HO!ubZG@Q-g`i57e~#TF0iz~}fNMdlP0Xy<3?vi#(OE(@F8%m1Mb_mk55 z-*>3Pn^Ibb>38Y`^8oY0dv+NwnnKBzi_^@m3>bxKNu^}@pq0`;T(sDC>_N6n(nPp4 z;^@tc$sjcWrYnPEHjPOz7O30UYh>So~=0!!{i2TsbUJe=??*x!l^;*A+ ziU?j0|JKicU!R3CS7;lEtbpcyueea=2@u{L|Fo5*3pt6mPG_$KA zm*!q`g6m%{Z>BUXshog!-CgV$O(=TKvKw{$JrkI+GYaL2+Jlqsc73^n1^V^n!fari zEBsZ@%19aw1?ip`vJc;bz@I+qo5+(W$YEHC_gpVW)c%|4oQh#UyX-xE)GLbMc<8IL z4KwRbBQNirN4K4W5x*QAnR>Su5KoU!Y>a*twHuo$jumnVxs5wO)5g(#b-)`%dW`ddo8t6 zmMR>$vRJ4*BMT`zi<;C*5^#0VcgYOvpCEKRU;FF*FPoWRa{RmgyBbDVy+D#0P$Z0g z`>6kX7)%EzVOQ<%mt$y%@`Lm1SM>1EFRH?nJ_P9m{kBd%=>nR?ixc0gy&&l2(IyU- zV6@!*v-$|1E3nm+@0r2;u?Y1uI`eaeO#F~OGMJ9}%l$wfX)HEyTXJCaOz*9VX$BjR zV{GKn*=G+6Mbyh92NfVRNbZ;XBXa0|GW*@W{tzVT{9W?UWkp4%`s`OWNI;_T(T6a1 za!4!tE^GOY2@!f&k!6qOUv=wy>}o@4Ci$liXZ_G|rUc3h zEVdw9;*%6g>RF?f`ITKhETr<)LARvSs7&x zv?*7ILT?&@Te+rfQi=s$-?7H)JDPZX#~QEiXyWx9O}xIN1+;D&Qr9t`8ZX&5AEH+D z;mOg??46jJ21ih4%BhK19RN( zK#gGihHf0u+{8;eNGa(0wM2*c?TPvm-APaegHFb_CkI_o-g5!bVq0Z+;AvLL>*4Z_aB$9G!MU+QA^C zjkSrOFf1jpCL^bxt( z)r;npY7i3CG5s2pVOspzV zA0_!x_{S7#Y)!5?8dyOwded}qet->-;xf*gPmTG z8&g#_I$SuBc=c`^bPsK;nj5Nu$-UkP-c%L1Y}ma0{H7KJwUPgf_EmwsLVaA4hcO+v zP2R%GFi-S5U#>tX!y9?Z9NU%ZO+o&jy3~fpoq?=;ucM{8;g)R^Z2 zaX(5nxHM9BvgvW~~iB!j3aRRnYmRee_|d z(~l(T>+g6p9(I0oCBCH0c>(FNt#htz71 znWNNiCkHgYVLmu~X}o!(+Tf}Bh+_!TIY`s0n`f8n5`3O%EmIOZ^*t3yt+H3Xt_*>D ze&kZ}gAwp_IU#a!Fcn1(!1Kj~P$*N(7yd3B4PIwidC#r6K>Fo7X-SXGfNk7yawjVY zZE>g8JxvQm_qDXNpC3F0q03rlU*Ga1SkFc%UxLv5IidPMLeFEf7DeRII@X}xCw{j} z)&%(%PZ5(@8^cP|szYL+4V;Dt3*eZ7t}4mXK0_vbx8|Ut=FE@C+i6*S>ArK0$!l5v^TziN*qqO(81`9B*^s6Wg9cX>Ylv-$bo;|u+NJ)We@*AViK6Xq15 zTu+k&Xuh@oSdhc|h7Rq`Z<%F-9P=`|gKeDf;&yB3EY=rFsQ=FIBm;h?>%OpXA&9+~ z)fLjwDV@{KCWy%XPSsOpKX|QBE}u8;3X~Z_E*b%;h|qqSFz#I1<_u<#r*CfFoM!<2 z6ejl<#qX5-f*r-O(iz|$-|&cZ#Zma0Be@VgB!dX;FV>>WU@x9BhwF-3FTD>KLfqp| zbN9cRLRaktpBu6^=+x_iP66HG@&@%3pRTZ0RHoY|89`X&Lz zcvfFnOq2z^-Al(m*91at6|YlHjXAnIaNo|!Fa^>l^MvRRxWLJ5pKBU4VW6OXD)#zn zI*@DGnF;%ZLPJCPOcGZOl4jcp4=hkc$u;4h-tH9u2|D`1*Se12cHB0ZZPXIxa;Zh< zerO_T^D&04Y!~#VZFnO2lQDd$-Iat@CMZ-bh?JXH&^N4&R4O}_v!BC-l#}O%KGr!j0oco zk!wm;-U&wQ!!!17j=l(;&g5JZ3I|a#8Tri@A+WpRnaEb@1;V$tOmA+6pnrOAQC#nB zgX_J;alN+)uJ=~P_1+@D&~!8X689mHwXhv~JAD8Qh2kC45&rQ-O~y9 zIw0R3bKpfKBeK7c{cLZ$At<$%xEq9Wqy6L8IcA@6!8udM2&UIMsNAhpD^64yI?f(^ zC?lbW^Q`{6KiyJNTB>un6Dr?smq=#NgfDkmh@BiQz+NP(ic!M?r0ss5p1@+w)0F)8wV@g~2deur^D|KEoQ-&mSS^TN52BpCJcI-muW|mx`uAeBaLc z>bQTF5d8DclEnS96mkD7ZQMUgoZ$Qn7b;&3I4KIwO5qK4p5AHri*^W_#%EUX4mQUK!tKM`h=<`Ouyml zzecAEA!{xOhaBCqtbOI=U!H`OS?1CV0NK zrSLEV7dP?IqW26Sxys>Ie?J8bTALCEGh?y)^ZA*riVW12qV;=7EERJ0)MwMN#=*-5 zuD>RN#fZ`N#YzRWG1{>78@0V>jh@^b>?iiu1JWMfWi4flOZ;+pFA*O$|CVvdFG;mQ znZhxpok<(hMf;zhJExD%>gnE8jZ}vU+NQ(VqO|Bk@+UdT0234;XwS&4jPX6TY+^9x z5iC$h_0PS~Kzah(KVHaT`i2jBmwpTLz}Yk1@=Ko?kzO?K;fQ%2g7uA(((^p;pCuqu z<-IPs?yhL5iMf29*%;y#8l>DvV4;t3HA>J#+3z@t zdw#M*Maf;h*Fv12b2qd-X`Btb)%C^bjJc8R(dwGJ?jFeVmM`g&?P0V=dt4*@lp|F3 z2HdoiHAfMOk{grEv-(fLX`YB8LqsDh0WeJS=v|O zFgNCEN^TlQFyCXNJZ7sqCSX+)P|8G1kbf$gbZ3YT!qjaz z-Y_x)q5C1B`DZ@ZeEQ^_4w}?FVkwd!5Bem0(t=t=0~2|tz8%8y9jx!ke&>E*LB#ZE zq5d=%nz(S_&ChQL#EMPdRbcBT_GZ4S#UTVoL=?1`C=`J7Xaw=uDP6>Jr}c1BqCD7q zfA!3j%?F7pwBPaURDsH1%5QN8)!+r^!iB0|8c?g~qiEov3iGjf9qPTB@Q*J<0{{3z zsyJUr0_O{nqJMlLC7ds00BmUn{8!uBk%WD)bm^xCh`4otG)KJ{T^58sDIh;qzNigq%(EjnsZ|uYmm5b2Iy<6L9 zIz@1t#!Q+xxg6zh?Wk0xC8P11B>8=t#o*rXXx8a`A;EljLizdWVd05d3Z7t?b@6PW zOfcLHdf)9rQiz^;kBV`#`vYIJ^Hry%c(BzJzPO!h1@n@{lbid~k#6C(Td^wE-?QRh zcfThSt?B6GAGeG_mBM>6N6%$~B13?vnQaoBa&IYm!Y~Nwk&6~ffS?inQ*^v2HfwP8~6LB zBiJ9j@baNY*?&aAF|FL@ShX^;uPT<+!15s$USGF!uLyxuMbONYn;2~M)vp&F!}NNG z^CS5ZPNMJJ#?KssFh6 znLvBx@8fk;;izpQe2SXe04k4dK%BBMw4t=cXUCm^=VL+6{cJ7hSkN=Ba?M3?r#XLb z)E2tf_Y#ad^v)lLPe+7asNtG9aLpVt1 zKV&@66b>TVjUAOGA@FSW&6+MMM;RA6n}UApL&dlOOtsVe*PGYbPt4$52&G&7o778Svg_o^mdYcG7}i6amdqpu)u@n zh@tThM+w#^jAi`UI?bjIPn5>FkHline|fH%wnG*6K7M;~VMYyFR<@3%cNn3RW3M-f zt}4UM>qB1^>Acb{1G;YfB#kR{3sz&AQl>BvJd9cJ?Cf)?yG-2Af!lwxgudci(6_Evp znv!~#9((j_e`2fO4?Wm2DvR*u)`fXuiC*j!WyBf5nj`sYdIev<-0BSWhznwCU z1Jd$UfuONGkUcZ%@%nZd(zj9mE&t>UoJ=)sq^muHV(BT>?0!ZA9rSJ1`S_yh3G;QF<@n@l0PU6*Bvuez<2|tEO&idl2F|BTagE)B4BGm;qaI7_hOunNw!RZPK4`w5zq}Z4TLKO z!-Wqb2~%m#aB|@}{QeOH>BK?QpH2tEuPPFw;@3X#dx>^w<4_@5EEyK=&OQaNG+p)u zHMxM%A|I!vqdQCp1WMPi`@nPQThYCl(MX<~B-&^#97)pt{^LF*3@c0d>z9l-s3!2k6H=}l2}=U-c*3{X>6kv@`c*!Wx)XDf=;>ij-J(qz=vld*4H=@a z*QZ8KELsfcPKU`|El)%*G0y}ZvV!i`(G&>9>6-9-u{@(sFU6r{k8*7rxEiaIi*ZsMw# zl!kEGN;_TROmrKaJM%)&3z(B!#GaKVBjU-^r(-4Jfl5S7{4=Igo6WCbz7ie}Rt#@^ z7e8dcRwKYKwxU zcGl%Z{gLeIrN}`?Tjhn^Orvpz#|Sb z5!M;|tr;LeZs!`;Q5N(q^uspUXK}=3j(QSuNRdgFzNSh$ACN!P^8U1{he(ntcEU0K z1CQVwH>IK-h^bLVdy$+#bm=u)97ldBU0UC}v-Z@MU_G1eb&6Xy`4Q-LV67$brX$F7 zw8`HL^@Hqj$W|!oRd(8uu7Gf`0vN$pRQ0w9gvE#6yv*+%V zi9V|RG20z#g7wKfK2p*83ey=^s|&dW5#jgoJ@|c`7r&4H9r$-2--qAF{|qG06d3h( zxS%`5-H)kaH39QPr=_zugF3AhQtp0NBsMkp<`%U+%n$Eb*cms2wUYk&L`g~D8nHnv zwPG-Y+NxXgP9pQd5ywqI#*$ zM+%yu#TCP#%xGmu3>>R3`l|>$IZm=3lbY!4sFo-hHwWmj?u6X<#R-;fA}cbPSf9zd z+n6!6K3Z56bD)331ux6OTT)8c;m*M|-J`cN(bTthp2#*1oyt@lvU?B?%5$^A-B* z4N0udeB(;OMx`$Jv)>4ev1I{S$&WjswfZPEs@GAzPz%^~R>QZV$-w392yaWdDr%1A za3l>(M~u2O2|m45!0PgmK9491*k}5z)Cz7PHnTTzLXR&%$@0wU==mms*Jn|G@SW~z z4aA%};#y053|8n}D>hrWfKKQf{~M*_@G=oNpnqrOqTt7u4JNwXWqX0ht7fP2#ND@LL3S?_P5nUNgVd5h%ps^*F*>C z58W`e*P*}SJ8qGDGu!Jur3i7Dg4(JuYdh_ztJo59#7)q{9vcezvLCxPitgJnZWLn ziy{j{8_3~5C0jFs$Bhl54A}o*ppIQmq}La9-dUl`pwtF6 z=e>I_jH|&tEw$E^FjcTy)Zebtbc4rP_Fo+B(ve!_j@yu^J81mjd@h9XHwJIpFD74c z1p7@XtX}9sFi$vUropzCQ3mVN)gY~7H$n7bM*KDnYQQscI)%Da4IW16Dpj%?quq#t zCZlc{XrvB~9W=t;XFW~uZkr;K-uHsNoANlC`kiNN?j``uR&1dPHd{&#eKCL7o}VDN zzl>0ShrzO%X`+*ukF14PN9#RtL?=g)=k!e*y*ya5@?KvN7$81ILG&d0s4|if;-Cb% zk0qtE;qL<-d8J~6p=OBHUiQS^j|i6PAhqOs|_VMzV{hm2XuIQTQL zk+bwT2*h-P_J@_mqH+TLvj4ZozhttxmNa4o&$zx`XqB--KC#(*l{bw+@a($NNQoQJ zoL2wCKWl_YjkDZL!5JO1j=8B(6@i3zxq7PJm_Slr=*225uP{g#R#F-11(cS}oJlX7 zp`hRX59QHlw0G?BXhB;NINvRz-_9yTzln~Ccry3{u~Ojn9CtEM8YWBCZxaUy9v%O z{p0bf;XHGBoM-Nd^UPIoo;kvK=IS7pd7~jC#1M@}tGu|i}} zE|PpEPIY=A7R+*4Rnj@!fzW=~Z}jhy*k$-JjuczFV6_37|CIm4PEY{ytD;>-UUEUq zH*3KuJsz<8%UDnn%mv2Of*wVi=TPS+%~sLdL{wKsXMO^?pkR5$tU9AKi1RRc9mRv) zztz4>y-!IcxL)&*=kVX_eL(>{=lG?H;hfW>qccLq5FVJYOPgB)oWHUogK5s8#!d?@ zefKgHv3-Nz$hZK#=#&YL+M@|!&)hoAC7mHcsOX$DRtI~)mR9}tU=-@@37X<;)rGtr zHR}GkKoHhxa8+P6L3e$IF452Gfo`={+n8Z?J-CJCh)_%S6q2s;?Tnn#>=N^lU^5cwWGE3XR%GJVg4s4)Hai|&1E%IA=M+J1ir zEZ@R<%7)MJd=l!)BPFgGOoL}t&6Z_MNkEjOTYOI;9Z2Q49;Dxs1QC8KmKYil;NmG_ zzO>I0HT`6CwjmRTSqoO4ca*|ljk$OfR*B*DJ7t`wr;PLTRB)c2JkHZ|#d&&)uts8J zoK12OW&1_QP&FANO`m5ssO<_tZ!IG;7W0YmZs{oHWj_ygvi);foHbCd$i%6pq6pv2 zS!w2u%E0HC+#S(wB}ndw4!AAgg2c$iUg@=C{Ks-}ZWl-zOQ-o(i=}Gt7hx(!X6+@6Q6y z36qG&&#h3@w{~|&fVFIJ&XPCm0r3z$vzphgHUD_CbI7mC?YRz#HLpa5$yL(`IaiJMH84?9GQNN z+am>1J%QC18lY7Ar2c}A1{9@D%GMXiqRLtKv^N&mdX$clPm1`dq$WQZOh+7s3eLD3 zO0{$baouS80IXh_$g%mAY)%$sFof>aShI%>;%|eIksg>1@mBNjUL}Z-6;`m@X96ca zKIUoRv_`XZc}ZEBHc;ZUZz6Ej5;o{6v{|tHtPh=lyBXH=&Pw*cM556GH6~>v+EER7 zo)tjz^t3gaymNY%LJ<4k26N;v%5%bc{?n+t-fZA*{o}~TJL-t?OwRK|Pg!Bd53~#e!%uMh{d)h9KGW> zQTFD6B_x;Mi4bh@MS5$Cs#sKPbC!!C#vF^vt^UlY-N2UR)a03)zOZy>X<3>? z4z>2g(3$O#1`pqMsk^GdaQ;Scpgt4b34x|)LDAw}Vevj)4NNT*A+ao(3emU>4{H}8bWm?fO&9z3O+o^q}q-OCj zSgWpeZ#V|74A{v~M3|%e!qxV(jV2g}M%`~o+7iuw*P>S$u!Xwn@6~#2u4r@Tudmg0 zEBH<=acPA)16J?NFnV&IM`j`CH+e~-;N}@=X{*i*_$9AG>?0VB#@F9pNjQ)SEJt-+ z3L4{qx|>&UxTOpcb9|Ggs0@M!aYG*}%QGRm*VMdV{v68VRQTG>S3z+7y;#I~DwACe z*$LcJd66s&ubjP{9rL*1Kr8QC`Y|c=cBRI_wMGIBdsJ=@#+u;IH^S@nSbgjN)ay^+ z_4*Tdy`BfJ*9$<=$MpMk9gYyrbyi)n!wan#QT-xcbO81Z_UipIZop$ov>trY4=uF9 z`pld@uHO)brM_zY>w9ESpWM&gvSdL}8|*8qGZuuXAUVCg`{dD4h8L;Pp29Hn^n?ZH zFJp)}CvG|Q!UjbTKCO-*H3og_4f5-YMvz`z6Q<(oi2jfd*h(^)09o^gQj+O#&>E6- z(q~UbE!uHT+gcIeV%8Gje?J)93L<>fV8?k?#Ll`fGIL`4{YAflimilTsp zyaEOah$ykw{=d(6{yqoab?t+F>~vmpt;KrQoZ}w%?^e$ULtAo*Bc7>}KLO zn2&lq-zewuFY$yjK^vjRnqW1ou+KfI4#Elv*(8=1K|$fT zDK}#vJggj+s(;@{qjW)ko+Dk=DdNtwYk3zulc~0r0-(h(3Y4NQG3Q4q3 zYa&q~qCH^wVI>IBIRiIiHcSwbS8{!`AplSi^OWd}2)wAD7PTW2z`Ne~@srWFZ38U# z$54^)2Z<7Nj_i8h{%eL#^3=z2NvpwXD8Gd9swGN&D_L2?q=h$sDG0vZZYC*1Bi`yO zokcZ>K1pQnm6$Q8d%pJ0-zkLMxAUy&8(C1q>6Gm&QiS*V@#Sgb+h0BZV=A$wR}3m+ zXCf|jia;0?k^Z4KL6nw%{U7j%fETf`?I%xBc>5zb)hAgL@Z~AtyMBDvgD=k(-}&*q zpZ~Y-55DWccRarR|1XrROFOO>c(o^K=FNig8Yq$;J90(af?-3?m{P|^5kZQ52jn*4b2Vx2`K$ZeO4 zZqDWcqsJd16HPbxXO3QJ%Qqe>k8gXZ_g+HAql8*0H2|1CYTeZ|F-KAzMCIC#6rlTU zD)H)+KTxcb8$ai?fZ^${Z(EWBk!z&QLiBJ58Y!pevYN9+ozx}@-yQ`+`}_1{*NRdU zIAPO8__q$^3mbkHni!yGgW1-t;oV67e2NYIt6H#evHn}}qyq2$Kz#jN|9+4DJ1-Gm zp3;%k?yuV3E(m_Raof*_gMWdTowjTm^7c8+SXdDP%k8riZ#kks!f$C(&cqL0E>&2P zD&_+w%T>3xejGsM6)LFaO}2xR|cpdWD-h26~YgKozJ#8~u5K=@H8mWOj} zZRlPQqDY?|F^Wt8B{n(#*_{;lhm={2|Emew6kZTMc7z)AoZ5Pz^Ou4Y_tBZk9852~ zAjja(b^+tth=@h|sG&%6qp6SW;>c|4H#3Q!84x`oyKlIch*&9HlIhQ1MXlV1LzjY^ z5r@83uC-bdjM8mT8^$&PzWI;+7VWGrNiTv`$q~^_g(#@|p5O7|aU!zlVa>hq!UrvF zocim&?*{(E(GTrN+~DKysXfZab#Q%#IU#%`2YL9W6qB{~BL1oePN6qb(A>kYFImzZ zU>oCA%KR`CZ$G2=tC;H7UJhVru#u7vDk$ga+Or>6?!hJ(cgkZ=3v?wRP_mH26uGbv zdoBwp!O=hOy7~e01!sFKAFSxWJ71lHXTMz$+rrfTJ2_SKajn|O-Ao+z7UW;X5E#No zvP0u^CyWrMsMmp@whhRo1bwb^S3`GsnZC~$X~OY_lFf&@7f^%hr?30B2+=vR zB_OT6|0XmZ^M#A=!LFJT6c}C2pE!(w?z8M!{sBGYSxGB-^Qk-}Io!AsNDv8M_V}Mj z7zaVzz4G))m*Ar-A(dNmhx5Ck!->Ll4ug7NNe4EP{of0&&M>~t7>^B!}+ z$f+DsiymzxTJ^9xUj*}Q*p)w#*yn;N{{2}o5q4ajoe3__P7ar6r;N+9yMW8HlgH)R zX`@jZS;aU~dz4DRa=!kuHN3Gr$uYrdfTUX=2q-E!0gv+V7{wuT=m|Z=#P-1vwbwRK zzw$N%U(dUTeLS!nb+Y-Nw`(k*i{#~C#h5)vc>NQbNns3E_xxR@2m3q0@`rp z$7XEegbJLXzd9zDCW@*)@%iObsGy7%k%u8vYT)xIA+Gws2-$7%&RJC|qZ2=F?~cez zVqE<(L7zTVWRTTc%o8I8e8X=llsPaTIdKH}xlN3BIX9y&GmGF}qgPqfCvCK)rYk9K zrVO`pjz^J@r~nh+i&hJaZ~BUb&8Fn01e_3~b~ErE1D^1PldQx&kV@>eK9`mVON0?b zPzuKnRK)QEm2mvP^EiH>6W+W*OB$t^#Dr(CET1mf z^Ku+S&&Ih~{cw|i z?k+o_-b|vfn*-JmVP&|WO>YkmbbmK|^>#<|n@575_Wz&y=YP)=k#M;eY#W#f`#w$N z1h2wTTJVR^D`N#9cl6=RW@H@*J|<(ahgL+Ju~tWP)*kPCWD7~9lAAjJ-A_vHvL3!( zE)HMyiUy(x?9s@_{u>S$&x=}FOHzhX9A5Ez$e-#{g{y_fhV`3e0pIcX@&^CSmodZT z%NXPGWsKn8d>K<*zKk<2U&aUoopK07bh?4Yv8(Fj?PTOc^EF@aM-$4L(Ep%Ynu9{L z)GQgEmZKXp4b%r#zMG|@(=YDnnl|*+Pdt)y&iUFC%KZ1^;2C!NcE4)vl3J;{hjRbaBQT)e! ziFFqnyx%W;^Q!RWOW^yw@LkWp`#obEA6N;;2R6p>ft7H4V9by3KfbpL-t|L#`QG^U z=YOy7Bt0;e0*h!%SLuFY*suv-Gt`wu=GV2!QcHPJJ-PVyRQS$dcuUF}nXDL`7_TuW zoc4tZA^E@kik`q|c<`FT&kL+sgR~9LVmW{wya{|&zAzWLwi?Oo1NicI1Nlz2js8tQ z-rr-tXorS^1tF7?IF=)mrnsh7lNo~f=e~{i4u%2<-r0CR@l!iV=0z~A!riv#T_NGrFqVYIG8_~viod;V%xB$o;|Py|Mr#^MP< zW;o+~>wFw)l$9`7V0-_|h}l-3c&C5u`a!#D?fcdJDcynxJRDWzBc(H8H+= ze3sw?H5g)XD&6u`MTSJzL&>w%arqz^Kg*=%!P*oLGOwz6@{^Vw9t_j7oE>9>PP!u* z^vYsrsn?hPYY!dX^*4O=%76R2L~#9GqPYGp6y_{3kh%XtdGnH-7;CI2FWsGZ*^X1U_NedGu}{r;GNXj*f`GzkKTLHd0b@!nv(=<7v*>% z`tU?kq#z%rFI_2>(_#m;QN%hBqlaA0MdWtx8p98hXD|Jl9MSTVmhTSarVurDFq8Pz z0L~`(3d=b=q1P7IYo4Fcf#%@w80eydgOt@lX;x~`RIR8Fvfx8bN4O(?EK@+7nq|Py z5-V~we(7#(M+NxyBaPRkyT0sHf-Q+oH3woj%&(jZT#>`OUp;BO&TY}21#B|ePMJ_KLPG%$OK&3|=u}9)qS9r6p<#=Ax6UzxokNR^ zSEd@`6Myk#(kTm$iA>%0NzaExS&8afD#n<1W;IKC4%j_<^S<2$k9_)ggQ1ke6YeD_zDp$k=%+;Q;iNLKO7j8G_SF!@D6 zU5jkI{;{ECjsp=EO(x2NNEn_plztc)55Wx`UgvHYA+G?#n6@*8C{wvdnMo=QK6I-F ze;-cJal~b z56Yn{WtS9g!1$Zf{wbf@pofj=_yAQmjQQUcGQKl}OqE5Shi!I1z-=cHksr75-v8s9 z&+a`ae~z*b>reF)3Zu!Y10t;}zn;sr!pV<|$Mfa-&_jDoeU~>4&`d|c{pU5R0G+adA-kVM%Hk(+Bm&ghp=t78f9u=C{1$V&(Gd$R25x}pk- zUb^%u_l_p8JioMlQak{qMIL;({N4%9t`7x_@Fs)T{l*;{mMpaTmz+4B7xSlSmXGWV zCxKn!gJGq}ODH41R6vC|8t;C~fBljixI9p-5Bq<4pc=S5P-a{nC@(G#lm+*D{@-~Z zv2MqnoHFx8Cmr%OYf@cNulo7!)no%OcQg2FPw5D|rF2ys`x;o?&?w@MyglCE--*ME z8-6(>E=QL z%xGRO``i}-_EuXb&5FuU^!fWV{y&pImi!iH>O?q_<@J0gH)jj^>Xj?}Ii@JKwzXTY z%@(RTW(Tt}tzl;+D)xazFru=rC5->_fBYT)oyR5hPrPEyrXqSLe+*;y(}3Exwi|gU zLgWHBo)yusLN)}1?iI^HBE{Fi1k8^fMg6hFIFbrI9(qu5?13Y?kkQ!pHl7nDA9zgU zien0M$je|Fon|jpORKU)2*Lo zV|l3HtW1vtT^3dkOn!DhRgwy#@5~aQvq#a0CP!fT1w~Lem0TrC!-X!`yrFSvRY6<7 zo-b1cDguv>c?YK@7iv-u-ny!w4ISkPXYIJO;OPYt)7VaPWNfJ{o%BoqzIlG$darx| z=DyJWT^uw*rTs2Mq)q;4JMwH`*lBY_vPoFJEpLj3?{KaAevE*p#jkJVP5n1uAMRIB|Om+ZVfD z`4MJ-^@|wqZYU)?Lchjx{idV~3=^C#ZKroeD?5poE99MFxAItXu9YL?C@+2KeaDXu zUSuft5;LPGL(0=@VeD{eRCF}v6Em#DKH=GY&4i@Vtq*5}GXcK5Xg<_>rn@EyrbGYHZ+Qqvr}29eG}ll&DX`BMf#UohZEk@~`v^l$wn} z7pWDoNkks{W!sTEzM7 zgeLvK{DD?4R`e0NbKc!L`(+n!GxL=;=@uZf$HEl70-Z4XuK%>d!<&f1M8%B4whcr| zRA{TBZXkU90yIWZ#rgiaKt9sMV<2sWnpk@366G~vVvk@#qFo!@;57{gw>8Q=qo=BS zTM=9emA>CxG=^Ub3zM%I%u$z70d?^MLy*vC6OSD-#JUT%dKs@cA{u@5BOHO4uli(_ zndg&JI6t)*&QE;?=cgvc`KeFf{L~~cm7pv%jPZ&ZYt2k{{WU>&TFSEjtsgR|%bH(w zRs$ki)3FW*ZMb>n((nKG{EqMYOZGJCkf9tOpu9FM9YQYnPLjv_{gp1N{w-|Kewq_f z-f~?OP2~a4ieJZ9%sC-+X?{wu#}@Vi4L%F#I)Qg%J$-YdJtECj{^y>oGb(Gkb!wW@ z0;<0}S>(D*gi211&K>@Naj1#2hib#Ib09-AwW}UN$wwSq^Mv(LZhy$6io6Llb{yqo z`D24OpBCSG%RhQi)W&Ri@S63*_VvmVtWHEedd0H}ZcDvaoa%2xEu2)1mbc15*uzvP>!;TuUj!_4?ebim3_~Sb$%zRXSZ>)*N3lPm@hEIQ zwTz_27hTT1SU>X76tXR4Qe9-c;QU)pM!sLzIq&uc%`qbjXj>Ny8?S&H&w(2+ zha1m^8_$g!ulRp`JihubzT^MBKmXskUVPVs@Acw4eq6_pStC^+4IZp%iK=Tt3ad+U zW}PVFl22$MH&+9#GuUsF^Qs?aHA2;((fjDEI*L1NaELcv0n8>x7QJlAfKpPB zP=!to-Y|AKh)yVigrxm~@Ow?f>VH-Ek7^7YD1CTtI1>!EH?1e!x}rfL^|E36ZVX6- z(21HtD5#r8{#IeBM)ZS%V7du74F> z%mSUIXAy?U#c0N$@D0TR#%FP2WRts^0!#vHl;KGrYY`W?-qbzJUnL?#`^|bfR%u^AC|P8nM3Tu=ZN&8sMz<&gs_H z1+OccjE~p#;qvXc!kHg7DCvZN1>pybXV=h{O&@3oQg=@544=~i`ta%1vELyu9V%5? zu^9$pkFK`chNL3L36{jfmPC}bo%o!WFA|!wCL*Vcf^hTO;O4i(&F_Po-yJtUmOJ{t z`K@sCyWr+`!_6Oxn?DdYzb9^fCpaLR68X67fb2qPazE8w#C+~Hu}K*3Eq2THxw2&- z;x2amOVMl%PtBUH3iCJv&BBoYmdX(LHpXu9Ap^_Rx_U(>?ME`Qt=0PzeKigFm(PD( z`xppJ(zZX_pNGTr^YG~gds}d!e(a&}5bUFMz@`D|G2DVd*WsX@=e(kd8U)}Y)=>~3c#a^Ub}|Lli5ML;^s{jM#v z4%Q3q4xJq<1I}DQVjiAq^mawU{qxmU)V#!6xk^)wj=GJUH8^MneD^0gz6nR=H_AXD zT`HX7Z#rBzali0!G!GH5KazWKy#~Eb6VD{HC`T-G;!+Xs>LB9ej}q;HVAM-M`Ns0P z6WA5=FZ_&IZHuyd5n)Qhdi`B^V(iYjX^A@|t`RC64fkE8I2W zdEjCkh;A~U3Y#5r1ntG3;h^Us&~W?h3l{cDps=4N>f6W#L*>T3g7FdXv0!n&xm||{ zi$=D>-dDr7W%tQDGxyNULb9&atSTyrtdg&OCkdw+%ks)LWnhPvEJ34B8#zLAUCbS6 z=s4E>>ldd4a7MhNtUVopgyYhN=~`@2UfV~&Sn^|tgVEBjNq@K1qEb*?` zR0&;#6OWlh)Yc-fSt(97NE)OPh zYV3h=TyVVo@z&iqRakX5DHv&RM47p|4zDGZ!GyV}S%*snxJR0)s;-^}*4MpnUBXFW zX>=uEGW9gr^Pk=+NIMO)MI<*m3QvHg+jwOesU#|#{Q7jvuM;d1Gk*Mz>xF@o@B$sa zJm?*LN@2ru1EuMfh3}bN0|#==i7sluyPo!MKbt5n-xK3Vg=Jfe91_Lldt!A`Pm)mA z6B@XDPa(ipuX*ywgTSUq4h)F)tE?Uvqex9x$1zR~kUiECV%4h&q8WDwMgon{>5VR7 zmUr@Sbl(5z7E2&F2<>>>R*Xj1*Iq{S%m=~s^HaJccl_Z7SMB|+{!~OONwOMG8~`0O zAK#R^*&un^JXOgkOSr^gbhaoP^D#L7J+-r9gJ#5-16CMK!BTLXRznTz10Z`F{fIgh zwH;hw7pe4ibPOArc#!Z_y{P2xy!P_4aGWtfIUCJC>TJ4WDLZ`n;4Q;a{UjdFvQ zjF0`21lcj(%U-KkJ=f{@Sn*$3n5=f-DG}F2y?<1X&|i}StrWjlk~S^WFJtsmz1Ruu z+}~0Cq;3ox{9hUMbqz62V~op<23nvzZz8%pYzXal-uhCms-Ry-7MQNRutS;ImG}M< zsldS7v8?tjMW76eRox*p0D)ViM|}mAVBSK1C}qF|ev`(mrM3AW`o2jL3XB8YHmdN7 zP{Ro(rz+^#+q{roXvz|eyBUOccIn$(GX@DRe}kj_hOmJM{1`c1(Eb>og&?0Z`rF~! zuyNW1mQ|Lwp0}GoQCz^*!xtg&nYD0wH9a3~RqYs1eNTd_-pnr>Uh(ilYofTyHW!5( zCGjf|CBix7j>TCw3-}NyaYrG@0kya3J_}$og-_2Y7cJ7vK=QD=NnEQd>N<4KD&dnM z@bA3jtD$NH9tzf%WD&)%W-BUtc^Bht$xi90vUwrbZDF@tA=lAOC&H#Z!K--d>G<~F zl1t@TiQL3|KP5(rEH63X)JLk-&>cf0ydgpQ-jo;QOtJ^x>u^J3dXbRxMG?T)kM=L0 zO$*0olfv=Y)G;QWOS#O)sard4NuK-|%@cJ2={Tr2p7Bc77??J6Bli4h?7QZgKo@ zgelfTkBSs?@UGY4Ti?T1pThTf;mf)2;cb!ZkUwyXquPtedDPiT=Vfit2mr&GA@K*fQ%f5%!IC~unSZB}<879PXd zad}@5vbv-rw{Q*RyKq;M;_`V<@D{rKeUt+$lm zZjA+?WF^9@qWdX(oVkcXk}L9oVgeW>e<-;#5eOZhRF0i6|bpB8jIE5F}TT;1$ zuH&7+tT`ui6^o+z^CtniDc5sV_!3bj^F59Hb7Bx8Pf4rqrie-tj9Rl!iUVaaV#!z+ z0SkU&vDH;2M3LoouEjzaZ#`Ox<5{cTg(Ae=*3b4}rv&I|Nq+tHNCzdGmqJ%uF9T(R zM^uQH8 z3uIHhV`*CvM-neKp4zst;{83HG`jidt#$^gmND`n#d2Ezlzw~apPYc)mW9)6+;Y$j z*#{)kzUkn4k+S-uPa00ob;Rkp7jb&77f#O&#_72(I6XHAO{k{}vaR{U%Dd=&iC9lC zRQG>g@=rPXli_l_DJu%t)D~h$ZU=xB-y13& znIsg|@7?GmQ$~-ij4NF)@IjZEm2*UyHFVa85V&i(K|Igp?hX@2q|VxPjchswr2)xf z?FMHkI5%-yF3}2TZY3d1uSUzW0oRMLI&X4f;-R0tk#Ng!`u0t~JhaI(C_!g$0UmEo z9G>7!0?Nju)qgGPdY1SIGV|1tu6 zc~jlGjAcvduF!BbG%MXG1Z8w4w~p^Q!IORc0CNHp5YZv6m?8*6)9)guN5!4-=H=r1 zy-*2z(Gq_l27Ten=H2EAL!YZ3+KsQLBhvAuK&IL}n50ix3%rJ%9|!X-GL&M0XlS#? zywU`14@dP|~)|4Z-hJwWkHvk9o7wwu&jzA8~5k z$zR2M&4mASYM){11JY~n?|71qAn%2-i*bibf$aTo)^(;vyz9fd%F7datCvyx?U1xL ztZ`V~KJgmcTsH`_f7y>5FG6Kcz8|ym$w6##XARjJl2EFT`oyo_IWX4t-FFDfweV;Z z-r?sfMUBd8SA~vMA+6iI4??%nVO-dKkK|1f=xJs+E@Szu?^n*H_oz5SN=es;Crqhm zhJ3)cTqYIs101_CFcA)?91as+2={>r9<^N!zew=>QuTQ-KOUJ{NUVK+8;pLLM>HQj zoP_fCSZtlT(z(f%~4vvDK+`^zuaYpYL?x@LGh@hEgvXY-x6` z4Hsr3dI))-9Djrjuvv1r1Q>pF~ZUl8UmQ0hxp`4ZY!M| z@S3(F-|lKB*hXG$ZehO(6q~!;bxosa=fl!rA){_c`FnruZuV^yPki3>P*@ExClPB~ zmes%^f^lWtS2e)e->vmXsT0$0 zw8slR9JQ<^6v{$Y$F;YAYFq%OuI@qiZF`6#iPte?wX-b`afto!W=-I?=UmRpexMl@3i%Z zC8CF=ISy{+j!g zA76wNv<#`Ja45*)U4PJg{Bn>iQV9;sKL10;D+g|wu&vRlj$TVqDYfq#pz)U4k4Jsw zVdjh?L&;f1yz^eaie=yVr7i>}6JLU9DEL4~Do|?ngEX8Te7N<;mKTOD%ItLS^TP|$ z?s$7m6Lgu?HoE>b1xTf8)VYwIfeChK_}ZQSgkhxNisl=5Z+E@;D@Mc^rzkJPt=( z9)}bzj|1WT{S{z1)|=rZ1+kkhi~hX)D7E&7o5++H+|HJg3MRt(ogT&&Oz>Sm+)E6V zGhYS4S5houEGhxfjTs(E=MDj?7w`B-vHFBUZ_)FjpI%T$qt4eU=YxK$o+G8x@`r_| z0*{nlCqOt~yy-|_2+-1v5;m}3M(gqVpxNQjE0W~7Kswj21>CZZaxz%G{8(e3+2m3HI1Alb zyeI4hlbv}!x662t_Z1)g?(R_ZazNmY&4w2|on14%@;m@J6JETbFPen*C;k7d7}%rX z%ASquFM@zxbf}+j-wQFP-WI>+9|3mpV_Ke}0q`^O#d&RG59G{yov>8Y2%U^+_*;qP zyj+Q5Rgimb0MX5w-(O1V!z)tnXD*sXcwcX2=LoxHRymLwXfjJXT!NP98jt2vr6|~v z^&8JOAM|dE$oX)mBh)L?G6bnv=FTqRd`k60>BH+wNA`W9QRrs(H923N!g!0O3p(QK9tV~Z!$=Yk++qu1b3Afoa(eQn*qm5$Z?iWU$XNArOdo#DrXv6jP>Z#X<4Ny|M)5&wHy6}#c zlhonGWyIPgeLfcRt4j$;iYVN=3?dIw___yj&{HJ;!Avb5Q9S2v^Oenjgx%h#Uxyk| z=&Q%3e=94&x~$W9;Cvm%(Go02!Zk?HJ?ulMN-j!Duigx~S`H(9j_*dKb79+e_@R%D z11wbD_BnYk6CIogdhhw62(c>LX|K(D!Ar;cU57&pVDFF!5Bpbj^wUOQULpa@RUc;l z(1LM9ZX2q8YEzU0c9Zqs$RQmhPhUILR4oq%PqX|!Mf;%fyd;WYERXt1wXNUTYHM&V z)*`MT6$f_XhA?Dfjb6W2xobFW1O3;68@Y}JLh)X2`KPH2)O?TN5^ZoX(9jrg>cnKA zZAH~$fine2>b!gU5uF@dee%EaLPHIBLT=nQLYAw|w?=On!e^PW)V3fgXw$wmv9zWS zmO>M!6h&-eD<7K}T5%`I5mZec*^}LkV&#$~o&umv4DdeBhIR&i7ym>6Zb>EO4Z3@SGZUwmwyjx_k0}4*uNQlR@6CHQa=H%&-7WfM z_hohmi!bW)B{E6?%bESSGy_r4I8U{(_0tR`Uwxx>r$H3H-ZZc%e0wNV?ztiivLD$`>?>|H_-5*chIO{zh zCkEp_@N>CwXv}H|vAf>mnd|QZ7rT(q%saQBc}d9iQ`%ibbu*v#lTRh!TOYfSp*a@2 zB?rV@nxl)oPRKB%*Pr0+d8pgI6Y_Fh3Ou%taIVFggDNlAyY3Jfy#2rU@|p3?XK@|- z{ZIa*9xS(Y!Q*<~IEpDL7u3?M1>XW_?&#?QrS|Trf$3Yw>DlG;?tOrF{>8ubSbAJN zmI_yoRl?O{>2UQ}8eBb=1@HSa`K(0iZVWNss?2t=0r0!n-H*KTDzs zcX3rR8f!GqeMHVu8smy+1PSg1m!h(-rxkzx=>iX{3L(c%Lf=aOB6P%vT=f4HWt=KwNlk50GDgreSWeSEzJK^Uh==2`k+AVA7} zauK46KRgNkIJKbPd19qG!v9rXGqE7YYR)|F3oy!E$9KsM(01I zbs+FQ&7#+%8s&($s_grR!2=|E_K`pKJvh)@d2y%!Wc5tW%qj;X;h$?A-3Ky|EHK{x z7|X{f_;6!~hIDzbJx2Q0Xru=8pYj<<+0aB>h2={9$3;NCrHm-B#1PplQ*G553xiXP zYeeL4Y(G8gr>c{C79vulNFJLCLy#MNGH<0KECf3y6Lety#+b5K2T_>6_%DyXe4jip zJ>Vu?FFK3r{v?Fzf5tf0z2xye4Q4=m`13@dyf!5Nb~*Gx&=5XVhWc#ghoHDm6Ym*w z^?)>}Qf)L=7lfGtE|M)8z)07VUm5ng=>F&Jj-~6`FeabRo_wp;Z-fV!#EU?$(9721&wB}*fW4Sax;gfDHB;Wf}8O z-hFz$96K*lus=M07hO>_(^w}dg&n>SQ_bc|P?96fZoZNRy$!Dq>|xg9?rFmBv!bEI`f z)(R=fmjZks%Od3Uc8Dfewx|=IS+zjTbC=$#OsT_Rr}*B2VRfK7;~2K?X^8@?xQ(by zG$GtO=iMPzV|Y{-#F^9Y0K?SM)cKzo}iL*@QC$K!vlkcL4zg|y7r|7i0 z8^k3LNkOOjnxi~qBs$fEzn4UdNuq5jY^rGSReb-=3VGQ6cv5~PS{68z?h2d>X@!ta zP1$bCPf=yePi3QqR!}r7G1a@+2+>3;Wc8C>kP<||8Qath(R((lY$p@JBcy9np0@%F zzeKto<*J79k>=IkKZa1HOIy(A!U{0qEIOJY&;${+?IaTagoCX0CZg32hK>wtZmrS? zuo=9!f3dq7Jsmk5>?axmiHvo2m;a;!X)%?QD1$n7ZcnW?=JY~8UMHuveAa+54y*F3 zGRmN~*!VdnMFj?n4jp~?ObK^BV#Vp>%s73V6{n9g;Pi26oIcJ3$E&`~A8u8LGzKPH zX?i~ttaa}nUq^M&k75*!TgSNCaU^Q&9ad1E!2TlHLJe=epM#q*sdP*UTCC`JOp5i{ z*uYe)+HxEW1>L+Df$?n%r&d%UhfJMpi+cu(-P};Ne>-0DRLr>AXD;J{>-*(wJ=@Bucb7bvC^(8OpWQwHt z^WFtcN_->8K4*g3zSt9rC^&*DgSJz7hCSlCkvl3Sc^VOy+@F1~qYR%YKJWz-X zwcgv6$pbUNbgkKfJZ!S>dPohqqubx_N7$At0lPb^+qpGOO!qx;DCvzdL>hg*pV^@V z9b(biM5;=-{0MurU1VF!9VP{|>r@qP>PoP2_*7dvyA1a45+t{aq+m_e;H2GADZKM0 zh&8S}(ROx5!ESG=lbGcpM}OY&wSX!VrHhZN%OaSw^Cd7Zmj~afuvO)s=kexe;yeGp z`!TG){eRc1j=Nq=hyUO8YT~X}9e2IzcwaBR`#pTeABnj()x_?N>iPJy&!1I=3nt}3 z)7m9L_bRyc|KEGQ_^w|;e>}0*LI#Z}(w!NkQA1T9 zbgaKz6NhJC<)b|@js)Wu&x46jYKW5Y-o8A6<T^~+WNTEAktt)Z&@(`{#uN@VFb*g?uqV@A3kOMR$~8Jxlh$w!;kl(aP;jj#q(ncGmQ+2vyjC z0vj9k3xKbl?jffce~5?+ECc;i-h5_(rZEzQeGYEev06T!=_i6j$1c34e1maWj(BQ4 zW|2g4tEX2gKAS?r7X#(2*dIzQhx}J-e{vBt6h6`1nG(Pg1_-& z9Okn*K|sF1)2akNLJZ~Z3&?>JX^GWS7B!@QqRrCwtueZJ?k=Z#krLGBYHyz0R)x+_ z^_QvG)q&GKrC};n3BC<^4t0+kqX+4Ya_5^gk@vwS=^b+elo9^XP%u>yE;W!8`wJ+6 z=e68+5;8^b4sBZ_;86gN+f6UR{j;E>bAQX7B?X?p7+XkkN<$W8R`Agy2feK-yKf&B zfQXd`sU3cV!bL>gKDiO%f%%zu)6svyvj=# zN{k8G?oP_UX3Mt^`a))~?lfn37ONXEzU_GFIh7zyXdF_a&I|P3h=AW^`)(8M;o$8osqx{P1lV7B@#Wb}HnNK=E;;@n3SA%w zez)e54&7c4g&bCb(J_AllJSZhyz3QKRjPz7;aF}+zzxpeeR&We>*KR#ae$CVJ~{SB z!;#3{!u?SRLqNBO#wvq(;I(_d)&&M<$cXDr(jQg^l~bERDZdQiPXDIRB9x5Jk<-%u)`Jma0>sA@Y1 zn<{8vFqH*Doj+_}cUX{>e27w7lMsrFe_3r+E(znC1`?mK{y0Ojz2A1?((r86DdMY_ zGn~B5`=O283v8dyiLw3+g0f4<>spWpvN9B^|72(n*$<}Dp6SG(BR-V$Eh%EaduF$b z!d?K0uE>7lU=f8Eakq5H12AqJ>4}W@ebP|+ysVt?vH|YAOohvP<;LZ`VmaH!+!2+M zl(@WC9$en*8JJ{d?y;NbKnp`@s;tK0@by^K3l^>tcw$mt*ho^3+StijS1o26){1WmZ)Beoi3> zdzO~ZyHvn}>Gb!8z(RQZ)6GQ)JIBtR)t?yPy@T-O{r*+Txzv523F9)!Tji%z;GdF9 z;~Bp-p~69|dL~N~a<#J?yreF`UjO}*f(E`Q$^7$a{RDrIdS+yBC)No(#_cCg(D|XG z3DWdW`W?{R%h9-QJ$uBz&bPu9?+w==agQQV7fGd2-krvBws~(%TQ^K1_|E(!Zm>=X zdLIey5>m53RxOKnkS#af_1MfO#ou;I;-OcMuP+7SK-Vwew^c$4@b5}eP8Gz#M7pD5 z2WK=Sukc*|qSSzxfBv9feeVjNqn#;)Ke>QqZQ)jFiw}^!&JDM??*gnqBfE zTeEJ=Ock!^`4QeT@^$`Duamd3xnKmHQ!0@cD4kI__0+W#DG&5-9^4VQA+aX#XK!z? zb}=$CmG}rS-uzbgQ11w+gvmVA^gRS}9g)Z0RdJ&b_cLU3F7_~3rYG;sXo;Nz4HZj1 zxuG{#SIkQ3{NZqf!|dBH2>l{bBc{O4|0VA@gG7Q{5dAe@>FJ0dRNYsd%)S%Hg@DfEm$gZt|4pRXhAR%7oV~wwYD9vp8n3yAv_E3L%Jil@3G-v5 zay^!r_d#6!l1+zmQqh&NREFBeSPsA)UvFazBRGAphGUb*18oaBv`pVpNA$BaZcT*x zh@-$e&CDFjp*tD*s5Hn0Ub1$C5YgMh7pp=Ur*scgvv4izl(`7VN?A}f+&4wi-`EnJ zPl@84A9`JCGD!6l4;nvlMMcy)5U5{C2j7T_gk_tY+pCKvaMzjSI)Q5x3OcYQnXPa~ zBB32L2B$BhA1~hC7>nKCdk1!|Za^2vKCjb`@z#4kr<<9bhky4QSpD&T`wd0h zenS|y-w?s=H-vHf4M7OMTU7pStOO!?-HOylvHS_X*fZWL#qjmY%J*&T`w}hC@;m-P z5oqg;#`&$(B7F0PI9hAIl{4F-1NBXZp=~$xpysJ`jEn=wf~=|zjU!z9?7|aK!UHE} z_p-$tHQ=gWwu-B7C2G;ngiz~L=#m)@wd|`v=C=pe>f&gfa~n{iHMR~y!pWR@^3Rq#pkaE!DDkQ{pgZ#{5DF`Ymwa0ms!5xm; zQdYwn6!LRgiMF;7WSSoqwvuFHK2$;lwz{k6eRo&6d|WZyes?m>?|U`qKerwBJ%~rW z?<9#fW&9zZih_7t(FHkIY=1p{As+qka>()&4TijfhYt=clVJBBA`SlP6x5KgXLG<4 z0}6|WNOH{+(AM;{P|Aop0O4_tti)&_JRM3fv}yoswvC@;4_miDP9s#7$y z+)<1}j88H(OK7pa(gC9rNo>JDR+aUFi38KaFPlx->4tzGr&h92@yPaK;rz^7vjmNDOrP}lVl>(og_ z7$x3F({NXXinBBhzsih}K;)_Wj+rXZ@zt+SWlkIBGe&Nx%zC29#m${DWfxdrH!q)z zbAwFmXV=@)8y!{lcQ~i0iSd>roKKb;!0)5A!*1hRpx?UlekEKV4&RZ#wYF{me~y@Z z1WZ3SUU}6nZI9Lax!e>6HvfB`QGCtNwUx>QBu=t?Gho9Wd8Txolv{fgE5>}?0J{LZ3N1L(!%PB&d7K| zeBuhDA()4W{UR)Chq}uW1SQ6GFcBM0Gu961C1L6CAaft`|Hyp!)mA+mw|T%LvEK=g zPYFd_I;)1rJN7z5ZLoeK{$qD%WxZfE$;33~cnKW6e<^-RuL`ZX53X0gjsu$3#fZzi zPN=;#;d1dwO+={_e|0z91jNd$eZM@nhu=2xKift9Q0>Re;)W?tucp`8I=TOY7nE2qIX%4U!K{YvPu`0an` zO)`kO7CIDe<{-+y57@>d8jz0TQnB>SP$0;ZnXZ^mLNiyw2F~%s!eOra{$3ej@GE7v z?@50mlA+y_sqQsL%MY(xn4eR@Jueg7^HRY*FJ;{GGQmABC7eD;3(+rzn+pO}kl@_( zyMV`Zp!1-zJT9IZX4C!XkKJYmN$&KRnp>1WG&-tYyJ3iwGs)=>F?b+OV~Gz^O}3Df z>fYy`hwXF3H}#)LYoMokA7|%WE&|Ja_J{QC=D=%gNBG*>5Rw+B1`6pMklqc7m#5Ji z)3}&uMH{3?O{@B?!x;Y6fBA6wuQ5*l<;Us2TsZw#9jE{D;N4Fvp_9?|N=_P8%a;cA z9STCJ~Z!P=fnQWnBy69P1ag- zt~;(v$r{v)EEF#b`XGnjO8vB-t>M+DQ?4TB)^Kd;$CT(DH+1pNcFe`U=J3JDb52+| z5rq=h%dyu)LU;p57?4;(oI%&c$dYKpKlG%fn>+*pCfX-m_AnkUp7D_HJF70^>%kCk za+s6;y&u$g@_3i*2E)6nKdZ8sgFphEQw=5!0F?S%_MJ&7^8I-)JEr;~qAQrC;~$TJ z42Di_*`9DXFJjC->>r43Hn9pS5|l$BZ3+WtNj12u?BtV7Dg*7%C^B^!4p)i}qKNfN%ec16o=t;>$!1;$|JZpF@yV+_j$#{VA|J z6%Zds6#;f7c^d2yTD9GMC{r4rmJ$mPI*6Rs_I7mMg?{RDp z0cHIQeA%=Jcv!etqIHBpiG0-UN24c75`6hP(#jsB*ILV#3~f>HYP8&2dJAy3QoVin z8UmZ=yAEul8ki^5%IOzj2-+bzxqg{B1YPP9zD0@kv)_w$O8O>ajP4FUm_GJP2bumT z)@j*F1Vzz=v!6f`&c?dtl`$Bj;<*3;vuCxS-YILM_#zWghuiBL#pFOL7LL|6D@DEc zZnvaR8zCYt4U_7nNYrpZA*hVQ1djgs(IECA0myC}ufKIRgGw99ipeEUWSNa}USCZ{ zUo`g3r_zJKA(KWf%+&|HIxUGl*XSU7eky0jFR{S8Bu(=ESpZ6W)9|tNc>xqr<+gdL zIHOFeHH|kqP4Kq(?(fPMSU=mck!o^A`a;2I7=K+0YojBbH*F0Y~|6rv?WXqwQHv4s(k# z6iATR9Kps0VUH>@eIKO5(TDP8ui{;yz&Dxt>%1`X%Weod_e&N2O6c}@B*&wU%NcPvA$Rx7drvs-C*GOu=nED`W%^7l38?uf&zTF3rBF-t{D)LzImDfRCSdb8A3|Qq z+!CZ|#k+oca790kYe)cSo7tAU2RUIxr0B5nPksol%`;1#I|JRven^I1=7unhtt@{@ zBlNExNf542Y;1l|ltt0v;X{E(g&}LBs+PQ00PL=|8dF}DN2Zrsw!^sjpg?4ptxQb< z`FA9Wz*$e^`G#UL$=MB-YC61TKN&$WeRbdCLzXB^hSZO%+7kBWs%n~je9^H{!bN^k z5wvE)C+S0C5395#?V*SCVc^7GkIPe8G^ONR$Ai63^#?C6v257DW75c%B&FE*`q4e( zneQBEw|8)qpxPGXsLDfI&zZr?f{v@MUokM&jm4!RO*y!BFrUO%L=scaw5Sbdutu@sHJ+bUn(J%T?&a~otZrBqYD~O5vNGJyv>G__^S398f zqTi+Z4RTPZ)kPIYCI#fyT3My)8rfK` zL2r+SSNNoCPxydgPs2pZDJ!tDQmo${_W=DRbLAJ`gE3#9muys|CkkP*eD4yLZx z>nR_yf#PYqi%#b~;Mq0(WDiFhyw5+cjd;`t_okY&=@4?u{B>G&8b~iuOFK|!A=`OZ(_N`-WDZuZ7?oDG=;NV8#!>m+&$>!M$sr zWPCMD(bM_b_CL1e$hvnWf()x4@hVBCKOr0l)?SZ1BYZr;NmP+B{y{9X)1H$X^9aEC zH~%|-9$!C8DhFwbfNKa0#$?;pkGMn2HSXJN@FV$)2HjUv=+HVa z``7^UX9froJop@jo>~zoiHf-awfNG0p|KlK%GR|JTL+>JPd@wlH8;Hd6qHTU$s=rL z@UdoDPkP21ZOELxbIHRTq=&nB$#Ts>srqy;(_I@hmbYI%pKA*E@)rKZ-!@17#oyL( z@wd&9fAP1?k$>^GZzKQWZ}jK{Df@xZ0X-DlWIBO;IHJP$QEw7|N`k!0Nm9aDaZpy! zVP#-ef#c)PW>`*2fZ8uMmO>{k$ZljB?3>U=3r)=Ps?)46%EoWQ{>un5(snt{yw^Zt zL8hG?CR})*H#W=C-o19LLNB*iPN;}BA^vuzfuNVA5Od^ti+^kxNg>%&clXItUO_yZ~Z zDpezDaMMzK&)5R$3s%IY7#9vg2UqF3n}DWJ$-#^8B$jtH|4C{|3sn&`!FscDC`UC- zXD5Re8l0>Bg#u2%OE$}A>G3pReLHV=EBXxZ-Rs-sE$4;y@Ya$epN$ax+Mly|=XgN8 zN9|xFn*dNoRmyhi^8l^aOt*QL4JvF8Reqssgp7+!JZDeX!k)p*SC2i63;oxF#Pys# z)X16sA{%!?`j@OP*G#A*k_#$>=hHc0-*a%?${axz)9<}+bxL5d&#m^fg&jVwigD-j zXy6?m__sf@;PwkX+cKj%NlQ6<LOv@Ku6F1mg)t*7soF(==;~&eQMtVH~yZ-BQg1igd+- z&KC{nV#4qzhx_@kBhLFi&@TrtJ=g%(UIkLwNbYs#&%*j@WJGSb=)s)uQ3BFbBjiIo z>(l9}4Iu|D2~XQ;!%}T3&q$RGN|e46#DIB&@Z~Kp$Z4n5Hw%MN{OgSS--JPaLWtUp z2a7`tB+)fB3xI6Z$1ZXg5r{8!KirZa2!TVf+=#0lF0Cl>$-7p=?`xI6%7z<&aWNeT zvKpXQYU*J@{aNr)OHzEmK8mWO7+6x~JmK%xH>G8S82^YWGJiEq4>h-apmXInMAtK% z*}t!PV^+UPMA;aFB%@4Uc@D@R%4cCW%(Q|~&Saxpd3OkC6yF%{TT4MNZ=w@hFO%TJ zi>aE&OVQvUbgR%Z7vo*u<1vX(5&;^?OY$dmM1do<+RYD(FDQJwOTg?U4#j`!>i+nM z;q8mWH$GE&Ps4e$*ahy7o?4>#YXgbrUi(^qaRx=Yt#kV>=IFF*AJ>kC21w*QSDqUV zMtc9p};TP|^ zd*^9WL@gmjVsVHc&ghb#?N8wb_UY%)d`TMW5~G_!X1H;D#jhhhd=LCxO}>uwB@(}v zXQ4%0n=eEb^Vdf7myJU-%)gD0*C+`jTwWhJ5G@rn>p}qo<#d1X$m6W)beV!^+Q(QjPFDfB!OGpw|;e=OlVjXe)*s?2(7$Lk@~rik2c6P z7`8fM;K0!Y*Qz_gDE3r?vqzqHo(hI{mX9ddw{{nk^TnJuAM_nJ~5C6><%_9&g}4#Ie$>lG9=*!kJD zEj?4n9pPL5k8eI5-|@sB4%m<{VtKxE?s9~fcf^q*nvC>M0(vOqUL_=C_)33D|dEuD40ANe?=} z@WRVd8LP|fV!rGLh zpy6)$5A5nXD1?}+VL093V^juOhoZf5t<#RjO1gA0au2j%#CYd@JncK+aoO$=w37jJ1WFM z>8qB9)SI=aQ()&F6=4dveqg2w!_LF_)&~w5iww>3v>+43V7boIb)c%^BKz%f9mrRW zWa*yjL|oI9$2(Iq;Txr3aaC?JT<9LSmP<_s9wBSN3zEm7JIJQmp-viE+{&2Vdq)LP zbsv{c9;bzDLN}>`NNUj8-yt_@O#_m7P4D+d{a}uefLce}5~>e9NK|{041rOuq)s#; zaJg^$sm{wPB;Us*SX-%$ZWnD_v|EWg@vYr=&vP%Qz%IXT-d&qSY$Sg#K`uXJGL(2 z>XH8YdF;{m^-df_acDL-Y^K8?!ms!R%iJgGL8+C{-G9^$h?0dnza< z`q_aQ1t@HKt$6d53v&O_NTryq0*9~8mnh9iL+Z}F29=^1^v(OeG!>AAVzDC)L=>t( zK5J;5UX~7Y%)hnfpR~Y*K^2+Rktn2mWMatQxB}9+o`tD@DMH)2>5p~8dC*m>1|1(a z12j6t_BCG?^Lr7UbiB522~C5&1FNcLX!wpn3HxzNkZpUh`oq5sHD^t7ohr@~;46DvNjQ36j%6CUav88FG6eLAt@f?_u~ou|$!g5D3ptvPo& z2wpnTeYsp2Y+L124H9D^&YEcaTvHJWOF&|h5m}%)6!oNDHWQAWj@fRbszg!3YEn0( zav_C_qgG_b6-66w-H5mCfJ=|{w5)Y+qTM4?zgYRsL0+@V$CKo>a5z-_BR@+p-tRYj z^G7-HJx}=#lp}KSvq?3#2Y^z0X?H-l7jdsiWlFa zc{83Jo@`D~sn&DBe!~@%?>#*9TwU3cmBlmk)q%yzyT@jxnwu zhZEP2BZ%wA5ybW5aN+uKgkZ`)?MJzOAB1%Op6zBGM^)NPwnH}uz)0;uD({6pcr)?q zL&5tlWGTIC(s3yrO0JMT%Gtv>p6NB#tml-F-Pv+!bqY~1_xiS#fAtJV)CSExa20`H zH_k7YvZ|o}zl}FnyD4+SA`-P}^R3e`8lz!l=CbD>B9KpHZLoT9INWyYFb~G+z?E-a z&534<1SkG#CV|jo(8-!wx6G{r^PgY-3um17F4RHK+2^_y&7sqcG!|~gtar|~8yz6zzlN3^4SSVoo2eE4R!w8gAMZ2$} z=LKYqX*Vt=A+$Tz_@-7Z6!|$<-8G0$frFLRIHXsIQ%q=J51#i3GSnmM=Rx0 zQHt&7o$On|@Wy)f?Dn%PXq!r~ayxw)xlX-y{o7Cp+_wvsU0#<$c6^sQk5>}9-v5z~ z#J3giez$Qcn;QcwSlw?GDV4coA?VK3OnRvIp>?siQ9qOc4ZlAosKyil?XN73m~Yi^ zx{)0#Y)^v?cC~|&SY52!=EpzG!g>(k^;)jyS`Atw$mN+&OM>giyQAZZJW=Vh){0>f zZE*bk>c{`;$0I#$m@T7V1A3fNLTs-?k%F9@uJauo7{2;A;`C=jXxW)OUHHukj%ReS zy{^$w zi|e{VBJgl#Mz6zK1f09*zSOK?b>U*V%WGdx<6TcKWBqg9=%77(XQyi`;=$^zp9o!v zJd=z*|1h>=#r}TaqTcoP1}lilOv~9Ab^z-a_9fe^XQ1eJN}<2J0^*^|ZJ?AD20r2> zN=+L+SlABqa>`Id$LBQtXhyl9?BV77dZ%Rc>uUL{`g*PWsYj!oQj8w zTEPF9G7y4JlsiAZ9E6Lv$l&5FuDE!M94_7>g^Ran;o>b)AjaeWNQ==Lh*BT^{VC>$ z^2y_A3a;5h)77X`+Fvb!w$JqY+8amUy#4pkvm1eU$3O9{|2+8aaLYir0W@&MRYgna zp?6dfy)`3Z$nbimISD^KL|j?YE}Gbrx4=~#buviGMDw_GrZK9J)ylMYdhvPvvZ+L75_SLid& zJYc>jP%iW^9kgiJ7G}%x0bia&^PlP~FA0@Vu4)4LUp*<%qkG_^h#?7Ns1Mbj92SFq znZI9#6eS>r-r_fRq8RLtZA}&IhCGszhsb zLeX34s6n`A1eaWO@452o!O+e4(D_L%yys77%hD=)^eU{H1#T(i7eQ3+TEh3FE1>Z% z$4Qae=SH6?Ru zTN2)FzU?uZ69u=#e$_KV`j9_f@~Ru#pU(BK@=^5ZVbAx*_J9HA1=)CfYqCNQ)lO0m zy}f7xb&tDL_$R7hk=E~$B`41qjOdX$F`dB}W;`jAd`81&Q zB$GJ7n1-n6C-1HMWg||@-)|N7vAoOcPltA16+`CBV=QTI1?bVf($X=HT$nzTrIC>( zhd4YlEII}l-~~1L)vkS32rn1p892!X!8#pG9*s=EsL3p;e~$(YMRm!)!tMuSy^Q5a zw=m?nIUroXZ41YE$cc*I>cRH%ghQTM2+}RmV`L_D2eZu7WMcMW6ue@3@5EP(YipOZ zbVj`u)F*YL$2F^;<;Y@eD!6igFk4`jqHbFup z6=j+7HK-hGoT7EAgC?aWGAC0l__se|-n0MNAGL7%V=!)i)W_|Q7$@?7_D2IaOP6_h zvmp#+M_eeR_DR7Kl@Open~wR22|gVc@CN>$6>_4a8R&L*eazR%3|#(K2$wIG!{v)b zart5~T)tQtmoMgo_z%_>pM6#aB`%_uP2crUw2Q8N&mflfi)nnDnWqS3hb)e4tr?-3 zVj|~Pp$hOki^agI)Cg8C1y(Ux%R&Wo|1|0_guq>3cOnS6 zi*9jWm#_nduSAD32vX3|1K$(ZjO^f>Mo*5Nhb4#{U%Vr2?TXbSoTbTrY7NnD@=NCI zN-*SgQ9JRb0yv#z=9!%%DvJV z1dmr#QFAAtwXa+oj1o4W+CS^`oX!H8mr}8~unX)iU$bYL^#!JSB`=2 zQGU`Zq*MUQ3I{TRj{&~p@r_?q8a#9q*9ZfKLyU)-H%$>!QjBBLh&wWn8CzsY-~>x11)t6$3YXLK-(!m5cWS&5yH7T% zI4pi_UM?K(`TzfIJ@K6nzUK{me?P?Il17*rBb?)*(HMJ52Z;tkyC%OBktl`Xhf~&c zAozKD-uVCSqx?S|pTYO}#dkjVu0Ou^)Tjl48?BCpRYLsiSxqc1JWaQg~VNltY zQF+N8JvOpruFXd5$Jm|&OB>Bo9WmXARX^#_zYR>qwKI+I)M#XIGwMrImQF88hNhmas?rL*Z=>U z@&EmP#@GMOAiPKw>p~CD`#S!#ZqcBleJwc-lN}>VFFzeG*rWx)#oW6W16fgrp5*Nd zRFru8dhqpUWtpmd`HJ;vPH{d;ViD7T(Q+P*M2tIIu*D-|ykret31dYKl6KHMD%+7u z6OZ`G4yjiSC?k`m{@XN9*b$>5^O^1s5-@f#yuPPJ3iwk*zl6t2K=7OC8;89m(Uqs` zHq`PW;2Oy7bK;IF@(Em3Bl)U;ROMUv6i*4kC7RrDGht~clcYhsEW+^Ekz}Y|>G;+H#(`Lnkj(JaK*h{4dzBplh-#*%KSr_r3q$`~6cN`04L;y29mGK1Mg>WZ_nE$M|eiFk-l1 zTFjHa%h8bg`M>Au?`t}=9v1ZmwZ!}nqN(ms{Drn<5aY`}k7FN?OAi1>H_gFyt(cocXe5(9c8RqrT)2t&Yhaz_4Y*N)2WMskTOmyiy zQa@(@P3Dj`RA2G;({8}}S~}>Dh&M;UM3uhHGr}miFiG|)P}v?0nx9^4QO`iviqld_ zf<;iao=!*1urRU>i1t?3)PV61Z@2?Uq!7Qvb})J=hBC+Z#)!0);f-mGr-_FF5Rs@k zyBu*r*O^zK$lCzT4AfmCqQ(5&2mjb#ELQ>H+e8ma>~ulpNW&xD`_52)$2OsbvKH;{ z@i;0S&j#kvboI&8sgSO7*lu?_76l*q$Q{Fw2Kp-!v)8)~&{ZD-hD}j-U|DbvtyG9W zB41W>_>z5Lrb4u!Y}^?UGck|JQ8a>eX>JEfTE_WO|nK5^e$SFb6|X*d083>Br1b?U4x}M&hf(A zH@1I2YKx;9m_p{>e^pE57d;H*ZWPfMx{TVQNuxEcmL>}F2<2~~V z@xXzem_ac~USO@9w0tBeiyrIc+1~ubk2h~k$AjqB(vT+5{~h}NMZp9z+X>%G#bBJ0 zUs9j`Xc|Kctq#9Ly*|(vCWwxo#QflYmZ|P-MZ$ErrM=HgFseSFDt%-{1{rO9ZSoHc zK~CB(e*|MfvAQiU+ckoH#VBeo_f;weXrOz2-uP4?+8j3M;^4AGGR{308&VzMtx)>X zh1d4*B-J{JGu#^Q^B%r_WPH~XU%&H1s&|eLdoVt6jpL!%zrl#zQ|_2vq6;htk!-e{ zb%u}cq(*gQLQ%ayO6*>O6L`uMA7`hrL2gGzBTrW-Bc9%XYmnd!rS$j4e_pkNwt5Ng zo;-hakWaU>I@b*E{p*rPQ%4f&&~H9}%|@ zEb-2|`vq2l&C1m0jFJu%VaFsqy>u2<^Q2GsQZ@off7ojy?M}qAd+fl+m-QfUz-VqP z(-)l-(y!p0iA5AbV@-Nko!AlXH$vv5?r^6uUeifb6!JYaI{sqyg@^QJ*M1y|L`qjm zJ5PD2Kppe_^9LH$Ve*vV?&3kLUUur~ohDCX$TuoCNKnuKlHlaHea2K2I3O7I1LO4! z=)IHR6vMcSk53pY6*|GeVa8x*dnXv9(e@#Yvj>ldf7xsMqb$!Zqk zh8FKuvVSMZL<(YDyQ>N=Fwbws@H#dP9I1VsxRv@)i{w?;d*3RdgTr!{u=*@ee6`?Z zzMGE3+MkN01XaSm^|0FQp=yx6{`6ST#X4lJ^j&r-+#VJqF7mv<;(E6xq~r8z@{!)o z^Ix0J@$iu%`bjB!F>HP+T&Mryi)z$Tl%zVGVWsQVw%w#Nq+chbq>Bkg!#tN~>Vlkr zU3^ok+TR)IuRb{O&07=&nQMBCyrYNCUx~!=Hqwa0B#pP3Q4T0RB$__AW=D~}k3wag zWT91*fBwsPcKFpDS;P0*2L0%}BwFIYj_esdGfW)if%hC`n1Glq{MN1kL6XyWpRe#e zk5#OMX75TFf;5NEcV-GRw7_85HH&fk%0iVt9Sb&q3;kohqq8>1(4>y@OQsaOWf?d$ zxy1-Q#<{ZV7+|yB_perVDatHk z3ZdKzg4Y(eEpBJKf+kzteETaGAk=&EWZf(jiqt742Fb!9%g0tc-!d9eyDDr`aOq>d zYD$#{JvKmlq%6IZ(GZTsouqEcH3nWWmPgbJ=5X=Y%E5C~c5sSRx9q}CJD@h1UP(OV z02cS}#lPFIgwNuUzsG8mkc>o}tj>39c$to-8B~HmyexQ1Ps#~ZZ0ZzpX-rcUVCELHs3 z-+qu5*Vx<1oQ{aS+rnp%GO9JyiO>j72Q|4B^|O(_D5pBA?!&GR`rSxToFEwl(WT+3 z>-^=&F{Q_9VImEt%egW7wHnHlr%u$Gs9<%Re7w>jqKON zqvLSKZP@gKq&tLi58a9;a6+FMChYI1z!PDMj`AvvyL})bYqYJ8PR77{~WrMSU?eZ75LJ)o}`0=Gk6>7=)#aaAlGyiLynIj*sFVLkx;pNG>3EC2Lp?qn<|8Ee`Z+bXq3+ID6)ylh~ z+*BBzjhAMs%s|^-F@>JJg(#rH(%>uBx4~ddm3+4&3ex_bHM35Nhh^)Ct}2&!L_J>o zrp~_t@gJEXB0nFD#zW3qy2+Qrs=qh&) zTH$-SFFbRy!>rd-^4j0|*$`(G?j5yQaC>-t+Pbnx`8 z!|^vkM}R=`mha{r642|tK5kAdiqwQhOiS*|AZPva?X4_SU=g7HMfQsVG6^?0Qm`oj zom}nFD|Ta80=*A@+IY;69qcA9Cm88tT;}0B zK^|#hXhgdFDX%dbeE4{&{z02MJggAqu1!-$Gdup4ZuEL6>362j?`Ac4apYVhS*H>T z5+}&cQc?wao5gpvR7Pmi!tbulJuCG5`psb?e_bHy^?jwOqz7_uZxbHGxbz_w@hNXf zuzknaM2pZ~4oHblN*?5u25=DP2^vyIMe*!ni`)`0({19k*{+T5P$WC)VZ0iAf_)Q%+l}C`lVMRNgSs{ckZ~PJuJNm_m`4Okb$O6Ap z!Y%im%MUCikbc4NA+aEGh&XCPC`wNYt;-*ccF8HgqQ@vD>HKLR?aEe>9AX9Qwc^#Y z7|368O2pFUHxp2u8ubo(MT=TICzCH0u|Q@U%jD9CFsuxhOq};pK?>U*`@Dgoa3KDM z#HU#yShqc*Ye%GtNWzwWFthOE`kVeck45~Z>}?bGNQ`rxmb}bWg{UqtFWPW4p}|r( z=Z*D|1yhPw2<2P?s??|vqy9daS)yIw9#w(vT?e-abq8b|va9^}u{iwxHXo=Vt^^}o zn;N{`verC;=PrA*(Ekk(ko*LHIlgdH2hE)fUTGf3nVYh&a`0puuim?b^ zJ}18MC88k9`!w&FLD)5ey!f>;>h?8GC|hI%`wxDaYFFsN!LsPbUtY|&=e&1UA%+>G z6rA&~mtg(_mh{Hj!&=a&e*JP|kq@Hqe)Y(`K@FPB{oT`Rw7||GH6hkO25MhV9n)C0 zhWnOx=pNYGLZa<)@j|mi^xm^OXi(Mygu7X_zQo#qd;0wFvji)^_xZwid|70a;a+4V zTDLkgRjt*GbdS|^xuur?gG9&@$!IAgH_LNn3>3k2r_DP@E){?@rHE3lnIN>@qzwM~ zloM6*;pL z5#P6~2gKD-OkUIgRmFr_{LXct#hqTxPg;XFZ$vdGWwN5~zw=1(<)^igJT6Nax{s_+ z^X_nRj)Jq`@r>sUb+D&T{~+tp45A&a?R$LiHu&F+><@yo1iiwmh&g%Hmo%dba8)whyoYR zhLN@3!s3c#&$44~{eSd4hT`52uDJJuH}3rqj(b120&Byxv zucKJ+jv7y_Z^*99+1ne24koS|Vm^mI_UebtDRWTkm=Mc!ku03ND|GqDA4#~%JTRLU zs0AgyG!opk>Oe-kBs;aJ1W%Inaw$?hkc>{|o>GW7v`_dfDIHZs{O?o7_OD7p%=Uq{ zPnsfd_~NUAGhXV*#Ist?ZVl@zp)0d-?bCp?UJWr-Umc83bs_7A36^)0cr(+htp;ly z4>I;N%#phdu>s##Ik@0GXn%=O3Ryg!Q>@$N1!JMN0S<>qftrYxZ!T3B>pu^k@OR?F z{A?5>SAwO`jFOA$xSlY0KWi>*{HcnXWPezJMhDb-enqV3oe}Jji!G}9IU}Mc2bb=B*MqwfRpxag#$X%OwV=0)<$rGp zkthgb|GyjO^sW(bqZ=~6|5m3kf$Gg0)y+ms5EUe&OL%}EojkFa7VXIbsVyCpTZd%O z!YQ^MA1ofQ89SJx(xwBJ{URBEjvj;$g_j#d0(6l~!;Mk9s_hYcf8WKULF#S26;ia& zGTZxNjK!mk$Znfiz{b1NULwdAH9u+kbTynA9lw%PN`P@JnMrINsrKS9EARo@z{{>s ze9WGqaXJW;(gRr)G-J?A@5t?Y7yO|AS3{A&BR`1z5v*z^Cx*W6)4NqHhoGVPuc?8y z?x6pO`9fBqKXfX4TUDGB25sk}luR8%v~^0HEB>PdSeT0}GG&W`8oE5cC?W+fv%-Z5^!i!RlWQ^uI$^FrED%OhUpM+N>`j0#O?rZ}z|Q@NE_fXY-Ep zp)-j!KjiLvMT=Z+o8 zLYxzdJEt^#lfevD7AhS#_l-e=cRC~WmK~af2s+hX6ZlQM;7L@b4ym25N~Adr5z~fi zcRZFimsOvv)VEND67TQlt)ooPd~)CX!%S6(P9gr%VWtA6tHTCsMrLS||IY)BXicy_ zuY6il#vE*6^-g7h6`Cozam(SLF5c(czlZ1iW51mNr;eLi^pV_fG`rYKRTQhgA85AK zxNL|nglVU0V&7@`Gn3>K&}%MCJmyeY~c} z*6l$}BI8SoLp;_;E?jkL&Jo97D#h`x&*OO4r8wSo366Jt9>=>b#+%n9H+Idqs8SV? za^1O2r+49bwb-|BQ{RRwJj`Y>C3)&R#9A)~%?n2$U*-tp*d1j^ro`r6Fx{(Fos~((#6!n{^(k^;)C5t7Z7_YwnaHD1qtM=m&p!X>z$b zM9+L8zZGkXuFvM*A3TY97{v`Hgy^yQDF;_Akp*LPQg-f@>UmXo7IvF$kk|#1i$1p$ z*dnC6vvTWumM7|`t$Zbx>x%W|rKGHUwFbIB9Tr^6t}v6OzCz+TiZc2HsL6*rpdehz z^eFjllq6>uapKMZaMWHOj}Pbp3Ps-``}6_m>v|(aTA+#weRz_{e%Qe5AEuS>fk9|j zvBf+v-xi$W^F|vvHBs$zNyedcTO6NU3dbiG!STtJ(LX-9IF3)QhU1fq;oYCYqN#3^ zwy%NlmH8)_uB)NPug})?x(g#K3G12aP&Q<#=eINxqKN7;8D&GRt3vBp;+cmmap=VK zIe&_-bQIrA%;mNp2{{TQZxyda0gZZI{M%jKSvn#494*N{od8(NY!`UAN3bQgC1S!%gsW_9eyx&jHCud@ArC6{Z7N%KZ0+3;Q#da z8`B%CZ{9j%p2R`Y{B<92t5|*af+8KokeyMkT@HfEjPq*UjfOCCa8;qB*blm59(#

    *d z=#m^LF}9Iqai~G+E6H<=E240HZj8f-Lm7qYshzY8Q^DImjxR5ILV1kwq)!MOl5H6* zdgBhBqpfF%(qiG~g^QuEUx~&auW#2e1%S7r>&}!|IBtIwMy*3m{dO6`ur*Js_wb1b z>U1dFwF(e{{jFv6*QdW>+s9%G!Z#|Y=^F~GYXl|}AS z-bO(lg#B{6Ya^HnW9Q|La)lRx&H6}}*3E37&V2w%JoP9<(>MJ4g*qfx-*dL?yE$^X zrY1OIt^~2KhWHYOHNcn9_?>VI#zE6?uzP}W5Z5c;XcS?-l7IDh2qjYdB6a&p10^}u zOX~a#z^uxzn1vXi$RnC$=N2u5sadnF&@+PJl^elrUYbz%utumd3adkm6UnVEQG=qy zs^4Cn>X5LtaiMzN7?m;nm8=g^f+7J4dQ_1KgjK4yTJ}od^!fO4+LxJ7qV@d2=wt)p z{4lT)AXEzL#w@*BLAA&vU65Y>2s>gL?JL=sHbalLWi9_WX~Td>Qm){H2Ikvxt^66F zhK!F~jUdn0gs%-BZ!s>EqNN9mS4_E`VDnC%YKn11 zGzZ^&U*&;s+i}NaO5~B>WtyG68XnN?ubv|{=LbQu(($-58NB(fl0tS-G&W}Fw@$0q zOFsnka^b_=NF0&u9;NF2fS#{qXKMS)YA6_lBEZ4Uf2gW1uK36;l-kqCu} z2FX!>xHNvHA^1@!C`hr^1U)N33eeTg;vELtv(keD0L}-1GR~d2U64BrNXAUeKu) z#;-%E0RdWP_Z_7w5&Q3BQ-|5(;dD^|ZCHE+xLU}nkc`DcZ@5J4FU->-QhjjIzTXf6 z!h=qP`bD6wM!Bv!%)>*I+IK7Tx*@pMXxJpDngiwgPsO8UsfhI2&oP;^$>_S|h4>)x zvxv3A@qPMKITnBC44BfQ8<@>|9dMn2}tDD^r|z` zqoIfNmnn{rKmb#`bkII2RtK}C!m7-O2zx&Nrq#=Y7eh|-#|;y~@xHdAabYtG7TM0o zz8i;C{kEWwfe%{go`&^@nk5iZjK?vki%vCTS*4ESqtghmgVwaMu7#ni* z(kP0O$9(D&X^LO76p_~JVHZ-&Z<%1=Npwt34P7+f*F%gF5cO-u#u1AvsR&8EJo!-! zV&+WIeCNo59y&E*aD+0d6rVbx5F4>!JVHy5uqIls1Khc` zp-sN!huj%_+P5j}VWi<#VL66*zt2(i6dlL5qQqMiv!YJO$NE*Eb7YN&X9}(jp4JLAO32~Tzr|UCY*44jRC}o@0cGD*b1w4>UER9G-AtOAE zKReT*$>60Em2D2N_YLQk4@Kd9e)!k_B7*CG;l}m9NZ|TkgmL{Zytw`s3xsdK%>Uka zeCMN#o4*up{_42-E8*rZgPXqx-t))z{Bt^6`@4UKBeXe~9y@f+791B=)r}ZkQNjf$ zD%Nf*kaa%jT5uu+S=ETU5e?YD@F(+MEXK*`dCKyMUpm&XmwAft?;|^)6uuy7sfoo! z3UaQqizt9F_b#*39T&WxuglLA#*g}Oq6uS>wa2L@D2OhmBZ^lPf*dvNdGpkvFXT>- zlerP!{93gZJzv7MeNUhzaTsnhMoi*C?wI6-i?@g$@kW}@i2;)3!`v{qu89YIj+ zRoOvP1vvhFvdOf;9@b6vr|MhHA@={F?k%Ibc%yf31%nVtLAo31uAA=e?gr@&Nok}T zNefg!5EKl?BeYM^cJ&{aR-1&pa@I-H(`qDc+AiquGNc;e6ycjk5| z{7zo33Zn9YhJwG(KPM$2SEI$)J)FKUlj6jhniYfmUz4+tsuA+zMI)a@vj#w+=AEnC z%hpKt*CU#>d~5Xm&WF+38?LA!t!C@hFB2egwz3I7W(hO_ezsQGmV|k*)om6-Gq{#^ zHSO9iJ8m8quTA9EQaNE?NxUBWmdXiPx&EPQKP-&~HvdTMb_>H5r(UJ4W)EcWDXe+l zhXClPjSKnHX+!8^r2gy-azjF~rp&>Pgmu9A{6sF74QPJQC0BapjX0!<_kyOJapv5C3cax=P4C ze8Mk+$L32^6=IA8^pPD{7bcuLEOZ`KkODQ5tFor>=OD%rNZnQMFx)zWt`{m2^tzC+RC zIu`~2FaPtO-t52oVe$G;@%pv#`lJ7EpC7Nj?*H}U@$xY7{{KlE$3#gb)KO*wiR*B< z5VVdzjxhJoKoe;$@-)So;HPI&<66c7ua5K%lntoi_NU{$o`3UMK5RZKgw1Dpu=y+x zHlLNj=CjQ3|F`EK@B7lTn?Lc4*9MA_k5x~TF>Gv7<{8@9f`>Vy$zW6z+NM~)Wolsp zP1GK*qMn-o-sAD=SI?+0acQa_gYQJbt)twA^?U-ZdP|2rd;x+W}g?C&G>p za<+Fgch@-3;Nexb5AW%5&%f~YleJwh^oNkkBIoQ)`P~F6XnprtbnXN#__Kee36(z# z-#@QdT?(gxHj;9OnO;iV`!&4lA>QW)@A>~G8y)vF!Qd0B+3f2=DIqtmr4|! zy>=b3(;IdgE*8M;`HZFdb6#lJ{jh|QK?``l$kcLL_C~yP^7I5lO>i5~R1v8T0K7bEynf6YZIBxJ?uassE5q)b)C2z3qiUvzO%!Y9x7T#s;YQ^r z8hRA32&2a96`6-r))c zm3mTP6YGaNUk`6RfR`r|bWJDvYm^%*qx021ouUUU9}hLM9X1D!v^dL0TPBcoRcC)A ztvmXDgwuLLcV%I2YkukHL<zKI zx2`i@-Fu*c>T5a~i8^>4jPeN|*F+y?ej6Q6RE00&W737es_-UDZa8V#6pdnix;g9OFsKz~o~5p=~!i6cv4N;_Iv~OuV-9Y_ZaZ z3XY!7&!~*y%LyM92X!5oX{_xG-?Bq^>m|JR3$LFAFOM2;ej?uM$Ln9fTfgD`|I-BK z6LnFFz|-5)kL^E80{P$DYi{R^5m(lwLHko`a8=Vrk78XC?vOmE@>7?=?XSVR{xmdO zT3%%1gm4Kjl@dixw4Y&ex4nfG60II7n=!G&Z#DX-meIoKj&oGfYRC~dWmXY-rr!)| zHrm*SZyLgtlOfx}L!Ri(SHs=p6;HJLGyirBhdFRgdS=%w*+R>Qe!5f1zVO!fVy^cc zcW5a5cCpht0IoWQXtge8qdCJr{stPJpz2ydKThrj0=D}1W`0S7&JN{tVWTWe`I&lK zDcGa9E4NAmC?p|_?#~-qH5r(`z%;idDUId%YN5Jhi<@eK!ti<_;&xY$BxD4m1B*vx zAT^TtuSCT$_z)D_*e#=ke%>2CN}6f~U;2(YuM^fGzmdgIzi(EsrLerQQc0MnPDgr% zee^^qN};Eu$pV{?>tpkAGi*MthRw&-vH7?fHXm2T%>%*f$HBWF#C!ZdKOG(Br=!FC zbc&dtjvDjR5&R5^ehBs|knZ29{#4t}?t z_}*QYgcgi1Jo0>>j_^JY^e$C=YJvJ_tl~_{t-XH0dwM0N;N@|U5s%v4`9Qj-sOkd7vj7qtKA4Xq~<~22M%D`_G@7&))k0us9axJbA#Xetlq(d16VFS zYnLZ*^YMOP{=JX?oo|CzAO7$B9PlsSkOThZ8){?uhRpCU-;fjjf4D|ApCy+oP zvLK-c+x406u<{5K3`Sfg8C(dqj(r0Yc8}L=kfK zntJMmd06CO$cj==$yyagGq3v`{-J=~FDmT*QepR32D`uH*!`u(?k@%0l%KwNdc+=_ z<61?jd3{j+L+ku)I!DkV)wf)gvjeT>_xG&D{ZQefYY}!3c089=sAVUO4L4Hcxo=(@>|6Ox+fG?HWKv-`2gF@ zBMDaETv?*tU*UjG4dt^BN1K4WnZ58^9NwH;BiS*tL`!$| zUQNe~!#$ES7BfBk@OI8PHfUZA6|UWOKN+kBw9Wo*l+U>#ghYtp4T&0}mZ#Zmdc})7 zkMBcLqI=G5w{ zNqQDZ4BPAbr(8oHF1c+#?{5bgdRgA|n>T@Rb!Gh(I**9H)!x|NZpW=p!~4Fts25~( zvvGhA&4S6>5-n6c*M3|@lmmuur`L1bW`a~jec>q zZOTB3gX%aR080h1k7aLRG4sO#F0}h&6E`^7@ z(65|I|GGp1f{ZbX4BB~ad7De$g4zmX3DuB0MUALw= z8?9-F1~0~D?)d3JigL6Bx4j+ue7g1BVyOvSP8|0Um?Pv?XIyHb&^N|?J$U(1c>P4* z`}m|+k8~oL==&x?qqfa_Szn;KAkSve-cPzeUh-Ontz&qHx%{9o2u zX6V;WskXF}hbK;Ry1m?loIol$B_}Q$^wI3Qu%HzajD!7h0zohGFHih1mM6}H<%v^a zdE$q#JaHB*Pn-ZolPdfJn6t0K@9_LZKq5MK>Nf#+BLew%ZFE4H=n6=ZIpvR-pC z@}e8OAKx%q8B+oJKxfhll6h6f8h!H1x|S&A$%t9bx+a)ZXveMuDx%}z{L7?#+61n? z~*yXOlsJF`AjRIQ3mJ9t0X5y#GQLfu2lLo{gMKf{vr_URL@VBNfIXE!hNp$mg}7 zEh`X#SdTwczm|;AloUtU5}P*Ii#}k~)8WCb=P4h&YT%jZ3o^yg4~kdRfV}4!bBVSG zJkmS5U$DRp#73|DRdQAUlbNMU9la^YlqYY7{Iv&SkXz6(F*^>1<;LYIRXT{3ckAL# zf-gv9ADt7g3IR*D-^0JxlhCn)jbR%EPOJ}|T0+f985k+i=@k8HhxUZMvK8x)hWpFs zcdEi}qlamq*FAMvAvXTaNwH`&2y=@Clijk%c&&z@a=1dC>KTLt8-ZsVRZ8NOiCit%Y zr``@jc;DYvr-~SRaxcizw(33<;S6M7OT}7m9Y-SF7G(hx1gVJXydoo&Sf%3dDq%|-x2r` z=}8i^adH}P@&%jbuRnymXrYuwk^}^lQ?;**W&;UaGFinz7c014u=W&^{o(#2=Cgus zP9VKopL#*x9Oi2RP9J-pfx2R6yN}RoqR8CIxZZTa`xf3OcxxaP?b*&YvwRy1`U#0* z%j7($*@3%R$i=ue#teqAYq;JW5F_uxoVl$tUo*~+5>pM63NW9rnwzG~#6$ys~U zFW;TR*GI^?=zJ+spIMG|ZyOXF}e#UF`}7 zS9xgJpE^Nln(Sztl>vJDw2;)w!WrWwYGJ%YHjJ0Zf$sQ1%=T+d^!uqBIfq&^S=Mt-5 zMX2{X$lrmhFM(r}dH(tfcW|zr%eWs;(0wUZSF28DA@S`rDX!HdLf-M-2jv9c%-7%J zJfn+gz;V>jVSFJG1Z&<{y;q2aBK-;*U#%9zvVGy+@OUwLuv>PwTY!+eS0Bkq`l1wN zryl%bJDvih&AXi+yHcUxJ1ff_uQVv4Tlm!uUBc%i?{ttRlA6HNH!1k5(g zpj@>iSlyh!Wh>*mr6C)J`~QPC&)r3Au+TP78hnNYERs?rfKIkenbANJc+#uAf(X6> zm2da=u=+_u@pfI^c7POAa}JoMTDYV8oA>JmjopE5@gQqvGoh}!nA@iAq6D)KDY!yk z+k)4ZPc`C{zKFWy!4LHVWoSLO)L^->5;dRac_!7E4?PJ|4F}@$!0?^rEN65si1nRc zIJZ9sre0+jJIrXIiugK}#(7zwW~(Zy+E9RBj1;MQ*9?&dTxdzUArBn~x_V5|293@jtnKLII5+(s(6i$)_GxbNsGRf4GPmz#`$7eIqQ~95Whx z>;{uPv8B4!;%MH#dz(1c4NbaVeT)tfd;Rm-ii_Wc@s>vOxbdQP^!1L zcFZ&gd;(mKydKsB;jUM;b>;qW<@**{N?SUb8ap@1?qUid>RzrtN&MlShS|lkkW+h|FH!we%22>0yHh#HIzo_@lM@^Y3BkaGsxHY>Y1oXR)1q)8zysHyVu8 z_d7uGsM7_vGd?hT-8j|9)d861v)|Q7xBwp=+hIep5On`L&use_57-o9=o_!HCvY^0 z=LIf#q3`=?qY&Z!1=H$d1|E!NaC&jE%$$pk-PpqHUmtz9&hn(MmFdhg`3>vH>kL zP8xBX{(Bpp{?nb>RD1!^?_qJ=GtdZ3p-Hi)1{-0xC2cBdZ!3X6*vvUP*apQxJ}Yt) z>PW4KL{QFE14YDNQ_6{!hIk4m-E+0#@YUgOWWJ09DBPPXD_{`C?HA^DGx|_fE(-J~ zU5}V&D1tl<*TaY8+DLdHJ}2OlAj}U+9+T}=LVHW!ci+tu#_AJktUhtT>Jtg9K9Ruc z69cS15y1S6qL`mi4D&NuV17m+%+Dx>`58rkf2D1xw9X3oesX6N_Xq`&!oPn-=d92K zFHNaqQwo?7sb`hN@uF2P&Va$jXvC!xW;N1MjLrowg`agu0&2?fDFv+z@Hyu+{HGud zE}m+-$QWFL-iRNh%HDSZ{`sM_F+Y?z=7*BS{7}-EA4&)FLn+`sUhMg)#eVZFv_vdO z&EyycmbJbVHiEH`N*%qH{xu4Mgm}8RB(hOZv9V$GbUg0!DTy6}=!!S}4tje%YnZyg?=4 z$ny9^npGWS+LEKPE9a2yH^Jhe^TqJ*dU&wwp}?+(4!a&!?0N*S>!Be$FMB`!T#bd< zkBIT{Zvwp4@7)R0-jg6QcepN|CLRvBXiPB1c!CD=EXlPO1xQYpb}-bo80nLb1Zix> zqJ0!+Zdon_rMq_pJ}ZVpT^g|-lXWqsXOqG5I;F6@PCG2GQyk0dRK)T+ zC9w6-3Y*s`Ve=XdY+j>{&1+P!d5t036Ix|*-bw|XrXppde5-?=lE&*&2pfRi?IkN( zNpob?HYaCrTn`?E|M59ipb!7*6LYLSQN!vJORPRo!|D@ttUl2I@wl4GU?lS_qr$>qPvI3C4uYQ#OWlP}5Ox$z5#~3oH7^XtktwCI| z>hr$7Xrvx9&}g`23T7HFj$EiV$6f#6?bj(hVadJnMhsSIO_W|SivY30*GRhsIfT^W zY9yNlAj^btb0`oY<^GJdvWr4+o5sUra>gIoM_M{L#PY$_6{2{Hy@aadqT46mn-QdHTDv3Y;fZ@5bh7(Yf2=DNYD={|vf0234CJK}2jyrHU%uP!qP+kRzgVKX z_K+3%7DaT|v+|?+H=lfBCbNg{-IfO}L(So&N|74TLtnHIS9kx%uot2@=;Ud+W(Cg$ z_LEf?*@F^1Wt;cp1gej#)O%i8Al1ne(f6se;q0kYXJ>*>h>kw@kZHICa?jLR3ZWqf zbZh=&k**S4CoUijl#m1kcUqpblhRCv8dyHN3YO2Vj^(pkAiVSOK89l3YyE13+!o&L$n(;$*%5i>)~-Gx8SA3y<1;`E z1);x#x}_jNMfu`BB0}Flt)aJLO#^&an7?eTD1)O;X=gzOAL_O=|2{pV0nf(rcbiI8 zL7XqlqH4(%;pO!Seg!Lymu>K?q)}Iu?`jbq!{SkQAhkxs*I<|g_ zW9z3Twtk9Z>!$>^eoBHHA0@}&TnJS42P=qG`himXGpXaVelRF>xigC+6eKD386RKq zg`30sf4tNzM02`fk(2nxOpQbdP&e8u}V>H zO-GJS-geA8T4;4Jh=aQ<7FhqR+D#cGp-dS{&6Kzk(0wACujgYB?)}|AJ?DS-3tJX9 zdERbkMCDbChAJ0jkuLxExZQgt_!FB7U4(sQ7PtDD8>X^w;b&Yf3(^1Q_y6xaBD{GV zC8y7vN+wqaw!U98g&l6_&(y}4qoD*`W#ZNP7N`sytqQem7ffL5w_{IcD1N;J-hQ%v zvG{x<;sZms4vs!aGc=>XpuDsu1hXgkAJSfP1`1uRi$$HTNPzCWV!at*ZpB>&`HSd;({d-ut9sC3-X$!P~h%1763s>ps^ifk2Vl-}|;bfFgc=VCj@S>@Vr3 z9#IZMBW!=_S=$KxYWoG>+aVF?EWf{WU!^DRd=0$%sM)1eomKf%)TcgV{c7SQC=02j z`1F;)VM(K6VTv;JiM#ZgA7LNbXY@4RCrEPn)1C6%)< zIwQ2nP~3@z<^n&^N}s{jPb+NwG{x4>Xl(toz}8O_Z2dHcl8G)I4>2(~XI#Csd7le8 zr&s2#`Ut_+t&MtZS3%hC*>==JQ5l7Prll#U=Yd>~yL!dUQV^wbgwfPj4OOOEwB=Ds z!;x~tnX@JVb|NHF%ggGBF3*>_)lM90lk3Y0ZYcuM;*H*SU0SFiJ7&9cNDe3~(R?m9 zfh+tio3t)c51pDB9o62JgpvHQ{tE=oO#P+TmHXdDpcuwr)?Y~p@R7yQ{BCeOc>msO zY-Uw}wu6#RsrW{LlA-9$Lxeen;JIazb+b(5FtkVZlByAMd{-FWH<|`J&jk~o<_93Y zSLYa6sA90+%Z~kC8tnHnVZWCV`@JIA@1?`7M|v#xN#o}_2izxlv`2E89}Sw;_wK3V zfT^lun$r&KaM9S_!r`?j;xGOdP^5np_k5h4?9g|4R#uo2@A>m)eJ|=i8vG<`LKM-g zh*p;?GeP#A^ICPb#HdZcyu+-7iID4IOmZ(+36fVgUTQrPLV+S=10@#`LC00U?>(z3 zI%Fd>bhA+r_zfCtY^mj;y=PQ@#+tz6rFg6zdMgD6=JO1kUlf3z;k>#mT?x`})}1}M zkpf-s-q5&z$N;Nr)qF!cgnr;uuLQ?DVgJv5A#9@G9=RFuMTh3dK<-g~$(uXJK(SpT zcUD&x_xp&~zaLd|%52v(0ex`JPDms85LHseSj?owkl$OX0#j#t4Z|2QQR_Ya-F-6Z2tXOknh|wmLb50cNs8SPt~@fUH1vQq%P#z(K3IszprT z?Yey_j&HX^qz_`Hx6a7I&&!GvamC_5HN0^~1SEh%XgPLAN*wwFZ$6U~i$nq6YLcH^ z3rE-MxSK~_*dV5``;5!`qQEG1C&QyA1Vo%3e{3}fz@1lxH!mJ<|1GmwN%dQ36w*6& z=ShK<3p7v75N(_egnNZ2lG7~-`Q^KjL_=xu=*u;ZW(`Jnppbg7E2>$E_Rp3v^av)P zsEKCp-N|Zbcj2Vw-Z}%#4Ou6i-SUTrB)l34GtHk}SLIlek1S_+lZFBbVe7sJ89h}XB=3H_&N zdWWdATEx^RNzJiXijFk2PmuRif@lxh!M#s1p{&E-!2FsQc(3QqhCawal@q)B3R2=g zsJl^TZ$l(%E6PtQU{*xW>mrDo1iMkC(aWCK-%cU%ptr#m6_;RaNW4LmAr)k1UL|$Y zc_N*VDCx6mHGo&okN0@I{r@w6^5#rL5|JL;vC?p1FQDbUb3rQ8AB@RpTKw1J5L3qd z8f}L=ynRp+;iMb^N5gl`{Rwkbhro-^zZplO&A1ElVN(g{>Gbp^kGs(@{k`zeETO-a z`?HJXWo<0hulVovcCqJknR2^Wq$NjBdPl?$b`m-*g*UdtfLM#rj5L~~ z;xZ`Rq=Bn%ujfLRIP48*RFH_1fFp^K3YTiAK(pOk=7^FE`gDugW$LmtG&_lezL?ZR z6wRMDX&y>}1zm3SzHI_u<49@5^9R!C8;NM|Q8RJeJQm~DtpSQxX>e5J2+w$W5;9y% zqg|j$g|B%t)1bwL4R7C93)pf_46x31-O*oN>VYcM7#86!K@N3 z5LVS)A10dt?e)#ANy7C=jZrxEWRf}Lj%Dusc+nUfDrxJjH^R}Ixn#Z&O(RIXaz&xd z#|*4(6mOd^8ew@E|J}bVe)Rp*!B2YV%s7>EjfNN;s%ae;VPxOuYwEmwl57c6+$0M+71=9%}d0mZG zSbsPQ>sPyB{c0bqU+snUtD~`gwLh4*sgYTPh9Uk3!8{7P+3;0xg#7srcjT~PElv8R z2%?{L{Ys=LLLYSs&IFRC;^ybz^~bg9dQT4|*u$Z9N~)M48z3QW*of;5LA&?d<#``i z!e>7+Z^`?%=b1B z;uxxW5p?Trg&e|LpMRoB`{6uD&`*A+f6pK7i9BQ`>8{Z`fv`T+)n()fB`GiYN3uiF zy|>TBl>)tR>lyy#frg^3GM8q77+qjoqp$JRHHUQ~s!Q!W`hZ8LK1U4C(itTqKaQBx;l~_yEmA&DO`$nm;O(cps7;3L1=?&_w z3QEq&o=}i8>E72Egvly! zhNn*LYqAtvuzCM8x>Fo?zZY+P#T4t{nt8JW4l;cW?4CG};_6BMoPS*b9WI8yQja$v zLkU3@z3LiNR&qV&RaXgkFK>4%ea}P>n4SHNpT~lwZN#(og_FqW1w+X9=4ki|%1_h2 zM1jWACM+1o(WxrUr1u5GSS#- z#WyZ_l4-{KBlneoi{rrMcYzw9c>hw7=t)b&rFJZVv0EI7a(SpoEmYCXPYWZAo0V`v zw2|m3Yc)*zI;jnvYJzvw1MfzdyHI-WiC^-nO`x9gx}qlKESlpOBjyKhB(5ScAsS&z z&`U>Od{kuy2Qoz0-@R}m@NijOukQLI(yG1{&Rsje>leezd+Z2T`ZdyK2SSAzF9z5w zVQlBG?Vkc`$lbrv@u|)M_UD;=Oc}I*+fNV1PaTaz*1|ia8q(?Lvc}KxLlr^r*xk!} z>_Y^oE*!X@OBD|KNt2z5tLbR%46*8oqtVbSsn!2LUk%a zK)3sp0#evx*->cp+3&v8FWz+k z&dT0bCp^6ge5@ZltL={P`iA?AH9<$9PsFO-!f#FBck?NYsrw><`DhYHIveO;k*_LD zaDankA-&ZF{)o|}tUaXF1`Lau;+jt?1H;9%ds_q^(CvHEKhB7mL-fymAD#vhzQ1#4 zQ?5t5BULTOg;e%z#8*+_vAh}&)I9z^o`hV|k|1sRt%+#xm<*CTO%zMWA5trk)Q$%B z6y3)rDkX^Mib7o9ND2C5c|iO7yA+tnZ#%%rnF11vwZ7FRDPU9S8_7134FB{7CYatp z7t=?x-K^q6bhOhzhfc9jX_Y50IZ>iNd7D0i4HQ?!^K$wC*Z9!gw@ z3xT~S-}u_m#h}mIv?#+c4d$j^r4TWAA%Scc8XC?lIMyTEc{!i}(KmN;|^S#iu;qiJ(2DF&a;LJ8{GPBy!-@3 zwrA0Ld5LISNzTl9%MJoY-)5Ch6LLvQENIOoJ%MrBC+8cNBOGI1|B*OghVc3;|K)jc z07dR~wWw825E-F}=!?`w?DBdq=YKLo>z?j+LN^HcbA1M3J;Cg_{SJ7q2k-GE!?U{e zp^h*SC8ZN_E&$2iXpwuQVh>*DJ{zEECs4}hv*BkAL_$wZitnpB!RyZ-@0JO$0(5{DGaR`7Yoz>n6k3dZCDuwZ^ zI5D1;6vngS#CTR*7|)6u{#+7qBMxptQQ{l75MvqWSaiOvf1VF_-hQqeV90~t(~(E# zj@KfQ`UPVHvQp5jn;`xcX@#hQE;MDz>OmXB;_t)XG+;vggIrXz4RR_?53l;92G+-_ zeuRYS;O2X*)$zVr+*<1CIq9Tyk6wc9KDS-#Km&Q3qn$Y{3j;4}1 zC7?x2_tfOP92`A=kfB{d2fZ3t)W5`|0L$a?8u7x?F#guxtnrX8dKDG-^H+&D?&EiY zIoaaA5z-qv?rmg<&mqrBQ`Pq;C*V!{u{M5^Nl={qWD@Y@HS+kpzqHJB5=I*ieER(z zfke5*a&58>O1M#^VNHgBR!mu!i9#7j8Kd`|dSZZB?p~xyO;G~8d~$;)t<#TGRbaET zjFa2a2dU8p_9$c`AiG?2=;?7KIH5V|O83AB@}Qu9|Bw>y`tTpG*cIay6Y?YfhgYnC z@rva!Ua=g;E0%*3)iWAZERK*oLMkWMVgnv)*SZp?P7vmGgHDWuJh&AqQ-iCnggJ}X zqvq)w*5Lmw$-h-o0QNH#9SMk&LVVxvOI{}ufV}FshgMF!FxJaq{Jl&Xg|`~7N)Yr2 zlnb_MvhB%mBb#L5#f@0lT%nKhtZhJhKa=%jC5D0Cy!+bkgQ@VuZhKOoDgqwqW{YyK zxWUqV;$N8)4q&buI$g1tgMR0Dlb_EE1a6&INu+)5;2`{x-bf<|cb-LYPLw_Cc`u+) z6C^11^AI!Fp*_*=1RZ9ma~PWQ0O7nJan~dLK*7A=I{OWGi0%ykD*b^9eA6qc&l*#} z)FbNmTaJ?GxTMJIA5SS@!S?F z2aCbEUY(iqX(OsU;XEi(mk&QpU`1lI7+9Y8w2g>qfyv)>|1K4E7zvEN;kM(90v|6t zo1#;LMh4>L1Ff=zV1VpKyVGj8{fsFg%%#`bEn(r!9flj7Ch+IwU?{tO1Ts=@rWw7a z5BroY8S`=pe)J=i5{Grnu=D?Sf9sMr-K=+tGt_!L=3a2s2k~zU5oD)bU~ERJZR=DL zI#=Wuzv^oWbr%APL?>N9nPerXf{-(itN2!QD$W@i1k1>C($kRD5F1YpfuC7*@mJ%k z2d;3&gNPx|$`$TWFod3?Gl7?*evvKbO@ZO~kHQ>rH`J8ZOqqO-kdu&NQZ7nl30bV8 zfqtWgFhJ{M`n&BkdY@?aagzEt2=JGvP}Zj+nL`6=hELOw2h-`#(f(ynEH$N2JYS7F zU-jQS;=lLz{^|E5Fn+8g#*fv+__0nHKUNCk$BIFHL}_r4do{cWl3xz%sR8J5ZDIZ{u0gMp%*GV2X{b#QpzqmOJ78+L9h#oxkgrnJ0kGZA$IRl^q2e zOM$pr*(0FD>)OZbD2Vp|{IW$$M*}*ATZR;m0%69G>r;T74;YmMdT-LoY|=_!Kp@Nel_OwnJx$TejNcE5OhZ`H8}y z3;IOQcHED<4DF;LJW2bykZM7gz{d1_RHqf2eI&mgoTD$$jk$D#1y6d0_g4WZ)7*A; zInDv^4n&yhFqk5dm^8!Sy~kk4r$YCAf?5)j1Ysp;PNJmtB-{&kJh*%}0W|OQ ze9wCqi+0FVLlrcu5MP(ZSaN$7{E4wD81Zw!{k`~WFwbxkxPW&Obt@A%$DWSH5j5V) zC?&h|)mSkr*sjJ4y!JVQ?0@rIk3Po^&g}fLKX-NE07sN>%t?DxeAmWS&eIb9_Lhiz zC(?$sJ8M&gM7p3ee59>G4}$~J{zDNBp)4*v4W?;A;{0t9hFs9B#{u% zKYqX1B83<=(FKw7B7$M+z^-RzvXZWfirln&PV;F(N)-7bS%Ws(cQY$>Nk|LpSD3+u zobs#k^f+`a_DSa{VhdP2Oq;lFX9_{DJ|y1>bA$NZre{^ROo6GOSPxMP!VkgE-kn^Q zh(<<^)Mmdh95Xz8x;Kp~KjsH&U%iBru2zWY#_gbVdQULzySydP z?o8lH4F?pyF$elQ(cK-<2$-C_G2S2)kHC#GHThl?xT@1x)Ud{(55WeKsoUW&Sr~X( z>qr#b@n}DwK$C$!&!{e1A2|-mM@R3}zX^k!w+D#bC?nCk*A?ehmx5v3^tDovT?lxU zT%L*hmVi9Vhp+P$`(X2WIn2*)hWXjeFh9E#=4Us<{OmGNruv6*_Nxno(@eV!w?`uu zuV!W*!gnn;BI^^Mt{3b)Td?{`>jGNbi7nPwJPS7LhDyrhFTZ=t zOW=R=ev}N706!|tTRw$asKaB0=()Q%h^F+!dz~9Zt&hT8meac67?BiLVt+3@e}1Kj zKj12q{3a?sOmY{Q5ng}jwbLqrx^~WJ#EjwNd1Q&?q#xek4sb^WeUZ)AZ`s0) zc?Z%4JvZ>2JK^or>;QQCC%v~0%riRFKxb-O?-lqbJL` zzE0?R0XK0~UzwcQx@`tRwW#c6NOH?TOwlEgBr# zwuM@)*Yp*KTnIkh3yDVlw#Yf>UTrt0Ci1eF9NtN@Mk^0J!yd?&3U$xeE8oBINBf8X(bkJ2aH7pT_>`ZKTCyBenmbs=$`VuUL~j4z}QfA?g7QQmLu z>AcLq&9jfObcF$T{rvBG{`-8^B&e&)x;X_k_}(bUc%FbbV^dQ3yH!A}Ve;?=r$qSk zDwsKJHWDVM+S%9Ry`i7bVeklYg&i01#J#1#NKAS~=&7wQD6Q5oTT+EV#T6nhE2Ri@ z;%3dmV1nKZ?|c*Q@p#vh2s7;;zwf2NFtyU$(e@Pdar4Xub6pCOQ**f5U>Ja=HELyc zE*Qhxy2}O51&O%%40!$Ec=L3qB|;nT#s?v#*|ddCc4x33P#6x)4@MNShG+f!TtWA* z+~reyTw%_V?2sXy8w6^o?D?`d7NNyRkgq z|IUlvb)|gS_t^l9Zsp!sq|gIPdmH^Sa6rdTxBvPyW`l@KTtm3i2|UvPn@<%B1pfd3 z|8hZNr(zHQqt4;%_9MGY=`h%>xi-PZVLZ~xzUsz=VTtbcLpg%68Id*1FLQeA&ykEM zRLAw#E{s1TU;ysC#eenlf9F-UIt~8P zw>F32qTIL@B?D-tkP5aqXbM+CRrWhvHG(Ob%fw+xCU9S!E?|Z=0(la8F)>_bFcDe3 zAWq=xlD$xu&p+sZVkKDUm5i)W)=dej{470K=NLG(6>o@}$AY)s?#}soC1+9wT9pb!16&oZd&;T10BeA$a;!eV?;+m15j|&zJAV_ezQ`=_ zo6w#h1;l#a|Fqm97hG_)%)Y-a1f9mwYzMZaQR-vcE9vC?1l?Hc_d6v5xb^)1uIIn= zQUCQ%6tMn@C)Phv!ult2SpP&1>z~Ns)|23^&!fe3*B+eLhh59kC!dBjfY|+*Zd<87 zWOvpppO?^w7}m)4{hM0QZM?qxd6keu-NZ-4?aP7Xt8!rZs+?H9Dkqk&%8TWzvSanb zf8Q_sJO6*rZ^e5(rTY!j?a71SVrkYB@4d(2_&6DFqPq^N`M!{4ED?<|^Wsldu>=$L zm9L+vDtMw8->c7S7mLvZUEeaPRSIO0Mu@NS)*x!xuL5l!!hq!ug{cTt33%l^JJe>J zgXy>bd;S6wgY`>O%5*SkZ2mH8eFnXVN?oW9PlHEiALtx;nhLhdM;^NV$ON6KkcC5M zlY!@18eu}m1Sy+`FLxgkM1_ybPScy|!8sy25oLQdbo=|v=zUEQG&AiRD;xe%^;DZ? z#YkZ~oQ&?;A-J!A$-iu5aw!|7taaNT9WF&hA#QUu?4c-V-0ShQVm=g=+Yh|(3PjZ; zr56QH`=jTcj%3bd`XC_k!_NMcD-28v89uPI1Mh=HtM5%+poV`tdG?hzC>@b}MKuzM zwvI4#y-@apy^j@M-ZJuphrAA@tYG_~Xn6+!0>C4BmN`t;cd*rz;&w?%W^c@oEohNO@@L)Xsq3?%XrJ^Hc%k zFD1Kj-qS<^E4{HfQgTq%Y_dM=?S@h{V^ZEwSi-Lg6+xxT$6#UKl)Fx+HK;VzGpKG8 z^!2}^bo)M-1kEg&DhnRY@!W6J_AD~EV$be4O z%Xc}AlQI4CfA@!0+nl^A)p!QY^s(K&f%4ID|A+6dxQ2qDw;OLAYX!VpW)rTg$wd4? zP2{1Kz5mzy33%&Cyu2Ev+piZ?dHj)NHkor(S_EVrwwY*4az(KXK2BA%aln=DVLWFL zj8qCz`3Hym(T_Xxaa}tR5G&2Rccj}7auxbjO6x07_schbGag4nO7Zr$qZ0wJ(3Gk! z{~{E(zWVPHb<{OUE@(}unDU!_~DFX#T>ZLtnnfL9qMMJ<_^(c>m*|h#$enWL$IU(tD0HV6QPxv>nPqV?q1G z?xYg(KD7=n?Cg5OU?H*V?$wh>(!p}G$Tk7gsaf31-Q#ipKO-}Yx^Ad0-)_-Me){-; zG{gny93S{&hdO0~yG}bQL1kUNnh+r$FYtv+HB+fP9F{9`kmwbGsR|1<&RIS}9x(lK z^e=NHzAi(yU@ZhnRt2{gj0E6ZcA1!$lLT&k`_DhanGJFls6veQ%?HXzsPvr-JQE*+ zXugjtQfB3&-1}D&uYC-M0CL;0UAknj9TX!~5od#!x9W|q@8L(c6n^hir?G(Mz^&>Q zGZu&qRWRI3B#amt<}>1a*jmCB=%R z*@o~nD$wI#qy=K05-}F2v;domD(hS-E0k@pmzk%IFn6UNU!&N3>iu6y?&n4kzsDJ>~2or~`7?vyU+ z?(Rkr0YM2tLV5}cih?aFN{E7p0xC)=c<%GK&*$U)j`5uFo-zJk9dj%{GL1z?&ZC>Q)m}7a?B342-V9WG zvOT7+G(mMplf`}BI^@gI(#%D71(RDrzA2n-mWf;`N1h;esJ7)>oxx5 z_x^tT|1AFR^N0A3@0!1MYi%(NvLBQGqB3bk2Rs`?q=WO|lhe-6B8zMg3%OhNemxUD zMJKzj6XoFjKDl=4-?0jZqk%myn0bE1ffVA)Tq#Ha$w3KXVn!3>QKgn9u@;Y8N7ozxZR=1jtqzWwLm(7rY4q|jIxnh9+o-*H6u zWCce177T&lR$ac?DK+SxbMtDE@kN{g?z&N=2pRomo6?jth7+uUdve$Hfjwkcw<0M3 z<-1&NHJFG;5~JokqBz}y$kwsOUBM7g^*kZ;&f6WKF48n^;ZW?p^Y{75z~4)vyZ?P6h(uu&mPx&G(nL@C;_vEcTI9;)%%QS;IPdI2Ncsil4 zNihHHC(9&BHQLpvDX(qIga?@r!IuEe^HVt9R>IU4 z>9Gp9UvVJd3XXSa!L>a8^JFA!C|O$UC%A;2uZZ9|bLF{eMgpLt3UknnW=CmD%!TdS zzX!^TMmgts_ux3Y0oP*h?hfF4UJXj_F3!Pm#cMs&UhDsqf%nl%OLdh(h;U&iY5B4O zyqlpNzj%Zn846N;8C#Hssr2HHgi$F-oRa3|IlgG%b<`H>D(66A?&WgBT29bWKs1%} zArj^rTH+d{#1X#t{gU2*klTkV;8Z#bRrT{qbo!|Gh)iBNTDzGzoQ}cvP{sT^>q=zFAa`-% zej1o`_&(rM4MYMzmnQ3Zv_UB7qm-VAA=*_^;gK|QgfmAusVzf8(cblR^a4@A^%5D;H6=?#>^R zjfYOYJjN95Sdi+i*DJzmb$AJgVW0yd}WQX!}N4wn4V4^)6?NN)c@$|#4tUb z7<^~_&Z{*Ai9T?F#fdygc&T3q+OGTYeEs4`;~CLYX6Ln z>mUC|ug8InFNlrLg^kaFjnDC47r&`{U-tST6V&o0O@Qc>4%ob(cVhC_gSUrw8~eV= zA%!ZF;PNScbUEg0Zn&>B!nYp-U;pI=q8C{a9Z|?)hr=UHKL}kstIR??84A+*Q(yc7 zf*>xnRxOh(2=R%Lk9qF~;H~dS3cGCi9_ZcAW|Jk={DhGS2c1Q#~3}N%Cdik~QINfK!)}4$;98ga=)^&_k z29@Qy9^OlC^j~*h`=iGc!}OSfm>yFe(_;!_dQ2ruk0}HNzOOx)DfG}SU&~A_QwL;B z?#DY=W(qbvqe=$EVz7D4+<8iy9VS!>BaI$e;C+92Eji2>*KUI3No%Ki&bz>>TgK8k zTSuh6bmsj5oF0jFA=6d(g*`;AF8f zuB9nnU9@bw53UhJ@-}(i<=fj?T#llT*1z~;XJZ;x!ew$FB#cV8)%|(lGGlN{% z5xX_NxPA^XB#4B^y6511-s=?1hljmqAmFXNr1cvK#LSa<@6D<@qRaO48uJi>D*nd6 zp+-I^9A1xGoj(J=TEwh>Q_DbC#n@UEwIt{ts{4}HX^p~JC?>+JBw$|d>iNB#Qs7!8 zV57h%h4=a4jq;U^*IMBySnQtVQDaY7`qhc3g#w`HhKFNXrz@(=BF=wAtO-43u~!*3 z^#Nahiio2kOa$aO-`pz5Jt8QgswS$C zgTx84ROKZ8WcQJy~2M@1?&X8S;hC8flEWOGE;&9 zxF2|P;TwTFxPEg!kRyRJRlAg$)^pn#7>OSj&;|M;>msIvA8!mn{08ryBrV+kmdySc9sznK8AASekbazB2W?E+GRe**)!V1XF;&?qmulnPUM4-9#fSVWA{2;QH zcBNL!5#7AB^-=tO25w%m{Zx6E2}wM@v+IqyDD_%%NP0{TgqYd#M08fcBXbq1JNueY z{(f7zsq|bNfAHbu>P|&eM&V*PH!B1bRr8exA4-7HalY_3Jj!TE?c<3&VI0q9?B{Y( zn=oj+8pFbD+(xuf}Di6Y(H+A17Cd08|V*B*@Y-s#2yuN2d0SA{ zbf&+{L$6e04#_(y2rFHPj6TMS0{yIRZII)9E@U;6TECnD$(t-Yueq(!oWpsy=O=_g zd_uU*_M#xjYuBAlr9{BVz|Ih=fxmuy^hx*qfl5QL_3=KCX0$%QyJuUCUda<3ecE%h za6u2UXlJ5MpFa+%PgOq8Q5t~OV;hCKK3rZVWp9XRQamC!j%cq z=w^l06VMYcZ8A$GFK|950X;mXaDy&vikZj-b$(vwZM|y-nRoANd3-m7&>G^Pr}Hl8 zf$B4gimPhj-2anFY9g`Z70|^erCXE_j$elc^{L9@Fn4L?c*;IUC zfbrgv*fT$%q7lqn{gA+&M=O4DRFgTQ=CPoM<>a6lB~DIr=mFbuZpQsIG1$*TlP5M30uXTSU=eKsDo0NF7taR)Rhr@bJ_|2U zedS2^N-PQSoO;L?F5(TA=WGVFWMZK?(L^FeEfbMs$V>|gMnN~7J(>Z{uds{LO{1?k#w0O0HPfnKkJDWB0o6ra`|H*l;6)?S@iM;qY0fc z_LG626iPa%-{J>4l$$KHeZFAEs-GbnTZXPYx6kBy5(aOKM_)f4iv%AzTS=Sd2#^w@ zA=7?{!p~17z-6KL@eaI1a zUpU!rC+`m@uDtDnTQT4i$--1z{bitI=Z-@Pfg6+uln>sj%tEi((=<~<(h*hiOo8{1 zGunHgbC1$oED-k?i~&I|4DjJNa;ssmDk?NpqLzooG+*3`<_d&MQPm0(k+EoX)S*Ro zpAQ5avn7ec>H5mEyaV>31f;pS+qZhh6z*N&7=8Uw`xSAunF96V1ue4_Y`CR{0}`!s!wTYjqf;bILzF zVT4qOy}cNZx`Uee@YyqI2#Q4`KDcTrBE5!&lg4QxAQ#`m@X<>F9Z3@l$&)_=CxiO) zG(?2JK5Jb5$0I@T4GVp-XIuudFHOtdoN_?UYgOd3sS2>KX);glsW`-MO{$Q~3PH!D z$7@3#Nf6uDw8dqu3O&WNePy}IpjM$_#w(qPe#%RFk_d)@^{pS2?mg}hEc1D78^`JT z^L~sle!C3DZ&$+j?b;Z>-3;TmD?q8^1kdGueYmphQ9Sq24qdb4RU^RZ^SF8#ulv;K zK*1#WW7RTy^pVeNYMu1dDRCTm&}8m6 z8|sJU?hXwr*@uYu;*n2sLJB}D@pyfZMGVeAe)9U$pgcUTkncXcY62l6!M|Qd%0dbu z)5|hu>#L1K+@Xo0H>AAmM-M*v1=LD10L#n&g42 z@HbKH^IQ7&T?%em1 zOUTGg6Uffi3rdn$;Ld+9%1F&M;rH|i=SN)y5c@K5;UKpL^4+g>cdAVu!U)d?P^!qm z4y=hc(CDIYY02SU899tM$c6C+4Kd!}X^c0>f$;`~G2S2>(6zmf^w`n|^LGnveR zeK5FyF~J(V-jYU1tZTza68ncoB@C#z=R>0avoqfLRebr$OEHC6OHxMY9kar;n;C9j zn1r}2e=kVkn7i*-6b3IvH+@ut&!N}DR!h1GVeqFuNP*P{k6`sdVXQuQ7^@GGWA(wq zz{9Xi!k=9Xvu}7c>p;W-g7d=z zVNhh&@QRQ0BKk%=qmbs83&S~g zgQ+CiWFJzw^BqB{1J~90VgxQ?^772LwGole*i+eDIrutm*)BkQ0f|KjoOMDMk#%&z zWzQ>x(0Ou<-`pq-%0_LEOQ~Fd)l>2lbs~ZPdcH!5&q14U#uR<($gvyfJ_TmFS1J6O zwPCtYUsB|d9!ww3F>?5(0eW|WCz{qwQQ6Jz-o%PRcr@tIpea@X4SWM(Y5jGe5#umX z+&_fMS>E?V=vBi;_wz5!Pm*9L>&E7K?j=1|y#daP zf#`!uP@8{Cy2Yo8B&M4hdk=)7z?078HD|qGoGho~n@|vlxv#A8W_kkotCyd9Se#K^ zZI6n0*je=8azpY4wGez@W>Rh0FhxzrAB`Rk62j?S2Pru%_~D%JhwEZ=;;=~WnRb3j z0Q9rh_Go@&25y)7?QsTP^k#EY;HQ@jXo+4bV_8&zWOT9h$zetCmc4O__p=LP)o2;| z6k~*PmNwt5)fvHc{gbvznkL9vG(d87)EIU}KA5bVSfbu`q8T<9L+IfknO&%tgSI<{ zt{mbra84zWFDH!V>}(o?;WWlOlM;X|~-?gXp5bYoG*HhBNuXX=Z;sn2!8w-daC>#~oL!15q;tk!!`o(J$;gc_K%Q>2Fd8ciy^%I6!7(v!Z#jYKGL6lT1AXkFNN{yT`^w0 z0>-OH7_VLlg08c8Umnj!rpiq})jr07;?kEFsj?}SdaQ@LEG`!yv0YVh>Mc>OXU#{v`jBweYIO3+N1qlS#b4S zeDhuS_E+bazEuexE`?Lcx6PxCN|6h{U=o{0BJ#@(Z@QjW1lqGj2UDo4P}Owq3&pM) zxblg_ZN`8XHnxxR>e(6~=_Au_J8h~kez@7|D2^kycwARLq|O3)RtUt;RI5UAyM-6$ zxB+@e^J3oR2Ck1v_h>nxmo{X@+FiXzZif7~3Oc+u#LxxwyMH+d*l7gH@Bdw z!d(^jyH_A8A<~Cx+0cvT)b^0|u}#MSw_aPXtSxkj6rjkYL-$!X6Cmoa%Ggn(95|8I zaVsRD0Ks0v#$l^cI7}&W^mddunipsv)M95sLpLhuolnStfp-V|>^TW*jj^7jUgT)- zBZUk7f4i9h;yHB*61M-T2SM)|pQ>%q(S#|7Spk|71c8ZJhE zUA%d}Ze9Tm(@!)ISF{(y!W{{S`f=UUP!pj&VUI11E=Yo6s`#)6&WGam#%ZE}DhaSA zt$6UA))PLR%Hp?)EJAUebW;pv#Xu{t;B#a$8;CN+tY0en!At4$edY$`2wxsDzVrVD z#VV(MZyxgK)@^v1-GdbMY|aU?mZ0LgTTkC)b%9tGT^oIKIa)htBOBv&1G-HPuvZJ| zLnN8h+KpTzr10!fRGhjlm`+&qE|cj(=zE%XtJKy=?R)!;-E%6i8nE+=pc$8E)1b0? z{X!inRyNI{XP!)Px9?cAt7$JjwG&Wz4$>F_z{uy5a8(#t&Ulbc(3>#kw z8z1Kf_RsVDeLTMFExz^HKhI;1J-<2j{3h7*n_|!Jggw6=R9-SPY+zspe?cdiJV|D> zm-@-?=4yI~FdCKCJHZIsa#YU^&vBz6>!8TbK9v6x|9^QufBZo0Fh9^l%n#HA^8+=< z{6PINKTs3A>jn7shyRH`h3UnZFuj-(rWa$x^kOWSUW^g`)PtB{xNRWt?tmhathCF? zqi2D^h>cjQxD%kQ$Sif-nGPOYIX8IsGcDHd^!NSbSptu`zP^ow_t*Ehjob|e3bO)z zlgAfPs{gBlpW359hehr2#Qk8nx7JQn#S(+sUK=Olb zB8Zto^Cju+LyL;&VVjZ}VWugZ6*x7qc+VIVOjfUcrSwOS())H!YMJ1zU+!y~EJ2se zKt|LuoG~B|36UG|UOVFtBsa{>+EJ z?{E2Ui~mNo6w4^a1$BoRuJK&ZMlV)!URv^SL(ch7`{B2zAncnN&qGZ%u>4JvTjX~N z@b#<0SC4@2`2Ti1zC1}H#}O|{UlsT)b&1E^?6f*=DZ=G#L!G}X?>WNk#*}#@Z_}51` zestvr(Fe1R7Jx4g{|_%t8bW3AdJlY8Lprw>5|z@WfjzpnyylP$ggmFrYEf51k7>=- z=)@%;E2H2^)jS)>d}e>kxh#hsxW9>^YGwny3m1wSQdz+x=~b>h85Qbz$dDZ=Tr08LP3V!65XJ0yx_8P1{nLc zt+R6kKu#wz>Rg~4_@`@@7OM%sXN}Ol_IJYYO*!2t{Jkw&Fd?$`PY}g%AJTbCiiO~= z(F~(d7LHGWoReps3*pVT`O{xbhxJ!eVg1$eSby~itiPHD>#xT3zYL#dCEz*;hi`VW z7KR^yY{)ROY~n|B!H#ThSBc@Izhx|i2ChEd>rSC71gUn{YnxWPjgKm@GHCL1^c6XJ8$$D;k24odUzYA5)M!H=^k;@SFX4P}H{4@G zaeNw&*LOoD%yK~YMcI({L!7V1;#SRJ_H5X5BwobvRt22ARWz$~AR9OgEe4j|Ji*4Z zU1f(N1bvYGAs1j-k5YWSp3r(}vsXRH2@K^A(8@tq!AXS|WMS*r!-8xzHdwEYpo6`9^ubxpWsLaTMVK^LN;`OkAN zY68Cc^#AO<^!NKCzW1Y%#@Eco%GTgFDR|Af%@izdMsr2ucrXUav~hLn_P}Zvwi>qI z2GlA?m3uzLB6lZyhdlBJ$e8!?DaH6IV0b>pPkHq+lrs*Nwax05E$s=w%c0k2Je`9sdh9X_Dkng@4&j%NdxAku z_jl@8lpNX~upPI}ki@xwd~4r)E{|-(8Z5YK#F6||j*#tBF)-ymdpMI>2`pk;M%ZP< zAh+Md(IR!AS9Y!z8b9n zQElRjCHHZCzS^_#qvurNpkn*lld|vo#R?rSIL+#x zaDqi<@!95ec2Kl2b+>ThghQgsZ%!5Ipoy7l!8{r^(3uzY2r(ujm%Y+@5{7mVr|ef> z;bsNKRgaPd9^mRR4-FEQhOF@3?|i#zr6k;oV1d7gdi8J~#Krm(1&0-ZC9M!Fu@*qw z2Zeh{BYAMNCTp~eqYJHC(LdeXNrEuL&LlRy5>$RLKz~>@4+IEyf4yQ%011`|@pq(2 z@H%gvHjpbHQ9Ux4C{jy=BklG4yhDYs9=+6>o>l@+J&d)!mB#^{#0BQHnhvB$X7EsF ztLR_nZzsFx{TNkq0KTg=MVhl#@Z58=e3#!5s_AGBwVg{uyDq=HvzzRoGT-lW!>$F+ zSL_6fqPz@zGoq)MpcRAFu*@xiHd%;k3H2W0wnu^_ciwAWlLXpx-&0ddaD2H7O1zG~ zf8THa^yQOUfd@YaG!AsWdPBZBaN~84_6EZ~n0RY*Y{qwEfIxK6h|1REkZ?k~7_inR%J?`kiF?-kDeU=b4_aH-m z-)&_4J9{o9tQ};_1#}>67!k~g7r0Y)!l=!CeW$SwSWa9?Nv-IFaaN-)3aeV=$;{%u z`JxaM^%{zeK3+y?ZkypcS;f$~`;pK?t{Cn|lI8g_lmPFqz49j|ZNP{5W#>$Q81yV9 z`>F}pLC%xDqA$NBkw#fW;L>+x(6%nFI?5S{hPU;o?l_%;(=+^e#A5-#5G8B)0OwB| zm0=fsrP?2E$IG5CBt8c>ZH=!^y(mD>u6W!%+9?4m4M99bINw}CO4X-^xW2s2<+Q?I zq|Rvg`Mq@JUKwx~dI@taVtCJ=+Xre4COSAUexMx250u0Bfu}Hjpd7{zWP_Q#WE%yv z2!6fP?>FF<1L|2NMF}QH)V@>g*Y`~l)Sel|N1l^|fFveYjhE6`z5eh0-~ad>gkXLL zXEDEnV9f8p1@k*_!~70hV2yp_7~`f9r1yBSKgfwhzo=7;bpKAGt)Vka6YaMHIs^lZSevaJtP#b@d00aH#Sb&)VKF^y^u^RI^A4 zGNaWMB4)l0`10}a<%g7dMl8vB3t9h2q?nPDNBhY52~7QE zpoP(G{8fcCs4K^7e$rz{W*4F!1g|q7Evg?el6xg!kfV)+rcNBzW&I{4*2Q5cnt)HI zSsUr}B%IvdAA+>|>bf7;IRQ(fPhk|h7xbJGy^|Ffg5yrAmPd^{!7FFtw9ZvG0OhSC zB7RyR#V&ThFi00I*C@uExu^=$U-Iuhj#7iyB`MYHCrpsWJ)h2!X9_U$yifV9ARoLb z@Or=(#1G$(3b|Tm86X(5yy7W*8V*lH3S{i?L*wen5o;12m|h!tKSoy!E}d#TY1OrEFa!|}U%kD(I3FfN;KRV~jCO~)&G@*T(9dfwwQIP( z{{_W`AJ3YNKwc%DgCT_RF(r9NDOQp#trEKN%;?kpoxQf*aE|Q(^K1tIRz(kD9wgey=CvxV^u% zGG4?8z=YE3-4iS(D7yD69F^jMT!+tZeqZGSDiu|t7c6SfusJ<0Gs_BbwXWPB1TMpg z;>Da#oD(o&LcgiV7Yw#-kyAfg7eJICyErAd6%jlmuX1?(5eUupKj}Lqk2vQ;-@azi zKrwFZ2MX`Yz+iOMr5HLHkZq^jojWK6eRGv@3lrja=PTNSM8elU8G>Lb(X4f+E_es| zQU`dRL#p2`-_P%$iI+-2Z zyBR3U@WULw>$F$L_8Wqx79-Q1W>fGqv(U=iHGteBaT;Cw%t7k||DeiwoL@bW=*rRV z2ox5*?dZ^F4eZm)a4*&c{_q(LF+PJP#%D0X_zbETpTPm+Gq57^z4_En{q~}jZz@+q z`wk-2%?aj#JNuC7fWOH`D;LDym{3y+7ePB!?jc?Y?6AUAYV|o^58})v;`*8dknY8d z1^H2BpfImG{kvWZ!d#Qv)HyX#>2>9_FistGNI3J}HC9m=A&a;>R!D^s#;-7(qr&B} zoE}m9#PQTlkR?!_HaG)G&0T&IKSZFA>oc2cqzdpbi|Do%Dxz1)wfB|-6kzhH9Zd_H zG6<`+IkyxVp<8#yIcqc&@Xp`j%j5c^_rzBp`uFh_iRT~o^+Z9=P5&KQfkbeT|C;Q2 zDFP*==HHP_mV^tBPZy8c$G{wQyhg{he1va4WOVOqu@IaOG|x`umO_sf+^yNy$j@Z} z7oraP9lREVT%I(p4@>F6a7IR<^^iWCQTsW%7-xv8tqvYM{apdtA`O&tPwIm0e%86P zOg)6^j`ngH$ z2xM+$T*%k%Lk!Z%-sZ$1Iv{xpH{a53o)KQw7g z&z-7t30f^@F02lhpjc}y-whgT^w!JBBjH0Kisv3X)d?kVm*yPZ#mB+$^+$|G`DYD4 z<*e5xk4M5t;o_NK-8h&b$!~j7BZ|xf<}8Yy=c7j=L=3Y+zUXdI$8{bG3t*p`y{y;a z3vc}1x9lr(f#y`Lu^BLiY^zseiIjn8;a-!O=}AR+-ux=q+tmp1wHP(%&MAVlT>ES) zrvfMphzqF786m?_;n52W@&I>^ki4vNLP|LkU;INHKr}j-zDArGnjT0T(VwzHM-{sjC&4q$obwpMM@G*a%8b%hp4wH+K=+PCj~I z>^XNfstNx11u$cN0W6qbfDq;vpoRGboWlG97~xJz`)2N}RvMpLkO&-Vloq#^Oz}ctb4S9B$VH1sCSx)?F>ZV>Y2e zu)5t`c5O%q6-HHdNVZC$i(N%Yq!jWfM~rr>0O!Af@BD8F(-Kr&iiAqSR30x4J@lZ` zb$lRE5XO3|*`%v1Kv>}3au^CmMM5(TQ(w$c;mH2t+_R@)FshaZ|__(#LiQ5mA2P7{A><8)Edp$Qolu=9V%ol}19B1PWzn_Q@ zCvX!?74;v|Kp)H)Mun38kAKIPfwt2Ry&Mg2{oT+jwh;Nd0@R&7|EA`biG#xL1cEj@L%t z`|dfxwZ3cgIaEqe=Pb4N#E2?V^oFd`RD?L5gx_hZbVfVlw5ra|w#cZzD?9UE5GWu2 z>>NzPi?+8I(99*j&+oeP*QI`CQ7dd4a@s$Ri$F zPLQAX`<4MlmMy$#bQh6TV&d;vJzU;*=r^UbiaPvUBt1;W5|7#jzrQomF#!F0o#)sS z^r2Db%EnBODfl*%Zijm410iqUDdD5Kux6h9>TO^!!k1@=Z~gIN+4FjX$69bXIyHzQ zS{u^We{dbnQ$?i)CgLA&s6i`xBhmRmC*(QibN^Sg2E=SU^H)3?31TaBFWfA`K}uO~ zo51uuT8j4ecCZS74vG~kvm0T+lUfx@QjV}PRv=m$b6wbC#o|SI~*Uy z!fp!n%@vUt$RYKu$tteL_3t!|^?0R1_a`|?J%Tv6o?^Q8GCvXT^U|O1`}h3`|5^V3 z@ALWi&NqDH|2#hr#`nhcG5o{#*2VbVIDY*!_`o=ywSV})tQa3y1LFgq z!uY`K7#|qdFDxow)TxE<-;3}2|NH0v&z|S+pZ~vYJ{*oE3O;D+0;4_^7pP`^f$rP( zg7vdJbedg8q0T-4=JVbhR)_3U#Wz3vC;spKX#TVKzt2~@dYt=wCI1YZr;R2N;uS{( z>@(4O1L@F`|M__9aDF%|zs+%PNCc(ExB2#m34-1J-&?!yWI*rXu63WF7P@(bi+2i% z!=ARVZXr<#U@9IpeZq&c9@WaQy!lZITYm(w^+ym}e~hv9hZ|degs}C8AMf{H?-~E4 z<~<|iyk;Zzt7ZWGwJNu(=89Cw0_J(>x^cRt{|zTq4H=kK+~=D!&>|6{TFZ;j1=Gi?6b;Jshq`}gAe z{_#Ek|F^~Cd!G4!bAJ2#^Af(#|3C5lkF}Oqv3}{_1AqKA_F(X!{bW;yQ3B3}p!=vR~L*lz$KbFU_rJ{v(&lA5EuuK{+yP{ZyQO4$A4 zEOx)Z<>mhIA5p>X7m9eVC-|;!`1(QP%k%&9z5bqO{%`+&|LyVdUC;mR`TU=a|M%bP zzjOS5dws_D{ha!1J;5ZjebW!2kcFn~FKHlnXRA*CXF8ZIiLU<)E z($YTB$SjcRlNNg#+Gus0DDldJZw*tOBXqG?Kil8?YvAk0k#)dNpLs4Ak&4-=-;fZ( z>9CGHvF~#Qt?`xI8Cwsy>0C`ZENPE&xO*+INA;#1uolO(hOH`FkfI;Ns{2JR2S(S~;%JFD;A1R(nkOd<+@kYgmJ1g}`NMYtm>!FudiGHp7kSqI zJr9X);C$lqpPWuDkf(#y#SFze7mvfsq&G94Za4$63ZbO1`*A3Jbf&2JDEDq`_}&#T0@9$omM-BM}A17&F!r^bOhJimkITu8-H5Ys*au@8*EOTVup)lm$hzB^C*p5{SGm%h3RjtfC|rkGgZ zej!l27o9iCt&BL|)0aP8<^xZ2+x^=Kez2P`)m~o|hUOJ{;)kOAL7%i*g_|J&lv_vE ziQmVfA9lYwT4G&+#vr^f*H;^k4ApVzi5s9g=Jx718Fd)lAs7{D)&y6Wq+#QSJKKm&{c#VZq*-lf)sK4;AHx+fFYWBNwJUNmo!`q zKSrUU;0I9_Tc$6Qe9))*2Au+&4n%rF?Lo|af2biF<&l=~MFa-dZa<0+Mt^uUx^U~V zM@jg+CHkSFEh=nc0Nq(6;Rg>I0weeHt7ebw(M#r2)r+_$`V>~b=EmyRf>`}p z5NPKzX+IFfqo4I30!ftGP@mU_W9r`BNLW`@dNmP1$iwc^RAVzb`rIMC`1dgMbJO0- zvJ`+|lesKqLoT@b8~33fo|~F`LV5C*+Uu6PtUM(;H}rgmj}y8nm&9+Rv$^K zI$az&5Cg(;N=i#Et?0YMiEbh35|~%Bw-o(&5d^JYkp~jx!?rj%P0p|z(y(`r$P|BG+-}y%l4d>Rav`yx(Af+fy}RHm z&#nUW8YVBcj5UD1@8FK-rUZC@(_!1&s)qM^tCQx#@RfrT#gI=iE6&P;$F(nBvvmUK ztB{7s*~w3`?+I=^l;}`KXS?JSXIA8ZfvYMqoefuamv7UaNw7irQWTV`i-utOP9!jfUM-ePl5ivG|U*5Dk64`K8!T6m>LJFLuqR!mf0o z{QV_!B+@w4u_T=WO|mg%J~Qg*_QNZ0ymnO3?^_QqH3}e{J~7Hx66eoM71iYVEBrKs zjWa09G)dy!Fa4u|o3ZnmJZh~jROHw^1DTaCZ3Nj=(ZYe7BF75OKxpVAals@Z9ADza zwUrGay!%~SD)*dE?bZga=LP!8-wly}e#ZNSdJSkC30PF5)PSJa{WJo@Cdi7<-@AE8 z3br>24K_@iz$K)y_|k|zT)kyqur}%hRv&_%x6Nt*hwaRr0%>nR1vl?-%#Sy|n6Jq$^Ij=cJOD-S-mzv!_nj)WJ{C(CkpEg*cl zy`}V8C~EmBdzy#L4?ft=>yPV%fvTSN3eVtK)c6F~mL!Vf#hVDRWOU&AgU`@9tjE&B zYngiwv)FOxp%L%w)-M`hME*hN+J0+v!cI*|37>3E920}E_Z+Z`;8(}IhwT`CeMY|)?onZI9uL~C9pc^wjkPgE}}A5HQj$Fk4o z8$|`t;;*cxcpf3Rb~~UWI{XZ(Cyl=Bk&XZN+F%rBkHqO=O^gL+=~7uh2{la43Ua_J zb%N1{`dX-J^I2PfJ}aa>KUUuGo)gpW@IlYrmGAFmB~hqwP_GZE0Hmyxlpks50js9V z`bQh2kzqsaW+2CDy!G1KaujT#EVW?wQad-3`Vu^5q`vkz=_;`7Z5}eKt3eKepGCjr zmq6bW5)VWEZiH`t(Tia(+4Bn?U|wn9)p=G7x&7=39?^9MQCt@7po%PdU7Rv3eMuF@ z=FF-t7N0}h`$=h;y7!~P+p=;Dawdqld&2k2iYfRMoZO_BWdrkjr!@J!mC(+ei%oGB z!k|CZB(hLph35IhTC)3%(a#~l#k>7Du9xy;Pz}ExjMQGHa3{8fO?#vFcZjTD@sXge z|7TfPiyC&mEI|!PVLxKZNMz8Cl$^tl1q68(+vF@S8KKp1{Gcm~F6#Zv(d+|pF!$X# z$AQET_#?zs&$%Q6fpK0!WmgF*X}wS_Ba{Y2_vK%bZUF?vseQXJp^#;Nw3eR#i5eEVJTJ+I=MFU7ZCeZolgO@w|3 z`uy2LkPO#vt}p+M&z@Ny+T>*ly~2YK{lbXWGOqqOGoVbRP9}%&%||`uc^BSCBn6Gn zoUGfJEC=$hcL)bUmUxLWbrgU?O@j7=6_UdQ>m zy{cIhtuHnK>FWyRbQESVdxO5_vZE*@9@)87yw4xu>)-T;cWs98u8lC>wJFBC#&Kr; z;awYHyz5ZR@8IwGuK3>978V3g$5_xqPugh$z8pFLpE{MGFa=cAaeTTv^(4ael-T^nJXO zqshIo^U~k@F)6U8eN5sz1F4&Vkp@M4K;K!b`w9f*z)?Ul6#xml-UNCuL}~)5ED} zhl{*Ylz~-P&i(5Pb+D2*ZdA{8KpS5tX}xg$nPb;2Bf`p+(BmclA^|Zq2v~luv?@{n z?JYJQb%v#AOz}u=Mp+JI7>uoWeanWI^D(Rs-(En$RGCZPOLO2(mH&< zK@Ltl9^j&)GD4MrgR3=4pdkZsYJOWeh!IR^gXSYNbO_8~*RC;~~gp8p}igkY7AuQHsp91*WqNc(*_2j|^$nBNM9!{G#( zA9bi;F)tu=ccnw!T{t`pUwtd!_y zbTU;?Y=0|8>}4cc%>LS?u@M88OQI>cX;M-A(@I+DCOu+!7hycCkmBdJv;3I@_aiao|p*)$_}D z3}Djb`Y)$^ZSZ`SSwweP2RSZMmT9b;qaWEN0XJ~>m77CXS`aZieC=3}r(^I2$Aza_ zOt}73k-8~IPn8Y8> z?s|j^%~c6xf!o^@o?D^tNA^Coli@J#zb#V#$P4ij5x;yOr3`ZFL%)s#6HVk_1p9H~-RS2X@eYe3^#qFc&;9Ys-Iu^F8`3 zbOz|o(&HWfN8iT_0**;Xa;Nptbr1chf>~~`e($NO)W``ora5anT&JPQes@GBj2E6K z9NEZBcLQpPkRzA+@{o3SOTI+VS@^a~|IlEsD~O+e)j-J+0v9%@P>hZ%D5k}Y7FAG! zx>42LPvf-6w4&FH@G9e9Ix3Gho);6qYR>X5aXdPr$wAUvE?2s$2)i9klq7^pL)z!&}g@>n8R!q zIJV2_5%S@5+l}XgX=a0g^HciW-(1NsEBf&#HCZxpc;7Dh@mK_W;Cjf}$M1or&zzJ_ zUrz>!r$1`=NNi9NN%Kabv>R$3V4V`6HbM(2gXE8Wwg-|d=|y+S0fe1{N@jl9VSKQo7#~asea1?aT04H$|1@ zgBLW5cET}#Z{$u*W8x4Ui8o*Ry{MypI#~-G^8IQ@8CQY3@7a{UWw!+zhor4(k_=?Z zbNt=t{Y)hMqsW^FS7%YSt?&0C`FsCpe0ehX`lsM~9;S?Qm?SQu1W%pG4z9N2U~-t~ z@q8JMuLk*GEqn}0Q)pbuJ1LS47yw&NC#lXuxGm)*=h|-$`FRgH- z!f%cPh09TwK>q~!#O8Ye^!rzGf#eZkAdQeAFw+%9QcBNsC-Vj2?Sf)&$_9>yD*DmB zZde$#q)d_7X=#BIrC`{>L4P=O&_vi-(if5Gce#C)O+deuq}mN7>_AoY^~`CVU}!$G zp{Ls6i!5fYhw&cQg9ks~9Ak~b>7SI>GGE~Qme~akq(j8G~?&+2bG`2;K zgG3%*d_|#G*?j16sRRhgyKLA#5y9>k1n@^6L;!#EL2Q^l=qIKRB7{Hspq+s~zu&)) z$5(H@`t|Pn+h4eVy{LbGm=z~HU3xq(9-xZ4FBC{?PO`#%sfK*^iP#66_RX)yg)C)Te>WyhhC6U3vLDRz`E(l9`yUez#eLs#9z8RAlgi3@~K%K zN}SS3MR0X%s?p;|1ah6xtW8aA<53xivy<(3f%6SSpUBdy_sHU%uilrRLD1}~4fpDu z3a=*P@@;!7@7r#=qVKHkKDs!4Q|FtA$~YW1>J5RObg{A=-hKr5_KUJf5T0twibNeZ zDZf2Q^MOIud1cRGZ*U(QXpGQt0{d(~v$@`L$b?bNpsU6c1ZrlfCOlfeYieV*sd^CV z+hoj6h2KSlq+PY9%{9n6QH;}g>nc!R{dJ+zq!RD=^aKhT+a1MSPjs)~>XZ88?tt(9h%f*4j~-ti)8kuUdVFn6kFSmC@ij3$ zz8W0pKh^)V-2pZR{ugzB8I{%d#eJhFqJV&eG=g+@=c2p2yFuyhkVcVIk&p(JR8$Zq ziUkTH2ui7dprT-)7@(f({N3mMZ=W&lXWY+Q#$t_q?Y;KebItjkpD&Z;_%CNzQT;;E z$`SiiRN$ItB@SDiww%wcl8L-9MIF8Arm2gxXVWAJH| zKXv4 zMA-Cu{^>B-5&qFlC0dRi_Sm)?23h0mOB(Ql9h#udO+aCQ|)Aw z?hqV(={=F4D;Q3hHT&0_qV(B66nAxGp!{!nqiu~I7*n6kY|K;uks@*Ta94Ab=kl~G z+g%adh11S8e%1%^lqzU_^&TGZ`nxdZz?%&2TbRaNw+}%Tw;7=ZzcDI1Qjmfu< zn)@CV01mBsq_pd?sAaa`rPi1q?Da~$T71h77-&6XJ_W|1Fh>DPM(Y3&mp9wDT*?7S zYhHYw&Ft{t!ZqevVn)z5J0+rHsE)oQNq(Y}Vg*n6ULO@hI^6FUUVqO*b9=G(l+7@< zGm|L0auNL=ZuK*aXaJ$^YOC4WMtJf3bU~hV3(}mV?T;2bgYd3@aaRgP!)FyJUv|Qz zsh|WgN|h80>QxXph4K2H^v6+Fi;`$pfiHLnMyP*buY|&fiYm{wBjAx(>)-XIAObHt znrinv!F8cMNs6Z<6%_W~d>=eqi0+M7yh}fv4xVgvD`#j0ApO(~z5HKwbW*vc{Zg6SnCo2kGDA0`WP;U|2RFOB&yU>cSqjGY6an zn+=Lz!cR}beSTZd+2IuQZ+;1kpWuM;6QnSHf;h%cP{;TQ;<)t^274+WSsy$NADQDg zqgb=x+PUNLZLLKRnQWfEQ(gz`%e0J?HwwUxHRJeXLN9KABE0e5i;cD6Qh_4?-J6n8 z;!IFpG@qOBQXRbsnGHFx%Ls2h#0H*ev%>aFxt0e5BW^y}Npb4z&~GYG^!Lo2(#3GZ zny$N+22A+ZM4G~j67Ab3-|52zDl+RQt)`H*8DY(65{XE6xK=qEoPjjC-7|i_ zHwUBUy(CIlOuO0xEAI|Hm*XBJ_%Fv) z)O@{<4tG8=nq|F&0w}gi{r_~s)MBQIck3X+k`$`UI*v}N5`Kky%nJLrsuNfgv zXsJ)?Q-F^B-P_xIvVd;BS}W31hU>(IWI>Wrpy)xzlTPq`v*I0!`OYo_od;+>KN*(- z8Zst6L1ITle&n!qsB{84pZ3?uoh1xNzVxOJ#D&0O*=6Qgtw`83HN9}TBoRILKkiQJ zP2k-8q3Zdd&W!mhX<`0KESSF%Bj&HfgZV4b zc*ls?1$R7=I@2>viDm+~tf?jO(-{{M8>?({JQo`zV8Y11!!Q=u}2`Z*c7+X%qnN`#kI4Sp?z8c!!1&4Hs;V z74*VX^Rt(y0zk^2>utGtIBL)hG*mXC1KKtJA*mb-Ai6a+Szkx+ zUk;d7TcLT3RWWeqjJicqbX#Ch6y(Anoft&T}JAK_3*u|c&E(wLAwJ&pu6$HMh(u+as5ZfKNmoU<_c;zMPI0u1V3Nr_$US~VozL?#d6T6M7E`6_cYizTqE=P zYAGmRV3f0bmX97(P~D=BNd|`M(GC~G1cdi~K7YRE_;@)GaW0?eGHS8}Cs`W?8W~6Q zQ?IE%i7yehUOY`|UJFOB`fl9wIAIRgE(Fy~T+T(?!C5oZ=c2*yjsJJ{d4eCh{qzt$ zu?=iG96fl3H5D0^$#w*{C*amA{-Cz`t3>dLWC#uTur`{C{CUqCPi=-mshr4>5JJEA zK%UQ@s|~5>rgJ4_|KCu+ThHCyzb@bJYJq+>3UoPe&!{nMc-H^%l>)WD796~8st~Af zd*I=M1X8q|NcFm<_LY$2H&0ys8kLlxNJ%f@@_OW|D5Mq1`L z)5`&KS6uyiIOEVg#?j6_3USEtPOjLwvRp)Y#-r@U-fZZ*Hs{85G!XR7ZFc{9W`p~u z1}Bdx3)IUMIvIJ+9I}o@UWw1O1_x(Lx8-DSq}yUg`D>HFi~AY*E9|fg;N>+fTr+B0 zyQhhqXos^u)^4lGiplI3JFNl_`hWiTRwRMWlS*9V+7U+_t{m%v=QTl{zMN8+)&l4T z_iJ8w6ox4E)*DJJ-QnR6L0g!zrV$hrVk==W0V01CJi? zxu0kp%hG_&p}?W;`&PK?3wZsY@#cq5ZlhZVJ}N@cYmx7UO9~)wBDEevr3bM*CM|lq zc8CV;G^IRNg11sVPQUySf|McUqy%M%+Ps;epJswY1Luy#aLK}**@rv+;RFuj6#q<@ zkt$+jb=AGYsf6(=|9d@)a(POZQcNGtR9Zw^EgVO$4YPQhb@YMh@pAMTDuQ16eYAUZ znK`&;T%7(w#mSf)NqOJ4V4TA67Co1E2HlN{jDaZztzI@w-%WGRu*iY^zrv|N1%oGMKkQG4p5NcaVw}H z3=MK{wDb;pK&f`UjA5oLOnGIEJ!f%xJwbXR&NfP|CJ{Al==Ao zlG7)g&%YieA^63UG@9QW*wH{Tp!WWmZZA+I-&E%e>IUyGm;64zy8+? zuL`SmB@=i@ieInS4`Th5_E>+VHP&AlkM&ntVf~f1SbwDzNE2(zHJtK7*#ZwyAGsdf zG-Y~qs?Q$OiL5WMj~GIK@ZY_inQgtD$wUt=? z^|pl!;#DuVC++cZI~@tLoopbx6ajsWUqfeKc%liRgQ<7x;&I;}^=h~K=4D2R z&O*ZFjs-K6I-Cr%yXK6hR@)_{e^`M`t8EoqvH<#c*reL#JV95y!&968;p^bPdfWz9 zkNZ0KuO9bx@LxUd^WeXF922see3eg8RRqUk50zS*WkCwh$*q01WvDIdd%+FGQgr3R zhV%3vDFS~p>eswU9+-ZbTbUZnf~GjHn>!g9$c(&(*XJ=EngJfQZ&xFs$|Sj;raBjK zRHWzK_e%gzqFbU@SJNQUgTi}>I}dJM__G@Fv=wdS{^=e*=>{={!|u&V>Cn|+ziM;3 z2>1QLn@`3&{=!vuz00pG;CTf(k;0-DJYQ&~yOkD>jJ^*f*w*NP!h~B>4x!Kb;`=Vr zg;S>BQ{22^RZxVv@y43n~tbz(`UqeV!)GbI%Ape_jiA*gAO)kqibEP z?PfQ_aPtzIzJF;ymf!=@qr-0#`nLuhA~Oz%U-Cx61{b>8QUc)3n|P`h1G?x<$+UYT zhcCK0+LWW(qF?>hiGqiBPWfaKr6F<0xYOF}Igs&8ec%1p$Dw$yTJYoN6@Zst zjhFYh{XL?$ILHS{s9iauGUx!0-q(GUj50;PHd&j*#a+ObG3#X8U1#(#zLIf-#Tm;l zNy9W}O>{kn1h6s0dzz)#qP%s^vMayDp|X5LU{zEK3`Qb4(jJHr^4?4xU&u`1uyg%| zMF%HDH`v8k{DmJq5bYa(VXA|Y(IwSb!kD!nFBj{uP2!@zHf+6OQ zV2=4C5c2$o&f5k){_pybduz*7Pcr<0wTHVm$U_T;GgiV|@}rQ-_lxfa4*P)*$yfTZ zHfu-;HRX6C7Jw>ab3zKPIwReq>&;4JlAyKG8rryD8%YH@nu;=U!`r<|jn|l!ki5!9 zbA+WUD9chrn4gzK?uTXPgt7(Ey0lgs(*_$b+~qWwyv__9=1Es?j0=IvR=K6uAOr68 zhWGj6-G9y(5(%Gd@&N(zEVj0W93Y7I=2rGLp-tKh!Io(ol=rw|-sCcYhfPK$HPx4o zTc7#w`Xx|Pzk9E9mIQpCqc@(ImPDPdr*`a*OTypp*JFiW%A(@z8p#a1c zw|6ca4|GT8I9%);rv~n+SQ?hSQ0J< z@>B6RiNM+glB;J`tPtMy=@p=y(b^#oiyubM=l+%h+ZzUS*EJjtfVaO7Z@)&1=mX2==as-BO=e>~QV+=;Y0JO!N)1?lORJtfpa3C3_UWuw^iYv> z0TLzTrT@+U-~A=UKlZ1cRds{PYllNitE8Zp{@D-bqxqn?NB(n@^hu<6ex3Vhdm7Mg zmP+U+CnGXN?(wWqZ4eiCyu2ZRjy^+}O;wlXg zU!CgbIva`f+ai0eKXgV8#`(jktRWz`Z{wPsuNM^37Vf^@bwGd8#k!fldE?fTys-bC zXWCQ(H17&7Yg5;tPaEU(aXlxY)mP5Jk?|D#da>;mb+rP0a%vlk4lBZ4kH)JPZRB3~ zlKCkXR5uXAw%0dbE7fG6Br|YF_rLqY>o zw66($v(#sOX?A=e@y7GZQW9aPftJ6pw$&3n$eAsM4jCc$bE;Xao~-B>_&-dBbVymT2|2Xe&(>D`ccgv&>wR#n!(#cD`1|&eu}d`C1w~Uu$6JYhLXB z|98Fzk~$$U%^42`NA9s}MgX7v4xcw}&%!-J#8eVz zWA+>Y{W)f~=+|m+=9BjBnFdodb;>aQ!9jH>xT&`Qe4A1PlzSIZ>19I|%ioJ;X z+QWUWZyDg}ddP*rvQ~83V`p;Fs0jwHQ)_YL*uz+hYV}yW75p++(!3mqSiL}6%a>%Jyu2*no!Pc0lMNJ!Ff*;T{1A=&O$8 zB%9MhIcWzr?It9EtnP2;8o~dh@XHal+ul;pLLQ>RpTq@&Y4vSJF#^cSa!l$34JRy` zhxCzjasrPv)tP8_5ooi^9_jzAgbL`^mKO81(G5{{#*d4lpiM9GVC}vNqL92=XMJ88 z!b3YJRzU(Lq?R5j-;=n~h%akh{VodDYGnas%xVFV73l*wfC1(dkw zbBkGQ2^=3>(D~$skY?_U#|j^c0k2;+-t~Z2KaBVO=-%pJJoI@V9I`%Gobq!ouwL3a zz`3>;O^BXSeU`8XR*s51{E7BKar~#(&c5u(`r28(yT4_?cdA$N=qmwu$nfRspe~W@ryJp@qJvrR^>VG^>QH{-{%YcW-|^= zyfOvO%Xs+L8Wf_Lhz9B_PfO7r=9+PtuL@#Vwuj?ZrXw8u*~4d}Nl`3;Ja;a(?8$@IHe zG)0r;P`I7|J3Pb!hY9-6>?&QV(Y#X#Z~x2x>GfmT;*dQ(5rM44w{3p#`y){wi)SPU zE#Ygk<&Lnu2c$Nvv=C(lLfx77?NjY8xcd>zgFXup1sk9v_X4Wq-w@&nH>;d`TT0Mr z63xE#W?=fv1WcbBwC9UR*4 zHHSih>2J1nk0|u?nXO07K@S)>Ye;*IkUzn@e)>ObbJH1wp>f+9)4(_2^FCmUw z-xU&8cICtMSVX4&xrv;CP#5Yd(yy9#fOjJ^FX*|Bg4tNeBwxBcgcARt?IO2)M^|g4kAZpI167&p0kCI2xjNrH4mB4|eNMIygj5ag=!4%K(N@x5HNIIr zFv$^9d{1ct+lB1<=feyj`+fgU?i0?)w>zxTG>h-SntPMNPx}OUgma78Qk&7@KyStKMg@Z7M4M`ZRi8rUmcU~zYc^D z-{NYe)gXBJ)`F_a)fX&NVx$fnJBjdK|G)j=zxT`Rjgt?3;wcWg{-JdV$$ap|%CVP8v>CBhpI{Nqh=V7w_>j5o!C@urwD-joQ&n>q}5 z$6G7x^Bh=;00%xMWp#p2x&!qAL6cAg7%`Pp^(ga!DYamFRWA#4FQ>2n3sVwqUI*Uz z?H|AHzw_wu#`FL952_gdK?UPKcw+nq1&sfohVdT=KC%tm?5W=mgU2^bgI(Xl&`>kV z`p8EKomCLvxTHV>M?Kc4&a@Hwo84RH#qw!!^YntKi(&*)l+YHB`3u)jewaVpr$hf$ z7}TXCCm+m-fpn^Kwx26Ml-iyoI_su{yT1(Y{1j>=d`zk(aN3B&jbG?B2x;71Pzip5 z$Wuz!1>0YsTbo70Xmt*Jp8P&9^#Y~?PEb+ciI|VW;^Cd zP3Yf}KeN{H(cA=x;%|?oiMt|Y>8QSs4|TwR@8knE7eU}ESKFs#V+D13y8W^0&WLG1 zPqyWgC>l7_<{A<$1?L!_on^1o#2r89&ZM4{=ieX~T@ zj3L`utA6E+1sG-p27Vwj18vWdkwf2`fl=H1SwnLp*gkA9&c5hI=(B$?JwJa1t(;=N zYg^L{!5qcQyDN<-^IG+9Dt8^wvE)?n}YV z(T<;sWYX~XWtpgtodoFbquWnQXNT~{V|e+ESxN31Qh)Ry_|W>M*fmLL&}ldk@?HbQ z8*lMXeNjY{X7f^e$PAIZTDQfE0zCph@o`gquNFE->+7`qN*ZV{tk#e{Rs`$AVhIZ( zI%r-09ZRu{Ec8Cw*(mRkftSXTPj6*t!hA}Kdh(_c>XDu$8WR;n8yr`AEr#UK_9>26 zC`|+@h!}C+6jO)pH=K-Nvg#oJH+Ck}Q43`ThRc88Q-jM~7rV|A^xfnFSz|&g#weK7 zYN_kM|F6El0E^AT?pgT)sOg*ZU-?odu(cA1tCXV$WnQ-%yiS6MM-8hyNvwdQSReNS=j(+b!bCGQh`{#&2^N>S_cXBjc3v<>Wl1^YmKl%SRcoH|9tesd_Oqoc%-=UZ4YS z8M173@0p`cS`}^5K}~pex%rTqr6N3%?YN$^V1-K6lDu=+m4Mx(^Kh$G6nF+QRo$8* z_*mb$LKSFTft1&KI#`v;AxAt@nY+CT{ibm{O)Xjhe3xEFyqX9D@}^r2K}v}OnErfwRiZl_T`E$P-!1loiH}#Rb=IR$U(k^1kd7bx;~{GRo4J$pO#;7b zC2ZybC4q(Z~k)QTSl0^hJuj5}l{NMG%+ks_MFPT$O{{79^A%d^xboNe|*jxe1 zo(euky6l4NXw^>4>3M_omqE_QVWluLSJ}SnRE8X`yp2A{90dNwX-td~A>iOY=@%X7 z2kug8tVxd(pq;*2dD!C$~d|7x|qyZf`x?%=&-ed~mnF8rcDC{1})8+w!nkIsn&qr8L09kI7{z)pcjKW|bO zYMZptLW&MkcNnV<%OF8(MI&3I6)f!r0iGcIsSpga+J$%1epCiw#a8)nt;Wrowl9(p3wDmNjpu*3w6mjTi=@Z!Oi

    e!IulZg0NBxvjWoLN~iC#X#qV& zUnM$CI@A8jOQg6gQ=tp4XZh9MkLC0U)Mgf1ND>EUs@wI=3G2Es>S2fFu?hb+Qm~Jh@S?BtMT1E zT!U|23!X}DxEBA+ocQM!`gNkO7k$IlG*(`6dZE!biN0C%AkvIWT_x_M_4Q$}^S$gv z!Xe^^iXTRv`68=;ak<6m-#g<+e8R1wZxekxX*RrK0m7`Sl1#V$4j13BIhS`z94_%L zimVH;@FSibhr1o$&^4ye2;uh#zt`|y4b{o4p5Z>npSE_-{lXs*K9V>KH!n0c87k2O zwg+80+#YC;lJtkQNYpkqsv{dvk8#EQ3aC$*o9Rf=)iGEV_1kxB*Nw`W4ZyihhkW{-s$#A*|ui&QY>WdQztc>v<{+uasx%R@``?6=s zo<*Byk;d9(72yM?FP|GD_Mzz6qURW07#i_Z^CPEEvS+7rMb8ucF=zbXF6ZUd==>9Pp zdkfx2@V`4K)$aC^ar8(fgWYf48ry#A#KcMyD} z;G+!A%F8YcM>~A`u@UYlI3YMmm?@6&9ne`$=hy&GN_4j99MY@{P~%nLO|x9b7akEW zXP)qU;RVDQcui3nYb+n*^eCII-AVMZqK`8=E0v4aS&nylT~3Vn38GIF-I=ude8{kQ z{c0Mp4(CZ*6w9?IOX(t|D;35b`#a)^PdLT#nfBt+slrbaemZf+zIPf6^@lT@-ouLY znWE1UeKu+4FFZ6a#b`t5=6p|kVt$VJbH$%Wo{>S);AOSY-SL|i<5zsb`NA&{exc!I zn6Zq-xGr*hAA3A^vG7ZT_aM&LVBuQStCitW=O61IuheDYFBg9Wc@?GH?7VQL!#5tH zs9?)C!B+`R6IQKVSy58W$D)NUJZojCNJ6oM5(+%mbah2l174kW{G1PC_+`S&g;x;g z?GH`m`pheKz1%qDuo(T`_-Syc#CP{lg>PM|x|-thicpPzX6m{dZQfmt=vvWzNHhLe z#sK{gJgg5cEIcU&UniknLIVX=cWBP_b@tQ^G4lPy_7~eomMMvj9o~U(cwmzl@Ib*= z3%-UhGcht)2?hx`#qwHLZtonG>!e&Sp zJ=ob+IguSAcBt54WSK75?Flb*SMP9RQ$aND zlrdb!T{Kvx_zFi|xZCLkLn1u_KjGB}eB;#zd@Djl4R`>_ohI(XFPSTQr6vCT5+0B+ zl7g~v0!sir=_68wBM;*RKPh;^78qL$Pjq;!!IK0(CHQH=jQD^w z-oQ+UXB>aa7Djqj_;bQ16X#XJplJ#2!Pxocc{f^3jHfz9##9+E&|oV|6aMkUK#OR; z=+atyhBi&oOOmEjQok4#a=!2D7+!X5gH_6}NPAV|11YPsR+q22AnBGs?GJsp}h0ktDa5NG zn2hB7)%M2IhvH|8pF^Ix8TqHEJbdKzVK!NFuIPE9KQ=lGPxec~Cr(d2T&IdxrbW*e zy?`_eBeqRQqX~!kM=s3$Dhi)VSSaBO3cP4+!4>pF2}YATeCg63mik{wS|sUfN^I?7 zs)|g||H?Ca1Z&a2``BusbDoiL$zr)_% z-#LA_&4vG7^bev}l4gcQ70UOlQOm7z;};tjTP@>989&irVqq#rO)VA)4{Kcb$fj|u zmGHBKUnnp_C_crQbL4dDm>B(aqSuSwV01YiBvpmqoIdxENdGSS57B>;W|m7A;Z4E6 z93J)#e#0kh6#Tc~O@w)_b+`>7Kcimx$Bk!ikHK%2(FD&D(7wlarV33L)>MY3_-Cd@ z-2KK#H^Wb8*NfhUG$Vr%xAL&9!?~wLcsu+wI5fw1_pm*_mH#nhgN2le!VdT$6ZpmN zGwO)^j^cL`zcYDF`$}P82q%CEjGV<4c5!dB<+@$v?Iv$`dMcDj^k?>P_$00*!-KRC zyrGz=bSVnq18|Ayz3V*-~<-?2KPCgIani0$DZJtsXY0l_x7-Rsk*6?KPMb zdW^Hj*``dL#2zd5II?QjpliX&MvmWOkLOMhexmTs#P?)0`SuHE0qe0g?#yhroaFMK zRui8rxr^kkl$l_7RD!w{n?yTbFbhB96HXO>n)uU=FN}{^&v3qn-TKcIf0p>O$@5$a zu?!sg_uU-7)bMkJpDX-4;=FTa=jCT(B%~(bK8;t5y1RB}72||hoiFVIX%|vcDaymX zh!;6Luyuql7JP}|9tP*-V%FWI4&Of}!j}oYT<{fyS$>#7vci>4H?_RcQ}k7$)1(;> z)a+HE(BX;0V(BRoTr9YRumzn8rB46Xf-VzXF1ms=FBED=KA;P|oF8j-V{h@5;;YE> zKEO>ukc%+G$c2^G$E%T0E1?es9-y(Np`I)J1?LA_TdGccz4!*>(Il#d68btnYIHo^ ze&YL!ZzON0n;ix?y{(<@K+#u=zGiDWCtT}vbEB^leZA-#Nb}x}9E{}>nE&x2gF6HM z#Gmj9H_5qK&LBFhytt=f#u)6z3R^~bh>W2!hS9Jyz}UajJ6N1<6@8oN+exdkt}d+M zBxsc6J6!2zPcHA2GF-}CR5CXM%o4iW;Y;miFhcM>g6}2F*kDPRoOHO)=~4UeTyeJd zi+(`#NYa_0F`)3E!(A=tQGy>5{4ik_+B7z9!H!dpI6lVOqK^uHO!#QxG3@*>#^KW} z?8gO<6+DhG^JTx161<>{7Wfk`)IS~b&3FkwQXL%vr+2bcpCtMz(NB}+eOPZE z;IU+)@Gx^ces0-gYJj1#e-wXah@JhnWVO1sR zIaamQL@R!5cnJwpXg7x2 zQ98;<$Vk%QRp?hzScIpmS&pA=H>H&DY~eY?87X#@${Q=w{joMjt~-OQx0EL*UrqrX zj!LL?h29}r>UH55mpWUksgtB*B^^hJ*^!Byg)Neht%}eg0(KjNa{g}eY0BZNqVWXyB0_GGO?G7y~5aH%!sVBl&?A?)kYA{)EvC#k=rMoP?mm{C|(f`bfjzVhC9Is?UDE&dwv zZ0w<8_}2m=*Sa^mB6`>1r@`TRe0L8w;9JMRyX&|kq{EH)A#)2E_8o%5C)_0dX7Pi_ z^Zbh|YRmcVGV=LgSFW`c3Wi7-DrFcI-g438xW&;69*D8IRp@O(ZzsxZg4bU-Tk#IZ z_brY1ox+C;zl%7tNgbY)RI*Im?ZQVkWod+jdnDXTfp?5jj@F0!oW5|+82tUB9}qp# z=)QQWiT&7|PT27HDA5mzeweh{dL@`U8OqaTSV-#;cT)DKXu-D;u+_2?GgU7;-3>gnLIFj$S~BSDcX zK5(ba88J2=%9$-^4jrqMvbFUx-m@+aAGx;JDy6y7=1KdQnzA*X#cIskl(p8ZhTDJ@8$d; zXC)op+KNjccHhc!;G86D4Ht>~Xc|FVTH!0e`9o&MYC zb)wgc-mrzv$E2*^oL+16@1p+@{pS|CAXO0la(a`|8%6&udJ}2&G)mE(`p4n+c9NR~ zH(8~g1HN^VSPc>rzMA5nnTr2)8#QT$pU`&@z0KBiR@m0*H;mp+baT<$8(m!+u)OUK zPJe3s`yEB^Bzk9~xvCc48gP1%g}tlj-9+zBnt2RsULn6@nZU-dhbz50{7084w2-o= zl$KOj`LOAjqeWo$a$|`Vsl8?FBV%7P;vE}#az8ijwCbvrjQwRCK!a(Im6z(mfewE= zU-4-Y4ibE@;6n&AGXf5WIy>9g)?(X;ZA+H*GL~^u%ch<4hxLvpdzkq4;tw}I(^SNR z0_XoeGx8n8A1VGQ@~mf3iDS+QRyRD_g;q9=q@#p{gd_!(*mAs{o30*Eg1&f`I|*wy zq~v7F$)UqL9hUCvjazT7<3BWuamo{(FT8*_#f`-5 zc!X1BoF?OR8jKKD!>%qtXTb4`4vr^$rtq_bpG}+*s;t0xGa6OhoL_ou(-9OVM*xj^mm;ieZJ@mL|;gnp;x0d&CoA$ey#QVFBX4^_#Wh$m(i}O2$wqiaOW8K zWr8mkd<9_!j>ouI(hobNIlsobGCjp#B|c4_dA}U%I2SrQ)ds_g#1@M!AjB*(jG}sl#gU57nO@EHLAwTqTYk)N!ddsSmRYi+e3+tt09$=_;yvI8H zichE!UMsv0aoy%BLJ_7M@cDRf<-qTwQYWQeN&^)Znm!F&SpeH%;9UB;^QMi5^pn$H zP9vR6p{e9}*8sqer*6a<^5bw@SH9%I#E` zx$F2US-8XLGjEFd?@rOfMc+l5se}t&h`fEb;~(09$Oz&02)~y&vtMsCiSKiEVSWty zez6aT9Z8lc%Amu84u4<)j}rWl;D-q_;D&Tbc*NP`$Hagi75kXj(PVjsebN{y4`ZDE z$ll(6T=ZDc<4E%id*QJx8s<+pex}XZ9WVSz;S-26))=_24ig$wqNj>}fiz=+4pen`(cuxc$o(|I zFA1JbnAr=@D=&OMZ_!|V zmB}yF;ce$<+jV_M{JY|3kXK>HVua|`v9Q1A${1_YzAt5_lvz|5soLt229y%y$`9N~ zmc5?+m!I%&MjDrTider75;>G+w@1c%xTh`3J1dKnvNuy|qT3B2(0o70Ehf*5|?RK?Ubd%NU9N;@s^VK3BHpRa(S9-Ly zb(-NP^bG`WV{k)VQCZm5;m4ndiL#yG=7P5;%)FNwq}yOys0ubXs@8kFm3ojLxodc9XL^9iD44uc){v?BVo;*7y;h&_eW{qFa*YWzwV< zZl@mha^rd1sCaJ~`^ear1}n|}{V|wa683XEYjTWEE8+VKKY%!=78X{7`ttt$>q`3f z$1W>)`4^K{4|KQRLLm5rgXA78_Yk_7QiT1~Sv&OakJ(Fyy4BpKUAC6hMpj!|EJci7 z|Nij-PCJ*D{;nfol98nLk`AZD*W%IVslkGHY^C(?U!BIYxg*@%wPQTN4l<9Fc@#~K zKBg-I=H%jtrPxFVtGyrX-mmY+BX*RRke8&#XjV5=q1lT>;m#>pE(LoXBqb?ZQVyj( zAr+T!av5f!;wspGhFq5q+!&9TCplko0cF+{nS{~tj&WtNB}*qM$4WVl3Ts*1s4M!W zEBp74{}GONal=RPSSLt4QDSF`Z1QD}g=z^c%ahz$Vh1}}P8T^{=`clDljURI7Cd#U z3#YiW-0HGZC7mYebV{t4`m2kGOm&6}yI6)iQ^Hvi&ZfX|CN4jP?8vv8IFY)WYkRK3 zU-1d&NIO^BdDNJA(zMQQ=Sh@7;*RQ%LlsY}}xmYyHM3;-MAk8#uEa6kZ!W!(i*2|TIwVHZMsgzPh zg%M*OD8Pb-m_3Qv19&#!-U`bGHS%iZ^`XbxK@nHE4Gv$o0>9xC>IBydZXnD&(+{0f zJ)G_9!g2PTub+he5*ke?Mr$UN!y4ei)i%B~P{P#`t}&r+4R-8dcjsCcdQOT-bsc`f zvj}|SSp>dy*-J~X2N(Do@k6GTpVcDrH;KPl{2=l?1&y9_BG_OTF17LVArgj47)F8l z3XdxLb0*9!&No!Y1KcY9Hu1L`Us~Cqw#yyP&)F;TcZwe_{x0&oEtGM*28%(}O#a}{wXr1%6Nf>YO`{#uv*RMM=!eaU%Ld;q`V|$Iu%wl==&gp))Zm(F`f*) z?A8sZ!~?w|>s48=(PC1SVF^X%>(`y1)GG3Ch<{W3TgKO+AAmX|yzTsrLnHr=_;_41*d*>dL4Veal* zg9JwB#PR(m#Y4=+PlLlee0L8Y<2%y_!hlKx_C>?a4frWjo;MXm<5L;)Wh|hfDhd0U zD4{-cVaPL4_*}w5313j)<-q+5?^~l|rrqklbZfRfiTX;`B3WP4;(4U|rMWN2V#gjbYCyn!&!x&f^@JdM?ZrQh7yYizt6zsvbU&YyI6)|x3)Q&ScGa$&W#Qa4KYTf!y^ zEVHH9zow8AoWnnEoV#~C#AX>yepI&v-#YDnY<6dqruZ$Bt3G}zD$Vc{Iw$z<9=5@^ z4ua=zH5j@@?|obRlreU)gxXFGkBfKqfMv2SVqc_KL(ax22)MhD8PfEBOHF= zb^L};=pgt=!AB8hb-+q3S<*MtT?$9L^}SVV9c3kCC228fiyG?F)g>I=$#P?@y-%2u zku4*KMyBjx3qOnr71f7aSH3+zUhq6A`BDm~usCtbL{&`{*8&R1xO2d$=yZ~EteoTM zsOgMuH8y$5Og1^*r6sl$!U>X2l+>9L&!#qAiK$Vz7lf1CXlX;=C(Gy}qbm(w^;&F5 z$lg>q#f9lLFSVnG74wnr@`SYe0L9L<69?>5qu18Wo}U2 z@MES7{#6*AbL5;W=R7)0V+nhP2nSxYxxp28)mZ00M}Za6w_g#w5z3ELya|2ePeAoO7OLgx3=N; z>x5q~{08DY6DC`#0n5UM8{JrG>2;Hgn`I25!NL9F>cTMC*)#qVBQr$oP_e_vvLVd} zmjl8rPNzRgBYpG0nI*JmY-V`WW=H;-3>gnLJanmQU{RIzEPqpLb;^ zn;SVr%2X*YP+{@Hn{k=>&p6DB?%Zon`=-fxNzQaS%#@kIEEblR-DqKhS+B@=RmN*H zI8acE&09G|4SOG`FZQ~7*ICE;4S8?Mdy5_~S|Tr*%nxrny*uxo_=I;vzbkqMX~qkK zdqp8#irEeCxv}_t33yLJ#!MNrXjrX;EoI^=P>A3MF0Qgt_Mybt66a9lq0o-f+e;^nfv?89;=W-Ux`GO8B7_3ymd-s=)PqRD4SHc$w|C%_n7%K8YUdhGI54R@867fsL zFC)+3vDrzws4;xw_~Mdy2FrziD|`iUUMoH-!w!vou`2`4`#ZO0+oQ7YW&I#)B`xK9 zbjNz*YOZp=j}@ua;(rwXlks>2P|w++Yn)$gv05wsXYs#~XG;S2p$4olQWk!7;RDO@ z>m;m~u)zd0iUy#ogcXupxYy=O{x0DU34c=H8Sn@^z+cYKwgYSw|F`%}Vv{Wl#*(S_tL?PP6jRUOn zxvPxbWb96ZHL+ZEyV6AwxzMeDO zj_>za47!!@{e>T3cqqYI_Lvdn_(9f^IY{`y!Ve*?8!WoyhdR5!UR7=_wvE`fWUYS5 z)x%Fb3Bc_tv~%%Cy99?xY%lR}imWY4`WI#T*_gj@ggZy?8qcGHoFnBNWllwPIp!Cj zkAMpBXm`%B=OG>CB;+LNSl-CvrUzLr{A3YJNywIvLxCBaBiPu$C*(SR#vJ^NPskIW zFTQ|0b44G!y@X@j_|WDMbdqtbjN@pi@WQUwe9z=0=XbLK zgOkN~5#NOwEatL-UuZ{d}~tB70nE?}3o+J&{2t~C;BCG?@d@Qb--4CYEX z-u}NaI(5S9g*OmqI&GN&-Pesj21lcxjQ%njX)yPdrpr+gl$T&8%K%pn+aoFirCcrL z8Y;Ya7%Z-&4$do{_TWA6R9{jce=y$W1bCmNAHiTJ~6QZ?Ll? zYz%3L*r8&Fk!1?uPFsU#0k=5*(Oog}w+g>a`0d1%^UxgSle;^df2}m~cZwe_{x0&o zVtD+dk_!WEfOv$2dnDXTf$_=Ae+~CJew%gl?ic=m@R7u0QOil<)`mwDZv1Ll zVw8-BWIRlRiBpRgXdZF4lTD6!RP1A7N0U|J;Nc-kz!=9LvA91je5~+s#2FduL*m71 zH}kr@+_#BcT|Jk1ZUB_=gKs@+rKYmrj%J!*oZ5`(l%Iq$?5;t!;=q1 z&lWw0G&_yuIn~MVk;7{(Hgg5f6a2BkdCAS$ zcT2Bk_zArV@!ODRk+nBf@s_q5ms^5uC!@KH?P;(gZKx{?J2-ogjeP7Vb|){c(9YSN&x`>dCbqrU!^yIAbESUH8E0?w2zSctoz4z& zj+Ap09o_OuYQxdaHWbG2JBm$+O_J69mm9m6ge=EvEpMiTXA93E&LU7&SyRYm5ksyE zBW&(Lo`ie}1r%7RGAHDRW1RlWGC?QN$BI6VG_yVyl)?6op|Og4r5x|l7t8QBe8LHm zPL$M{5=$9J&G_O9Uy8@}Z*EQ9IiC2*vbxCX`u|%ESh+2PQ`~yrtW#y3ChK%sOs+&u zHfq0chT{odBz(e|!p{@%D(HBm7+9=MmTG{d96(iMC%2iU*R5-;C0^YaNvzW{zt5E3XFE-X#B(qp%3C+D>qVK{5{u;CMv0;32 z%P!8P?sq*pUe_}GgiRapjZGWyeaXS_Gu?HxK{c|Ug)6{-vbF@&3uLCUsI#-~t$->O zP!$8(|9=BYqK}7#%L{7Q9|_eSNU%U^6iBTC>BB&HMcHQYji`f5)9gN5C#hai1Ep5~ zbL5<4ZgzeO=YW;UYeQcTqpuyfpTg*`FdF~wFtE9t!pKq>13Zix3uBq_8e2gTb(ECYT#Nm<9{xCIxe| zf*HhM{x>qoWCFotC6g7^Tn07__E4%VlpzXbs6rX`e}|Gv<|~w}7|JakO1*`0t3tU= zq1?_;n7jX-$FM+pxWmm_Gw+l+T;^RgS%2UKsdDy?9ADo(X66yX?-714ah5#Jz9_9w z)BiqKifvNC{Zbx~GLlLMC~Bl&-?6xe4Jxb!YGCLkivYJ zVY1TTi!UX0nfKBjap&w1qyDIz$K;Hr!&(_PE-a&i+5g4GX#0$DYm(i%9+x#%);L-` z61H%|-1p2hiYMGD`vrf(CybZ#q?`%n;1-jc=!^Cu9{Egk=O3#EC&_tA&eL?*{9)|4 z?ndwMj2lxdX3xraPR3*!x~Y~Ihv%Jr!UlM!h@C3-1+qMghT3@cMHS&icYYri(`%ZX zm*h;R!x&YR;!M{#CWEOdO+tnMaG5?O#ccsoSmCLtb?-pbREx&~6W8pnl%icxc_=NYR&XhWfDq9Xk z$P5@=#xoih4qGO^N%&C0YzcEH=&ln=`f)5RQ7z?3uyCzvBWTrpSki|m#BO$WucTWsBnNdGY!2KvoTA! zVFs4Fa`9xFF!`0lMH0WJ$a{N-E6b?&NgWu+0|ly6#EldM#*wG zE^Aoh&XZP#*2?)=&M$PBTw5j(#tZwai(lBetdqE2;s%OrgtZjxu88cc_{FZ51w6fvcX7~wxFDcuYqUtSE7`An#+r${X?W8o9vON`zuwXC; zQ@M~ecW~p?JEF0pjGbicOoRPyOx5g1ei!H4SlQWC{BGiRC(pMXwq)Y1iq0M`A8Hw= zh2%XYx1`Kwj^AZ?#Jybl$4065mb8zgeJL@?GfmMg#|`_r__EzZTS?qs;sF#@Ga%2! z!f>D~O_w1^e8NFe4wiBV6=sQ87?dRrb!V8JRBJhHDx_mhrG7T)f|o)j{Hs5|5(D1gvXBBL?%fR6`!^(i>J`b(EBll%&K=p(<7H zW@Wi?lqEw-Mz)L`8cYV=Ua|WYXDQ~oQ)su>JURJt3g}pB$Kra7D^2V$ounKqKRKG+Z+4gNEZ>>-j)Ty%VIJD6KO!HW^U;Y?T{Ma%(56h)$N(MOIf@OodR>54!+p z1uZu&w5xQgjMHSCPD5ve?eZ}FhxghuTjgIuW>!qc+goPK?RFxcP|_F94Pl{x!2HTRN_oe>@u5KP5N5*My`#=yiVTr z@@}BVBHhUMYoc?bJEJDYD{_;Zo8=7J+QG%gGNagq&z*(l43RTb&M-R6n-)JGrwg~Z z`H02vR++cSyq%_oP5WZJ7`qRIJ6srSGvV))FkHf26nM8!XtmC}oo>eC;}b@RzDM-E zq}7zl!m2LV>D%$0tSNQB@CSsCB+m58i_N@(>{NKro$@Dj1oVI8JS68~I*d>XLkKzH z5vR|(B+`$HeoXXe(#(PR|9*R8jBB%|MD1~DW2KFw##|nATt1f7e!`V;)}9(KB%(+5mp zKa1yG>1crS^nEz)m@epB>YMi*q|ku68tq`7HY27i#Lpm!(tcaTo&t`B@&iOSVn!hxix`8T_0h>G~v%+sqw`8pG z3BQZ}L-e1dc}WsEiJb74!(;4jxKZ%mf;SOnc}xDg-ucJ1#qD_n9AmSzCO@kKgYT{D z9gL`jruZ$>ff;J&-wZ#Y10!V{D$ML@ENO{~U|Yw}dP@gr61EfGT=@3Hnc1^dP4Nz} zgB#C>XzVCsCmB1_;N?$vEtQS^I`hIV?zOYJV^?{*$=jVCBbLm(1igpj=U5HZLinD- zTM}oAvAvZQD>kfdy_akMxhBSLZ)y8T+m{*}2gz8m?j?i94X}}D$KhD`8lY^k9PVrdrPLH=!EDbX`XLRE_Rd1 z+5%sX-|z`3!P$ay2&<+-hXJ$FoIc5F&pgrjq6;=t zNjg^2agALQx#1M2&wUy{;uB64eVXXgNi#2|{#|;{aBbD)vd}S+c9yiWsqw60{e>HBB6M@- zJ}bWG$T?Ted2|@D9JQ~yJ6%2~9^rh^7l^*lXp~!I+>4y%J({0zvFJ-g_aM!(o={n5 zM!eLG11(owCgXA$SJ2>zXL(sqB~htd=~@rV13jf(B`r;jc_5W3x0%=#y42ooh((f$ zC6$81q)WGE_l}Rd>R6&U+n~MfXFK5?TGpV=OO0iXBS#D8Z=i_;2wc}&z z@hd)|MtH68K8ELKig|Fn>C}kV39lF4K-`OY=8XHga*-ADep32NX*4CVrF%EPl^5)S z43u)UlxwIkd!(}xxv6li(_O7{zfSb^qHi!dH!Cld9d2~`>09C%+$8#D(St~{Qb^?{ zvcupl@c9uQB6z6aVT5_QnI;cf_u1hVSI)Kze5;h(q})!0cha1^WOhy-Hk`i0h0||{ z$GB6%a0z!&V1)9M$lP~3JZ)lxM+m-0@V$ij?neSEdO3Oq#|7{S_X~YM=t!c>p1if7 zNM|+@c+jP$c4HYO=^;rEQ)2GPWa;pT<7fIK7U7QxA5EMWs47 zJ&v^16nf-=*3lF0ykIrOcsWnXnLvkSleLSSOe<`nYg0{|B<(3_PgB!XPT;=yjKjxu zK~VUFX9Yhecrsz$P1%9Pt9}^Y#He0)-mSN-J32+yR9P?3V!{_;45APQmxIB!EV&{QH68eVt zH^sk2o(X1i5fG&$3enrHjk9S5??`)B+6-zuj3R|D=6lZn=hzsn_r=c?KZ`uGd44iK zGuz<<7oM0Dg%2gnmN16`FTUF9h!jiqNA8UHGCFhR%#-u6If_&wGe6=JcbZtlK9w_H z&H{7nILQ3rGk5N><9se>p`0)1_{pOu^riDn?HFH)UnKr(@;nz7t?Y(sy^6Egon}_D zmdIHuXBi!47t1PKFIM6=E{>ib6Jfc;ZzZmvsLBwFZDX-7rw{)i(%*~zLG((}y!#c} zal$G$c3cpR)iQpR@e_@G@P~g788O@7A|=txTH^uiZsSI46~NC5;1>qKN-~Efp-!3f zS65mNipN|hWxbRQrdTG$OupY-dC4;9?^6Dd@+TG5tBGVL!~NyL+PZj*jS~Kru!#a& z@X83)Y22(b8R#GPp0v!cSzeQ0)EmKfCI#84tWG04G{sMGQkNOc@Dn;CGPa??N;5Z= zlK{T0<44>UBetFJ=EAopuC7HQs}McJ(u$a9JGi%t?c1`Wyq)CjOpn#nmPAWnpY2`T znr`W~tE}B*?M{m|A?lB0*u&v5R(Z4#yrp6kvhHv1w^PQIK1I&4(Y zQ5PdCk<7tRDfS3=iy13+zk)uHxFy5g>{a? zI#*$x$FP`rbp?_ruiag^&4lwMTp-~>6SC|G7rF4jNeBp^aIu6-B=n%b{Od79|DzyW z>egsmz2q`km&>|>7H=xbPdO=!oEL=Pbd;x zEVzU)yEn*Kq14#{HZD^pwp?rlS>CFvFlUR?9C|rlZcpNSi?0-4MV=K@rueXh7ph%( zZ9t5Bjg(p`eW>s%umm9+eD3@bQw66z&1P~iMBUbdX<>}1MPH@W3{*H*E1YW>jztHvl8Ut<-9lU#$#J?&2E%MBLwRlG~gtwiZZ7;69Bl=y@Gf2l%_hx%0do;e9zX<;7LD~YpU3>eb^ptadtQ!5*(l?08JlRZJXsQBa1F=#$E|!z;LWm{{HmT7zGY=Dd#WIlY)$cV zrnmJUOSWeC3B4^@+tA|Wj46P-LB`wGy@58@WIK7yP1wb)?d+DbtE}B*?M_RLnQUzB?(E1C1cXm$A$Cu(Ey-HVRfL5J zFmZD)S5{fgwYQXgr0h$Dqk7zlo0SmPRSWyM)a9^PzFJAzU(x|4v4d{8Egb05?^bUg zBnrC8pMp@@a3&vNZNJ5WkmwzM2-y7(;o zXu@amSgu=HRtMzC%9m9@iw9#uqjs`FdW>r;EvY+6J676p)R+`8snMT7={eq|5=-q9 zB%LU!GbLsomC~GCCizLOjId&QvXm}Tx>DJ?m}VteOiytu+mhl`S*OW5-K*R7rp22j7scq0hhyEG->)&|(R0L~EB-w4%seb@1);ms&8?K3FZu$} z7n08OsCfgo5s~6>k$bn;E&O76m&ofuk137!aZ9}TTt1Ur<>KB}=+54j6^i5(%PFD5n@(0%0k3GO`3)ES9LJMZ*aix}TKF}FBWPTbaINE?-W6kY zo$%|0-$0z@B{$D+o;SMEX+%_Rl5(?@K~#7mv0N6VYf*h-uI6C(Dy(P@kvCM{FnYZ3 zvHW9;gMx62JJ(K#ne0|Mx5>Gkju+>oit`<=+-1f2PAS8s+(l*U;+(50^lrC0St^f^ zb&srjX>lN0#TomISK+pX*A`2{eJ(b$TyVd{2PBT9$it}y$S%mvREZC|HQ72MqhviK z>tR~Vq1K6uZS6-~8*iPYN2NU`Z8S9|$Cfe|#<dW#m1q?-?>b}{kZcIR%(uJ6csSI!JNTPFh! z#ngMxwUi~p`_g7gn?=p@tMVLBxcFbouOCXBEpZOT7Ko!(y;L7;%YEV_chffe zYp&dRazCcKbzaKP&kmosvybJaPvy*)v%s9(yp-1zpShE|JEs2Uau&+@f)4LTG4(N- z2`TcWOIKUse0yP22rGULz%p`?PLp-&C*fPSAx!zP2S!S*ruajqr!;7C^qS!(^pxanLyu4P z{;v~I5^U=MEVKURb_$@m0@$7bFza{{U}oM9?kusB-cim@a(1Sptb_TXiLi^)e_a=& zxU1;hMDI>|Kl~vlHx-j8FE5$-pOOdzjC*(xJ6|7zXrUnXR1hs01P_R^19~r~FFrHU zdyC#j^uDB-3qb1{?&o|z<6DW}U;F{&c`Nw8(l8wkbbF~K;6btvmVF3q#tlyfQH~CE zI{&s9x7MQDh;B=oSrIu@Cm-6mu)Sr`!z8qqa5x2?j0zA2XpeBd+pqBe9mF3g{wVTl z_9gStrwKWGGGFec#Voe|o>~ z`u2Oh=em0QetWOI*4k^Ywe}ijh0f6~!n+FZMx5!5UM$@A z2&f#m+W6ZS`*^xWe0TBJ20oG88Lo%%-NPMUC%&in>&Y`-Q`53>ekAw}CT#2OFVIUu zZwY;Zkd>91=%&BXgyWZcp|6B~68cl9i+@0)Ei?IFWz$V&9vj{n17r@A8KHStn<|b} zR36JQuWzX2<;u&G7p0d-`jCqFm`qrfx_*GX~9&3GhS;wc$V%UD5!k%htO+5itF5Wes} zW7gdM_(vS>Sy|7?dY;zd_k*F{$;sL71=A*mi@hjqrL>o*sa)qbOf+{4A3elhWtH$( zgui+i&eqXt!zToMjqulmzfPRb6B;6ru-X{24!VG&RmgFenn&ID>aMKKb_U#hBm+%9H!=BbShE1kq zyC2PZI3&PNvVNAegBFW6OhW;^)96W8`D^SF{fp?`htU|Ey~pU+1O2P$y`uM#W^Cev zBcHkbhOY=;0}lxQP5AG`xoS^%<`U1g9;Px4n?)oXv~x@ixATY2@u$x57tg^YSjSB(=WO zld0-CPt6YRDtC%GUo!XMaHq;?Ag3W6768$F3@)nR`=F5-@7MB0_GvOsm(iGpUOqDH zLT8xvUeL~z)h`-7^$^|w&vz1v7hB$96D@j%|ExsLPrC?r< z@ec<+ReYNGbn<*Y)9}GN&1D!pAeSLRm@-9YiOvpmMn*Eq`HPG`XS}D|h;A#oU7-1< zPIK*zt`pwV7mMy7x+7`-G&3zOF?>~cnlBaJNqA@COg}vQXnb;XIkv|%=c(Xyk<(R9 zH#)2x!#R|6mz%UYNLNU@QqonFn7=|g_;IpVoAyA6*lVP9mv${R-VUOQ-FQ6=Zy4h0 zI^jKqUr(G3>3?M{78}Z5H<-O3WUpSbd&}-ao2j0ZouOvJjmCdb2S4L*eZ}_^-=91q zFO*4qyWC{Xyf9LBfSiGHB6R!$sE(DV0?C ze57L>BpM<{XNLZoD$zqkR|h%+y);>FsL_9g4uM-l-zxex(u~oR6kjCVZo>HRIcu1N z;S%nkaOmOAc6S>8NQlt8#E%d^k~}Yvk>w+FlnIp+@H-B7w}jCW#!#>eV8Y=&#!n3w z7%To>@%NEu>|~G{}47}gA zrrJGXf(uJuPLwc7!ej~zJd2xjGz_K~e_|+briz~?{!#MG4TtSy{+KDV!or}BOL;=d z^q@p4Dx#e6j5242DS7Yvo1Q6UmXz64SZyk;&W-s^+bT=llV)uV9qe;t&6PEe7Vm{S zxnRDbn{WKCuwu~y@e9Q-BJbN1gDSDCMbs@eW5!M&t|c;-%2-C@2wnkSS`0mSvwy=r zCG=^bD~PfL#DHJ*Tlwu3pD}G}E3Z8(?Kx@BQwzNxiOm_b!Y(F>zhGwFkTNgITq*M< zntpx7!BH$qhZVK7Mx9FvPi~%j+0L;dtU`B6nnbC!+Pt&ELO*Nd zy(aHZ6&S1SO>pfZT(@I=}^SVDUx>cYziryspL(;sLq@-+2B|Utn z(#>Y};b5K@OV~?!GW>7ej)> zeJSlLXWcf$gpY%;UBdSgexSgs z`@1=mCESl@E)I9~lgyuG?x4vULt_0nze4IxlP(Dp`F2VAMbd6c{3I6|8rV29vHQXv z6CVw&i(e(~mAH>$BZ*jCF|qnnauUYb$16F2k&DE+{dS7n-5_ze13JZTI>qli1+R^* z#<5?!W;LQq46}R>nt1;KdH5P5@lT0=QB35lY!v)|8{I49kAFnh*r$dK{wfK4jA9ZH zeo3@xMumtx5Y2ALcqhrLFYjb}Y+qx<6V@Ow_~Zbe zD!75*hJ^Ker-jv3lF_%<$gErV>cQbolXbeR#jGb6it{C$92vGr`RTpG}x)nVg;D&M~%D3(uY_wuRW1flW!vb>|tIndRB@#a|EE%(2HO3XltQKLX(N|t%jjr>T*aizViytr;1M#pB{Lvnt%~@8OHan@839? z;yf$0tRMMg;BakZwUyP5788SyjG6_huDvObg@@&0DIKJAq{3uM%}Buv zz)OtI>dDjN0+)*JB)W5;Sux3Uml<6zy!^U|?kc()=_WV_EB}YD&Wx>S5}PfCLGhQ{ ziQc&0$Ho=-3A=6LFLv9+Up=Gg8EF+-nf7Y@l6Xd&4#x#>xN9VImvHSNp$uE0;62^L zgzdw{*KpTK=qcfP3M{ovgSV2Je5gWpyE)Zey)#VCa5;C-VKRobJMjfH*WGE-h*F=2?~*h^(nv~7 z#>^xi$)im8W3s=>-4aGi7(;INb~fV@{{C~q9+GBJ1H$Q*-bHe za`><|RrEB`kCJAhS?k3;X2wiwyvTS$#&jC21^s&_b6K>)%`mfms=tq!GH1!0O|!xO zWgeCxpR^Oy3n!SP6U@~K=J5n4G1{WopREE_(TaGm-F$N!{s9DsTOfC#+(mR%c{}9# zys+5JM!{SnbE(W_!3;TWNKxFI%gr1UvfWcMpO(3TCM&a;568(Vp~QX0w6-;UJUuJz zIcd*R)B89*Da*ZJ@I5c+wy<)6;FW@3BFyI@JtaA#vaGl)R#ledUN-5+AzoS~=@m(@ z2C1?PWnnD02ra!lx7wudX82&Ok@T9R*D0~SqmCG?2j&+)b!*LAY7H8B>*Z~rrx0?6 zY>?hC>G3Kb!Z#(oCFyNS>@QAAPbrMW%dt;hNzu^6sub^-x;s>U-j({E)c2{fhLVfE zgb$2;dyBu!MzNd3en^(Jj=Utd+0e@U9{ot@$3j0L%Iond%+?n=_o*rM!=w0_l+UGX zp~Cc6j2$ZCzA$Zeh_ElEeI;!xHAYx6avT?qE-Auhc3+#+tfdd$HDHjL&5sdtS>@b{UqyWSvzR4v`$Gm(JG-OU^HH zcGF?}=4QG*hJF=J|EtiwLiZ76uFt?cVYlDl389DSfZ*Q*|4vw8$vza8gXR=og7e^T zf5`b$&R=vGt!N1xlKwWSc_Pna)ig;p_N#@0ze@GYbelzZ1b$1@e|AsTWw4PaenJ~X zN=+)fPHNI&fvaUwPG>J2CFy8MwS$zMmUbv`$Cy+jJp0E=I!@B@LCQ=@JtUoA(vI*k zsg9%*CDow^WHpo7T;|y{SvyNhOH&8;ImX`-<#lkSbH%q1-;z8_p-2h3!uWM>a1^;moy6yv z8r>ih-(93$AoW73e8vt_(Rba-tg>LWmX#zcnHC>{)a;Bbmtt^EUw?^I!D)ii3A28N zSq#bP*)GHI#o<}Z6rLqKn>a&+n^*D07)y2+nKd*-K^s|ZWwoQF##VY_=ums(?+tnK zV(}fscO=g{z^YQo?h=DLzUuGbQo)@BcP7kw5S}hM7}Z zO8#9PaW@z|HpERY!Mz3dA#n-CJ%;?7x;&3q;Y`9$Pn0@I>SU^X37{`L(fcsP1b2}S*Hj79 zBs@xiah;NcaduH`+36lLV|8n9JTBu28PkIi-Xtk*h8g+cJLyarvt-Psp@$yptGFi( zPI=y+evaU|g69!d8sni)cJqxsB|P*CL@yM*i1fds%9fZ~Z0dp#RZFBUmAZ^7>qJQy z!0uN{bIZ+X$wvl72(?hS)4W+LHmZwh`(@Y{s>5BTRQ&xC(2e2d{3*;qEmePQ^DHXi>{_*cTW66Y`!lV(s-(T;F?3?6sAKlQJI_X^%em{lSSB*!M;xs@eq2=6y*M@X;(vVN2GJFSr4 z(o@_)!`Fon{UQ8M;eQcl_|vegN|yWE=r?nGkp2-}*w!fO)e9i(HUwnKMN%dG1{>-s2JN6V^B>l9dr3gl4uF_PUerY{U7&9Tyt zlYTsPKGnErA_-40;rejBIucHlP?rMBpTnzGC_U<#HYilCPLft%+R4<|P=1^$rGb=&RQ{*hjU;MhRxDiTG+C$1YD|kM${WIW+A|ElA>7WH!kY*`i#Q9Z zL)GXk*VLTZq2O#Lr@5T7=`hZa)e>=bjtRenTz0O677|)g_@C-%iaXDwl5ivEOS(YP zg+a>5KCHpk%A`h*AOtvEYe`9xk}3U9oFSv8m{k-ml`1PuRyr*PoHv9x%P@R*xSdSl zS;Di4^Qq5H&r;LtBI7R$wU;*H+lp^T-oH68M%iI|P!kS@l)qR)2MHZ1)W!u^xlU1q z{}MA!4e#1ZWpt9!na2OzHwKhkW>$H)?=G^s%IZdok8>6-g9-XZFJFisakwi)Un%-3 z(u@!6gNSkP?rOsyxKcE}oe1wP{959CP!LOpG8cw@nbtW()^*Z)O1qvK!-Q5N-j_ER z-FBtFNH5X7MfWi}9Xlkr8;!myoV%~+exm!6R>EZ_<|o}`{J59=*$0RpC_X}-1#m_- z#zo~Ad|SwRxq|ZqM+x)f$(e~H%Qt>?Q-AUT@rB}x$p250VPN?nvx-BK70W7-RZ7d> zg4P``GyeW?3o-HK;%^Q-c7Ih~b;h^mV~@kd#aD>0B+pyUPD7h_u)*^}eXvUK5W&@i z6&MU#=USsfjb9P?Tg2Zg{xc@ z@d;qa(qazNlHzW)IgLWN*2sBH&g*no4M9f?E~H^`YfYK3(_dztl=V_JP~olcGU@IO zqfZMLcvJLSqTeRX@}nG6I^8=4KUU!H`(45B34Wh2b4OLoxgykvJ}|!FQqOM`ze)Uu z;wW6VSm z7LCM4F(#anM>KyPd{w?&pKFOZ+e5cav9; zuy0Kq-{RwLj~Vmt@y4$*_R82tgDuCx+$y)<*q@tv_JG*m#Qsi}xgx(LTICKJoD`mh zKLr0N_^$xt#Bukx!8^j4{}Ei{H?=YF*B*k*IA?&x-4XaP(a>ld^23q%2@MT7HR-U( zzZpB@MYvNBcfhP=(!?<2^C(G2OR7zYrE4K8{(0^g!%M;@J;w?^PWbV}c@5SlOR+nm z)*d~o&nSI>l1lf7_~g!&RrrohJ;TWscGU1;tebc!io z7kTAWDGj7Fq{31og2nOU_~sl#?rUVuj8MLwCg*fHjp^_*ha7i?Dbs^;rj#a9&Z5H0 zV902!G6yk+JlNEn9W#B4A;|-7Zvbs&M~EKrB}|C(n3m0D$H1UMbT1s zp1~{s!f!a-`GPMHd?8_m2}|~4R%RK#!^T}JbH2I2U!b*|Bss}+_#BmBDW6z*+@%un$&HWN{R@~yRa;cn7ayrvV+;p|pt-Q?mP2r}yi0>-C z8~H@SCH6MOja+WZ>cRdJS4g>1%2iYtPxugpm4vP~`mOiyBMx_s=v;5sQirCd*i_rSUhzVN#njL!^>+Fs&&i|<38F`KK?r(k=q8_j695C4F} z^_9_2Mt>T-h19e(jDEby=nmHi#@b$@2a1l6R_iGvBh}@(9K#!j?wnlVdBUT_`L#JO z#pN41e!o9+fzU#sMMQb0nW-6As4~?JGJfl$o-Y<(BEFP7pBe0gmEy__zAfFuF~Q}6 zZzjxOXJG*%;Lh-WmUuiayh3;-afSsr$2z#d#vi}b^Ht)9h_5EkI84K2NG#xG^x`~E z-y-@}(YKLi$T1oy+1+mNkYW!H6Fgk-9fX-@04JW7RClK-i-U5Plo3)!QsLu>?T@e^ zB?2_cgl>!cHSU%$TEZ9#3_hX~^SSOZdPIoJv7+x4eIIGYWm z@MXlA30TR@j-VV^Zo-+N5PwR-(-KxtV3ZWZ23NRe433}S&;G37=LA1bn8geRN#<1M z6=0~@3uZhW21&jsW2KCjXs~e*b`XdT=BW3V&DyXP|A@n_lJ$zLS80XfkMnX@8~>kB z{H+oHn)uhrGm^01Wo}NnTWk1=p*lMzp9^0vd;@WwK5-BD_F(+*&prR9__xHrO`g>u z%o($}2JRh`j=alD?@D@4()*P7bg>9ebsrf0b@+<6QS>I!ACgwOWoIPb5SvXX4|(V# z2_H-NgaVTS`J$o_A7`+RmKkYR`o#N8#^*A&(BQii<0$d!MKYjL^MyI(4|?ZIIbX@y zN{5eSZjlR}@?V>B?sohO4)=|eZBo9a!pm^JFNU>ML~)t#%xTrYUuHXg8s)yn-yZG< z{0+_2Y%GV6sNlFC@w4x84_WsoSwG9#L8}g~6#dsS6>+!Iyko;U6}#m9B5yZ6CVzp8 zVHN3Wx5xPSnLc#Cir*`KANjMu#|n#LAs;6`kuz=e85Qf&mQ)nF{dT4&d;2pTz)z#x zZ}{88{f@u7GMbFV$!VGHAbv>P;iM&=|3mzr;{PJgM8?Z8(eLj5He*+KJ^mx3#_wuT z;IA5)xv|pH$})^s!}<`I2z&&7Ph9BbpKv}L?nwNEMuoJR)c62ltv<}Yb+rs1+EFw% zm=u1r@Y=-rR9h=H1siC%W6XLwd>%Yj)^W0q4^}2V1Yo#;E6QbCe5ox25}w78uBTwo*BJEX>gK^`Z7)q21W?^SUbfG-)6%sbr}t0G^D|79#(Bk$IK2> zW`-3TPm^-Gl*UvTEDRv=7dgX>e5+lJQq19&>k+OEG$4$lIx+(?q9}=2IA=FT?l&95RE$ zWs1)dpG{uT7jibL2p5_2QpnbAy`}Y`#=u!#MK$+EbG`|2)>lqHIsJo!>PmL9GHkND$(*x7u|Gi0 zKsgaQiHEhqp_Y!RcrM43(YN`WnJXnvN|Xwd2J>&wVS+*@--JGY;&&XbKtiE}A_|F! zPP7TxRvl!{YoSqCET=?HDILD>*?AauWk$~qy@xT;<)Uv6H1Z|FgrlC>*3#}K&-B81CnBwtUgx@OsHsY)X7ABXW zaboZnO*}kI@NmI*5N321RHBB-zSuiW_-_#Ik}yKTND4YT;ZX+Pc8)*$-GWC89uweV z!uJ^bNS24k3cgqHeS{g5cwwx(oT)UF`P<9|l}^Av8rx%)ygE|9xW?jpL3Xgu2Z6uQ{x&9~x59Bzr|rJ|RS zW)8_pOO3eY1~*|hlU5dqM(}1rE$syp z=7;X;7bUEe@Dc^S1~e$crs;*bCNG=4JdDX$CHocGuhM2bqmhjN730fd#H}`GQEz`k zYvjBp=XE-KSR;cYC6!UP*6_X`czm7k^};t0XRa(QDk;IdvxM}9N!_~nT=S-+w#XUx!9SWFVMeh~8k2D{y z)Rd$$x8LB;y82Te5d53q-w87;yx+V?b=(~^VRop<{UPB`34c*gMGi@Zr4`)Y#&-`X z_K)})2h~Ku-$aU`OE-qEkw@T%M76T-yFNfi;wQ9C#MdOx2+ce!LTj1Rbgp-fl5@12 z+H@GEPR?ILR|_>fLtX&J)inm|rgTbg_*CTOEtJ zGmOm-)$=pOHW7OkS;iw8=Fwd2C&$d()SL;Y`a+|boaS=Qro(_MVb3vmQKpB_72HB_ zOTx;Oit_V}E(qo1`JyineIaR9X>y{4{1zH7bgj(T6S8q@8A&pdX|Up#SBcTYvBB}; zYL{ZluSfbIrAkSYl1_yMYa9y@VGwJE;YU8~@l4@a!n2998W#qyy~D$81h*C3 z?huUe3hfPEAK;4xcM#l>FzeKqjKTfr(*6E7mzZ|h`S@2H?ow%;q;;moC>>OZ-Im>D zMn9F|L)1ldSJB-_^KP*`7gpYOmm7X}Tb>#xze4zx!mkQ=(x6IgR_CrZe0OMoT_e1^ z@M{B}nvUhGlUxtOf9m1Sex2~1!mlUJ{GA@DEU1iEB)c0-_-%w2dP(Rlp$`Q{KKAWH z!@=M)3Ow9ba6iHQ2{U5Ya7c4E8GUwmISmj!P;`Ve!%`Z{(^zJgV?w{sjhZVVPePOe zpB2>Q@i`guGO-OtzByAujlMump`0Q*%$}+?B$`ZvOqm&;fnq5oQc8n@F9MOlF?`m` zb7iI!Ou@-;xR{i3DK}GL<&XWr6*2bYrD8m^GwY{tKXF+VvMOmYXC&jR35FC7HoRXW zUIG`X5e7Qt&Oo4K;lKK+#x$SNN^MZzIm=%}Vo&0^e>zdZ@q+lQ3Mu9TXV7 zVX!MNa;G`PoBc)Zk~2ciNIJX)T!eQ#%J7!q5_bz9EqqMCamUy#)!k$Gpm4`yh2Jau zzJRl529@b?h7Sw{#r?v^3x9w()0){Yy((5&lII>Y<(!ZQCrEin%EMHcW6}GA=G!Ai zce&U<$`eIT5S#%CgV{W>RhSw zsIumYC3H{~k0-7--=vWz`s*!_v{2HbAQhELO7xE}HtDqR>3fN!rIMCWVln2gR8Wal za|C0{+;S5~gsVLz@o9-GC^BzmC6x}278d1VcyL+RSg}`WRg!^EH{T(@eY;OY$q7TWk1z4|#l@@b$ts z5NBNCTQs^Ju-1ENoLf9b+#4otc)*KqN_nlU_Nk`IXGAG+7PsxiZlq zm*>7V?XGaaZ=`LL_AND5XZcJ=(VG6w_+F3ssM{|7d+|Sz=c|;t%l&BZlp24i1%kiIS&3|k zOoIJ^kHC+KR><~{8;`_KXocW!4_6a^6@I|37XBl_=8yE}KT7P;Vr!FS_;F^eb!Bk! zMIJs@@Nt5VC(P26nKh2VMlqBh=~zP!AI(oNbupLgz~SmhJyB|1s*F>>uAZ^uoKS4O zD7L=XlgTPh(-5Xp48HRT51%Tyf#8M##@;QZu93le!;9@S!KVvuOgL1StI*WMC7=2*HIvv};@K2=1N^Gv&N0|OFPJYbxP{=BgqbM- zm&Ec4_#QmZl%9!42IH%wTp;B_Dm;Hqa$2@)W$=+3ePCJ(P7<6b?NRR!*lld^S2S+R(QLBNSrA~9Gij|{dVHqXoHCEB)T(c23}!FO~UkW6Z(bFbdk_iLN^KwJWijC zFKL$>9u4QeLim-!uR07zRn1*(_@e>8MtFDO*Ai!07}B+e@gKMMW#M(=dy2oFJhK8u zKbN4pkXhjdQ(A@PVtPsGEu{|?K37A~F@K}6pDgvK?<=;S*#2ad6HpV(jJTT&ZxOQp z0O13LM~Jfm#OYmlHz7C}ahqe(J7MBluB1FkQA)gJN?hM3-}v_eUm(6vd=Yt81%36J znwA|NWL~dO#V(dtBCnJlQ(Dg^QqPr{Fg`q!F$v`oZl=J1Nx(*1&iF}zkBhGmUrF9) zJkW!Uej4ZC;i^Or5nWB%f`cc`4K-m(IQ=aWZk2Ew1)uSV-)^`c-H%D%!iNjLgSdYx z6H6-GX@YMr*Kl`97$IRK1qEO8MMfE2i?2im|8CKvMUM$I+Xz|i9-~`^j4@X9y`t|U z&9LL6eQq@0jWfLCET8S}7d~G21H@Tc@$-~>(BS*SSo;Zr9}@g9VP-lGXU(nTa!qJx zK4Q|(VLa8Vpup6usE-+@eZXiS>6)I?&8ZGbPQEG@BA@g%}lA6r3l``EMid%#kx! z&OAE26$}?H<;LOjjn5A2d@T^aQ2ZkDEHVmQq`WW@ti`4r3?rkKNLean85Lfl0Hcig zWo5bXSD)sC^b~#?<(|gh9&QExDk~KL#<(l|XQD#Uu(79~75$v(=SlPI<*`Z*gLN+$ z|3jhYUlhMm{7dASJFxF7W?~rJp~Azf1ivEqRl>a6TnxyFRw%7ko6>qO{so6yBjq(I zuLlKh@7zj!c0&_sttn@PAgzF&N9|V9rWjBJ!B7RabcgSB^7j#NQPbW*UEQOnf- zhHBDLQjeBen=0=c16M2giNf$ZAIGma+_A!s6Mj5#K0sVTJXRLR;EEH>IBtl)^*S<6 zlu?%kGhj9=!FY=58Gn&~;kuK=*B5^>c~%=RYHu(;Df_d z3{!Ki_IV;xYL?V&sw`wulkqVSYkRwkOqg~Ve#hb3NN6je9R)r=$fXh2-r!*&k6tXe zgW!&YdG^9cDW;yGC*=|o9tsnUE|t(pLT3tm26C}FHeMo^8Gc##j@CtZSK-}=Gn(@- zCkY?0u+RefYA-kGxBvKCzCzNKlCGk}T3cm2A5*ffHu{V?p1wwOchT1d8cWt-8d(pc zUufg$>qPeyeLZRBV|Ll$|0N}nxVyoel<)9QI9x9|z2)?w!(x*8xD0dXn8VNrxY4xd zLssr9t)I01)RbE)b8zbwm8iod`kZbu@js#WZh*vr5+f9O|H;^VHOb`|{cdB14WY{w zohLdHMTB)L|0*%uAk%h)0;5=3iL_E`i4dirYrf3rQKu_F z_~IeDT=dPP86p%f5$6ov9151W;0nQ&gqZ^!zVu)kYK|Lh!n|QV1*;?skx)&6VPQ#> z?1mcMDwILDh`v?yZKM-JZ;-u9QOaYZngVybS-X?{HHOI=F6$0j%(i$dmPF9((`)fg zlb#LZb?%ZhLefY|EWOLI2YY^Hi5q47JN^Ad?iN2<{21~q>d;3UXGV1H9y87lBR|K= zxL3w~G+1t7Q*s}e(f)J%0}i)Q#wHmb(qNuOd(3S%c7FJ}_L10+#ePDTXU8OnSbhu(>$^|Q z*d1OdpUL=K#ugfk(!|oyNU<+WSQOrIUrP8&!qy;g`fyGx4{O?*@co-O5f1l_gl!VO zrNCluFlPdz%L*H);Dh*gW=)yrGtzch-^==emYxQT&2&E++&|Q5eiHn%;2ne$Rfn=X zE;r_Ony@HT9d=3hMZ#_hOgR?ZDX4c9#q!)9b6SVu`&T)87h5+WuY+$ox&_?=+bUSuHF?`a6TD;~NNO!#f37wSkjQ9|7yq=!}5 z>zVLUSOxne3H2qMOo5RV);?$Z#+_o)lOYqIDye~_hLrgB!VryWOu{W18g-3Kc|DBK zI8DmwQW{gyt0mXDGmIS_@dgI-3>? zAM|L&@s+~pyi*qn{K^UV1!Jc{Sbxj@c^bksg6LWedM=ok{g zcyQOstoqw=LL9EOtRz{fAW@xLoy+a@T#7kU!n-e3PMVzb;9!$T4$vx#p=iu7 zXIYBBqf9wjahw$ zJBJoOM^nR`n*DsxE|t?sPG>sIFShhKnj5Bk(b_9rq;!?ijS5qfMNF!@+~}lGxLhIn zO3_!5t`8dZ`Uo~d7>tivoPibRA9uCM%R=q`8p+)yUrU)YrqQPDVd&a0eeF7-J%wIR zlywr!A4<-~F6V~db`E~U;d%-0ExZqL##K^EdKkv-ZZu~u&xFJEmD5j7e>#avV3tyr zyUFlX;SvLc4-_6Du167NDV~y)j5L>H${k@_u3Ra3QleB?o~EQ{sBa?Q`1RQe5GG`Z zFBD%yo@Ey@eO{%HU3@|qWLl3BpMu5GN~D!i<7GIIH5qG!mKk67H-DL!_;T?#ljn_t zPsW=6&hY;PJTAOKcqMTbjaUUa(H0wQ!jz%@{8bW$NT?2idKc0#4{oRl1H*gd774dX zxQznep;^f(5qG=64Hx*c4--6G@EwHt^dSe9SLT#(KMpfq3EA#086#wjq`~{eEH;eL zaH9-=rk%gQ-NHu;A48ncnOLeM+1+FOP2+v^j}?Ef`1{B+W8hm7nk48Zj=OQDT$M1; z!jLjv$^%q*54d4PX{vkBj5EVsPmuADjE8Bk1aVQ8RLmayx?$2Ap>J%Wq)Cz{QwonZ z=8YSj93JhdqNj;|G|(spQd8YyMi+I$b$RK>ML!{WI%z&}WwA1}^*FSr#LY10M*sQQ z&6G1s&TKkNh_c-1(4su|q~Qa*`-q(*e6H|$#F-Ekl~^AKweI=G&z|o21>zTqUqqg< ziqPPj29^eLi_KU%*&9n_ES0g$41A!Eq1h03%gq?~s5hR%Pxz#Pzxbqqzq*Fnd04^I zxo7ZGq6U-K*c;E{r%~=X{O#eM$6q}@XkB3<1Dazm;Fp9D2~C+7C9IV2QV<43@F|O5 za$Ytep6;)(O2R7=UZoI{Io+)`Iwd6Y8qu$bew{R1WCa)5XsvlKo#wBy zPTqQX8|bkZz(nLY`W@o#4HM1{MfjT%-jeV(1-&M7(37Q4!0(vRWi`%(!@VoxJsI!Q zVE)K;k)W5$lVJr(Q9PUdAUrE?Xfv?BJ+(q`zpeLIPy~Z%q?dwDG ztv-gok-Savx0D&cGHin9dsn|RW#lzp*)HXKDL+tQUH{PaP>FGo0(|p0WQL3VB=cvP zJ7}_s#r0a^wxj({v*PFa>+O>Di>%$W_|(S`7rd!BmYCRMPVF1L^Q)Y_a`w?-g%mrB zxc$cNIM1^O#QrAscd|S`Dr03>dJAI)^V~smHivOwf5`b$&R=wxYq0!wQ3=`~h8KtW z=s&`1{H^u}{wiB$a3j5E`I&!7bM^Bl{v!neayMK=)LkTjp(Lj^=5Gfp_xr`>5X zPM6V`2G7qCF{$nhqi;$C2HR?gZX)_D(#(GuN$9Y(duVD_PDqMovYN{}n-(z*C)lxu;%JzPutJ#-NiTZt8y&%@8Y01g*9U)BY(E(}%?ir>LSd6npp zL7KNRYuAPTTCHUz$x5b`=(=`;qwJf+TMo+-q`DLnUk<~pQzfQJOsB{^pOKVo@sMFo zuaK6RaPD$}sexO4blr)wB{(otmB$@&O)# zq2@gvqWTtjx5~SX9-q%V^o|!|aSrC_+s&C0+Dyab43~39a8N*pE4e$(`8HhVE;%FQ zjHGiEu9IJcu0e!rl=1uO`$zh2@uS6$AGJx!w2Q5a;C|7lnxuo8A+DUSUf*w+Tswqk4t+(+H`7-pdDV6r6VE^ zySW*5iaO!xnW+ZAsKq~2nqj}3RbMD$Y8%SiLF0&REbmYdWz zNKZ+6TG9$ith^?s+!vuMjEz}teT*wUWAe1{CGT0u&q;osGV=?rn2~9B^@3Sl!X;mn zwNlngv=ZS&K2uW|OW(X~(z+n6lJttCSA)a?Jrh+db@Z(^DLoYCYb3oU>2*q~%BN*z zsVcwLgm$cS<8bRFte3EX0`u9Ssx{`6mby1g8x!i)Z%TVh+S}B4M?PH1C~2{iheDU`jMZ!bT~Zqwg@#?O;Y4R8Gke#POM z32!d^Y~qYrhA55WOV2T(Z8-nA5?V-TNr5ldD3%d+#fdL~=b1AsG>*@gbAg--=`c(2 zBI&mHa@4gluU)uSYk5iXlIi(6b~1J`*0OADEw~gDI|MORVw%KsimYO0Wnq#=hQa4A z$8R`Xrr<2W*#Sl;H(ERfZ)+kJ-&_Q@72Gbscw6VX_6FY?Ud$H@?jX1$VU{YI(Tva0 z_zHB1DfiU$Iq^~{ouqW8!s;6G23n)l?lR-w349mvUB!1J&&)A6RuC<5mm7WZ0)O@^ zL|-ZTD$-1CECFAEAqQpdY7=^%>4j_X(4w^wi&EQp>ZvG(gfoNfAnnqnrr8bmka6Jp?INbe`xaX{JEDx&%Wx%Ur(k z_lJ(v0`Z07i^%irLs1?_-5{ekEcan47F{B`lr(c@S#(gTD>Jy3U!ldt1eXiGIlz&8 zhnqF{nYB0p4i^_(A-Iw-U#S?<9FJoX0oKw+cj{oXUK!-WQzdJNtZG^eeFj!t!#cc1 zZyC!g;2O7xzE$*Xq#1g|eU7``;PNZ|sfP(3F8B_@EQtVfklvk!FAexz!bb=nNu1}d zD#pOXQ3hYT#Gm_a!J`F_32Xw_+?QZWpCFf~5E9mf}FV;SJ#?Z)Uk3K8(Iib%Jr4EM!@VeerTCY~^G;C%a0TvVqvwWq+bYqoh<-KDXkEvu-D;!vhC#1uM878b zb<+A)UFy~v8Vx62Cv?5g4Mdr1qvg?(oETE*4HNcqMi+wb1#80E#Cj9N;KEz+W%!(^9cDk|*s{**q_$~1^ z_#vz?_mPy3rF=q#F^{=7&S5F`PmSMK=r8e^_|L^}AZodh2!_rmX1fcM1%6aWqy?=nfh^E37&6hv+{=|3#XQ9Y1tM)+~$URaU#d z&3QU}?fOSfjT%QF6Z{8%b+ec@ljn}WeY9(tdSl5(_^+Ef^s*ls7{jxo6LaDV<|1s^B)c*4wHI5`?ZMeYRSj}LP+>xe&5 zd|mQ-4`2{pvL6K_I-Y}|jFsg9pm{v0s-RDYcA+04f#cIUGi=)-jd`{d_7@iV|+M@pWg z7#lIb-DLc;d+{?4H$ePA@e%T>9dJ$@XRgEtxEyot41;HK<>bkU(qYNtmmMvs9^mp# zdHiM{K?PC@r4&(N1YyO^3^&N&y2%U?!c;7{L~to#-UE8okSnWQneo?L>Q5dMUoQUU zz=!Reo$*6{)ag-|7hfU1l02i734mxFZ1~cU0#(9?2(Jz}=Ag2IGt}_(ZT{@H2)|YM zZN!2)u@eo;)|ztS4?gr`rQ9p!J}Rt2;e9gB&|#tealg>4cdJQZuuoSy^s|;k$Zye5UYO!e_#)z}wHCU?hVHB7V{nPkr9zhl zw4ll@H*|Pd+4w1;PYYc^lz~W2N{ga5>>0zyo#b!tS>ewKf1WtY(u&d|_kyv@L!Nz6 z>`JjOkxk@TtXhEqA}-jn)CA@e}&KFd@g4T9mY_+(hYWB82myQtnj7auLN%;to&G5UV-hvzczfq zcQ^$O_l@vv!oMZXb7OfcOr})xeGce6aFNGP5?){U$pNo& zMFoWw?i9mILKW{+;SGd0B+f7cZDeRt3xDR*gq|+6F;P7gnAeh+et})L&3PlVaL<&} zM9x`sm|w6cLlGu4xu(YNjreOc6W?6?+2ol4xTm)}$KX@LY|nEAw-DTtuwDSpooDEC z;fX$9=mkPAB$}vHMWZG8MaVMFwK8XCs8qF{1Nv-`EE`RcM;fbfUb? z989u9RorD5zwKlEjKgJ$&k~>{J9jBYgas>#j8 zupvyTHojXZj;;`YrTDAJGyK?u5nV>^YQr~#*3~t_y9>XTI0J+)o>j4`cyW>IVa7$F zS%003o-(edp)8YxCg=?YU(0WmI9xBmy#@Cn%=ZAdge`M78ojm3$9-SX{Y3XC&14!h z$lYXUjSP8;LYZ@m zlv}0TMulzqLrOW9r?}m;oS+SpHeA{r)Ohdu5H-NvY53^yQRyz>BZQA6&U7vt;6@qR zBGiEI7CKt!7@|zI^z7`+lw@p$XZ-6U@G}lKR{Xu8+i9xwWV zK$lex9U8;ZHQ^Pt>;|9bCWwAW^uwf;J#*Y6h7Jqe3KNA+5;{4ckwI>Xp(m|ZfKg=^ zI!)-KM41t)A|-iPR=mtTc1Q?a_K!<=Lc;VQAW8B0IS1QIm~cs`6wH(`OTugljKeAy ztK>WCN#n8B`r`sbT)O(@kCNLVOg5d~&V2+aEUmbBQ6n}V@K z#!?x}XfP`ChPdU1_W!Ss^{0eBEp!D@^>M_@-807a3zK=D75kjn=gIO;G4U{3fq~vH z7=KIX0ew;YO7Sm|XKum5L8y$qZ1kVut+Pt>E23W|%|MstyVZtPcJYB;BlI<)uM<^3 z(D%s+=WC6>D9pK9Cw{&74aQ@9Rz*dTd&BtEp*sGi__xHrO`e5tv=XuXj=`6l-~;on z;P(W-PnhY+sxrs;x(`fP8LG=0C2W%LAq7TDN>Vmff8K0#L2LYo!+j+BW6__GW>_#$ z2?KKsUf517_Jk1px!^5?RZ?(BVw(HH@K(qBpnoa+E8$y-GamD~jW@n0e{FoThMxaM z{5J958Xp@{7R8bx-x=Shf#V+2TuTu6(*++$;!K~>Fx8LAvJK;AR?ttLm z1piK$QG0CXdFASZcCyA~v`ef32PVx1# z9IHs2V*KT$J`0>GzJd6L=KP59O1-**r7=B!M_RbaFLU>E!Jbyl0 zD(nh7&xB9H*OK!kTp-~>3M|(-DOoG+yH;kr`aS*uhife(Nk%daB~?;-hD$McX6SKA z6`UqGoiGPmaI8W(mLpBZ_607(q+`OEg-l6VlCmi=Oc>UPfe3uvTx7@G9(q_IA!x(Mwm zv>Q>zye#cQ$So!g`7${yyHBF4FSsVYH)+icssm#s$>k2QB8yQfB|$|$;u5ie()3@ zs$0b0D*iU|Dj2Y%L^f7iHN1H$&Vs`Y6Fyw{9mJWqSXBo7?*INHZ)EblJOc2LG@Izu|EA3mz}{ z0m8gbd;u=W8{i%^d|f#A1mO<}f0#HEE3pGel+%#hBj$_=ZIy{~CdrvhhvBKLC>`LY z7+f^R$NN;l(*!?Cm?auk(@)Jz%FE5j#gfmDnY5)n{tbtFT+$Pgrc+{eh~(ySG-+Oj zn_8ujnP#(K2UQ+&lNq7wCdV}+P&Wgf0}ih$!O| zgDKegvDom+J3PKb_)_7^h%;NFg9jZN&Mi0o>61PGl=!E`uOQFU7e)pZ;k&>yhIa}d zTb~vFobcy~Gp7}!T7f}c=$1F3QRtd@QNl_IF9ji9lv|9w7O|QZB|KmMZ&8T zIHnCfHyBo}5tMjOuQn@hH~tZaTO;c=S+CP#O)57w*sV3T-LFD19$)Nwu^Y%T`xIuD zVKZxk_lGLln}XjG{5D~pIEs~A-Z8dr$d~VmeNXKBWO-ujIgsQ&F!LYU_*DRo~MI zQD8w+QB-Qqesit}-;@r>`AyF6bQJMyiX1e!I;7Gcg8vl!7hx7O`C0jC>3L}xxslv- z_qRy{>iRqXM^cR=RjbF}L>(l8{;~?xUyr~qiHiO5uuSfe_z4wz2{kFOoIy7$W;E9_ z`m@lcKT7n`qH6~lAN^1&9b@#`@L(J(`Z&?Ylh&h08dG+vxXH0Q!K`(`sw3+}S#@bK zCD?exG}R9e!3fmI_j zx`)hhnvBzBG^W8TWT}w#%U`P z7KakHwS*)I$rKp)oYGvEVr-w#h)flmCN@2=*rLm27`y#Dg##V*Vzb0%lV#>Fh{odX zB7>g~A4l5=ZY#JQVU`a$v4R+ernEPFatO!8!aE4>NSrr`^*lNGKk6I$UL(4@=xa$ccVQ_Cbgo5Q593#K^Za$8hBT18QF-h+k<7c$Q&p6z(;-3@$Jb9)vy2pw!DCPyj>xa_k zMd2%jzeJp=jN8p+_l$elg!}ICx3EgWD-vF%z$oIQ7DN9rc3(5&))C%VBjYt0uhZZi z6d;Y+sk+wql#ub(iC-^%1O8UFP(4O#zi6|S2x96D^EN!@uk)t7x8%Kzzlp@l#auw{ zi00lgV}2)Zyes298Sm3z$S`D&iu=I$)54>=QT!(HAChMcku|;CA}k@y4!_MN?Rpdc zhQoa%>0?QsP-2>E^>S2o(Y^MmDeM2|rNq368BG3aX3T zk7neA1pi6K&oXw<;4^^;!Z+caMt2$L1GG!@FQRt`8ehw!rEZVWt;6&DtLVL=_mNg? z7Ufl`s}gIOnzFR3zrX=0ze)L>3S%=F9SH8A!F`+aUU9d72>w&>UxXPw92Xnon#_Nj zaDHEZ_J1VQ_^%oO_$vWyVz%HB_$AQ*XjtThBk>a&01|3aVC<9>6(Eb&GWy1Lo<2(S z(V}aU=KZ4XSrjivhrs_K>pZ}$DAujb#Um=9B0(f62qFUF%nlP2#S93D35*DnXJ8Vw zXGkU#Q4kc&B4EORf?3P~jF__+FrXp^Fe{>>|5|I;_rW=T-{;|6_q=a)b#--hbw%u) z;7a!%QE4HirIa11FjtSm^T{G?C+Am;?D!vwQba&A`MDInK5kYTFPe<=QDx!M}?Im;{qP)b3 zib&|~_}TXE>m$6c@O_CZapmL!|&VFu;GG_5qvCR-pO$RF9lTg9e>fDhU0~wAbf=380}S! zmhF*_|80Z4P85EU@RNzFf{nHJPjPlvyFI6hJx%N=vdrAsv0IsNy7Nz3)81(DW5gGc zXUua7Cg!A3X>)uhOZF1srNYaI^EnRa*_eP9?Xpnr#zGsHRUxBNMimWa#ROK~$`50m z?q@ZTaiXh5*N|qar;^xKw$|a&68wfE)CsN^Jf1KkgXvhD0Kk4jH;#Bi0_yxS8e}xm z&~uTj#mXNOoZi7&2quc2BziJwMg|M27KbSgKVKMwK11-Cg3lt%gh$<)bEw1F&YyN! zeE821KUMs>$HeZ6Mnw%>BJeA+(K^D?C^hj#<*N4c!uDa1}D%V z9WL4erz1Q|@NB^s6Xx3}olF)aSa-U_g*CR|>KqAkC0t5@PZPgw@TG-43$RnOJA+P( z(Z5{I6>_emqw=43DZ|yluX5w3CegTB#x*kL(O^Bu&%%1pwJsfHrRjl)NYfb$mGw%Xx$j+xhB>$Chz%V08Lp`uL-6 z^*=G*wZ~*VF6#+ex&g>c$?&AppIc6PO7wEkD~x92Y*~2P>3MTv*w2W5R`heEnNg90 zFtiW-jnBJ~x;+XnNLVT1MGF6&Q8B>YoxzraUY7HUoLA{+#SdIS>c3X}c+Jf(>|$P* z`G(9lY4U!DGA*g~mgD6UW8~fz{*Lf>iCapg!+TDDX@Rd2{l4fANUPi}E5^ut?%D96 z8^ao7_#eqwE#qSvy!fhG4p_}@X7-6YpC_X8shrQ`tf9k8NG8%L%)I#A@oNU-R~+FB z;a>`0OPr4=OAai#WK6t7(RUK{5%`H_nr9l;x~|I zoUn&?z~*Y-JO0PP@e+Oz{-f}ph%=!uq)k)CGvQ}9`dXvWFEW0W@tYagC>UF2A#KC& zZp^+so@1koKV)p8!PXRBcRokRVw?~Pr$1d=XIK80w7;core=4%ApGO>*GB&)t9ONX5t?mR{;2J{GSC3qLYywUYVSZBL2 z5n4N6J1WM$jrg|W+mUBfDkm2;U_8FluUb8)z3AOUcOcEsk^I8Wk#;LBuM|ig8vb!sF17d{skkVC3H!7@ekHcy?jyAUrm+nG)2;GY)izbejM_V-} z)4K5Ij2QOb5_(D4hk~jWXmSa?9eyT(KyZXUg8K^ImoTpt`K>TfS04H~|D9!>{lw>p z&m|u-S|MuxPOmpQDLN%OZ8X1)F(TjT9Q!uT7hNE_kTfG+iG}#X{tl0{*4_gI_ZNI1 zVT(vA9OU!{i^u@c2a7($XjE|$x#3W!f401MnCQbrA7OMF-#CeIq|+TIF#(Z;14R!K zJ(x6;5Zy_51){Ov`3mb!8X|tE_+jK3^JFTO$_Yn1edut8jnIdSK1TGhq?sr=Ian3# zIEP0t_uvS}3qC>c2!o4Clc_M$;d`Eq@QH#?5_~e@j`#x>Ihx3rGyW)R*o~HHDAoB+ z@gU}Ih(VmHAWl;dqZkAumzRg3U8g(z(%cA-7Cc695n)#R(Wp{ZUR08)s=+ilbgdV= zxBa}BpG)MG$}6MC^eQi!1iIYm=4~QfA-Ym@mC?ymI++M#oqo|$cbw>I(KV!X0cm{d z)jIs@oOl6sg6jp3H@Gm3L9M~znU6*|Be+3uBVpEY@XE$4AU?XRnND!)DJx1Q%9VnRA3s6@D&premg_iw2$N zbonKbo+kQy(bGxuWyfa#n?7Rj=>=|dvghDJ88c+eq`~lW3-am32%xu`rgNx*aMl5rQ zUWRa$dkr_o%f4FPHS*@s<7LO8gm`0L>&EUjlyJU`1u_=W&@C&)TkblCmpvP!b-myl z1m8%w3;uu(48&@(T~1>?hd$@&u}dVvO&-byo1n8uq1>!cZeb|A@ncads+k;ab^HnM z6%f8y`0d1bW3YIAO=Gyj=^bob*%Hx9Mc+x9DTla~j?RppSXqSy1KBs=-rO(oXB^>f zdH2Y>mmbf8-7MeWnr|s#aXO8>VdAeM0`wvKCVEYV4#d|2{!*J3Qs!S z?F&W#QFu!9a?vYDGrpR&_O!#B><#>k;AaItXK-FFZszk2cb%btF&aqlO2ID@*83eB zch{q_A-v?m%By11y)5As39nLM7S%d~ntA)08*TbW<8>Kt$as?m%c8g&ONQ-84dE@f zN^Cyx+p^w~^)4+Y5TDTe@Sf9u+Y`D<^!uVeAkDWRJ}}22JBJUQZ)<%KABkTr{$u0o zizXLiosIB`^B-C>`={bR6TgPMlBuz{0&`aC!{;uXYBlLEBz!4hEd}1O3M`uuzH+#9 zkC;O11b;2~8-p7%`26|S;Z`?B_&dSt1#d7o535^-?;ZZnESwET_(AZGf`4+DYfk>` z@O*=R5&Wy*-yBX9V&xr&cQbgS;6DU!G8n0i4bB|Swdd_G!G8BH)oE*5!wsiO?U_5`~xm4FLZRc zmt9XM!JP$nAocg-?dfz63%$GO9-{Xm z&8T48tO=o~!{68>u)PKM61)##CJhEEmj<-BvWC*zo&Cqh%-=^&Upf2IVS{lozOef_ zJI+SH>?bxyY%Wc@C%NRFSI~tAyG!6q%INm zcQ$+@6#WEZ`-?r$*bLZ%oIPQ7ytn~k4;Fg}S>E@$Nmbkz=1|AG+Gpiq!VedI1aU^A z7X55TI(zAe81z7~gTxLdYY$*yILhgN>;W7idZ_4Oq;-Lnsc^Kj)4z-tI9%*8Vvi-u z48?uRxar$*&L@wLF*#oR3F1ePXFAs=!bnFu4Ug!FLQfKUGEoMNfw`FThp|A;-*IH* zPZfWf_)+8;bY(?2-O-n!Y5Y^m5XvZ|8cGo=E94!GPT zH>4?d@AEYX3P-4rS1GTG9@lckUVvygYsg?^eWsC%kBoJ3vdu0UC$U;$4Mn|dF#fl; zB9jWWE{wG%^g0Rk62?>DW0z!(#B8TnVqS0>BZX*X1UCq7B+OJzrwh~MCpdrNIl`NS ziQ*@TpG=;)GL@&`r#RkWY{btHex~rVh%+t<`)r3>O^@(7f~N{Tm$1SvOfnar=lGBH z5uYafeBslHv+j||PbITks9oU3)c(=9P{s@yGik6v3sKK(bq6kTZI-3cENQc)T}+Mf zif6gR@uNn?v&<1bSNNsG*|chRnxjD))pB;3o3rg!UoP_snOD+e;|*Rc7~Zarw5wbx z+%e|ztEF5cWgZn?QVG^OtyQg)lexmRu2p^=<2Ya10%;4W@wSf(n9GH3=j)t*-g@$` z7k`8J8;!3nt8c_7bGXU*pALx8S|t8v@wbrAmN0Dixz*{WlVfad6TMjU?W9@uQTxM_qj069;N#w zJRo5i1?5OA>5VM|A9VcxEJr>h{9)mbIF602uo&W_jz2LvUiM?c9~b@vac1CLtUa5X zk3H7IlWvS)YY2|;l#JyvR=81^f{@6~3s1W-vS&1&k@2jI=gdguq?76VR5~|2@5aQq zhfsJy#!4A4(qJNCvSdYBDqRp>a-qoX#LE(1k?<-7CK9$NNn$+mYmSdz8e{aj@Hd3N zX?Q*wSCi@Rmg9e38}YY=za#uz;!LD;IyaS{mzOLE@40d2+0j@f<9!()(C`bulH1`! z7s~AdK9aCn!p9VN0fjjQyltO2zWIR|{-?q}6TZgq{DNd2rq6ut_<6TP{0re<3SUc{ z7m$}k|63{_ci<~Grq7PXIvHQf_=W~Qk^Z}s`qr&;eva06vewJmK#Nx)D?fbic%|V# z2>(&|PlhMbIhaNres+9ZK@9yD;lB$1&GAGox{1T@j{hea@r}a&5Wb1H--ARV75;SL zD7y!LN%&jBW(tgbx}Y!@>zV%Jc-^!Z{=dSTY^RR`{F}vd@-ewIG{t{szYG4aG2+|c zCwvzO-}c>!=3B`l7dr$(}Z~e$U1p>A`SU5cIFeN3cJ6n&EDla0p4 z8yGWkiqi)Uiu9?XPZK?gbhdD<#enh&s%2sLkXv7WAFa`{#>gt7rTd?oM%PEN(*v#W zC=p#Mx{P%8d!jUyJNx4e@s3uAtrS~jEausUvCh6?^XbQltrlD3EV6g4vm=j<;ns<* z7dxIT9|-2bR5>bb0jnIuLUISohZz|SG8$Vn=*C6RHayEBRWM_$;E%suvd>=45 z)A)P~m$=Z}Qge=kxe_j=z{{XiFXaI#%c$6m z&0}NngD$kR8~c!ihb25hf%mGktR9Q_@LoOYM&4gK0~XYm@wkj9Xz&Wq;1`~B_J+2R zeM;0CyJH(6_hcyd&pb zI?Oj%h8OgEPM>f{Ji{u{?~DF`Gz;zwJ`r($xs^L6KYi%d@(ZH%k*w9SKBmPSff+&E zFqo~1pSUv5W&?dH z%E*OLStsRdDc?}xbAZ;PQqIl#*7=X^O1=}nUi=2~eB!IC8m5Hr9qwVXnST)cqu`$i z^ZsG8)oeQb>_UrvF*d(Q_*KGh6xfdNU#Xi3zq_`=BDGQ4AJR5a<3(U_XEB;7!=KLo zY6FP>692dO&Bk;7N>yV`_{aJEZT`x?;+t%*dOrTub)dN%3%lY3P4P>%rr-2+oEJyf z20x*uFJW5>Dglb>Ie3mGKr>e^vp8)hWqT<*P~qc=dls5IJKmaGT8M2ac1NOcOlGxF%>bic6OFMaBal472A$1p9Q{O^24r9?`UOEd(pdz?qGCD zT^0I>Iyyb-TLgh4bQ0ZJbQjW$M@@Z6*nJB-Earnf#C8?i&Di3)ny{y{e}AB0v3Hi( z9%A<*%S^^;c5IsrJzY5KvKaW@5_(D4hk~+j37X)0JN&ct<@6EUSMa`sRbpYV8phl8 zb9`0181{a`bA;y-XR%z5H&)q1tgIdqZq(b@(xi-(j5G~P@`8}(^iG!K`JxL%7j8`# zhW(x1+2{jA_ZNL2XPJmQnXp>B1xx5{C% z4wrQVEf!PR(Ht222~U!r>rOLkwizdtZ{5Am>Y5AaNl@y%EdMGvMr$W-&(Bi@ibYjbz!) zR!|&na&+4LF+Pig-YoPMq71eQ^UH2^_MTJ>_BOGL#okWVA47Yf?r`aIdkmLIS}N&I zN*!>5|LvZ)e3A)wc?f^3i&4B=A>5-7?qvwO;}2ZUpr#Q^)fd&`0mC;_P0=L&5c}-! z^I&cp9AkgKf_Xr}EMqW?J-#QfW?X)@=l(&L_OgfWAxRHQdV~^7Hb`joc+}~=jebn@ z_c+D?}T`BfOvV4%4+mhTu6c7JP?zFdz_OhH;Zr&Abz)e zu}VR_uOL2P5G*^Yv1(&A+EPArzRpHDeI$Oh_>ajm;c~%#;_TdB_z6e&RP1MB*BF}s z`?<3p9~#*&#C|DuEm_6`+q7!%$XCv(&|PsH_Zsn6sm5}3{QvkUuJ_`gW_Rl;v3U<>DLzWv>W zgCB@z*eKx-37bqnzRl0i%}<9vUFdCR_)Egy5;jv{9>Hk5P=xO>l*Hj5cYbdbbML=$ zn(Uwt4g71B!Q516ivP@hW$b48b{qVJuME-Kl4hYdZenQWXj2<9zn#$Sh3-IUX54WLQYFLJJQi(QHOGfZ=bM}8~?F^k~_<2C1V#F-FX%aKAen!d)eAc zwmOojtg6>$zD2dQjc68Y?O`o>DW1KJ!fLCq+A%B^Ua0V)HX2Ix7Ta};G$*ECdr7-V z>OhIv0J8$|8pobJ9bIT)@9<6%I!ow6!HSD?jM?t)bg*RKLrzyY-RLMcV|Yna_H^ZZ z8$;V&N)IV}QDIVMD<(x{b)lylZLC7Fw~Ssg_MxE?hFgGZ4qs8|?aq8_MCv1_ubh49 zu;^x0AsPBP{iIb9_7j~WI+rxlie1+nY8w(ROt*gPq=b}&GzC8O_{dU|S)TJ3r0XZx%kEn$p=A_}_QNacc1>~t54PKoGJ(PgB0yG!cOFkSBOpl{?SVlW*C|#^Nx+*`dASGci%@B(ampGFs)06{vsW$)4iEvJO!=L&BL7 z&Z5A;Yp^HF+0MRubY#yFJ5}ttWO)Z_YB&_}Jf}C=dI-}*pD%hkY39Sw$ndCmjB{S%l{Zo-6oLgG;zh&1DW> zVmbeE!B+^rk}xkXkTKq{B;hjX^&pc)8#egjwog3~FO_d1I)Wl5ItQ+P%`hWAvYq_pH3<=&{tp!b}(l z*ASj}eus6mhy^}SE(>Fpy`WqnlQ^Y6JB#? zCuqKkbe_Pf&vfib|GiB< zocHB?Kqr2ECvtVVD1PW-cgwFINn9=QV~VVQq2mRu8!@>*ap@!Pw2<_fq&1Y7eE7y^ zy`>h};B!~HPKYV~g_JL)tfj(iP>Lp-@Rh@JH{&-PVV&Tw1%G33RXv8`f9r5vGKTz} z;Prwx5N3Adg4uQ9d#8hqJNQBLkD`Avx}k`T**`ly|LPd_FQR`H{Tpef4l7Tn9+cEI zB6I!j(j8WT+9>G{Nt-A!LVVBT`@!kuRzLeo^xvX4lkNaIj_UvK|0ztPk@6o8q3$h! zIKsaQp-FRnP2gWWH1!y(j2u=~&88qc^G)%G?03b>#qr{{!B6C zj`w*;XTeSd!nYT`gW)JTxxRjL$9G;D@fN~c3g6N2eBc<@x0B-+%#Zla!dnU7#qbmc zv0#K)YsVLliFg~~ZH2cZ&IcY*Nv83gxvTT2QOM!|X1&hv2;kGw>t=$0)E{=aiPR%OD%9oQHgSB{}S7|oNLlV)bk zO{5ZeXq7~gqf(Jd<)IY|W2=zSFyto(Efu&TW+RL($}h;x!(UQ4_=La!O{_e|+myiA zOAHmnrb|dxjL9l2#MH1vIMk!L(jKtG6wSjG%_A61*7~uLBNh)}W#C9RHlGzQY@m!m zG6vINLNxHLgx=$$oS$GbgolV9Dt;JwCUSjEA{_1P#_|~UaIwdTJ(esxU3vSG+37^Z zD7cSvt*70`10aGDpfTZ?2>zm)1&*wn4K#6 zG|{6-^EJtsrAq5c(9M8i_H?&;S;R)m8Y8QS76)|wZ$lgU0`T!x?DnR0fN+Eo*`>0} zXtSQCHa1ShD0g9=HL_JmsFYAefsaKl;js>feHb=EA1An4aE-wU!nF=xd02$&1lJ25 zZ*Y=uaCn4`_s{$N67pJO23*G3w_CpDO%Z;*1S&wF;l-{95Cui9cWbbn?thxYDv}o5yy6OFP;m zm2Q}j8<|LS?v`_poO|5?jRY?!z*w;R+{v-TyI;-&a+bM+ zvfZ2q-Dz%V_mG^2{uOTGBlwYq_iywCweo4o^G1kClGUh<;Y|bEI_+Ec~8Zn443e)dZe*tDPmm3$j+q zdeJOQ0l^I|Oeb>-aZ_J%>t}mvUzYWXtXJJ)!&)LQ2{SJlUURGU;Ft=p%X&lBn{FZ7 zZL!{R>${_(^|q{cWW7s^Z>eM|nTN6GsA;B>h~j&$?L9ndtE9az?E`AecbIJD`R+q^ zX4*`vkL0YD^RYQO1z7kaKQA|p!PcL+vm0Z9BYZ07GdXMMFxi=aIT+lJ=N+;8+^ruh z0l$#-rL47XApx-p6o%}lFn8rEw^~^Ou9Nk(tZ&@nbL-Z(ZhdPB_?@ivvNq6)35W+4 z&utogF@@oK*Lqk2{vho~X+Ke8?!#m_eBb`;^kz%CUqt^Z`Zv;SMMFgi3&o_76nRKO zypzK3Zg#R%2448)pBeyVBkc&{Tz^j`*Ebsm$^KY4(-9#Do-{wDVHnE5J zUztr>=mQD=W@C%g_;0f*{*?VhT5N^jHuwpjNHVvj$#+5yp5$EY=!Z&SVQxOEf~nBV z)vJC(SA965dp#W9JWFdBs%L&b0>tSbXA+4pf9jWnsfu!L=Sjd)nh3RxE z?Bw3=mO4AjYb9?N_s}1@wb$Cc&Ah!hLK}H)<+XDUh1=HNuI??gc(#|fo4gM6vN<4G zn4e1F^71g&8i^D-x;e)ZrjyLhGP}^^A5;h6+d1s+#!glN*h5BF8Qo|wDKptgsa9{; z)3rvMPuE>q4{3W*>k5svfUVx<$at*Y;~%WZmc(?<(9;7t*k12@E1+HqXdec|7^5)9 z0zq6sqPH8H+Tag3LLV7@W$a6%6Mkil7K^x9k%W7SPZ0it6?*!47=5gS-%nxWD2!Z& z!CQt;6~r;&^a2KqBP2zqM5jsbiC_P}i^b;(Tk5g&r~XAyc^=dNyWD&QRiK~>8B{j} zmBRN?PR`b`=T{R-A_Rqh5Yql0(zIem36VNLA@x^C2Qnl+k(jB+jd>1o{J~R1HwgoT zA1wS3;$88F|L+fHvFa>nD0y@G1f>4;d^#vqzkrw!eZ}J2J zI?@ALWrgWL1vE$j4Q4>u3t&=&qa1(uNP%{A*(S*OVwMT_;dE$3npk9yYWF3vJ>w8SwIizu?p$Vp`RV&^Zk;<-e8srWMT zOtqY3emW7#oxa>ER~4cwMOTsjpJ;K1P^@_6;zbs%aT2Q~)=8TGU@-hjC@o;l3|LAv+Xj@ zka(uVvncX1Fcne!+0LK806*gh=ZK#w{#@sgx(xq3=Xbp>^3%khFMc|CUIwQLC&L9! z-((NSg`#JOo=KV+vbYhW0JveBGUP>W4gWZvW0tJhvM#2@m)sUBQ^SmWiF+rTH%H!F zd6&{-qHXb5Cr{*r%Um36;^h*rka#7Un71Vd3%rx!nIECYY*~# z(F;T`B>g|p!iN^>h1a<_(4uv{#2X~uNRg*OO&72Do1E@`QB1W(qHh*`i_!T>(ziNY zw=mMTiC!%FcB4`DqWX7-(<`m$T_Sp^=sQXO&m~~nK2&q=a&eGd!rc<@k$5jfrYv3z z;_q|*sHHJl_lti({4(d0S^h!i``#J(hr~ZD{t@!Zju^pH5FT}UxfQ^ViGE!46Qo%^ z!je4L!P?;=MX^|XO7L>QD+u%MYZsOY;c3TftS{gh;m-(R3+##%{Iq<;zqwUF-o7x_)Nwc8mvyLIS%jV6qoT~LvHxo&10-x?hBb; z%3Mp6=ZZ@?WD?;kH&QlUa-EE?Wqd<}nIxUY>*iaBe`kv_j_{q}^@2AToX^Sn-#h%! z^%4F-@Q;FjGPodx29}>4zVNOH|04KT!M_VG@SXeDD88toC3UkdsJ@PA2cJAkoV7?kGzes(==^d{1{$=Ikw}mz;g*Fjm#2 zb!DNq!`s^uEPVv`6}&HDKEMAnh6=si{oFj*Mp5l2Ge>4FO_rWpkHyK9bAKY-sD#TW z9vaKaq~w(3G-XyKZ1iBJ7F$?h23?+et84&azPti?h4grXIc^@C(O^LrjvdmV9{@=^+GmdbW_`}5? zL0->CT=X#<=|XRNJ_bq{Bw;WGen()zRZfLazmY4K*lMdoqzsiZj7qHE;4O2s(`m~I z!$lt>`dHFTWiOm#-@|e49d1SQ@$ycPH-a8>5MD7kVWh*|t>@uH!6ykmnJ|+niB=MJ zJ)GkFn&a^^j&Q2@)5MP=uVk{mhtpkHXBFYm62?dt?ZUZilfV(qkuX)lxfGO4@m8GYe6wRC zKTZ7k;-{0h?22y^r}HhlUMPBo=$WJy9h<9gkqb?G#NcO1m@VOA3W`oTo2ZvKztFPY z9Px9-UrL^dimu@T9~E+$OE>QuPjb1WDiElBE3dz=qu5x2rn?HB8jB8}fqrt0Y zbtoCGb$b8ZV)*k#FA%+uG_N}Li6_E!E?jB7)7MM5LBfp`SO!+rNQuh?-{jU?ePW5b zNY>4=ZZV5*l9Yzaa#Y-{ZtZWk{215&W#+=Lj?GWHM2L6%(I#eD@&?8DYO5e5LRgi7V_B zhA+J2@bR4^{IcLz1iwm{A0h=unKZfwjxJhobP+C{JkV9tE9XynNUsz9wdik1^X{M~ zoxq*{*72FkBL1E5^};t0XW%&)j*}CHNo2p-ofBJ=9uOVe|vR=TL^9`ct?Ztd0TgKc=F;1?<}~L;9UqaZ7`M$H;Rqo zg}J!Btz8>!%>iwswUyS68e@-vTsdJ^hd;0fyS?Du1a}~ueXw=AIy%169_&uSI}7hZ zobP4~wM*upwH!m7@_3tfcW;y3uRY{-mDi0Pvm6RZ3=rSb>4tCcBaYBrbPv&ck!F8K zKE_KGqziEQsL`TUn}eLu)7@WeklfyKd&%90ZuZ`x3Awk!E9~C&5!_esz6KW*BIJG! zms;7gpWqz9xrABbl2Ve=l=L9uJ(do6P9I?JuYA!3 zq6ZwiTWTKk#jK4F+T^R^U?Q&OKD; z9>#P3*V`H0FyUyIzAYk|4!0s*m_VmBx@OV&ScqFuh_MvN zhIsPw3k&$a$sDZosK*h#W61f%e$JmPHA{5PQk}Dm=Va-Xov)YO&P1= z$jE4r(MW@-z9scA>J!a$6Wm*6DKJsqBzcqRskVn3jP-oO6zA`oiQsUAGsK@M{w(9s zz>Qv)!f>|pZSRcyIpU{^KbJfkg3$7gg+%kV)N;;q@ry^II8EaD5~oxA@23O9L@sdY zU%Q$MCC!jDlM=56LsD~-sPA0l{LA)9I7|F&@fRD9tHE&ARJg?X=5{r6#LpFfDR~xT z7(|;w0ZuTp{5~3aa&FU+Pym{`~TYUoHF^;q!>Ih~9D+k)=6u7qKI zK=#I*hU{Y5H@W?f&1qO9`)1j<&}NRsUT}@*`@&1%RyX!q93P_FWGt3(I}H{)oa`Fz zaQI8>a9AREso*;aGvTwrqbd9@7us9scT2cO!o3t2I+8Cp+~;u9!|@xAaKGRO1TQlf zITYVJ4mVgU_(Osp7W@d|76@YN)OpmMmiF{NCg*WEPte&a`ibzQ3+*iWPf1uVVFd-2 zFpb>HSQj0hcIBl-F+HD=@~o8SsPG)!6gvhchMSDhDy7bL8d@FE4iN-!t@E3RmA z5z4-o+?uihf5Z`9mi3CPS84G^b5d7XU3ocX{R`!VwoYky}~mdBk9pSXITefxhZ^)sn!s4^F%FhW}slQ6OIb9aUZ z{0T?+Le7_R*3z+e0EWCd{gjpH>qLJo`Ww>B!KmP4?Er_rw@Tu7g4YY)Kv?y@t*YVS zdzVhPO85_wew6f+Nn2Nx!_O}LQK)NZ5`K~NtEAs3FmqxsW@Rq`NB+f*^_fJmP z$>G^HJZWdatpx8vn3)v08)bTE?Rc}i7&-wzp z3+^F!FN4t+m>YUJeEwbW0`?Z%OYlB~^p{y92-tOFH9ejP{^p&$O9TrN3{=Vwx z#?i~;S@x5WBO{jv{~w0&3YTnc)ZLLWR9T8 zYXXjWN&F-WBVBp&m>9bfO1!!92TQhA*E7El_~jK7Um!8 z%Iq7XGEPdhlp0f#Tb9DFb!Em0QK^$sFJ(LxmJ7@SSYL*t&kMQ!d~k2<&(X`sYmnDS zPq&84+heSDetwwX%A~BkppVPUw)@#m~`nI(L-@QaD_ajUH3hPqfm!1?(-WBq83__^XQ zCC~RHdWrFzUFLM!x`i(neTC>NNwa9I(9T(PSh@8oH^z2};a@G|8X5Cw#Losy@VM6L zftEh=MK2J&&}dF9L`RF$Ro0Yuz33Z6-$rkqWqr5kdqm&sbOKW$ z!+lP7?hwPiU-Sc_myzb3uPEVwj_{!4f7&9e4+(!*_#?y_6|BcvG&(%$^bk16#OD#mXJk_Sckk0n^3;wLg8C6^p_>PBH>jEdh4PoAiU=ABJ1gVUGN)%-z3b} z3c3}!I4-x9$737ba;?$^QM@hf9ck}U<2ed2S2eun@IhADSS9# z^w5i9^gj~4TJ*=H88pho`tXUv=bjpG*QbI%6THS?v_Gf9=MMKdAcp*f;4cNQ-3rbR zUpbsMc%9&{1%E@hJ3`sAs<@B&7+v33TwPT%x~5DkWMdmc4{QA^@x>nP_4D`653$VjgZLlC|3scS9NS{!j)b2b|J?>x{385U;lB}QigB`C_}$?ftV+L8 z@E?LV5oTPtvzOL1c7Dm&n8JUF|6BZK@(er=&HUjXhp)E0`mf+7JL`J^|LO}#3qoM~ zz+$cl)D*wQP8R!g-3CA5t3lGXl&mPkssK(8wY1qz^!B26Ak7TB_1?yq!QI@o?QG(5 z3u!H-?MRK^;e0dYc{lP-ZVj`O?JTR6tX*jFM%1%K5t|u0esNVyt2V;h3U5c8kLuW> zlDgsyrc>|gLceqr+Dq6?LI(;Azq}4z$JL>u`WcCPtr3dMviGP8Spugx)Ug(Hnom5&B5#D`{U!y5m^E3*9YF_m~*z{Y2-8&Lz#4 zYo!)n$8#4FZY^zqj0l`pzLbRlV8aee{6(Zl|ZA9qWP z&H=*v3qO!JYt(ptw0v#`O>0_3GaTe*#hEc$17sd7^AMWs-^R@jhdNtg1>0d_4;Om` z*=#9@0j5VfTx#$@!Gi=3Cd_)~RL5qm6Iy?;ux%UFivTv+ie!oU%ZmvDlF5fqsEm31}PieaSF1FWKTqUe)EpG=y; zbNS+OEF}_7abdBsOy*pw zQ0z*1^Qe?aDV0)2h0*8O1j6dxI%QL=ql38oVE<%=rGoeJ~LzZ<78CJsG-3J zvIJ{KW9ijU>-=YH@iUH4C%#_%c=C)7`o&Ps4^9tgEf_lG2G+ zWX+a!F)co{CDj^wiR}c@&E^+gYuL0l)b7anyc_~ev58nY8&sNV?QmnRpnOm!0 zmeeF%F6#KYKs#N&oxXO)5A;$1(8P~{|M}ye{TQZdJt$D5U7qpN3eDMp! zFC@?O9gl_1uXFaV`p8}{_6D&xlI1go%@Z3M@FawrT)4VC3X3G%Ea4Uk%tZ}V6&QUV zZgsrrf{5QHe6jG`i8K7-x=cxBBO-r?3)LUucN}4fgryShq`>fNi?DSMRu*%-o!#@h zh2JCmUgEsgViaxnIh$O?fD!clVjmE@j4ac!rmD1}x@>ZI(D@q%#kfBt{$cTtkmnPC z_6jUZ?C^qJ88iZaOz`7^pCHVLaNU?Eon5qj4EQOr%f+rB%MYvS`tY=)HxG#DGeVyg z`W#Wl0gWvA;dzIfv(p?$ctP+=!7nPQG}UocHB?K!>*< zr>F~6;X}ud85d9Sk?_^RKPJu+5MuxeFk{~7v*yK1{#5j5qSugSk&lK4ET@4LkTc

    5q*zv9pQ8@1GrGvrh2Wg1;fmJdi0V4&OTaueG6lCw9Hq4PjtB|0}pjE7ke&Z}$C!R>DMRivP@3 z_9yf}9x&73W?khc@Nz1SVdX76N4B?{f5>d~ROEB9R!Bhx}k zODQ{2;bmgdb79!Y;nutfIKs|?TM6EUFjKH7Cnq&Jw03&i6@oEwU36Q~?MSPTs0@{cp3d)J8F+8;y~OWB zp6@Yh@*f>~yV39i{(vL&k-1&V! zz|S~Bh4@PGRphh5H#A_G*|ClvVgu&K39lAjL!7s$25hafH`yY(bz&#EZ>HX^_%LMX^EL>#$3S<4dg6o+x~h@X5qg%fnKk#at6V7w~IcrXsCjNZ!)161_1KZs% zaK8QSF-{kXpCNvx@mQq;JzS{RJD=Y+^0UOx7Jo5$UPB4iCa}AFi96%J#h-A5IdbO8 zxs(pmwXU%Nd)$S~9N%DH*Ov>wLim-2H)0A_S#7w=@j9yzT`l|?;q!>|SuCy#*o(yB zp;i%|FL;6Ag@hS>l=@{g#n{^%LrSi5XZ0EJlCPI@gPa@b@IGVXE!1w1rZ>4TyLA*6 zNw`_UEfm;B!w0?~U>!8JW!>u1Abaj_leAdU?UYoGV{lYKxWnmg*5$B7^it7xl2-06 ztEj^YW?a<&E?0i`O1+eOq})q|ccHNsDODTpbNo+hn7?261HzXPXMFGhSDXnCI$d>O zyyS;OKP>tY(rU)XB^RPHRhH4>72#3$2HRCXChu{1Ptarbt}koQ=7&!@e^6;W&r{-; zi(f&WH+xDQ9?+*9?stELpAr15;O7YQiYL}pPe1}a?|Ajy5r0AWO5raO*UJmr(qjrP z9)_3P_-ngpye#7t8L!e%X^N%TOYuf}&G{bI_VT*;H^je5o)N-I(=2@7a=dce82sD9 z-x2;UaYm>TODEJ#Kv5;Eq*mcned4lkA8*FaD-1~d?sTJjrc~xEP&6QKFaR#7oxuuz1HaBDmKx6<@9;) z$FSFl{#x`mr1`XkGB&LtmA-Z1daKBNCtc3xD)*T|JjudGh!pzfoZY5D#@>Zavn}%B~#vyK6)2;x|hBL)s>4 zmQLH7$+EUm35!cInr7eqo!f8j4ULQ+afN}38IgrQexvd@G(=XbIBfcfGJ#21oh z=~z;y7v}zsU-=CKNAL#-?=Sp7;=E~@qKa^kv!l+7*E&G#!D0^~YneV34t4ry%k+nd zK3wz>q#2PSJb`%49O?Ke_MJ3P_#okfiL=nf=}Sd^z?HhJzVrLqL1B*PUnQAhL5Qsh2eCEKjLpV!f3%`1Q!wJh2~@8U^)~# z-FuN>%*hsAD!Obd8uLcVo$hONh3HDrRYqfY71lQ&>-4y)81^{P)uL-iGm4l(kQZtl z-g88R>jc*e9#5E=x4yBaejJ*7gY#Ed-996}L42d}>?y?HqA8CS@-k_OvV~%*#rQaj=fo3>tK_^d=L0%SP;T;pB?3?n{?LtI8>8`&jMXwerol@n zE5`>+B7EZb{ALmVRQPAY*AUlZR-A_=bRF*WG=jhpz7YJS;I)ML9xATZ>hSpH317J~ z+**&;N%>mJH&hsY0oLyi-#YyHT?`%Jeq^Fjf1E$PAO`=h_$ICOO@M#1d?;eaS!jwMvY!Nx7{3jE!Y6_F zZOQXeG5-pa2pnEL7{B2N+X>!Y@D2uJU~@V&clhShBiur8OTjxDoR^c%4?8*h@dXjy zS#T@CyKDs)gw_s!W^fz9Z3Va63N8%0I=sf<_JVg4+<`E2dMY2|kpAOE^Zt zu@o5ZL}4lwj&pe7A@~hPI9~7xf=3W$=(S}N*?fl`I$UUST)fZ|C7dMTWD2}NHFb;& z_BMC^pP`XIRs3nK ztZvNFoZ|Sqb7IJ62tQN!S&n1Bx`K2#+wpzvK|M$KRN?0mXT7PYu@s##iamM+Tzcru zc#dh3&X+Wu5}$5dbFMiTxbtG~=v*jghMbvnIKi2D8GGVzEqqMPFAw1&7t1V9&yqM> z;>8qW0_R!+C&MLfJ!hwzBWtd#OSiIe%u0mI+`7rE%Vk|5>&h)wPJvmu;VQRAnRT_S zYh=x%#b$#^lO}{~ojuSt`kF6xf!Kv)S*VxPVKf06WJ<$zZWMhR6YhE$H^{h=hRPzo zr*Crj5bL{JB=}~*w-}trnS{vz4zJ9KA>Sr=vEbVYH^(0`Y7Wwnr8`{dePMh!mPlDD zr%b zD=dRNB>G{|kC0{pm6qeB`l!R*H^*y!Oz`7^pD;MoWibB7;r~pHQGZJCa=|MI^U*8C zoF2@`d)o1-zsInj5&o?3=M3lP2X5^1j<2`x(HDfT6#gP{W^7(%VfHbC^^#lT>}p?@ z^@^-lX)yz#C9-H7y1y{5*o|X9iqU#q#v3x;q`|8|HC|f@I=0^Kj_`Mh^WjD> zr{3Ne%n;sl=P2vuTqWmyIUmsBEkGr{IDF{vOV*e5k>J&WKPJrgPJK}(Q(RX!E_~ub zr!nz1d@A8H32P|C?0|~%=T6sJ0(~L+OVMjdGcF~VsT{s?_`c8a8;-C}@YjOBF}Oa1 zK8kN0zOgpO<2%9Y1#ckCl+hN3ytZnvDMv`nS-{hT<#YA4f;`j#v1v&?aqE z&BwplvIZT1p(*|=TgU&^>OI@wC)Du;Z%dfT(THIy)peW{UK*OY^PY79ZYO7ZIXlqd zt(;I&SAr4$PCvLfMyG}7mZEng9iI?<)N|-27mnM>t?`xtc9zvj)-JTN@hUBwP*z>X zMHpMV^XZ~^rZ#fg%4tW3@j@37a?P$ze`DoSd(pdz?y!aCRdjTEv(3}*B)YTcE~J?u ztLm_9^6n0wo{SOMLvUBY-3Si_Tvt|7N}&Ry9#9EII}tjeFzz6`$y+(rJIJ7Krmnn* zolWWtK*K(|Bpc#J>ZNK`*SJ-DH~2}rofJ>nT_^3KlkUZnw!}%%1FzLUvF%(Y^mOS~ zdoS%Rsh6aEC}oowJzn)(Nnmp5?M|T$weBOQubh49=t(Y2}$;VE&H99FeB|1$yevzdTHSD?1bECmBO1_K&8HF@dYGE7Du)o8TZ4HD21oszw zAmMBdK`smjIsK%)^ahANSo9%A7jvXpIMnIWZJ60%q7N5+gwZv4?9e&j^l$du4HP{{ z^kCA;PvbF(T0!5-qCL5ysCt65{Anovcf6utgx5N zsd7$}Gl~x1W5soi6_wcQ&++LtE@QOtF~W-sM_$GjzoFRij@E!uBD_?18F6NxOe03E za5a%o?#5kL#;2x2Mx~4@{M*<|g*zU-FxKf#+eLbu=xWh5_*VsXJ*Epd+RG{ibwcZf zjwfn4IhE$hWWkNeb_X&t8e}xm;Qc~>Eylx7aQYql7M>`2lIY2#^-ii97p6GdWE}#) z5zY{Mrr5KLtuDjPe$L*0K)l3r#7-4^E?GTKRTWj?JcmED-q>k^&lfzMFr$nGdoalG z0;lh~PO)ebE)+dO^vtd4{BV)ecN;xR^lZ@=lU9wV2+jQC!zGTtWL>0lgwGXzDe?H3 zoxzE@R!oSb>BYcGtB zNjYEI0%;4W@v&{J-KtCu*SWQ)y~VDVb%U%MY4JiZFQsH$F;*qK$%XlAW3n!iaI=J4 zDDW}Fct#B>;w*<--I-^D8gG-cSkCQqEVc4DH2V%0&a~88B4Me7J1H<*RIqTn%i)e) z;)UNW_#VOc61I{DeFRRQWkKIB`T^0)NHZ>od==jHm`Uuyq4q9*NW#Ms9-+XjkGOL6W{{?O9a-1=bb;>uJ#4-E5*M^p5<(9c7zr;hkePFAFML}vXob(ylP5)(PV4G zf6bM5t+xHTlsBZjNrkryvtBTX*x_^RbLwru?+AXEFt0h=Nq`8w=fb((Lm=UO2_Kli zYsRQ9bP%|3j$QOe5>`w2m;$pXMt_9{^eXWC@e_CIY<||Kaz2x@h7JqRQf$>8^pX0x z8>=_r4>-aXGQO0tmIlv)Xr*&7wTQ!BzH;Y0i`hCkU(5N14qG&~dPb|T)BEJ`t&834 zzJDiiy~GU^na5F~Lyhozrz>`hPs9(Re-!-_Y2FXg;b(_WGx!(5zY6}1Fz*K{hgxqw z{O-bU_7dAD;SUL$C@}O?VLtX9cX+8)vHlYLx8Ti$x1_7a61lO;()C{%P1@>%0{^O{ zOg4n3`2Vw?6NlN_G~3`Od`<}6mM8tTZ!F;Z1z3HcJJ0se_$*4v=QA_ zbUUNVt1;pv?CSK#l+7ST_C!UG_S8AU?nH^$L#OIYd1vU015pi97uuJ-B2`1b=-rT z?|)6?2Z%pd{2|8U!0dsYN3|`DEOv6Z*p0XthPLy<#q?0M}TCjpD)|X6T2n*IF z4X3y@%5v?gvQCpViWct(MzaOhL{4}9q46i~1>wD{b!oPLC`hW8G@eqdEMc%xaQZ^aFB#Ddq8mx`6c_}LJdaGt2?i5fy4r@q zPn0xC(qu}!7JjJJmz7kNV_@GDcb40S+8J`rlyepx-j-stTa3f#{Ii|kY+q{Uh@UF{ zT=IMp)dx|B>pstgWpCnl9ATP-^Ce8Dz+1v6B@eHmx^RITGwj+glrclbOd9$`jWuIr zmWy0juvX`25@t!6E#+b=Jc$;<;IfC|5;vZ^E@rPeGUm#-l!o5a9O-eH!(Hrq@N&Ud z2)>dqOWb;}S2^3??(@}RuMs#lX{4a-vVWi61kkXE*wR)=%A z&iUi4zxjIcH;BKHe75d@wgNV^-Q+@lt2-=`aI=J4DDVWl4f!arZgqa9-Gtl3FBX40 zd7hvKlVPyQ`s8qj3sbE(V~K>N67HnH{EY?r(naAer#tt@k2u2JqVExXFKH$}XnZ+1 z+|}Uw1wSBo8DTyQjC(;PhQi~^Cp_rVMRoxXNqSh)Bb0asY#^Q+9(8!suJ{c{cuer) zf}bGFtDRU@UCnI{!;>z&erL=+Pf1uVVFd-|h;lUlKJDx{YmItF?6YE@Gqw`_)6YA* zVec633u0G_eUWTTm)!7@!`oWAye#+?!LJ&OfYGzy@DCR9>w@19{3hXS4pW0 zCdQb&E&d(x?~=FYws10r)`$1pm}M!x>i@Cz=kYpK|NlSk&8rYfq6nGi>747#A#*e+ z8A1`)nJ>;{UFYD)kcuW1O`0?*lq6ClGS3;xEMqfe3YqymACGH2pU3BS`|dx^tuFWb z-fOMB_S$Q$y#^Y)XzYf8=T?RsrpkC{$v19~DG9nB!p~IpQrQOu4@)YByJ4I&s~h{x zau?(u<`Zv0{P1XOqB&jWL|K{6_;Nkt%EcF=Pyx0ev;M!h3g>rR~`0oF#09UHYG`yB3&9Z zo^E+-=>lN+?go=~_wbh}L#ZsKa*%M35@qvjcca0@zLMYMa5oVyPxxlQ2v4-^UXtJ{ z7`>}5VVQVLx+3XHppjpsP9z;cQqtUNLSL;9-A17@g(?ux!xR|gZa1`i2Y>FWM5__4 z4is^fk}N*je;;snm^4uns0O8)lxjgjt_jM=h1$k`yUJgn4%xb7>w(4HmBh>pWn@aZ zUEhp2tpGHj(U3+X7$_HlskwRbdBQa|ey(1j3Hhevn}Nqu&YE?k4c*+7mRh-PK_!Yx zG!)z{*#s-r1q|NxjQl2tiy<6KI8I?{;UtBfjB;^z8r(p?5Vs`U zig0U%W1|8xs>t9n`lz-c+?H@Vz`UthuDzj^^rm(o+L34{MWaLRZbO$h^pWdKvHeURV^c%f?lEKU zx#G_}fb2lBL9iOb7?*7HD;mQT(y64=KqH1j(`7Znbb~+s)CVJja3|E4;RqkeQ*BDw)&>9O1w<#^0;hr?Mmv&Y?MfPd3(Hd9PeH+xX;(} zn;h;{!mkm29WZi3ynMq*a&H)2_$=XKZZhdNNxuae&wpHsd)v_K$9eP}qVE!&0u&+6 z3kKbL#^&|+N%B6~56FH9mVtI6pJ#bxrM=ls>043lhSUoi+>|{zeBo`%BCw{Uzx+N)MIZq_CT7 z^l}{$@D=HKq`wA@(1Uj07`#m3`Ggk`{#IcWFm9p2`?Y-ej_@MFixqaV?4SGI;ITSS ze+l8GgqH!v3rYMgg!oLyz9We4Ow}n941YZsQFlnTA%l}E~FG`11LeY|-opwh| znyg9xH>H0l9fgF*rj2mN46S{$Ps`&(PY^u`6fuxJq!Zo01{WVAzsccF5k5`$3}D0n zfl0)+4p>n6Ka<|nz?`LYj?#HZ$T`8(RCK<{RObt3Tv~~X$Yn0lxJ2VJ3_Po{e06f6 zyJGZu{q%R0bg^4mYnQ)~7|0^&uDJYPq{f~(mS>h_g5)Quu@k;dVOdj1D(nXDoaNz? zgi8@Ft#E8YtV{tgxQa%z4B@hb%PA~_NM#oRgKt9O%HeJzT%PdFfH8AT7Ea3vX9ZnG zT399x%YM%0_0;v#ZlPC^UL|;V#KY+k{#N5V+k{{8mC08Dk8jT5^vG-g!|zhOD)DN> zs{=>E{27` z)B5JDSEm7;hIAUi@fQfV#s+67+=Osb!p#8V<&>SA=$ac_uA|TNEyzZZjRxyaoZtcm z=jn-K2*(nR1B?@gljB{yv7c+3Gl6U(*(9+3#PRM4rDu$?WAm`41~Vh*q>_pr07hx3)y?X`Vc3&dkr3a?Ao*_O9|F&$OAom2#x~Ww*Mn?Nvc13}@1bl-at|B*mOgF0 zN%tY$7jy-olcf+!m(g+8JVTF|`tlAT-VwJ>)~p*r0(P zMq@aQLKq12AX!^|gt7nW*&io6lI$q37;%EtB&237$}yXPFH#|={HHgbqy`;+qaD#tn@pi-z7ce8d|mg`_N*Q$$7ZZ@qdpm>gsFu!qo?#Ks zuo!2+BN`QwC1!ce@6GrJV-DnSOK2>mu?&V@Q#Qs7U{ep7xEv)jl%%#K`?a{`b_V}p zwwPPNGpytpR^bf3SeDIRR~!Ad7Rzf$uO+<>H1bQHbo;C~Hd8-!Zy@^v*^OY4UsBVD zrnpT8H_;(In+b0r{3Bo#WHBl3Cqsw!lV9X;TZwKXx?NG3_qM~(c3OSkNpu&{-HIk; zxIKnGJj0*$XQF$F?lUyS?Kd<=(E~&e5g^f#iv8!DakhPGGqPojSj zJ#1*YJ7VblivCUXAEHNrB4xvarD1f;;3Vx*KTh}r;gf)ovI(*>sG*PQc~22NP4tYS z(W&k~Lq|6B$#s_KIilwk4M=U@(4Fl)dXeZQqL&Q~xhsbLUk8s~C0gt@R`umCU)@qi zNQfRLU$HY?arrG$;eS_iWC{66D*RNggM#P<2D|GGt)OQwNwgHv(uT@d9YcpIT83y@ zqU8)tcQ+dPn?~;@qUDL+Y-pydVCV%!Zy{QdXeC4CWo_sn4Zv+gD-*3^XuiAM(B~Dc zO0*i$>W0cXK8D_{Xbqw@iPkc7h^uXArlNI-)+Jg`(U_2{Z|G)yAR7>ENVJimgIr@n zcPQF~Xj7ui6phVy%?4T0Xe`k-La1%W=){aqP=NdHu~(|fm%muouHw* z%?~uvM{~FF-SqoRXYyUh-vb`+hcLbybIHGZ%_yst?)zxmPopagJRPxl?g2yRX&fFT z+KuQ#h7NJv4PB*Z528JZ_A=DDhYek?Xm6r@i1r0qLIMyS9dwTvTm3fqNe=fY*?wgE zgGJvjp8h~yfvnPwK|GI{HAM@60kj6v3c|t*Y>-R>$al#`FOJt*JLy!?X`qpW_zsL! z{qtSA8I|XHBZEdJjSvidLB_a2M!%<_8B98hbT()tcwDN>F|_(P`9%(wOEiz@5JeMH zoHKNye)kI#%_mv_6see;Tj+)wyGh5j3?n<7Y@xDg!j3R@pH{ygCp(htD6j}^QmPwm zXt$;EiyUqY(I<$G1)77N<>2b>j`4qA`1h=(9wh0~$GP zntR^Zg?ic-$W9>pB3Pa_&AnvkhkDwViB2Rs325ZB>FyO{m+NU?CHorL*TM3%>Fy0f zr|W4a6Md8DTR%ZODCO>}Eaf zRI(qF{RAveD{JZ)xHd1yz*#%_3En?H$LSvgM`yJUuWEU5)GD6T}pOY5u4$b8yiq|1=*EkR~50DZnd#7%B~^1mh8GBHssbD8>{RFvOkdB2o@zh zindr8bic{?_q7<=OnwXbAHg$?W#Gn7#vax2h+D~SBfH($*mSqU*gALMxs)e!C)r(O zcNeizBR00KvOkmEOLiaFQgQ}aT{Z=Ce%*c(X6cHT2Phn*a0mhe9h>QXF}A**{8zHS zk^LPk5=2JJq(w`6=MUp2wf3d(pXC1{e;9n^+#z?w*amv;zsdeX_Gl41$Q?7bsj|n( zo*;X&h#l2zb^XLsEPKp1$baTlTqpl5hdWE}9KG}K^bI1z-HrZ0 zZ~aBmmq=d*9f_$dp>J#p4bfGy#VWJDEPp+l?TX9)L@LSwWlP9UQc)&*T@jn(t~WMb z*^*>Sku6=s=DHhyRjXWy@_mjvNsp8LtF)8yC{1L*@|Q<6|quV zHufH6ZzEfoY?UHbCdL|jpR!fSRwG-zh|PC*7~56Z8f0sdt!1nX1gvdrT20>MVy+I^ zx@7AWvB|E!v02JCAlr~^qarrNH8wU^*(PM0l5JMRrn=_F4p+7X*(kEnMXZclH+GD& zF=S)O#u*!*?Bb1WQM(uqmq0d=Y*G;`Q&x?QQnn@8R%BZjv8nDZW8;-=L$)p1c13KO zYj13#vK`2FB-_c@1X=IK*lBfqcsrBrLiU~_Hr3s0>?~#PBYQvDu0^b@bYtvnWgjHl zjqF3l$}&3LjU86choJ}Ao@9H0wGu8i**$FhD_X+!Cf|pAU+{eHr9SwGv4wi>N6Gdh z+rNlSb&nZ4O4$Kq2a*jMn-p}(#+J}leG1uBvT0zoq>>eGjQ&tdstnSZq(h();(+Xn zJjmD?EqrPWCYwbz+t@&|%Q5!nSkLB?%_BPmEV_2X1u~I2CAR=8SUYo0z2e^wVLJJA z3gDpakcW}%(*GPOnTMM7WQMnf(Hc&x5SGR_!HqEbBaQFlq(_n-1sd_iq~_7awhZ|* zk0JX6*|A{p@+^?`FIZ z)x>b^Da$@t@6`&w@vGJ=6?I2M4c6fZ;cPn+yAdd27&nx@6nS-C^oy8nhZz zYf`NRm5DXf)i(6JCRQDyb&1w9beOAe=oLj95N$}bk)gv~V?+NJ_F->Av?{(LOJ)ZUZ_bUt4PDjlhGf`U>( zo)IUj{m5!FCIs}`VP^_mDBJ^qRV^9Ff3LB(=!)g{k-eX6SFjrTc=v$OpKItJB;Ael zL!eRKL?snM}i_zeb|(}y4X-}Dt)N*g~EXlvIBf> zq0I1&lsS)>HlVaG6dtA4k6M3d8i@q=n9;K|5(7vNBpn2eaLL|U`I(UmB%9J+m&Ht> zl1e2Fie4bmr5pW)ULb>XCg~7p79`SbKgig@U6@A2++ea`H6OR$WeK7?t5v3ZZBuWvsc;vo(^BlO9QW6zH;Y z0U0|YGXtep2PN5PljiAk?=h5~pfnZ|3YfT%d(zO(<9xzAMf7Q+;|v|-#v9s0(PxN0 zOY}KIGu`uswo&v2q7#U|2$Uazur!6N#FgbP5y21_3U+NR$9is0NodWba`3HH`$TmCg89hgD%lo81 zApId|+!lVK(V>JNnRG>0xSUGqV@jVu;(*IwA=e^H;etx}Zkl;jwV;_!Zw9?j;i0XG zi>dROIiKpaX43hb&MY`ALelb6+!qGF+0e&*HsLP`&jF0sV4G^$L^mk?ovCiFNrh*< z^cAIfl)i?9steXFD9Dycu0ee8ldaRfF|qm@FV3g9fa13h5gplaTbj)ri0l@c({sId zzN52<&SE%-j*JkFbKe_$WweKv5MD}n8DQMXxFke=xzRhG_VfzUD@m_X8aF=Ltu}hD z-uN}7*OFcb8UYE!1>)R#ga6ctA{z+*KzJiy1SG(KY%)63-Unne=`Eyx1dUV2$ICFB zpA3F*qKCH<-bQ#kU_38L(w}Z|bOLgGI2VNiTgX zM~puBtB>U0r2ip(RB7DBSa;0muQk}mNuMBn5_Bm!O?EIvmJgQ~{=X*dXseZa3a2TY zfq;MqWg^sn#{O@m56W4x=g6K{HX!4KE*QH%-m@3UULt$Bh)s1@jQv&Ft7MDa&Pu%e zWf%gnvI3?2Po(}Ht2wWP{3P{vvey-{$?ke%MA5jdXR;hix=_0Z8Xk&3Ao5ys_nNRrJCN_Aa6g5v5Ky87;)Cu1V;8oRpX6{4lI=$J zp(0kg^o{*a*&bwjlI>N*rnrZVU8HPpvVF+*HCDRaA2GI{zMUQ=+mCF2uzKec-D5_7 zt9O0?>4Bt!pc%WQWS4C0V|wNkvZ-X#ir5sFZtMVMGstF=4JjKFC3SvdGduZI8%#Ef zY&KX8agxh1dZC6mmvkQKA)pcB82OCmj2+d(pE*o6pKJkG>5hV1_W!+hvKwvE-Fm?> zl%Ak877`;TbFrT^_WpbQ1)d`NG}&>+#wEM)#*Ws6c!un=WS=uuGV$}qp3+UeULZSx z?2AQgvU|zcGs?b9b|TqHU{TKc1iGfse8tSKG3}m&OzrNYLn{6!)I7rL=baKG_e*eyD69km5cvcCVHSQ^|fz z_7i1e5`%7OqpS;k6R`3qx*5A^J8vR{&& zW2`(0bB%p9)3aZZok#X-ut>Ssg!rf^F39?g8O!uJn@?i_jc;M#oscg}-eWc8%v{;t zQ@WiOnm0w~QhY~m5xvFmP{7JdM1~d0%#iO*n5t8{mrz(rVHpIze7MM1Nap{e`IPCF zoAH!n*xgdXehoYinZcuUgzesx_Slq)UcPL!chmPR=kcuWw}7^$Jk$|pCPvQi^^6P5B*Zia%#H(gde$;lXC z-$yH$S3*BS-a@Y;y-M(qF=LZtBGRn}|C}ek$>DAzT$ykcz-8rEe-R0m^hDooQgOXP zRZ7(;RfmKp#!J!wkj;=&-5sX=PqiAYKGn)2{)ohO`>NLd#s%!gn%kyRqTtr}<)_3Gt@Hn*onJ zLs-G9xzUaF8EQc~igYw+ByxPbtj-xQc)>*ZO%4}BIF@i+5u6lo@dgi`8z${R<$(vnImDy^ZQh(!9t$$B3Jvf=t&=B(D#X+x(iopx|=qtV3x+ll4Aiohfvoa1R81JH}&O6nC!~ zYcyQ<(YT*R*K3W0WURCEfEjDmc#uXn8V|wH*vlvatYz=Io3l=x9&~!r=>-P`Ph={o zY;R?JW1U9Yn|vSgeZgxyBCC@fhJs97^rt_CleLskaL6V4+%1TexQQ`=%?kp$OF5G{@?CSNi9cw{4x>1nVj)C?%7w$JZiKtPSG$zn^5eCXyF{E~dQ`jvk^LHMSvhZ3NEWu1E*Et4xNl54q@xh$Q(8djTS%JuVr}%@LbJAL;(SMI z5v|3r5CyD9_Pw$3cxdHtOUN!Iy9{ikvBA0aVYl3b23kU{psLGc1VbhzX}F5>@cOIUS}tjT~u~M ziCm{>&1JX8q(ohE`DaRdDeZ&A&j(Ikr(w6>@R5UkTn-RFNc<3RFB!bHvXBM`ala zlaNsmloqlq+@0z!n736UaFO06dY9qhKBo;wt&&CS6;pyY`Ac1;Qmh)A74nxE5SL2C zdb`Etmq^oMn_i=Y{3J~a3fDorVTH=43jFLV=?@>Fhy61kAyG=dkZVAcj5uXPKpinJ=hLWz-^ zoE6HDRfKLezL!4aw~?<*z6y9BdHJY!yV1KeOjSu&BVAqTKvX~~;ddAv-%KtkhpR!l zCh1y5baYIdt8H}oCZ4WCx-RK@pz-dNL7?mulWnZbsP~#r)CM#f(r5$&MUC8P>DA7W zHiQYgHTX>^G^NlC0uo2c8QE4k?3x>2W|Y4`3-VFqqru~)n4Tlcrw0r!cAJM|2*(nR zQ#b=~yunNKwUR(Mk#G`VL>7yR%Jv?z%+H->B#!W>Z%LySjn**ma3)Lr@GfI-+%7-K z;o6XGOSTU$6*;^ajbDf5hm4pZnB)lypDR{Xrvwt{_9!rZ@PMR$>Pb z9!NL{82J!yNLjTw?2=8W^Mm{@hfAT5N+Asb&Mw12!!F(6#?^dKG6-i94gp5MvF)fV zTWNI05u8{~J(zSB>1@!*Si!86+)NDPcR6O{t)(Ch0~&cWhQPo>ku4ig$%6OJ89(a* zAD%GzeDVe0QIw_R<`p_wR914pP*WP7^p_Y$WjK{WC`_Qp?jT_|!i2Ibz3@1NkrYNj zKmvu5bDSG(@SH|IKw}6$L3k`+Bv5#m?4#hGG`i;-o_>n-)1=3N#;LaA}bRvkK50Fkz~e7%xzmK;cCQXbzxAlBT}@0_|QhZLenfm#IypHVGQ8 zBbzxpSCPG zOyd(6xDU}$NwN@*!4q_1?R3I32!9GV@-CF7T&iqj1|Lh3-{f%f z2`?c0Enu7)0ZMQSjoz;T`Hu7=(u+Z(Bn+nKxbKafxf@UZQcP5)Eatg>8*oTRxZS?6)V7ispayR%y>0Zi z!$aXDn}Ko_GI=z1n6hZN58O^FyQu7j!bd|EEyJQ)ZjTAU*S+vFg}oH^L5RG&wR>v6 z8H@E22WT9maR>%7NlKio4)lw`d-ln1a=2d!|3>(Cz&O1O3CP5gl<)p9W1~(N_>;z8 zG!DbS>2nIDEA@!M+aC6z|C{hXgpVp5%uXBbjv0Jr9YP{uIZpTl;gf)ooLG`07?QI~ z!@!ipjWlHSODdDOqFHpLXx2*<>X?wn)`=_ z>^8cU=~jV@LRT_kqzk$bo!z&a)lEZJl~y%c)nVar8sHCihY7zemEYxXH7L}iPzwSw zj6AUe2DsWrS1aiwUx##E()E?@CjX7`98w;6YdHa zPg!bOc7g1(l@%Hh>0y4ryluMS$Ak2`(R&CUE+V_dNE^Z6daZmUdJyhOxEEkNU%}Kt z_@pHz*u!RYUgeG6H2To!3j@*42@VZOA%k6w9xN16N21X2=^P z=!P0UTECMIBR`ycA$Z)_>`Z}27+kN5PxHqKk0d+_FlwlPW#GhU!|N+PhWHc2#{x%K za?*xLEj!0OY5e(z{OO+}|1|k=;E@YbGDBIZ$ss3Sy2hJw%OCPDa=2%xJWJ&{D0sSt zWv0kb&F782;|qU*7f4Sa{UT^I6}Tn66w0X8N~!#kY1Onx@?~lhsZD~0aB*!=85Ejb z=w2};wS&LXt5ja2@;a2VqGZbVN{L1qm-&3dq}Fx3G?~(yl-`1b^a_RtrzOj_MsFMc z@@Dy24)+fEcgarykBcC8Bw{j1C?m(cXVO2KLEfkI0i_QiMXIgRjfR@!M~q&4iwaHpSn_HN3iH5*~D|TS^XyaWLiUOEv+^afAGu9Bu=pA1G~vghwhsdXv!~1qjRhW71nl{|FkTYK&|S`jfH!bd1PW zvfIdR2aEe0os<|GD}Q3#4l^n@@MqsiV;7CxFj(M7XS(2f4FA5ZkMGaK_Y&V{cs%j_ zhA&h60P%yw4*^Hm6C~`v82j-IACh0m{zmq9uqZmBlagW+@vUFpo${sS57Xvo1pcJ< z7q!ExU9;b6lFM^POzW$ym%pj~L+vOuJfs0xlT`-a$YPl$eAvhb?>L1M6iz}wLZP`Q zV^#k(eDV>GpCW#m_!;2HPSMdaoIvW@@+mbf%Kc|ndyHh2!=0sdj@EftD4%2vW`01u zVEmD1{O!0%{u24i;PI3)uU;{DM17oEPJWeeu{+pikiQW)Px5GS`M*eGp{z!?g#09p z1;W<>M*8IB=11x;*PC!}FCUbW6iQJjtpXm>Xhiu26He&!S%yMc3gsZ607x3-ZZ!0X zrSgj$?k1w;iQa7JU{}G=u}ewH&Q?S#60HOjDUytS#aj*Dz0+WtIvO;R&}FBF zUBKY`#`qM8AskCM4lq&#-3;i1jyJxy_9Z5ePb8lN9&dU-nujBeOliJe{zVSgl1eKo zt)XZl#s+f=-CZV}(g?Jn(3V0w6}U}BZb8_!Hz8NM?K)8CNTCx1q>nt?vgga)M(60G z-I;V3()WNy4PPEQGA-> zIEaX}>{J)+#vAB85p15Pw`GF`Slxp%v~Glg{Z?UZwOJrPm>$UIZx#l{@!_85h); zOyf-&Z^1ysIj`$&gJ00yPv0T@F5xK(%Z68R?mdH>=)lbP34cKNL%{w4jElmH@*@*2 zYEY(9_?W^c5Rf}!Wr3_|#tuxDpX6}U$<84ADOeP*((;leM6g_x`^=P8ANag6lgj5* zWC?5-geLjrf0W(g&Kwmrz|9r&7MCN_E z_2yjBC~ctg1D%a9!=JxKNtSi}Suh{MzfnZRJm|7FvVFAP+Eqw+fxt)hVFm%dNj~*v_g6K)0`aH$kOi%Z(X~i}C zr>LE#b_SXj3kle^;y)Aqr@~nZ=O~E{>G`g>{1Rz3BO4pmT;UAx1 zB`KAnR2mZUAm7H=*qqi4X4N|3tunOA(kiDGvPh!sD|Mq;*J+~NM5{cln_;0mk&Oc- zIu(pg)9;D5kgiC&66i=77x~O8jUjidIn5sTx#~7LmFZN0gIBG7nzf+aZej}+t5U2+ zu{y+S(@wgl)7%{XVJN@#9R~s_7S|m`|~wNR*n4&Hk4w4mI&%jngoS!zmU*MCxgrSZ<9lsfotv zaY`d8je>-iSC9`YA~xEL()z59q45Nbu`rMdg8)BiaCv=BpCbG;;c9n z<4tX>A$x}Evs9mh>YtwYDEGY4rS<7~f%F8@FM>vapqtS}HkEtHtWS2xKg!`=rZth) zr2l^_LuTdXxmV13My*$Ay+-SGwJ;j5s91c%tW`t&!#A1Mo3!47g*Sv{?(BlB{7{|@ zV|d%l49(&1(0rHX6qwg$B@^E>alK}x_bGlr@k5A6!W3rjkBshl7)c?CF_rYkq(1?z zwGuvg(@f~2wUX%+W>EMPLQ%yB@A1#f=&i;~8lTgc1p@`}weJ*Uqc6-`sjrmT^uDAw z2Oc7l$%xD~dVf8i(qECDNBV2f$f21y^*09pqVRme3kZJ;7^jxkuMF8+X!L%4`F=-w z5$VOC(fN$GsNmllzF6O(ONcKez6>~Wr4<6w*vNOw&Dy57Z3V5Bv{u1Fx=M{IKAKPQ zYBO%o+`op#S{mzM;01MUx=QfYo3>n&bpy2@sBMIXxDR5oZZf*8KFga)Zz27o(ut&h zGJ4Bbatb-zR?^!@ZwHM?L}nA9hDVrM;B) zLBd-zav6qfzbVu7ItQp6q;d!fZVKz`RxJNwR)5X9ztZ}R*6(WJrUcCT!>lrTWB#P| z7p=o;Y56Dh70Ccc%!<;Y?{8ZF&^ihWj|r|7b4`(X%)GLCwd3?o&^rka)#Oxs>Xp$x z7>fC?Ime3mhvgKV({#?jK_0-hV%>j6m(wepC4G+cdCf9bDPKZ%jX)UVMTT z$nJX6%BxnAS}AI!p`qr4%OuJq|q%pFW*YcC{fwpu-j-8CzC_ffc?LRSdB=PW@cXy;(s>jUOg*NZ$zryHGz z;P}!kAyG<=kj$2q@mQ|Ad3UJSgI-U1z2Iq7WH(}?Ybf2DbRW`vLF2Z`>>l@sv9C|@ zv3QhhKeGM7`ZLS8>c@<(rDq;MdLZc_XdixA#ycF&m4%Kmc{ka-+UljyOQn|vkFB%J zLRq&|reYW$Nb{k}AfHJ-1RkN10YoE0ZjjL-9iu;(bQbAs(1@?BDCcsFJ*9IPa>?eA z9Re0-j*dx4jCRiGaaH9l|vdtK>sHjP!8Qg`n{QF36FpY%q+P z{RmSkf8v$Lsf?sD3JRV{89kEcWK2ldjW%QE>)sec;|UsLVc-_X`275|l>9<$yegZ@ zx+l#mr48Pv=situ96XdVk-idH+eK>I(yktFS_ADXd4}4v)SiQes=8FCu%J~KUD(_* z**$M&n%1aZpgDo&i!gc5qhq22@d5Xe@elO(5qp{ZMDmlsBPo()sx}r8&2X=n5w%;?rno-VCb$K?j6GK5}pFMw)`qf zLn4W>T3=dfWNa5JOp%I~tiU24SnO2im-9@;-1|J$2Rzk>I2D2_ecI`1@~KCj`HxI# zq~8FhQu&z5Cr}X7K!PkrI;{w9?ax1*@C?GADx8!kf%(kfD~mlmlkn$+XDKX;WW>2I z4Bj!`!?Ov0Nq7!mJTM6|GAQ8Y8hzj$Pk%*v9_g=(Xv|yu#^}=TdU`(T1*E?Pjl3Mm zlNbYvPk>o&p?T#rQ+`Kp5xvFm_z=e?CdIh#jow$?Uu6mDrKFdE<~>h{j(5uqeg(Hy z4!45vO2VrE^ED<5@kGgI<<-W2m+AR6AGy zwaCp2%cO1NTmR(GznT0N@;`#dV=G-c=~+R{!baz#`^mJ_V_w@zZ5y@is)Y-)^JM6v zd?3%t%_wv`Oq=?K58X~`yQuAkhHM%uv6mffQ9s&a$|6mGpQ-GnvJVRGMP4{JS=N6t zdX1Js2S^_zeF!uj^0eX7p_3!?;M^}}l)Tvo=~o)R(fAz(?w-8yliVK$r@!stKMDUu z_%L9+35KS~w#3GMsk<}$P4*wMN5Sfy4#=H8X8dA}=yCEV$e#p{h$3xb+`mSDuk zr%9gyT@De=l0w?$rf}s-_n%oyb1{S&trkv~OqkNIdB`TMp zu=Xgyij@!W;oO{@G}(*Iv?Ut8tJI3sV&g*oGJHYpkz}2-xcnSxV)WW9!H~n1ke{T9 zLF+nLng((1dZU->HA<2$MY=TTQgRNYSUg4=-C)8p70OU3OQ9SDL_bA}0{K>tPi!}u za{dp5M?!QHmGV?>hJx%7BU_fc3I_M<>a>-Kc$&Z+uO)j zCSL_SveO{hob+~M`)ij#RkGE{RtJmbpuEQO<-K}`;pw`7K@H+HiPr*-w28b_>!wU--CQl^1Z+# z`vjsAVx!!{M!V*o?oGN6>Ap&51!bFJ_lVK&-02^aM@jc1-5)gaa<(jaBE$C!-D4(n z(K2fQg@F`;5Rfd{8QJnt!{AGu{n=9prxH$6xWLJ<^>l-WPV;aE;Y`9Ig}FxGAcNQG z$kxGxvj}GcX3;4txJO~^lB^~vb@m+7mT3OZrItr+2sDIV7I>1?oeb__t2+_SCtLs+ z_bFfAcz95T8s9?SV8h4{CtnC2Czs+Z;6@lcb%gvThkKmxNW!B4qs);R;^^NRZFq%~ zq-9fN;!hAC3mh-soKVW(9GR9Fc2AnIUk8CbMdN82<6tnC$*vY?oQyYq`dWX5XUIQG z{yFdneNsHWQy5%hk%wO(Jc00wfbk$nyTZL>Y?_XzdztJ+vXj6fATB+HDf5c)9Y*_n z@GAM&$iEIA*x`HzX9V!L4HA=mhX0!IqSnezQ8-QE z3@|?S1#v+}Edy&Q^8kb@C2+Jb1 zSB$<(BYc%~vD$0|$Y0VjNM6d|;_|V_gzEuD+Jv%YFl?mz zt-dL}bevcNDh;VLf`Yyk`DT_Ck`4fUH8eJ_v*x)b^qSIZ1`pxNNta@!xxtgQe$aw& z6ya#VNTH#!cZ!r+0mG+jlRJiZEb%ztNFm}b-sovcCy-7godlXqXc_1xtHSsq?oP87 zmi0HSC9PJpTEoIM0x^lQ&emN>Ww!WCkZ zq|NYv!AY=JGK?#vODwZkfMsayrrEyOz9@RrV|e`C}vU&LF9898!by=3^KZR zH6OIWq_aq8gT`f~4j^wpd`ZR_b{Wi_V`3ex2INxAqc{X2D`qB2HOrY)SEVqed`bn7 zaPvdq+*~)*;I^^;_6#FDoNysvL?oP^AicgLjE;ZS(~pxLNqQ7$+;}Nn-DqQXwDIg1 zvQLm53l_nM4#dT~Ck>vWO`N9)KTUWXV5AV9p;#;$qeg5{%>FC}qgtH`i>$)s<$$a!$8mnlu8Gzk)(?reG8Vn;Lg ziV45o?XU7Gh1V#&4j~dE`IKPn6B?q)WZxwF7Fe8IYDHODd7nJJBL^pTiJ<#Q^tpx~`8TV-LN6ZeJjTeWXsHu*2f&jF7D3KLwC zWewi2n`_3V!}1SuxUXo;qwzHi1S%sfH=HMrn#B4WQ@+!x!+a_WsC)|rg${CH9D2&R z{lY@CR%`bAj@BYti(#=G2qZg-muLy zw$S(y2Er|ojCDU5e7vpvCWqTfcpKsEMX*$tcNlzqI}h(9yo>N|z(~JX=?P14dyJlx z>*=3K?5j%id6P&i285Coh)Nw#N5biWu~a-l!{ucUt?{X1wx zGd4;-WB+0B#>YJTC*i*c9|nxVBsW=BE8te~GA#FqNh5Sb?%$ODp>z}yqbr##-W@Y~ zjb^Unq)(7O2^w!S$&FaOo-@M!HD~fsAFNY!PSZI9=X&`EDd0lV*Y%&_!}J5|S>or2 zp9hXdQQpm*0C~aqi>LhQFOt7R{xWz(K;C4s&)pTHH=OhIRno=kux%iJdB5=D=bWYD z@=K(7&}Wp-^CjdbX&z9x4gxBi@|lz)EnJ2m5Nj< zLBY*SmFdIS4i3?{)tu?trE(jc%5~+Z3C0`FbN{FmbvUJ@d4tKPty*RI#TKc3C~)zbYjWaBctQ$ z`S5fm-G%f$*U<85@m{0bDt#a6`$=~NjawkiBCNCWfZ+#pu=Rt)yAgi~ID!%t2*fA3 z?nbx4IplCXNcSY&3pCO(2HUGXZ17?Ip4OXiAHsbBpfQj}5C&czGFwG5wbY}NO{k@9@e~TF6w)Bz36^H5 z>_!`sQeGxPm^1q$e~}D2nRG&MP>bN0@^Bu$+e!`}WR}xDh{3e7Xl28~^C@j?+3~i} zbcVAB9$J;Bw{rm-nQ5a64 z5CQ^}oja7@bVnH9rmN>4CqI(>DDWsBJAC!NQ!@W#pB9%!{@FZkpOMrT5`T^O>%eh4 z@kp2`j z!h>1*(qk-JM3``+E|WQv!sirbLBPXz?GmzInA0`O$6+>|FX_xtr$A;&%QtZu(?~zhkX=c36<9t(GJIS*)}=pnwHfh) zd=4gqmal}#mf7&}utH+GWUMRqq>ghv)EmBou)NXm^prc~4+ zl|NJ2OJyGv762|Elc?Q(2$773l=-ZZX|I^@=pp%C4tJG8vAS$T$X`Yp<+1EN zCNIe1@>8T0aqu7o8DS(pNh^ZJbuf^&zW>lSAxyfU-G?P9m7-J{QY2imKv%9L?F}Z3 z&~TNZP?kcuB7ska3^Ov}pgtEjQ7BL0W(a89uwTWxbEPF=UaG#mZ=qL_UL|FflpZ&n?B zcQl~YkX9pDxJr6%mUQxkU1Q_x-sVHqgnU!-&A{{3Vc$**U2}6v>KnENohUldaPVZY z-ji8)Wdx)*c>AIE!#LU>5qh!{mXH(BznKRc~=Fg**yFARsho zVPhe1XMA04T8GK!lP>^Y9BDJ$4K;MqSRa;QM28bC1geiov>RdcMtw{kCq0t%DA0Ix zwG2Yij5cSx7D8j_JV9qH9Nef>7nI3Z?n%Q>6!!soiulvS#{oy;WCgkCmwaI`VR@1l zo}ut8h36n3abzYlM!LA?jjuV)^DmH}K>kJLWw93d#x0Ep<4@{0m6yp+BtHo}%3Yc9 zq4(<*Q>tr)=~XJPQF$GTuLt^09b_ z!n+ivK)`*&J6*mp7=63G)ZZul0qGAxN8%7^0ZN|x$dtAkhpALPrt%3CwB}eh*2;i1 zBuv|)b>8XJW>EVS8Vg5XeUO%f8T}5)`Q&gjX?#v&7K})5M0U3O!r%!#JUpB5mxSji zEGuVZxVZ)=>u}w#2+t$@wZZ8!Irtlce~I%6I-l?Y!ruaBsT&%O6kTZe1$`lXM|=_S z#lZEs3Apc#-lWgX64FaaF9VHKLF(sm<@e=g)Yazq3K}bEtb&2_r^z&#RJYpb@uhs= z*N|RIdL3xI1B!+t$&XNNk43zrEreIc?e9U zxWw2*cfsgCYWUM%Bz=kWWzdLoLY#b`zGCqIedyttMsKBA0;1094ru&Q3pjDGrEm(*` zY+O`|t8MT|h3gQmOSm3jgeX=z<|Rb+4NuAR=Wal}A@N4Q{kaFZ#s-hlb2lN}lyEbJ z6Syyg!5@F%&)kA=6ya#Vct%jGlD%#ut^qSPXvH>$Ml6ju7|6VtnX=5fi#PggUH=Rw zkWM6>1RC!}UA#vgr#nr#ySGJK4Xw7c+QCAw za%7*zLf78tJ-P!z2htr$cLI$Bm2E=P-Q5QNIoY4OGvO|T?*SZ%gUqK)OPB92?p{;s zXdLdNazB->P;h@UbEUa1>n<67x}LwngT%WLe+W2&Bj0IaU3Y^oCdqGdxE_Ri67B^U zw@kXOCW6NmM zD@-<@YyntyWCU~M24MEE%*K%?XsCI|+xgHBqc@yhAv}~^GFx9pWk@AxgbDMt2JtwB zkrYNjz^seBlpGmm6)Sb!p)w|j8#&3K`7}4${82%F!7=oopg$Hqk^n_nz&&a7HZ3`x zBKI0K_D2i z1G9U{`0W~ym&s2gKM6c4IPwwP4;PaH_!X0G(GL7qDZNJNbx4S-?A|Fu3*IpLhuh^x zIoxE@Z<2lsG~$|_FC$UjHu#u+-Fb)byM(6z=BcGfjdkxCop}e(EYp-pe?a;}rDFq$ zGWPx>qt^vJJ(cvwq(1?TfXH(!^Arqr<^27ePIw04PXQy*^Q71JGh;i3JUf%@=VWJr zMP`%zdb0|{vR=R!CJespLo%DfmlWneK%-VRN}OwGi#&hsuZYeg`ZZ95V@N2^ePirZ zW#^M!K=xa(?2U5L-I6H-A>@1ALUWE~`}2QCXAzyna8NMtOBapr&1j(?xt7paN@E!e zlsu`~Y0|CZmK)yc|NI435MN1r6>#LpMNAqGc&vx8C4M zwd6NB+y=rw5Z5BG7xCkUSej1&n>X3BwPtF&W++TCg^T8e0|X4w-K*Qyb5r7w3oE3Gqn^a$`rBx|aqf{Ld zin>gx*Bg4QwojHCL~9bQ1r)aw<#V#DZFE=*=sKk9lCB4ul_t!;NSD@$v{UPw(^5Oq z8_;P;rx6?^e0F-CYi#TooyXaPY*Vt$z@preuhd!6)^yE{Kd!}M3-VFqqroFQ@+Otm zk__OG7iqwpX8IzHp%Y6d4h~)%x(AtyH=)xi`CSf|Kp~Mr5(GpboE~&{8k?w{eJ#nh zBHJ1)>Y|y2(vdEm3MsPiSJ2&MRz2Ew_MG>7@3q%jd+oK>UPF)TymTj}yC`*mgdB>4N@DM$@(kGN@>=8|_EV9{TbHE}*SsA?~f_fM| zLO=KPB;AX2E@-4uR;H|Yb-%%P?3Ul;aJ>olA)E&ojWMitA|F<;j7PpH{|oz&7f>mr z(iaLsK43tuJd9dwhL?D@h-@+060itMMn++t>u2!scjY%ZTz|p?2oE$^=4`tM3|_Ip z!w(W3MED`Vh!fc`sGscrX7plx^$a0Bl=Lvr2s485u(8i?^k*JUb_CgxU>RmfO81Dt zwX~;Y6yZk+j|QB|<+A6SvDa%ZA4B$WvSY!b@W9eQ*)rB3CnL{|GpFI_J}~3yOrSFn z4$d!$=_VO_o2KOxWS=BE8Eh)y?CDpkex|(ma#cm zZnm*y_V@rlP4*eG&l=lXy6lY|{ex%ckey5Rd9ZjjNvi~<#0!RxS9~7v7m3dY&LB%7 zzGUnq9asD^*#%@5f<>V#!z26W_s_|6ub41Pt80rWET*so0*XW#E+@O>6%-c8C{?NC zFE#B-eL=lS?KNu4pdn3V!i9Y5O?7ZCH|ODr{-JoC&Kq=Az(G36AnyYArorv>0xJox zBD`ARUa|wPd&}S!S_68U@H>RxH8@LN9q$?Zp}vXN5PqNVTELYh80j0sa;F|CBR?>A zxW1y+(Opk>16(a5qwYhaH)hBQ>jO3Y$m&f>{er?4A^Gu ze7%G1WOtDL1S}$7-o*t@njY8&?Nf8A9YjbZET7TYN#}Do2zf8px1f*v!stJ1`=r`M z`b*MZfkwz>9=rS6*zxr|`wiJ|$$n=n77#LawX%E2?j`%Zv9kBZK4aHu|LG58_me#U z79s8}v*`=mk4E>5`%wHu`XK2;rF22xT=%oly_7yo`UvTxr8HvWn9=tueVp_O(!YQ% zi;xt%Uk&{-;e&CK=x;=S2WqY52c%~8hY5YPwfrZAzbO0-0WsZ2K1KXvZ289i7O|I?i#;+^mR5rhF4|kEVUv>6u6|z;yUR=t`upDE*QT9@@)yQ537PnZKAw8a#8(i&Pf8r|$ zS0`KpFscVqxy&t=@qIG(_)1eA$?{4~DpygdWeOGmkntd*Ty4r?y-IB=b*R*Zf?Bxp z^^7mCt31~ye+~Ht;1P|5vO;G=W4mSh;4~r|AR9EcFxQ2QZItWTFxd#%sIf8vI%e#q ze9y+oCdekiB41&pU0GPv=+U~+Ze!9-NH+zI5KA|uYi8`YvHr}>$+jTd(pV=me~m3a z-m|UAwjp~RSd@TLmyqqfIi1&CZ_e^!@7zGAEuD67kO8CyA`6NdJbRLdZz6m%;r4)W zfz+@<`J^F}OgorUMHh7FNT(B>Tj1aV#f9<^-C7E3b^bQOw-fFR7%?LSp}WJ_5jqm$ zPO^8A?E)4jmNCw<0Fc3VDtr&&u7tY*#)+ke*WGLEb1(Y4>`wMRvKhu^7P?Gh7bu%W zHk)h?SOg-NkhMB{7<^7G`ArVjlW;G>xoL3B-EZ(!3il@5hj3mgEXx$;8@%c&f93+h zg@pS8<})Cp@13z7wac)GY%$pqun2NirZgY=8Qfbdd;JLyAUqH-9{Kzn`Qnh;TJ!-^ zR^H;H??Ebqs5}G(^*HIEi^}d(gAL!WU35c;4<$Y<4UdPC?qS1!R(v?|5yVFVM8~<{##9>9V5FXNZLrIbeRDQwYkdZtnRI5s@mI-~)fVMD!E7@c>(`*CX*@&Y zSr~|EM4IeGE3=cOm*zQ>HffB_p){A$^N?^EncvzYhf@PyFypN%{$}RUc#+0@Gvt#^ zYO2jkX1Mdc@iL7CG#0{0J#&$`d&S^!`eZC3yqNG3z1Bs`|TLM`=B! z4Uq7VvsjmAi=^|1ri8Rq|A@*)Dj!2Z7R)Lr{a&`ooL)c5pX6|x>1?616^=fI$+V|% zn|WI_2Da1NLGKfIhyhvORf@t-jozy3yM9J`C+W}A=y*^jDx!aArxt z`L(f~ensdd{NIrMmh5+65ly-I_sh&Hjtkmt%BV&@X7^CpOXYhg$R3$FGRu0O!9DeZ z?GJ?a6FvYK_n9SotQWZ-jV{oV`6to`Ngo1@tm-=}Ww5>pN42-|Foh!&jzYlcWz`N@ zRN|P?;X?UQ4tJdN3DUom(xIU2G+^{9rB9Onjr8wI#}dhy47xFT-eiC7KS}>Z`fsC? z0hyNlkI~1K{+D!_I;`Kzzl?U7l3kG1hpX?FmETg;{Bk;`y`20c)qEDJMl^Fu(#4l7l84HAiNq3RqlUAm9SA}?0;uix)UeKnm zyTpV`4tn8I3e_lF2EpeA*+=4XqZ@1LUO~D#=^CYUP)12zY4iZ4Ym&Z-bgfc48J4XD zj6TrUhom;?I;87@M!e@`$d}7{2LG?6f1K(QzJ_oEzzDYNv?AZ58X8@9faI8Qu$JpL&}>Vy9ZbAGu>L_Wm2Nbtkv?uWQM#E@dq@|n6bU9|fTFys zA~9K0JsuBB4t5>v3=Q-Q9eIXMJi{$G1M{Oqe#qTw^bU>o+eqI|x-)1b)%~)IkyII2 z65nCYMjcIiC!M?Kbb;e@ynOe(+vu3);d@ATCEX1)Vmwn8PT}eAHDRfK!tPGtJ_;ES z5G48XB8%S3veD8q$~32yb>!2@rjr8)nE^R2?7s(PyB=nJqBq}@Rxet)uu?aY#M(ec z@7KqxH|aj4^GfMJEbQ`)zE*F$fOH}0zMwInqo~C7%NdA`;A}{f?DNWv_?(?${bZlR zi+GA+o}vV&z)P|yOTLFmT{e(({Y+Ut!Ylo$44^U)3hqeW?+IBX$mlQijr}0$L8Ko7 z&4M~xMj{M0_)P5^8bWv|;bDMr>X@ul6>$$6{jt7jhLavadL(G{JV<3uR;bQ)j~M@g z*5^i%f0X=a@LFUSjb9PphThzJ9fWd%JxI@7dhNKDlbx*4+U`*Nd{#o$xBAh(d_;*=>?=0rqQvG zd&TH^N-rY4nDi3R$Q>?6KBY;zEj7MYiNEPr$-hQ^8F;2!EGX^TfN;xsUMKwq z=@n_TEC>6h(Y2IbNqQCO)u6Qk66>EU-zeTPW2Z*u+ce&x@h%L6Uc%m6Hu`k$8NYT1 zgCh+I^6!&h3!X6q&1&rz7q|qw|&ii1bF%AA{!mLS~Q4yvrP! zg)O-$4{hHfX|zb_HrW|g>Q~v#Ji`{AVJpsnJ$|IqQtl>oPtsnKjv)Dfy3OSO>DzHT zseA3c|c%a=;2b>C#9znN>) z{DJ0vng?Lw^_Gz>6`kyoJolpsU%fBC%i(^aaFD_w2*^DtA;bM_{4V7WlRrZKD0mbS z7}rslF)+2ZkU1q4d>kC7bArw9Q!meT){E>o8+4*8cMkr$E->?|w)nQCl&sxPE+@{=?+NS_88FQjBl zR-`)J;Aga^UY_t7gwF(wo5ZQZ?kuBs>Z#8reGcggpmFL%OxE!}*Wfie{OUZy6$w`Y zjEve#-YP}?q~an=jhZr82k};>asibKq40%QoFgNIW#X^#_vyFFD&(t@zZg71AB#t1 zIfF}#zHyTLD2Kb0bT!hKrP0!Ezuf4XmA-;>b<#DImIRgM->)=!rY2EM(pQnLr8Hjb zF?Y4moAkwAn{*x0b<^pDt7r5UrR$TvhI9ka`1p%@SzPv2lCHl8q`Yrv+80{FHlh}w z7KDbE92TKSEiH++Z^*2U|00SclESniw4$(5b$iTOmUe&4gil-f$0SZ6K_OWxrYbjEYiOS7X+CyR0M8?I) zSHlj5Pt~ePN8+7`-vXT3Q!+)|-D>n^P3GH3-%h$SXq-H2pzMzncXt?GM|*$nBz_n1 zF2HfGIq00Z+u*R4W%m&7O1K+f-_;dN6y->lg1p#3#bVDxM~bph!@(tXqEfOAIAP`Ze8G3k;tT2{{MXY@3s`;#6(dSE)8bPpIk zUFio&4T^Vj4r9=&pn0oRMOKxqYfjqj0J-+-Hd)}%%Cxo#w-}s z#0Vu)ZCUm^un$@$pXl1ov+X3STKLO8&67OClRS%);IcBLx?ip=NgQy`nc+tHh?_%W zE{*45AQI$jQ!wCOF#1vbd^C^ri=^ipE#I1?fnapQ)jl*YlU_i2q0;h>k#oOd^a6}~ zki#t^y_ob8&DrX_ z5oJv1duFUdewM?nq47SAwJ=a@`Kn&jePF`z`+TCUqp+UB1_;c#G9^)l{2Sd)pXiTB zZzTOOXe+5>Zj<4)wWQumd<*fdz;SYXFNnHrMsL$P)^^f6NPnWVbc@TR&QFbQszLdT z^iI;Br_qV9`@-nF+@!-f{jQrWWio;X6J34;1!OH~;~sFK|6&(E5)?ufN-;(oduhl0F0)6(J5M zMpwElOC{rpe>Sa#_G=xcc7)ndXb6?;!zlSjN{?eEjQvG^m%|;WaDu`w5crxekyQ<{ z-LHn{4)eh}N&GkBzXNCHk-HALKaAe3xBMsRzexWL8flQ#CodR?WCauMA2YV?XJ}+e zAR1-rvHCCn@+~Pl(q+4{@?WXi|FM}qFy-VYsr?f^P2sE_(tmxr!Oi#jGnXfP2H`US zBW5_19(BsIOeoX}(AgBup-=$=KTq|@a_1V`Oiz9u*@|QgsK+D&((`e(!OfP*Z*sWWgzFHl3mEYt zt3P6=I|+I{Gk)mggI=G;H8dK)Kx-T;y%iP8C`e@Dh9=$qyq6kL3Q!6{LfRH$ad^)4 zHDOJG7s3=G6rvDN_~R;4K|sJ_rgYS6#Hl2xB%!c$klpGM?pmYgY8$CB=_aI`DlM%w zDS4V1eVewwnv-rpx~0+!cWc(UfplBa?Laf% z%b*SEqsVbLn$S}RY}`cQW(w^g_zuHRL?>6c4rcAmkcgARb)?ma)-AA*)<#-`n2#tS;m>rNVX(dYuBsu&4TbUsWD_G6Z^4g=iW z-FAZguL>uJyN4&}$`f?M36OKK>Z-ff;BYOnWn6c{_Yuwj%tuH*vKJS{T&D4vJ$;VK zBA-n@=Ttu6dKlkb`JUu^kgXZ}j&XyS+*GA)N;rL6^bVGA+R1TeS2 z^dQm?rPE0_*ywIb48ZZ2q8)x)BO|kK$Cy<^9 z`XUJuHWu)cUgWiqD;bs@a+6G-pv{XXs6R=4GW5$tmohd-c8=|nEsI-a$wxugTLyq) z0ejApeya2=GyDxs;aR5gEYon7igFfh3G|cwJn`MYO*io;9nCm{;!KLOAmZulA$x|1 z5DmN8W^BIDU+QTZ&(L@l1~Q!#F)|f4$4RUHIaB`qPW~c?n?q$TmFJ;Y6-Q@GMcfOf zU9DA|dDLE{HXj#*JydRkO)a&$QH#3UsDQ_>~18Whc=OjXt35#g9mDB>gdHyjt>e z3T0*oM(GvdgM(SkbWr1FT3cvsg@reme6EnETD~A}GvVQH<###Ub_zQvd;$SwNP#>n zNRj*^84LNTN&j^5Ips4-J1Kn*2^rY8yNaau`3qAfXiI7rl`pA$1qDfS%I(M&sb8Dd zTyN+bdf(Ff4j$eulAb+!$SZue@p<|*?jgUI{P*AyG(T=@pnP82XUfV-{%(GtvY*NU zC@k8fK##Z|jlM$*-JeJwBz-8Imdy){?xOTz(nm-i1#w<73Qvwp~sdy~VRr1cxE-(jH$k~Nf2oXa=;Kg_u1V+!)2fyQ4n{)WMOmf}3@ z{xSN17U%zxE>oW^4f&UyJ~Go^CndVF@?)yO@xQ)4R?Epx(%_(T8XT6V`eyZ}JKe+^ z^!-|%;u#drgoqv{dnHSU;aTRiROf6u=g_GD2NB?}A@7`X&8T*r58in+D$=O*A4B#t zKi`bzASI?X#dgJx!TtlY;oU|JkqoEn+>s1=j2+#<^IOQrbY9wS%Q@u)(oiwJt)}4(tNP? zEmS(v>O|`nShxo2aI)Kh(Fc^ijr8rLJEzf-aCaE}qtbVhzKe91bUNtnHu@)}?;+il zbhmUmwMpJ(p1859{fjgIWbSUB;F!~>DM?Xk<5b1|N zqt`_NgZH-hxzq{pVwQZ*lEbYrE*lb%3&B4`FiX2x?< zf=MQn{Nhjl1cfIlOoo7pxvcz@%Y98UWu+b2%fPe?H+pRfwW-vmK|_4z_LT;PvE#!& zf@YANNp==kq-{yQ%o*phmb1-R`@A=vrtu7oXJH@(Uoc^Sb}!7M@FIoz5ct%@Bk`zv$>@&SWAifU1*8`m9Scfd@he8hw8pfE z^kULWK%*$ckPNIWwAA>1`U&$@@~@F!1|E;QeER6_mK%H;Dz$RB*9pHtcm?1p@@sKU zRxjDRTT)6kC$X`EGBd*b->LNxt&OxkhIPJJQb8?nQqwM$wgzHHx)U~;dX`52W~y7LZiR}Wm@@D!im6bQ4#kMvBb^{H9M+IZ_TT03cd4hxyK zD7!eTpZt&e!i3Hvy|9bImlVE&fQ%9h$V}j`4gL({v*d8!5dN0%cYqnD+a&+>a)0 zLQO>u_YKmD;-u&-vMm%{r;@FpVQLj>15&f{{difqZH@X8dmSo5@7T)ubku(~&j^rQaz14hiWYt4u|cAsK)FhY4FWRDV+Vi^AU! zN+V0QST_DqjjVskm$`wy!pSzZH8CRb88N|;7&JabCl6-M@mhs)uq?E&*P5vD66~H4U7$Pn&bFLZB zX@Jh7QISR^7|gV}E*h6P8SZ=&Ue`XE$`mf3a3KWTK_D2+F9^7c3~z(1EQhN?yejdF zf#VO!m{h_pF?jn*vNG<8a5ci00Y)BAMW~Yyg{8Cia5$9WnsQ z@PYcVxhC{BP&gb(%E#pEO&a#Cmu{fcmQp)NEI*?1TuAwGqw)7u_xw%d zZzkU!Jc=&l*}n3*0zlVnu>*)Tz+pHh;eQ*!0uC%(r;_F!6 zjq*A!Lf{h87BOwS_Ih=vb|1A2XbfCHq9UGfna0mV0?OgC$Y+z!0gspq#H5Tvf1CuZ zhdD>IPScZ4FFLt!aI*A_z_?4g`%P`Cool_R_Mw^w6~U7)X%crKmv8(l4diDzTmkt) z@_oUhBn(FLbzN*{%H--0L@AV}1*`e&*b-eR%!p44^X*4ugg3NU$C- zzHZ20<3aL+$Ug+0!HQY12Ak6EO0Nu|GL*_ND0~hiF>@Tl6?PAs)OnAWhEp0rX(S|u zDel&QL0zri9F@vwy5RD=HIN`B?@wCfVP?>Bv&gf2){He#2 zoGJJa{B}MoDpjO!_G(kzEr^xk@iFkIIWw=0m|HuspPER_k6e{uBMa{xbOmt5-J5UNESV@(wbUo#^w(x$TrP1UZb%L23}P1k;W}I zcA3@(UMKqo*%e^XLm=}CBd4yO_okT_Xr*o?%~dp4!$eYK_i=9-TKj*#8v8cUcZj|V z6h)-$rX~Y-IVw)7@$Z>6YK#0)4!4HZ`?S`=LTsh2>QUrAFzHSGyt9tddP*B0A+}N@ zO;Fr@Xol0FCLht*NaJG|xC|$O_u$$d@>#^Bsybb8Go>w*wnAbJK^E7R0gKxVpQCBG zo%jyop8!Wj$;e2JB>L3&pWc<9<#3;o-%0*+@Hml7^}-0mFAQ&0*2nKI;$IT~3OKSZ zR;$Eji4vl(O{sg8SH7Y0EtT)m6zNNnXR+ArHl?B}d#LQC@;ww3C>e!VMPZ-Oy*J8_ za=0Hz?2~v*!D=(ak^d^kLFRNFN1_Or9Z) zuVco>)_e9i*%M@c0gLF&&)}(lHGFzUA2%n7|3>_G;D}BsqcZ$rW`CHH&{pf8RQ{s! zHx%4$Y679OdEGx|Y?D;b zcEX)*@U8mQvOM842%iZU5h*hYV$$d^dXA2kIh*u3q$?;b?+KZpeXh}W=zHQk(iKTp zN~h%$htYQ`U77R+q%Q=GM2d$7xQmQ^bEdz=DrBpYy;#|zJm)Skw({dX@-8J?jqGJ$ zd51D)C*dwP`q&JA<|{~7CtV|*md_bRpHR9c>8nWB0*x>i%k-?PjU778hod&xI%MlA z8_JBhdd5E8%7>yp*=xu)0E=?QS72ovfiyT9nv|g*y&6#pPzpjqRUR`GWx`m73z;x` zkq=RrLWDvT0Qa@s_}uT*-*^aIa6nRI*5ER?b_g&L1(2Q#wQA}A7=jx;*axCI8v z0@RD*sZXxAnsO|IhHRxk<#sBaRgu9X8L~Pq-a&VmvgAP@t~;sRMWqWA+;VP-1nF*r zKhoH|hj3TI-4vFkUuEwEgO`r>XYNk;KEfG*F>p(U;RfV?Wh6#Wo|$0SzS?Bk3C7j) zcay~vWb*_$I00HP614pE|CP=>8E9qlhZ@wLlzUOmg^c%JJQR%tq{HNX<8Rh7pf~wG z;l#?Kh%`7z`lCqLHsa4?>bUX5|aFB#+c@#H6vpQwB^5ln=HpJe>@hduuU`6tOw z29Jb@#)C4OUq(e?W`;RM!@M(v&Qv z5Kt0ocdV@VWX9>cefVFe@dk|*Fi_HREm`-b(bG?OdL`*qq*sGZRahc1_m;uKwZif? z;dcnX3mAPhC}a~@fhsps_Q;iT^F0%fXZWkEq4++b0V87< z$s)nn;!-}|xozfrtRE7#)7e4i6F7)jYzkHEJ~eua?&$d$>7ArM2aU#5wyfNgW4pb6 zVb-w!^OY^^snr{gnb9)KU*$NB6EuE-ah4c)1Lcc_OyiPd{MD4- zJ9y#Er2iuQx6*Oxkq)_kj9&kooI(!wul)3gE7Opz z1^HL2A@U*(VW4nX`7PCC_%*{T<>V)6GEg}U3WFo>iKIK-==KvlU7qwAq|a0u=Z?Cw zj6SJ#U+Xu)^XOEhQwa{jgDXhO!RX)g3YAG;K>9+ZW%V~H z>Mt_7lZL(u>8hkJHd>-S<}NY1t495$q^ps>%xF2c%+EIZ7CrYBq^pyzp|m^YT18m{-SsB^rm1-Y#kLgNLBwSshTV-u|E}~+q;DqOKAn!Z z4o3f>bVt&iNZ*o9N8PPP|EctCq;DtPIh~HVJBWgm^S+Y3(z2@a<3#L20`{-rBLtf!(nXFf5nz7@g z{6P+vMI)O=4h$rUZU~~&N?Z>UuU|_~R+FXJi()QB7UurbNxr+^jA{DSq&JN|H1c4e znvfw`IN#VB@A|VBkS!$J7c7FMLy@hY)|ogGH8@W@|KbspG3}6 zCgkc%e+q@E6sAE)|0tK4BfT^-0o=4n8mBX;&7?L98sbz|M?#;@Y{Q-2_|wFnA^t3I z+;~Q|^f1ZD0}QWz&YTLG=jYIwOXqnwJ{{uu?ggXo)^wOh`bE<7L8GOV;cwt2Ccl9ELhyVP|GRz5D<*E=>cvGA7gJmU5v2vn$9P7Tj55sT+?b{2{iEg6tMp!@ zw+tR`XFzt2Z1lI>=$(swI=)W&4bm$>r|PaU4*N}mn`zy3CE-3Gj3;G~&3i^qt|>pt;nt9TpY&R#anlL+fzki!t*#@zp7aLL z2z*v1ni>XYXdCMz!W#*H3>ZaQL607?J`q|#o6P8VmyesxG`7WG%()_*c~*%|~} z0=}K>4zizs_0{?as`av^oxEy4HLFafw?3n_lh)_3QcX)N2qRzKzc8V$HZ6Bi_>#g` z5Rd{nauZp_B^aA_qXv4op0%U2Ztq@ZRh89n{p`6D|@KyrSiQhk_^#+Jf|`S zZl5V-^;UkMvY*NUD11rrvCHo%i_Mx*uAINfPc#nFI0OSZBN7P7z{H=8KJ8u~RfkC* zA$>HRj=N(EhJN(0ptw()W z{-p62jlW@_ER*R(8M2xqx4f11hlO!BwWeh2pSj$7j*D&Wx^K_zEEN5k`B6y4E}P3hpP~-O88>Hs87i*c9^0i zDS(;Ive$~c#LUL}>GM*W)o5M@lkcF6K9X?K<$SpbXW#2%^9l;pDb#>~vOBvVOFlmp zyDN?Frx&P6{wngdz~cg`aLMz0wFy%W`g^HOp$>(*5RhDsOLx~Z`h}rBIQ2y7Vc`~fVORK)J|!+@ z!r-gD5T}r!kc5EJLKc8yYRFw*YsxPrUTI9F36-W$d?uCoNzIHNpxLfD=@z70DqUET zCwm37GJ1M}KX+@=ZAf1S8t)?Mj>yZDPZowR-7mk&;cg(_mUuhhc$RImF?XXG|7w@V zO*C$%(H;i!gw&IybtE4xj9$-pnY1VQUgUGZBP=+(e3CG_ zmY%&g={}_Ml$O#>3W|KAduYZfAYDkhFKCpytbJsa$Z&@oJOR$MZ*SLHI?Ad)=>en%g2oG0hDWD%+mZ_81Lh2$=o8>UI)msu1P28v*64ME4R-oj za|q#~gogn}jP}py(;FN5JZyaR1^(p2$&VmE5ACd8MJ27 znw4(JpdfF}Hfy$8Pt$sa*0Zn>4|1(oph!N#y64PzMvXZ%=F)gR-3Zcn!HnnBm`CG9 z8uMZJC`kHPd&!h}s=Q2P0hNX6ijTEdOqs9BA}WiiEP>)$KjWwE~upwPb{G@TM7y)L2Pl6^+&DMwG@|W-L+TZ5r>;co#-0)?@+j zUO5^42D!ALOzH2EgTQ3w9TZq^@`gm?V$7tB)o=l z0^xW_ss!#+6W&$fGYUH?e4Z}Igok|hg$Zj^*hS$>3SU7$pG*HFzBc=sSA4Pc4ef7fe+L^$1tpSFcAK(WS5x0ZWiOTQ)0JpS*=NdLReqqdpUQ!B zC6-ctG-aPEKT$bIt@2c%S(WC+ zFnysU-!OQwOH5g%!Mv18H7b`u@lSjttk=2Rq}3{2L8&^W8jw(r0bk^UE*xVi?mR!>^3)hU_MXt55nG(hWeL zFTd&ni#aj~#>aa@Q|Ic+8I7n0s0N`{6g3%-CZSohhfK_0jVsDE!xSSFqY&|K3n00I z8uKx;s-PAphl|rn&`QEW21z6%(I`BN{%g%VvXo*O*O+D#noVJ%k{6RTAzd?rFP`Gz z=7d`iZmDoGEDJ)mGB{rwz^w_lA$%QR#5Hf!Hj+~pTpo5b$o2zL%1v9Zh(=RA;gf+SNEE;vz2$c)47jM1{_pPL&zPaxhm7N zy)mz4QOl;50}W4RfSJQT&OJrIfiL48Bt3}qL!j~e1+{2lx(_z1Sd(%Ht)aAr!P0Ui<{mb>yOt}% zNsk~s5;PlQg&DS$$s^{B*O5J==sZeiG#n&GB5_K>KW5qpeZ0p|dz{)>XhIuS65}phg-H{3T(DRhBV>BdF$WA3Y4J>Xt zL&C4c+H`X+`9S_8hnqoXCY@Pukd;!Q56VK-v&{%-@Smpf42@@DAoz)7BI2GiIP@w` zE~lSEcrM}R0V7Uhcmhj{%oj{+JcgERoI&kHYV)C`g-Sk&y<|pEL-jI^1vD1IKs?1l z`R)~CTkF{ukzGu730R~UUTesMZm9{6>43>sDZEBu8HB4vC|yZ7RdOMp1ky7Le{jp~ zbQx>?-M!A!y}{G1!08ZHd|Q9h*w`KZZM>4~DzdA=Ruk4P7zw7wB>w-Pd&^F8g_fCb z^Ca)^B=6!Rcuedh40UO8yl4Jp>aU^yKK-@uk+D*lBz2P?m=n_kSx09*oegj{CI zw`S=%WN&Ue$K`t6k9dxaJjcg42X4MkZjWNrPvt!?mDKlE_@)kja+~ZVO>|WBW}ajV zPqGy!NxdY+b=!s?68|s-ELEAHTL;w50$-C zzK4m7aH z9;S7K)=^k^8nOK_md|p>OjxGn^l=I&DEtBeWeTfrr7!4TO^XkbzsliGQu~eC@6dd) z8+U&g+)0bwKMDUu_;0{?o1aoe{Kuq(Ug2L#WrA!J$-kumD}B1k%I~RGQBt*X@{_cR zsGSB40gFk^(w%PbBTwNT)yqC{(0S2?BBl(mUqPH~K71@5-bvAblZdl+sz58NG6QVoQXJ%;>z^2dD~- zsx&T!fgB=Z3uM`wJ~@5R(cvyJD=@-`>QY+OXk7*i39eRtNnWOCmzx$;?Fwqusnvjn z27>kIYkTQR6U%77drgX0QLF_q^^8bgjJw+C=k*z>O}Y;0x}|hD9(MJNeoyK8q^}{} zKxygSkk4`rjXtE!^hTruq=RX+d^`&o{k_s*(h<^8rCEr$n9(0l^ovUOB;AX2ZaN)u_Z$6^ z(!ELdA)S{_%l;ikFHpLGbRp@!>2$<7qhC?Fh;%XOl5{%i`Wd}g>Hee#kRDh{hXX

    9ou=H~I~whm#&bdSp5+^URHYQ|VEpA0<5+ zG#=Pfx{BRnW)0Oo;xV)yr!^KB%|L^`U%oclAa72 zB`oW7X&t@pDHH2!!ut1otA4eNY5laE1izI*+%bC`f1Y7kbX9e zmMJyQ8U2IOb4br6{d_tdbT1fvKRvH# zgm$hjqPLjd5_qX3lPa%UYV>+dgjY$wMtT`&R8`XZNZoRi4*w;8lf%7E=?zLNRPsGA zsVe=OCe_sH_)1EvD6NKsZxyLxU-}VbXdSA0veK=L<}!JgP6>RQ@;j8@g^ZiZ=u;@; z3g0uj^#+7a!ncO>`=r+@jfzOzePHz2S`k@CdOhh4N|)rzXb$(G(ZA01)rpTtZzTOO zXuK=(3bL`oyL?IAWXAZLys??a78+Y&And_JKn9L)Gy0pF2)TrPJLw&yKT#TCPq$sz<>aKgT)sA8VP$^<-%$9L z!gmmm6SW5AX9&36=7mOhZx6k_^uC9OZliE&e|Wdg_$Ru^&vLjQ$nPhA0K7F6Ss(=5 zkLJ|Uvfw8=2k9JwgSUM!hB{F&A_GBwHl@Xtyh<5&n930zOX-gc_kN2em4N^tO0g_w$A z8BcP)8I@c6t5l|O0gVe`Fmw4-yvX>6+IqeU`KshE27hX(BJL7%uGUapN~ao~%ithX zK_+}i<_}(O#wM+NUO}TejT$hRxBMr*D~+FsJ{vh)P4ZWfuLb_pgqNk0t~RN*2CFuu zI+W@{!UHU;*UR>EG9j&=3AMeq)pCO~C>RTjCIzl=M8l$C9XeBdT%2sh$n&LL$)DtKH_&NIryU$*6truYSKN(eOx0%1O*C$%(H;g8J`e!! zpR5ihP1D@cky0m0w?IPf$}TA$7?kaTZZ*ECCd+N)Zztawd@5N&*mUy_!~d5dXOY9* zN&GJ2U4SD@viPBd$$vh++oWxHd&}YOq12U9H%Q2g{d1%dUz|+3drcU((C4h~6z-#t z0Re%E%BMG3>NC^up(Aj1Ie!-MY~ne<5vU|fU;jzJhe`kU4iu4kQtCx17ZR?)h?4PO zhF`1k)SGx8;(3b4Wc@~2!7<cL!A@RPz5u^~~DW3Yw?o6r^@KO<_VoD{D zkmnJknCoYBa}7~{(gR2j1dSVr$qEIszS#qYH+a&Y{6XS_h(81zAqu1X)Nv1kO}g_& zFAbqIl+rLr$h24v9*c3xcM&tfy?oLQr!j)YNEirJC?Ovo!tN2nvs?HJj3WLh@zKB$ zs(2is@~^_jOxiftOJgWKPH8M82DLoGtG@I(cDX}H{^XZ10BozfeWRzO0?WvA@osC-rrMBSUF%pB=6 z@JcGHsH}#9>m-mPL%v%2mPwVD$lv5}Z&P}Q(z}pw9Tq0R2sYw;&y*&b1=dh`pUPS& zxK5n)nPe(WKQL*@Ok72-vyRewN*f^Abpp|(Yy|M3DUJ0yA5qyz5e$od(GcEb)ESVbq_oGSObav`blnzol1c`4& zd@(PQzS^Hn232vhS{bOA`@{IKhUri8f06$iJi-(XCh=+aAHzGf^{4-rc$qNUBl2%5OmU=m zA{9|(<=0f3WRZR537R2_#Zdn_%kYak`w*Q? z{2byHfFqUy7~&I&r$ThDNg-{!okyu6rAm-c|C1`COex0T{D?c>oWvksu2iOT0i6rs zq>B7lRQiK2GW;=I9w)0pyejdFf#VX%2*MTM7>rBI>G38NS%{ZTH9D8UL5?aa;r=Z$ z$K8a$WFMw0C{(9V0|LSnk;VR{2)@$r!3F;OHHlwEycTdY@`HGqA`zKN-G@`jt~PI_ z*8ghLt3$6YJR~4W;h?K$^b9S4>yy5QbOX=`l+3&eOL^VU@L5fKpc)Ym5Dx;!$IUn* z$`8SbCuGSU7cz6uGu{l-jL?k2M6h@>E@t!-ny=!d6Qq+$qlpo8*BX7EHZdBLZbG^# z=+eSX25Y-!W<0KiTXPyMXtacZ+jbebQX05chX3Mx(zPbuhWK^Bkv~wfg=Fh2j0L~m zoKae+-9V=;opx}LKX?gQh}_+1!g0OGO%!gX&>jN96c5FNvbjSC!%Ot-)RA~6;&_H=YU6;qOw#( zBIE;EfFr6B$Wl6CqMu00B_ zbtD}$EP;B&l$Xl;hiMd*N2!d4!ib8-g3>$snBg68aXH)=;*S#_3mkt)$bb|1O3r6* zoH>0KQIWmN=}e$A5e^Cjohu{zmz(jCPL+9r#*;KA!$6=S5eZb%J!SaQIsO7uh)*Rx z4LDOzUS#swDfJ?oZqhwEdTIuxnUrQh!ZrBt#oTPe|IoyHn)oxspH*BEFC^Q$J!klX zntF4H&n5mmaO880cjMBxewND%=8e>0X7lL1NN+wo3suCuWcY6ys+Wl`AifYdvXqRa zjK|z7M(@;hyBCpOOnM1u#8XtNAmMc-yvr(o_BF)cC%zUqf)tY1q)l!5z@#P#FRi1rp3(+Lh*_!r%l^9`8htF+(;t!E zNcv;Yj9IA#hm!HsU2ifebAXpNQ`$mlDj!%K=^cQF z2T<=zs!j4B{AkvCy{(^U9i(*#7OsW|A(SkgP4%;RG%(bSl!Rqz*5V3`c|V@;l$0j(VNSbS|KCA)L~xDhBOcWX5>Cl`1r<(zqA~-uW06 zh^2-vF}{ip3A~hiHS(8%$E~BTD)VbX?s5|z)7!X$LUjr?AfPD31<)=rysDnRCh@C? z*HSzbmURSWA40=#(t-4~iPs@s7kKFnV+2+`Gsfx-*Qap}jRr7~6q*x*vR_z3bJl4_ zY(ytOCkO|H4Q^WI!Rh3=kZF(Vt%s>as70Y6uKXB`kc*ixSchN4DI_Q)At0^-SWzzO zt~GpyzLOghZ$i8&a6I*KsZq&z4f)Q)khx~&<;{^l%i)^SYeBCiytHryT`LnF(r~q= z(1yZw5K^zq2-an|-tYo_W!^x%E%A21(Tt19LC=%~Cu+Aqe5=A4!k`MJ04ZKL-vr>3o%jP#Q{U7$np+Kh2UFr?jL z&IJ7qGKS9MbjHHLtSDLLHq71yM(naryIVb8flqZLVPCiS-^Q2 zS&BEkmvgpx7vOAixTonoL+@F5_yc+^gEEB6@LSrFmMhT?wGox9hWbd z_gq=;&7=1sz4`EX8FWR;3=_kvYFFgT#1{}>2t0L}NRZRDd~f6{=G~^3SwwF!y(RE) znLsQSm4are;iHk0<#4YOe~tJu;Hei=7!6qMTwHEiQ@zUT)ZU=B0vfKuzC!toV)#P^ zyoj`Bh_52P8uy>dI(b-7nV>k$3 z=De!>R;BOn>1e>D2U zyPp1u^g+^xK;r=^UE_^gZlUZD)ZP7Ir}#fj zkw1Bgzj%tjaSEiKETH86F}7nDpC12`EfZyHMgAp=b$H6kf27(e=hgCTIr&N2DP&Ir z%UhSF%4IcRqko?4Z@oO}Gf1Ba8g-BY*Hh-~KY-!-XPNTt-Tne+Q#pr91t_=xVoSzw z8GWI~)On;UlCGq5j4Q35Z}brjPG!;;kiHN!vQjXVNV^3x-(n*4jKyG;JIkjw7q@}H@QtfKT4q^pyz0UE`rlSw7EiNcko(l8%6 zH7Q+1sTL%}XYs(o96zVzYE#PVs%o{V)S*%r3aVWG8o9DOW@<7@Jrft`%$oWXuc6og zBJMvUGb=j>8yqw=p~-vlyBw|&g#d*h1QdOxSCR=J<~*wx3Db$tiNaxO%X?jRFEqML zPhLP~w3AMdPAVP6{kv<8UNF+rjY&5l-4ry6y&g`6Wnsf8$$l}{%&gz4`Y3Krs|Br= zun?kvEJ7D|t&EPKgqFj#Cf$bgb)fNVM|%|%70TLpecbhCw9!!AK%*^b` zGcM$AG-JRHUP9Uv5dk=RoW$=q$=}4s$m0O_T*8OwGQZ3?c zHEWwbdbiQKomOX9xOLf~LUsqb!|0`h{59?*eHZC2pn2=EdVFd>vAfN9LT~*Z8eM60 zQv)rS{3P}|xYvv++J@;)<31W0Fpzm;vWstyWO?i?6P58vF4M#pbWwsVirEx%AhOK0 zbm?Kn0PP&=Nuw8yTo|}{>GYNPsrMWGzIOWdCf$d09%$tCc+VVL|3BZHyEIV>=oHfF z3kR9VmAH&PLFWwbtj~H8@nYg7z|r1|mB@0|`7%kw`2U+KKg;3zlOI5SAb8$DQog;q z2aIlXwWl8>J&5!}pmFx7Y~oy0B1?H0f0m}*5b{IG4+D?V0DC?&_z#;JkJZE-L;7*jV?iVGeORJcE^?eX zD>OLc=}e$A5f1NH_8F2r_S_`n@7Mc%g8Y-@Cxb`voKcLWUvsl$x08r_%A_;4%HQO0 zQz%WPGz}6SyHFmMA(u=pz1$%;-K=nHO48_{HIvpXScs`eeolWk+u#>9n?6nW8N$y3 z#=Ym{_e9H3c1a1k=ggU-8`;mHGndZuaFBMv!VK;y?p`pVLR}xCc@$oxFdqVvBNUfm zqV6T5&u!}Imq{-my%02_Hc(h1`%cInBgRM30V9W7M1C>(CE!t>U93<@5da8W^ttk1gK@Fv}Ge!0Ty#NQyk0yy%SCSK6JX~t(;C`jvq#wr@C zVc?D<{pD5R-ZHvek*D7#{SN7OL8oQFNDQm}n)8}wz%_KKBBXc&c|?Y*Kw;(Y%-&xmPngvY@x9g2Ch;pJAxInRS6H!0602>|dHfNMNd+6+?^F18gglv{8J+J$W z{;ZR~!VjePlRf|%&rdWnr?`JkPQLrmgfe>ipC}xpa7cx?3O}3BP!r-Xg(DP>LO^(8 zc~~d>n9-}X{5wwi1nFNuvx8EW*_P&jY>J3gWZkc(b?e}3HYch5M(uZK$RAR(jt7c+ z$(pc#m~n~LQU9dz7mdGRloKNvPPl)Jy?urJB!~N#Y?&Av5%O;;U&z^muB`lLs`h)S zp1GX-B+UrYr-4S{AXB_cvalVg%%vZQ9OzCr^RIsXF3Qt9gXWnq(PlH#S7*;M?^pHC zrgsj#3h;2n(%PxcMLE~Zg<3~Fk7h-hm0%)+m720Wx;c~8sZ8erIv2u0f(GLe`L2DD z(I>8yALVdWNLM9&vC`7bEFF-S7~SS!PhU#98tKcFPRb~ZsJq2WO%5n9~o-)HHZGGC;&~5-5`8stm+c2S_X%A$1tr4{VwIDRSPyC)$_si0) zAyc;M(&Aw%5h_tAcx6e?Xas!B`0n-PXE|J)e1d!uJhFi9as}sFb57e$MHbPb(}Ye_ zI4I1pv~WR@eAk22%%s+bywsdh3rZ~^`GAGNw=(`p4OnaPZOC5-9u?$MHi>|Ey@|E! z`bfKhVq1#sAfik|=RyI58%?NJ?1h^s+)SZ81jKSti7YKUPFS`-~zr*nPx-a3K#P1^B1vpYhI-Z<1 ziSIV&(-Hm>_t5D|ryCqZn&omWd+s&yq-O8#6z`*$0TEBN>~Sou)l8#n^^_mwa9O0Y zN#}sZlPCS#GBw@cVXMi?>=DAf2M0J`6aLIutH#2tRDj3H>xX zoX!Y3BjMnkr<=maoOLtu{`OZHMdMK#qhTOcqmhs_f*&*bb8Q5VA^kY%v7lLZm$KN6 zGx!2sj(R-d34|vCW*UdA$vnxFgApH^C#XD0Wik|mKhD}7^K-^8 z9PF<&hx}af&x6P9M@nXw=j(xu~GrSTe#WiXgQ!ZOXoEjN1j13pNv zlYWEr3ed{vki2O$KAA?6= z2Idq6-6n$@FZD(6X2M$tZv~8m#n;?u#BDP?A1iRl;kFasLHrZosEFnl$TSdR2i@jR z{TbPvWIqRsH(N-%Hoh>Sy58t63SUzA3IYnReC+*!4v0h|9CKfrRjsqX%r~^YrS%;w zMyKp+8kW9+-Ns+8RjWPZ_mck}Jo9E!dLYmS47z=$6tuekfs z;2QnOmT^B3K1lcwV8p0=AC1U#fS(QT+QH+8i60?;6gXok!X|ad9W&t$E#i+;I6>hT z2*~!btX44Lel@zvB7gdmq<UYcB_M53d16mD{8Cgl<#6SR zpF#Xg;E45LRJz5^GI)M0{>1)gHGvodlgE90VvVLx*Gv!nKCKeS^P5 zW8zJSHwBIoC>ZxWbnJI)X4YFZz15sn3tBBy-P26bsx;y>pZz6s(@%D;`lI-E?VE8c2dmV{)B7TeF z@--hh<5t7#>qC4S@!N@aHayI;-(mPAir-26F5+E)Bhh>paUw3A(07}&ZjZl#d+2nf z(+v*dQ;PpcNESN1*Z9LrJl~!CedII1(H zr-gG*(!EIMg2n?FOO`eUOsO};2c|cbK2-9cFf+&ucd1XieB&3-^LzpMLh^mVBXNUq z`J5~pix|FK^Fk5vV&WyhSdt|wB##Yzn#dxw4$W8={q;)y> zr`p6tZjvcK>sDG%PANlF#x@OIqHEY()tSNW8xQoSbro>qiXH(=un@Ntt z7g=sjl`2n%Mh(I!!v{|6`cfM1@<1BTkJYcc704U~at{OHn*u#J1!X=!LPMFjS{L(=3?hJeY1aAZUStd0xRRWH7rT7!0`1 zvM~InH4Enj59b}b2QMm|mlV#+45wqWOZxA4yyE`Tb~&%ge@*`D^m#e|69-hPD>0%v zm1#^RLs;a&d}qPDpeREbSd>OH4z@S*qDZ zzw6p-nSUWvJmE{FEtB>hH9o{e$gufgxzqih5ZofH5dFUBl|~aT2p>58MZZX|68)j* zkBr7_e1!e6)7#CB^e3V}75y3M4)_N?w~1sO_HUe^RI6?bpS!xNJ-J^<{Zi^`sw~%0 zo6Ex|udf`x|KfP2HNw{l|C+cJT$n!MbPo&sThZ%8e@B|7D0h7L-q~$zfc|>18^r!V zmLCDIQ5rf{OR-rn9z%?2+vr}sEpxm{-jDKrqQ|U*kp$@2!iS<1_M*hC=Tn?%#AePl zWtI3i{Idshh*j@4E0|vt%&!cFr3liltZC!bO!&>6an&&c{4VDYIe*e&VqmC$qBQ*F z^sCn3{abX4LN##k*Xgpb1^&0Gg|o=$miP%R9MP?s)8(PH({CERrRc3hZ{3`(4sD!% z*XV6TZ!5ZOb9zG9&gl<~-d=P&(d|jAT7j#?-n|_hUvBsg!gmzDQ**q&KJ4uH3d1`J z?0_>U^JHp$qNTMz22^Jpy)xO2REnl!$D5}VD!PFhloC;Ib9HjI=#{8VWNkNKD0Sq z7!GrKlhKEZK0@@7Mr#OjILhg1c9kPUA1(Tr<}{iwPG4vANYTfMKE64Pp;b;_Z}f?x zPZE7{a~cypoW8;6Q$?R9`gGE)Tre{hHs5bOoZ)6K%a5aEj+U9E$s#vZRv(I;U1dA# zmWVACneWgzQ8XN+Ep8zTzL#My*{bbDGSnXfkTGl_hCZtFCtZ z(_`b6TqFEi;nxvo)QVHpWlc+~U+=~r@5QLyAY;0W8)>jtr-u8@RpLYQO)ktG8c%Vv zgj*!sN`Wz|!Y50#Gj4Odb3w#!7k-EE8UNsw7;PEubi9?}GlkC*KHKnWG+i-9_AbZA z4UD1REqspfdx$f$VkmcgWw_VrR8^$!6Fpb-{iK=wO2%MRm9taV;3pj6L9q{seV8oA zF^^?asJ;;oP<^Gwg=ET8wfF*?4v%;Usj=~F^Ay6P3gIz^z_=ktp$hi6)BE2Y=_f=# zDSAF>CTm%BBYMrlQ;x6PIpR+Xe@6JThF4YA)TFAzbB?zyjQ9fK&kJ8joOii6G}Izp zE5i#e?E4{p#}QtX@REd=DQtmX$E3n5`0u9L(p8BV_N(}5N_Y)_j}5QmuVP-(5U`V6 zSmgLkKPh0$&Jg~l@VAJwLCtC+2K8aw9fz^M?bZu_M{BXHcVsQ0#kvRf@~sW;Iy`S} zgqI3lCip$V?7XQ>)m4Oaby)8FfMenntPuac_?5=jq{p$G2_HB=;>gIa691w2kBrB6 z94zZn5&e@0$K83!1#3k?s#=kD}7Dmq`t`BKhmI_yD+*N`r63}3l2 z$Sz}zl(ka6rouF;!JanZ8;AcmEQbHB;B|t(BfK-<2kI&Vt0!VoHVTih(T!=ZBU~I|lZ+o_{6s^KYKjXk|Lk;|;uyWnqJI(n zD``%JLxc)zHQqW|ooT4y48HK2yQB8fiLer{+&|?0Nw*XJ!8#-`o|-Se+B6fN6MX*i z04Ce=p?@oY7DZ|;;BV~n!NXNspM_Z|=%w2NKQ}!GhkhGR+Y&#a)gY@CEnZ*}Gkr&e z)=qa?80jrVZzXzb(!5zo!fhPB*5GXfZ!5ShVFryJlIl@mJEu4Hk7>8P=ysyp8(ojB z9Y=)@PTw~@(mROWQS?qmV?%bR%3|*XVFuJSgZlb#zosDl? zg<%(`UtpsVN7z+#579l1&MnHr4F6tEzi~>WcN5)P^zNipA|xv^p^w8;K92Ang8K^I z(_nnUPlUZ39(-7Y`w8wZcyGc@1$P~S-pA=IE4cR+oh3S(G~-c}hcTr&4)6L@3_4eE zp5O#wmP~k=qae$KeCJ>OCh`U13&j_aXW+S5#vu%Fc-Zg=?+q z7U6+{2MHcbnD4@hhOyxwXK(5ov&g|>hlo9dEMt*}35;Q=!>^8s0S^;AT=1a=W6D@E z9Om#w%h-ntK0@%3gc*xu8pEHQJ@m~O@CdO-i#>)cW09;wk$bGew;McC@Nt5VC)|cG zI&6z8`Q(QaTv`1_4F5zaCrLS(3X3!hFe^rhgO}1NZft8${HZcdlW{r?)h9|T!x_#l z|2&31O6+K{NwRzga7i|7uv%K#P!o#X*<|mr5;>)EQgj$2tWwV&PV}Udxv{~z!^>q< z$f%^D7-5C|G0tB0WsFgk*lMvgWSO2Nl@(({t;2tQ72&ktI>BQJE8|w9){7~3!TD>f z`jio0FTR1i0clf#95xzn2bip?gW-SvfDtsCZH#xqw%}%^o_$|V3CC)?v9d2{B#a=P! z+r{1?c80U%nQ*7GcN;rX>@2af$?^iL%Zuy7T@F9Le+>9;!E*%PLzr0)AJ&R1QNg^| z`CqIv^FHx&#otd}bzM|2C!lr{9&q8z_Yn?`@Suc;Bs@%kkES}`QM<=yjPQs%oo(3u zJUNfbd5jL<5jDkQF@NlFr@Ie{m+*w>Cq>V9x-?)u?^8~{XY|vepAr46)1jiQE^glz9jZ#W5-se!z<4ISr^$?#l9x?b+Wv|P*;Mt z;3B6>CPn%U(Qk@=i!@u_Hdry!G|=&F*E;SIwZ+ojk+y^yPr_F|7L{`PO?%}p6}?RK zd!(6dG8k4AmOK3VMKS0Vg5MXsk}%VyeoRUDz}cH`iR>z|ABz3R*pg&L_}JO=tSa$| z*iXfNMpk*Z5{1?04llJ1@-GB`DR{NP*+p3Tfn8 z`tY;E#dha63;sp$uLkF#k{o_>`0CLy46}~5N7TVmOCQL*Dyq60@E&P5G`b*fG0t+0}rc$UpqT>o3G^nk+Hs;hA zt$n3sNz10j^Hd}oFebDXQyW~U=oN)r33(C{6!gaAX9>(~aD0)yjSGYq3NJDoGi&ks z2?HGe@;96nN7zsJ{=yF+&gfL(#&L)HaG(n>TSv}734>@yC#7b+!i6CTr`{n2~U-8{Z6yXBa8tI2p&&-~)*rrjnK61gB^G zjvsM^6GfjS`ef3q?cvMUDUSA@5d%I|=xIVvHxy}jhNF8eRiIdFR_JJ} z7kz=~3ynsV043!Vr#D%hV5;bgL|;sr$ybB->m|J*NVQ5G*d7;3jNsZ1Wy-y zqru5B=+L~$;hwKW_-4Vk2)>mt^Ar}^$x7f$?QPD_vxPZs7k`KN8RXeO;oCABeb1HX zrFUhqy(ni&nI&bmDdQ?J5lg*u;VxGy?~TcMx0E?j?xDieDagWF=HXtaAHOkP!+oOX zioW0I98Ai~3lBK`-JnQ6DEcAM50hrWg3aiv8!{M@6CQD6{)I6%^JF|K<1reH4Z_E| zT#q}w!NPw+^pm3JlV%Ee_^89X@|2z6X(`W0d6vqyP%xs2i!9*78@^{h=TeIw@ozZ7 z0!hzHT1bi66Qjn$3(mH*X7Gz*UlRK=Sr#R*M?ULUwH_ON)H zS4sF#!bcRCF_=iX=#HunAG`6crPC)eK9%tq4W<*fk*!1}^>gQ!+2^w_#D6J%HF=dN zp)!2s?2Xn^TO)R@*ssYlHtB$Xt2tWj8#f-c6-2(3u};Q!G}tm_{PO}T2&htg@6J-Y zg7tDX$oYW|Gi$OI+B5q`xHHVgkn z_^-tE@Sw(@6@GL2b(?1PyXZee|JjVjw2Qx-UTO5-qFd~zN+py-lBIWt@1ZrgH1+~b)!NbH{4U_FA^O$Jm%F2_Kpv9qleBAQ?Q_XjExutP|)IzC6R9W8hb6^@B&ei;2 zH^8N%tctOpr2QowK#6Ub|2P%4({^pMMRTCELDB|OW2Ql`TqYdk@W1wo*L1MpA%YJf z%$tuIH$H(O6*6I{D{XS3GEB;FDTh)~;$c7lRyE+*T70TF%&pDIXdN!=2w6w|V_|AL z8i=@27=3<}TW6I-YlN($WgSC{*OE*J%w=}?c<l?hDHJHhFdb@&lS zI8pRTqE9B>lxlN`#jRPZ4LbV(l}m&VZpQ6{z8cGPf>!J4UHoR)wreT6*Wzpqr;CnHR>m z@U6Y`sw7lPsG-2N0~WQbb#(LOnD}X-bwbAy<#SsT!yXla8|y6ajEs624K$dhzMnV|qX94PE1X|-TD*`e#ZMD|6?vY4 z-v?94ax4IJwHq_OVfZ-1H8QT1ah(~=vW3-^RjF{j8}D1Ty+Ouw88^~U6(?Y~$7D^o z$@zO$#WUP2{uc4KlGi&bjpyh#hc8mOC2SyHuyPSV%O62brKS%sM>S(^8(1@+=izcc!v7U6;lPmFHZz?UHzo1rnZ@ zu#kdU66hy*!P(_sDQpb&5&M$Zm&r14%p1TacSxdFTzJDCgI6WICgF7o47?H}eik{q z)m||oZ-{+U>|11+d2%o>IlS%gFq``@R(qkwZOE7Gh89s2O!DMCYs*3#XZzco-A3%TV%w5sUZ}%1^QuRM?c6w` zJcho#jCL~Gn~|=oM<-G}#yWLy;|gmb?jU1F89UKXKSM=jK(7HtqvCzGvrB{QiSH<> zlcdg+`0mRz6jwJ)XzIV|;?CG>V${0I=_aQ;9Xd&~DovqWg;8lQdJc6#Hg#OlED^%Z(*AD59T? z{xbHa!Mu#GNZ2&n;ojE4zOUdc!P$h>i99CcIC_(PHOv*7Cp1Bn#ZMjkHTel8--S-4 zF;NO66iO(fpsLxJFu>8amqv6yq5BIxfGE=h3s|S|Rlw=P-ocMJ!a&i3L=Ps-E5yPt zn78ck=w4#6#;V{Uf)Duz#-O&L4xeZ6Fu}tGA4-^&RxOBBUfo!NH#LU!xYgHs`VW_N zgsdZJF@rU2e2~VFR1b!;dTUAflk7H3L1OUl_)^eVxJYHUB}^g|U2AKTA~ zo+NrQXCH_b|W?2jEYoARW&*SMunSPnQiHHvy@w; z+)9N{P9m#tRJhIIryB4Zj&Qr+I|R=l%zMFT*r0rzqS7KasbH7jo>> z&n|pn5#KD~7YV;oP^U{JCR(uj0eu9&xie`^Jjw5J{*d!09p)nR1z~MgEqsZ_TWb8M z@Ryq#)y4fH`iff&k#P%?d;m%ZKBpuS|@3p zsqrP@!}#(-7gt)@5WcQbx=HCyh3SE{0WE>3s1I`gigdx-97G*S;6*7tJyD@(oI zME4fGJ87m~)4~ANjc6UXG5HPr1CFqVjJ`7Vq+zkaR@P2;vDowz-Cy+Hr1>BfVf;nd z$KgJYDr78kBsfcOHsR)x$q6}boM(~Am60bSL4%ROqk%Qt@|~V)0}Bg87m6+-&B&lg z$_fJ@A1+E#W}d&bJs1lr~7(U~2IkiExm^JKH%97Cc1o zA%yvO$Av}ESa6}(MnDXcFkHf+6c{?{!T4U_@YHi+Ry$nq5rU5-%)%yJ!m?&mILi4S zPK^8r@kfh4hCE|~BAfGZ65&`EequN{!bl0nNjRPYQ$L-|V0``wPIs{2PZWKU=#xpa zA?FLS(ohnPy`!YhPV5@#m02Y6H%k@O66z$3rNDHpPBpO6;B;dDNM}UXi*6vzJfY9I;~dVh*3@{x z69hLBX3&{r1NtE+I(@ulw=+ebCHidAOqxu61C|61=QzIN>KK!Ag-;SbnK%Q-ev0_m zdY;oAt)u6B(HDrmkTesr7(1p<9{%+B8MBhVN`4%}A`yM32y)N|M zF{aCX66Q*{p8|vD0$s`QfYWU)-##e%A<++$X7Ko=RE9bk)+BOa##;Q2Bg~WVsD#H% zs3|E`BO*NRLb-K&Jt5&q3G+?B6x&)gQl4^Qp^c1tTEa6Do~6Jds)o}@Q68Y%31f;} z8esEC7f5l3gT@Q4Txi`?FG_hy%F9%E-*}g?JY0Ci`ETq#zbgJU z@voC-#vhL%xM)-_a=hO1=NrP`6#f=*UPiJ3nIes?Ju;}6yzNrqyZAR8VX>rlBrT!D zn};S8)>?hn=|9ARUMhN-==Vsop2;i7D{jDeo7%A4op0?bR>*l@&PqCb;7i$?r+WJb zZp?_M39Dp$DB~j<_B15I$4;-a@IMj#sp!v0vmi`nWnpzwhyT5>=?cOZg1;2Jns68V zgRRNrmB9wgLvLD-=_?Q7)z4xOYZSy<1@Se5;Em_PN=+-khi_c@+!j^(R?0dl-%-(7 z`4uQt+O)D(^EIuo4yp$+a#K9(dIhmTLHxiV_}E~FYrdol!bTS=c}H-BO%i^T@Dl~L zcDV{x4L<4BtDEI#x0d&pgds?>ev$Pnt!AgeX9O22>@>ei_(Q^<6gVfCr)io-pz#TH z>3Y_X@#*m|4`7v@@oxpt;y^Vf@K^Dyg9n8h^P%yw1%7U7S6nwbmN_l)6WSHBTA9^U zP2;6;^Xk@aoo%(WEoE&bYinA(x|}>NL4`zY<3dYY!fzW1+e&ErUqWu!&V?;Z*j_?A z3GFE`v-1JTuW3M`(7}!GEc@;tV@DY~(NK0mR>Yp^{Mxp&D<7T}FTSIcPEtBk;bmyp zWGRF$E<9<2Cc8@LCZRh8mJD^ZsfHRY-hmsli%a|1HXwP7PA6rh0=Sb z`hl+P_$GqG5e7;dByF&1SgHeksr9H4U>+~VFS&L`RlKT$r45mG2sJ*qoW|p4!?#k6 z_v7AeLp^|+KU#h%7hNH`(r63_#&p>+PItDCbycFPMc0t#HI`z-z)VqAw7AA!#NDc5ccK zQygAtS2$JhMS?Fj7`5SKxWwV9HVoxb!IufXoG@R!0mBZkVyHGQsSQ`SwO~Tbf>+9# zChIC%EG>}JQ7GZ#?$s_leP$G{k#Mbq>nQL7uzNyQxZdGJ0>9x1Hwd0C_(sC4c~+-5 z4HwI-I)BlAG4Pwk-y;52@(dhx4Kzm_KL2J0jlgdge23r}g!!wTRn~|w$^q{Y zj(KSekGu1|6=zS#c~Z`NI-8q7=?WTaHN#qBw_&avTK z3uHYnYay+sB*Vz?7aYFZlI%snFA08`FfRmy7WC3Ze@J-6oxV0`;Z-@W$$9-B2g4RB zwNZ0eTb!ao)M8F9Y)Fv}51jP$|_7tMgrU3xb#(ZJkd6iww2V@q)fW39`&;nvJz%ZxOA0`lG#}TFMbf`>5>f$}D^Fc9hadN@ps}5txf#5V|;g_wM)&N9ZcJo8az*o8FE{ z0gQ7*H5?WFUEKP5VoZQtW%ZENla}7?$lsVY;q-5ot9KLKTlDUv8KJBK^a%8ExCPIP zBkUo#ui!l$&c#=!y&S%PFJr>}1os!bH(|!3B8k=g!#+-r?-gUcujnk%*`)PO$7Y~t zXkT(sC&@gS zCJO})IkETkDel~2>nfZo=QKH|)3NMb6wYw^4@=rnqDPBPlIHzLp`dS2afQ}=u}c|S zEvH0MsiYJoronjZrAP(;Q@E86GN65&jm(xHeX3L`N zI5#qkbE(CtQ5r94f}}=D%9dCqG)#2(PJ64KDfleGXA|a7l)CcDaE`Mz*0+1E*hyk1 zla03!&BF7X{+C7Le9;$(zK}Fa1~h`Ptu;m_OmX4gHvD<2go`9xOhHwlWLc^zm8#=o za)~=b&x`l(QaP8&x!jz88X}k{;m&j343RTU&Q)|&{M)T74OhD|(C*zeQm&P99Tnb( zX7{c%T<_9GyLmTAnl9-^O0gzfl*{5S+~md1B(Q`!K)10mg_d31a==(&^6@9_c&xn4Ov;{r^(<2<;!te#cpBKK6xIG2=;RUB#*`>ZH`X$jX zlePi|{e;X0D$c?yF19xDRf(@je4V15rZ6mWdP}3<5dEg;w@5SRFo7l@LEm=1rCr2g z@$ZOVLf%5h+DT4tWuY$>y-f6bMlEK^$Tk&>iLC6n26p(|rFM3LFC={_X*DHg zJFaeAihV1?S1w#>&6+h5)=K!ALQ}73A}fb)2Yh2dP3{}l+S_@)m9|dWchoHVh48)8 zKUi|D7rjCB52Sf1sPLAe35W(TUJM&u+B`B||0YR4O8SYCrExAl>2a?Ow9bEauY*Nx zv%FvA{YsDT2J8`;6Ml2JcL9FG5q=l^hu}X6D^mpwxk7irU(PpLckAEcTMSY&1Aleh zoc5m|w!r^3wJfge7DI1|pU|=p-O6a}PJr&I)=uwW5#LhuR-(5i&CF4XFU@V7J?xhl z@-||(72B39FEW`zx6yVEcYP(o+Y4?dxIJN((qqyYtoX~(n;qOZCO@YA4l;I>u@jA^ zs9?5)vqxG~I*RQiwli5qC6Ql<(NGSbHz`J?tKe>eyAxI&?w`2q;z|em?7gd$9#VQz zQC8FPD82rn?FGJ@=-#4tC(YPYVg6<4<8V8h{=^Zag8K{J zo3P@cp!ae5FB>tpujnk%*`#%Y0{X{u9RBy)G3Z>ud4dxLV<0hhM{szG4J0lQTqwAR zFw629eA7qR100_}B;LyXgzqo>0LN39&4?YL9q%b5z=sJRF8ol#(W_U9NmhqBerR#T4;Oxf@FR&c7pAe9_fgKi zXycPch&@{DF=Uksa|(*Wu@1MH7}I;C;Nt`zPnb_V>cWc13C@>TyiXK=lK7L!GjMc` zX2K~Bziy4WQw5(U_;kW5#*V3L48_ilv1hVGY^m53Sr+YR z`egJGxXgv_r^Ud_B~(bLq`PF$Hfj%sBVsNYey@Es$^Bms-eXUkV2z=La23m zkhMqBqU%JDCC!Vi<`PQI{%E6PGGgn+Hjw27C@T1p9mcsZX)S)o5ynfHAfb^01J9IC z2os$hW#4|z6nmD~vyDwQl!kMhy>W?x#k2^qlf+IowxX&uoagLwyT?R4U+e{9FC@!b zUx!auVT!}8t?-#D_#(j<6J~^KCe(&YoLyxDPc9XEnb^z8vQS1B(0HuCjYsneH}*U} zM&(Kw(_~ylgLekYq@wA2wbM%qBYlnNYeip2nsKR3SB2}Hy~SR&H;A1s_C~S{d17@M z@4%a!?l3Qge6#3VMBhr9A=g#chTEK7To&2e#oi%yhOwD)d{J=r1iOVZ#m*8tn=GHo z47y`0vHICv&X2r4hJCmAIpXgjZ|Q;IO-{dK>2aUvxuWkUt<03F3J*AYt#!OVDE1+- z50hocc;2z++9OWSwFiEl=to6AMw%g)RFs9so&9w+e!>x+5c{Oq`DFE4$l%NHQw~pE z9O0)0KO^{A!mOL2vj%&UpgczH33apQTw8T*OqT`Ho|m?e8qbl=pqBZ9!$VJv@QZ?9 z68th@D*w|25Z;#FC%$$Fg@Pm$u11&bU$*~VJGA^1(fZ#i6prL*34 z_^qvCd=?9SNAMEDOnNNRjcU-lPOq{-Zc9Zk6a5}(#-qNnG8L9P-1?Rn^a{c63tmZ> z_o)Vj_y^7ovA(HQVm}o7k+E#lf9!0_%VW5oi2YRTXJjo2i{d;EEPd+M&X$B<$of*& zYFd1CVi_fjl?h)t{^iB-Bx{7P75+7Gri<|KjniKk{jKPAqQ4`}z%j)FStoq&_zY|N zuNS^S_z%Qc7GZZYj}=P) zS>`V?f2GM9U`<24?V|XbE3aBn`MZ=qr2I*R*Upn=hrgWeVkh`pbc?~NqT{ccqv(}J z7kfz~nnF$ekz3$jnriF!{DjbOgqHXTwRMTDD6*Bpjp--UB(Y5$)*x@~(p`JU`?95^ ztt4$tX$MFpH7UI@@gl_Qs;qJXdSu(U+vjVZ4kz43?zVE<(&Z&!Hc1_Z^p+MEXU6Ad z>05&Slq5?rSTg*_PZed=mBsP5rjGsEG~Qzs{4u+ki&u~yitRiO2U{V!z2eYLacIvt zuz z`kIjl0Y~VlpgSq(&J4OAejSH&`RAGtu}rE8Yrfj$*QOQM;v^Sb@8V(3xi8+Qt_ri8 z!tBm4dmv1v_5YF79MOkSrWN>x;Qw=;h}fX6M~a=k2ZY?#}b7RIkh=LLY~hoD{Ei55au} z?@5>+#C30!O3X`0`efM4)$tdCz!CaM?Jsq2sypJ>bY&)ocUCs~bTp-HAD7>;^X@A- zOL8{l;~^*UnOmQPJX{d1@P!9tFo{fJi?aYQ{=XV25w6FhtD zG00|LhRq?!cdwh37zOeQFyTvK+%Il z4<^l^OY2KY!a)u{+A`j?g9Q%}d%G7{<~G*I9z%g)2h)gqL+d5JL2ozJYNYP_5YavIIaEh;D~N}wi- zVYn0BS!j9tOgU%CIolj8U4w1g@Dj?&4(GUY%q=l)=gOHRXEGgDOmcGzIX&<^$DcVO z;^zy$K=_5k?P1FcQ=Hz#A~aR>MWQbzy%T~-#*cje z;0RC4ct*yvG+3e}SROv-@TXSdE)e{@;Dv;hPjU)y*SRs&3vS#uSD|C7x{Q}(yzE9n z4s&8bBD~_pY|B}%%6Lu2>ol4ogz{vO!`Y27_%{T8Io>hp< z`hmlp*;2+4Rtf%4@JEDIJS($ed!~iX{)Iz7v*K+C7Dy08@_U5pUb1MM#fqhUz>pm56INaMc=s5!#Q*7hPBzL8wB?*{VOj5Q@huKgTMmB}K30F{ zvk7@e`VG;#-ktMA=eIgw{^)YVV6JMQ`a|^NiYX^t(PZo>CZUyfscqhWTzeRZ{ ziBJ&j>_SbSD0Gz2NkV4|dWy60rK^j>-;9fJSHax`cPGqSh1WY@KVcW=r!R>7uHt)$ z?@6BR^n#px?8%BpGZA{Z671!^o0Q&Cb~mLcHzzNLMNv-Z#Sz_SKhiSD*dGNm$Ek%Hq#S{oJ0YO$lOFC?BmkC=R|2=Nm-JzDX~tJz(U$N zs;Xp%9Cuor8J%1?d2$kTn3*t}ARC`$oSuALqzgnBiY_9}5&#RrViqc=Obu}3@H=94 ze?J-f%Q%1r??`F_x=rdZIoOp7%1nHG(XbGIlK7LG z@ysRR6zAgtDQH%RKTZ7U&3IO{!x_#eEk2{fj~1V7#v|jRUEzEj{n;Xvh%XhNYR0SZ zD|7yE3%^`^h4@PH%u(td(zuE-ZX9BL1XVJsWz^7MlSYPR4~)GHX>?|>u2t&+46y*x z3ZPB_jAa0POt3g6=h;caB?j#+D*^V6+9H(vY%@r~qpSy`y0 zW+Q85hly^Cwd&KEGR~55HVqa~(OyoD1Y!NQVVWAyzoZ%VAlB2`E!sNUm%DMCX+Z^W%0RL@GXLGCAyd6^3DHyRbOC;gxM{ffJDttRlQ+}Gs3 zPL~<0Fbl(m7dgCO4t~QC-Vpqz;I{~?KuEA&n~l2j+iqORhnU7<8SltgLPJ%6tinWg z9#ah4$Gz*)nGI1|DruRd_b4&6oJ1~qIrMmkAsNh zrHs{PU``@mKxk}z<;F`-L}QJNwKBe@!F;0{FA_U^<3d-f@qQ~|orLcw=ti!Lbew6W(8E7c-3UaYJt{bmd%XPDiUu67B zLlMeF+x|C)Ti+jp|6TAOg8w9}oK?sK%Eh9$f4OmmwHN=E(c)k=IPg~ql*q|zdeLlw zUz%DRbFGEa5HO=#bH)xzM^#G{VjsPohdN6^RR?N0X~gjIG7t3pB|&vRYo@%-OWHbnVW;} zBiUgWH>NiU*m*-n4;eja@J)hqpoQ1V>9Z{S-9+~my}Qx8J4K<7)4SPy*+X<+(R-3s zIu}@p=jptct1rxo7t&8^f2n&@wMr0^Y9Hrk*u%cB_$=|+!R~PS>(r#QAh$`GEN5Q6J12%g(`NU|02UlskJ_hv^78N6R^e z4zp}QZb3fM7V|8Rb)&02Q6ps>C*yb;ycTqS7Gmj%6C58F^YVg}K--CY<5;iibsG2R`AWg(rzK+ZO)s*PUWl z*W4G?5~-z9Q&eNNW$_TooL|>3^5x-Qzx=M7l=o-?B*#DMW zwXQyD`7158PU={y_BVpls78{&QUY#m0u5D|M38$y6CH%$&?%jl1(4 zU%Dp7>wMuC2)~dx&t&-?(=Ab*=dzArimP*eit1FU7fHRCYH$35MlWD1XpAM`-~kjy z{9vx}0UQvZ@ATmk5A1du)o`f-yG(&y&cK-bXiAi)umtE8&X35%w#Sv?r-{GH_(lve z%z(ez`E?IR{u=SuiocG0M}&`s-1Qj}L$8~@4LAJ_*SkL^_639+BmJG>$8^F1 zj{l+Gb^-J=%)!4YnkdxzW^bXhprE#eXw7_4@u zYxmkIXG)tTZ8kMFZsYCI&zZH%Hz*^mc*Au@FsTA2j~szy5@KJ(zoJ z_``h)X0C#{pTTrSF#n$f$9RtiJcKGs@&^^dLki(xhQPjs|2xSMz#|^OU6um#6u_ej z;4uckM*;8R9Q3C>?)YBz&^;miN#XN}?*#n+xJNkIQ*Iw)cj;-_&&Yn3_WwMxO(R8~ zbMt*DtVdY_b7LR{J&|Z4Bu4vEcZZWShB59Anz-Xl?;R#MTHL4~2h3 zoDcK=k;>s?cPlK7Kau;X+|TGXD{q^XBjIybXIct>A@xhCtEuvV{;w1cU%7XbrSBSf zYvp}yo|PXq+Vvav?z8iKD{q~=@8~s4+W)gG2;X}kcUsb}S0Eb{$PWyJ<>r6f+<(SC zZFK#2ySTGw%+uJm7>1UU2vvY2i^oyilDY5p70YyzCkbZMvxeX%vUBVv{ z{-mJC2HQDuXp{y`*)Xf{m)k4M{#$m7A!@yx;LN zjcH-NUXN5GwF_n!Ru;0OrMYbUF4l;I>u@ep66hLjT% zC0<8ps7@89F+{wJ3){!u@z7O5HwoP-FkTwGulZZMxKY0r|9~UxDx-&to;3JuH7&}L zuC2w!>#0)ApU28$uHI#fvg{_cx76LK@?`kTp_zo3$>YWp8ymlejJ`7Vq+yAWSDdOJ zpTbAmy_P@4}9@jCO&9LJ37Ca4i?CnT2s_F8pf)0>TmYld!*p z11K;B8fwwqUlw<7I?$y(XUAv_lr%`vU`i^)Fj%zt)bNAc`}qx>3k^DXL*yMokC($d zm*8VC)P;R4sfS4zF5yrLZ6L&TcRBy>FjrRfiE%qz$`MkIq{7!gX_C`)!cmU*+#I7c zLio|bk0IVRMk&8sWg2?Gk98}{;x$s%ak7p#i^-hA0_sg8g->wnrSXRO#?3Nrk#TEtLjym;ZEh5pal4E=WXx!8#ay$G9e3=XXwA2Bng%$CBp623KYi+n!5O15#n$b#QS{I=rTl4s=eHCifc=lIgAWANJx zZzsIH;W-!tf;`{B@$~~DzJu@`h3`b%V}nocJ3BwXV$)H4C-I%hGd78$0tVm3@e3}9 z!FLtjO?Y?1QHt`@+AfZtZzbHW!g~nsNt}J^N#=rH4&Q3E*xdy87Q8!QW-*4H75X@R zo&~*!=)R)&B+ZCp$9I4fW_Jyua|h4QJq()xVG97g*@~3eOUrZFp7zhv$VH z$1kyGJ6Cv~@Py%dx#Wa=$ERB81;Pu37a5KP2Kb&B;P`@unCSZn-(UCv#96&jqgbzs z1Kn6{?c#wl2FV!wp9bF+2f6W;83)T4BIA(%G?*2Jy78qM!(h2*hihQ*YyulP9E2H0uFOPe6Aks5Dk1LiC? z%@&#H#!_oJpDE)k8E4br4Yg^k>Zb_jxb=$7WIb2bBw3SbvCf0u9c_0N&U4{W>)bhC z!UYm8q`-(_#k(YO0a~L|D}>HlXN*H zR?_~XUy$A9CE*HJf3mD|rPOIsucFGQk|~}au6BBVJJB_wuN8eAX?1F2b{@9-G9Iu>ycihW4z!(^M%1K)|mBTnyZv6v_NQPGc)W`T&desywuc--+k zOYA3vKPh}ZaX#W@9L!Xmm0g6-s!zFdaQhgcr{z2&=UF-|M2j<(W#Ku8kNyz9;Rp)^ zKQDM8VeP|H9$s+tlyhRZFA9B0=*y0#!z=%w=SK8Zp|1&johZ|~ytFnfa<;Xtu=R%6 zH^shXEEmFj+u0trPQqfb?}%MOma#1^2=6+&+frT@E^MjLWkTO0%2cRNm*j@!4lnmb z2?W0{cqL(dsHw(&_t={;h3^8|kuH4T<{7W)ESTCN^Fx^*(PRmflT}%Zuf$sQHWNN} zt4CI}K9TjQtj}n%K*efbIr*5o^||w{>m&b#_%Fq;CeQ00ht-Q6z2fee^lOB!75X(% zCVg$?sPK)mZyX!hZ^fU$CiYj9bIf4t(%4ZBJ@|Hd}ClX8aI=OD+h<)T-$p>Jj3tO{*d-3 zHNIqB!xF`=>|@H`Qd$gEs{ns>8F--b%TnWV&@jMHO$~!z`yng_*AhRWVIZRw4W?3Z z9Nx*T9lq*au`R-ug0~X9HDSJ6;u@NxLK_!)H^xiYM#8od+EQTgk;qFFjSAa2J?-om z{Pv>TiEdAtcQ>G`vxBosCdH6<5WAz;oyaoYSgv7I*xBJ$<72=b1$PqMnQ&9Qah0jk zQK5?q|FY7ctAuV6x|@IvGHNk;U{u(}h288c->wpRNa#s{C0}VsmSJ1pUXCxerLlJt z-dp(Y#2I^B>8Q}h;dkv)_YmAy@ScR3H*I~TQDHAP&RQFcn_BY31!Z2HzM-o;w!{g8XuPr31ggZw+zAH z2vy>%#n+JMJ+8shVvc@bb>+0sI-z5U@&a&+>(Z!+;tu2ETyU$fMT}5JR=unSTI$TN z#QZ4i+XrQwE4|h*Mu^jRDHEhLno>|)imB{b#n}a6qAUI8MCD8=XGuAm3ZJm-++W~KP~f-ew!p}}Q&sYICK@JOp~O%;5R;EM^fuAh~c zEXye>%Pq*t&I^~glw?BS2$xE_Ow#3)_#LDSTLsjXV4@lZIyY^WQJm(s)mOMbY^RvQ zSIVCz|0?>dv7n*E(P@orWoEQ=%GGWjzfUx;k$J7m>uB#AbdcZ;4Q`krQVQEs@`={ZK{XtNqto6V^mpamDQDm$DJM3 zDc-*)#6Br@K3U#}vJ7_p!MzAixiB%#vk6a2ct*mr6cjk#L(e%o#@Gd7pBKB3Ebp0u zMmB!I`4i5Fk$F-4OX6Q9&lfL>e~$dYI%Kc7QF});UX}5hjMr)Kp-q=&%EKauyI2>` z8-m{y{1#!$5(VLHr`uVUSSVqTd(2@*kR88+_n&oAOAn68)j*kBr7TVdyOQ*y-Ds=<4YNT=s$w8RZgjTIm66>f_D8Wlk>%^Bv>^QK z=*vIj7aU=;&|if9N|cdc^A{fooNlzY?eC)h5d9}d&4S=Km9pl>)KcN92v=vc46l0R(QYb4!Yv;!$BEO~ht;BClUNyfGY|GWg z;bnV9cpJgn3U2Fgd1-an&f&}VitzS=+X-$@n8|_uK5YEl!Rcyif9)W8N6|ZxW~CC% z(iBz^-P!S{?aAyYyp!aL%B!p^!`e}ykJBgGa-VyM?kjpv(oF4=I;?ECm&4a= z!f!Z2Kf(P4@BI&q0Z{umJj3991!oD)Cd_zLra5LV$LXY1;d4djiB6DaJQ(Yc@9^;! z=>oxpf{O^NUdZ)bt<@3+xHWjYn1=hw+F#ZIw0Mf*>U429(BW1q@f(gXQ1BqZg9-EQ zVZm_oa_uqc&VmdHyLr?T^lQiI3G)w^vS3rj{AiH~`!eLIIUi!Ec72rm_$BF-eT zYpt%w6cKkOuZ1!k?>LM%8^>u~i+ z5l#!P6Fk=7yyAlV5F9QD5zYv%7u;ZQ5=&==aSo4N7~%1PCkSpN%(`?A#zQ6ZvvW&w zxwVK(&kT;znUc> z6K?YmzOoLY+ZDnc3SkCA;JwFgN+}M`)DA&+x-_LBrt?fmvn0)?#Ei}jQ?R{RW4OzO zHGkoE9N}&Wb0pkDfsbk)j_h!+)3qtV_z)m^uIT%l(>dV*r|XPl}VP01F!0BnTVoX+v z{!sKsM%SdOtJC3QrwfP1tNcXtr=mY2&Dty0{|%ozJK0wL{X*=QVpo&p!&!<(Aim;$ z<@hXH({hdQwZgw9u3MT_ScEY`PCs{JjP|#p*NOg)Gy_kSmUEEk_m1yvonq^SZxH?i zaTbm>Sj`e6#ZjDYbYtrym3Y-x zVwL;fTv+;NyoBE+{2}2_7t%FYhoh=8{N=*Nf5kKWEuqD5H3#rlQL4sd2lT&Sze4=d z)F@bOE0DItPiPcKXhneqe0j2_IEm^Z7DQ?7%8^~;IkuFtm6WZi@Ulw+o>}z!gf=b= z`7vI_HWId#(3S$9E$l&!g`KfWq4US4;t94F-%fmc^1N|l>qA{>S?J(+&e(|WAbdyR zI}vAFt%h4;r_!+vsVwd%y_c&Edx5|a`bq6Cb#JPChH|n{RD^w;p0JPL7GYn}S)#Lz z&c;%$iIC%TE@uzn2)Uy3L?=k|qKi>bgnWm$S}wLlC=gsIxQHQ zGmMaQw4`Gwu`t3$!dQI=z187ZH*OvmFJPpM<76C9gAZ~ozVGqd4obWeT-nohr9M&0 zNm5Rx!mNN<&KPTViqnsAY9@|ws_4^1pKf$+k-iu>{h(dIDAA)uCrR^mp|7E~0cB~i z^P{b+xSn6vYZkm98kDVn5qod{=kwWlo<#q@b6sz)*X6$F%*>fHXU?1{ zjEk(NBHNrBU8>9c=8*0~Iu|q&D>E%H^$m&bYs$M{Bk~gcepK?Pa$ACqBE9fJJMz!%hmgqR5Ev1_)D-*V(tI+XptFq5ayWe0Vp>^T+Q=(R7<3#dm9#!dVI_rC5OD3KzcV|VIr)?s zPWv%e(^x}eEsSI-&vtH|!6ll8rwKnpc)h~%F{F=s*5F$D?f5yu&l7$Da58i9+>6Fe z(|}(hyMgRRu>M|)yO#}Kr0^?*Hxb@k0d{VS!OtnYmGCyg+W{jMS+NZFs5voZIYvD1`&o$P+HZ-7PW3iJEK+?xis(4u{S@Ik_d z0HY?s?HhG(8NE(#-M2}@ZuM~cRfGR_pV0hI1ZulN;RQ^HyPvU<8_qB5{ zz}oq5GhWab{X?Tt2e#_vFH4UsQ5tZk$bThU^j-8#u(JFlEqcOL6i!Q#HM34N__6U4 zLpfYk!lw~F9k6el$P!qx!K;(mglCxaqDJRTO4TS;hlF}eX2%svV}=uWYnby#zOTp5 zqEnO3+3HAdm5a$lI@wFbony{e?XIdtr#78BaL~IfUGuVSaBf1HL9!C+xn>>F9{Rep z>d`t+ExCJwA$E?zI^V39G)))Kx{%gIuu!Cm(cF@LqKl0mKGUbCKKV>DCu<2$S|q@q+?CCsJq&PFBef!cup$@!!_=(Z7ZKt>kY5kHDqrBcB2cUZQQEj)XfA?hF`d4F#n4 zFOJ?P=NpX@b4dpY?oo0MK$VaF0Hpr%~+;XYJCmJ!c*oDUcgadN53T!GOCbp&7`=_1no zK_loi>=xn-UN_bUogiFHxJ2QYyjHpa26x!$;Zni_36}xJbDxN?%x}tfwTEV%$AqRv*0q$I=={YdkDuyo{~QD035xenh`z zO(Z>u^kmRy2`%4hg3(fGPf9h4v`jJYcKvKKmEJUZ)8U~eDV6o4vSNMm+zbDT8M|2@VEyuN@PvrVz3%s0x>5` zp5@B;KUoeT?sl7XWS>9D9$I^8?Sq9hxZE7}I=^Q8R;_(rC%>Qk8{l!-1_i@m_ol%s z*ZC+NAbgPUA;7o_6{950g11cjSmX3IwRfl;hK6&<4r0>TZ}454^%xYXeK<9%Ej5^hBJ zGQfzs1B}3P7u%fN@L9=B2V{lYKP$kHeb|Mhi%9nejfkMj%sGQs>5EE&a53Q$gJqvRH^AT#3YQWdNVv@4blD1PkijGG z_R$zjcnIO4fN?(*$d(N9SxavI`_1@3zrhTn@c@nCFc5K>J|`=>8k{@L2mcV^hY61W zj7yVUIM9tWwnsgmf1}8bCOZZ!a|GLjJ!0@r?R~&w36CQ@9x#fZ^uA>!WG2o8C!}$TDZx{Wk3Zu1spO}TpAMdpLDP4J!JoJFk(o(&7U9`|an}!!N?Gpu zIfif3Q5AEE&m%q`IPQA9Ib(vdd(?!F_xkW3qp*O&LI})qtl_@M;GW|=yqNG3!b<@o zGNrlF2JGh^H~g~IKA}$#Uq*a6aAc&5l}W~AxfRCWQtbIB$*&~83Opj8S16y~@xA^j z6HdL}3#%!tp|BPL;v;ojq3p%7&hS#L;hrY`4Dt2AkyhzBjJRhF?xj74&k=r}@C$(P zwOe}V(4{5cS!HB{w5(-pzL{B%`dGb0a|6wdFp=zp=4gqzC^d5=vs?q;~ zlP9UkV10TA=^cWHt0!;M*oEaS!{5{P&)dY`A$}M*E(jW^VNA@;E%q;7@0$6CKE>ao z`994LVB)&V7oeE?(BKQ}rb;aCzBIPBHVwWadxGrOU~$!?>dcZ6GVY}D?`sYB4f$`$ ze+M2{4Y`wo(SYBZ@TX?V4-|f+@Dl{aT`n_5>ll8aJ_vsy{wwj{fTM3*He`;wQce|? z&V7>(F7^rjgVLXr{(^*zFOB7wxW5fu7xD#Omfw&^hb%8@%GRIcU*vGLsMMxX2MR86QLKzT zy5}0-BIXlPmwY|)=Yhv5q>oc}_>{5Lvc``oC-b~=0hJ4>Tm%IrE>GUtFE;jwHW=%Z zy@YH7uB5y-evG`k@KDOGGA`+L>(n|1>weon*c_e zK!y;+GW(Rs)wt4(!h3xZn$l=Sqd5#-KA96E3p{4It4x@y?`$n71SkX{AU-nOR=VvC z-nvJAlf#7xrw~pBTwQ*}Z4=2U$<309d$NS6S^sE~BebHl(qZ9qge;wlA|;<msulW#@7HF%t(M206970FmMN%{@uEY_t{+R$lB zryU$T7>Z-4P;WGPwSKj^iFA9?9YE^^k7h|TG!OH>bKK45{a<$pOb&Moy<6$s1`lVE zXIn|a-EQz>=`7OmigeIr8~s0}b4d3goeLUex}-q93FE@{HDRY-*nSl9DC9#xl_VcHxXdlT z{S}y0b+FIPLP|xH`a{wbgq$71s*=Nq+Or3}_nD7w7LlsU9N>9}N2DdJi0OWAP2tPo0xWYm7h&^cV&_*79i15RN zM*v15B^r^K8)@_;jmId`qe+hejY!L?E>ZW0!H3)VpvMv(M|ix#DYE~Nn_%#QY!6Q) zJc;mRg=LRm*|6H+|26dRRKn8;PX~-i_9$Bwn=)>OiKpsCnn`gM#n}*<+DKY3=H?iE zg`Q?E>3O8*gGOp2fvAk#F?iE#AE(C%FCe^7;UK>JEHd~s9dfpq@DjpH0i$w~zF_It zWsA=}Zce4UeSvv`&N4d7;rP5yb1Mu!pn3l!;gy6}0Y+)WDg;5M{S1l}CDI50$-C_Cdi#=CA=-`vh&L*UV`V z^3LmY_S1O-4o-tKr}Zh3W`ujwlruEp2dEsRatI18LR@;OxVPe4CM?yl>2Fhbhr(e9 zzAleqKwp7-*Niju6z|b^pT-9;e2Xp`l^OYYsNg;{shUb3QTmwD5lFavnI#Ds-1mvm zhqN*GDe0r6KLhRGPNFgjxga5%mt;wf$!ecwR@d_!qj{X>7clXF%ywn&OJjSV=d<@K zvM0!X4fYgaBmLb;L&q$WU*vG#5dD_ucR*QGqcXDjdxHlx^6(FYeZ-M<@OLzDRj`9I131>R>+dQc{b$jajh-ly(w zGtW}{1aU+bl(_lf5f zx$DfRtH$*-TG40?1NC=U2FeAbJ21CU-XP4mP@Oh(+R|yKj^MIBb3$&KguBt49hp8s zH_>TNrvn^hn><=%&|I0j+4$Z1D7uCGt>kY5pG=9Ys)9Z#ce@!EX{uzejsNDlCd7nfAVJQUeUK8r8(3`@26k-ri97D2aWQNNydTuNEQ4W_$ zI*W81bn>Yc38W-sCIeP<$u{W{Jw* zCKol$as?(e&@&WLDx%aMl3u7jb%9oNKNWKib z=4%x7&ma>TsW6zr5DG&fB&)edAYCTrO06pWwD+5JnOehWJwR(XEJRD@3rWpg<{mVD z#1dc5A0q!S`4Qlg?YW373OUl~D>U>`q(_q;0~&37c9_ZSB;`YjB*qPyI7>Ut#!?(d zaXds{fOCud%;X8?T%>d9CeoQiXEGe#g3^%1gxM*^uh;3)Q^`*wKOKCsN{s}A@_2NG zGO$ouE27RYwXvpaCe>L~XG8U6M&`-*89Z}LYNFCyO7keqhlDbNOpqkW;-`+PkNiPW6D>07fIcY}Q(8i4DWv3kRU{a$nCFk1c%{bg35v@oE{CX> zHpQ(lx~bAnl3q!A73kz6JQ7Tm2U4bVC}23uQ|2{OZ#BI&^wz@Dv!uCoMmJabY0}S- zUJn|1CL_VJlB+;HYsQevd;xuq#`82@P(v#Gpfrr*`R+wCuF`Y7L}LSujWCkUb=jb_ zw6H`z=Duu73sqjBvWd!OD7e?q<&6p5G5Hvsa9hmE*dzZahucbP8?EhXA!_N;;hCHk z{i<03J=YFeJ8A8Lh3Hvtp?tkCrN4F;?xC`m%04K#6H4RK2PWNeuNi-pPF;ST{C@Ip zfJc3q=oc?_ZyH>Gtk2*Bgbxxv1Q?e@_AZc77$}i%nK4M46mQdbhsI$T{*udfnC}`L z)bzeb`hC(LfJS<;j8|r|_w_?l{%P)`^bwVhsT_ggAM!HlE-p(M$V6jv!g`ud=^Ul= z8Jy(3B_rJN`i}elbCcd`;ZJmo(s4>(KtiRQtj}bg!Ivh?(R%DF3MVLh4FOle#RnAT zNl7_re53pQ3BDo!E&1=j`?81)z?^&t``(lkO~?;aex&jf6r4h41IcIcg!|d}HdXv7 zej)!W`QO0f#zlQ6y$b9kkd>0%@8(U^@%n$z`;*>Z@HCUdG1-|%<^}w1PO8T3A3Bw8 z<6DdTWq!$fb5R1ViBsg4P1C3Z=3jXLC2S8ss!PUXS>Bz>{wfQnJoB_~bGVUqJXm!WRL? zWtYk%lqSuti;a(J%NjD?i95il0E>WE8$IWoIW`n(BIRcq>KWQl zYD=jdBoru2{gZnAM#I~-^hv*oczfa}C6ttGG6shX&H~t2V{xI?nkRJ}7 z(dm;LmwHHcLo=b~7=MC?C_GGI1O&V)%dQ4)q_KDFiteMxjwU+>EFT;g5GyYxh9~sH z>R96Ah>r)3xReyg8hAw#mkB0R(H6i&3X>>IhJfOvi-=^oDQ29epNFT?m_}nd48#Zx zEGe%u48LDnS2KyvB0d|qZ!&~aWxwfMnbB-Y8_m$UROV5c4+RyKydNgqqXwV9&}Zgj zgclHA2sl}I;sd3h#w{|wR142y@=M4sRUSn&P5K@lH@>Y#<_Yr4$S((v$mHiqWL6k_ zOw0e1gjW(?1z2m2$iFJ*r_5}pr&&#N4b8PMkqo(TeBP`x{&u}?Pm_O!{Ce>Ibvhj7 z+o61`ch8!2lb+={TF=vZ0hVthh0~>G!)Kcp&1tXBOLR8S*$4+kN*>FyXN450mrWRd zn!h5iP}oFaGX#JCq@dS%i}4-w1Y5~(BflLy3KZ%K3I0{XyB(Kb<#0QQ?v~cgP+Fi((~n1cL5egP)sBR;D-*exL9M3d`Wxp!?9^ z({=FdM}$8nd;~DAafP8??h|vq)?r?s(m6`!GdPHi49*R@&ka830Uw)VgpU*cLg55P zFnnonu`W0872y+vzXt3}TuNB>alxR6ljhv2`S=Z;Z|QsohmW{I>3^1%sVr<{M*K@3 zr5|YgNaH6Mh<{$OtWNQ>!Eft`#9s*iO87Ux{?yu$kKI31E8Wi54Ef6kFyBh@V*_*ZOY+?*@@w){W8Irxsw_Xr zs|KYikdSedq+*k|S$C>AE7hq==QKK}!$HQ;$;5&OXPB`{jWcOfqfs3O3V1-4NC~(a zM!%Shl5EdRx+dwfLE}ypIw;+1=NNvA;;fTA~@JkaOuTT6E;thZ!DuPQ>^HQTDN;f3ki1cNk zk&lv2=|VxyUv7q1w0>lw#Rtne;WJ zudP7m%R7Y8J(7u(cL>t0NVf)!Ou=0#tG3->_+h;-+YoO{yq)4GUD7drqv5S23>@wz z;_ZodsEAAGHyfUjq-8`D@mq=CrZ@_WtU7hO;q^6NIuh?hytCqnj1=BG4DYX@cOl-D zcsJnwf=XQOGy}uH_kgmkGZ8DoYtr=tbck2)+@OlFCij+`XpU zuJu)KD)&)|K|vQn#ri5JMKi;^gjQCW^s?y1;rV+!B!jB54WFb*$syi{cy0weD7S52 z!}}@Tk9Z#OeBgZ0NO5xo2B+yYC?s4&xIbWIYD6~fi#TWWt_8`kU4nEm=@QVsMhHt? zHo)+!HSkj61BsU@&eA3mB@Az;5g$x^2=Sp6a9Nqw-Ea6f#fK4pfcS9WXrxrk{p59f z(9Eft{}0i8nC1wW)x=CbEaaUK4~vl|J+0OFC`zL#je&%ZWAd$9p08Yj3$@lGroH=H zGMa8IwQ{Ua1c9BVbi=;|!F{LGxmO?`2R=k#JsqS&p9?%Q<1hr+6nA?rHMRkY5kpS2^;fS*rSH zP54}e=O{c+;ROi(GE49;8huphmq>3Qy%F^PueOnWT3$A@pv5EPUNyRt=F$$*J4x?SS}KIJh}&&+m(Iz+-5%0=N$&&gYY^0w zuNmGz1Am?Pe&TNc*LGx@toIU^^@g2$)2vQfFCU!?7OOs4WlD&NJHvN{_ zV>Q3tru`1>!?00+rMD2P*d(izcTGBcpKoovN9lb^A3*Zyl6%m7Xm}S**GI%ZCVm7s zvKWtT*&@y8clD|LDe0r6KT}%1Wy?+RxzTU6@mYL~^l{Q(fd22jByUzC`t6AA$QW~!4v#Rz9IcB>F<=5J5L@--y8i-60YQaApIlhpFpFkmI+GnEE(yL z9P@(jW?8+K@=Ug);>u9CAH0sef4+d@uiIRMdk@dCE$$P#@P8+8eP`Z%PMUaqB$t}_4 zQFE~gSMT--uTS9;3JoCOcE@mv@-lL%Sr-lW_g+ITc=TPWF zAs2$b8SqfK-(@wFdqW>4!;=0A2CQNdX^eivMUKTPsr;O=S!eUsQwA zig?8E%k&ImiH{>b9=N~I7%m@j6HK^4g^3gi#S*(bzy^BaCyz zkPDwGTmM!V7w29!wVNjA6{?%4Ziecs_0%9ob<4}&7L&TGw3X5}O4}j%%u5Yr7RnAy zoXsJtF`3vy#T^uPQrra*Nkc@#{jhlRZZmqSv4_T98v9@%yA$!^k|Ot-(Uo*~;OnIK zlYRp60E{*;l9_@QTfV%;$VSYj-KA;$h}y^0jzB|UftKn&3w&bE-RgWw=O~@e;GoVb zE|bB(v0{wo``nbui+pK0M&&q_FQDL|oKYhCp-8h(hVe_c$d_h)qhrRuqIH7S*RXKu zvSeXH8CDVuyOU;&`c?ix4)+a>Z)to712qO43kmtO_Pq(O&G!-efx?dzeu9A4cg%xA zLVh-WsYCE`f?vr0O8z(SD7(po_{PQWCLPms{6XnYN`FD}m1Js~``hSVn!W#!uGER| z8S*z-prp6Log)90e9P#hugaC>Cwa>tTm`U}?npw$V!Kn#xJQGpO5-#dr^7&1hbtb% zEM9EsCMD$z^X^seOnTMmRfmUA@XM;tq`U&3d9OF0ZgrHjF zYm=`79;uK|Wdq^^G0N;*GnRiV{~(8}OQRl*^I)J1Vp@cg@r9zCZ_55pX;g9-P`QxG zMNqV;r^|@XLK(($ELZ<;7L`*iUkcmE6Eb~$`st@x?Z%CsNjmu!*TFV$= z8Rc@h(HHBwhgXnpOuC8EGJi&TpRY7}<5@oJrlgyZZVnnZzbuXKWc7%v3?HnWku8V^ zhzEh=rjzkD9DSObjb65pSzqd>)-bIUTB)#5!sS|I%Iq02Wx!*aNxQ$6f0M&SC`Boy zLqg1wgQwiphF_^;r&5wk>@bhuzclUSadnVbtzr2Km==&} z+jzUY!JPZ_0=A*kmQFi3NR2c%%D3XU(WItb{fTa()SglYNGQJ24O`qCBws1W$K*SVj%hl&knT#l8)!Ub@?^zA zcc;N8^!=eb;U0v00>;fzP$+HOhwrVmLHWV5w5_L?-6M^Tp^VrD*d7O#!Q;bnyc8Dai(VI zg-K8?rdk3OCBHP6>j4Zfyq+%eQ%Zaw@iN0>c^LOF$nXnR`m_utK7{yC;7Ch8rew*L zlpMa_6nBePhEaKd%5W&Sx1@eg3nxl)WI+xYzw@A3nVO7;Xgy481S}R|d=<|flq@tO zP5MgTzeZ6SO=%1yR>D}!M%FNws`wF8J~=6oki(6oGLFi4C}^f|o@}zS74L=F7J(?zG4)>2E`RBF?xO^1fEgS<$=gKLHfS(*(qDa@iU8$tsSVp#)n zrG}NU$hLIOe@;EeLaO|#2y(c&3~3%invalB)`I`>9yPDD2{qXSn%)9>3)Kt#$6I9H zOzqHJOm7LjrSNb8!)*HamfYheb-c%)>fWQDma z=6Lr>x-03ff{Pj{mX?<8o-%m!W)H6>yoT^vz^LppvJx3tZk^HThdli>>1Rl<2aR%- zkZA)2CG5?A)|4tb+u%7W&r^8;3hFO8fs7<6a4#BvwVvW7@*Bu+1dmh5o@fE<#XO?R&v%&!iBcM#r5 zc$dL}NYw2%_{@RaQaPJX*pYR6?hePry|3iaM zbU;KTDjyO4nD7yWL(*H|J~4Pf*u$R^K1%pA!1^?muOCLo^)^37`Z(z?K%*@ilfw9= zv8}iGkiQ~(g6!8|@#0ybD#*k7FYcs?djr0_d_(bDir+y*b44cPNX?jZzBlK2osshc zogeA^1P6C<(nGE}TWLCcU%O^T`PY{rS!@ z?-fl?Eqb--)%pKD8lm9z5hj*z@Nbf2K^9^Tg=K~Duus#a=0-Fx8q#e<_cFMsZ!|Ab(u3(Cy#SY+yjc@= z1?9$+n?OdDVsbPX@oBu$)J>{3rP_>YbEwD@83ZU_Uklt-#!qwdvmCAk`2hJKc%;#v zDkPhFN<8`Cb0KrL>bb&nQ|P9`Ex*GOAz7_D;?hjoqEduXlu|k*L{Mg0T2WX z%=Nc^OY+x{zZN`S)RK4ob%syciPT7Xt|#7#cx&Kn6vZSyvJsEJTsN3DOW(5FP-{!A z9W-=7YmNuf)x6QnjhddDXtt->0cLsCB)k8}$Gw})*`UrXbZ(_{8yu}+)7%1{m3!?1PcdDaO~UX( z*(|bgWhJ#P+t|9A*c`Hb$mW98e2lohM(1cg_9LA~Iv+Huwd6G}@6awVZ@pfvLV88? z`olw!syMnq+6vCJQ74dONpyl*F}0HamnPqz2AEc?S}C=G)XM%}S|r5{GVNj222&eC zZ74Lns#J`mEO}+t{b~)P^#HBmu>PC0w5WT~wBf2fMD1Z}BcN52lT~<*r@E0Q73(v6 z6s6IW#y~=INLELP1p_G&_lOBuzsT=$xUm$*Q5X;5zmbzKofAwe)yPexHi_Eg|Cc8B zxyR~WNKs5O(;ELyW+{Wp%XjQt$b9#U;CwRzO$Lqny8ypT1T z9yPpJbK)`L3y3cSj+?aN#my^}7uZE6PSo=(rnrRSQi!P5{w1=-^|+Z6)O>>GGMdX_ zRueOMv-nzcg-I{yo$@55m6TRNLT>O9r^%vgLHuz~nU<%?TTN{ZwYAW28_Og<8LY9+ z=+8fuALVdQlYWNudeF!_REILS>RH2^Y8~+$@#l%Z0330uP*xMNzT1nYy`!b|C2AX} zZG?uiU~q%9#$Pr(<%s+$hkJ$iCgPic|Mx7?KfT4Y!+Msj)V5LE4h>a%Zl;XCeAVE+ z`i$B^cqidqfDt8GnJlwk*zGoanQc=~1LK?F;!^(pWEC*nMgEZcX`D#7_|aTK+QSyb?0h z%kZz(`U~(4@o$NL2OPPIg(Tef23O1U@DGH4B>WR#J_5^}eANBf=p5~&_=WVZq<;gA zE<-;KNwzuo-HZv#efWRS_>;z8YB28jO6C4G<9sbY|Iny(2VZLBFRuZvGse81B0nVG zW>)Hjt}H*v+YI?C;CZLvng!gchCiy8tSa%-h@TD|^>oGiIpEGPYrkHxGig<$RUH;u zE4i5|u7r1r#r&co9UTATGP+Tx@I?ou62r>?LFyfW@O$+Bk*zajESt zHQ{Vs&7mQMMiefCfF#T8%`|tp!T0EAnJWl4Cfo!tikvG%&{rD0Ug@T!n~`n~x;!pY zzh7lSO^r(n3IPg12<)*cmUn&G`!O7JAye8<@r5)@C51{V6r6)=;^Nz8nh96yitiB$ zQ3~l0aMf}OWj#0PQM%grH+83nmgKJ?e=T?9KKzRu`+I(_qc(yd6h28|RXTRLgj z4)g|7a`X|{hDuv1?V#u*FzjwL`ZIk5-bA`R=?kQ2vgEE%O@bD2izZ|X$@vg+X0srq=Fn7eXxAiRDsr8`N z6I$|)lkTaz4Bn}C+}(tG5xxiTf6pOf1n)KNJv~QnYWGo#LG$Mbx(tJN={Yh9XAzE< z!!n2{+u&^q=Me5gI2SPTC@fX5l)b)&XKNkYk9Z#OeBc%9V3{*w#`xvFco)(rqR}5l zc^#ADobh*R9g`qmOuhtsGO2RA4KVm+jeRNMfrQHdm*1aKBnFvKOYhIY6oyb33L$y> zOZD#VH@cVJ{=-N=KzevN9hZXepwZ7L{SfJgNsj=imrZz5TkEe- z*hFD71caX<8TO!@&^oM^43e*Ku6NCPZHGig4)-3d z_i23q3-1@Qj+*cCl1_pTP1^D|9r=zz>0?SqAfdXEh8x~Tg7Vh(i78Vud~SS7o<8rqK+~;P^_{yK?7_H;9zJSH+TPPb(!b+Fd40EQc^A(*FbiRgzYCqFS zKjBG(2mRU>KT!FR%1^4u+;SO_!?mS;Hf7~> zpZH&>{7U6FD7?p{C3*R^7FRLR| z6sh5GNNd4UFS`ZG7GvIh6gliXA!SS{A|V1`5+IRa}1AaWmAiIZQ^wlXWb!FOAN1} zbw^#|^@yJb9Cvg;D-UPo2_qzaES=>fUZj5oC?cc;;VMo$?3 zeo)A?%eze4tPhI2DfOas52T9aUp64U*OX~m{(Dook4g**vP%}WO!RXZMnCzQ{3wUZ zB%MV%4jQqNMwoxBNYg#rq?vlV5%X}TW?S4O_t$sF8NV*hRI#^PMt}47UkKHaYp}jH7U(8X@`DH zm`iCMrTLI5e3C7{%iW`9zN+S9G#AiZ2opswJJ;pQBDsD$xkY9zsN?JT#k7{tS_%tA zk5+}VJ#OA2^`4-&jNWp1EFCzT40hvq;uR)6s?w8`R#I982_uYT11@yYMN(yB51Gan zNSAT1GAvJ)VU@i{EQ~kr_7PsqFxD`PwHk)!qjIFk`U0skRxvjpOO48C&2<*WW z%l2dPPLY;|5hE4W<#R7u0N0%3)A14m*uVfbB7ln#Gac`XXdorBns8XwaFqqtuuS&L z7R;1EKA2Y+%q9l28NnbPvgfB?!BoCKarlblDfZCbVgYm;>I2xy0JbrJ?Faw`4lCmi zkWb(;d9g@#(~yoI{@B82REEbT=Bj zRWHU(gxeGDP!7vm#LWi3rtmFs@J&- zjjlAh!AM4278ttI;C&i=cfvgg_XLbWhn^A{gK(GO=||*OIo#dEdlA0}xX+ZRyVu}X zHSFGm?;{)oj7#M|mWN%22@{w58#9wa7KJzjq}2=3de1gvk{UTQ`q0RQf#~B~x!`>b ze@Z`<_amN1Jl}9Bpt9wBf#J_R;Nw$Byoh*z;6Amf&KbO2Q=1@MOt=Jag~$hkZh#r% zH1ef12GS^lp^+DSkm0K|@`H&FAwE=b++7m+`wc&&_t!Au4-g*?996sE?m=S@DEkoE zhsllr>x)c^8)@(!P3S1XqX~}zTp^({Mc@%Lrf5RP(ilf$JPb{!;1djAtqGk-d=l}= zz$+AaxmTx{F<6WIR2tK0Oox$-zwCiH!{C=R{xb>BB0L)~-uQG3ht#!mOc|>Qm`i0I zmHANcLWF8CRUR5~nTaT?5S!IstHZ}=Eugg!)+J(9Z1z?B|H)4+@`kX;0{TRoe~TH= z5(cys0kJiZ>@~0WZe`{seN}ye<}#YgVe*;nU*eK$kh>M8bv`Z;l*2tqZ6&o;&`@WV zNxyc57`vy;yJnrgVOG;yLvJlSG;^eN2i2`JetHs@w$u zFX4UVu=Gm2X7EOZUnjhu@EhfDRHoJ#ykFr1gbxxv1X!zm=_Y>5@T-qVV&rgd6Mu*J zVc^MF%bFeU8oWWnevk0`gg*dWq1u;^LMA-2+?Sesm>YWQ}W^lSZW#vrZTexdOzjo;Mp6;?sa z{cgrIJ;xt3{-p624Bl5|iA?vm!EfnQ=6?uR>c%$)`OEqcML3e2qk4+`mV9kUXeq8N zKgnwYl`2qBA4-3eY=MC(dgx#{)vP1>YEqTfX|zs)4q~_mcxbVrO-=-ho@hK2T>yV7M5n_QGISkXhvzK!$egc312iG9NbTZZ`Pr8-4J%5Wbc0Z3;(Zi$Zt1!M8o`;f{nm z5$+7wzt%;=?hd2N^jdcz-Ia7V&{`5xbh#TDJb$NogVgIzuLr%J@K8qNE-%bv@pX5Z zQfHTs*xgimQMm^Sk{k@m9s&0n+*&VKZ^HKxjsZs1UQ&=Pd;Pc!!!Oru05gea5sw2$ zbWp}qlY6FRn=)8akVB;pm0VS%qe>R?l(k86TwhZ@(p8xHQOTo{4+WPw=GT)ba|LEB z-7o(jhbyE}M5DhNMY3&eK`ts%XU3^d}ld=K(sy;b=V)L7(x1 zCJfb+JVfDP3L_vOX4oD$flYO=&C^JeKDI$?ltxn;0||K?ABfF}5wAzgh}QJ+8cSmw zjqxz>42k6z$tdYEH^KP(cFWIlxQXN^k)NzQHcUbIQ;gs7k>{t9pGJN3O8*gT^Ou6yT`rEGSPyS*=7CI(XE? z`!$mvqqu$1KdY@N|NiQM26f`bLq9g-tlzcv3J z3?tcTDGN#!OJhc=hj-1{{Eq~N@ZO{IKAjKLkuL)>AyaM>xq&}4=f@8IJRi~dn9dP6 zXk;K&6<>K1?h`W~(lmWa^C->F)GRE*&N)(pOO>2lL+EoeQ?y-wjOKBgU%*7#%FTTD zr8yyWzM^x2&e!TB;#_o&3nHB~XW>Ynwr}WsOXoW{Xx^5eM`Gx{H!G}X`hnJuw0?qx zrz>(KCFXuM{9(<8Ux@!o{5RmJoLG@(I$5|yzQ+DFNi1;vI>iQ zAV9re0u(&QRz;;u*hG1kf*2S$(f4XDe_zLg=K`suCn|jFDz85K*33nnB?Ba zr6tYXVH6o|TW%sZs*+FJB#)2jmyH>|WIrM+;j(b=ecMK2EX!}4 zZ{AyamJ8@zNbe$eNRG@vOeW`I6S|i2Jo3gu;SvfBApG}4@*&z?YTiLTQA2u-=v@Xc zSt}&^$PVsuhhJ{S@7l<^f<|K+OVcrE^I4A)O04*%*%ou*jh6Yr6F0HGlbj#qvt7IN_rsavWj%r4KjMZ(t}A4Aw3jy zvPl^Y`YpWp%3|6A)rL`ffZA|q8l_bCpwSDJeu(tLq(^{GzDY%cY0_+uOZ&o&G-;7a zqbQB0GzOBt&@yJCM7oI|F=MeBV`+?|F&>6SNuAZT#0nqoN|is zOO>BWej54d;Qf^g1*E4lArIXd<}6cZCY@PyX2W4E6-i5Ta|{kNl=I5r<`SMqcs^i6 zKPXM-Ecd9TGb;OK*M(G`-caq)(+E=>aKrE}TlzcAdw%fet)Z0UEFTH*6 zlKrvKaF9dDuvPtQX1$=+>$LXMdIJ_3K#@qMd(+s>OPHy$v>4fgWDk|IS?(=kw<`NK z*>}huE@yMxyTv43gwcBQ`}eS-AY<#bL?jyq}ePNlyg{VnP5%ISiF0{6Yq z2bBJS^pB)}DyI_(+2q~m50(Cf^sl6UE2oQ#i{0-=A5r=b(tncv3pB5GG|T;M>yun*!M?pzU~}jrzu;DY;Cf2%GrMITw|vzTbFD-vgehv`R;sU zXDWLE*$c^DRL&N-i;bPDY<;qqkZn-T7P(7}U7&13vW>`IR?f;-31gQidj;9XWSf+; zCGJXNA6K?1*=A&$m$L)iRmLt;wguS$*&x{e;SPyr$r{84k5o8JIE8R(Ih>#G(hQ!h zaD;G_aJs_La6sDf2A^2zE1{NzuOWObU=-nKdc<94Y>lTqdp+4!WLtyv)wH}N++g&J zS{1e--IjDa(Ec$XqeP{Z;%+o!gBmx{XiuX93=KcU-E8zmrEej9E9u)n`?rvAYGz@H z^uFJ2%FC*Bq|%8>XDE7tGIg}a0Fcn19G!u^Ez3M%fwA8cBj~b zVo!*^5g3k^FHv=uX`5BMn_4ew_dr92eKcY)P8A~| z57~YRmtpvL9lVf9Jd1c7IEq{-P1bG8Hh6zaf3b52_aU4M7-3`EKB)@(8h%Q3AC-Q@ z^N8mIN7jadK^Y!aV03ZN2VO|Jh;)CY!)f7k8P#O;3-7 z<+POWK*D7T%ibO`oXOz3vVF*d2@fGWRNLwWd zhQ6szBt41rWY7pXGpDzkVyrtVKgr>ylAT6&I#{&f6WLBasF%7K#<$Y~HIw`-^0UDs zCbE)ve$34=x=5!>%q2aK^nB2`jMF@v~Q{3CVXmFkOKIoSSZy>x8Fy1PXdqGJCy=+3O-SWE} z?iC7~C~Ss+xCGPFWT^ZWqvu~vSQhvty^ZvC&{)nuJ}=AAdMKQ`5efy}tEK|L;dW5n zNp%-gWNNwUcAJ83HXLpbmAzE)Q zW*o$N4vQD(7b|i-usB&$MlZCL!?3hx#cqZxKE6~CLlk{;XWmQl>BGlkxQJJ zB&%W>zOfnUO70l(!c~~weV;9hRU~8zJr3Ig@ly3?~T4*Pw)fjA4&gIPUB_xXQS6B{R`<|N&f~KS0WV1 zkj{UD*J?!mAp9rczW}3PgaZB|xWCP)q{06~1Btlvf2n?Wd!+T&MyY1$gjyp z{RJvjmY<|iPpJx|$Lyf95PNQ);jAW)-={Uob|5N2mD%Ge|hk{J)R~qkE z;%XTEzjR-g&LUlt^x2?MHu7VoC3(5-9K%0pn97QjdRhS`js@%E8Ke1hY zmc!L0UyuBG;PL1w$w;{KjqS9^hkXIr3&~yt7P*sLaJ|s=b{Cs*dDt8EXfJN5C9Kv^38oqs> z$D0ywM!Y$26gUaGx4X*V-Wqlb!U4iTzWMCYU3mJc@e%B6@Pa&VGd`!M(73Rz4 zBgP-t?IRN*A0?j-9_h@M=lIpe_CL?(VoS2uki8Zx3QQn9kdoo9Gx`G5O>(&FNw*^1 z8Z@3C`LRHHFd&ug4JPbp<%4fSp)G}W5cqj9Prj17(lVK>Hk)?@} z3|WvPKkn`|;VCT*y(!#BAqD|=N}^9;DcdbB!;D#Dd`dEDWYLJLA@lBvG2&777%}6G zZxAJkR1S?kG;(2}^vfJZnd0aA8XmZiwCrt2Jdb!j@VfF3G9^%^oyyyYi({|?ULEi~ z+7*~zU%x>X(l4UlA3m-)zn(dR!@K;+5`>EhmjK4ylOtz9aT;L!cNh88my#byz6?Av zxNni%_BkR9G9f3;3xg>Pp)eEzid0cSrn}$Rra7J+M)m=+!@(x6o(zFOr}~2??9=A> zLlhpSFaiQ%pCKa;3SE&KY5e;-e0&u7(d5T~#|bjzVV{SUE*>$V*+KbT4mXyk(**{zE)aO$xb6X9V{X)!)JCpn@ z^0UFC2qj8#6EX&Cj^U-6FLQ~{BR(HEia?))%mRGW;JS@{u0KY20pW#!aU;9JGR#~s zy1Ne5UQBuk>7}4q-6mUF?s4PuwT1Nr`DNsngGZLzLwAJ<*XszXCn>C?unGc_Dsz5= z^3Ccg!&hrnv6}cA;%k8;K2qhThf*`$I^!E?rTaAbXUMMy&uUAiUdsD`(HnHhhUZ8> zPx=MW=(m=eJtt3QrAq@&`mJ9yYw}6?M>*U}v^LP%2n$Kb&dSZq&2cXq-cH}nULn4T z_-5c(URKa8@_&-eo=2|q*J`W$G}3L8zjwIp@|PjUO5_W9Z}+O<%ilmWBqBSA?E1OqPe&rZNA`WPAAm(HGG!3W zK=+~1mwYNe%HcjD{W0kypwEzBB$8H2kR?rScgRL_CoQxzCNQ zt*@NN$Q~#A1z0?$g$;&Fie%b}blRI!N1dJ<4US=x7g;DyTalQi-v zRDr9;_eKCr}yz8pGmkH;pz&4#nevxI4$B_zhmFMX5HWI*?E=$v452sB9H^uJJ#e=lQzi>ybYX zJZ{xsMj$(!oi2lUOt_)37cQW1A%%+|AakLFCpAO;gqzXwCoM8 zpX)A2G`L?>J@|=6K(<+nUfvEHs%>JIw&o}U1?HWqtld9GfK@N zv09aN*<`eD7M}HG?kck${L#m&1+4(BAS_f)p=jS&K?#TMn6b5$H^MYhXr#j6T_qiX zX~tfa>$50AHcB>K*_ezEyV}@>+kLn#$zDVDTCf-~S>#G&!%@t7N%rwcN140M+(~*r zUQf3b-PUlC3T}=mo4{te8_Z~TiH}(u8f|H`gMr+N4~)qeytt$3ZZzu`?Gm|(R(o0< zVBtJ6VWdbZAQ_Kxvl-PtlYfxI-9qD58n>w-{n>>jIemJ|JAfH$=lYm+q|u2+XBa4h z;gEc?zr)~K9T>W-giE+9;ckHOm@Ce6cN)5Ao)5P>(H=y50!6r~(xvV0GPw6(AMV|R zdl9~;0xWx(8{9|X-h}TX90QE1U#8GX#yHHR$uQ+!Kc~@UQputchl1)hm?9fXxoo3X zYU@3RbRW{WN~eUwvOr;9qg!P9xc4KSM>=0=jQa|@0;9)hZCgmXh;)CWr4o{kexrN% zK022mT}-+Jw7)pg(QojXdT~k#4P^?rOWKxK}Pq;@X;PjdI;&Epb>O1Dl_Tt zH@Kvchlde^h2Z{COx78Eif6)oUAOxv1Z!sWU+;6w_OC`^Wc#O5UuQ8&fltvb|x zD&c8_rvpa)?&A3+*ggiGS+XQbK~~IVB^bgC3*qT9AHSIlVHQJ}jSz6(${VR;s@xni zhUy#XTpIIe%!h$mF4H;psIg164t;|$M!J<&3*_-ZOHo8okz5gFoX98z)_5Xi=eJvHGP-I^tWcH(;B3#(S%k@BvT4OEyuu^ep6veDpELSy1R!S4(HfH0o~TtBxEyG6JUO;`}F z{*i=D5;jv{f}#yt9>q%CkBz@RJZf9SeoVQWvwi>-DbUtkp{h8>`Ni({l zi=vh2@c6=%%|Y2NQGp z$g6EykhaYI#TLVVZ!9$&`!kk6vMx4?(tKF*AspkaphLW z{im{{Xk4FeN?E93)|b*iN<%8lt&!1r?hIp_g@im)Y$LIa$?~=)rX(e#rJ^-p{Mb=@EUCdw-wxuFsp4Y+qE}z zc)0G_LOTfUNR(ZYm|9;J#f0p5rN*w#F>QXn4^Ag(ouzf5R`uXJtQy0td>lS*%KETK zzpIo4DT!2=8&Ib}>nF+Rg`t*^EILJW>Tx<5YemwGo*U?N(HWvM1I?m6-JNIj*if{e zFZu$}7X~^dGa)0%U1W6s5(Ez)*G+VH(HH-hPH{bq9u(+HME4ZkE6}VtWxC!*KM=xw zspvkU`;ums$%~h8DVFPJ{23t!_ZNSe_yOcu{1?Rvv*P8h*bOw{qcGk*NW$e322;?> zm*;FweVrWuOZHBVU40 z!FHH(x#oP|RSNp}<>bqW(Wx5g{qLBC8*SRUpcP0flvYHI_pCGNQXF41?3z9-P=>xg1jzR@R#{`GmH=Zn6N zG^2@LqfB?d!Cy4Pclfvm1V1Qv0bykyOzh$4%|piToa=+KQ2fKtEwn zZjm{=pYYCNIZNa`N{2~_T_GaHrS37qd)M^%QsIvae}XuJloid&&Mz-;Pa2;cPK8}2 z{weXx$uqvFV2pE58$36>6`v8jLh!SM8J5EGY@X!0((t{ZF}6zhbHbk|uH-3+Ane8N z1>+wMD|lCnUnBlS@NsVme_QyvfR{#!M@M3Az2X0x>;vhB4EU-$8zHxp;skewfM9~=AEZhz@5Vm}f4DOr{cE|P=7 z9}}!D;&%!DPVjDn``t?=pcvxI{Zexbl;mPZ*>jRTjuU(Go= zbXgpdb6C!AbQq{2jB;|2_IKlFhpDfBh(99!D0$som*xI6cJCov0v~rw>|bL4CaY>g z)wNO0H(^e=_`edW4OcZEf2*26>;=K*oRz5T>k?;`GrKYyuiYY?lj2S><$~Y+ zFPti+o|Mz5Fy3fA@@X%2r=A!;F~rJPoDSV>{eCt59N zl4`4s)~2-#&vP4TZKbuN#)wp)dpj9pNbQZk?-~CyXN&J3z9V_wi%6`1#o{@JzxfWn z#m99L-dT7T;=Fu*q%bFfUXF8(@7u~>zN`2I@rmSl`I2Y}r|c#fUKuvbOBS9YJe4>f zeQd`Ob!i4S4t3&m!5M-x1DsugX~yRnJUToH=L^0-@P+?@v1zHnu>f}y++Fa+gc)jH z8KZVR3@-@yCBl0O??t?-z(SvMZ-dVa1=gj4`v~q!nAgUDV>-g!&+tY8?=So^;R6Cb z8e6TPMl#Uwm7(k$B>ZyWgNf^bk7gHW!<;Kjm>H(@UMb-!2}3CG;mVDa7ZyaZKL@J+ zrW^^~X;(`bCgmC`dbl)65<9(LYr?{6J`)U=aGit^6!?y*+I51Rzj$N2>&;rT1^P)$Li9M%m82OW6ckv6@5US6u(ii02%jkY zhJa%NXEc)IZZ!N@SC8K${AS^kh;wpAZX~Y^)=|19WZ{Vbe=@ukq`{QtL<-$Q#t+*myqa4m{$cTtkZ1Db zmtz+ex5(&zVVcll(Mv=>N}9P2^CpYYsK=TH)9rHIMpMoWuhsXYyf5VgD$K??=nMML*rB0n^O4w1VmFiJZ7m&B9w~Ak8@(e$ zcZ=vxM1M+})eg~xk%DL*#+OUnR?~I{ZJV^uqRaQV3j8kd--+K%o^jSv0r$Pp=ZDbzAbOAJ zy`-6%(GutO89N~KyX+VHqu8Iw>N&*lKH39Dj}7mP#~hllH5!PTx)djNlR@v-PNk712ab$n6P7}X#u>(cFvIg_if<&oF?r?( zY|Mx*!Ly7WAA-|FbW_pINbBll7|_DKYHs}ho8zzELVQc{t;qB075SBD0kk%H*3+JD zBf72VcBEOjsq+dGtMXiXGwR&zjk9HRkkOF_^CwEeTueDX$MATljCK;EbiQ zXOdUN3h~5@B-AmGp68kL%~t&e_V1B&fusv5F$b08V@N%QEyIf4MW(!$R@{;e8E{jUSC3n0|)O z|IA0Bzwpb14+uCmek(%o2O9oL=*Jo){Bq%gi8J^WQIyNti|q(iY((3!#&6rpCdjR_==KjOv$fwxyE-7(Z~~@ zFFr<|2mot~7E?8X|L^q{|Vh2U|5D+8RGjM)U^4PFywR!tB*QSc3f z8Qqc!O!POleTjbnZW4R5*hyqrgksMo9ii)PG2x|LFHDv&MZ#1HjASe)DFNph7+p7v ziBA(fUGxmnytA68ke1|bGk#PUmY6C2cJZ^w*9VWm*3{I56zmH%E@4~-ma3$sx;xCB z83tbOlsjAQ9J-83N_Ki?ZVD!~&NZQj!}s{OyCmE#;T{US1IcMQneJYLe;*>Ynwuwh zzTo=;oRXfC;_f%NL9vG)5d5Iv1p$sEWF@>qB7?+H=myF&V+AlAQens@Fq!}3O;ftlr@M3Em`l^MBxR?qh?`4e%Dhp9ubx zFhh-owcBcJqwq9t6Z@Ii&&l!@<+Oz$#O13);RaAp)g7*d(y%-U<&*0tR zy|Z8NkAi<9%m5b^l(_@OKHtwL^3P%qiv5KwLy?(*%^H3+_=?x?9X{@m;KPD{Bh1X2 zl9-s1;(j+e8b*iz5Pd}SQPK=XZmiJ#Y3z;$J{ZTu{w4Nrvb-{;L|}LEe~g|OrbPTJ zy4na;@bTBbhs*NIovV)jud3g-{0P^;$DM$$P`?*mgE*@bd8mL#@~|G+)ifiqi4RUK z8MS4cNQ0?TnvdG_Nd`9$wds=u*AZNouwDkmIan~6?M^ZN+H?KIPZeKJ{AuJ_pvPl* zSW|?pSxz_Mg<)Q(FQI{ih7|PFj73}E41=>z@$i{~8wqYqSoLYG<-_3^?kqEwjrT?q z8BJw0qrtSty8P%^*WBoO%*gn-7NT2DJ zKH1Nga)Fc!sqjYS#LJkZNdf%@UnY0}VO|fM#>l^BSJ&*jpSf+;w+Rm6m%G=bA9_V@4Ly&6AKXAx44aN3N^X3fa-dM;iO!6o@YrUqqhwsx*R4 zgo+KWxW&V9!6kyn1UM-HD}J28GeQqkso*lfx)J00&jmNFfmvED;n`KR+#VTGo2YISC8_GbP#7`GLgFG_@-mW+wfbqG_j1@cZ5BRv5 zGH#bKiw5I^PJGOM8jI5^3XwVPFss%Q|2ucenk{P%EoP1^7sFT=+IVwKn7*Aqf}god z!rceF?mvzX^r3k`_=Cb15U;v8I)dCo zM!y#B#X`{!i++SOds#Uf>p!<*k!j_jLAY4j5^0Z8V;%HAx6nOi&eU-Gmdbft&J%R> zjA9g^lH&pHNi$Xr@=;kP<0%=-X)xy5*nkMt?xzjE^EZ5pk9$V=3gOQN9K#G_aTit^ zo*8=mRtbMj`18d1$d#nxtf?0aj)Vecwcs^^UnI=Hv%jXQyXGY`-U+q4mu0*n<5e2G z4+ZLlc+Kc|x{vDXqTdkxCTU(Dd)4~|`)kb@7%F*h$#`4FIvTuw6bJhhy7flidXm5X zJEGqey&=%~5gf?oHX1!CB+YxG-xvJ>X(l|nQ8*;@q2W)3L6wh$ZxX(lI3LW4{8&yF z_L}_I_+>w&@SaP&rF>rE4?hn}fz5E0CavBw7A#6$R zPB-|AkcH|CZXmcJVLkKZ1>BSy56&58GznSyOc{-2G^WAJqdi>i&N6t=G#~sXf}09% zMwnS{EOrQJZtQPiw4{aDmSS6xD?&GUyvUtnMpDRlon&;D(S-&Bl|3EXXiU6P@#pY?%B7Mdb7l_)bpX<2#Uc$a4Mmbsoz7o8zGleC_7)FF^K=NUdQ zyi?B?eu3}{iC5JJbc$Z7yU2vozr>H?A!piJ%RQgn84mG2szc;RyF-*oa!N8V0g+);g zC|+wu>jG~KmvNnp5j1$8unSBn%AD&Bk5BUWNa3S|M~E}oF`R-3WEuU{ZhVQ4%NCs@ zI!c;Z9+U1-JZX+vt|{kD@js9!C0|O63ge7dE^7N5$<<+ z!7MIJ=r`x$&~Z0e&J;OQ>F^5Jv76ihfx1BcvJ4 z#LOJG$k`Is%|o;3d4 zP>)?E{weXx1MgQ>yQhtB8>X;6BYuVWXUVhF!NN!^<~8`Db9@$9CHOhP&l6U{V^|E6 zX#*i?pg|89*V!$yQjVlFSGW@M|Oc|uj%fep~{wi_i-z-;NjG9^z%c$4PNe=h+ zbvbXyd6N$BR5s@Xy0u1Mbcol-FT5rCZPDvUGbd!Zctvp`&Iohs&1f2~|Bj4zWo)3q z>!V0R^KYZkt3tEjJ<;!r{vgn$oU`FRH2R-Ad}@9qdXwnQq!}8N$XFrCZk&(JNDd|P z78#$&_>>0IKPe#>J1)Adh93=m72AY=Cj4{a`~mcdM#e@sSpS6?o0j?@ZI|(-jIU@g zD_39;^J`;ghoRMP#O@HglPpVc94T2*!rf6vx^GRH6?$oRN%>C7ZYpO&$x{BwEsV!= z3UT9n=tjEl&A%yRs2}9-k-wLIbNC$1MVmC9TZ%C)j8NcUtkMFsfeS0K3bfSiv&$?9 z1HJoonICnTpLm(7Y>Y~1+#N9d)zDn}S@=QWzYu3K=0(de-LA9%TYH+ZKa{G6WE__9 z8x20?C75b5o`*vIZbHjY`u!o{h=ijQnDwKWA%ubUGL{T~n)69m(sWGDUvmDY!`>Ar z#X5UWU8?_>^>mn3^slUHBh@m%U)^Est~hcdC?n zQck17t}e_9VG^-tQjtF0yuA~BwyrO)fxL$FSjb_2x=MG3!SDXUpTOnL6x>K~W5SFz z?loWPXBmEJ4}a|@!kY?jMx3_+2d$yZ!W0SZq0ro{9}>OQLRL#zt!Obs1tmp!uC>80 zgz?fgg4+siN0?7#5o)yUjjg!UU-)dX9mIAd%L1z;nwOpJ&M~@P$akGYcNX1+w4QhD zopY|SS3l#g+*NFX*hI2Sm%=Cp5Q|-s;VZ%fm1N;5!c&R!(ve)}(u`fX9$(?((#2+o z%_Pg09JU0+451u%p7A|C5sv9T;x7fKD__#rWFBd$Ru!4>agkmo4t}uSybbs+H#a|_U2zlQAQkRmN z=7t*mYj^`)Eqa*fYe+Mq*q@(0{g?}Vtr^35`s)vuah;42G??<3XU!tvdc&85*+3(O zj}jgs&SxAO?qis+YPP>Ay>9TokS!%gN|XxA&N9qvVmGSGHR0)bUdWS>FCj*usvKcE zxRPB{qfHs{7cPa5E09tsrHBesDdt>u%oQ8GB~*OlqDw@NA0NkFj2w{6qKAXt{%$a z0aG`ca&MRzf0LA(rA(s28>Yq0$gas7z zB4Ll|Lk6$;4i~}4EfoB);715E-&B^nMTX7`4b{a$mk527D9exR+!FVgu|vaUmx_H{ z>=R^}Bw6L9tRX*Xcv6@{u}t_=!j}hJDIRxE8~#d2@Mnat5dJK2=3qQ|*k5I((HDh| zu2rI+6a74C-cBrVbQKtRf5G^#*5hk@+-mV_#J@?f8P=R zuJ{ds9~&z`wk>lTjj#2j&sOh=e_#9u!U>3hQ)r0emoE>s@(qW*Y`Pmp8{MP7WHT^H_68)X%-K3QVO3=@5>|@ZzfSE5+)g$?^nC=WsZL&6aWM=2;Q7}0ls8r*Kazxpx3 ze+m9Oz?ql;;QleV+jAcNS8%mas>0*1uAG*Un(C_K|ElWn58v(K6Yv%4@Pca)W(pR? zN5`;-YfZyfhhD;3!fOjZkvKyg8IMN$Nd_MXqw*&Ut|PcEVP-EBpXI1MaMsW%rc4V3 z=&4fbNjZ%QgM$%gHh51ry!A!?{?`}YKzKvqdNz`=3)2|}U$`8Xz{i~_xRKz-gn2_p zN3!Et?kuCv34`rTL^l=Pj5IHu!o9%#4JXJICm?WBd)H8 zoo6o*+f!^WvP?yWJK6O%`qU8WOGWn)-Ip{&or$gs*U#X3;hF0%_%gu*j>Cy5ZlJ+~ z0z63Y<$?zXI0IAH+!Y2tz7oHNkGoRvRf2~Q=J+1QsjJFp&W9OlQfiowcD1BolCB97 z=2f79GQO(Kd96tmVTsdlN!Ljl5hNy0N=doH4pErcV^Y14N+TtWk`$q&DiXGe!74Uv z++)Jwd;CqvmXISMN`c9ml#cC4a}CbCfKf*@^91J$jva@w$LMH-Hw3sqaG~I$0B7R( zN>^-f$1o2wF1SSSnE${@&KcY}z@>uA1eX(L8y}n=EaLw5ini1ar+sUIcsc8^0~A7M~`5y7(F7`Q(fn7ek41o6)JE zM42i2cG0s)^O=n1XSq9!{XM+x?-V;*>>RR8B(SA!uEBo<_%6YB3%-XiGaF-@Rvbsy zz6te1Jm*Q6FX28440kRrk8XXV_t*D{`GDvLMK2(&CmvNT_mIK6Ud0vgaSH`MEcg+^ zAuQ?H=)_oLLW2;N#S)fCc$5N*ea!g7zVMMO)LI`i<;27KiE3`Cl*gq!5fqFD74ax^ zG+m!G<-u`24$GuGC1p7kW>qFphE}L>gZQV-Y8b-yjI0&1o~6Zi0If_cvdeWV%{U_% zt7JSU<9QnV9V}zUApyOT8v9BwoBv6U3B}Kk$RR-v$tftEn^)G-uIMb>}s># z;E%%l=^erE3f@4NQNUL1$R!(%9(}rx!h53M7ySWgJ_;E)Q{+QqyDs?vov(G9VYG&x(``V;!VfxuOl6FYiNr|s%`jtTxt@ZW@)BXQnYQi}V>=sH~lW9pCS zY7w;#@K<+}xh4(mlrrwCQyt${wGx_#@SK3J&`OY0gA&7&j%8P_rol&+_+O|cxVGRE z30H+D1#PmEjGh|8bF%0HLL(93o z=mw%2lIEq8(y?sn41+sg=tF&`;6{QQ6K1iIgJP@_`(j4jS!UGy!y8RxG?meeM#!@n zcqHP5m^gvve{=I%gv4wiucf?J^r~WM*oRoM!ka5yN`{n7DpeKT|D@%4CUpqEbH1btBwa{}ab|AL zbQc-jGNgPr(cMK~Oxiz*DG7y~Z|r)Q(k3XENa-o17ZufS%gS@qcih{A_vZSTUn-%G zguWDf8Ih8hjZ$npcJOii%xW8croXJqWDN*bBnNXR(NA4f9t||>_I3V_50Z7ctiiN+ z4-*rx`|K44ui!dKeB70SuM#}O;KZ~{H`L(r@aSAEc$na8j>A|>bgjY92Y9&P>jaM= zT=i6Dq+%YB(Ju#jr07wiBmbqdT$a(V1Ug%Ej_BxdIupwta*f^<=seN+qGSK1v)pK- zzYBDM=t9v&q?LTBSbth<@a-*p^2G(02p&V&=d={G7>sTg?q{j!GSTIvnVFF zH_Mqshw(-eEZN;+aQ9G7Ocp#v@KnMfKd1Q$WvRQ>tj^&lrpcNvYX<(7cTj_dkx9qi z=n?GMT$1l@GqFn$XG*+X;w=2NpUbG)pBOc`JIp#aSa-^rEo%-f-keBw1bgtzHG0ol ze2I^{OZ45M?;*_!5avSXM#kV^FXInv6pjVH;^&LMk37>0S0Cx_H~7bJ@dpGyD0l&3 zz7Y2bV7JAo)Nu5^s`1Mq~lbIl|~;6 zrO+zT&xwAXG}DqTGWUYP`$B_kwcs^^UnCrEYodF}=pRBXU&dFrx>xY`3im4h9*Qp}}u`;Ng!1ZxXzjuul{`z8@RC zFC@wq(VvL^lr+l}RdrR<#U}seoE@sU+vI#E=W{x`N0Bij-4_Ng3dy)#@Rx$WBCO_? zUrB-C05c|rX(Qjr*db#ljd}syc*Hy@Xqk zVtc;o_^#@q$qFkjPrz4b2uP_xg+GA^wv;L=DIJ-ZIx;a~ zB+h9)-MnR8y;ome19=VU@i9W=b4I!|jP6qCv)-Aa8;NdAnvX<&Hny}o%itZYJ={ca zQ^Cy$R|h;k%QZK2>q?Kd5ZY2`E20bq2Cz`kYHjrPFn-lWbX(EwNHY{TtPDGR8e9~| zclfxo1$PkKkuWoUG^fm+W9-n-vDQg!XR%$#ssPHZh`4hNet*5Li$%bK69gv`W{Ts@ zo|>2yixmtOWik}fzya351rx?_qS#3Lm6PME4Zk zi!?8dLEBW<+u**BdH7PneFXOna9TR{2JL5Xqq!dLFZeRS0|@(yUurUz*W{tbIMAHr z5Ya($E|)X-zfKA&8`vw>U13g2aITbdm7F1T7+>DGR5#S<)IeV?dYI^INQYaHhS_fD z>rnglTJzF^H(cIz@DTJ|UFk6~e~}uO!Y4fq{9<0%xjYw|{d6 zgi-bhawf{Tflj!&>F!3O)5A@=N%YO4Cj}bkrKP30TZ}%K<%2(2^c2xkkJCIF{8poH z2=p}3(?!n+G_zTTyUpl~5R#dqZx=o5zjUU%!|2RF-zj>w=sAH-#8_gQn``v=FoWtY z(RYi!hcw^N7*)ZnS(H)tnsEJ9K7Y-VFkixb6jWO%E^_x9+d7PeKOpu&u?xtuJV;DR z%ybVK{2FI4VZ-z^P1rsXLF-YXH+9zcw@VaFJ*ic48^-LQdZ`^Hltc+Z+s(T zhm4&x7>C5vB=m-UYxFmq$B&QOCHgzjyGb*Nk}+#S0s7vA=PnUn&HW%@kA%HJV1RTk z=ROn84B^=?;YSHSQDAt|E4Yc-0i&OI++Y4@(FaBU@?Sd5{c7}+fj%Vqu;|}NGb3fD zq$EVj^RP(D{cg&SFZv(&L&^~;N2!F2#IY`bwZ#5N|&z@rBXle^qmhMyd2 zl}&^<72b@vZ-(KP;iNC)-we&L7UElqZ$+MwP07IdRIatrPsH&hKCX@EwxZjS<|9yq z$;sF)KgYE<;Xq#>`m-f;kkFBW(lR3f!!hR=y|In1j*b3BcNX1+G}E%YI6oS}qV-&? z+&i&SK_}v4a9TNbKce2Onos-4(`O z9@s0zUL|%2Stc5WI7{77gHuC7TrGH*;A;r;o|NRrOH1-`8{M^L?8xy+H(bVbGDZXg zJvUf9#$^-No6$b3nj9%(l#EC)FwqR1+gxy)WyaXM{BLB-$dM7H!6ymR$Fs}9=NkX! z1kdM*&levf&sbn<6|5lR42#ibbV~L{fs8^KMKqXoabQRehH{GyKN8-!ap5Jx#}H?l zataXE280rF&sKbgk1G{iCb*oiN=W2$9PVrMypYE$M2{0)Nm@NC-1z{b|Kp9XA0F!o z;wOr~fjkTO!t!EtoyFrtSO9EFgRqbCO;T=_GKmU9AIm|?++uL|u$FVO;3{iKZJgo=;@+okY=fb_iT#Zv$vTL36-6h5^k3;ivknAl;dMq{%iREX8QYdr|{Xr z=MZOXd2KAdW>tQ!DYHTX-6iF2Dfdueka!{rwvkG7_nPo>Sim$-!h8w$QDD*MM;)Tv z`0ajkx}E65^?;lQ3{8{2039|4cr6Cq8&FUS3v`W@1baD8J?UKHf^c5xEij*`=aZYq! z8@?|e-{RxG5xztCPU8RP*~1v?x8@8CKe0>BcXD>q;RBu)+B4sqaBQl61C0R*dnD|o zprK3@$jQ1R=#h5&%(^cWZTn^YDC;L$yp8;ss$6owj6cKg{4C?3j9+LlU^u%tuEOwF z6Ly{JbIKtJhb8<*;WP-@v2qlkXxk*DByeJQ%>8a=$qznCf5;Tmj<6blvOG26oUtb z_Qt7#>j^%MFyE%-SdbGdFLI|F-}5maociJ$h;K-q*%j+K$78(t48vc(#p7oRZzQ}i zamKYc&i%d4GWwn&o^B$#spw{;8S)$)sNtF$eAfRw+(K|m!L11M(uv7Q=q7J%bQ>EH z5ZzXEJJP%~`f@NLVDPeBe20%aTW|-#9RrL$s5Ezu!7V~9y_4Y1g1Zn7Hz>V=%bLzL zV?nq{^BnaKOpdE z(7HGl+6**)WoXO}5`Ve)!Q>g;%qe1Jy zj9OuV+to6L$+(6FlfF2f(T$ z^wL0Qi_Q@pC0!li$S-lZhQ1h9p5_V77aAj~V4z^kaHEZWC}iCN(S@RmjLzULxWz`_ zbd68IxabnmV@UJfW6%goehp3y6CO$hmkBN>tbinG$*KtoBH$_PAU^oZ~_S}6Kq(T@Z=DU$;ti;Ov;_C0!7IxAm6r*AO7L>RjAv=A5ObG#HrUf< zTzQ+n{4+9E$at0pt1>7ia$`6K#jP}a5Kls{&4I_P!zLBs)!cG(P zLPZtqTNCcd^};R*-$~d_fiIa7H1xhVc0lOc`a$d-v3re0kLEsOFAeN|u|JCai7Yb> z27Ryr(0JU|17=L#iGRSy{Ve04j9+LdB(W^_tFZ$^-|!)^hsFLzmRFCD!}1grHou$E zG=%358AoIs4F;A|#0txq&HglFXIM*dOvYa_{-(j(m0yWdB+JpeUF!ZZhA9yWPB0h6Yv%4?!s#jR|N$)t9mt!-x&B>;%kdPkvtpq z$Uw;nS{K6O;;;e3NhU51+2~}6btKlM$mcy?UY1qqPBD7ZaGxbk6YkSrul{wUE+MN-HXCZEE8mZ0Q%pCSKU;)2xpYeU#hCYAdT9Ek*%- zGI+7HH@ai!k~v#+2hkk^jddcR&oO#ID1kbO?ku{?ahfl!bB)dlOP9KeP7s}FbW#%N zB%_;zF_>i0DWX$JvnWi-0GwuU`x1PIk4qPvAvlvT3zO(LZi;9-KV32;ghf_$yPXGT0cT<~>*M-b-t zJq}AxPQdxE*n^w9x47%g>v@&;M#>u{FG7zUMW(Rsm1WZGFs(LQQjVl3C1so>oSu?v z@LeHfd4lr=$Bx4(so26d6l#3~Tp+kma1r6E?jA%slEeMw5s6~6dWA^DWtGSpLyO_T zoG?uDH@IMhk8!EsGQs79nQySrDT&*lhXDOH!qXL^$BC{a&36UUHA$Olk2j-t2+RZ- z6J^{G46KO5F76x_xY3ML|Mb6clZ=~XOrlYhoOq4iV(`XM9-b_Cir}e)dBYf>keCiMwnnkH$wq#2a-@M>*2f^?e+o5xWhJ|JZJh2Zt4i@CRDI?e-8Tg1F41?3zK1kRW`Bd3M)#W1XuXg2JSp>~+(#w+K&rdn=zie` z9uWPY=mn%z^yAcpe4HJN_s~P8JTb=?Ckv%KEaed@AzjlP7U82h=@yyPKm5*ONlPR> zN=czgO+sJJV@4kdO^T(W9~b=u>5#e8Ie{08^>f^lW?dG3W0|a{WG$z~=H<9T_q3tE ztnhJoM(7Hm&k_xZl;KtyJs@0omFVY0KTo8Pz zep&DaQxfr9 zmbvw23=YOSGTxQ3fd*IWF@Jn0deIoBudQ3I!t&jO;TaBK&6kp=wwu$~s z^yj2`_i&0%w)?{15iy@JwhR7J@K=O+>9n-8K2 zs^kBvYX7$e_yl}~+P~l$|AEt7O@nU_a4o^L1)q2v#<5!`8T>|oPZnH9a9zTB98-~7 z!sB>~Nj0wY5j|B>JxQlgVj?1<84-87(f5X*s4u#K=!T@3EQ#spEO5xxvX@{gqn?ZYj7GVZP+B4>NjKaAvRZ!~6NC zsEzox;@gpDB+H9Svz=>ibnH=2pDntB=#Hcr$=nFG#5u>{17Sr@C&8TscOlFgXQT*I zcZ_Ye5ntisx{6H@n;6*a+%lJB?C9@2n=Cd(Y${n+!jo|`(=m+8+FhDCwZgqjmy;nU zlMVwON1f1}XK=4!K9=VTzCiGWg!u#I#TD3O0B>@P3SDH*){rvY~0(fT@#?UO|)D;}oYgWgw?&VThePs2e#Y#Y7M6F$(;@Z!Y zdFT1q^p|p(lmS#&I+bHi4LZ&S8eSueKn)Upx$wcn8IfG9u^!J_%oWFlu#DC6dNaV#>xHGF8==1;-D%dw^tO*-zb07)hBvexH0ZUKNh8L&}j5q1z5U>f7CQ7=2 z6621^@7O%)MxzVEN++;aZYg58vX3 zrzdjaHaf)1&?W9}HL*?z+BAvNCC;G8ppC{ke1+~dqr0X0;gg88Wv}u&u?sWbUFMSZaB@;TpqFu>^TSyAGc5! zcvu&Bgcnf3z@op@Ei!y`DB%_hUn2Zb;#D_2IU~tEW_0;k{^CnTKQ8)-<8)GDihI)N zR)Jn7`YF-NkJG8Cm;hw-dx3sN^a|0>lIDwL941DsH1?&?d{`y+IkC@^Rj6@3XQF$- z=-~}~s8@?#Bl<<7(V>{`UNZWkkg;DD{fg*U1C1FH7*2W3Xg`%0TYrjvL-d=0M*nPS ziCb%Q{ZL@MCHigA>qztF;EZW}+Q{Mkm~7OqQ4Wp`#&^p?Ds|=4)hPA_lVvbXfzgZ?R`eC4UL8UqJI?qQ=pU6 z64Eo=0i#!j;_PS92SxuvnuSPl5jMjA)!?kq(|AbmVZpxKOu}FpMbAW_ZM4(EVD{+6sME9nnte<175X6*A{&uX~whyuTm8B749Sx zHZAipJy}8>33VwjrX@IT>l9=Em*v@0#nuyh8d;_}k8N?M8@%RAe20&#FSvo=hJ^Lt zu}_a@c^UudQ~u&-if<&oF?og@FGK7_4B;#jCLhrCtGOl;no4LEgrayk#*wj;a&r^f zgz0`QB(#*!iUJ>PZtsTCRh?Vf+MLZ}eW=>VX)C849hNpwP#(DUhNp#Px@QaTAiN{- zsz?-NMe-4eb4)mKzmG&G37sW$p}<-OrZp8r(XoMjtfTH+lNR0L1JzYhf}})B%Fa9# zq&SlAl1vyj*$c@MQY54XA)XhFVwcybOEcmAP|;79kRc&62v}f%T!a;F=b12MgOA7g z5-yN%VG!ckIFk^+;w~~_`_(>3-6V9Ea4`iYY#jF+cn`yO1pE@=J%#ro&fHXr*E!BS zbiIvF2{FD@d>`?B$@8hfvA~sR2^ihu5+9iUqAwFYfV67rh$;40Q{&2E*vGF?&dp<6{MEn@? zyn1$QEc$ny(c^#cbgAev(dDFhcQ_K2!-;NVO}NchLR^J}aS|#iDDc>lIo*vn`d~MI z`3a&YioSs~1CRAy#W}b`HyS^=t-nJziN9I=B=Wq^D8S?H7K3|F^YCQBQv^>X%qIhV z{p=gP)$oI1HO(~P(}m9<&TFGHCdu7q@J*pFW~SiV1SImKF)) z?l)uWTe^BR_kfHCWh|hfM&Gzfp0|`=j*7e~$zddap_GTEJQ5UiC6wueosn*lDgTCk zgvC;pNO_csk~0Hysva|V)MOu|rGg(9{Di@otjZhwMu3+IeoF9i!c2SCZ!)nd^V7z! z3N@T(#IF$lEO}8c_uS{fVS$o60=C@?MEo&Vuz2V9+v6b(K^(NH6*JspsB)ltO0|jQMQYIF1HY)mN z)V|Fd@5y*y#s@T*yfK_3R^~o5dSzEnes6jle*mZCThATIKUqQ@33VwbWmK!m zaic;;TWmR+Q?`tqaBT^RKnTf@e0@8_&Y-?oh`nD_>SZm=Za_{rdXb1 z^w!Yj&`ES>(OpP0^CWU&?zsm4-Hri4P`V0E5S&PucX(`JB&V_z9S4y}_!jK@SRAkL-s0nLB!FaWVVG^#Pz}tYmrr88Adf5&i zh2f&F6Fq{oZUZJ>p+$)O1gO?5*%IbZ;N{V6fhyfxqldNj^j)Iw7JUzC20mvzcGke+%zKTW9+p|n6F*=4 zeSyc4EcVv8`;BiEhUXp-|DgB<`GhK`4Tj3VvMh6NFi}&acEg`}`}va3FRoP_5o@P-xf+z|JI z(Fa3^#cI)OM88Oyp8zHwQeM=io)%$A-UuNU_D1BYD0szWh^v`R(Gr6#o@@W`#&$Vfok?ijuEQNZ8ZzH~~_;%zO(Sk~yYun!NQ$nl% zY~dY*cMN!b++n*`caGuDw)a=>B)qfmF2orcbO~i7piAgnc(8X(9!gku zt?}DKFU4^2*NGnyc%0jr!y54Q#y1EB_(<`i#7D@hh{}&SGz7B@?>WP#XSVPh;ZfoY zJab+W-zAO0F&;^Xo}=ZlV!X5#QDLDcn8?2I;J(iDIF0vUxeifFK@k6B)MaW4Nu z;=FiKIaa2-+l;;|RI6r+zFqXJK%;$D5OH@H zJu*CxcZ!}ZdJbu(D9_a9@js}A%{AqLP~P4pc9zX?l2XVC)^9+a?vg7O@S+p=O-Y9BJ=mXN0x%6M4DBf-eiBtf1qyvU4b zXyh!Gu|&qBG!!V`Y;=#A@JDDhE|u`OgeNHQ21KyKRn$Fc^xW{OUMBh}(aTBm?pDO` zIAOJ~;ccJsclR0LD}+BwoEOJ71?ci!X>_kpM_ncQInmFP=Ebr9R}9_0FC53e#kcsl z)xy^Ze~~!LpIjZvRq0+b{`H1FFfWULMf|Je8JG&~%=MblxywEMy687VzZvM%WX=g% zYjojwh6G`GOZ3~K*O6vcHs|dyCuobDPvm?`M}>JM z7B!($a;x#PztT@&hQIjF#D7kn5sqXbYqCjE>b@{#{aUYVm-3~Quc+uzM=uvP^*6e# zuaEIJqIZbi8R%SGztVkc^wH4CzDx9XqIZ*KaJZrsOIL7qr~BTNlREkz_(94ZDSLyW zXP1?SQn$~Pec_F?U&@bCexkxe!a{V^J+Ys^@e@DtG5%TnLGizk*DdDz>sN!T7x?fT z5`0+jZ-iAkR2E^|0Imx9-Hf@ReEUPj5gA8m=+P}L%FT9v8vS4h%rVh_iT;~3lPD)< z9hv`_a@pTL{QpX+Hd?iQ{H>~@@C}clX;&TJRMq>x46pbT@D=L)5^7Lj0-+Izv9lak z)A$*oOQ4qc+Tu?PJo+>+$35;&GJbk!pq(tfj`+Id8RICM748(HTZWZ@r;4s8`m{i! zwuJOQ-RRm@=@;EVbVJfCeR43P7X|GZ$MMkLbEfb{!W$E3L5uCQvkO=|wtHI!Xl z#V3eQB+npaVd4`y_DWrn3DZN@MzVwy38@r#m)Vt2>e7t9FXW+g(HWvMN%JAgkKy9y z8CJp8pogqj!Y>m(AmDziZ=m5t;r0#^ ze!1|$#Cfx{)E~o@R~Y|USm%GG_^ZSZAhypc;Klu0P3z%JSH;y4G6%QfA8tVuN<^>L|? zG)___B}P3bf-TZ9|KITDp;vQ)@QK22AkM_)!=GHL5ziY=dz6$?`$Q2I+W^Z#DXjaG1?B(bGlGAkDmiL&u6rqC92xHZ!u9_}I>r zal4FJG){$4l3$70k^a~atns9mpiO_=nE7aoxCpo9e!^n73f zXVo6}51G;HR&Okn@vw|XXz(Yr;VjFWMJ5~z&Gy9-mPmM%g0cwKyWo}nnBfnF(f_5w z9~b@vaaJa=EpIgHYkE(bbIz$gOv~gvC1*Ju{seYPEyYhfZFsXVwf`C6D}+BwoKYw( z@mtldG~voS{PkB!cuvCe6soE+rG@bvG(_^;3#R-SmdC7?vPQ~_RG3wAunT5kyo70s z5(te3^EQR~KrhRCMc%8y;}epCQZAfX@|t-s{(rX40$i)2ZQFeKVPb+E7>Hu-4zWNa z!~g?PP~7qCfL+Y9H)*0+7$~9`C@nUKU4W7TDgq)Pib|+7f{OWH*Y(VOyZ!(FIo^Zg zc(>=d*37I~v!=&hlWFp%%bP(jRX0mw4$+5Bmw$#p;1@m;JyY~7();1BRR!s3m?55( zivz@P9La3gPQ5Iq!yIXIrOl(J+)}_5Tbf1W#^?6+m@i|2jDDsp^) zE1bW-d5r5y@n4BwMV_Hy*B55V_6}dWu+925zmc$7!nYKdNjTdzRmTtCxzhB6c#rR; ztdX*o3e%HYYt&&7rZlW`V{fZsu9xwHj2~$*%9Y$3>?en>vnI_3!5al{BFrdbk}R6I z7%*^txUH_+B7Up*ZN?WA7GtJ8-fBePUnOc8r@HBr z-w=OFwIVLJO4@Gt6Iu~68qu(?QZ|PpL)hJwckFfBL&}~~_M*b54?w>GCcNzJc%Lcp zLGL5HvG9F~^L;A_Xs0CX%Mtc-ZR0}xSNy{M(hiVzAT@rHF^wH{9h_{1S&QKymoAzV z@6|+7Q%MI?QelYQ&e*PSe1`Qq94h=U;fE7v!BJIIT#0RjobK8=Ui?VWM~Oa~H1l71 zDQ4{*yOG)EBHdf%nyYH zRlTZ1JEwnKj6dQR+KcWWx+7_(r$u!@xX6txi)beq7t6SW2E$%m(3{=6mpcAW*BI5y zgm)I+g*YE@Emptr`+2$ZYoCn#72>ZHf0gmY<#jj_7lR7UuWAtatHpN{e+_v?7uUyA zy4L9*?CRY`_Yi#@X@(}X+kSDl-uYct_vtDA2Jr>t8Ci6F_btb90gmtAEC!}Xc(L#V zaeZ^D6D1|=aVT-&E33kmN+^?1P9asoW6yo?y_}!%6K;!N=qmWCVofm^NPR4i{ z6KF6apg>E8i4M26;_O+$lLS9Un3u09uR_-=&e#mkyD`<;UoXgbQN~L&n2l@76UCL> z!~bO$f(frkm@Hum1x8vuyJeVznFz1C(#TSEs+8BHyiSGpD6FW%Qd-POdBcS^%kg*o z!kZG_lJGVKeY#TB-SCd{v#hrJuK4%FzfYcF;{KH-*e(Hu+Xt?sTNms!DbuCQpu#+@ z5sPH_(DCVZhmVBM6h6!FB1~Y!=7zH!A7pbj=LnxGd>(Pu=hO#|xwANl44udyyS3%y z_^9X0S|Dp7Ev6Gk3NR9l^8s9V;;|@vD&aE;izqPOK2;1216SI&jLKpuOQbBN!h5h3 z%4L1-3m4wAf@qn9FC{Fezk3?W)LxR8 z;L4fS*!o9Gg9^0^@NcRnf!TVMm~PMze@L|oo_jh5XgB-`tpf3l$TJF6JOV*=kKNrE zZxikJkg=zXy=X8B%yxNUZ>Qh4JhzYN#-jH%8dE(mdt*PR%Pm3o7kz-}14*-h$Lim3 zkh8&N0W=ZYRP4cI+1dyRo(+tSJWLQp)#(t|whxREK2+La(hjG_G(~H)Jk)3c+YzoT zKOibcN;yi((Nq|!IxI;(#@Rc^Mz)#QW5pgvmZ^hJy9j5HbPG?=D*w)qL{-^_hg5+TF259}dlO3RX#O^t6QPeH|$n;ggQD2n0A6`m(N zpEz3%0e3*ilI#*V%bivOqSH#w*>cXI!*op+)g%kTxlV7gs>OMt&llaAGy{YhX%))& zHjd9bCSLpk;cbOqNSq19eNIv{Ior80(Ap2}Wpt3ykp@3&m~~#o?TjvRez*m{llY6p zUqYT)2&*r`rOw`HJ?EE+?JTwnSw80)Y$R8}8Iza0(9}k!u8?r0gsUhhZP=O&U7hY^ zjmfJ;cN2Y$(U@pZSre{xdWVgpbQj%2^mRrj%X_2caJ|!6ww$h~=o>^AkY;|y;gtoU z(BaP?!r$-(Z-p-DRGgQKT z67Hv-x@>nir~qDrx50)c??`Zc-84{r{a(Jg{h)n6a9L9x-h)q^fgAmDf%tZ zZPFpK2!KC;*4u9MN+{&#OmgW`>WQo@DfV(F;T`ByCSM178l* za6WP6Lwl;9O8HF6A}aiFpcSEgEkAd@qje-L7QaONQu4fomr7Vh>`Ky#rDamSl(L)( zUsYu@3^9ZiE^N0}{z?g7NmxaJ_rN+@e2g`A_q8j{pNXmZjg-|=zNNxGTdw{rD5}PO zyZG{a=hDMo+n2OP(ppN)8dx8TF)|GVxG~y>$=1vGLB@|X7&1kr1Z&_h9N@}wi_8Wo z8>MWb!snf=t3r!qv(qzdsq7ZfTSadp&8i5#LCLyG9G#5;gzfGO-GcvwU-((h4mmsN zSV^17cGoX1d}Po3R|&sK*hPUEJS2Kyxor5|@ooKM+WsN@PvL(N=c`;@)(Js<6osII#Dq0%FTrv;!mj>f9`4V^1IqbK&xiF+lrEI6%UI6qqd_ z6rwv5J$whbv8Y2dn#gD><6s(miEKps5a;JvztN%M4-LGrrsi71gz49RJ_7_$z*)nebzUA4i<80@jb=G!jga=J_kfyR^lm6C^d4bRs2Y zY zr?-gonWED~r<2xWLx>8oxHDw9aOee5$dr&JA)5l@-H*e|1(iuWyV8*3(qb!(b0y_T z%BRF9hiYxV1kN2l%lU2A|IkYO+2YS3&u4*`lX>r4$6vMA`8?t03vW%FuQNZhS*e}> zLK}Bx+S_@7oVIc_lakY$YGOnS)TNGjG1CGALS_2o}|0&+0yM!JRuA{&hptNLT!08;Tt@jjt zgXjX%3=n!1(EP;5IuyFGZEn1Nk&I#)2^tI#dgid27n!!ig}tpJQ!1fMLOBJ+xdfX_ z>jd>)Zp^nh_m)v1qml+QAht4Mr%kAG{=gyep;e2o5#Psn?skUhmmxSm%Qieqimw%4 zXFOLUV+lm)>wMjw@%sJ5_ZL5aJfmD%QIIU+BENwylpP&~K@x71a1#Ya0Q(rS!~@wbuZ4JwQ9t;Uk=FxZ75ZQ~7YmvD!KAtvA~iCXpug*#n1&Gx3dOTyg} z?xDbUv=*lu7be5Kj-Nj&UVo_Y`-I<5oDskty(q`fHgNuFtJyv%ewg@&$nzPaoatR& z#W|r5yD`fOnc*@Xkuib>KcI!>g@xf!hpTOuhQ|bt6#O`0rVmP_B8}BO;lc_llAe_C zl!Q?f7+nlnXo0cg$&wh|XM~RyK884>i#=LO3UCKHs_$1-a8IIH`s_q}2cl-@Yniqt>DEuYjjBPKRPlWO}5nguTnVcA$S0qf9 zFvWy|+L-vSy0FM5-AtA6nuOO)zyd5x=EB(L8!jAY3$Wgl@Ro$PP2k+-3YJ3exKL@| z&UYoeC*gexEQPS|bQP8uJ3ZCjmuaG>i=JV0dFY3_*N0C3l^LV^k?5JCXOUK85qpM( z*$!WARn0kq=L()jn2(lE3OO@;?EGX){Q2S+h+k+t&$%wcu8f~J|E9HcJ{A9&_(kOP z@hhmPLq*|p$6vQG{KdkT2wzH^>B5g64i|HJmVNe?iT+ab^7=H+33ht6(JMuNC3+QU z)>lG8Ykt@%__ZsOtQz}`l+{wcrNa7wE8K|uJC|NC>3d0QB(0^y^slWft_bTKe&wn7 zu+|IyLGX`+Su*Hc4QzRV#(^6{E2FVN#zq;NXz+#42B{KL(a~r@*T*kz9M>)yzsmSc#x5EhUt*B*YU)C=j{S+h zyEWGW_J^!LW&K5q&%>jR4ToI0&*J`%lm=C5Dd1n_rh=*gY!o)c|4%g&+AY9^@C&=) zPiQ6xZ)A8Tj<~`WfxA2YXvc`}A$(8adl6?!F&g=(9)!JJm}fEAM?zx>`%+-$#?i0X zu`ulC_?tJz>+di80O1GL!+D(fL5_c5coX4Gg&$lW&rb`7I6mF*LxmqE{BXlFGI5+x zS~$Y-MmaGsM+!em_|f(7Ol-1zjN^?BZzlX$;l~kAJz^XhU0qaE#}V3ayjx2xfliRs zT-J%SSeIqJ6g%CiY1+b_VOA+UNzTb~TGC+=fb-{2S2@M$Hnyz!RMDr2KAkit;AZBe zr=_DlfkA~(&R6>k7r(HeohdO*Vmd`WZ0_-=Bd0Q4m}#SGnG&)jWK-bjW!l&s<5=9! z2DKNga0)rDHvSm|ej!(Cp45D*yjNACAC|81 zZCNg#i|%4{v8IM! z?sV1vMEVNRSBk!hG)qHucVqEbSLau^iTu^#yNSPseCh*}jvc74b$Xd)lJ25=h`z2q zof)oodWF$FMc*L0pgx@y3Y}hQbdl&{(TVzWb|`WBE2B$Amx(T~Pv?YQPOmb$x9AGd zmG$Y|Q04U3Mpuij5#6Ugofm@B-x!?~T`Rh-KAj)>I=$NHexmz}9#D@)DKpUN?~NWL z`bN<=)u+?L%}%c|`WDf*ioT6Bzs`8~(=)V>06vFC;I;SbXIu4=^u=KQ1md-57no$!^2MhX!LN= zkBA;opUw%7I{lN;kBJ^B`tka7Zg|4!4MsmH`YF+)>eG4QX{R?D{fy|*qQ}&y^TSxD zHyJ%n^mx$|>e2WtO>}y*(a(yWB>K7fbb5H+=`BXTAo@koFV&|r!^=)@Gx`K&&ScaHSC zqTdt!zR{`4{2w^|TgymK6Fpt@4ARW9I8zp*so_J%ADkEQkA%+@KFjbz)ZNfwG28Ji z*5@)u_*~)hh_eJOi2TRSr`xRU`QjIdUr3(cbaa_vZ-I#40J&PS#h(&$IXtH-XeIb;BAEU zNh~Vl08QBLd`s&r`C0r9@jJ=$;yE~4GW_E3j{D-pe--?j;9Z1SzvzcX6u0+4b>??h zp0#=Fe@OXL%3oA?{p<{spnp5Oynnp@KY|-ntA>w%HF#NoZlQ+wKdI{d;qxQA8~%jq zz1T)%dEwmj%)GF>!*4$k;XMTJDR?i!Oz;vkPYS}`PPaNDKKOk^Hx|7wXCHU;psE+H~hj$f=?FQk}#7V2kN4G`V^-} zj*gc;RrG11PbbYwXXd426H$k|cjJX|=`#hV2~H=>yv}hQ4!mYKf1C~MWQxxcpG}?@ z$FX9$A;;mS5Ao8tc&^|)!TE$)Z7;2^#>PEpjGX1dzQ@F%w~}zSgmWnH>RFt|e6GWP z_Tja0_45RuFSs>fmWjnUJP4VfjpJ*65sg~9@V3G)B(7`cVAF|q4v*~>;r4<%2<}Lj zA;)-5sN!0Ji(FWVNBAvuF z8)%K;)LL!^k4}Aew%I1QJ>}dWr+^M`fVLZE_&EHSt)wdwTr4<2n31icwNzi9exmz}9zdGm$jikCbfCi{CiB9$^dP}E3cktU z%Z5 z?-qQI!C5&tj`3cHcQ23dP{H>JzMn8B#T4MP|A4c#HW~XtvBShZWNZNYu(P9V^k%r& zN5qaGt2PL}<2l&M3cF38PTIfk0H%OBpt>&ywu=vg2xMe)iB{#pTt>0q9b~ z)&WIfwyRZ^!gHj~l{$~AWxjkKet>?_@UcrZCe4?$K+-}=?8)PZDLcxr1=c{!?RRU` zPxz1cg->ODCTkHbrUgQonO4L~PWarFU^iMUWr>ufRAT5d(=mTnr(b^IQqrVllD?F* zoDwr{AIwP&D;#dpC#LpF!CwhpMVOhTio-y~;cLe$tyk?E;j4vzOWXpKQG}iBm7iTiq!zvj<+hTbAI!<7^d~&e-Qs8dFIGuMF>ARJKk0@Z4kRr>?X1Y zf@Pv+YUWbvtkY!J>}FpJ)fSmsWp1O%0e>9XliHV;2hJCV?XC^Ap^2ZR?U1&U8lNJL z;KJ?n;D2#tx+U7LQht-Ni^~6VC!8bT+I@DXKcxLB?JsIvRbM}V96b5ky$8(uM_z*( z)&KFY6)`xGy&?W@ss+%`l3_Re2`vE8jYzAh!wt{zdhYK0=QiJC5Al17--~>#NwcWd z;ir4MbLE5af$k%xv7CMBFah|GvauGg2oo%j)cd*C--5Qkv;(9aNR4G>Mp||Tjuv)$ z_UZT|exZrzrlJofZCNvi8(VQ${1BH0*ewo~beN>WDe-B>?M_)<9^uNRw%zHGQjU^x zG!?r~uDt@sxHQo2(@fH_l8&Rq=0R!(8;8@6cjF5iRXjmPa~UU^QNo$%n8=$5E!=qJ zu$amx$v9a?OB(Uhg2vn_P7ksWohte?(WjGUG;rR1Id+}Juo+fOoZ-^6#_<+sN=lQI zPDw);c#t>*JAMQ*+`7?jl_@JrRyM5zaVtFjthE2!FUQTB&CHdVCo`XBEHbmw3kx`} z?JQSrF{PE1v!$Fvg+avOpjd~18YdPnl!kNN8gylh*m<(fm(`jU%S;|*5!yI>{ZIHC ze&GVaZ3SOQ*g}=jj~g$AcCHMzP_>uRK}ts|d^SCMrl;kEi=6&yIxmkKbP|2B=u1fR z9mDdyL~Z#%&HlgCofVy83@($?Sxy%^@#$w}hRdD4-NJK)=qp8EMVk4M1u|Dfq1WGy z%{F#(wTx~ut}z4C^Dx1ULwnb{vD~KTb(hgY#&t9fWZYQ5mT{{Al(34+^={s6C0I|H zH^?lY$q}jgC7;AX7w<8#NMfEakF8FQ@M| zy0_>G(UqiCyDH#>uTbT9yOHs+R12>W-pBANY|@BkL~wj`=ZGhT*9xyA&a8#pi$fbj z9j4Rvb!GAuQRye8zmx$~G<=7*D+lv~*~L-I1(O3^9BMHcB=JUxH&J9RLs?l`9;@9q zyYu(q@n*NkxmC_>bS&%Vrn3HESMIml+%Dw~DMP5R&RAE49i{n&z0-xGCd7N(CE;!f z_fSxSCxLB^F_Fmemw&@$@C!qQ-zWTj;`aFR!UIk}V4-QC?M`pXdrRKi z^inC0mcB-^xr0%7$F=t?QtwK8Puly`;>R#M9XmLcp~E#1K5%P<-E5ky>9S_figlsv z49u8~FW!f)J!;xV(q>AVMa|-tsY!oDDiLS9_n3Ke;U|Y%oE&eoLGVVwn+WqY%0NCvrA>1|HoNm_o9JwjvsKPE zI?4d)^`z}C)pm%|&ysdX+DVBCm{FMhpV<83-dMZYukwDAw~HQQgZVSqGu7eNUE@vu z5d5d$zX-=~Np?=^Tk^LnPuYY0M@oY}YTDpmeHw5=92faE#Q#sVZ8lnscsKkBZ5!c@ zh%*}h*;)>3#dde^)$~}9>>+PYd3(`g1GE;+fxVrbXnpPbh;1x(U$XJ@gTq4ib9$6T zV1LmEh(3_Cz5RI@`(xh$B65&xPn*_6T2pBU*Vpp@)edoOjA@5TJ51W))MC{jCk>10 z638^#RrClK$D4Sh#G@o0O_60U-nbmhghJ=wF>XvWqnV6jWgJI?N!ACQ$HzO{uun|h z6T~(bdm>pT8QXP*p@q|PPRAed3nz&_S#(SMTX(X(|2Y}>&V^H4dCmfJs+7~DoQ{7b zU?FT!Gw=)-*4jGWGbN-+NTc+30&U!Q z#V&t=jJ7f^q!BYN&U0<&^kk#ki|!!0V|_X|T;%i=qdSSdSo9^NEi`$x7_dN0jgjy+v1ut|T2RD7jg&hXV_s-I`|isFqbD zs}C(^yZ-&lF;Cs$EUUC81=k9$BWy{N9r`*w-7eivbbrwUNb6&lm6H($I$V9U0*^rw z!8Z!NiE!#kp?jh(^#Q-xoiR7XCv}UQTjktF$AXg+20J~&f^)m*J46quPv?d^o&M11 zyF}kD`X173mhiitR}k)X{NbK4C_{zcC;Wcmoa4~1UwFXLQMTInL7~HhK17tslAXze zl^qU)VzLYu{D|NY_29hlsKfmYeoXL4!H*M;HK$y>hl%in3o|W}PfB=7!YB%{n99vh z6;n^UGTW4Aq>Pp_hDz*w&r3_zVLghD59Yd^v98WFb)3}kQYTR5-B6!JGYNzK#bKf= z3m3%bKPzRDl;^0#Je`-$of~yR?(=TVvm3o2>qS{F(NZNSJ3SATCmn4RUUunYlU|WD zS<)0rF*D_5hF6`QZ}e2ruZe!0Gz+4_qQYc4XFEB6w4KuRruetSzg?ftK!4pk&Nnmu zUGeXUf1f-vNioKk!v_wJw2|&N1Mb9J6vR%0YGfc7I!HrJGFOT=$#!Sw*fgJ?#qJQhlPt3Xnp$Wya~j4kZVdY*M)y}4zscA| zLvKo=qO`oOGW_oRUzYR#5dWw6zsNIru#{*Zw$b|A@$8lH^8W~L5Y$G%zX}jGapC$z z9Cp$We@ZnIemOlxcQ^bA%>)^ZXs{TnsOz7o#76p9z`DCDC!ZgcJ*4a@WiKjv8#6K7 zzqiAq>}}jfaAU#y5@vFiV|LSi&W>vtFTB6l1H>LkHuWvY$P5QLJYisrY7@at1t0t` zoR=OBarjyL791-0Fu{i#j0Q(VIKtsQ=fx`@DflSCM-yg&i7ne}v2#22b4GD~j7tk_ zB)OTSVwLHYW)_S#V3j zynbZ@!y#1z3(6|ODXyGq%W6)Qa+;LWsig7_CbnSXBgb#GymO}TG~qabJN2$-q-P-c zGn}579s{2#8l!3rE)UtH`CKz{3qp>w)#pSuS8Sfxe6kEX_nWH1sj66kd6p}m9}uJ4 zO3K+%&Y{A~*I-+mbDix{9NF{4o-ejFS*9Z@Ck3I6!Bhfzw|wk?j-tR(U%y_YiEW_ot`*4(wB+uEV>J62D@KP zW?H!1;d8B;bcNt61z$y&d9pBIPlp6HuH+`5U0q7Ig}7Hs>L%$LN-U3y6Gi1Ur~s+H z@6IpQqugCi4>{M-VWvU`q0sPh`JF*DGcsAFv3Z}wSwyi>x-Dpx1_Jr>uk%Q zexmz}MlVe&HPIP|wZ~zg@h#Fdhm+JNrt@U-)dY|ox& z#E%v~hCD-qPT3^zv5vPtK89wT@bSVY5NBPXHc^IAZIsAiq8mGH`0QC3lVm(cgSnvw zo0?#;STb22o_A$Wi^B_2UX=2ZDJ9{f=ZZgij@xv;>`IA^YP}+5vXm)Q_z18M3VN4c zb-L;EF&0xrzb5*1(u_2!czx;;;SI+d+dSnrg}){IZNm{3EDs3pIDYT{#;d<8{5|3C z6K5&+(R1if$8LU&c!A)BgjoR9VvqGI9=3%TeB#a& zn-}+~oX_MeqQgopraBZ=b3y&*F6_Auf5$H@mas&^QVPsV9CkpJ4f7+uaAT2;IV_X$ zrHth?_}p;dJ12RqaD3BlF-=zr|4R5O;tWx3CHLJe!nUU_ylzqWM#5?d-%?N-;lQo% zox@F^j#vL)@EXBu39B8OiFK@6zRRO<*SWQ^6K;)PSTE}bSwGU!EfUD5KRG6<`~UV(j6K!Po7s+%}uRL4baivO~&F zDydwQm5v>doZfM8q<Mx@a4Yj3sY9zOz*xiM`wrq0` z342P|ivmkXMj->Av%Q_)W|7!Od}HzZl4kE`Zf3~exaH0V}&0_oPh$H%GaoV9PiF&O=6%*LK@$vRusIkcF7C`>Fh&UIzT zJyAJN%K1`SQ(=$0Zj_almL22O#=URtRu{-?EAK*jidP0YAO4M3JJ;^D+qIY0L0U&@ ze!F_fc#(U{>~@{xT`cbsdhvGH$|+zJOMUj2x^};=QsPw%vrEw`w3m)Aqyb@XD?a_Xhz z^{zc+x9chG25ANLG|WHr6e)CVxM@Ywilrr}#fas_h?ThVs41mV%A}N2@rZGuWy~VI z+*@T4>n*QBUM0QMtFMRkWF6aS!JRSYB<0k~siVW- z)nJ3RQ121LtH^26O}t%S!!j*T~h9ra!)^?}#4G+8bmF0%v@*a^lf}XN@ep-4exwVYpQP-A@ zh~?8`(nd;qoZ7#)Lt-fNVIj7AU)t@Sl=qapQS{>N;?vdbo_1}e-R>D_qos|Z#sVWJ zKP^-9$Z?p4N}91Qeq-V|iQ^?sp!omh!rU;?y{jx2J}YmMyyxgCH|3|<6L{X0@9kDE zNO@7pOZ5~hn_hNhohh$KnJi@rmH(uo%BI}#s(ULe6{pI3P2TJD_!&ZSU{WDZa^gbO zH{9A{cY9OTTe9A!6%#S{KZ*E`i#tqwSK@mT-=`QKT3)>}?E}|#nl??^bZIlFDGjsy zv-hDZKi?O#)kjihN|{B)69fesK6}Vn8DX}2t1Ut1$eSx~9=&)gdo4e9m z%wkTR$orjJtE`OqUe+2}YiThb{I^IC>s-6SZnj?957K_5X054AR1vr^WkC4JtsR|W zR@fkGqpVG|Soy~kv1$y~l!nbNoShldZHt7h61Gub9>_&e6q9MHI;NQB{jFO>pU7lhd92}njD7;KTP=H#QB2eWoKm7RV8cCrHmami^CD_ zt$R7f=ty}-$vc`JA5TRAc2q?d&@s;U$dB2qnfPPHA4i^bA-vG38H{K)9PiEn_DY{1 zr@5RH=`hvu(E#9>O(Bj7Dhn;#I^)e4vXf+;EUP6gz5#g{W=&#e!f=WU&%PRkQze`x z;dBZtYl^CCaD7f`Kf{e9t$XuK8EG=o%|N1MDgi=<8{b=UWy;8skxhe9LGEK0C*@EL~G~t;(cQ*+KcWWx+7`-2B4fpy9}>DM!3kmZ!G(F zl6SGZOX$Ub+1Ke(SNdDPE|bz(N*5}OdT#3Lbh+b$48KD7mBOzgUcUfHRmVbC*S@fT zT`jGfv}>p_@5fH4aIN#LtPiTY_#Wb~BhL(`F`Zq_R7K1fzZo^U6!+YOQ?`gNx=$!>>uUy zA4XS;t`Xgbv|TPVF1#r94l;58ufK^*0%^SexaYt z{xS#9>FNSmuVO zo&JNN#xFc0dbH>BhCkvLUJ(7F=$A;x8kP0Pz3fU`tL(fYWwMkhR9FyU9VrfG)x5xD zdVYA-wX{EVBkV;b?KNqyQ&YH*Lo&h}P7kqTRNfT*mgu)hGhAtDY3Pg94$JSj(kfMQ zHwf=ac~8pwRQRwN5A@!0(nON;a6fSG+Cj0%pC)g*yczVEzIo`C#BLoQI=*yLjK@d9 zX9}NXI7+(AEHqmj-`O(abA-MITq6 z&Irdly}QvTh;A7Bm;GY2tjm<(sRe~dNGTFF0K{yFrSS(yrXJP|V) z&UIyxMd>^#=Syi#g`aOK*q5XV1Grr9h509K++1wt1v1;pypU$&l$ptqWt_#F2<=>2 zW>R}e9VB(6q#To#fgE#@(_b3hN%X~{FClHW$moR=4mdmTQkRySbeW{ilDbf`TVR2@ z(<_a>LiClQuOhu)j73)JI9}9pLs!>UnRd0bZqlxy#;QG%Ei)U#@R%_Yu65^YbGpmv zA?G?eG1q10;5g(`>^#Nc^6TCE*1VqbZje_%FFw^w^mbxPi%{sw8dHj-6iZ1^v0LRK z_a(5Tm`k-w+*@Z}sk}0I<@8jvB3k*VO@`|Js_mno?B(iuQ+rFTkXlJKCVN&|sB(IP z(bb}BME4=h0xUNRJ8lGr_p;IIq~Kb?b%c3o76mx}+UW^a6!a6_U-SUdyMeC5q0?;RcDlQS42|qSrLs?Cc~f)^8DetJvF&P2yP2!OmW3XBgcs_71T_$nu-k8wXUP zk0=rDbYVeW49Hy)?v`*51x7KUV*~DW`cP|F4i$Z$==(|Y^2`iayNS9k@RR5U7krE%L z$U+ZU4#R6KN1kxwUR(9_q>QIzjH1D;ke;2J6`pqZ^=9}Re&HFxqXmy4tgMiopHURX zI(^}>f*XW!qQ{G#K$@4%&(ALi6CK_)EyB+Vo+S7=!glFIc;4xDcIg*HzbN`8(z-Mz zx`&q?zW?2L=~o0#7CeQpUAi#5>U3MX^ipW>y*^t$ZNMo+O8$jWKEYfgBELxiGos{f#>*{ zjbdj0Ncc?Qvxqag#Wk2f9cDZIhE1lKBYLjrd8Ant3Hjk;N6!oK!t;eL5W0{k6Fm*b zErm}U?#$O6zwoKx&jc?rxL^S0{C@86_n$|2vEU_wml9^SEvv3c^ehcHN8}4P#-5|p zdZXw~q#2&V0_;Jv+2QwWnaLKxTLo_;%u5%RCNNEWyVD((;g9%*pGEHwy^}OAos*MS z9DZ@Q%R^!tgkJ^!CU{ppxFG!QaA$-65d5d$zX&rNSvh%`IpJ@ocl3&v{zr6!zG@oa zU*!O7=!DuD&sS-PKc$)mPuac*4_ZJpj}*WW|*o}%|Mn(t|L*xTt0 zdr$Wf-B|R#PNO=D)!t5Dlo`Xmzvu%*A82%Dc6JWh15R(eJkm`>Hx+#_X|{|pfPr{o z?<(i#-4Qe6q2dn{e>i!@GZzPEWQ8M~-Zd&-{YcSAi9VV%Yb!YKuOMg}s&I@epW4^5 znUrIt97lx#D(ah-k%yP{c<1-DbuK4}Z!Z2s@_gkh%6f+u&dxnM2L2?mCyQ-Kme=O7 z7Im01f6BkSZEAR`_|wFnPM#IJGVKbOIyUkQch;W}?{TJ_G&$+!)Ky_Dzr0kvqZ#h} zHa_lrM`f12C@~{m5K4Z z{K948JB#l^o;Sg)9juqo9(u*$a+g*W#kgM~=}JjgnN%K%G1VOVxDP}ts;f(5Goy61 zq;8U~p~MOq7L;R55W5>+>%v{OH9>a?JtSO5f!~{A6xysImWJ!y=>I$Z1Ad{Wj2mPW z&|s!7#I~Y^&K|NN3S^|CQh}`8lioNvV_mf#Je3FKEcNu1lJ0#Bg}+BpAM$t zbDzAvZghV*UcR4<{xSy8VD{sZV6>98Tg^asGDk#bkenOk+++?{NnryOwRdlJXNA}Q z<=iUgHad((ML|t640gErS@8z93%*0}5W*^=3Tncg&K_y(U1IMRdkVC@<%v9cQN}v{jp5^jj~70HxI$l4QyL~Z{IiuQ&kCL-_&LH% zPAq6B?pvNz?s?vw(N;XZAm>FnFVSI)*)7vgJCnZb#@vB1#;?ejEMp1{zF^Vd`~Ipc z^Gum4n6!j(98raVf`g$23XPCC#A3km-oW0T`P9(1p9&#=CqZVWxyx6!`oq zt9zkGE6jHM4clRGj_|p{=MiUORaCQUmqTFTV^=nv8}Be*$^t11sqhuTL;8{pcu~PI`qF0e-7aSf!7CO=}T54TzU%Q!aPvRSyt7U#mlPOh( z{Ryymft^X;xpJK~TfUdFM#@?$j83mQBy9<{1w)&DojVI{-P?LOKgju!&e3qx{Hxzb zh%+g<#?c>=@kPH(v-UVabJdy3x6XtZsTF9|I$mBZV>hn-B|R#_37-epVPk? zy}#%KL?1|+#T*|&Mj1BA4hOl>%AP?J8BJvzOoI;%yM1Dg02ag@;=*^<_CHj@VG<6f zz%<3?v!z=7tuOHrZarz+Z5=7=C|O6-QsohQ@1cxHjgcSY(n8CA%_JQw={QP!;>fba zI1mmC{lf9C{B852PLR@E%869?C~!zUK07U(UUF}I6eo#3S#(R%e6zS0Lo$)jn{|pi zFCH45Q{|i{=X5$uuo5i#z@p(~IKzb-Y#{DT32742DJXYn)lr7i$5`&j6rCkHn>6EW zJ-~=_jw^qCkN<*S$d!^OC7%j!kZOsY<@BE{!0`*MM4v7C9MYCWGSS!BJDlsr*_K7l zlX1R`)@HEZK?{RI8#fBA@8JR&ZDm|YgONZBrVa}m`R#1yO3CRlS=&qLAf+P}28#>! zYLjJHkb03DXZ_4*AR?V)TrA@f8oUX&(5x)1U?0t;uFU^b23i+VI!oz7gPl?yv=jzYDB8VP+U zFdo@yS?D4OP7kWZAMp!G(Y2!MNV7wmg;};nHsaxveO)})GHgGI{Ur`C5e@ZH6l*Hi z)QBGF;)048zCjXilz0ac*3nVmOM|&dP>$PT1?TpsuJx8gnK>h%CXil^Nf_yQpQkGkz7&D zKAB_~>q6&4;&UD+VZ4M16gbv~mVX(JG_B_DxLgcA(Y=-P@t^Sv&&r!5?>TzBQ9(sP zYVYvpUFbYlJmxS-cu~Sj6!?MRykkuCC}&;$Wp_^98l6|;!Qbk$$6U&BZ8wQ@cBlI@f{b=`Ys0QT?y|= zc%Op$WqbqzmCz4d+E^Wvd77l@l4ek{mm@zlC-6g8+FE2jk}^}uEGi5bid+naqu845 z!pib^k2wpJ=ry9(l4fa> zD5?qToZV(MwDn?t5c?xp&)>{|Ni3~!r?2Jj4RSWh*+fUz#{|R8&UUlwZxOpy>^8C% z&y29$=?)gppGEHwy^}Nx9PCY)NY-FtL^+#Ezqqy9Is$){^_#3+v{{ulB6fTLy5w;JuJxJmQhu5BF~wSS~F=&wcv{*BMLIDxGg@QyabpHi)g zaaMfphCiWIA)^ruW+T>qu@a*q?C!#9tNZRDVNVHrQDDfJDKcxZT3T~a!``lSv{c(i zT4QPZQe&#slnub(FFu&q5Tq#V=T;l59qljc09gmp;*+lgTaDT_bL~Oy+}Rwb;xAB+p!iDhyk$r#RlTcf?N>ewy&pi8lexXNk4VXsq)C!lo7)9PVCZ5A;mA zX>!x)GMUTJ_fe2Y)S`ILaOINY;_Wh}WJ$@U!V;*Uq7Z3}lZ!%*8#m0wf50!~%E*(E zPlE|o#X%RWT?uEo@Mq_Ei&hfOmT(RQ-hwg8*1oUjy3xtvah{CxWwfTjm%ldxlnia0 z-f5?rULd-y=nF|R*6i%yF$Z|_+qsgy1^)%V&|XRhDIKXW4h&Kb-m-9!3m036I!U-# z!X*?K2OU&W&0elc-I&=p#`-cDon>^P!TJ^UcT0xL9Uk8@!dD2sQt(xT8R2Ak70yoX z>hvgUyk0H3o9JtdW@!?_wN77WYuCGr?jia*(w6+WO8)EJxWppcQ^pN43TQBO%9GW# z7j{g`} z!Y}leQX!?13d2-WU4Y$SP<~Xo(7H5+saisfggz9MvC$0Gyz3C$IO9Xz0j&-hwKD2x z@D{}Z-E+J}Ul-c!7H`o{LVpPZDDW0I!3-yUar(?aH{M?xZ!t*5jWTYc!HBbDk9~kQ zyRys5_FJUfD&;mREN-=itqxr;c;tiK>1j*YZkKb1oFQ}=6P!O#QHK%oaHk6iYm(k2 z;cf}{P+&|j(}a`f@j1WOjb1j(WT=e$WZX}Kj~rhOw8E3&0q1vX7SrlM@x#PFL|zT> zYBazfcDTPiyWxT#5j=u0gA=f%rn-b%&OGWyKilK?F&QIeJWeC_jc4bfW~<`@pK$3? z%jZu@dP>qLN=&AZK$jLP&riGXTE7^HXC#c4FoptO(}Ehz_6%d49=8C0#4n5!Jzn$# z(#lT>j8!l{O>|+GtwwlO!XydLQDC%73Mx>Ru{ra+8`m8a1N4H77iGLegHNHPB2iq5 z2)yk4vDW-~Mf_y(Q^+&_ap$jU45eZ65JI)WX8@wz2J@N08SC~}s*LUs%S5{cnf0~r(Qf5#|)x?mw zW3Mps;D@f&jf+wFNZL$kv#2p-h)PZx+E=rkzrtcNNBmsz^T@}yqAxq&6X9bwzO%Pt zzKjJj7SiCio+T6l^oiqxPmBTjRQPAY7ZGQ!MUAqE$7HA*@^hEwSbcJ_q$QG;QsM(a z1GXG{lcAB}!ZT0CyDXFNrG(`ac$eY?n#ibwXv)J1m+rN^xKh$rl2%dDQ^Y%nf!FZ0 z^Q(Ksn|vdFwfJwzv%1E#O~)>)>T*ZmzH{$NOXKh5t&z8u9`Dn;nrG_PhIP&lvALJ) z#s47wNAiq44h>3FmEj@&o) zi>nfLD{OaoqrHVc3*I4kCt>Aays~kEz%Q3>%>pW;?Gdj_Y43BOqQCBzw7 zZ03gvrF?ZSb>r>9(YQ=TXBk~+u+o?6l27g7cDXxUtxx_6IakWLiVmMaYU~@0psp@V zwSn)eC3KT;4Fx6=>KestnO^IBv(5N3exbYg9^$Vf&qS)jax4rAU+?&ZHeJ7`@Ee2| z7+xFdDuEX|{-Jes7YQ#Go*>TPqq&Q+y(YK1ejWlE44_{`S)mRY*yRgMxh}$LHAz=swCawv|aHktv&A3a( z-7@Z>p;`vIx>1S4un;Oh_qsIsFI)}3FjUfglJ2L(+u-yC)&3IU0XMq;Apz^IWek(? z5RFvHq`AN0VdsCel4-d3N5qeCo_!l=J3Z?BL)N?XnD~+6A1ANoRtymz;1lljurNI- z=P5a(=;-@jp)gT-+LfOySkFiqEoBT9J`k(whp{g7usXF9S9pkVc@Jgo3w3x_E@ z(Y@~Wq!a7u9sxrfD=hxY`#PUFJL(Y`2ZY zXzAJE3zvFrV0aLsWs<&>w44${pNSByaQ62eLK}pYV!sl*iY#j||K5Q60(|XOncd+V zS*vAzOUvVdy@tYfE?j2u_+G*q32P}ZGyi*=?6A(AYP-pLIX}qxkq+w_s7mI9pB!Fn zDZ4@NM!}ov!I@#R!?O(DB6zFdZG`_Dnw+rRof-?x&vJIi*-3{Pw*G)N()SnF7TR$3 zuhM>#wu>6S4%n#x^zTl`eX<&aKScj2`Y+Oaa(Q6?c6P~B{0YDCkJttS)u_O~_T9mN zSVR2ZRHNd0D;ajfpU|if-H7!6RWev}y*TXda$9@5_mI4&{#!~mp*bn0(RvbU>K zY?N#tsg0%XOO+XzMP3pc-s3f|4g0xNby6&e_Lp>kqys7O`Pf^|y#fw$=V^Pzo5*P@ z=U_UiELq8^CCPAz3(s%FweSmvN;piy;S~5}^0T-N#1T$^^R{3#JVYNQ`e@R8Pw*U7 zz(LB-49BBa9Y;&GSJ1As9ByghX(jkag0`18fLHXawpU^WilaK5=+{{r!C#a~FCXC8v7N+TEcOzz%yc+f67zK~b^6l1W8g0n-C1-O(u^z* z%dM^%5H5HAXM)s+Qkt6cBG_yzboexav?8zdA^(Bo1^D%u{--(Z!iBJsuI z6Xf~Aq=xiDiQ|vih+e7iGU4UK^@+&D!BV{(eyEdzf<}kn3c;0x`J8%%5UQN5wuGq` zTO+m)*;s5N2M4F)Ok|8#h^`e~N1CB7z}7Mtx9jWpw1qJs{e<@yK7hFLSXmg5EI@@R z83wxY`MRhKl5(Szo2W4C1$8)Y!`Vf)e&-gkw~D=uEJIV77{I30V8^T5$2@Sm@H>PL zA+9{YAwI6VaQ^C!k-tm)-Qw>d&%zn!XOyFvgsG$h!oBV^?jD_?a_*CJKOKHR(Ceq! z(6t4<6RC9=;Q?2#u!`b?Qin->h-#`R$>=F1>8Y|B9r^lBQ778()OosIZJVyy`;!%y^fn5?+(=ItAW^Wmalu z8dMM8aA}eiTyIKxOVZmWWn^IAq3pEOo!)V2M@GEUyOQ3M^u9@n{$=G@&X0t^oj!1B ziH)yKlQdn@3`$IG>|m0ey3L1f{BKsg%||k3%9uriZ)>W77zW@bvt8+FrPv%PbEV8P zMbSy!fq!#Fh2~;!E|Zl+UCrqQW;LgDsEG9bRv-SS)yn z;H8B59P#i|0s6v)nfBn9N%&I2aubpTm;=a2uW+G@^^~oY@RfvB6j&}O(xufE_;`k| z-TB30{f(T}a=xX*qKf4KZtoeAVT+uta<-Y{>q&5*?e6rj z1tmYr*&$~q9o4I_O*eOIP2K4ix5j41JN+u_H(9%Ar5-sJnEvi?mBD`q{!{Q@g!#x( zWldfEZx@bFMI9{)2@M9RMS*`Mq{0;F-42m9tR0m`L>Ntu$eBxO_LEz+?&S4PNjdUO-~5x5`d|L@VTktvm!UYB4T!$ALe4gO*1-B;5Y>N3aoWvB`IDbi6y!Zv; z+ls%Cd@5VbeogZUkbytYLQv6lqnbZ1~V=4%H-@3YR+Ve4{ zS4-$7;Tj68g<|k6TMZt`HyOO3X|PZj2lr(wMatRQDn03nx~r;zYvHyFQq*sW??b~9Yo zBeF)&vKKf#JnHlh_5wd9dZg&bNi$sNoQk<98J=*bfptzjDd#CUqv$Ygv$AqC!_yAW zOyF<$g=Ykh7CeS<>Z6o~bJ(?qT^Q@mj~1wLa>mPNDSA;sfS4xsYY=&I=M=l<*P-rYvueg@!|UEk_1lc58#(<`r3!Wlf=F!OF(O z`d6LbWc*a|uZe%1Jku#78@*+3I6NXBf5R`lDflhHZxgo1mJ{A_db3^nUD5A}exLLK zyhcK^Z}6FnQ+Ypd@$J6xC7mX5y2Ke2?KZjLL#MacZ9Wn`Q}is-j6r&KR(hE2@R`;E zog;Xz;CTjTr01lEkN<_Ot~_7x0>KLn&dSKo4WBrCO(9bT@%mKoXMz_IW}sPf$_Sr3 zeQQI(Sgb92iRh)ISupZI3-I_SeBsKAybgY0nUpW3EdRe0^wEbEu1q#%rIfFvtfIoC zDe8rtPQG^d&h@%{gYb>u)q=k@7*oxQ!gmf=*u3WN1+Njj)?u7w7}h!bg?--F3;sdy zj|O9>XEX;K9??1mV}sz0f;SQVKV+Q=yiQfy|GjyLkTFA<%BhGZ-x4JvaPLP(`~GFB*!nl&LBg_P3&`u*;8UC#6T_xpLy=k50W?!ETf zYp=cLg=8;_YUhqEEXt9xjD+WBvu>E`lgux)ex>yrEWBOP#1}1)2@39*2@mQ98NX9F zPT>RuwgJS-(sQsSqdRFv1+CZoLE{vSKVk4qkpXn>FN62%U7RNTH{pK(F)mg)d*K7Tmvw3Tq#9zK^p1IJl~wpwQ5q6PAxjM z;ouQqaup{f)iI&zd;TJIDb%BI0R+D0i4h4>eWOoZ;pqmX8BON`#ACFd5TTas=CnxT^1Z?_MnzLc(4sa)w$rdONPLQ9AJDBVb@KcxSPqlg<|%99$n zfm8-jx#@ouS#D^sDH~L|naU6@AOc@!w3&A2Z!8k25(R}mGJF^ zqkwVAKtfnHq%%lof<{`)%1?J$#vZ8eqcfXq4%u9=IJ0c3BZaULMj!4V zKg!`olFlQY4;ptENeV_>fx+`9la-;Lgo_A|0*pwP-Nfi8>I{I+(~UJwY#8Uk7C)i2_4L`tedoE z%ESbG3#Fzu&GZXG{wYnTK7;y9=qNEtSEJ0$E^@Ps@1$k-+2rpge-C&R>m(A>Gc#m$ zat-Gk6OZWZuDKNFQM?x-zU(snR%T6T@aCI!srKL9M{5DC`(a`5k3_$;Z_3WeKKdUp zZ;K8Ie30Hl^cKQHWU9yKm+2lh?P=8>q4p@XMbL0}oN^+=C(HDDi%lG<^G=pfTuN~n zL@bVDqO>c^WGQ(7%gr32<_emR(R^G@nXw|{;Q8$QJ+3sfi#DyVqPd#p8klu(k7n9M zpD?wvs%xpPqq-g{^2cb#h!PH1$70e?n$%^x{F@wZ1Er0WHbIIf6(&&kl<`HHGB=Zd zn*1~1@eJ@0mR;-$GD@URL*{9lc1Az-Tc|xp?RjW;Q{_EC5=M-;7t9IkrCy}-5}lXf z;JL+6+>+Ty`nI}POst?Sg|AY4jpFMNk-lU?8Q)TU-fx&UL|ad`(%VLFJ3OT3G#Tud zB@3U+JQumO9cC^4O#V?0x0BW`T5tZhrPq4PtYvDwO=~x;J+P451*IJ0FSOT`_F8v& zhswKD_CaAiFqpzQ4DT8Lk@Z%P|A735;PI$1T*$A7Tq1o>ADK4&DDFn?=VNO7seJ;C zrFB`;E{{{q&=~ruS=I0NS{_riG@92CF2j3s*HkZ*U2aR5>iTe=g!=!%zjW+_Tjmp@#`13qs(hjY6 z9HsOlrJo=nSX=}nhEU0}v*wHl`&;>i&aZTSgM$mnaJpiduN|MDcg&B zAjOja#)L4VK55FlfSgVa_Xm|zRQ`m5j~CWA#ZzIVl}Zn?Y?$zuxqVys%blkCH{E~W z#xExyzWC+Nn6gzb_b-(S6Ig+fzl;ie95rE|BR|ILF(*^~Wh%-~Qjeii2@WqKyQ=sY zuWU+(5O1o2JC{loDpgJKpJa*f^Gq3}C5viQs#B?PR*|g`A4WQ~q1 zOzGOuN5_>^I#KBi1qHVMdF*sa>(0^xeRAqUx-aSLL8G*bDT(sQmh9#RGv3y5 ziv4KZNTWXt)+A(M#sS8D($JrMAlX4=Zvx8%ln{~qOa>eMlfG6rlO96)7Ns#_Fyd}C z`VVcm8%lZ@>EUPTlwgv(&FK6L|Ljsp-%dIT8kskz7h~H1?DUal(g-bVrBlkFlnDvF zwj)X$CYxj#zEg)nWfRXKo(mie39_=RM5U~j0c^PLe!%C$jcZUhjd?&xl;U-d;L}4-n)EfiR zi|M8q+!R@e9PUoSQwiS%m6xJMuqEFLCioTn+$@tSYJ2o- zN_SJb2NEt32uo9*n`89q#t4oCXfEk_r0)fdw;-)hriL4P?u5db847 zNIysVd7~w92HXoq-<0a_@t|_c(sgeby-w+^q_>gY zUY<^IJB;3-^iI;dNWW=xI3P0t-ZFZJ=812U-c5Rs(t$uwb`soc^eBA=-y!`j>3yK_ zg3F=m_RnpY>F{S;KK7qs+T~cw#eQI=N zr9UJ6Iq5GzBa@QtbxWjC!+mLd#qIt{eMSBN`LDs_t&--Jq7oTmB6Sfn7T)V`;#(Tu z(fA$)ZUUP$I$b{Lph;bHBKjdphbjF43EvGFXM+CQBZe>5F(yZe|495N;D}jdSDc#s zvk6u8wtu1UD}~=6;5IOgITJ-Bcg&31kNDg8oyKt*Ct%bN1C?dj?^!n8LDBf6Szqag z<_}t@X#EKbH;)gKt+n)*Newi{PE-1u(m#-JH}d_H!mWIq&X{o3bRV{VDO9+F6%hHW ztqs`lSR$HB@0}yR$Lk>HX(UvXpQH{#tr9d`C$m5X5@Y3p$|mg5G2-V^s6wGC1SG8l z8JCmd&NKQaKuBaYH<^85@b7psa=42KHzwQ!FwUNl z%Yo-Ih{}X%XUI$c35DhqE{1@jL7r?JBWpupe%>XftiHkrs0EdlR9Zp7HKfpj5em+= zHeuSY{u*s4w58Bag9HJVg8i9(G5o4B+X!I~$axRHlAjD!xYmUBd;BGOQs_mYHw5HUvXBT@{CFvuvI+458gfTip5%?`G-lA42?L32Y*dypiH*#4vrPC0r0`50m5?E9QP0TTVz*q9K9BwZ8dF1Z}j|+?}M3R)ualQ%nB>NEEM_~bl`yt?l zGYU(x-2(=vp5x&M2|q-5Az&mi$*m>ldD!T+no&PO`ccx0K;zU7>rX5;IDfJ~^%BBM z2`>YT8tP@~rP4AXiOoG}{E79R-#~sN`Ay()v+@lqc261nADw2i znefwup8<@M%fRFuS%|?sYkX&23~~$k=g2>Ad`X_HrXt-M#$R%S56p|?Un2i9c-(GY zNfs8UmiqH6W*pZDdX>g&G+tK&T_@NRD8s#B#!Ss_w$j)}V>=AKDP;u(Zim6cH8yt= z-bMILz<64+{H3JHw~Vek$p`;!(z{9T0nLOXJz;LI!P6&t_#MLU65gk9aiQ!A@}9vz z=(;iQ6aIkkhk*IX$(21uWuptjKiMgvLjXS}zMuFfz!8rzu2PUMOI?0y#+C&>G@sG< zoW>V0@MNW|k&FeizBGQG7B#*ie}Meg;PJl7L?6fXt-mqh*qidZ9PV2R-%6a{jT9j3j!3VA!Rr@$ z_%z|a3I78aaV~EjUMF|P_zN|~{7b&VM3(sFFHfEnOiFU+$bZGl`O_ZtF<4Q4l5#%b zN`MjHiHQ-}f3mXCFU<4wxumO*uBvn}F(~8d&og?pKKyE=tCOywv~+XIa#QCU-ENFO zcTLi@NY_?6F;SX`TpgpAYe?#nu1ER;(1^h?V{*s1`UWR$@-f(ea6`h40OKa{C?7i833#X$6>_Rw^A4uBmDHP5nihQEN`^VraNXAefjeQ>=}C-_O-_ zEl9T{-3m0q9}Gt#uC>8ybVv3!gxeBsr*J4FZL#eQuF*$MAcwn@@MVNMD4dAKmCFs@ zJKe(_2`3N^D4Zfguw2mKqc3|nL^w=10vOd?L}SpeBq_UMo3&P>Gl^C*trS>{7a4FC zc2^kvC&mTH;jSdziF9Ysh?j)0EGE#!;2)4p$>F*ZzKU=+z{u`o)*UKJR~tTKKj{jt zJMkXGuK^y9^I)>O*5H8}=RFDcBHSA=a;{)lwhKp7z;!14q(UDGeJNZI0rx4-NCxiR zVD$dpJ}mu6-$=T@(Sd+8xehS;|E~4)K+=Oq-=wr`GcSWh2OB+Owx@3kaaPl7WK+wbmJ1CP{yf0@V@Q{Q zMzArIeXOx#ulKpdII`o(P5_H&6jp{n89YwmiG(K+o~&>|PEnDYV(@D^uJ}&EQwiUt zaC&}pl$&O7;~#vGrxTt*c&5TZ*__+WGI)!2>dhv6H{p8}j%G!|ZjQkjJN%jF5}rr+ zUcgLM2`MrGZobi@we#;j(hEr64;pWqEW0Wrt>tBYz=Ta&t9p>aLlhQ5K>WpWWcP`O z4c@9dls-cEQNoJ=;|p4vBZ*czPZk@Wr?s#p3P1|BC*mTh$0a)Tplf-Fqoo-lYga#uOrTEgoHuU9xHCOhFg zY49a&eY)B}cq8FW3K!&L6}hJj-l9omGvTKRKLePZ8j`$|q`gVn`8Z7IS@W7}Lf=B~ zIeO2-L#q~wFENa>mLj_;b(i>Xy-4LHDlbDplbY;@r){0GRh>x(F89)_lwPCsIwV|2 znw+Fjf!j&GVaf-(5bRbe+o)`Zf_5srvB~Ilm2FjGIhhmQmwXlSRly@OlWiHKnKxF7rEShL=doJ;5mcj7 zolXrnxJE2DyC649rbHOu(yvD3YLc%-zBYK4tRzeU$vs>h6IyAY>Qbmj;Q|P}fUGYh zWe8W__{Vf0T?6tB$u|Oz6Jg8+-((Cp&6c5@$lfq6Nb0-tA&_keWgRIezqm5l4Fy}| zVRpW|&`y7o4xqb;r*F*DH^J$VYxgbKs!Dc**7TjK42vzsI;l>}ou=-YfL*~`dwP&Opz zz1-N7!x-!et|Qq5vH`I1d;%Le28~{#XAY4Lla7E!kuScNvaG|I!Fx?KZTu*IuSwLB zsii9E}%A^%vmMzV6SD1IJdRNlxM6WYEWRzj4k|YGA=pArfOzEEM@24x3tEhB? zf~<*4G1#E@tIevVEtTDA^`LbPEL=z?&fr2JxzM$ytQ+kw)RRgtD!rlLo_HZy*A};i zJncI3{?zJfA9{W1T@Oza3a;gDFrkJ%`F<2`q|hHiysRZL;073du)Pn~K+=Oq-vk=j zAcMt+GuVvt^xki#F@(k~FqjZ!7MY~mTMb{VNnj}PVZ?_kE_1M)Ecbq!;fFL^P9=Uj z@hEV7vd`AHW0F71=*&WwW@@(9xznj;P|bvjhms^UWB>HCOc}Ju-+eZf94fi01cOxY z97mXvu7fK_Qpux|uL>h9CKIajT!ASUXp9w7DWWn8N`1M!w8CL{iR3kSh53JoL1+4H zU-&@As25W&fsQCCl`$=JWw2>!aSqtCc&s$-~@sTxg_ZPsLw`uNa!nYb)- zGfYi>!(VkA)$vp(KxHzLj5+A;FuJwo$`eUXB0U-Og>stm7m_aj{Ae^omMcJFcT?;X zSLg-rqZDc{j~_U?SPblBBZEQM#X@p-h zvoW**qwi6{DpzQpZ)X@b#$WV4o?!vca6is~+(2?1>_nK3#@{sggg;>38#?v>L3$6- zTL=#&XIUGqaEvrWWfaOrMh~0RL>EYVgwmsw7C}OASwiQ&>IiaXVdfYqNu!I@Ew(d^ z(E|Gto?$7^uncEFE>Vc()@8~;iCb>Q##{XjuAuQ4jmKdyR%IMkdRdn2!RA()@`n~r zR#90^WepTuL>@#|e3QZ_%;==gVJ(eyG}gnw=LLprSDq!asHH{UJ!#sNs%@aQk=iC` zXothd%d5H~|LG=F9TuGP?)$gDj_4 zf7awA9jmj2@^h4*hm3SCi3e3gmz|R>1JAKrfz0`FFPPm_6V8jYU!wgoY_>rs?1 zQ}(ju#%0Gn(-vu0->cMKqxL#9ydJSKxnw>nk7~YQW<_1zXe-TaG`FkiQ)*7k%pGQK z*R;Bm<}R9V%HNW<3@rAR&XvUx3or^h-@RpGSSNYCO>sBHJ@S_t%Gh~Q=W%(mN_(E$ zYg$w7ReOipyVUlXCaYEX;Y0bdbliKUg>>}g`_w+5_8~NuKm#&19HVkSGU3^vM424! zV+#8zd;$T*Vo7!RMLDuwwiN9@HD`h*xzFf)PUj0a=vcstqtePFYk6a>U=(g-Jt}j% zxACviS9A~1{TeRvR@pTW^`Llu!+KhLwE#)+-`FWW)3@SZBXxhF z`zzhw;Nr_?*Nxd_kD2HKA9n5-GZX`bP4p5Y&y0as@p9j_$Y)z6sQY`Bl?f9Y13%zB;t zWr;MFSzJ)$^5rv+1q9BKpW}7ApLAqbMfpkUcC;$NLL$LClOG)^>9{adI2O5lej2}t znXa;(qP4z1=kgR)c#5hx1p=K`BAW#j7v*D?N^W|5?B03iPSfEY)#z5ITLUhhlvJqX z9WRoVGG$k8C;k2--T9`zuCpv^QmsX`HdJIyffN~uE}IL-zp0pOSLdwRMgTcnU7Gc1 zUH}t0sXW;{*`hEe8B965zS*1JqAW}8(r!q*5p3LUK?!!@h)KrAFM;IB>Fz>viw65= zbP?Ugbeq6ME{u#VmX8USBV7EpNQRoc;5rIYtZUI#0t}|t@HnH`g(wEBhP*`}9sjBg*4L6vv zc%P4hel%{R(H{m{2#N|b+yG;*%l6ScknA9`H-T*eHq)Vn7dx`}vQO-6hT{g?S=y%i zv)s(H4B=UB!C9D+rF>qPT_T^&Tg}M*$A@t!jbSu~!$8bojJ>1>8AoP9!ymnnO5t`2 zQ5CSGEf;i3Ghyj$AEtB)85A-hAdO3-ULY*((K60TZcerrF|VCIqHKCO^m5^$8ESO2 zps27=29+7#Z?(V9Nb-5)^TFfZ z++oJpk9iH5c|v0njma?3yizQ0S^Od5I#bL#XQ99KJ84a&br&q$da~>X>ZTbyeuKZn zbiy+T&jcKgS*gfyBfVK>?A6@>XVbWw#yv35!-r=ciIqq;j6s(2NamQ>ULX2git{Mm z3lU8pNL`Xf<{SQqrmg#kFCc!u;qpB!&2tYJ{`4Gw*AEhZi1!yjIOxIUtu%pr%68p8nKK|w=}-Q+_NTJp&#un z6rQ8-JOm_R+`IIP$(9%B4SK<>%kvi(MdX@ZZFuDAcS|FO+hJ_aFXbmW+)lE)$i4|y!=G$LrMJxLpy7X; z)^1vRU?Du2`Ldgg+iUb|Reb2*A^k4teW3ATL|wX6YTbK=AK8NdNs!(r{sHk1fuqQW zZ%4Tgh|EIy$joHT=RT&npXMhpkr1us%?h~t)U=@1xj&=!IkhjK;d?K`wPkBgUpb5~ zBJ932_tb7dT~^t&aZTSgM(Kx zU-s^m6)GhcJ7z``9dGbEjpH;vf<=^CRrz!nS>7V~kD#(esGba7>lb8ObRACBhO7fTY5--K!GUv!o@mkWWT6U`_ zKS?c#MkN^d+M@uTj#&%RatE)nc~!LxelEQ#^s2%`9H77l{ygKmX)AU$^3}=L0FPu^ zg4w3%NYBiGcD`wm75;(Nq*jYsZD>e3XB!d`;dRWKrEyo6Ry|r5z``RjBp2qQR#D+8~m*1wH*m35Dq9TXHIfKgERHaA;Mw85rflYm}sKG z=WC0165(XRDS(m3%KIzy6-FoMn|mecPNX}7#vRJ&oFv!9;O7HACc6^8if}iDqj|D$ z*3|~5?DBAT!aWFIa~2M!xN8kgR=6kOUW9uC#-|5Scb&1Vbo@ylvVF;34;Dd2-P+w? zaC?RO5x$Xdf55&}77UcDXt)6;hBRUZQXE9_CWyF-RB&Z;5rfz1n|U+gA%t%MtZ^Q6 zw;CPRQx7FQjP!8OICUT(dnVjwa6hy<$l+26-%dCR7@0(7zO0NaO*U!9FVv4_I{6Ip znc$I0$Or`40J^Y1nr%=X$uh0tpSXxzCYxFgwOnZUQXtiYq$-AO>qeN9toJdJP9B|n zILKJw$kN)<1uoZf1!kqFRYjxAmN*h?lyCP)@WGtgXqhuJ+el}w~PiS}gJs7}Q)vr*iW6Syg+ zjMqy3om8e$xeH2tQKTKAgqQSrvA^Op)B9>q-E`_RsLzCs_B*NY$mEn9SwOm=aJ1aC z6d&bNl`EZEZkCIow=2^XS|Q z2eDo5!OG40pi5I29+{kGzMZDFmPGF3X%_G__v19k>5;yq&L$)FOt?am)`JutqOcGG zzFF}#sihp^9yX(b7Aqd1@hFW&Fz|Mxo7PZ!7_jGEj-0@JjL@k zMFY9GgmbjCTB8xBFjpFq`Ptfv{UZIB=)VjfxidxgiqQ+Z`m4Q4`Zdz8 zgT|*wdhXmC#*Wk>qFc#sBfA}}rqD!;GumOom6}3#QrJb|O%-G|y4;N9IB%KI=x@2G z9PVujyD98}aE|<%7IJ$Ht@S=hSqPcvyF~XH8g}m)+Cb6wiGD!zL!kP-N^&0=-AM!e zG3ouJKLL%7NqJy?_$G!~$E1l`whZ{x@~?8Z)71W^ z_761FVWcTS){_%WE{8iiW8U5$smVqv^eWuR+LHX`=OHQ^cu4t#*E&ajjMta$-|C%; z@{`n;=v0D(Bq5GmMK&~&3N6LTCbm}bT#8jFR)rYPykxLlynh|{cAjb1Xzp2!T6JnQ zprIWBb8IA^Jm2ueIyAc`@mj=d1IK4N17jFago?R3rW~u_A5~o{^{89`Mc=1nSKsK) z`aU%v-H>!6(1>d`n8p7TW=J9CLi2iSd)YDG9H3xtF}Psn=?4z75s3RNFyCQvI)&+_g9BcYVVz zrF9vt4zO@RYy{<7PyB1{E;luzpM;K76Q~BD;)N>zZn&UH?e*0NQ3_LvK=Kt~zgCl^ zI+tkH`TAxg(MqP30xSMPm47qb6{hXc7voB5ov3w&hE#O+#c*9rS)j?gE0wFLbc2F) z@jvf{yV|@~>UF2rgWfgpP$)sc!d{EKOsrMpt~K{seK&g2?M1gYTtpi8)r2B)$C#*2!1{iusdq4*g9Ypjdptut$V@Spz zZ(g}HIN01u+AeT2-63>ufs5x9PlI{}cdKcKG!YJ^HjLVEXh?)IZX&M)o8U+m!4bR} z?lx0bY5!F!)!V5?p&~uuRXl5@nbmc#{G%K$omK{|Ojsy0z{2LpF3W_F3fUBLDC9!G zODtKP%vCb@w0@OF63!!>Z?NqA=n4$p+RSHLg@lU;k21JS>O;=p9nC!)BV0_lq#P_e zw-~%r;Znk52$uoI!#MkX%Ev@Dm^bY*eM84l8&7QlwD?y@S5u?r?l7;GzM~WAO`&DKRH zE6GSn^8w?Fm-^@XAo+*LF9eUTWTuR?kUsr~4WCijWs-Pt$k?h6XC+o;A9M25JlG=SV*f8s7}`82javUod6+<^D0eNaZCeFGIn7_`xE% zqopY2UNI@_J}V-8A;VK%8N>K&kZ@-8@EEYCWXi zCA|+ck}YUi?EXE&+bRA&@ehc92pqwYjrIx(6B5Mu$c)r@T*<&Z8vAK{QqGVY2+2y& zpPKQ28lTbloW>V0a07A;+3e;^qd$s=UwVQ_A0YiTXdgicQ9$~F%;>HW^ev6=XnYR? zw=BEY$d-!kpy3DF#joHF5kE})2jECm5*)b!Y&+_XnBvn%1$UInk5qnwf_G1pgrF>@ z__OgC0ffW-LjG6szk&C$ic83jjmOMbpmFp&jpH;S-^hu)^$4@USDw94%`cKej z&mWL&`TjCvzMlUyjlXI91B2O9d=GPX#`vcb;+Js$lCLn8^%(if>`9VQyjS5I`6XV7 zc~BElMfpi8F%&96z>A0cFH)Mr4jfn6q+a?GolB_-rK&2)+bZ36T%}%CQ8wwczZX}H zQguo-AR*^0jpmKyY^n22XuB?c^R6a^S`=zS&`c-M)iJuahN&*;dZaG^jpQLKsmR(Q z=}{T6P~Vivz5E3lP-#e|5fqe2it;73UTE+M?diUVaAU$v0BdNHTvMa3)6g^{-JJBr zppiA9U(k2Qx=YM?M;q~4&}m7h6&z$u*0_s-uyQx8&8w@exozmRrPmH#eeq=Mxoiw3 zLl5GfUbemIi*(VkOQ~N*y#sWVaU{w#M@0YP<)&@W46!4%1Zn|jY*3ZKE;5sVvlxQr zq@0v9%HcwE!gL~V5QiMM>=KQRcJ+@ZiF7jQ6s3!DWR$bJ!syF&0{xYwJCW`TnqLqO z;`VbdyO>l{Kh9k#T}7!IBouvh3~hYI=GA8H*Wt6>Y4xCW4J;%zj4}6jeyu6H+xUCw zNu?K+-cTxvQZhE`t}}MRD$n*I+n4P1U~&5R=v+=tzrmEhd|vJPQMr*ye<(P;4ApZ3 zjIE~aw*$!zB72jv1!=i%u(6$Q^g+3q>=3fIfJIP{J0!@4dCOdF(^dXU;f)D}WRjv}8%)Z#Fi zO*-fwHmkLkWFMjRD6K`X5N+uGD3<;#DUvTXrKNsOmrz+sWf>G)22VUXgx;jaag!e4w|lG#nJ`gR+NVup;{aZi{rSTC}c#yT47 zVdxW0a!(q4v(g(#ZzR15v@gYnWeI$I!`xHmaC))?*lnisG@WPQ=v$wH4vS|^xJ56r zg~D?bo-Zdv5->dD1ru&n;YA8BQFs{wD#sGNk$^1g%fUK)kzX-$sG6_Re2wPoFj0wz z8I%gp7~eAN-Y{{Pid!jeqqrTSzp02M?M%1BgyAaeq_B&^n-K6Yaiwr+VM(6!!6}gWL ze(+wOwmv4jpYSJuH8@G`Q=_AL>d#1jPWp@Tbh7)>=rpCjB7K1L*Pt~zQ}D>YF(F-r zZz+67;d=-^FtS7AL8CL3K1BL3=^sG*$DH_IBQlPdn5E)Tia%2P2_nALm_qWivBR`M z`WLdllKl;=f5M5uSZ3zPm^)@lwx0fXD#xjufa0H7Vko~*dL?8j26J-M`Gd|WI)B2^ zdkIUMh7MzQf0>x8;%SP1Q~U>_&l?gW9HMc?j1g-5OQXVFtf0tWi{wOij{Il5b}~}w zit>}xPDocOPbay`M&~JgF6kyf^o94%{f)i=6O=?0`5l5SLij; z(v3+s0qvhzQn1`mI@i?1Q7Sg0*qq|U5D`lW0Oxz0r-|#3PW0a4G4_NOu5@Dy~#}GBNz*a^wHe&gzcj z6UYa^`vjg8W+^Vu1Z#jv4GWitn{xM4>{R*Rt z_3T%Y?nJsXXtuq_dxbIQQKs~uo5gi8^+1}xP*OgNUIN6~_j z?rIZX(5|}f6njv-2I8$E`kp3SGazd_1`}kiepvSTk`0Q3!K7d?IT%a{N@Gbd6p`X_ zAP@`(g7UwR{4X4g2$v*aQZoK6DVP#S4ut};%dVUw?5?#Se5GOU$sqJ%5PBmBngSEc z=Ni|USfcUOhhkrf*F*HVT2hjX;E~eK4W^7%r5}|Wsq}}U4m{q3tTu7^k)+ksU>n7vOu$sONFlYOOGyD4E5*j&NjCL{Y z64>Ysli+2>atiY@bfCGsAEV8kqv0*3JBDrGku`UmwSJ-`6LDxwqBR+oFDfJlie za?^}oJEvgSpJ{x2#FLw4d_+3|W|P00{5|0PhbcM8GWQ%a#%YM=(wIl%UKmI> z#nM(X-`L19ADa8fE+BiqvPChOcVq191)hD7>_cQ1g7vv=vP{ooGta~3jMuO{Lg!IB zi{SV=T5{Mot+>S|O;BkGrKOaXLDCD!E`_WHEH~#4bym=MjLze5@Z3g~$UIqx0dia!s`JeN?k0&J!$NNll+M{kljdj6Idh& z$wQJ8WigkhjGw3>-%S2#^3Qkgx*==pb&-bMON&_2&kNr)AfWR$tLOqr_6+f;T_*#iX^kWGZ-M(d=|Ca< zF6n)sk?79Wx@EnZ_e^T7FaG6eC&_`~C05kEluYv8zh*@8%J zM0yx@?~lV`Vt(em1GrHZT1`=~qg>LBeGck^^W5m$mSYnb93>D{{EsX&k3<0tPYx zDb~s2BL&%VJMN@8({yp0Kj@sI^Cuj{YjQ$DSSBI-W%%CJxPV;ZH1WTQ|D$+PBq=Oq zyEBIGS?2M7iC37$`ilIGKj)A})j9H0yv|Z@oHr`UPf};0Q3(dpl&r*9C@XZzm>?AD zq+sPLn^|GB&qU6pS%qd*n79)unk6MAyYmb`n(8l9jd*q9H58Xejy3nrH~h_~JYJJ{ zE#kF-;|&aiQgoBsI;I@G$SZZJ)T43%6g(%tX%arCG5HABH!V%Sb`7XCq}B);U)-d` z#E`qt=s*j9k&8$-Cf!8oq+m!^;cjYlYh8uA8R_PvF9wYi5(tGdq=k`VH!m@#3`2C~ za4qPxq|*ux!h;oLgRZsFPrbGe#e%!jvk*#sY4D(F^o-7)W{$>6?@e zM?%3wH`wSCS^gewCOw4oEuaw`sd{O=-fBuQB0~;0l*%wF!=d0GF#T4t@!Jf)M7tzY ziQi5<3LK%2Bw}s0G^0=J_a~in2I)-DcxV##_;56rWyZeV@(*&jY#KQBtMD#Wbin<^o_|Xa8rzac)dUSousFdzDsGTlFR3Rn$eBAczQbN8Kh@| zM(T+q2Q;^yWy;4>yfT~0-Bj*@f|sUTRXpP6nAA#_otR5$9;JIBF}F(&hunOFlV9;y zxR3Ax!uJD4i8wJO**#$F{s%n!AlZk=E(D9v$jhQV%QBC}q>Hk>^a!O#DJ_D87l0ka zLATiOH0>c?LVPLlWxx@5*#RTqmK%KGRDbRjgdZdPxWcl^cF?Uf_!;y%%HdWKUQKun zV0>nh69YOV(mi3$str`6zCdRko%L|=x}dxrOG=iW4-+ycYNdg~MhcrC;BJ#bvZqAY zJ!SYoU5{}y@u!JDqj)$mBHv2)tl`T>_~2|I{v7e=f#U&$0tsgyzzZgQdySV~r1TP{ zmmx6+LZ5rUy<&Jr?R0;Y_-n*p2aX3ITVlu-k_Nvq$DeyE;cbMsD=hms1l$gTJ7`MS zNq86GHvuF4%iE&q|1DD<(pTnfD!Zxdf$~4;KkW9J)Kb&`JCxp~v=0*QASsd{qpl2o zVyVA__X&SM_(Q-5RB|LmR@9LhJkrBqN~R`?kE!gZ@(C2=a=ytVCVNSmalK8)r|~(B zFJLf4Dak?irNO&b`4D|Y_yFOr6;4Tz9OxT^d+KNVTf*NF{vL2VPD2{}gQm3a>d$|O z%3&%$Kq(*mfIDJFZw>xY8b8wb2?kP-yk*HrLHD!aZ@l0y@C)%@iT?&1cPn4XfIDXJ z0GvV&_dDU^giip*4MdU>HBp>2rN3s1e^5C^MEP^??|m0P^m(tDilOXVp1d^TTh&4c-nk_g=)mB6R%--BqbmK7z?-gVfZdOVhm6j8bz-7em4aJU##_;4U$~Pfs7K zEy%Yd-wHe)L^znN>8Z6T9rO}ysI;Zh4hjk<HrHRg#;<6 zCAiCto`=xN;X0B|ARSOTA`SFG7c_cPnWsaf!=xjiaTB4lnNp%DV+VRAiApk+6e#82 z>LhoC88_%#eI<=fG&;k;MG})N=j&oh@_qgyU8!6}rCT{gBll`kQdH?qr3aO3px~=3 z6=y#~FXFB>XZFwjGCk?^qSG4=v&$qYF<)o!mK7fEL%1*D>lKb9B!}G%29MC!v>)Lc z3HJw#B$%91?yVSLQpL^w3Iiz(qI44^yr_Yc5VnIKY1CR5aPE0N9d&wCg5&0 zc-1Tq4<$T|@NmG0o^VoFrhv%;YqEs=ZRWJg^G+(A+v!B%AUvF8E0qMpd;R6{bmAGr zGZmNZbCPAiY?k2<&-QpW@f_m0hNmQ?q=elF!~eM7<0FaZ5zhzCq?(YZAD{wLe(d3u zLMla6MnOSR^^?tG0q4vp(*a8{8pSk9U?57RBP-xW8{Ds#KYc0TF@(zivz!-5$dYxg zuBf#yuoS_ku6U%rPb7aj(p! zGLOo=om~v9DvX;s^D(hA84?2<(a!;Cai9YHLR5nuC1O+d( z^yP+S3e8i7->(gYn~6V7{29fQW&HuUhi47nwaLfp7UItle;znuN_L#qwDE!|VJ&aG zNaZCeFGInD79~FH{1p=-D!fYJH43joz_$uy08D(u`hsDss55XdIyNH4NM@x*}5CH%6D}`M)Lo z9qI2utDu~t?^elP5y84|0pkeLy|vZd|mA&_?LWz8LT+SU!Gqo8RXBAAL41^ zR&8slC_hP^fqW(9@xsUe4p-Uub9AA#bIDgBUllykkSyXDh)7?8;c07q@T(E8PP~TV zp`?UBO38dGWl2~j8u;grZ?rK&YG?Q89PX-2I%wTq#} zzv^) zN}qWW@nqsDiihQEo0#mbF#NRwfA%YhcOu>yxZXk7buoID-a%K=SCQ@pn#naHm7bux z+VDo&s?wc!58~GVuOnBDSM>htuCFz9fEF=&Qtd^xH&o;_GHg28U1#t=L;OwjA>5bn z^$JIlrF46P!Ld6%+>h{$g!=>5JC3*kM$gte9!Po+>6<{KT&E+Rb&G`<_bkhF?r$RZ$4cCwHG4bHqp>c!|4(<_08*o7C&%9Y{qZnP*16`|QZ4+RZZjOm$znolX31 z;`ac@xg*lo?&cW0YzodS=blS=9^rcx&JW4fkn;_G_9}no`v@-}d_Q1(P~-!hg%Qi{ z0TZTZ&)tI*9-^=i0$<~>3@dxs;7a`&k_zq-!jBSO1Q;=E~bu|YliTC(fN zt_O=}AC-MYqIt6Qyzx)GBR|XGHjv*)eiL{^N>Nc_l6%VFrn)HPX2MSsex@9p?4C8a znZjELKS%g^zznrynlBjJK|}o_*_X(^Y^)4add1jcEvCFm_BFDvgVlE-(Y;~xa!uP? zNpB;)9kjnc8F6HAa}DxN!n+8+c@~zj*KZkovBGZ?-c5K9VBVk1;@xX(W4*t3$i7Q< zA6TT-tSA<+kw^ZX38(A$MDjj`4=8*HAs%@$P21S^dh(CS?kD>RSR^PebjL;7KQ$vs zt45#E_?*TUFfLb@tw zJknx6yw;s(LhYqKJyxSook9%=8h+_ri+{M!H|YtzN=-_&DAk5^4z7~n>KHmshXK?j zT94=jhUU2XhW2{c2c-eghC~|yMGjY7nwgg+Ir)XgKdX=FBJz#NHv#Xz(bAG3OLgVB zrlzdZfH$MkoXW*e_(q{VP>f};E-|Bm&PZ%Qqa}@2FcAH+L6VGPXl?YutNkssA>EdA zJJ86K3X5eI>GlTC9_rys313FIgTnc-%v^W5!CQ4CQb)oGgad#PIWlZqx|CC0(D;?N z_>+gohsj64<7>|4t5aQ~;kEVjNyL+hrvS(J{mg>VTw=AjQ1+3O-SgZPCcak9U*}4S zohWvOi0h2Pen~Oc#qjM#9`8#0D&pOMBZ5XnWqS412EVCrcfvggUjrC%ACQ5xL3gdu zYji|TPtv_e_f|S2y3}V4E(yy;LT%sURh+9@a=@7XJP5gPBS=5;dH_ogfq**VV7m_2!*o==Mc^Xj66m* zQy48h4>Hlfgvz>p???)H6!Ib9t;?24MwzljhpggcMyKXJnH16}qA>~vUTqpOOF#;N z&Xn$|#HbWgDS?8ame?#Ty{z0at!}iLv$FlgN@}>d63#e)D}WRijL*V5UYm`9;-VbKSKCX z!ixaoj-xK(78|>BkNhNuTS9gz*=5R>W{2EzW6yii2Vw=;$H+bo7V(~2l%AgIRvKLt z^7Jawt4Xf`jUdaJQ{58=SJP9kCA^OCdW9v(sqRUGcWIb65Z*|56JR_g+4iPLDyqru zDH9reFTcy-HdA<-!ZQ#Ul+sdZ$v1fAMj!4igr6h)JYcj7$#yi@%o$rw$+Yhm%vy7p zSE%4#r1cW5mtmoJAbT(B@^i99he?%ns?)2KUZeCnB;H8;QmO6@6ISU}wo=$eVLJqb zE#CAIpBIzrc9_+v(BIKcTDxey2@AI`VM}#y8T=m&)7yl16W#+D4;eE%Q{7&p=hyS6 zeuwnCr1ybFmJr`;G}XOl{OPacXF1&ay1xj5B*WJ0lio(@B$UwXB0lC@C5{fAI+bs?n|SO|K{nhNFN~mHE6t!nORv_bW5^n z8C#O-zAQu~hD_t21s;v)a0x`Sp`*M`^cTo#eO)?mRP2>m<5rG^*360Ru(%5}Ds@=oR|as7bUI(b_-}Gogfp$+w()CDR0Gh7=;!)Q8a`jE9qEXp^LPH9TAn^6gm6Um*!2|U5y@+sQ!c71p0pw&B zVX|dY!-ux?k=TrQbK(~RN46EmrR*M)y3-{l4O6KFrIwUhLBg{gots&T{ZLyQe{_w% zNE`BP$+rWK_>qZ1Qg~}`^jlLseJSb7NOu5@I|wGoDzqcr<%X|KkYD9+9f>Cp4**AC zf(bGKU-n1{8h@fAaam4@e3*O$JS#&OyO1GyP|PKo@~bLIRFbKrK*0kDCP<~?3WIOf z@LWl_6XDK)kwpg+$_*)YUCg>&t**4LqSXx+(q}M1n|H4^qnjGtY4o6R4GbhBL=$F2 zxNA*#LWQ0bdQs>NA$}L5gYG(mUr@LY;l6~g2aI%4Zp2oqyTPPDnSXNqDBVb@KO|g1 zc9$!10}S3U)58M^4bX*oaGN#;GpLgod4b zkg_S{P{@UVk4#1|qc|^8P>@%Ysu36CLM1{f#K zk&!U78SLqLC4maIh)-_0b|Jz&n~`YC&m z&O>w-!a;;(rAJGmY3^aeo7MG~c!c<)#1|=EkY6ObG`q!yj~wXnCB&B!Uk03su2A-} zOD~o!V%>66*8VKlmBX!|@)(uJq12LJWdI_Sm~2-P@6%an;`1u5qPUvk8Wl@r;V#S~ z&?BJ`2bv2Om{ACuls`V-Ln@`u9V6iEZ08owms`OnCI zPW}t<_{Qeuqia+4WOZMfk#niP)vstApz$>fybRbdMM?`;$Ke}OCUx-2w^Y8P@;wwp zy$l`2>LdpZAFV@24-r31{0HF3F#vPJ&?6@N*4dx`D1{#>`~;z<2%IRJm76WCxp>*! z&*oLpVHdy9`<32r@DQ#N*{)E+bIr87}%E8EwJzi0MlF9+`O2AnPli&ngCQ7PeRW@t62J2i}RcKXJ3t3UF-<2xn z&NFMMW@FW8Ri{-07E*~kl02Cthyljuo3gvaM{i9kwW!pFg6J*EaZ#@KSI2}FnO>+% zp&o?`ARw(rOJx~Ym*MIgzw{iRVw`iCOoE>XhESRg;pxa1_jbkk}mu3 znQ-oT{?^-2XiK3T1f*PP+C)NWZ}@+-tavH$%ZPUXj?qEVuOkZy%2qXgU3k1Cmz%qB zyuVaOx(RdxaPe}<(lAbz*pV&6#ggj=%`0i+y%4=Hy$C$SwkopxKrkWEC7RYO!)r;@ zlBuOYLn4)hmerJtU165*TCCu%q}7R5XIS;c;>w~iEPbu(7Dpm-(JrP(=lP3vrG6Fl zZqQMHN(iO9tBpN~XDEm3PPPZxYrrC99c)9z^;krNgpj zQ`ikQx>Ba6Zzes2^evzf6lnmGCJ1+{;Y0fSXdFs>81dnXW7~2mnBQi2eJ3B3iKHiyo(vkNj^I-?#o&wy z9=?P#n@cu9Ssb>?uoA5mfCnP5a z+#G|S*RtkZ!t)5sVH2AkmJiLMM zM#7r_qiF-#LS%HVlP&OK?kSThXL@NfrKc%90|~JbP0w}D8vFKE&u$_69NFi=;y$C9 z*?H~-gTp&K{379(2)_&%*-lgj+!bcHR}8;K@mGnzM*MZ)$dP5lsx&WQn;iFsDJ?7b z$G?@zHY(epAm}-n`EG}?)wE@AC)r(O-vo=$$m~HZYVnrgTfdZF<#2Bk-%WfEa6Eq* zG3;{PUZbmjOIQ{gBKV(4o1GgQ7PcZ+(#z; zc$vS~k16e^^a&(nLK(S*W3aOCr^c6@@j?2G{O9Dq0FV34l47*rUm9NhLVxA~(eo|Y@5p`+7O6m38UADNDTNOaK1}!r!0{6oyCcTd(gMy=vOkjj z2`owtvOY$7E_Yi-%=~QDE4e=CztH-X)^D)zsH6`_0)Ncts@jVDJL%)3Pk?5cNtZ!D z#_qespZO26r^x;ZmQBcI8E7ZTlTEVml447k}c4@{<(&Nml}mXwR2{rLMBU6}x%(T*6fdR|SmQ zEXWVJ^Nby;4I|aaRwr9S*?jpHo^R~o-u}Eb$<`uUTiF8H=)R7z$=U@|mux+<7l1{8 zWjoubt8eh93O69!kZ>cw46qD@xzO0tH~K(aM7A;6CSdWz3m9)rjh?Kx*Nk*?(iekf zFkFU=;WzkEV;APu2DcgP!_kItTf*%CBYj|-B`%YOt@YZQG=Ho7n;h;^ zN|#aU00}o*RG9BBH}*>%me7%G0@(mqWuH01?VLR7+3B2W-FMMe3e zGhCw4Df;dtkxnL^0vdsl#&CCqvB$>vySpWOAOv%#-y+1f^xWiG;XBP9|l4q-JfoNvA^ihwt-{^k-h0GJIW0<_O69K z)HjnILiQG8bJE?d#@?>u;D(YNMs_$@JjLR|n3UdbGkU=yf96!ux08;7W{8W*T$-^h zbO2F0*$lFoU~y(F+a~*G8$DP1|FTKvkj@2-Goy)kgt3FQVPz!QJhJ&<@r5eQOp_)C zDTEt8V7(7@A^9Tmqrf91(%6=i=$z5Rd&-Y;xESeT(j}nr7LUx$D{!L?KAGfCT}pTi z;WEGoio7uevJ{^iYy8f`IJKO79QpC&CxAy#GF+L^cNkq-(Vu-H=}Dv~gT~p@qS@J~ zw@)#Ct~Q_ENq#E%yTIe@D3-~*U8B#d^4J9W$Qi~ z3uxRA13{EM39*QV?7J-m`v*)~QrpMcgOnbkv=9>Vvb?;!P%ueWp$WK$O&OwJyho@! zN@WogL>!*EwC@{zN+0?X(o0D%1C6wrDHXuw#*V4%1G9qcV`Lu(i{6QHMKHJ0oTFL- zTSaFzoi%Wf0@LMiPZ&J*8~IHRx0dia!s`{zki$J`@bFU}-avRG;Z1-MHBuRsQPo(M z#64xoIlH{Fnaa~to`J$wzPP|WYivjDEZRc$IkL|y8!aw%FBm&V8zWyN`x4og!6M3~ zMM`?8Uom=yX7jI-evS0&Mi-+f_=eH%D7}^RHqzTcGXld>rP^WeZmnVNB)p68n}G3z zq$p?$sk~)Qe{Fkwo6c@Jd*I*#0W9aR*Wi?TJ_g?*{4U{rfRXIw0@$)hK2h(Pu|OM| z->2~bjSpcU+2cJ<(&^kEnN&qz=Z`7vr}POVl*99--XR~KPYs``<+jg=e@^@h;0RT; zAV&(FGFH-kX~zF!>pj4vDBiVw4juzaMg;^B1SJ@lnVn67ihv|VK@6ZG&gO;Pouzgc zSPYmD5fg$D%vmv_f;nIoF(=Goz$|9P@IB8n^}g`^|6gC%k8_;8@9OI6>guZM3PbD@ z$44?gmhlM<#tK_?HP@7s*UiR2pYW+mUE0R{zfRI;l0K)zBCG*fjrAXRa{zmk-qQ5gb53^;lEU43cZBpG2qJI>BryRmv~_yas2F%V(d|WdFgl&avYer#(`zj3 zPNKILy@Sz(hzVBwbb6ev%Gp_T7tvjvF388KAv-z!*0nJv-9&d6y|dBz>0(UH>EU#@ zlOw&0=$@i`k>>4873HPEt`4u-FT%YA_Yu4sVI~Q72Sf+*?oO}gH&z^>ujqcF`x}iU z!BSNNoPO1kWDn7Mir&lU{B$8^wC(Nmht?T4P;^3c(&#ky)hh@or{`v4O!7phMdy=d z@t)0QLxHo;Oo~riq1Ym^#bmbuTZ;Z3OucRh`?&C=%>f-GVX%aKO{m0I2M!Yo`?*kM zBiQzrFhs%u6ciiO>V`V|xQ$>QCU&^k1IaSa2F!oJx9bs(_po=uNa3S|k0#E72;CHD zQkI7?&UdhWii5--EPgEcT(<^>o@1W?$M3We1&0bBCw#o&mCf}HO|{`L$DiyOlX8Oa z!-XF~T=m8*Mvx<6j&%P09}!6$;VAJF#ZTItXUZS#{2Jqr5r3@s$;M~vQFB7kdz|wx z*{z)-{&?{j<7=yHYVh?flsG@pTIZ$W%fy$HXGMY)rn)RX^VNh3SAMrzQ>BzDDb-Zi z5t~J)o4&W!W~O4K(9}(u#cZ0i8fmrEnCTi+KgHO$Iv2*D8SW_Fr zHG&IUSx0b#ghmNX6j)rwI(%Iw%y8qm_4oshFjK}X8O=2Ku(P-<4zr!!)*jyzM4u@7 zB+^W)R9&Vni~Ys9z^5yP!x%hHFh|NMQck79t{v9-9lhePc)6zwJwxbRqAaD#8cJ)! znGVmj2E{zVX9=EfaDIMGNjTf#VAD|-2tG&fxrCWVQ)zT#VlT1toF7|+pK*lq#a|$P zA$eZs3=Ce$&5sWkx-#ar82Lp~7E8H^3X?u}bF0u(cCi}=*xkKE#-%bYqrph!soSA2 zT<(02$@m#ZSR#I@_$$b>cBh&>3W~<2`f#N?e_2kwO3u}CuA#%;!G@|P4BnYpm&>Tv zy7lDzcrDk-x?a`|w0QZsYr$R))549e9A_7Ela!mK+(L!-E|J3RxYgkiyg(e`Ho?mT z-%gliV+xt#4rlkZ{Bx(+yTsm2Ratg!!E{wAq zy+XoD2@gUa}JDAxRHQdW4d$wGdHy)Zv!)NIoX`aluaz<{ikL z0bgl#-=1{qT|31pSx?D&nilW18rLye&$u(oo``4VJSXRQI-7D}BYI3;aAUIFv=?Qp zmhqAqF}YA&tZ`$!rPs?cUXk%C4W^gkWf$|BOS3IvuS$@xsq=XCTkMV}kmCSN#SZ!P#Qg|8R>6>%om=H2t*YnL9e z9>#AZeJklZlh`|N8`6gFUE0Pv>3@*)qofU#Vo8pz*M4%kwUy*Qi~dFQucUcT8d1Wr zG4q@A|7+c4zl;Av{Ga4`*|VClNqBkq%kjhSj`w4u@V|xsL!6h5>Iu3KF?+2Ut+Ibz zx^)%)h9mqZsl|C}8sJ~uj=BuCtHoq}o~R{$%ry{}Sr_;g_z4XJIa|`@ znw7(P{`OHyZzmDU~N9EhC=>vr)3R7|p-}r#JSEbfM@X z(Z!q7#bF<(|1o-y=)t1*CC%3b276$lufwlc-F|<;Lj)f{m=Qty68ljMb^04?1rEbc zXNKYU_popv{#DXwu}|dChA;v@<(`+h-^Zwrlrc)iXc~-61!}HgjKe)`ve7|;4;DO@ zFkfoS5Zs$VGvLsGaILLni$kT2lQy0j^AStbkgYBYhq>_4x)`Ym5)PMe1O?vV>bj~- z35Hdcg(KYP%fY+J&{@q(Bw7mjm$ zN&kpX5q`Yz3~?q?LpDqaB@X|uy+%p}mkBN>tg;jz?L&EGsBr$q%VOY_;;Y10lV@AH zp`5c4*m=xN$}uT8Om*|*xzU^^vqokuO%ANBtij?%893asY+89Us%T{#m)Q{NJcP^a zEs<3S^$KA+Lts*4m+MSP9UhMm+-PGJ+XfkpGMZ?p&Yy^9Z4NVB*&>0kaDwDGI7#v0CcXV6Ph@Hs)wiE>V&!#ZJYs0k-KyJT!khB;zS5qm0G-W{-*9_;W^ zgHIQHhTyq``9x*QtEw{LOs9977=xZC`Yh4&Ni*ouP=_fK4p&*HzyiVN2tJpvg05Ke zaAi2p=?g9B^F?1EdLd~heQjnI9;BL@=5V1KUk{6sStMhzjEiV69a)HFL$)Sc*&Hr* z=P!GwTq5UEIhWDl_%}YYdAUt0G$ieE_uAP*yF}hnc~{V5>>Ba;u@o;Pd^>RCFRKz< zCF5!t*U;eAb6^X0O?Eo}8T^PNTqpW^(KnFh{cXUMksF=;=bU)mH;KJj>@8$-PhUOe z3OoF-!M6!sCir&3j5une>Y2fW;Z4T*G59-W+$G~~8qCqL`ObN#_qg(%HQkp>xmU`4 zRCp(}_+c5o>|vhI{qEc~EuLnDoRxAOpu;*Twqr-Bz#YLjG2ubCt~)$h56OC1)+4kS zIam$lbtr!@8NihXO?gbp<5HfW!nZ0E3CzS^t&;SVq^Bvd(6W;}CT`t)z~GQ%NMW$Rl!b--1zi0?mzM@ zFdX4!`LD=-m40vhis6))%~n^+v1%H>%WYk_tCa_ePY@o~a$82>b%phY!g`Zo@!q8p z82gKf_Ko<~^_DwN4dmHz{yU0d?Vvq8Q;<1Nz^dH*l*;h?_HT!5_8B8Qht=OfeQ0`wuCGF zVl0}<{h!<_Ix1Q}%lbvuue6v1EU(hG5YTTfwYS3RcS(Op`jZkXCg_XhrZ?4Ebh<43 zwMpAMo@=ADzoq>{jpxF+6YQ*=X~d-K=J2me;|__^f0A09uT}~ERe@Sko&CSYthB@* zay6}we9i%WLd!(nmh{@k3(H4A+*FG}^jtb;D;GQ1#ceHd8;PwbvTjpRjiJXS=$6>l zg%vx*7;Yz_wS+bl_-NL%vnsT8`U|U0w-eo7bO+L`3FQXGg^rFl+L*Xb!nYT`194`A z+UhbacU8r@){d@RZ|(QaQo2a#N`+^@YYU&(!cLASM#kuO6W(3;&cvB-Hc#O4(8H|{ zEO~d4)l*h4T6{-f9AjSC)#27QXsoy3K7w~6Y!%sp`fMXArpPm4ch@@Fo#-pApS1qe zcqdrsOvAEAVSoz-mbQCH*i*t@6j%oEy<1ySgDoArHEjphxpJZ%}Tvc74MW1ki8%Mu@Ki~+3GKypr(_legjW;j(eViYbj<;iw z_`%}$C9m3h$TTwxhW%Vv|Fgnx5%!lbM8W|SSmW6I{&6JgQ1?ExJ2*_oQD z{i$=mqvVXH!>ol*0oZppjB)(sRWWJ@2|rl)SmMmQ<+Dn$Loz;3 zmWM-J>EAA1{-ILFNf}Rtm(TL3kVF3ubD@)Ek_i$Hmv96H7AmFq0-%>v8QU)|E!_|! zc9f)vk|t5&P05y`)`Gg$(awKsrQ|WReddGTx1>gn9|nO+YiEydL$Z5L~#(hBGusXq3=ILAkxI z44(lT!VKp(?iEikQ~WIP&Bmjlf{{7cxWM_=QzL(Z_!GsSMBcJTF}poZc40?Lq&X5! zk#H&n-nm?<6Hasd&8isw>B7$tK9@Li6Bgx0bG{y}Cln!Px->QwrFoLhk~E)^iXCrn zHHWj^8T=B$!x0w9IY-X9ba*0E$#9}ZRLk&+KhLE{uZt%-U(yAV7E6mBo&McIzfSb^qHiD_8&ib|6zW+tW?6f>(Y-Eq z({GY@v%FjA>G{Ki4D~=^JZD+B)vXJTi`R0StYxxpr^Rb&C=KPP`iDE5Z)d#$cZ$DD z{N3c^TdgpelXw&FajmOGZn?C3rQJu3Nx+Q^uxhE(w^@(>3ehV?KVWnLW|LvvQm1F0 zhahl-heSUt`Vpgx5~)-oJnD4MTO$3K=*LArVRQ;B|E9u|PJcTj(yK&2CHiU7%zP-G zFw&sBl9lpj-05c5`mCJi3t@~GrTBzwdj{fvrZ8zFa&Uo!^2OG zck5-ruLypXFiSs1Cr{(cUvs0oMdo!GZ^(F)1}^}E2J6`zWQqBfJ3acxD7`J`9XapP zVU&{SH3(}Re!pLY-xK`4;138hN@xh836Ih&eCWmtHqQGa86V5|ga)%*RW&yj1nFN@)8_gb0vjl6H=eMgTM zWJ5HQ;d?i3`viZ$5q^;Iql^tSSUzLNXRN=2alk*hurt#UNBCL7FA{#Gz!bm)0SqH- z2){W$?Ydlby-xITk;1rO)$G*(l|2DgT%fhkiC=z|Oy}JZ7Jb z{*%(;0yR4DuWq{@qn7xuTuY-n3sM|m3;cwZhTts;>zXlMr?vU{6UwS*@Y7gh*xQA5En2v~0tBdOfDbb2)QmoY@f0W|n27E@wSV$MWo(q`r7P?vu_G|Iyy50`u( z<<3mzOkET1ej}2)u5vSfg!>DIMt`LIQSwLA@A&`qbNlm*arGQi50ZMY)Ui}m3GmV$ zORR=N+-hqTz(Zw?lQo_eUlNHlcA>`*aaKwXb7v%r9voqUoWtcDL5C?6zhcjXxg=iUQIaQ0oIGxB; zAUC6z;5ZN97d!711#r9q$S?q=EWbfeNT!kr-eP8X zu^E*zs$^8--===brv(Z0VxWYX>c$=O5EPCuO-7B3TKt>KIP5DzilD!sFfV~>BMLt@ zrs~|UwQi%V{CfG*&5!q_3Nth_P?JTebOL2*2<|^=$w2%_N z)v-LphI_Rf^@g4o)DJIoa~CTZ7s*^K^CFroNo_h;xY&i>lj9S0iG)ifTt-2)PfTD6 zmpi=Lz7sDIyj1WNg!u|DX{-oWI$Qcae!>y15_`4SYshYiUsI?P6@+V@u1*TZhZ@n> zi@t%hy#We2is(icdfJ8FB;jTWw@`?|W80Zqoz7bDw~1aR`u5Ff?9%3Rz0r4yzDxAo zr1_+yb<YB=Q%mg(}^jcE)Fj^U2AFiqUhD4Um~qi0TUzf1q&l=Fk)bhOKWXvw%65f~a0R`5uP>wf(Sp0}1Y!v;s=zmD-e$_PP=J5UN!l%|7{-1;v3)P6hzq*W2UR93w0jhc} z@l&oPbE-|3-2y+MB_m@?8oUgawngZY!&egwpWn)@UCR|OG-qUOBdZlH<_iocDy^;! z+dAH1_n21O32!aD4RO|3YcdsFDl@co{<7l8w-eu9d?Q&V)rG>vNRVw zw!BqC#-)$#1p7-GBIy81ylT!;Q~5sBg?IbK7!8v!T*84A_)aK6{Wz51gDRS#Biw1U zuPP(ujFK~&&Zajeqcz5jURK&1B;#NiV`->20E?L%;_RATV~h?JJ5KC)vb+Q|i<$M% zG;twot>Ot14wrBQ1qR-b%?n35d!&8aI!f$Bv6IL$&*3xpG<>5!+VMU9H^$`{;l~P} zOgz`})EhG#=X{C1EvJY-UVMf;Q>F>e7amPy(-JoxxFMdQR7RPMavCaFa(IQ~rM)9w zDZEN}HF2H*Uz>8P#D}SF9A+Pzrpc(0QELVYZEQx3=OEO%@!59>3P;GwsFyLF1~0lk zWM*j{Cg(4#j&W)b-zdI`JPR*OO-1N4oNhTM(lbTR65UMN%HLuPNvO}VQ*gFhy{-H` zLDq?~PBM%8YI0l#yB?>6lik|s)OfBrvQCk8DlJ|K)|f>7s34r?{Ia2uKVAG8;^&g* z6OA&Med_EoIn$Lz)}cO6%2`t8Q{h`04QVXThB>2;q5d z3_B^t=zJL$$XG~&4}*=q3>Ug^#`in{0$U_uv4o2#Fg}gt=y;WKTN;3a}D6@1wy zxB|@qhkv>>MrDcMrGl>@%*f-Oaas+X0akzkqfg>yze6Qg92r~;|;v5!HuB<|=?suh~&7E5z zWu=q{sPGz4Bf+X&4?4Y@#pWT=4~u?;w4ToLEIx^1#|P)9TU+)q@sEptf;Vd1i;m$0eE8x^<3O@5y>!)(5nB0i|VlXg+lK_1F&{J`((~;7Qt*1gUm09dgAo^BJN(u=2mnX;M)0?S zzat#KG8Uz@J|#xkpbPGM_jb43_Jh11UuT!k>r9zYzdP+r0pqfFKSG}+}x)IOn=+kjg_-w zjv6Qv=Wg&*j6 zz3>r^KW<;}MhYJ#d^B;EyoqF1{21pKF#&LdgTx;!ek^(Z0oPiQ2!}XbWtV!W=y9UQ zlh!K?mkRta$KSO}ogn;h;YS$GO9g(UCM&64(sW8ZLs>cI*aU}* zZE5ia!Ht5O2=h`?iTu30FvIE9d*MeMVW#L=qMJ!G=+X)VJ=@_?cBLl>K2h*Vgjq2x zOki26JgiG~vI{FNW!MOPj)YSroJxVWskEXoJFUDfoaTIuo#1rwXNaFmUMEQA7Z(;| zd6Y9<`0{dvkM*D=oF!qt3C(D~V8l0ed2pf0UP%iioFm~}3M@b{dLAVoH@OVwxzg#h z_|Tp&SCPuYwF`k|BIVplHOGM@VqDVIvQj0(@4&XnX87Zj9Zsz+IIIxnMh7bYt( z5TKwa4;9wSJ)i*rJdUtL0WDQPS1=%^ECzH{S8{{zD_xjjP2#I0TrJ@m3Va(kREKLF zUE}Qqq1Ow&fvDb^)z}@**_VyIN$kyHZy~F`X>H<;&s8P(I((~3qq8v;Zj-c3((RO( zjdBkS=6yK7hdnQMioZ+z-Q=0jWq6ID51<)Y`yN;Bu+KlsrQ9p!J}NBTxIa4w(a*o%T!3x0|40f5oJI0YYAtHTsjOYy;dO15rFb~e^cpMuc@*g+39 zi7C}}M5eIo52LE5RAy>spvjH@FN2Pmu*T2y#R~`!M|fFhdPQe?m1ojD!H2&@UU<#% z@%Gu{b>VLaf0MY%_`*aY72b0Co`o^+w?)4r`rXaxL|E(eT}Hnr`hC$KY)CmlZD=u@hz!(tbIIe%2oc@~m#6JYWYOa+;<@{_9$;6$}4KYq3bp5&Wxcp2$yCgqHZPTx;Y3;cxE zh~O;=^A8O*)%Ez!QjV`;Te))Hf*7r>rEDXm6%{_Lwdj|@L=_B;*w&3_4~WKgGFr=M zLxUHtk=qzE+t&I2xia$Y#J3mUfxJpu^x$@M_JT7a+ez&9Vs{{$%OGh?nBURqDZAr@ zI6`O9T|{>^8m~93z_gRo_4h}*o9OPMcQ!he!Zs73htp@<7q?wR_Y~cWG?Nm$M4;nP zeSo{Vvd|iMy`}V#vKtj%XlWL6&7Ix->lm57V*82hPgYf!ax6VKz~TQ{7vVhw?>&`;yl^EiA;B&i$M|s&@>1f6+rkA3$2U zs|sr~V}Ylk&Q~mnQ6DCLxcCFfvyRY+Z9~w{fJquITy#kkMoJhZVKfC^YdW1M3S%5z zSr%h+kl=#_k2M%yjElk{4!^;^9~|LO!Q%vvC(II*pEWqI-0_1gT_y-WT=)^hS?B~* z1FAsBmFKK}`8d2~`rR zDJUZpBr(Wzs?%Hdios74T_d{I=)5$yC#iG#_Cq3_6Cm zC(&WFv_D&znZ>I4C%f{r?aMYt$|+J#rNUH77bWqj|1_uXuEUQw!s(*V5IvVP^BgXs z63^n9j(4+bm?!)!;q!?z@7j>%+>dRMwX!2GM^UoHO{`uvb%=TE277<`tWEGRC;oIrdrtqIq95c^sX*C~kW6~qk; zqTBx+1O`p!V^6hB$#A2GF~q{SNnzZqFmCyOg@HD9vM{wNj9Wd711yZ&6vi@zaXZ84 zu~|G)DGr8AqfFT}Y!z*@J3N?OEtoqM%v}oRZU(dY9l;q(3@-;MJ9tH*ppqb-F<>HuM9+L5}j7Mm&uBm}X z*%~b#6&`hIgH6DBOw!|$o}k1>l|@uxc+%-RtcY4A`YF**lV;pDS;@R5X%C454GgL3gME5iSZH!JKvb#>aFQC%nXGpV0b<(myn<+|{N z!xvct_DjL*1%E}DSAykUa<7K3T_|}nhW?F&ZzX(3f%z?oJ`#Q$DGT4bk?I$XA7uO} zV*?G|uvEG({N(I`MUnkk>@Q+}CCirx+Mjjhn$;10b7jGrsQfPF4=I0AVa_ZnE=*&I zT&FuPkMu^-e~bQyG_RNW7=4Y&@UIJZT2}r~LW{*}l;B^z3NaMhU$-ssW3Fv-!>V|a zE$|cCCUUl79pn?r1IgzY4>me7U*??S@wLR&X9 zD3?Y%8SQ0sFe7GJTzN+~+FGPK$=F`T4m5Z#5}WSDj;;*ufWP1fouzb<(v=Ed(R?UU zXr?%ROV{`)cN5-S_|C)`PHuI_27S%IYB-p8(!$50sLSlBB}Nw}5cU;Vb9kHyj~Pa9VIaVOH#v;NT0KzsXX( zP<)a2V)Cr5F#B&BSF(>=ciS^CNY-Fk`_f{R%4;!0dOwFxYZY(m{(^@HK7cUmju?!A zu^}Z*oGd)lok>69PdLIbIm6`~NGDf`!nz=+cA>)nuf7p(o%v0)M#>r`YcwrB1h|-F zVkREXFvgAh>_QHbaj=ZBG5M;>r`9;^iDFWt^1pR9JeIC-cK$&aSmr z$ON&6i#@_weBV3L+1A!`e3aOUVkePh4rb(&C3q$9%ihs0-EZ+fM$)m8CR6GJ$<{(? z*eoj^=k5#V#|xPv_jtJ(x|RT)VVVAYWxL9$V#b~GM&n1myrs=g?4rs z4H6n9G*MuF#C~P|PMP6O%keq~zPiYnC8wE=m1C$n%y#^Gd#X+lexmS`h%+N%oNPI^ z_(s+}*^Qs9t9g!$Q)HY8MOgwtG`ZQqVgmv)A&Oxpa8(}DGHTcs zr4H*TUheqag)z%75x!LT6~yfs%a28HxYDJE>>O7~x?0jTlwuK?Eb!q^*ShtvS=Y(B zUe*n?mQ(pc{`{LHdx4hh;oMgAqasp}THoc+~lKEO{Oi|G4-k$TP3!_KBTU9-egJ zgKzOWj<8C?Qxcx0z$+-P!|s9E@QmZjtl9jm@aKd-Pn<8c8ZJZig2Qj@A20Vs!K($o zWH3`Rta11mOUjo8zascm!n{)EIE=RluQ|W1l~AvXe?$D6h2^arGwL0Oc?DJLJgQf%@1NXo}jKB2-B zpwz%i{8OhNERRXFPV{G@KPSzr#t3O_suRK&&cF3Be#Q~L6u(~lSLAiOFyOX&didJ$ zo?FG>zY+ee@b8H8cAewOiz zj9<+ttHx46s1)L(h#UWFUnGB*@rR5*X|QNz3ypa+gJom?a_7W7brQ_nkn^{kf9UkW zANU2S1`9v3)bl5ZbvT=u9{%-^<{TQ6<3EMe;vzLm@UQYr8f&S=c_yqtw8ZbZmPwl_ zF#=oQC$vnYZApy@!?nk-&lNtLY~{v7zei(h8QaKcMT40jon&vswoadLe5AJ%-CA@T z(hNVH;uldaB-GZ8#*%2XlhIyA2Q!c_(W}REbaZ29%a)yFY%gO68cg__y2^MGtc2xG z(|$3zI?L%Irz;(1&P=AMk_(mXO5Q*YsYgzrY2y+o*pq6!duWAZR3bq1EK!UMFs`+qHr zeqZ_hb;;>VA!ZdHu~}ZU`eDbl-!t#HamSx^Y>I-2Re=NIHNLvpd!R z%c~1RoqoW+3=b1MT=aoPXK)YFVT98|pFj{e!bs7hM2{xTheH?6{mQ}^H~zJ&K1jyF zGRD$~u|YNT5T{pKYz`GYPV{)A^QShUN^zLeN6b}ZFjrml;i8Wq&DbF71z26H8WYsr z_-2o293^9-j7c>3;KeFM!>a4D;b?cBvv=V!a*mZVnGT24mW0e~EUV_7l*hSO^j2NRR{MLa$osU#*Hg%Wqqvc9uYxn*+8>9PjL2crRFqH~W^g(*3zJ=?vn0J7I`;84HO`$SOb#1)Og`6g>Mp`X3PWk`8p5jy*lPR!qdY#LE+9RBm zTrYV#WqX9v(?f9lQ;TAQ@J8WH#Cgl6mzLIZtOj-!apTqcn4M?Jm?fi`2D>~qe`?cM z@doQ_xp|d6r6L;LaFPWuPXU~z0Om6QHYMU&Jw%T^wW6 zE*3~UN8-5@^1(SH8jf(j=nF(IB+a|*>y|Vm3JX&CjaA9wWVq1fOFP7y zut@S^$rn*(L6j)qyP99qP+z;)rFZ!^9N`j4mrA;f5(~UEPLrQ#tio>Wm%CC^Edyi7 zq%4(k1rKNxrxL0NKk59F#;+3pl=!E~^CIwgV4x2cF~(x$&$!dko{VSZJSXRQb7tjjO5PXT zS#9TeQO;^PFVSJ`yf`n3abpgju@b-G2rmnMMewVH`RHX-M7-wo3~T1RF8U48Z<1yv z%lyBJhqqi_u$m{rsos|Sj^uYKtKL^rjY0ERJJ|Who{Ri@;@=nl0eO~3n~D?Wm1IL> zG6wLW2XKHT-bV`HV+HUD1BeOE!K)~b^1`R?j524PoX_NZPKOyCiHE1WELnhu7L|i9 zT$^pl_@%V<(!Qd`Q}J;x)=D^a;cIsuv#0zUIp50pjt=irCRvyX-#c7j^_3q4|0sBa z!No}|IQNso&)blrp9TLS_*cSAX~ZUl&e-sq^Q$Z-zl;Av{Ga6c_-{&SOX9!W9BIk5 zQRd$=|Dnk$#b#y!+YSG^H^RLC0vrOp9?tX09x6#K(yqF0{Hd3cEv_NEfS^llhWUmOj9F=Ts1Zq zgaNL!cuglkt4Ye9Qud<4_Xghf7z~ZBfv~q57hW5Ufie;@k~A1EKS?^IT>0Ag`$f@7n5d`n6Xm4C1D>op0QjtNXB3p`6+PA1BFDcT@OwnOm0Jp3;mj&pIj z)$ylDJYHgkB9o^CbbcstdRr@GN=286E+@?=lXO8DdiJn4OlhcaYdf*-<;0zrEqyMLbE%xm=b}Ogmt0ZB==^yx6oyAlksQiRyUSC9nW@~jAb%zr*RY`@qrtUGnKyL7g@c{UCU zimz{0UhKo^J+5}NySrTKy;AR^%DbDNNMJ%p?m52SowFO_#jTLDQqBW(Sk;ObhiM+U z0c;Pt_q9dyA$bqWd&E48TtOmN(RkFo4=gbsllQp1C+Nj2%NJWZJn6y?c2TP&JSE|2 z3Vb41JQam!oPNbJ>$9St6a74CCP8^c1$q~nP%>e-nL8`&yTgleR?B&b4!dYn@4+%% zj?cd!KB6xRe?|DK#4SR_;WejUvk1K|`VG-&pAcs1*JBS(uI?E=b>S!L z`&uXAGYOwlV3C?>#E^9CGLrj<{e@e@thV!|to5?KqQy9&A0!*TcDT3okbNWgTfyHE zW_=aUNg@7MB{kCQ?H6gkQsccV zX>7s(^52}Ud7r1iNq!gohv+|zP8Ah_{>$kzhX}@(AJKn{{>SL@qI^^W{&l*I4G#HF zbc;*WRKdTwT!cYD>Ch7YnQNW&KRkxL1%5*7MD&)V`Hm{7t`A!|TWSx?)?&92+lnj` zAEOkS!?q3|xin_x?F6?L+=ehS1fH(E6!#%)>%v;gZtWzrm(YO%OKS|`;q%L8Qb$(? zjEU#yBxQRkJ5b>{%Br#A7KI&M7-8StI!ovxp{ohGu~?`t@8rS|dk=P#&|SjL6qJSX zimV(rany%cME1TT>4U;rn z(t(te(`u{hs%z0)9O1%#{}Z$3NC~4PjHbY|l;P!FfHo;!;ps5OrG-{uK1kBRlEzYE zA(F77e#uX#!qEDlW$BJ{690{yz(RiumKjXUOvk z@Stpd1tqTCRvS-KDy>XfIkk8iB~*p;+Z-GDO7T_VtI6{;dHK8#xEr~In(Er{@ll&5 ztwvfcwRjo`sZi&98#_%_e7*ST#&h65=YI$1|0geo-yptGd=q)*DZu2@VTKE@_K(6$ z39}?LQ(%PB1zZ+C6=plXt}5~;h(A&MN#u3!P=yR9J3R6J2+t9Gir`ZT$3#Lpc_N+W z+QF7cr%O9S+FWXiQ*n_J=}hNWPmiaWC;lw)^T{(#ShhD6&UW~Qdm_9*@Hv9dCCtE) zqKH#6oacONOVRViUm$)Vd1mc=K5^kfr_Y}gLti9%vFM9PD=Nqq;bMnZ+!5hR1Yaun zGQx}s9yUega_2|dQ?^9>Qt?+fUw}?vgny;;i!Cx&iN9L>HOAvnQ25t6|EN6!*NMMg z{0+wAQk55Obp8qp|0eM_i@(Kq1g`LJb^ai`ueXU`CjNHg5x(y09nN24;om9#F7bDh zkC{35blu}Z#{n@xmrJ-;!hIB!pqQ}41iIh(p0gvrLi|ec50Ka0Dg^wX!{hIY@I!(h z7W@cd)@tyfGd$|-F5O~D{g~Lt#Xdon5#c)vZTs+~^B*4)!(Ju+De+H}XV|C~hi9BU z*=ohlihWM(^JG~Qz^HNdwY}i@(>7H6Md7Q3zeJo-;qV^L$6n+75*wNFviMiTze=7j z8AiR3``VOarJ~ndT4(WpUD6wp-ZTk~5^Urc@PfjsDQ~%S>-jN}-j?)^q<2kX_iA2I zTp4k#OY;y39^pMn?@RiClI{YQwffN6KfA{hd?fZ`v7eA-^J?=gia&K{@B#(jBCM11 znViq*ut`&2jg6(SoLWuz!i`!RXZEFx^)kMq!Ri7Uv0RrHRg>_wE5&=phBlx?dKP3H0iK$$MRQ}7^JR38;QS9Gh{~^n#v?w1NaB{Tmzb;hX ziQjRA|0J}yRE-Jzn|rK_qtFt+o8 zS;hw6Vso+C)`dHn7jT5_B(#>$h62lXtgnVKQf-}n%A(RvbbHYqNHh3?R1ChO3u((w zog{28VFwCrA@Ff3)}pW#Tp(*l*Vfw|?<}p0w64@TKto3vMq{JL(z`l$a&x?8`ff72 z%iNhJJ9^ojh_CyZ8JL`%o5JGaHnu3^E)si6>_w4NEAM$_P3P8X$r8R%!Ooq41I!x!zCO+L6I*mNT&1i5cwnB zsJOhj>b#5H2E z$%x<@!La5^;!P5yd@~AB%@`cz!#D$f2#LycgG)ibPfp1>Csq4ZF z7f#6Wn13Q+mV{;sj5|7tGhw#F3pqC#M>s+7iGoie96xNR7lGB3hH$c5-&%<`N7gB_ zPNl^HI@{F9(aRX~Ru)ck=dEMnYwC14XULgLhmRNv*K{)1!EvT5-`Q#ANjXc(d@8(> zFavvOobB*Qr^fIX2tG&fxr7-$swe0T(Mkp9xpJZP)0{8m0x1hk!4^B#5q_a7*K*tl zj<86|Vks9<;gzR0n-FxdJBJlX!DuWwm&&<}4l997TXZ>H?)Z)N>3fOrrNXZuuB)zS zK(oQ&i6_UazDn@bg0CUW>=b7}H-~FoIL)e<*Gafu!VMJoEbun)!(w5$(T(rzF5D#J zW*N88=mi4kw3uNqH)r8$eXOx!2nhq8R_K+4`79)F`LRzMfZf8h*QQ{Us zIl$e(=NHxoaM)?wX(w*zAv9e0eQ*xfB!xI%J$~K+o8JBju4}ZfEo|W{Rq~|Fy zljKq_KR>+S!YWI?7bUEg@Dc@<3MeTzyPh>}{cbnuWm&JtdX*NRz)jZ^UUTI-yPVgh zydmXHDk^@8!e-a=mRncb$~te$dPml~X5|-EHf&0TwQik#I%0t%yeI2@Ss&2iW60&n z8WQ0{$0x55jY;&vKNkK8@wWH_R(RR`ET6iz#@-z3q@UKeFL_uC*Xo>&IHB<)kfx!{Bz)xtX2;OoNoKA$T z96r$Ctp#r*xD{bmp_AzXEXlL2)9380kkL#L-CA@T(k#JIIZ1}L4zJ^HI6^zY?FDxr z9NU-abhaXNbbfhRcW@f(iNTW}x2yAfsygf(t3t`Q$< zc6Z^kw((WbS3*At{V6amMR|o-igbX}3vOrN2!0RIdy3x6X!H}JblcnM&elsfP;^3c z(r7IDfSPa0>7ACxu=7NxMdxo$=Y;~NyBS?5x=3^}X%;di*lQk@qJ13y;q@5!AmM|B z?@OGQSy+fK`e8q(M_(W5{Y4KEeSp!7csdMqy1PYXnCRi64>UT>)mFm@rysC>*^#10 zi5^Xw^#ZK#T*gI48p0Si))mKFbdZdLWsIf4tX11EGaTaVdt)PesMv90$CG7dLEE7q z9OiH@%d-;%A1?R^!Yu)pVY3lOFaHg{;0Q+vohWn?QND68+hQ6v4&tcCqg`qLfeftn zCFNKtlc^|YArbS#aZc}Si8w{{@uD+EV;Calqm?+lbWIGqRCJl>a?(shPSL~Szo;=) zxG~SZ%2&#$l2J{=Vp9~RI^Dx!Gfi}j=-SO_G|cOq-p%N&=z7u9H>Zn3aCD$>sX zZZbMkQ;B(xGn~HSxp<{BMb8r5Oqyd!>Z`CbJ*E_6J~;-DVTfIGnC)t3>w`N%>WNZM zqRO(Ml=B$zbpQSZLd>8FgoN%YO4Z!sE0A68em)#)ND`fd}wO!V!f8FvhL!=4IUTrw3d3%SGQS`o7KRg8Xp5(?gA3A$q0g2R5VgvEiW8gN%Mi z^uwYbF&f2oVLCkObT4}j9~1q!=qE@sKTgYrEGCaOhbLXQ(K5j*2~SCQnnEl>im+ss z(|s)XXGK3J`uWXhtTOq6)4h#;QS@rjFKtd2g*8s^YV^yZUlIK(X}%F^YD>dw&X(Gz zi`T`zA@)tOG1diz;Vq|kv5?;u{f_8&H>ZokTBmy&{hsLeMSnn=RVr?w%M|?3`Kfor z$LJ&RAB+ElJfG;=riN))Iqy@)?>Z#n>x6$M{Bz=rI+k<9q?j+9{-1G?{!;XM(O;4N zU(m^-yhQlg;gNmt8;9&K?M$vzZ{>NzK@8bOM zuhaeP=KLqR#pSA`<6pb+#YLed{xc3wGI|UAgj%}jElKlM#%K6#WPT5-gHsV{6 z&$VspwFo&jk_g+n^Y83owP8o6FEP5a=q{qWl4dqcB`TWHFSC>58!al`gm)LdGx1zh zvRK5khtm@*@Lfdr6y1w76S5)HH*yoCU7g>`KKS((-$(pzVs-aCp?2G12!ByrGzY24dOFQ^l;G!lIFF}#Fz)*BOHIs z2B?h`K1%p#;tU)uQ+($bS|23(V9{eq>+z^)n1UhE+(tbd;?5-NVmwsNI633# zw8a_nu$yPPjQdJwxwOw=uKhb2f5j0dNIP8G5!Cn|s|-!ttTKcnU3kI9*dHZfqJ&8l zluY>AfuTlD58hv)qZ%*zSkaS7^P#N@_2D>Y|F8{3rieXWY=$iJGG?|n;L9Odv1Qr)hF(vm%n30kpCI@|!6y-B-pA~8PCQ`U-HnxB#K_E%af*ynY4A4HW4o=>oZT=v zhJL!(GsMm%%cx*~fyQvA!w(LN@I1k137$`wj|nPCdt>b1%ek6W~4KCLN0W+?=wR2K|t(cu@{kL#~3Q6?5V27f>d~>E_Ul@ z8;5#{tV?BGMvKoB9u3Uh;7a$H=++!AckQ<8;zci!wp7{`)R_KQ8^0V2E8SRX zABwM%akY$VXsCEdr3#bbTBm>G;vo#_I?>mQzQO2x3@}TD8=Zb&PNZ)VeY5CWNb}OM z;Z-sZ7ty4RvTk*2e|vCmleJ9N?X-9&W@Is?_6~=;Tj_SE;JXChO_+rUM{8hEc|*9z zg?pyP6k0CfUJ3V6;G-VOXH>^EK<{^DomF2}NLeZ60V=sHS|1*CcHD6>_=m(kEcOwy z3?6H`)L;q#mtT9-m6_I)^_Y~$r944J?MrTsfy)R_y6~>;c)d!(Qxcx0zyv~-p)5S( z@LH>>JuCP*!Os)U-QRqC2z|lntGgfs9N|ULt3|&=nnCAbyk%J9@H7JZK5@wv>0Iyi0}WVYfW@ zuhI4uYhCJO`T9Lc?@RiC5+5K&F5gBnVU~hx!!3FrN&8sZC)Ai+_y$~596oh=o{dyk zC;BtdpOa?QfG6R|urHh+VWEF1e!cjw$mecGF(y5K?Q}_31cD=cBl=s>-;rigWg6Himk-m53&X;9iZi18_rEH+Wyi|+z!ZGWsEd1ocl!Ib^{aL~<5`Lw?ZW>-eVPkn| z6}m*Sm0DK&H&;j5#r!Vy52=4r<;74f3V%60+USj<{}%lZY38g{63yp-9UhdzZ#cq# zf?F(669E4T&c~#t&=UWZYXLlWT70;=@jX$MQ?va}8ocBNu9SuK$GPa&-tH_uFFFI|B;+LN@U>Hg{4^ z!7;-5&bF@ZNb#e@k0!5rf2=rgSlbwPmRLSHNY24>#?oPmArGVW-c*lh9pcJR%fW|A z87E~t6`rOdw+^p{vK{8m>K)>xOptT9oFnM)G!;!8jw$6xS4LYW=}}T9N|{83r@^=1 zdX$4$pR^$y?M}8fp5_=i$I6*Zho>nkM+-7n+8*c1?SJDhIKmVu$4kjj>40A`hlkyc zp&D~Pa+$5f&20{kCo7d%CbOJoF6rW8(G8)(mFxD7N~M%4Db-Y1v~xMP#wLtzoa(~6 z$3|hAgc=F86qpFQJ*@0tCCWN?vUY#6a_Z$wr^6gwR*pv$3+E{B1egB!6Mw@I8YDGJ zYNEuL)n#@4_%`6e4c1DSDPfj`W(u*;Ku_~*rw_J5;{?$siav=nKlY-ysLRg8ORX~3 zfI8W|b*mUDL~D+`Q{U*{;BfiF8aD)X?&XIC1m0Yc_HjBC=|e5i7KvUg`XbT{zI+y{-K>{g?80g7V(^zpxKzSrCNwlvmtt>s zEPv}l`r;NK~+)YC%Y&{0|xG>gch%J|JuY~(3Fj{!F zutlCWW(oJZv$ZYByh6@OISWHWj#WRQLDlO ziJOTghznD9kHTXT9+&V01ztUtg+W&#cglFujZU_9;3^qU$#|LuZ=xcm8e@3ImBkjT zXQezR<#{T+e$*FJsfJ7iry{)I&UnklFUnah=OsEUk1$gZ3yPxM&!u73xOD9I_#2M! zvZPley-JB!lP$sEcr25IMu{6|9~H0vbs2BSc$0=bTY2Fvrw_A8y)F73(eILG_~>#* z*2g;8VXYf0tkd~D8Sl&ZfCg_!hAUX&Z4^Fq;ZVztA4&LF!Y33gLh10S(-SO0>qLJh z`g78;8G=>g@WsLTBaHu2{Ce?Uk!PxADsqX6*DAIzcj*G_$M{Clx01f2WKk*z-#dMz zo#F@4KZ@R9G(J1xQ{PWccea+!&!T@3{VQqarm}Lax4{mQ-(2ZyPsZ<3{*dw~6~249 z+;DSEeRIHmM%885fHM5$=7^E;W^a`Fx6FTNvU*#GDIWhiTWxQu|HQUfs)h*u%{7m( z=WQ~#0qL~zaxHY;5`W7zOUm{_XgIg0;lV(f4)$3k?3O5j7&0}NQZqKF6bU(K1lFj!TSI=%Mx80}%Ahl@UtG_yB0N8yN|Fv9uy>tkF-iXSC@ zwDDD$+B$4w5XLxvnzeTh5`VDxvE&)|L{VWOW;#2)oNXr@;ZV`zM2|N*iNRn+;V`EU z>mBI{q7N5+1Zl<{y(D^{9_jo=)=6@d_=(~tk!SIZ4k)ZbjHPsrc428_Oq^pR94lcm z1>Pl8JQ~7r4)17P0aFAYFF0c`8n_rhT|3qJ(diiYH1Rd!Yss^q;NB{A&faek$%?HPJDseaIIP?hg2RLOVBrW2 zf*S=l5mrHwK`9+(IDPTQf-yfq^eoZMq?N}D3Jb$*hrjF<;S&U(DEK783>urUVYJrC zPJe3U#2nG5h(6WmB!&Uzhtr(i&%RflF8U17bB)GkP8bJxrqliHbL%|OXNjIqT2BOO zXqe^|&UXHOyUYdR&k=tvdB!{wYS6QHp3^JV#Opj?^aY|9lFrqdvA0mO7Erm+m5uhs zUL<9)l#8hFcGh!+EN53_;;p|#?4@EaBg-`B&OPCBhwnQ+#$}1%rGl?;7!$6-l@4#1 z7U8P|UoH3=!mRey)+90Ws5p~{qUc(8-nL~su9I`UoEzx0gp*B%8y)@R$QbdPgx)Ol z7NUB&VV>Bn&JMSwa&Hs6OziDsnc@}r1k)JqaC)S5J>4n#F41?BW~U&_6l^w_;fBW8 z&xvcG;WLBF6Re0?F8N-`_fclF@SKMGoh`PErq_EoYh zbaRWgu@djXA+JZ_bqQ}sc#{I#O1NKzi43~pFx$ByyyeyrcB9^w^^UA}X)%H7Yf(pA z>u`7LAb3yk`+`3p%=p(fR)!Cq-C!eHKN9<~*iXnZvn2{Kk}iDe^bE!kM_4ENGtr-u zW;C!jd?I||@GsYh#pV`**9-p2U~HmU5WaSJz+DmkM)0?Szay+PFPR#?ced=)$o?Sq zN3k2oGR}2PSok>nIm6b1-?ZmF|Yq8zQq-)tm9wR>!xKev=+Nn;J%-kMxqq^(2b>~paklV>=EvF3~ zc3j~$VZpnSxc3+~t#EHIyJPL-wU^g{9wSzr&16DHhsRiNN+-eF3*Lb++j4=kF1QLa zZ^Mo*t+%#DXGvWob){rwG8U4{B#N+|o;$DGv)fHhcR4$6?qJu_OftVH^l;}*b9Rx_ zQ%)~Be1@y*@G+Nr!SCuqfn7~+34J8&MuFAmn5FOmYj-!6SdQu|qo0iaG+5{0=HmF= zJ;3pdtlhdg{iif%peJaCG1N<*%w>9 zg#8@Oo2$TEg#85%5qtn)=8|~H#R*JB4MSbJ(>`wulQdk?fs~lEaiygZj$g-yH;yn; z_$c9{iK|zkY$`TEQ6Ft0jB#n=(@{D|(!r9(QsOh7XsWBv;Cufe&M&i*94daC`0?bK zsA(nYVNRbNV(1e@A1?X`(k!9)`01u4!jZ0Aa&uIUk}^@sBr1wfrZ(GzTEfxJPqzDZ zjQC^4PbSX@6)Hly2O%#~0MS3+ihZ)YFuv|D=0pe$gZzj*8AZ7P1%ywhm zuxOkh<3t%J(O_B?=~kTV^ePK~j_6ZFpGum!JC%EyPjmbN3;cB9X9%B5oYz}q*L$W5 zt1bL_63&t^-vn$blI!F?+l6)gV)PeCI7h;{CZtR_&xQULrSm0RAYmZ|-nbM>{)*gU zCFr-m(5(`)7X2Tx&II13>iz%z`8A+2M zLcSr3g~qty1~+Zu!!&~MNW!B4>xUv3pA<@nlUW4jY|%{rLpmSP84U-)l0=xCBe}lx z49F*Gj9D?73dhnKM{7K+(qiREiFtyt-E?U9M6#2}P6o@IMy87OW<$E<{2!Z?v)tdx zCzPg8nhFW&4@;(mh5yv}xBm3}H1gBQ&j63FH~FYf#Z2?2s`nYaS@b@K$LnOFw<6$X z8^1(fq&ej0lK%ocq8R;p?A(>Hjq}V|q+NUS>3m6N0USg?I928}gob2(?FVWrq2b-)a?asEg8R{g?z#@@DhjJ9tbu?)NfoHb ztu^@28$MI~iSW;a*8#>yAd(g(9}T$mrkri+l?_xjQrQFr&jfQ3BMB_vele%3rmxL( zw$RxM=f8 zP&rEF7!>5Fak4Uwd^!Ixe3yQlj}t#Z{3LLEQq$5gCe}9QmEHmq@008ANc`nMT*n&+LNahAq8HS}g;+&^ZF)_XZm;{uI~Fz_vj;j&zpj9#sUfPYDs z8pE20{L3d(vVo7xyuD0*jnqFTXlq1i`AO;@lrD#a7*3LIE$kC5eZW_k^1XgjuB37m zl`>F}w_xg5I1uN`8h`0y|M1I^znc6t;1S?pq4YXQC#{q9(&e3uao3vocvtzm9IiaY z3KT0sXH2fxA-2a&8glCm9-055=y2Y z-)DGHNcyKhbS5yFoG zMoG}$H0^10pz#EZ=*(0aKRTK+Q8S=URGy^L z848}dtWcE{bWa(bAC@2Ga9v10O}eYm-1O)fqwmw;bR*rJbO?>tV)xJ$+9aIW%%%;PeSa83``W;8G)T zr*g0PgbN7w0*ucf(wwXxEQKa%K6fTPp{XrQsgP0;r06gOTyHbxXqfuY=u4v*241AV ze^x2(XI3A*_h)H6N9%c5$f0vFLta`@UogJo!~W&&PksRT7s2B(OMP4xcX`R^I&~B&SOyMmE zxMS%Rl}#NmVoD;{y=~TD=kH($t)aAr!9oLZFyFmn=w(SPgrXDsP)q{oA1 z_LC`_wx+uYhX15r_=&_P5uXekF)z<4*?nwqKp)d5gr^Xm3YhmPAxUtb8vR{EIfEQ- z8tLhzXMjdX;!|9{EYm;J@XH30mTAkxXA%D#I8GiXt@J@R+vt}x%IA=tOZp4YD3Qy| zdyE}oiCn%S^Gy5VSAUWD)V`#)02<;xLk2YF2>+Gw4Rnm=Lh@geUj!cC0Svgzm+5^` z^`&o29joImzoojE>Jq4tyfHOh7LE$bvs-G4)8Tf@s4SmDN<%K*2}xzlEoOTWenKSpP=+MDJ&M z>)_#1VJ)Xig~OCCT1wwQWh0eMQ1GrMqge85#^;mv2xQ&+Qb`jo9cn@F%$cHEFelua=W&}q9w3os@3i~18 z>{2vMbq5UoMa!iJ2_GVS7%)OFjRS=)I|DD^@1|_ui?hr5k5D;E9a ztfHjMFB^YI3ETZ+;uQU`oTqq!;zfv6M2rl9!@rqDvdXSh$Yo2@OC~?58?FCKxzt$J zG~{14li)*nnfynjf-ykb4ok~VQo$g5Ias`uB_Xt%yTa5@HH=qMy^3lXsC+;y4>DwB zP1&~3$45CTS5vtL3Q|l$jtqmw>vgROpO5fDc?uOMRD^&O6C=xkxk?7F)%>?I;VOiy zDjbmIMBH@-FKOVkL-z4Vc6S*3)$1OdKC7JzLBer_;{ivq7oWq*$Rtyq z(F`_`N)nZ1DE~LNl=%?m6>DzUgkDp6&EVlC=9aB#JVN79 z7`O+H5^Q7e5PU-AaBT@cMz|edmTQXA(lImjapRBQ<3A_u$#)?C1bC$8J`#K>eRni` z`%I5_BK{=t&cJcIvPX27BeR||p^;9M?Ly&c3SA-K{6)EiPPXHF#_(@6SLsH)JMj>3 zWR|S&hKq9LI>j!N7fxJ2CX z8%76nJ^d!>!KB{;jknUbu!e&P$?k1)E@%_$5IRHY41 zd&J)d9(lv0<}=*jSM?1WL3kwLQ3}ff1_kZ|gIm<~@5_gTKO#IDaCG324UIA9Uk&_N zI^*b!hZ8AP7p7;*ko3HwT#W3VVA_s7{w5|;n?!9gG(1yliS~VT?qd_r>GeLLIECU= zhrqP;CYX&U5sa%LvFE!Jo%cuD0_>9slN}oeQg^8E=Pt|v}ncs}| z<{X-HX?_6{@3@Su;~sPYH_wd5I=*f`jW1~|fWbFKy8C5g$*&C0)0DrE_}9c20mlX6 z1JZvjJCG#0Z_H@gSN<2&B6o4Za({Awa7LuO_?(Fzz^z6rUucPSzSe=N8g328#I4 z#Mc=fD@~HIZoT0{b@uiK;v0!?0*<5{>99{uNQjqi3v)ivdhljCTj*?s!;B#|9!;v- z49^Yu5N#*EgZNJ1xHI`S2Hmd)cbMhjU4(ZN-UAo~&`7TTpTzW=sq6Q7buZO@RQE$g zuo5Flj!sm;;{5pe2C|r$jb;8#J zzDmv?(Bk0@CbVhb@1h2UniOh5K+;T#_ZhK9Y;DIG@?~9ipW@<1QR-H zW|2rCi9#|21W40gqPxqCB29fwXf&nK39mc(3$;qtmhfYQ+X0SL$s!$Q^8P<=N_S00?WuI2@&pv5R2d{7OFOuZh9}kcZ(1kf zPZIA8oDZ0l&!>#uq2cL5`f1W#K}SEYpnJxQLVaG{XmqC$f`QwO!}Cfp_!Dh>OC_8} zI9=gb*$2#J7(A)DoInnjNjQseHeiNacEOEtJ&eBfAy4-tokKbo^#84?#<)E5a&w!Ia9_g32FuFIuAjkOTKnKXOZYj$ z&jZHI%3CY5-Ci)d_Urzk_9s1n^oyXQA5*}+WJWK2OfS=Tg~mV_xXoBRra=Zb(NF2C zgkK~4I^h4jR?=(whB+a9t=^;LBy<^~!Y zX>5XlLV*}jeKEh7wMebaw6@UNsuu2`h=Uro!_ zC%uc>Zfbj=p?WHtRhA4m_|2r7v*mAcxV@D2QQ8j)F`*-Q;@tr=CTKzDAdN#b4#Pk} zM8qCm6?}Mt>Xs2tp114EeL<&w)p*l{D&0LEs;gMr(8ac}f>3T~sMP zIj&@|(Iu0rzQPMh?SWFM@vJ?_zYG}%8_6WU%jAbh1>*mG;*(ry`AI4e+3>0QPv8a2NHF~ku=F5@3n)EfG5xp{#3|riXJ+Yr z-~%R`S;d8dQpCT(oL@9xHR#l&Qwt6<3wi$&-Hir!(f7YL;W~tG0*plBXP>y6jem55 z{49s7Oa2z}^}t8o{?sB2#Fy2ga>K5^S?}xHe=Ds9v>L*~eM<*qPwB;z$rL7hts|3e zr_hK(V+i;vOTSqHruXTzkUPw)-Uxw{;N3|thF;+Rcs|Zz&AVQ`AiX$x@# zLPWtGjQw*ww|%rbF5r(|^8q9_XIqj#FJb{gP+zU-ih#& zggYx7FRRJ9rwqR0Wq;-_gr6qdRbkoABhEcz@U=k?cO%@La0oDxwG=4A_`gdr;a43F zmP#RwLOKMz&Lvr_tng~i7|mfb>15H#hJ%Y>LnxW|pX_>=P~ll0sXZy=P{{pXLY&Jp zp}Y$D6bdNxf`HhR#vJLfFu0{Q=7b3s5-tK9d6hB#K0Vg;HsN?vADliE`cf!{;Gb2p z>u2yY`mCNM{2bxu6%L?`_JY9^8%XfvaQz7nAp9a=e6b61iezCe3=MtBj6XAcSYD>_ z3XOp<@KuNn$S&4ykkRP@oL$cUD(TlqzYZEtOIF~*+nt>vGX>u;=jKxW3UAUGOy?~) zkt@iD$GvUz2YQ7eq=%9oRzhP8{5wYfsPwy}-y{8g6fNsH3^#hC(j!QZBs~f=%1$L| zEu%=rMtxw~G)-?RmpGtSc! zNlzj@S?O5p8Sg$eIw4+8A&2{f^c2!lL9;lLQ-rlkCAG;1_EVF-zRq7_8l~x!WgZ@3~A4so^qGcS=k49gm^eWP;Nw0~frRrhyHA??P z`e)MXqG(xNbG^}(mEJ&lBk4`iwDdg~T}A25q_>dX8b!-KSlf)Qq4ajrJ4o-0qNT(0 zSEK7Fy^Hj2(tC`ScQ(fTW^^@8#(PQcBfYJOtwYKCx}^a;`@K_jJS$xc`qc&V^{*PkZMyTvEPzbKuebXp}H63emM zf1A`%Yb$3couzaR64I|M;4k6&$LM2Kk$NTlo+o{Q^hMD8qDU*VG(2UxOD0rp;=}YW zg;En(eUN`SQVFATFO&a>R2@17JzH9SlBxsQ%fUv1B40Omh0%?)+we-#SCK9gMN9OT zH9DYlInq~?z9x#61bnU0O_eTBx&rBnB{XI}R5JQ`r7M%JLb_@REnP|OI-|QNU5#{g z($^a;=|HAC7~NL;6>E^LNxD`PEq8gN(N8K}n{*x0HyIs}9c3X1% z0ZS8NdXB7jC)=%=QBj)_Z>71I*1 zJgB>kPF4CI(#=WV8%0ah-)D55()W{YLAqr$9dHjAov-wRq#q*va0!iksg==_lx|J> z5z>#A(9-qj+88}e6G2c-ARX{>3El7^aiC*JKZ)YbxE7bPnlUrITda@l=;*bcU9i^GO$w?gbj-J~_O;Kqm0zhEmgI zj-(9D4$IgP%^@f2DElzwLdr#uaevb8B`cd0y57dG(N?cM4Bi}he%%I1{q#nGn!Y4 zzefCZ;0$;s9oYK=sPbWPinoe{xjXtmRXQXG5{ydtFakGv7Q|URR=aT*+nwD`yM*pSs ze9~W%UJy;ky045rrSwA5Uz1)GO$XgKMxRmoThfb3FNvlT+)|_eQFD{FF7#)=6ME9G~ z1^PDZCB2XI{%AVj4jA1_>4T&Xkv<$v$GYE*c1j;1eU$XEXjri1R1(LX8u zFX>VfSxlFIBe{=+JI-Au{~0N$|EzRr`AG`uq%V)Ao0P6bx;p9Wqi9L7 zHyFKH=^CVKlCBj^2i%QDZ&kWB={lruil$@T%|>rix-RKkNY{&|gRZ{O+m*hRbOX{2 zjSgZd(c6sft10$&(v3(rE}=Pn!01i-&fiHohIAl`mcF1^qjxABBppXOKAKK&2}bW! zI+1h|>Esd`4QzKAU0K83gmhEV&7x?z%e#%Pt@J&lo0Gm5G%7C1(G{2bOo~~Ims4KP z`zf`c)Dlvp^n|MM14j4L63&C9A0qv56fMDTW%LV5wWs0%Uqm=GK`f1W#qiJb$H~Ism zyOHirIuu1q^(@8ckCaX&oklu6ik8o2hS8Ih&Lo{hI=h69l^E<{^k$`dlFlKW8%@i^ z0He1kolm-ebgyVS);XiMDjg7<|0lazjz^mC-2 zR~i+U825tFS87$HKj{IaUj&WhhGHk0*bSep)rpshze0Q<@JIqjGshsK*J+Y{mGo<* zUyq_C;BOecS?M=P4<`K@?}qabrwqq~jUJQW!^JJOqCS(h57l=)HOe6G=}ZJvo{Vx{r-Mp!6rCr;wf+ zO-sq#=)+1+BR!q;jA%N+%{2OVr9UG*i}dG4OTk4-=0+buMFtTthxA<1UqsVVGB^6D z((_4wNqPZj{6SVHlK}@6#)MPx=SaD?uZn%QRrDTl%Bn!7={itB9{A zz6N;YKmuQhs@p8O}$Ka*Y;O-nJ|=y#OfKzbwTP0_UMQ(*MFN^d5;h4fa?C@18E zqz20x?=~|=-Q~l+oyHCtJ7M^Uk)@%2HF~3-e;4W9r1vPD8Nwv6-;C~5!=HOE>3yX4 zgT_mUMbXn`4G&pbNhS)L)MS{K4pKTq>99&{Gm&w5GEunL{ch3>%}S0?I!fsnBqRyh ztW`D#koR472l&IBn@0Hy9j9}G&Ph1D^H?;r{b_Vt&EozdeTwwyC|WYBzm0CM^cm7; zNuL9a3^5QBT?YBbtf^=flEa;+b%EAJSdkD(Ez4ap`UHLi{V(ZKlUR(Gf0dSR;$`xm zkz)L5rAy0CQj8~kc{CkxR~Y@b(pQqcigcM08XXvAjjpA4TaNVAq_2sl1MXU*Yb#xz zbOq8CqiDIyN=DaHx-#i1q^m~Ja+lW`-B{^rq^py@K8ltv=nY24DqVwgP13cZX(`4V z9aOqD={lruilU{&aMr$E!x5EGN-rpX*Z$Mluk1^7-k}i#}%YY?jUQ&@mhDA zcc-o%cMrYh^zMa+F7)i&+`>C~{))E@tN-09bO2Htfi2WcB zm{p)fi3e#tMC)N#cu8colsubOMvqI9ALVeZNk2mRQP61RK*YH=20yBC)|T*Ngxdke zeaLEP(#MT8V0rtGn|9@Tnd%i#U0pwo1*0Pwil*ivNx=6FEH%SjB{T67X^pYve zjN`XW>$zP1Du)|FZ78*2&=3V!u?GdocZ}bnC60H=zeoOk@JOw)vvJT3H~6AH^$~WNK(SVU5N;Jh4b%buS(?qjnKX%_Mcttqso!opRgAkV@4pBm43 zn7GO`^3%!B0FS&w`lFNLVX-?@#x{~#W=**(?IUGDytZ*fHMx2{%LN#6DY7T|D z6uy8^*)Ae09u&!7Ct0@>k8qy3m+8gk)BTd}0=VdcNtY}!zgPzE#ksFcd8CX__zS6g zO=S@jgiqoiL-ss$?i&-@Rg&N3aNkl`OkoLxit?*n!=hrTnNR4YmeE{JbA_6b=u4N` z7X0+c@^s&s=||ei<_R=^pt%wz@|fsrx*tvIpqE=kX*H!aknr00j4A9F3|MR0CC!?C zqV_YjbX};%x4InC45d{IkU_eHh7Yr`8?qZgfA*Av612~ z8N63x<6pw1CbJ$P|MHwLHxgliJ6rLg4lJ>88457tb+HsLyi zZ&FwuV~)Go;Hml;>k__&a6N@3>E*im26xt^cPrrrgc~X>PbSaZW^faIGPe_MM7XiS zQaH+YcNqM<4(h&>a17yq!V-)E7i;h{8jK*}IKuG?%b9z*1cL|YnG*>o5l#loT1KQG z8wk3)%&4^AC#fbhn$lRBZMD~f>T`^gA){POZYLu?G%<&E!&zI zyiF5od%_(EKcTR^Vacwe!3p|ybt3#E;m&}OXUni@DYK?#LbtBxJa0oCSXj*!2Z2lqZnx~j?=z{z~4wp(JjYc{QfBICHVem0M zeJ0^7!r2PTtCr?^82p;PYCQ?(5Y7dR2Z}jX(hFepM4jrMPr86~FQw(wQp0YlAe~tL- zz)K4rlIQw{v9~Vq;dztnV6tz4WgXS3wh8WSa}H^}b_kuJbcVsf6O--$xxza}{}SV` z@Gj~1NWTvn&p<0}iEg+Vr?gl!g2qT1qhLhBAMZXeHlX4EknBffM}v(zdpOCBG2^11 zeJqV}G{(b-oISx!Fg8}tK9TGsvXjB$X~`twY;59_U09stJ~nBN&eHyb(iBQlAw@2b z=sq>~yj-z@l0pJA$~(;*gtZe5bPikFn`KBR`A$=im{bl9mX03uc?NPoLKu zN^>cF0f`k(TQfgF7O$9RR_bzIsg#>f>q}Y-V4;9tGGNMmWy(4oFSU@$*HjikK{}PC z-wU(C?i<6~U+!<_TjGm}F9D95mmLtf3hq+lAJJuumXTjheg$~{Hp}vCJ*5Kiof*&T z+x$I^A84$EfpWQQ10ODuIVinlzeQ=L{?W7_I{1LCqPCja8fZx1F@Yr6erc`I&G4ff z?kCbelU@fJS))sp_1M=N+)GFQZ6Lgn@Fs=BX?;TO7lXSD^x@b{cnjgJfRVd|WR5wf zJ8m=Kn>7fCTy#5y9Taw|kQ>U*NzIqx>A#wA-@X0{yD03Yum=KP<)qlyLid}|ciiny zznAnr()*Q8$?q$DIR}hhz0K1HNgpD87&Oy%K}fc{mUTppKU&U*dYRIT#h>4>F>Y+nC5cy0UeWq@90EY@&B@p5g_H7a`UXF|w*xs*E(0+H`CnHa0m> zQVDaH>@015@t6OXXDRhD3;XgfpL}nbh{JB<%jB0xf&U&|9IUkbBn5s7mqVx`XTnsU z|8un~OkSaT7GFvED#~RbBj#my^`6D9tkGTC`R7!Q^wp%V0gaeXj+eFMuQm7yUH-2; z;R=K+0!Efln4TwFtGh~u7iecsW#UzcR|Sp~9~YCF;R4CA?m837b(7!aaMdVOr*J(4 zWVYGi9Cw4UH^%vZ*C1PyY%OJTQ*+#n#tv!W+1h05kiAJ+=_GeI8{1XaU93y?7P9rg zB0`GfrFQiVUZxA|-b%Ou;f8>bB}uQSpIe_VGg#eirnSUObab-cq{L0WON;$h)tWG`r$zH4w;w}MV2oJ2So zFkbN-Og)h-;V$DV>&%lTkRUx^_&fRjejghoa5l;t>;7bw;>cYJl<~*klKPV#K>9_{ zc%!4&zX-dR%(_dvhF+%i3ax>#kYH2OWi3aEtU<}S+0!qLTNAo>OuAji|GZ1- zJxcFGs)HL!4kRZhq^1RvLrJk2vH_Yb#h4fuD{VFj$x<_siiVx&ieH77!;RpHM)E|X z^hB~aaGdn%CC4VEWh4YsQ+cAqcxfAnlM{!6?gKl~RKz4s^dV355l=K4C&Il;j-Hp6 zA6ePKjWKC+XP;QcQW{5TJR~HRLRmd1-O2jF6HG`M;f0A5CQ+CSp^gYKv7xl&n3O;; zAtN<5ke-3yCZwl?B)GwZxOmwG!A_K@!Tp3Mn!*!J)e|M9$x0oelt4;)OnN8~m%{r_ zm-1IkVjv?nJ;Qx!CmJ(HE-Z(e#uH8FiDuwLxI#*iliTj;W*UEf2XX14AU})z=iu>{ zr{Z>J8$9%shvyKUOZW@G%muTswKFEm=ec?2%s$|q`EshQCm%I4K(Cb;ryH;^s^Th zyS1jQ80^#1PgH)UvJMI&H&iGwTNLS+UvEyvIv=_XbT-o21P7OqPR@K+z^?pXO!;wz zS2k1GLS-uyeDJZYNCsv!x@{%K3?H!VGqco1eKs?DOK(_hh+F*Z}@=lJw>*G{TP&o<3e=-xW=Ni6Gf0{E$pZZ^P zPSH6H2LZ#fj0GIW@wXYnwPoTAjk7e)!9a3MFOYh$)DHhKzV6jNROiWGAb$}&VoDZ> z$d!`UCBqNu>Ja}DFZBs4E%GmOLD`xl)unTFn;dtU{2Hmaw5jT^QCfbIiVLO7A)$}Y zcUnrE$%2SXTUVG_|6y-lN%Jb2WniL5T+Mvh%o90jS@Y_tSB~D*^sZ4)Ub4jKp7d+Y zdsXARJiQ9^D#F8KwX`gIBbc&E6LV!MRj5>jg73nAhQC~AQlggrs!^&=>3T>=%`&o1 z27cUN^gJC>SA%p-(zQS%RB|`Ef9s8=yrDNzn@SxjH$g$fWfiBne0k4g8y~j6+-%;3 z20p^;(z}ITJ$OvlC=BIsJ&F3J3{CaQtyCINX$S=+7F;S+g!LhEWTm{@%-W$Bx}8=d zT8&{L+M)s|o3WX6QKdU6#ZU@BLdGmLwy=vexVz>7LBer_;{oGVit=RbV@a>_RwtMe z)Cq)%RFbG9L&5naqLbZS1`pOKZbG;z;bwqw2Xc0-^oOk~Wl5a%s#u z#ZaycGZt&KWzxu^kqsk~&}5Wy4}&M@qwGmIhj6aKvU`B+&t`Dh?*19NHe?s)CN#{5gLkj1(Ih)7A!JhW~L9<%M@OrFc1R570Km_ z-5}#X)RM%jn^{^;U*HEM0j!uETe5dHn>W6va*5^;VFct0%oyJ+SS7DQ=^w_!`d{`(@D<&jaZdO z7blH}Zl>|G^wE7reir%9!Q<>9*`_($h$@tsS&>!a^iz!(f{G)r@2e>0a{oKTZ2t@8>US zr>LEVhU^OMUsw#5YZCo!(%7ecsy{>NETwah5Zhc0w1*S`+&^aQ3V7o@jSDm`!a$YD zE+Yy5k~w4aD*w_cHH9@4`8U!vn=3=8u_ZN`kdyKI zR~VnK!+NhIe--&M;PDtG!6#?;c4ZCUsIgRz_|?R(0gmh^(&Tlm(eFOsZ?-(?3ZyH7 zM)ag*OIFS`q$-*5*+uz-9Ii5rDm1FX!0Qz5lNNH<8QglfKYcaA)d^n@m=!%4`zfW) z8w}s238Mz_n#5}XM`%*>rCn6&0mbe{Gur-+ut;cX)2Kt^CKz~FQXZD}1{8zB?q+i~ zXp44TI=9fN2PcxD$HwHz-g5Pg->orvEBOZG8%FVgKC*G$ZN?u|{&w<>$TtR$bQ&&} z)+JedH@lytpgT-Dtub{cr5H*9NXScMEjq6I9cgWeHEYadAHP9bakS!LAv2UgrCE|g zhh2gRb+qj{kwOxMWEDaw>BTJ4-(^C_rE(%UToVdSDKt|-vS;>iy1Px7^{fxlJrtT# zxEBJ_pF9eg?RB5gowU{Ke$p*Sw^Uk+L`8Y-0i&nsxgR9`5b1|ONAiB@RnE!|yH+Or zu8*QMg-0kn3IVYy{q#OtlesCbjam8HP2ZN*W3<}A!pAkMxBxBmh}XwWd7z=c>-JPS zPZ+5@aXXDA@g@KjJ+Y=vzcVG$Yz6O z7M35Di9Wfmhw-Hcc)ln39P+u~kqut;14iVego?wF6^h<4<9{~EALMXv(ilwREf|QLP`{9qw&=GFKe3*)%();w zl=v{kU4B>^8QnXESJP+vF7fw>zYiQ~p?4@O>)`ft!;K#^#mD^!@*~NQ0*}x{1{1gs z44)eCq4|*bN5n@1_wPwuNIv{Bxy6k!=cK+TW9f{eGae3}S>$Ep#=jFx32UrQq%w)h zWGHxMx!F?NlIa@mV-uD<3R5Udg@D_TexZ0t(w`cBT7xu=_;lhkfFmP{8oeRb zOtaeRXpPTk&7$==EQE?JFeq8gHsO_@<###U913$Od;tL|NkWz2<{A9AhG{=5Avj~pAfb6_r@Fl&#w}clHUIG|NBfoF9bdMIgrN-CL zw|E)(<>Xg@$L&fz5sGwcnDB*G5x=MK1BI0kSY8OZ6dCOxW!4|fxUfskB!^o?V>OL6 zFnn@K(k|q+=3GA3J3rC+na(;mSbvrNhi0=fB zq+e8Etp>lEa+&6EyQu7@vIk0}G%izSr7Kq=61$H4W?B`!(q3x&sO^UqsYJ_~;_iUa zjdkegLDGjv9|n!DOIY?j{@vI=-tqBugzQnW$G{>P^prkN`CRvOf0!^T(F?~ZoS<+L z0urU{5g2fP8eHZJ`ArV@7vWQcPXk7pDeQytqBOR-zs>k^yg&UJ8fR&ogMmjNOS8wy zHdy}{zPgpi&lA5u{3389u?QX)lD=Md$(%Ln{7a|QRMsElUtS`w$fak7-DUFMkt)QX zj{Xv*l10<8OQXO5#@$F9RI$BOB`#xv~bY+98el1W1WuhciCcf=^=Zl%(IN<%1kMP&JQnT~jy(I2AhA&0x2 zbR*J@LE{2x>6v&9u}1bCrqut3hU}_9C5B1>3hp=<8;7~cv4*#M*yBOsam3?+BV|fw zE~jYYi;`f@e%*>VkxmkwWH@>WdAsg1{7Jn;6XH#YH!Hz8Tl#LppHuuE;?0TQ8;#5K z{`(AnLGk;Ew;g=3k^j)sp>yc6*!iFc01C1##7e4OH4h(ArdEATS% zXw%Se!{tJsG2>O8c+rhUcN!rWkp~-}Aa|Q$_!PZBD)BVp>HooFU54RP70)D|MLatS zPfkv9Jq(|vcu(Rv#B+foWftY-_;G1zF3+4zll=RePp5!RFF27KknjhcGkl?5B22uH zcu_PiiJ`aQixlreyf5)$;COel@=^WkXY}g&J}l3Yevb6>ppj{&r01{^D|&A4+_f;j)^Uoc$fcKUMr);_nfEKN^=UqJ|qjP4N-LM-m?e zoJC&Q`Mekz)CVRsUg?ALA%%}9jE2Cdl(AM4m17KFpywY;d>rxd(YWMi6AWLZ_(bB9 zh))KN2P@Nd_+URaK5LH;%_roike>?PhbBHY=sq=ksh)ls@#(~8052=&k@i+;`w4G`jy>M!~a!$8S&-BS480nvN+LqhL>&a z3GRx_@O?kzP%D4QL;aSaW5q;n(WPeO~= z<9;=|(m;QcyGZXQy+>)6-COqV`_1U2{+`}TdLQZipb;g~$SLiw?ttOLrhEJ#@k7K9 zD=yotCCZ!qyWtfyN{$deO8i(9o+KZfKMb#;_;KPVh@S*rMgo&Ac|fQ)a)Lk2m|xb1 z=Pw$kXq<+DceRJC0gxkOME^GaS8c^QL;fuJbKuJgAI{E^h6R~6BLkOA>8Mq?^HeTS zxd_E4nk1Q`cFFLndJq2+FZC&l_3|%ML1J7m=q{80iWKT^*9ui>`AG`(gf9n-dYCL> zCA}2+QYUAQbA@TYUg_`pN@`b8D+3L8t$bPI-^=iPIr3MNzXm+wRl2&fv7e~Svo>Rd z_H~!1QGrH97|4=SrE{Fa1}m9x=y&;D4p*5%6$(`$SS$tIb%tN3u~dzCb>i2T;K6|G zC3=J5w<%tOcunH9qHt{1exu<{6|YUa4)L2x@YrP8J?>`1Ybaiq_$|cimEb`c1MKP> z{-ENw5^q4fVF@m0mo1nLuc`R$#2XQBtawTemk_zb@FdL`?j#;VJOCU$2?f%9BKz2} z;lRb3v_m^lf|TMY#Y2k3elSkTMG1x{YLF6%ClODM!eu{lcbDN0DBgs4Q{v4^@Hi>q zySoj~Qv4p`&57UpA3WCGXLz>a_Y-eHyk!XlANKyaVwk{(}cyN5iWr-ii2= z#5?~7k8@8MUS07n#GfYKwFH-^B#W^czFYBb#Jdv@DK4YdWz4!uF}z*K-)buHG~($| zI6j6MhPPKdlXw>KY{lafWO*|gOJw-3{r%Z{63-!?3mh4(RGU*|vKv+g%QL0^5wGM^ zDWK8|3KB7|AccFwcj*u1VDZJ~db%5zknhk{HtBrTIN7}~vHe4Fq5CHj*eK>kJW_(~@S;-y6WlF_5)dHQA2 zuaF)H8lji`NecG{7k=yER|&sH_;tW&NtS6NGH3$bi|F%w!>nOCAM;IGgK5153m+F* zF|A1YJf(RRbB^8HrhRa`|5yy6Hk8^hXzV{rFOu=IYQ1CD7dnyeU0UzadLI@ZUQTvO zc3Qq0Zuo(w{vsoYk0d?{IKN;rLKl6$9~i$e%kv+S|A_o(@OXZ*h(V^z2f-}2F{ZR1 z=asQk#!(p$1s}aUxsOmzW_HL;FylqNhlw;M(U=V5YB8dt*?nx%5RK(eC{3X>6%xLb z^1YAC!OYrEO^DHN{xk~HDa?R?l3!33_?T(zvn}N(IoxMtXOaC}*|_*zH{00JS)QFk zb}rd3lnut_x_QPv*~+u?$$m+8fwFN4x$Y}t@962-g=D`by9g{&sw})J)36ObQO-yD zw}clHUIG|VC<8Te(o$sZHVPX{O{#RjUtt-g<&;)HLX2c(q`L2n{Z{wD`kw3$WLJVk zXaYf*5W~PW~Ws0J5YFRjQ5B$ZyV|mOiF7)7e62D;(xX*#-Fp5?i8d zGi6OPuWYBXgUU`Qk;}+L04d6$&+1omc5Bsf7oFX7_NbGZO)xg`*UXK|nH*san$A zi%}@jGxmo`hcsh4PU!@tlaO%xGAzMQ840^T&FS!*57}RIPSH87P9{d0;VN=Bf1C4L zP4AqcbC%9IICwJBcO$K8(jS`R{xN0HAMzJD+<7V&s9b~+DPV^SBT;tAjL$Sf`v-o{^K@S02h`@=K(uFtU#iRcZN2stOb?hrp_WbSTNdkDUC1P+?ZFyTY{3 zwe#*uYFAM!0}Ug*A|C-+xPTK+q-yBOnmJsfyBy7{Xp-?N-z8EE3JHTr?(K6vFx zS0G&xG-4o2vI)#`54%ccw9_}aGL0%Us=~l0ps*-KHu{zAmyLf=yJV`7uTK7Y@Obkj z#=`CfgO_V;)gWAxa4oHf(MfwLQG@#HB0`4L$wRft!tpq;n;oAu} zBHS1-!o;s|zKr`!N6vDGS^tjqkK#^RF|-1(@SbGKR;-dnB+;k4SaUwr(Gfv9adhI< zku=|Jv5rrxEBUW7KKH*C`I09csETZ_Y-eHyd`jcfr<-DLiK=2x%yNdr1TJ_han-N zrGi{6SCRZUEIVnpGV2GeB)6vZ2(3q9A)=)lOct?~aSGCb)5e_NwJWSGoyX|3gM)8f zrc7yl+}MMw*%zT-0Y;VDyE=^*VcRGy~N z6$&nZ5&XIC8KdL1OR*d2?xaJYaRC&lB2nv7Oqs1Es#GdzRMMef$uKIiK$NU%THxn$ zWtjSgs+m-?sAfZrWGJ$&xs2)$yB=m-y4fd`o-}f3200T8z(Qo;goyCX`R7 zfKD$sNL<*!AYE3cG5j%Yi3<}iBwhp@Q4krefUl|RZOS|yuh54|Un<2=kRGKBk|2xM z%Lh_MiuE(8nHE8wrSu%7=T(Z_N^W|l>`U%mFsZZNOMglOD7^>?ksXo3vNTDa1d!@W zraq{!C%2#*KM z@JA|-VK>2qwi^D46edxa3<2Sfe0)&Lb03?Mc0m3jhx>%e6e?4p;6Vgqq!+|}YV-{) z2+Q0Q!c5pkjmFo7C~X0$_n6|u=9-xH~r|Z@hyeL6qZ0> zuAU{?mCZ|AYSyVV|D2c6T25;PEMz=VTi{d|nb2Uy5M77qdm2B`SP27Zymvm@Z*6Jv zA59BR^A}o0Z8fzu(D*5o_?0EirI@+ajE8jq+D|lorm+qNE+jP*j2MuNkp<`Vrk%0s z3AK&XHbrSAhc& z(>G-o;oXGy0LD|5QhkwB>@(eOCS3izkG8!O_EFdmA@b3}6#D~4&(n|ALDGjv9|ny` z&dBb|a-hs?Fk@F$fBqvhj?y>=1KEPCz?D%Lc7GVY_%HcY4tJdR3F0S#BRH`!@v{E; zpGL23Ojt%Dkv>KGw9M`+vu53_@JC2eU|h&rDaJ5Y0&$}=w-?N+~-MOAbnBk zxVU&(Zs(HG1JXVHFX>X#SpkuMIdNCMONlZeBey6=ihc5Fx=j8MsfV=CPg806N$Mf= zE{BI=yG&V<6+C4sgYlj9JANhktH_rDkLXM*mhy3?D{FY#|M*)jNBnBy*8q=XQ!znz zt-;5p`+F!)xB}sdfN^fALg3t$3~!+&q{_sr5U&axk4k3W%M^g?jDB2a-d7`Co%Hpf z`AtkMa5orR_?QoM4YD=K)&h$&Cj^4B$lHxZw|&hAyEf@Mq;FC>SsqlfyV>af`O4FE zN#8=c9%$rZ(sG$4eKDxc$U9iytTXGpbt|m~v>L)fy-yx*k~jU13AdT~s6OD^X*QzS z7$$ONtUDtEl2CWL!<2fZ{O#XKC5B1>3LYAoKU}QAb1wIAkZ>H~c!ksQq{lA7;MV`o z!-<5G2qyzZ#Ae9mHX(PH(U&TDx(Vr~q?>`}XG_+Ql1h)P7HdMvAvud2?j8!wDclPI zv)2o7W7)eL)Iv3K12#OI_>=d6Hn;PKS=Q*iVs7?+atr2 zIoGI_@zZpSa%=LBkbe|BVm2mGMi#U&xCs)39Ih?l#|XCrjN1=O@@7Bc<0eei%&|R% z4iuh%fY|L5LJLGkqp#5g2s)8|l5}U#c-v&Zdf-nPzWzENM_q_NO}r~`1YO3H%c@WY zS0Cx&ZiKrN4gp5lU5jr>bt&e&tmU^ zP9$?GNe>g+>#NX{LJoyo2)KpZd{iY29^cyELO$UF!o2_^zYy3tW5+2QCR<3h2rMcE zm|75$*DMtq756r2O02&?A4+{G6+^;{87@jeYaZ&({Y<(3U9UV#-$OqnFk7^qZsylYT3TPL6kP8@*iVA*6?r9u`d}yLXIUq4c|?-y{8g z6y3M48*cP!rALq+NqQ7$BvToup52=nv26To&TIM|`H;>>bVkEL2_%#nN|UaORG9^B z#-G|cI+n&b8slN`rI$e#Zi2z3kl5vL6A4cuJQ*e$Xth)*Ft6?mjN z8W)I+{FZP2rzUmP_h1^O>6B(b!ZlLzvvUNWY4{lJ!v2i-EaIO7#~n+lF%3&Ch23m3 z4jhv|$l>PDm`mde7|0f-$AJ6u%rm~FPH&k{{!8);z(-#F>;g_d{mO)TrF{}wNa1S= ziy+_v=$F7Pd{e?7KyV~L-;!TUehGM1Pa?N~+-0dL2lXD7QCUu91r$8B)O_hI{LbK& zCwO|<8G`T+gjWLQ3y_bs&3-icS{-V*iu7vIYd|CPG8G|IAkn$j_~zI6yZwp$&*ayE z#{-bAwH%qzBY|IU#u9BN-aum`jZHA{gk>r^3W2{EUTLboz-HoGh;Ids_zz`Edw*t@ z3}G_iiXY^6Iox&%J1FdgfIA2mNTFRW@T>9j^~Y568qWGUtw^U-w_rG%|XJ42p{JmCw3F9OEvF0W$m^kOMKVqWSclRnqP`7fnXGgvi{f0_8D_$Lh! zky?TL7O53npXw7tY57TN1ynAFg7hP;pi)G2R~X);ipQ@ceiiXDil;_0l(L3DtM3iXhSs?dlsF|Ej-*Tgf&c+Yl_$w9IXYNpQCr zeW(0}!`)805$VR!bdtNn=wJkvISQm>NC%?nL>FtcpY2!51xd$|jt7m%ly^Ojt#>ZL zjBLHnL>fsnl40OJLj@V`E@OwSjs(UvA={K}Gi3`3Qrz9fHpupIau3<&WbXxwS1X(< zE1%wHaH&^3d_Un9gj)jkPba=GD^%znFd;`n{UC*hC_D@S_bE%L$f9Yo(3)#y#>*A` zC0f&XgvO&V_}!I`bXgv#jp6O}tJs$KW5nA5#|303+jLn)QHF>-ZpM+<{RP_7=s@EM z7^q6%P05vaJ+gdcN3(9x*QFD!Cuwztg|sZC%6wUbgiB67WzI`lcKZsr4kELp~QgqDaclGP=X}BD*}ZD&6NJHlJ1jtzNM3D6HSvIWu-? z$5@y~A&nv!jMS3RIl~sadOF6@*ck(y2m7-|X z#@m#WpU=kIna1C$)sN4}&m#Xhc${4dveGIr+vsyI`xG*V^jy+kfaU`)bVZq&7$h*y zj2Z8EV?K>9X)J(&WGHWUVqQ@$%2QvNQlu~VLMmTVSp)?^!d7*%NRrX+V}F5fNiQb7 z1T@~FP+m`jXQ|;GR>`k&xMjqb6JG%w;gN;R`ba?>%RGH&%KfGN6~3qP1C^CfkY*)E zmJv<{|IZPeUCzIX@M^+q0OL!Dm9EzsJL?61;-AR=Om-bugas2%Bp(Y)Ic>cuCw27D z1}Yn=Y=VLmBr7n>igTHHGBHXj2PV~T<*&1u(iTcvA>paz7Zv(Pu+5B%UA(cK#ts@g z)yU413|WRXN&Uc#r|wHdh@X$NT>qH!1oo`y7$$(GaxSJ1E45yD3a9|O$qHR|Hhbzu0?ZE^}Z+;QS3 zh@S+Gm#1g8w1vtrvp2w%T3Qsk%1O6aLI)BnrO>W zxSGN>Dxm9C5{1+kOgMeDzlZV^Dp05hftfh!%8|i%Ay>(yZRNaFnNk%>RUz?h%1AU%Wu&(HRijd!%JooCl#t9RiOZ$2>U@J)#hO3WpjDGrEm*k!a32}Ng}VHWCKL?! zA*)TH4uzW_Adz$678Ci+X0+D9TXkvNLZcoGT%tf4QduFcZ^DMI{t~xRXh5MM1f*PP zA}q+3PO{sKU#6eQ+sQW~-xxgd*i0v@skl3g?yciq?j#*UIslsAEm``V%jIKh_gIrQ z@0T;l;ewRnD8;KJgLkv7hLvE_xO@G5BvMMElne<`)d$Ty9IJYl8GSzUMiUxMX*7d@ zXPA+mDr?M#{0iB3o8>Bd>mFLoY26D8*O9R=@(C`Ivd(>G4AMk=KaCbNTEal`l4aRs zff&iJWPdtSHm;Pv$l)HO@(`7Wp)j-d7h#Ur%A{BII;|-^Lg`URxS!18ypYs>b1~;J zI@0#QmWWkTv&FlHsQ>V^1B?a3x%gCbcKMcU=^oKDOJk1LB=(i)U2Vu zN;gW~DTN>*F-z~73@ng-2jjo0@A*{nY2?$vf3do^Rtq>)7<8wMUG zyU}I+UU`Xom@@j9{6!AelS&SiTvcSTy0&ZVn6591Gd8~>B`b@w6PmwYjJd?3OhCk-WOl3mI)X>)GWGTgIt zo}=?T9DG0}H%fOe7~E1bqW**j5PlIb@`;?H0{Jq$WOPlXUnczu>4Bhm!;;`7pOf$Z zAT#z2@{jIS8n4lK9fr?=lcm!;RW|d*!mMV!pgHiHv$cQ!@gyy)li(bQ&{Y zpwQ4Ki^JY$8XlVI@z03QBK|pWq&itnEZxmE_`H72<`AAs_zS=YyW~vLbU)ANHN*U= z=ac@D^a7<(y2x{18GYRVPcJ0>HR(m5Bbl<)a3wup@mBYZNq=aj{4J%$l$Jn3fLy4b zq@blnw=49QSVnp|=@p=nJk!#{^5v5n&vzyy>M{`DQ}}_xN(dMmz$Lq-H&;eGOLa_E zQ*u9=d9s1O)GC^*X|92Ze(xw#R@0G7t~K#56@Q}mGsSffQBTQ|Omn@lOKoSMVeclyQLW7c)=mRW{SyLUSw3$W`*)HeB?smpc z*Kg4-^1I3J0nf}PJ14)d6hmbig&7aM;qPNFjeRus!$5mgq73thim*sjhus0w-_%^^ zAoWAk4@2j0POPjSc}kIJkReQ_{;lzFgz8bM$DsbN802G;Dv6n=)I3h}1kIB$5i7DG zRXPgie;U7Vjr=T!`-}W3@~6Qg?fF=gI*AE0G#bxPI7{Ii1iZ(RQsqT<{}}%6Z9Wdq z6Td+GB5;H!y|3&HFGaLV#-~;A{J-Q&ea7mD{LAoQf`k+pWLky%5~+-&-Qn*if|(GeZedtt`& z*ZSbprEv?5dN5E*veAt)o5GZHI@0h~Dh;SKgyLJ$Ql;u9Ph9dqsg9U-&2BlN9PV~% zji@z-hH{M5FJvuCj@@y0m{Upfi#zGW&QX!fL&2#P@_(IVaiSA9B@xxwEH0|{<{OHiib+PbE zgkKu)vPul~LDz=i!^1-6mkIAD{Bq(<8*GZ^a&@@j{-!LNDFdYpqQZx)*%{b4 zgQ2>@oIMYDXRw?ror@>o6V;APiYG!nvDS4r_D_=^1ltLDG39ejBj+Tzl~z?CE`oTE3Fn{ zmuGB&XZXEgL~WVya^V%knU)HRkPGq_DoxmWus?r7LY0IO6nG0Z;29+VQ!*BNB`Kv^ zN(~hzrUF-knKdJgE)A)pR`e**b);ENM`an^&)QK26Cg&L)h0Clj*)eptm|p+59B zM%uH~7+F}C%Aw+6^q}3kMgzA>^lH&-0-YYq#v&zajovoc)9XY(FM2&`d*KqvDz?Mt zyA5V_3@_XZvR;(6krtmd7BNV7FBx3A&R=4a;LUvw2YVuES)k!d&-}spr=F8~Ir3E~&ez z>aOzv?=g6I7&H5c;Jt$P1-PJeBx(}|w>rR|`7^SrVH<7Z?+(%Qo%sFYzbDUEp`xG!N?HUf(fnY_<{thMKT7#Y z%Fk5z=_!w6UF&ir>|ab+7FOl>Rl;u)ey5;>T9e12H~E-UfN=|dnDtc{2m7b2zhwPQ zi#Z2}mtaoHKZakuz=!Hz;SC;FEdu{)t?&};?12BCsz1yKlMWBUPpCf#ZAg?)ELm7l z?G840TWEedL~tX)hX%MRSsrzV8N8v=2jXzSM+iPLz~#xRs5|OEIP|MF7TiQ|Q-kv{ zXsemQzlAt#F8FA{Edq>TDA>-y;BP;{ec*7%3T`R56=A+DSY;9$!DIB2Yi&j%G%p+{ zqm7K?X)v-mxEc5fhCi9+@3XD&cEZ~e=gWmL&81cDM5C8}iXU;flSH2^`V`WPZ`B@8 zHTZZzYkqZ zc((8y;*2LYBIUX+Mn7o%6r#@&eQuz+zCx}$&*;;O{JGB;-Bolq(tHj5Mr66}0uxTX z&MRwpf=a_GGl7UfG(7Ak&NCn7&WzpdAY8S!M#IA>cxUD5qv4()JK&g zrsL(wT-Vo>%^~x-OiDi~ms8>SBayTs*Wci#Vcp#Uf(Hs7M40!By#ugH2^Iso!h|nE z?P;)tD9|c2Yacyb&Xm77e-y?%DProoE9&E zfnnt?&)`L29!b970>Om=jz%-FFss2?VSH4v;1a>5gq6_p^9l-39WeZoe*W2(2`?93 zL7a_zC}w4|->JHw5WQV!v#2z2VJM&^BvwfrL6LWmlO2mXXK=w<{D#9N1y>8MA*_!@ zye@&y3u|;EO*tUMYps+~QtGJiKCq@W->=bzFAb|&j}d;I@au{5A!F<1w5(Vx+udNo zC#Nw$2+~*yH%hpP0)v$5k1s<1p1awUy`f9~7AfPTjHkj+WJ<|(6O8{P@VAPeDE>C` z3=?t`uJ@elZa3l4fAKpGcZY;KB}}5gb|AE}rmm5fz!FX-jhW$};N6lYOS*>=uYx7# zia8m`O);TE7_mQ9!ZZo@Qcy-&TFyBl_Zi+Rv~1ol`~l(9iSzs=m@%c-XNC#io#F%Z zpoEzcW>H|wV(mc{CW?yOL#B)f%EMCXrOc+n>~5qsu$W`?u<*rxMD$$I^GGv4!WRca z$+&atqh{=Q*avC8j0G|l(qMr|6~ENBJ#LXXBSY11v79Ax9;3td<)S#2Zu*aH=Fh)O z?BimWlV!>%DJ(}8R_2~C{-2XPze4;<@lTTHBZxb!@=@)cGW?Zo_!WnHTKF@q+w^P8Omjv%%oJP@s81@QZ>s z5@xh>SR@O_7~Nz>*<^p4n`CU3@iL86(kUoLUkKK0HQ|?#4z@_xD&f^2@GXwTu(H}V z6ZVC-c)NtxB)m?65s7s?s!{KI<3IcoAD}mdza{)_;*1?+L0B$zhtc!T_4GTU-xd8H z=~S-eM;X+)_f47I%_|>B*(v2iDokh^j=^Oqkkfr+PXExe`LUc`a(2^U;=xp}>N=F@ z_85Q0G=Ggx#P1cqk31h*Mh@m6e`@faD*T4SeJ1#G!C(9bXJoi94Q@EX!(R#hTJSf7 zndFCKFV%02os{WA@txTHV!tQL$jQTINQIS{3X1*ROc@s%aDSBYla!ySF!qbE2`r{Q z7=1@b$-j#JP4w@indpaCxIYX%B+G~8PoaMa{hKJi!5Wx}He0sx*13PoYH^si{*~2W zxeEUHR~K-3?m+zaRKb5h=yf{?KcV0+v>{POc{C#ya|au|;&}Xq!yO{Hk>EoK^LZ9= z;2qwQ!;F7FWFCi$KSKPGQ~Xffjl%_t`reQg+-*H&~p(d|hyIx*-Ll>mchgb^Dj2|iiyDTLMRpV|Qqqt(!E zmvpC^_S$zi6%N-yT1RQ8QDXtAxIB@E#xE3Y;>8&8l&t2sr!;rE>34-PU?=HkNI#Q$ z3+Sxa;{P(xZHhb(<0h!Pv&=rc6EBU6ca|NI9i^=bxUFEA>(a~_7@7mpaO*Kjm@?96R#)WBzXUjTA*15F!2(VZr zW=I~`iE3TfB5t?{TN5uZu^@bRyG!gLu_r}dB`YhI<$4+1_#XU* z!(Ax&BEh`_j5X@hTpxpv3Jpvb3%*3~rG!%-BUB_cE3mH_Bd7SAxJ*Vr8JE*w=9X8L z>-rn}LFjN9AaE_h=Sn$4=N z(eP@)Lj?~DaBZTz$X#P_NvPiC3cglwoG@Q5RFBXwo@ewcjr@J)i!KmdNSbdhDkL0C zR%H0PZ}BS*S1i0lcqws4OFXaI4L5c}NHk?)%f(iZbKeJswjC81uClvXXRh8nLC%fLpzBMp8$z_o%$39ci|0&_XK4U!m` zi2**SDws6=Y#%{mBwZ)zdP=-PWp#DFyTRZK!|0x|f^QUj6Jf@EB$}3%<8C&(KhJ=} z-6DFN=<%fa4u^H+SjA>v?gaB54lB#uDsQ5^+vq7sm}u;7H#j3Sblf5MPQjB1^8uG} z8`m;-m*J~IZ`$3$CkwxaIPXAv$hav+_v?)xak#0Xr-{CoG*2GG-Vf1;yU*~78KN;I zLihv1rxWLArIsVPkt@$IKKZzh`v=9(6hDi6>hw`=lJbz@L&NDG7G5uWHgUd(uCS(x zn;haAZjL$kT<VUvW-5?-djaAD0fd|nl< zS4?R++ACY6Y?bnAP;lp2Xt*fHK405RSrhJlyOh_YyiSF=1xg(yb)z`uomB>tmTdR; z|E8q3B)v_EuTKJH)}-5Ebh9gcsNNC%uITqjGq$*<7e|WIdEcDYExq%BoSkw$q{Cq0 zPGagq;Ldm-nY1q4%g2&-N!m?`F@{_|zb2{P>piCI4DFSlNZBi8Ur;z;1Viz-Vc(~w zRE9w#pGo;#$`@2vw%}5Usi92h{&ZiO^-NeQ@he$h%ld{E!-hT)G>D-LjA_)SvZRM%rCVO$S(#jIn~3z3jR&-?}T|1h~I2x z$m*VPf0(sCMDU-o{*v`KErtm1IX3ch{}>(#ZSwyLZ}5aF6ZlsdA@Xm&CGJ4{kg8GK z6522h!cVACh;JBpY|Mz!SI!;$AD`oI;t=tT#2-qY$uK9HgLNVfGy3PJ@FNa)xacE9 zA4!_G{NL)0eA-8uwIWQpYb>jYtfsX1+M>LluW_KwOjsGlnKqYjw1gHER1LvH<{HKM z?ie$6_VTxJtc;d2TG3$A$g4vt#5fI9k6N2D-6m5@X(Q$Mpg623iD4Sty6^;3UJajs zwo=+jX-|cbg@vNf^L3)p+e5YVB+(~}K7}*~&?$kBs^dHaRvJ*uKh@0t+XVoJ>makE z%+qM9rdL>vu@@MMWPJb7AKyv*8RE|*&-f~5u|R{#&oZOkIX=ER%ZSK`(qMdH6)O~N zl6;D3rsRehH|bI`q-0WIpg1fZnVicq{?bstiiyt_pF^Gry>Mir4C6<-7{2i+AEL8` zpCkNS;>_W&;V0^n7&eIKah^G8zv53g-1&04%IQXj&jW+VafJ(v?ip6@=`Om5=$@o` zg^}_68ZEMiT)LMz%jWw~T`1=wIlbvH55-D(9N(GB+WVN)`VagKhr3wPC6X?s#F)~e z#Fz-$*Z5wcFZnX@{ls5RUiliPHI!naER_DHycI@34v;cX${;Gd1ghMaYgFg1F#hz{ z86X5{u=p#*4}B zB{WNyi7yvlL7s^unjS$@Ri)7{vX>5rONg!#J%TjzDlB)F$V(K|VIW4xa8GXhtGrJXNsRiUiH>^zI({n zx7PcBJS?_e>};|O2*%S@x;X}~>+SFH5y5i>&kJxy3j4)#_f(S`>OO3AJry7S_Ci-#F%m0@~y}{`6K(7$JQuLFg`99zl zF?s_9ilMSy40v zHp$v7>t$Me%ve7!)4gKw`60r#2;M6ARl@v3YFIEfe%EsA+sryP3=G~b>or-g)AC6= z&Anmpn;|@J3VuuQ+l2YNQJO%0xx?s(LW|=&qTdz$9%(+oBJ>ril=Hp`*MtW04~sX}p6)(>W#^@vZhKg#+^*3Yzf(}*A}E$)6X{GE64D-QRo@ZW_0PMnXS z7#mq@d9puDXwlA}|4#{jN%)%rZ-nb-)}&T6`^S|1`Cj=~N`n=uEZ|=SDPF1(z6aue zr|JqXZ(@KDq=WDi>I%Xe66Y1LLq{UD5S=^Nl#lBC6%LWoNXns9lu<{s(2I7M(Y@1j zepDAkA0hfk(mqvZx}yx<7am+=!A%4=CCmrS-4@ur)y(+Ld;H0pi$7X?3-UgGD$rlc zqQEhx%n0#wtdy2gS_K6i=h%!%EzPY>scYbG_&6zTq#RF$Pr0fP+v^p$6AV8%&*N={ zw-er;IBx=33l>=`a3>o7<2cWsB>rUar;ul=$a6KRCXiE2ID4nR>kbk+N;r)IFTf#a zyyer4|Ea`Zpp*DB#GgrC;b#VkjiC*H_*##579J5ECC=xIhMcmbOEdcD(1w#PIzx0O zX@(vH=r~mr!;eg8`H2sGOhUGVoFL?-KE_Gc#f07AYkanZb0nNgfx%BEiZDgkooD#% zclzL;FTAVpZUN6vMa~6=&-&R1r@QbT!g~^DWGeRYw0aqz6C(dY@fV5jOdY)7K<$rTS}HO zRLqVylq`lD?~e0)nfP+?6@kb1Ba7dUO5^v3Y$zeVO8f}&47>`ie8Zdx&xSUmq=ae- zH74+tr!dll-@-dzD`Av`x*()lfbaxHn-C3cKw~6aC*gVud?`5$Ea`4AdZ6<+JXZ9L zqHiM2k;58AuIfEzW2A~lH=8q#0)Y91_ZdvS!MfMT;Ld ztRIKfSPh;UF7dG7dcm^;jL$5lK^r_bwBbD>c&^}igqg&#CUGq@fk%!1J~V917r#LK zLh`(0eRPx$FEZozkOUXYSR&)GU~m{{vI@z{Ej43r=qp?%<8c|wY4}fhwtK?hUqaNZ z5WG_GlZ2U179>V<`s7oF&kEsxTKF@xK)Bz3tmGw)hZD~ zs|2Q4@mZ}k>8}u=b&{T!w4M^1;y4wE>!qL>9ozO6powXNnTaBh;gS>nqS`7YH|Cb=36i!>@$zG7Zo=o8-}Z>zjl>G=yr zu_e-f+qZ5r@xXds4j0@m@imFBQ{>kM&5dXvFJRvIhAF#uQGoKMl((e3O@#?Z+r(0I0pJrG785R%ykqIZh^kTh#`v5f4r+7dKQqW<`iIsaFW zKjCm6%h@GoHyyt3MWMrHj|n}S`5=8FVXuUJ6!^ACKxXx+@jU|nnfTAee?eYF3RFH& zefrYySQu;emGG~He?y$n%Guhu0hUa^HKp+u`~`>mPRf2M-&0W}mDgYl_zy-uc83rD zkD`AP{WEEX2kR1XDBCZFHxBb>e--|l@ZX6uv%+dxaSZV*&BI=#1?~^C{tmVBKV|(T z>u*}Ti%`_ZXX+nQJ`6?uf2A~7smcWYO~uoQ8f@$B4#fXXRVF?QpTUFh6DkwJ8xrSB zjMYpq|JmR}XZm|SL~tX)hZ1IRkTBBAQi~}cX3D|!_zMnqxRfKL97%;~m0kYWG6MH} zlo?aMl+eI6meE8;QyPpZZVHmbuBEAOU^BCthBp4@vW}M3f)?`^bk3kjvQ&eh+%YEo zFu~u?v65O!YDI}-68x@F=mk?NZfny9pX{~cq_vTDJT*oGURlmO#=1G~1XGUQg}>l% zZKbr6(w+)m4=e+o5>7PXu#Ms|*FnO`5>BDO*Mo};#jzOQsm3n}y%rtBcNBjbdA_sx zm`H;W((!U+lBb(<=ZDY~kS-@fP9`0`S6E~MnOm08&ENNdiiyq^okKeHp~%kA_+0E|<+_-3c)gd- zmUND!b15-c@rt_gusF?m=8SyBJLk*kDyJJA-aUrpVGRro&Ah;rDX)2@yObVMdQxH1 ztj1_jG#+q!bo9;kGV91NBKtyF7s={POW%212c0CiTpu$Y2w$&@Wn3cTQW|{t#pPHc z5~-`N@#8{U(PiTMiNBmY^CFaE(e>^68@`~>Kg0pT2MQk)@Y=XmB)P)y#!EatSooE~ zhY;822CHAB;^`_g?hhBZTEqGweK5 zwuUE|FQq_AAr&SSMpGUgUZ=>Un?qa`ODd668YIq8LR)ca@uT4;O-u7pP$sEdQUxWJ z3b6Smmbyb;hV?Y@j=4(nCKY%uA+Ji_2zq?&wdfV6-8mEbhXrPm5~?NCP|$0PHM?ud z*};bi)8?$+k8|O0wQ@$usiVWdVYvv5uusIxM;4-=%(>C#{SrP&W8_^Y?|OQyzU3hr zZZJ0UOd=L#NzX9j z$a-D?mv~UdOc}Fi@Dak`G6#pc7K8(~*Ixg8{!vBTY zYEMgeM#8fcn9AeT*zVfcrlGramDtr{*N|l%6rvNKtF@*)7h-drl;@?ar^1h$Zr5!v zdPcb07ev1(dLwCuzMwQU^2EJl!oYvhIWAE3JPwU84E*>xLw9;GG3>lM^I3T{d=)Slkq2qqRE@$-xB{edERn?mJ{1y z^uYh~;dw{&yQ1GC%{bL!fmmM&4RJ;&vTt=6d~5u-H~T31PW*oH-;?)6o@`WBN8*k#=EhZ@kyOJ)R2+w!{9?w2x&AW0%J@yj?=+ZM;4X5s2NgbGf0)y@9)H5&{*?2V zoWFyk`SSRhb49y<%-OonJO9dQ@T6)W_*d6KRlSI{b~dgZh#ynckb+RgI0!$X8X~75 z9X=BDTcyhT2b)l|!C&MM35_HiN`c8LmXQqz-5LNNX&qiKM2K_(>|n0<@*o)#Zh1nrdd&%tqd7F6(GnEokv}u&f9Q z7&R5{7!%4u&FWYQEhV&~z$Am)iSm=t+W2Tae#YUB6W>Ps@#GmSObbBeJZvp{f?0DO z@xf{J;e7U&y?l) zr0ZqEpdef*;UWpWDKIq2M7+%PG5E^R5p%KNO9Wp^SUDG9zP5dh9}@V>#P<__x$){Z zL%)adzl`&-KS2CI@q+@N>bXI;hw)uP&&^=*SBf7(o*8elyap{}?kd93Y3@TrAf#^cg3<=i%3 zZ?sr=iSSb5d`!qRkTszTY`6)FLt(s3Lb-&BAYdDsIxO&w4i6Kij`UYZNT`x9f&y~@ zyvrHr)xy|GO{XxcUp@Ya!zE=^%c`NJZ?~EaM;cuczTLH=M~SW@&AY%gGBKhh;zpY= zpq?kk>BmU8PQvvRbo$cKqp@kV(d|Q@&{)woioS`oQX3oGaLYFvzcf7FTf~nOKb|~; zlPtl^CT2quOxS#zkE2^9Oq6h&3D^s}8bvO5y9s+kdcH%#of0NdV2JWD3V~BX?=pVS zN4#6y@7>}ji@%3Fa}#cqfwB{xfEr$=n6`4T57$&_)1=)?jp-Ea_=WC1gYOMZ`1cEb zK=5?J%uCt3gO-|vy5?q>lpnfw9+Wgw(kx0oo6ACxqT0{4dC0W9dYlr6dste%wAs{} z;8#5GSn4y0o8nNCIVM)sQ-k=3#JLjZQDjE!$2+5x@TeK%LT|}@84F}Aq``;jM?5Fp zqW^?2^SzkfiJz?hUuUw@UnK@oUI4{H*Du#+8qrX}vA7$IUlA4qdqMn*;y04l6<7^M1rog-W^CK0Afb98W3!BxX)uP$ zYcQ4n6@zz&{>&|cw+eohFneP-`d^&_$(r&awdrj$b4{25uwCYBGGC{u<`bA$#SZHt z@*i|`n71N$Z_0a1-rMw8V&xUlZwv`jF3edOoOk5BE9X5rj5IWA)G?=i-}sI%;%6N0 z1Mxe>e@I@>JvD$W={_=Hct}+rOV}l0Hw9jxuoCmFP@CCf{G3C5I{8HWUh(_Lvsi<= z30L#xXZ2H4CVasVAxxi1`CQ5uRQR!}jbq7N)He*@x!7OfE8$-Y|Ax4tiF=*1Clm$s zZ_Q~En&`fhvtQ2lbd;B(OpjTO&i!CQb!e0PQNm9Wehz~6yyd|2UrhLYmJijh5`L5L zI|arQmd`;uOTPQV`0CIT@u&E|#Q#m6H;ow?*yO_fWBAqw{ptS|-T)np{oMihS9oP2 z&Zlr7{&%W^adVg@cMyI;1w(j4;>tzQI?lEdeJu|*sW9wKa)_ixk`AS$NGii9BJNUj zmK%=jRf2p2AVCnbFsG@ps%@^wFYQ zkX8nWmJ&S$cZ?bRLPOWFGFr-LMT0kuEGh>%0!D)49$K4}tjFJQxZ@;ZvAzvi9c7(H zE7kgn`wlC&v46w7p9}oeI>|dj-kJ3H_*gsOLPG8=6Rry-_s$X`5~38CWWC_hj2|8N zbnzMDGs&}7kYADRvW#sR-szawY_U0H85k_+%(^GWP??Z(kPrRY63&ruE(Jb3vt*asVdCh8 zVlNWgn=He_@fq52hbg>|N$=tE)tHdxw~(uPoDT*WY= z1^MPxhR?6(HE@-yg%1@zj5req@HAG@uQ7gMJ!$Z{;;$7S4?Gr3&<@pk#-9)}gM9G? z;tT)d(U^;dfg$kQXNGq3CL5;acbs;`r zs8eBSCo{fzz{gWUMwN^a!Qc+Gn!||EFN){!PX9RgM> zX_Tb8AmL+FQIqQR#pG?1mWOe1V3T|hC|FPzU)KV6gYknq`+FHH{zmaPk>|&_ zJhh)6M_b%%%IW8NQKHZzdD(A{N-d*K&eMtHaIQDrusm+bH>mlZA!w(5;LV zR_AUvZGF)0kanlENz_!S%Z$WOl=gE{?=ov+uy6raO5jfjP4Vbbe$@C zn&^8;GudO{ssnzX;TMKF)cwLA5I&u_KI7$um~n^kRmRtZPvC>%XNsRio-zF2lvnqV zDXqec*N3IlOPNiDNs_zTmhxNZ=9tlZp?@Zi$e1f*9u0nUisEQudDP%(%{)9`@B+aL z39FMN)kUb)O&6JS&mrDfEN6+F$LQ#*7DZ09)ZnIrmZ6xua^9n(+s3Lf=)ExdN}Gov zdZ*|QNi$H`?+UH6+EVKyQzo|ckK$t~yQJ)SEtDN8D z{7y$DaxC_S$pFs%VZv3R+VZD_za;!kfq6?o9cKBXbP#v{m@y_adi^V-!PBZ(;9q5U z95~JHjsx+7A3=4B57I&S2{jAx4axHgi9B?|aMe(Euo-os`R5QBjbt23gO7yW5a{Hm za+oRApyH2Bo^{)SHye6rwE0$hMC72T-@KN-5II|%M5 z_%y;ytN95H{yyFCR^Q`S9Ilh_GlZW>oB>D43@arRxU-B;ghqnS;v?dtOllNn`CKgN5=oa*;zRWLT3^He2$hk` zg!dDEIdKL}%OHfs;R;=U(BBKErrL z9v1IG%LfK&UuDkXm+>bY?rJ$h(Mv0748VnfMK)_~TtS$^U<*bwaMara< zOR1ou45Wf9Kwt;HN)x7ruF`~rDhVTkz%lK$Se)EB6OIaN1|=m_OQ;C~i}2+bQ0GRP za8fA1*Gd>Ap^gHdUu^OPI7WU-$yy3yJf-F#@~>Q|a6y<6A|2pcac?BK|S*OkHR=#-qdMb*Txl zFm`sCgvTW;r@%K5#T|SwQLsw7CrtVCVSkMkQdUZNk_zLtHqLh7r;Pp~6egb*{fy{m zNwWp0q@dhAXY5ZW`ZKQ*yISlTvZ-$kzEF7a)*8Pjd~4Q;e_s50^8UGD36;8huIKGG zm~>8f0xw8578#Un+3m2m@gkHzNLE5=xSAY>J<|Y+ls&A za9bp9mG~+}UIj@!-EA}Y$9kfGw+ntv@au$`C;(?*wVgK%Z!lXlre_F$OZeNw`C

    t-$&lxMm8$`Nw%_oYEJXud?x2}IbYCW`bL;?lIV1G zUz*S&2wzF~TEaIJ)ZvK!WqkTm6C+p^{no_xLHthQeu>{xOyyB&(b_}}7D@fVj8lT~ zql}+q{7fTNFiA_p>N#p`z=eJ>ty9o`mG+yo->EUB6y#Urx<3r=`Wt@3;r|2aZZ7y}!7TzDiKG{~V+`)WaN%&r3T`R56=9}o zEajyoqFWn3|5Sg2$BAzv{&@1LtJdV9j>FX}P%TDAe}Z}46W(hpubsU1^q5OVV>vld zccRhLPGXo4s*^;YEcz7Ed>7E|g5LBZ%$30yD03P;|6r za3{fM2tJcAvzTa3EIWq1CJf(xDt^V`Itz~oj}qs(^Gl);muB$Id&OdRY{40VGYRwD z2zgajrpq!sx59@zCOlhs4sqTqSnSLa!?=%h*TtOt&`x!>oO9%yONX(EiNpEMooDor zhW-lYi|#7ATcGjE=U2E3jDEYb4}N#iJw*2;%?~-2Kjhqr($qkgUS^GpcG_+T_k|IYxCJhN}O&fEF23uG74W?HIq%g#y1x=)7Zw8D9CxPO4AHNjv~V#hb;SC~;V#ou$Sj8QV`Xz&4QR3hTajW%It zxQ8(ku9I**1*W~Ks&u?NHyGWf)SrH==o>}fL|U&W>0EcS;l~I37UAQBk0;L1B(Rxi zdUkfYn_xnp(20GkgozSvqrlJ@>0WlH~_Dj-l+DtF4wScb{q9Uf>0AiTkBJAZ->(GiA)8!F%9(>lk|Xkl{ln`*1xhyk7Wh!!gwkO>uJ!?;bY5ctrSI z;q!>IsD>p0(dniU(T|$aIW+jqm$E?0LMn`qCe&woVVQ)-B`l}FyDcxQEycRjPZ+-V9FMOMzEb#;#CiTa48_N4A*Jpq6N*Cb z`_mGhk?<@9#(y4~vI;TPs?a@W#^}(>w@Sup8Eb-J^CR6_Gn((hsc^V;GM<;Qo<^!H zo0eW%TkAF$-+8v@Ul9MI_>JV1>?-ozOUC{ilHDe;o5j9NRz>RyY)h7wjukWAE2bO} z#t?0hvQ^5fRG6Vgxq#a?gBu_1!?IoQYl2@V%wbW{bga3Hg}*Y;v6Ge&$;feUn0d%? z-h5N$TQc9K$+AnB=2(F((K&@}hk1kh`bYSVym#fjM~`nbHUP?sx%Z9kevH4$2cmb1 z{_ub49QTpYJp%o)=v|_BlV;2omkf7%j6FQ$6`zRRD|R1QmK0DkMRhPWRq<1E#`N-G z|4h#3a=xI$Xv7%Tk%eqZP3`}K701xt_oc~GKKHlsmE^A_e?vKSK@I4r!ai{BTXR& zzj~RYnVDH>nOK_eK>U&_W<)Mluei z!9u*#Nlhv7J8!{b z-(j+vLtr%IBLIZLTvMtuwUX8JK=CP{>Vq%rPx+vnH6GEXEoAA zrE6_M=g1TU(Ub#2-gAq6I5T>_eImU|CQp-GiP3K&X?0wPB%J?*R)8Y63O=h!>Q1z#&TPMB|I z0?Ui$8T(h*W+7i}f!IQ_JTZ!6d9KLdtc5<@#ez!&ml9^Ui%}urLiX6@&Wx`^^K+Su zav2pgSQ6zb2G~|5j^?1E(owF`w7ucmm5^2?Z3MMcvg3S<)Q|~h&hGFsB;{1gsiBj4 z3pZRUND`vaXYLJuNglBMMs`pu2sZZ;!3lzVTHF;2#K8hj?hv80}xVDJN>PZxMH;dho&=KOM7@obv zpL?qCX~OR%&io~barD~b&iM8r+rD4?1LCKXXILr<^UK`~gYOIlj0XkJ6g-PC!-9R2 zvD1`$$nZr4J}eIluNOX>IAbPWT9RLgt%S1N95dE#!XI$BM`X;EF^>lG{#a%_uhuX+n&%HwSnAv&Gp-1eSQg7zBI7X{dNJ|ITx#t4AwKlW#6B)|Ioaks zdr1N-^V>DJC6ar>+_9hfkgbrrQtp#}rp6rFoDHVNM>{AJ>7^31~^C`0>%Z^;&+ zTZO(#lxIeJ7X~)DZHCVY!!5T9e@*!7#Fe~DYP5yp8^*7?&4=Vo@o$NLn>X2@tutQGQOvw096- zn!%oTMt>gS=U36ciT<553kgLv<;dqoRl7e-*xbs8=uZiMN%)%rA5~47`^V7CIUfC2 zXoKfeb-=$$H1Ujd?2MD)4#W?snnU?|oB@YB2tT3bAig1ah6P<4t{@VLx`R!)AoOV* zBB7ClLn$yVupoiaV22q#;w&GY!-XFq{K$Z#FwXDSQHJkt@A1aMn+R`eICeNq6u4%F zck1Br=E9E_-hw!D^pXNs<&H7h z5@hNd&%V(UO#3Lb5w?}qPFj0vtOsMQP4wz&7rJUIA)ILPiD&z}IZ5)#l24(`yTQVn zx$abh+aBQI4uU%hK8-M+g94cAPB;AR5U@_d&k%klalMn+@*6wb89gDiR&^E~5gjGX zlh-B^Xwq|OhK~*PyL90h!ZV4hGM+#m4OU}C$+rk|u(75>mYJ`FyNJommYGA7!5W;a)}ibRYk*2V_I6Z(u5!0^Fl&Gm4p!#c*{r`c&)Lwo$)_*^&v}& zuNGeu_~A7U182|?Vf?yqC$-{7iLWEiD9Rh2D0ZU_o)s#XV+3C(_6m&W04 z6+BV!ZG`y}<5fUg)$K+v=NWLgJ4D|pdJ<_SZI?g|rJ7&YyUeH^>m&4T8Ixt)Lqll@ zyCS(M27ek_I;RSrCiq^$Ohb9YtK5CYJ`^JJez6aTolcf7aU?rE8p(7s43G28z~LSg zK2!KC;`++7wcI^q^pNnCe^_+A=-H%s@?uugottBLyHI(3MEG3c^N2H*p_?1cY8a#R zA0HxRzW4>=7m{aSuoMC4MMggonjsg9ULyK2(tLIpBUxOS7w2A7OHCPbxsUZ_QXZGG zJSa#uA=Nx#%BqlRR!CVXd8QtYqh65q_SoAK@yGipE$5fB`MO}r-nb(fv3j>J`?`A@Gpq-+2R=uPfN>2bvu%VKG`o# z>)OfR#aGh4mi7%bUIpvpa3Aq+4S#gD$G;Q4U-IUnfHLeY4NCQZ9=Oc94DcTgyShF zy<>S1ECXxwfUulfThZ-AwDyCfKQj7VVZqC1ld#96}Gvu5}=Xgd`Nut)}mFLxB22(Aj zRB^kP)aKI|0q@STv&;;+X=j}!qO(MK7G~{91Qz{*F3tEMlSBLHg;Fk((whn| zP>sFNlCF=@8$$kavFJ-gUrL&~iybO<7+EHW z5^O4k2?XvM<9CE?DOdcp;^X8QdKS5{E^(R5GvS`0J}~(b3M3R#-~|x+@;db56&XJ& z1in~&iTG0Td|YKU`J?f9O=1kha8q`N45~~@xs(bjd;k@3E|}&j4c{5Q#tGq7!bcEi zh>GIXSn?RFz8e2S7$}_-UoF0dyt2ze4EiW^BMq+#4Ue_LM+vVZ&aWmW3zo-=kqNrd zW_%Euc*n@NPR8{#m>pp0an7;jGDYqNb80Nf*H?;#;{vuOq6jO4L)hCSnmwb-jakx7q+$mua zg~s?*6L_#<6y`^(Vsn>y^Fs;sZh4dC-9wLgOd2-5c2f+#D3h1KMWza#Ciq^$d>H8% z#(`SOeTF~ZT{MO#34cKNbmB}+$nVN)^0C&Jb2Ci2JY;zfN|`BT78PCr-Db>Q9y0v( zUH%FW3$GVGJKzqD*m%}+4Br}t{5~RluJC!p`P{I6ES4)o{lNG?e)gxIFMfgeh2;4Z zFe@lt%a>u12|Yq#e6fTj5+0+#J04k%K?>Mr9TU};n)2r&|B5b?^0<`cRG43smsYqZ zj4e9Xvn#}|6#FDuhQGKbuOyDD@l(dP33Z95#Xlqd*}#u3MeNj-y624lCzMcEiC-;# z4S9Y~HDM=AgIjCT(lj5ab&{T!w4M?Jg`Pq@;R?6G_>YHs{sr+bir*OcN_>FPkmFu5 zzFSD4o5XJx|1x0`Vghtg})~Jb>a*? z28iJ)7rQr%KP|M~yea-I@o$r7XgJ{u!Vbev*o0qkxOarVEBw8HCkxdg_P*gyjrVc$ zf$*KeKP1l3RF@`+{8I3(=TzIlKK9R9k#y%QMZt;SA z_o=b(yvU#<@SlnOT#yQ}6aPDTzKn%c z__(HKM*U$*vm^W^{*>~Ul)tI)g-7Bkz;3J+?jI8-hUD|Fga)fsQNX_v@Il6ZP^~)< zzxcj_&?A2kenL$_LPH7+6iRgX5BpQx!KO?O?U;v1X(Z)PDvYZ#?hjRp!8o|gVdiuS z-@(J>93kgOI(!xtXkI+Z*yqAbp~hmHh;2%ip8%{pRPLG?+#wXXn+rZ#a0|jr6Unj! zBGnyZc-Jtb`dHyDg|{NEsb<=DzRs8HTbp%3DCZm}tBtJVX|Xz0S>{eKv`=U~Xe+dx z(Dp=GT12Hcn&(b5dO`>Mh{K&E`ef0kkY=>Fc#%8R*tOwf(LroSv8R#cofZ_1#M}mV zy5R?hS<{__pCSBA;!K@>Xu3Pg_`V1Fq}Ew{M0}JygMwlHF3s5UzQ9j7T)Nl{v6+Fb z%EN#mWBbPad1GR;#paOZ(;QhfGS77}cipDp+t!RHcY(yGF)z?d{Gt*_^&r z-Z@`RS2^A2@Et)_8Y_9>qj-S{hlVVtyM!JRdQwo9S)gevy$mneh|}P37Ye^fcyHp& z)6hDend-{yV@CFD3FsJ*afyseX{Zc?p?OVS zU|N@OjRDdIN*hGYhbrc3*av=v8RrFKu#78Z457g{opZOaU}QB$R$XPvlm<+p1L?;5U8KpEBvjr@(4mWsx$kWRNmkX{S%!Gmd>I$v(S!u$QKk+*bmyl2;VFU%f zyIO9?Iiq`p+H+ELwdfkssrD*NO&H1b{8fP%Y1*z%{uXMbjgnSJjb)lxW_nsdjo4PvRcC4fuCEY~HKX4RZwY>SwrW_fRTcnJW zGM)-EfvSp1H^JEB!sy3a#ZDA^8(GFyVSZsb>H|hEZs>3O4$*gto7L2rWk)|h@Pq9r-{FpJcAO6rlFznKBN2bia6Z;q8|`FoizUt z!$4d&!{E8$)DH@tDR@?ZBUzal?jeIK`3P~ihXvOQo=uqHh-E}#6>g5v6CVM~&ZmuaCm{;unZtNS@)&NRLI`B7<+s_a|R0c!}W02&ZyI7cb|4 z?WHE0A~DwNDHHyl z;BVn+3C~D)mO|>mW@T^@jOUDB5@LUq_|@XqkY{?VO%%Gd#ukK<@H(;2i(OBaxe4A8 zSAznaa~sSU7P7Y&WV|S2V=(d)2#S_}c*%^uU*c3a+$I^DWxPy-8De1pI&kydD~1m` z*x&9J;ai2jN}Tb7cC2!(;=Ij-ZTEX&yM)&yyiS3S7#mMv$yI}wgrdfqg5MJSHetTs z$vO@)O=1}ix5JdJVUW!`Qr?yF9u+?1QcNl?%tvN|V($CqWSrr{^nsk6az3QPXHZ;T z{5!I22cUOcI22Tg*mnd;t#26 zz@Bt}BM0FpR0HHSq{oDTpvAB{5SE50a0i>SJOu0zIgR8T8XR<`l&6+7#LQ)LTGk#lW1Zyt-Xz?w`GoB*p zIXUhagFj@N!QqY-+){8W!py?)8gO=bYDKHoCVdlH3XYT1M$++=7)esF6@ex%n=?J! za9cU;iYv!sZmC?&oV+J=MUo3V$SDL;RW zzu<7`QZl4u1_e`w*iOaQD9e;_hxnkyq-0CUp~9O+>dSFm3|<*x=xo8~2tJpvo`OF= z^RV;G86PfizMQUdy3t`-Es1GJ*yaO!+i0Nn1*ZKv)rYIQv>wuWQcFF&ScDI+m+{Yr zpj{~bBJsV+huFe9#N9;tm{JmA>tZRFNV${>ZylRo*1En1x7>o?aJb6^_Y-`1fTL-c z2;bk}K4HG?0Ko$V4S zu?lwscZ=w8qQ{fw<4w)?%5@Wr?;U1$-70>f_}j?yHN`qc1%+t8D#V1>+s*0P&WGp@ zId{sLM2FYF((7DD-rZ&Vym6ktTl{44_mF2oNF?*I8cRXKO)=s8tGzH)!ZZo@QeYm4 z@>>-MDYpk@nUu$+ET^JkAJ)XcvZ_WO z7*f&-(JMtiX*Bw5vfWcgPig6c^R(z^L_cdZx>IxAb4IW0;OSMOSBqXlS~+m&N6vL? zO*!FHudI{uyp;7+82B`7t)AvK7~Ls!IlUnIMbR5c^Vwo?^D6g}!Eb~T&r>$so z6$t-a_!j|BOUGnebQKu>Wq7Jz3IAI7H^do~k`h!zzBTxVP*eU+@P5JH6Xw?>fzdcW z7@HF^oFB#hB=%>rydQjoGtqK`wKP*Dk6+AtXSNUjukwDA_d7kN1bA6R*dxUKVZwVs z_*24P68@&Zgs)|Fu+>-BNTb()>fb0BNbU!B4y>7PAZlw-J0iVUC2ZN+imwuv=1+MHDP|f=!vS-3cat z7aG;tN^U2)J!R$?nHd=|7Cufie%ST?Vke0|S^O#FSz5`jtH{H)31!%Q+Kk@6c%y@i zjxtW8!H&u}UQ~46V4FA;h_UHT0q3%#WtfXio^I#(X{$d+C!OOAo#RZNgP|Orz=#I4 zT%Be7X<;;UXYmp7QSy9wha)3InK;exb^%Wpo*_JwIHNl&9R;c^gQwr&!x9smEjZ^t zI2veaBsql4?N{;w0-n3{Mzu4FBX1@@Jop^J_@QZp{K9G>q0-yWrF(& zzMQZ=XIU9&g6VJcSD`pMK=eS-g943d9Vi=LVf3o){w4>DzEbp%Kx1(|tY&kS(dD(C zzFPE9(ZfhHpRB}W#cPb67}~OO#a=5mPL?Ge#7GWCWnu1591})eo@sd@X7Z&KNGqhq zn8~P4mb)T@zjr=7#ez!&mlEbTDid=exXM3QkQr`H>+#+xlT$9If{v16Wz|SmY4B_J zdpIGuO7IB6%!8v*3;|7xre&f!V9H%#WP4IdwUinvtOP}IATRo#kc~7mr-i>*t;|s} z>u7R%r)?;gpGd2~6hu~sN1OZo$O9z1F>?}9iSxyaSxkYCgr?ZUb zS(sfiEa(!6q$AqW&^Z!K$D)!GOg=5hw@RKU`8LW-?35$!cB9(|`VP@|ik?K8-4+x%4nD>Dt?kdqIVf3t%1Y^#E=$WEtk!JRh#fG;+_mJTYAMp6Y z!s~_4CjS3VDQFf{N||Hs{*Y20kvmuJJi3gsXfz#h7OY3j+8xs7d|3-*Eu^Kl2G7$i zGWfZW87>yQMDSw)&W-|JYVfy<{Jks_{J7xdgq6ER(hyNk7(L)jPp=TYQuLFg^$emp z*ucTyUOWR1_q5<=1V3vq*3om%8GJf#pYSTds|Bwym=&J22JZ@G*L8xQ7rdUZ%C6A} z-VC?F@JNWg7lgkkd?Rs&8Woa=d&%HqLdkWL;LUI&nWls2ZDDB{xHCqsKmOD3{J21@W+C83EoXuACjyrG?<_mjGhs+ zK<+VZ;Ei7UMA}|y`>65R;X8u16Rb>$wf6W;`P96ovwcqbnY_>CeL;^=l!IK)eQEGJ zPx*^{CHQN>-vk(0ZI=7i;BILi{!Z|I!QT^R$qvqv5=aTg%-s>Ot?GYg+C?yCE;%hyxCX`bGH65 zc?93$l>fOO6+#MQ1 z4w2AE!l4vcie=c-a`4^2Ou@|bEUf625z4dfFgwQ`;dTz!IgZddj^sJ`0`eTuoG9|? z9DIax(m8uO?v671_Fy-b-9&a%+HBsSjT$NbA3orbTDFiE@eZ1qe`oNU%RgFv3;HT7 zq@xcandD&QV@zolV(C~ZEv2-g!Uv3&A1=(`S{ok;qd$)m-$wlLH60rvy44P0Pks4n}uck5k}q9Yl8&eHv*dYAzjw z)n8G8r#(j}5E#lN}+Q$;ev^)-BMxaZ4+_Y;0Oao$AC5_f+y#x3xn8X#k!j6pPb6S_de zU19ix;R1t&UnzVDab6&5Dd{RRHiz53TE!5&0dVi1o6)3)x&IxLld!a>*5xS%+XaBWMIc?JSl`36*Bv8q9>uDw!i_+GR5`(sR;t z{!0|Y6Or9AoIaczGl5e8SN@yI}$IZqTgbUpwcAVJpWLZH(k=<$s z6U-@R;=$o=l`~P!ZFCq5c-B!QtWqp+al0ua!o$8p%AHasQDK%=R*d}bE`#5S9l+D0 z_91w(;Cl!&{AINzZi=xDb38j$>@>0WlI7P@Po!`}O=*?d0q-+yX^5ixr9B{RIyE++ zVQxn=i& zT!NPKIi`#bGgKatGFQqxDtv{iO5!NKVd)9?s2Q^h{6*%=SRi8|4F-s3Uu5jpp#^ub z*d<~gBg>~*QpLSrG4o=n32$`pCtoJvaS6*QaM%I{x;R~1Os0Fzj5kAQR>@c`V+{>vl_l6kur9-`HGECL*9m`K_IF$JO4>+Cy|YXdd{y(Y2D6$>UNZB{kTN#O+${6uV21n)LrFAn zpuoLi=E}Q$)NPTuRpzTSxi*xVCb?i0M_5#Fqhz-j((qHTG4pxs-eL=3z8{5vKTCspEY+ z!Q!wA)CW4jPMzRGo`8=$86S!Cm&9O@ny`nrWhLkHLS0s>3IO z_X^$@VC*&#b)Oo%pcW^<;XV`mx#0hgtUrOba{BxK@jl!Lr9zT15+$_v*=Lj}kp@vn zrqn*?>@(DvtbIwY}?-1d1s zuWMcFTGyJcHLNf=Rfu4$bhyum2(J>nTJRdes>&1TVhQbJ_{ZVi!y>#%aI5Fkq`|+sd(;KkeBKQIoom#5IX>c> z<0mv~gl}Ou+9oLO!j_H~ry{jidACIgbYN}o@PcdOxpxq}qu`DPV=0_u*va9JV9~|yCIi9(z z;C%#lGq|KAl??kj-22%G?EJN$--*^2W z7dI70v6sYz#3V(&>&X;4xbl=Zb9=dJ8^8a36zF-%N%>9q!jJ!iNd& zE4ZJ**zPkK4tMy2rU>^Je1za54bI0MgaHn>EsO9`f(Hs7WN>kQeliSpc(3~-JVfx( zf`=N6CA{;(F%DmNS%i-jJWTL#!fZ09Gxb`)@i^!Ey%PE3#h)O41bNmX${HHNiOyd8 zOJqliJxT1zWL47FG+_rhbhw=2!nYOi^*dF&<1B%C-52IdI zx=qgQa^{*-hnZy)FcFIV0C%{v_X#mvcgnd-&fRnvTeZ0H@^FvSs|H2-UeWVJ-$$Cy zFFg(e3+{J#zt`{^j_`os`GOxbn714ra(J}e?*hRO3x0$!?-yyWLc4NcgxsU<46)Sr zn4HJuJVA${!H7C+8t3rMmbjl1yioAdgjrp~#LHSN27{-@$MB3>hb_e)afD}OJtymV zv+zkc*?>%qqibuz3vP|K2l1k;mt?(6s~ye-E3X`r7b@#=17lusuf@Dq<-I0v5k0mg zF_b2QZB@##{>kgEJkTjVkvF8gDdjCHjDx(wWN~=g;mhrV_&b8%6}*^m3|A^$QBiFJ zcHVPuvW4q?c}wJdK#v(r$TZYrr{LVpeCX1Ii7{j!Nm?rDV@k@W(^yI(w@z>P#GN7M zMdwpFpUL^04)3PCB7-4T4)6Upe!~&I6#SLoWrX=kVW$Fg7>^ELJ73v9p8Ol}%f)|7 zUfCN~EJJ4o29b;b&*hzcaGGi2YUUda}F&q^tZ2?&=+WbK^XFa=**i zAY&s9=AkeO;`ne3iV1(XHqEp@rTr!CZ)$uF&@e5-;R_7jB)HY{YB}IvgNwpu_^({M z;ZlP)$4_WC2;PD)^BZ(^p|-fC(=i8W6}A%HTJ+YWRR&`S5B3=y7q)TX*S%s4Z7ZRT zgtioT`fLSbXFI0{T^Q+hqT7q^U~~a?JZcErJ6$~yr@#?*5WS=5j-(kW=-(>}J2^bw z8W^1f?<}}8VU zxIPk+S~l$M!YrH2*;T?m61tg?N|huq`=>GN>%!-Dh5aOSm(YWPUR{o!YN$t-1BOkx zvz_f;)Kks@at@@!Tc|A$*>I462g3CvEv~&76}JC-qC8Uy@eklybp2SX$96y!7fUgdU~ikckL7}ahROG za{AHXB`^pEJr?0`$8S&KR~(_g@FRpD`7h1|j>7=Q-!l9t;RA&a`WMg3!^UHS9lz7? zA;OOqK9o2UgI4-%YRHCTTnIlXG?-=~VVH#B6qsuwF(f$%?>Ogwu(WWz_!GpBAkQ46 z9D6Ub(<(QQA)M&iBY(upjFfhgw3Df^Ue#2`kx1DLns~X%TBo@9{OvJzPnCF@#8DL6 zL2Se(yI$g=GH|+kt#6IqXnAAgrRnjhlwo~I%q}W*y!PuDzB1wE!ZXDA;L%h;hRB}M z!cgH(o0@ouN;y?>s_8JRMhATu>+I7D;`zsktr1&Gb|?ISJ3$}qwVP0MV>YHJrJLgy}@Ju$o51SUF{LTy0T=@Fp7#kNzxKP4$ z3cR(v;({Uz=SA+c?i<5-v7AffTuLWb9j-%{(`8Oiw1~J|^cA9KkY-xVFU~JUd6U7C zHY$~`bnh-J1h0}eQ{L6|m^c{e1u5*8RGj}`{TkQLw#&|vK3n>=)Y(P*Z)D=hVUPy4 zlSP*;22)(;CunO?IY%eBUMIMLCty7y8>2E6Zgk@ti_4p2+$`f38m!u&_d3*1P{(k2 zxYeccZ{cq^!fldnmo%3WpI9=PSD50kfjeBdsH1r786n{=33pT29)F0L1vZmM28(`D zOdh$%)$46$)4fvXNxhFMv$aHFejV!R;eO}GFx)u81LEh4e~^5x#Kmxrha6sEdEf%U z4-0;TFjGY{_WsL;N1a}LZ%lWOiGE!46QmitSaA|NglDjF;gfE(u>qn_$yg}kX&OvN zSf2-T5%D>qzLsA?`-0QM1L0sBv(iTx;WZLCQOG}gCb(bEoYrP@qO-XN2Qbd=Q=7qN% z9(P*2!aIWB6}*@*Gx1dJTl9O5_Zt=Q_k}MJ{(*hAbbI6+g)Y2Cn_+ z(r7Dm)=F9@=_g9e*O8B?P((TPvn%QT@jAaq`Bln#DtyIbIh7ZFbKy)YqJEdKLBd7~ zOb#fbFec04QY)PP6#SRqzX>y)7UdTeV&=1D;{Uj|;-(m=P10Jupau#4^-LVYv+$p} z7Ri~Gn{JMu&>|7N1!;x|0m=(oI((0nV_OMsEqH6f3{j#e#V;8aqHSC|nWZ+4u&uN< z(%MpEclf_KHVQrr=}My8+|IF`pJO}AwA<+%?RAb0JO@V##7w&Y>u@B!{N3K=Z!Q1c zLGq50J5pwr%Mu5TI#fpfTj1>E_E{E1on-GUyEE-h(MDN?<)4cFp8{(a_a~XZtNh*M z?@pi7c>le96jm4!n~zpkuEg5I&#;Z%{GK{P7oA}*o`EHUl~|aGP@G?w&q8HySC`wZ zca^%2)NWMyX8v2KU^hE=Znx58KRMmy^q|8BS%Nz=?LafF_-4v=-A zS$OHvHR$!qH75>o>jdl1?jiw>4qV2h;4`yG z3#Bf7ZcnUCQn{pzNmxI)5j#+^(+f-Ay7YfGJFikwm85D)OsIIjawYv(7ykDoe#a5U zNvM%fOMy=Yt=0mxYA~87)VZ?5P#IY8N=k#2GpO(y2pGOCmSeh#3;S50vJx64G*Mvn z098ng>K*U&0LBT9&@6g_=oZp^ZIO*-CSZNwMx^eE?o45Ji6fjTXOf(==r9-K6D`QY zH%zRQQpTM{GvRDk*Zd^2RX9iLWU1#;<@;pM1$qI#MxW=}Kugi*OPeBXDm4b5qecQ| zc8Mn}2Qjk$vkDgzA zt8wRTb8eG!yPUanarj<>U{{#oJA34h-3(vThx`~}C8 zpXxTy{t^C?@Ry0}O;6@yafnx(zJpH$M|f5AYoZsCX5NGSh8wH6`%pH#?#hX_Alw^L z-jwnd6`rdZpBlp34ma4wM(+rISMXxO%&0ID0!syAE9CcFSl=(ExA!G1k?;WpJ_f{S zF+S~L6Ht5t|InpA7NZ|YS}N&dN=&4=@mytCBqkF+ac9Vf_!ExsshrQ`d`^e?m2wYE zKh}pIEFg$(#xGpW%Zp+BQtDSymr>3$4 zCR(Wel=hdjzo{{qVDXR|E*BmCapB&|7_v%VrLaGFGrsp`ur0!Nu5|uPm%)lzQrb)DK!wR8m7hql-+FuJ@32ekAbv;j z9mz9!G-WHYVJC-ow-0Nb1n(@kv%wg{J2C9y@cnPcknAdWH^I9boL5wo3VS%b#s;zN zDY%Q^y$t3yR$*_4-&+~a+*R;Cg1ZrBF;#);&A!gA>KLEyeqy_e?O|+T9#+S4w)oKIFM{|5-6KDM|T~3Mla{ zK+~rtjh#WtL!lebShJ@{MzM?%8Zq7Et5*^8J;T8+J!%iNx1>WP^`XQ}tPF!|s&jjR zghSow`5XR(BOE5Dubh5#c=Ls5L4?B{?sK77e5?_Cgy16`#`noEz~L9CM))Yf0|gH< z7#~&}!eEDQwIN7D1RpJUC}9S@sqWu6I>w#eb7QO?D`%LT;dGcD>N4ZQan3HX`qc4a zPY^qTEN>GNz0%=ChfkUiLq1aQNrF!{xULrc#iux2VZD>53O-HnD8lhc6_lbqfpn1# zr@OSsp44bbV&YsoVU&D5fz!0+I7F3f2iA3(i?1_@_S;04OCN(pk@ z5S(wY0Rvg_jpCcg^C4#&Td-;|Hb=*Y)A8)`s@gkQ?xkAbeDy$r$6NA0oS33T>^^#vDe5UZLiSyo5`N>3Xh!+QF zT;tZR7Oq*cX3M&k7C&IZLh1RRfnnFVc%X@MBwjD^28z7ge|mw?qjRHMBP=_-N!HD> zZlR@Akj6UfO%09VRu?wDkF)WFw@J8N!dw#&zC0{qmkD>c(8t1cr-ZvC+)aU%-jLzA zxO<$QX&L&xqUVXek901($|A93QAT5xU3W??yLv#*d^r!&;XSAtfCUJ`LoRH4S$vQS zBs?tP5em$+a1W{QsKbX^_#YGexZo!UtM>%cV3D6Z>3FH(PYGWr{AuC}3^qk>-~)fg zg@PF|FwaVOPQvpP_^xZWA}+A&{5Q5)(Tn0=68|#!+-sODNTWlCtLeSsPMrnnRXMN8 zSwx2)dT_&q|4CHgb@$FR?+tlx%6p3*UlLZt5kA(--gc#LGTzQRQr?xam`W~hOlq;6 z_ne<*mv~?N67e69XY#1VfZB%eq0{e&YCL4@CS^;hzcr zoH!o_hehGNXbfMt@VtGB_)@}G5|&Yjp)Y34e(n5~7W!|*FBku<@pum~xT`#T=ll}` zVt~FE|AY7y0trI1*y+YCSCS`dHR@Quy!6Iu}B zw;-Q;OY`#TE5eqJFR{RECA_upt%>t)xhZG`x*fwdE?jF(_iZJ#kN6&9Qw#P2A+BY72gTq0Qo-cD}(J}O?JlZ>5Zbf&>9 zEL)LIhg}>lv6kPif_D?VJ7ET=yqYaIY}4obk-klz_%7o2BA-icdHG)R+S{dH>>j#G z+DB41O3W*;LIek^avk4&U3p}5yovp!beGbD3X3dEg~RyUT#FqezT8?|9j%_S4v=*q zEoOjNZyPBIr35nBgWPF#Ky-S^Nytgk$(6-<1+le=M3v{(2D_z{tbADowD{2RPUIy* zq0=uIT_n0#bcxaUbby7h4tBaNKSALLy+t1)x{uN58NmFEL!JKL&`2L9y07Sdq?um1 z#|>uqXT#wx47P<}`%5@N!jTmCKCsIdcRIlFZLJ6YDB%Nz4$b~srkSd7Rj4aYe=+t%+qUhoNmM-Yy|DN;W= ztB>JCw^|*GGvNp$Wt}AJWLkV&=jG)w=0r$srS0<-iPKHkIB3XQj!YfhXLgO-=3rDDwP$i+7 zLazFkSBxH)>av!qdTcci!dMso&u)I4#2SgU6q$u&#&a0E8X0apvRw>Yy^IDKXV75S zu#zkq+{hM!3nOi8T~`!O_p^oE#`6Kt3xB!+zaP9Kj@x# z_veeBB7Q1)-hC=RmB21H4PlxK9qj@aNVrhKbQAOe8=K38i(II)eN`@&aEXLVDe#GK zJzNcD4VSsG=I$7#%Vk_4V+IXI7K)6Vpp@K;sw+;aq9FZc$+xncm55R@t4Io#;dt`XeO zd05ILRQRlsno`YG)n!%TQ8)IqTX;;y<1(J0!CT06RG^#UNf#cqZi=TQER^sx1>OQK zf$8ZEcd@fSEBHCV&lBdW+K7RHXg_D!jqrjyH{BfL=tVg%$$6O$A3_}K5MFV9nGJAw zRs3t>7m?RPsMQGFOnBXenx63jZ%BAk!dnzN4%@;p6bs}g&B zJAR8r)ThEf6aG1Iz89sj&0NM0Z(q3dhqar(l=PLPWt4Oa4b_}&__gCht%>@L@a4k4 zCC*GRPM+Z6`nbqsMO=8e{+0=Edlhq@D0K@ z66Xc5l4N5wmORFU5jRdcCO+vuW&9=MZyLF>BE{udu*We+X#C^W{&v@!WVL!(jSKv% z^iiIBIl^Z6A=kJ#WwUsd&G8c&7vi@d&x!?F+jz6Lbb9EBNN**&wdk!$Gy7=ZcFR?m z?}hIYuB?(FQvAdIHc9W^A zM9-K8V}w22nY>Lr|DJNX$k~eyBQ;%Jh9<+_PG9>f&yOo~6}^w>ZloE0wG=Rhj+g`hWRkTeFgU;%%q7jqy!JDuB;^-?n*C9ZT+PjA>~LaOl=%5 z!TkUv4RGmltMwfvX`rM*lojTdB1Xj`~cV)t{Zq|+pgqQsy<%FFf8o$kh=W{j3GMn;+jFTSy;39m5CjsLST4;RR|P{wo`?O-6u z!c&@X?h<7XOvoABF(&n3=$GOrj@$nS8t_o4U= zN4Qh)U4ri>9P=-A1K;EPbUXRI;^&FKk33_P-O_m2*>JxLGpu9!0SWUZJV=2zToKqH z$@O79Y(k&W*_NY6vEnttyd0fsDbaE-ZIa9-tx8X@Q-n16t zQ!*CHc$$XFlO{arXB-}BZ{M?mpA-B%;aq*QAUDJF1sCR7cwUt7l7yEj@V*1qlfvg* z_1(SV&U+JLa(Y$HYjPIR;b@=~R)a%xtO2V;*bZ#3yZVG(?hUDLN_~qe(+J9-YJA~* z+wqCl#Vfrd{9WOTiRW^;f;@DA<<|Ik&!t!F8t+S5BIyH4d;#MpPQL3Oy3)&fl0K5M zRLaM$V7?8uglBEz6IVK|!O3uhPo;b&<#Q^GIQx*wkD_0=)6*{VrJS$iEHkI6uEG12 zzjmjCJ^pXxESK{wop!hmI$m-g;IKpvM}~jr-WaPbelPC_c`NAUY8C~lnoJ|d39WQx zu|?b}DXXQdp%P;|9~Ji|EsXG^OJA6@R?<32KT%>uDv1@W^1{zfpR)&k#1VcG{j2Ep zr1>7#q_rqr_|5t52gd~PyZ8;_H^=SG^VkLK|B!3<3>7ey+waKkS`WkHrX^YB4CQ0^8(bRSB#~(Nc*X zMx>CMG&fg6YXTeFV)IdSVx%jmhx-=G{Xv|dCAc+&w%miElBLVQV$@Sq9#%A>x42dA~PplvDPxyb3hv*{M;k&-3iBXP>wG=htrp78f zuPPwuCMz3hM&t5X}z2*dUh(g5Da?l{Y;F7DkKDK6oI6N|3O7eiSSdcdlX zVw-BQ)r^9Y`zwNhcLW{blhQJ7SPOM)0XFm<{{7RNFo#qWvUwm(+vOe-bvDMEkqZ-4b?B83)KX&-;)O#y}Z^XzvCfAvgecb7{JhAeJ?(A1SkfhuE~Ui#X{uwNc6qqW z`QNRve!2K7#Lpnl_lP6U)8R^|@47X{)>WcsioTjOQ*JF*0z|RI*@D-&a>0>NnI&bm zlxwN*-g9fiH3d}T@GbZ{w^mq=K1bH|vTmTo+sF+f#uhWqA7BHBZxVmA_*=-c%8xcW z0#>emid)_3IXH&wHaWM;nM;THA)*$eow!bqy3+1&?VGKlcBizvq}@%e9ki+zOq21u z!e=%2w&)SPd*#iOcON}P=($!ME66EkJ&q3Wr6UA zg+D@^PpGpukt$S!$)t zt8!kGvxp9pFsgXiwElIcS6ScD8=~J7{TAum3&J3khqs+yZZF6?;@=g&*myJ$P|3l> zALrk<#@+kkmx%v>yx#TP7mdo6hAe6@AG)=yJl^+5vX;vFm=^CF%K#@hRGq8*f8x%; z7PX(s`Ap8|bQrZxPvmEi6Ug2jqPS_$EzsUGi#(EljCC~~BwVMAIeskql%jJKUvO&s5 zD!hGcTa9ed7gYMgwP%ONEBz_$FKK^MQ(=<9X31zq{^NYw3ZG5lTfM6GE&f$>p?!-= zcNJ>I$Qn1puemnvLT}^ZC$w=TZ9z$uMAZ3M<74Tsd~9sO&0bHz~VQ;oF4yQ5=(i zJ{gSTbEn99&i0hkMb2Jy_}-SHfz9Esknk|}cI(`a@JAe>tE_!wb)&_&LiM3RgG%;w zp~O>%fBEjYczC&VYo z^Cs}9^Vws_#o^KHaO*gG;3--8vI=OmhlN3c+z1`1Ft_r3D0J~48!1>Mu~=dW#h7aq zG^hEsG#d_f=R~_$Z#jp^=|hL5O)2J%9O~?|)_gilY+tec$f~-5zK1v<>Tp+*)<)|u zjhHD4r#pPI#mQ*FV+5xOGnd6zJaj~9 zW{?}3EbA|mQ7$7xgIT{BSnWDLRJioFNtKeSBvn&l0z$=@J5Z@YIo6$b$Htd?oSYgt zwR9M#Xg!UqLSIj)bKzlYsMJenkZ^_xxbfm9^oWPx!YI4>tb|4hO%xb~=#Xi|R7s}l z@vd}Pj=$gt%~B>vX`vF!;*!#qFwybRc7-#APZE9>@mx7slt6@`0~mSD*)EltbdIFS zlFp^X2Z-(y4B2ydZJQWN=L?=9cq(DWEV^^5F-cTe;52t;ScUikITy;APDlB2Z9Vq! zy~yc*tU-6N=u1RjN}4ZnJ@)Rs%-LT?#?V|Y_6o5x$TH|zmWo$8JlY!TR|%de_-eu` zMLB4>zA;?meDg)|)j7Jn^yCJ1!H<3j}UyX#yivMSmf3D--wfdWI`SdWHe$umsorbM3sF7Sd2dmSI|_(cgXNqCupk`B5mS#x>C`3vlu z+^gbW6TirKEPTli0O57#7r%(>;s|eue^dNh%2^#x{OowEo8$R^5&o<2^~CuEkT+z*Zw@cF%;9&z8w778tXBZ@ zBDts}nv;LH^2pWk{C`UMOUmC=n1ax(LYmICs{V1O%{u%EN7y8%)oW@d;9osxery7W%fL z+lX#UnhyY77#Td`vap>C8!XRiC!xKB4ip%g@mMPz-$%B0{85|czk~1{g?A**ng{nX zYrt@*mavl>lgnb1c9OBPjLtOlgsZSjPkGqI@pEjr$*#h86TUlfUI6Wh*qqqIjj7h0 z*i%Lq8GF%Sk54MUDDS_s+V^&^!V2uJ^7fI}jULDF@>7%d_^6GyubYFc(`P@K-DUQm z$wyL}Zownj-|0m{BYy>1nRM3 z_HoW{wCF!x{0ZVmkY}!hkA02dM2EY-jNfpCk%CVWd@^CiCGPc%CM+G`_*2%Wd#do$ zgpVT5+_wx3veTU%WkWMZiyb32O_t#(t4Cd^)Zq~;@f(g%Cb(R1hA^WMZR1RhYU&kk zti2+pf=U@xGOEqU)#Nx-cdQ#Ji}-OeYGl;X$Q1|U&`pEzoZ?@_O!Uux0-Ffr77_@WbOqO#l9X{yX(138B<3*NDoG*Ne@TtTZ zDh^@LdM?>8&6PE~$534$H3D3C zyD^^qatT*Rm_dPO$L8pXaHYdDy5Tn*;VQv11z$~=uP_o4Ug2w;KC){(^(@h|MPEyr z_gYgup?Z8ZhFPFh;7T8B*w2x2y_6fMF!;Ig9w^vubm20qJl-VXW(l`YVESfXH42kv zEGXv2*wbRDZj*7ljJalT?ckcs1Y{Id%KIH2_<_!j**k*g3x1F=^Q{IfB$VZ10M557jVE6q{$cTtI3L$H zder&5?fdj&;vX0P1bGIg9P>EBlMe4@Gijd^yioAdgc+ELnCyb_6yX`?6ANNso)!O` z_~*&N`q3@gB> zImZvN_U8A(e-OTcIPbWuK7(rQN~iNz;zt}|mFU%?*BH&9WWtY5pKGPUTG8u7|3sR1 z+8Bp8|LpwCSuyCpi2qgmdh&eru~1uMZphMaZain7oqm_GLB>WJmb<7a`-cnDEqD1- z!e0{prjX0;xRB;QPA{_jZj+5#E+KUx9!3aSGeHa_Cb01xIKn zrM;96RQSaO#Vj^vw*4N$_O8|0%ejNJ9i?@o#(-6{OyTGnec9XI@m6&N1A{WNw2|V+#hg(?-*PgPv$l8k*+re6uuPlRE z(|D)%cIk>_3|&`A`$+0WiKzOpK6c2NOZC264J3Fv~CZFj*>7?!XOF^48|g& z1~Ay^?~NWJ`e@NZNi#KJoC1nC)RQ!z`53qQTF30MvWCeTPK(bCFGn$+ML5p+^DTmo z7k`5I5#*IDFb4svZ=dLRo_#eMDf}eiCllvekuJ}oR!*?zEv14VT^<{1*UDzhQy2*)W=HQIA>Wj%4C$w$k5;=@HSLxJV%8K zSJ=x?DWOV2H3i)@KAxj3GuH7cE2qZ^uMu8rxCW_V(4ph)t$J85yg~RG#1)*T8Voc* z!U!(xW)o+!5*j5mQQ#d1ei!4s_AuU!BI`VBmN7v_3k@bE4BSAIe4^7k-WFf9Geu7l zeHLl9+p_qEdbYC*txNqJv6ID~OO|JDMsbL52TpggSNMFIeY zP$FO_A}4J>>&9clgp0{DvdEA^1(fZxQAzi^bZ) z+s>9*AKE)&-xa%9MTlo|M=)KDUj{7cSk@F+PYdC4D7n86{RBB-Lpg ze)!s*+s*k#&T={5(%BJCZdM6aTfv_5ILbm3M&o|xa{sO41;3a4gX9&Id3TuM9{bm^ zZZ;OzUFqJ6_R(7x_v_&q=OwW-8sc(07w6mM+DU9Lu>(b>5L_-*lIJsa!uIanZx`G_ z-j4D*(&ICTH^|jzcXDN(U8<9mouzc9!ql%zrE;^IcX8(dyUea~c9XL^oqsRG#}@W* zIC<*^3HuJ6#5AdScv?8}scVU1jVeqZ^HX69+DmN^y6xR9;@#*VTvYV*5$$ zF0}{M+|%M-iP}pEgBAC8>utMWPgw`ZI*^u1ETw&{5O$CY57=dTNk~XYQegg zN18ZdN^=WwIb5$08(SA7!ZCh^F^9*j^H`l>n9eYqXW*NNtEQ6vLZJusI2UKyrH_|* zg2WLNcmDsqH1kFDwI`V^p6DmI(5^gECpbwbIGHC<^D(ceq$Dry?01Swn+=XPe5$0= zB#ol<|94fq0(mKxGl=EW{RGqOs-ty+F*-q-CtzyB7ESm+`|4Ke)_l8cnXGbI8Cu-l z3B4QTx#6^oWE4&;2SSD0hu6e7u9RIRyPCG*IF&@{gx$kAXo!nmjdk%cyX-iLH4!I(L5TD7QU!U5 zvU-lCa%Jx{{(>W%BW1FbbE)uQG;1CgT19xvcrDc8kgcER_Qd<+1<#i~MfOzMe9iD) zV!PhlYc|cDzAd~Su6Ti*3*}6w!>Cb@5N4WSks=JrLPmIzi|edc=wgYNNW7FHQ(FP{ zl1XB{PIN(`UV52Z;cQ+Em%Cin6|!c~Vi5VM0W&pFhr%ZocY3atf=?`RX3Dvm4)eo; zLTu=$V&ob(o<1iUvt-PcaV-sA1>g0@Ggx?O!*%YoTo5B~j-2b|+(0K@rKBXm!sWZYcewbzjrYG(;$0H& zrnn2lwC{>xZah;%xW`Yi@}(Fn_v#e$bc*|U3YHS8^I}Dy`<>>oh8Tkj#6K+l5#x3KR6%&u`5Wx~kBNU={1g8VpH~o`bpCqdpAx@N{L|!P z(<2q0arnVu@n)YD{G8zD39DUJixK(Z1*bo^%;iPVFNuDcG&5{W6V-fvtyTGoOZ(dj zIj>53P0}JtF+6BvIsAl$=MBMc3Vw^QiiG^)0xr3Y@fLOAZI_-h=^aV$N?J^bSE#DO zH|O^pUb#<<{`Unh5&QvR_A{mH#%IwP_o3r`-i#6Sk?^I$KPJuy!YYEGKXLj|`^xdD z=+8udZggWg=`Wm~GCKz4OVMA6UPhWh$(HNnUps!1wTizHzFhdX#FVMvCyJ^t&DXt zeljD8x<_vJ>7U)Wsk<(LW|WLyWvr*6xheRLf}7yFwj9Fpn`;YxkJ|6jHb~n@jaAJ7D^@UKeUii}zd znXnmt$+e!g-7yNA<0rJ9By2%}@yr<~DA~7k{PE!t-%5CE;ad}Dsh-B z9jUNyqbXY!c5?QnJ7VZNiQQRjXR>@pG3vXilpiBmFWJSVjgz9ZtEAl|?M^9%shBIu zVtnl$t~_U9+EYpwDSJ_2OAohE!oBaR8!?d`4fVa@t%6hI6%gMG+45w@=KE3hYG6zgoE69+pf|} zPC`zSPA)gZuE==~zhiJpaK7LI!nsH*N#*uy427;NHKj;Ov6K=j@%;JWV23|8xVPX# z1o!z5To4X*_!EN<6WmvDKf){*akqu|`W6m%{tM&#i$6mAk>r`kZ2_Dxz=d}v#OORq z!axawC@?xPeh6Fk!BS+#nFU!f~0mV_a!#T}8)A875^o z72Zc3R%EElWWsUI-(#baj~9P}_z~p!ZevIWreB2<9UozXGDZqNN%+ac<1;HlHzdbB zpW@0gi>XtkoF-)y6&YsvFjbG>Nnca4$u zE=;sixL!hogfmP?^Z_G3qO}Q-!-f)7s7cC zU$r5g`+UJu1WzT*EW9?2r7XiVr?;|+P#1{4Q1o=t@ntLFKIIoVzshd(V)2)Vzmz=B zo?HFtGN;$sc!SGDUm0kdT*%r3 zo+V+nglj42H9#X!lcz9*%awzN#~7L;<$5VMP~pSES0XOVbED(`TORS7gx@Uu7UH}D zSJ2B%6AZVya+rM{zD>&QQsz=o$$;i5hI_Le&$`DQuJyBk-6`!ZX?Ig&frnKD5m#~1 z&wE_zwoObN_ez>4={`z)f+$Y1qeqVp_d9>Q6($depD+GF@~UW7kbcPN{`Ng(f#`=t zKSG*GFE0W3QHN*t!f!ajV}c(S`~+d1Iv0>9o!*p+0e?#LLeWo?=G|6e^eMhhWikxU zGcIk_B}&gqdQQ^wl=OO{BiGjS!#d1v9c2;wqO6x>y-bS%tKjVH@QTw*tYP!2=+{Iq zBAqKx%CN2vs`{_H@K{p})Eg4sl<*b>m4yX~RCwFrK^B&G1iveIF=2)UyN)MQ;XS8^ zo`@fDg!e@+5&Z#a)|W66AbjZTPu3Uuk=UhTKPJnBibbJv3#6bO;mY>CYn%tBZCh8mv$G9cTP0_;oHcZK3GQi)OZ@2g;u$eSYlW{9 z{u6ON0*;f$wvbNuco{$92)~H_RrGq&OsD_ZZWHS+yL7Y<O(nd;*B+WlZb?p!5 zkJ%yy=}+;0iT|5C?*Ln7VhU^c$MMf?vi2t7t=?3_0sktJ&_c5{o5E)JG1qoD;qG{e z&G8f34sy0I2R(}{*i@U|(w$FjnaZu?w3f3q9li>2K^e>nccF{r-`h%PBcUw?-Zy%a zv`of!&L4hy3{*Su?ZtN>&kJCz5yniRe!sm7^Q>!N2MIe$=tzMPg+--U4c^J|w}!;? zcM`s{@Xo|}{xdKvmiw!QU0hgjMih3Hu$zS4DX_@OVy;?^65k$fjJzxwd&=k{V=o$f z`x~0D<-y(#PqGKsRq#H7yAfva%kh|z_V#tW^XBo~`w8zZyocdf&WDk+zvD+)ySk_F z1B4$)oCzDN*5c#`Io-_?L@&_^(Mi&5>av~Bf%p7h)bud_IOMr{hPC%oQuC!2P~8ct zDxT@`u~?*zLzHq;sk5Qb^&@Nqf06WJ=_S--`B?a$9-f0;JHfKf-qH?{)`yxB7k9Qn zbR6pZcQ&s0F!6oG_ao0|$qD{=*I^v)M!q!-`pY;%#*sAmt~X>eO_+zonLlM=fJ+N( z_{LF^21*)aQcX2d8KZ!W$H6XrWP=}vNIF{5P)ZCNzL{brG)^%%#*J2GF)bV`W0;KL zG+6Xu83?3gy!IOVcbr?7?G~-$Wt|{v1TDr{E)K9vmGdc!fsx`*5`QxJSf485cYo}Q7Dy3CPtER^Hv#}l{LdH70qjj2&6I>&>mM|k(E1EQ7nLEw? zsB>$WO;E3w)gbE(TFhlq1qrNogQ7aPaH@qVE1^+B6NOw`2@jqFKhe$|@6HVC;cu2R zK~4*uTrGniI~*>z3!EuAQknnemgEUWi8obCGKrSb8cBYm>;bE$KX zQGHoB&(Ui~M)Z84Q-n?>${73iO3D1BqOTA=!)Tm3za(7g^uTnauM#~|^wmZe6yXzFxW?&{ z^CCS<^lZ`B8l6lP;x4aq`hUAddXDJpMc-g_VPO&O@Ogr;RQyN>5CLXPj>HV5FZF{ha9MjV>uH zODDq%PM^In(l3gBN%YG`CyUDJ6X6x7@97%pS4F=jdXdp3MP-f2@Ve9YKON~eM87He zEu)jg<(Xu7+v&5rMfx4l?}}dRbfN+=_@2`*@mnd5@V@9JqCYSiU&7Og@S)Qsk4O3= z(Mv^tY;IS>4z-_zZd<3=oLmM3##idtjp=?UE;Y{iC!&wjnRq3xGV;B zIei`5UO2*9(d$J2WOPaXxRylt+3A`mBmIl$Uq!EXx}*ki@|)9JJQwNTMQ;$j(dgom zTBN~0oE~HG{io=^ME`AcUZNH;_>a?l6Y<=eM7MfNtp@z7H?5?k7O848{AaGcu$6^m zbNqz%g6J)bPNZt_eennIOHb=r*F;8lB9mtxtyS zoW7bvOh~sA-ClGDqZ9eHcskoVU2EswLG+HII~t7`Y{b|rr%NpcJBi*|bZ4VWit5S| zVHc;LvQ)LJ=-ou`Zgg=`9pZZrr+2daWKYpuMDJyENnTwh5%zYvzrAT)MeifJo6|*g zRmrfg(+e#m`-$!@x`)w;!n(1^u)ovav--*y>?!&H(FYoxm#C}7pem=2v2@Z)bV78} zXoP!wGUPcuz`~spoiDn;=tOZ{OEMHXy*ac?RmmD9(tO3QN}Cc3ZaenuA;*N0>{-03SHigbU`M~FVs=tN-y-n0Quudox-cqH9FgI$h9=r&H(j8?0oLt{2@P`V6NFn~}bQ(`)U?XGJ%PZgM)m8M*ygtMI=V*EMcCyPIqyc+D-HK>xU z^*T1X%Q06boagFiC&x0105N4QwtCGsw%$9TcA;!O-(HP)7OW$yoC&@Pv9g_Ido*sj4+X$9d* zho5A16-T&A@Jzv16Xr9G;c9F_v*Q|fKDIE;k~3S*wRF^_!v)yYIKR$~Tdevd7MO~UOG=2GCz)uda} z0Xs7~zR2by-zoeq;dc{f152y6bD>RqPb>@fxOLjVc#(T$&69N>E#5R%ZO1y~?8dm? zjf*T;56GA=<3Sp{4z9o!DK=L{OFlg0*8Da2BaW~@*2A(Mp~duGiX}E4b#{&|di9vt z$HhKDmSHN_O7QFqe$tJ5>_gd8G8W2snugj2sRRb3KjZWhR!?|V^mC%0H#)zdxCr%k zrw^-QxDoOfMZYBaWzu}e#f4ZF?-hqPJRr7JcvbLgf)^QFf0_*m{~giqieCI*x;VV&^l+o!7rjLE2c#M5lEOq$_|V~57LbnwFBSYT zVFe_WEGZ73IQ{wHc#ofo{!H}e|I&F_m-P#$w;dAcFGYVPdKqcH>G%@MVbtth``VRH z+r%{ajg;k5zNNyjXOMY??;KujD-?V$_y@r&2s5!Tqr;lp_+GuzjXrzC)31`TTE-e0 ze6J>Az6!cOe{}o{+Zu7L@O8p}BF>asi|&-4ot@M-p86NDzlvQ?mZ#>#GAw}oo8!NK zgI{rk--T}wzL7X@6gwjohCduW@ldg?!k>cw68tw|1sh%e_&W8Eu$?;4e7Bu2OcBvO5*t?KpOA z?BQ^~qL>Kw6x>DdUW6H-Y*nTKOD~s)y0|XyPn6C#qkL$6^21YL)oudz9FLVh54sjaJrhKaG!ejXi;aizxY^;jvx zqztFRloNM59375xVZL=JA1~nq2_q=*>7sKKlW}WM{W{T&4Mq3^jxbWjNit5R!AoE| zTWeM zy!$?W#}UdTluO7^V4|z7uP<-G?h=k4Zxc`}g;xo$CeG*95Jrcw&Yn^oZ(y9*8nLxx zdFoVtUQtmh)H%NC82pMO)C+GAe#U?Bg8Wnnj;}X7E4)#76LG!lT>pt9SH`=rWLgYP zvxEr}T1>z|;zsNYR}&_>Fv0c`J5$0W31?AY_{*CD*24~GJHFrl#q*yde6sL!i8HUQ zz#5vP!+B1xw1J}Mi=HBSDrp8kzo;ykpGlO4X)f$ghu?983nW}9VLAoAUd8E>@^F#E zE!Ob6Snwr+FEtoj#8iaK9PU-66Jw5n;41{rFgT5&FyTsv4|zVqR|%de_-evTm5I`# zB>MXE^E1iPaE(jjthGH$(riiBQc|kKS3WEf(-N+8VY5%;Rpv;zUcwC&c(WW|9&U7a zYa63>li-^L-$I!ALv4D3p6jj7|JFY~sN2NfE`Ba~rJSntxC|FPxWk1>R!rO};Vubx zyD&b}h*gTx;T{)uxh7uWUJ3Ig+(&^SDoriotf@pc~&KVSTV==T>0hB7^ugjJTB!4DvBm-YF3jS9iDW4^?=Af zC4Qm!r=8bSKaBiw{^3E9e^&f+;-4qaXI5T{m+=LM53)gUFA9E1@XLhxZsp}CQfO7a z;`la}dA=(AHQ|eh^O14#Q#nR^hu2*=)B^v8gf}I;MS(HefGw`L#3eR}aN~!H82oo+ zyenfd4ZgmGB_*hezvuMcv+yI1@V@9JqCYUYD3K`24<9;x!0bqWBzmdnkN-=j!Y5Am zH2PD~pNamQG~)(a*`VZR)Nl!uHh|-?`HH*{{Z%UL}6D_%--f zr^iwiHJO(1qvQWOB%Xe)@O8p}BF+?D%g^T3Tn#Jy?8-hzMCBJLze-t8r2~|jbaQ!i zC5M7xtO9l`!-}tN&bKD}?=m;Y+(?t3PfN?fACB&9!+8G``j^nZi85K2meqvtkHcLJ z-XyryJF5HRU&YY)`kI1N*bM)ftN0&yZw&wD_z4w%(OZyKE|<-s|K8!_^CP^K;MRh- zCae^#HQU&l+s2J~Ho9V48Es^=rNQTmakY3{VLQifZW}MqPI!Ca9fLfL8KWJ(&z{n?06@`hX_Af_)y{uN`78(3L85(y(Z05=&qD-WZ7kz^05&xz0!--B87(G(-Nup0SI+ZF(6^B!t{`2T~?o&md zCVJF=Xl(L&y3?Btjr3^IV??J(GkKx^A{9y~&^ zt`uG+yxMT|LRX=8c&y_Sta3C?c#ZH{;*4-if=(2KI;Xqm&W%dG=mybekmieoW!_No zr_j0Y!loWEG+7Ca5}GJ5@U`e9#qx#Y9iM6KlV;%)gtrh^yAplj6P^9cx;xGkJ4x(W zWR?Av)ne%-hd1_!N&FnalLenknDt()hgPl~QnPbbd-R6g1_*BgG3Yg4V}b+NQdq+LplaWpoK0l%12?09GE#<*Pg z6~bo_=MyWd;l>76I{otx@gA-cJyZ16PS<1TZn(zjW$Pk6OZ05f*OF#Xa=U?s>m1+C z`pV`Azh3wa#2Kr;K@+F(-RRPb!{ej4Nz%=dZlT0j<-Uv9vmo5+{43V0eVh2(#m^}h|Bp?@Um*Tr@sAjfk36+#ScXTPud>?UW8xnd{{(r)C_X)6B7AX4 zqBvC&o^)xUl_*b1S}5shO1x?Aj$2<@AD(f(z0GcYR{V3~pEtf7gLa!ScJl@2zp%=} zi{f7r|1x<73i~sc6ekLc3-hoT(km|Y9};8gRY|W&T4d6=ETy9SB((6lOCMYGz9H#N zNpG2iS|IMfD1liBMd59i-m@#cBk5g9izzWv;-Yq3Y$&|v!qjE>9Y=Uy!V(D|P|*D} zB4~L9MS1Lt{m`W~L*xB?Bx$Lnk4?gQO}w9E5sQUSTzYy%ywazVK9lshNf;@C$BBi1 zQm9vc;nEj&r7tCYC21KYK2Efq>#=ik_}cjj>;3vh{BrT%8lSGjpyztb0C4`qS7V^Q z7ypC!737(LU|T;_>{mK{ZzkUND$%P&uOZFQppPuwh|1rO&L41Pj_!q&y3SLi`-^8$DdpQ?L#OF6uUVn3I-`>&sUDgI!8)>zJg{B5>7#kI* zbDP%v;ob*d;LkY1pYr~a_cuKT4Qr}kEmwy-GRMOaHVJO^uG#|lSFu!|#iH9`GyG?+ zEpUOoQk&x^v;{#8AONC1&1FZTf$%$J~m;9grg-4rNFoL46UFaj&XcNLrg=*3LhqXIB~{R z4sYQ!&*NNKZOZXdPLMK!3U4E)pgd}<3Maa=%AApMPLgvn9X`aIQ=V=Kr?|1wj8kQt zCSw$hTw}H|C)GEE)7_b#7jI^?oH26J=3qF4JEiV?-aa~Ia?0go=rDpO)Yf1Q1tPe@ zg-!FLP${8GLNx{6NDj3PFbR)P4!;C-?^`g z_kG^^JkLCj>HEEY_c{M_&i~x!+~+{L zZVTd*oHM1kDtT1$sT4rLKA4n}FB23EF}kACLrD)KJsflpAm6?CNpd4hDW=M!R7O&H z?23{r^AK^zecY7tsysnu6qP4ckvV(i5gqO!PnlAAf?v0zsf?jA77D&Ah?8_&MS0Yg@dDdMo4DDdClMq?YvDVJcIB|h0}8fIQP22>+AT|%pyFS@EpKsjob^& zOG_KXH^9y{r~F^?pXA5Qqw@xx`EanQ1P404&h<@Gp3uYG0xEA&SqSCo19ql++l;&P z=(~uPr8M59u?zj(lx!_Fnm$ z{J2eoHxu5Xu$-Lcx~&Em>h2q|jqo>ww*$srkec&ImUJqN-mJsyc97ml`a96P=$V}3 zb{Sh*Z~yEjyNB#vu-JGo^Fu1nnD&`bZ=`R_ei{d89E5?k#3#fhhTQi?XIGFv%8&bj z^dZuRL1TNCYwGe`e0qLXraNNFaJ@c#l*%zG$DyG4DKgRU31f@@h~iTIB-vABe+0`e z0jAZF@6w-)|3W{})8x;PKMNiok(?M0aOVt;oMUYn{7?8i;R}G#5E)45elfO(o(B9% z_9EHez+zL8IZor``{R<~-(l(H$Nf(H58{6U$7)aZ?}6>>{xTzVBL(R((6~(F9~fx4 ze3$oi{~BCGZ;Jg#xX^a?800rsOS()5h&QJcmOli2hIx9VDk6W9J_Grp%1bw9Af~Cf z#`q1|eJMu1IQbIb(R@7mBV%ObH1t|CN|*Lq&2=$qUXd-SsB+ zDC)%E_gn`kxeJs%99QPco3>-O z{8#yL6{y`zts*oW9fruL3eF!@$%Ku18?-WoDio?hz_usXB4m87bRUc#q8A6Mk*`j^ z26!yV;LN;1iIE|xQFp5u*ADheQj^AQG-|=%0VP$o*4hRq=?wIGG}niwJ^HtbMi;|arcmJ zN%~&UI4a0sY}d-ze!mlyTMlH~kZlW=`w4o;Y4ZAX*UpSO+C^?pqXUhOFwmC71i2LC z?lZb(TVMZv(w#^@02*JLBQo*D?58{JY|>5oHPwYuS4!O=;ZTLy?PYiBZg@2vAKrs_ zPvX6RV|fS2apyr}pVCvjhsgFO+XpOKFUP=0U-z)lO&Z7_<;V3U-H&uKXnwSO@r8^7 z>Tkj^ox&!CLMnwc2w0s13*;?@GIY7G8(>BqokV0HjdU6rFwppPm*pNY_L3e12a(Mr zn*|o@rGJi0XdrvE;g$BuU**T;5YHt(7&uxlXDZUQl)I?Tgkx3wW|l`GpF#lytegSE z@^aF#A?uholt)5yL;_EoUlnxjcE=^7Yax|tM^A2*%!4AL_}V>xpR`e)>&y4MZALq~Pa zB0ih=9L1AmKxcNkn``)s8(3WW1;pPVJ|8&Roh&c7dDGaY8$G*#>|10Pg2iVlJuJS` zFx9*Drza&cgZdTivz!~GO3WkXB1ve_C$(D*63m>-eG8wRL)bm z0EL^VJn|89zZl(FAL96x^hMIY8I9Z2?vl}8>jwQh=|4#S2^v=n=?*zZq|647+z3WSpE=n43_9OZV~yD zbPUKB1&{4X8zfx=GmdC;iqR-eqXZ1Bo~&H7=UStO>kX#sNS7pC3N$`wT-8mJ8!iL+ zHstHg`gx1|NBMC#(7KVmep9VXr3#g*P|%j_bQvXmi@~cqd$=0m>V#_m#>$a- zyW|GptwukgcZ6$_zKwJ((D+7?cTwT}9<>eMv{n8pKduh(y2Nh>jzgB5IVNSx&9{2S zuSz5?PYRQ7K)xY(v|MJ_m(zWN*WhpRrlZ+L9-Gqr96j!SHfAmLrjPhj)at>T{`yVu`#^b(G57FvPs}C$RYGAtDTXYW_ zeSK9=_a)trbTVk}OfoC8Jc*hik0kXs<@hA8q)REXP(3d@*9|eY{dnJ!p=5`V9S#=z>HwEK5Q8yB82`%6o`015Nb-+? zNA2vK4EOjIRyWKi$c`fWBv^b(;kd9|pnJ;bOXK8^^5aI69z%L8Xlx1SZ>D9Z%NGy& zGULozt;de1X+1;hSy)&*@@BmZUIcQ_nQ_N9q)5*5G{)1I0E6cMm^TX%FPQL-J{U8R z!XyflA)s$7n?ka@@Gp2V;)^B~z0R+vDU@EKG!+t-U3w3B>F#Bt=g#u~UV~!fhw$slwqsNyLD?e@?jW=k_ zhk@41wHTS8^-ZI1)hjRyNWVpTq0;F&!(~{&+eUw^z1u~k7n5EB8V7Kh236)qbMF{_ z+adX@{J5pW-zB~bI8F=Y0DURp`qGqDdQV~l zm5o%sQblh1V-S!`E9ky9<#?Lk3O7;NOl1ocEC?RYl4tMb!O*Q{%vosXbM*vkH|ag3_kzaZDXV|3%se2IiyB`^ z$ItI4e}Mc!@Ti{EAN2P|S5*23(uYVN2F*hOrpv~3a7RoiR@gWGD1~Dbjzd8C)SP5_ zxblS2J@m+ZlJqIkKZ3@VE(2iX6|e3m!^i0LjMK!=5I+kX#dC(@0h@D1|D&t^XVT|M zUjU6YlaekII%f}ZzZgIFg#1~4+^^&>lK%}ns>_t3vP)kwdZmt-{hjn5r2hnsH50t~ zR=)fHG9gE=5dTf#GKGI2;0QK!XomaO*x7oc^FOkMcJSO^e)AGM&b5>6WLvg|!t!5& zPQY2+8j8rDq!U1~D8%4cAmb=_9N-RmjcJ*BsihdT;?zn&!vVa%>^*YZJ|!6wwq9$} zFM2=fI!Yxem4bvG&{dMV-kb~S+(73>Iyb?=?vR|7o1P)VYGr6xX;XTAE&oM+Tp225 zsg#3)eJ&FtaC38VGF^Ey!gu*?umX*nX;g%P4>EahK}NExWb`UsWtB-+Azc+THj|+k zS}%)zi}B_4&{U0lb@Da9V_jv-?4JYuDt5P;RKJsNQcX&?QK|(A>k2os(xg|7C!1@V z6Fn#YNq$@%I(6yX4hQQ>9QlsyFZT*uJyVLDry>0WDh;SKgo1S?2k2-4_t!>dtk*;H z9W>%-#KXX5+#jQA(ce!n;U>Kqnn)o;AqfIjSAKedjM$JTkd0qE-7k5Be3X0)Jiaq> z<*GU+I@FHio#tKEu}zKXHKErOo-Vx%T9Nym?k-b~|11^d$K6e(8I|U$@H|kSeIJnT zT9~p^PXzCw(vr%(P_V*e1?S4h#({aRl^L`3M5Hy1HZiSp!F!(fa1X*g3HJhwj~la5%h`pzoxp?=+Ru83LT?IvAYcW_SSC&#Ba?`l z(V>Hn=u4v?jbs=+j27g`v&H?5KBVKcQ%I+hP6LgPS+>}iOpPyt3ETivHs~fhkV-n0 z3@BXS0_mnaVsQ7VzBPjgXA;f=jMhl`q=?Hly8NB;NBMC%q;p9R2944Q31N9*n!#JN z9eITF2^T1wG9pWk90uoIV&Ot=DB)p*hXck@gF8(=U$rb#5t+1po^Sl4ltxl|3=*0n zCmOl#af3H}?h~FMJc{s>3g@NE4T7f(o~tLkqX~~8JQgtaVmX~2kRhkvFpG1B# zcq}lVws_ItV|wLr3gMRsPX&zqMEXJU9v%0x;d}IZWE$~Th`*|M@Fa(O&G6G&eLC?O z#Ah0gPEeYA-SEZQ1)4>CHt{*Y(Q>&gBC~`V+#8>{{J439-yl5SV0j;)d(+?rC;)f? z;kO7c1dKfpk4VZGO!Obj_+BrhETXZP#u6CVr}!#ljK9uu@0e0T=T=%u7R%z4l7etIo-Iq~<2f1o%odE~hd4R5H|JU$}+G4U0^xd^yI!gnxzVnzcsR?=8S zV>Jw{4H^HF>pnHOpN-wDC6!uWq3xQur z>3D(SKBI5abDsUA50E|x8vAko968~U{rG$1AJdbBAIKjfe^_~WQavM8PFs%{e?rG+ z93_8@{Bh-RV-T}6oG?D7o5xA=r^x>Z9*Zl7qeM>a{F4a>bp4#BaE8KJ2-u$D6J zIfFM;l)uT3`$hYz}PZ$%F-zZ z2On(~9&9Ub@b7wZQi1TzgewBZaV`r1a>u~%yY!w%W#UzcR|SrRmAR4JEylLfaqrd0 zRwr8nEK27m56{d=bGI7a=@q}IHHqIwycTe5WOAboCu7*FYMW9|zmn=usY~T{C^*i^ zR-YuZpvw&~SoO?0rkiGcS`BD5goS-KFD+w)%uL}L89zynrgxB!BOebQ4GV^-NJ5@V zFy(2zb(}~gL?sCdJ_2c2*o6%~uI-5sjuMUm#%Ek0*IsiTkyl>G_syN=)SK^DR%1F% z=ro0cqm>NgkuS5mj6R`5dG03NjC6C*IELDtu-qJZP~5dJ?Wo=kyN6m!YWG4bFPa>& zntB`RZK0!$iQ$Mmeb>(D)Nb-e`El(@cOcyn zGgk-b|e& z<@=k^O3SBENTrYlLCZ(o0HYgf`GKU0Hu-K?mg%BXJQa?@So3UpEBVMEkByV7z$${1mz=gM{u0c zVJ-hO>1Rkk3mPYPaj}rh2N@^zpEKiCt^YiY@iZpD@b%>lxGxypSL;tCJ&E*W(7wLB z+!%Y}i)PH#`cr7UL}MxpUq2l0UN(A^)}KcD71FPQ_VuGOZbRz7X2#oEe>#mBG-kr^ z_2tuj-RLn|e-`Q4r00MR>f_Dx*ca!T@xIodN8=3|^I-(_qcSeyO`|7h{RO1oBE1lF zP(PdylRKR99sx79YW+nt7SmV)!`GLmo9`fEt9 zCA|)`uP^Uez~1|r86_~zS$^E-G}hDj0!C0jCNBf~(&#U={sz(;Nq+?z_2t>0aAG`m z->=PxVI-~mxJ@)R)7S#T*O%v5wi>-b>u)3d4e9NmgZeU5Gamczw`R=M`a5Xsr12dL zUtdOM?J|0Y*56Hf59z(2gZiPk1bI+Eo=-NTLmA)x{WK2HI0(bnPm;$9jQ&pR|3LZ> z>BFFd`bl9q`b+&IW-QS9M`;|RaU6!$k8>xC-l_FZl0HTHN6GJ1{H z|DE(7r2hoX`tk7z@^TcZ|Cbpp%lZ0$)3{9I9~eRXs2tz^HF~Mm|BrN`@7N`f-@d*K z(UJ*OqOP#~Dd-k#)%r!`Ptq-*Q51%+A4+o97`;gA7b9JqbP3Qw`$OS~^v9y^S~Du+ zd`f=Ybu>!SC5yUz5gdG-|;J>PMmpuC~!nYyCQ;>yo}5bWmTW7f8hZThEN=wSIjX4QMok;p<~K zkdPz+iP(P=%vh}T6KRBKB*F0YWsrW@=q6e}LOM!12AcKd*c0Qa z@SSGl>Vry+X*8kH6h=@#9F=*BjIO8k?#=S7K zeu8UdbRDhVnsgh|Z9xb1L-Ofj|7~YR=FNWlZ%?BGjgBz1e!RQS=-OKUe$t&tKL9$Y zFEd-nOb}7m*^Gl)zYC47G`hj?^<(lb0;B6|{T`%ylI{iC*O#Z|vHw13#tnLXZGGO@na+UuPqep1{L8LQDXMqmtC(0*=Ju=&jK9&3@mO~?##$Xt}emLZu(NAgp zJkt533qbq&G0b%sbwkV;ruB!?7)E3G6(cDklb(n%!i>FYJW69EjmKd47DdADaihm- zi=H4oiu9A9gBD5WE`;yMr_9Kz?3Z{njWIOFUS-5&W>zuAnent5Pt$mY#^gQYDq$hw5S`dRoY5caVT z&6uF|Kcew5jTJD0`Uz2ahnUeRT7M!jFVb_1C5O|zJd|dkCRcRUmLxsi(mhnNN*;+ z1$0nfZWtwDkKAg;n5y2`M&lbA+hMSNQdHXitq}bRDH}jK*;oLH$Ijf5PbHTK^>JQ>1?c9n_DPFG}o@Kbf&g>z}4^hQ?VKzJ5Zy zJ7;uXt^YIW^Q13;4(iKQ&Lr%SznJl-*8i2pMH;`s@b#r1f63?$TK{*_e~|tYw67nN z;Tux_FEff)^K0~P8kcGO10$#}Qv$kwjc%az|07*!7yAM7+t*J_3?*TYEG&Nt`T>=+ zei8YT^aE%Vy~>am4`3g=#*Aue6r)j`MhO@}i)4~$cdgN5AMowJj&w=Vr9cNu9FmSd z_Oa{DXsz{cpm8IOn_vX>Wv6$gjc%p&%aAThx*X`BzU(q#>|^E47^U?q(72gKMHs9f zibf-@lF@5A`Sw>PU4?X2&_Vr3lJpIw{w-##)cVzERHsn`Mo>Q@0}O68I#=u0Bz+s{ zTA+jau}~)~`>x0qKUISw9>vFLJ>i*~p9& zTK^6jaWvv#`1&#}XM)j9wSFS$5a}e)L4CQd7RDYKHsjVBzWoszQ5rEAL4DcY+?__B zz2DP~NjD+g6m(Eux(#yGUHSrMbk+KI(`ZJcISgN4wx1S8uhIJVkZwu(UeH1PkhC9r zWGgfBw0>(EZD_QG;p@lAlLki5(faL4cOcynw67mal#>p*31G%ETK|3;ooGA&L+dBF z&PLDE`dvtOCEX2lP(LXo$3&^$-Hg|@eh(TwY4m~-)W;G1L8B*V{f9{RCfx_LuOE?j z`$+wV&6uzC`_kw~BN>LTFPGi>8~vo#Pa&O3It_GCKb#pxF=Jn0Fb zeSJA6!2bJ!8MkQti8LnBm<+?$mlrL)Xmpa+pF;X2(o;dRzHIw(5$wM&n=w%9Powb) zjaOj=^%G^X%GZo;p!KJdoCU?7wfCF;(j?pz#)sg)n@5d7k8Lqi@mri%2gfy##bnKSAc_#Qyt^84I=k zQX22lSO&w_mz$998C^;1FDLyz=?_5r`qF;vzaN^hLhFA-<6{~tUO zm84gZUJW{^pBR=YPo@5+X6)DcYiO*cu?~i>FIT2MGy2{8{P)Y}q}P-F0(4M6DH4ui z|NYX8@-@A&fyPD}U%?3K%asfFwb6aF{wC6!NpAri)W^n;{dcPw-L?KU8sE^^4#U@% zKJd3j->LO?klso9JJ3P>Xi`W{P^1rFMz+@9O=Ay@y;qEwY!TQa_n9$Vjr}wZ&^QRg zw@B#kjqao^`hoNz(uY9@Es7;2MX^U7F=L$8KT6{mjpH!1e#D(H`aZ3HlJqIkKZ5r4 z!}6vnssEE1&uIPAG|tdC3q$M6$RMNJYW<%{pC^3*w67nHi(!xa#f-^X|5q9pY5ZnJ zRHl-X+ey+7Fk_P%zti}G#-A{>Me?p;qnl}q{w95y^gp24qNqG3BiHYu?q4&$)%yR@ zD72gX0Qs%;6B1lu`Df4vNYwg8>qwU*T?(|XACY&aOa1H3IIHzW{qaqAnKSAC-Y;+^7Uzv0j(p5nR_2t%w%+xD=05ckE{c1F-)2MO9 zkh9hp_OV;d=%q$Y8n@A?1w)rO$<;QxmbR!4>AIwE2OYFX?#IWlkJU5dQLSH}MgtlR zVFdMM4Y@`}U+(DF&mE-WNXLT?>dRXfIi4WFj5S(6kw%C{5)5BIBKHG~KB@I1q@$!` zpfUa^UM@q#%S}~TfICh3R|6VTX+otb6dxd$XYVq4n+DuXx*6%_po0ME6iUxW0$P~T ztCnBpd#JReaxWAgkQ8&RjNYIDtx2~b-4-+hWFl_qT4ASbXUbv?XiudBm5xv}Ai>>d z^d}l{Kj}`S9{?Q$$n>@{#12+3B29rF=W9@cA0uqJ*VUasZY)1Ewrg}|+c*>OB8Zes57%F3-_yBp^#yF#2*MO%< zKSTOi&_O^<7MkOCo-^fm9lt3(Ph~un3988ZA|g?_D=uw%!IakZyfTr>Br21yC^Eu8 zLPUAdl#>m-GKI=ZRHj~0=dKu`TO)@oIJcq-) zXUeS_u$;>KR6e+(M8c6^gv*Dfys64ZR6eG%0*Y^w^us?fx~#ToCFxb9SA!1PB=^%X z7p8O+Oxd6TYpATHvJQ$abfWvr=-L|aIqCJJzW^NsL=)sv5x!BrG^N-beywhxvXRPH zP&7bhAu_t525cg|ne-OWK0sCx2f1uDB|!tWQTc|-_N$a=RQ4fh)3>ICRoOvhCzbE6 zD6zPh3`P-Umnkh(*-d2+mAz2(g9y2OMpx9u*iZTZ>4Tty#fT+Io3KZGZ_02D_<_nH zDu+#x<7J#&g%jn7DGlTOsy#~O7?tBtf;L5C3GRf^+dFvrB_?5~6-M{7JeEq>F+M0_5J79FZm98dJ(8_z$8OmEu%NKna#0BBPqF zHF|~yTt~Vj=~AGB0GSFhp2J42HzlM2H&D5e%1uywKtjlsHhPiL=smFiS#K=A=G zCBm&nx7L7~q;Df#3v>_=m92;)M{1k$yav>vQkTl@P<%j=^c#$h(}4P<8<1`YItYk` z<@OEs%|@oo(SSRs#8HWd;sa!8VuI1tH6W36h;$NY1|-O!^mvXm37hhh21KYtsl=dY zfZRbax~v8?Cf$T|Q_w+xoLk98Dob#eDSv9f-Bg-UX$~a_NQ#AB3!~Sz_Z#&+q+61{ z7jzIH13}_B)})mwZ4$lGno1igZK3#paKyDU`ZWz`Pr3u?j-Z2p#CVxV4tw%_ru5T* z`>AxI@&FVcATL7iZ1gw{=t829EdfRH?`$gwHiO&O^HJ*f1g(hEuuAOj2BgGLu< zz(b^alkNjL2uPAQ1aWZ6!=}8i0ez|Tqmm582gq&4{zfNjKnm$p(rKWB0J&`|=XtV< z2AFbG0|rt_r;-812gseK0fR_qlFkAh1VkbdfbY$0Q%Z#Vhnzztm&#x$K|rFM zq&uU-8jwdipL7A}ARs1tGDouvF=dkm45c!R%5W$_fb_522%{@$z@wx`l70*{1LQnX zdiB_oA2+3Hl3#)+sEnfWBorSYeeS1>E~x>dNsl2t7IY9G&o0GtJj*y!25P|5RGy*o zEEFFg<0+mq`uBFeInR?GPkI9AARrWq=E;n0`R)Z%W@^AhDwC*8hJp(j^3;-iYS{N* zG~<+R7E@@vL}Mxp-z0g%)XPR+&?ZeI{R-(A?4#RtfB zhS!ZQrYm(8>Di>`fDQuWjaPDcOO{}+DQh)g9+fw!%!i@@ay!B3Ycya1>9pbDSx@DQD@s(lNE`|Cr716{vVqD*DqlhIZAwUVUmLwx+q8-F zX3|?g2W^VU&c>lITTNM^0o$m2LuES@AAqS#jh>?cJ4o*&{T*lqgyN)2&#^GOOu0Vd z7kW39JyiBW(SSI&&*<42u%Gk+(g#5Y0dhtj&%rR?n^H#uexP!Q%3&xzKyD2lF?yy3 z93_2>^l{KZfSjJjb2Q8eQ`%_2Nh+tP{0Kz@V(urSU)O-sq|cB(3pxmpv+H;co;hbq z9}W1K%6Tdmu2SSdCys~t#gxIS{7U5_mEWLfn?mlA(XVNnekc70=|4dSZIYv1JO{-5 zWy-S}@HdsqRQ`dY0ZHy(qo-@Yf20fTWgkI)`vB=l$@K`?+X~Cyf{wye4Jaail8yqE zqE{($6^4Uct}$hfD#fT2r&8jI5|%gWaoozarhKN#byP}HDFwwZMtsO!Z}dD}j2lSb zNctww!FrN=NbwxFQreUq8c>ExSt{kA_y9R0DR1;j4X8l+X3`Zw`+!&|o+DQ(nX*d* zDpRRKrRo($7CD}SQEoBiuqxH4RHsq{if@w)Z@bm#h1#Z?q;Df#3v|$?h>VZqXq4Kf z9MOO}RO(W>{VF9Qcc1Y6Q_qw$s??{_fJ#Fs`awioBctEYHr+uwj&wZepiT1VK|Dv8 zB$)D#1|(7mQAvX01LP^(u+hskAVNAyItDrjkVTH?5R*GiDHrtzvc^=JP-zN90}|a` zMlaKVyGb`A-5j(JkTW-qF==5+Ee*JbN=qvDnu0I&cn%wBWlE+ht*Nx3(iVzulME|p zXY@L4Q+v`KNOuIyHpxke1mG&neWonYfcvR*qVfO~4T!nUMt`jVT}XE&-3@dQkRY2k z2aa?%$u4H!fvlS&p8 zA0VS0vW?!Q0Xd{|Ne>3?1LP_uhl4m%)@VQ;m3%4%P&7auLpJ(54H!y#80q1lgMg@f z|8P9W2vh#ifJdo}r1BUPA0VCK$BjOq0Z)(~Mfyq543Oit1mJA%DN_dNgiNEUjG;0X zN)R9qKe};7AJKrPNk2pSS=n>sLa2jB+1onjtY6x zl;Vy3zPW(PTT~WarG(_EXY{S!Hl>^@i>NH7vIL4>40)x^J4RQ~#aK%EUDC@y2a6$t zD&&pF67ZfW)iq!_mG`N903`@Wl*!;fG`fKXd_?+V(knm*0lX)H@3v1&32VSgDyyih zzM@3rIs?agd}>NtRn|~hOJyAt-zNFC`poE%w&`=y>q&nBI%rcQCIQ%gzBHwa25g|R zk;+$4d;nf{V03d0*hG3W=`Emx0C|D5JZdZfTTMyPfNfO1p|Tx{50L8&-x__d2J9fc zlk|6>eSqA0=Wvf*rlf1YZYq1I?1d5p$b%kkpV3`4U_a>tqz{7j0dm)a<2}ANWv~YP zK;;mX!%%#HbbXE(-BSaOl0HWIIOrfCmMEVA_Ma1`%+-LCR8CR(5sC(c-A_jM(ty*X z&yYR~+6RQ=;yFI#oGFVn;Abl5sa$~K1Ee{>82zvY{7U*F>EA#zAR;4@;yFO%k}3N% z;CCv2Q27&z50Ez<{bh8f2K-I>GUW4Vee5{MZw-(q84Alk zgFZvP1{9G$NuPmqQP4ghEbnl`zIlx)XEdM~mEu%NKna#0Ne1R!YxH;xxQ=v5(xpKA z0D09nM~GZ+$|ViBfy#|kZi3Qrh#@c}Yx!>vZo)PS0# zZzEj`bPyn?Q*wt}0&1JmTm$M*sY~T{C_X?g3)eGxi3Zds-GFpM&^|!MeshFKBU3tR zz#UZLsKi6@0doH(!RVD5kVra2ItjE7h{?PM*ptJi^wNL`l_-@MlpsKMO?Ri!TQ#6D z=_aI`f(`-_<-u}}C%Ma%G!3|$N;4|Wq4)rq8Ks5MCH3ybJ)~Qbz87>55R%7gIi94I zDdRMtHI+70+CuRGvM0AQx`76?C*6T`N6c><-g z(aklW3+b+;yMgurVHqTWJ-NFnZ)!jfDm|(6g5m>kbHV7&8t@S5-lY40_5m_G1V^7d zY|26n=u4#^m1HPBASO2#jP9oaDWp?Lr-AkXQ90V-J9&U9Z)?CnD(O@*pacOC+*~kv zxCRU&ok=W;&GaYC2I1R`nolm*|v<4)}OF$%Gh$)LS zU?`PgRE9(G0Wu7EgwZc*z@wx`l70+y5D-q3+j!`2K5oj_8t?>_QB<6y>_vQGn^rt%DxXQB828Ljr5(X%z+dD7!aPXHYR$P_pU95wTT zDQ7fbB9%#0CPN7Vq^IUyG8YT70LG8teEDTl&TGIlDz8v^6^aj#M=f46 z`XddPPI?CEnV@wEWEEjge%+MQ8Ze8>Y$|i0_yF0_<{G_O1Ll!_gY!sp~^}stEjAo;@c$CrhRJk z4sFvK(rZbt10A#}7M96*uy1~5N@orDoXUDCUzmd7GBT^OC|{Z~UX=}0Hd6TtO3)^m z4Z(eF^kr?+CeoWpZvo9VMdReLQ;x{lYRW4bu#L($RJLEONSiRm=37&ysIr5~PAcC) z@okdPp1X{0qyvj~liovmFKEA>VzTvN|Ji3sx(4j0a)8P~C=8Hpg-l{(^otts1L;Gg z4};bK`69vobHtQE8gP`#F)GKQ_y9SlJz?}&4LC{q6zLy9`?V^w#BfB;Po})30jH^) zp>p<$A}3%NWfOJhO!-2UpQ)Uuasf)vCb_oYeldE&eSQc1mGni@zkv?gB)!>SmcmP> z{G|cEQ~86+pHPAT`Iy~bMsLx8ze!&v{SW9MfU{EIyX{|7n%(8w^dFT%``J^F-x`pV z(STx9ic={8#V>&zG_E!JZwGk0Y{oG**PAj@18$&lBbA$=_y8GCS=#7-HJ}XXvZTv_4gzEdQZPMBc~f?4Km{r{ zQ>h5W2gvj|m5eTOzh9x1Nmn6V6|@hC$r51Syv3BdcYCE8mFiS#Tv0;URGfA>ESny`cRP z$cSW)gK1?-Hw|b_r45y~P=bJvJdfJW=ye*=+>{&*c!J6( zDo;WQ0%YK_d&=lu8Zesl7}8@wYk-^};d^tODcKtEG?izlJPXAK$c$;v89h(~o+mw? z^aRlQ8OS^p=o7wR%18~ENM#b0$xs*|o3(TojP9b7(@Y`#66vX+8Gt7?ovH!TNzWiX6SNPI?|qJHdEJx}8Ze8>Y$|i01ObV0VK>+4 zObwVv`VG?aLHhtX+2$CSH%%$60Sld6&vEC_zA2PLAF)`u1*qg)S%kKIsoY2LU0uHo`G5ADS{l13seiF_jfi zf`F)u?EJ*&_cUN7=~bjxgAM|cWa2}Pf%(*w^%}5-%33PxpacPOaoT-m^fwytIqCJJ zzX0t6qB4jYd-9j2Y}J4bR5nui3W^VqgWcCg@7I7$q&Jh^0y+qgcZJFuRU}}mDL-n! zHY(px*$#yPG9pjLAsJo2yZ;P!klso9JJ3OZJiH`tCXs+$rj%;omEBbKP}vJ52#}L_ zx6kNjHDEvK1EddvMnIxGi6mVe?8)DovgaNj@B@`YR1QN40utp6_=wT7G~g)dW2BFR z_5t#Jz!5ViOgX3lC#jsG@*@- zp2`I%K0vM!{$ljo8t^OWi==-8?E|9nd$hk8t^yi z%cTDS9R$dw{$LuJe@%&Mz<*Q<9bhLxero`pRgixMorL8YP(=PDodnWFLHhtX?c!*h zYfNdW0mY~kr&0n+ummEwYmNR?1Fj=ol5{E1J|L15OeAx?Dcv;S1}ZmFxe1C7kj`Ui zqc>_m8Pa7*mjfLH$RP6sj@>D5%2*AkK;>pC6`=$Hau3K=GJ3lPR3=@8bXCwkK%V~K zNS|9wnWh2Ns8pv?0}2D=7FL40)#%X=`E9Ny>Dx%x0?hz<;8y~$C)YM*(Y;=&L!~a2 z+o1#j(g$(%jNYXI^+`7%-4L`7NR-J;uqQV%?h~pacQ(yoKv- z^bQT^LAodDUZ8^jxp17oaX}B7(oO>&qSBj6A1FRRz62jO`mhG{CEbs7GH4$lSHC$f zsJ|(x8jwOIl}Z|vAV4NSbpwnp|FB=)fuz$(XMpwr@^~Z11wCTQNDUZ7C6h`Plpr81 z_Y$*>p05Epq;p9R1|0+>$_Y8g1vyi;YCs;9d@2P{f`C|51|At*q_1Csp`?eA9u7JP z2!+FPO;PsE5vKgA0gqA{N#!vp43Hy5%sp=OMh$p^^eEC#f(`=Y*eF*ACEzJjcC_|w z8ck&km9bEQ0CbAR8GV00Pd`oi8Pd;!4gzG@hs*~m0neGzxs6wzr!t<(1Smm3OnSaA z7(G}6CX${+dNODqAh%mNF6c#5dTPKFDlbu)3WWi3St`N3Y;=ue-<)ZrUm^V}XdfVF zIvf}DnkmT|FrCT_Dl?%30ZGy+dfn)88Ze9WY|?W;GeGV}%Y|cHXPRruN)4DtUS09iu1r_p4|r>32yl z104j&^`(Sh%#kUT+InRigo3IpU^Fy37< z`sg6Pnf^}t57K{vW`K;alvRZ5%YT`2w+8%8`Qk z{MG^QZ*)ilDv-XJbVblUKzc+Rp;XC~4H{6HN);+qp#%XkKH1%3bSn+0M!Gub8lZiE zj2_|$rCUvTSp#ZPxs6IKC_X^?jkS&LsR4CJ*Cl;B=pZ0TE?{wlQaw}JYe0P}4X8AP z;sfMh*U0E>4Y-4J9O-z_K0x}_9HEq8N@op7q!OZ%1SJTF$$JRHMo-d!2{iuI%+^;Dov;~h2jI`p2l59FV%p%NjD?i9JCLRGhdESYGF!$4Y-F&ODgw5 z@d0w7vX#-BHJ~-=Hl*8v_5t!`z!6IAOv%%L_Eb7h=?KLKM8obrqyN=_`$=~q{Q&5z z0&oqhvnlx+(1l7@D&3$kAR3bKJ>89dJIC*6JxKQ?-3xROkSGthbA-}^rp(uK(}$?^ zrqTyW5FpRpyN8V~p6dhplI}-38FUbUXP-GjslO?OH6VpbDwQ-S43M63%ndMly9Nv- zolZIfGy~#da;)YErAJIjzSp;D5S2_SSx|xioK<8SeN+Q-NavCs4B7`s=YS)WoGJY@ zAdgBul>#V!3FLhZLyZ1P1BQ|wMtV5tAOKg#IYMcKDf{*6!=qG2Qh5wY5FoR@xyOyJ zHP|oj6QoCxeiC#LfXTEtLg^_}3TeP-Dr2aOg%SkFX5_{hy-5R}CjAWQXF(%?-`G-bM8YMnym zB`Q;)1Oal<&b@5(ZVi}5`W4czg7!-wn-E7Ry=KZE8Ze#83@S6B_y9TieckAN8Ze9W zY|?W;2LWL@DdGsFxu*QA0rRN5L1jLaARr=NnQt0>V}V~q3rN33dLd{ZAftyk3((u9 z9MgbBR2EZN0>uZ&q2e8*t7^bf((jU92HFS6X2cOn@0oH?1C~>HpUMYNf&g5@`q1bH zG~grBACq1IS_5PWaCZHPDL-hyN-C?UtiD>o_yJKqHRXsZYpATHvJQ%GlYGm5X7m(o z)90kull}su0UM}nr1BLMA0SU~e{J+^4cJ6_GwCg$uL{8R<*lad z(|~PMzM--miVu+c?%x`{TmyEH-bwm9(7IOTW*7F&U8Wq;fZbH~P}vKG0dn^(=Jpx= z@ese^?I(SJ^g+-;fIJE#Hw7f%`zwkD{6OUpmBUbi0C_sp9WnYp4LC~r80q7ng8)?L z=%*8=jMadXR8CR(5lRpsW4GN;MwcAwm*6z%Go;Ug_5re;a`e+VQzmP`&s5G+xd0^y zNRrDNzZgA91AZlak@Rn%g8*5ha>6XD=#nY_s{y}L`Gd-zP=bJnyu|G2-0eR3lSnX}}#+;;6(!2?B7&pJ4Qz8jwgjL^=ty z50DG|99b1MWrhYss6?s6plCpXyVK~X1~ew!gmhETJ^(Y`<9zupQ(n`6yQwsz(j1Bg zgj@@wV;XP|>6WDL1?>Z**Tr#ItxS1Y16osQL!~Vg4UiWn8{Jp~+LP`;x+7>GAZv)@ zuGmM2{;a`yD1Yipa+$nRC+=20rJ?! zgGRT~fQLx;Cfx_L50J4N9EbI=DbHy@Un>2mBt!85GABuYquXgf3h7kRX`p?8>}VW^ zHNcdy8ZeMbI+ctoirlD|*Tcwm@rWtaR2f7ilSGV9I-hg_=wLBqh)5#GN)0jPWepfgWf+y=P=WxN)WeN1dW!};N_r&e z$3O=G5xKR`u~LtllBEm%1eH-#o`m89cQIsJsd#2#|AB_nOhQh8N6xH?fNVz` zE%mx7wKZTCmDyD0K=A=`cYLnV4{E?X(r=KS4_X8KyRhCgGw&006GYekwC$_ zvpzKCwC)KXQTdq43MfGUE{J|&^b8GHNqQCO)u4TVT&(11sZULLM+4SSSxaRd6dxd) z>1Rg2p#h(hUQhZ9&_RIQCQjsNsV`0GsR0|PY^3rP6dxcLUu>U&du)_@#J{37t-@3FN&`_^!Rily^0t7?t8wNIiYkFjQ&{z%8)Kgx*TW*U@%bd=B@IkG;Hb@x&oD(sZ@j#1jsW3u9DG3 zAN6!)(p5-T1?>am#3GpO$dqOpP>o7;Dm9=40ZB3}?pC9t8c>t;ZKP{~)&SW|aUNXz zilPB^sMMu$JCqXeQd0x&pb|$V9!d}(!=7D& z(GxTvk#vZ35@;VFA2LTwg-t1?0TC)uDlsTNK*p8aY4o!i(3o@+(oI1J0eG(nM@-#i z$|Zed@NO#2s5FP-SCL%VX<_tm4Y-GNOVam(_5pI$l_REFnQ~MET2pC5r7e^oKpx9? z?TlWi0qse5Al(sk5P<8(95HpDDH}B4ekz@)JOCvKkast@&PIQt0bNLUCEX3Q50K__ z#8h`vc56TnDm|(6g5m?@ZuEmjpVokfNcSe)2ec26o({)XJ#5NW4d_dyAC+V%3<$-^ z(?9)AScgMz?v)FZ58-!$=PY zePy9JVrqmbpK8FPR7O&H3`!6n^R>ChjqaoYPmmr(`bp3}0DX9jW_-$&O&Tzo$`~qR zp#%YPhUdl^JyZjpCjAWQXF>Y_99nQC_&HN{X~6ST##5O9B?!Q`>fOHNWTi&2VnF+zGYuCWrqe#r!s@e zOejHsT;z1G8+}*=IMttEjAo!T{-MhTW$| zx6*($q}P&O2RaDg;T_+ypP4dP13ss+p2`i@D?1m&*+wYJ-wgw0n!ISV}a!!oE%O${^@&Ddf)7o zAE+Fnau^B%|DoYdQ#eE6ECe(r)#VIHbLWh1Uc}QslRi)S0_b8wXC=Fg?6f@hi}A-> zc>Y)N7s>wy9?i+iP0k*eDb2ZL!n_Gy_?^NZ6#j&8jR^gdv$NBj`^)g+JLRwPrq%rUq`qk;ZlIh z%U@HHQ_|Ct^K%Qba%FC#P+op&T%3#uy597(?`aouH&DNk`c2S_$bU%AcdoRtw{7=q z8M0-`mII6R>IyQ`GE!Z6!>c^$KZXj#Zzf(5I2O8pPQi#|SIOv4_W9zKNmn6V6*RV8 z>B45GCcD(Upf7uiY2Q!uA=Ri=r&a@6VbQW=E>uHvnt8M)(c6gD0*dxzC#R((yV^## zzTeYzNY^EOyV5e!0QV4#ZmBox>XU9jx}nl?J}PIJjf`H=-7o7Mq~l1(gT@D(o|iko zB^X?{u5U;p;Sk{@z&8jiQ<=u)rnvz*E-N`ZCC!D+`?0zYiO`GEi^0QgBVPO?1+pXD zX~H=b8dGROp(zBcAHEgb-DPx%iN5^Zq??g$uC&aMAz!O4jJ{60-}jJiN%~&U*mN?} zva@rBxmJenZS0r1HSspY+XBZ{DI2wGXKb==!R^U*AlnfvnvEA3%A?6fpMTgl`+m}$ zNIw7?t6nPSxy}X;($ZZBcO~2nFq)B`o9DV4yS0vQau2dS$@T(^V>pf=E-f!F$GHbh zNjvM?@(`8YRQjlrpPuHja%6kYcMqFVd%92QOQj!`WGH2%mVBrQE={ts(qwPR&&bKn zbN$Wzy}FM}p_@uK4Q{ag=cVPi0Y-1q?SCNYbkZ51v7%&>E_vs&!K)kk(t`+R63zl# zQvO4{wMh=s*(N34?xh?`xs(P&!Zwkgmnr|_oZ)5X_(jhno=?00I2sfhFd)SZF?fLU zwTBWOMtC@29MkiXhh$_A%o|*goSG*uOfYNAXdm$?t&y}IgN2AlRGy1}+~AMr`-mq9 zk0SgeV60A=3^z`08W_D|g{Mc89z%L8Xq1l1Ifol(@a)ANewy$zgr8M76q0rSoWWz# zJp4T2@q{NBEcXfA3kLVrQN9xiPa-@SFur?b`$CZ{8 zC;bIztZ2FOFAowJJVEEq+dz0D;jaLrw9L&TrzT$;JqDkw{J2e|H3+fo2pPUbZ`8 z)*t%yag^3ETE}4(k*sJ!wmV_$Aw8m;BzubNk6^Kqae64Fe=>Yojz18dCVqzaS>U)s zFeEKACnY0)c(yxd#=mcQ<7XP@XEAflOe*=!TC(Ft6C1d-olRwFi z``Tas)ku-G-y z3$op9^Kq;DjB6KL!jc{o8TZSYq8Rx3leEa7qnr=|~a+d#RImE7Pq)w<=s5BvLYy^YXIkCTHg56v+8a za$df>#q_$Tm|VzJqh6hQ4e03W=B1@MoEhW);(zgf__5z=1qO`s`88SKHWsLb0@zT} zWd?kCLyDXs)iz^yb#K(6QJ2Q;Fu2z75-eBG=v_+JC*6Q_L(n**=1wHl!(lwSI z!JUR@D&ClQ6XH#Q^UFUW;O{bic12(QZt~5@HwTaMp}ef*%uLt9@O^p|yN7s7;`ai- zPH=P&b(3jjPNMb^ThnPnr!AbS;^1>mz=xi||Bt`$r{IHcXH`=5gKy6&9ayC!s^Dmn z9-rv$Gj^wbi1(B2MD_u&SP8+07;>GBpQE2)7xG=ncT+yeexRnXdjOcB%V$@132~vu7CH4(J8vx2a(PsouxECH^YYWO^5i8q{DwC*8hJp_*K_;MZFB<%Dy!=gm+!Vqu z5uOSdn{s@xZN6-HTkZc%BmN5USApY-&(&u=@iL2%X&3agXF9bR)Mi4%Q9js#W%gh9 zx*4zQEj+Ag?y19;rcQnK>ghX#LH)GxqCgg+*{LSdPMWvKha;L-Jb<&}h2 z5niouUdn(h_o>0v$N0)?2(Kl)PGK1dG1Pr#aM^CY^5=xt6aE4)_S%er**S9U#C>V} zyn4R)2J#!pe+3@L`?QoS_qDO>brCm_-Ar~1SbU-~8bEq?Ta6y{vTw;Y(%+EY4jLO* ze^-!~o++1c+_z>lJ>ZQUG!I|62aX9WkYucFc}aIY#BU zD)PvGDEJ?D!j#h5eLqR%6qO&LU@2r)lz8`(!Mm`D%a1!v_zdB*fbjv#Bm^?cV$7X0 z{_=F33NNhIl2ha&PP z=}8bSs&FKRTLK0*T;Q8gjBs(nB>-b#*awP4(8~?U;0<@Jc{$n>x{h8+dZplD^O5V) z5t&U3Lr|_a<;(6q>INz|Qn?8VzTV{fW?))KhE|t0p>Lkw8_Q5AOQ9SDeCikqD~nRz z@SUA}{R+fyCSFl-x!WQm23;k?7d7^HW#UzcR|SqGh=h~m_2O~S_&9fqDM#jdr5cs$ zRBAx6C6GI;?p70WbqQ)xxQ#+B2v~xsOb8}VF4i`DkDgT3AzqjG?ZB}$%QSs4x%%ho z8DFoQZ%=*l4ahe%J{%t#o>Sl&8DCKk5OJU^V(DB zK%pZ9oc?j;rO9QNfy3Q>=KOckue$r`bfWVB9DF+IPCA&K4L+t{`dtWjCEV>QINo(P z_^84?2=^r1>nd2@fne})g&!i^n{Xe%*a(A?u$WH#kuD>Z| z^yDvvN-C8!C|4rl-2mffYQ#YD>EtuO^TS5}|4P6A5!3F}ZE+B_Oln!G{l9yDF59#; z?S14>%cV9Ln*SU^&KZ0{*H#|ke8L5Q|Ic<9=Z2VeUN@+r)P_+T4hEPf#^;5>*x!BhqO@0jd zvEXqga8vfMbM2mL=}oq2%G)&Ku}`HGTISwh)KMfc7=Nhm_JCsE?g%$=Fb%-nJA z3`V=kl07O#vSe#fl%-NhgwSFsS}fT^wum;r*YkPL>t*`>-hcRfy7PFv&v~Esd7t;$ z-;aBG80q1pM}S66COH<|54_^(v82b5 z9~_4EYN6G^`S8YOHfUtTL=_oCsEFXdM`+)KnK5q}vt9%QM8$?#TA z*u7#xORa@XrZ9!Vt14u^e4+a{SoP9q(4@=p9^IdxlfG#FwI}-r=*vY{tPtI zGFF_I9g()p3gbsj^!(@KSCU@^9^;F#aDGIlImkcqj{Cx-kF|hUO=%6KwUE$Ch{dFp zU~J2=K7e&(*OT1<7O9yb9o_{w7&3HUnNs~b`HLLxYbxJR`4$TDDAFetL%17F_*9c< z6NSwbwm`r$5GxF0{Qf(`TaNKj`kwe!;@f~DH-u$|iTlCeZU5`x9|`|N_-BP>n*&*g zY;bNzIe{E*2jQKBcNv_ND(edj&d}=GZo+#A?^QTM1~c3~gY!1|Gw&ySfbc=UNb-!l zsQcB}a@#z6i0omqN5CRE@*@3*JM)%c``;(-9 zCw&Su5>H0RWA3!UqqUU(gYX%`X8|MDS#nqYG&cQ={3M6_i|pTI{{f4P5*`pLjJi;f z#Qa}Vp1s7!{2Y}syV)v`f7$&I?(53R|Btr`T2%08Ir&N21Vqa#n&aFBhECC*s|rLb z61@;8t}siQ1v?SA)Ff?B$JBd zRz@>RGV`L6ZHq!#5mb{dwKFVi?9Xr+&u}@vFFP@J|flFj69hXWN^144|gHlmGJF=ajCJaB6o+e_vw(=on-GK zdpB6z`dEHAugKkF^v;p~%=ePMk90TCEX9jLg@qw^zu~pVdAvLE2Z;AjJd_tIlpe*N zhTpbEf|SEONcgFMZLO;Vcm5MA;^)ZHCt)}7&LbS zOqyE9O9LqlqErG21B{Z}fQS1R%i|~$sERT}g^?nuQ4F>dbXkdbN=zT&2_EGM9>WPL z%dhzniKVo&3kr(Gdfcqqoqe!R(0Y>AQ~$@x%tgnF8)DX#YCTQs8CuW6!UNbZl2;H* zl6f0LO*pGn>|qp!Qy2jOcPLG6k$cYI**c6glJF?PqX9F`qXiLphe?vlZl&fN?&7aw zES+(5#=}9*m${`OSLB{Ie5VcvP9Q#!_zS?1Sjdv;GI22y&61+wMYBHBtoahHNwi*u zh087q$BHCYG8|ySj+cF`CR3O~;Z+F83BgD~X8dl-EtzW4%B$sXa=6zhO`|j&5}Jb; zk#Sl5!r?**E8u3B)@pzcYbLeVsm)R?KDIqDk`+#pWgu?0X}{~cWe&Bu)aF6Ma&erNn+QJ=ow zlix~y8+g1q5K@9X(b9;KLHiQ-gLx}8oFD1^MDJ&KNaQRWZoAPBYxQ>r>7Ar^fkvz{ zq8RCjxnGQ*rIq~M*Uf z(uYYOQCcSA$>P@EjIO2g!;X?ZM*28tM5M1A?u5bRw5flR@b83ADJ*xn$elJgUtdLk z5I#frEMOF+;k<|p(V;~UbAOuCvZB9Pf6@7y&OdOFj05E5gPZ%W@pZK?;T-ugd)S1K ze_4gh$O}u297b9BDc+LUx>Zgjhbt#PNlSu8c^DXTMs`U2@4$1+U10Jm%@Y+USEPI) zWIU@f`71tDo#!qx%?Bz$Lx6EB? z{6t+}avAx{$yW!@reZYOuei|FFuZ9SAD5cMYZ1Q!I4ayyo5++YO!BbRHse=aF;a&{ zT^d)yzy+hlGaw|B)Md7kDND79Q;$l0Dh;3@kRliHMnf}(O!LudM58f{CNK~PZb?!` zC?@f0YRVUSBbrgUno4shxbTd;P(i<#yXHKuH~m`T*AZ_49Hq_qhFeCsU@#hNEzO*- zS93kh0L>sw1SHM1kX(F%;s0FhFC~$967gitUbNchb3w&fReQdnY9*@7=;EGR{3_ZP1YJrF9>zZm|5@ASFS1 za3;RGb}iJ&heQ!^iAFvJa8%1s0V7Tzz7AkW5f1jK(LZ zxQ9*sT7&6LwGY)0RK2LAh%}3(oC&)Ov%XO)lU5e3Ff2TB2oPV0Pj%U5e5*zdja(WL z7`U$)k!UD0vp65olm6Sjrv3E2{8bLuk6IqJd}u!Zq@+kzbp z6E2L(D?8pGai+c4)u&*LS`oEkXvja%@o4&vi;55XhAw3By-EOIn5`h(AgEDd4#ML1Bj&`?1!cpClqY z5`{?=UWTCgFBJm~?iDjOX}*|DV+xH|)yR&-u*OFwq)jzrS#^KSuhE!BV>%369*j^1 zQ_9USXR$gn>AX&7793o;yo&O(@gU7MAw%Cpb12NEFi!=UP$V5SGBost36*rp+nW^L zqVP5ZJnBVZdCKEmf>{x~TcU2hsa18H=pCx>Qe6NQH!)5xH2O>JRDX~3`=l3vMy4t( zk;SKBx7hGDg+8^G5MN6C1K>D0N(5QvZ1iTm8y}HgM*3sWcs=^&d#MNY6EhoION8cf znxDZ$d39cqEtlO2vnuEM*nLiGC9PGkP$!aA%&G1RgX`)%ht-7F5MB!yHxW;&q_H$e zOjx7O>N*PRDQtj%8lJpLGNovjxkp7|SRpq_dLN?o?shJaG9JSB=2$vvf*u7 zz|Zac!Q9(AY_17YvlINr5P80qz&$8}`QeC4}AN z_mJNU9+#J2oL3Z)q=|&`f=SZaE6SC|H+sqT*$MLQ@X5NLCpf?p9K;D~$O(M< z(`AvcD=WXm+dy0Nc`qkFNgIelc?h`uJ`{I>@lR*~706d4e<663z3~E0R&h!Rbdfpz z_Q{{*aFys>Os6s&mMM}+O7aRqg}E|(E)9sVyTr`a9eu)Ap;?t?HJI@Dl|dPglpZNf+ZAR;ATFqhM=1RY<%+oA#*BHM>C$n5j{yOq4z$0oh+Ze@VeCV#FNpp_K z-{f%DQwmTDLPB!O^y+AqjDr=&T!Ja@xARw%NF|9%G8DusIw+DA87%E0;~VHeODg#^ z^6B7_>7;xZ!0NNqrEV~1k9NklqH`mi*6I}HMxq!($2v2PpJ_fV?3~jWGBx)9d9bdYaT|pbzCiN)J)$1qpSJU|PDY(tX(I z+nUIaa=6~4`;ZQSX7x9M)eIr&$Z;8_)YNKSCY3BIVJOV8Az3FN@1MbFE@qn)_{E2l zLn)V11QM>@g)@pBZbn}dI_dg?eiZU3Hd$PCFyjj>Pc@F$OwEhO6?EN->TzQ~Nv zMt5dR)65a0QADE{2Fel1-I(SdE{O5c2blJg);9-I8$_)H8g6$%rcA^bY;Z`&S05q# zDB;Hd`?hXsg7nEtms)m2uKaQHw(4Dfg5Hz#o`Q!b71<pg2E6UU);z9oExlmSJ><(;Wd9_cD?%<89I-C0lgJF0dxez1B-3DUG5u z8WM}R!V=8;bz_WgJk|4K$&VvH9z60`VSZ3Yw4OKRbhcL}P?<>O1t_Je#PJa=DYmlQ zi)Pl*D)CD+C((QvCITyQR%E|o%IJkYu*p=WPK$6|(pmruc|9p8JG(73xJMuPO%C@S z;r9tI0*oh6zO(5sf3X=0bV=6|8cS(>0E0DsO}wCd4p-Vrrj6HFeMD^;wU418Rx-&v z*?nSgqbZ1!#OhPR%L#u57_pN1(>_)!%s4!kf(+KsSV?0Q3^XV$se|*N^)PA zIzeN$n(7*=YoX$)kUStg?$S;&-WMgZjGX*>@*BY8uJ~N%BlwkBLwovM^EIt+XnhOo zKeq;XNJdJW1hq3a22T#Nw<3>8gy#%rH|n9hbkz;r^g< zhRRte`f5pb;T&}ANxz%>)4U%wng62qH@$!0;en8Pu&?0!YsPz82|h=o%sw`5gi`;muAU z1PS9Z;+GSz4jh?Z>f;5m987mXzk3a{>gqzqnzU-sxJ}8q6b#ujK?W0Qn>9)2 z;nks4m)4cAkYQx=r!bdxU1dVfPWfF9SC2w{3JoA20q~5a4$PHSnj}C&lYZ9w(uh)H zN=+c)jS4BP)EtwTYij0pHJj1Anr3sD$e%FNG5n&v4lkET&PYPm{fWAL>s~NjBP914=P%>#C43*@Zh#S~ zSSVWxBH1BLDrxtdbITBaySvkQfKCrMzJFA{*xb|Ty&9bdNk2rom(p1&vbxMYZ1jrL zK0duk_aPkujqK{eG7%0N|7E!hQ~uCdd6`tQsDz;)I=LmXQ=rQ>dgs+X@;Rh)Nk>5Y z$1g1z!`||^yS^sv(`)EQDUVV63|q0s#NvY^BSFLbf&}6fYM!fKm-G}Gfetb1DZ+cbxN}! zA)91Mwsmf{(NnaQKZo>O(({bYmj!?B4WpYJlvBvz-X#4N>9>{c&vVZ=daK^>cSyfW zdV$eA_d=sD?e8!4J<{)!UIZHXNs7I6jyx~P!Ti1jKHMMa|3v?1 z_z3quzJ$Boyoh=`=D+4Wwn zL$xl|E1{x@^pmUN(p4rsq%+^@QL0a=0i<}@A}>>^Kgd2`ayQ~`Lv!nBgR&9b#&ny& zMOH45ox*eye%x$oWA2rTiMxPVDhlcrCT-sI`EGngw1q zvOBwLY5Z?m{$Ec%Kt2c_PiVY?8p?}DF2Stm1|Lcytt48>u;N7*x>YPqT#9)cBmSaN z>7~(2hliYk92OoJ59Q|0_^ zb~l^ypx)$LsI;fj0Sc1aUbj-9${@$Brd7PqN3J8aPSiR>Ltz? zz{mvxGgkK-f4%bE$v;582Y6h)2FHs$+2;8n$Mz?3Muu6gbEINBI1TKqrxjb8Dcbw zXcWUhFj7*YGa@bxFlld|mj+TAM5zQ4o;E)(OzJdoZ?Jg_baL1u^d6=67(ApKJ4)jD z`EgVJN8|Sdl_#k@^&cf3$`DijSCyx!JVWJKD0rqZL?6wHJ44O6RtNTn(HTx>1RUfy z>)VcN&zbhR_UMkJHj3J4Xt=AqAW_^H6Uu4a#!?tZVLSxny8rvCz@z=Vxqs@rVglWX zbYD=HQ>3-*_9_3Oxn;)qJN6RYNpxR^i!{m3la92Q6#mjJ_KGlKK`3{V4aTZVc*(NpAsR45+ z&80LC5^}oinB{|c!;HJFMMdK+8gIiu{A5k6OeBzUPBI`DMa?(yY!9Dy?@)Y~;sS{J z29qyIxP`_a)i>CC4X!2(pqqueemQ|6tw#?Z*C* z-cR&?hKDSH)?7TK?Pe6}Any(uJ8A5Kfn<}XRVKFiWc$UWidr+-O=%CMy^s)$yq7}p zVD_0YQ(sH_X&j(&5C$HKNCCf5aK0Y-tBF;w_jl+J#lsYjKty%9bUo6?@;6iSwIX?x z>M^Rvq2iSn&5*%~0aoSEm+uMFquS&@N&R=~r=TNbeR0c$s(RYgBl?{ELG=vPvrv(( z(9Io|zSwvg{b|;9Rs5y?MeA=`|G+}oDFGH0`)mByoVUh#=Nz3f2iUxle_75;Q!XF- z653Tt`B7H>7;kAUIwYr+!k3%$#{r8!{Y|KCQde#3)S*w6EwjI(2Et%VNH#0 zt&=R8k-nOAbI>TbP(1JjaE%FVv~;+Z!gUl{KtLjDy+h(D9W5=*DzBA~>uCjO1!3un zOuj7Z5{y5lFS11PN#v8k#}gg1FnrRbn6yl*M5&b0D5d`&DSmrzFzEx8T2Z=@Qfo*k zxPn1+4@)n%yUC0u=+ctIwV~0LMmrd|mS6%NOIa;s{0#I`$l-1w-=2I2@F?hH>6(nY zm1^ePYU2Gm0^N~fCyJdR;^~+5sj}7*H5wULGUr4c1SNrWq0^Pl?QoEA(QK)vY32A1 zlky($55}F8?xJ)zB*ZW%i);Qf4swr)S6_v&B(!@e-bb+;#Q5{;`zYg??tasHY7b?1 zY7bEBp;|Cmmd{1~OLpz{WEs zX2VN6o{yb-&a?wM6J;c|QPf65!)3&Z3ky;3xG^TQdBMkNEQN6t#zR1>UtWCA8~VRB zJvxEtM4~SM<+-t#Q65eAq6sP54f7I(Nfcg&fRZV`oxZ#r-797+e8LAYnZ^_vufjn6 zBrKiZvh+rliJ@x=MZ247>d{JGeU0igs?(t&cA?@NnQR#B?Pi$p`M2`B9Bw9s*D1_` zfY@aeNAj{F$h5P~nEn%mGHwoyxisd%z(WyCOqcDC4c@2a*qemkBK$UB+-z4==;j-{ z;YlC&cgVg=b^%yq?Sx=Tvg|#!(D0iQd_3MG{yy+bJB^o-RS4u z^^xB}dMD{!MoY(Z$o*pU+w(oWoAe&idqLyA$rS%=EYjO&e2Pvm-%tJk`Geqbok{X! zWx8LDezlK}`61GWNgn|ne|MzF&c_BntnZGagpUzEuCRReGR>VZcvBC5=97efCw%HW zEW2r(Hh8bXe-J)H_$**N-$?FYv_J;3|1{%QP4d5J{7vH@7`ROI?uXpJMxW6q@{E1hU;#2Jg8=ev`x1BV3koOzy&19W;QY*?iy2$Xw15D&aAm*2f!K~D#rX7Xo=+v8Mm`-p;v%~|%TCod z7`_xV6> zq1T>X2Y9%I%xI>p=#o7Lj9+lj^Bu`|BHtN2B9)$$p5ksZ_`wf7+=Xyg!nZ3N%9lxx zcNn~Mt%vU7%n0V8n|lJNPvdyKvy&C~aizK?V_r4s|Pov6Ft=pK4oyOVx^bPv#o zbx`(~cRda6)zqK*LBbCa?gbd{=Yg@1d)U~~TG00<+lOojEKV$?PKL`cc&nB=nS`?l zhXLaum!*9&L?Km3sj0eblM4F!XEujYE~SV{vH@nl_zq5~A=lTWdp7w?=tn7!Qoc&~ z7EXMlhtv#LU{Zspd`MABg_Qb3!b<^CFge~1cjo-7Rizl6B09xzP*q9~CMT!LcM%Qm zuMguu;)95n0A~$Ff=H0hstq>2oJQ#p@{f{#3_M;Ms6XeGB*@3~9yg=8R-m7t@g$9> zV6Y&S*}U9bEtZ__hM3fGwNI|6DLq5!+5caX4fKba)Jdgbl!j9p0SN`Y%zX7BVMqMu z%<8PxNLr(4jfTZqJFh4;-HkEf8oi*g6vj~)|6f5;;CU0SRbc{!i4+8NWsoD)bzpbORp3(+L z?7)i3^c3l*Wn(&+AfHDu@#X*V;@1?vq4+ICWI362$YH^gnQk=sr_MT;!Gg zR1Q!%2nETNAHwLGY})>-2@kaM!XXNWDI9?iuZ7Bfp)%uHz7-U5znPS`UQQ;5J4)#o zrQ?uLddOs&qM}f4R4NkEcYeaGXZBJm<4)50oz^K>c-v=2qw< zzvB&v%QOp@lb@skLA*S0L|<;T>|b($(QE4ZxKtork@SV2SsEouZ{bA-|D%soCBhdI zt_&D=Z9oV^Ez%Eii3wBZ__J4`P?bV82&k{*XUSG(#;()seHq!y$yNu;m;|NzR>R

    fu1okzg~K72=dLn1O`pqpgzFP-0NB5yGW%u8h6S#n z8T0iW)rdx88cksEb{2E5`KE@yq-IdBBPVF*dY-tHPRZnSX-8rRWi0Rzb{ zmFI*|W_EAa(uCixk>BNT*HZ{k2tr`dC!O%JJGD$ClpeJNlb&wn?^PnDBudGUkddWd zJg=DZT3w1M=Q`5I2;ZB4* z14aoc@k$BEn&sP!FV;wPA>Wn!?ch-xl`>e?W=U09dJOI`=Uf$^RCm(3i_YC}a1W&v z##W~>caI4zuJgjZ6z-$Y4FVENN_lCi7iAacx%*9Vk9ws$l?SNwfP$w@F52}p_N-p> zgJd5f+Y2n>6CQ*mf-)NPunD{M0(w*ELm>nqUTu+n#|(p?(rQa4;Vi;oz(^sasC@Yx zW2G+JoB^7uIdpRAMBw=6KhgCy_<%nD{Rrm~&IgPfE=z3k;(IY-D8Zy%y2vI!SF79(Cnycjs{KvA?fGdKPvi~*)>d)428fm8-jDN!XWEL*~7 zaY6rJQyTomKx7{>Dvwfm3<`>CB$c!wj2@_o^aSZANk0Wz6INE{XGyoN8)D8Nb)Kg4 z44r4;puj1RFTUq6PD9OTa+kl1VKj!*7y$z{jriUKG8tdi^~+?x=SAV03uXQ9@ zQem-+6=P?{7tJcsWO#|zBw8=SLjFn(1asXh1`nMizscby6P`l&RfU6zfpj<3;LZA4 ze2wrl!qXK_OGpg583uQI%b$5B;nxYz0*t~2d%4J1kehA%_Ye7tokM;u`FY@39g7zn z(%1Zk8BMk1c$3CkG~R}x$&;KT%WN^n-OV>^uqMwtwBDt)02Y!bDJ?nIEi`yt)L+DV zgx@E;2rwSM_!>a$1|>z{Vv|~Z=cOf-mQwlv63TMiYRMYK+{aDcuOFH>QE&H0^p?^4 z7#=4WL}Kh$L)T!IoIpk$%q-CjXg{U7oaSdRH6>CkC03aAh^EBnv{uqu1q*jb)|yLi zXTJNw_)l;3cW5>FHRRWVk9S=rr=*7Do6fSwFqhqaY2u?A&^n6iDQGFUdg#)otI zxvxxk=zo1kUsL#o!nY8ZcU)8kMxt(`@l_u5{3i07$!}3!21H_!tP=N~@x6EXJM=yI zt>m|XM}$IovKSy!ipU>K$XMfrA1VAq;b#bp5b7B6v~M@QK~Eo{9prbC-vu6pootCE zpHlk8=z2OOa5w2ar1yeGbTYH@Wz#O{gWYGsu3vm~_ER`O;UEM&E12FO@3bswR+#bi zQEwcgahS#t7|8X}O!;)eZw7zg-N*hY;bVl41IGJR;^R&jyHlfblI-tfPk}{QSjd=5 zYb7t$oi^ug9a;W^&KWvq;jp=ax%H8v;`l)BpJuhuOZbb{-?aXLTDCA$Qhoz)p?Rw0WmEYoxipMmomXn{PQ9-3V6uc4s&jWaYX-jAN6sth3 zBDD*l>B}wMU1ap*8b~G57n80G8uweu_0$07&R$}|lPXl9P?bV82>#M#`YgvK%*g&t z&LoGsjK<|Os>488f*>#p=KLCl8fHGFVb!Eri{=$DQF_5l$U*5{z|9zHn>R$gI`rz& zyAmEM9U=LQvec2UGJMlY`Be^Ak9d9J4S?g4WIb9=yd$BZ8N!kCYm@dV25ONSq-EOg|-yhsgNCt6y>5?ezOS= zT7&+#R##fL z!$L_Gl%ZF5hr!Xh@|zs)PQrH)z8f&!-^k1WKJUJA!DU50zu;Ihy9B<)SO58)7C z+-Sr4Gy)Q? zCtEslP}_LU`0kha>mNye6#3EMQDVu+HFn2}vcQ(rBc=s6$Y14fW2ud!HXa&^U}?8H z>7JBl?|Cy8=xmh#1yjqPaFzhHquLh#3>q_?pHyG`@wQag$LCjoU`kCaSiH z+Gc87prOc3luw={yYGx{*9n&|3GhAXt)#bs#@s|%D*A(=)l+=>{z&vEqCW%0iRE)z z(mlT2=+;_Q+Ch3J>0L_8#47o^!Y@X5&~+ZWN$(-O7c@#|nb48o_8ELhd-+Wcx1aC< z!UqAPG(+mAOE2ZG#=oE`a)|t4@<+h?y0lCR`_1S{N*^VCjP!BPh)P0=Z2x`2;M7)# zh(zTi;ok|L0*p6MM5d6PHgaQZ+( zZ}+dU$+&nq+&Qvk4zq0{|MK))&k-pM<@I)D<+pg-WcVFEM&;xuX`4_f4+T$*R7RzL z3*~%ocY!&-CVHm=or-iWgo9c+bA4}jk>Ts#@^~fU7Za}x9MO$eHF~>CjK59?x~q_{ zO1>I+JSLdyh|L^(yGzY@RI|=yG%lx69R@;>hOx{-E^#%CZ>8g5HObc^e+77yMg?K% z%gl&68QhYOxtR2i_UqN5RF~3~kdP^Y>4|CXDuZusD!<9$>JhF_xIrm6)ipG@ox+U> zHzwQ!FzSYwhAY+F9M{x@T95k_ZARg03e6!P8)0Kve05HgYfP!HZ`o_9Tt}q^6x=h0 zAs=oryoQEwJ@EkXAaGo4QZOOKB^W$e_cu=@oJ2TT;g}40x)g(V5A|_RC7eb$9WXAI zyXE(jQsf2`DtGomD+)JKXbk~5RHn7br}g5Ew42PiXNGs$&}mDj9UNROHnEd#!kZ2M zp9?&G3-R{EI{?SkrX?pOyIT#e^p5-{hwDhV6XDLK;B7|VZ_<58hd?7L(itaftz3rT z{fGOLXA;jM9tO^Ll+3WoaM?z0)05|r&LtfIjVGKLK+>hJ@r(NVv-cyPM?PP9*^o}Y z0@KeG82_h^D@Mr|lJ5^5@4!qcm<_%BwEQB6ixDj%S`3usfOJ^80S3QV&%*-=4!s7uW8_1>u>8b8{qZ`+dALVcpNKYjF0%*J%WKKe% z)VO4N@{49v-Ah4Q3N$9sco_y0RgFydiYe7pnM`F0l~UFUva9zXA1rKUn4w? z@N~eap`r65|NKUSGfcZ;vQML#)Ly4H3mU_~c>QdHqkViBa|q8RJP$BRK$$;WkSX6p z2*-N6H_U0JYntDr^A?@A;UJ}oGw|*4T&V}oH>0zbneWhem&O7Zh>|?*nQo!MKj`!L z9^v;1FDeCRyTu0osPGcPO9_9VaAsH@uMZ8rV7I^6j|eX#{ISB)0hQ-IG58~G34cm> zIpNO$`!dJLn)wxmzprJ^=fqbMUj>|HP9PAJPp25Y>=qxB)uh*uUJDutA_Gkk_ocyg zb?|Z>;q`c1xc4f$`u@WDp=r7nDnZ~>LjJ#DV>6Zy96oKe|we9ztbj8Rq+psXDFV9sJA7}{b}@TO8-Ur zZ_@vO*4vUEU&-^YDbrLrN2SaWR{!PSc%BL*rn|E8U-6268@$-$aOLDDsrVBv4>%qh z`81Hbz~~uz>I$SQlD-ghymu=_=Ki1GvG^kMW~x_--o^AP!$UUDKo{C22DjhB7|EVk zgsT#+rf`;v6uL_dZmj*Iml3|4aCLXd48GJD9b-mPj)ap}f0FAk|Fd{>kG1t)eTzw`Qk#9`C33%LK zbS*hqJt@mInwnCa;2)!ARIaAd914O6MO?NlO>oy3zkjvAl55FdN4^Dk1i`Js;yr6E zO}TuY58`?%0V+W#dZQDw!ZHV1T43^oCzv-&uRf7p61`-2c;8@bCsyb}B`(E`FLZ1^ zl|~wkbQo-T%H>PLlM{h%Fy{?z47Z|lBc0Z8;v-Ngfg~<;@gsfiCNpPi{MyiLOS2tJ zBpvqnmkt|uv+*tBDJOHF$hRlo0X)lRz_%Ja5;2y;btK%0aA&}Fa#^NyoAJ%#xGcUV z-O(683q^ExG+H!JdZJy13E`SPKW0+Mq7a6FtCug-qKf6RjlWkX;^mOfB_9Eg zEH4XFr0yS^BDHV6hU*vH8sN_+}hl01OD21{bw!rWOI{^zGC0qH1 zh7aQr8jsR=3tT}6SIn`(69rt+g4?lscWNKXfi(m=j_ zUE*dK{Dm%9pGo+2!m|M5B3LJix!Hz~(JIj#;&X}51CG0p9YW5NQ3c~ms`)f}ll)uc z-&Q_ev&(Yxjh~}0v3JP7OMU@(MyG#qMACGj;fED}kNEq<7b%`0^+uVzwAk>$y6|@i z@ukE+0FKz_gdC>}d}#a-ZFzn~ei`|Xm5-lZrZ^e@xSs!0^2^D81|G35lo{?)vaT?E zejlGWpA%n6d=+qJ>G*Dz?hE6)O!WL}@@vSi1&=H(Gro&uK}44O(u4&%<9i*2^%OQh zh*vFB0%`Vole))OCcdE=?rVzQQ2Z96z8BM@@=02`BI)>&D#b=K-&AuG&CN8o!1Sem z5F0H=2Xd0*cc#6q+V|A9QriZNopJ^E_PlgJO4j|soUdQ^$?+qdpXmGy$6sAASo-R= zn>b$s+d*+B#a$2)Se7ec>4yH!U(6Yx)x+I%_R!f2$G@I}2{LI;w&amQYoA%~Xh{2M z9iVj(7VcPjFeR9X_sy>+ysN??3Wq5ifqR^c3lGQY9aA^-Ay=)&^#G0rV?W#zYc+asaa=Y(?dle9gkl!t-` z$t&&x*Q~8xXUPAPN_O1^zLQJH%4k0J4`cVO|rGfUIDg-uyPFvL41rN zH&4F&$4@k3qwm_LFVpzdpx^&9lpt>(nH7jq$%d;m>|8`RmBH zkbga$DBXcAjs92Z>q!Sl2SFo6`(n+7u^n_UGLdW&*<`S#iv=`OQp_pVyO2sJjZQio z6breb!Lns5N84p5ryI-~uHELXXx&JwH7q24Zl+8Ry2;=v3b!HLmT)`3$Vu|C4p$^Q zQL{hxW|Qu3Q< z0Y+BJh{_6XW1re4Kgr=T$!3uagGHU5C77&MkP(AyQ}%DAA-m;L$)ys3g17_%(o5Xe z;M=vcr61uu!uf!aCo*N@rtl#7eieGB3QXE{(1#GER7j~mq$}kQGUUZ6(Ng&1Qye7; zK{*m+%l%?}9>CdIZqyBXVmwO`&r*!D;O@(G91e!XCv6QdYjiE2cmrt-qE!M5)q?+q z=?0rtzopk6q4p@X$Dkpw#Dt_^5Fa=W70BcDxLNmfmOskjo}l$4t*2li^<{*N7bUHQ zA*OuyCyg@hX)4c9c@_$mt7-h=0iyXP-&`-wcSFr@su3MVe>nXS@G+U?yq_!)mK78s zDT|*oxtYo%DUYH&8ZusA(l{eO#`sKanvEqtj{JD=m~~S+u=GS0{qA{ln`>AT=uV{j z0^HI!A}Jv$Ri3LCO>3jtOVlP&dl?#P4Zsru=hNjC^SXuP&vLlQ^rp~z6&|9RF5538 zYkZR=NC|VQxh3yYm39o>X>_N<#cc$h9^f}!W|*=(?3I~RUZ*k(O6inIN=}l^MdDx8 zo^9?edWm!B&ZRpKE{2pWmT4)nyN5m&ZL62yCS-lww&4yrKGK_#-z7yZSH&1k6;+LzE+O5+0< zXq;q(bMaZ34-G%0ou?lWUq<|6;3)3G$wBvtvFEgH{wdkzWIqFoQa4S$T$Scl7`=U- z{3wU}ob*c4t3dP2Y4Z6JV=L)AuhnGNkX>u6e8T8UWB=7ytRuUg>;|xig?trPmREdb z^lJlr(egFvZ%BWuw8UA)T{jwi(Ho4ijF^z#OnM7wl+Fe6O*Z$P!Da9Fr~aPsR>Io= zBO)oO2}v?uV)UiY`&0i&`X|yqE1i&@CS!NojZVDT(>qA-B)v=N6qz!g?tU@4!B|i4 zCcTIBUeJhkNIqKR_8B~XrHA(uK0x>&;2QD=nNFT9ALW&AYR6=eYZ7;ek+oF6ntt*T zf7OSmAEtf;di}Vrn7k{e-bw zzmT8ga3{(BPWBX7USOfXrwyLC-ot+oK128{V7xWcQe`L>+tf;V>;5!p)w^E$i_+he z{(*#>nIJn|$;aP~KGW9I=SY`1%EpWQ8-Egl38^Wrto&!Z-SV&Is&ev^v|C7*2aPLr z*@f-`WAD=$G!@8JBzqxPT&cWv^W8-TXE=W^DiOYzaAk!HWO&_OV(=hcDOiPYRl?N( z$6pCjipWL=GF@Mqx9(EYYU|*^Wz;UGRvj85A1N$yHH;mhGrVe&twr_yfWdz5#fgJUJmX!8J7aYza;+CvQZ! zG2tc(XUYDbuBpKXPkXo-;j0NZ2aG7ndt8PWuQ58JUm?7f^mU|LfX4euy3#WHp&XZK zQKt0P?zHQv1gHd|#G@|Ts3jP@XpoOhBH<*$$qI+02N3xyBc2+hjYk_YwcEN-Gyj{q4C3`zqBwJx9Kj!W*xWU67zLW4>gzpB7iz|%D zSckE53p{%-+55-EV9t>e=pOA0XR9Sr;vIJ&pZcH^_XD>_cRG8Cw{04;x#k zd)f3R+lOpO*`gfzQlYUObig^2Y!=xtSY*&NDQ;3-w$bObxXB@%OF9A?DS<+vud&Vb z9oCO*9@%`b=H!6=D>MC=^4$O)QYz zK->U>J7{zU5*|dj1Te}dS%#B`iT$$EAHGdL*tAP$`ba%O?NMrvK|?<#(kCq|9E;>g zRY^KBWhRuFW!@A(4)+AjCuu$f6ZI>-{+JtL#z%TRPt$mY#PXB$2AG(ke*9=9%!6e zdTPS%4TDE(pUazs-y;0B!ugr9ImCQ}`?dF(>>a}I5?%lpjnqu3c*^&LGGzRysKhNa ztK#qSM>*VkwBDz+2o_pYNJjKt%cqEB*P57HY~KHBf-a%Al->vMa2--s%jXCUPSC>o zBf`rFe+<|sk$mO%6QlpoB>I%}a?+obqGkWE6-NK5^yj2kl3rDcPM6Q28(mfJ>}t|$ zNUsH5Nun)lX$$drYP4~_G-rzL<+6^>dO926pbSD1$r>A3-e5v`O`ESNd_&<|2)JC? zj#u_g+-UUPG4i7vZWHOvq_==(W=l;Dx$g|F)5yc$6W&UA8(^L~m>^Ho4@Nf}?&%*% z|3vy{qmz?lC!g&`@6?FwAib0HF3|Ca$c|;d7@VdN*-dy4;k|(UElp2$`;4xp$-bZT z0n!IS^VC6^p!Tc5ck2Uni11;;M*yRXPO5;ukd1%D!To093hhrnO7R%Q;}8)i+^9r% z!srY1E}bO(JLyxP^|mJAww^Yjf(n07I78tq1on?$FBRzp{nPl=h<_meBL6q}f54-q zTM!EMkEOYP4Nth!{L5y6oID3R9CQ6wS@|_yb>DEam&(acQgx?P9ugj3 z`GPcdPnQ`dvOrDNja^{g&6miZDTNMB95IcOwuFeOnY_Q~$|VOa+tJ)hT@ zm*2p9*V4O=UJH1LR479xB?Vkd!-uW#`1QmC#Dj`Uq=ItK5)2=su}UPKL_8TdpVX8@ z`GUE@xf+#J!fAxl0i&rA|K1lLiW^L++|g&)R#a}J(i#e;AN=>xmIl7;8Ea~_1O7_d zP;E=K9n^;MhmbxYNvWFWQ++0u%*?UMo9$GS*ZNc4!c(>9sXE|P%nHc?Z`^9e%lfH@ zjx;*a=nMl{HkcalcPmg7l{aOwY;Ss-xq}fuIb0XIUFqHq7x@C^QnI_l=!#m*+)4T_ z(szT#{Vgt(0cdF}7~WbZ;oM97KH}XJ&yXE?WGw!E!@trtR(IkL5bpsTagpU{QsL`q zbmR8&qa5x*(hrgD1sZpYMVRdTgDvwS@jVV6HZ@6$v))wuPz^yvF9&jkEb?cO<}ys` z{uM%#@G>c7Q3^wf|uF9wfNHdD6u zDk{;;>IRrr@1*=y4mXh6AZjJ5 z#Ru{P=_g4)1sZQzWJ>uaNMF^G1I@ z-qRCEPbB?<(uuNLrYy2B`q(|5eu?xX(l3Md&9<~Osa5-in>=N&m|00Lcrwi?G+%{@ z@&&sf$MUdTcd8k^H~Fw$qcM%fbQpT`WWy+<7wOHLN&0otvr5s@*)-eewMx$+J(u)6 zrO`r3a&H)YSS!?Tl75Ty+n{l?_%fPra7SH`^bX;72`^As_QVRfg$B>R!e8Tigx@E; z2r#Y@jj$BA*yu~O&bWm1QqmuQ#>0brmYyw}<#0ld`_QzDHR(U1wv5`x&}xVl&B*gB zKVy31ux9QP)9=vzd_JYVocd?b@mMfpmlju;n5fzIbBZe|u7ZeSh@vc5l9{8DQNA!M zS*_Ky*3eoD3&E9&ZG5oiOB3(bc&?+kp5g|GD8EXHLHCtOT~+#;(l?a8g@ob3^Tqi2 z|K~QE-053kGEjGVTYqXO&$8uz?u*vc5Adtcy~=r?!>aHfYFa=R^AMd*lc6 zJ8Q5%(*KG6&+7ljI)5^^-TY6rTX_flo%DCXNB$}m?f;z0{bDD`)C<_n6YSv$_TmJ! z@xb*l*k78iyZC{mBUnys3N&PT}J<; z1>t@(rLyMyqg0MjISvIm5K2(C5XQ{qm^)$CC2F0d^*gOou;LG8Vj#(#Hu@@kDE}aR zhV%In~vvL#HmCE8*}(la?sGY*!h*>n1so9IhVe`lK6x zMvX@ni(&IA*Ui zbh~Rzs-ahKEv4%ywSc7gJWY0Q&X ze4dtCT!ICvUgIri^AOy*uqRr&v5q`{E{}Q z?liAK zF%dI9*1q-LH2Tm8!9dir^JKs$!{FO>Bq@_{7U3}9c+aZTjj%C$ri)}ql_1-^2AZHb z^m6G%;Ng*zL4pXTZ}&BR;x+!Z^&_80J|8@iNakNkEw#Yt4@St3a=0kzLel+}#=7Km z=ZvnXt=<^vBGSd6QRc~5q72H0^$8td+JobKlm=28M6CoGQWi@*Vlo>s+YL5j(^PLf zLgP^ykHOHy!XA9s9T?r$kDJ#}6YB|jPttn|9`i?Pg0y*t7`<2<;!l%)hV-+b@tn$3 z6(5EhYD!{VAF*LnhEo{<#RnimThAH&p$0IL^eED!m6lC?WaMCs(S^MvR5{#O(&I>v z2dx*KP^wDvym^iEq9@RsNbd!Bj8jrNS}{gf(tG$4=}Dwt2928`d%$G`(q)OTd&P_; zeGn^&*JK(~XuJvoWs~2sX{zD(=)HT5_%!0vfuoZkO&S4-|6Nfs!_>xlB{QkMPIVSk z#7$PHN*f7p;n`+%{z3jAhnquVE{%CG@W$|ST;=1L^1^?^q`t@K$QLsxy+!G5NT_9V zO(IP0iYPCQ`6j*<^mqRqitkcf0FfyzEtW*L(C8}q8hDTN`=l2sosx_}ro~1t9pfXl zg!EFd?bHb$#wKc;scnH4e~l#u zQluf4<1jq`omtKFI=-j1mDV;`dey1!2cxf6`bW|~k^UJpt|K8aDb;N^_|0S=p&f*G z65ge7AVsQlzZkp7NH8SYnu zmo(=2rC~w%FySK#r^?Jw_nX1nr+N4&;bVl414gO<&UPn^-mmmY(!Y~F1sd^4O_2@W zPaAxAhClTmgwGH@3z(-)Ne%XQe;Qq3rl$;a#61qK&R@_DiX;fjPW1dO7wAUY@}Gfyru zd_p&mS0a8f@yft`UJM5OSAk@~xLMa~^sCUSN~;X5EW`by9^c_1~ISX}6?GQ0+^ zOb%C%czxmxfFlE!8j*4h&1r`RS`OEUPGdSv;4p}^V2T9M)bLh{HzR&E@#ets8b3dH z<*qShB;KfUxNE6gN2LW6hLE0^E+Mou{8`1XCmtXk1dckGj9dkig-k!D9(ZXfyVX5yO7<@hA-5v<6DTgC*A=#UXb#51!ZplydY6WDsi`(*g~^vM~a;&c82I* zOY#xF;tXul<8CvlrAl2Wb)|GWq#K5(tMHYX<99ve)u4@ zhp6>}hHF7EDehsTgBnP0(tSvWK%>4h5bITn3#IXwVMcpxa%9rTq7jCHJChi&IAK_% z#ATcKTnG8P94?1qF2x8$bY7QWy^f273kqbT<)RYVRidw%S1$Aqd_S6bH1lENk`hQ4 z82#cc2t~q)k}f3OA2hPEZyQKgm2;+aAMFE(Q7NKQ303k>i z11SumPy#^{In@m|I#Cn(5z>#6ehhRuIR~QhxUns@|Mdy7Pm+BKEY6%NOYjoh5TlR2 zf>=mAo+kYa>1RvP(i$CV^gl`uBR!n-h*ET#d}+_Iq$iSo0W@CB7$bBq8oWVA2wx&RiSWySad)J>8p>yL!GvSa z_}e*|!W0UxLO>cyRZFIXPBr=iorCxq>1m{=gT`|yOMYYrr-5#U@$H}YXP-&_b@H>o zq4*?Xi& zwv3f(>3lOPuJOh@G~T7L00t6MW7PjdtaO5mv&yV0qnGI5+YZt@N$)B}%X9sU z(H|v`VZ1)NS_6b`xBBE44b5X znlMhsfc~QJH-337QOA9hWvJmcHGg{X3ck~>MGAG#rkbjxSWQn}=NXRQN=E}-% z@pizzf8|_qxN`E7v;(M=hr&#dhBccP82!!=Pgfvak@SU125Dv2bURLTa? z_~c^D)iCG9vObk+(y2w~3ON3;l8>#|Hu{7-QiGqqE2=d+cow^tJe|hqL(+{dprws`jnM~{ZcMrf z>87BOBxHs&zH=t-ph|G-7DP!axqlbMjV*Gx%R^>BSRHAe^YMe1jR~k_--OlPZ~T3gJ}1Xm`kp zGdcM#BTaViPKuZ2`1R(MS>SKF9liGSZh(gnr3Iu=yV2kWbwoi2!W{{B0*r?%+x*5Q zyUs?}e^h>y!*wBj6X~u>%M@hU8Q^B4pKb30atrBONq18^HYrJFt#vngdn14D9;ADc z?gbjb4(1gVxZVc8r4xJm5bjI3A7B;^<8oPkyZ$CT`LRFy015*s41$2_UV6TKATT!P zPtOh}JA~{|ut)^4sj`HPY|S;w-EPK1&Al;<#&8-VU?4cMI)f~L79QnBn((kL#yEX;YG7bJq>rPpOvk8X)Bah3FB^h3j zk4A(WW6r|m{!xvklS3z09egLFBC9y&nbV|+cfxe?>5PNJav@%Nn4L5F8GHwq!$n9J zkS;t=CrT+&Wc24s7n2@Ox&$^GPoN9ZfNTWZ6aMe#0{xdi(+63yCiRjx>z- znygDQKI9%WV~_UeK1AbT8jrw0aAYc_Y<0WX=oN4K^DiO&DCx&Q zE#Y;5krgu{GPR{pw&7iG!lSw>#s&&cQrHLq71?Mv>L~Y=@twEH&vLk@$v;E>S@5`k zUxqi)J!eAoU&zbk2?{Szco71EpC6E>z)J>ivWd@xHxb?p7>_wamSK>^++Q&~=MtX> zUnTw;@h!j+7_96UCw-IdbrXCcTgtsb;Y|u#AuzAVyi%F{Y;@P5KIm_g-bVTz&?rhU z@-`N&yimZsYtF=0-q}v)Jv#5h!4=|?<7FiA2S$h5d-_AtACdkTG+uIPp)mVYWTmJO zz9N2NUem9=w}alN^mf8Sq^4tqi_Z+s-sj<6gg+D{1_4gBg2@*(yIGrl?PjXgAeq_GzU!V(-m-t9BCVrBny zeZ zM))}4-vJ}QE;GyhVQepL_22rfkhyS(j#f^w85L! zdiY<$X9%AKj6f9Ur@Q}*?eL6e&yg*4g0*`2mz`n%CrL@&Uj7oT+c(oRRa$gLU{@mAmH@!wMk~hU1fB& zJbxDzNmn9W88ouq`BhmWu8KK_^aie`Q zk&F=Z>x`|bvpCz5jUgKg7V#skq>ye-6=%*)-PSsuP6C}oIOxjPWjW%oTurhhMA=MQ z)@L%i(RKb_l4+;VPKAxy&;@o}Y)oz-uaI9gWo)s#-cHe2PtlI2XwOsJfK%YxgPtNj zE>UW+(ZQlOn%hR*4s<)x?F6^Z|L0zCd1)(lwsW-Bb9CW3ZsIw*;vCWb@#u0r@$pF# z1MX(i5>>l}+O5>OK|@>xq&P#vOI;%E-+CXZ9plPm;$KbWwO!!5U++YerC=7*w>V*uv z;~1{njh~=vTn-~Yocsvz==aJCqd_kN7fRenQ$}d3auk)(R02?NiF8*O$(9fPX~w^; zvpLhrXOItq$30}qs{JxYA>uMkXj#=K%q$Ao6haW9uYj-{W9$HZ1&k$|LpB#IGGv;p zWLo0#jDA_Wk;A0(Nsj}q(V5^fWv;gg`!zZv6bdL5svxiDeAzlS%N3dMh`ynVDU7F3 z0s$qEEazO9%Z;Tcm=UXQ=!rBY(YON!5+imj<%&9z@9s2bgbo(Hi_T;^Q{b>*^oE;i z!q<9{X%wbYm;nJrb*xnW-Q5Pyt|!0A;bsz^MR+z~qzM$&i85(d2D98_%C8zv_fol! z${Z*tMkCSj@N*5Hs2^MA5uZ36p83*)Mme6>V#$zy$yk)GiEJZGR*BL)r z`?!{oUrv4nc%;CLq!fwUl}5k)xBMuFdz|zt(yKuuq7WXLrM1TJgBqA8h_5BS4mh5h zRLNvPS%WKUoooZ)Ckbx^tmjS%xTg$1r00H`_%p3Z+vs z;@&mwxL#*FwfCsK4-L1)UAE+dtfbx#Ou1x{PrV;f`H0HLQ1ER0vS*(dp1E6omBZ~I z{weXDz{|+52v~eLPfF#_%=lfyw2Q{)G`@g=LbISC&3$QXixoaFUy=Qq>^ERJI8M%< zfTapUveij6ioZ4W553HHRKKUX8!9dnl<)mN7`y*}{xW;W{z!H&Slom>L-}}*9ccHN z@p`5=exmU+jbC8!%e@3FQCA__Z_=L{q+cl=pmY!t3KI;^#J0UCrVp9(Qw@Ki!*q_& zISNNFl*Ce3266pn(h0rLF-pfN{SFD8(0U>NaQF( zF1X%*rd83>1_5pB;sEw^ zED1)U|GCS}E33=3T|w_kdS&1td{Hki?6tC{{ZF-W)XGz<0L@p$r7!;~qyN%pSCMoj z(v?9od&riARgCSf-x{wbTa|1zut*&8oksRH!Ga9(aI2d%OPd}wDAlA?3lbiWO!$yB zbES7jhK}MRiK}g5MSYjop;(tI5J{ZAQG09qomH(%#1aP4=yU~Py zH~8RnpwN**CkS{!24&A0*V*8`T10jsd=ufWfRTuUnVE9xn~h$2xj*$Sq;DnN4K!;5 zk&tYMXYi&x5BDJ4lW;Gr$0Kx+a4+4Dt zdQj*>62LGs$GK}zW!XpgM%uI134PK^kGK%nM!U4eNLz3*$ zj4!1jNhhB{J_sIJCto^jrHd)k@YnT5vxsLC4*|ymLZV4_V~no*iTo&s8%sKebS`Lg zI^(sSdf{ur<(YX>vrd?1KFx73k>O-^XJL*k4H$imIkSRia5cGJgjNBqLRc)Rg1Ln` zSosOHmm-sPXS#Vru483 z9J|NhO25l*a=3d5-$!_k!t(rNM{R>k75X#JBRrq*0>J*Ak{IXiH~L?_%Lhm=B)teU zV!tpiCp1=q&aF)!G-=N&e~E`EJxu8lNC>=iEk@j8gF9*8;u6A-5`GLY;>HS8x73W< zTAnVWv7E*V7sWUe&f6P*$CIE7UdRzqMCa`M*J1)A2F)Ji{MJV9wKrFD=r z3B^m-fm?6F8I7t96rQB85dy9vUt^pt1ND?iE#~{EdYaNRl%9oztSWm#p>zB>!~1?H zzsljBC;kHQ7lETBh%U?{jT7T5Y1jM9bb7_;TKa9`Rno7K-U1r8 zEd4*S?6Is|{JIGzv~%ta3U5-_3c)^1p+L7{w-tvpbCx*yEBM4df!ex$P(4zi(i%|_flgX?PF z>`#P$Cj1LvBt+S;N$P@bzu{Bc`gHp%@dLyUDlWA^MAad~N9Z`R!^DpeKMEYr4#7_? z&X(N@+;65_s-Ztdm8fFpwN5tIvzN&Wn9b6(c5 zc_-=oL+2D6JaS(NmL~3LGiGbi^Dm7vG|s|6ek#n%3>CQljBcXk;5pKz{$}$+{*BfZ zqg`0IjZ5XXXanP0eQ}kRpQM37@d0W;xFO+2fDs^hJ7!=|mptZcOnFW}&^4yggi2E=xN%k3Yt+o7=T&M> zsRgB$kdT^WqlOIG7f^axt~H}dV;{0sG+NVW1H-?HWw^q1Mqj3})RuG%=~&RXk8nPh zu*CC@GiCDa{sQq-5~w6XL0v7XoNrIdhZ8gN)J&$CLNgU6UNqPu4p+L~_}y##mD-VS zPyPn*Xc$WkM^cKj=G2Ym-J$iI4)i+G>jckd+fW+z?UOvx*_@9x+jgOI6P>Pbd<|3v z49enNGAtq5>wdGDmunQ>Li1Ld-C!b==i5k9=atC@-OXFC4Wu6QdeZ9!505q)gVO48 zz0KIKJsEvy^rg`c2HtU!LNjC~p*-nZz&H5*rcKtgI)K_hYJ;F5gG#kMD2=7t4DYR9 z1_l!!LVPH2~QJU8@*iV z4WyqWz0qh{F)PMBW%RR3KTY}>($5;5lpHVXK^gs~($ABAf%J=@wce0~wVGctp^PT+ zmnm$buo(iAcw(aL7yXLS&*|x3CH)%dEk-A#NJ;s+(HoS0gY=uEw;C;<)nnaTMsHO5 zZPMFFzjK~WkOs}WMn9wUcGB;We&1->xhlndVDxKBe@OZx(jS9HYav6{W&6a~oyzVY z`zhI-U{Uhsr^)2i&kVjf;9rir2!Bra3&1FO&%c1Vo5`1^9n^QoSJb|y_6;<&FXZb* zKzhVwkzN7U$t=+J2v1lKFqZHK(^_Z``W|XOQrioStykL z2}*xK!W%$lC1ps31nmej>gfo>lQjOJaS8^bLAt`jGHX7^U+J`YLvHm~`j_4rdS~Gw zALa$}v*o*O#QkT&#y(y+N1@b7HYns@)|RZ-Uf!^m%8$_&#Z0X$mzJNTMM38>IH<{G z$d}%rEHHh!@$a0KpXG2@kiU|A8Ssc^8DgVKSyRsGu-kG}%2TNT1@|wH1<`B+My@jN zwJZGXRHRplUS)Vl;8H&lNuG~Hce<-$)+If?bv3Q3w5q{EtVs(70P-Cu&Xgg#oku*C1S*M8Q26B*qy=4) z!H0YK^CuHdA)Kmk5b*T|@2=qCc7)p#zCqyvg#1Q>cWLvq1L2N@J1LxjE!#UAJpMlk znjEeR;hP9|RXC7alH+bRxZnd1-$M9S!rcJt3o==%@UFWF<<@(l2Zf##dO^UeqbPs8 z>uv00{dm%cY+thdz@kE(FO6eaQMbS0H|on{0P%su2Lb21S614Tj}S(`uJ5J6q=%3m z3K{{4j7xX78~cqGbi>FFCp!YH4@j=`S&lTky#{0y@zKNsz!4DCj8j~i(d9Kp(n)8K z4uVF}TPQ0w_${hr38wRs_Sa=m%BB>8q?PYf%u#k@%&4H38A~IFMlKArAF&2)kqmQ2 z`!Ua))9=ZjHu1*8i>BTNx#Hp$d{X>b&o(QKwq#Kknm z(Q6N zsVhu1Yn={(oRw9sQJMpZRTz#tfrOs)xn}iLYaXrnv=+enzb#dnC4RqYgS4gk0JVkG7D2;vm7(>? zvOJT~ZCcBZa=3>`KTP_O3uviHE;f3M(o0A`O8PO-c*R}V-GEzJYTi^0(=vL?>8*gL zVM=r>jZV_5JWhHQ>D8cpxsx0l3FW#qCREhK`2>Zv6xKmt_emHd>mt&{AVa9k`SB?4 zTV`IF|& zRU4AkYBSvHCe+fU``@7OCWWmk$TFQp!4mm4_?8JfbX?Qh6t+=#2LfJqX*tsA{;t9O zbqx4+!tW7&AFviKGFQXs${P3&NqjnMqaj3cDzMPU#CsNFmXjp2-zAzci=0PW}Ii&ewFlfrH0QM<)G#YkVu^ zza#%W`Q6}=qWm?a9CAOH(o~f_RDPtg7Yc%fdr6d(D@&%jedb)PxAGI6pXvMp2TvMB zmV5@52^=Pr(;nGhDIB115CZEdk}=#NgEwhCz;dCBm*Xq3K+x=(npP+acgnCQb82X)+R}-k6AOnQU!{nR zGxjT;d>l_UfovjJJdjWx7BWKYCYdoy(@HXp6dI{8aQ0kRR9cuYJ0z;7XbEAei?&)+u+lI~{Qqxao|Mo${OV3hU2isiavuD2<*G)#S{ z^rg}d3QD#N>6VDN{zm_Oi4W2M(gR5k0?jG~2Yf~wgtwV*ol z9O`a2qowvr45Kle#t0ZFNb-UOIc}uEp?*F{qX>^C98g#$g3DA4gZBkJoK84{a1gM6 z0ZY9u)9Bh7H(8{!Nrylq8Of>L7-M(qna7gNA)5;pVUA6Zed_ZJUaJ!f!i4h)j{}S} z$7Tb{7(85OQd?~~L?{(dDujf1M4F4w3rYeiGNX=$znI2&8YM7%#!N}@6TBvvQ&*jd zbSBZc0}kF@GPX#T0g;hT#y8O6MR$>(OnwS@gi0paF*!usR5O}P_RnA%jp;OIs3Cnw zC@r%}+}&oB*1pb}G-lD54FmZmTDrP>3~#5I^Iqcj5uXDbw;*?1D5HSfT;uCz`vA=& zKcD;p@J!U<0$EYJI2@Mp>wa@S()BDKptF$9A~^mU(zg?F4;o)eukjH1hsi$z9=8zS zz)-i?@HIQ+S2^4g;*S!43^>whM8hMu6ZmdZLPc*v?qJHm{3H8#+AlEy|D$PO|yRTghD zxWYVt`lks$L-^VAunY-%&frtpG4VX%7YM%y7-5MfP-L8!%xI`d^ko{GXl#aoH(-9D zi;kyx#e_p)AD&k!yhdRQ1UxJZewJ+Zy5Uzn>hU*-ze#*6aGXCPd6MN zu#Lhy5by->bkn6olucXTHD!@L;_X!4qw+o!yl}Eh(p)G*`{F(@YiA1|vJYu}MC)T% z2w5PM6_j-{WOY{)UfnLg%i(rV_>{s<2nd<%QY#xeWy`X%tD4b|g%*jVV<9;*YPECr(C>*EoI|SsTH0efme;8cn z3;9hB_b1^Kg#QAJ@aN}*CD;9J^yiuWZcmc_hx94Xh|%0oNgyp4$dkSE%y_c9H~yt@ zhQ?VKnvtYU7I6QW@UMpc9EDP+*np6KqwhKSR4!><2HwjuHkZn;(Pl(lP3ooPCuv4d zx(pJ+RTPrxgJMZr!i*~GeYmcmaV3p1Fpys}(FG?h3BxN_^>{hr<%w4Sjzo?HnbPDo z#zx##rW}6CD;23!qEZ*aSjTpbE^Db$0&QnoO!#ML+WlZ8G+4G1?R+z2qM+_J0S zHO3CquJ*=cn~-e^7O%I${OBU{&5Tdf5kAeyw;S zGT{`$selpdGHWG+dGdM_{%PdH(vCuV3O7JNLOTOYJu8;Y)7)4z#<|iV6;du z*L61jtLOZ=yO6($d{^*3+4#<0S?<-Go|r#pZg6k|X<@ko>FILaO(@oGs2&u0 zQs|`uR|mx#w6_VP=J-(cq0pB?KNXNLlVmwT*WZNtnlJ}Y7)W6d1VoXn_vmgj_VD%o z)&I1&^`>6A2>OVdv70imF~8w#{ZGv`Dx^*lb-<|#YwE}PgH_;lkAyo%CcHs znMq|9mDx~u&+$H4++)J`NnW^@!hICxKtTBu6OV*3*XTcR7CGEJ((_3#0F5rR=p#s# zy|be+d%t<-^ie!OZy~)!@NhyOv-0J^gzq(GAENLug-0MDb;PD5BWmN4++s7%HIYBa z;g-;Nl*VH)c;~69oL%6SnlP-h7naFSce~~CZ-2K!{$=bUHz!9Q$V&Mw`c7`3`T21w ztEjAof>51*9&5~)+{Ity2^wo@tb>6R5}TZY_+4*!VPlVPApRurjlgjevW#|g^^B)X z*nO)Po~G~&g=Zl!NhNZ}PxqYhy{`BC^WH|1)rQN2OsO)6VeL0Q1Z zo$TH+<=l^QGCADaRJKuh2MR)#8Xs$!<6U!RZlY4kZKv}do%iAJ@x>+i-0^`KzsGyy zLmD5^_!tJFHz6jPKt3_P?I_RhApa@(o!}9@kplE+y3Y*%N7qc;Mf`K(UjRpdkOWh> zD#4d#G}ILM6^*ZHd;*EoI|Ot%$ri4dVkVQERf|cp$@-0}Vrv7K*@hS95xpNdtoo4ew{$(^s<3d)(kBfJg$}iDk?46&z zP+ESHrUiw|AfU`ok`<>C+~r1hn(65)NMA|1jMB+5sX~`E`pZW=U5<2l(iK26$E3tY zzfKt6I_&w1OA*yZsr*C+^4*9y|>w!o4#SNnJrDBrc>YEZ;=96&)Dh;VLf`W>6 zaupP5MG(rwgToC=R4J2qGS~F9uTGZ6>^{#lT<+LnsV|fO|%3| zqR=CauCv+Gqezb?9RQ6?mz0poOqXVS_qm==C!aw+2p%~oDLGXZWHPws10K#IoJ}~S za7wCtWEf*`_2)f2mT(T?T)@#MhGE}%M!&nx(_zy2q{k^8D;YqxpgT|N2aE{m0@8&_ z$Hhs}<%-VJTA3&&J)U$4=!?=@T%wy`&Kyl|6X{H%a|ayM5M;g{de@}-b*C9)v~TS$ z8k1>Efq_?XC@+Ft`ZA?!HLpOvDZw5SMp-^6ttav2zM(~mJZj+A1 zd1)r4S(Ii&!eh>6e{96vWBe}diM^NnedOmT9~_T$#^jrX@qbqI=buM@KKTXU@$m9O zvQw73-{`;ld-?&=3rQ~mje;stD8rvIJ6AqPm~!lXuRKKMVJeS6!383PX_0)l*yz0v zczOxxM@c^h8gY~x7$3@&C9cvZ$Wm-eO**dQ0hUo(PH6=sJa+8kF541I4`9HpH0MBh zf1$_etfI3T4(gHU?vxJ3HHLqveK$`KUrT%)aNKxCAR;ASAVa#i*PAlxr2It=w}Hx& zR5q$IHteM1Q}#~{xu;B7o#F%aG?izlJPQSB5!<3*S#$YFVMaHtc0Nzz1sX5HK)BGM z5&bUaUNR+9yJKIbvWd!OD2T1|inKV)$x`Q4I^)bPL08Wx-#si#Jz6THCi~o zLF-LgTVdfP7%Ymow~YPdDu3&5lif!49k6(Z$gUIb8ahPL?L^-r`aV#ks6bwx3=8_e z=tUpOk8-#VNq6 z<%FeV+;2|n?F?Kg_bZ(PbPmGd3o?2~L3hZ6C3-uDDIB426ao@_PN8f!gH+{yGvjCn ze=o;q9H;R+45X>7;%xVavC|rQ_D`}W$o>U3`eI6v{Tu%_x~bmqNz(t2J_Q<2@ca$C z)26i2`~8>787gO?peBKcO_0YpM%E-klfwOHVl%zgIf|wJWrITg<+Wr0zKkN{aJWn5 zw`h}MN|C>r((;ouDX3fq1#v4&z@~F+@5@aH4)($o6t1LD1_JILUn2vqtkL`Q3racC z<9JKKSl%l?i7``O{aVP>Dii2#7A3+9TuS!?F^bt76LE`UUT5DpjdegM!2x zT^lR9dW5TP(y1fzH#uAlN;N6ff`lZ3I8H3an)kKMXs(f4hell*^l=0 zH|+}@o8N$1Lu!qnA-*uhTt+(?y{fOj{l=u5kZuYZ=`fTpJJuOHSx3<|C)|?eH68$(VoT)Fi_)^ z(H#+Yqrpd8dbk7Oj)XfYENg|vy3Pg<))~iL2;W4wD_|zpFuvT$SJ#_Oxb#wg_FE|2 zN}-zynDG+Km%j7vCcK~%UV2dINud`6KL#!}IU|%Q-E$bB*4wm}8cBVq^`+Ji8Zrf! z7!7ej&;F*2eB1|Z0F{AM20=kND@z=r{=(G_ZZl`EeqkF-X9%64aFF4(josYd zpMMzH;bcdEy;@jVs94tILg^I2*M>~#cXA`mE&fyxIov3^qv;0VqNW>3m$f4#aCwaH z9G7NZIeqf!^fKrL;URTJhuz35K9_06$g)0^Sv0a~gkWH-cAzK_;;z2YSzPiK9b@Kz z&jgUejis4GGZ!W*4zYPI&(Pmmkd)6GMDvM`1B#~;NRY-vYNG6h?3^k2TfGvYQb46p zmG~43P?0GMhI*x#%6KXzss!R>zvZOFB)Q52Q*PF)Or$c2${kQp^u#11uI@DYKU7@g zaCecOOnM4v_8AIov~pA13?=VB}b2Jy#USDU1%3SZvz+n*Ekgdz9K^&=AYg zSD7g-IoT-@O}V9JrCsMkwv5(tS}S1TO@>=fm3~#$s8*WPN@L)0N~2H`$;}n&(nB;#)~lUwkeWny0Ywrd&&44bd18w9Fr~bXmb|inAQ~K|)fnT$^#-*!scnUZvQ!?Xtj7^u zQ28x$LKC3~dm^R6lHX8X%*r}7?^_o3i+Qm~;q)^+>9gtq$R zKcw&xg^wZNb|Qu8SZ7KWXl2{~6Vq^$l7%vBTN)uIY}fJqyC{54 z;R^_OFJwr|@k?Wqb%yO%WWOf+4OpI>D{so{{96+W^i#@r6uzgh8v*3fr~#F z9@70<_7MM(_+H=|NwKnakK1QLj7HK=6n>`g3j~}$TPD!S7p?t<|EFW9ekFc@_(9+( zefSB?9Wwg&Y5tKNCVhnTQP6nGcw}+KGC5jCM41w+;WeT~sXk+^QYmU`o3l+Pm(`(Dmrgx6$kIqqNwN-r6gjA;*EcOuFV%orLu!qnA(5v^ z9+F1*HHN>hbJ`mdZ$i8&a1^vM=6Re<`f$yRzi*h2;O698kZ%bdkFPkGhDDlXmbM84 zH+rEJh1L|>KtQ^ZH!_PDSy_>@SFbZ~seZm}OD~3AEIfUZ$Dbn3&>{v~Z z9msYh+X*b26NRo2a1%}jpV@j(=G=CNkKOj_D=E!1Bc{BL}1aakm*iSO+`~CO?GyQ1Cc+kv!kqjh(u|pL-bD;bcdEMM;p6Dtq0I zG63V zHl+|G#HMW3A_FkT7(Jkizl*V?b4cfcMhwYTlrn%Q;_{5|t~*hN$>)mDg+;}Jt*_t)mh?`(iS?%_l zNNEzKJ0RgwoQNm=^>QhB4c}>24}CY?MQbvxDX@^jb%Z6J%T#lk=@83lbf(jp0jDgl zBqeCH2kh?iigxSFq%w=jY$&)RX<15VX=b4mpjqx7lfM5+{w9aJm(qQd=0L*3$p{vs z)$isSUry^d^T^L9zW_YKg~*O&!@%8d%Jmx44^UZ1Wf7Fzq?eOk0UCE8Z+*-uL?o>= z<^7%V7dhPHR8~=04Fwm#{#!ER!syLfHGhKiTGH!4qxqaJi$NLs-EN##PP~EWlSDTH z^{>3xct7)3-r!G})?RPnX==|P2+EU63%NThH*DGdh)9mpojn`;wfq{6+NJ^Fuk*^#5h89?F zkbaZ&R?yLGA>EzQR+JT#-CO1aHCwz*XB(Y&{*S};h2AwML!Iq(-lOwA9Aw()!bxet zyb0(;`M|8JZt-{jA+3*SeGCh!HY;7;`JWhks*ZyTJ*vO4%O;S+@aIuFaD=YJc#U*VI4{~>(JVCjQ$rwv}&$Oq$J!e

    P)B%aJcnz5;k$At6bxaFrPi$Kw2Q zg^DyP(Wndq4@uVhl>PS%eo5;cR}-#ExEkPSQ4uFA&s8^ivlbOKNY^A?3pA39j5CkO zP{3gNSXbMWJ5C@h5}GQbo(g`vqw&v*3=K5(s%&IW`V5^e;Tp^=sC65KULuh-Bt zCf$T|Q_!fwr6#7kX2#~c%21SY&B?YP+Y+olvy9EY*64M5=2oOzlWqeVftE4KN$xs> z3-bJ_+Y*i;919qcA{~pdm{Tql0YR93X0s=1liKaC(9&rK2ax`P70k= zILvzqvaI~|2A@#49pUzbZ#WOjQbIQxyg=Xe9SCQlitH!6ed%c0s;4snwXO4rW$;smMhZ;PbWMBF!pnj zImzkPiz9Dg89v3T+TG@#)M-I8>Cd7+8$P~aUF2f}OKBe8WA15n@1=Vm-8pdaZ1GrS zr9M=lSrMCSUbmz2XF1$Fdh_WmfQM&$ez{C)_nUS==SV$3Z6UQq&`|l2i*N@ZN)MW} zT5DtvQF@rtBPvPk$Hi!!Z?Q?Y=o45%=}}6LK`JX(VmEhm@yey91oZ>_GAhfdtbh`& znT^M+qo}mfr1e@edz{iLN~W@^4`aUO={1 zPjep_en`9OKP3JU@sH(SM!IYzg|>~fAWX>AM#>HfpHkQf0gcA&B=?!2#~bq%y8j}7LzZ%sP!oBT}<_Z_A0DeZ=Y zrxcr-5SQY9FnVY+!lm3E(m#^k3mV~xlkdN7pTRpidH5&7KNJ2%VR_HSx%~#8)%WbL zgbxrt2$-oQF)pUa9Wr{=Tz~4rq>qq3sx%&Iocqn_Zu&rvkv>lPccn9ul9H0$A4YG{ z7xJH^Pmul#G^!IaKvNc1lg|;xmm2Dy(Mj_EkUs?;c__-e(}thZEcY+*GsMpVXYC+1 zUZxWKXY_0h%sJAf{$oQy{$=7y&z3%1RQoQKU!tvrYxnz@DJ?%qYk|UL5b%W3WxT$- z+~B?1CvgSgD+!kYjOv8!!h>0n>`f|b&X(%_cFWNzPp1MLgdb5K@2)bsyGDIQ(v?V8 zRysL8KR?%1F?#q?ANZ?DS0!ByGzx)$EC^KH*wh`KtwFXX*;-(ka1(Ln+D0#K=;=D7 z>yoagbbJix`bOW|)zb|~HzeH%G{PZWvF;jUJFN6je^{7r4%po_c|{RAQ*aLO~*66DQ8# zy?Ooy;t3}ZP6UiZP?#58tqQZklg#;OrB4LObW-S~!odadTu!dL-r&-=dAJ?n_JnT$ ztSKhR-Dq?#4SNUD9Z7crjkwQ}Zi&vuPO9(E+=c8-WV?dJnX%rR%#AR5b1zTdLi$$H z-IT_YN_O3i?yceILAodDUZ4@}sQI8*R`OnNQ<@%;zsTYGQ0Ysh9~AVF-~uT!G+LJQ zl+9N9o7G1zG=SDXT7zIAE@ergBzK#^Pis4BFySGDhXRgQp5he-M zFe<~TjDUjjEE3?N;BKVx)%0WUDDtDp2f!mzF?cTDr5XK&4p2`gok2PX8uuItI6kWdoHbsceLT z%HLQ&*%W1id&;C&ll^s`rt}P@XCWby15Q5ggxzz7r|2v9dEze+e-SuxRfbIa9PeH- zy4t1w=+x*2D5;Po3c z-lVZrjp)SvfUK|bmKi_j2ky6NY@_iG3^el5AdAmQ_dB%9c)E8@+@S5U?G)dm_&!9| z3+1(q$o;_hS2Rg}Nd6=8AA?71;X=vo6QiHhv+p4NDe0Y{(TvK|jRa)r?DTAzRV3eN zKQq@2@G-rM?&oyBfQuGmG!mrkd_FyYY3d%0jjyPFP4ye78pwF}tkl&I1p7d_e ztSVd(Z9kYZOsfie==?}$FC64dzO3+o_L)$uy}3V8_?f~l5H8AM@ov8J7n_ z)Gy-WWF>;=WC@c7=nb5sRO%dC5b`erg{TP@q^G${<(Fs+;#d6uQ(AtK76gUMATTn+ zIb+@B1}AA`UP1Uu!esy>dV)n`U0Gw_&^Ko}vgOHE0E^rm4M|#>3|}&1zXqiujY>2s z!$5>a4QY#4G2s^#uBK3xLbZzpm+7jTa6p9`6lzka1pzmkl#-O>Y8zZ6@i7;U-^YxDSPV>1}30 z-?=_DG^fylLQ4p&*Flgv`?bdRQ@$1X*5uoON4}C(P-Qt{rk(3dxmT68RAQ*aLctBh zV%vf^gA1>b-{f%dgcArS0@m0`kYSxk#t+iiNhY5{J{3IPz(~!BvP81f>rlzQ-n83P zYe%g;wHu&m_LbIz(Sw!lK)NI8PM~qqGIIel52ZWObv9)|k&o9dRBocu6$+B6tcjGt zwVK?`X4Lyp{ve0Dg~qKky20R+2)nFod1-YwzVaM@g&yR4lJ5mx^D(v$l~O*}^)_jU z-bo)yeJS;WgtAvhO9Z8-slPc#mih|~pfixpAUMA7D?X)AR=;((nQ^;bWiX8)G={>^ z*iCh}8$C?vVWfwX9s$~)KSAoMvSiRmGlr`%ipFRf0T?JR(xm4u&Dhqv5UCQa>0~p= z2EpP@EeRw+R?@f0!YLK@MVClj7@i!8$MUd*ei%%NxTejzOAA!pA1*l zgt7YaDMz6^g$fXGe!hHy?kdAC)0a<0;+2S32CgrkOjpI|bba|;O}Z-SYM^m)zI?J= zb;IA&mro7iHHp_!oCR&Rt8I8wEj{ZHuS>ihaNKJVc76*=$z0!re%e54K%pUpMiB6p zz?`~Z-dJ~y@fCGMX=CzD$TtP=-x4{lnZbkgK{Y4bf^bW~2u*ajqm-Q2n$TKDI<}(F znnD{0h#YJQU6SXnGkmYE7u%M24DndtJ}_YyXYf!BOg!NP!ij*-CxeoFmt;b*CWB-O zDHKv6Xfh}n=dL%rfhL1?#M=|U0XXuB>}4%84W(n<-Dt-CQ}PEnTn8E*X>@{tx1xN+ z>uhKx4NDiIHxca$6fgexk^*n8To?1%F zs_xE|ky=7Ws1#5sgn|M{O6WkQD>AyD=7VC=<4Ko*_L(NbO)z+X!V?KkB76s61Rgd0 z64}PV@OfI)-bH*e@hOV4w90f-4R4~Q)imPMiO*0RwO^?$-)(q}Lvl?y+)U!Lh|gBM zAUM9DB-`C%c*0^IllKz8kN6zm$nd@_47s@`^wqL(9)SJK8-e?zC7t^Q->ymPX~NGCeipDLt#R%-!xw7OdYu^x&a5F*1PrgHS>r?E9})lfB0ST5Vt94M zcM$)S_)g##WQ{EMnF+l$YwV)%IfXAE_$Qm~zBG7{M$A`)zb5<*V0*G5_pRXz^vQll z{CncN6-Ty~8pscZU#p315Ah#~?^T>dQoh?~_ycyoAkSX)E3^+{X2$iEym`lgF-wf@cPxTnl<3xW4YWXS0{b6`34a}d!PZ0l0 zai$rmsTQr8#t<>-~CR{`EdPfhynO_`%lts<35R4PNcAPWRt6%%@B7Py*1RSMN0AiDg_ zM0sCTH={<54^<5sHEGm>fv1fkt0d%V8@^9Vt2)H%60Zl`s^Zd(QQ!DDt%^4w-;jJG z@RrST-8F{auW{R$coX7HfnV^dl5L?)DAZR~a|$gewERCp*j;NvkqWISw5HJJ{|MvU zbta5gp)G|N3b7C_Oo7hDnUSU`FrG#NjYJseuC%cMlCWHoNpI=5`eaHelu{w#&Z7%i zNe%jX69#=Czsup;QD{%$1_%h3-*Y~%(A{W8$FBZScc9UcMkg4|*wSAqRq4)#H`KO5 z7veV&?+X0F8!vV@n~|Y6ehZCTX>?P=kA;wGb$2r|HTCtN(UV3mH8gvdxZY+2^%{L> z^rg`c268Nm8=qtQo6}OuoB?zO(isE?IaYe#WI&Yk?RxJv^KKvGBWy6eA@qjA!$6H_ z(@?G3&8ng8!(p_B(;5K_3kmTfLv${x@3J0g=2rdGFpB1AngN&>r2b5oWRa1?9+%(Cq4r>qEe>F=Y;cQ2i?0(=%|D2XHu9& zVKxL*#^h71H0|#(`lxz}R-3(oz5%~bo zg+vz_THqcubdjPD5q+5GBZd~a#fGj>bP3T%i9Tj%v0G~BN=26uT~2fbP`pUAziy@R z3zdJI{3`OR!6UNK!zY`x7q~ShjL=v66BO1`SO)>=7B%0*G`HUHzN_?64CgPic zUzD+B|7TO?YQ}z*%4<}%K)E1eXS&x-=%pF^4GM2k*b0HK15|0V-CKsY(A54m@omK4 zF&tTMtb5n+dYbjN6Mv8R`@kpQ~V6W$FNA6C!zAN!Ze z4<_EPy~ukg{z!2zM2&W-pY1a|UZedd;y)Ar#c)J>$n7`0u15Q>#19ZZXgD6~72HQ7DSnLjapJ!N_c4^~{xEom#?YUHPZ0hKur@uD+}}p0Y5qG& z`XAD#E~Jy)X`|DX{+IL_(q}KEQ`~<>XDEG+bg4_(B#?iZ7Eu(Wa;EmB@>8^35LBbI z{3PuH8kfPqjb=I-|8lv({dGjw6@;%OTt?y8Bw6XFtic~NloQC|$`LM4xB_65dlHt! z7#ZPlmGM~`l8WRjk*^FM$)zw)7DSSH!iFzc<*O`L6R%3V8gOL0aAv08Yq`1^#X7{U z2926DYN>$$#d7>XZ8NepNOfq`rBM$CB8L-8>l>UKl;7lV4G1?R+(_Xh%;UVq;8FK` zxG~`-gqs3J878AVv3*B|Yi7d1ue{KlLJJBlA)q$s0vWRKHh1cE*P1iK`6y~dr!}26 zaD2Ly8M@aQ9nza^OFD*hENEN-(GwpXfZ*cH8KX`-odi0GaPSbY%z92JL)LOiGUGs; z4^uLY6dI{8@RX%~DxYuN^@blU=ka#L+Y`S5IBp>^AwDkF-Dq^zJLE?>TnEw}Np}K` zlgHqYrA-Y-`Gv!EA$}9_t{34lBfxMBt;FGOA$}|IZooA<6I^$r$7{owdYdF|tLP>AQ0hym-$fGEa=;YV{wB3lX#k~xlm^km5!f{GtvUA4PaH;Q-*O0wX0Q zNeX8a zhjcFJ=&6%pU7o=+8}LcU0;YuX36Hw~md)7=UZ`+{Z~@^$z$oibk{@6u$qFZYCRK=GOUrv0*MR<~1Y4|k7A1A(w`09)BWVgof>54x=d@b>H z!1WQOy7flq>m%Ag`bp9oLED|CxTg%Cp(lTu_%p{~`aR@8SdnKw?u^fJ9o^ftrOFv+3|uNXc{!}Kcg*NATc?r&JK>gz_! zHxC}}4bpFt-U`}I9_!vRe72taZQ|RAzjF~D=iW8^9>up4e~taJBEl2>!SHEXL*7IDN8)>d<4$FF^@6b5XLReweD3>+^v|S! z0gbnge72JFW7>_A%EErL>J9SNue1)(Ita^GNs?q6F?oT=fPHfcHBJxHIYQ?s99&8E zK`qEG=7b%&(r@Q29b|iq)^S?D!@@%jV4&L{20#0;{3eI{lkf?`e<>_$Yz5rk2G`a) z^GU-05IzMM&sc`~rWIzn(}v&K!r$`0#Lo~v3%so0V*;|2O&~2zCW!uLO4CHIoTE~z zG%Nk`FYA(Wud=(T?8kDc{1UD6f2xDWOUqAE=cjNP1Ux!frBr6$U2gQ_y0!cjq^~4h z1~eW5-{P1@Ahp%9=G>%Jl5%v))2RRlWjTt81g_t8l^I3)*ecSfM58hcJb?6Ynhe}G zc=?+tQGb$_Z4HRmBwho*P5{4E-$pA(3(OU2zdVo3dg(ajJ-+c(zhiW zLpByHQbUB}-Q$d|G}WIuo^%4~M9_$vaHKdW8>%N6e)lksClgO0o(dcZp;&h1$&k(D zWhVnOHa_Exb~M`4xB&(pR$8GH+)%jkM|(nlXx%SxL@hH;|%utuP^SsfAMqe8JU?BCRV=EgB&g*YN%1^jmx#0m622vOV0Rsmk*|Pmo&}Br5Fr&lW zX4=VF{yKxH4WTv^8tywcED`1{o(u|zF@&`HG zC>o<_1Yj^_InY04Naq_e1GQwc%A6(-33 z2$E~Y7{2p4e+y%Y=Mc{Y&L(p(x{zmBA~(;R6}lE;m`*;Oad43OG6Kb8v7Cc5{OCI2XqzL2Z%2uz6dyOnN^EuLVD1Y+FGx8h|0rM9)W@@$mTvyzF00c{0-fN zZVB;6i9ZG$c_Dx`FR(D7TWZDto%_0s#&Q}fU?5Dg&9%%-&62r6Zlx)szL3Aj;U1^5 zippvz(F`a1tIK^Cx;17z_JcQ`ps|+5Iv6Op(*h{>)*HP~ClqWT{Uqs)pmF|?O!gP8Qd5&zbR9syCje@dAw(Vc@oNLPe56Wwv;pd&!h` zH+tn|Dx0WmhQdb?mOWXd@89r7`YL~w_-n+s0O#95zHK5_UpM~Pmp+c(Apa)$t>DoM zgDvR8vJP{WtbOa=GU?O@UV59-HcIb6LW-3fmlsS6%4A;?7VFID?G)al@IC~@t?Ypm z$Oy<Fk< zXcI{b%gX6l*>1l{p{D*azfw9t=^!LrMs{;@pSS} zUU0veG2|(Kjbk*9)A$_*(yeUtBa@cgABJyS=^pCJC1;^{JTQBvUFhHpD0Cy~RQ zB>oTaQ@|Oq5~(3+WS=(vX6*_2m;4#>XTc-I%IU*-(y8bEGvQ0Uz&Q$~{>L_h{7WG_ zoF6QfMuWRleu=gj)->}sP+ESHHUovrARt6}!D38JbC(-`b$`!aLH*aKExT`5urBn?PZX`S*AZa}4svCd(2p_H*_T zf_O{dXjbJ*{lr~s@LIjqR)kvH$E%6xQvB0ApBl5u`&fskA7>OsG zKsXUF@+1npWNs~&WJZZTsAL)`G*V$$Xj0wvhA+_2v?Jc0_zl2Oa^V89!l=;`^yD2# zcO=~jwDx1^>h`Epb~bOKdR^$xC8mL={-%7k2a8yBM)Q>KR=(?M8 z>rwfW9IgkQo^*P_DJ#DQivp4txMpK-Q|`RVr=dPn`cml!1sP#1-XpTiqtrPvTz``e zr+8@qrGbP8N+Tfo zM6bM(rrlqe%xqBWhidEH)z}f()OcBlFXVXAlnpM>9z93&WIY+EmrDsAW?N zL9+)K>&6(qNFU%>;yJ`~f%`O`;PMPE&@>(ag^DPIBt%Mc5mHGdLw?uibFb@i zJkR&H|2VI@z29rEz4qFBuXzQXG`ILy>Ld+2LA-=`>1lY#^)mb!#d{O)L%c6=pJkKEMn9$zA4z%?>CvDqE>ZWC;m>K{PZJ+QeC%m> z%#AaAisIvmPar-KIGRWTefqdb#!hO=M3ITUWG9n-7Ocf2)jenUR1JCx@u|e02dD>FK0rfX17#R3>6eF;$-27tJ`KLmy_+m_=hY3`D)($FIAWjJ->nJ6>F;Lv3DywpX@7S7bv@VV!*v>?8C|~B>NiK*H5u2?hRwRD7%R4VzO_7#dw$O z47bG4vugR5(o&*t5q%qIvavBUx#f!_$1-yszREkx>8zmh4jfJHuzT0&L7Lp}kzPr9 z6=<9RJC@3RqB4(PHcU3>;J@-ua=6uW*3kI?j-DanJ~aAqJ;Pek>qxH$jS>dF=vXxR zBjb-g?Bl154v5(A6Nbh@?VnQeL5d=0r(QE#m#t$@pgmLN$!tN*I|J5_>A-|XW&)|ItF_!Arx^nwW z8mcGRPw4=qUm%@2NyHsA{-mDdSMtA+|NV46>JAxSPG1jykUvcR&(rys`^)(MDE~M4 zBjo=9@4M4uX$7+ORFUi_lwTyxh0>sP)Z{1hVvbQhPWc36e!x=X6a25id;Jgxcam_q z3ak~#U&2xJ@|TzYOV$XgKIL=M8S<0V2nbgIjJHs6f%G95dw!13;uXnOB3oJ6-UZTk zU~K1wo~=r@8rieJB3H;pxw4{4k?bRMwi(Z9wX!;m8Z>IcICaBP-8sgW*95Ia{#^34 zPv>Qm0prh5zApKC`RzU;lJI;4U)$Oyw^o-+=rjr}IH~sqqz+ zZ%Doo`NrV=>qz=iFEe_W=71)oFDKm;G;%E^2%gLq z8sn=ee=Ygz$X^d0L)c~Q-t_zuCyf#bKlJGaGgE8(Y?CK$tkjf1!1XhFlO}q9(gR38qO|Oq5{kM< zjlNmKevI@$(t|+z!b669c%``UxEU8|;bAb1AvA`#yVLi?J2`kdiV$LY2ssuj|Gk`MzRyE>0;x)gr5Z_ z#h_x@a9i%%I18kY_SueSAQKqKLR>^_sTNke*EXS zzmV)}WM2o1*hhj`C;JVf@9pPfzlii=(r+p)V+ds|=Mtl5=pe$Sq~9X_HfUUHBq&?A zEi-saA0PB`!Yc^B0~isJ4P9jN@4H54jQ8|=q*sz&rL+v|O^LeqjZTkydNt`aq(1!%iz!8-|YO3sp@{!RE8vDREklsjolhQe|intke`yoXR`T1(ZwHSwj0WUW{+Ypl4D(UhL3k(O&lL^@ zQo?SR!5eS(@E3%?B)nVUlvp&|eP!@WjJ%P@zr?;*XH^v|d0uoQ6j8GS(M{iF|&{slA=B$SdGa|aDh(`)>d@Na~F z2aIUvN#99VcgW~vA%AcFAbpthpGwO#38~2ZW%Q5ZJ^eT7Bc%UPIwcs3c6CRM-iw?j zhdW04IO!8gr}x0>#{U`}S?B4Kq|2SjQoQ`-gP$wi_EI`2>XTdmrM&!}EYH`|K7=#m zCn?WUs{oBH_A=&J_KuMzeiQa(`fI32p%R745bzDjDax0Xq2to6QN@hI^}SJ*Ml~8| z!9en-hGViBfWg_X`pc+JxCY^x3J0UI57;>dFK+4KT7=IfTw7tu=qav_!82=nxGv#( zgwF$v8ygITqak;`(R20lbOGrLN!Kq!$HML+qZcTBG3f@RFHyQgdagt6Qlo#J;uEAH z=|-d*gGLgfG$Xrp$*hXY%y_Sxk9!jum(yqpgK-ZAV=;Gy(RYPB-Hh~=q_0vs8kX;i zYi{(i(Vo7VbPDM}8CuGOL8DhI9U>hj9RXcMf|2(YdLyNS*hNk0^1DAlj7ln%G$^>- zL|i`fvaV>BYhlLvCwv06q|u5-YZ$oPSR_UE2))MWcc%OBuO)pQ>FbS-1tlBYVDyfe zp1zUvO{8xIjkjrDVRy;y33rR}6R-Ahxt08FgKO2H6gPQfEqCAfYsnCo2m+Y-~53 z2Gx~pH?rwqks)Nnf81AyGEDi;P9J*iF945QkO%~#vXeuh;qPh(K@ss{;yr=m9VPpf$bKFMKfP3b zlfxwlmk=%mjQb^@Z)uI`Wpo?;eD@~Zhjd@i2s+_hJUPWCWDC&AwCp19z`iG=frzqnb9ZA zsM^Bk&0#c#(-;8*-v``YiI40cY(jaxxg#lzqA(f)$^*&iA2PxV&y0J@tiJ;OG*8nS zLu)K7B&iHnC@pd0PSImMJ)ZOg(i1`RjUsO!`2tCqXp$NIhj`-|8k1=}3jPXq%j9$CsALMW^)0jhJE(|=DGWfvFGj^Hw7R)F63fTo< z`CTvVD`OH%Who#N&MWrOSxDhE3a>*z;Jp*2?hRwd>1fSGWEYctQ`v+xr7tn|HC-Qi zDcQHkz6}=HKTBSPZkfU3j>vCvxaEXb5PkKE18)kzYxE6?kNS z8SyQx;qHCIf7D+0)x_5j{{T3W9GiU0KuURdKQ!Y4efzJav5v-i7??&TUHVzQi;A-3 zF+i(A!hK}oKl-F?ptzCZCWvUhl{#v7`OaYBU`z*NiocyM)8;7D>V4Oi60^U4{*MzWQ*o}ZqqC^1#{Z!$L<)N<8)5I!LwVEUgZ8Y_Q*3n zIw#4NtH^qS{AKFOW`2dPy!>CXc2Ma9@#S!5$WKx`AY1`3GDk@~Gq=!!Vg zv^A6cIVw`CM6EJ3+`*Josh3wVxG#c|!&N0*jqq83@z%s7!=O9c=p|a7sZP2E>6)OC zn#mZsa|~atF{wrTT;jEXBPO8~`L5S7xacPNO%7L=a6Q830Y*_KOIoA~OH1 zhqaIJ0xB0$sSgE_4~Ar4Nq3Ra3!(^KPH-{l2Ba?mjeCn%NHQ_|x=YP@Roko@(rHAe zF&y06?6}MrF!pEdM{Pp(a2bX@6h zPy%<^Mz8DU=^WCzr1O-PLV9YN>u&T8t(5m5olm-;44o!3e~sR$bP?%d(mg?=q9jGi zBDA1z!v$y3%Ab6M5|m0Pl|n*cw~SPr>w1~BO0C|s`q1hNEBVrh$osLM(VI15{YeiX z{fN=h9VA0}jQ%Ut$LKNA14$18jf_*Ao{xdBj~iY^d$9)-A3}U6a6~04`7Gp~F#6{w zeBi@K4<|iBX=$8^M%|=p~M`Fmn(a@N#{f`B@itsPDu#` z-HR5=-8cAn&SWUF7|Lvfg11L*y37*6^qZGVNYP^E%M|8Nmd))uncP;- zHlOk5XaesQHWBpv|;gR~RTV~SQmwjR_r?i67JCOMLjYiYl zy9PgvfaGxR5nf4nmBNMD(!=q-!O!03LtagI4dD*}wGvp^J-jl8X z8k@r51rXu5xIQv-q9iU;r_VICvAzu|QmsU_GE@|0vHN5}5oVnwTorSgYP)w;I@Rc$ zrA}s^lU+b1)5y^4vrjpDd=#tGsX?bE9OUCrS}YQE=NLV_lc#HuK9_WDrDZIH&~=R7 z-PO}|N!KHNp3)MwtT%AJ(NAgE7m&V?bp5h))LmrsGfH1fx&i4+%F+>csnHXaZb-Tj z>BgsM>B@AM8NFHQCZsPX-4rxlt~vSX*ogNE!;7^4r5W)niC?9-)ZWlk*4*%S5BgNO zns^HF0Ptjrr%I75X!I71ONexsbObcs1;|2CX`9V2<=p0|X_smCiBU_XmIlqaK6tmb6;YY7Gn35NVL(g!F5S-(Jl>I@glFj{NoDeddwgq#KN0sh4si>6=L3 zT!xm0^;?Xdqx7w$ZzFv>XgmPL^0CU4Etj#%%^l`+)EV7v=-f%CtvZ;soEgvKX5Dw0 zbI~Gy4R_PIht9ol@KxdF5WS@>&)sLn)pNYjj>i2o9)N*rEDf2#EUR!mXi8;O+EeL3 zr6UwvO!6eM=7Q{>`;a*Sbvn`MOs5MR+@D?4uz#Rp2_F>Y?Jn@ltU?(QXV9vTU7c6WgB&=Savt#n&I*fa=0Ee z@@W*nK;cVzk&;583FWn9UPPgoLQfS!(!m`FNJZC~P4BsNfyOOQ z-iKs1dEA_zHBAT88A4|$9Hdavk;b(rOxUTyFbcydjDUbB$@mQE$a~W01-LVExRIns zksfVyT3Bw^Q$|n51PIVilO98QENHw1rR)@ywwG~+zlj%%9Bw@E3B)Is#U=DfhA&b4 z8RCNwRAa!^i|~G~&~V&j8NALn!yX zX!Il`F6f!0XOW%_8ks;U5JC5n!JpwxD2IEQ@EpQ(0psz)D+ZMh86ZB-luPvuGoQ*U zR2D!%Sfxb;vh+osd)4?awDhu&{A=W22aoua7D*0x!{A*CFCx5{@SA{nsWRax#Vs*f zcJ$%lmXdyp^xI`6V{|lC68&AH7wA2DkMv5?t3cy!$TTDAZOQDL zEme&7&3Q*hb*-kehRz3YP(aFxCo)}LF~(9!(_mhKY~c8zsRxevOIb^G9o6+vapAer zYarbPMvuJAzv4EK-bi{AXgm|CGOb%0Ac_jy$7T#&WWfWE6kGq3>ovzrV0A z=zU3VH$3F({CIi~snmwuS0-HD(hFZx_=du_5OAAh9R`*WWfH0T&Yao-?|e_^2Rc8( zLF%Cp5@WP}GNXx>KlaerOXFu4$iq$=hTT4c>pCC&e!>R`{{k4dQbr0V67HbU>!*AA zSJJlP#3@=@O5MLkFHrg<>2j4>bCAE5hN-grM}aFZKP77qmuniHAwNm&fkp)w zc-2U`vX_*{&|H3|DT9BLf04sgq*94WWmWPVR3XEk z1C3XGdh(NbzTtB}lwaj=7ZAUYczxi^Xkp1{7a810Gup+38xXz(u+PWg6xR1HHKUnc zZ$lc5Xf%d_xFhNbcbU;U&+uv4g!JX4n}SB%L8Ibe_%_9x5x+7Q2!cw5B_WLqXl zlDiBqY~%0j-Nf%9elKuDCAXLChIOC8OSHYD9pU>4KL8kUEXd7s4;p*vZ9d@kWIK@U z2o~>sdHlj5xu5X@`3lOD{*ZZBYch7C*O^`yc!*GTTsHoC*x>uL->NI&ZiLeT zgcEp|ND5_`l%i+Iq?AP|4hgq4lWkVnMlaOYTMp@5(s`iqvcf4M@jkLSz3XmDKu^$v zNm&ud>qYwYb z=ZL|ihmal$nw5b3^n{GYk}bnbI9pf88b)C_g%J=?h{`C<gpz$@ODF=1kX^IOyOAwh?W!~rAPlcqbF*OcM9pLq@M?kN1;c&Z&&w%!5?T#_%y=P z3C{qGxcEIry1ExlXrWt-%%m`j!fX}rPVX(_H{44m?9xAXhgbvQUfC>E9RjBglSuD$#yhg(E? zG3hr!BY9#WX>M9#@YbnhWfx$=ZxMbQFoKSSg5juJW^}XXJ-wXt3exX@M(r*Zk(Za> zgC*hKHEaD0Z@ourC9PGk_$0^k-22A`W0BrI#=W^YL1~=9YrL~0D5nf*g z?(IG@_!fmX5Z*|56JT6vK$>RL+{Z?Lt}VHnNq<6m3ut5;jL#^v%ey{Zs$^2Y;D2UHx8+wB-u8!lq;;EO6fOBzeB1mlDr|%N1ZMc+F7N|lLcJ+xgc5=n6x zuAY!pJ^nJMgLbt2P3H)mf8gLT%9E6mVKGV19W^T+^6@-I>o~0wu<#hgGYZ_l#y+97 zpp#_FRbk~r{xY){rx(jtp}hQWvf`1Woz`c_Pg3z9T>&&cZ<1^X{7l2wYl2lIUWs^R z;F#^nz)!oiRm{xQ6IG>IjpkV}_5Bf+9MW47OZFl*>!TSGtQ@X7ts1my!opw&iJm&A zo%I~^cWQiV(La}dZTKi1upcouE`#gpn9)M}5$n>ZN8>yg4a6w(JeYjisn55768cbF zz<@4fK=lz2O7H0Sl!3L<2`&BW`R*dq7QNta^~Ka0P`d;gQkdFlC%n|m#cDRB*@$Li zn3&e*KX(aPonGeMNGr>!Zgl4^vp~9Po^HZGE@vQ35eROR+#RW-$g*m(oR`#Y%v$-4 z{G%MM8Lca6T?GpxSiE)G8JnBC{2Q3!UQIWJZUAob6H)Af#$Ko|@(|fD*$7y?n&nNK ztae3B_*LJqF$$>^(jef?FY8EU%RXsFmkjr5-;#7I(yc+`VaSflqm$*XG5jKp&9%g@ zBYr(_1pe_-&^H*}evuFSM$$Ktz8N&G^W&wm<*~6Hl)aVgZDel;i%(%R6qeCY2A?}h zev`wsA$%v{wt)E^moIa~-DUI!eWLCreGln-K_dwz8Zt0mhV9;GLPw2DI|}zxcmRS= z6c^8S4;o%y6Qw=z4#YbG=c_6|x1+4goP|`$)daHoQPv404F)63+vU*Lg3Qo{}eBs?rhT zx|>sPu0KT&I{9=8;Gn(N$&BX$DJm2izr3&Ki^vy~?+G4Hx6~!_`$~snc6vcxKATTv zMQHz`UiFaxa<~M|5}Ktj*+L|pW3p^;Um2p^%arZkdZjm&K2-Xu!sJb+alccFrg48N z1E@R#1@Fsb3ip*Oden@eP5c!-Mq?n2K`?Mvr0^nr-6A}0LM#0c45l!I!cYi!!<%}0Rw49LMvqhaY0_gzj|Gi4 zC+Z-DGSNsze&=PE%3f_{{?m=KK%Uh=#xsx!3}hk#NtW(UCEg@+uF)L&44uhzo>fN% znHQDH!bM1l=gfIU$1qHxGnLNsa8S@GEmTXc@CB1fwCi9RrRkJrK*C+hD=3z=3Z>`z zMH4=5=5Omv3bQE8hJcKa$C25H*GpzB)#3dw)0jhJE(|;h_)deLXZ%#H%FZYM3i$=# zc}InpD|prL$%-!|{u=Suf#VYs@55%3BAKHjE$+nyxLI$QJEgk6m_>9K(|r>zl1z$) ze0Ff3-4c^F>C>~6(p!|?hJ;c*Dm+nLN)F96%S_xjL;hV3x18b%itj-5ZMiZoJb?{p z-ZkaNU%c`jm6cRhLBZ{j<#aK{N7hp^;ln?@u$sae3Likg2O_gn+NeG>_;!WY5?)7m z{V6!N*nMPhM};>K-bi>8U_72>u2_b!d~DVbT|aL#txsrefra=Kmq>g*HMmldza3i% zZzH_@6fE)i%;4Gz?;yOB@aKS$H0gO#Kaph*-7XXUvrc}O!+k;FOA5Oo;L%5=D&f8| zdQ>|fm#;~GL;73Lcp+y>3rr%Okh38FN(OP?nR&)uoJG#_J%{bf?BzU2R= zbcE7BknsAzGUF88Q8T`M)Zd6>G>+3a0RvZc>a);W5>!S+xqr<(Pd^POX_l+X3Xl9P zdsWF?QeJ*d)_Y#mt2#q|l6nuN3Xt%So;sa7)0Db;o{Cf|QK<|CFN885h2*)anE3hk z^6zrEsuZhHJPV>Gdpt{eKT!`j+oT~H!RnN1P^t+DRbhXx%AC}lW9l?jYf(LyYHg^v zw$j367Lm7W9aCECho~-jDZFQm79h+2&yidZDC#V`8a( zi7uwtfZ`<(`C;*2qJ+EDjLrHfYDl9Ijm9wWMoNB)WXVQpl__zTnYBbeM@?v5POGU} zKK+uiyTYs)nsm)*T}kUISa^@2dhVJVoE7qEa5do+!U4cYG_9Gspb4Y(8y2DvrVxRE zR}<@YE^74aTAz!NP9>cN8o_7CoUqc!qo_#VRd0!BW<=Q&k|g~!}| zW_+U8*^b8jG#-F~>+B^Z)r5P{=r(iw&23M*1L=;S5x%rRIT^ww-{gnPn5OfiI??D% zqYDg8{ARbEd89PT4H$k?9Y$;gWX|y!DUIrgnEx*a(dK2zLxG!LTr)8NO z407vd#&(TLe;Na5JOTrkd#V-EJ!(q%H9Ut*{-!dJ${ZituQ_NYm_+ zkbBD5C$uB%X|iL;js=TklF4u~#3nDN(2X-=owgK?r!j%XL^X1Y^0E3z_d++xjF1kk zd4|Sh8qdPOBh({aAe~{)89i3}U#5_rO8R-wh!ILt(mWlPou17YuXU(tG^W#-0Rz{Y zUR>f{G|lJPqp^tbC}@^i?~1&^>@Nw%A3><0rq zJD=<;WEX%%%nN%mT*{dpGA zT1@LrSa`^aWD$IsYwX+-6NYs1!cq!vQFt2yZh#ChPXydDqaW2IT26We>32XQul0~> zg?rcFL%P(_dxTdKUIiF0_N=&USCj4DH+jZH8Rr-W?OBja2?HoWFApE{d~ ze?oiFkDs`-N|7SNE0COZD6OHR*3ie+wG%mkHRV1@TZ<_nisX z&-WMnJ%t}A{0ITT2c@Af;C?cCnf5>KA-$LM&q~L_GHt}|Gy2}?5`-LXKj{Oce^I(X zTK#0CmeCX1`k4Gm`ZvX^Yg7=^ygH$@;{7(|s(@ke{SJLAnBHTz@nulU>g=xXwrq zS0r4CaOE;^)KxL~e1)qLu15GQz<6p9kDzR+l;zGgwUdT4QVx^)fg6XM_J2VX3{E^nozo&Qd3BH z&MYrnVZwj(+uDr6l@zXmfHXoLbj=Muu6gfj!YPCUfbn7Snbif2zw9UZSq>K>A0{6G zkJwn|j+)R!g&2iY3TY4!n^;7WwS~b0W*}?{y(QsRgj)mVpd-mXAy$RrcxxNFRN zU^+F~6^`C@^sa}8ndR^LeaCek-69hD{WL+%!%=RM`azLoTCq;FR` zCR3{-?hd0XPVsab(sz<>YjikOo~^r#u0P$=cay${^u0=>uRr4MGkT}?^|vE^Kj{aQ zj>Rww`az=~p5?=CPr3u?j%8?>q41E=-IVS`x-;o6O3V0CnF#o>(G~0Xu)C7(MmoJL z9d#K-S5`WcbQbA&Svt*S8-2FYIizz*=YdAir=)kT>u&7w8U9Z8Ae&FN04#E^e>Pm9 z@#XZz9)FiU*SY)F(x1(e>w9WobInTL9c{fDLkAGA%=2M~V*II=HR#7cFK8vS9y(~prJNO}-xJW*)@83Xya z!H1T}Z*sW7goh9w3K&7lL^n*^FgoK!!sXmB(!)uQP+DMFv-3%#4-WJ6NYbN7j|Pp1 zq=chk_msh3;R7Itdz$bV!ebQ5dMfGXl@3LNGM)AXqf_qp^fc1bNzYI^5Dd$5fG--| z7pZOvCOwDrT+ql>v9v%+s*G`-XZ(hjJU^fOE94g_ zAChGcgQ>DEH=rGGHDw3*DA{a{x%GWtH zH6S18gXV7i&AY$S{f+MLaG6kHfRikwlEVLJTD@B$hiODiAXPdS~wd&MrP^$^8%*pU(k&&V2nDvQTwP>A7 ztM>o3VzRhR9kVv8RhL#hTIaz+KFIG?kZ|W49K6ndL@ywGA>sOfHRH>qZlgO)mk{J| z7n5#4`V!D(uHFw?a+jL6Q)ASSS|e(Wp`pCbPO}2(!NUBp%S^g#FHcp@HKBAlrKXTj z{z;cTL9Z~j(}$jIM)pdwSAk7tN*RxtSrT*2O=x()3s+M}p%8$8G)hgChR>kEkG|pI z5aBT42w=SWQ!#+M#6=Asy~yJ+;;F>bfFqG)k-f6{v4v^PwC|%OwN}(xLrXsTyoS@< zYs_t=mvb%M>*!t&7cpcxOO}8&{5maX-AMc<;x{XvA_Ji1k-x?8lgaBT=WZo_8}ZwL zBacWkfxLI`Fgioq3EGgplXP3qd<}(DQ{7z#S4&NX?d~Rg58-=HWSYc5g_mBx4rvn$E6NSzcx)OjH(mBHN8@I#|Rck}BW)41? zlFpOArI)ij6bPlu44;_mZpJ|^CHA0^PoqHoGW<+gh9c7y8eLA`dqt#+N%sVebP1)W zgk>EgnXF;LJ$kJP3MCXuRmjNmLN61#?eJI7n?fH7eIcMcmnMsM1*Oi_&-kW`J>Q@F z0P>H3M~vhIDbbJ!kDAa`Pw*IpffNQoKr^N!P&6D)3ri{OaZ`TRG#X502$i8wP#(uc zq@`gyk0;DX*OLsRF`UK-7|2-2KdFVXn=z;TJZaWL)8!xKa3g7rqBR;;@>!8b%RObZ zUp!AL1Ej~09;-CYk>U zOyX7bIaB{U=1)0=>Qt)FmrX3Q5&IQOVO z*GvktD9nbCeE!1jC1cxZo_v|?9I|u4^7)I&`+J_jBOmtx&nNr};RS&4b_^%q->({e zt@HRo;;#{Z9XR5Vkr#1q7@MJ)WD(iLWZwjfcm&cU9!m_aaJdh7DdD#WzYQ4AMQXC} z;FcNxjDAR#lV3sp9p!xrx_6DQp$YgN`IY2Xfkz&fu^!T16vsMGX6$e3zy7OftfBD% zjO1%fqW_`6gY`AGmhd{l>j5JfW65Ov$nd}%f3+KkZzR46crqEI?qg#!H5oUP{eFxQN!Z#GYg}{3sN|!2w!N2MI=X=6G5dKl&w2)lkPX8;|a7)Y^ zXUI=dSD;ZrjYx{LVg%$$+?i(7Eb&G~8kJ~NhJj2W(*bhgQK=eMF(FS=wkm~c6wZQx ztCp4wEGT%k;n$w)!>>-f2JxDTrvznocgUS%_?dW7$l+=cKbLrI;7FvHG{OdgsOQx& zW9>`|vZO1GdNj_1VHY4nF5LMh6zK(AK;c3P^&#K_g0hl;Y@TqD;jWbr|6<||h+m?( zwA@Nwa+ezZ{iPmnNW2m8#=u!L2*pw(vOw2m#^0k)LKE_rlWz*1$tkdmlfT07IT!oj zn-RZ~_*I5Wbyga+nj5~VzQ?a7o9&y0MqqlVX8 z?!%7}PbHqFcxtMYZzHaS;dQm1(UN#8;;n(>?n?7rBr4N%Wv;dvH;wQoxR%CsG_HqX z7Z8;v;06=A>jm6M;U)?jd6&_hr-K#xZqoOVz87>dGpEH;(&R1S?lWV>EN`@ppsHMVV6b4cl1OYcLAPM@ovDaMg zlV~v6A!LVwMS{wAK=yoj!svba-55rCIO!3f5pp~;;hr@1sE*GWNp=+3(O{EZE3sf| zyikUsI9c{Z_IESyvuQp?PtzMiZ!A2_YLu0EFb%u7w4hkmO_f~`$C;h2OL&Z@J%RQ_ z*iB$#WW9`WkRj1sWiX-a+8|Ryr6G~M=m@tf0#3L|7T)IXeQcg#c#|34vj`9A6OE(^z%wbq?;n_UNCy27RRTNo=$p((o*-7Hn10szJHPrdnV~wq-TTX zTSB%^OTz>*_mUYqG$miAF^9%n7^t}AV>DkvYdZ7H8r#Z0V)JReLTdpmTrsX8cz(yx(zy$mg#Pj49gnbM0$FDCtF89FuMmKeQF>7}IKBK3gJCl3t~>lp>^a_I;x-n&Rozq}P!C05rrBkGgx3*X4;YV%!0sbscPYDp>_)Piz@k|&PiFth?D_;V@5d%B(^u|h zN}o{L0tvB6&yqbBKQ(yX8u?8Qx0UcV!rKAkbt|!vhbbg8{$#T$>1QzQ3ys(gYCEZY z4h`qXFO>ftRp?AtipAEXbH{u4BwUl|-F zo6X8J2lr;C0&j5S)h~8nG9V#+u$7vS0`M9a7~3}hIPW7WAME{ z__)_1d@kYI3QM0-maAj%i4H#N)FoVx@Ogj{X^dtobmtp=Qgi!DYtp+2=2} z3Hi&(HwBL;ETc5XU199xFFo6g?3HA%0*kUN2F%EK)aHgC)X`B_6Hg%?P@IXAa6!W> zX;uyq4-=07M_NkVC79}>MjyG*$0bHOm2?_t6p`>+j^YK{!h{Bz>swN2MWHnWB#cay zmZ7W8U1R);;XdiFC4U|H>%rp$iCoO&ml3!(nDCTN7`c(cO%!g1z;~5=sBba$M}1e_ zO7=Fgx1VCAqG0S#%C;eUC)u{j<^-bdE@MAA-$(jxviFd^*H~E)@jhd}Q??!1`^i24 z7LSk&^UQJ&8a!G{r0ofJAlwl!Qcp&y=I2S7=pp0RW%-D7BHx*O7w`zYz)7qhHuy;$ zbJvw{H^S+Fk<>COw1nlq3=>-GsL)IbSrpUnu_RkY1>MMpx9zdVkUbNIz1R4!B2+uB7y1qz957 z1R8}v%$;?z?P4M?LuN!iZq}DNYiTg8A+(0VLYm?tQsp6$5~OoanAA`&V;H63ltw^e zkw>=4ebU(7nn6dB9YuDuvIPO@95D7NeR(`hb`06EV39w4j&S3QKdKpGJoyRaCxSaF#B_xsdQ{gkJ}Y!sDsQ%lMAFH%yya z-JfF-wZ+ulgoX>zxm@wAtfIJEV%Eun@{e-3rL^9n^)@V28>MhjQYtIj6w7iz*mGf- zd9%m(vn{8$g5Epo$%+K|Qq?PviOAe<@LlsRx!rs3(OXGx6}*~qK0K+XFMR*LnVZtQ zxtiu0njgSKLCBvG0k{v%X`p9YOJ^OO^>A=?vb0H$th|IIjl8m?Soe{6l^^rx+CXn3 zy-o0N3#6mEtoE^K4U(2@6hZA1YFnV;$wAzrGDP%K<2UFfZ6&{r{C4H#G`yV8jK5FA z-$8yS`Om>4*8!GIO?Dankp}+-@h^$*2975Oc+7oe^hTw>CjAZRZ$abE$VxEr)9=i8 zW{$ekr`Gp0f1vrJnzCmea*&fPko{%`Kbd*9R(|);+)MLkn0SR17Nxs=#y;B4pJhMU z17v>zi+du&d1L`^E5sc%t*JiWzf${++V9Z#X?9XzJ!J4ZA%BiP2p=Z=Ct$=U&*i(n zj9sDZ-(-)F{YP0RjoU|!J=^(kkC8o2_5@hm3F*KH1>Cw_ev%3T=?Y2*rLi>R&NRB!RX*&Bq$`oG3>tSCsVKV^mZ<<&G4l#d z$f`7}(L4(#D^x{A#WD#@nwHKsqnVb`tJA1Kqb3Zzi)D>5S?@#|h|V!#k1hvOi^91S zYD2*DlU$>=#MLq0X|mQOUyuBG;PFc6Ewwe7QblhNcYNikVM$$KtzPSt?jJjKl zzE1swj#>o z7UDbpJ~OV=tk#ak{WKncf$(LQX{owBXmmdbGuUMMkQSpzA5t4Gh|KN3{%>DErH45GO1)yi9^BD zB3q`*)^Y|P(vG|w!nuU=0Hcc%FQjm$Z1*bT=;HFdF3FQd@9rjFrHR#paz5n($T*XX z-jR*w3|=%!ev`u$5iTa&6EL#2lvwyYpqS&#si==bf=&sYQaH)G5s_}OUPf2ZyV09; zAJTn6<8Djig3Qm6%~D)HGX^~GQ@1~j0W=A(c<}IR0dKRq>7zH zCLf#fh@NFIl_6AyLP0K(VS28lpL@daIXX;l81do6M*znQED-GFo-}s$dGeDSZY0@J zWJiO=9S8(ddby_z9#NO93_Bt`hVWRxnwk+e&gklzn&U}NAUzQ@do(0xM5Iqi)dhETS)UYuRef;Ne=goa;g<=|Av_l_5+;$AC8d;kM&CBnXPWt>Um?8!G%iqf zMsTkh+w8Evz=dRABl|koWc64!6_OqMWP0Nprd+M*w}{GODsMtT@I_f!Zi%r++WV+1 zCHofHx4|NKDfDr-Wtp3^%#`yAyt16i3M%hF!AD+}Ymt#7&b@1V_vbwS9{H8zSAj?7 zO_azEM@8;^!`F`U_-f*7h<^ZF^H|7zXmmBrV{1vTBfVZ}eAs2P2&1>^mwf~2jifh$ zM#|*oWx0=yt8)L$Zi3vZ~hoc#_m%yQZ(JS(%430I}B9dtZbWyO{P9GYrHm6 z?x3}k*5|PBmB&)DSeH~8u^Tzqhynx=hzv&&J_YXW2fU@$iAE~7OQ4?N1;p2CV!f^^GAS4r11{D8m z@KH_BlZ4CFWOYFPDlF3yK?&B-Bt}5YbgwFz;3^>)DZR|-6xH{PyWNV&c!|ohoPbgc9?73uXD;t-hS{-Be z|Bt^vb;;HvdmdPOb;#HCeB<-=)o}s&3(409k8UiKEo6}u{emRiMJ5LIhF(mu0mVxo z;zSv;?U!uH;Vw1)!>#^)HYDGOd}Ht^TF65vo3h8*gmjrX?e!UKLg#WiP2uppR+QO8 zp1~^&?=#9@do$u!62A&K-Y3Z}ITVhXo3TXu;;yEVLL&epnOahzm$GWm_(4T-1bhdet!ssT9&6Apc19F4MIz_@^s;=q(AiBHS7<@=t*jAg?iYw0;h+ zC3_v&>%rn3F2#Kr{d0rSEi>guIoyq;Zz6p&Xe7Se<$!G0#r~9A%n9oazLm~xbZ&=( z#FvSJn3s8n;g7e$3FH)Qh~G)PEpS9AqclH53jIbe)V`g&N#8^IUeE|!b|6AK?tO+o zr|YD&BYr>e2Y~x8MIewUl~>4vW<)ji?P+wN(Xp%%lsS4~_mCMeH9FDgOrwh$vLb*C zWsn9t_pljfHuv|dD~)b6(qZ^|avWLLqa;?R)k%)(P>KOkj^EY z2O8kI5TY2fWqeEJ z6XZ+Cmx4!pdP*axJoLQ`udl`A-o*P5@2fbfb+Q{lKf||Z`&xhE1BgEY97QE5gy+k; zc=4>R?om_j)-yatWgwM7Q1Hz3k+R9-#{T`9Po2SJhmai#77t@qJTCi58$9M8`ArTt zjPP*6BNUFylmz#r!L@B<5#dpUM*~K=gx#!CTgN7JGOoz1wyk}9o~AX1)>v4Gd$tTO z9e0YY>DlpQCy<>87EeGhMfwJNVadQrW{gdde~`mHLt`?HXJO#h2H9{b>!2EcrSenA zPbL36c%)7+rKH%sVDJ)!rxBh`cm`nP11Y%65(w@^!=F@qCh=LsX9Gv34~A1^bMBXn zuA(!KUM4+<^jxK*X|gq+n`iW39fdTX^edznfJQ17y8`#Bv4eW}R9r~*HL|aRKh76|%q;Y$h zIa}`V(OFJs1)X=`-~_UJuB>Tl@Qa$q-Xpw{@G8K#&Tur{y>IMAJ$z(VlU+mh1F$vZ zACQ8vg8YRSdi*1UCtu^Ezk%>Z!kYjmFIhGg z45!H`9+`n`&O3U^o9TQ)XG>WpkQzz}2ZHWXbKX^FE1hk0wwG}tDPd`pjRoCj=DerQ z4mvyOd|uWG24s4ibPVq@XQet{(D{xgF3I9O&N5DR*q9NIiQ^wu9pUin*qqB$3UOGRQabhV_Ji~;rederIXFr_- zbbcx81cSkpNLs`lG-r)EztZ`Q&hKz=*{>VRz1d%~`7_I7z46IV}In zUp^aIGK#6Z{7p%mT_b&P1&S`I+wsfmXe|DvQ*2ZMz6la-;su-8LyUU5r0 zt?0BaH|E(jm+L6AW^aG$#^p%JNQZTCFK@+xWT-sCUK%paqCU9P zC>@n$A7t?%qsxu=*V&bHH`3{#`NGQxrMe7*>%8ybOu|`&8`by$s&@nEWP(>rJ>1;l6~sE znAQ+lLt$YyE^cxJ$tv5m$a3VU3qE0LdA;Mqs1Bz(0xHY$*%|IhW8>O~JCf`uvZKMG z-iXsgWq&F8Xh~(kr2o+qJWXi~rLmB3MUZ0gKIr|CUcqr@RZwd@tqHUy!a_k%dU0i7 z2Ug(7z#d6`-6RvESNS{n48_S5pM}VWPv-mu+;c`xxI{ve!%ZPQmGtvvX_;kU^hBkn zk)BR^257vEWo%@RI7X+s7tQFWqa$b1m_=hY48$f93CRLyFB$#rqlk;d=4H}zNY4eW z>6==Voh`jgS#F+5l{BU1Q+kEc0!XMXCHc5})%XXr+j1fK*T}yP9`{2A^~7a5Z(Qbc z$V=x9vtA4MWL-pSF|9XYq16?4F-^u1`Ma^iw8|Q}rPSV{_BJ#;xw3qFyeQi(GrU(L zf0pIMR}g;(I6g0OmQYH1ucAC@+IrWVYI=(I=&Yo(3J#ujYy-guUN%iIB}JD9T}@>T zl@Fls0hZGQ+=oV=r6*WRdL8NYW$B>%$mp|`-avXI=}n*!9T_Ymbv3pYer(Fhjq)#Y zxXn~Pp|V94Y0Q>ZX6ZP|a-W*ASO?B+rLv96b|^?!=~OI|VX2=Pe)9mIt~-eDB>p*Y z79-?>Lo#)~!0j@lx?aW?G`^&<8wTI)^7{PB*mrfL&(~zXA^R;@Tr%!jSXSB0EpgwO zQbU9Pp2`nYeuRRL9vjhQ0~7a?2@5;>E7(I}FNL2W;L%8wNRz4zQIQVugxhD*8)Ln+ zpV9$Jzd*uS&_*izRJlVY)YR+vgTi47e?ril6m@?Y zeU8$9lRiTFAEk?A`N$l1)aY_ud}NN1K2G`sXgmy3CdiN_qB(T$Uvm<5y>pUIxmv7G z$X`CD=`t7&jpCWf4eZLx@5!pg-y0-EIouiYlT>|V8 z`bK`0!(B|g0r5+KBkWA6>$^)0-n^S^IoFVIBf^apjzpyNd6~fv>vy3E;mZj(1Zf7~M~kuo>wqNnZsTk7JH(B~&caW6+&o%8S}jb2XI|Dgh`+NZEu6n~_QxC}>8V zk9_wxJ%cM`nTDVP=WOstwIMX|{!lWD5l&L3fwIqx3X)6TXM=y=7pT$87K{h1(In zpYQ`^U|GM^-~|e|C)|N>N5KE(0%Tg(LuQuh1$3g>nPwN5$qR@E-NOdItEcHoxEtYg zz$j|Sn-pCW3At*y><+vtUQjvUgtr1Q$s0oUE=SC#HT zI-hg_XgtyqlYle_6dFEQ@gm~I#CrnwQIVVLjDB9}1nCmerJ(;ys>+fCz0B;TsoI-n zADVq(CR0_`LhNVocY2!sga;6Qqzo+e34_bs;WPGQga;BH1o;2PNmjXZkDJ+B<20D& z5Sl|_GEUO08ETtrYSmnb}vb_8FR!X+8@xd9||Q#B&C>(9=vIJeBbCW#FiL z!Qj>kPa`~?@C?BJB~G$5<%?$a(>TqfIg94(|Bop-@g*|{sQEI@IW*_OOkRyVZ}SWu ztPz|~_!Ytn0RNW=%FEzYGau2@ETs7w&DUWjPa`jbHw^w+PqT>dV#05hfkSSI!T-6_ z-}R-0-y-~W893sW8Qe(W<%Cxdey0o^b?+J+QusZ>D+#YE1E;z74Sq=B)r8j&{s8cQ zNg8>gKQwcoCe2!!>u9crnM@jK^Z&@;VS1Vkgf|l2R0ft^sSTd1@MglF5Z(g#zr;xf zNq%bPAdS;jn%ih@hshZeaoLhSxihr1cSx6ndAr9V?^Zayr|aduGI-%8f1AH1{0-r60pt6g+c(PAwInm%(;YRq z$7CPyF~Y|Qp8(9}L@6rnbG259INDO93R83OVgO8;TmQ3Mm`3Z;Tu#k@zjg(-j+Eh)63&>8~EY5`g3$X#P}d%dsMlD>}g^<`*uEf{^L(l?U6 ziS*57XzA3u#pt`0zLoTCq;CgZMWT*8AC(=dWpv6NraY#(rVW)lskDXSBQG!HyNqtE zC%BvRJ*4ji&Bi!6K`dJ~5ll8H+-KTAJxM!i_fvZS8gD=f)^dN)==}+atQ@XA=?PA^MKg}~^1r87xqk&c7LBPHF7 z5tnW7S=!u?LpYak9$;K#G#Zsrhuw|dtNm*|NavF-09^~TTx42$7OKB8I!Id1WpG!a zxr6nRi|7{9?FkoWN(~03uh1EN<16x`94Sfv!dXnDM z`cUf&jrS}RO-XnCjDDcMKS_Vm14ust8YvaQb{dZwTw{=jA0s@F@F0bQVJY%HZg8=_ z_y-dnLU<@(JnqFs(r(Nl&rg`qCC9&fhS3;KV+0Jm`Qv>gL6dzMPPVvqPnvhQhWAF& z8%1w4JUl(P3q`U!wkS`T64qwBr>TsgG8T$|Ne2VzGI(^H3Bxp1$5WUxD;mA;F8MrNH zL7U$TCOxN3PSYq&r!)hS|6Iy@AnphBCESbV4c7~rNpBXt+3=W6g0j_*d&%g%eR(a? z&p>((>A9!qnDpPyGy0Iy^GUx#dO=w_)xB!;A4)GI{Tk`lL06QM$`cg~<>k3Ij31#f zUqpT}`8UBQV=fD}xg|y)*3g%dev9O*&kJ?IVtDtF)isaL!&F|th%+N*O6Wi z8hN8s);Ez6lE_aoL&2nPX8B9mKxreTO^}djk+RW}+|q>m*o>z%Qk!XfLSqXIL@JRh zUHk4+qjzdCb1Ug>q_=~{%cHQMDARpraE{K{-9dOK;m-kUMva{se(iRd_q0ao3wmGD z+YPU(zlhZ2oE7(#Ib+oMn$9!T+9r@K#~ zW0a0lIsu8N2uGw<{$HbC8;y&V%RNcDTy547j-JvJbZ@yBy|MB z6#)A;fVAGC45QRWZIwRUh@L^5 zxwB21tf#3?tp>H4&=9R$87GbM@&j z#y8g6+>m@D@{Pgcag(tYg_1Y8-`!>Ae5=)|CUh>R(^MVV#9YS2bHhA$g*n4@v#4ft zuB3An96WH@GR?81RK{aBH(_jTpG;R%NTCo=Aw$Zp>`4!r5c^yLlEZ~4gegQI_!mwn zlAe`Zg;2Jcj+*zJrf`g2D!nv#XoHp=snFdm(+uS$;#!!sZGw+pOIodHwT6XvVTKG^ zcGno(R_6p=Rn626J>&46*oF58qxv@1S`N-mW=C`f923StRanln=hhuuw@s_E8) zQa+^uNd8+MO69k_(2VERD56nJqbCf$S7c@FsB=ay)Ot;VbP4HF&>DW4>>Dl>4KrTQ z@O#tfL!&PY|K7sFNk&gsxiN^*t+vOtTJwq*@Oj$|@(hQ?_a&EYghz|<=Ux+jf(QR$JSN0A;4 z8n^9K)1zeJr%d`y8y%mfG=|bxNJv&G%i~)mpYm~Ly!fQggyU&UpfM4Kb~yb%vfcyC zilXh-=EyN%LPZ1x6a^7QVR8@@lq4WZRFc4+nLUAt)Sh7&1Vu3`V89$OXUsVVf*H)H zm=Oa85EK*oueEkP5A&YCukVA`&3#u_S65e8Rad~CK36z?{t$$NBU~x`D&bcTz6@H!Y>xnZJIk&#J7LWK1E);wdg~bwXlyDOTUVu6)Q7)im;l>MA7r8~o ztuk(-!H&4{tW>z&*{^KG?Hyw86nht0hK>G9}W_i+(}$ zi_PhV@RHMi8vU~9rJ|QLryIj^r~fm0h3HpAziKp}9c;kn^ey%Tye|3;(Qg{fc+U!N zIo)b%jQ2{>t3JlUkLw_ICEJ@R$-$kwjW&RU|&4GmataBHx#T8%HfXg zsMc_m8;nzO^EOM=Z)JWb^Lv_1rhpzERKtI8eEI1yRo4suQTR{9V_i8X7o#{3XpU`{|yggx7 zDT-^enD8^Wqj-JT!L5exd8N449cAq#s}(Ii=@;GIo`*8x70Q zXddtG_&t_~S_|Jp_@2%2($cV(FaM0XZ_pwZJ%n4!hs^w`{ZW4nm%D*9m3Ocsu{ zMm@fp11r>n3YqV#F}J1 zUCQqfub`Kt3`v=km^!@P!jR>3C%fKk(K(`Xo6#7#kmvLvM(2wz5M4-`7l2*@^zGp@ zgY(;Wis{o^d>`>gk#C#kwF+cChcjbV3ckr;ZsXBz?`U>k+5Kc6Lz`EUgXMv-r<&7) zrr<{$p}*(>q6apk@zH;f)BTMeEc!UnLyX31M3`AJ)al-L#juBoK3?>2qw%o^Q>{*L zI{&IjpD22S=#fU_rr}fnD5v}Slm^jbM2|HZ0|c?b#z{_}U_JIHiykL>ywe4k0TCuR zeOtd6lZm1yi9W^X?A!v}-N{Z59UbW@qNj>Z7>#^`HRp?*9y~MB#iC0@CrPuFftNp9 zim2fwLa93&tRt*UPPv>4IxGlNb=Vzyn!^t+h?%ESaFyU{!pv+K&sJ7ZQyXfW-`T#{ z*NU$bKb<@SPfSPP!QuPf#BVr4N^rg42EwemV9;k#Z3Vab3^QEWd}xeMqm-Fany7GA z2A1~Xs(xrEu%eyhOkJ#R0@oYHXsgh?)o8 z35z6LPJ#EZrVJIED;&OMRE*A*g0B*MHDQ(ySjcilZMeqilTV8DwW6;ReLZPaZ!u23 z9zB=U;RZLBSj&5{j2mU#L_^gR)P<8x;bzCXq~Zx~5q_)i+lVvnwE;bsw>!MU#0cLZ z_)fuh5mwkqWC*Nu?8M#x!Q_kOKU2so}e@6VX z#+PHDds$;$c+U9&){pqS_!q>#NS^f>Til}#O8|%Pl3S130v|8SS}JQ9t@z606a}aA z2ghqzA^H{3uNsX;V}5RU&FOzLBmKJQH$=ZlnoYXK>G*`;?08#xV5QhqV&5jqBC(+c zgE+BQfF>un)5AKS-j(y7ocHPQUSV=Ic2je>9kVKq@S)(l{9Do>;7HB=|eQ-xE$3Z~x)Bq_?YbmP@ zP05*9QG*MNZijzKHv?Y#GDfN;enK-q;`S7I<#?;0&lcauu!u3V9b6l19|v}nwv)70 z)Yx)k3xE@wV6q1Z=FVON34U9SRj5_F|?4MkNI#rW*KkLwqm z5M$gK#cNt?NvcrBZOt2f>K|)6fohYz|P=s}$Yp_%a&auBM6(8bXaD)S- zbe3`;6=w9hh9tV`F-Xbz^4b`uF5q2zfD*oPs# z!^UAQZ2f`JL4{b>T?o%kPU9+*^Df@kf!@ z*DKsKti2N->u|Jd6YbXZmDW$%G1OQNr}zmViG5Qs74lejnymcmFK2+9fpj=H5j?vq z@x=kp5KEmwF0Pmv<2YF2aT146o*D0+nGkw#;GcnlR9<#g79NRJjhM)X+H%(Hd1_59+Gk67U(SKcj;(LY(rI4R?) zsLK*-C{A#8(;<S)!8%1^r56gH&#-lWtJJ4l`-0_&x%Wa_fkWUEX|Z1es=nZ0Ws`fL~jti(P%7hgBeS|I{l`N65S+vv*_Q9#+V{>)c)@D zoik$CTSWgM`cKkKb-WGuK|d?}x??XHPoJI+=w9n6R*y z(|>h~Y1Bsa-lE$Yot2$~ZAA8Q`U>lNZ6~_D=zU4EipYGNh1MS`mgy?uelC_-e(oT# zqr^@W8L4axHO>tCJKfg0VGj`9S@eOV)gzFJ@umkkygh%z5xNNOD)?Z+3>sMo#bP(7 zPvDO@!Xcu&i$0Vz?*TsiRAQVXUbKg~(e}uA4|>QrT*eVJ7!+1Ez?0k4>A4*u-AimP__gKu4M!L(_&C8s2(v~Tl0~(c=MaWEf25Vn!^9siemHrH3T8PteXvF4MA0Ke zk2Jcbv8*%|MmhbWRpmyD9wU0J(beUoPjb4m^@E-)dYtI-q#5(#L>;!NXbKaYzv^>d zC$4Ft_(|eVA0(=iGQs77D+u!fGOBB_6iYHpbAJ0hBVQ@LN_;hWwhc-#&=9K_ zr%;Q-B%B(zdh8c7f32)KS<}tZm7rOXUb-o`)$6->u9U2LSq-%KNZPpy!VEXM*?Age z%#_hYgIALquV$9>RcFUDoGN~{_&MZNy+oeQPNCU`6gbVDZkC-+morz+8FW;!#;VUL zY$~Jg4`;gco!ygplFpKJwn=s=SjsRjoa0g#yP9()ohRvhO1zrPcr_O|zqWh4nhV8W zBz`{m=INCg7P!&Q&ahC%#WF6T!RxnZWn$UKOWo;c&Si2I$+`Uh@8pFm-05J>m2$3< zb2XjT&CY`?P{Qq!uW>KKyldrMC+~WCOlylD7Hr55H@MW3kyobnHY^!5T^+RqH&x_C2!!jO`@hA;mK>-%*$_kG;J?;K@ z1&@nE}hiAo@kp?7`$40+GRV z7>pK9VXIbrrf{{pUG~dTmr7kmmG=zYj~QXP!++((^Q;j3ir`lX^SMaiLl~B73a>eT z*2|H9UHlv3-z0CZi@flb(}!AAR*GIF`fbvTN@g~CmELi9z9rDRg5MMTzQNep8e2Cz z`~~+bz!5$ayjt)_2Im*xEBwa}|9M-4KM}k}@TUgn=3sq^&m8_|PJ}-f{Dt5z2{YGV z6lE3`hedt-D>o{vhW)jSwKBdj1Jl8>v#>a9L0IR;y;dLjR>pTSzBeO32djx=DNwA% z>c-X^VyxE7_)*4BG?hpD+FNUr;LU=6GZ=NF ztnjxsRnzd7!*AUlqw%-ke*|wO%#_Tvs4l-9DIEAB~py3GD+J+tXlGP-~Xv<3+H83pMunbVmt0NoYlZ zE#vIM!d!gC+u8BmC&lo05x%SN-H7w~z>1W4Sh6+j?)+hoM8387J;d)xp7#lDO0)|c ze%_jtZ3OQvxUIn$lYwS|!~HDj+X-$jcwfT2QkDq$EO7R7;V^snI!Nd!p%Vo@s`)CO z_IG-)Wv~N8cNTr1(U~gx4syDoGlIYox`^&7`e37T6?QkLvt~#75YgR5AG(cZ(RY~B z#~R&3^x>k9Ak7QS$jz=t2Xj^E=|Ts-0&s+05;7!YQfQ4|vk;l)1!b0dU*<`}^aXi2 z@^b0%-sZ>iY(|N3UBU5}hD1Ciyk2+%aem#*#yG$Hoa{W@-sVrt4A)x>jC!N= znbMo6t90Y2#aRxg&W`Y@f@ce!L)b4pGdDk+=E4BG^wTBGm2d_H-8*a&f{v{-9baYz z;ymGJ2|wF$jLS#Dp5yr9%ov?>g`X$*9+zsn#*H0&N8?%<*U7k^25%Qz>){56U$DmdV!<~GzR6%V*2B#Xce1wn zErM?qd>dglU0DMF&w3wh+`WuVpVN&$nF0||!FW?>t z_exk|0=DVSK@Q3a_qlME-Lm^7JRspg3M|sOHv~(rhn(NV9_WX~KO+87@=VkG0?c&I zpz)X+ooi*wR#r|HM!!;e%B7>Mn0Z>#Gm@S)DF@pc|Q!bpF9Z*kA?XdWG<#LimXxu=vSE2E*n2 z?D);r(D_C92H_hWFU-$DU&XJE&ps>0Z3}3uuX-&{UAHJq6Yu(chh4fGO5F7`3>AJ1zH)&W>_+lGBQg=c-KZC9ty_1MM<) zk+G|c-DoIRW%KdCFz(%5Xk)d|))MxRu%`)`g}CpTShZv?7w)jfqm6{UCA6iW#{+c` z>{^Q<*Qn_1<5K6Y@j}{3YAnLCL(ro`cnH&c8KWiq7Q9G zqdI+<(^nbYL-gUIk1!e!Lk1R4a(eZ=7?WP2Gel=Lqcd|tmeU^_oh>>?bgt33%Q^WW z&*{}C#jx{57l6N8FpI-OE^x#5DI)eIYAm@@xxH( zU)>Tfd6@X)#SbUXUP4SNu^!|TTzR5LR8EvKLdr-g%%fDAe@z+X-V5f9mN!P;Sb8k? z$`UCo85B-(e35-UI$8KQ;p2&`j)2qfN+vk}lm$Og{3P+GkY`eH9(_px*5#S(!o0Sz z7jcS&sS*+t;-zQD?&cy_y4pF4rIbiXQt@+O$DmN^!WnjsG704pDkw0muxeCB^R$}g z-poVr&p1M*yefIs^tPP{y>c}!oM|Vjl~5;PI)!+mEE_J38gvNmEwU4(ia^tBIW=ohuVHX6WL39|`Sc{1jr@2#X zbI(tgGgr z_e*?0;)4`Q$OS(j9di}M|fBvJfaXDWeB_D*XAMMTlizH zjW+FZX-`Odk{YiwQCF5|@RL2|)|GGYR5;nwvYwIkEG;G}mU_TA?gq>;!l|BfsW>C% z?&l@FAn8R)e0s|2D;g4I7_#L2#seb%viPOqmyu`GFlsEl{z3zGCJD>ks*oq z)~mF53*xolt3(1bn<2jD;+j|S?>NHi65o*cCdGF6b=x&zv@lexO{B4-Z@FJ;m$y>> zD*12I=SSM~rzOlIO3KB%_Z>IK?;J1mU77F6e4i#$6S1uJTkwHPn^)l9aD)#ft(No= zC001&=`gFaS!Vgz<#Be#Pb9CA{3&I2;-nXlX~L&t90@=7XRfc^K1TR+>0e0yk~+)I z^tq>T@wo7nJ5%kHU&~o5=Nme0;3P_BU^Q3_`fql=b?&xZ4g^Q|R_=Flzo*+4zuLXP zlhMrn!R;1yW7o_6QT9)?d1L?g$=H_Je|CSYJtDuz-ynY@{r3Nl|36R5uO7h37QiM2 zuvr28#sJvY&^!Wlb$HxRcWA1vZAevMTalQ{e)q7(Sy)>X)*lM%Plm3%Fw(FO(oE%_hGTPZUgQ%&Hjqs1+WY8%SR!@q9-enq_N|H*FALCq!n zscedYUDcRFoGNO-W)9oo*L0KVp|uDZM`($k&}5RdJtY=wb&2L$8CL75z+15f^L=*k z5a#-DEQPR>LTJSh_#KmD1u>2fC1Y{27y)1!$j+{wxt^!S$#;>utJK}7GMoD&T~}9( zA{m3`m1TE#z1E)S*3$Qoz9;o<*}OqRO7?Q6%(8hKIeW`#YYwIYVH>6N~N6tt!%(d7x7)iA55MPv7bp=`dr=Iy~oaVh}`aS52ede4ogAf z4#cE6%%%6gz`x-LJtQ42=?F@E_WXp~-1J#{dI0y@S$ipf3x)6uTpZ)fT&wV%{usPau&m1qnYPMb_;yJOvY^2m6?{;~$h8c2(eW<25l z$m#PA@(>=h^A1)B$0>v%41v#=g;0wj`Z{-7AL{x;rVo>Ty!7GJn_V#`>xSBRXHIbS zVN*|(IzsA5s=PBOJ*zMi49g9q|4yHHl-pg0$15K#dyMR{w3!uSyi*ORy@ZoodelyN zvZQg6##3UOx*ShR`ZN>VNFE$dGf~DQ8K=-_miJOkRWq<0P9iN&cKIO_26irkrCR; zQh1f{YU0iAU)oBasm9eO>`b*%>!ePnsx#FVV}+v-9AAB1Ov#k+df^Sk*&asw96Lq9 zC<`-OdCc1AjZ$VxX`;gPYbdTl8v%2SFz#iRJ5z3sr#V&5Y&mo2upmvpAB)R4T1KzB zaGINc+Pm>|nR8{HL6dFV$YX5~&5I0Yx_5#tOf*m4S@O=N#};38GFh1l=Q!QM=yOG% zC;EKSe9lFeVKxk2p(Wu0xBib=7s|Rw)_ht_>!J#bX08hh9G|@!zv2iBg2b z8prY(m|lSS@NUg9>oQr3WL-{+&5yc7Qw^SB8)DyQ+Uijv}Rx0@$!iRL{r@0GcPCU0D_3bSS~vBmL|c8Y0vzwifyKS-QSf8y8y zkk>U06+>*!j_NX|P2h=s$b%SbK|HJ=9#IgFG6=rky~31CRy3q*`Qb5ltE{&4xZEe? zK1r9SuS?d{SWySJSwlEHZ{qYbd{<7lEuM34@mbM(Ufv7x zUZkh?!M3&qz9!DXTr_6gm)ve=clKr3OJy&k-3e#KdUWZjy4&0aR5Lju8>0o6dngmE zuV;lqc}1bT%1~HSDXmIk#vM0~NdH|?ihYo=j!byX1L(C+yolEoz#9tSO$ML_(zY&u z(i$|%QRaoW+?`;pf|YVt$$gtH-!y*T*v2latu5i))puO3wj1}ZVklgG3dk0Aj{nVj40*1$Md&AA2DG*%FYSD3CP@ zQT*GiuiVP8LgZ^% zYh`^yD_!o?lvI~sbZ1Fe=Srq2-%9yT%J)=Q?o6vKufekv|Eh?8haX(;l^5f=Uiy#H zf1=L!(X`@% zTf?u*|GK&9@OVl8$!yV4jY#~d2&VDsDoo-J7^%M`hL>}$-$!_ZKQw*;o=V5<^0a~1-?5q6QetIXYKvU1~( zR5hl8b2?&W*xl6{d!SlN-9zf0RQV*=;Dwgb9~EqLpvxGG2e_LvB3@`4xqHiPOP56% zw)(|j_7r9@B#KHJDlr`ylgh(BZm+P##M{YkFMD6wd}H8z9QL-K<45<1C+i@*qwr3| znL4G3qT&=3P6a>_h%#e;H>>xI<^eK0%RG=K^H~iR&}*h0V`a$|n^u{7dAs^;)-QXzqkbJo0BPjC{t7|cl zOMg^gX|np{%+S-#iN{B?m&^>AnKb#rPvhy$m${ll$a3*<6SF1eNX(_E%4)hf&+$=?|{G&dQ0si^(d+=mWmoGw0&w#qPz%q zFx`b*6^?fO#x=5Aguc@INk4`<%U`ZDighY#Yig31!&dC&c{tVsIPd!yKz{`=KmiP7 z0DLl=b#B#EmluaY?oG5;)?j(Z$s0mXIS8+eX7L^B+KAEdt_+iQytLue{-4gg8g|Cv zf*ZK5#|iGAVy8V({s{Ra={IY$@C9q?C|4h`n>1SL7^!2aGD8$&R#b6CRZS=<#vL+L)R;pOv1BLR)@}jL`kv=e`6aL_gmIP|5W+2<&JYD8onP<>sytg%TQg!9U#l>}jFP1ai-hTri9ATd9vt*x5o1aFjs-kd? z3uBIsr#n}|c@oa2z-(tZKs#`wk$!=DKiR#%P~JuI=F{U{iTBa81+E=wH*=x1i=|yc z&1yLTdsi)36*gAZ{$k)&9QyTaApcCss_UM2Nvsx0rYSOq$pxMhI- z53URtn!+_6z#MC9T&n=CQvla90KVK)Trxp_@M&fxt0vsw?#c^e!Y-D3quiV5rVCqT zbbRVdU_p;mg9mW42XK_d{uTvrs{*)<0i=r{1+Y!L-Nn8p-XZZ$iFZ-tnVXf;DHMG= zaf(|k-|Yb;tlYdu0oUvVKl0%}bHf>>ER1I<$TB2_MpLNlGS@u%d%V@Jl7QG8tvPQ4)xJxzHl41zU zJ%q3^hOj~*yrK|ZWe9A9ha}gA;OA$pPr`RjtWJj4Jctiw#T0m5LA;?L-eeGbidhvb zZmO)pGDB=dzUA75Wl>uxZI!gQsi_dx2NrZ2gm>JS`gM%!yE5LB@jeYUIh+YH! zKbHRa)s=bnTG}LKvy|VcaB5w$BK+>?4m-vq*dp`~p??~RM%!PG4!bgLhyP4BBS+bmVlD9#nvtTnC(YuZEL2QO zpf^73;6lR2AnYh%Ckd_aXG3@8YwT!(oL!D8=FaY%(>F$G7dgAi*$saxdrU*BYYQ9a zms%^owfH^6?@6AGwwgo^^v!)D-9dCm(Va*$E?6T5E%dOzXFj+>Vh|Rdr&FP#E@gt6Ki0JO34<*frU>QcP5PO*8RhH&GgdZ;a2;v+oR#jV( z3OybE+v+#H1ZN1&B+Qs#nSi=f$a4Bs`{tP~I!AP_(P*k-!KXZ@J8T!PGGBCo=t9zr zHSrS8w5cgdatm84_DCp}!DM$I&kIc@Mwi2z@2=lW+_LrD7Ae7CP4H zYd?*2f6)U(44SwHCv*r=reJxpxH1fNctw|ZmBR!dFL*d%#-gc~ zS?~m>Cp;AC6Ge{@J(4ur1V!ivO>)E#Vm`{93qHX=;RvJUjFB^z4%4x|qK-x7Nsdpp z4@4&mA18b~alU=(xUDGr4#NaDHYQ`FCd!y3;}jZ<6#8koav5H6HDR(l-K~puikzu( z5_EXCP~{JJLeQ3Sq0KV2ce$wH?K zo-6na!VDa5cXUovgfpFgtSKhtJn?6VKbt%QN6#)+mv;E)EsQsUIaly`g3mX&2sN&7 zfy0MbzPwQIMS|xW%$8qR;PCS$F&Ya6Uo7|%!n~u%UyVs@35X8MOI=xD&5O&VERu3L z72YFMJ-L+l6^^evHlE>1;a3U2nmBW0b#Y}yO%>LDzQ%=%21Man3D-%uo&uwURe`3V z%t@fQyup=$|KMM6gvC;BlyVal-6`xw6K;0+5sT0*f^QXk8)3$O2KpKho!cFM;m#PH zJA~gU{4V0mW9YiUZkl&H-PXF`?-6~k=q03?4X}H30)vpkeaL8S|!E^ku%|@DzJDyes%U!S55+3owaJu5$Ekec-|)A0QAM;X?_lC4597onvZ{ z=pQ@X+j7h&qSuK2lr(QC)@IgQ;WOt~Tiibv|AqK3$@B3j#js!0_E>%U%9SO1#l-nq z%33MkP~m;$cRnnCvCi?+>>cv0@b83wPn>V6@&cMaBjh8)+~~STB?#kA8Lhz!M_AN%&^rzZu?$ktTTg|L%CTRr|LH z|3mnn#CZqUjK`-UryIB8M;zgA(f^3vN?JuXa%L$$fc)$HVfGOIC%(o0s?g(4G!w8Ow8L9p z6N?3*1$P#Fput6$%pDGLI9SMC1a}pDu)))65pp+&yV`fpLj-phe5k?b5J5HG;T>$m zR1d+23qFD{?eXLz%Z_#~3A4Qt?5(_ES;H`JG<4Y_ueTDZEevIL$ z^|Nw&tm9=?=kG6kfbfCDd7Wi=dra7gT)>vb_iJ(FG#_Pkf_A#eW)AvTPhBd zalDM-W^k!%tZ0T3?*uoJ_r-IZC}V_-ku(^eO0*D1IlIWdERPmDM(kL!OqmjVGrt4+^^K89iLMvjK$>Y; zR$GqZ4tqs9|4paJH;SJrzKOiv8eH}gT~&^EvzN@N!ezhHPs&+R&ZfdRVeoiSEhbPoK7TF4#~IEQ zexC62iSv@HFhU)p%fkiEKV#zPLYkr5z`IMG z-*RS5(96Ux5`Q^)h0c!TaD~$kTU@RbeU<2|Nwd7hrmL0V8i)H@gXmhp*9pF!FtZNc z@EB8yBIgDd&aijy0sC?h$>j=q04t_O5D3)>mQ#0Xu~5b7zw!{{3)UhUbv!NW8ClQLVw_4b4hA29!gJ0Kx0#U7i+@4$PpuhQUkbHqztc+KhDh4>LicwO`xqTe(c zGY+w=>03^J&(9E~SBhRG`fbu0Yn8-&IF7Ey% zf#YYa)HzVW7rt8fN5pvnS$W(m^<$^!9vSIRM6VJ3X)_w@!+hrS*+zdZ`U}xt8l8ug z?J~nxPXBj)4Et-*Yej!!bbej|mf~9Hbgx??{jKQlM1OB|4pw%^4L>-2-IPeL7yYB? zpGY%NSa2fe{Oou;>&W{>_y*w{i8E0$v64q#_|@qgyHA@$Zx;QV(YUEtj^lTyZyXe( zvPJYCqW>h#f+s64t04U4@LiUIe+&Lc@K(ai!pvUz36u@tUpMkBi~T2~#R00&<4=wG z!BVnGe2Cz_P$gkI{F<)Ve|AgEGcEBGD)y4Lr^F}AKI!b>{0i$w*irmW;#-l|dmWua zJ3D)Uz1MdUyQ|pU$ntuzS7AZe-QlPC8;;Og@E(HqG??=U!(I;mYyAyv1n(`lt-+WU zj`b8A{>VaZC%C=feYe3Gd0{_?w==kd;EsYj5$65Jdl@6a_ILW117qqPAiA^Y14*Z^ z5c&2Xhi6#OT?BU(eDF3Hi$!&F_ydCv5!_wyq1#}rgLs(32Qh9qLJz@*3qFD{za%oR z6tK~PQLtD*zo%>YmSK8H%aE2yji0@!VLdPu$YF-Qg@!CQ3(U-xnIkioCUXI2m*zQ} zzXCtu2>D_Q#1@iGrx9kCAL;NucG*7d$}lK!dTYPevHzaLS@FSnzRzhY;pl-v$nZp)MpZilGmaaJ+=!6w()oRl`qk zc#egBqTmsNM-pa{6bBiNa(oYq`Do!|gpVa2!_E&UIee*weX`(jg2!)zG4X$b!<{VO zOcXpx@G0A1tU)u`;h_dk5j<6J!eEYj3q=l(wQpy|f=dJ^4aTFN7fKy|*y3C!xLj}r zVWzf?z6#S^Xm7)=DkW4&sHVUKM8?H3O`*o|Ld&hS!s~=jC(c?>^C^kJo${~oPdGwK zPQ9E4I!g2mtSUOg;r7h+gc}9V6x>9Z|A0YmVV1LtN5!0Ss@U0L=NOA|N#QhS>q{bg zy4bm5&mfz=^H_B9OovafRGcUHEWu|xoPnEpj>CN|#^>UvbHaJ}b5uAVf5yuz%nKLb zztZoB2?k#%_#(mc3G*FcvtJiD|MlBU3?#=w@fVA~gnT;M*i`FMhc{W^mkC}Z`0{Nq z79P67;lnHsUMcu0!B-oc;NH5|IQ;I5F&ftjzE1G<24f+7te)&}k%hci@Qs3RY6cgE zn;o8R@GXLG6?_|EUJQEP!|l%2u8gs`L+qVm?;^|0ZPOIO-7fUBe#?6#+$&)Tg>>rW zW{3M6e#>t9{emA5{NOeii*-HZa5sY=7W|0dM+r09m~Ryxb9To%PFGly=XudDh<=eYpWgJ;p74_688!&yW#LPO zFC(6gNq$aP?(h%%+=?Tt5d4bZR|%`RX2ZZ=bKyptv-P@!Hzd4CA%F zRf6Ak7z3Vu)U`-GWVm?08AaCXB1@j?Gk>}s(ek>wNCSi$B{Dtzqx zj@D`RiTE|*KPAs3#FlczKXZJLHR(PV{)O-_iKj0T%i@0J@I7{sUkhF<_#1~aGq4hx z!#mkUek=Gp!QT^R#90z&;(hjm^G8}yyk7i|;(sE~fH?Oq{N?Onbur+- z#r`99D_I7@r9#5L4zICt=Rd(MI;$RzKXr5BNVe_p-|5nI?9DOkmiP%ZaN*k%Pe&Td zMepG7U@Lic6ugt*Rt9V2_s$L%+iP+c!Mh6H&0$U!+TGz34Q?%X55ap9j_r+{EG}jj z_Hv`Q-ODyI_Lk9>MmpkH(QO}xGcC2-32rZVU&6d1jd~CJIo)W}7dnXUD7q7Awcl$S z%h3&wUiA7!Go{$jYlOg1ZVnm@qRITS}NKh;0^KIM-T9 zhe+ry;ZO>UeFktm^(EiXr2F1>W>WBtTDhqqel=L;?nTu7Kv#iU+*r$5r^EtkZ!>@B*F=%YyU zp|)|wM?3$_^vL%W-%tE8{E9`Tzu*Ca2NLG3)m(5+@eYIBC|?wVA1vcI z8AE8qD=iE|9d2W3KTPoPf`@N|xh=cHCmVdC;1PmH5@sz%x{Ihg%Wgs$fa?i^*eb)uX}a!#S6QfWqUnC$F< zRw_*qJ5_9gERzz0Sj#cr9ht4jjdl}bQWnc7k&&dqj$w?e;SNgNWVO_l-Iw8CaD*}` zwG!$iOsBwP#rBES>|qVg z_gu&LAVw+i_2L`IGe6XnmSNXKhZk6NyHW5=!A*pD?=?Ft%yK&0CWW0Udba2}M&qM2 zKIok0^x1DQ8i>g0qUVY}!)V^$+;FDTN86p9C;BYWXOm{MF%~Wn&T;s`Hxx4Z*9D&^ z_2)1rC2{kJN>NFA_X|8(f$Z7C1cC^87-<7Yn|`VQ%Vtsly)`e3{@yf-iTN z>v><{aJ9i#3cgD4)!X2_f^dz)8!XP(3cgP8^@MlDl{4+I{4aN>s}DE0)Yp=5v7{R% z-9(9@Vg7J^xY^-7ZKT>Qf^QXk8)3$iJ+67-cBj`{Pu?A(?-YF(X^T&OT)-^c?NUFB z&pndvm9&Hs5$_A%^vu`h^y zku1B3ykp7dyuIY+`wQcf{j$uZGMCYu+{}z){qYwDWMJIYEG&6|or^I7zXWSjRASaa zf_tabaMDk4L;be3i!iOb93vpHatfbJjQ=8iumU}cFuxPAMG+t3OUS%{cLNstH z&I7WE5plkFMQvjuu1}JVK{?J+QBlq1Jn`YRz5!ntu`oyqlcrG`-~$qN zu}@&sK6WujryF`)Yp{eGCa-e&B>Z1p9fl)fmU#mww$H$FLs)r*Q}8&K?KO||Z}wT` zbw&COMfy!fnv*fAlQS!jCislXMAPiD@RqxkHWzcH+*NYlrmGGQOshaz>3r|FbNd$v z7Dsqj&U&S4;kgGEaz+*cgna$u8kz zciyz#;ZNkOk@G1XPIPI)EG-NrMap4vLi+kXb2Zplrq88*A@xhDTu7iKQHj*X9MeRq zw!8v+L1R@XtowrDL1mmR;Gz8UJ765)YlX5_p?t$o_>A$XK}*N!W9^CgR`hqGzbDO0 zOkh0CvJ(K&?J(zJuQ~2*eIbO?BMWg_Mv1)!8-|VML6C@R6loi zdZ1nOE~0l8y&Gv(HcD~9m=6Qg=&cVxii?Vpo5%_ayrq`39$BV*x%u2 z>;wl0?kxB~!o0_<_Q&ejL9Q&F6btPxQo2exm<)AO3 zSuWLDyDeK%j-*^l{4i3YZ@?(bvEnBdP|kDhM;l6)FRegYAvMkZL%SKv7+_rztPfC8 zj9CUQ9{3F}442khVjqb|QDkljY`3zBaI_1ftl8RELO%(|P+$hYhwwzD7RyV8W8E2T z1K|4086amM9VYoUCk%3BlqrLy94BQ66{dqPKb-!|Gt{*KHgay5wBw}>r^Yj}T**ma z&x$g|apiHp@0Gs6tW2TqF@+bDdd@FwDn4r(u$ z%#aGRobP6%{7)4>Tl^gIvHZZsNT)fy*2<65Mb8y|Ml%{^{h3bxWb{1IXNf+WG;eEF z{mgKVv!7e1=ec6f6MH^crf&-MnQ(!_JK6WU3k6>!cs^kUTvS&b7C5{9WBi08EEIdO z*h|Rrso)DbU0Ds6x-!6C(3eSBB;|4{Eb_J~d<|aV)*!R4ly#M?t7)-t*k)nTE_aSI z=UO?}$+@16?pCr6^XNjj!THgDBPbkUvG^Os-$dTBay};RhMQeD-g4V55^j}n8wH+# z?KM=9!|l$WY6~vkA^uMBcadjmC1+x2nHC!gce^sCbq>qSS!#FAq7srB^)1!@?gC{wQ&tgAZ8&s!W_|9UgOOxLy0>lAe(C zBqiPuv_bGvNDs<+%AIvH0v3eP$IoAsqVFZ>1JFA`_2#cK+K zmK;9K=48Gsc&XrJgj>gpC~US<#B%peuF5#OJ0xpB$o_y-(erHoZF-lm~?FZYT?ZB%2`-f?O3w^4dm(tDELH;HSF zCui2-mf)^`;L@g>V(NY#}j@cca7Xn z=`!`WixNC+gNv1aaL&)%JHUnnelG6|d0)~~+Zp=|f933!&M|&pi(M=B8?t=73T&g{ zbuL_ecZ}4x626o0Jq4B&whB9jP~$W|xOLcm@igmY{V3}vvyhwfGSI-RYC`)n{Or~U z%Lc#5+8}EqEjIa>0G#@aR%T7TTKSj>^Q+7ITPkdlyjk*Zl$m-c1!__#I56@xCs|w_ zes^#8#WAW|gssJ1E<{&M4jN%#jG;cprL$kR|keBeWL2hwwcO z&nm=r4%nj7@l%h9cpKq+3vX+9c42O^3Y%0qK6GNl+X-(kd|%?c5%}OxURaQ<$`1Rv zakot@?jWP1j7~IIY%rIh>EZN9%UuVE?kxI1(o84I$<4~AgIqn_vU3-yU8NpOl~Kb~ zYV`SVEA?(}l=X?Z>JS;-WgJQ)ow7)(jBuFa?Ykiy9HEEs!-XGVI5z!Z%Jy`8m8EPi z;Tgg+iF;DzF>$lpxXY3%TSktITpBC^bpA`usX$U8B|cK6SQijW zr+KzI(!HWK@#1^S>m%+98nNs* zz~_?_Tv9hiE=L2&hHlZ zw&TjkL*q4_EM=UO@usLbisfE0W`2SzOROSZ+0U}M{|duAp}RrF!caPcB5 zO&cZ7l-NX(HPPJ2&vJh9+4vbpI92>?@pH)YLbB8%IL+zV{RQLWj_A3f&mgUL0@LVB zho8xa@I1k12|k-JgJxM;5YBP>PAeSF6@8xQ^Nr3;H%*+r-lBb>=!-bi35q{Sg9$GBzMrk)uW6~GZR;R+v4)0*Cv0DV+ zD)=_S%y3v*k^8sc`MuqZ>3hZucZZBSW!$yRz|*ebHg~)6xpe~GBja8fOK31cDD-N= zeGZ>#mGb)qKOp!)!s)z#={?~gr*F2r@UZAdL_bQJLFX3YL*HW#7oCOQaD>MNKOy)@ z!hAt6J#!LT`x+Nq5}tBzj3wyP@}80REIpnCuyz z661x8^8 zwz|*EU?s9JD<=or$LFJVSeT2QC$SN1vMQ&rATI;+BhW1IGhA&Y^m?7)N1fp(o*`Wd z<%FM|t+tZo7qJ_}ZX|oe|HLM%fR!_B_MBf>n8V2A=45e`QAQ>&CpU-NbpPt1US%=Z zq)<02)ZZ8?Q<8ZtKm6|W$(HV0ME@cBPtq)}s`0I{SwjBh+KIzrf%3Psf23`twym-k zUwi+$bg8BOf09~sQ40ls>aJPpXJ(>JfY$hS_=j{`t6v-&Oc-hU>XWh20(h(jJ`F!uJrqCvj%I z=KbsJNZHH1AFPADjl8|(wWViIL;<%W-p7UUc4yj2XfI)33M}QT>xxkmtZS$b`?)dI zs*fFHbd=GF2Jbu!l&t$ZJ=y33M0XZ_AnCn9XJr=_WFYrvW@KdLBa>%j6=sKnTz)SP z435x6a#zU*Q)V`=DlQ4#oZWb2%qxe8?Jo9EvTV#ULl(v!vBTV%U>Dy*&f#*7pu_xy z{xC1}Lr<69`4|6&BlMD#At{p*t5rBreg^Bb`1pp;A6Qk_#YuLyY>7D%b15?6uzwwz z&UsD`u|4MUMHh%JB+XX~y6|(ukq+;|5O9Rvg8K+QY8#Bg<7kKXGq|tdeu9r7%shgJ zv7w6Z^ZNFmlX@-w-bD#w&yBDZU&*!2#UcAT^!)Oel}EOUrYWXUkp zh4Z$Hw{Vz*<0TBIz}7+(_{uxMl?zNcQOXD@BdPErk*hMY!ziaePlu1@i0Cn*$C74d zw-}X#liWDp!arHYI2q$zp-2F-&&rTN_a^Mb=bV30lnY<=8g1$k~sr3#?ddiP)sGD1J(vU1w~W*mAKIWSN`F zQO<{H4*z9vrQj;T)r6U-<(ZfU7HXVcWpu6RI?>a&(S?|+6`WpUbV_u+=!WKWL73t6 zr$#r5o+-M?>FkW0>@dsewML&Rdba2}PUmD{g#T$ye{b~ZqUVY}!|B{S3^F>?>7R|B zC;BYWXFH9@J~N!-^hTr46@8xQ^S9CY`PtzDr++p2LeUqAp6_&iAzGvhoc_(|g`zJO zeTmU5f3m`*PEWRn@G{YhL|;yt@2^C%mRrh(E1d7Q96#d-SBk$%{MF=n?^#3257#)o z$!bW~ioQT`bN<=HKQ?a@n)wt8-0uDTSebSS}~u6&Z?5yaJ%!r zzN3g^mlE-JioeTvY>5)MmE7IVx0@eJn|s9HD}D)i7Ef4t3@i7bthvvHqYsF}{SqFK z@E`?ti8JA|v1mL7PGN{u8QMlw;URaY*ll=N?jv#^rORZ+3W>?8@R-vBPmE`JT=Wy7 zpCsKHbVCikUUTr`*fCEqYJOdq&=~^jL+#u#>9#>hPT7Z`=3E=Y_u@{6*p{ z6l%&EOT$YJ-!m$P{j%Vtf|n7Fjf?!8IF2tBmb;a(>s}%26K>_KLTPUwFr@nZM#6afEke zy(jB^TAZnY*5n6{E|?on@S)JvLO&uJYZv*sSZJ>S_xxjbitO4yk+Vk5r*wEXIJgZR z?4LQ_{*HKx&xL;>{7d4z299XrrVHq)#7Vw#Yv0OfeJyLPtZ!)Xo#|JOZ9rUUw9Ech z%6C$}r@{&hM~9@ES73f{ace4`YrVuDCH_QFw*?|9a9QDJ7nax;>t7^nkg$;gAK?_n zMB_x^SLfF)h$q-2ezW-B$XnGauY!9+Rj0>O{O)40CG{4Ge@Oh3B4dUJAFpXV%YV5r z)D}|uTf#pQwo+hC0B>imI)}FAzi!O8H}iioT69&j0)OgmqDQh4Ya?xk|4z3i7FiZ< ziJ#D#5WYQeKJW>Qrzs9QI6d7a_U$NoC(*4)^DeSz$;UD_SkZfDS4!-XcagHIl-;QC z1f^Jl0__Q>@3*;ctwrx4dQZ|!pg0s9qpe)%wGO}I2yGNb7egttQQAudR3dL2Sr}J}K#^8I2&k&zUp7G&LF5rlOEEke?i?b!bCHKOYi~7J%lvx z16pyMp)}O-Q@_ElIKnXD#|s}$yfuDBx)x;M+ldW^Ji)z6OQ;j&jgU8z9?NvhoI*NP zv4s*wx%1MWWOj1zW3ZmdexVOwLY2<6VVoA6IK!W21E^n=Dta4cuw0Q9)cr#(Y`T8);g>L^hUVNp5DhbsTVg@eAbgRa#YP&DB zvg%|_r=`4zp$h2+YH*{yy*E-a>SZ+0U<0+hsScaK;A>VHYIK;w;#z@yYHE}=Q(6-> zCS3e-#>ZurE5i{r6xGO=pz@-{X-U}sNBxydS z_K>t=Gy3(>rbW*WUW8b#jQkIZ{zE}_Yd8dMMk zOvTTz#9^P#eQqba#H@C|><45&NSj%QTT0DHRN;Ej+k`GhCC6CuVt*2@eK{eDBX9F6V^H3 zcX{N$75|<1@5%GwvUE`Gh#AEo|8m679Ud%O_w;Qs8!sFm?# zzsT4iV5t(-JM@r$LDm5oIm9J zNr#VIssZaxu@d{23pZUJg}){IBVj8A#tSn^YOy~PQb=bj;U{}6bc6OX~wCo~w zSFyVpJ2Nvo?C$Kd55&uDEp`vFdy>_w0Wrx#8xv#g@K)Z-t$K@18(DkHYD+zt)cC-n^9?1*K~Dc+9b{cZcNKjwY35npgaR!d)Xj|<7XBeJy306}1~XI8^8BcY zALhb(>-Oj&;cy8@P~a0-jumRSWMNO|%MOZnqnG#$@tNeULc$hHNdxw?$#SXDVwEi^ zM^Y{&R*_I>=Z8FpTQenagnYpTf(r@r40sq&VZruO?87+Hr7c5Zw0cYGBk3qgF_RQ# zc;D60Zq2lK^_A66)-kkLb>|>kG!2e*e7%*n{e=$@K9D%m3O$49tt$dus%YkFqlWS7@j19ghzsge_vnc1-|R8`t2awE)&X;mzvL`ISZ58@(M?9@6y{=qw^>dfHXT9W2&amkEqV@V zMg$`cGQw#NKV$Ieg69f8!(b+TIMd;=mL&58pC$Ng!k#4jQsVs2mL%tjKTrJms9DzEJc{bcMz`o-;GUHEup-=Cv}flX*Q&KFFvA z=3;EZ4UTVR9B_oi!fzCQ6LIAQG)u6GmeV<@NZ%s*R?)YSX5d+w`I-1Oc)Q~#XGQ!D z;dctZi?{;M%EB@ScRPJbQ>5<^eXr;xq{au);3ot>X)tG1ho>A)z7`|>wBTn1KTDXovLuN& z5-L&8IX~O#H_wZILHvv4E#BGTC8tldc)u)qspw@!x-+7cs;R{n2#y5de#-d9_}07OW0#g# z@A@Z_)=2u465r72k0182@-w&gwvQj5%lbmrm$X!3qZWXV>)1fyD>qu&_Gw?sSS#Zj z8dej?w-|q?9wclM@WxaP>B>f@jPm}U; z3ob-ZvGe#H^~6W*emS`zqE?_8cE zlOMgd!!PNE#CaBeOZ!#vYL$y+rho_&D&AlPV!pO;~l{xhmYVpJN#$3$$0;nqcFb&=Io*1@#W&6R?TJPx%+?Wq}Cnnm75=KZENr9!5brO_> zQEp7Mm*{92V`Pk_VKK`@8ep{+e$F__wM7=QlckN5Hl7-DRRQ|`a>E3tFTDpp;s_H( zPZE6!XE>h>m z)$I{9NUOn4T!J4jwZ;)mVa&!#z%Z9{Kso$2|Xp z@rP%4{z>u+$S(w6PyUczT`F%G{;&UaPgzLcJ0H>_hP0R=J&lkm$sf?1l){?rWd9Jn zt$N11T1~z8EWIW4o`Z+$R8nZlQd9QN@p=9{m1R_xLqVRG6k=H4ysKglq__zpQja%^(qqG2_o^ukj>=!;aGR-Yq4F9O)Tm+EBqJIM2HaK?_H-dH zTLV*ggTgilNJ=yqk_u?M(Uk^xdI#w@N$&)WCustofq2W{+h6eT+l1dC{4QX`B@#=< z!cmFKdnTOI*9-4c_<+KP5D*txULkS$$mk()Pk&7M6Vji8MqJ|9O#L&1w?FFP&k64$ z{Ds0%S+U{1G)#AsJjqAp7~$Uu|DkYH2DRLu26xc<{4c`C37-Ir zx=gNo3=2E|Ha@0-|3kjarR;pjzs$l!R94ow)8s$XJ&&%>`>32QKS|Gn^ckQL??_TM zF+9`Y{W|VcmT)=3M!cgDxqr?#_`om^UqHAz;Ti_VrOaMv@KB9MO~SPZ z*9MGu$7T9-GM;o78UM>;KJYr^>yobr9`TN`$X;x8Xq>0(lWst|A!x=sAyK)+;8GpU zyp(Vw!i@p*(#J!wfb1dH#P|yy_JLnU{&Mn7!6Pd2MHk7!D~vuq*VD~N2S^7&Gb%}W zLWT@}YmA4(gd>EbfDx5MRQ^X6M#YTpsO2h7K0!VS9#M$|!V;C{MpwJXhkhmL7NlE( zMpR<)Sjb&v@I+1J)r4CSZmn=!X2ZK{4Bk1%huntnwS?QAgeAYPGq|~4%IgWYBivqL zx$ZG{gTW&;M{XqCf$&WV%jSOaNe+WU^L#Wq6267-tqR9*$9FRLeSOT`M)-EZodL5% z$-t$2k;CZICitN5Al;R8H=||fSU$;N^kvgMeHZDwNp}a0oDSkvxX0kJ^*!8!a8JT1 zz=#Mco{;Nh^eU~WGDv5V&H{~~LnzwW1}|&ngYHc@hj1=nrZJF|0hK;RkJr1VFX=qe z`AUb9`Kf`f!05tjeAtDgi%9oVIvR+{CSlI#?IoTrCS5|h6f~-OZ5z1$Ce%CXg#i=> zQWyk*g;g@#4K}!u=Jyc7LkSN9jL>6Jw3B#{+-pMBhkWS6DU6^n5&|+tmPX2rGs@`4 zR(pCh=`p0of<|1Vu9ue#2CvfUWE|n~geL%IT#~_fKx$cczX??|@)IdcqA(c(;u46V zN%Mfw70}L;!#zlP3h9SHBQA3J8C*>V`TAP)IDSH%9s!OS;9*QKWDIP{pOY$ z{6q^6KTmiW;pKpNfn-rj*u7x%Yxq$Pw}SLa(yKtHFOckT_oBfaS9o|e;WdO`0*p`+ zF?kNUwMK8(>V6&R^`tj|{%@xfpKO<%Z{5r0er=6&x*O?kf{TuHajL(JD#*6B`9;!^ ze$}jTqkYd|Gp#MOUW0`zjN6t=dbXOd=ZH_x>lEIgunhuE6Gf9D84X9|j+F1}nRP@P zf;(uvNo%KB(uR@EvV#G6>PUm#tQ}evzD?^LTJM?_3P&Re=@IaW@}5}(^qtcCv_7Eq zp;>Xf6N$-sXjy~oJ~FGNwpTu;^$D#{)e6VL@-9WzFvl=~;4`x(=;X4`Y3-u*g<6sq zNKq&tO}d!-(yR;eeID+nwTISMuuy`e_6WJJ4X%QGmBW2QcrW37fboZLEFMkDYR`Z? zM&fS2S;IP0k~Tf9gS5U?OD2)UWUO84@PL%o@64K$?XB-=9isJvT9Vz;F^R~_-+-*g z{?V+hoxF9J)=#vKz(R78*opM0!L?uX@Xv&QA^a;~Oc*`2^Ep7~GfS~em-F8&fPGrd zk1>GX8NeS10D~*~ph>zv&8V+Wn!jiqr*Q%XMoQ5C49Y)ISy}kEIj;`%(fo%_nMQ2> z%fIY~V#xV0r?hYFe)3^Uu;f0y(IPNG@#QE4ljwkwGW9U zEz(O&8K%v(OQ|%X(iloQm*j!h#NbynPL~nBoN!aX7)#;zPjU+LGG%bSAXk=STw&tF zI^m@m#Q?=1L}b88G3Y|(j8`X2CqgF*2Z@OWq-K-)Kq}stDf6^h7N?S+k~AeAl1-nq|$;)OI0G$Ly?*=Db?Urrd*Zdm8+?=qS6`)${`-)ap_GM{-|F3 zHpH(b-WE905sSoS?ut~;(x))x+z0#_uBXzDN_$mM(aKPg%*b^&m{Ln?*&C^JpmLKc zvQ0oDiHcdiG-67{@%}6wsoX;4R#hU25O|D-bTXx9p;vCBayymIsz{GSR`5$L8+Bbw z*{co6JE(M}(#@2pG^%0{`S{G`v%yQthvr8^WnrqK$MmPF9qW5SY$eYAQ|=t&_3 zfsYs&k#M~Xz6sebhsz+GNjOX4u#9uLY=h$+J=~jc4&hvd1Nf$2AA>8RPL{*bJ;C11JroGzb#vHTe#fyiXZy^od5E9zuF3>0zKN$sbOwpYdAbUh}@unt3?A z5%fmF!|NAaF5us5j54jMz6TghZ49-s&~S-VlbZKFQ);L(j>>o{6QHD@z9E_NWbpl~ zd~zldo?Diye2TVVO4!iKz0q;m%yShBfa>N zEO(oibF4LQj;4Gaz4i1qz{BmGk8gU&`{1B^*^EXyNA?vO8)gE zNJ{wHFB*#{k}`vj>pA|Sa-7NuC@jJ9KzDx|+`qjK{~y9-8nbsH|Nbj{Y5blhzoq*Ytu*}8YQ&*TTSQ%bgI*-0S70L=2XyK zXz*TbGSnnoi*RkgC~r|;-Yzo!oUuMab;#ExUk^MYBsE|t!166Czs-4EYrpz*8qjG7 z2c;*gSf(*ydDSH*L@W4e_EHLsC^UwElVG!E%+|pqk0$2y`oTx+GCG&jX$lAJ1w0&0#*U;k> z5)_gUaNDM*3xvW}4Kz2gt5yS7Qfxu7B}817pua3v8Q-^&{49sNntUtrt-&K1K~(?O z7(8F$HiWMw+!inb*L}IJGrrwM`B@HkJ^6Oz+k?k*70H$)WXguKZjigdtS2<>H`3}r z>n2#Zh`M1VF5=DRlvMT^+>y>LbZ&)%=cFvh?<@UxnK{$Rj1MmG#%(lir_mV((!v~; zl?YvoAFdgD2l=k#yMeDPe1?>cU??0Zk~VC5zpy*a{CST6a=5!_-c7SROx)#|@gUs? zqsuiVEUUmt_avPHjSCV-GrX6lxYG?3CDNGMepdXYQam#V>LJ#^G3Xb7#Lw1&Y##DdX;EV;bb=nw07 zdN}D3q(_2A>5zdqdHN>ZDC1Y^@ZD(gW5|zHKIHlPjQ>30!yiX}JoyRWPm@0+^4M+FW`+j~aiXp66$ipF@7G@}Xo>(vWbE z8Gn_w&>km0kNkY_T8yIZ38NQkF?y2p0@4dXwk{gX`(O{EG-LCj2yDlsP|I zpKh2vW6~rYtbdl$5=zfO!eF7+#}PKpWR^QVZReJn-Cl2s=V>pay&N`jE4@k};9fAk zvn~%?L4GCqRp6QWSax=Xd(r5b4@n?$xYeZBkbVjD`SR<(<0d=ZrDO_Wz^yg?dX3yV z>g%a*fX)ghB(>nn2CtaIQ_0F~!W#*10*vNadfJ%O%mMeRDI=!)+jTRQEmU5Eg2YFY zm{TRwkc|I$j6cQe*Nco1+UP}8Qp@sAB z0^;_Y)>aF~0cr=SeG85CNV0_AUHi`X;d&vyCx3|i58$oMQjBLLZxZQOn0TL_=rF~f zC?0``L}3ZGFSapv)T9q=5jLe?DE$fvz3-@$+TV;V87n`@;f|60o$McA|5a*Z?oU%j zX{r5-%5f?upkQ1zghCs0e;a;6)BX?fGELa6kbhZ1;!*%(?lk$&bdMr)F{4w)oi0B~ zkAn0Wp#PI#`Lel5?`wj~QYuHOJR~GIAPGLp*otVA$l=Z=dk)zOVE>iipsQ%gNKJ4h zD(6zE3eFjLuOU1=OVV9p z^wWBlOG!5(-59iW&aHUMhwrjn6H{-{6J192a;i05@Q$*`>QOT=<|yO4!ZSx5203?srYq6h;O zd?F$F?rMh6iXpT{2)F{Wqqd~v8l$_TMwi32A$=|BwxE#`85jw=>kR(% zVY1TsAl!~{dxeu>8Hc~Y;L?{od?Vowgl|$F%KM;Fs)| z*V$4&B>SZgE8CGrarN#o{dUd!9@KkMPeI3&2U(vXbA%(oWF#4rp@mpNdjGx5&8_bv znn5>{ZWdg&|KvTAyrOm4#;>XE`QGGn$mfDb!lI#sT<1PU*Bb2UzNGU==Yz&|mVI>O z-G#w7>7^?qTtv8^!m(&LF5*`K^^=DZ2F3X9ydkw!v8|lM|k03r0IFcwUdu7vFgIDUH(rChC2#-}* zUWv=cGYrlR`G|}oJf83bz<5r?qy*h>?5kQYPb52u>}0U$N@=~E{v_T5X5Fc^*@LvE z(0T|K;x1#^0r#-M>qhzLJVJOX;b{s-P$Z`t{JHb+48k)B&jQTqKwc3IbdMT61wYE+ zW|N*ndM;?j1M>zSGkBZ6E`FTwJi_wZR7?<)Xqrby5 zOb)k*^kULagGMyMxM!a+cz9c~W!$rbmk@pqFzU8YX^{+uWXamWrDn`(gDGUn%f|a@ebP}NzmfbV@CX}u@~W}r^f9uT>=v@Gfn^3Fg`^uy2!nhwQsx84aZGJ%dN+n~?Vj ze?a&{z$_x6sHE^Cqn}0{fS^An{R!z$K_eO=VLvlA)`qC;$3%7)*)PB%Wa$vdm+ika z`dMw1>?Xa3^jDzK(nE(pmeXK8=GUgIx9$Lyy;Sx=L3h9w8RFp`bo)&^sGlJ^KC95hDc#!{=-Y=TN8s0R>3Laio5(X!OdP zeejh?pG&$jXap}a;$)qs?0Znfg!*_i$lip5Ux(R24KV` zDUCt-exA|0wWV5MoA>NrlvSu!$L-Nnp$2YD@ri_=QbO2Wb=jzq#T zxklc2H8-Jo7I~S6M4<(RmJm=w$fEqPeCH+_kVXv}^QL`uz1Oa$){0td)uJ+qF(^F& znZXp2w&69V#dVEU8*0~5YYPq0i_4_P5IPOlnGn;a*7X$HQD_eVB_fuTb^SLOyla|| z)QyBY5WWd8u8lN}Wl~W>zMBwqH=7f_)H@yN+(PG8ILt6v4=))Ube&8XRp5o&DBMn= zGX%s)_Op@ibQ|n+Kbt!UcO~3SVd=?5+?@t5N%)ZOB78UD?tl@MP&6U0jwCAgm~fij zaXl#Xq>zGus7P%g(~k`Pe^2?)GYDrA&H{|k!}6v%EcxTIP1t#d7kX33p^ys!q02C? zEP61w&MO}7OE`~kK463%i-rBm0}~#d;)OyAMHKo$_|KCmAx%4H+9ACwim8=QD}~0~ zm%#$p-{AH--Zp^nK*ECnBT_PrF(h-1LvFAMO=|f_4WTfU!Y~L3T_#2)+`R_pY3>gv zJc95@zz97c_Y4=AjWS^#9@BET(Gc6$VJ-v&FFiYH%|2%I zmIpljIO%z$=PMnJN^jUbVf1L7*7qdo1*8{(M!pASu);lMa5e3{E+V{`@Y4#*oI#m+ zWbg6et2N&ixDtTlS~I3JUBq}P+)02(UH&9BJSi-N^R_+-A~SNWZ4EJVoTC;8vq|X>;mz(r=L7rZgJBvJb1#OSA#JgY=uE zcY^-+b5!1LzGc#{T4TIT=^aY%Lc((tuRI;W{ubJfcI&AK-3?XC@rg3g>eQyC{4Cf$!tuQEN?nY0kke z{v^BU?4k3OIwxBbvb@2ZuQe0Cp|h9HJ~;o$IoX@lq+==_pmdPZw~&x?vY-=Ro5K~A zukL(jR{k6xz3*uqqVxS!Zgi{V=VcXdQutoQp){YYOtQF?ZC2 z_p|(Iex~pXg)cc2CnakNhkbk*jqKw;O%uwF2VuEux{eJ5-`D?nf(7wG-)amk*bQUO| z0U6~4w}bShFxZFXC6c;X)aZz zcOJcJ@X#TX?x=KT1CmX0pUIqS`Iw>PnJhz+bqCTxk;Qp3IbPmv%XbeGae4d9gq&}I z*QxF!bpZpf&cJIRaCFUO{6fNY7aBe*O_y;siPs`t8~DHP4QZ=gWYQ;^fI5`wQmO|D zV>>~+Z7()sP-7pf`ZOBQXb9s!r;)yiNgwKIE~V6nQe#Lc<q18jlqj1_@LVmzLs!X zh2^D6!d++Z51Agmo^U(D?G;X7Q_dRr!ENv%%#Tc(^0sTL|B( zZ~}upoeX|wxrc8fd^_RJfN_2NKu;ILt7r{(2l1}Ny8%aj$Rv=kyVKx5kfUNjPONR&Dk&xWh^xat7f{!dV8(hU_le;QUn{?oBv{aIV5( znMmXM7<}wj5BDXUM>t>Mhzta|0)xNr>)}GeMTGkSMtvW_j`GE&`LY$TGo`*N#Z*eD zltRG+2vx6ad@r2~6P9TS96(_pg+UNd{pfgl`VDwSscdN_Ur3Ni--9iH>vU*+2m=_( z0EQs|Tw$Cs8h7^^zFf~YocIXhBZ1=%l#Rb+hh~`|j!2F&>Bs(lLdIxHVe` z`?Zm~&)nPeozXbDI83Pu0H7M8cB@PgYnO{L=X__zi9BKS+2A;fEBK z=DSQ;GPs|%-X9@6mGCr$rPVBZDH$BoM)M59GYQWEj64m-WQL2pRWQ6wJ^57*H=Fnz z;&Xu`iBYWBdd%RyT4O#=cpl;T3d^k?a8DR~t+r>LB)ov|LWSj-7IRM-JY1u(i11>< zPs_ihjTjLbQwX?c46nO^k(T!g#Fr3%PX1+0DX(PY$}BZ{%`={Up7b)(%RwWJA$B?p zuC3#tD+sS7yh>p#W_2$bT(+kVc{SlRgkMrvnmRGJ*5K>3X|s;-dcqqNmaPH;?q!4L zXr1#4;f;hhDJ*RP>2Vl**M&YBn+b0r{2Ji%BA*iy$ju-^klECCNICt z-ypA3euMHh$O!e{cd_i7UYad|l{%?8wp$SG^giCfAl_sUI}rr$6WI*Ly=CxMXcx)h z-X{DG;dcSEfCfSdS-AS1;lEb#`1`~^ApW7@LD}~t>OL~O+65l}nD{5eKQ%lOj!XCT zGs9oB-Usnr#J@0HW`WCK)|ZBt*WS%;;(LgHWq3q}?_%z2!);0Wu&Zhl$GMLv@pH&PnPn@8uk4a*2TKS=K#Yx$gsXeSS-YG>G6GM@HDLiz9)Q$ z@DG5I$1-v%Yt`J3hJT|^!^6aXB7OvTO~GY)V_XJu0*N>l49cL343Wz?nN(6CchthD zG}UMP&kW-ihVd)HKy%R2>V7k$o~Gy+jo)ef0Ru1DFtZg)-TpK_a@3#UFY?F9p8$XA z8Kfs-Mr}RAKQziTWlu!@wFZ^UQPN&64@q?}FZ97+`+;US`#CA-X2G^Meor4p5MsZ@r78$@r@ zQy#NbOzon#XH}}_QLP3Q8I6P` z*M^L8T3nJT-^Md|+Z12-)FE7#a6Q1dq_PshPi(%}jMo~;ALMZLX*8hGP>rZHYc4UP z>R4}FN}~~t#xRf?&1;#K9ttM?I>{y`*U?c+=;!D2GftJ?x_#rWTTUt z7BpI_p(&FuaGPpm}#=lgT3a?zZuPgFZgj zlW#}9J$T#_((9M$Vls3jFFQ=>+1@KRQt3eDCRL*0SU@^_=-S+D$}K~@(viw7RBlxz z9G5XLdD$hy8J$ddMF*R1qjEcy&QK~zSe$?_Z992G6p@MYu8VnjT3y{iuPeQ7@R%T3 z)+#&4MdY*dcbd{sTljZTxtmINC}@GpYIWIWM_y3eW5Nqh`Q-GV(33(6g1;ovrs!q# zYP}>Gq%%opfvzmU__^Tmpu8WFXOK+z&o;9_CxrK=nL{%dX8PjDj$e_Oyi|03O!-AG zPG2f{RPt4kHmfWGm5F@vO>R>@*WP;}l_DzrRFT%D>>>~e%eD*7lqom(3@D~jLZuW6 zax8suBoF$V&{wa@015*s3{pYr!bp(c&NE?+X4()6Ln#b{fTZJvaZq0I$1qaFz*{ z?om@7>FSl)ROV2b3k3<0j)RQ1%BvION9g5wocuiU^TF#)BYQ^~{gPh)CrK|Ly%01) zmv(pvA3A@^_+PX{E+W5}{L|n$WQ=#|GD$HWlqs3+8MA(R)TiNDT1#j>rxrRA5xI;q zb5PE;)U4|@f1jtdjMj2kr&LYSWs$x`Qoe|1UcTN0E9kAHw+bFFrECl#tx+^TUo>S~ zCm+GpRMt>=2@0AySQaYZDU%lo@&bRYN%b{V>nN?Kv;h(eCaM5=i6`sgWJ=%5W`(q1 zzCvpwtxd2v3M(ZhoHY;&&)lo#tkbKsna&nEuff4J4F?j^6WeNZv$j4luaka*^tMxI z`K0@HqoYdiApIukol47#ei`C=%jjnMgn66vJEY$|g_h|q?-`v``hC(Lkp2)f>MvAB zk=`l!q_+thG@&0;_=Liz5KtT;L}iEW&y0UX`OnGkBL9W*nFCTTTNZkLX?!RB_~~x) zd&qwU9@klhrPISXvLf4kZBk1eZvKYSUP}8Ql^3a(Ecuad5EqBtelv1Dl0V4d4$wGA z<69WGUQ%6!WPX*=lhN3c!+lTs5a}O4BT~M0l<#s&+ww<~Mr*Bjn9@&_jzB_AB{EX3 zmvk?V8vn4)`TLptFXVp(kG7gWiC;?Welu-^p5_>}->Llpjon$9kDQ3RKMj9cJDh(J zKTiAvaCVh3i}P=T4+$7#rG-s1K zmFS#Hr!t&M{zM6W{e!!lxGLtos$Nxk=h3SM4-v#?YkSGo^745v`S6`dZS>Q%7f`BB zsRpDfBDvB$|AoWMLg_1^61mXS1|xlMq$br`RBJ=UP+>tTKTE#xD%;A-XWHajgnhFH zx{J&m+EIHlbnDWs2NyT8lMfiW%s|pzY{DfvE?J*K0}2fx;GPLa@bMI^`n|-A$VKu8 zIozc*8qsJB1GRR3VP;ldPDzP0s+*Y7{YD?F%cxvVr70AaX;~jG_e_qQsaWE6g=w$q zmx-HE3s4I}OUJFhtW=dxKDv+@w`$zNG$J&jFmSWsGd!|mw~HBnM0XR3lTVOOg2$!h z=X_K0$`GWr6I($%C}k!}qdi9kU}=hii5 z)YR+WhQ_rt+QL8vrwUSegNkzzrRz+YyB!gd;I60Aj!Jtdxa>h$Azh3wYu{i(TaDF? z6gp722?B0iJ%_BQ?42v;b2po~M9!7&>aHH8TaFt!kj+OJ*JJ; zRaiZ!^`w@9hD+q{069@FGtSh{4`$HFq>%+9o!@eE=4NEMY!g~(2K1(oLm?Leu4zeO zVP0`MR((uqG1uQTeW~P8$%k@ktb(qe8bzBaJ|N=m_iAK zQV8gYF;>{SL9S)`GuHjhY^jkOKyx6?K`{CJka-1eu)#C&n;dQk;h}_w0Y*yXo2v4C z(L8zL+-t^eZ5a-yF@nZO80lLqvoOnzGP;f?V>Ib8q{o8B!@ys^RFT}4_nA{(^J*NO z@pLA@L7ec^k)1$_oV(wQ&H5OaNMjO>$uRy`B_{jZnzl(Ru?MM5q4p3oCMAlbJZ$v6 zb>-}GxJO7&B|Qx^l9F3oT#EXrAUEZvn{$_bk!J>-nRI5sL8Zs5C^M%YHNLrCyV>OD zke>@4m0mC^Lo{;Z=MI(+%RFY%!n*P|Io#uv=24mt2^EIVw>!iQBUjmQZ*O0&Xr`MtM+X zN^+K(a#Sn+=cz2CvK$JoiqznNhJA9`~a1MRKA6R0vtsP(S2uh-LVW`dM>07k^TWR(wUVd z^~sM04>{96cn%Z(iSQA?hz&o$)L;5ineM15J@xBLKU4XI%CAsR`cftNg~dhksWp^6 z`EvMg=3VfvkJmAJztj5zUb?;J@>6-m?oZ?YUuPe+zsMgae*!$xQIL_D;r=$b^DQ3! zhj5u@?6%0itgtikWWxwFqtoX&O@2>zUYP5vD66~Ln+>77^DOFsRclPZv%t}B`}p|(#)B}(T~ zstgI&Lq3L9C<~uahg30T(z#x#O65E%)u12^sr-C*zOi+-%TIE+3&>U{TLUcev>!If zztG?c{d~YR3D+WA8!+l-`O2t#=v}_Hc##Q5>Up6Kg}M~#K|sG$zQ0#olHo2kJTTki z^@%qi-Viu4v{=3thL2NUVtl=aJ%1_rM&uiVM?#BB@?8^S7wN~#E+cz6*`{Dov8Hld zZf36ZkYwCqkh{XHaj(lC<#5et1!x6f;S4U@xsb7)@Aa_>lZ}v#g2fs9ehS61!H#?u zDrVNIKM=lz6{nS;m4t;0&^sj$W)@6b<-9^yAOmJb zx4hb)r#I;w(z&3KhKy8ZzI2lN7+(CP{3?g*OFWNwK5#VUiZV(uD^}JV@ZStqVB(`G zf1W~$MHKr%#Cfty`^fiCoiluO4UZQSFCktE9C?-3t02$yH+WBT4-X(bknkYDNO4S- zFv*N9quWoAALVdENDn1F3^cBAUavfNud!ch$ivBwAUhH)N>C~T{SORr^l+ohDcFqA zCH&EJ#?ToH2W|Zle9lw8Ox7FEvmWj~)83fr6ETk3cxn@%q4r8w>^VObOv=M%w7$~E=@A-JX-tE`!cpq_ zXZ3K?4d3}IV@lC+-K+h~3P(a~T6Y@{MR9rTW|I+a3iti@Ahxk{(QKm}su=V)YM$b_C8`678?*q-omfs)Q?Kfekb~+AF zI7s1J2&n2XQk}|_C#`JE|D8FlF7dhZJ)J{zet?6UPMV^*7-p81*N>(&(pJS`DnC&< z0tNBPEsz29JgFCtn$RNP&+#*bUnu+v0q4N$@tmx@BALtgn<Lio1w9IR z8Ra{gy-TGd?EW-wju!vF=pCnb0v>WWqaZ7l?fy2p=eP2s9PS^|WdiIX$iKYW(k+rD zHSRR|?{wFoTv?xv)8!}W8W2ANI7(7xL8`wy)8O|1nNixqop121 zzsuR=a2F7+PPm4`1*P&Ry3pXcU3|zj3D+WATj8wytWtN8!7u9qggS)l60Qdrm!*fi z+>tG4jsANhVj=OUPr3o=hDyuy7uYhvCB zP3>j$E~nQNp5868cdhJVTH>xS=X$+cn$Zc+3Bo}-`lR|6_HrSkuZ;RE3X_hIj)G>n zcexl_k=?{y%#>EYAmNhqIF$sIBos6W&+FSMa>Erqra@Z8MI8j$Nsa@=*s zS3Ds<%i*pk-;R8H@Hl~>DS6f7+zloSo9$0Bs&N!vOhmJvxggO@FVSfLWd9@N_ZGxwxdh(^vX*Xu@L%j|Gfuk%_3t_WKNfQZMZ|;^T==0FG?Q&&W^Z$Y9O= z#?QLe2S1VgB=VENvrZ|N0SWhj(Su{2evtGO(hq^gMU^FuvKmk3jXZ3^svh#Y9PSYc zQz=Y?fZGe-9FiG|GSvYqe5ae0qjSb*(3(kW7A%}5v(#Z9%3}AZ2^Z;%joB3DP?!q= zsSabUpG<*#%=kCj$j@@P$H~tlKOa0&Ez1N7dblTy-lx+Wo+Q11^g__QUa4L^+*1bM zqUC-O;l+fX28^H!OXUTid&cOOwL*NB^b*p~DIJp8ezJ(e=FE`uSCU=@8YM^Gm7wIjXn5mY9$!s-4e^(NBjUu}TB92&y^i#H(i@Zx z#sX2<8_MW+>iV!>A-$3Grc>#pd)4T7mEKHx3+dOCmH`Wym$}vGosE6iuaka*^fu7A zIz_p?d%Nuh56$ugcn9G(3GW1qS|BT9fP2f>GtTtv+hpG%`z~0N!v48g1M;wx>pc^` zd)f={Q}}?whY(N`gaY``lypPgM`lzB$RFfzAJh1R#-}h)ZbP!gXOZjSJ~RGS2^8`-b#h()&Oo0WySu z5h)3OzZn_(D99Wp8V6~73jqLp%b*Ie^2xf(I0@~Iu+(h+xSO=mv{A9d6@7| zgpUBm6DK{2nUyIoRozi@MvnE)&vbsF^D7+GHTV=js$h^G0R7FZ7Kh}Ia=2r(ey8;Z zEaZ?(U6P5=e;U1{7vVDQFVe?Jp8${^|0QwC_ou0UEcfLs3h)GYxO7O@y+<%MmXR9L>ApoWcQEq$IWXS*A># z;LmV2m2;?6fP&JK#&a`WMH3F`9{ZIjoJ*lH1mulun<8K5s$z67DL=~Ls**mBbTy-8 zT4cbTZ}jlEr!OE~opcS*7@w5IYdmCKJ0^U~+qnzP#I1qD)udUAX6^sWjJb= zIyCFjtoMJI@<#1qGg1C=xcW33&};}3tD%bJLS|&ij2&sO%SbY&RP`#74=QH5ODu#d zC;QC5lp!=?2#pZ}(vz86R6Ic5UpFy+^4~b0obfX9my>S_p0zh-xyWP+!$Ufmuo>|H z@gQ(sDw(kub|IseYUYPYM@UCOvoTbh?_$QzeA`DPPBuX{36>$tIx3l;Wb_XqPhUy8 z1?iSb%f2Z>UuAUdiJrcibSu)WLF0BBkc)3o7(B)L0)($6+*aXKrc8*w&ft|>e8|@m zZb!I1VD!rnvb-IO%2FJ8n#hOj%zH>rawEMC^lpNO*9Ex+Ju+mvjLf#{A&uT115$Z? z-Oc8XxZGdjj&yIKdn;U2THJACl4_8E1Qy6`bUXdQ8dy-Cp#wlD@w#$|G zgVLmx{((vB2l#kpP|Bo~1qt^}dh9e$o*UU_+@(XOy=mmo$c4euotMH(l|F{A{zSr& z!}TSeM?7C~q#;!53JkBKi6|sqM7$qxCOIjKy__@p%jrJwV$vm~OF`ojqy|Wu`y0Ie zJr55cJdp4pz<7U=9$_xd>Q|au#EF%IO{}Ty!XXrgQXB@6PbbWEkZ&WUGIC1>xqHp} z@qj@+ZWFI8qOzFE(@;>&FPn1w4xi*#sBEON2?|;hg{39` z$*fn+{9K!*n`v&L`5H`Ac-~Cs)>e~tsq{LfHz;j`gok-iN?zq>hTV4K4|Mm@+d=+K z@;kvJcVz>2SsZTg^w#p59PVwx?+|_$FfN~u5wrI_bH3CFy-()@Iv>J8n@0v`2FdEd zi2KNd$=!U6KBn*qg-;>idW1{mgB8Yh?Jhsb;XWt3i|iL*@j^1s>UYNJOVbLk@~7BM zZ4b4tpdphGCw$oUYvX5Xl)fRqm;65Pxa|2SFZ+H|w(97`0V)Tnd<(@+A)6b0XZ$QZ z#rNb7k^kXeysRz!(fAq4A1413`6J+wO9{!PqsIQTLVl9N{Y>^3vcG~wF6I9_mwq#? zx=v3&M(uZMe?ZeDBxF6&pTwh_6==$V3X11lc13j)ul5R zn{=_Jw?3r?lo~=pR?51?fV;%tdF}ieE+yQEaASp&A=w3@iNP1I@$hAYFDKko;ed2( z-4zBeM`4r0H6t7#90ZJ}L;qA>X;$2Y3@@|T7l1JF2=ORzTqS89_Rhkx)|d$$^iw8r z3JD5H2nZh=zRLFZ%?*EPko+o#yOMYd;w=@I4=N+6R~i0Uk;ktl-iml@;Anqh-85EN z%F1jr?rHChHZ-oK(H4d!Ko%Uj>rCjP3Amm@I|}U~FaZ)Hd24=y;lGUb;onHS1M!;- zm-#L6fV?Bk@~^-wK=wNXptrSymW!oy=%>r#Eh+aXXF9Ff0LBN7coIcA9`Y zD0HRJ4FVD%`z!}#zUiHYZ!PfQ-$ndx;@u68$Z|^QHW>bUmdAS#?@2rb90>@??%A@# zLQrNInK7-UH!^5s(#V2wG6C{<$Ts0-O+ar7ITUgs@CwKW!)14&K8F82%!l8XcpmY5 z!{tNla(xR7Kcm#+g~W@9_XEx=AS=6Nqdr+c>dd(17H<^OD4|gbL+iDe>u+>@z0U`b z9!PqS(z0E+yz3oobVV%>Lr4!LJq+~Oa#B5QN=5)R^n9&fQ5 zW%R?^&mB#A4C%3;Q4?h3$&xqer`~7$p@TlP)KSzc&B{KILKC+>&ASM!@ zM0_%EJj-P)F27Wkb)bu2N|i(Y3=dM7LggVSs0n54PL?Vd9MHkCM+i?PJPj}sD?=%% z5;xuG4!Xu>2I-lkXDKa}tdyKbjefPAkH~D&b4bqxjdnLOKat)`qKFe;A2YF`UV+Cc z&Z9UVBFYd}Td`~5o-m`bPWX6|#sV4(VPFd%>3C$g+#(soqsOIzGRf6FW&YX6eN-3G zUrhgL_-OXB>#99=#`PI9w`f21S(-~|J_nN*$oE90S-#Yisk{Bjo~N>m%5o?yl);k? zv=_|Dn&6!kbXL+?WzH#m#TU()J8zpik~-n=$@8o==k}YtvyRSsIvdmpo^qa- z%~`E49ABZckBsv;3Jpr?rdL7i#5)Wa!PwR(0|! zFVB5x)^bh$Zd!Y2eFX~-g}iV`=7Y(Q_SYs{q6zwj!d?pdAp9qC(th14_LVT`2qK*p}jSG{~~&v=n0_6-gpt# z+sNqN-zE&#qWcepGGX>0w=*2>(fKwyeE2E1{`9o7OqBD!{^Nl6snoCiK}Tzsun&Q8<@EWe7M;`ufRI zD48ib$W<}xZoP(8X`M%_np&q6`pisszFBdN+y%6%)2aarWhH_yHS#7U;w~}z`*!l99PU!mjYu~JjnMJvOUl!ziSd`{6Ynzemy>S_9-+$?8nVI56-LkK zgRmv^W~2k8gP@zquc_?p+`L?lxXJvP{9ZEnc=DH2uU<~3I`FSDg(oj-kPBJ36Sp$h zGA_(;BMdi+aPcflxqPW>3JZFdx|k`izvY!Ul?0U}l#_Qg7DqNWqq~-fD`~W#(Gmu# z&R(UiMCKH;I=jl824DEITurAHo!07L?srCRUV+0x2y;Hsxrc4&TuY}d96YWvrFNEe zD5bJiLDo2@|F65w7Z8UDD(HRB?MtT>P4v?Ab zxiZ%cD@(hW7P-i4cTnp}ts6AlxH&2L61?3XcbZkcp11CzbvLcp`g}r4%G&n-rkj0@usvm$mFPst+Rz55|M*QpSlVX91F>Oc}QY@m_4*a)Zq| zGv7Ny=nSPZ3=S?%zU+=rnkmECGJNXpHL1If@eQXmg3?GxIFW2fft7u-k|O0sne+KJ z`I8)OG@UVY#==3G@P^FE+PjjR0kQ(j-Dg_;DL#JVsEwyK0UF{buR(IT06I%nI^1v4 z|LD0UQkq0*G9<)L!cUdf7QNy zrT%q~TEO>fMvAj?++(J7{8;`fhkKmbJZkfy;pLMr z-R3=E-c?$-pQN{d-a_@VWPwJ3Onu05@+2&j1sLWv(%I9C=q;xAG(7Z_PR+Zt`HY!6 zHRqnCxrF9(Fp=xMU14^%)XLd~#l`;rxTWTn*73RiJl$nmcjBQU&e>lhZsce9PbI6UD7G5@?{2TJS9PSkg8!2ppkiLa;WP)3M2L5%gnlxH(;mwq`P32l)<@<7ii&2`(2&wRn>^$zlHlHUm)sUKL1B|li@=iV}< z{&KIpP30Xb??O4H5SsU%d2ua-@6-E$-iPq;ypS20vi-(KMpt{rpXFoHpOF3(G;a36 zg;K5b&B~H__OdSNGqb9%@Yd(FcG3C*7B=Lz7x74w*Pa=34(?4_~~3KAusR+E_<`;D%v^E?iaK1ll8leA0#bl(}>RO#S}3@{cU0s75|}FCc=J`{L4mC zeu~Rf1{J&05kU^a-S|gN%x7y88GxzVR;=djU;*EOX)h(#LM(lWhs`USRNvt z_Nmg|#ib?gEW>xa>vQXD;^z>r02~>BeG-$dqS3Fn^K>QB=aQ~`3N549RgB)IbXC&l zk*=mRGB@JRH~Mmo_ywe^ldb_8MN~G6Dk#jCeL$SM(3CxA_)Mxvr52UiP|)@~*%rFU zj7zTZMjaY;Y1D&(>IzYc%Bm!J&}O-dO=_w!t52x`rG_eD0uUAxN+Y7gU1HLgKl!Y> zlu{!~jUj2tin%66U!kYCjP&KCn<_1rK{mI%!szXqvCT*aNC!`)BQ9k0n@WdCM@UDN zmXGzwMT;3-y_b)7oOFV8@+6&C(k)201dW?55{S$0QwG0&j}Q84!mS9m zHaL<G9lPQuMHw zZlu(K(oK*McX?x9=x#RnKW;adUYa`r0Bl`*nTM(_R92Ynmq+evp;x;Hj} zab1iau1hNKAl;R8H_+uI7!=C5tVwfsn$S#3%Uu-irqCS%VvfkTdkmhdap^(0C*c%e z3~tGi8Q06$vL}4JGstF=%>s+cBU>sqnIw{J`1oo*Q+gB6A)X7|S03`2?mkBE&~n(9 zbROw^&`72vFkg0elO^6J+}pqhUr3>dLO%$2;%l4M8Nari=ZndgkS_&aMR??6Lh1zD ztiRaxH#ML+I)Lgxs)L{+B}KXYW$N-^qmSvV@gby#k{+fshS`hVy+*(Go&+I>8%}xz z>5-suwX&t|ccTn0)+`-OcnsmOfH{JXbz_6GGEYt@yU)yx+j*8UZXC_=G$+7B{h5Aa zzAfb#%TPH`xFCI4hGo8@* z2=S@JrvXQ_WKyrZ(~u@lftzm1(DY@LW#3e0Qkew>Bbc(l_)$a4X!m|L(K$rt0>u-+ zLU)guF<1kCoW?vF^I@R%B|W8FEr|v03A0|k&ljyHX)U0&5EdTCIM2Vtr%d#-vgOm@ z6cX9l3p;=rW?qfuc-Fe5B)G@ZFl^ z6@*t3UZrpMlqqre zJjZr(f_lI2pz|i3op4ZYa%G))N(MG%k+&I}ukeX|o5njd-i3kMD{aU~>w6|_P~m+F zA5i!Zf+iyAJ~H}kO~l8fKOz08()~(hgH89D(Ld|V&d*8jBK?KZFYtK%>gnWuZO(laeR98{vzN|3ILM&lQfYi*Y|rgC;}c!ndw|A48sEY| z21$E3CzV$;$bDx*y|eu(zNc`A!VeJAWmpzk{AloUls-A!VZuKVJ^~oGEm9oRog3Xz zv$|@^f2Q>dtzTiCnsThc`OTaWn(||Gey8&XoOH^2amIJ1`_qgo9`OnJi^g#pC;n?V z_qQ3%)cA)+nJD`M@-HjJ;!>Ui(K=0jOLqtYs+=xANr!;S8BowSMFxa0N+LTXVoCj( z=5^C7C`+##z4GulgpajwSQKLXUCN(L{v7fZz@vKiz4D5NkJ7GuCF182uM8Z|D?}^u zuU#9fn0dFJs4C6#XjX%XhYuP&vQZcIddzU=n{?@HpVb#os!pi}B-A1$1N*xRjeUQ< zXKRwJMYguGSy}zvMaE9jwOw_{)+JjHED8#ep*#IuY)*GgKz%w5=rn|boa!y3q&c!X zl;MBr`1Pg48xd~|936N*pQZkge!uQ2bcch74_c@) zTg&JT+CuF?x+m!rXw<}sU{;3fW$?Gp`sid3&Lo@#7(plE8JQuMZFI%up6*RLhjgye z!DL1+`JA88<@J*HC7nk)A2cEo3P`>b82mvqA9Nw%BEtO?P9`MQ&fxhkd$^cz3E@(} zh;<->Sob$N18q||+yK%8Ne@yw97n7N8~xiIo*qJaDCuFK5sWq`<@(%f$_VY+45u=J z%19_kXfh;mA7yYtXKs!rJcjUCz=(S?hPdBn^zijQHseT-Cp|&wZ~$??-{}0do}Ng0 z66wjH@p$kJTlawR_iDj8C*>=txY`_>94g`g-_T!b=E02N*#|qqsOr zjn39R4W1{xjP!EQxH!?6L`0rqFBt#z2p{?i@+--&0*}z+QRLu@MxXtJr&p6+L;5Aq zsJauu{>2&DZmr=b^uAw5d_D0Ez!7*dk&=$w%SJz@_uDI^HBz29H4H zFNfPqcnjgz03+yd5E;JJ=)rpBUnl(r>2079bUYv#zTMzMvkA^$FTL?ytx=RKo`YQ*0s{Q>C@jb@Sk=p>CGlR#@H^w%JmUH9$sZ#B19(JSo)A*Ve>A#+J|Pa1 z{)zMv(8!f!gt>Cm@cwIk;6D@ph4`<)5x5NBO0N87bl-KJK1TX?(tjA8z#Z|Y(T{7P z{fqQ*(kGOTvK;s_Ek;NwMf?njiQwZ zr1S71j zFY}sjHhO-Jk4Z<;w~)S7>3B3tu1+VTE9!&rHqy6~?yPh&*k8i#VswqwKI}V4cO~6T zX~aA3?lk&UjrU!o?HNyxq;p8;Dvfw2Tpy!1YrOlC&Lf?#bTp257Z^Qll#fXv=_1nol#WLb6KC{H zjdwBW64Iqg$C%3gMt6F^hdqGwK+=Oi^Kl=QQO3arU#FLH2;rfGhXFp zL=GoCg7iqG<&#>H-J^_tFw;k5H0d#<#~RHnxzFet1)d&9dOYa~N=FmOlKYLGIoi_` zNlzj@S?M^7_X9?suc>^H^c2z$DV>NR-VYlcTjs-lg!EL>(~M?JrW^g(3!a`qdM4>v zp!t+Sc0X$HczwLiCOn7mT)@cgqYVNlOyt|q17P_y&#iQVqbrD-l znWkebuTy!0$~Gt{82x%+*6MbnHx&72%?{FUlHLjWG@*0kQw)Y4(pLj-6Mcv1yN1dq z7z}+|(f5gdK=ebPC|QwH)_{CuPDS0H>|;8g(D@V&V-j|s8TyR||2ffJM87apK9Ozc zZbf$!-9z*%plIdDw+Q))?Q7#R>dMb@xNpesCBF~677D%)-fuz=EffbR9Hj6qgenpY zN>SopGlblCruJ0zd#Z=1{s0x{DwaKt^RNcsM-xUr;4ju;3O`Xe0)e9)vO8;`jD6-8 zyQ8Ko(A8f*Q~8C;uTU_go}-HU&5S42I7Z`l8h^mh;r^toD$Oj+moGT{X;w$m-Y~d&$yphkHxzpqieoS6R zGf$VFq(x8f40y;peD*?KBgy0(6Sf?a-{o*+DU_p79s+J&xlX69OghW7EKS$h)Xt$+ z0UF*u4&X|PQ#Ki?XyT*K`Gi%XcrL}t5OLRY8gF_}3mJEo`LB|=D(0TGQxG{^Rl4WV ztp*oy?In}dWi$Fg>65$jO?&(^TC!~`wd&MrK*RGRHzq66FEqHMv5#L(!nFw328?O~ zTLJ{#MMjV8=IJ`5>yoYq8ZGXS3@Kb}?2c=EH0qOWK(--RMk6WFxWwQA8jVW{HzM2^ zutp=`nixG?qj4GO%Skr{jc7z98dn(G$@yqBBO4$a1dEV!Ls5xG$mmRsN0@YkbQCl~ z4ob)|V@EdfA;-xk$R@!uIr%D18U%uB5wxM(v#&OK%2pr}3ql z*LRV>n|ycW)0=@r-95%1)XhM8knc%8rF?EO9eyw42Wt2km>0*Y9$p@1k|KzdOu|8w6b&%@yN{(CKF zEf3d~on&WcC)wFaLP}&GV;@-|Kgr>qB-@v4Kd=nj=jKz!pVY9QCf}d@0Pu)>p61R# z6LzaGh{9kBLm-^Zoq!u^{4UL%VdRIC9|4{x(A*hm!ahC0C<>z~jDdjEh9tGm7&}4R zS!2nLBRd`}1CIrhSwF#q-!<@ODNLj=2?7GolGgom#;y$e`*kweDP*4qi<>(;imrgc zDLUDFD&c8_ryHCQ_(g+53cp17Wx_K6sT2f9qoT(a}X&IikQ#DYREFgl9;^5;(@&T(AfDy z}YM`Tx!{TM7#m=i?atu%U}Mr0M~)uh)bjfjNZCq|Fcc&sJ8j`VuahzE+tr^f!P zFFZdZyMgTIU^R*I;o(NZhiTAX5dV_+SHKZ;iUj?&v2!ugKn}Nw>^Ee;1*<{J!WZ8e zK2U@Hp7;;MHv>n|F$wxdV_%)kkYxy->=v?HmCY7*o3VT9`m6FY+3jS10n57u8U3rl zH4`4*L3k(OU4U8e0&$^t8(mfDJ*4-N-lsG!OVIsh^iWOUe$od>A5=O!jNJR(=;|8w zA<~CQ9|4W*$PxCav1jh}u|7ujIN1|mS*Vf3lLo)1W$6^*(}e#3jDW%ZY3xaDCY>Ss z7umnTB0G@4nES`*iJHKFNtcMTxh{VhGH$Js@;}KY`i2z}fE?~T`AM4S^7kQEO8zor zw73KAe51Q)L;C{K7m~gRG`bx!k66CmlEucbd5pW*tZIjO3K@K-bqTFYVPW6^=Lq_R z0NrIKb=6aqp;VSqIY`J$S^6)>l{fffU235M;mZkM0l2h3LrA{jE0Wn9SDKTlC%B5v z)pV|bgIMX}5$vE`Ytlz!{S~fA={ic4AmMp}ZmN6*Ti~uY;TfH1Qkg;(3RNL+I3h0> zlj-G~6xkI{rqr7@U9;>)YBy2485+*hTRy16a-8lK69((2In^jsr%(d|N(k~e>~1wW zOVeJHbS=`i6{jQacB7wA`VP`5qytKaQsUth7c@H5SWYO13y}_!ju;)3J+xfZ=x>{P zIz~E9I#HaK>GVc_r}SN4cUCZR6HdKBwJM9)`N zg_k{TgCX6drGa@Jbb0uO^cvA?3=h{KB*joB7G=98CiKw;$2}C9QfQ_EVi-%8FGQQ0 zkgYLmL7^pudm(6-H?C!|z};tBj%xQ)dw|-5(EI>EAR(zq?!^9(S-EOGOsf^G*06jj zktK&8F*;xAHl*87WpDxUN()sb)b%12t2=Qpu7_`h@Xi zbP0iO}=fXAt{>`3LOD@*2@+FE0oM>U^ncc^&uvbvB-IEIhW%A$aHA@L&M7+uSg z^^pwyP1~tGiS{De8z>59a?xF>==+%Pqt+--Qs_&e9|VM*9d=I{T1_8$PZRA=bO2Cf z5Ox5<#_R))zxJs7EQcFJelYnV;Bm!eyF6L4WvJ2nF{UMl8%BCK=@Fn&vB#qFY1>GH zyS_qJHeDk;n(!FF2s)4m$h_!hj9z!Mr^k{WM|!-{vJAc~uQ0*r76?KP_blm&q$h!9 zL}G~)_ng5qXL@)t;VFcl2h234L}Yom7mOZ)Je9*uB|VMwbfv?xLSc$~(dg-Uo_>k+ z%cN(3Mns~rwV!*%;N5z|yh?Z`;nx&Sk%iCP>jvkcFv#I%5uQ!>4Zw)CtYj>)o@4YW zeWyN`^gPn@m6laECDsd!exW{tmdzDNFC_hz(oxw}J;Nda2Q}Zh6SP zZFGSq@*UF4NG}JC`vxUYnkDZV{=*R;mG_9hPy7SmD6qk(ET<+{{zK#2-{tv_$gd#( zvGS2f0{dUMmBu&Mc}AYz}FI9M|eG8Jv`WWfsq)&iG35=vjj>yG1Y5c)L&z~ZH zn*1NeC$Ixc$o*;jv_YOfBR>swf63p6+~4w-=?sMBTjPJ^|B`L`4=Z{2U&194Z2!w& z!ctWQT}k=BB)lANCFF4D$xqS&AY2MC(ixBq%;WBSqi5bkSO(}xUr72QqotV04$4NS z;H!N(TxrsmkiHZ&u8zFd3AoD)4pspwa2dj736}$mh$N)$mdz84zW5`;GWt&Xa?)2Q z9Z3mGc3)|9SIzFLNMB9*8qh4SA=y>%T7&m$G_N;$mcHVxOu7o` zs!9jLF^R|xM(>RIXx~WsCek-6EzLtLFJyF~#-tkQ>ZEIcMyZk;nDyGN#?R2^aZU2I z$ls=XG#X*OcDwOQ#`)OXK|Y0i06bC}3k9UA3L3p{nx{jg!=xjid9TT?L@sJ@iJl&g z5snj1C>)B)$18Uld~ItF-$l4K;W~g34=I6CRo!iLWt~@6mvlYS^_7kXHA4PK>9(YW1*NtRrJ=}(HTf*%W#@eZ_ zy}{eG5`2_!2f`f{jt1pJ>cJ(@AG29S@|) znw?#YUNgtjT}fw>&H{}jhC{N=!V?Dno95wegtH0f0A~Ff39^38HGce4p3ftnPrkeH z(J<>*XMEZIo-ZI@NWKU>5-Q)w$(_){=u&!L_9WelbZ@1D0c@Vt$LOyDKI|t+_a)uW zXxRfS#XV(oeSMNVO}ann0iao4!%}AsG`O@Ta}eRdgogm;^^w7wxEpHpN4NTj3?n_9 z^a#+&91ls$+u*XA>Vf(o;x34;o!W6f0SkO)@ofK8=0jox&4Oo6QE zERArZ&&L~IIowO6UnV^RG%_bH`+vJv3~sDJze;!};nx5o=vYcbD*e}uZm4stXOW&w z`VFOJ;b%$i9HV$h!u2c;CbC5q_WW2Y`_yxJa_UnbE5? z|2`tUg7n9r5sz3*7QR?%@Y0z+=v9PQ6J7%t*FPi+E=bdW4W^*1{Qik~tF^{mOK%;$ z_3#j-U@$7z|5KyC2>G*oMtTG3&y|*m2U7QMGu`i&(S{TA@YaG9|4c3NGn^Sa@6RP zIxp=Q>EonNfJRg#;wkQ=!BaHerwE@W{D;EQwUUYO25;1E#~H$Z5&j#nZaKmyo^`Gz()iB8_r`Pu=N*Ef96Eynh z6Y`@RE<`#^IszKGB1_3j)7;<^+Lw$GjuTD*#?wI_)v^$NFfJE0Ce`Vkrj6=^Gsrpa zqE?$)9cV0NvLe1T(v5ELuBYpgu1C5)Xp~{8m7)pRq^^PSA0pf2a1F^fBHtK1QjiEp zfp22)p0~-$)Of;82{!}Gz#~z4O3Lm6#y?ux^DW4?B!4e>1Rf7a_S|RiU2{ErKj8-m zKWH!>dk-0WvsS+k6K+MgHDJahCNYtR`yK*G>A zie+3rw#WMiS(Pwb<`Q->wU-vqu2eIrW~quLg=8|ItP^F^37;^v-yt8>Zd9|W=0HVM zu^*J`F4v^?k0)ytmq#g|Qg=wWxDrcQS+FP{1Jll&4!R~l0i8lRMR0H;yf(GP>Ux;; zlD<9dNvRj5-jHy6bjFsXvW7rLK@d&xKBhI_D*q~ndy-mTYW<+$_K=|tnV0gE(VO%h ze42EB(gQ&AhQ)GL0}cMCkRi+XI^n^DhZroQm2RlPGc@F3gohIz0T}soHu?cK(wxQ` z_fd34(-{K?agQf3|Lqy0moDG7bELCNV)mah{`+o$tYw~S_@75OVnPb zHUkwYWw+0nyq5?)C7Ex?F}>;Nk9SY-4v6n8n?V$w@UF9nSjw9k5Z86Y)( zB&Cu#_%&xczEYH;v&AT03d&f>r*UEXRzh*pdyMn7RBGpsHB^Q?Wb{o#z7dx@-PyU-iG_#q->4hAxeiS9f5T9 z{}DrbWF55tT5CLyF@WO?-~<9dqfd*LJ842^J>w|~rz!ja;oQ1g_9!r?fu7_HoxkY( z4F_G+h|~lB7+ZCS{3M6_mu!i<*bR}toIY{(eop4OD=Ghy?2)w6lbk0%NsokLDTs&| z+6f76hEd?oH>dX~o=aX8(7BM#MQ|>bf8ZB2$v5p6o6>NvS4va4gvzC==$m#)(q*Q! z(Kqa6sFbBr4hmkuW~I3DhPKmLwH1h7PV@>z^JKGSL$~PL^{a?pP4pU|tmZ>0p%izm z(NAhhE0VsBbS2QJ=5uo7&b;2>lg<6zQkifS!c_sI#Tb%J!)0qAcZ2Z*I`}-fk^D{M zZw8O+o0B6S=oCu;_OT%s-iQQ3`SR+S4OVxjg|MoY58*C`P@5stK?r5#AEX3_WO*p; z?k;Q1%3i&9o7hhiT$f@!iuEB@67k&i5;M9M$$T+Mb#4(>s&)-5l=ix=YD0$7h@mt_ zD9GeMEGEM=O^j}QqmS%8q??j%1{!4~f}O$TWlMA8Tle#P3-T?=-wPh0rv$Oz%6&$+ zKp=9s`$<1Q`a#gBK4sS~gf5-Yhs;<$nnDTpFpX9;TEjrOLgs~Z>eM49J*^qnhEiKf z?I7X)&y|JfWp58`zR}*4;rIJ{<54OdsC0yaCrMh7d^#md+%kvVV`l9+;bYf{*5kBN zVc|sGi&E3&vSLb4XHy#L`fzDf(y3%XLEGePDbC7~Pk3Ax^B&bA+?8G?y)1ah=yC1n#8?3_{PdYCl#Hu*O>Tu(~9DD{R^8o$a_>6|62Y)h%>W6p*Ge{G(m)0a*^ zIBXaA8FcdXuo(?Bv!15WpT+djp zLrrR>E1nIbG@Q~1NNm0r$Oe@o4SsP5k}XLbMR+vfF@X87%Wa&L^>w< zx5(In*`8fYb_v;~U{SNBgbMR8C-ZINFGRM=;oc#?jQn!&3|lhfU1K|H*zb{jpX>)< zk-}IY8gm~S{MQQ%S3Vvfyn^t@3d?Xy(5*Ch;5!~(MR+ygH3~DMKQZ`;>KL4i-_C`E*gY(cqfHeZXH3{*v%l3I_wRu>0EJPC*ZEBK!^E zZvo>LKm`_c-x)nnZ{P1p|3G>(Xw<`~iV6#|3uJ)iM^ol&Mf4MuEmXEb!5uG4#ujjH zbU^kB-DXmWi+oM=Go|g6eu0Ga%1bQiW*EFvN4s|r-br|u!og@FD5=%dR#eTej7(nmm}&OMvdh&yV| zab2+a7@gyEPQXdtZsDjqX>eD)-A)lcP52LmWwTp(fno4<8k;kO|04W1U_6@6#ztOy zxqr;sr1ANeR*Bl|KgeIkCoIDNuB7~5vd^%&n@{k0@{{x#2$urP!h`WhcfQd_^!~qq z^o67^Qd%-o27oU%`h-TmH0eu7UkVzxM{Y3BU1sd{+NdZ)wk+9lU@sIFg_s|Ump5Us zmg5Q(E~jt>1dJp3a;!TOUuoJrEz4I?yPDcH(9SK(Qte%9(tgd+ij=OSR0$F?DIw!3 zGS|rHY)y7$(p5-T1^u5>q_`VQ+M%bok_>QSi=rPw)ATmus-=s6lvXhfkg1U~(xJjU@gy=!8|5G|1R&}d4d znfxuP&dMVsjUskDY27P-c~v6eSc>eZZ1k7fg}9&e1Ee2RIz^_A zrMQQTPDg2w!#zy873tQXQGMW^O4xYFBW4ZNbhM$>mR37hEQy#7*xuk4I(_v~!W{^A z1dM#O!OF)>*ggj_k~npu@HmB36>Olfvk9l#c_EELI)w}fX!~R($Nah&-a&^Cx)RSM zo~3x6Otp}H{u74(tV0Ohh-VYe0ggsWwjU46HNJ*Uy3Zq@Prf^N#3m;>IOPmqpg~!%H3YY3)h87xCV}k@Z>l%BzpT?KP!O67Ea5pTc=qJo_nww`n?` zCfuL!0KmBUv*m7GCZQ)zn6%=One4#UzvnMMFp~K#Vclv);PUNV*}9U9AMELTHzkju!-lbmwz zn$b>ok9&{C`!qg)p_e=?kDrW!tggB4L$k(c_I^Zb1+9-^A;WNA`oV~mrYzHYa}|}< zRMx1%!3f#aG&|dUV#+w}TCb(Dj>>u{733_%2c`52wNK4`NQa_6qq~9b=WtN~a&uH%cM0yM9t)P8dE*zCrZ`?K$#;Wi$h3yo6DK4<__p1pLRM3yJ4)=@*@D?DkVWVqiy^2f=a0FO+{E0RxC^IXiGG~q}6%KsFF(-i)IfC$Nw zK3PRM3HPV*hZ_46oFV@g`M<#@%XpsLdOcIKySaZ%`RTBPB!~N#N{Kq`ImlmD&C))U zWrO7Zl0Apidp&%f{3JaG!leLXtTsQbNT$k!12V6ff8F^eKA-9%b^*l;DP9B-wMa%* zYFs9^U2OP8y2oK@;+GJ=6gbkIhD|XFI=Rb?ufM~`s|@+F>~!!Nn_$&#B<~tH@tX{u=P;)D-ndb=MkOpxYEzBzqm%N?;L{ zM2c)Y9CFtiUTLZPDu=5~ybAHEz!7wpV8Y#CY}0Z+8aI-?iR{f_Srw=B%#vk~Z!vsT z3PYA21M%v_YXHX!n4CWDRzpkc!=xtBT10OHic#0(9>&R`|2)Z<+s$jy#K-6kdMWe* z@bFwuFX&w0f(8#d&%+_YVZxEKaDFEjHTYG9V}#>`6M#{YWpq;3sFG#hI=eef$$P~%Lz_|ORwvbWu-p(~Qq3!KnXhESRg?k~OY{(AW?mlB% z>WU}#lYM~fgJ4;8rRL=0sr!)epAGb3KTN(A`PSg^oR*Di(`0NKdwrSFUdu=u8f|H` zgMlkTgHJ@)-jq(NJW8blm5xwQWn&}8kbBJNsye3CiS*;7Q8K9B%g?ae}u8YAPru)=(C7ek(OX1XX`C$JEgXgbiz$IKa!r6p#0N*12AO)cZ z-eF+_PWhO(n|#gg->?+O+nKPm?xhtTak&=USgm057+gMs>yF^Amf*T&6{cloY~{z2A4h&X zc+H-un_zSW&7NmTPb57FG;SDPGyHMSnGx;a3*BTIQ)oO71C^>S9Uu#KIlMP{!Mw#| zy*HKKG-7Ds-yu+XE zRXQ{2yatDtT^#qi!5=9+i|}m1ZvaLWmYvl#vk)(i=9tjBjt_k;;=Nk%$G*A~Ao~hSwG4UnDmjXv><+E?gp|{Q1tV6Ny&{;-jIUFs6 zLFrw-YkU_y$9v@8C;tI>L`fF4=qj7nd}#Pdq)HC=5%CqoKUSPYJmFRvo}rLL3S~~0KtcQbYn59FiB$;gesVQf)SbRoh1C`IA;50JN%TBY= zoX>P3?-z8wr1KS=WU-JFd~NWPI#X*C;cp0k3%GckLY1jn57`JL&9#gHy<* zz$tbczC*9V9^!k6?*opyBP$ny|7LV=jsJeq2S^_TeNKerySm@a`BNiwh|Xa;N8tD~ z2z}J(K6-{@q>qz60h(Q6sp@0;lyWD{x?JnDQ?yRg`a>;!*&fcy&F|s|V^$7jfswPtv_0TuNaX zS(Nt@2JfBYL%x9Ug@i9sI1&%b_s#~F8RX&8gfAg{slxJlB)VZ3C1T=tv0()cSh+pi*jHTi46qZTblm2J1X7KGfjCUhO- zYtf1nuA@*10?I-tk|wXxuQz(Y!#+BdNmn6V6*TTfw4)NzjP050ZZPFajnR!%ZlZEC z6qNputkNLg@7-c}`L_NH)reOoUc>N^EQ}%h4H$l5OOMwiUW@o`z)@i23!9j`-Qb@z zDt8c0AskRxzJUt5puxMe_Y@)=CLB>X6qM(E)ZlBH`Dnxl#|bACmI2O)yVKy3I&0uA z!nFz40gP+J)>=ruAGq6uHaZKVE`@p&>O(*l%AkHwzQk!@_|H13-;j7C;*Av#%WE}x z`_tqsp6}y+5AmkNn*m4bL&hFM;UMaq=4Oo4Yt({9OB(mWumpsq)Zb@9M@_)}6ds`P zAOs{J8j9hq=|hH(8|`ECF!5HzTPq%k$`@h*_lV)k`g^<$@wUX<0Y?I4A)2r(Xds`4 zv^Qg9H*Y*jqXUhOFf0LhbNZMG4`>29QFxp}Dg<5uS$H6vaGed$(z*L-#M6mqC?1Z; zyD?dd)bMA!_~>*co=H3lIIln`Aqz;!=Xvf4Gfrx;??xk=Mh*;1fP7o-a!q(t6OczC zpF(#COaMLtjW}m`>A^lm1;h)97a1Ou8c^0HGW;t2yu2szUc`F?=M|9o+A;ZpF~#*U zqqV-_dy+<98vS6f9+cNGDOp|IQ^sGdx9-#A`;#949$jducoG3$xw(NRU8B+2ajT7o#H~ zH^JyHlzx`P-3vyy&6OYJa8pT7BRw57 zs!aI=EaqM`xZZrS@_{trmkG}RjG&S4@`bd~*J_5pN_r;g*OU&)8^RR#y3swG`>C=a&GS&88gViEHD{rm}5aiv>!B=LCj+i^AQ9(z_N)nb~rE0 zNX>MzVjEZXPR*5J*##Cr*A)Nwdy@eyWB_j=0E~mAbxC!LjIF)X$9FN=C1jU^MaJc( zWy|WN26unJ2mB7$Vw|_O1bZmC3gYJzf5x5X5nmI?^FIW!`aSoenB{Bn==uG zvXOwi4D8~5HS0x<{tj9@Y3+i=!N2@0x7*l0A)nMeWcQNY2NrcvQJR!sd9(MM@jYMh z{C@HW$R7mHa-W}{orPPlple1>W@?t)%)gs@OfTahs)wl_F*TVflyY*iBwO84Q@3e8 z9HV-i>ItYA*O2YkDV+UC(loy+P`jMk70|9aSCh_k&&({B zou8K{E4Z59S^cZ%UrqlS_}ITKEzfb^ZW%*0Ij1KkL(5{Tx$asErq26=L3T#S~+$1O(pQ@R@I z>ZEIc#26w(2uWhJ(VOuaIC zdm9EVAC;31la44IktK_y-(&Rd0iKSLj+0J+)@E6#Ag{>D{qF8GsiL+L?xIwiQXNQ$ zK28yLcN@J&Pf?e2J<|1+j)tY>>KYh5a*U5qL(+{%H!em?*S(3+W0by!bW_sJiqrBz zxzW!k-GX#W()WT+Hk{;w-e+*b`931|6Mlg3gMfV^Wq|x4qYr2zA12+3bnD`D)IDPK zL8aS}ZcDlyXw=_bvt`d?V~1AyA4bGIO11;pj$l!L%QOZoLF^tge$uU;??nD_@~PnU ziiY!&ZviN1r6zmvBG8s86kKa!;A@zyhE1Pt)j6V*rdx#XwU#l7ZQa*gR*TS(P;F z2hkc#YY421#gb}I-e_|uf2b*M9Q5fJMrAma5vmkxuZ%Qhy*{x**veg*lD!DBc(ni5Y*krq#$v;|k1bF(_D=&Yu*29B?n1MU-p8)?0~ zmhd{l>jC3_NzEvb)=Htgp?05|(pLLppHbOB<#Q+~bBI$w*1dHbO}IrP^aX`4DSQP1 zWvFv%H<_FFwb8F_k{{)8n@E2{`diTc4)(L1-FK$c{M{?xQ~80)W+=$jo~Z@W;wo@I z8b4v)|4?v0k>5goD|kexOCTaIJGU8qx6TFmne=wjzko(X)I}Z_c{!(s(g)|_?7NMhF~!Ge5Ba_1_kl;VRyIq+SAxG8UaGRk_Y*%r{2*}D zr??0~5enV!W>nLwaEQiX8b@Ft(L8}WYV`kV_{T^eCw&4mo~h`to;3EpE%K8b?iAV6 zWd8t*xD;f`I0X~?ry1!ZeeBQB_>0EhFi?aFi=52ol2P-2On6S;SN=<(L_Ky9lkvFctV{n<>ckAJ=yOZ0=t3us(O<02Ti z*|Ku-1<&A@cNd$pqoz+uX*!qCxfG6Ghfq$Q)WDaSQC+V?85(72l!Ji_oy;v)-taWd zstUv}Cw>KRL`psp&dceXm5YR2Y0jP^AE~S8TutX1IEYk!ZRJHGw#vN6)V!X zjz%RIDC5%YPo=@-Z>~3Mz%TNTa=6O0s?e$m3q?vEgW-_7!RV*-F?b{Cn@Hab8VQ$b z0ExK8@Yz}qR3l!Ucn#o)5=wYDEjuHXNx#*s8k)N`Y1N{28!Xfw$v63_m~VW$DbH&^ z<_;<;R02@=43&38g;{d%1x;xBs{|#73sDGDh(N$4k+=9VQ8lX%QWG_&WNUv(Vszqk z5^yxD!tPF^pVq9pi*#+$b&AvSKE&w$O4lV_k92*|Y%!!3X0Toij4J^mfgS-u$hnTaa!^`d+2G<)Z0wpV8SmN_#)) z2S`5%8pXjCb?qvTg@+73+TX|fVdAZbw+4Eq5^e{W@piIbrE72W zR-LT(uT5O70gxUPA* z@=te>%OMG&>(#WKd1q0=nGo$#;k9)$DC$(wUjY>9^94P3j@Loxk&x5jL=3A~w z9rwz=$>H)Sz{6KR$yy2ZebOzHI0taO(KUL<24K=vQV;&wxcsSt^fKjHBBXA>)Ue?spqezb? zJq9$QgW4-9J736C$US3DO)XYq>5QW@9uA(leWXz`!Po^lKJ_fwiDV~%Of0fouTCc%k6lF7)e5s*cH@=O|>zPG< zHu*P{4;JL)43m)#1 zh^1ta8MTJ^GcBgEgvL@B=p#r4AzM6WNE1!wA>w{{+r+7Le9?J_;xdZMA)-_!Fgxa5 zgR@uov%E+6eZn6AMlBjhktbdk_o3m(aN*=|9}!%7jhGYZzy~V0XL>xeRMDQR_r@-s#*Vn z&JT1p!@;G*cy5k-(;_#3ypECe0e>{Hx~|Lc6U8kQw?ahhy2w3)foHePgbG*sYyUHa z?G%22fXkVlA@6!}+^>e8r*Elt5Z_6Bm*Q!e(lg0$yA5BpTLO{8?IFIG_&(r#Eavsh zmM(_T>wfg~e$od>9|Wxpu(%cb-_5#BuihbAhiM&wg>#@y7@Wy#Bz4EK-WC!g|p|1a?p_1VXe zzrIs1tArKh%GV9}%2b*rCFNg|J&oHn$>+&W($k<=3L@(inZZ(k>z3iNak0-gugpvS zgcs1eklsb`_>AYvmBK7}bX{!9xS#zsDNW@PDwje*?)J%$hoZa8=$-nIC_}m|>2jd) zK#_-`D{t)o=mKUH$X-tN3a}`ueqgk~U1`E|Ix>0{g{vuC0|8OV%t)250IxOry&HX6 zE0VsBbS2OhJZiz~O_-v=SEf*fLRA$~(+V;0m+o#bVeD!-tsL$~3O7->83Nl_oWhG~ z_P3a^Qb+Ns(Wp+N1`HIZg8Wq1t-#%C_>wU`2{nn=B7Pfi)PTtxDsZu?qQl*;z6qlkS?B@LX4)xA#zJN}(A9PAb+M z>9O5s_#apJ;O{5?0PzQbBluj*13+iP`0WpP{$cX1$hQWsl~~+8V)P)bmfDbROS&Cs zTr&T9fRCZ}<_u}?&+sUn4s<%gL6&+a;2txfrwW}YJWe4Mf|e#(yG!Z{c09}q>4iw6 zl};-I7V;?+oMkkw24jj~C zXy@nKX-##bMXOgxM9n z(33(h3cVrVwvcZ}3JNnavSk{U8Ga&w^gL+vrO^)t-r)wZI+}fv;+`_?=dk>%9PVjq z{izLrh7$$+iDb_TGakp=e>vPB8iQ#Jfq^zo04sP8HMr`HWM#8B!ovxV0E}2gLg&P4 zq-o*4UK>SiG_^6Rg~I1(&zN@n0k4gvHjdhOXt9q^4<5G{W_HLH7DlhpDHl^oPa{1YG?E{dDY?Zi%8RB= z&Xj+Z!@Wf9Wok2^os$lkuVu;tO~R?#O7f~;x|YG8+~C8XMR+#hHvltQ(Q~3T z$F!Tfd2KGWdDP}ZJ11IUx4@J)HCk^{SxDtAD4JbSx5()Anq7-YFCo2DY1z$4=9a!~ z^o=^Z{vFcGNG}JCRHVetNyWRSoxzPNhkK9O`_w*wrcsjBY>i&4QTmAV3eq1d9Sq3Q zd2XfAM^b#)t4OaVy#_Rkd;FXzePY_+L0(%+Z5_4s(AaH|wSU~F27kB6!=Dk}K=^aO zI7buDCDhe#hLeFQY(6_npr-+gJ>c``dpcBwOEvPSF_ zmD5!IfTFo8d(;{IiRSJZ(tnZu8#Hn^hD`|mF?hslJ~sanF42HJ4*8pWI>-2QE-C+? z>}UK>TaTY7KS@7>cq!mE=2KAQx}?gC&ht&Gzt>9_P`Z%PMUYTr1Ac(yV&j|C@O)|V zmyo{{JaP!1&T`yQ_Qx>g0{wWl43)A}%0WRRBPTr%ZXnB9MAED zj@evkLd#`dxQfEn6t01QbX$~iQhT{;O}bDcRguzllqx|&q-3j{fP6Z7z2Tn@@#m;a zybAHEz!9lf$mi1yCZy`-WH(Z{iNehg5WcJ{6p-<{TMWNyiVwdU@#@5D07v*KVITgj zCiF#i%i(HLs72v62xy8qS#kqIM`;Q*@fO5e62BLCvFHTdeJ1SH=-f}?0SXU7Ky-K;$Q&obd+BZPF!5HzTPvOt zXLKGh{C`og$>G`%Z%e$L;z+D~fz#gb)0)^viFY905jbis48tVcV@3~d&ah?KDAJFU zPE{HmypZc`baK~*@PfC`UCg15K$f`bPxdI_wt{W}fQ z_G?d}8?|g|IndZ5!&qpp!Aqot^`z5_PH#BK-f$2R>tl4LeceI2FX?`u*)+inwWkbzOM`xzaDT!B z0HfS>PIbAm(`mvDG@;%%J}!eO45lyy0^*YVoN}nqC9m`JFw(vi$LKTCQd=}Dmfp9>as z&zW{qFW6*iQ>Z-;4M_+i2`?C&@BBHY5}rnQI$+Drh^+7Uq6zgi2`^E2nZgVRymKN* z!Yf7(dDsX4D(RV|UjvP}WJ$SkuN$1LpN`HVJe%+vfGsYvAFP{WLS2o^Tnh6j%!h!u zB=|Az0;30O1^OoGg{0pC{om}Aw(ug;PH1*6rnZFIQfNp*2-*3z!Jl;S>3xUrGQ!IN zYl#S^$oewxn$S&?@E(QtDSQBd*%?E2erWVxI^Fgo(kn=R3_6*evNYOCg9|h}R}o%K zcnx5U3sysSpP2B3#$_#qbrjY^V0Ok4mrsp;75Z+067hp7I zfbQa7yuCdxr>j15Tuy7&6xw6`(``zeQvHgD{r(X8T z87hBK`5Ov`=Cfn~9+`7lCHX&%W2Z*pxD__!E?-atW17p(IZblIhBq8GT$&P=<6_ z(&a$o1o5-$A(S^IzR;hb0+q|DTmgkA=#3}wl}4v)GwLeRSChU5G*1w-yua3zvTykl zRHSkpl}b=hre#WH*j;b%=Xz}`6RtwIDqx>nSw7(gqfcmZZzO#a>6=00w&Z>vvOPn> z-D1YJJw7tkXjG?B0|tf&U6C|TWf)+5msM)udXB>TRlKbde8p@YPmt zQ*SqQ?fG84gK7%Z093SjumX)=aK{DB8LkV_gy@9nMBt#6aQ1X~3Dvc?i<-DvPZpyX zr5C-F0cyqfs9QE~b1uA)kU9d~CY> zCWmWCxDnyTfYC&c%3go6^-~kW>rNmoJqF@Ui8lkzuw@4d*WBRmwL{o~a7)7X0#1f4 z15ology9!F>%+dE_yfcr1deir7uT}ZtkE6yt@XpCTaj)J8ol_C>;WdPY}_Np?`Y*i zZ$rK<`F6^qK_8a4PVJ44Xp{a?@*T)`1kWzEln1+y9y4i#7Kl!i9;cKF357^67PepR zY|ig`xzgyQ)5-XM9QiDzi#dnY=}IS)P8OUCeO7UF=m`@#Yi@O;kWC>60`J*SicGlA zHF{`spI3RL^GSCHjT%IDLdlRxP*~H{nKB`uT?Q(JREnS=M!d~2lct9Wb@%#n^rX;> zLT?DjUvz)$ChcR=MLPZFNlJYw^@D_D$TLE|YkJD)LVZd+O}ann0ibbv;^lbpXS^F| z;vM>$d=SOK6o)`eo+c#k0*4yiOHVV5^l;K6K%E}VCwSm~2 zeIUJHR!pNbmDV&`(_v`_h24ur_tbN|MEYgYGeG+cN|6M-Vt9AOUnM@1_-kizS@u8S zUN<~X@ma)Y6Mq9ZpIsrT1?Cuh?|ey>9BwY*d4%T!#_()%QC0puTY0+$W{<7y3;CP0 z7t($UHrl_*@7S!=E;8*QeNDcY+7fC@p`oaEPL&x+GWUs3!M9BsuWjIWC@rJ391=1u zCOfCgL-Sq3yS*U4%HiH4{yy;!fa8{p2J|fMLsQa5(2$u=R8~;=*p#3tD@}=x^2#bI ztEsF}g)_H0OA9#UJ~8EpE+w><$~r3Rp&%U*+1XLj@u}g{`}i|_MtlSD&w(QydIl)~ z8%;T^XZV83msGxj!qEy@K}f%k_}ZN53;by|(fNkXw{Y!YQ5<`6h6iDTg#EKU3LG}|YEnJDGmcR@PU!?B+)&AP{&qv1G_6qI{GXzB zn%W=GFvf?rnwH&y+`N3}{xox#KA_Lg{EOz_FwwTe2%U5)RYtx2kEwf~_eJ1eswEn+ z&mn)A-GO9wmz4ic_Bzt_eb0IFlk_@>mjaFwQ&^C$XL0A7bLwS(iVNsmNarFr$PO6} z)R}l#tMFpes{bzkDu*jg?GkF2Li@iGB@KzoOx>r6Dnqp_)pAgAAH)L5{3~yK*Qq>H z30Hyq<>apbkHOgg(SqH-G)q&FN+#{YKX@9pB_e+T&#@&WK{&?U>IEIwtzcFoWbg)oH( zgyL~Z3A(5$yERTRDsd_aD0pb&o{qaajZWzOd>853r0amLAoPE(G+Uc@o4ZFNSC?)* zy7l2A^-*7{8W^9aPojq88UC!7kH4`P|G zCN*Ve!}Ima=QQH!#4~{F9V=@*xh}?+(L1&)`AqUz;1PTndoapA7>4hBTz-|qbt9fl zJO{YH0Rt}A;3Iki<`K>(+#N9Df)4?MvUjsH{`~@fcNdT^Bwqv`fyaWfd_WI_M@&OJ zB$%FrdlBvp7!eO98z_AYk4H$$gec;DiT4AJ2D8lk_j^4CrH%5GS>?5R^fayhvAoN5~MysDOc>Oy*y<-WFBRn23VxAIVv6*1_3OwE9aL*E-NPH6TVij4~J!itN zT81Z6m_p%s2*}T~ufSx5IroBD{SWgjvP2cFX|$%pLaZWD#_C1G_x1PqOT=F$J_C5M zSVi0`ChX8yy-Hywh1VdkHIpGTVX;_HP*x9o-K5gPe7?@2G@H^JkPxYOj2C&1;UjcZ zZ!Yn9#ODL|7dh${7<^JM@|%Pg5`GIX8e}p>16$8aY!;c(rmm08Vj4?mEQRrZ)GO%G zzHRD3P5nDmmr-2~6$!!AR;eo9HT-V0p5sDmc74g-?*8o4agoNZ($R}nE)Dp6m);e12Vc{gP5Kr={;jMJ6>NDaS zh<^_J+zT#M$3~Mb)eHUwr7tOc1u1zWNw@ZEgRj>)8=DA!L-y_}qsT%j~bFEzpP6 z4r)88?SjVk-`Q3z2R(M1_lFkWJ@od{+XoL%Y}sI5-oO23bg7X1D2Llm`T*&JpwYNV z!}q7XWmCz7``wflztSk-4pBKw

    lu2?Ehb%pEm)y?@T)Q6HOsiI-^1o`w8n z+0z;Efv~LMSyFyY_Ag%0x%B7BPtw1jR0>iuMq$}j{d}Xp)EHer`a;qdflgj-eQL={ zn6h%MX=U}XRhrr*)GmdFlgN;%G^#H%`o6h79c4(DC0!0Qk{yY#ER{EW>{A}EK>Tvz zR{;0*U)Wt~@Nq3bR}sFN@HK#OJMbYVFWzPQZ8P%qDOZukbu=o$K-}f>N^N<)(T@!G zk*Q3&3hAn#dC6qpK~}fF!SEpsJ$@tcn~2{G93>QO=|u7wbc-o>4)aPiD%GjffPzbK z_CXgwU3{x)eYGB|Nv#&O+n^PEm^^|H@tpd#7AQEDDe)&I|Bbt(Tm7y_{U7^ zr$w(5wa2NYLPMNFSRU1NHhPlQscEFsNoRmAR+g}tUl&taX<6z@C6h`P6r3PMW`0PQ z!RReomb#J7CY=NN|7y_4D0i-@`?W!nM>U^ncc{p(P_lqH!$&lgU*&KG#0!ZR0Y_5= zqk|#YfU}43Wwm_tB;SjCZ}1F0+4t#V_(jbax^y9k_a)vBID%()Mixzd%J>hoJM%R8 z{^SRMM~;Mol1l>(ZqnQbK8WyO!b1QfF0!9JdKyCwUyD=9;f4_(PJ9G#R1L+tGt$%; zX;uY&E{vizn${RtJV~-G^Nit5QAf++#u6V#d^~X8aO|PTs&NxcDA2n5Sqc*=OoG4+ zO?En-Gkl^>Ihss-3i0QGpW8yjLgFu&H9(8^R9e$$O^1bSjR)oae9_=3^Oyqpc7pKB zgl7OojN-}4{uRR;F7)`T#AgzJ4fwguNoh8`Zqg;%oSa2zHl;TpB_ky5+c^f`qY;`* zcpl;TfQz*cCHMtqwAH)qO&SYnyafZn2eI+?B7<9M6KpZzC4`p({=aTE>0Z8V>H)pk z-l4jT>T;+!PXZ6DcMXo}M$GRKexL9MfLW4~cjkwNk442Ghx>^53gRCFw>wk5rd?@# zdA&1NkzY-I4S2*w))|vm6$U?s(kO>pOL!gO^$N?X=wbJ%!8^4%{~6&8gg*y-?iH5p zj5nHenO@;9D1AxkD@ce=2qP+A8+^Im$(sm&L-A=<@(uYYO0gY@8Cwreq4bRb;s>g^QCw>AruCqPOBY0`9knxCR{ zn$jPT5TgVe41XHETel23L;5e$e}iV-lB}}-G5osu5{4Y^U*aX2u)83C|J#<2$!%Fu zeouB7%4wZ_p8O;o25P0CAx=^G!Y<^_H@d_VaVaGB7QaTYk>c!!4s9O+pjh4X?-G8q;?&(O3)A|G{R)}Jfr{7Mp$LiRY+F_ zjX1@k%%U3%@1wKCZX|va@tc9;W|LPA5qFEhC$#-rjc|3sH2@cDOhx7T-fBu~t=?-= zsYT^BD9JJxMMuHtPqfV4K{|zWKfDDlp0ZL3<;q{q`W0u6QfV}DHjnDHHM?wkeNjnP@|$EtPgqa01!8 zNWOe*Z}eI%6OWSaK)R#Sc&#Ek<{3RwA5Wb~KTbMTX*_QNuCvi~^ih*WI-PU|XbeO- zSyG9c$Yo~93KTsuviYJvRkr`^Vj*1I+do9QGK5TqkcALX#c-($F75J!8F8J)(~U+p zjT{)ru%wYKACIQpPgQne8JSmyvbUFKS{4Iy?*enJjXldv`?8nMfInt_oqGpI$l*5 zJFTCP5|AOYfo4Ca_8{7WX%B&oq7)0uc$^z*^fDd297cLL=@CXt^&WB~jSjsgLCE1o zkseKYjMDPvRvJ;y7`;^62V+T(BRw88u2DdiUXTHc35J)tiDAnd3E~rpPXdmJODUCF z^f{yN&}Q{y(o;x3uXHpRkf-DeMlaTiZYt?%q^Bz_ySYg%`l8X1n2*Uzq+cdI12iKZ zk~!L8_ln_FuJ!n<#AgzJ4LEOJ8GQ@5*Ny)B15eK)J)86!N@I^3nFnR`=x&~#OL`vZ z`AP?64qA#^VD!d1o_>?`Leg)6=3NmD1*D^~$nfQFdVDeQCB&BkN5o}w8yW0<+vss! zJpB&oWu%vb#&c0dd1LNfgPT0#;r9r?Pxu4C2wL9z$}7(gjb4QNTn_gU=@q0u2F-X& z2Ffe%m4-LfM#d`QtBJ1xj=*KvY5AV)6Qj4^%CM!kKzbeN^`H@N>6Ay^rv~5Gz{8&r z-azfd=#5)m}WX9arhBx}q2fm5;H^jdMj=&T0&0olU zXLQz5Pk&GP2hy9BjzyyKD)mRB7tZkXPo%ey-l}v;EGDyww;8<*)t(&gXVTkA{{k9$ zBKuH9+^+`j>_@hQ+d+6I;az}{%5bu--EH`0=kYzn_Y&U+948H*Q|bL?R+d`(X&s<- z5Z1YMruJH78b{RqZu%sx^$t-#O#KLSWUZ8Y83#IQ^xaK-6pxWUPWlAsWRZ{;t0xWq zslJC#5k5`$4~63ixeR|ATvi`6X9)jA_;0|7hg7H1dH=`gky?=dC0*hk_7LPR;}MR9 zBCe$TU$S3tK&yiDABYE`cHbgBI)Z$R|1Vl$7M>qyWZgc)p4H6gsTv)s&F_e z@7!)M_{bAJPWQQ}EZ)EV}?|Qf<;aY@m zQ#cZp=g{p2KiJ>HcMwh?901JxklQrwf<_` z6MzwPFdCM1E$%dW%blLSi*#+$b(EGSIX1a7`p^xYu1mTe>H45i%tFcfqJiPDjvjAF zyb+9-dNLI(;RA+U(W1b)omYTCf)MEG&SseqCFk!1FFHhk(3ADJ}b>BKXDqq>fq zQ(bp4E2>skTA8%6VEzA8*C|q6KVkZ_deyp7&!(OO9mP)`gi>AS8XZMJki+GX&L`a+ zG*T1=EnD6hzDskffOsMCBH#!d&*X^fVf1%B5VQo|lXNfAy_HT0#-$R%w&yt=r00>I4;r0ccA2?4!U8k;+qVid7SebN1{%fqn#wO`vB;Dj`jOCL zDody=g@V!v1)l@IZG67+?~q?cemQvD;^3`S<=!UK!#2^DryE?MnwRw-J_Y=J>^tQs|ohPq} z+%|*jYH#^x!rKY|qOc5sN_*en5n6_K5Z+06m%<@T0N-u!T763HA-tFHK8526dH()p z@c(G*ct7C-gbxD7MNdSfd*yyN`qXZmhY}jdV8Y9MCAJvNVgV2jp@MA6v;M zH;;He@$SHp+$1jFF&jTl`2zBV>x(fBvr2CT|02&cO?!*f+^Lo00W;D?p8bo6-jUg}) zJ`9-vWb{2s4+(|5 zGIKL}x@RneIiCtBha1Zf#xaEP2%&=fS|BfgxS&CLhJ0i$+h$0)nqcl7TI)PZcOuRUNotlN-t4*nbHhMXjYz0qiiDNUNP%-P2H=sX3}~M7IQ`$h%!^OAWK&5 zmNUL??q~Yp=q$Rk>AnHCnw;^R>!J&0BcC+4Q*(2RWZU357Tz0rmF6c%bl!r47U$Uys?qFBcZr0{fI{+8M85xsyI;-OgiOrmAPht;l#rZ~PsuU!@ON|8wnM}u zYKQ0?rgKD{cwGAa@*lcdN6l%t$UDdA9H(=_oS4kgmPrh7PMR}c2S!fOIZfveILOan zOma*{UH&w_OKpFSGvxmw|2O#mloaVi|6|rdEh+!fD$$Hx6Zy-t$lMKittp)o`61ak zsdkG$%m2sKnE={U{cqntzmhblDAGVEk~-(yd(OExDHSD=xlF~m=Z@UTI``s|k}0B6 zQWQ;w2$3c#l{6^L^Q=MhNR#IGd7iV@m)`xp?|u6npU>KBuf6u#Ywb1F$4_XSh~L}z zL=NWMVeW$Q{abmyf%tvJH#9y%9AlA;-@@@|I9wy~`-?w-Jnu+;K8Ks-<1S)RCUfdN zCIy`javIAym=04as?37^2jjQ3_57jYn}}~pp6A&8OvT(`=By6sbhw;ma+=d&34~2t z(3U*H=w`kB8Cr-wQuI-z`TWK5@loq&ga16k!^a42DYzA31&voeCO;c}Qa4Yx7Trd4 z+dyOP0*b=pjE;q`jmL{_C%S#0^O5nQ?gXPx3!fW1h(1wtN2Af%5_KmT{Zi<*I9YT= zbd)qNG7k-R7c+Rv8XxT(!MTFtgn5y97+w~238UAByq^@ECpw?Bg64*nrx^Tp=xgaD z_*B823IF$YM%`)VtO~dDbU9t*oI!^tK(@!O(*}14dHyWHT?Ka|%(!D@Cf8*(dS*v| zrRRw5F8W;33ObImv4_E@xAgFNf_nSTqt^w=)t6w;ut01h8Vm)+{~eZhY7xju)mqO z^%onxD%{NBqDP2Mk!I#Zl{P2G@41DVMS*EOL)n~`Rw%8A8c#wEGnkF;73dPtrJ~D7 z^QAyK&V>XrHLfUC;YONwe(*-gE0aLwe{7KQr8VwK<6jH&@@I*kE&eL!WO32$e1JJ+F&3Za-(QARJ!ZT7#QL-SH|@+=Fwov#j9OWy4Gd5N6ii9%$mk) z##P@aXTF>TbofnyXNi?nWQuCsO{QEBPII%Ag;Ew#VHV{V_nJ((txI-`dE*!PD&Vd1 zZj*OAJ=TTjnRJIqRY6)TX^Etzl$ePm*@Aj*nQ4_lyHnb7X)CDlT(%Gqhu+*}Qjd1{ zHym!Iq*anuQ(_Ll2rv|4cN={}7y-6M^jgvPkY>u+!bMTH&Xgr*GI*TeUMcrUxt|K_ z%&4Gpkjw*y-!@ZpJ@=sS^};t0XM8wc6)UvG?q%aTu} z5t=$74ELsq|2M~rZ%KSx;yV<1v+;!>bkMwON?};({yi!0OZk9`a+4Y(9~!+XbOUb_ z{gLR81C81%QtT6>Z#vtj*r%emi~ej68g<>zjb0V#FGPPS`YY1B9e6dfUG%l#e=vSH z+&99%75<&!Icj@+Z+NHB?D|3YkHU8lXE>2uuCKV$Xcc!1{3p>ri~fbQ;*y(fJQ%)% zr6cj*gzpmmJ8@+V&`I})(WhC{LG)ju|2A6H?SG8!7c$bnqU-fglL3Dfb{rAM%mw_< zY=fcsL?4s-_z4XL(R-6-6w%d&9LEl~eazS#cBp6|V_z8!X|OmBnT^hV=Ij;nStB|7 z%Q=7!uNQd}^npg_heq{5q8p1om^3Rp5tI<_5QEz=fpNG)1ve4gG{ESl!1ApIj|sgL zhYM~dxVgc(fR8YEQIQY1h2SFvA4Qmv<~sy47L2|yygrT*-BNTb(yXaer_o3-c0kHM zcCE#>5!;q5`z*t&X7>x=I5X?Q3*dN}?PRv6$rpe=gZSEjJHe#V@Fk>!q!T4|q{Np^ z9X5x@S4G^oa%{BZPBLwuu%F+_(jwBL)L5#du?J;&I&JS97c;T#PW(F#mm@J(Vw@uH zUp${HCmDR}6tURlL2#bne8P-eZWL>zM)COp6=DpVJ;k&I!@br?+NshyQ)9kWLa^t+ zoo2?^kP4^E=py3`8cg(}aTu%4^=m_I%AINE>5cvEI!k6(ncZkIicAPgg@`-bv~4?l z6wi^?UD~{Ub6U|K^^Iu@}m0^&`g`x+E9!#1Q!JH(ri>q-%jITGyU+hrv z!^B@io~Px*f+IiAU2Mjn@W2e0F+xU)M)rcS2gGhRTyR=!q1Ym_yaOodIiM(pONiiW zMX_lgM}4G9q?Jl5qsDJ8=rT@3F>Wg!M`PHHG^<0}Tcc!^%c`KoOON2i!qMTC#($d4 z9cXumuNFU=yzVnjf{{)}j|-t^MAwL}C7r!&Y$<2#;BeVv#f}qON0zVEP}H(cu)C}n zZ}$H}p*unLC9)^d=3|JjG!b{H!Ow2+7k!!FNrEpY%-U~07MV$4N=pugjOSpnpvmSn z4BixZQ{_#g$3g;Kxe0s?$jQM2jEX%*Lz(z}=+(VK;tYv1De}e3385Gij_wf?z6=8Z zW=WVW;VKGz1H|x+4sYbE4PO(-uQ=Q_!siITmUt+=v8SBTgF|MVEBboT^GIj!3YK*> zc1XA@H;SDvb^%!?73O;U=YHH|-b*oGjNB}5p}a-GV-n{lvPsOz|F@WTKuF?S<=rOl zc6xl;nZ!waRzea--5n8T}2f5{J7}^m5TFNb6=K{LQ$_ zgm=UDh?NpnNmxxGn_gI6$=IPGz1E0bEA}3;dY$K?j=j#{;e4POlY0fQIfcVLEcy}A8%byDYPqPbxknAZ zGnAW;34dJpCgRyk#U2sH4hxsMS?rTypCapHpF}Z**yBUp(snDN<62)ee0)g#*Mz?={0-vS zYt3_S8hcT=*0;pIE%qIF8DLTtefKffQ52!0!(E2+?*{VrC{w=IbX{8 ziVlnW1ge`6RP??!K0V#@--!QK{CDKDX@r%NjJ-Id(GOyO6uX0LxMC~~o4w+lCVd~S z_$Ns}OZtV9zX)tNm%WHz&3Qgt#BXwT$@!g*E+U?NUH@VHpV#<{_*48};{PVke8F6V zNo4;RJ}hLTe}&gOPi+eP)lER<7ON-We`T8#1H(nv$4_Wd2;Muuu_Wqo`xtzEXxlUp zyszMfgqcEY2*u(#*n$Xe-2F`2f1!_kBT4&9I)IW=2qj{K4xX|D&3U27I|s>WEazZ4 zOd)jF;5O&ELyT{=$n%GaZz8@ad8QC6GkAX+mW9C=gcNEa z_(;J=5e^p}N6T0jeY8mjgo{2#QcFp#DDez2mMO;?{A76hwHDk)a9hGYg)l@qn?lE# z^Jch&6j}v_~Uzhd`bkD3N8z9PIWrRjWoFF zMIIg{xLj}r;Si5JS84Rf5RWR+)uKm}W;~+R>0IXwKD50LIwQD7a4liJSVNAFxG`q@ z6b3Dfl`&369S!Be>U7+VH+a%=AN&Ntmk6FnnD4K$O0)`$EeZW_mx-Mu_HwceI8mKW zxXA{;d!r9{ir}e&rv(@niR!<>hlPv0Lhua1GXor{PGdF9oJX`Qpg!fDl z>Tfdo*bw!bMK2V+D9|W_P(s{dbUHk2w~D?^^zD1n*g)Fo!ay$;y+rg<(ky_p zqlMiv!-q}u?T2Jt!a}VXceg1Ag++MQ zNLef89x6-+o`V~KXNuey4JLEz%q$KkyI1CYGViC^0493II9kU&VEpn{{%Rf+zh3+X z^1PbjDmMz>e`?%ACcJjI7ao@Ih=h$4`2MltrltxX!rY^#4G0C!W6~a%wuzb^fdtCo zCk(!R4uZnrHVb}I@KXkJYR%IIkGamn&j{Wk_}Ks_W2lZiXK<(R?$|2$dBHCPI1lY> z_oBfaSNo7(68y5@R|vCYP2|L@t1x)A2D{$7S4|o?+e@!WdR@{Rl=!iPw+>yj6OSs{k}qKDUgVpi@S{&b(p+AixeTCBccxOVB-R0adQGwyS9 zUisHMUV&R6(b+fJ7iMXfY~MH$d6Fz4H5-uXt(w{pJ2U!4a#S65VEXCEf{_vX~L z^Ue=)ew4F=4j-_1E>t!(ab z>3iYFY$Ktk^G<#Ighqm#z3DJYNzK>Y$LR6lYeoan`-*NzT16K>73HA~vY!djt9D=WEi^?@e*68bO?lF(Sf!4#N}u>?9!k&mwOL(FJ+sz1e{GMdO}N`vJ| z;=lRvFw-s#Z^^@@HIvqyn(hTgTVTSp(M!W;)fS?U6nzwFMGL(-h!z&?I@*lfd>^f2 zWVDpgiUu=Ce9sJjtVyk>d8xIeHj>&>(%ry8cO6suiX1xMK?%&7_0w4|IoIr(&WOOx^coaz+Q_7CaNN!qE>I#Xkk zYYJL8*J&mthxw~JT~ZfGXHeq%E*iGhw&vnJb#|}p5l9v=Y3-7oR^K+`KFYGa=EvZK2rKp zVY$p^b1hQ(nsut5XE--0F$PyPy8YF2jB|Z+8 zCEO4*&I;LJsElDUE~3Gl&1`^q*hZIx3@}{u2+=9htWoJsqFci7Sh$C2;f2DBh-a@n zmfU^i#b$L2S6(8kR8|=+Mu|y`m067*8B%wY=yK5&q*?#St*jd7Dh*y0O4TaC)q+O{ z7^{^eoin)ZeguHSWdzpnxGAEiik?QAiGtaV zd2YJFQ#n`)hr2@X48b!A^AU)|v-$Z-;ke(keCwWCZiud*@t|y z=!K#ek!GCZIan*>7K4{h@bImIZxeibfU&s-CSDtSL|8{+vEU_wmj+ljewo4NJnloj zQ}A-ZD-7oTy>}V>=7SzyDR`CO)r5J4Ip}Y~I!Q)9IndK#I#ktu+@*(`-D=$ZT{$cTth~F4^ zJi&GL%keICFPgS2lvgiFds*5m)OerLm~n!+ z4My+!$j9h4(XWesgET9lMHOY43}?qgxjtSTP31Su{9s@IMtn==+cMvwsppQv2HrJz zep`Q<_XNK$_yfYM5ytZJW9t6?(1ev;ys%BeM-o1!z|eEK>ggv2j}9N-J{7!O@Mi(W zM1WlPxxwdz5o%uu{!;K)gcX$}diEmdaroMVXlEalZzOyx;X4Y-4vfn822Wq%;U5J5 zD0qj#aV(>;)8N<|5C0_iXTiS^W>nDsj-?F<1xM(1ll^*M@LuECQ)sz=)mlOu32iCp3BrH^cbviXLdH5?a67^61B?sD@~Q?;4f_Xo5PYKG zj)WPNcszm$9Ox80$%Jl~`ly^NAtE74flpXqB=q{qqFdAcb@2;qI(4z zH!~0WE*SlG=%el}x{v6-q*?J!T7|Bk8B3Qd_O71Qbe;DJ_ZKcFj5?51Xx?v<4U(k0Oo;L!&;&5w(uN8hz!0`gX`@^j> z{Jik`xL5dn!tW0_-UxUhxCadXDZCFJ6uw^g2I4IIe1#dM#zST_JJ(15VHuCe*hqsn zOohgy245K}J&y@~T=1pzD8=gc@PM0~4^=ViP=gAvD9@1%Rt-~~4;^m^_k!7mGb#b69Ba<3Y^ZK;P}6a2d1 zHv-J@8tzSl7l)VATY}#f{0?CjEO|+G+`emc^Lu>I?}>h2^arFFX^gPJRtpB#T;Snt zfGW&A>ealrsXv;qvi zZ@LfuH^I9E|4x{fnM879CbQ9RF7foAqW=>8H)%ebq!IUj41Xiw{|c{nzS;r!o6S-= z=;qoB|0~-7cp$tI>*FUh00i$HV0OE>eGJYGU*H=E-dAu#!i-3a5y7Y-!zYDiS0my3 z3qOE3lLW0Ute9%>>nzi7xPt^Y7JM*a{zELuUd&qb=(s~n$%OC^mC{5?Qz{HU&OCdV z!BeL(bcBDn;AVoG6K0b0yCf?1MyEp2+d}k_qK_iYpwXR;nFt0iejLByaK{L4DYzBk z5Olsf*62|o=+>g!h;B=oL1Xkqt~<`)4Nf7~bH@vAC%Aop(Z!G5)eLUZ-oqUPpD4KF z9&o~)WN^~}pDZ{cI2zy>2M@#y9&nZqIY)4=;P@VJo=X@!Fu+N{d4lr;jQ)BI0y4M_ zn^-tpC&8x*?o60jDw16-;xxmr312Nw7v4qq83D&qEqoNtG<;i_*m9QeuEM(!=bb@m zg8X{6(M>L5Oc0lIM0Xc`ZlGBu%XK}Bt_roQ^F;R)-HSBKQVz#N@a}x$^LHw6i~MrN6WR(gsq~XM1Ycy#!+>a@++bT^ytfB@L1^_&*Zo zA26>CF==>^hDsVH=^{$JN1@EaaQsLfZerYBZ00Ya>>Dm~gv=C8)`~E~#XAXCU`|;W z>5`UHD5r=HZ}IN4VVghZ#bOhG4ks&-SSqoMA`1$hObY7#rj&+rjgnF>rGmu z9dh{;(NjfFBh6b&I+3ZZuEw~5>E?_M&J}WI$eBrp-(k|_Sn7-$G?Z{z8#E8hYyBnu z8HbxCZ??Rv=KR$k)i2BjZ{cEK6gY<#wIHy8=8{@b!Y{5e^rgbT=67 z!bRLDdcNodq**Ybt{y|p?Mor3E2GQ*p6_4u8_mkVD(oS)Bl)AG1x9tJKHy1UHEgezVt zYn80kv~>zE=1>#5vr*pcePIh#NU)sxTs@sIs=A059)#rVshR z>-S2(Px}4T`TS?cRA6XHp%))8@x-u1*@F_-OWZ(_<>+oPRf>fT9y0BOpgk<@5osH# zak_6|878%35A3@97^b(6DMQoMJ!bO?3G{yV~-iiqt4H)nmEn-yVfY z?oXK7@^arW*(~)*sZUYmX)$^PlL6DEkz9Q{(Ffh9&3$@;cb}2FMeeh7Ss3s(=2zfk z&zVpY?%-Al&r5iL0*gjhRN&Aa=g6BEP3cnW&+(F!m!-Tyr2&+5mBUb?lzY|q$9CXn z9PTyouZw?!ynl$25%;FiV?u=968*O5cS!SIA)%2kZ2sT7rfrz$BlVuN_oaP6jp>aG zPe#L%YS~e3ADTKgoN=4fkEDJ~m6!4mS(L^D!Z8uwn^qT2@`JP=rR|`W z{gUL$u)<=-?KELj_>%OKgr6n+LLpoOHh(sHdCKaHGH6e}&fTt!4-QD)VVzL6Ji>$L)pRvW<@hKQZl*`t|V>8Xr>j4hmB! zktxM2S+|cVmxKs4kg~6ohE$k3V^dhKuW;OOx1R|+R{Cf)lCZyo11RvN5>2Fw9hPt$ z?hZ5~dMx9FSREvzv5bRh)W@%-RR!)4V?S@}LqAk(6R}On@&z;s<$^oR;A@f|K3s4! z!OaP?$ioMjNOf&NIhOCpF8gDUdF6+2!Xl?pRaWec_eXQrbvqONA%Em+1)hb2EB;7f&BAx}E6ud(fy=pJ4RF zKz9&*qUesKnVeO4XihS=%^;sbCyR}UjRv;7qT0obEe&f)=7`M|8z;*fi{cz(4Eg^O zW-Je7T~bD#jC>j_8#LHtxI4x0oG{p=lkii8cMf=Q3a^Yhcbefn4)Jk6U3eGaXAp0I z&`XQ(B^159XBywRjpxr2-&K4!@*H^Nii!%^tSr~J3M=y*q&m0kyY+VRU%sF8(qB(0pM`GMfVZimo#&9Sy3wO`Wc)GFV+5n z2M8WWn9-=KDRdVYdqbGrexcYwVh5AulUtA~$G1sj&LJi|_8NZ2;f6{WCgCCq%9N<( zW1fQ1Jx=oUaM2?~rvi;3lu5KcjQ*Z45*#iqx=?fxXnB>Q>)}Ax?rBHXz z2(A%a8{l{pRnjpAC&&4ij1@dia2;W`T`*${GmKO>Ll1*V6Q_G=f}~3%O{By`#}uzv zp}W-RhpRk&ndnKPFDK2&muE_yn{4o=uz%ka!BYiK3ve!K)NZ=LeL~1r2%aH$CSg6R z<)!J;Qg@}{dk^+`e3tOp!mlFEh%nmjYJ=|&VP7M7j^Jwv^BS2j33r{*mxdIXEBboT z^GLIt!J5HX=oytHcY_%_ci|s!xEp26m$85bhEE-J*;R}T?BF^X( z6_jJi<6DfLwzt31TSea{`gWtsfV(@4-Y+avvsm;J(Mto3d6`%ye3{WNWqeHT6un&Z zirqAZc(}Wa-mk{fD@Csoy_z%=hRK*LFG>}0^mMNok@$vQKt zzxU_3SH^uZ?x(@~%CvD07(6v3&4Ys13*JDOB@6~OVk|vEf5?P;min}OSi&O`Hd5e? zDlV^MUHMVN-#EY61IT__cvz9mX);3um$@-WUKTEixs&u-xI#rpj zbDx;AtIj*0%GoaGGdiI>%ulD-Y%Ou0n{;`&d0$BSQqotHn5T+UxZRv$@U;nJLp9(V z3ExWij)E^-*w0|}lo0$6qJI>oD{uKY0_`k{XVJogGALafr_~gSq{IB48eN^4YU**)A zR6%*s*pw@Bd*P>SZNKtHZ`8+6sO`(xn+9WFQl1)Lgk_HmuRhA-4TSG2ydiNWB&y*B zb#6bSzijL2Mxyr@eE?~Gb3$Phjd6H$tp>xn1I?QjlJp>XjpZFokCo-xN`9+Ssd0!Y zpN0C=p;DSiX-XyB;T(6E(bK~T4j0`_baT?osrcA{_GpS<9^4V;3>@h%riGj%%*RM*DWMew6&qFMX!SE+A8W>)v;8Sr%V;B`Ee-!LM044HPw6<5 zW`t`wUQ#(Kx>WxRcD78BTGsjEIaV z4JIyLSXgZ#X7p>}g_R>ZS9F{-b9kx%n|GiNk}y8=1Y?8vB*o{6&nM5j&0LaDY35Eb z<;oDDPEt;l(wPd&GUuw@X}j4;K2c8>+ePddWJ4xQW>CpRlfSsO+?{FOtZFmEDa6pLW{iXq0&2@x48ewg@+$TM)PXc2K28(a{Eiw_q(LU4*Ovut%$S*D81 z@)wvevcyL{Eum0C5e5Hrqt#Jt^tB-_C8A43my!Pe-d<>9jWlaTczcbKRW7T7);@?- zVJ)_e#v}v75Bi^vQkC#(;iHK&fodGLnI7ky@wH*U^^Eu$@wMbx#+236 zxiRJp2>l3S<&2Y4M~CTz?8ncPMQ*$a)o1%iO^|SjgozaRDA`sT8F#5E?sxnP4tJT9 zNm4GS!q!-IrY>DtRh_~Jny`rJWK(~s^kxhu`MF5JdhGG@!TiUxznf*6>AU~sE2j`JG9a|B;Yn0YPx!a&ud2y54) zI-7lJuQU6EmjU5$b7fyIdme2*f9Wcep&Fv&zkACc)m8Yo zi%)~tjc{}=Do%CoCX=tZ#HZiQk{3!|M42TMK0`xBIZ=SEeNY_VV&0nI-74=kdAHN! zUB(*%i~DN+?j5F#Ki;2ev6LlJmIj6WqLo#c(puz}nUdJ)FYQh#%cZQK!VJ5+PKwD4 z=8QhjpJt_;RdQC-;WL!SbrO>9Zo~Vp^QTxNe68?%h^x>@ViEXt1|Qhk!}kilPw@SO znSt`6`ThzXFyoVz-gr>PdKnvNFr94N6;?$u<(n|#>R~C5NZCk*F~SApxJM1{6Qci^ z;Kv1TG8pp?+!F>zR{O|o7W|~(rwFqMi(>9_+&yjdkT#xvM)VfZ&yr@;lM%eKDl~2H zIaAgw@XA&x&r5kBD5%n)+W;>QtczsIys(SNOHy8z@(LAyyD;0?y=wRc;d);a{<`ot zh^rb9jbO^wn?}Dj#>eL^(Qk`>hcx?lbFsKr5qdHTM->%SD_ZZGS$45E-;?>i%nxX? z*o)*~%LC4e`Ot)u_&W}_O~OYKKBmC3I4_c?Ht8qEpLmyWbTEkDF8;H?XOjwRtQvo5 zNT)Bve<}Ve@=PZTtixb=_qE}j!@#<4gnujiyFGC34Dh|-X9fHR;XexBL7bPBA4z5( z=A9;dc%P5{PZEBX@JkT<@+=AWs|gjadf_(-yCnP`1mtRbL%_ZJ!-U@9PX8(4FA0BB z;A4PQ+2igXga4fDL;qKBy}oL6;IH8PcrKPj!vD&)H@1gi==Jdv+8cuRCd{PF$CPKx z&fCZE^Edji8wlT5cthgZh+w+Yeg;1mBGO3k{(=t(Z~_D3-GK(ry1|Ehkl@CG4<^ja zTvA(BSmh2ex@SvYupKJ8iRh+*W_1Y73!~>w_hBC{x|!(aqx-6b+kECUiYUtMovpPt>~~slvA6*mXF7pF*O*iWwepemIkw$ z4EF3CXTpRa9511rg!U8|EzVEP_;=z7<}?mXu?})hl+%$8Z!vek}nR85FW}Qc9kbd@8EU=0*4d zbf*}fnX5Bk{FC@o#djvpWQryeRoo2Eoo2$R;oWq)gf0@!2m(q`ELDb~ooAYG#2SBw zvm|tt(2W8wB0nb{F5+xc+J?yo=Sb-;znFhW8q2>6(ty@Uc2 z`h;GDw1h$lMHHA=Td{$1^6<-lLTK*n750CWW1oZ#!WV1UWm#R z2~#CZqi~295@ndrkHuC>vNiVUrrr?LE2PelI+H4s2-B*|(UQ8-@Gon8Au~((Y~fcC z=UrgblI3W9p>2J&IX8w=Tq9?WoNMWX*yR;grT6#>aGk01gF090^-||i4Jnb&Nfo;_f!#h#;(yuvWr76d3=KqMG6|v>VqM|MihR{`ZQ%PyGGl_X1x% z+&y6E$nZ`4L80q~ZXn7_%<2~7mUj}P5_ zj|qQV_$K1KSacj@H09$76UzGd@Hb0%Qo>Udc(JU*b3Dt_#-ANN4?iP*i}+^)UxC(V zs&2S@&iFUa^Wkq5|GfAY0-s5hw@1P%ql;}aIx)mdv+hzC)9rY)bh!mtuKmw8As)U9;M^_SSo{ z-k0?OEq*V}j@!t(?n9H#tn$(}Ngql2m=a4%u9sQhJ~8^fP^Nt$jBC&^ ztSl~LuVX)x&CgE`$CHvfJc8kP_z&#%1}od7cqMe7)yGe0QYg^987PxvTzO`k z+sEKtYyI7CAb4NF4GHrNzQ^6!&y*9c^GYKr`%5{13d2tqrZG;*;1@o@Z#djRf*T7y zm@rF}@J(m9JH(7-;cL#JGMdO}N`v{456p0Pn9Q6zF#53srfeN;a6u>hhQl2rxTWA$gju|?_c$7J#~MDJ4*?F>T6i1b zZHY7Nf((-8ID^j({SL0Vu4U6*zVqu(v|!6!xMiOwg@ zgu(W>{6u$(;cG&3u9NUng?A>-6iXuqM+(q@F#h2%@b+}^UBsVZd{HG0cc$^3K1DD% z+*#tgitk3ASDP*KkUVFb&?OX==Sb)-;amzTU~3E6;w{3q>g<;=Ye+kP)#u6TDXSMP z7U+mm4)Z78*9BFTRmCZHzL~8%FnWk!Z<&2$_NA#@T~J+$AxlPY5B<&kMGp`?kTmaf zd8xygC4-+m)ko?=!Gi=3ChQ}X``<_nF>^$S)KHnjWL`v*iGa(AqZ_<5txLJstowsC zT-FF#DOxPjWg&u+3QT%1NNGuhl8Pv?oGHc@Y?w%l?Z{oRDZhjr!%L);N-3klEXMFr z?2R;hUVonqqlA|WuOQAWR*v3(tnB3~jUN|==2eNW7C)Li2TGtb63b>4`*DuWnfAX> z;AEuLNUNpR2pYcKh2hd}j5)3L_fZ=wXPlfmI=py(W+=em$U+QpG9?o}G)$0kiIj;{ zm;;JSi>lnE2G3~X!@o@MB*B*xX6E7`z~OGP(dUHD|0$xUik?PV&q}sKb-0^u!lLl- zULj$Igqak0Bk&zRRX*HZX?P}F?JVK5gS|w>UC7qzS)ZK0D z#B=-!)`(pz_8zjz6q%BWV$7Cs>r7}Fio$y(+$Z6F3XBnYwQFliYYQ^f>5O~8q|2Yc zzu|BXN?I>z10~)$Y=Mv*?;bMx@goIeO9s)8h~7w=`K}i2B8(V#)bP8O`Ac|A_~XJi z5oZBVQ&v-6gvCgnFurD?=QoRgQv6fo85wN5SdDdAjjsQhkIXZow}^h0G!rOOTR@@A zJ!eAGxjy)<5}udv0)=p`h3-Y8H-u|_N%YI2U)hr`cCQ-!aG+lk{krHk0-YP@ex+|3 z-KoS!{VmaNi+(52*l-Bj$KBJ-3L3etg``qXjNBB5>A^J6S`_zWNP4}yObyd%J=NIuqCHMqql5C0_iXTiS^);k7Y0{9`| zSK~W}4*|c4-zEO{z;g@8G1%1d599Be?(@u_;{Ou=H+hw`wWyDjxPJ^!hVI3Gh1ct^ z<^%q!os_9_d*Q#cje?nB1YUjoghqkTy@@jB)y1jOat>@VzGtD2Ndxiwif>3>#pIXer!UwBEj6Wf? zQV$j1M0`{7EN&``Mpjg%IDr$p{Tyb}zJ2{g94@Juq~?^E5wK%S#2sPq<`MV}hif7D zNWn)DW{$)b*68~?+UT(-3r530bW72#0*xgyuqMK>MlYP|>DHp#h;B=oSBs=9=M<~s zjDIu~Hph!^C%!#-roOAi`v+UXx)V(Jev-e^4iZk3(2)YK6i*XoRU7K1kozSx{wLfQWpqlA|WuOQCLD6Ps=mtnnj z4j!sB=d0uVrB}(RmNS|T8#}mk%xuceH$`89S+|Fa&&aBgRZELkk(ZALYmC8b*7<0S z6+BLG9bvu(t5bCq*f|r=?RYbO9N{B1LB=IACemQ=xOW(uWN^c9^DYxSN$}-_nLBs| zQIxY|v1YQHY|`Rz0aGMRl{Ae~_SIZbR-<9d)6KXxyqd3&F+;{o8jMpk7t4!XY4F+M zT{}zgY{6IUhEc>`ZSZ*kzDDpI!PgRIPOV9&-F3zmhlgyg*z3j4Bg=9J2_H|n8;rg? zr2LJd=ZjuIngu4421`8^xtmN_8j|H^2@54GqL95v^t#_-a5}{MR>8LkzMU{X1){lM zjd!71DIAM`hj~|ii+{%97Ry^AZz(;dJ?5;U8Np@nmzl98w4Lshv0TOq8hlY?A5B#8 zjsLy3&p#{0uM)qSJewVuG*!e=wRkS?Hl^_ZudI=>R?0m=sjV!ks4lOnL-lT*DSs^X z%DqzVlX5>5mHGP;bKrFc)+wfLmEFQZN0P&)OfqAUD`cl?7T96iigEMB6cHL zKG9)^c6<D6W26NWd~fsk;x&BC7){uFWMC|(8DP&Ima zi2O66w}^h0G>Z$&bSpyp1N-3OvzvR)tXF^I8E}rRvYwaq0xd>~OH82W>P5pp%w9Cs zN)rCE@K*w!$ODemk_`Vk^uxa<{B_}P1Uw(FdAy9@H2li-ic3BBmhiWQzZ3A{I^b9^ z$?)1E{4ID-`1`^?_zxa;9~xd4@NL3B68>1Ec`@IR9!x?^% z@S}ts6tekNFqP&{xN!Wp#K$JZ-8q5_^WszKd0SZ_+Q!j|EnQ8*T+w&{|nxm zFoR|vLd@-BbV(SH+(7icq8si(VYt2oryDW*11ydG^5vsC+u|5T|}Qjnzf>_Wi_Q3tIchK zGVV;1x~%bc;w(vBC3T~u=BKOTvM=sz_ves9$W1$HumCB{0|p9LTrjGBZ21DR8CxKR?yB~(yg>ct{u zr5RUgbd!i+Y|JdWTJ&hr3_ga{yb3Xf!Z{PxgrJNmvJj&QGA@xZkp`2pxDIvEOAW3F>3*5uNrEpY%-)`C#jcQ;cZ1yNq2CVzE-}DzU4{G6QCciqPYMNyF}LGX{sxj%#GBm2nRZUL;l{kGORP zKN<@2dj;Po_T^Q9MFlJK&GS19m8Yl^V} zo3Wj5@)!D=*w@9rL6$K=;gE1|8eATpvbO}kE%=>1;5_%P!Bqi%Pw@MKKOoF}f|pKC zg4;N_56!qIq~SIhAIbQb2IGxXai195AtcJDVz-O^j4WHGY&xlP9UH9eR(9fFaJVm| zd@1ECD!fIh!VJdEeQos9PYJH)z7hSc=%yh}B;#ipztCWL#iw($bH5tCHDvVPgzpmmJ8`89_Wk(7*uf!X{uKL{*uTm0 zj;1o$)c7BRPkYH<<-daK4OAr`f5SJQoIK2}OKTD{e$7_)?+uZ!kDpN4m$Ww}CL~G= z#C;#5*M{<I%~%WNaFEloZasS0jwg;9r?b6`sM=VV}cRVnSHw5P%d>V*~K%G}sH z!JHREe(WIUL^&Pl@HD7HC6ZVH0#*8xOgSplqE40)krJiCR$Q$sNL6Ah4{V8o9im;# zv>u_?HAh;mv^X{9wFvS1aV7VXM)wJuejkF69@nLN|PMks=;5ywP|k;b>@ z&p6yD@#W$x$TLE@=<35ho>6>zt28Aq)Cj7iR7)96g%QH0;V31Y(X;Mm@Hjz6bdBg* z(n|k0_PoNbFk_7WHqY~8#g7wTN1hQ%<|5bO!9$nTcvCjq>XivnE|D^k3QvK3=(&}W zyVUqj;ig?Cev{%VYY;;C@7V%VsI4GO|CY6T4-8bBYuwfYsoV@ zaXd3Icb(B=>U`*PMPDy^9%+6Uh@ihPR*CKsexkX-q@nyb9PUO*^Cc~y#Mc`K8fDGu|EBYSNZ0TV2*CeL6mY|imyEI&9^5`(a<6g=4 zNxq*lugRz1SoeSl$Alz%P{Mi%8z?XuMU_~prLqt?8Yg|oq_z9`3wl`6Ba${!;#rW{ z5=rb9>>f4Y#WwgIhkH!I;}SMeV9KRxa1!)Rw>U*d4USwZy{n>qBjRya75jU zCjJ;=_L9VxCB8zDG0Vp$W>NR5(bb{Qcun-{qTe9R>J-YnL|zg4G~JtKOy7Wiz~SDK z@wSY2Xz+$r6x-iUw-6r}Y(I1m$ ztnhM(=POp9n9(r2AU>6`UB+iL^og2F5~a$qXD((XVxqHY^Fy@0koKjtuc&2jV+8cq zMsIKJFX9`~--`Z@G^2$Zk;og1$y@GwGfD?};|Cc(%Gg0;kHm^1wXmPiPO~P5Sp6jH zXIa0{Qmn8UV4nNc=zm)JbNnWHm+0R~Ggc^LbK{EDA7=cISqO*wQ^sF1{-(i9?{6VG zr?4p+X088Y-s2%&|H`X(f!Zqgt9YS~hK#ru{%5w4(w2`L4p$#Pp^+kbZ_>>4nC6kAW)P!3`?w8`s3J-?CU{UskjnW+|w z=O(bzgV9|>t@9w!jYS_!`cR%KCnu3xol5gd7j~UV#$q|{5Od!f@1uFB+$M6H($)RJ znR4A>MxS?#rwx!#6pbt!6=M8cY;ZKhY4vNB%LU!BPAte z4*ERZNk%`~0wLjWCyS1Vj*>nMzvjkc$;gABM5 z)OoTbwnxcz38VXm>q&~v6P-_5^{HH>M0Vv$cZxad!kfF3oKxj=rt?3X0qd%uW5eL` zuYGh*7u-eg8HD-d@Y7=)51~8LgnL6n{wxVyC3K^}LJke2+*~!6P*Fk~#!oD8bkvPIOPvy#kF>psV71qj!e4L2uE0ME51lhBERtcFkim zEH@s_iQo;|&&+M%0qiexfXsn38LL<>N>g`%(f=lWtS%HiNc3RR%-ad9=n&=Pd?nZr zv-;2T)=*i)WL-py=fEsjT=~UD-#p#Z!$pq}oeFd;ft@j2fzd-x@pM{rq39ygtPtvE zU=19+4p2?O*Fo%$jwPGSzA)UA64|A)%V;xZ*nk5|0E{&H`L_OCqePdBt_U>N6-CS{ zjs76CO{zp!iylo{X@&8z$uNS-IkQ^L@#o0Ms*zPoi@A}j8028Zb2r9>NlScPYpjHE z66z@M5^~Yth`8}a&mHcApCI}Y(Gvq5kDw*sE;YJGt*0*&JxTQCq*<0Euo84`sM=39 zsVIz|m?CMaq-m7+!pTnYz+MmAydREQzxv zUPX}?kJT|iUv2am=i)~k?i$f^L|+@|JZ#^Q@2)fYmKC0!EBboT^GK@_i*-F>tp49% z!coV1;YJDbB`lz@NA({c1Y&ut&)j5Qb*TQ|EN`K_Mf7wL$g+9v7Neux{aJ1meVgdp zNi$pJMX(x94HjlD<)`pF%z9(nnu*nV?=pJc8h@&lqF0GtOV}9}&HgG;bs~ z^3BP%u#}A-HSgK*?cywEnBeZ*7llQv3H|Q~9$sEq1ebeY?7W%WiCHigA?~rDtITxEO zMb*N1*NhLUyz!ol_ho!QgYoi}W_EaC&8(RF(7d`(Y2GI9BY7XwW4y5YHlF=YjPA&E z!Qnm?y8H)*97w&2c2>mM^Jc(ZW0e`VCWP)!*8 z{m)&D?HE*X;-MWA zkHoOpdej|a?j51RbEw=Va+}iSnGzVyh<1$8uTAr3I$U%!(alNoQ#h*i@f>T%sC+uY z)XuzY9Il1bBc&ci)m{R7HerzZ?r4*Tgp%qQ$t@+fqO9~l_Z3<%MmG&@+t#Anh;AEb z)ZuWWjx+kekOIexZYR1uY37q;1Rp^5XzQF{-uoeUcaV3YypHs&t%GVccCf~@43qW= zZJm=PMI=Qj=|Ylx7sQON3(s|q=v>ip(&~A@ea*AB4hqt!OPD$&JgrHoc~bMK@gv4Lg2JI&}5!aMVH(OpEJL7J_i1YQ?O-zqxOoOUzuPdMCJ za=OatMu+iXvp&b2ZS;oFjz33qchTpP<{1jBDljz@b4IaNaSwC;{Xbt9Jx@+gIlbtx zAjpny!&=bpd^67e3IBk@^_I~`Mqe6Ccg6`HGr3O@diVO7^>Bz=e^~=$4Wz}#uoT_2 z7Z|(fSRbbg#SRiXm@KO!SW%o)7&2~%2^+TIcN}i0gkcgcq7ae^eJ(~n5~4C(^a#X4IF1CU! z15Ty#(8pr%)=fSZRf4Mpk0z`uOvWP-=ZrpnvZphmYed(QX3%I#r`#BWJD%d>JXY{H z!F7c90gO(7a_o~b-tfcLdVGTLON37(&aknDKGu0MxLr3Nk;?>65_~yf=145AiZPwp z*(j6EnR=E#!4x@Dda?7!vSf|p9>uV-y(>vo zmW{`=af6BNLzHfmIA7udihSd1gnwCOx*W@St8HCK{_6#Z17(KC!n$k!_ITh z8T~{Ed#mW@MZZ8gTku!#BPDu#UNmFCH$MEAWV|fn6&lJ57$=tJUN!o}<30VF=+{NR zL7F!SE7D>#cMZBnOlTFJ`?n;#E#Vys%$ZoH4G)fc*YM|Se9nAN`1`^?Ag+6g`FhyJ z+USo%J8zrlk3@eQ=qNj2-6uxRZ0+Ozsp##ZKMOR<+C-lF+~^B4p8i7gm!iK4bXCS- zwB6T67Yz0B{zmk-qQ4`}@{_dt-rx}d{z34Mf_D(+MHVLWQS9$D`ng|yM1B(ev*=$) zGw2wXtNPX8XF|XFZ-RFT{+%#`#`@ahu(yQK^SAh*{}la~=)Xxb=mHF#bpIIKGYqHw zS1`-Ue(wM9H(O{H*0{a!U)kot51;se>*FUh5Ae62+Z%uJe^J1qPiPeIKKjx8qcbL(GLLNC>bTiS-Ni+S*i>lM^ z2!p>13#qgae5Bx`2s7ptNWY`;U)h+y+to+o82mKdwZz|kt`+`jpaAy2sHwqHaK{?| zc9<5|T6`PvZOJntm0W=DID_}??*l(xa67^61I*1Y+zAHv8tLH#@^K4qsEe8TNM_)daP72KIHZzSWAai0rqOq`<-x+{cp z83OykxX27D#GIO3fKqZ4cjTzTazQ=Jzc9>>Jx_j5`Mu~X0l5IYR)js@jK>!FH0dp) zkBq)FIQ#@_&6l#G)X(_42YbH1_yOVvl4moOsS@QH-h8KEj3KTP8%UTuEF{o{k_Sm1 zOqq8p9*yO>AqF2i7Qf+eLj?~Ld=X)O|KXW9owdxli%q#Wgg;!$2q`Hl>=er`w1(zN z7-m_=asDM*fWN@PxH&AnmR1;r3ZsZ&@NHIE?J7!3i)&o53D1XN`Xv%dC6omLnYIj5 z0?OS;6Y4^q9VMY$LInlZhO|l!3PY{~g>@z|Ys182Cit|kl2|QqG(|RdxxpE;Rc5#9 zOx^!?5I9^$YK_!ds=RHgJfe4$wRAi07?TTMkXz4y=0Lj}}8 z$D7x+k&o{Ld6&qW7(9z_3fm~ayVSf!A+ndrn0CmHZ5qW z%1S&w<#n~yoVV(xn|8%ke|1+#n;~r`HMVlK9cmrc%&aNJ4B{)zYWb75X33f@>nd8I zbjTT7nyPVEn=v9}&TC}Mk#Q{z-gb7q{C6V?6VDGFFmokdFL544=E!2CLzTnUv^SXW z$H6|`Z9x~zJP%bJ8q4@0D?Vz%d!2oZ9+U96giRFqBIIqZbWa$){UlFs7X75?r%0>yiGnz{0IwnT zX+3RHLCEdTNZKOlSxP(wx&W}t`g2C_%dCRKZ592z=obPV&rPE7`J&OEPxSOlqF)yM z3TfVW^j}$)(HqFUYUaCPR^@9lUzhm?O~wknu~<6iO`{J99qMn1ep~cAfyReoeExpd z=v7^Ptlks-zUU7~>!~Zn#91sCWq4JXyt7UCN5VfQ&Md~ej8*j5GV^l+>h}1F-T3Yk z3#v=F|DP(T?F#BM2Gtfpv7v!)S7m8F2d;=q7NNLhm5%$F@r6-@I>_f1T571j-CroQ zFBRHX42{=OSCqm3bzd9aWu3>r5&o_4?}&5UEML>{J^H!H#-I$^hhx=XV4l!rO6AT_FI8;s(IZf#>dtqOrGCU@S8Q$mv(e>Qn!kYQXXqMtgh_=VOSO=6q@<%LvFeCQbh>B^_S?inc2ib{X74dlT1sg}h3|9B0mDLN zH7FL3HDmC{K4z_Dw2{%4Mz-Eif#-{xmZh<~;&Ep6|JGZ_%W5a9JuTiA4Zy%s$Nq{= zFl|kEM|Y5RqO^|GcrvaXoyoQ@ka#DVHKf?zpOa-pWJPK5%_9p%Sj_mIfzJ`2D?U!1 z_Y-ea#1G#MbMsxooG-$=G$|)fPClJ%J`2gfv$<1DyC9@PCuyfj>r9QcAuI~VXMXoJ zoo3?i4g58oF0qTmGbr-j1`(HarYSpua+Z{?Qo2!LGO&n3N0d9;_~MX#&Jo{T{JG?_ zch;9GRSs4Uv;GXv^?9;-%IZan36WjXAiF>m((ioJQfYrZy`}Y$)|VP9^(?cq*(m#g z7i)0!Gqqnx!~RkSNF7L(CFdUR3(Fc8nA|%I~GAN=#kD^$juO^X&+f z;SQBCOvXhtn2LPs;%mLT*!ZpCT{~R-2=OWMeAhD7^IU<^B_Ykzq6}C5d2sP<0RBkU@qpnIXw!iO%%HErW`un zXOsz2E|D^kis~+?QDJnL(ffrMT_$>x=*vm-{-QSn)7-h;#AGv8Hud38kug=qv|yBT zM`M)EC2qPIL&M6BSIC$lVEQ{Q0h0T=i<-6(dx*ac+ywkxeb zHR&dUUk*Fh-Yj^b;6;QPa4b^cZZS3y!B05ctzvHzdpp@|z-4K7hrzFffENp1B6ulb zrekRZmeq30jD9!JcZyyvdIf1#qD7;^l|k`|FJ;_dFjK>3o4d@|NG@zQA$Ongcd@Qd++D2(N0kcMN!0E-J83a&%L%}OH^bj zJ6S7RWJ#7%lqkuPh(eT-6e*?B@_)TvpP4uLpWpB6@#u4(&zU)M=FFLyGiT-_(Hlg6 zOqvf{=4&LjyMo(jPI1W9O>#EN*+S=HINat@KW^)X}hHDrp5+# zYI0g0CjNHI%fiS^6d$*km#_eT#^Jt{w^!aidd!>D)Kqv_WCQaXzB1>rMN%*=OwN8e z-_T)41TB{?*<1t%!+!}0r%YJ+)&dwi+@IqC1@N5$ILH8aV{r&vcNNYO+YhD0cHoPq zrMd4dgl(aUKBN$SPzXOV1XgiH8QnO-mgNqcFzO*6&T*N)%lv~T@5t=jD0(;s|1UI|P6+->@ZW^l zJYzITr;Y~wV`52&rdH8I>ui1@bPW$BTn8d<>;?dCiN=cyNxtIF)2nmT@r+W^p7H^yM=#x6Zwb;H|d`1I5eex>lM zh_lItH?!D2FzT*0J}$hNy+(XZ@wLeFE-%RIQG(85v;gZEb9pY)=HBh2sV%LJw7S%o zDpVxt_;lww!4Yu1dOY^x- z9y)#QW>eaScbT_HxmC(-RCp2a2BRPgt@_)IKXi?c;tuhR#Wx|(?BTiySd`1?83R0h zm*}RVn~`QI!phpH@H)FZys^03oTjt9bB~NonOYyD9 zGn;VV;3W!L=k9(pTAbsJ2V}IC(S}B>1CBMnV^!gUru-f{;15Y@E2SM3J!)~~@b$gX z-NKc7M09)69Z0jJx>EEX)4QPNL?1H4J!)F5{ytqDrFD{)PK`5EPJ3|`+f6q;3rh{7 z_m8c|Etn&vKA21elciv?84Oz=v7wt{jygG)W76>x_!|z_SyHZ~JW5P5UL|VtTfI0# zx5c!qdb04DzO;O41=K3x54Ow(2IYJ&&lQ?m`(N)C$t{-Kl`bFn;Im3GHg$^XOwG#o zrx=x5BDIt%%aw)>;Hgt%PNy(@&|OXsIX&sHoS+iO%qrsQrM=8J<0GHI$7S@E@dOQ4 zm?>Bf!SykCUzm^HS8zYU{Rwl#G?JQuK2vPCDSEOQbLzzyU_lLQ=i_}+K@C(;PcbN- zU3QOjtp6Ho0u3^!T1B5DgXKIe=NUSuH-VDzeZOg2LlbC-w4u_TqsGS;KBvnr?3U+> z^rax`fng>tVW#15!zGT8IFcgMc(Mf(anGC6qPkDx3vx!u8BK=`5KMv9E*Wl&2@l`S zC=kh53F9P;r@%-~w$2jV1al77_mNDLGfB>ibeLi+@a3DWlg;>*Jp~+Yij1i;rqN(I zJf&$CiNp9OYOLv|jt-5o8B$-8`Z874Rjklci*np6#&-`D!%XqB#Lo_Vw<7LY(%H>1 zzUo|mGIPbhDt=zzG0lXV{ki$Z58jJtak$sSFA%?wJfC&>Xk?=5Tx9sGX+HSH!e1A@ zgg9$8^l7>jxi^fi9$v;T6}?RKa?%XE2>ns67i{?Ku%gqO!rv0Uk~l9O_TbfW#9Wd5 zZFBmE9`8GHR>@f%96j>5`!@Ow@0znKJoMg^vqsMQbV6e=4fi%zzvD|xx7NfS;bN?l z_<_U^De~-#vDG)05Hq@8y3ebRL~juNF=?KCX(7J%!&@N3SBEaiCgGcfZz0aQgMqtG z4DK7k-YWQ0!P^M47(G^mHB+%Q!*=6qC;PN~CVq$bo#a`@(HAInn9PywJ~yLm7*P8{ z#x5DVY4FzL{zj-#qHd1~gFnUZINX;K_Da}CfzL?HYIG>6?Dc+SO8cOEEoHxyZ>aE; zaqDEdZw;;=-WD7X{GH%~0mjGB#qN89n}u5Hkl-H#|45kUi`5NTr6NZUn^FD<{(!?B zk@1s^qcoU&+?ePH=0!1m_h(ajh2rpwlw(qUrNRM}>@@5=Xl$i3{RKEK_II&=kY$33 zOA9mA7IlA`@n(@XPRRI6#@{sjI7J#}#qr}iJj(wu>+z7Le`S?3Qz)Pi6k#ZRoKKppFxvUA_eIs)(H?2>Isj9Rqq*bHF3aSM2q4JA5 zb4=V-H>XXg18c~+QqEO$n7^2RgMRqcMz0P-8rO)fDY_PEw!|>Zi5XU%bG7u~wI&S; zBb~J+)sa+}5^q(WO%g`T+;t}O4d+o$!u1mBQ{Yw1Mw<=uTW>JDa(Q188wigR9#5RP zm6^|xPCN4i)8>DNzv6HaX^GO3s4=(D(nGBr#ab&-muyarGCrylIjM5e=rFhNRvy>m zMx);h4~&MQ8;QP&G;hF?k}P+#vGu0;kZ%!ttJvGfGLw|6eAL};!j8&bxI;o?2~8-l za>`53$#HiYJS0rRyi0IX!OaMVGN}EreL~8Es{> zqoF%HFN5FGJZ$(gfBOg?5#C;S2jaZAxUyLNFE)GYQFEq-S3@1;bdr-!hs`FI)8zlW z({~xB_6sF8Q)-sfY^uB%*c${r6NB4^H~yUk=L*gXFe(Ck%wllzV1M3S1m_DbAk52v zm8OwPg+|X$^mLKvV$oem`=&!$%BkZ>&cy!V1fmj4B$iTSQSF|Y<+>Sr)jS_bcd+@EeoX%B*3&(2bg!`Y@(ZFzi5^Xw3LzYTf6r*+e;$23H^-uh-r% zetp=hY^nHV;+K<;mFW1mcy31#bt_Dn8qW1iDQ`(x859(VY%HnF$y9Hfa(!Q)s&}NU zlCqi#E4?VzZb2jQUBjmi_4s?j*9d=~ICE1I7u{N;`>er_INUnXABg^tG%prLviN2K z8;zK7V7++E8k4X=!p9UCd=hrYO>i5Ho)%7bljzN&w~*FD9Q(uKYJFn(i(v$OtME^S zZzHbzB^R5Xxa~&Q&h}^endlv&camn{s1>nvnfu)E*Fv@Uh45X%cM}gOkGMTX&j>01 zQuJQY`$)4aM5Cp6O@L*GjlVVYnZFjlU;H=ZnUT>hd1$bpBz$W^{UJW}2PAwa;UEQ; zOz!aFzBhP4DD;N}{~-8B!mMrao-VVCrdu91W9djA{1F*H$v8@b>0!5p@4DU3Cfpvn zF26`PCgE2KjDi<7kxe`In;EZ!EIKaZcNu>KgCj#ZxMT2!!;E{jA}Ad0gp9vr{7r+E z7JEFU1)Ohysaxh0g+9-}a>}$6}g%f4n8TcjES$OAWf97TJ6FLhL&ZM9x zlPkjfe_p$@%or8M-OiR#PDXheycAevzo$FL;HjYte6HXMg3lw&jLl8&)xC&4`SVS9 z;cB0riV`l6aA6Rbu}Qi3%=ID@W`=yNB%!i|iz%pN;BB+J#Nauhd3mYeDuORF*hP!n zlMi1TtW<;i$~TZ(<*t~O^@Nc=T& zYRaiaM-@t#V1KO%Yt|tw9Im#6Iuhzq;Eh)5qNQklyX%Y}{EE-cdg8AaUqA4ev6G)( ziuqW^f4f1!V{I<+apL32GeH<;F3Lxx>k>?89zI5hNJx~BM1k2KAIZii?FRqFj~sBg z6v3&2(+D$*uw5cw>~adcyV0E6&+=!`P);K`H_-_dQHs0S=-DAdZxMZ~=-Wv1A%pY9 zM<01TaLe3o%ARn_cSvb0r3sZ-t&9ELv)rAAcP!`AbC>X@!kZCie~yA3>>bDg34D=1q@2HEC;!=ou&pBn)B9PDcGDuPO+S> zbojnD3tv6u7imf`=2qfvG4GSVycd;MBCnJlFRfZXO1tZ3%D)SJaqBLnhm@XFn4wtA zOiAlye3VxlhkIOnZ}Cr%=X~P=%;d)#RZfwNeQgqpu8-*%xB2M$O7ADVKXu;D*fuxb z4KR3Zn6LJv;DLglBFwbm<1?jgknsz~;b$Cfu=uCNKSQ1u8DST${e!AnDuCJLS;_(j68Cj(z8wFnWoP!y!?5^==C9OGeyr5J)1PoKavtT zwevg2wAUZRUvap((q5G|j~Y)YihTueIxNs`zB#Xj?+IR$vp~*5I&5mh$|Ju+TVzJJ zj~EAHSuEpq8B1vJehD{pG{wDP%8$;U{Zc8*q%5bx>REZkWbvcK6(%+QjlG2>*~cZ?(L<7{A{5x5H)qNc;xzACp(`d3?&cjfQ^|@J+%u3*SPV z!DDGVtT&wOJ~4j!Z2XMFZ598i_-*8MlVM&=3br;k`~&+;MfeWkI|CjUkEN3m-RFk4 z<~_vFzYxAl_-^7%4ZgLBFg1IO|0;ZK^QHK`;`fnfYErPweM-cAWq9gT{EEYUEquT5 zZ-_JA#AGaF@U6jP9ute*P6U4^_#k11jb&7^o}&BS@Bu?Ten|Ka!ha;Luv3sNhYgM^ z@bD4AKM6icnCFT0gs~U|Rune=yJnvMMf@@Gzmiw3C#Aq}zZw2{n#Yd||6TYW0gqta zOuPX3)A0Pp9zP-cFX4X^SJETss{Ui}pbQWHE4WMt^)v9Vk{-|X7f{WdfgfVsj2miu zzAS!1H$(iH&zC3obqu zu|D7MeJX}NYm4dG#%%mqI;5#=Y{c7V6 zC3yZC@ioQQBG05_-_nGXWOuFM7ryH8+QRDyuS;BM;Z)M=3_h>e!}SDTFStHohMk11 z95C_l2E*(3^LPW{al+$?D{QPG=n@S6rmKe|f)fQN5!Q{7g6aaxStT34Fg%S?#HWf+ zBhR#84-HH`cQ+c|`F_h&qRm-wdQn~~Qg!bv+H62SUkxKzM86ZHTk)mzK;$pD{V@K@%Q$ zi=iX@ha|L>(2fGbkK^tc_&me#mHZWldqjA9;T?#_iU1Z|eAM6_p?Gx^+(~dcVWk~w z0-~RlVfeTtA9kkjEaBP28Fnhy0n0J?aLB~Yf^!Au5iSonIWbvJZ0tm0#-8VV@Lgo& z%P641HdRtm1XH65jb7cy(?z0-MRyH!Tr!q$b zb{E}4bWhT}NNn1~Is_){3>}EaCG?i?1clT3D)Rc6w>9)t`pWAkuYd4P=}5>MU|v?} zK|CpMpuDH(oz}=_JA9C7{X-*vu(YS8JwuJzgLXLPQu{{ovnK5it?(g|hDv&l(#b~h zsSUSbX4VLe)+kw{X~iBL$=LoS)r~QJT6lDf z6+ce=_`pZFl5c9nO)$Rv-H05An<##g_!r5u(8niZE%Zb;+3-KFBn*6t@TtP55odDP zPGWMV8^1TSlV*s2N&L%!Pf5X`C6e=s@r%Q=X{PvD;%Ad*a*|Tg*!G!Yc&`CW43aZf z_^ZO_5m&8^#t9Y|cJqz@wwdQ&6Td+G!oXvVP$g%P@uS1jY_a&)#V;Yx@HNxKyI2P1r8)dEGwU|U4Zk_NCgnvk!e@MlOlyO)XaJ})( zLP7gT{08wK2Of*ID=Rk|zlh%p;BcG7Zx+9Wyb2n#63u z|3UbV#F-pE@|m2&#{c?^PyP|{KZ!pYc(j|8oS%(f{ z`W`M8f93HOJ`_z4MrN%)%r3qE#$Nk+@x=o_!~!T&3|%%f`g<6or) zn-=iWo`L_4HT(f(F_yxi*B+iBcT3dPZTQ&t}OWC0Bc#d zOAKE2wh#GI!BqrbMwk^57d7%jHJ6*x`)99Im2!oYYE<~KR2bjD*XjI{0~=ywXGL6f zvwsRh9W`WMDf=qgJacZ1jiK4A4PO!UBO})cuPMA1aSn2@f1-CL8{7Xq%-7PZgdPaBPDZ!6d&M4ZnN^(}9#U z6y8YqO~hGTxH*}-+2B7yQM^U)t%7eOtfH6@$KKrShF=`ITXzU=EW8PEW()Sjie<~4 zCcGQg_`OR)Qwhx|_>n!dLhm+uUC5YwL^l_GFKLbJCH`kY%lk|l--73hGj1WRrLh%a z^%ILvBn0OQ&LgZ#j6JN;yL-&=TJt>KMR>mO0^-a}tn{cRCb|QKrVN|ul_Dv{Qo2%! zohmxY&fu?0JscHWBDj>W+AR2pHOX}|`lqR$?k>8A=$?U2PQ?b2u9wl1M|=8l(Y-}K zL7EA{4n+~y$KVRrc(||NeuDcG<}Idf`tWRwT22l7r{omSa}YU0-iPZ;PpPnA##VxeU7f4a#}KN zn9*<5@#iyK^a#--N%MTVrRSGsqg(d8@qf?sp}!!0l=#u)8F~UXHA-+}jGh?AL&u69 zCwe?-hMtm&HQrNG-2~%*dda6|qWDSTUkp4$$4;AWvhkBc_*2AB6+bQTSmqv;B02`f zzYsdxGsM3n{^h_U{751?60aCPJ%m3~{4DXa1JC9i!=GdP!sR~wbH%?ZeqP`iesWT> zn{WJ#5dLf87l>bId?X$l&850U#@9*m;V%~dy7(o=BmC4Ptg37L%OU)w;+KhE9{31W z-DdbJj6cxWhySMdx5TduJkyWPgnQfgS3>yjh+idsb>QRDu$l+Lf7ke**cHd&-V?t@ z{QJfyreY_DRJYdnhO9lvuM_`)_zwf07>~{b`1Qtr)Y0=FiQgdpWAc2`;F*Wzdm(Hz zVPT#ZHc8klVG9KgDTU?;+QIGL(Wb*JVSi# zmR`(B^jYq6Q*y(XZC^;)C1p1iJ|i$IrX(GcjnMePmkcH?IpWXfOG$er?W4qM+b<3F zmErG%X(C?>-!J?d;><7BPFyj{eQUz&p<+59;X4TjDa3C7Wc2R7H+owr9*0E#Ao@qr ztXXplu)6DEgLj9ii$?_iB={&{wuocvaPZaP&t_Z_zVZG=#xWVc(%^%ipAe!!sTHT7 z{bt(P-Fy{xT-xu_{-DN2S9*6$O)~c5Pw*2CcS7u6V*e(~Gsxj$fBzWV`Z6Ezzkn<_=qA)M?Qt?&9Uq+sHAVN=wi@gMP zmz%RP#8Fkw6>_T4sSL;3VW)h3@2Z=8IJC%WNWN0?Rg`%v;(?lu&$aOFu)Ern)*JB` z9PSz^HKo*|!iTuU$H%d|)~q8TqS~_R$f`@L60B1@JL#Be#A$cenfvVwUzF;}y{j=1!KB7O^gw<(ho z{1v%JN^>dqQenda|uquS!Q9>sP z=@fXbT&pM>wPc3zzpls6I9#UqEb-aoS)&%`=DHkXSBBZqoyF#g%_Gb6#Ak?DI`1)~ ztB0wHT}0=LE+EbOfVBg9clgketF>W|PxDrXGboZ*EUzm)#?l>M(?*>$`dF9_9u-|8 zx|FnUq$ea{<(sVhyc{eXW!8Hkj_$I0$m&Up*8uyMr@3AR=V#(K9PV+!y#+r(mD!v&8JJd$uIZ7D24&zrC| zq~!$(qa=)`z|gtjf*WJ-WtIGCjukvk@OZ*(;9zk;tY70M7~XZC$0rJ(B>csIV+Y{G z_^xiU;mhv!_!Qw&g-;{Sv}1Zq7B}{A(@i)YJ}RCe;Ux(#Q(&$qV5J1iK{7hAfe(JB z=vks?ljfOXKs3?KF?dTD4V^3aRl)NJGw2@J?JC~QH+osvA?7vF3q&s@&DIkyKOXOy zxo(jeAB1dQEaP<ZVwEko-Qa1VZTy+w9fEff=JOWc zOXTo@f-iyG=jPOD=#%q>oLzEu(_sWyJEo)CV{qH^Jp85Ly@K}&MiRZ)=A@nM52 zhHV&*2>wa%QNk=I z7j(qe$e8_%zJdwIR^fLX?u3NDB>YVw)`7{4qJ4;4@EaBX0B2L2T5F)S+Q&9e9jJqDR)(qukm=0rQXvkcDOuXJI5Kf&b$mnY2gj*H91 zO?!^fqj*(txN}8U5Pe>txzsW?^fP*1V^3EUeSzo;16^9cGI^2F%feR@l|)w-eKBc9 zie+=%CC0W4y{SvZRuOv{S*DtEE)w14MmK2a(@|CQ6{4%1N@I(0qvHZyL-duRuL?9i zp~g;lR~tQvZ4Dgm8qqaH*CJg9zvAoqNLCzPzoevPS0aghC)>eRZ6kuHjsK*S733eav=&m#2rf@IUlW@I+`V@HoYhB+Gej(G* z-Eh+B=Zi=KIdO90>9Eejn@kKnx&*`j2qVuC;fcbNi1TL3L}N7@!6zHv=zIK(!=;E% z6`w|)mof`qqugk0g0b}MV?smfm zrZXK#$sNKQ3vWW4xrwEtyI@HqeA!?^Zb;5u5}HbAMu8;@Z_CkCy4&a$eHl1{zejX) z(f5*8mDB|rwcTg%qVS+;A-JXBR)iTeW);OHyZen!UZjxmsk7+TqT7&Wz7$4tx?^{d z2MxbE)JP8rZ!5eVaRv??D?&ePbd5kiBD%fk4y0N7@P&)&lxS(OK9qXYyd~j7myYr} z$xEll^K~vg!(|x!cqn9;)SjuoWw;Kw}lZsy$-ifeayJ>>PI$9f-&I27k$0^)iqC#GKH^!t9;aNXc z(l|-uDP0UHyg|XJBEAyDl45!=PcVCbc!x4k_9WRa(q=Zmc3zomN~iih%cn@0DrFiK zo)Z?*!>+m0jjqDacW}5FqF)mIGHKpq*w8V}y<+f9O~hh{Kf$vE&kis)zD;s-4F2LN z56>0+s^EEqm5xXPUd_%oy2j<6eogcO(F;kl?o3RHOXAKxZjlN1bn(Js39n07LV+E# zle=z2ZK3No%dYTuts~zy=%hZf&Q%Cldwj@`$0$!!dep^80&>~5Bz;Qqn9heI#jvq>m}_lO?SapmirW{-pKb_>J{O(=!Tv7HpEfS^5_0 zj5GDrI6pDzg~dM3t&%>Kv@J+!r%KyRYP`xzpGn#wX(uK2f8yg#wLUj%0S8}kxG!Yw zlC?WnSYReEvuA86K)kUqYglK0R$t26D{CLEGY}SrnZ7b~Na*8!Ep)%oZ-|D%8ew7m z)`aGvupW@`orHrFSTpCOy8?FU(f=@G*+o7zhh+R9<3}2N{-7Gu_uYq$pAm-Ej)?zB z{L#Q;CX4n^_}TasFZ=L+5r0hlujJW~!}^?gh25}02nHE`GpBiL?;Mx&yPQAhFinLR zk;uo=r+*s%bQ{l~5dW9>zsa+l@SYCq(z<_4x;JFizmm$Nt1E(kb;*^mtUN5t%5_=K zz|XO6NaK*SviJ$z5Lsu^VpMo_gfH{i`ojB{vrI~Q%%|^cN#!J!r^NGN`jW84$2rE| z7m{|a_zL3BBhTk@*i8gwQaAPa=G6)FLMqC;K;DJ)Sczl#9=wL>#iU(i${A1kq*anq zS<1y!cs_ZBMOaqU$8(8ETN-%jQb|=LT}FxVU_OAunzn41TyDynVGy*clq;lEqrzc# zzT3l>_}N&ul27OArk(W@{))rZkanfCtEe&OI%9QLsP1ax|EcCvc8&O&;%kv-`Nu`Y zqd6DjW!IX~DqPUoGU~{vOM|xpP8FqgvJS%XS>0a zJHN$WaJU9i;-tg}1uG&H;S~`kXSoDZ3hVh3iAYJ5l0=0MHH=mw!;+1@e4wXOM5l^Q zBh6+e3s|z>Km)6x=p$@XTZFRKP--KoH&Ny3U@vc1l!@sY=&hLYP*Weau3^>En&NWHgo0jD|`xHUx>S zlow@Ky_1EoHT$#UhZA7h5jN-ETsj z9rzuGdq6^K32i9w(H!lL4#R^6R~zF)e@Jj!!R-k1O6KJA#puIEH@d{rkBDwBx&vtz zcw{U#_$hRc8s91mHFXr7Ce7L|S8yI-UIJu)ZeB(nKB07vnbLN>40KzhSNBF-dlV`Q8^`YO6f3PGt#-aWjCXzZuN9`(LF@>40Jx1 zmUg|2u70ae&*P$di+&=|nYmav!1Xcu>u`Jb72QvCf6`37-mT$PSplk@0p^TN@G(3o zXP}&?=&(NI9h;KRx{xcHxIw1140r2bX-`Xgh8pi8Tsy2Cn;tE2&ziCQ3LnuB8AD|} zM}q|fFFO$j-mwoeVeSoH7%pLigpm|j0;AcnC&=^04-fU>3*twKA5ESY9My9UMyB-$ zabrx%JdD5LaAPHnlQfc&M?uJPtR9OY4Iceg2T;}GE2&A zD!d$QKES~JI>(H1|46`>6f$0wF^>jwD+|4|V*kK(^G&+-gqL2Ev_R5AO3W=h)v%x( zYHAd)MdoaNz~|OtIj_rELWdn<7BIXXaT-YDIlWoCu#Ey(49nl+{#tHm5W>+`Hy%4lR!NI1)|82}eS!{1`A*6~D!jIMl%mgzUDnWg|K6OI;c0qE z&JS{a3=ZarWT9y5Hacw1hZTH0N96n@=O`WCc)6v~48C#g>3%k2W*u+*BIB5hUum!e z6+6sP!fo)I@uNcD^SJom#s5K`XOiQ%vS+rOKh0?n2JlbF`Ag2rJ(hYh!X z%sBr7pQ?Xll*v#h1pn%N2=CIgQ|9!bBZ5E0IwB8*+q5ixLPtdAnKW5ou_8WJzdg(7 zeG`2=XNxW;x;$x~edlyE5b*Fg$M|Sf&z~#4g81{u^GwhR!OT5AV9z(>iTCga9Im2_ z3uIhKgH12YE99fbKg2IGYiF1xSV>l8Sr^k{0meIjJeb`jh7Z5pC+kw-RfJzgoTq^` zU85Z2yWDse)^n{Y{tEHc$g6dPDJ(tHU6!kE!h4l`1T`dFDdDOhV3%ReS;VdtCfwA? z3)e`fDWMhx6?j*gnVpZ`0Pd@6&8fW$iN)b+%c&!$E*;+CncXtnb;h3io6s_@p4jWf z)+fvGxiE5G4yr#)U%SDa>d*Q#HINf0C!P*-356;-4hvi*7~duorHJ@M@k!))pJ(?# z>npZBNwO(FhjN=DB~?lq6_yX}70y*D-Hm3n?CKNMP(~veH_=c9i%u=N7)GBTUjN=A z`c~1mk!ER1$87MEL*}=ewKA#g z7%G22Mr#>uf`L=O0x|3>K4?bckv@)xWVDshE*QMt@txDrgL~MF2g4PAL`HiV9cb{j z;}8*=gpV4&JIwj$D7=&KbmF`kEFMvt(w|}0b770*Oj%j7vT6AyF5VE>y3IMJwGC~CGoN8a;)}(1CC{4* zJ0f#nmR}q=XU^ZD1rn80BBzuNFJw+>A=Z+n(anr9m-|?{%jhAaCk@7e@lKpY%;{y$ z%&^Ag<8pe-d4dk_611aH9riK$w=j6qS9Cwo{Yf(hF8Yr1Kno0u!V` zbeO$Xyt3RNQ<{YGHCW2iQl6m_>Juy_Dyj{=DrX2$IyhT$?s z$QVh3ryUajNupmQtp*hunP>-2HvFHp2m^lAmd{i8gcgL)oJ;n|VZ!5kOyI1T!vdqo@Y&C01;2*TSFi0SVtpI7s1K2>JM)fsOy{&UnpX&dM9T zb4bn)a(<-4^N1ox4;y<{xDk$s{YmUmvaEPc-q7j!ycX&Bk}XRc2D_gvh;pNSbiXKw zV+!I|2B8Wq1rEstonvpOEpFjK68{bn>D( z?jK{TCVKW?v1KyV$H2d;28y%simK3^f&Y$mESiRq`m*>59Sh-S66fW3EWH4a`m8*6 zmI=+1eE4TeC?}yj1)eKDxWd9k=NLV71b)Qf&J|rj^m&0!iO0$o?tG&wO!Ra`(HDrm zFwluu%OJsBWOUCgPgfFMS@gxEd6!{5=?r&?!3{%a?NY&21Ybs&S(sDO%Uy2ll)zRM zdxh9)WO<56bRxdqHv0UK=o+H06nzzG*1Lt>iZZds>D7k68K$jVBfO^YTEum`6L;4d zy&}-HMb{BsH_%K(PEC_bN!Q@mAg$kr^Mej_eg3k>0U~jeB&^B zlieM2xv-NGh79gAZ$#*Uw2;?QUMqSmU8uhC&9uAU@NV_|89gApweU8?m1%KUFXBOi zk3~KFkl?n0+XXn1g1Oxf8{GOK4?iNfz2FXnSy5n5rp&Ic1n(+Ln0=-{_B7vJWMdmF?waV1f50aiq0d=#B?jdOmNP~dCY{uxjr#n zB;-pdpulYGjM9zPf1%;Gg%^uO!i$A>CC+S2OyIgt2A50sNskIH5nLMJr1+!+*UjLb z-96l0a1X&f3G)`^urt~$`slHjIr%?$=W#i`M{=69*!fS#TWQ>wAng$c^Fz<4V zv8_UPYpmFDV#kwZiOj}o!kyg&qpuIE@=p{!N%V`Pd8$}kF2zkY_`Zht4TqZ|c&gxO zgqe&k>3MFtv1LzTyXK_S9(Slv2Sv}n%bG{GdWwD&s)%b&`dg5MInk}$K0>vdvE zl+n+%#*aAMJEB*KUQL=o<1<$5GG}nD(35^o@EXDI6V`JQXOQT>kz8xenvnK&az2pr zAst45y9E2o8N58)CLamjAoyd#EDpG6Zlkf6hD)|d>}IiB$ntTbEls#SFrV6=nAH0| zpE+A4eJW{NkodJ2KCr-W1KN7qP3k+sOP@*FA!#QiJ|s_-qV99E`UUF?S-WKIrp1mT zM^qUT#-I0?QoPVd^re)&Qua{^`J0rB5p|TrugrNrZC99@!sUDM z(#(Bp>iqCl>VVYmq#mToXR9&~bH}+xKHt87Z(e37VTa`XAn!+d8t5uIB~o|Ttk1%` zqa(6@l6908pFOFlq_9dxf&1Bn17V8VFA|PP_?3blgvHzj;WwkNsEbf=xZ|RK7yU<| z6GZ=Mbo)CzeM0nKqW=zbMD#yKU)I6X|B5b?rM?0FRnqa%AhsjL$IEBnmssy$LYVYf z7C)hPAmL03tWLOJCHb?A?|rks@MnuJC%!y+*7&Ry3bJXOV@Bl=!?`jl$T*J%V_*eB z{(R%tMSTnv#a|%)Lh{Va+^(cAGWzq{o~|UivgnIR^QKKBe2KyJR^c}s?oz>31Ybs& zZ3I+=+~DGJ!#9SP2UUe%A-r0^*^Nb8v%2ATfWNXW)Bcm=2radF};_f=b*L{XxakzTIuNPjQIPYmz z;VIpQ6c%DN#}qrSPao#fEk#&15q_ z2+^g;OqH2Nli8Jnak(3fZ62;fL$Qs--b9vV2rtYz6Vlym{Iy{c*e&936@MFfmWqOG z44&U^@Ps@4Dcm8rvEU|zdAl>K(wLe%P53aR{4NPiB{ZYJ5{l;{>Y%%gZWiAE-XprX z=zB@?O7M*V#=p6>-hHM#8D1H*kkV30D=MsAF=UR3sHp$Zin!mLf-q+OfSlHH+R)LI zvBdcJxFUTh5f*QF(9{j#d>)e8R%$z{%m9bCGe}}j_pk|%gh@(|NN6vi0|lNEX5x0r%jO2mTxCRaD<3nhQFpI(k(Mv5fEr7CX`#bj>exAqdvzC@)a+$16-g?V)RmHd z>~YTwR)Nl$vnk|mR8EPUQaXHgp?Jk7q-WWNecjC461?v6ddTZZk5xqH?4ryf4aW8| zV?>x5^tg=PGM=E}??rr_!kQ&N50fBqUVY5`B*fKMWW;R{922&Mt2bA|s}kl>h}~?bG^nC(zG)AZ`b51ZZGp6f)L4J>)0K2QUKSaD z_+$Kx!z~v7y7(pJnNwN#B8Ou=QTK)!*Zm;@FCt_tld+rz>lfZ-SU}e3?cp@u6#bUy zm85yzA$<3?33Ws8??_lBVKoI_2nL^mWgjsy^IcOu3vs+BWsQ{gsqmaTYqTor)*63t zn4+;x{0HJcB(DJs@ov50l>`2f@D0L0CLXGy)Vu<`>?m;?&Dj}}v`NlpIa}zcfQQa^ z)O}*g$D#MVRm!JQwozeD;TFeia?E(zZo<1^y5VOMc1YMsfv3%!O2f;=&yD{)r0EOs zyTtD%&r1zH0k3TE@#7vdb_L^08GB{yqrry*zB_ea8N0TnFL+;z-7oeVvdkqs3b9;J zY{21LbMAb}I|t-^C+8p?HB3se)wQwZ!#m+aVt)|(BUxTFY)IT0$vJHJH=*@>MEFm_ zj}reM@NVe^neJzU8->oxFM^K={*|yEf*IZ1Z^pJr_h~*Z_II&=kmY5-Q8Kn9>3S8{cN%2#Fi(^OexO5OY(CJz9pRKxq>SQK94XT+vow} zb3OE=`TfcHCfy#YlZuiqkaQs>y%xmDCSVL4pC9L8eBvV0_JmWeB(1Wvi>XyYT+E{g zpWKC9=^z&6CFXt^+)L$Fk$V~4P^=SGtS>iXZ!oILxI#uX8oma@0+H2?-WTW^qOTNv z6=~jP`9-CU6L79JzH4~1dyV*-;%kv-K}7*U8{J)Ncu^=GwT0IaUY9t_6MDbz&2!nk z+;t|@3ca>^60Vm}p8`{#kQj%(5pFR0!W8_7!!-~cCptdRiCBXp%_SJ!Cv<8fq7y|Y zk!E4y`XV)vlYC&K*MheWp(-HtTV-4&}MJZx;uu0G^P#I_gPfh=2&xoAA+ zVnm=MH}<)md(^}h*Lty|#7+{^De^8>lCXW8CTOECVcK6IZJE-tq-9g%Y2)jjJeOl| zqi~ya7Mv?Mk1#V8yLM;h^6lzlCj2(eC#s8td1Zf1HenrF`VeIe;l@g?F*$?NG=%w|05E$kB7&75CC7p1$L9&&opQ8j`Bm*jdG zJv0=!$3^!R{RC-VxSXtf*T>j9Lnpki*nVRBlZ_P#UgiNt9}Q`LQuIL4PmyNE6hwQ2?@JPZu z!}Q`(_q?$)!gJyUv7^L}HWs-t#@M{~q2q94#f}p@o-7lQfw?kng29!yiN$Uaf+q=n zk+5nd3?yN0^JK#>*yQmk!lw$KMx1HREWo=4V?#l9+b9@$tf<5kLhgMSI|Yl0UDUPxGFBd-|cdXdp1YxxVf zSoG_nmylM_tXtkNctsr#FBQB@@N&XTbAEP?TVbqg=-D^Lz9n`gSq7Y6iqV$04Zb{l z6!ebZRf1O&X21og^xrjhXDFcWiCrW1eX_iO*y%Hxp6=Efz9E#*b;3Uo{vmN@hs))= zy!A$R3;oWIL~juNF=@6lv^rb?re|vl!PxD-(cJIj{TXkPyIJlQx{Qg>7wisU^mCc` z5r^9<`cu){Nb{7V`NeL#vD1h6kUtZdDMh^;fM0BF)B+|@~_@uNHmu&F;SNepc2u>B8Mp$DC zxIAfC?)FCGM}}+DP<$itHwC^kK9b{$o|}yySHqX_Tg2Zg{x5V=+R7ZD+ zZY;V9X?8*NM!X=sho-3CY0~eZe{`3mrjnXb;sYctneAS8x8YBPjb82%-dy;-0mpbq zHn)#6eCj%%K`n&06yAzB%Wq0rac<8jhveP;rkpd&D-TF%Eu~FRSO=sR_e2lZJ!s16 z2|k-1lG0X6J1Q)LkpxU^!xNTO7GiqXv`%;Xm>!YVURnogOq|7peIZPFH^kIYN+&7l zR9H(zlA^`g*;t1z!-NSB_&72pWJ$=Tz-xj;;j8JQ&OI^n+~t^57`_wfEGbt~9wpYE zDRF%0GSeP2^^3W8BPmOnl=JX!ybFD~Dv7D}SR9x)og@Gbx zQoHc*ib^VxR7!~@5)WUjQr^wz3&X>=yXYRGd!9mLCQC1)&kywDqI-*eBG5^x@tAMc z$LO~Q_*3pHx}WI&flf}ws@raW(bdDf@ucX1qMtfR$6@KcK}MGg^kC6Xi+(21k+jsr zWcRGmdmiyA86tY9=;uzMlat*rqrVCCaM2?~k0i~Do0T3HmyDS*SjE+hZQ;|b7i5f* zF`5SR92-gD0W-$vvmf=T87q36=<%fWvIWce#Nj<)vA)>gJA(;kjtaHYM46LhzDSb` zJ7pK=Me!8o!u@%8&sUg@8GzVH&g@#@`-dsAr^=p2o9ERH-{qCam~KX=IlchSknxg? zmuc|+lM$8jiYbo=Wu}x_Qf5hUV2UV0^th-t|~6sEi!yssNxn2e_i+z;=DRoei&8N8%D3M#grf|OGPgey__`9 zIStb$e1*8elxfRlV5wIrZ%J7hlu%7^^9WPcg=*>@DXXNcrlK^ZregW8jm$;euKWw%a&(ALs@xLTL+w6M_ z=Iy#Zm_rKY2LKgl>sgH5I+Y~t#EHn>WO5B?Xy#{~Zx z;6(1H_?y9fay@)p@b7~E2ryQFPIiA9ylsJpPYC`?@ZSMWOTfaT{}?=SsfYg+T&A;n z5BOJueOO>L18Wg-%La9B-5K~xtS7N?nHS6AC-fvFo=K4>i%$?D?kt0EZtCH)1(y?C zKET}l(w$>)&+tGyS8xTv=MiROGATX*g9Ih+eBPSUFGRZMOP7hS)h{=Fd5QaZuIV+o~|nT3enX9ja?E! zS2z0ip`NZG`byDP86C%k{jN58$Y4)jBf6&OT7ky?LZGiT`u`sHbZyafMAs$Fn-p8R zg_7*9Gv}8umA{^x>*ds^!;0`fIU46~Fzu$0p$(+PNsFh(=SzI737ug0jaU1WMT92` zPa^*R#ggojO}jnBk|HftS{gOh2mWl5-Hj&H47X)N35_J&M1j{Co9JL0otuq5(9Ngn z7SXqgzAey+iD*x`+l`)_?ddy2Hx}I_&?%ztGJv zhunWiT3c!Ds45}Qqyr2xZf3Gw_UEysj0p;6aaLau~73M>T_65L}(j}3Ge(fOhaPNgHR z(CBf2E)rcVx+`hkV|==3XGctRbmpwC=T9Iir$kOE9p-MLt0O2 zj4HGh<5KYs!JJ;9vG};0-g2Ix!&6U=$2T^vkI^lk@d@iIx}WI&flf+INl0@8jK1$l zPd_Popy;Pa>zS8;WmX3nJU`Tmg9Se=_!+{iAh45a9G-g58vb}l$q?Z~g+E7J=}zL1 zM@KH#)9~r(X~~O7v*bOm{MhgBxS;uuwmb6+BMx_yFVG zX_A{@aE0*dbfVx%f?p)8RyIllx^I&W?=jIQWQy>q!lw~e2BzUTI^EzQ13f%L@JoVU zCd?d3ic3U}ykd0E(8QQ2dY0(ffyTzf$dNfl?&|C3zHbb0i5lg0|vD!=LRT8s8@i-z9Om*~Gq zGa(7sp4bXeDhc;ejcX4DDB9WolrXhMTc$XHVfBYSt6&^@%H?vl_{ zLNf|1PB9_Q-EDlgz~3Xjx%hj@pNs&5koTF;GYBmtw3N__0`JyX1bR85FAGfjENBl% zYb~t}HI8&<;rmXkGlzNQ__|vw!98eZtA7CCa1Y6BE3+NV3-D_`g#2(xGckuOjKfz8oPcsqd+7b#dZ>#PL|~c3;AfR^z{53#E@au?yv$trmQSk z*|c~s=HS(1s>?CD$%Q^Woki!0&LhogAqTtMy2lK@C%|0<=L;?fFt+qfbA<-K7Mevx zf{O)rCCt?8eQfx=%{jBWgqN~WStYVcY4J*)^6t10pX+ur?eGcw6^H9Ct%tOp)ObBI zi?YM+nRqLX?bCXhSnqpz*!xXlZ;4M(WObgBB)pH|cTD$qU*Y|P_YXKf48%igfZ;cU z=^#%EA1M5(fTt!Z^g)Kto$o^*Ec|KV&k$$1=Qv_%K}x)P)`UY%{M8#GVW@=XDCl7n zr|^dvzGAQsf4J}w!bcM4eaO_u$ECXGjjtAx|AP2Y;zyHb@Tn06KgRI)=K0{q3LhtY zJn@ssM+;zr3Ezd}Pn0l8!iy9bK3<0LT1_^5Qg{_MMfge2tL&8RB0O z|1x<7pBBsgR}3#%;gdg8_$=YGiJwe9Mh@nf@I^@eTnVpAm`8!(C&j{_Z}<&;eE6>k zUm$#8z*Tlq+#>4lU!Q!j}nOPW)u*(I8l1!q*}7Z%TMe z!b%F3o7j%|ZR4*B>3K)|D)Fny>uh7`dDrl}di%3|Pxu<)?-OV6v9gSAfbly+a@L9e zK>UZ~RTkn^7SmnRJB05Hcw8*)pBp}r6)_I?h45X%cN0H(snCerW5U6ZH(yHF zD`6i6=1pQO^g<^s|MR6JDM;@8?*{B{2=l5}DCAG+NG; zQ9;IeG?@JOSn|&|yha@#K}F#g2)~f{$q2B{hr7s({vm=&GAhfsn1=E{c6l!`JZrL# z;8NjLgkKi$v}9%H<%T~W=6_TbeueOA#80Lt4V{tdW;_+rQ$xm;GOnV*CP6a3#=|62 z?#O^0=iSw&wHfBqb&a%|(rQs-xk!xo5!Y)?n40B<+7jwWs7rzOD>ll-GF{gheJsoi ztta|=(e+6)RczGbYap&z#8>e*m^L}I>KjOllNL{n?>xDKX}9!z%=LB&rhM7nKjb4) z5~U0KeI|7q zh`-@*EhM#+)QZw+QK2Jpzga^L!{E?ElG;jYN9nYv zu;AFkW<3|8dPG)xSsiFGs?_8Zd>0*$J#-P(qb8MEz;j}kLQ*G5>6A{33LDsFm^C6q zl_@JrRyHk06&IJFsFD~}j!9p|3I%p#kd!MakJ4#TVZPU6W{nI{b&-`XtAG}xijQDx zM2zvNSQMJnt}4$7XH_JrSW;I?|A{Jr#lo5Oe26M4t3*~QEnO=tXw9fpEV`N0Z@iDH zyQChHdQv(qDin)eW{nC_Jua)atS4ycS|wn=U__;2(Z{6QU-eP-mDEpCe@drCg<>(l ztT7>~CuI$k^%N~eg%_eaD;0}DCgm>oQ4N;#w4`S!ofZ{}#j|FO4^a(~HB{Dfv=|k( z3es7rSPV0%5i2bmZn&fol15TGEh-d?=gpcBqIyBrC|RRvF{*e>lSBsMy&g*77?Y-i z_oQPbjgvH<(to0guvknmYhs9MqO3`>UZlmSFgC@r!d7jFYO+a#L%(o}q^XjoQ93Ou z6pQI*y%?gJA?qbsFVkXFsi~19Mx|o$ib==9ERC6xW=Wb&>9nY@rSTlIriQ5I%6e7S zJX*R|cmcwwR4nG3lz9e{fy2EfX@R7LlunBZ#bS|J(?V2>WxXzI2`yc#gd|0!V)2Ga z6RP;AmP%SCX*s3SqC&A)Vb=5z)tj>3lC_c+qe@7`BtBM7yjE|Uv^l(IdPmYKNvkQH z5>-O%A@Z(SGeT7F$yy`peOinv8EZN*Diw>hCiNfc&uX2d49nX&EY_R#a)|09 zSsP@1Op8&aq@<=WDiw>3CQW$BN3}`PW=UHpofZ{pi%-m&8KT-M>r+|VXfdiZKCKXy zip6%5nk@BEeI{v#q@9#biwec!bF=1zsJ@W3OV(~$j4Cb}g%44wSnM$=m4CzGzLd0A z(mqP3MTKJVm05E`RA0;5FY6mx3@!mX)*!0bL*!eN4%AmnW!wQt-$^=1=|55FA@aRh zuZE}&$@)RokF*$7N+LE=M^q{nhfNw3rZXIo^pm8clunBZ#o}kP=7*?$k#$Vgue2Cd zYBFo~gxEvmHW9lg3-_xT)u{Z-i$NEc)LR4k(6Z%WC&ZNbt@PbpL#@gZ<=aIx>C|rlunBZ50R_QS`nhUMpjK(wP-Oa?9;v~!BX)&sJly*j?VsV2>pVjmk*g#U8qJ~}2O1h2GX;GnA+-}yY5Y-*B8p~=zi&3Q};*1cLip8BKRhaLi zx=T`1NzEvo78PoXyUltxM0Jm>=Cbak#i-KKcne2j50U#!dMVTvEhM#+)QZw+QK4Ae zZ`PU+)dR9x%W6Z5QDH$@Jh5=acZsUW;Men?VVN$n_|78Q!c!)Co7qIyJDds!W5 zF{%hAA|k5TL*!AD9&hY3u%o0-lF}*tC#nQCIWx>!8=}gTl_e{i7NbhRR2D|1+9JoK zZ8LpToh9W;%A<5zR45jYne}0as*9|ASp~Fots;C1M`90=LX!@J+M-BOv81k)PKye) zg){4;5LHxGiL6puj0)@LqYjM39wOaLTFAfQaNQ;KkkpgXX;GnA^fGHhi0W}!y=6T? zi@{+|1MjN@6^lM5^{B6y%DBFg`bp|f>9nX&EC!hMafs?kSp#J~MT=2IB5a(Ywq*$% zWYW6kKB~czo|g0srT;{whsd*LZ46Njku_A-bF>&$YEmLgVC*3>%%t;Q^HB|#G(yry zN~cAIV)49LTS8PX$QmVUG%ZGzmWCxk5S40+F(!2hxA0g=<0OrzbXrs>78A_c8lsvg zYm%%NX)!AHK^T?V7L!ft$Mx)SxG9pRN}5LLw5U)lrkk}bL^VU!OR`?3#i$Z6Pnl7v zSiE9VaU;cqo$@5jk~EvrX;GnA%rR?wh-$8^S7ptk#WAo%^x|Tl65`$4W(^Hdy(4Rttktv_723nBGh@%4cTLL3@p zr*v9WC`oJ08Wy5jC+h=QAJSq}$qATo$zeTa;ChpOc-BYtk)#chKBn}as8B=4yNzbO z5Te>7YqP8^w3LDPLYGk~13xioKw2jhfQ6U4jn>9K_^_i?4vUbu^24bj# zQR!Cv+@zUZd{kdZ+9hc>rPHE92JSIyY>4VhS$k#eqooYQ01l#x)n#9qRA#u3>T5~+ zC4EEbKT)ABi+A6eH7P`OK-PD%4$@*&5zK93RLa2bP3qsqM|DWj50ZYQbXru%z{6%u z4pAME^^>flv=|j?O&0c8UG}p{zdzxl`bE+)NxudOGjxzPXe>*=nKWUNmyZ8Gvd%ot z=Ia0B%C9|Xu@$04QL1}q=FXj=#TrRMD524x9Jw4g|vExQmcWKEbCyFko^w9ubI$pkb3UKXIh6jObPQ63^l>I3=>9Zo zrl#*NT7T0z4vSeKtvaG&R{UeqjE+94e<@Y!!@-sO{clu~6(`Hj$-&hujjFQzB!eqj zr@&%Xq^3)*`eOIkQ5$wA4$ zb4+Tj8CaFlxs=X>bV5|DjOUxRP@}qlRyA7HVKD>K(?W=f8CauS>f$r7CZ$@GE`;=- zs3Zd~GHa1WRhw2FT6JMD149`SjURJgY*N|~A5}d{^(kEf=|53P23~5`5{>FIT9?ym z0E-zI3T8-D$;x`dAPbY#G2NsK#`>tjlrkt~ zs+5tECh3#BKxt}XQt1LOHKlYtr5hksNFT>!^4*GAt2KQ$(P~DkIV_|vEhGxs_6TO1DA! zPgGKxI+(Ryqq?0|M_Qd=Au4%;T^d0-F=Sw8lRnUX{vDLMQ0fZlgs4~@yP5U2Ms+8x zyJ&TX#S9F~V)qgiGw^Pcj_3`m2c>%`-3#eIQAq~gXV$wKRZm*IXhmQlDp?VRQSsiG zWztFdp+GjJ97<7@GWq<^_th*@dzFYzQkX8{aq%Ra= zt|zNi%%oNNUQnD;F{Qqc{u7mCg)?i1MwOsdLaP)OvqGlmB-fMGs-H>KbzbQF@%x6Dp;J!ujv!(8I)#HdQqj+H0d~s#N^E~>BHN7@@7+-Lusx`^7*CQOp!i` zX`V?{wKFoG(gI2gRg(A0#epT#OC|-hTd|1JVoFO?lH?&KxowN|vPm_xhqaW_GD@$g z6p|YO9Z0X5G)}vXuTgrP(sGq#`d^xKxoJaMVbZi0d`7%MX(gpqDy5||dC7~r+N3@@ z@LNM^Ev0oT$zTW9DS2_h)5(?=%VqRIQ1(k@E7Rgy<)a-Af{A$?-fczvYyDW%US?NKRH-ck}N zd2v5CY58iOyuFn6QQEIkdMF)fOJ3YBOgc}i`E#)%KJSjh)P~P&T;>k)L@m5>R(Eg3OS;Zzm#MiDqW;x;X7G=O%AAL z>O53s`AG&;lul78Bwx`$V)mVCQte?rrqd{$PU#Glq}PHxPZqv2O*%NmOJ`9!n^F~( zq(~soQ<#0{nDmSmiK>*&rF5Q3vM`KHDg{%R5$BtMF?=U?@k)VqU|f z{W_;!lTs~87pjyl4`?7UBQ7%Os)zkK)uvR3QeBn8VaWr$?||!cu}Pn3BTG7%FqqJ>HCY0+y*sTHNxDh0#1O8)MCvq@K6=3{C@sV${jRFeLb zG%Wt^-p-_I4|?fVO6@7#rjpDAOC3ZTD@Ct^Nq=ZJ=XOdRDRojwmK{KrC+lEmlM?!2 z?H!c5Q0l5uAPp5)mY76L-AqbB0h7bsN$D<1-Bk)^vP2~7;N2$Oc!igGP`ZcGy(-C# z1{sm8gZG*A{v%%MNvRj5h)S}c2$GkqgIOkBqT_~aN;#CGkSf%{lw8)qT(g#I9n7PZ zPpbeH>tIM0^T6X`o*$OqzVX&xr)35=x~irKjNPrY0*?Ka;9z_VuSUfKr)C8NqZJbGOao0CJm1GO zh|*w6_p1~L$cxJ&F(V!@shQS|A(Vzv8m1DLg%XJwG2Eoh4SY-wQW`;Nq)Mq_G|QOJ zkmQXrY15rvdWh0!N)M|f>v$u1$(!03leX#o=@Cj}DUDM}J~l`0B`egUCNJd6Dd8Zl2j!r=JIe4=k%0GZ>D-_5~azMo>obAN0pYv z_uZzL)VYV3o}u(CrRP+VE-Ye7R;cGqdThFvUZ6CU(lnJa)8rC~#1b*xq&M}2%Ndkr zQhHG(Sz`&gm#iAIOzKn9$26PL97=OlO3BQ?bxKx^c_yW_@X~xr3n(pANyeQ zlF571q|>!ET2JXMN*f^kr{N2xxQ%ALstw=Uv^LRt2NoJWdHF})HIn8C>3i3tE&u1! zx0%uwN?RdSh>Ek9DegV9)@W4QXli}*lP)-$fc4hg{VF;spU03s!u6>MrjYE6QYuNv=sNbS=%+L zy|nhx+7An#V#qX5M!;RiI_3-am~VqV!*+|0aE0X<3C@mbv-I=&FzVu>U1psfZ&X`J2pb zp~LQE`QPLa=v<{M%TF={B7F*IoMSwz$en8JJ-S->X=G0)dj?pXqr6y}5^!f4eK_dT zaTe*bNml`lsu7LJUODF&yzb28_XVyh;d2R}2be*JGNp)|Z*=V@KIjWbS0h~=G>Tz` ztr?0Fu7+71bzg>>v})11P%RXdR2RipH1gTbMP|*=B2$}I9a?o^`NEqnOPCq`t`^67 zr0bKu1T;=MQ)U_5r3Qbn#-GMzgfA!D05F0^g3{a-M$goQTuHhi=|-UO1yrOcUK%Tr zMYpdq;f8m8@K;l4OyL>`xCQ$UfBMUQWbRsXuGDR7uA>v66NGc7IJvS-Q`}*f9+zUu z7y21_DwQ-UAt<;QNd+61W3k0ZO&K!AM{oy~E>yZg@x?L2bu;*o7RNgY-$l4PU_EE~ zYVK~s$LcxvAbt<=dlfG!lO<(kV@1P%oaU3#lXx%U5#T7kzGRiTEEB%c5|T|Jhe8xW zh2qP#T64{*q{TOnPClIiI2`h4>f)Wf%}762Vwc19p;1Vq2nJ%&m6Bzs>tf~%(ZxIC zbc*Tpg@cTeZbynNTjUJS!LM?-1o0B$rNB`*GQuaUr`pf7T1#ljyK~eAP%DFm%dP9Y zrpb!Qro5%=sScttn9BW7e8PgVGSLHu-=hf|LVPIkVZaeXIBbj04maiFnLbeuQW-&I zq$-xEbT`VB^_r-MsEnraFceEvnj2$y4^7k~#K#gJ2OO6$oTBUbK5E8m`h4Iq8jsU> z0tQYaCVOMbIw3MUQ0R;!gud*_EXMlFNKg zG2t402>1+zXDK`f0iCPzWxizvpyy4B>&mk)P?}0<8YE4W+-jy9exD|42JxB1Uj(jq zkC2;X^ox4;m`!>P>A9ehty~PAw}N?QoK)f~?0gyvXe>OzNUoG@#_zgz{305QX)IAA zBTZ}H%Vxarl0=U9m(o~9;}sY@W$Ejtq_|fNzfuR$uMvNp_;TQ=NolDk)T9-rP03*- zvSKo|mDE;2^RY-5-mNzLVvS`D@wLR)0cW)+Uz7PwQ+hn_V^~k+Eh-zJSPb&2o8fge zhPR1tBK{6=T#WQgE#vQ+aor>z!Dbp;Xl#X{5y)z%?-^cOBiKfKJMs5{qris4x>T|W zd$eAEKw&3^41pmG!|QAK9~0k2d^d31S2E=DGxv$XP4psvO87IvdjO-L$~3Wj zAO5+~)wMS7CB2XIe$WV77B`n2R}4Oe)XCw#B>WZOuK}Z;;Wlln{d{B66uohMOX)jG z2Oy!z=W0L6JGT4YoMF1q&kuBdq;n7sN?!64XS>1wWZF~uh4atU4pBP{4Mi#0XOox5 z<+~tL+Po|OB8U5x$`LBRLBaW_q|537zZ?8=Q?jy*8sR?(A5&O54p&)zl5qs-Q$XX* z0eN~Q(^Q%6RO5frj`C^bPbYr{coYgGMpj8My1l05EYfF_t^yjNXQpS!N^N0xj`6Km z%FlARs^rfle;#;-F0Vpny7P@bMc)p&fOIv|)j=b4*$7l#7Yw)>#-CA>fy;VoyfWd{u1yA9ixJDcd5~{ zv|Yc9^yQ=*fM!jUHv-)i1~1SDN>>tYNVpMTD**v_mEmnQ*RLktnD{lo%de@dsAl|+ zdQGn*A0QtDkCe-a$~8?fI-KdxGnI52=@97hYntlPjc=*fG)z8&d?t8a(;%*C6QhfC zeyAzw>q*}L+OBCZ&E07HX?jg>BHxUBbMVadG+fgbM$d`*w6`SPigatxc1`7x=FP^h z)@#~^d|UFjC?An^C1eX~*UtE6@A>d=CEuR>ZOWrv1K+{;G1{cvPQD}gPT;j2w8p8k zNfT7MgHjhtT~$JtKt>cLvbjT<>t@oYdXK-8(p{9gLqdxdk6Ao-n=-Sz?@08Zau1bz zp&)UH$E5pA`dZ`ZNvRj52qaz)sRdz|W%O*V1=*x?NJl|q49eb(#gS{)Um8aqt$bPq zuy7S=$%v=7@kf;JL%xuF5qREJQ)MeQ^!#Hc+^*e%IE7*geIei^o{Xm!Pvh(D;M8G|eFLgUR0y9%+#Y%=CbJ z!04AX^dY2&k{+hCd_N*Rrr}0^m&2sUChMd}kRGWto@>Z%Dn>8Vupc5ln)Jh<@eirN zVoAA-2#g=o)`$KG`LX23f%hqwUi70zFV@f>BmFq(CzO^?horF`Z}jmyeAp96PbB@M z(nxu_d&=kq8uld8lSw}f8vl@zmWauBac+w7T{3*=&yatX{Bz)a%4Id&=Z&7Np}#UUdf3AYp7P3c37tm-k`RU+Nu*ZYZF$Rc2u=B)Yej42MsL=TIz&N z6256xKW(qq(|U{623W{mTIl6%G$C7sw<&C*@D2pK6Q{U$4R5D+;?2aj5Z?+MS3{n& zNnh+eque?WdG`43Oz<(n4ce^&lu^1I0I29MOp z;~Kfoe`543eO3Qc(w~vu0~)De-%akspBvvs@AG@f?<2qeL|&d37=N?!Uy}cd{MX=F zQl;A=3nm*q3Hd9B`4r09m>FSnv>;!lRf^W!#!PDev%$P=~F7w zVRx$0%alHi^y#F}0F4WRUabUvrr~q+hJF_Dvx!#$j)cqW9kTD2pb+ zSCN+PzR}++eF5oeq^pC*=sWq*U8G;0t6|1yeSlSyMlBi_!a%3T&!i`$t9_9vXX;F3 zZ7OxB)cqetRz@@BY*p$}sZZsS|0+^*FEyo_Dwk2YoJs>Itm(Qan(;qO@)>m{`G({h zfk*2md(!7{qP_$hfn8vWCb>li|S zAp{WuGBBCtoJ>kFWtZl8DwQ-UAt)#T*mf(!r5io{ZTV3S7bcxSIukS+;0&F4YGT5s zrR3!y0)^`-+yDVNapFwUjb@#4ueWZZ)r?kiSct|?f65+=CcLAQpDii0qR<)w%3AqU z(#>XEq*1h?(U!(7Fe*e5a_vmms!`lZp*@A$R0!%^QU?=SHS#BMJB5xEIzd31{CufQ zmv%N|qE46IL8A+et}sx{0)95BoAE{G`55jbe;4`g;FI;m?{X;XpPABICqH{oxrfTV zP%w^-#5Xcdmr zDyG#JmX3}RTA!Rrhjb*8pj1Ms6p}Sz*!<4*Goz1Ir~Whs&?tj}{FMzyv+U<99*uGQ%QGXi}m$k+EYhSC@Y1G#LEQDk&9+?-+h80A4aBj}8TgN|Kl z+6l9{qf9%glaJ~lYNM$=3=M@VJ!nrY#+Xw0uvZ?TGM36XRrINa3_2b)Wuw-r$EZ9` z2At4r7$u_ws-8>UIP@Aq4hEQstc!_ma``wHhuWy_ob8 z&bt4cppIz;I(B%E3#ktmS2-zAZ<8KXIkw#z@s;eMragwAhpP~pP4(yJ>d zjJn@VxML1^dHz7*4+_UrkO)dj(JlVdgo%&)Q~8U+-xQ8R!1W2nqEWd%{}_Ixp%4FG z;+2XyB9XsrShHliWO=kJbMq(5Psvfq$2+}IS$>jH35`==;IxCXXQEsd6`&4*%+6|b`i31gp5y2nWK&ISyaxZQUwaiWm<7O?xYKSj`1s;kD@C1bIG3v z9+$8}L6e;sO?psE+69!VQK}9Jk!1KtY8d~O_GxR9uSNbs@VE_0p^Q6OT{!G6GULyG zeX?rPs6(T!8i7QqEcc3?r7t$)G40ybqfwv6B`}aCR`KxNNjFj&bxZbrH~J;5PFIs|O!^woD6ToOtudbbyK7B2xw0>P*HH*i z2tq(&qB+r`h)Xg0;!{1HN;-{n2sDaPo{Plz!c9Ep(#`q)V(*0MWYEckgY1b8D3!T; z*#X}8b9B0?Df#Qk-vAy(&qc8ib|hQs+>NF@s#|W~M5P&(=1_3f*^!u3Y}qxwg$dbv z<##z;OA4(hw1$APC*8!Tykh0z(jd5-P3qsnpGX@@Z7JOX2?>)jkzG&{j}^pRJ5#2A zj#wm~TdB0CavK!1Zt@lvUg(M!M@kb?qB@wiFyF^?JGG9~IzhwzKsHbfxy}Y>U5*$e zjyni0)(P96m$Ro+o^-Aq`dW#mo@cTwmL0ihQa=O*0U21jr6N$ElO9>VtmMu*t< z6SXtz?lbSOb{2cm>qRdDud;Z7P*0a-?0gg+Ib1f`9I{ccC?SzptTa;C)8!gpx|z5v zyi7iyd;xfzu}@P^*V}|0nwUNm3MmvpKr2up*E+Wtqw|;<#2bneym$K35*1 zGMdW6P#Ap505`_if_6SBkB}WpcAT>D;vDy=vD@@<*kfcLC;J3goTGd-k?F=8+)PW$ z1i}*uKWT89q~a-qBe=kFxJiU36MniJP95N;7(7woX9zz__&LC6;Zc*)D(ugbaL=2$ zM61*bG^f&>1`{Qc#RYqgPB)>SmVp@*W>R<&LUj@Hwa<9So!st)+1Cd3f7n5EB8doAe zKd;EWZ18uwL%>qP%Lu;$7(u&eek9AiYINZMpODu`zfO9&(y?f%i@Oy@kLu*|BqhHpGwVw1_q&I*@$%+mrE{w~A&bTXc z8_kKG>yz^~olSJ!frA_`%FcH08hceM&u%8Wh3rbQESrVrl?qkxsNbd%Xl9^Kw z$%>W~WV=sHxb--B87@%xjKUrWXp9SD{o;M31OK`4O;dex_LAR6em{6zsJdsj#y*mxl>VS}3=&$MXi-))CkI`#Kg}3@x;Or!@i&d*Fp#soBeJ>J zKL(fRN&ic@QeO@W%E|Ko$wGAK4+%mJS6P0NF#+*YfNPD(aHksmik|Rk zq)#V(254U60x1w@8hotSC;KeIXA`ahxQ;}K0Z=qDFt@NEQWPo5iDk#4C9(dIcm#c| zb1aZHIw-2jK+a_#=OGZ((d>9pQE5!38pC0CzBy}tz!}LoT|lQAo$7FSPC2er9$*;V zO@|*fN!KEMA!uCmY$+jlJb97vt@a^o3B5M?I^^qu$3+hm6v>m*eo<~5aZ{cC zDAlKQ2_!THk)kZ^E?;WO%kLl-iRUsZms4o~1@RQd<=o@AFUw~WSD5tfjXuw>q|}g7 zBb8DrChjVe{;wq?l25xSHKue8B$P-$l9YD~uQg+rjwG+65ug!-fwYAxMw4Pv+mSw+ zR7z=-LXgl0E|D=qB3C-+QubvcE#0)=bdowuErVJnG^9?3hsCjIBqPl=G2?z68#bkJ zJ&hY+Aa&u2sk_mn`{wx6-9)JwrRI>(A|+>a*$tANbX%CUPIp*pNvjpD*02y&X2qy( zHfhjWA5|MlZ7JOXiG@LWTQY}UCc8SfGo{~KUb&S@dn&i75-5n}%2qnDff3iily9}j z-A<(=l}=D9OIX6Y&c@EH;fu{3WV?{<3KlJ8LLThLWAai%HxnKk>4iHf+(n@~1msqx zT$0ivDWTaIAm44)?6vZba=0F}?xA%rtmG)Duq+`>W`4xU6D)V1X&>hK$a+%iMJ)mi z`GtX?%q8W>K4n>^4Ap^PHkBMIQ7GE1Wx8CWU)5$Uk90oi0?;QkGExP4o3l z4^kUJZ6vgc)i~rvnel*DpCuuiC48SYV2`fKHS zjLPFwo=_!JUb)7ba+|hg6R1q2@+6e<3L{(3J!QfZT45$pm`vem2soL*2^D6FS&ei? z=^0wj(s~Zo2_-+pJ#WeoE%`4{nM!3EloQLctR8I6S}n^n=**<^BAovex3HUK(mPt* zW>cC&X)dJyDF-1p&$QpQ9L%S-fZ9T66>=`@UNYfv&ACMs7E@RP0ToT&D9(_L*SY%$7}qNfo_GNKkSfSQx&`>Lb}kemnX1 z!6V;`7ArM1dZvT?08J>?**|OnK3Pq4;DW%ukj)IXF1%*^mftP z4G*!T1Y>;@?h~Vzrx2Dg3F*&B?*WZ6CogD79El>iU6o3|{&Uj~pX5(vFSUKt_CrH{ zl@yc|N`EaWePPn5XT9_#rLQP`4e5MH@(rKdrQ|V2Zb8)Htz-9%smG>y^;@dnQ9S_l zQc;r+W@4p9GSx0+Q36T6SQ2--k+S>Vg6c5N2lWGk`jJ5$L{Q9Exp7o%*MBlEXP?9* zhx?h{A$o`5)sxtWbL3wtGIEh2@=5ZS zvEWuJS&O27viz1DfIMu>Arft`04Ci!) za|Xik*%6ZGAVyEs>^O_`*`%w0zDQ#A-Rct}O!K233*u9~*H&c^=Q4=%5QL9VYV7$& zKc^91K)M>~>Yy=~7~&N!9&X?FQ1hrw?NM>m0L`@X$SlH$`GcOK`j#+PA)$h zDU>Jf6{>hRn4R64^L$D$S@ghk`3nA%42J&K_knB_>`(_L1sLp$~VL)ve&@BiE9i~Ji zH(F9wv0ZFuX4m2Vgm0zUp5|>ZF}*I&M>zI6A#UF)cCau8Yk%=}hS8B>bV3-(nj%HQ zbvAmamWVq@cOl&s^u-cmg@NS>k)|h`f^HVfTiUO^lfm4@V7eoiWHAg#F}&O8*&1mN z()WcGt2Q zLJmWSB7|h-1Z1&~T%!kSI`c^9lP&;_Vvm^=3}^`pn7@jBs1;Hxf`&4fJiQaT z)G`zYjPIW0>}_6AYt-VU!{ae~$7UML(kl={fc%J%Dr> zXm$gO`?-O}wkz-_Hi+zCviE~U9}_n>4lExqq3b^RT@E*d!cYpsARs3o=&ASyf4Hf| z`yh(?Ak`66M?&=_N?x2FW%MjPi-$;$CjBsITq&6>k2-liksU>pZj5Qo&h;ns2(_`) z#zCtknt!MvJtFo(vLpG$iC82SagSO6&-U^GJjMVXX8=!V02Sg*P6a0K9tk(z0%)!& zn7{xgGJq!$0CK220C`h0TRL;u?kQ7St2&A5WU5a?#hoYlYUKYUeTwOQ(tOgNq5drO z=b)pNDvw!TP2D6%&$m0KrcDl*2eZt7$W>B6<`9;X+29!tJzo4*C zCfj0Cm)$J0Z`P=1)1E_nE^M5$JRFrK{eL2#XZoKT5w%1)Z4{J90uGS?@0FN4^}Aoe2&-l$lD`?d}EE~Tk_wLKLDQhiZWTS%h;4+pQIni{z Sj;I7 zjJmj7uAdD5{$-E!;1Uj@QdMNF8BDa#E%gF4LI%&n0Co@zZ=~|r(KSc{)6Eoa=7l=k84ULog$BdQQJp4$+z6VO^UXVRy7w-iSB+kEc$_np1|Zq{ zs$s_FqyB7a(x^q_LKsM(pX5knOG8tXa2J_&hjuP&Q>#O*E;J-iHCd@iZt_L$V)O1+ zuO7Yn^e%yy%#XN?;CsuvU=dfA>Mk{Huja>P)Gnvi02(Gk6WP!r#jc=Gmdd-rtUYR7 zNvk2PMkiXmOAE`e)5le2?NjS&T8(L41FJlVezHuSaGADWwd<$_s0E?nHYoQayuvDX z!$@hKtj2|TAnEp`n7%B_U%6E3Y1Bi|5o-(&2xW@GYw4zq(K)v;wG3*R&`{}6F+#41 z(W|slG$nmK=^HB2>F!3OS1WxJ>1L#xgGSSmpP%ho7`yLspZu0&Taj%I)>nRc=yEerEfwh$*Uso0l)ja8d(yXoM&plj#1lHasn)@qHJbL@>2##i2@dW}dGUTS zhm+mMbvB{oVt)d6Q0PLTD+IKS`A!y*PIKK1|Ncsk-%0!~;@yGceB~4E%yf6R(Q7el zB!}xk`X18vg2r5JFeRMn?lbrt44mX}JqhTpM z>V19XO*nZ*SRl{7<>MUFJL$MMk9t1!0_b|(Law*b&Gbt2Azetis3M)=Vn(-AI!?Nn zbYIXo>%LB2OmYS{)b~3Qgi8pQ0%nG0WCkLxpV8?JBm_BJf6@a;mw`smvIauJ4K#Sf z)BaiwB0QMz{eaOomV#3uZwjPEmAAhiFnPwkULHbuDCJ?0(WTOcPXFtMo7h8Jx(6wa zpg0nu=4_f9W%Ny&R}YaMP5NQbIH96QaZfkK;3+M9njRrMmhd>hXndsyn!p&C_l87I z_o#V){UrY^hkK0PF9sw14*ujb~{*2LrQ8sNxy&a;Cg2`n)M?wT8byWh#|v zP>{bN*}5{tO*gvkAo)=aH-q#{(l1t|Q{611>nS~(^c>Q2L8Il1_jPWbvE%Rd*)yN) z0fC)}Gx7u@XgWIgG( zNN)g*(wv{)x4>;Q_$R$}yiIr$;dcNdvx}tL@vgDw>Fau%$!;OL6)Z|{vKyt}6252F zuz@}~+h}d4^*$_&1dtrx0%&1&JIp<#sr!KLPP!k$#pNw6lwpJW$mplF|MfBHU8Hw| zMr(m`oGIV3#GQ;-@Z|3k6W3{J{*>Zp6!$>%rCC1Y`P}FW^-Aw0y^r+%igd_*Ve~~x ze@Xf)(qAi`o)MOE@r}`Kv?cnM^mn8WfX20xZ89?4_XfX!;h`Mv2f{xRJ_s0hP3De_ zC=7pAv*%~xhln2r&T=7>&+Zq4Yv}OuSHedK{|1`@LFp?=HzeJt0xh5RUS)JgrLQL4nDjNE(HtSu zgVv;6Yt{zM{Of21Xa!-R!3(7JbScK}!{wI4rIJk}8&WnUt*1*jHdS*mOg4jTCRkjd zqC|04PuIlgZTfjeQ_|Oyz5z7qqV$S-x*H8H)n3p|gqsm=4jAdfBQfbW^mHvuXs6G> zT2g35p)~}aqon(0V|$^@$>G|NZAWl2dQiHD(!G!{z{!@+Ut@6@;}**bz~+4Zz5J6Lt|y&d zbRuw&oAQEeQL>livP{|1+}Gf2Dmhf5svvEtaeM;fa!uK!Da)ghPo)3~E@Oc_vFmMY z6YVGVAzMhcNZFi3zKa<)7)^Q-_cBbkn{-BBS9k*%L;nCQO35_Ik$(%jwbssSiD^%=omxyUgh)f z5u#&>jsuEejl9+(uc?$`eyIEw`KZZd0WUvB`EklmK-O{^a?!q}n4=hP(z|*h6DUoj z^rT8z(O6WTh9vXqDU)vdNKzw*n?z|crKcfjUZuM!MsLF1O#N=XX_-1A1i zq=VlVNKYj_4K%t4DA8eAV=AXe9=u3CB;0f}w`e>wXwIbhB1}|o8A9P(K@6D(%3XGr zX-f{`RODo4Q=3C=E;L-qB3VXop0T;@eHPCryMXLMu$aj$isTgJMPlwH=Km*G6C|m1R_3fr9gw&uC73K<-{ObA)|TL-Tc-%VDB^q+tD^ z6$aNym*3=YZxCKdc$L8zX{|PRrrw3t5ME1o9bjBOydz0VS zB>q78N6H5w`<5uIeJJ;nNjp^fnbILjhaoZN;t}_Yv1K~B|0~%eWPbyTJdjTWQ{C?d zXX1`4hdWC655mU)`_?Kfdx;qRfhOZG(tnda4jNC2apI|xXR;DhepKdUWM1hXQ$JMo zU#gW#If9VCj7Yi(ffRSL{BLsbFlahcB@Za%CmB4DK1J!YOxe52ooe*RgV}3`LP>{+0Qki-=$Bc_7_;Op7#5!{o^sP$QBwdU2g`ja|`$ppKB4an|^Q_ur>yWJrR@0H@E;hQI zhFp(yebSdGjf*9Vff@agUZ2b4r%~>5`PWH?o*KXt9e1sGGR_mSL5wKRX!}PlKq|u8;1P0DJ7%Ga$h9X9ft?$FnCY?h%3K}gaYEydh5v9vD zXP1`rJUaPw3gDn~+qcN|HuNkl+6`p^_Ov~%-3wNAaF}1$X(0b%Y zvYj)w#wDIjkS!rw3Kr!WXAqW`t@|0jTT|bk`~dQ0;E|*99#}k|(M@jFr`|UpDqWWtWm&M)s9*Hr2gqY)@rhBl|kpkO5z>J442=z5}W5#0bZnYpsmud$t#eVgnivhS3$ zvd*uuU6kESb_?09<*Y2dWo%bvw~^gW_Wg2JR`@lxo3bB}-AVRCV`XOZBV+GX_G7ZU z$nGv@L+%q}Bg%eC_A|13z@kCQmiMXf1nhI;)4q|P<#2n+?<2n-JSuy?0{J{zhEJk= zValGlzLois%2!mrhJse62+t(&akTr!jL9v%@hy$-XdF-@*$Tt>-i%gpZ~Q>xM;ZrV z;65T76v~72pN!uAg#0Ln`T2G{UD7J_B&_ z{v1ZH-spAu%E4Kr&n8_3v>#Sw1pSUF?i`c$XyU6x9S}fi;ZY-GgT#PX*a(=XOPYWjXcuS2ZOGODF-z5O{rW@w=;UR_Rnu6-JbMqpivW&lM+$+8m}zFbuejZkuMmxQ|d^m z6C`x5!a@0NtFyr$Op)K@aCZ>yLbxknq$h>x>1Ood7KCL#bJBN_?hYDVTX{7}+F(3R zNtHPOceiPs^^s!_YWGmP7aBW=b{Xz7BS(h-J!$l!5rKhZ#fsDMB9YOvG*h!l=a7zq zM);`~ey$m>YsTi$$fr>N15IRwj1A(IrQYT((7f$KuaI65Jj4{Tm||w6jFf+nL%!}n zJ6TMlFATIx@PsyEGw`z_hXqC_^g~fPeW+VB^a6dC&FIyLLM8Vg zjS)0P!a(yOtwA&==tdddZ>Pr}B0ieM9%~>P!=KaQ`wa1Ci9ZJ%g+0hR_`K0CHS{O(0_mxwr-A-Y(ai|U2b0sydsU0> z40lRi1=dSOMv5oRH%lsB=gH=E!HzxN^2RdS74o(Hrbmd;9fPYt)}fYYOhmU4h`2a z#p><~Grrd5?hP6%X{=JC)MZ6t%(m5LbeQF@{2Cf-X{>{ROpX=H9_#K+qi5^suP6N$ z=?zMU81_b^Lt4Y%CcTODJD~q_GmxcxO?p}LYBQxRl(s_pPhJJ&I=*LGYt5@|)V5Q5 z9~$y1!}4l}8FQD)Kgi)eps|z2hcJ?7o+|rMd}QE!pq(26VsOH z*?davGirOFAzA5`tk2DOY7!D9$=XX}AC3JmkZI-3uPi9|g-PA@?7yV+6{W8sp%cIw z&p$!;jX8N*=f9=%9i0PkFapY8Vaasg8-LO=`B@J41Nk4x9|VtvD+RZmpA2q!9a$M^ z5I#isFknn~WMju?R~D1+GUVNwL`jBh=JAWUHTB{1uXK;l{S7YiEUl;@r@!19Qrz!m zOwpU~Q5t{HI0ger%gmHo^{2tVuJ%d$i}2rsj|0Yehw-&rzU)eF{P;PZ|CfBF{v2e; zU$zioq$TK1mj6!jX2JusXpDy79`OshXbvf09GaC8uPor=;g)<-^Jt@Vd zQ72PlXBwZ^((`ALKbw3N@My7IL3Ui0emKYQ7a#Byyejc?iJu1?ozSR!HY7LMRN0L8 zd{Y*k>6HtpRHITI3U9G;0bC7(_iO83lW;A<7Xn7ni+;4h{C^Vzc90Kw)kSTY_76$jkO8RBN|@*!P%SSsbsW)*1` zwV~CP)-AA5=QHIEDSZ4HbnVP|ey#k29PU;c?P=TwgBLk1GsSf>bQCmNkzjIF6PIgz8!ZHR}@N%vJ6frp$kdcTI9AYDSb z6g2J?vM7VBVxGm9Yh)3+JX!D0^)q*QCErx_r#pad8C;ZQe7+xv$;8e;6Q0*s)CN%) zOyPbAIPao(PP8!9Jz)49`VRCE;zNlKI{^>5;f8ln{6XR)h>tu0mkq`Z@2dDi#77f< z_yj!c#u(mB@kfY{B|h#1To%qU{7%ImBmOw?CxD|Nk!z;Avy3-or(U=TR3=h+5=v!J zB00U?Q^sDkL4K0MO(Hv)?9*VGlM(sSM#c<=Z_?L?o+17$@#lc^wi_tQ2}wKhyz#$2 z?Sp@T{8aMOz~joM2V&VlG$GSXnEQ|yW>A<(;YAhF0wu9vs?_sYCS23g3$rQAp)eN$ zt4yGOBqV*BdB*>P7cAs(^T{tDzYsjzs6e8KpB1~8%(&qdZ!Ds*n8p$qh=IJs@Urpi zAMvGmDfwmOUjfgCHjrEBUN!hpToO6lYlL4Xyc{qxh=B(sM^~7zQbT`(!b%FOARzRN zfb12q+Tf?=A#4eK4dJzf*8#TBQzY$gny^+wUr*sJ3L79KLytw>MuT6}(BCG!iSRps zEp+Va`K}48H1y3BwourrLLg9xb!D7;&xB_*ceYX3PT_qOhzI3WsvRbToA|u{fWl4+ zA3{L-Q<3){8QixuGe_3NBD{<6ZonuC3_U}>qH>>@(L{s)l*VT?_P|I6FPZ-VYerlT5sf%f2unT|@tp!dDc&K0!#6+O_>RH>2pDC^tNwWfS%p#A zgIRVIG^wtxbo&FPA1NJ#gk*&RXl_f3+)pNC^^@P_a6eNxMBy+5^sO|O4C$}_Vop7c z{5Bgl7_nfk13Phq9Gd$QmHh6g8=!<2m%50iBFdQO^yMkYT>IaKgk$?^eLd(CuRh} z01C*d=1kBSPNQ==oipH|IZY4b7v$x;GYy}rt=(C~&n8|4I7(ph98zW5)pN|4s1a19 zaW0MXU?7ju0{GPZe523M#_#@UkIoz+G%cHx0fXjrue$fr0#yH$P-5*IjD(Xstq*5x<;x1K{Nm z;Qn!i8Fy*~SJG%mqY(^Tw9G(ueyPjO$2{>>=3K4~{MB?C)42u?VhIQ2ZJmC2&UdXD z$Mv>$9gP5uAPk&_OueVe+n_0iKcmwQsl?NWhk&D~hGef~d50Wp!>5~4td%ZIC4)*P z6r?HL($vI^MOv1c(zu?+4KQ$<$}JAcCanQ?qw)9X6zompn~`r09#u3L$d&y_WJreW zZDG=Sy?eH#)QVDTNN7A{r!lNJ9db9DuuzLg8wzbH+yVioE=_)1mah#-AETWq&uYE9 zl}dXmw?RP>PnFJi&~-4nl1{1LPP!xMPN0!d=%uDRtQXMPj4!g~ALMX%(C9*=D-47m zPDznffx8)9RmTx`lD>;{cctY~ojh&5+vu;hR&AknAH4L9M7>%H(Gg%K1+svx^PW#`Mg zj&76*bMN!QLlj0+co+gxpIwyi#uz+MFY6aM=kjIc``+?pOj)E)X`!2CR{N;8X49HOYc4G0Y?`MP<{5wQ z63@>kzkvKg@F>w`k(i|EC8P6{UPO8^=_R0(r7oHkEp#s%evX#9rNoyJe+4+MgY<~y z4RA?M!o6zB);c~tuTgoO%5o?us955?G&{S%tuW!HYF>DQ!b%FOAm9XYu%MV*ZFIY% z@}nGX4e7O{*MUZgWZGAT@L1Q%y=ltA7kvclsk}vH0~B04ISE;wHu-3MqdA}GS-eeW z6PL2bzA*l}!^A7OFUfyJ z{%i2a&}dBd=5pT{y+db+za{-0=>wqgG(=Vfmd`>%vLjTXD=u;0oA!nFW`3adBejFj z&~e~9-qH^Am!{JFWKwng{_AH-hbSF}g!lesoeiwMfE9(KQq-f;3;e~@DmVIU`<3bu zs=q-+ZAy_|jl72byWv$+2`P{fDs>z0gqO%l`?3e{Kc;Sc(x>WQs+Gz(mXN=E9-377c9?u`op2}1KP02v zs$OOJNk$d)PJxFq8O_dh?o@+cI>kqF8sXCkp8*)>QjjyiooQ^xt2}!a*|W)3QC8Ns zaOW7iUzZiDO7>i`=Yg#+;bvq6a?`VNf*HZgKw55gdRj(qAetG;$Or`ksX18@cfJKQ zYKic2xC z&MD|8JC_^0Pv;No5w1`862SEV=LADJS%F9}H7w7NQbSppS!pR*G6O7ATe*>(ba$x* zbmt$!%i%6#K$kP11_+3!lP9Nhg~4}dN90Pv4GA|=I4zjc(_LloEFFnmO}H`PYXGBW z27@8lr0rUxo7Z46D!J=O2S^8%PG{IDM%NnW=~U8bq(h*QY6&~jr5k*U1|24xK{yjI zE#1^PI|7q;SkCR=4R!l zM1zrNW+)U5X5|L6GQ+Ykk_D8xPIx(7O9s@60kuXzh_$#xF2c@GS~U zIgzc(4c@Csyp?c!!nXk~Z}5WJ;B_!n#DgDg{O=vib_$)OU3!j?C=k6*6gKj?c4dBpRH z7XU{WASJi2#3383Ie8>u&d=)fp;Jhw2o6p@D1))Ej6g#&>PvSqv;L_m|0sux(<-Lb z7Zz$$NT!u!rw^lF>Q7j{B_v%!y0iieq6l+FmIXQsM=Mh~6u!yZI> zFzNft=`gw9wxUl zCOU`cT%brxOupsHmz_)9JQHek^l6z-VF87O5D<1&Z}*a+Q+CNOa=1lA7ZY6q6crNN z`pE$AWy6Pd@*yuJzKr-QzG#VdyOJBB9mc$phH%+-y6ThCyTU0hcL3(oH zSuQ%zZ8W_5Nj^Pq6W>Jq9pLC(=SSsJ04V}7_pTWSFZ0G`8e3>=g@JsJ^mp$WI%9|Y zB8S^XbUV@afugwNL`zF#eBgE%zv^$|GL|5}ll+IuOFASyMeZZx&uQV4@-g{cr9e@Xl+;$JH+!$0f*@r~h4b;HtciGN4@0B{!kXn*;zSA_3P_`lBn9Dbni zBZY$yP(1s{7}Nb^@Wo*d|4jH0;lqGYf@DVmY-)yz^@}O>FZIf=RE|*j4GK;-UuFem z@btUkMLK(Ol=vUSj{(O;&XS!~(1!eJ{CgkE&vLlG$p20LIC#{699geQw$v~>?PQ;r ze@Ryw$nk>wW$p}=CAehpDl4qYFUf(zo4T$=W%)@43KUL(fGaGYxaP|Tu7&cFO_@8@ zq`KRXB1zL}luoB~1|*(?eC~nuh0iqp z9$;Jo*(F65=`4|foIBr?y#u^*0hMZ0szX7+?h}zOft~zyHOvUHuTSVJ~j1-)+c%iP!xzhr3qOc%Ux>tZy6rH zjQHim8vw^0Rcd^4ac?={E6i!5lLA-LX-KCL9Hgc=*Ii|3JDm==nrLI9*8oNNk?pFb zy}j1x`*lO?>qrMk2SFp?ynZgl&_VTmx>Jd!5e)&wZMIKo+@%})lb&OkYzEm(un4v+ z*EKP;g%-%BM6V}$15ji~T&{d9OC}8^J8m>*xu*IiI?d=bhl3o)czR0N_#4|LBScw z1i8#!7R#=Ed9H&wZM6}(olZwOo#5aq^^?<%yUs@Up6?TN2k9=PyMo5~mgGlJ*t;3t zeu~HMBz_n1?!Xbaj4Y%!-EH(d?T+^#eGln-L8EfV<@@zW_CR-^@!#r~D?Q2gA|C;d z#6+|Epgqene4S1u&_M`2Xp-UgTGM?-xG z7ZNT~I2e?UNX+2%Izo*TE+*U;Fita3AhV~kFpV?*Po2z2kS`%$s(k-=j#Siy>t}qH zro2D-0p!cT<2+@y-Xx6)2_kf{?bvknh(V;|#0Y!etA~Izf zb;Awse7g_%LEjWufo_x;UuyMuh{k9d55qtNGH)hN?A#c`SLhtd zBgDrN9|s%}3@nf($gmQFd(@17wTeGR<8c~KsNv!=EiUWn40Pkocxi|~i3v0&(s&XE z#sa}WSe8?kPkaIKg}`xVlZC&zRhfIqgoPJb z0`X16-;uwi4cUg5uUysBy=&Gp8@#od))rb@E1KzjS`>z+h}d4^*$_A zpS*Zsj!f|v%AN~m{8-l;AJEuI<3kv@CCSF+rG>K1yu1POktw}edF5j&yQu7jg2pIU z76Fo8ztNf1J^d-^&q(h9jR=a1vSr=JkW@DJxhd!9#;$v*?4zvz2S2;@E?f(Nc3 z<@&iaT>-ME`^ns(4)K4cdx-8~xVRcJLW;;Iw(=D27c=&5LeeC0ztT8D<2N;A)1xwU zq6^&bX6)8)y^qrPgT^r!s1`-?*_aH(+@HqZs$Y8lMgDK{$HB9)$S-pL7<)h)uz$%` z8pQs;{AEKKIN^|2sZN%ENsa@M?>Jm#`ANnB6iJJaYYmw5Ut(r1&d0vZ)NlokxRa|~WFSbmekRV92b;qw3^=s+sI&^X`d zm1x!Ea2JrSM!Gs^T(H7uyd)9nBWobnFynjeCDf!*i^hd8keFC;BF|l9@UE^t<+Tad zAzT+QYo~m8C_9}??Y!8GHubzwk4AkOm%vE&{$wmwCKErg0(WV-qxo|goy+MofP=Fu zlo#4%8|jF@{F<6T(tsjcf=k&ZbYP^dQk6NH^hU8y!%{ zppXfHBfbLm`SFH86H_kH4nb2Y*HgIx3SVN8fqGFSJ1*<}=0uAM;)U);Ge_%q=q8%Y zXf}t5%by?5FLW&oK0_ByX-T*h;nsjr7G?3zvOex+qtmspv?1M=^ev#1CoU6y@`TT| zGvSb)_^lM$Q@9NRf|oJ0bmKc1eN+qX?W8-B?gScTF-xA^NAZ1*>ukn@pUOYT;qIW( zg+^Bx2;W7baq`QMg6Obzt4Si&sVECF^9`8Z?9^&@`$5$Q2{u1Dw zvj`SQHE+CLfS&Yv(Tl)CqGU5o8LMR({r*n*Q4W_)I)`)=G!lhdowUZehWGl7v^?e` zo=?00ICE5{{&HMzqvvTg>O;DabP;G=u;QqUi}0pN%!Hbn_Be%N3Vk8)PE^nbD`h*w zx3u+HlptP0yc9UfS};QvhUjN-q=8R*f5HO@ml>QXYqt$F_!)%<5gttVe!$Gcc$vHt z@PN@fKJh^hAw87zFwjW0?6HI%{cyu?p5v4KAn_5zM*>IS{bYPm;zk*LT&Fu8B0ZY) z!%EBAm{Q-z7@etw_z}`$Nsj}~ERpWJd(_}j+JStG@Z*G^P*~n<>*K~7e6glu0^x~- zp9GBCDqdERS6tjv#)q^kJBj>c@=t?Db;7pyGVvnT6f=hCT=6qBo~7{|4CD(-ynEj0 z`?ajRKzb_aX`qpwftb~i+1%;IAJ;|xC$@ooTTvm9MHA=9l z(?;`t+bsVqhkKjeCVKC{Ls@naX#(Fhc(b;yn+b0rycIAmZ&swY>}KcQGknGe2w6he zMtnQ*_kky8-jg>tt_r=wq$jk^}6936=k!u=fs-qIlP~IVMms0Ft8!l5z6Rk^})Ig93sQXLn}<8)m85Wm&+4 zf&>wB1QVjDfS3~s1{B4dGpL}Vq9P(-e4qQCdLEW@{&@TQ-aS8u>#DAukb<`bE79g{~C3K|p2>Mk6w{zPr(f14{o z$l=1IBc!9CkvLVAvi@Ss;G5U^m}e1=6V6sR7?gFXdKmmgLk29%mJ;qoxHn*=WL`2S zN8We#G5l^F=W;snzQp?hN2-*iWU3N+A7_{_Z?un0e+mOA41|DG358^}0(Yj-J;OdW zXOSL6dN62QXCM}qkw6CbKu(pz4JAB`@NmG$U0B0?gt05aJ{lv*jv{+DSVTkCuS_J| zIYw_#dNk=Vq{o6r$kXMqf3C6nbg`~+WXF>|4=itcJSgwg&Nup~b`pRbZUX6vq$epY zeRWxAd9u+jYG-{4>8Yd>pfR)q^K4|fyDC&m6)wlD9TWYv=F-Zem4t;DA!`L)zR}-l z)+!)fNV*6#k~}EGS=}^)n`mw+CR{?eRACw8BLjR4-rh|Dki(@2mlK|@una?tIcIQl zygdS(CR{P?+21^pU`38>&diZj}3kWZ)0n3V{ z22WRbG2tr+FR1~`Bx8eTE4-BORfMlrI2e?vN!J+slitW{313I}dWEIzq}>e$uhQah zBjK9}->h&jE(@UCV(>kh!*36ct#-ig`{nAoAKXk{=1$09pvu>kEE8eCi@o{ zyk8633c`02UI`er6^pUF+&6rqM*LpltBBtR93?>pfyunn`;AWCAV13C9w5D%^ctll z0p-=$TBG-A3O-1B9qEUZmRI$%z0|`-Hy`K2euVU+q#si{Dsze=?s234NqhPU(od3p zO6gcMBm?Q5Hu|Y6J^c*n^`xIwS{AvLxmM2^y9~8-=#5IhMfz>h?|{Y?AcuuzB!=|o-Zf>XX0rFFyier=DCnE%D7Pu@Lo=Qj=xczF zXnaiL6Bx+GNTx)|6!)p|8#IkRBmX)1FTiW0A|lBW-CvsWqef~gm2FhMf`U^xJV^6o zqXOd#t9_KdA-|pc4)CbR=7g|v#+xPL#G_mjr$ zM|wZe+XWA$vJm^;{cP}u+Eo38@UMh-14drMNn&|;+fyoELeR-eyWh;+r6<}$_jkH` z;o=boSN1ZIB`h%{z?$HN~7|KyQ7TWua!q_(sf85 zU4sq>-7!Z0t@N>^>ykbWG;c;xt~BfouA?{O1i~j0t_PS&Beg-q)i?S%tqmHGK8bY0 znsk{ z+mJsQJmVgWL}af5qyI<87@R`79qINp>8Lx^=);umK)NI8PD;n3VW}lM8~vizF6D(`YKS-HD8J@f_2X>Q#s7Md(H0 z`Ky-MsWGD)>vd$2j+4#?oypAcKu|`xVUO&j>tWU(dXAp7deQ0)3t1?cm?i^$3=SUY zE1J^@_a)p9Fd`I@U2;P145RmH(EUjdAUzPYMkp+Ua*7JdWC_|c&DyWlS+oYx8Vn0H za-O^=NMc7;H^hu09UMB8#xNSgVIWqxf!S_^(VO%JjwC&b^w~9Nd6=JL^eak_COwAq zSkM^ZfGdvh2gf{q=7$K zF4a7$NvPUeOz8?rOCaIiK$87g-Id1wtNc>=X}-Hk{+{EmmcLp7NSEds`OnOwuU4K< zglkD(NBa7jbkN;k^#3S*Bk7w+-wfJcKrke0wN6XQzUH@>beKxFQd&l7IV99EvMq+} zGhgXS}S3pIKztI#c)!} zSJK^MT5Z+trM8ONebDr}qT0{A-=sP!JwRzSr8SU{e{imtJThd}KKXbc*?X;tN2~ZC z#dQ=Pf~b*{W)n8D!?itZ+A*pRM<`qhtDZL6Q(?pMlf>o(X8E){JDJQD3h05zx-hkrkolxjt zTfn_(UOn~RqW3nvci?IK!pWHl>^$z?HL1Qz?@@Z6(g!uANKTTYsoaMqHBjjzN*`1D z1QKei85OziQ)6$`fvumB{haIbvQpiiH zA^c!MrIzm>Df~oXmkPL^7)t8TCN$KG`Gvx-6m~<<1js5&NokXr%jPsvXAhm<>FkAr zTq7?^{4>}6ValVkeeT>xWj~bzP>`PyuXriG{`_f1V?D`VH2$XX4-8+NL)lU(mSU`i z?8j_c6V?8sR_j7`QRJ`YXjzPhAF&RT-!heTGgS_kpQN8c>j$ zZlKNV=A>JYZVB4g%wgH%PFoyl*UH3}8mZP4+fY0iA|i#;$Yf=so9SszA>EF2d!?mO zE8WIZjehk?B$Fgm2htr$cLI$DAZ|t^Ia69er-b^{vrxED{R4 z9wwZuf%l})i$ZS*C{bvd%X$`4H2Rn^Tz8W=okm|8{a|ET40v%aZ;52lf@*h$Szlk^ zBi5hR09pfKX~eQnp3XF(tw!uD3WF#NR-wwtHk-0QkQ-vc41Jsqr7(=ba0tE%3dfV! zMqP#`nbTfRGLp_HI%mVdTTf}g%2N359K$DRJvy5B7~*4r>qTT^g|Tx@I90jtMtB}z z1YJ_Zl`qztvg})XH7I93%*wJrH+)tyG)FzxPs!{ z6jws@B|REMRdSCBQ5Ei`u!_Qc5Hj_sHk$7@oTr7KEH zJ|FO9O|7_$7sW(?M)9Uh_aD2>NpXgY*zro-bVX6dP(p!g)k zry!!aEz_8!H!1V5Fuv$%lb+JyB+pPNBDih9{@%~ zBxw1j{h`r2H0X~=e@yz5nsnTKYV@~Ce@6Oq(qDi^L;^DP!F_4)L#Qw0a9as)Bm5O$ zUtr~f^VdfA(DeI;^mfuaKqDJemPu8fS1H+4o|xa7bgI6F`;OB0ly*WwyCoqN><`A? z@CqU$(fN_=Ph@w2^;J$3{Rep%|7=Pxjngkwex0?RP zC4F2?T6S45x}VY~kUo)gJ_}E*6z}9j%N%Q~B29+mJsQJnB!Wd1JAH zl+5O9YsOh>oI;}=jrK5*|E;TvO7~Qgp3u%}2TC0&b%NycbPP>ina14NltFr)E>yZw z=>|owBreI@-T1-EpGH1FK3J2_mUlcM*vOIj#Ji~-8+Gp-h zVE~1J5PYpAgM7|3dV~gl7U@Bx2iK&-Zivw%l^#lZ80q1lecETqOCmSI_)*G_BtMG$ z+2B#5B&5HOzJuXgH0q;?k0Cx5xX;*GQI|yD$(?J?IeLn5bjH&;4~|~0jDRwFw9*qu zPb595CY|Lb8$CwpDWs>8PJl-A@orQmq~;jDe2RZ?$o&>H@iMxEG$7j#RF(=m67+ym_ecC2EGrxSMbMaeDVIC%=IF!bACN zx5)V8m0wK$3i3<9Yiy$KN~0%gY?hL~iuBc>EjIE^@EYS!)X=Xbe;xVj59Q^x<+l+6Z{O#oLAb%%#y0Q#odX87fZzlihp?uK2W_%0f zw~&9G{2Pbz(hV@arSfl)f1CU}hw@?fuJNsue~{`Cm|n|LRa)It0d_to%3Rx0By-D4*rNHNLI# z-;w{G{LVx9xckBQQX}9m;3BpN(&){4eBxCBGZIPaPTb{hQGVO`ScYeHNd^Q#JH`Ri|N50m@>=DS{8u1Cc z!{modpP-ZShs#gWCm?_1p?t(0WqfDlYm=`-{^&#bs5{2^F3KNEzApLW4&`I+c;mY& ze**av$=5rSm(ACV@1}eM@+XmRcqkutjg0TEd}H!W$TvNd&vwm>KTY}OWRC`$KtI3)T3r@*T)`B;V;!KI}RhA5p#w`L5)< z9m+>scjKeVpGH1FJ_z17pR$7(gAy_!M+-ohLWDvTf)#*h)WwXC=?SvP$H`|O%Ew#} z5 zIow&K2az5O8qarG8KFqVwqRG6A*MX~4h@+BL1h?~;ZXRxAP^5oM|yUkC0zw$J3}g$KZQrl9k!bgvSsb3mA7xKDfwIHL^PNxh8bmnx`1>c=_1ffciDi4`%=qi15=*d?3H3FB~(hGAR(tEWRhE%!L4<| zeu{88;pu>pi;I&ou?al@?=0g60*%rqPWn8;_pSZ#3o;vL0M$$Ktz8N%d3y^$=*TsPOu0#H(!=4y362{CdmrIcN1O- z7}tpGoh_f_?=il&X7GE-uOfdRc)Uo;$9pO#JFmO@&3LwcPK)8JP6>gFxNZxen8FzYed#Y7h9&z1Y|t|`C0 z;lqEA%KKD4fP(vwn_n~|oyc_`8b3sH-bds=CjSX|c0nasg9VidnY8<7WT#~l7w(0y(4MYRi=RCYo^DNW0Ixjz_NaD!)mB>NNDU0`u7QY4D; zYV~L1mo4)AFXVqEzZ*OX9u|a6XJ$i~an!5w4|2FYG=8VC7Y3>$DcbUh{12ng(6rr0 zdOzs{pmDjf7+JDF1|U>Ro8Oc%K_8{RsQgXkA1EkERVl1hA^G)R6K3c_d;d|WbqO2& z@|Q7^0TeQJ_AvR+Oq2fsUB~lq`AM4mq>luR+%2oM$_!_N%XAWNZNha3AFZ$?y)^a> zF4VL?mT+Cd#{t%q3A^Ks?yo6x0_hV;*8`33u#ypS3#CDVi%q-wW<92Pp#iOvXf=d| z`-PFhIVt4sMrI7qsg{jtG@;Q{4O#pLGc+YnG&7_5-x8D@t~resG+M$y%w&d4QEAaE zeyWVPR%R_9>~C9ZT5V{Z3=1)1tmHIl*Vc>~pWrNVo>OSFqtPA)z6HoIKUsf;Yt^OQ zsV1$@^{44TsUxLMkWit?9#JwDLYjRtWTvw@{kwXn3!ScXy1~IM4~Jww>+S|m8!W%c z;Z7qQARGjYSRsE$WPxFM7*)8CNdxp|hABlTMIj-{GQ(V@T97$waThadihkF~q7|o= z4GX7|iR~OcA%(Eo^)TsY9aGSgQZGuqAt3=|kvUmiH1q81W6p7vJ^@ar)0a*^I4FfV zC6!4@Gfb#E!<0dKbNW*mKxH5lepHuakhkm@y_>l#ccz&GH7(AfIf&+9m`H7DRLEE( zgGXtrVkqHZgogu0VV44i#Us;hgb67vWFskzqHwkfXep!5sqr62VLXNNARvKp&E>e0GCcTvbFS7l-2^%l=}dxyr*fuE=O!C|hBoP@ z5T8ms0UR|2TZ}Hp=++u|F6lhdNzjN;VRbnNP?pN3p!wzu?Bwrw0i8lRMQ{)y8Q7VU zcly%|zwjE57ZWcbUaEMB3UZ(gaPDt{`0rnz>IF zmdh`yNQXjhhA9OfN-X7YRa9nDsfL0}mMQ;I#AVS!sZM5@^O(;2pG{{DoeSU~EAhQ^ zIuvminotn&7kv?hiz!?J0VhGuh|iFsBuie*HD{1s%cXQKqcaZC>4P?GH++)fRO|5&WtfF!s6lB~y8MztQwZLFE1E; zMUIcsi-cbyyh&l%!ztumHu(M-9)5-JX2P!m_Pw2G@L+G}HPeRb{n|q9b!u-w^JORO z-ZVI&W#=uzZxen8Fxts7@z}j<>@v+e?~#3<><7x0%16%+jeTyoPnD0zeoXcguqa|h zQedP>BrT{<&DgIEj?ZX(PU8z0%s7=LQY2;B;V(_tqP@qh6t+?L3Ic9#x$HS7?|2I3 z0sXZpV|4w8Z>VgivI7b`sAvUBcKFu#v_8F(S)j!PMqd9gT?ftY5z(!>gi`JZ>_NQ5YFO`3k!~I3;Z(9Gr z!j*A_bDTBJ7f%10_CM$QsQyQ-)?9Wp*n@^JKEJs{AB94r)h2 z!<~|~H%f}6#d4JKr{TioaJ9+TA%8S@W(N5r&rOd={ruy|HndKL#Wc>64S;2{ z&9=tRY3t8&3i)>A+k;1GkOD2^9`LsDR5R|t-%`_mjib0AElg(SCcnw@FJhnnDL(HKNyFbs^) zls%F0UbR9tEae-uA?A(j=Fc>g-Y|N@;UQyZPLs(DBh0x-=P!(;Gm6gHaBy?wD}}5J z$5p1zF=elwW;B&CRK`L<{*l>(Xau`+jsIqXzqRAYk0*Z~c$5RVS29n(qB0Y)^UZo( z@6!ZY6KPF?g(pu)w%aapk_eMc7^93TPD4D1w1RE=6FkZg~J;fik8XV z)&+bKAr)Jhd7HyLl}y{FS59xbdYpAGJ7!A#&Z~0f?eFf-m!?-iuM!@{c89_Ndq`58 zVPd_gKVcQcnG~xbGB<=}b5q$rSq=wF#nABD$vEEB*6{Y(iA*aeaeXZs)XS?6T-vU1WJV0?Z#WfK5 zyvXA7Vy)qS>Uka{zK-}qz)=FF;V17w4wj^c&D*67rAO#JO7Agvh+i}iIOI{|9yjr_ zwEVjq?g@%dQhW*`J`7^DA*>Fqd)sH`J)zTM0sN^mD4$^f>lwha2msR$(fB;%)Rpcz zQ;*Yz=mx4AsXh-CccMI1?$>{nHQ`<`=>%tyf{O=@mvi-D`&D4wtaxa9fDKPW%nvt?=u?*KnFJ@>W+yZDu|ly=lRmuCE*4 zVlZzrn0F8i;wtkp<$ZIGyzs}E@ORDHI|`?k)4WIPeOe#D%Cwa7lk#p?o?IWA(Og?f zAJO=j#wRrmC$pZ??o%_`tMM6)&uM%C1JwYU$Nu}=m!`B-Wh<3!RK9|Otcmfb@<8!P zBi$zRhR*OM;2V0|>Ft1rQ_13unbeg1t4+CawET-4?mH^qQ`u=s%#fyf85JJ;-Duj@~9>uaw6i|*fa|AC9k3&$~c^IxMEpXU?fKhm`> zWw%NG@}a;_Uh-b?VUwUS>zeR`3Ptso^eN*yXk zLpeguT~;b(_85aF>gp-S60S@5IKX)J9&D7#@@djvGVNGxk)A;9L~8Y*@uIWKWW;%W zqkB#C7u|sLNu(PpT~;d35ZB1)^EFD1NjD+g6f`Q#YFYeIw$v+1>m1@{CbrTw!<$oV zL9r!7WSv}DIZ~#*nb*p^%YXCHYfY~Wy_4ag2FlLHDP3E`TW<9DDa6|mZx0;l8xMzM z87qU^t?_UN!W{{B0*tV;LJYgJ;Tx8DybJNJ#Jd4U*s@HT%=$L?_YodGjc|Z)5HP|H zL>YF-@Hg<_mBWRJM~Fv(BW#&YA8;{)+ZU0Q-VxzA;cUPNI}%{nJq(Xd@pw<-y@>Y) zjD(14g{#nR|JT;X77)d^GVf z#K!_hM6#r3;LbI8%dH+BM|eEp^8h34Q088qZ}{2Tx|%?IBJoMUeb^B<+29v7>?wq& z5>5a{9TE#yq$(06;gC$sFy-qjd~|ZDZTbzqmQSHNtci=1&t~vmL)sJRwhb{W+n4vlvtT*eXjLdids3f>Co`Ru2I3uVn@!b zu-5EpS{1Y^VKo;Eb;7~Z)vQ)zFA59e&)xpaRSaV$!>C3WXl47yYs}3uVW2)&XH%F% z;Q|O~J)!3$d&k{NuhpQnwSogZQ0_2gAhgGQ3p_kFOwpH}RE3AQC!QnxpPzvnJ~$zd~y> ztyf_&>x5BOUNib7rMHlNo%9=^QG7!(jZ=n}aFD5c)1((QSHDH+ZA$N`bg<0JrN3*^ zcUtD(qx3$d4aqVN&DkLi5^57!gO3T4R@ZlebwY20O{%iApQHAmysrJN((C@4oV<_=VE1ly*aEhFJdJ-l6Z1 zy5B5_KAN_B7{u=kVlRR~2988zBh*Uy?BM<|MSFm2q-LBA1)W{%OK_ z$NS3oFA9HC_ytf#Ax^3f9lE%d~(N_?R2QZv9#;b zJ`OgXwl$Jp1G2H8$6FY^HT_Ru7$-7}dI$r}|8y!B1DbN>ZJ4|*m(;0m;`A$gsy3i_ z62*oP(agaPT=I%)mMD!(si$vM8&hdQr70BFCSiF`ZYOGH)&i{`n$v1Qt0gR?QH`ri zAGBMUU8dL9nsyu7C&R`a(YK>*jsM~``B@Hk3i)>A+k?kt9eg|LPBrCveKXpDN=GW4 zpx~WljaOAAGI~v3K6EzoXMI`Kg=SZp-C!bec*bVQ)bH-bpRI-TH1YxRLGW6n<1S?M zIZB5~M@UCOqva>#)nq+Txk*VGt6uG5rmfcR(^=Hw)Uu(WxJdab$t)I97%B$#j_#WnF7(EJI93KdZy77#!wgw0Zk{F1{0JC@#h-ecc%O*hZ{$H zJn{2@BM)TDrBt}{jlOgvSfMA7o=AEUXr%89Db~q!Jc`jFlg*j2%3t~vI#cN+;IKI= ztyh<0@Tub%zU+}lIFE1=FfKP%ATKg7ry$>iW!k?ipioGm2m%UNx*Qvy<%Q(AJheZ5O&Vst=g1G6Rsd!2^i^*r7a{U z%`p65eY;Xcd?xW~;D~=HAPZ0BaRt9wrW_TJf04t@rZR`h1yFE?ip&zL7aIQKav%GP zh+jy$7m_Pl=Nk!=Yd9iWEIWI%zJV--;{#a5F3flSqKHsTzuUt zsZLA9v&fA3lYNvH)3}1h5*R*8@=EDSqsMBLmXf}T^wps8CS2bX`?q`YG0a_K>gKNy zF^Sr>RIj6YJycXa`W%xXqcS$W+TCE@ZTcv@k={-8Zia{ADg$L?bxj#%s^TpseyihU zZl$=4;&OX`;AX^lAq;p50GC?ehv7V>3^{8?$(;RPSgKEs_Upe z1QoN!4mQPoLgJg6-W2z+g_76GXO~A9%A*YBF@%Do$xW13NSiJ%^DKDWtnarX(h}__ zXgx{mDOgAvJ&ioC+|%Y8v8O2k+v6U5~wn)3zO!;o9{EHlJ z3zgTYya5H(T}WHRZ<_Gc8RTX4Dhh8?cn5-Aki0^8*ZBMNg5D$lKKT#8YiSO;4~;%o zOY=vhKPLSN=>OIJs*#~SHM^I#zdob=IqffCADVbIo~2)!JXI5KE9GsJzk-ZXog*X8 zi<2{wWmw-@O1Jyk#NnU$6#0hYc8WV7qUlq!%_#k=Z%vz|k^PR^_tbVm>mpjBLe4w54%)B&T>PxzjyGwop6CQhCsL{hDf1mn&m+^Haxp(AJlY8$F2Lq$ZfM^251wl%HoJg=QXtsS-Y(2%`!fKMi#r<%3k zHXqLpv^vu21WRkDkn3#pIIW$!knT#l8)&qxf{~ycuDjtQ^iASv!~?{Ghu|R>GJK@s zVd4?uQQ#OV=*NK_e9d9sI%5{XOdYP3#Sr2QAsZo}pK$P7XH^oTY)ca}i%Mk@dk^!Q z>G#f_^n20o4WExvd}Yh1a}aMar77dG#634nBpZ6ald8f`GTYtkGUqzPWwvgQc9Omng7}Hv zB7HSz_6`D}h>X2-*BJj1s(U%ywdAiOe?55Kvp`V#_cs{bX@IA1Bz+UHWK%-W~MrRIf&pO%^IGb$6LJRNHJT z=-o|kB|OyKH9UJT=2gn@RdhS=u|NiCAontmRSe`l1cDOk2jW&?C!G7unX7sK0XnPc ztbv09CZ|Z2RhDA;y0xZ!sk!DsD(k2`1O;g$ueroJ_}-lkX)JGVg!_?rAfFI#TZ$n(Jvk3zOwe@?Xq7 zXY_UX5(PQj2GSczKd*F9>f?xe!RUxq$1jq8iS#DWXi3O?*qVd6UpB3LFwY^oom1OP z?Nw;F7-HCQun9f zOZ9gAMf`8#{{YAH1@&4qUxqX!m=R?Rnu!y%V*8I`t@-Ts$lpwH5;5iulmE>0cqS@+ zxcnqN9@0mGMyyI@Uu{`q^eDrx?(6SgZQ^x^9}S#kHJlZY?MIAWkn5B7SkiS#A7^wt z6p>{Dj2@fv^a-R-BwY_QqJmj`vMfq{!)NGxs0PGOBHj=<%Yy7^>>3%oE8xR!Ot=Z* zrV7jS$*5~)a6!I@n-gw9xMdAE=2{tCq;PA(Z3v$X7%3wAy-GaV8vSGgAM`1t+mUV$ z8V}FXlzhFBxnHLmKY5sTPRMs8-w8ZBq?Pi0M@RX}INHwU&ArZhUFdbC*9{&T861e1 z_T7o@CjGS9OQ%r^PzpjqwO>(Pp7aB|UC5kY@AOWXPJ~Vr4$7Q=9Oh;Ay@{FCU7vqh zwBod~VWECK*j-NNB&%f=4A;ZV3EGG4NwXKt-Z1eEGF>U}W{PAytgoSyd43YEJbn9E z7~3>)PG=Z>8Ad;Z!Hgz}D*L>gVR*IT{fQ4CJ`gzWuuE3s%a74LF7yd<7U@Bx2ZKfr zT_Y%;DGtVLh{;>^R6{8bqdXikp7EKvuec9xgemXz^yeE%WfYaOp|C_sanEw+7(Gdg z`)JZ*NRI`L{HIfS&NY6aE-5gM{CM)`fj?aM+;Z86#MoQ+$WL;(31ladodg!i>gUN! zHoUREYneiPD)9txjd`rOai6L^H14>5bVm=Fqr6jf5^V6=L33>ww9j%q;D5iyhxOYRnP%e4V` zE8S&um&3&vm3*l}k(X**n52o!Ud(p4SrBs@_*A@|LEOP0?nDr%hq;PPZjzg|+-1&` z%e}LL&fRoY!pYp!Ea@5FWAul5Q|~3ciu8S;Guf;(Pc{RQ%evo;jz7w&)`gzdE>%xZJ z3kDzehlgJz{1V|!fEl!`5;w)YY;?H>{R-*Lq+eAUS!s%U&FG(WY{M4PuakZQG#Zzf z6i||^nBv|vq5Y>mGH+3Mo5DK~5E-nnFvY!Vbbo!Z^B(E1)^z`l^!KE9Djk&7`Lf*)MsL#I%#WmhBE1VVqAeeQ zq`~ceHr(lFpI?aoN_;nP)Dtp?t1@4{g5cYuYyrzf`hGKagf6YNhwkrm_rlFoVu9?O z+(1CSqy1q@MP~_B4!4iWekuo`uwE!Ea@dHfLfSfinlo^ruNVHJ^EaJ;;2^a^p->>^ z{xv!~%oE5qBcy9x&c1{EWdVppq=#~t{8y&y@OIL}hs#gWbs&5sU}REWePO!59c99m zddamZ)S+-R1f*^yM*1Y(F@{&%>!W@w@w&v11CG)die<}2BL-ifqbg1yd?Mj`3OgC= zvmn z8gSHgHn@YrT?lt2+^q&2bKMQ@sPJio1B8Qs(Y;7#RGtw!aVt14wpqCP9YltE;byIc?UfVetHyHnYK^37vbK35qd;J?_?xDjUDt&tx|V-$_EVK8ZAQieOn;Nyq*;71c4LwGD; z&0=wPuF;D$i;W{ap7eR3Pn2N%y~RYuTp6dCbmyD6Pw(#piW4bLf`~g%o~X`|WrSql zmkFOu^~G=sg{c%05Ktdr-m(f|)v5uQo78Za|;FqWxJW|`1wsuyNcm_y+L2zW%GHp%9IlYqO>oW**> zFQRiXolD>#M)A0OT9|9_2@m@dTuS&d!t($lM%kJ~^Gz7C(F>PTSU_Q+3NaNHnNX$! z_7+pPg2ECNf+}2TLaL)b!%_-YQMg)#%mfvgS$B;If9V;nrEndE>mi`Hh3%%@V8$M; zTyCUs6OEhAu$*y=85fWCk-C+}G8)U(IG8bRGh_B0-ngB{9W?HQft1aPWCjYkyG*!I zg%uR;rmzwME+c43dyg4mZD`+1V-=12%m`@O-fzakcxfSrdw|Aj8f(-D**Vsl@ti)0 zAEdF4#zQc08KKN&MBKwBjMulek5G7&!ebEliat9_mLQOk?3u+`A2)4@=GrHyJxT2; zXpQAOsGll|N|UnpZix&?l%aUiGLqWrY4bxmtNI!G>*+rWKhw$L=#{iA((9fx=g9fK z2HHSpBc12rWL|c0KRYa@lnS{Q%sQZ7kYA+r60J?JQ2hq712Wt0Wuu$n#hx7Q71EnY zzX}?aqHI`PmYV5aGyEo9U40Aj*NMLY9GM^#l5cmhv_$7kGYYkh_ZE$}X}kji#XXW+ zC{tJrK2x7F?-72V@COP9vdcp5LxbaZK*-@fBK$GoPZW;HcSrZB!Rr@$_%p(v6aE4) zD(FC{vRwL~^3Ka)-%(W_ku)G!Gvx zKS|Gk^pT)5c{q-gJj(EIG!NG%UWfS6z?p}$qS8x4avo#GoxOZ?j-^qT#&Iw*l}tFC z9hCGr-h?uJP@h2IL<;pFpuvi1Mm95{zDZp!@x{FXrIRQ%goG^WTS6%7jZE34ZJ@?f znowy9g_$BM-`$%TT(5_}ispn{5N@e(7D8@iaP}$>w1Qal#Sipge5oee)}p~t%r?@GKIaOA6KEF6hR z)4aR!M_lar)5r(N2f-s9B^wIzL^w;9@r}qidYJISxnAf=p%;bT5Rgb&vVFUJDeGf+)k=?_PP{Mieu_u4 zWAa7SoniR2%RJtn_yFPqfg_QEp_qLA3c53mf47O}&mupF{9y2iK8J;5%j(TTOmO;f ze<+1v6ox}U^kboTEIZ;x82pQd*cR`;Hjg ze2~9URfJ~}t_FRgs#JDyhI0!`GP9H0e|J zT1wYZx*ie=jVvFOz}~e5?glg7Ti}fwY1~BPW*CSXmMkl%PRsWR`D9>D-Z9>}mCiCc z%i$oiR$@)83RxKaHWP~O@xtvC?x1id1Z^_Qs(fWK&L45R%d{Ib306?Mo7zff%qLlr z2i-kJ|2R%gE{D69^eWQ#fo2xOa*OvH{OnL4qX!7DCcFkPgAT{#eaBj(HxKhcKS+8V z>4%h#W(TD#JbaM8)YFfUew6fMpnZl4xW^4%c&CS-Ap9iZrvT&2GBQ-G#(P=ko;LF) zO`T_GuBZ7dOwEc}whGsCX5FmT23i|wJr9coq*T7urupvX1yjDzVe>Cid5OvUUn+8`N>2Ka! zgx@Co4q)WjyhJru2bSvKBMzFoiE^M#TIv88hwl2imjx#k^Txal1Uc6mxXn?y3^OD z+^*vgzM-<6$_^-~#8c%7`MT%6HT=!_-?UeLmc#u> z{wMOgz-Ri4xkWBlCkFg%*5kT`!7sFarL`LtK8DEn2KSq>TkHB5?IHU+*}Y(KpVK9Y z9QTL8qxBZ-BfOvR0l=uuB!N;XtTgZbG~-@PpTB7QP2(RJxZreUnJA_1U*k9F_=W$- z*ILMKg8XH4ud?aAp-O`k73E_@1`a!K>YLl)*`e@Lo zzfrKWv7Qxfz%eG>s#)S#N_8n62Z_yq?5wN+W=J1z!ZH<3pl~9EdJs^v%2-~9X)UsL zIu?SiZ(6XczYPtjokXo6G^SI9?1?1f& zp(O-g5@ZljlH; z@SSQ>UH!_`fl^0Gogg7+$<4_M!E~L?xLu>zg+^Bz-C!`q3NwpfcQ?LVpR1>l50DRn zN3?28dQZEMNx$fP_b{ahr6?qgR#=|jvVXZ5cWSh_dHXUWM2{!Ue?0YpTYnN10iVaBNc^- z3U{U%cWLa;qA`fZU>K~QWEgZxMh^@zKDx_CX(;(&AR(4BAE3cctF)Fx7!1PvE036zUf9w!?=T33abLVhawgz|aGOwr3RzQF+rMh=%t zK9777eCEF8$byZsF?qfTqptNAUO=IcLJl(tkAww{?`{Iy!1tH{qJ zUkx4^yP`5j7Wg%Ipbi0?O?VFB3lvUQROY!04SxI@AODL8UrhKCg>w?sX*bv4!#_a6 zOVVFT_%g!t6n0tC!Fbr20UUBuZ!o%tj^4PD^i8C1 z293C&`pm+d2jf@j?Yx!zGV;s8qospc=VjO%FYRtKT@9`t#A0_{o@-l5yW=y2r z~6n}>Jdg9Ll$BS^>HrXaY>RczwUP%A#ITP>E`?rDO zMvBiv#KTOsH<86`($&%@EpsoJ)cIB)xfdzDL}?Qw-|5ZDE-xy_O?=s$d-X)G(AiAq zRXDgSmc%j}+>|Rcjki#Foyr?fn9mb4WVzWljqd%mgd>N0i}c&1-vRA&Zag5nU%qSn zeHx+n$iGki1Mr7QC>3${p`inHVd{^FeoXWepomCT7;pbRHTs3+h=xSuGt!@v{z7TF z7xAF`(&+m&8e2(kBmEU`79;L02b1!8o^$#X|ulphVNZ}_6yC9$}$XXKeC8}DCpUwF5PamaUX#7fJ zHw>I2#TAh;TiXPujiEghey6Y(0{-*H{3`B{;d(tBOYr-k3d@}tYGO9VY*o=`XC-n|8STB>e@_ zM}kI#GQs1v9c4xf4Zk*xIy8=kfh;651SB@c7~LO@V>#Thr0bGC4m1iF$EL^}R$RgH z<}B^+uiykaC(@}02PIi{$l?x{+$O8ONwqiQG;*Q_lun}55E8zdpvsW6#jvp)88`15 znHRg+pR6&xCiI%Z!{tanU82^^=wr2q-kfv`(k(%w8!1(iYh~>6H{~ZeTx+sz$es)q zA?Gt5ZH;c$z{leh((OpM2aOxymzkHioN7i(Ez2EfbfnP<29qgQ7NkgH%PWyOo7Cw= zL`fpmg;G~a-5?>uN?n)4z36WI$NIAFH1YxRLGY;TWI-tDx8)*@LZ&=-l)sWNl?at6 z6x@lL9VL|Sn0d3blaxg-PA?lCa(cRGmQ=%Xq8=vH)vk9>3cV=whJXY{PM0Ngjb5WU z{dCfON%vDaFHtTV;GJRg>H8!IIb46z14s`9jmDZh5)$rAgJ*~R6`w_T5aGdq@rYy4 zvT32=eKqW%#D@_d4jl1D*s^1x(Q`ELk)%hFJ{vS{Gp^FcR-9wfTD{oOl*UjR3rUkk zzA_m7pwi<=k0*T|Xym|__xis@=CSf9PgyrL#d{7Izd=qwz zm*3@Z1r!P?6v^Mpj#OlpTV@%EX{Ky%@0DUIB~(h~@A%g85B4!fMt90L8u{)L#@Cwc zP&g}&HOh3s)S$I%gXu?A(Ttwkw3YS1Y zuJfO1Gat0)npAtfzrUAKx{T61m5R#pD&_5yj98QY@_dtqbobKblon802ni)E5RrZC z78x8v63XEg6TX7*5{2XP^~_yqaMd~wFC}~x;j01jM#wNPj69ZQ{;x6Rx>a7emdbTh zu7`riWMg#X4F(T++QT;zzKQV73QJ_d?iPcmYh-REyo~U2g)#Hc-DdDslsh@x?S$_j zd?#Qn^KpDVW9P!8hxL}NpmaB-m5^|`p}39my2q3w`tUUJIfBY6D)*UkaMafQraT$- z$^%qZQ(2>m>@TU~oz|KX&G*WKRMt^>2nrH4lqGeU?BK7zJWh&aAb`S{u#pS2|o*1i%qtB&ge%pNjH$*NcwruC^nge zd1Vyb3ntt@&j zjAUggqaW88eMI_W(w~6lYf%{l^1p|ReQIt{$AWxD_j9^mz|}L!D!WEMp=a7kdK>Al zK%-ruap|_ph4tPidU6Kp~L%ua<#)tAxa=7p4d{1X59NhR^sljBp zMBM#g!hvnTMfj1zPZV}RKobChWW%2g|6?0q!G9tCEAidHapk~6?l+_NZUZay9@4*) z-V53SkGek$-?xplOlcs#pZEdbcsR?%iOe2mQZQuSbhCcY5p{pj`kU52u#mN~WR`tE z7Crvg_(A&2`j33A#q4LuU-IFIyv~-d(uc_pnVv?!5k6Lj%TLnNAb%uyT!f6>z{rrJ z41cAG$7>U>L;PsPWt;~_h8$yf)oPC)OS~@ePb`^LdDq*HVj-NQw|LF5o}DQ36-W$aQQNJ0^f0(8NO(($D0#x zLA<5nGR^`+Gg=w``eKi_CfAs}g}6v;Aod2Wc|_4O;mP~yXg4+oAap-gu+ltoo!LWEhH#`qF4 zlGZ3%XTw6SDy)>7a*n}EI(m3C;W32A0!EBv+dNqm)}3qkYHjw7BR-z^dB8I_BOVBF zpz!%-yr!2tfyP7{lVBh=!7Q2XIoaSDIx2e#;i-fZfRV>@QrNgcqMu{JJ^H#hmqH$e zBm~4q_I{j^*#Rlvj9I_RKgi(Yf|1D_aVgN#jNYQLFD6|=x)d}bgf~U_f3D1g z4v+ZsOi?JOFdYJd50Z99-`ojNk;tS;SCFn$Iz)Pg(f9ZFbQS5Dq^p$(hKOtt)6PfrZA5oJJM{DoRLZD8p(YqcVrU^&{Q^hh=sWP{?S_)86nS8r) zH<-Le7e=^|@=cU)hKximlCcV9c^Da0jsGDXFxf*T;chX#L&Tr^R_e>BFNcmA3ljuV zm9D5LC5e2SN%^|o{q2 zifbU^5ig57aXB%W34#A1Tl%=QrWWga!3U|Xqxuk3+|C(AQjM1tNj8!dizG=OHm~>n z{*;f6N?#V08~1#yUoD3VydlC=c)@sdTq|9}5i3RRA5 z(;m!8l;p|BsM3_|Z7I_=?3C@aig|{oT+dTJi&M6dQ(|}SL}h^l;iSHFIYl`+@~ytI ztRkmU)&tKicF$QrH=ZH99Bu;x+Q@*OM?mf5*PO}qZ9-sp4XPnd z3uo51KAcw=&Sr-5D#Ageq%cb~Dx@q+L!mG?m6Dv7!fPvuj4XsHTiYk9+-nwCN=x?^ z2KG7wdjo;BL|~F4++9+ZJ(pET66w68>@b&;ERjv)Wl)%flC#%G=`DuxHbZ#_p`0TB zfSoB(za(Wf@kC*MqFRbUGGE%R#h8LD-&$pvuXio1KF9ft_8!A}pJ9D~un;5J>s*Aw zL`kwx7Wk>gRB5@eX);+*M$WkpEtD+nAb!M9K4vJNAQZ%C8dm(rSi2I*My@1LDGM#g z1)|!OB+8XtOq1?Y3u}4Q$LKSL^*O`(Lc@|lF_MENxiQ{DmfI~wJz9!d82?9tlf6m4 zw6IEaCec=gwT)qYg|Kk*gqO*i@>lMXq`X{F3UduA3R1G$X|*Ies)4U9u$?+b`Wpte zoq_E@V8~JOVZc?F7s+U%GFiF4SUwY!<)uo>3mw{A(q{SA!r7ARFYr5t^F71aiE#9Z zA96n!{klH!e0O|i|4QUTh75Ks$*E3PmdcDM*(ISwcIcM1hw(qkks;mB7T81I zNlfK%zc8?08Q5+F)6nP%=U~S)C)p5sT9~u3CmZCrah3snp<(Rdy>2sqJSX$l+Quq&5ucWQ5d4eicE+ zRF%q$L2;$tmHkL7q~c8#%eWwXl5=e>pt(B`j0AKF18T>B+9RM=@~b>7QYC48bSf*5 z0Hr=GOBa+>mq|lDkyq_bwP2pr!M7b4Oh*RO3BjOl%#+U(Xc-kHWo-vM1gd3wivnLQ zxy}~KKK)M9g`sq1DBTbW>mV5jUXe-{mSVFDCqt;@iB?ilE`iF2H#8|y@^g0!Z2kbB z*rzeD00RpmFhoh7>=lxiN-EHhk)oO^%}JwWD+7?F9Tl=ry4~bM2{V)kLy01k77|Lx zKj?Ghk&%|iw!99Mzw$JZms~DpfvnJ{bru7OGmvZqf~aJk^D<%!_nuGsLV3Ox%R?58 zvK|&n`9}iF;d(NZUJRu-LP1wVpY~Fh^4TwODJhY=&F8G-hYD%3NgD3=3+3=A-@$Y5;>8h@jdas8mi)rnzvi zNna&f=wQH6zASX+&a{B;)OzDA1~iBP4MsrC5RfZMm*+{XotLPR!j^gJ=cV#wjnN?% zM1QRnhBAm@3}QHfKwR=tsgmlvRAqr&RR#ZtG#_M^eo3`F8ssN8!UF1en7{cW8PF&O zbhZX0wPaakvLs)=)k$aDHy%n-)p>G7>1yekonrx2)$sw1WEpdDP%ZB2nThV)bXenQzd26xh$6;OLOxorG}H+DK)p7X2F#8 z^wBA1FeMD86v3bcaIhhThLMbCm;5X_>VG$lT$zP;LO&l~is6+ryy*z94Z>p^s#GfH zM76vW%S{!aJy|6gB84WiJWDK~n}_*;(hR7A0aYR(Bza0^h)b>J%9G`Z$`ZVEDNjlf zuG!w2VL{!l{k19vHIqSABPi5N@*$xZyQrs&i)2HbvP3B!B$Df0B1Z=L&azOJ7x)Ox zW+-zQ%KxM5P2g=R`~Pou?goVnA(RkG{82KJecGrIOUj-xagB14EW zRi;WajS3ASO^QmIqruQzD$PBg&u3rPm;3iT&wBm;?tc5c-`};?wXU_+HLtOZ(h*Ut zc!%mDk|)n07qU!?8VR0wTm&EE6y3EJEiE(?U#Do-E7}c=#u9R}5_Kz_RI)0+5_vI+ z|HX5=%8GOt<>79$SPQ55BO9k!;}vTHV=<}toh*E(0guWmOb@AWRlJ)q+6BMh%~Dm2 z<@F|7sOQ4ykDC-~l0r>pDCR0W^SRVmK5Jh1s76IKzt(~`2^P95YCj>d5Fq)r(^l>$K z?Bk_SQ-p;8_zyBW<~_}_a0|j1##p>9%&9?Y6}j6i#8VIZ zBf4E7<|@QIhKM2rYO%#hHibkJxtza($5DPc9&osRToWdVtEZt}iBT1J3L|T{`4+jn ztB<@ukryiR9gNI$&&f|cwG8igjjugbBQVwJno!VKRE8k@UIVHPRO zVuoSi5*G~j8;vDqq+RcKyi~?A8FvSx08bHowFXTQ_n5J_sW`I1Z<8fsLN6ouO4IdKj@W+HdF8m4NY@9)} zNF|<77}0}jCerXp^V;vlpRu{8)k1i~gg?W@cvHe=30s1IN=#}U!?#Sx z=;6=dZ3*v4*h+z!qAF2_hjcC4$qI`rQS9S-R2+tfG6BXrqWFw^ZvQjFy=!5&hDY2s zg?&$9-)C66M{2lE#s5=b{!*B~8777>Xl!OWvP`NKaF7!!D~qGPJen$AT1y$q zDh}&_Tj&kj5doX~SE1`nQ)>nOO?5N#ywt|!4#ID#mWp^dsk-Xzm15Q{P`R3WgoRkYf$ zc972wws6n7_7-N<8UAiLUST>YOh<-cVbWSzLjx=81^?4v>N;7dxuH;Vf_&NWwR} zmSB7k@;V+SmAJHcdEr~R7N2_gxNIC+E!v24s*y;wi7}Whg#~hxQM~@u!tV=%=#WkI z$5yezpG+jsZ-8l1-E9wvl|ChVXbpc%sr#iQIuc5Hw?q#%cGm z5Zm7diOrp-5WN-Re1>4g#k(0dCt4rJpj#PJt?|ETeN-D{HHwhDt`}IS%Ft`yN1^&E zR6mAd^6h`Mr@Ed}C2gnn;S zu2CMxor!vK>h+2Yi2e!uj^?BS3-q7R5niZ3MG92RKs+RL6Y?VRfc}44Zbn$7f{y-> zN))M7k;)k9P)4dKEF4i>=E{x#Zzs=Jh_4hsk~}W~3x^z=phtXpeqJrAoaOno&YAzt zL*7ryuaaL)p9NJkq@rel7Bn}?jQ&~PsF5*RMlB6?Os5KI=#xMO<_iE>evGNhLh0se zsn%)i)bL$ND?l`&Q z$6gsHFQLGJW`1<5C(w+ArE2k?W%yhKOEzd6a}zDr_E2NENwFp=)?~(N%UITx z=ifBd`Djze5D!#X*$Curwm>I^H_a3UnyNt47>Jh+Yu#a4_=4&}e7>Rr7oiGI4}6)) zO*emMl|QLl1 z+Y+xOOf9YD|6pJQ+l-3YVC(L&P<_LFa<4)ySE&0Kio;FDB#?HAG066~Rqi)wbLb~~ zK+=Pf9-_o^Nn`ajzXpA!>=sD4GQN1q3v&_}>42FAY({erTdd)sWAYKjTA^4g8LKT~ z<)Au(t^s8G{PG-p&>JryL`H2j2QALIm<0Ez1$zEH@YvjA3iP-FJ;6Y{qOrTIq+g60TCS*0jXGm1t!pdkuPNH`zs@xVh6XN#XP?!i4{ zaR%@3aaJqN8pT=5IIJAx!pE({aYSflW;X%;CshT+zlF(E+u5@g?a@6x+H;EbyrR9p zXe^%cwT5mygu=gQ3s%%BG&7>}1PzSqEX<+dz4oHQtXG%~48!Y|i?b?0p8)rysR;e$aX zJ`5kLLY190t-MtCzk9>{??WN)P5GPUZ=ug}4mv@QzgT}~6&8cRSVAvFmvgCm%R;mY z{WWhZ#5)SHl_6Rq1afN?26?Er21UkvhtelIYw(_Q?^=vE>iau+n_|4D81FL%FRfLj zINU0UX2&rJ^w;1mjc!PG*{ILPePGcxgx;DD740KM`GhAYjB*L`9eXFygNXUT7OQ7_pH#aPYqw(Uu~-%CTtU&C z1ipwy& z)BS2eF3I$}-=`qIDah{((vm@Nua}_C=6k8&;*o^rfu#GxBD4v`l0OyUFGcv95mYlR zu0)1{h&+$7GaGhGt8;RAG0+F^{;@Fcguy%iDomZ}Y9+zHskeJBhfCq1gz9LjQi>V| zdcE0i#r9Ws5Xe;9$*|CAUKc;1?L>hNW}tRBqq5>W-hJ$V=lzU_lEwm|b3qex~YpYlQ$zt6T${a^1 zR(-{4z*s6oAvcwx>m?tHx#5OD{}ARjoBL)cL>(!&k=({~nME+5qzdC)R6S-**10BT zt`0MCo60;&W;2?+HW(a(ZiY%cmht^b3>$N(O(%=`5*5|5?GBCAuAUcQz{NtLu*8&jj93G6tjZKbxO z%G}L20ZJjIt{TPa(jbSW;_mLGB7cj#rQl3eu55SjfgeMb%XET_-a(Z^0k1 zxf5iZD5EnCK0C1wRB_SghjvIjRrnEQ)Jkwuqt^}3uGG*hcalXrB9yyNRq05yfQ$_Kq;5*SMYu17?uf(xIv~23(8Jk#clF4>h{&Fu#M#MPDKMO42+Hep;sj^#I(BSDDhFiNC(Xqzspmpu*%u zaUEalLP-RfKF6FkVU>tnIeBvO>2Npv+#W7xUPX;7Fs0QJznelSMN*2Xuy){&EG3OF zsbM&_5=o_!%KlgK%a)d#^q(MANUD@Hk`fP&Yi?mc4&SZLlvsFdCZ$wKsXkCCLt|lS z)QvLbtf16L87-xj3R@x4A`;vfNH}W(xr}H%`iUDHEtLr=U`i7jYAfp0i7E9e0!HNuno{<{c7= zqkuUEZ-|>sSjFss%}tRoRl+n1Isv@$OCoN%;f>z+_$|U`2%kxuCy>fk7#-!@EK`mR zx$0Iav!%?T!V_Sws&=;--7;jT+eOb6J&!cswW$n+*4fm0yEv2iX4VfGWP!|uGVh?t zGx1mYPQ!Qg@;Ub|;fsVXCe9RzMfUGvi8<{e_!Bm_RL(Lvchj+5MBF`w?+m-RSNL+_ z_Yr4i%82lZ7;*O-zwRbQ$2TU#KPdho@;s#Y0f+RkIYUQz=Mgz8XMe9icagOVu9w&;ssCj`dM;1QVm!1%iT zaiab*zo;dz{(syXri}|N>~BijENu%l-n!^w#Iz?ADBdz58H!48 zOL#}Z)*xU&6h4WIlX=&KPN7w3n}qiyyib8Avp-Go{W^1+hxGeU&PQ@S4i2inNCExp zJ~5}Jxle#kR1Nxx9y6;#oX7vxtH(t@y0!fz6Or=Vv$#@>~fB*2v4#HnkmAJm4 z@un_*LM2Y}!IU+uA;|d{2!ayYA?95WyhG(3Ca)enT@tKHi^cd3H+<$T{uqxCUSD_v z;@nLQR~1JwA5E;4_~f!{XkM?-D0!s3M)DfdV_wm!f}Ak#nwW8B=yYl-<0u);XxO#k zzM7km96{V1Gf!l~iWce;d#geZmoLSR>riy1sNjMYsOoGv&{n7KcS z^>#8{hS4vx2@jjg6rCkHJJ4y_F?>Gw45RB0_4JvdyNEuEG!LXCQH0N68(b%}!E_aT zj^J(qj-_Lga(9D|%Jh+Y2tHSEPr`gDCKCl^ZWuqK;(D1f^hSS$&y&(y%K227>>Rs_ zP7Zg0@mt4wzK{66;`@>3g9`0+?m}aKf5jipMPmDly_hUdv@&N@(p_S3|AY@bK=44p zml9@e1D% z)?H=zN#}TcnDF7k6U6mMuBvo7#-@cwa<14svH4^fx~u}Jh!Na|U(nBoE)-rQyqGxi zZn7HnQ#1v;5hnaQ%L^qEN+pz0V0MgWWnn#ra-$2!;YVz)LUg6*k)-+LVp2viSc1#A zbNZ$;uSrPIq`WG5)%17?a9C(y<8yqJ8CAFX4#*T@@7kLMH1%!*{WYmKgZmf$+>I?>mQz9G;V*%@(s{LbiAw|RP;=<%W_ zkY-6jvp&!uhVE!L(VU52dgmrNljKaM!y5-vfib%r^E%N{Xv+F-{?w;PnJQ%(6`n$R zMs_^QO*gt;iQmC3qGyPnNt#KU>OWzN@hmf5`pO%(%9t%<4vo|s71c3((!%iK@J78| z_*~)hi1To;5;)dcnQ!#cUOxB&(F;Z2L7EwmIV8r1=ba`r4O!zZ35z5wrofwFBwlAr zjQya}r_55Z%f#MImbX1RuPWU=1{ZJiM{=*=<$~`c%!EljfA~(i-;8&{6X*dM56XCm zMmTn?7mfvKO=uR5{SgT(B&?*sBHw|T6g_fgofop`W3nEX^#m<8Pcn(pG19rP2;F<^ zH^2(DrZx{dd`jvnsZUeY4lz_5i$5f*&^nEg!Dj9F*Qdm4S!-mi4Hnu?@hmQ_sFd}r zS!+l6#C}fJ^Rix`#l*&iNxF3ge;BUJi-Ok+-awd7Of1QVyA|DJ#`hiMgKrf7viMiX zhi7seuN2fT%xDo#{WTe{%h*JN*|4ah5)F5682wP_6?s$iX3<*$%{0z%Zy9}bi2b(c zcSLU`t=9=x34Yh$$1D7yZxj5U;P(kL!xrI-;vX2h`b5uuDE1?{6%uyB9Y6y0pnbk6!!RNBRko6@k-K6ofIQpNAo_+~JVRO4g z?-sp>G_Mx-k%e_{zB0abi2k+sZ^VBac#I}idH6fy3;tGkOaT`EgZLlGGl^Ut#@`w{ zDhzAbEB0rxzmVmT>jme2HM)0rzwHzKo9N$3hkS!i-J$LH4>OJl$Nr~`zhwMPgLN8a ze!R;$$Uo2hW70Dr@Bb^Q&J5Ke@UIREpAFB%3}5`8scOSh>>FUPy7&pz2GIu}Nawmk zj9wM!Lq#7Zx*lo&lu3(Jq8svX6OIdKaD;^V5*kq8Ylkm%pCMdBbFO7X^&H8H+n;G2p+N_;c&%&2J@F*I=Ja-2r78MFqyy$?j)mEh8%dZ=u;!xB(aVxy%Dm8G znkgkqN;Z|Shgg<7!|Kf!{1xmWDUp)+_i=u z8II^W;nxelfjBQiR$3H|qwHfs2f4e^tfL?DI~gZyysQbdc&R!3q})w3`jD`Xn?z3% zJ(+askT4%8-`#BZ&P_h}6yZ~aPb1E&fPqW-sb}kSGn$3@N4LnBA!8;Dz92F(V@RVa zH_Q0ev-}=z6+c`29P&)pj94VB7vyd;XWnG*+%9LXoOyJ3R55&`m8&RKyZL5Bx_M)P zjD<4ppuwk7c*I~a$U9AG5FRmiNm(RiF%|9vUtHygR;29`GyXH)?_{ZrWisxjVV67V z?lHVUxD@vaUoQMU;!G)ghCnHGzwyJWeE0{%KPdj8z*nN>5tT&uu<_f&48cdluMoeI zJWn7G(*skpP9HVn9;-mecwEL4H2x=*@LfDp>W5T%O3ErJPg7wjC_O7f^8+;;;~A57 zR`@enEoqIUwUl_xv*S^Wel62lYR{T;|1;isPR{dkUZBI&%8Euc4{n|D-`wx{7sam^ zzkxi9-Waiya4#7=F?5e?6#TN_R|xYSLR$dpxvv`CHIyu06aBjAO{969Q4YWWGWUkz zv;Xi%@}}_3!nY9Db?~n@R2$4_6cY7q8Slv0N`nQCNIc6A|4!X|@0vG_$%oBtllPvy z_vxh`1^J1%`@rayA^&|S`XkXFljd<{WyUH-Yb??yX56zv;V~Cb#&#JyXfRDNhb!(r zGx)LaQu$o)7lOYe%s#uS(*@KR3=MRiTgs2g7DO=TP< zqZtkE0%M*rXb#2I<|ecr=L=RXBpfZFB?W&0Vy>0JkAw@*TJSM~k0q=}aCQts*UDTQ zbg_Af_bQjTQk>*Ln zu}X6^;?6ewnlU^DoJ3dQ=LqjcoQbM60+aX%QJL#*N?w>c&_l|(QhHM1fJH5MQJqgG z>HpjHGWVI#e0QGQ-g3{U%X5jwI8^8Yqpxj=AF;VUqWg;O7wGJ06rbd{(CBNP@bpEZ z`-{GqG_xzdZ=3BdG5F#k9v&cgpx{dhGnp{jAT5&S1{pr}K93I;ewpwg#FbsOmP#z6 z$kX>t8|g@ea#Knl@DGm)DV0)2Qqk#S!ShV#jNUTcA6Zg#mFQ~He87grv?!8nlsT1Q z4>fW|%c-TqJ!E4H9loh;^fOQSJzOpN8qs4(A8-oEc-&oUN;2%=Iw{vnxq%8ZR16;# zaW@*=;xr$BoZ#_-ClEd`KJLAVrc{LZH%XZ!Wik~$0>eqi+|6dVU`&xQRmLy8LOPce4r6|@*cej}|GDx>enk#7@ zB|gz2xT!PHV>;jXq0DaB+ye0n#os}mnLRt65ygZNmwP}X$nl-WCiA7=DBAK-!#>q!fN4bgs&ye1FGh# z8s+>lo(c8C@;uK;cwWK_6qvgI)1i{*)|u8jy!Bp`wqDu>YD`@XajM`K)Z9y^lpo^{ zZKITzrMyCg*F6@C$MHRM_p0%$)9^Dk_nP?E#cv|dyQ8GomAE$yJ~>QIcvJ9Z!CMG3 zcv)_4DVE-GZyA44m^|>d_;Zl?O_(~~AN@87?@4%{0v}IUr40?7 z9~j*|^f!Mf`XkXFljh-I5&~APEOwt5KRJva{#5*S@jJ*f=W+BH8vF||ImV15!ho^Q zWqcvyOB!nMM`>%PvC+`-uuJT2v3tle4`G~G5oYdwW%$^a@GCa=weW9*e@mPRUz9s) znETG)J?(wEd@uM1!9Nma>nOh$kmnKwSjLH~VPb+NnmB$kdC|$-5B9WI^3Rfgq09qA zk4qJD(65I7@TF)hGb;Qy;lC5tIVVQAKa4#h%t-iC>|bL4Cd(AXA|;rIgr%k2KW1zX zZQuXOs547-2>h#ShV{EJyRO_FgdbA1h%-C*Gp~!EP>T?MFnR6)<8LrX5Dn(;5Hnty z;*CRP944b44Ly=Lsu-(6p>%n;DW#!P{s<}cr8JL^Rq!JvG?LJm z0*{KHxj-)gMmjYyqjPvrHkEOdjAk^Lv!iL*Y1yv1(a*KUkJwxb(MOAJ8EC-xOm!=x z`-P`hYthGuK9)4I64nncb!`kDag-A+>Wqr8mfVmaF;+AS6*b!QttD?B~Bia$quH}br(3Xs9N8#^FO z>F*)-T(LdLGJ|1eQ63tFP&w~q#>d6}I-Mt@w~X^?FgjOiyujE$!sDcm*uG->k!8wY z#RN=(LSIt3yU>&if5cy~xr?OqmvS)`6`qkJqnK-h)fI4KU9#T_Idg!lfwC^8#T{Wl zMqYja#zj`SL8kmNz@NupDVIqZLWO6JwGX&z8pGSVy*@VL|P48b%QOg(btru7deP$8{S+DK}ASYiEr+`lNTI1{>t zOr4ZaC83%EFCB9R2Dp_aI6KjeGHZBP6|F|rXj!$in4c=ptvSZnw}<%izFO=xV#ku@ zd1s`hXJT-Y(d|N4#&x2v7kvY1)?2W^P(@WSb2mPjZO(7~{T{~2882r79qu7BJC>Q@ zCK}!JUi^s7-6VRF=*fXbH)B@9-E8!f(8D-I^iRh*k&map|q+$__IZ}KN_tF+nD=1^mDCa@ypZN^@)kq3{%zg_HHvGd64otN4L zl4rgdl_B~984G3HL4)}eGwC^+?oPwkf1vnS`cU{H;fslL2N?9g75FeOZHXDv!|2qd zGM34>n+ETia;#0|?lE{=xP|W(yj<{ogn2ahh$xz<-2H|h_Lxta2ZTQ;{GouCB?=4i zih0=ZR^2@Qi0~D{R|eeWb0oBT)bP(nd;Brsj|+c-IL{SpMsdC+z8d?a8G{>m<0%=d zWIP=VeqCCV1Kl%b%xLC~)iTz|SWAO%0!(DZytxYZtnr(}6x8R$KQI1;z!zagFDK!y zGycLb+~!5`>&0&%&)kn5v-}eGlF<|X#E;nAM$s>eeuXseuL6wA;|C=$ozJ~$PLJ@u zc}>piayHRXNu3{x!J4n`4HKRXRiHN|Y?iQv0#BJA0>RXE_m=Tz^!7>gw)l6%Z#6y_ zZSnZ5%Dcv29I6i6#J?y0eeygB%+kO!4(s0`TYq5AH80{%*xZM5K9ch>9VSx_MkCg` zPmCTB*8lue^mfrZNHdq_RpfAV;b(?l9@_dp7ygCtFNrIKN;#+C(^tJGBgnvt%@pG$dvHTm_GcuZFR_dxifj{Fi{IR{3|o8os=bKb(ESe-r*YaW;hT<&^HKtB{E>dEKN-!mH^| zNqwa3(PO2F(cQz~`=+9g65Wh6^K*V4t8V33KDN{~H>cwv{u;E9 zbF`e6badMzdGIX(qx*&h3|fmmM)a|ynSn|YRb$v=?Aq)X!a(`sB(#;#jsnjY6T$gW z-S&nzxY!@f@xnU@??^m#cU2{^{=d;}w;={LcY^2>MRz8xtdOWxpX^D-|2JfXlf|DR z{#5dO!Hi%z>okMMhV_3=7aS2BCCuO$LXCqjbur`De8)qD`6cfJQ>a~VOBWwGbMD9a25p>a;-e$&NgLVD9&`1a*mX4RG9Qw zg#_yzxbB88>FSfdhwyWS_aq)lis(!$!@9mGx4T}Z4G6d6dD41IJD(a0eppEq%Xy*> zgtjxxS1_wGyfFL7>MN@sEnere%uF=lUTAdDVEl;9T_n1{=!;3~v4wF#SgjNzk4$L( zsTT%F7%1UV3cPllJ;93eAmi@{%N-9Ef0_6pfv-V6!Z#`0P~#sD&(X`pUm^ZV@;rPz z6|sKLRYtc6rQBhnhl@^-=C$KvE`y(REq6Jl3=FB7DjS?B9GRkN$MR`d2P;|KomxcqXkWeXMBn6%W60^Fn zPy<<=DG!I)5lJakQmU!&s8A`x_$GW(!HqJbL3rBL$QUi7mIj|+crlfumZFi?W6YTn z?xd^bTq9>J9d`CrW7aPgBgb$*l=iW&Yt375w@-oVcOGhc!jYR4LP_FbQ~J zvJ+^N&8>CQ&ABY><`y|K@cXyhx<2M}@Y78m6BJX@w-taPJyDA|%>2(eH_VpER=+>g#Cq z!j1KT2?b%~#D@|-lJGHwa8P*X;xw>ahx^2=;o+b@m9<^g4qCh&_cwSUvwUXKuc5yD zxuh>7eM!l`-qSPiZEc68Bv`>PEhp@2m$co|_E2L&^O|O&vRCH5G9xz_U(5JL#j`BTnca{dku1}_$3K_slnmURD^^Lh*K{41x< zY*je$Z|cpGorZaF2jTxr)i#R5QPssysBMToIMC5ZRwmZBGP-YQMmkjVVWR7iW?Eqt zLae#PHErDCrriAr{({XNA*H^Q22^-GaK>zjEp!b{xPP%f{v#zclF*m}FS(Wx#`DiK07`_IWp+jI4Ktua%}!~W8wrb~@e<@LuW%#iW1uM88Op6K_LDIrTjHU%Ca z@;ttNf(5Gh06)W|s*vf=l+;DiS(N-;AJ2g4&NiVU99CBe=Sb*ALFtUUB-3>_x-!r` zM4v0VCuts2s+5ObA}&Tu!}(ki8mq{h65vC1qAptHh+nm_z`BqdZysHVV! zs${)>l)>$C{29~;9xb?*Fmn;UD^-b6+-{8VXVmrl)#9%aKbCwr2~6`wS(FQ!xNA)t z6;9$hY1d1;ff{oMKJ~_RYVe%C(TrzL^E(xO@b#0 zo=ljR4(pC5F(`rYZ#Jd6iH|=;%2X-SsPM$|N8>C|3!QHK38DCRi})GhXOibGD$ys7 z1(SJ)&N8J}m=1cYl-W||Q1KZYbJT7#x+Wyi?V{(3o=2Jogq2y@q2uNo-@MkJzyk3L z#os}m2ZSz^s^T&o(4D5d64tx9OUfcCi>dH{qA`wtT4MCn7WfgHTPk{)=(|a$@)6dE zzQ^FL34b*A3SKVwKEgbDG%I2uyb^c6@m)f@;sfFz6#o!;<|DMrRiP@36@D-{q1HWY z+Cy*fh;U4gNLwLoB{iOO>Z+-P@Te)rgbVkWl*gq!K}8RyJdUm6UHzmPdpBqwSkYL< zDj84HU@~RIvf}CP8KXbH+0&~CMCSM@xfvY z?|#+9%#c{GNqk-6CW*zbE{C;`~btV`kk41|OU)7Cjh(KN9>gVIB)QkTHBW z;yy9{me7U#src>UcaUdrj8}-d&kX*2u@C;a;4cJ!8Q^#fV;XlF{6npWcM0Atcn@J_ zJlt#1NGuJ;S7z*O?2WHwd?Vvq8Y(o#;!*U&e`ollqdoq;@E?T#NSucr=gN;i89aNe zhxZEpS@17}SwD!zF#swp9%r-cujY*4qO925J~_Y1`JE1T5Q)bl?hk`wjDyYnDflnJ ze+M|uRR71|W}`j)ui!d!RExmBsoMZa6J^pIgkMq>iBgsXvAMeV2^9$m2UF0aD;`C) z;}D}C4F`Ux=)*+UBdwI-fgf)0&)53UM+mMjxB+3_k{S||i7eL8gqKe7!jTdhNoY)g z$ASUC@tA93^qwqFHx+%9=w_sKEZG>F+uY!X#(B7f;G+e%B&>pF1jEBQkiL}(!_W0X zYYE3lIF15!OB}Ew6hozic%)G0^uF~YC%ZtYO8?&MD*hbt-N-is z&r`_6GajvV$zqjmS*+@A_BG)|ddNOkc2C;jdS+p(itc1dd;e@-y=x*WRH9+)0(U+2D zLh;12(Kk29_-n&)4;Fu!_#xzZs{4Dh-B44m4xQPTOSwYIl~niu#x61=d3ZOutIW6| z>|~gX;W835lrdrv^kNvib~vJ7bGd@^1n2LEvx;1S!KdVSxKMDB;9|nOu|rdf8)3q0 zp~_hzp;ST{1*RqsKI+PizA+qlh3HDrBS|wn29e_Xwa7WngpHg1@gyZwNvNj4GsV1* zxEp2gF)V6eb2WlT3$7*1kvA0;Ic|)x&)YyIvDb(lOO`i(HNGK%spzOlv8a5lS^r(? z^Uig$u9tNKE$#u|vv4;Wd*>efgw2f;J6`Mrvi|Xs8Dm>#HJ0*q6U`bQQs^dGlVnY% z#rGC!ckIPe8_Uh+oECbXrpTEpXBr*mIoyw!ErxbDR1-{jJapRLB4vh@nN)b$%9EJp z;$|7$A*^+CtLWLH=LEVSQGn@jw;A0o6tiv@Jy-NR(mZi=UzX`xT^iCc->fIU#vie{ z1+o^(x`P%^oEa$%%~u7*_^_)v6GCF$C1;VG#dJavr{jxk{6-AcU@~iBu$IbNChKlm zEWVWEqa^sg{XK@?6xwX>6~0{feZ-jsv9fZ~-EVNcM|=i(K=6ZtA0o_qnYI5~g@4$L zWue#e5g99Ftfav!QB{+VuK7oeej+prJ|_Bc(NB=(v16)rC0qr$;3(F*fvUhS>h`c!y_lty=wI2K))vXb=T=NXjdSGrG({rXIQ2A_)EE_Mf5 z<)#XJ-_U(#^ydpb{kiBbM1M&-96pw5!C2qQD!0?5DdF&UN!l%G4<#N>StUO0VeIHI z?e%N1--!K|tWFgz_Z&&}o$)V)x5@Y7e-Qs8c^*EN70bwWKN&qe%xKvw`e)Iq(Z2JWNCiwRN7gZ)p-5&;T4Kw=w6#SRqzX|g=*esrK{}_E<$p8O}u5+7e z3HVnxC2|2jWp@z%?^GROYDmDk_z86c;Rh2B!Smc9M)wK94;6iw=z662L`k?DJQ2}i z=?*vJ!%g@DHg|-K`Z5~OV0@0z&2|lqZa-Bp1~-XrB)Tza|J==r@*Aa?uG++$Y2gf- z$~j6-Gdg;Wr;Z8Zn@o5w98wDjM@wi)L8T&p5~zH)GUbz?w3c#=lw+xcRLXH}j6Of4 z(s82Oif(rxo$J~geL}jzq)YDEgy72}63Y;!FB072ijcJ!LqmK@Bn&@=Vank;t%}T@f zMEF#987AEljy_XTmZWS-D%N4NST)B$o?$|VFn8ok30)+d6$A_$;pc&{w2}!M!<(k7 zgmWZxqrk%o*;ECW?k0U4u5k}Z=Su2HiElH0j{{|+UWV7Z%|EWr6W&|+`NWkaGSaam z-UUXFYUh)+kLbRl`;q234UT~`02Q5?>v7+yIpv3Ny<1jEFzs8u6pW*9IP6hDK9*(v30x_`sb{iN!JiJJ!h@UEc8u{>4&v2Ltf~xCub7qHwx<$?mIWy_- zsfcn+G8ZFwaLddxWlNb)(_5v?mNJJ5Gc)FNrMcS-?iu&zaJ%5Sg69!df+C493)<*8 z;b<0!UMTtw(mWchcE~Rhvzg&eQ$~con7gDblCqde$ah(Ka&egA60>d(J6bAhnXJ2M z@ovJm+0dD<8W&O^wLlzxbN85^2%{+PmA_p6ee~H(Y7zz@V|XEQ@cm|9Qtngl0htfV ze28Xq?HO~9IF>C@S&2@Y&};ax>1TyGNRLQgA$=uvK5{Vup95HnvGh{XJ!(>i)9^QJ z?lDP^OL~G5GZNOeP2{2K_oVRyLmBHS@vFo?O`ewlJ3%(WyziuY#+1%s7ptYLk+L=@ zX_#Y!wY+!@o;9U=PaYGF>NzRTOL-wE_-+r@&UTyvu+Eg}QLnrxWxbRQR6-8VE=A80 z)_8r%oVnprZn6dv@< z9(Y8(Vd61i)!H{DZkD)(B0G;v#HX<^A>u95S_JKFY41qeN{vSui^kEHirIH4^kEu> zSsi2eBR029)_bzvr^O3}hi-PHg5w(82d2yq$?>6-kEDD|g^hZabCW#M(hBsaV27WW zJuKwjPi1eHy@NKhUwS0IKl^=V(&Ve~H*D^6Nnc3%k`k{P8nJUL@={rLr#Tm%Dg|r3 z%GoVvPjIj(KoJJdRMldd!dK?}v&B1K%lSsmw{(~qXtGB|2rauw_uYPFo>#t?@`IEg zsp!yR5r2V`?k9782#LN|&d+jwp~E5r6FrLWa-*-pj0GXh_sRH8#_u%zLohq${xEuB zp#K#8m*~GqcSd|PY!q@{hX3EZd_JHxo)h0>M{~DdFQGWs{bLb_h5?uVDq@}6Rae2k zsp^E<$k7Y!4#H2V>dHmyeY(`ePpGcQIG6?t6&!GSh_RbS`X}0 zo40%R2(k6WHXzHi!zev`Q;!w@hGyK}*BeL5Xe6UC4feX&z&UjbYh zm3oxaW>i%?#TOdz(G{!&hoV|@lMdPJ&%A}Cqb0QrlE&d<>TE7X3b|G$ee;c%T1z@c z(y^3y_i`#S2AHrMj6`l@)@DkL+NMwrIzifr(mGR9F_$Y^ROjR1PBLRnSeEEy8K=lNl?ID{_&O`bEV$DQ zzcVzgo-RBhJWBi^;8?LPX6UDH;TLQ!O=!B%IMM%e3QVmG({_YY$dr~PEt?we?nDk> zNEkv{<<2l=N*Kj+rj#yH&Z5E$z&kaKwI+@OKii}`!tK{p(m9g4QR1~ky9nlQ@D0sw zMA_tQ=6QtvSSu|!g-q%ulOcxF@0`p(azSZ>_Y;lOJ(%FN$h0)Wlc$Q&)RmL`h<2Yza6|J1cHX4hQp zuk_WjuaP~LHVc$E&MKbSwZZ%T9UZdbmkvCP|G^Ye}-EJ2bD0=}lo97%UNY;YFvMk} zte0iILQ8v5ms`ZWYW&1fe+I9Ke_i}0@@!N^85v!47+Ml`mX4jhVe+&fzbSdMZ=1~bWWG<6$sJ9^+y};< za3c4Cy?iM4Be5R`HkK20pBTHKyJtTYyIt%KvaRrk{h7e$20R2YUXI;gpIL~bLQeQx zA-+(EFByV|R)(gioyK+uQ?z%9-7R)cV55ns`^wmk;WWM$`;FLd$?|@Q#xi-<-x>Z@ z7~k-{@E?T#NSya%MtTPRA4cf2F!hs3+os`f*xX)8KTGX1fcM7~KqnYVZ_lLoI+A}ty|0(z{!G9CxyDt*KvSw+~oS6H^j5^y4 zgMW1rk<3^;5=&3dh#{d4!mp`%%{k0+l(=ua7u0u?EW2Bc3 zm2{Y-dO^y>qKcXLFiSRb%i$)SxY$caNUATX0VSS&Bs-Sw8XDY}FC}d5NWqN+Hzv&M z7r~NtIQ1rmKg$%y=9&sWN_aEkjGcjngI#ljyUY@c#ij%wEx2WXBS<0F%HVgI+Spuc z!N&+bmN4(S)RS#k$m+wQu8o;}!!!6enQdjZqshmrdXt7#=2i_$xc27Uxr_V4-j0{k zK~Bg2x0B;KnR8cgPLOk=oX&Lqzm5=}z%a94IKq=eZn>ex}qeQqQ8w%x^7F z+Tqz|bqEbmU1gmks~asIWu->aVd4povb#y6!XURElFpUXlM*xZ{-aDiOM01iV>ra~ zVh#FqH`L(y&)_#~ z?sCCb2)>dq>nGXKkQC_iEl(D3I{8)R)_+QB9XCwwaJdP({9aEo7w-uys~gRV@;_ry zeA_%Lg8$5kqJm^WUJXMaaup;`LGl@dkAw7RHVyQA6qqq;xZiD|j3ODuGrZ!=He-xi7g|O{~627%)&AR_|Kdu*3Y##O@{k86^c`-I3pQ{ zJIzYZh&yNSpocx26kH{^nlR5PGZU$Rhbl&rnQ_ljZ`8;bEu)qOpDZviJ**6$DdEH| zq{HBN^%0NPMINx}9uyuZ7EXopyJ87oj<)3l4NSh&TCN(xR@F{@S{8SeR`!i;lxGX#aZk0G&;v9->Y+)%JZEY20Iqo)7 z{t7k8+ojBvGLH)Pg>{}C2BRkN4a?MI$@wOhg;603BrcSA2SvV`F##z93ufGD_$!zD zbGl3TBH@dPv;G)O=TR*&x(8n**xXXl%S7Kzn&t3FBo;#=xOmkN&cc*QRle;;{O zrr68E)j?UMz2Bs6p`YaeNe@bTh!Wq-;p*@-9yaIMaA_WqvqH{FIy{Z^C{N>2qbCl> zkJ#K}q8}Ii1ZfptA}C~}yC)5QBt>Hmi||##pC-=S7~v}5&lo(CSqPh3EqIOKwS;-f znANbqed1Y@_MIsQwJ1r?OL~D4vv5T&T8ooB;dN%L3vID4%2+RB0}Y-+G*f5%lHp53 zado5cmxaGVoaw_07j>^1{cX5xuZezL^rk>(L^I>r?hT`xO!f!=rs&P0w~%I1U=$u^ zu%X!qjUO0U_?Br8hce{b(%zA_m0Icy;=E?>8h-5YelOdEzbE|tfb$G6pW_3=e+;Ma zq41A{e@vX$4C|<%reyH8K0fxRg0~CaL6|u%D=TXKqMw=b)JpGsF6Rq5U((@q#v01{ zOjj}kUFthcsuu>J?2@!w(jH1YXLM}xoWC-BaOl_kTKG4@za`ERV0nHGs>=Aj+;=AI zyx8B(-%I#G!jBYKlwv)h(B=Er!B1vQ4U;MN%KBN>FSK|n*4o8W`PHPi!vkucq~9d{ zPKl?I7K!jw{xJN<9{3fT`&0N|!v799P6c&7_mANph7 zSE`aU=Pn<+E`CBKN$|mh`FKSWQY504dEFtV+!vn6he|n2Ny z?Ko*|rM08RyNXxQwKsTcxQ53I?jX1$VI~y@s&cV#rfw%wCjEoIU~?x(IZ;YyDr~nx z&j$zE@@45qJg^V^B(o0*b7fAJeTwW;X|t5>U$X}WInC6cLvB7@YD8+3DsLQq-go~? zI%d|&ukc4~E=^XttT-*+ICihGZ8^iF3pdKa92iMilCmlBrpBsSVWg%e$FnPL~BUsLGAc4Tn`BzEb>1 z@;t0Ciizj$%-Iy)fJr%3a;oX@urNxcqM}rXHOiEN&N@1L&ITR zE&dwuW6A3!o1M)U*|mmW9GXe56Mnt$8;J9Wd;yy$aib}phZfs$QpQV}K!wFMwH@gk zCYrHu7yf|F-6Ug@jL9^3OsS-GHyfS^r!YnMRN>QzhwPi_rW?H?WZzpv&k#M6G#_3H zj?>^5HZUyCtWjYfx5}C=YYr`*MCvBw!{IhF`Uc~68FOXKqrnS-nZ~FZr@8sYFUPOk z+ye0n#os}mC(W`8hQr)xcw&rbEb1kEk?_UD89pl`qBLD%{5W4OcT2@D6Mr{(U#3O% z;vS>7r|vmaMMN(beIIE?&p-i~Cwsr~uZL3Y1L7YP{}6c}Jr;8h8~t5~{)p%mqF0h; zbd+rr{ZZo&?c&e%G4YR!e}cS!kw)E<25$~8(x(Kk68tn_rF(j|f&1e=YbM!QT>2C4O2I%l;bO*}7&# z{~-FuKr=Zp8OG?xLR#(>{j=y_4xo|Ael_}uK<^X%o9N#Uq|qZ|^izTUQ}kb=|2~jL zZ;a8a0{yS(I`dV*z`v=QQg(VY&A<2a+(Gy`RnvGnSatCeY8tW*rWLMI0^j~Hymv^- zLxmqEydM6oJ~4Hl=V3z6;fBxe@AJSB!s`offPaC{C< zeX5DUUxggdRPa%Pn-S(kW$3tTZuII9x`pVYMYkl)@(@OK{?B0FR^}}^#h*ZHdB?~* zmLBgdjNQ@dqOOezoeuZHaT3}}Xh(r12p(1jmq^938tu(l6AtcpIUVG5q!Ugh({(a> zZJLJ;VDXoUA40w^e$8WdiLp2T zDiqx%Vy_T;C0V9qUR5-Gn7hj8m34h48YX(U=mcq=CuUt>+PuNbzw@DU1?LIQ4{(xG zCkhNMz0pT56kH^@IKa7OShr_{!2|aA$R&bH1(y-#TMXY6V_iHqU+V*vn|07Kzl#c4 zm9j?C;;BaQ2@!lT(CD02ejiEERidj&>j{Qc3*0D!ySMgmjo{IOYY8*Ov3j%{V{A#t z?pKSwM(o(YmQ~ccYmFV)&mZ!2Vy_o_16k(WQMku3j2%mC+-Sy+lmccdOXhV&{KFG0^YquI~iSRiAej5}!X!GvdQqO_urOLp98%Ge!Vxl76-DT}G_1%S35OpC|V z77TG*V$Quie2OlWvrNw2bd+r(nQ87GgMSGxzIz2P7knRK9us=L9VU2j$*TKJS+&_8 z(*sf-l=2W2ojAV9R*=W9Njz-EqTSwjM8*mkD`~J;fUmDt9bnO8Yye3@MzF7jpdZx zvxaZ~&F|qk;m-?yfjF}>#)qMFyUysDclh8hie4{z18F8cyT9B^2EX3L!y5&^Ecg|| ze28FBAHV&9&Tp;}`l?yEVNBp_vR;?9i545KFit#wwASp!0NpoCY8S?tzbR?6q%D-V zt32GpTw}raL73Gw3>|)3);qGc(&D+J0T0s>-Zgr_M*N7)Z4>>T==VvdGG2Cu`@rDR zQ1<&!@JE6_4lwTfGWUtW&xM=*Q^DH>?;y+^QJoy^J~OuWy*^Pt7yE_SFUc}{Cb3R5 zP893x?lj}4@ZjGiW4DYwH1sw^DJHiV^ANu>A+yBq;%f=tNcffllLbA#u>$v<(GjZx zi2gzJkED4(7{5`4uWI4j*FTvtzK)N-SH{mWexad+#Hw)aSA)-PhbY+GKEb~U{@vg# zR9^lt__&T9{!{Q@g8wGWW5E|EFc6$mA^tIA-@D%US4N!$stDj;9Sd82-9h-jQsw{g zUwODLenR z1M;c&F5An|Y|i1EuHk+wymyb3)ks!jTD;}a{hyaV#x*hA_3}GuD*Pzn&4@GovDj&v zYi@9#0sfp@2tHbHOTq`?4@Ehym7%lS`?#%z9wYQvqI$)|Gc#h@ao5K9wH!}@%^fGc zt@w82nVeyubcJhg#_lkw;&>SyWOSs#8wGvnu9LBg!kQ>2h&@qkXRPbI8F$AaV-{oqbBeqJcMoGv~hK1!a4t|~u&fFSBtLWdI&#Pcu(SdBIM zK0mOz649li%SiKrWA#d|1zv9WPj~r4sSsW%d?axWF2b9X^AM8N=pn@vZGv9`!bE_ZO(79U}tA#UP0=x zs`5uyVZEKw9DLfqO*i|2(7$tw>>09W(&ibJW8@dE=Pbhy2@k_th0hi~hd7T8Q!=@X z1-|5A!j+*gf4hXa66R50UQ84gBm8`$(>CHqY;J+*g`)2u&7-NoU^%qx-D&umP=&fn z_#)wpi8GHNX|a$3z5|@^mY9 zem*`t$}a}LYW({D`a9t@@vn>DM4sWXZY+|>ypZ(n?0aJ0C#xgDuog6weqi{E3w0ovjv@Rb;U5RQ zBy|&hVtD;5AN^C|+lB8S&gWb_6KDCE!4)_9*q;mjLhzS_nTY7ZiN~;@$xh?*VxHe6 zez*8N{Vi!-(VFtI5jE~R!?!l{NB+I=AB6u%TnCe# znT^$e-A~3J(cOpNEB5qbSx$AAek8D+88@1Jo%0j+g5BlvWJ7Ms;%Ur<#dsA7M;|CJ{v1coo)14;nCey^f{utk>({x zEs}*7E>^-d<)zSr*+a^?QhHM1O#mh7dKuj851&5g3GOZUe8S8QBgzWg1;*A3#q2&} z`-<&HmN!gV9DT288SX;kS6|{|UnIW2_>0N2Fv~R?E08x+9|ya{tTv&5K0ww$S(nn{ z8K)H0%?6or|F?cegQZ+1We62k^Ky$Z@wOZj8SphV%;U_*8e3s~)1emPyPZD74U;rnQi2jMe=HKJ!1xHbImZSkS5BUsd^&t0psNDQ zkKKb9rlCYB!Ii+&S=dSnU5=Q&xrXZ`Vn=UdjzrcotC%i;TG&jXr~ORHf{aGy-?C(T`rHU7$Ze^i`E0;VW$Vun4J)UVs9w+ zE-Ip^fS`b4MFqu%Vgtbf*g!!<1wqBe_dHMLeTmogzy9kxC*N^%-)qgRHEY)NK`jFR zcjJn|_qn{;Ua$$0@0a`lWu`%V2#Ql^*unw;;X!v+O^W&4L^%)1nM8*LVSAm>e4oh1 z2>gfLYk6_>9+5X$-lOJW@t#VoX3V{9F@+@&9&>NLm02E_H$~o5dU~-?W=UX}P?+Yz z%_ck{VY-AF6!`dyu?%u`sM6wC72!#@rnQK{drH^4x{hnT=`p6&FUW z#qT)6s}kl(m`_3DhVw9Px)}K~n*`8n;M$9pc3zjZK-wGB7-y|%g9W|bbUtIDu7W+o z#lJ279rAqHxpqhe(hGWp7P@k+O_+OE%6n24QBnSrg~){Wo&L&-Vjqb9Q1nNn8F935 zHxA8ZY#@3xljs z`Gth#5>`;KmohV~bowQ`v0sY*O7z#H`8@vnj)ZSq+uL4|Z>6o0wwjtUuBLBD_|C1W zb&Ls4`@O6+vewdK$*J-E2tPQ!^lj0oVhI0H_`KNxw+iK#3W} zws$uXHo8-8;rdn1COMnwFw;Z0GQ)2UFSAhnF8B|@TL`mZi;uBM$S?@#PdAU>2mnX; zOXlA)|DpNcpkbJiI~5kRt#X<@p!x^?>S^+pVIl+mv$6K^iG^)D{Dj(v=ql}$o>}*C>Rvt!Va&`M%+<5x*7>gD%c9pRk4HbW}x&ey6yF1=5 z5%E2Q?zOLVR;GvQP~?#EofZ>-?yI z$T(C+Pa4}IkeeG0bKyLTz~K@yBqS&>0y)@L2g9;69Zy^u&z~hcTX>G)nK`-H7+jv~ z`0V_MCxzz;&nM0ZU|?7xFCWV*gd^PeYiKl%l+jDZQ8XAHZmW`+3`aX&bYjGh5q_-j zQcVz24%*7AoPWjmYVkGVN0QgqJvSHAPJ`2j*mTOY=vvWrMk6^OLmB1t z8!cl5>P3$h-9Vbpi(NDtDmWlV6GH>mFTODE<^!79j;Zu%38XdAP~(*47bnv+!Gl-%6bKh7UK%(bBiMFwf3^yM#L=+)05SNeX!w z?-5EH!d>pnH|K6S_sF@I4if_^-CF(WKIf;|+I17e-!J|F@=S3>#btGs*jy5;O@#2E zOIg-VF;UV(k|t5IhlVJ_R;Pfn`Ull!1^n9aPZ$$@#(=#lSdR_Da z(QlAuI!hI$YEYF%4Z(#)3-CLR@Ro$PCA>p{vBi$g#jHr7IbfkHL#D?Y|E`qxq%5Ms zLN9JmA|uT$o7nE~zFQ0I9(^F|Ls=iuV&Y6=m0RwO^Re^S-4L&`So{+4pOEJ($=UAA zP0;7y#*t;wSSI6B8K2Q$RI1gyg_2@J_}rC>^P=*Fl;u)ZP+=i9g*`(XFtlXb%4sXz zoU#xAj_{?-uVj8rlhMI4hiKZu?i^ z@rsI64L15h^Xx`dH-|SAiN(Mp!G8$eLO5n+iA)UL z8G)^D{&eRp3)Ek7{+9C(9cHhUVoX;Y4c)C(D*9u;P~4XwjG7AjA&B_Z7Y$amEDeTBBROsu&dpH^wc&Ki~)l z$ml5JKpMP2B7yQ%PUz(L=j^V>5jqR+BD^bcMjQ)aqwD)1r+Zv27*m`@cNcvyX}%i? zwBK@i;vvotvySW@;tv(ylRVF!U0i|U!(mQe7~4c=n{|Jkj~28_$la1^OP2aDGzT$R8=bm-wT|^X&P>71zn=p zg(Fl;uaQ2IIve#YYv9;n#w)lt(K3j%yjpp6^q8eo7o^c~QCyS}M!6AewoAQ?(J~rn z@J=K%@%bF%@RK&G;3B~n3m!|D1(k%h0I1{uClpjJaqFG#_(vS!QdyVDx}270i>PQg zevD;{R|>yM_|?Q2qI_g5;TnfaU(~5Fwn^}Hg2xeN@eH5A#wUNh3!P7h!VMC}OSqAO zKF%qu{H~2L65%FyZu&AhH_N$2&aHG9q69;9o5Kg%=*Zgz-y!%;!m5~9i0*P>wdGxR zOSnhEy%d^0vqZShjkG3~+Cp_%%ZI(+v zB6zakM+r0MO5;nM4v#tA!9K;0i=HBSs?m69@dcRX^oRD&Jt2C!=ozG$b5-!`sIr9h zOSo8T3F0Yynrue<}Ve z@n4gVb*#)R>|(&;e>!~Q)=~@8x3X5rT1|^@8uALPGwbl=3*sfd7raLBTEcpfF(<7m z#Z8rdaN|vTk=M!iQO0^2j0Dp~b~Pq6IKRw-^RxJ0#BU(a&jRNE6l0~_;`(B&yNuZZ z8{Nw}Du(P=d7I>IrpM>UWj3*Q2v(eRVfyd*9Y^?G!XFa0xPa|H;1q>FUD#qHGyanB zw}gKvFea#op(I-r{&oJIRXRV`oE6_}qUsm;YhUfm9P4*&j$a$A6`xu3x5H1UR!G{O z5^pf}ph{t4W~wUe;6@9J$Br^~lCd+5SQ102a2KaPxAV6Uy{qWmNb94my->NLHTsgb z75{g4eU42Y*+crC()Xgynu9VpRyOdzv39n%s}+{TwUoM#)K*j(Gt1&I6WWctEQ4z! zqpgf~G?c+5GxJf%Z14CfOyxL22jTk)-_P*;B$oJ1hW#BM^m4=x5Z+Pvfrcm8Gm#fM zIsQ}Eh<6s=MR-@kv$4S$YZ{LC84>Yr!n+GUm^k069KweWb>@!`Oesg?JvLt0o%Av&DhoK*s%xlRq*R57I zDJdx{PgXuHzFp|GL*R<5!x1k0@1b~^BPH~ba1;ezrg80a4CPT{JX9Kv7k#(%B z<7n{}OJl2BR%DNNe$ZX^@5kH`QshDV^umS9YZ#vd))v0WCIop?F)3Pc-LzUg*k| znei?Ul`>39ii%w*v#y3+w`lAxaO-QkP@$|MS;e&M24sa2r@t|}RCJl>a?0SBbuwH1pQ% zB%0$g!ZnV!sfhTs!mkrPj(AJ_Lo8J&CYE z%9|u&uC>g2WZp}Y$p{|SYe&z2b{@u`hx=UnnPpTQVS=>#r9D86$pMQbW`+kHo?Rjq z%PR?fNbn@WyaqZ+(J6^ljM2A>@d6LK_G?De9+5U#+M}i+Dky_v-QQ#mMkj>FT((k4!5~5!tV-x zPw*nbyn>~g1UBvn@4K|o(#!{vK9uwkC0-#DD@uot9lk3wUSYA|C4xU8%qv&|OJpMA zOI>Pj$!nRUPbGauiC4h-w2AP!!&@fBD|{h%x!@IqnHI4Nh|=Op=U0x3{Fmat68|;% zeen;CX)%$Pmx%)j5{VHb#<2}UW?p{y#!vE@rNnP_l2tm%YM!JqyW-9(7&3;8*Rrec z+&#d`Am7VfBX=!bOT}o}$9@_vTw$qrorE7Htf#<)nasxQtHzv%>-_%Y+QNx3qCZRf zMcM{x{0w2Fji6SU(Am?YGvT2@_Alx|#5xBWKH z)&}e#Z(n))(c@Dts6%HYR(U8+7hr$Su)k|(+gzRlq;-^bAT<^RV;Q}ox;}JrWq*4) zI!oyyr7M*tFIED@7_??%4s0?r9OQ00bGymyF85%%O7M6DNe(8?P4bz9L)^=nj?mx; zJ>(rKucvv5EbQHauMsBB^C5=A+{nQBl=j;$B|a82dh0HcgqaNyU^b5{0S0Hl+c@k72xw5M+u=D<|Mb) zT5>*FRv%fX(AosR*8<-3Jy`mraR$GcaA?L zrv0DSoh=0HlhRPTwBSoX>MX*X|fh)(@MGB=9Nhzkn zSm!5@W0p8P{aKy9Stu1;Cb-;SWMCO#xWiXI5#bSnD+E^(<}JdGDK%Kg0=uibaI2-N zY6&$GMp9@Rdd!jxuAE?@PfMwlQb&cM$Jj-T^m6#n(J?^vf=3H(FgPO%(`Lpvd?mAW z9N{9t7YiOsxM>Pv7yBjd9BQGtRL*5`E~le=nU#UrBMzVUe7wMwg0B*MwZVDW+1TX5 z;cibx_*%i&2_Cl%PUeQ|9UgA*4T8rDzL799fE;u{V(few<}sziO)gz=b-cpOl5UZ7 zD<$1Y6mG+94sW?M!nX^)L-3sj=Vc}H!d(vEG$X=y3%*D2y@VMY)ONEoxCJA}gxu%S z5BBO$kaWMK2PnlVa(1G4bXj=;x{=^L=-xW>CdzwA-Xwa=GU7-?_QIlhk$t`oyP2?6 zeIJoIS>~fO`M|m2I94Lm#D>S*>1`{GJuYX8oT+q}opPar5{!?-R;nRgRE_$Mivw*E z-xCt2OPoQGIsCQ_-LceSs7CJ^`}&@A`)s@HQ?h5uo<*BqTedXg+1hq)vt3(k?X*uz zdq&zE)0Cg6`?sFuf@fX3-7=Nuq&+X~1!}CQbHoCY>WhxA=z(8xgqMWR75*}D-V@Y~ zGGhA{7WcyI|B8#x^puCmB@*XJoKKOjKRl`4)Yy)e z5#DqmWiwLWlJK^KcPKC}i45$mTM-sI{?zC`#Z#2I+L7g@FGqOjD3^>+Sc5Go6tTcS%?5KGp!G0@t zmDtr}d2bTAg=N{{JEt={3C83R(Q8DnCCzVHzPH}};Km2@qOnfKk22QNV8HVj@ShxB zW}l9q1^*&=17QX{t12^Wbatb41^+5`li1Bu z7n~A<{FmUr1^;7k4)4gn4!5ujcdOuLlT>NJ-^Tc5peWEB|J7JkNl%Su-VQ&Zsv>xM z!o1n}IoXKe4o?4J{q;MF-bwV%r1coV?&9oi^WvFXh}~7}Ze*43qa+=6clbN28t)-^ zPr-W`jEM-C4C3&ZC*qk~3f@O>D}!@cO>FIO{`C=VBe<>Lc7*Ls!~PXc|734M2hsbA z-j6i13g$7W-J~(1ZGTsuwcO<0oI{vl&q!j~^DHzJ=DP49OXN60QbL}Dd@Fh81T6!91PXm?gvOXM+fj+Jv9ojf?(oY=@dI{=5Pw@c`j5A zh{6yF=S#SN0t*uHJ&JXcaG`5+>|GivZJ4waHNLEv0E9bQ;Pg#ak}ecoB)ZsWwC7@F zk`kxCFN#4b6`+^{|yg@qKtBBqlKql(r8Hyl$2d(F?$)~^ySaTOI#%S zV$owsv)qt_PdawCy~Oc{ua5Yo!Y>nkIdOhUS#HQd8%A!p!i}FTyS!4yRWh!o!E}KQ zD6uLlGRtdR=rAR|LDx#SPQo|}e3lXtnc;fp|F%UbZxBCT{Eh$RGr~>I|7rZq;%^au zD|r?`7=>KS;K1PDIuyB4O}Wj@Uo0xO%e+J8oiv%@_|}tHSpBYT&e!-S9N}&`_sF@I zj$R8~Et$sj;QL(IU>BJn;eH7ZP+)SxTZ+Z39A0B@=tRK}37%vyI*BsE!wzSkq>x}4 zE5VZmKWcC;)5T*B?>{cWj|-k6c&fo@a?A_U9PVQ6jZX-kE_epv){J^weF7zJw2R@L z!vfp*{yyn?>x<(Pe@gmH>9b7V)@Hb>>y+^Q6zG&Y*6KDVp~4!)vZpS`1&8wm{k&)L7(T46z7V5;x^dSH7^=y(Q&s zDeq9>Czh!k8z5pbJ68S)3*FjiiSJ!m@5x$3%TjATx1)LAgDW$>_zRmx%s^bj&?+618O*WxLdk&1Ni<@u`f@Xs|R{R96)~clQ7O7n9K!Vwa0u zK{f_H2g|w_hm|h;W+(qr!dDW$rogAcz+-NG<9ZSpGUnRvrhO}Im9*8=m_boPWifo` z{2#`DFMf^qwdCWY$jQ-@XOqAWZf!AZova^at*2#oHaGm_^q)rmEczGG8%VR*(X_+8 zq_`kpmGFkJ(dFOPgTWDgmApyvX3Dx$W2cJKE&E3LchP@{-a?uWQESxHawyoJZcMd> zr2dlew~T*iuvT7}LbbY9`#Pks$W1!@>teymc&V)tn?0;*3jV4gW}AXebgb3c9RJW* zW7+s#^tQuKsIkb~o*ti2CAT&}0C#Zy?~`K6*-`vX;&&#`JQpu@dDz9_i)`D{7J_#b zyc=PjJdMG{#R$yq&QGz4bbE;3Q~X}!nJhV8yP_CRes32R+lYad684eMiULDZQx_^i zYlpwG-2>VPZY#JQVTJ}hZ@KyC8*J}<4f81+p@aB+#qUR6MGEeMg()oQvhtd+ze|0r zXXXG&9VHz|NpDtR9u{z~$qt=d7;V+u&Jwyv=t@B?VTE;B=tN`p8~>v5{2(_c*xHia zWOkQ%FioZv8`Xt&hMH@ALkMMJLh&-ICCPm0eIpHH6mi<8!hIEwKI7hYb4 z-*JQ^CG?VT6a@wzRSuN;k9PWwW66R(M)a|wk84V!`@`uwj}?sdb48yhy0_5@ei*|^ zPA_W{>61nG5q*l&SSTw$oa*#D*2#35=+i}?VKmlfK!xp0r@t5&&wZBYvqhgnTJ5T! z^RQq&`s&z682Y-m+`NAB`pX+Yk9P-kvaEtI(CM-4>!aXk``-+QDiPC4QRnJ>tbnb(%7rrktnIYnaT*&0xwJ z?!rpD?g$AL5-KSuV~3CkRZf3tbhYRj(Ibt%@;E&y(ljIfd&T zp8cfGjYYErj~9F+VOFSyqgfc4{Y{RK&WY!~S@82Xms} zhXhYD7?pq684d%p_hJT$ewpVJa z_-2o&9)Q1!1-AJptLJ+Hr#XIXtOI>p$oG3x3SUT+P%5sbK9#Zy{vKN)cFIpxF zOM5$gq!q1Nirz7j(ff+t z&uC8NNQC{J?#?eXj&OkJj-n4Fts+lOG9wdHW4Rw)I&^ZYZNF%Bmeoa8S6aNET)F|v z%Z7uTAHFH_-Nbhne=vDQHxI*)!yyjW+83pV;6nxXB+P;&_L*mwb*h$|H(`~C!`$oY zrG9xC@)Gp;HbB6_oT0RsduO<_=SMMMS#q-F`I1S&d4lr^E7n-y z0=>xL2I}l_+H|VB5(ILs|1ljCqDMabE}=*+hb%ME9*E~jK+wH2D}Uy1cfTh z@$L+@^}kP$bE2HybeKX4*tQ)`a=OdX7_O5=_Yr*xX=VYXp{@!GontEv7v8fwdzysP zC7eNlr$?bSCl$_g`mP@F^k<1aTl6_i>4MPL>HCcCC%V7r0Y+m1ER;3|I^EuG&LGj} ziXKdw72Nvr8tjyV4NOq)4(Dx?o{De(5J~4tx_}a&TN>?T{03j>{13LZ&QS5g#HYwJ zb1A^e&uG&qaJ=M;7~ewSMZ$}TGfY^}wz9mG8$==DmALe$wKJ4TDw9-Bi3tzG1u@>q z;jg;HD~u3aA-Iw-?|-^1g}1HB=>{v%R*S9?J(4uv^)U@a6~*=G5#=Gcaop4K2Bl@x z%BZ8E7RZ{KY77&pMYs4US9&apL8_NBT1o>IUZk$3zH!H*Fvg8ukHw2zB;#TkV`=b{ zsNo^_BvQlceTi$AS#A4LX_ra6oEl%E%JNz)6N4pUHR9t6w{Ewkny-{~m8`32F?eOE znu=#wc&a<+7(3O1{vdJ+(<(o38dT{Zm)s* zfGhi2^1WHgEmCf!!Z)u1*=Bt;3i-FWu;A!;joT&MA>mF6O1j)B59R#3oZsR4$lopg z9`W}YUxGQixVhmz=R52Z`3d6h7ykfxCUx%Jf_&yd$Fu4pK2i8X!Y2`DQs;U_4VA^1 z#EOsU!!9kb>ck_GCQEvh65}ue(=u5Ldd&H3%gi1ZKSlgh@_cqRoaKv;Kz*3z#!*Ev zSWn29E@K7_K8b3KIjYy%2H{Cp)}0@fr=-l3GK)&%MXIpa0w4EmHwN0{ep<#eGUm`| zj0WbEA{x&+zs9P#&xwCt{0roH1+Z19&Lii4(T$$=FkX@|SH{aU7>ydNN{*clxe4Se zuB@`&wb(>rt&L3-7y8{bUT&2QogC@evJ% z2@4AZtZnqM;}dPmh{eK}2>*mQvrgR7y0FyY!oTqwj<8Jdr-DBt%+T=jlAFlS&kLWs zv7f!8U&vT4V+9R{hE3UM+*|2*vwLFTzZCwJ@UMxp4`U1_zkTEE7qcV#t=Ls!SCiG< zxvo z;U~v$=@KvTv+!SpZ!jF2DRO6ljgF77Jy?DfzDf9I;wp_+VK!&@&FOQj;o*1De~8{f znhCV9BGrJ>D;BzPVbB`%O=1M_71Tir+_kEAqUd zHL1$Fsu9??qqPg2E{qpwBcZK?b`+TC(6XH_Ybe9MR-wHsJx+*92PykX*^dfe8su9j zcr#S{yYcW@(KtXxM;Qmw;9V-HP9xQ!0^xks=lB^%=q$dA_^!^^rOT?&nRk%$37gK* zO?-Fp2a{*4QAb4hQRq9wg^o6vzlVfFCG@1gD6lw_!a&{faF`n}S)>n_ks%{NgZHT< zpdSDe$jj0p)0J+vhFzAFY$-WZn2=CWX$ZLvA7J0kq~JWk`GnOzj+`iocORRcsib&> zd;42{bfmmq@{XdX7ora3*J3V|mkLL_^XHxMaU3J(SUJbhVO(&pLPKMwal9+<6-MO* zDJM$lO@*&DI_EP`g>bq>SNw=0oGiMJ=u@1=5Go90a{AeJkv>iI>7vgd&ES+{;i`06 zD_5QA${RgmaL$r)wv=ORb8D%ocX|Om}RXze`Y4rIO7mf(S zU24`ZUS@=(3Q3ieEFI>fM;T?fI(*$jm3tlS?pDjIkvEbapNPs=NQK;gFSs)<5wDe& zQ!A&=oH`_0)PA)DV&P+n$4Yi0 zqoxdtR$@P(aEV);Ei#wNx=hyPwD@c=E)Bbi6oo6CUv9OKE5%&t4N?d{~Z+X=x7V*1<-y{59;>tP;OHu)CFW98d zjgcotV}gwPWjsJbMFLco8^VK5U-DNB{6x_YiJnB7xh9&>8^Xg5Pqqg1M+8q6{3u}t z21^j5(t+Kc!((oYwTj&1GN#CwN<*(5sz7BZVNG-XG%Nl*A%42}8RU5dJlJYf9!jgj zlWx5JQ;fhw< z6+=)so&dur8p4b2d}o1qNzPn3FVkUkkx?cRC?vk(d>2dkuZo{1e!lT|u%#6!KD_4q zZdRUoUHk&^Z;)r=DXzot33M+w-q#A}ZwY@}_&db)p-z=mpzc-`7P|1gb=SQs;XMh9 zOlYVMBWkftRe0Zpv=yR1kno{|k0|UNBaEF`xUQjXrS!3@T`lg5r7n^B2~~YcF)X40 z8-QT0Ls;rgw{bCTFO&1BoX_Ym{%LM6g9UUQf7BLB{zCY2;VX#qdDn31=#>uFTJ7yi z!CwjfnlNt`HkGbbv-dYHY_*oVZzZgfu$n^rDkieZum~i2hrV;Cn??G2IcwysrNao+ zVipl{t{)t~^zInnb;5rXzMeS0)n!=Ztq>~*BN{)svbl3qewOl!lnqpv1hGWRDDJGF}O&>a8KSbZ3u6@$MWenRy@?Dk}t+wtT%VF#xV zu`}-|dMD94lV)a7Sy&Qwakk3x(H3HN6}uZ*-g}e)QrLo$_kMR*23Zkc4=H;}*^3I( zTM-%n!rl%ST4k)I;C%$QA{;;ciCmNov9en&A6RSmdRQFV$ZIRF9X*S2GPHO4P@_AD z-dFT~q**E{tgb`hqBvbzS5Xr7cWJj@@ozZ70g^gOI*^h+$XtI6IejPR&$K#RXYpOc zcO}mtvHiL_9OQJX>G6?u6Wv|(!K8Wi0yd*zvH3%szk3Fckf0y7l9N|d8y#yacm@f=ASgtQGDneFtv>Vm`O2D8a8OO>vj)rb0 zZ%{bi=~>obbAsp-MfWDnrd*bsu~I&=FWse+T+cz(Pg5` zo6@;qxYM~tj}ToUy0R&q3{_4ijjk45BYI?0IxhsL^Ndc5t`%L^l+F*MoX$78Ui4_u z4NYh)GB(EPBaFUC^u?mbHl?w3hSNtHeW~cnL|@*N#)u-Pdl`MD=&M9uZ8Y|z;e=|Z zx3-P1(zT+m6Ftu8EX*9ojB2MBofGLBM2{DJBWb?ZRrMH6a+AYv4vd+=&4O83&M&Z&PY{2< z_y@@IDyUs#1WnlJzew+(v2TQ z^u-l%q!CtYMr*^9?!9kM?kRaQ<;|kUG6rhv=`<$4gxM~vusA#|;TZ{YC@>C~&Vl(0 z4%eQ1!LJKmAovZ!{GKyG=cS6+bd8P!mp-t&^OmHyCA~w5)pE2EW8c&A z(mD<-2n*fXbyN)3yRzPswTRYU@lyF(G`oCEV}I)VZhmOj`#|Q0GC!ipr-5QRk`{`^ zAG=Uu1@*-emPq)70&hY6NGuJz)Zu|MW4M+H{#5X1gc}ykywu^l$dk{VIBs=*>;(yzraTzZ?C#=s!enA}E#)67ETSOM=4TL? z1oIJ`U9v+=se6dsQ|w-3nXK6X9QJm&y>&RY6ugh%Rt6VTqq(%T!}nQ3TN}Y`1-B#2 zm|_{9+UiOb_}aU2nYHqFkg~6o{irY#Lrt}a-QDT1zZ-uZ7=wR+jE*u6q!BY?Y*JV} zsu~@k%=|jJx6JNoXL()Zb*0x>=cp>g$Qp zI@S4_PZ$*h`!w;Vi$8-r&(1B43d5OB_p{xM&JumL=yOQ3j#b#WUs7MkhuG-he!}|; zA3&V9wXzN=b)dt$pBdvhNbtFW2OC@xkYS(a@bzsYJVfyMf-fMZCGV+}8?Mpt(_T;lj`YjtvLd?EZY;g=KVQz%G4UA(eWmEDL|;vs_lZ+S zQ>YVT=7Aeox5Y?bE8{vD<7n_nV6J3EeQ{~H-uZLxi~J4Z$BVzw_~KBVE=Mu!Cg*?K zHS#x$zeW754AM?zN42)etTA$|1m-co% zA!WLh8C3WT>uUH#Oou0(-|ew@x1JI|Q~WIQOjCGQv5D<$r>EGv`n2e0M9*nLBOiFy z>1jqkC;EBOFBpy4co_NnqSIel$X^mYSMC$15#E*ao}5K=ltW<+0<=Y8PVD<`oM2^{4`h5O<0CUL9v347d5w?V_~W7& zuEjEz$oPZ?UJnrwDzQ-o%d@p*9=(VJIJ2CXQvau2R z2RAOa=FfF9ew4AEMq^<+Gb1xqhYjUJ`50`p=i1kn0)LkFi?j{Yl>c!lMLdIz&hL4D zdIJ~L?IoT&XP zJ!$X~9F&17z?g8D3qM;w_u&#UBqS&>3Td>bW7J`$<8!T7GD~>2@EqbSs-oai5^^1W z+KN3%!Fhu72{TVcQMHuCF}`a@xbuLOSdWy`OU_Yrm>m^WH{cc>?ev7^F}lZyK34Q` zq#2x=>XMRhyu*DA(J1_cJcFkO!E?`Jx_n|(me5`DJlb4c^%hq7vxZ~Hnv)+%@Xg!dOd zfH+T%I(A`280d6Mt7H!neXi)ir1v4sDpwiCOrr`=UWkQf%Q3R~JeT*`JKn1ylFyfX z0cCv^(8Pmo1gF1jjWgm1Lq!i0og&S6V3rNmR|y4Y9VKq8 zwl}9#MwyIq8p>f%pek;_E*8%JXshvz5MLp_l01XYo?Fx#oIc$O7uBL`M2|F@V@1;; zIDPJ#82Ys6TG4f+8QBVq`mU`Fqa3e4Cf><<;iH8&5N8q^k!s*13JffAVUP`dzDUBw z62?;C-6>3AfFeE~s4uut^<@mvr7|v)aXAf!2zedxD;)1=lcKH^ewFa6iSuSM*UH7m z;~M9`vzvdd`0K=vBhQ1z)c%I<-gq0HN*zt|d1m|a2 zv&rk?7l?m@JTre)!MSTLh7`GS>stH^j_{V0x23#8g`wwrk_-!-{@&h_cSXM^dJ$>9 z=WKJ-jEMKQ3D)HJfrJkwd_;k*tCbiH^s%#V*Z_^iVwZ^hge-%S3LKBW)am)}<3}7} zndnbNe@0sEwgm;@b7wEJ-kUGPE*HCkER$Dx)hIM&gq4o3v`Y7v!oL#!HF2hR-jjT! zca9YM#+|ixXTFuQO3rFJy!F`S2?ZII0={!4H6|vs@1?AfvX%;OCSEKI-$WzG4=%iK z!>-p!_))@o3VSt%3tOSrV7n(Qz^2ZUpWIw$q5E0pFETgKWQ?jXWexKXFbF#xHoDWP zZw%hAayH4?Ooxvnfd%)_i{SLHt?(m`@Vn?gL~kL@TZ|nXu=H5?)A5I|7md1r@V|xs zV|d^K(OAvM@$0QnuvK`oDXIzJZ|ow&4`eT~o=f(=bdW-dT_z4vPS=-a% zN2a`LIC{u940i`NrXC*SyrYbrWb8~samHRD$*_ylM_SFVh3H*H??#%>JdNO>_??aA z-gbB8d+Qk6L&}~~_M*ZIpzRS`QSR;Z>(=(zQuIEeTao5tYwQJWT==QAJD*y!avM2q z<+P*2RE5Nw$mERj_AdNncd3JfeI@Kif!%Ma6cja7r7(vOeF@tvuNBDZDCttZXOl9eqhhZgTHEwlq+SymUW zG$AP=PeMKgz84&VfK~2}aQrRn`#(~6FX2ZKSNh1w0e!U7TQ0#laD-z-A1nGe(rg;Q zPTFYLP)A%Ets%#|_J6}DK|4X(iPCyg<3+Nu&JR{rbvoNd7@RD+kLXiK^NW>>`TF5h zhp!sX6XVpU2|iu$8HD-8LU7XM=*l_M`R$Juj)hglpDq3z@~n}@e*U5iuBzPErRA2y z`$_6AX#gcl;yKloSl7sf4VIV&NjO)+;HE+@9(Op;g=;?5Vuag-s?5 zl`u>~iUQ+}Y08|e8Va2M+PZ%W#TSV$CeJ98U|TnREJ|GH(mLi$r4q^{lv7ZF8I2E( z&2Yorc=y+MYe&eakWop4mk5})jvdNNLzN5H*`T><2{jT%Qs9FwsKkQ{4yUY4l@?qp zxQ;N>b-*g1sKbtO{AJ6)>xGXN-awowRZU(6)kSEc;hL#qT>H>^?kS%fFB5$^Y2G7z;Ht0(D!y@7xN+43@vdGe<0=_fn}G&VH2Jgh=o&W~tn_@X zjO%2KqtO`envkjq*E{})#rp=~FN7=gz{PZ2$pG#@}^b!|Bk-ZaOzo*wZhgijYfgE&u)z@Xauq|@(A zjPz5YXNsOhnkO%*sKa7TVYcIQ?4^8K_%p)i5Lbd@pSW7=pLL_TwM0E9<9Qh`Y%?%L z4aEk`TXtjBgE2@i$(SqSWg0B!7S)x8SGKX%VEU@qd1B|2<^AVJ8T*YEa>_O)A-MIM zy*97QS|IBUTFfX4>*B`GZ@RF>-hsCyye;7!3QQIy*vFaEq8B>f-`ZK;75|?2MaEZR zHA0Sve&6|X?U{Wb{zLH}k>^vu>IzJCA3NUN7F}8_e2MT+h%4W!!<3h$4zIB8(`AA` z75o`tmJ}+=G2bt(RQkCqpB)vSz!y@MOIblhPZ@h~qDio(EUa{+#l6w^QpQ&@zNW!D z%7ums(Hk1Rap6a6ar{=oDhaDiD5*xO=JdMnTu8NvSNLAS8VPGnz@V6-I!^WZ!G+^D z;L13{Itf2YSWkiRMt5ax@o2p|Ke_UVYp~@h9d*X~Ux|xe>xdzz|F8pRW#*Pwp zlCU!c-dDVGnTZlK@1(;nu57XQt%a0brR+vU*TC{hczv+?kqf8X69ct}ggqtfMS<@d z8oNs|&p7Pu{A*U}ZYh2r@vX@7E~T(bcjE|w)^2?K8vX%CXd|PojCN)ea?KZosl6LL zZR%AA8T-oEk4CH`XJ*z_A?q#*`@8eEMf?Cc9pxNIhY>F*uPH08YN!aETqv^<2%RN# zkWF&^F#i5_S{cUHrl1l|0yiUy!OA5e{+V5L>aKhm1pI^rXQcrK?hn zpSZ(Z=sZ3?i^C;kNJvm%W)n*Bq%$49(7ygzg0ltZ5a!1RFt)DBb@~FMlcMuP=ac5C zu>mc1aB#Twarg~KI8tyg!AB8p9Lt4eu#v;maTg;DC^*`^f9x3?Bkx#w$I)YYEyCvY z`2O(we7r0FXRU1~NI6kTZz{Y;mBlCtvvKz%7gkwA&dCz`NH~RpzPb27V-kYXyI9BL zX`)XTeFkZ!q`InYMWi#`dGpcu6wZ=!ww!b5G!{&-lrZv*zRn+P?UDV&_ZL5aJVR8S zu0-j7pws=Wa6U-%xuOS?wtJhc1(Y?$DV*otzjkkj$U9%&1@w58bOozE7dm~TeYS>* z9ws_PT3@+h4Yw+Ad|zAIxKMbJ@M7Y;O=w)>XN<)uLT3u}0!Zij7GM{Y`O1k}J>K z!XarXwNmP+Fkp%N;lslyhg)^WZ#Y7|;L(B`2wPUeiB%ZW9>%!StZ#HKl5??~v2>Vb zwFMzl$R#e+^@_2-RKjHvE;pg59Idz%u5e+AHO5^j;VKDNQ(zJ#%XK8LasD)GTDn&J zb>hd7=i_GcAl7ib-tioJbTcW#$(hlD#RC|||v&qb{7a{fTeSML^okNA7ZGca84>ON;XS+brW_I|MskYyem z8^w?%J?O?dYZIF&;~^Q7XfXIJ{1mYA{ICmyt=RC0gvk;frN9JNkV=mzZd4v~*5CnQXlFav*um!XRjPxwj4hjfjP;3?rVh0h|+ z1YLlU;$gPK6Kn$9(}JH7Jclq7bYZHp#$M%T-Py~!zn+uxyqp*4@R6b3T)nOjy@6wr8V)#JPhmt;`#M^{&I=W1X!pF`xKOjb8vG^t8KOwJ77*ic_SC=~8>8^+` z6aK02&xkY5C?2B12jO!U{?F=rUr1OkVFd-Yd+^oFdU`6_q)JeU{mJPCmR5ci{fp=gqukgW-r3O;RwG=`a{wdN__Nc@4}=1)A?(yx$7_Se~bTzJTodhnyd`= z^@V@k*umnwRYtREs!QN+V@B0j@5P8D{L)yP7+@9O?eG(76B4$kz_*H*NHmV$+`*L{ z?HW5u*-6UIRG5*V{(&jY4!5q4$+3mtT?Ow(nCDNUF$69Bd~UnDvZIw>_mHxul)b3% zE-^@%_>k`H{7x30mg4sj--s@090*g@AP1+ z_;wJzuju_q$M+*Es~jUf>NJpXf7f=lP#qwxqqGC5@h+9uV0?HdhbwGKd1t|01a~zU zqrFFjgB(80`mwqR?k@OXgR_$vW#JHqM~=YNaD*O$4;9?g;M%g9>TsCD7fpx{>u|vt zf)j-8&S!Jy1m}0LIA)2@7N0|2H?lC)6@*-;_qUH|Qgoi^eA2P$Co2bwx0Pc}bj)RT ztA$cZ}Jh0`RQF5wIcc31OIojKF_J&Zp~{Mq8q zAf5?@SS zWipMPXRu1#$hj>Bt5imrjB+zS^({;_Jxsdx$X;*yb1O?4b8|lslieFxQ|eT<`pf z|BH9{2Jz#?-$2M6+Y6v$uy*wwivud)O?LHPZ`A0W=q*I>6_%wKSN zbag!WM9~k4o19fMsnIGpG`!;Q$B)G;yefE};Q5647%Iv~>Ey3Df5g#|e_i|n@o$jlV^B7%(Mm(Z zo9>iYdEqTNZ_9ayj_y!qMqXA}==7zwBhR~{-xIxvH0!N}^;jp>+4jHTCmi7eu^)>4 zh^&gJWvQZ}nBnaB&GrH>7QRIIC&c-1hjJxWY;05&mb%e=zRr&UOENx{@fi&jb+WO$ zA1YuB^o_5Z^hT|7OI$7rsXLTH?H`bts|!;OtmiS!JErAH}XG ztAJpVHl{f{J?6rA=AT9XB6>p;8XMGabovUTe-*t+^yVfs)`IxW>8p(XUGyKKw-}94 z8;RWTr_*x}i6Qw*^xvZYX+mRFihrFxwMV44if;CVDhBx5I4}#(NW0;2eKFNno8zAv zYX~RVgW3*1p@txHdz$;>l$iU6k3gC;uxiwVW}~}!7W6{+X&&kvU!@&&nw@l-op~C* zO3aKkv%jt~?BdRwwv|B(IlIc)jSdr5MKuQ(qAfUJGQjRGopVgQ&>oWZl(ZKmUMPka ztu<9)Z+Gssz_paKkDOL?n00P*LTgvY}wo=+rVG_&B7#Z3-J9Qd z+t{kGzq1pJJwR+nu?HHP!W6Df&hBLIYiF@t#C9dix1uyvkxXWWgBNs8!n+GU zxCx%0T@?;-yqn=YgdZxr=YQ~#;V{R$8-BR(4B?5Ucuq#hbo^k$vxH|0&uN0^WmJV+ z#}6_*DLhYjeiJ;IH!>XIco)Nu6y8htQN;Jdo%#PwwBcw!%S3y|$LK7_>MY0cEGp3; z&6c7)=y>PnT6#S}{E6awlV?^^qE79ToIck&@=g}rNAxMA`Q^gYL{uUi9%HHcG{L6} zKEvQ#j9v_9Iy~wYoB&5SOYqr(&v7^(lj!?8+~MvB_Y>S-@BqRLbQzX@$_N9UZr?Sg zp+Tb06+M_V1C1TwlHojuyImSjJw)*Nf-f)_+o2`Hg$~zT6XBtPhY3y*-W&hm8I1oQ zp}^G%yT(8jN-dIFOmz>a9P)+{;9M!P5WCcd68D?(T zyHSq6F(+Q4UifI?4a6CZY>q=5IJzn&Uq#34yYL2i;XNQ|ym}`Tn-DcuLe4E1^#>BJV zF8B_?cM|3^%g)U4&(2-$j88@9ZaMeJxtC6pPY5=J5BIrph25tKQtp@X02M|#3*Y3N z@SxLu>^nSB^h2U2k>>kRP+Wx?877u(OXm-}TE8@g?GdSyr9MiP`B)aZVL7JlG3SfV zi2UQ?r-+|Qo_Ci4%PqvV*3(=#)x!3Kgy|AyP+&}Q(JO}?p`HHj=6L$2M9&mG%jgUg zL^8u{r`PeCIKtDSpAkKWG~=BK8q;df0*B^Pv^L}Ye%94*a%Ex>C8^I#eSs?Dos*@F z7{iOs_qjOoFNvQk{$=u9(<^}y+>Jw3agp*A>c6Q9?&%m_@e>TOrny&jf_XZ@e4fB= zToQ8^!)q>_Za40A2@52=L17PE(T4Y8J>m*>BE0F|v$kjJTk_tP_YOU#Q092%EOh5x z8|VA3ocH7`qQhDmo&S$S^uFu&oBo0H52b%ZeJ|)~Y<-CFKgq1zWL8!#v$K!gtiCd4 zvx{Xek@*Qtz8Y9@BAK0w-9huhQdeHF4%=l?K9%wr6+OA^JQx|_bLX31f-~U=Ux;5W zeg%150vqKfFmfGl-%3~BI5{d`O8H94*QQ`wWHfByRnHIKxbjd#RKAt6O3G?evamN_ zb{@t*=Z5cG8Eg^xUdkFNYpF0I$*g2n4zivfoZs`oc!_o5e-yu-yi!mOLdAu`esbXr zYufo)!Y>jwn1DgIrNwZM_#M{cvz`6 zJCTjQnW43N<>s}K*H&ITdX1?auOFMkMUFjxgVH(K(E)1}n ze1L?G5)P!mn~Xbd19y9n>lS;x`Rpch#A7}3pDoVA6*@h+Za;t3K@l-QdhKgwuf$xVin zoStOmmy<>J5q%2j_MpAgjSpZEM%Sd#Sd0=!C~XL*`Y9f!`y@glwBS&&@W87`h=c&zE@tO(r!KkvZBUTfiia?K3G9UjkbIgT(w zaE0JX!i;n*tZ!TND^$5T*-E3;GHYaxq{(y^m;xG$SmjkUb+sY5c*;dF@@a{+66+|k zxX+fI8Vq~YG`3MLePFksUeahu4V3s@#Ln2sJk+ShIKLUc@(34+zgYZO^0AFECy_$= zk9{(ixYXCu%cYVolXN+yc#%A8!X2(~K8_+pmxuVP#9vKb#aPU(%MaH${rmMXNY{$K zPV_j^`!b*`AENgLvpf-bB{Y2lu;q9N*ZWEOS~tQCI>~sQY9)5Zj8_e*<#8ZU{VF4d@#D|)3En}Gib54zj`Lm)W9 zM7a;iokW*u9Pcl7Vy~+$PL+l7a_pPM{ns#O!}X$!c-Fjr@InP=D= zXK3<}xi=V}@hh%gXwUdnsq>`Hr>ZwDk)O;CuQ@$r9L|R$ye@iy=r@|s=vsNx=?jd0 zOZ3~K-yt1)GjcNhvlbS**3UAHccr~2Z4otP&UyKndEtGhXB?{#p-)EihoV0+Iy(dP zn((pHmskt`V$n-Pf6|0b=7*(DUupC*(VvR`j5HHp%*z|sV*1>rrz{))Leg?cD=6{H z%1tlJtBUZJV#q;Q>DHfpE=rp0>|hZ6I_v*qa<*LGYKWB;wRRnk^dV+c86 zo6~0S1t<#Nx%ADg@mk+YS|e#KB_ zwyU(=sIe81tt6PLk1T3;H|E-ITYJdZQ^sC2?9t`o%ZSmKd%H5oF49uUK2lmy;pZF8 zP&r8qC}{2cxyH8<-&TA(@+^gwq(*VlKzqk`Y#E%rTyI* zY?nAdPDeQh(qX*Qb=WjCl-JaTPHwz*d%Q|#8C_&_rNPo0@^LIQ*?l}!|@B38N5$CPR*HBv@WVLVtx#J)$U zBf7B3s)%U`wG!$msHB56db7hQr?*-@UN3sI=myd;x6I9K{P2%)rO4uak(7(2jHSX0 zsOa_o_<9fcs*1KI}d*z1}g6 zbz$EHG58xLjFT{)0t*_9iuAzO8&OnFaAU}~JONHIQN|=0lWFiNX1+*a_#8tbn1+t# z$4xHwuymRtajL{=6m=zuf>dFc?sOBYv}cH(Df(v8yb?@->&u;N!YwZJJ|9dB*Z+HMzqhwwXz>poz@6Nd7`UCw`Dvy1K)e~|lk76!*Gyq*)7PEs}MgS=g(tn7cFNpV!51 zm2E*haD*kYmdd)H7L%9v1rx-a?rAq;x#$N(uOQ8sp}SBXFpnNx4$O{w(5)4<@p>MT z^{}i*Xz`|WFUHOe6drZqhPC(|M_4Igm4wGA#L6#|=HB6)vGTY}y)14|NP1GzQCUd_xj@7IBMYA1=&qnEbkj(8XFrs};f;h42PL zV70-I50>Lol<`|1Z@Sja*8Q!O_Lj7_O{>M4ZJgA!cU-&DHV1rH+I!O0nO0qleaUDQ zqeqU7a$UQ?W*~kbZN0P&)OhpR!BNS((S^p=tp8BLM-nzsV6`2q-a&&<$duyq2+TMi zySvOP;7{a!D)%$G%%2$0>5k1R)gP`1pSyK{Rll2MZISf_t$HntL4!D*kx%!RE^coR z&sP$^miP@t7W<4UqQ`pWTUQ>n7=9<^dnrFqsn-P?G>9Kv|IwvStqb;(q@N}ILP-UJ zWw60K)vs>7Ym2;pleJaW@3dIo$KKu`*2aIh^NF45PdR_d`J0Yi5e74;{Nu`9c18b6 zX|Py59{hU=->%yI$`^H3YBj{4^F5&Z&2EIB&;yda4Q*Z;_C#ZU6deIx+O}@>v5f?_ zleN999cZckVbiXxdeES-qZ`}Vt=dV(&N3R)*cIm~#s~>MI$N(9xr>{3zYG9JXd<(z z%w1_JPw`xF26t&_=2ja!-)^#Ym$e5imPV!6@wKL24&KwfH4S5_u$R2%^7f|31~v*6 zF3#tyT7F=LE6?_E^?WN(T1agvbzf7hn9Vox^!?jbu8yz*cR#7ErM98Uk_2l!^p$Ij z3->J_6!v#*_Te$I2S__m+CkKqH2C^4?p{1!IM}V`{&8?whsrvP7EhKRefOs5;jSHI zL(oS^J5t(F)R;1s&+5InJKEKymdTEhnvhyRm9tn(9fYHPLp$mIa`RL23+1Qj|5uU3 z00!kN*o?amm|G+_D>p}%I2d}Ght%F4lG7E^84Br4hQw&c`%)Rsa^Y@E%(Eq&BjH>M?41{5u2MM9 z;RBw+Z#csFf-ew!Az>C0D3=Qo34A>xT;xV;>m^();}RK{(qQWj2409~!e!3yZ~W!r zyNJJneC&X6r}iryZ)12@;oXE66KCNX?<@Ym?(Ncvb`$zYs*u!|5=+K-6Y4!ym2Tc@_(pl-4#WLj+U^g^c! z`#Q0~gXPf3EjPLNcI$Y$DH5kjoJNtQQ#_p>lj-h^wUf<|GgHpZbo7`PBnq=E0&j8Q z4LixL5@t!bjY7TTng6un6FeMYm;&xOTK_qE4%iRh)G?`9giV%(XGL!NhWD4@g@h!Ti?)u3#|zB0TNp1T&wJ z`K-+6XtHBfF9KP7x-wUo%kb_#@A^2?Uy%Ny^p~jf!SzQyn>0PV?Cx`Rn_rRps@&J; z@+riPD@xRR3SW1xpWVXM^47?EgC1{Tj53-Am8IPWhc{iDZ&6(K{$5riwa_jg)dzSmcn02`dZRA zlwx$S?8o7g?F`=u{$B78b#SsE{OItx2LB}ZXTiVJ!Kq~U)!}Xi|0Z~=;NJJ{_|JUj>6A<2Q{4zZ zq4Okq8>5+9lVMw@t1Sh$6TQ9Y9Y`~?#Wo+7O=3(6MgETNO|$miPV#n^*O(q}S3Z+Q zX&0BKTMlg^si~x0DY3jn;e_1T%;^*DvUd}`yXZaY=mOAtI(@d$dx>r?dha?qi6Ogv zoW8>77NT2<-j}p`R22!#DnWIJNj#V@l7iaG)#FXwPikwaZR*s5EH))B$P^S{|L#l< z>i({tX6gY_50rXPor=P<0Q(=I?n~tojPSv(USjGYQV*4SSe=^6VRPzS4j-Swp2dvt z;jWgNdW6&?r5;6VjdH!F;^4U zoC-S12z{k8MEQXU^Hdnub&+3q4VUlV)5#&g3G=S;@INndzIrh9(7>qFg~H zmw4rR4=;Y1-b54~XpAqD^dSg13?pv?y%ceQzU%ezP39D01t@*S0m zFxUAB)(Ds<1lwl2sRu@Q~n#1wTSKA2#dm@TlV#Ti7dwuM++k zafQux!Q&1$Jv4^>gy1IyKSeknHY@k=wBscf_A|nt75*G?hK+Zo==eCic3cem1;H;0 zeu;2CY}WqaWygbs{fh8cg}+9eVdv5a`*nwFR>rVb3tl7m4Z``b***wwI)1H%y;k^J z!rvxtk9In|<>h*7rmj5W}<9#y29uWMSmoE6KUO@ zLckw8ygz%mIKn4_KNb8LVUAQNSEaDT=yMlNx6n6B*dpNz3cAjsLVWDzOQ#>cNTFlP zWYJ%X{>JD;1|?qj*6H)vyv7l}6aBsDAB@iC3NzTd!0DftMfxYvKa2i_w5~IY>-^Q> zp$A3yH^Ey4|4ul6ooqW{xxpVUTxQq#r-Z*G{7r$^S(MITKEXduFS|1a|F7r?UD%342grTr$`^ zBop>@`s`6L_`O6o7rnR9$X;lo?c?-W7Iq8KEk*B3nvvm#j{P`n*2;xj_lqsS{Uo%O z(1t?2VJ!}u?eEG8t3eKsa-fuhs4#VUaSZHWhd0}>+#!Mw6?_%>r3C;@65zdE>hC>Dq-mxxRV4=5_&`v^o3d%CfzQ;Md^ne)p@q$kf+<|aDbQI`C zSbcV)3uPAiNfJ6rIGF-N&$3(A$>H4682TxKPZivma6WX@@L9}6I?aVj3;lEnXGl1c z0z+39>MVy3w#9;H3qD8ixrFnfqaBb<7KZa&xXMC5U%~|vE~KDd1IjOc1Mec|2U@{? zvG_~GUrL^RAWTQZ3!!2x&c#-v;WD?bwhjL-m(@kq6|~r_(f8r_gVd$LH~CeBa{-CY}Gkt~r`Dy@tfQ-NQ6#QSILL*POq+k~;FgkBQL zDdg)y_IX2Z$J<+?^$}hnyf1Oyk|NeXl@1TP1Ha)2Rf78o?oT)$HXemU2#%j(VOI;U z5nfANVRK+%fWu2>#jpno9wc}$;e6OA^|6M>@rx|%tA$@9d`KORoQ?M-j(0bFsPJLJ zuOrT=WLVH%@9>t1F)G6a-ynDd;e1rkR7r%9j`z2)M+qM-d`umV)<+_Yb$p27Hwqso zd^~YQg^$<-hi6QVQJE-slHkb(7qa5K$>BZwMR-RU%Axyq85}hVYrf zZ?3~ppCrO9j@KG~tMFOEZzIl}$PAoiCt$VR+G4T?X3w}WG3Wu5BA9T3Ay@h#5@WX;1ahMJB zM;$(FMhtnS;8lVjBdnU7Eu!$a)BmxcpAh||=%+}th~k|>7u&ZmdD^|J?1nuf?^$`z z(c>)${7^DpxrOIl=wx4;ctOI85?-QU(Zbghoo;B+dPVfBqF*B&%jawY?;l=weuzb9 zwfHsS-yqK#xu!4PRXF>|te6?rihWD$+hiH_>av=CT37Xs3*U{3!n+dQldz7$P7p8+ zQ&R;w$^U(K9@&UL;RqkdSubY;9p)XZ9>Y!~VWZLx|!aoweiMURIH8WM+xgf7B zeC*DGA9Mz^@#TCf=QBFYZ@v0q54X=9e)o`g4VwjT5&Q*Vo}d)_MPug%tg$K!U%E5- zuXuv5yq`PC*jYwn8uoxB(WKtR z`C*pCO~f}9zbkp&|0;eYApe=mX6_toQ@D1Mv%8!<=&^j)>>K{YMKX$ja#(Zt0KP+JM8b`UUt3%BpxX7Ad0+m*whglme%5((!p-L zWji|_BI8gQhnb-mR^!WR;cz$hw8$MH<474t(O~C>NfA$Sv@2WfNk2wPLP`M@-fSv7 zMbh~l?J`p03&p3&^ZMhKDRl{#aq*hrG2x0NW+mn*s-7&z)L4A5BCe%ztI)mz)mBzJ zS?y^t)q3T>gN(}HI5&RUKc44!87Ii-Ktr_$iXnbGC7kHOI@?p>BncfQoJ@iFCtrap zLvkE+)*NOZ%4e=o-2^U1ZzkmWVDD zT}GODf+c%l_uBFbZA0F}t?RA4=_#w1ta4hcJIX3U=xUr#UJV~{T8X2`Tco{UfdT?+BC+ZGx zYpq!WWet)wm==?Y7mq#8oE~l$eYNOoL=PctNtMAj%JF4D6d~8Tb%R+$Wet;c9W7=I zy;;JC86Cg*75s`L3>SWb@DarMV$DkBx~F?&ooR*eD4C;Wj-km3&YD$MuNbc=MvEhi zb^Eu?JS)z7qwI0A$J5SNxwWCX2X|}WOT93`wSHFRPLwuD+GJ`R6^zp(w5TK8m>8R7uk)@%D00*Ivc770EE&jmj?Z_Rf$oQ^w6S_yD9eEz99{Bk&uJaI4^1f^Q?- z1i!|&6mi)B=4QFK-UgX&mv@J}JL$0!O{EHaw(ni;Y&?x;!ny92bB~-kbn0J!FMO{n z%ysEjyZ(8S=1W>YiP?^mw6ft|ryJdL=tpDd#CVY)XSDc;V2e-A)N*<~i&7k6v*<0NzaY&-OlGqPAA^M9OE*THKpw_dGQO7a4GrdZ z%#wtWDZtiD-@0=512XWQL(2D3exSlAVZ$J`#g@NlKw@ThDjWqT<* zP~im>;R14DN2kNgNbe+iXVHyG^8&Jk=_I!6!MOe|ZXCZj8ck$0m9Z-ghM&TIe}$o$ z)1RFZ>D@%{E_x5r48I_gMEC`{RM^vvL)t`RFB#2c>`g;AIDJ?fnOj5aiMgE54i4*NU(vE6_JL?0;nAks>o0*q=VFefV< z?8cJ|WB7;2I8?@AG#Gv|ht;&GSVs0g`(4>89p|_Mfm9~z8LSuPme^SNJdshj)u}FS&+_zW1aqZ zP^8<6ZYR1uX~iFpV8C_5k;$ICcDMh6-UKZ6|>Q{hCXS5JuaNuoQ7KAChr z`~<@18D_rTu#bcw>i*>4TBiq7a;JXG8GSqH9Fgl2-T`rcVm@cYquJu{$gfzo1$Rw)qu`~>>UF*iC*3lR$W0;KV%wWSI zSJMmc#jbZ_wB^y^GH#GDf(Dx!Tu+E~@Z2J>0^7KZbZvm`)-g)jXlY}pvC)Q(SZ|IX zVOcbr8~NRG$GW_S?dWo&~F8rUH#G|(%;T{QdC@?ZPOeqL+9lpeh z(|LmD3tm82k;!7iZ%k`){0-hx9ATmGMZ)hRuE-!|uxl;$TXtc;=}}lBVX1`sDKIh# zR3KrQ!{ZqUj<8(t1An*g%6P$bd%6X`|yKEj}L#|48^I;ygi73YUvX*y-@G8++asqx6Z4 zPi1^YBY(LWbOsz=JwC#l1#c1j1!2Y}%gfD$FCBk>LBzij{3Eo+7 zW5NtNiw+683QnK9gpo(|n}}{IdRNlCN2nZG&gashnH!I{CJ$pb8N18ag9gJ#+XN-| zo=*S7%^q=ty+k(`y*Ft_J)J^Jdmo2)w(D#mxTWBI2{UMHVT`Git(;zL#rA%pTZ?Yv zbUKF`VSlH~Rx%oh$N{1c6nzkBJxf`X9a!{%&$YO5(wt}2q7$MEjK;3^S!|8$^v4!YLuK zTsbT%eWX-K=}U$2DMF(!87iIbFgMawqWg*NZ#3rYfeudpZPin?=o-e#psL@JzDe_qccfv#Xi>Q%Pkk&D0-ae z@uYRFXgsG=VS?jdOpbw16h2A#Wa7NmEIzQtb_52^ZgQoeRSQ$3OqDW?itcMs4%a%} z>7`cD&k#LR^vzBqBNv8SoW8=Y^;XfdMBipK)|6p==4_|SZLHvS(RYZxlQgeY%ijva zU5-z)vBA5A-y?huaSp#?5rnpP_m)JM>*nC^Vk*s(IbY@inrr~*tx&yT+k4&n$=(Mo zl($IUee_td#0CIneJpn4Cae6H$XF`l{{La1VqE6Na5I+6ctFOA|6!n0{h%9T%y>w~ z!!jN*BQ|Hy3wqRz7p)<)QpPG7kC{=o9sJ{NEazKv9N`HWPs(`8jCkevAl1`u+-R|S zM#i%;o}-2`_U7T>X&eR~hAn`?sFHzK+f9(%c6JB3%tXBvd z7y=)6J3IPp8(ryRC;d>$M^ZLXVPjI$3hEx2k6r6;lLS7I_NlbbsPVN?e&d+9ME-M^ zj3rU}1#SB-q2{Tc^+8F1|ebPW1Ppe=r(- zRXis@I^B*P103Ne(Lam+g>=4sigCYR9iDo1gntvfRq*eG^AX{&!XHi-TSWd8{g>#! z>*yr*NchL;E=K<=y1@hLN8n$TbD^rDqPAaXi2u%aAXeMf$Bpn4IuOFQA!k3>jcf+rM#`iygRs0R?Bnvv4U&`#-+N-zF%7yps zt=oPQT1#j{fg@E+{xo)`!}cE7Q)Yj+rdYZhAnQO`2hrk%(aMzK%iP$JEgbC9RFe*o zbf~1mC^6F&^5s%E-04OEKjH{Sh(1#EQAXp#=y>jrcDji*osSWn5M5A@#-0#Kr&}7G z5?v@dO`2743I}?v8OM{SD<)W`Av`NQN1PGIbh!c8CCllrZQsteqT7jXZ#2`UC>-bX zG)t7@MV}zL18Kcw#hhELLa3@Mvrcq##~WhtaFWc9GEb)IlRq#wrB7|YdReoR+Xq?U zb&Bj$Wp}2{`;OOA^=gvS+?wAjro`#8&X9E`E!{%R$~epETZ}$i^f{u>bvnh(QO^LH6vCBC2d{^Z$sz{eaor5j&3#Lx)4 zq6K(`nZazufRD0x7%z8^*{oV&)F_NvhS4{k69Wzf81PHsZ4|nNNe;9mQ9>mPlIVM& zJI{^e&??8Kr<1=>)zn zgn=6b7Y2B&?y)Nys8|hBtOhey`C^NkE8sOnU(SEN%B?wOT`lVxSwm=9nis}z5nb!f zTyuuX87AjCI<0X1xJIm!sjjI1|LZ+(*LyH0HwTR)3|BBWD3}opW*_`&ZJA^eDThxz z)qD6xdJw@XhEWP)w1ODJAnJ_?7GTUGiLZdNEjHHG8dGnSI!@|%s`c7&xRko@QBH98 z8gnPgog{ZMT_&2v94}qMP3}~hGeyo+In(Iy$;l^LnC^H-OPm?PX9~ZWc)f-ma!I(w zl__?HTcymBavK#sY(-iyG~4MrtfzLn=sQH;X*BlmNGHNwP9Hc0LEs2?i@rzn9H+7L zFcIcD{i1ci=ZT&#dV$lr6ZbmZb4(0-q3A`T?<38D;h37X{gbze7rQ^ru6v36rSk8m z&r&k_iLlItUM4J;@PLFB6zbhR?D{z{Jm}7Ba~_iOu$)Keuq~NDeh-g2d@n019ATy4 zRe~QQ%zIs!|L*VOjt{VU{R!bu3V(_?!$zr*4o^G0#8T@S!OseQ&fyGRGCc3_JbPdB zg5Vbgzhp4p#AU+KP_9^HxXWUX`Yn@t0k?G^adry zon={g)8QUAn`5ouw*G=G;l}&Vm~gX2db=2BYe`IDO-O zG3X|un~L6*G=s)GyHsfA@L4M(yqn8_`5JP|aJN+%c=T7xs72yQ(#j*)!YiESaD#pkK3(t`g3lyeZ?FsHg{=-f%gserY@99g9GU0RWJ!}R zHY%`UCYh~ zh?jP`oGx;%pu-XY9b%OTS2`bix!AKxd^hpMlyE4NXN+nWCrIb-& zwD7rI^b+#fyN5gb-4vtMQ%)~AEGUZG2;L5dkS+_+>jg(p{J3z70JP`)C(Zb5|fieck7)*mv z;>)*GxXS5wviK24xLWizqK6obJxb7yxz_2SY*dgQDtegc>x^b`i?2sIJ=%)f;i7L4 zJ%Y5#3+y@nP+i?8KP&3zM1rYKc~36dgyL(bFn?A zx5}I)^ER5i;xuL*V~K~;|G7@5!Hg@>cZj}|G#ktqG{-9`R5EwDu!EIkcT2cO!W;^E z1agJwUgbN@$Hk0^xDz3+|8n6XKr~|CI4)v0{uM7oK+hc5AdgBmP3mg%83ivpJkmN9uLyos@N0w_G)hFY3to5n@P}i> zSBqXF`VG>$(1IM^RO8Ex&Tm{8`L*KT68|=NB_kf*WO&EvwU*i575$#*b);EhV6lEV z7Fd_!%cf=FeV5)Xi>LTN(t1f7DDi4jxx!S~=Sn*D{VO9^YKekJK^N#9UXeV)Ul z>~9^e>>tnYo#5{U|3EmO(F!w|G#!3)eorgmeiHw)_+Q8~{&?CE|6iRRVo~``^j6Wo zlV8u$CH*DoZ%Qn>xQPTZKT;LTx{@gr*8jNK)TT83E3?6a>H*+i z)k>J1&6|g<&>G^Wd@tavM)6#Y@Dq9gGPW@TlS^>}Fnxwn!pjZld-*w9cZw! zjN_>6Fzx8dMjJ`pNy^Sr8dLf2;-x6;;!bNTUYf{hDrZ+Z%7jIDh?+TEa*?8hsaAq_ z7rX~y-V`(qu%F_dPCxp1r1uitT=d>X<5eTlbRVau9v|rzqFajImozg72PL!EYowL) zjVDHaKk==_w;|7n<8eT*z~LpIfuAJ0qv(_C=nQg7C#PRG`V`TpitbFBQQ>PSMCCNcTl9#5 zpDz3i;b#(ORIvUCCC^z-uQvK@(dURh*JzX^h{}0RFSL^6e9;$(zK}GN5bH)V;Ub5> z;y?tBaIxS^1Yb&+5#d07HeBZPz1CW|Tyz)FSCD3TQ};w$m*z@0H`#;TRc1Gt#WYzK zSV@Hfr@Jf7tcWU+QYxj4$_`MlUcAtk4-KdXVVBMyJymEG41IQ90ciez!V`B!)g*^bMj%7>%5VogPOzeYfSjQKCnS9%D4ik!%?2^lny++$egS z=mrd2vSGT@OYe*H z4AC=1-%Of8>ov$N4%Ze(_*TKQ1m8xOLE{=x#LsqmFT2LuMc*O%PNR_-F_?3g(|>e} zVc#wK9?^4*#>{#wvYP93#|e?1Cwji<1*9464A-~a>+o$>*DMsgNbr4x8Evr0B#WK? z#LDa?qL+%k-)X#xPlshr?{#gA$a2vSh+aXO&vv~Ljt5=Y%|6ckkd%j|JVK=z6e|w+ z=8X?IdPR@Ax~mlnE2XZI`WRIf3+UhTAxH7~xEsGb665!Tj3;G0Wd@ck^C3qO`m`I3 zZ0P108PCdi&J63b7lh~CXlal53o>4m@e&Q)3@$K!+2O3+xmN_gD)=?RyctE98(b7# zcY5F3WAs;xUL*PqqZ7E=M0nHbsZAoiR`gq<-zLq7FzoP-!+TiJ?+SiT@H)bZ2zQka z?>jx!hGaevyCnDTl4;v*We-b1Msi9 z9cVja$}Xm+a~9&N5q?5fK+-lQWw4qXFA&fdz%#Y2OOILszMZ7)CG9|o zr37AOqD{&wI_&65vo5?OT+~idc9znZ3bPRUC0ESX!#YAI`9TI}6n zGIF*EZx}HClMAg}8Zs7t!x8qA)LK#-N@`PLEfIQ<`#b(gWyB8TqHX z1Nwtlxb4<4HlTBetV3lTMvIeo>R%6v$-+z$eaUdR+wJYTj*xw%?4xLNOp7BJsKxP8 z!G$Ai5aSpL2?+%hT0ua+)4RF<`~L_@52mMeMpFu=P{E`b3|l>{-?1DcWSrk>V-H2* zv*L5)d0KQ{|M%JamvF2H(|j+`I6_+m(@w#(XD~c1su8T;#JdRRN86CW@#0Sq-+??& zi>9cbq`(r(elvBjQ&JzDDp6!dB>FxrftBt48DnVhanT&=P}aS+ zCcoL-SoaFHNW(T%^2W&qqi9|WXzOtGYy_1_O?^u78f2`7vprRgjo`9Ga;S=D?wZsY-hM#!W|Os zq|g!}rT%xJlaUYGHVD#mVQdovkfWe`~?j$>R1^v>Qcsif3dzE91HUX{5vRZnQV!1sN~Oc!>s6C|!UpFDT4?zFpIO^#U*_(r!l#&Cw?7ymLkkPDI0%!-=$@igFcY7UeX3iJV`HnHxe63gpJPsYhQ7CyS#%RafDAqe=7Pj((I5hN`?9gY8apmYQyJlF1L7Xmbpdd7c`ld zkSTKb%6T7bW%i{j_aDhq;bdP)`C7_1RQNF1WYg-(s_?BlPd1Ke_MM#X<@`X0ZA0~w zu;Y6TwwcHDCAYqu7_FaV{VeMjTC62gXy@Zi*{_awx){IW2)_y6D*SiDxx5DRss3>M zXlp?HDf};vY1jZi!aeR3}4E4IWlc1^+5CSW%5t2%#bVJKsl{cSyt=;V1M_ zgl|Kfxdf~E`c>6%&M_`{TbB;qFG|}<+FsHQl$cDskLgl$;JEEb*wL*A>>lnUYiC)F zX*GdWURhd;8QOz;lwl`doNX8P&N@0KZxeY<nrT0R2TQd0w86g?b^*iQ-}wedMg9Qs2Z}$4JRh^d zOaT_89_;j{UXeaT^r4~;a~e&~R5;w}j@=`DgypQ)^eW58Dba)4vb&D_GJxxVGVZj$Cf6WpHgF8Bks)~Y`waGY!RJruR$rJW$H12vu_ftT*#M28>cQ-LF# zB)FsClL_-tFGwWW`sw8OU(G~gyD8zP3hzw3Ueg3GJY1M-O_S3loFU;%3QQzyW#b>Q zKFggx%i>ASmUE7rbLr>;@Kuj+p2LT-yu=aC7kq)>3kmZAFb#%lJT7v4vR&`R!Y>hi zDRG9)4=IMr9B#5dLq^z_3+^KL3c`wfGU?N!uXN{(MbYUhr<dkHQ#IFrDnjouC~8yVp~f-3~~H8{u3Uxz_OuI9^74sPJLJuOrT|vsm^Ku6KCL60r@!aKSeS z9zmFQ7GqMLEl0XD|B2{~k~3P)7&?l48uM$$I^2rk;0QMg9w&G_VP(srLT1Yej`z1~ zohW>g@X5p(HhRfeQSNZ3X$rbQm?C(p;Aw;v`DERmvD4itwnAZsoSAZNrlV|`PQ+|^ ziyMnATiz;TmW&_iEOt4VSB02ZbsaI?jg~cvB zZN=6S2}>p1Pk~i?GRY6VCOwZVb8k^$ysqW)9+01MAyQF8?5>Kf`k_(yhMT5&(jnrqhWIQ%P#d;fxqDhuSj}T(rc9X ztYC{%e&g(Q$8WY0cD3*|!rvgyjLB78;Z28+v<}`{!EXtEn=lJ1e158aLG_MnecR)& zIKsQq-jlYDnjYVj*3`W3_%qDq#6J+eUib#$`Jw@97B)Kki#=E$3jRp&Cc@0X7}W55 z^|3oY9;@)t(U9}0oX_YeKKTstx#N4Xy@Dfb7QRLJ7sT`NL3)1a@KTGzK+qV-=j^}8EpU|t2wGAyMUN+^oY+F~Jy)P=;N!eb?4yF{=?Eo`Q#p|TF6#p_5EvbB4- z(|zn5M~FUB^iibwheX;F>S$M9;A4Oz93v$mrGSbOD#2<$>GbRD@R3f5E)<<6t%Ryu z44H8y*nF@eDOo8wDm(#mJ9eXT`eDoMZAG^e-JUd43G<%nWsu|C>NbIqLbQ&Tb%Lx8 zw3JE-rqYQ{PqcS3CyDMT`ef3)h{C$;)X9~*N)ewuEyeoJ)Zr;T17gfcC2zhyj-KT-w$qC!8*i$%Bn%(BA33gcQhAExtN-JQPGO7IWa#1aB#TK;(Y-{M zljhCKCTsg)3?~DM`bp_eh1syMNXxx2 zmnVl*3T{pA6R*2kR*kG$TB`K0+yqVT0gfM(r_s3(K1ldr;>--(u7SyVmGeg%f3^5) z#1AnZO@mwty{T)RFSjINhCz_E5}_GgHpZba?Gb zTD(rW#rfWrw6}_%CH^+@`J`1ApY8Z1B{5333%^77oy7V0U{Mi9kM45%aLccEi@rzn z9HX(sADd*&b^4iuW7zXV&lkPGX!J{v=k9g-_j@C~Q1l|v_mO7AvBHmeVzJ}9TYbGm z_)_8b6ITU~9Un9NKISqPcC=3IatRMeSV4hzDuE5V!-EbFXOk93cu4TWf*&EQIuzH5 zwR?Cw;lc&XBotOkSS8^x3Jg8P&43b8sc;CZVX%+Yf z3S+&(*uXG&@35x@HVnZY=9qbd1=nuP<_U0w4`qEMYZEQqD-3V2#T`C&q1WY6_(Z~| z5&e)Wp0uA1@3Ep1t4unUC4gI zTMKVPoT<;p8nd&UUS$vP0iq8SeGqAOeg_m+)RyJa_^R8%Zv1C{EH)02aj1;LXfP`v zmGQE};WKZ+Z#cpcf{zq@6k$dNt3yx~9_@6O6Uc%-Msz}S0ckyZn4c1o4u5ZDLP~I< z;IzS*oSO?7hc9XuLoO1W6`Ui?cx14-WGWo%^z7-8ZY#Q-==MhQerLmRPS4#p(#MNF zL39VB3o~ePh7+A$QXc7(M0XT@veEg;bDf;-yfD(Ih(1+xXQQ$4FFsRc=LkQSxDo|VN-CV^^v)Aw;OC3JK=g%1qk6!I=tWMC zy*knti@rqkrAA{jU2M2|nbXT}jr8TByNJHRXnYg`dG<=DhcP$c2wg>Y6J1Q2e<)0( z(BE))pDV>;XI#Ohg3Am}7Ga7`4~KuSY|>M3FTv%6nIf1>kV=K#PJd<1r9Pr7ME51l zc;MqHMWNE+H?7lJCAgp9{)8EHA&aLFoE~dU$ZF9wqHB#VDndaP1~|RRit~Y@2Z


    8EgYL*5Q}f%OHHC;BkV-6INbD`yv-6I6ddaNKX_! zN%Ul+bC`3AE`-y!+H){P^i5I;bVb2gfQ}oS7=hEoSgj<~6_-LeW z6+KJzZKRb)Qusd5Y=?`+Mfi5XcL=`I;Gzs(v)twIzt#Y}Tkt)C=Md(@j!FRyn=se$ z3$0xd1HxArjw+BJSAWp)Ei)tjkno3vKSG>|h|!CJ@TkL2SaG~k@G8NN5oWqz zTQyX(;c>?+j*4MFA^b_jiHh%u6Ur z7S$ix+vwVaSyB5?+DFnhQPZ8y;7!HH4tHu3;ZFpAD)=*lu`M39Vsdy9?>>&OS@0IY zUl8UWuvIKa4Zn2!9xHFY68^RDZ-_H3ZIUBiJ-G4kItGsud?(|389&fq)bZJ~RQS>1 z&pL?3X0(ET7W|9Dd>j0$!#~^GmEQz!75uxwc=e6f4Gs@k5JUb`@Lz)eCd|GhN?;!q z{>PmY_m0lLavH2ucL4t?>ZwBPfYK2EmG25voEhOp_z7JB!P^jKLSi(BW60Y&UTHUJ zJK@_4-+?%jCCkp&jt*aLk>5%1&Vm~oT*zH_cX7CJX^cn{!A%A4YB2V0NQGu~u)W0F zP4Mo5_b?b;a_qU}aM4XM2 zTO0vHj4Yx?Z4oor*lyMLZCMEg}n3Ux3RGt<`I7INF zf)6vehzn>Bclh}`#G;ul_(;J=8H`aMtd($h;IIfEBRCNQFJM0eKMbAOVYj&e?>!@I&|e4&%W4g29Y z9N`qfrwZ;&Sfx;*wiiFm@lPy|oG$zf;b#)(@OQize0MUO<;rxsgtMibBjsEwJOkEt z@QTlK{N@y+g9x23`~u+@5@+nO(in|;hxfipELJ}VzC`e)gf)VZP3MQ0E^}e`6QXdr zgf0@Upup;nebKr{=}NaAw0q6(_%RluNs3=`d_`8u)BwFoh3qvLMT-TWekDE z`hU&->EY5>%VT7FO6n!4oD!2lcc!<)x6O!fAHfxZ`x0j7{{L^?4%5HV!@26o7*3VK z>8Eh|GaTOfx-EKx8%w)HqgqCdj9MB@(=?hBm@kWE1Q`7b1Kc`rM6?FV8YF8lt$Jyi zO<^4tI%f4AtgAePsg|Z!D}-wl!Vreg3_-`cf-zkDFQvq~*41IA4wX7g>UE~Z#|n=l zMgx+nhp%^ai9KDzrQRTQgsJhY7<0hzZYss39qDS7opqGd(Nf1y-3t-6vtl>|M_o1? z>;CKo;clRut58@qOD6eIj!C8q6$3GNQCb5E2zN$zC2mhmyDQdL{c?Tc@6>q*P_ zQ)Eq*HH{X_uIheeCE9^q-wBNS@J@I6-|=x=W`^XMl5eKW`=k2gzd{JNxZ2h#mRqIH zl6o6e7Pb9~YjACqwb=f>D)bGrU0dEQp7C~RcSyU_G(O!KtSqglE#-H$?{e)ayUM$z z-6L%dHD!71p@z+k(HoxYMwbf_4IE*fjQKJan1T66=+((0@ zU?KJ%K%;4~<8!JazC`#^;rA0~lG9EDl^>HC~d&W2L9(7}2Z8TQOSS8~z8oUS&#-pqGxZ?{iiue=4pA`NS zalX|`BT9Vn^tAJ}Ln8l-_-DmGN1hjr33TZcn#I^f%8j$Gi^dBwUX<~Y85jk{J}6mC zetFrAy=O<`6&bI}c+CtfYsO$29{ljS8*5rdW3`MmGTx{&Fp67<$3491#<^y!mGPF0 zx6MGQqQU_^88?;{$8)?Z<2@Pc%t+%Cuy|jB2FCkt480*5AIMlQV*?EiKQOBog^f-> zZ8`iy(I1K4M7l|&v!S*Eo0s?Dlku^8&zkp%yietQMvwI?7Kd>|_3H4s3mt0X6S!Hz z771Ta;4Q4Gt%+ai`_he8U83=ojIU*UL&FND9H#Y`)|Ql&hHu?^&LZ}mtnX$0Kx>cu z1)*P7R^1PaoyxnHSCrS3msN)!-G0IBpJe|m`xn|QnUHv?f_h(hDyUBB<-I2nU7JA1-|QFMh`n{*>^Sguf}o+4ZSpO<75=%BqU0o{Z%`ZoX`%`d4Oy zRq6!c-~7{tSf+|YL;QEX8}y3djqnq?LBh8o9utzC^!zu7!nSU`YSwnLwwJX7E#@P% zwor=g=ycN)cqzD;okZ^}x-n@sW0-Jhe#@g2_i7iHUb9m)kXl9O53L;D+B)Xe{RFob+=ejY!vx4wl~;uQU3lFt{s0LF zN;rrDM}_Jx{{K~#9_*pavt&3#p&Y7E4r3^K-Pi-4K`Ae*EE(Ll80%k<9*4X6{I)T| zN60)<=20|xbtT+J{b+}qZNzUl!ZCsqf(smGQY0PzVnc*ef(r$w>%o;FDuQaPdM)V{dbswX-Lsz3dPys%#>?Pd?4h^Ab34Rq z?jyKDa9_e~#bDYKHh&3~j(?ZGjs~Ghct7F&i8Jh)zJpUCIQ;0W7-+C*Bu@ff5Eu7)*hAv$VLT7<=uMs_jG=t~2L9lYJYq-{h z*FTBEPzl2%TxSBxYLtb=UBmS*y#G=ZhD*3X!Uzhy+JSwmx`vSsU%4bkew5(Rg2xbM z?hj=>(dFwJ#ya0%P~>kEKTiC3^1RrRO2%h`)0ck{qcTzSB+-+NF2rWG*>IE7f7xrb zDWa!}o<^EU(_?U=2>Zd8hv_c#*e6D2hJ=|CZl=%(Lcam!;TC82?-$uy#m*9Y8(BuY z-vEAed$!Z9jJ{p;9is0f&8Q?3sOi)Jabao#zvBpZOSnhE912XwWTIznIo3qZb$&bJ z=ZT*$egS#rV0>o`4eM~P;OL#!S3KO^$RQIZ?KH)(Z{{0~e4@r1f!Xp%T5q(Q~ z@(UM_I(}8h7@?KIR|$WNIInJCukso!H?68H!=>a)hsRwlSsc|Tq&_M2DXPrVCEY_= zc-rBLk7Kl+5&W#+=LoY9#U}--YRjv!Mm0R|%ACnD{1>FWDCH$8%pE;KSt&NNb^3$m zk$y$=tD;{ct?RC?=$^#t4aZ+NGvcd-uMz$RaW=V1s|Hq9R27%%?!D>KkcLrOE9oss zZ&PB7@WKh7Res0mQ%=K=IKsQ4-xIx#G@pcCc-i>Av+r30=mW9q#cnXRq^vA#bhe2V zJ|BwxNbDxEO82s|g7C4!O%47;@TY=5s|R-tpF6y(!J7qd5&Q*V=1x@69E9r{zI0)x z)pK7-_*%j@6j&P}_u%_;*t55MKv~!Dty^bW#`#Xx_p*MV#nYsF*H-e&N#REqE*OE| zafF{F{4C)Y6A&qs&v=r5bz#CcQTR>5RtdkGP>Jp6d-D5sf4Fe)Iq}Z^Dd8^(e^cPI zj3v+&<*XvByM}+<`To^-l7HnicuXA${Hr!`MQvqi_X=Ft+A7GFV2g#?imGb#X%2QZaU=*F;Si~ZNs}kLTCX|=8I59SM{hZt4N1qUD)$IMhGWwE1{i) z_9moZ^u;X<$GPwydq$6!aDs#mCd4!3!ig?4w=@I05U zHtBpx7f8C0QobRM38eVYMI}0r)!`zyt}*LkS(nJVloqQ&%rCZtz08%*_Qzjvgv+IL zk#dD8nIdbwhbvuaKP4(%rF4^0OojOgbF45RFtE6LMOoRzGJg?sHAPgN57N$5|31qox8Rsmh2D+=yiYZ0rKS0k^M9$$szpDA>DYKm)WYpTLv zPsafs!d-o1R0k@AK?-3oL$EB0HGNk(KF6}?)xxh4K7=@XS&V3=F6FOvZK%a_sI+0y zuA|1Bgb)Aq!mFMt_9!aC^=|!o6#j@K43~9-tPy7AQVFzPSoT%I8tGQq!_gWgYqYE} zw0N^B%dkmEX(o(yeznz$H;Nx8emr?Tby&?_940vY?UESyM8T5;PbSRFjqU0CmX+18 z6uZflU#!%aB4w(SX;hfPW%!&T23)5*zTyAG8!|)qOyM^Z=NYgb)6Q^f1k-AmN zEGf5{lFPa>+m#<4i^}a%?vQe)DVQZ;XSvIjMOQ@SZYlRjnL~x?gzLcC4u?0|Rm>AS zU+@CLya|X>85dOC>-={XpM~NViNB9LGYEJT8l@;_P-2F~ZhdRk5?M=S-A{{Af>j)r zIsA>m%LP9mcm-iAF!3pJr-xaNeMt1fq8}m6mTk{6d=<~xmM!BgTPb#x*vH7SEW)sW zJ&56PcPjG=)_BNyQqEI!SW(8h1l6q-mQTC6yHzUB$b44jb2OQ>`9vxX&pZF@-}o6v zctQM&;$I@qqMxzzZF*jIDV7RYC@$$$Nv}~-nxoy#}I9+%YkBI|<)ecw^!$ zPO!B)mi+GGbccKJBaYBSbW_p0lI9KRUfjK;s-#b7=6qtUaP&jO?=F51dL}x|kNVDAJm1o%O568MO&WyG)+R127gPFCsq*r;_fMUIg92|~wYvnWeBaU#q ztP^B)pvCjVf(ldRPjureD-uqU(NV_9G+6MU#`hXFbaLs=D|ix|<`hY%O6p9BwN#NL zjG5qNUlkwuaGIO#W=h05a+znyJd-9fWO3XDC!FQNz^9^cwuEyeoJ)a45F5bZJck=v zi|2g77YM$Pu-%lRaFNsFEr~A{eTnExN!!DLuWMpADikTz4= z&D7#)kTa9v7UyT!X>JuiOZ;u*c^b?@s(+f`P=L? zcZ5+)GEd@si3=#|M47Cv=U(UkFI(pUURBYqZGJss zR}@gN&{Y(~Bs*0R0Yy2W@fIKTbG7|lHKkBWbcJj+*MAx0QI?(of5MfeH9PYQmDFw=y(J<{Z- z{p_EH##|0(g1hIj48d#7LeO{etKPq!|ecamz?vbnQGV#0#Y@lD3!{ zPaKh`Sian;T8su724y+l&!Tx<{2Ss| zkl%P2JELh%3 z+G=TQsHwEzQN*+P(E0v#Ss{ER{$ufzf>1KT|>jzms z(rN?C-nI6M2>)?$rM+!`lK8X44HWtQLK$}F7kA=^2CQ}^=QlaO(_wby=ODZOaQG?v zF8rt9zXbnHm^o00Zppg3Msz*><3^XO@dq5?Um2~QSBnMzs-jU`9EHvBOSYwQ`Xf=; z96zC@B4G;?@(QBR+J(+Ge`ZSwTS?fO0$;$ETX=KVRO7|HjeDysv$mDDoxJVo#XBDF zpBa)(ySDb&M!~ZW}A-ctn23L z3{$&H?ICq9s#fYT*g4q{_I6{Y8T-iSDPvz6EQYKn;^SR?vaUJo=g!dH@pO90=`Ck} zI&8MoRyKz|&h9e!{|OEUh|Lk3OO_9k!q{WoSjGxs$a8J@6)}p0w0vm=)R<$11!ZVQ z6*|4vo(x5zi$#}^&KC8_$)Hb62f8uGiuyq^`pP(%1}`B_JFkWtnf7yG!+tSAhe+rz zVE_d-CD18bS3N04Q0X>751EhWMw4=z%chlx_^U}vQhF!%O69Z7YJr$ zDkr}%8IE=1kW4(;<76B!;{+OflO(Zrb#q;5IMMloU&7Bg!dUSqi9gx+DOk)q)leEv zasIW3V)*04j~AbGJ}-Y#BgV&-I=|5PGV$f&Q{;J{pobKno-^r?DGe3ww5^G8RLZH6 zQ*F+a7CAM+ofQ_(L^(BbYUy}RB@%ek)wyxJE^;0D2s zgqf{q85WVBypd-ZI6{;7DdL-r$9!LWfKG-}onN?T#mW&%^+(aW=iA%748E$s|nsnrE z5r3=r+sHEp%tgp8PGIGuaJw6=EKPUFm@VT@8v00-!1^m#$rS@k?sBETl)I(eBjsKy zd|;z7mVIR1=fc1zVyfmyxL?8p6c`5|S?D$4gog)RxzVzAu9SzQJWNF=!W3a?7_@fW z*!hMS$vhd4%6QBTZW4rYiYAX6m3K$u2^mkyc!~zk1CwWvsKUDNvFp3qGF{Ie6wEfl%JeU} zG-`Q_;$=xoB)vkZHU5B3OP0T-j&J=|#Fq(QF8o#EtN^e*fPJnD&@kXSB(J&l{=QLr zUD_McR+xt77w3jR=87cYP1lB5)$c87Z%cc}G!zqLFz43k%D?Mcu@#n;(pE`(&or#L zg>}0yKL#4-qPW(lJ|^-5X{)8Jp~l-B%gvyzBOfAm-Kb|Rx1Hti~dIR zw=L=1@SW4Q8U4NJA4LC1nwK7P5;*_iKaMxq_Ax&R|5^A3;wPu ztAyVq{7yml?8eWDf4Fj)Jv{%E@|TpqskDi4B=A+ftP#~Y)-eBZ@otOjUx}?=P-6%G zsy4+-S1}o%nF2@IV<2PL41dbDdaki3H^)zC^~l_UCQCHBH__qkT5H$(v6hA-Y$6*tT))5Yx7mww<)?sj&H2n8iA0ySVV8eVN@=LI(*QDX_te)o5CzZ8x{3pT|fL z&F-@HkhP~-cm}jcTqn2Y=S8cttS+*;nw2Q1%xpZRZf;#TDq7uT^^mm}Ew-eRSgtga z6I!Z!yPAA0s{2UoDRp0}ydGJ#yhWt@xp|72y=3;5xj)Sok+xL(xH{g{1El6i&850A z(n^jsi&s3)&2eTXWai5(pt%E*i|1BRi{WyGt_`u4T#>Y5X(iP7s^=Yw^_0Vb&fjA< z%|YV(ia(e<-;m_9?aO{{+-t@mGWyFHK!e4NMjJ2MWlc8;9!a*}lTDA@QJGh{-kOAoe+QkkT3NhwNf;Fse4Ug7LN zZ{jB$p;By>*lMyYLYOCcYBhGkn&5oV2g0$Fq4*l{wdDB@K|^@q1DKWX__!NlQqscf zg-;^R;A`=LF zUv{4O^Tl64o`s?S`-c~W3!UESeEf(bOci~R=!=bJ{jell;`C4}qL+%kO!VcX{|8~z zry9nED;#c99?$ej!B+{snlKYmo93ADYn&c9EYjDCzE1Qsqp{yq*|;#>>CM|j`g+kb zM9(D6Tujxc)1ka{T)4r7!)z|wED1MCxQPN&o=Qy_7jAa=a_e)sMewbHZzHUfmzH9# z(CtpQIV`5-4$-qk-)VFL>xN+YE~m$zfcS8PyG7q4`rejwBHZWnIHTu?zF+hMMq`pT zmIiy!>7IAQu;+??Nc6)-W4S4=-R1O1_TJzK^F%)?`Z3bX67I|#9(VZG00SMZa9 zpCYU*DXYW`hNqowv@Dq~`WeyB8jVE(uxQP5PVaPi4EuS}FNj`1S`|I4D1(+Z=9;+h z#!*pNC}EL=#T1wroF|^EFFAdTo#)GHupevX27~gbZGuw9YEeUT+c!vU0j@EagHoWWfobmV(M_4I( zmFV|KbM_}^p5u9us>ImV)RZK8y)mNaeV5yu6N}{sl2=P!Lz(p}epBb{ZjO${+!MDB z-!@tw$@*BNKcdBK9bBb7H4xekSvCnQLjbg;|SsU|Ds2GCQXngYKFz z{oUP5kB;saa=(bF#xqrAEW;X9}2*wy`B^bewc zG`a!voH5_s>62!}uzwQ$v*-<^`8H^pB>Wf0M_cFHufl&5{yXtDF)0`xTp8OEnec~; z4_K=Hl=zp#zbW#CS>IF}{&BWfeN5B8Vp}ax!vp`Shf0g+)HPVKKwS^>3fTMrkZpb( z{WXHb5jMw9Xnx4wf*3>MUi^4WeKWHbk zt?2DUZ%?tBQ)^RGhBE$_Aa>m}}?S zSw7sX^32`?62LY!aect@5b%gP!99z4j%1KoSbGV&mKedQfYk6DjVi|MjP zmgRnK+}IRjIz&c)83SlArn+=p%h5w&pnG4Air%5}4wE;C9#0=#Zdm%{aHl&C!H+n? z5uyi+KGNv2WJNj?j&l0+4GO^`iQ)F4PYcu(nf8y{Q zs~J`bt`b~Ln91NMsGKmt>CNk6GA4?y5nXFEcDO@-YMs-gr$ss~x?c1o(k$8yO%3Ik z0~H*9#ddDV2yYPHNL)$D%g2hvlbs%zjDa_ao+7%LG#gJC4Zs~w8u&I1r@HjXgjhCD zlXSYIGbr&cz$Y@5o=iB?jZrp~?JOB*%Q%My6P3s*#;lZcojzz#Ow@Uz&li0GX=Z&9 z7e~6#;hk)n)l|V33BK517X5IE!>3uvzf|yLf-fh`bQEFB$l`E?(?8FM>9|t#Ridvp zx)59WCc-sN|9x4cuN8fr=xL-?MZ^N`sv=Hz;Sqb7TrXjUgqajnjbl6d28VavGUoX# z!8Z!N$>6diTGBT=e3YH$ErM?qe4D|n*@W92UTY(h?+`p&@STL!LxObYqC$C>^Ybj( zcZ`XN#I^O5-PnX1G&k=mT;0FvYBmAJllfQ^LI9KpPf*&T#lr)4!Y=d1M z9&vuotugR<;vW_N7&DtXXAG*}-4aR~HKa%vZq)#ZZ_|&G$u|iM?pE^HwNQ~q&@t=!d zOFq`43i36SWStw2+gX1h<4YOqX)u3P*$!VhJ<8r7UyJ@m^tYt>K)|cNK8^eh-??!1 z=$N4ICHx@aM+&i4Qc#es^lD7Zf82Y*lJ%3kpXF_!rw2(*WhVUM@HSh;NPZRko8aFG zw??Wk*&53#hCdvy>W*J=gg=G`yx997 zY=-~N*7M)92K(mt3H5y8TM%d1b@=oiT07kBm>Bk!g0~X9HDRVZ4}oL7qir0Yn82?% z!nVS<6TUrhr8_rK5_WL-DNFZ`g4+n*iLk=vMl>a1XUE^Sbhj1WPI!Cb*>t1#Y8QvQ zTDo@?+(B?h!pd*#6@t^;&GF1`G2Och-$VGG#AANvg-#AHvUGPA+(mF#!nzA<>q9qZ z$J<@lU2G4rdy%!*Qz2fJVQ&|nJUpgk9|=7r>`Q@#JvULvRehaaYw7MKy0_^4N%Q98 z!=wmrkv`5pWuYG+K1X~md7dXi&kcDFe_??q1m_DbAk4J$BS$6`8bYB9TiaT7MG}f7 zlu+O!hp8#f-h2nT^0X!BASr#N9886M5mZW0FUFnMh(S|s%{S{1S^Z@Vpv7kh>P@)K zv3yAw=*9(y$8vnAjKgFMGNY=IOU%(Y+>M8OM&k$>gJm2^gJ+M`S^^q3sNcKL-qzh4 zB4Mb6VH9}f>QWPuW#MS2w-^zFKSuO$(IZH+&pn;(9@eMDk?!0(Haer^jFvNo4xi7+ ztil|d5_7Ce&sts`C+T=eCs1N(P1RsmKxenMr_@-nCy70oEEB~Da!WC*8&#xJ+l%DYClFCZS4Q;qX{{kXH(>5?oD~0XLz$eS)*2 zZQZ1aVr#_Kl2yPpT#(n{F$Sjv*9)FRI6m+T^Efs!yY5E_?mcg3nvvHauaO=j!8oku8F}<6@QWVi^(%J zT$mAShF#+L9+yV^QsI{gznpmN<>GFi`VOs@%@r;#u(Q5W;#Cr_rWl`Mg#~y?67gcpk#WC_2WT*2EL~TVY7P%NUTDkt%oYBS@P~=>5`@Om zQm)MKi1Vw?j=|3p|ET!K$XoKUFs{=tS@NF{{iNupj8_V(UipMOd-7Q&N6d8kh5CO8akFQ`QbyS zmmB?&=#NEzLYi5QzUgt{Q-^!k$MW)-;LioGCCu`bZmPvz9{FLN^P8O<`7gwODSkb9 z29E9#?BwBa8*7n%E%+P3-x{2Q@tom1hc9o90C0rw1^*!UN5Xt~aM>?>z^E%v1}ww- zAGdD&RT9>rlJ&E!4Yc^qNKL`#VvIGeOEom5!^H55dn0y?=kcq&-{k#Hk2h{bd;^RN zf4H&G28#YE<1ZP1)8IwOppt@>sGNSo3f#Y zVpn+`?f@ zOvyS7BM7L9Vt7Vb=;qcLOYuh>p}VXevi73IdlL)AB(b$87aa?GyYobIjA~36 zM{fZ37+@0k#IT=~nhY0R3cmQFZCKqVMa-0JlpEfAshYCMT_#neG4UOf^^IB77ppU4fR4xeEm zmkBNxoFdFb=VD+qHt%!#()KavO3_uKt4Xr~6jHj{Y&2nDkV{kS&Y38wMp7*$T?Krr z$m1FibuR2aFvgOWP%mK;1!WDoYC>?hoF8v+gpA+@!HtA@0`*CJ)D4rJoQt(xRuO`f(D|v)#oc_xex42gHb)u({=A~e_CZ4!;<+vL$ zz+$>Q4c0!5(wrmgd1G%XZP|f={HKhi8`+wM&o0b^Ki4{ zxkDHiV!K87t-^03&UZ;cA!bM9@m(HncjY}>4Ehc!v!&cgh3ADKRG14?g^Kwd za;?z5lHV=u9%=Vd<9Tfymr;_3&D*ieY6=S)hx=R~YwgrI((jl40Ck?1l2{uabbOW7 zH|7d|Nch9Vc{644`pWQ#3-6gQPr{=T9;3i(TTqNO7sKODzi}>p#1Wnl{iNupj4s4@ zdF%t|^xM-SJzw-QqMs$rN+pYAKH9&}IlreB%IC$uAbtUP6-qAM{-VSE?v8;k6ue0A z;ubKr&2ac|gI^ZBMDQyu;DWH!;iC**CV08vR|#9P3z|~lHRn57vR@bfhWHiav&qJe zB5yj}-2#70@Y{ml*$CsC$h!^?FnFclRf69mZ1;3wc;D&HmW~fZuNJ+gC5;_2obF=u zN1{I#{R!##1i%z*hx^+T;4{IW3tnq*L#DhUtaJDetL}dx_)Ed-3A570%Z}}z;&}J3 z-0EiO`C8UDvc9Di(}P{V9Uf@u`Cjl3f`4?l1bce^$Khd?i$4keS?~tJ%tg+EDh|Im zeGy;fIKr=@e-r(?(b!f7o%Me>eP23#mkJEFl$M#>*trn>@fPYm_ zMyDvo<<{3E%kZMaCy>qXhitoGYx@MUIetRBK;9Pgm^aC?oJ45t@X8lslC~7QmEf%j z^Ep+HwW3?>e6o#e(|(KEw$iqfwmmh*QNZnPcX0UT<_Pa7xQ*bQ49?BNn`vi<&)7A> zZ3VXz+@3JsZ_H6FdugMq!Y=O3vAo??UI%#{>2Yisy~L)Qmh9&0{ig0Nbq}d~QspJb z%v&t|-O1^H-i-d8>gNh>j~Xu^pLR^4L%~8u)rhMd8lF3gYV=_R_i=>1#LrJ;}0MMfVWI!APFOS&xNIbCdY zLUg|90@8dzXlhXkO{hW_jA6XFTQKCnS9z&XshK)C-jRW-Ip~rd<-OsU>fr2<*L7ZSg{C7nuR+zYE+=(7U zf2%BwRS+jBh?5xv$BJer2b48rEUa*fn~Pe-$j8YXFEdF~w@OoWZEbe-S~qH^N25$e zxr`JI%OA`taQZ0ApGwhHqN_>s-BFKETFKhvq{ei4d2^WH)^1j9pD3$FRxK^wj@ad` z1`FkfI_LBDiD^oUuNOawJZ}Q*o>85_dZ;0|Fnd50G7=gjG*aMcCqo*m{d2MZ$!@H8 z4S&E9nq*9o(M*F$LM^d2S(XW>IzM1=jNvr#r;9&>JZ~J_0C=FN{{#bwTzYFcqd+8Q zNjh87Ih2^Uh$NE?=Q@40MRA_!^F?1knpMeEEygD_hYKCQ(mpm#6@HQMi;2g(pdei0 z@D+9!Tq^i7!Iu+e*xAz!S2*6^l5(Z+tAt-ooC!~s)*|88I6cwcXxECqPV_X=%ze9D znK0drJMDU1FJp#`nKYQ2{zT!bd^foCy**K8NxD(eO_bOszzz`T#joa~y*InkXeqlz z%B@mvqr!qzQ(b`}md%-Py9>n!$IE<&gxM1AGyy$0n0A6&^)45-voRlcOSnhEy%c!v zdED(0gVph6!Hpqy3(b*nzl;ZH@Z2+1C`c9fSip0C(53Yk#dOV;^pK>7O=2_&jN{Z^ zQjfSa)MA<^=}}3KQR3NiG;d8c_GWtAh2b`-=LrcJG+mjQms z;co9l_+`OM1iwOeK*_F~(NqdhP-`Lo40Ue?B z+LDcnS-F|})ZFh*-`?ctA zM1M<~_caD)vRjI0{hcetHZt>jDL+X0kqWO!4YT$?4zISUc0URJS?~sfE7DCh;TMOG zv&~R`75tmv-wEp$DB&|B)6k4DS%0`wHxQBH2!G1?OU~bPn57!Rg*p{>%t52!AGgYf z#MAy)R;$HoY~Wv6iR|JP)pdG$Y=)n+O^um@6cuI};3qUSWNksKBmRJkT^`a{^)|yz zATb#~H$R5Z+Cw;JX$)aYg|L-E*qR}9*(8L#;=&yKe_5IzbZQEU@(YR(T-e3~I@bc) zRsn6NfVO8q*-AEw9!lO0&M&i)x1;zr;&(EhPnV+7=CHH#!>!D<72i&Ld*jiaQ(uM8 z0=qbWrL}8!72iR8NAhaNApBx<_Hj=t%r*?Wxi`Y%*z-!P476&S1J(oR-EA0la}q+yiw zHKwvU9PR9#Bje>fM(l90Bgpdc7E)y#tIn_SBVDPR9F)|#@+mINwU5c;B#f7kG+|=0 zIlD`1sSC#!#Td#YluJla;I*yGV19mu!@X=6a;4xZ!PSJB99-M%rpgmsINPr7LiGc*J!0;Shu@1#-^v=A#1j*J8AJTfEQCWPKV9l zyIeV^ES}NbQtpv*FBRU{s14R|b@%(6pKVdh5r4n<2aLyrd=9w^4?5qyYYcy`_=m(l zOr8a$0vpS5OReyT3sZNA!aNC&N_dO{6NK?{O{g7($DO}=34X>Ao)G_}_@~J8Iff0_ zkwZ^A{rDGxv3#uPXGA~iG{y(wV}#QW{}k!xMZX|=0cobC5!-QM2Y~RR^P}#HX;12c zRxhbNfq%1oD%jGy20bKr)?!~h{F-e}thcWUo8u=mCnRk_Db|?_b4nW#7rTV9tA%^x zEf2Pox0SrD>2a)TnZ|-ww}x$89P%^%jw5U_zdQ(DX z2bmpd^3w)dqb8yuh)4^P&bV78#=mOH& zUhizCZ#<(yH>X>k7s)J^SwfRfBAfwNoi7Rpx-iN_pjoDhLq9j~ zu&54^*wR4yjP4s`hp>%lx!@?nw(QD)Bncd^PXz;a6N z-eeIUA$PFcBkA%S3re)Geoi>bh1<`=?>NE`{B&U$ihoCjVfc5GG90tB0HcbI#^16} zg=rSoF;a(19YK{>8S4mQ7{N%V4{EP?FmOurXwhRxx4c=HnJ9?`SlRJdS7%#9$4Nb2 z>Iwg?T1m{oqD!t`XX;p~CrLe-D$`h0garu0DNbK>M@-{5(c?uYNpJEf;MGgl;BF~( zv%i)2GMVKvQ#AR&LMKZ;H(97~eqMQusZxBE_-gY1M@;xOH^I$AET)MvYh>2aWQ7AG zUJ62;!*#hanzZ10!IKDYQi63pyoH0Cw_3(!WH!ibq^Y-Xem(}`Om_No`%>E^dWz^~ z(%E=w^}fsITW(H4IMvN#t+1aa^K_YK&}4zdE^4?fbBn^6F06Ytp3+$o&X#Zv1-^^Q zxg#!{UA#j0#(%DR)fUlt^3Ioc0X;rD3$URd=0{)X_;+?+Ocj2S@QaCO&q&cUq-z>c zTDkV+C2rPOM3>6EOy=b@d4X~;eJEVva2?MQN4Qe(Rf4Z3%zHiiEUQBkhOd4;p>xAE z?pCam+A3Tt_d2=L=(5aVvp$SN%L&t+fAOx!UoU=!_?hI{kjcj7Mf(QVDlM8>(r%P? z6E#MIWmwSxhy`Vx?|6TV<`(g{iocCKU;3L~Ak5dl-Ngx(ad$|ZE%8o@EuVY5&8ra# z^WrXdueaiQx7>T=-b*+8#wkIr-{65IkG*9%Sq8}rz%U_5YsE<3`o)t(2{e<8r1wTcY$;S8t1pTzr<1Og< zqMs4{>_)l)op{eVU2XL9qF)fbfOJeqVR+HuPL_~`f)@#1OqgW@V_C9=5Jj*UBeGn( zdm&Sg^uH`^iL_U!G5sZlMc7?(snZ8MBN+SoiC!-HRnlxeVB%i71_PjT@eY2?oi2-_ z^SYcjv%o0P;_#-!y&j10TY}#f{0?C??rX|XvrS+P-FMwMb4fH-%2*}iJsNx} zlvb4`Fm(8R$49P=_y@vQ3tvN=)wWb!IlhS0R3z(43QEFd!m$KH=(!(Hu7e7YSe&zhq z8zcX<_;192OP(bGu~cJ^g61N;xx#lYbzB~$?s#u~B0+X-(^oMl9K0y~U5A6Hjv6?PThL3~H@+2C_I(|k9_W7i4R zZW6wS@I8t1EH>U8Sl|b>u1@Y1*zM6-UKe>?>FFVoNT3XMb9(KQ2nF;XQ@#OPqP0t(T~B683Ya*gmcFlG9tx{&e`Z2Av9AL9dSszu69B z2S~_~kV}Cj9YdU1?MB@>&yB6DHk^==FQb44la)P-Y_ba7ImJ$;NKUbw5;_}`g(~-f zF8prEI!Hoa2?tZ)?d1Ilxu{?Db7^1eQaD6Xe@O!<@oL~(AI1<2bow7=I*xFt=)*)0 zBF*zC06`Ng5a`EzfMxm+o}N_;hWwuG~#vbu@y#!V%6Be7@id2y-rhweMTzGH#y>U7u-H-Ko+ql72CD#)Tcx zFhj)QGn0%7aa}6-GQpPxk}2_RCF%ISVjCAho`c7h$CDp z_&UMU2=j_>yf5>^ba#5$eR;i{8FFUQVX4GCQv6>*xWW0;iWvjqm?i#3@i&p*^f887 z)XgsKXOY|@=~hX%QDQksa2rPULxtPjxOkgY15+7n!#sAl=uhTooLOXxpE(p`!HSI#HcRk zphx@>=eynzgie_8kv;ja+aU0YM0LT6hF`>SAc3zwR$^1n>da!IdJQc1@$e&IETU*U5d zM|fTE8-iC5R_%s^H2fKy6W(;Mqjl=PCGTx{@0hn~1+p-_>)umVw_7Q1mAv=p>Ft%9 ziv`-=ce)Q#%+!4#dbQ{^qgHCsY_gQ9%Kwiht_#jN2GI zBKS=7=c3n=W+}u_0KT=tI_Ia_5XmpZe<^-Fd0vpJRDDCXM;`0ledW@)9xEw& zzRaH1zY6|M@b84#m5Wa}@ymi;e7xNLaCxq!?oY{oN&cI1j0r1DIedl1^snGnOVl>O zzuJtqMNEwiNj$l6Ig7$(_;a?Q@{mQfIetPzMfMi7v+vQIBFrCc?Rfmag8eLnZzX(d z;;fl&jI6A=tR~I>#MRx#?T0P0ZDnsKdwbeEhX#B_!g9mO8ZM)>!$!&GS?(yQjij9@ zSqc+qtvLQILgEqH3U4R8J#m&ev{s4=QGwgV`JY6C-&K4E@g2$Uj=%iZ8KILoW+E1} z+Rek5XXmxM!q`J$?8z|LNxds zJmLvo=-L6+$|{mpEUko^9&qUOEeHoXy*zs!t-?W~`-(o8G#?EL9XC3Zey$8%$FsnB z93rK^lmS#20T!9XvuB{wzxF2!`cTn_i5^6nmpb}!s|u%2v36Re=ql0GPUm87Y?$Em`}P{0D7r>;EonX#J!xv0D`}{x*16rs zQkIroFMASg&j(Cucl;B}hm7zB;f=&M$%kywQ*4EKVY2H7SZqzwr$}$6&L@bcHJs{3 zZ!=Dlak`8%Xs{6R(_74NOq>p9y0)k`K10rucDA&0sKpFNN94IqA8Q$Yp6K&MU*I%W zr^^o)I$h4{AC53p^hKgCCcQ}>@Uuir8|pBZxSnHYbgA^qq+d>*7cxH&{Q*}v{QpW7 z6~46yzDn@bgj-x(JbBR#o&CUo*U>d@=UG(O%DztaG_&p%jXCAELkg71Z_ z9de(?rEdLVu`H9dT-K|!R29X>G~qReXR&sGBfKv74Z$l2vjDan6O$dTkKlJK#FPbjcBpxVT3dOvl%uT_{n6aKmIwZwTbs?eWVgF&V1oX_kX z)ANP+FU7CNzl}X*U{)b2&=`N_#`4#g93<##8Q;kG7XRv&z^Yi`J7+(=K8F6i*dN6H zNR|aW4^=UIaB;faDq=s0{#o>fmUMpj#p#sMzl#1%^zSX{g7Ama6-NIl`Y+Lcx1)Q^>}E>MF9bIc$cXvrU*=ZOxI*@e`UbvbLbb8x)gc8Z&tI zaes`^+NGV(h*`9yq^%@vZ4$GnD1*6Zl(uoH+S0eJr0pbaPl=D3@-(VAS{Z5wH(G5L zquEhL8yP#%P`PNV#H2zjrsaIf#u>L2-%fmc^1KV0CSh>?%FGxl%DbD!WVBL&~01R5H*!8W%b_{qVjB2S?~Ex{K(pr1==m1>4QpTiC9} z5xR@*A$Big6S?EU-p)=K9NB%u_7uA>S*8N}9pP=gpVRM+iF7Z~y+!X&T6tJip?R5o zoL_5AssqI5h|eX@tJH)UR_G+feBC@ZzIq_$NE z7D+0WR6>bQ!K%jEWL;G%S%bNC2fEW>m-iq!edQcXhfkHNs*2>KOz7wM=XNHC2=6a^ z0C8U63hb+qT~Q|tbY;+P@l+0#a+s7sRQQz7RHd7+_(s`8jkZ19tyvdG>j+tcWgSUN zC8-hPmsya;g`-^g^4h2jkup@uFe)smb+x4-9PRKps|6h+c(~vZgxL#beb;eFTo~!z z?bfM0O5SLBWB%KVRi|*Qd)JzGoV?@Zoj@-;kS z)6W^<6qiq0hZDjP#z`J8IZ2ssCX86tw~SEg!doVkNhp_)qQDE5jZO8nDb1n6ttzuB zWmU_oXr}lW{o>rlhJ08}d2(rac6%6nmA}tI0A)&|QWt z_O5Yy)`v_9(sHfn>qJi@9oqnyi%^zEC)Q+iWnmgFCeFKioV5Y2mpeo5OuBpuG*w|q ztn3)~8(b-WFkXOJQf`!T6BT}A)O4>DW~i6pxx?8WH@kTM$x*yT;;j;IqsTl%b*ZK? zQ-(^-?QSfwDXn+Nm@VT@8XaK7#k267YQUC5Y3?VBNj#VWa+e2ie%l!3-3s6y1#m9| zV3dtzwfVUP1sGC$pBw4hqcKOu{W2af1GADV>oB3dIy~scl#dY$jv?U7d6^6$A zt4~eDDk)*9<9k?%T_$|F@K=d5rTIA}7!&63Kc~c$zApF;!7B(e%kqnI&`-V=*Z7{k`w>owgX%2clPtUSo8k z7+=l8hfW`Hd`!znqCXb>iP8D!^(zRUI{o*_k^W5d=c3mdjaB>e3d1_5pR<&FA^Jq#>UF|D~IeC6==_D%I`!QTk}mM||5%TaDJeCPPXR*=3I{)6xzi7O8|lMU-8{KxrO z_Vx8A@jr{-K%TEA2A_v{W?DiB`**nZh(+_OwBMxt-cn0stO^tUaBZGxe@gpH+TYZ8 z#TZ+D_{Zr-js913tEFn2;9tGiv9d;J!eb|FhF`MHk}a%GwK;x5vqZuc6c~I_qBv0% zT06a$jiK05^j4y`Hkyek2-`UQm?dUg(c6jMo-}WCtXNey8P(jlQGD3Jy%kepA>C14 z8+kj?W9@{o6mpo-&MrJ|5w(@jPC|PMtmJavLagVB##Jip;?A94<4-uku5voa=}3n) zn#maajE^Yz4vT3&VK=u%&xuLfUDh75_N2v_xQ|?@%}$B!(2MHaM>!iPyzlQUIXifwP#j<(fG_mS39+P>7R#9;pq zr=PS)dWr5WdVkV<-{5>2s+y|NJm}-bKDIu@0WxxAjO;EI(cz4s`1&JDG!I^_6unE#CQ! z4YgPVDfDxE!rd{FLxlGiK7csS9T}XOjH(=_)w|Kl^7c>}hshX3L#;f_O3x&l!{N>k z?;c|~Li}LyN0MiGNtRDYH)i)d4M(|?zZieQ5r)VaDrXoS)kv|I304}z`fxb&qg`tH zAxg(c8ZK!BrFhZN-#gOj`Ib+kM2{9dhBWW6axCtb#0R}_tP6Agh`}Ex;dlurP~dss zrC*&vPY~BkJJFrb?uh3;R?bOsPNu`Fj>&txSLzxv;S^WC?h}=9QpQV3Qn9nZ%D+xO zV`ot&x?FUMbiA<=dALU^t4pgf?-}h97oRn;Qeu_FYKqL^MsDq>36D6P2`(LIr!!Gf zjig#iu|y^ksLNro1k|1C+RJicNti}~#V%WVumN&oHqXLz7yDWXx?bW8i8CqkwE8}J7lVUCRZWjtU; zO}ZJ~Pi$~J=*F$K6Tn;<56O7gjIuP=i>XfIq#to3@2eQcJQhkcK<6}Nj@c3LJ{0-qNh%KjE`k}LW7TR?16&^5Fh>AqWDv{K1#%E@|mp9Wv!*f z#9>jw)TyV|WY@!8=h7uxMd=GkUrJg}Nr@{jujb~7sqmE>pDkk2khrg9d?Vvq8oUv) z(*ow8SBCGLKYgumOxzd$gZLlG^SV^m);FT*ibcR&7}Yx_=_d(4OV~hx_eec@X;a}B zr(a4&`d87viT<55OGy$_;?Yy`hvUm%jH&rk_+P^RCeGAU;bqmpV*8H^?QG?Ze|Cw#3tgyLBo8u=mQ$%k;nq>;hVqk$EUF_DbJZ34{Qp#3Rwl;<3 zwlKT6$2P9KXeD=BDceceo=UbvVch_9r=-FTZoFV6YDXDuWb8yk>8dG9<3kV@xePnI zGHFT7skTzuNoh}okzm!B>Iscl#4POM#_ECbQtT?DgN%+en76oL>yW)@rMQr?TXuH| zdq~)m0-rqSk_J%X zy^HlCaQXwCuKxr-;s}R|K1}o=(mb2;=1c|NSFw6>xLb|?6XQ5S)?isj(&7WC6r1DV z0U3^R{`ysn1F;MdKUDlM@_H^}>}V>KX4|w!yY!)r7(PbQa7iO5DH2rYCN|cGkmpef(_*I;ibPo%$9Kmzu-JKV9j<@sma%RYxNrwq4 zD#G?WH#l57J4P@|@Qs3RBAjhH+F4`6AoPl1%R)C_vh%)0=B+YsqseQ+3!WQpce=A( z@H<4$7JVma-U_@F8gmowa$~U#(7Rj4Ju>d4!PCgkPb9;A4v$I2)0iXpe!&kA)+?zV zkEAlL1{fZ6<(kW5HqDjtkd%k1F#Oudn7RFk!^@A3@I1kf3Vw_*!^d)D&6wqlFa66NnsZT4~>`M0|~1otf9dB6La8k%ca7H&R=2o z+DGC)7XJx(7HcetQ8`54rk3A1yu`lYelPe3!9Nmarq-6%PeyaX z=@o~?Jo-uW&!RVwW~SmfiI0w`WBuYnKdUePD&aQ?zf)jZlJ!{c?GK0VdKJIn2!9Ix zOYq->`S3<-5cdH4zPVuCKW@F-CZ_3MS*@0O7m{ zC$uXhY(asSAyt;HK;t=eYAUpL<&`aB99v4+O3K!*Xg{}15{m$C z5{LN}@<4~z7<`c6zJd?l2QgtXv#!IL(^xM_pK+u0S&2yPJExDm!hne6bsHpiez z@D#z#4(AkAgi{?}YH2=A@aclja5%3p8P0Tgwk6{%!DkCThcF*CiNb_wZC~DNg#S`g#C3!Yr9L%Djmt8!$A>Q|J?}uFrlqaBr1)x5&Fy z-fi?c!{d_i?4@THG`eurdytnX&dbd~=S!#!w|h86_OiP};mlSzcQPDiU} ze#J1eazvrx_=Ig9CVbPm4dHexqw4A;X2!ZJA6 zm$oj=o^h-w>_JQ!7@w#wD~Kfu;uQwLd8~f5uq;k)!Nvet$y@4SBrNI66vlFe@hZdM zgBD*l)79ZMr%xIYV|-oo8=_Z`-Xw<=V-lYL-gGn1;(1Hv+cMvw$pu3;rcS4uk13ZG zScN#e>;7qWt}ErQlK-Ch8_yM^`SP#lj^Yv^;3`i)CR9 z_vGgAp}R%qekAu}xu5(WF4k1U*Ij(S`PAKFb3c>&x!kpMH_fraMAlsAW{H_!$ox{~ zdYbJwO>uq_TMA^@91mZ)eW2N2%l=08x3pO{{wu!=^K)}?xw5VK?>vk%EziGK7(XbC z9~lO_j{bKT39V8d{^J3hWdZ!80De{g8yLVQw-rYJm*mxQTtN~WSN!7oL3R$mO8-sz z@6`G5!!sn!?|pwb|Ke--8Ate2{9oe#CckNPC0LFMUkoet^!dm2z82lT(p$Z%_7492 zzlvxH4i(YO0A!m#=i1qBj-Sx{k-r6fUNDYIs;8BfF&<6J_z&swb$FuuJ2-cTj}kjx2N9XjPny%-W7en=o-O>GO#*oG$=69FhL;ha$vqSQ9!Sf69axns^A?)qm?&j?yucy3y|F@UN zeY?Vb?(Jb-FL}M??N5(=Q+~pEiHgvOwN3lDxTlE+NX(I#OOX$ujbce|X>uZNsXRA3 znVFE8FSCGViz0?oEXhL_Rb*#R@g^?x5IS23MGB!9JGX(~OQCd>-iMT36E!k=9?@0BU^hvBp_oZXuRii&YVhm>B3`^srj!p$g+Lg)xX> z@LgegQEqM}hRa~wU@9E$Za0hn2)Tph9!a;wErI;X&Eegw+d3TOc6YOf$Q~+t812|G znB8xPukfQ?ddt?=IY!cONh2t=$YDfTg4$(G80lUQi)@s<(elR7<7uMHd@{yyXNvGr z%dNtwUF^nrth>{u#z)U_a*vmL0$sK-@G2vIqT_#A7vNaoCka29_fgDp-fZf5 zQqPxq0afNE>MqHuaG}%hyo?`lgsGx05`8ggMwFd~l>J_X5eTLD&~u5aW!9&6snpA) zUQU&-VSI#dz!)H`upF*%rS9l>?XHw^m6WTgu=fF*E7gZ<91g7`e68T?1Wz-#0&j{i z-QjiC;e5T|8G>gLW~r!bC`;$1CWRZE|K3W`Eb%vrzll5(U&+DYoP~kSXI$yIXH3s6 zQf`%U8xvzoTZHcrJX`Rcgn3J78y$T&+$3-Ba{W`A3VFBmd!*k>U2&Bm zuKOHbW^v6Ce81oa2(z#$uK(jgKIr~e7TH|+56OR+z9MT#<5QHw0}P%g_))=+5$59z zLn6>n505)uVPhzs5dNg_r--xfp}MRhJnigv`^G$*FZLO+&yr<2sw*?);W>xz*)PJ+ z3w}ZH0>Zq2+y@9-;&SW47hT!BI4TRJERwRA3e!?kfzfTw&bOiCFN<9w_7$@HvQkrx z0r1$46x&+5vF_j)`Z5{IWxPs*spnUW@S4MK*hh@l1-~J91z~*|s*UCKO&4|@5<`DW z!rKzwp`g$+_)7Jz!wZH*c%|S~g5NV38xoNIkowGeEV}idB`=!|RWO?^uCkWh(XtFs! z*apCSE&dzv-;!r;1eVzE9A0*I4E%e+KM4MjusTSSp&p-?obGX6q<<3qv*-<^RS3(< z%EB)Wud)*RtKi=R|4x{NkULn^WWQVg;mSdl^gpHiCFO4_Obu&YnDg)SURJ;QS9Gh_ z)X>7eN==51oXzlG*;dsbSHz@mj-Sw~61)XrUdc@3ZkcrEX=h8I03<*j3k_sp>LCo1q zD0KQX%i1E*#iC0{s}$AX!|j0%-+g1e4hISDEBIi-Y^GpJ0>*YW*rbVmu66zzf5j0F zk=9?@0BU>^SK-0X+=NfQVW1nQ+wviY$~a8MAR3H_w^#{Ae3Un$iJb|DyVle4>j-Is zr5#C)r=FY0$u9~=IsKANfgU1ysOVv&`2H613_3R-U;IvScqaR#afES##|uspR;FMaOkOB;dX>>-qRU06jK=(aR3IyyUTXJC zrRXZr)kfnwVczWor}wkVGf{Mn=vva*WaA5Aox?9#Lehfk1y3T(s}rktXeGF?uT}0c z5*j2lQs8;2{um}Z{hiewn?z3$-AtNkDagU+t5Y4G--zFEgwq6{F8GWVaA`Qx;b#p# zOYqr(&mqjx&OFK0#Xr}L{ViY4lX1R`3utJ#8E$ZFgN&~=wYbkObgP4XZkj6VB3T#H zQUydkjCf#O;=-qcV;Q?t!etUJr@$T+CM++dF$i^<7I=k=eJp)fO1w(q)fAbt*yb1u zC12xo@Ba7^N4Qq>b)u&kjh0q^VVLgpudGayzFzbU(KDUK3`eYa?DUp5HaE`WDf*ioUG{U5JH_oxa5AJ4DYGeP;_AD-Yh~^c6C{fpA`KRX_oy=Lt|-p+TnTE#8NX~@H2v+CCpbMdP-}O)mSSE zyGy$Ad}CCem-2#?1yqRgNBU%*5dQkau0F`U`)-5mriBCFMOTyoK>94cbijeHU)A%Ekv0 zR!dkzL07I8YeIbJ@Pgb&unW3&J|5bM0Ke z5dEd-^`w~&Z0eN^Upf4l&DZ~0@Hc|Lbr@g8!*>qmPISS9!n5`<Z%STyg?Q|a-e5HaB8-DSJrSlL}8X z2iqBhP7asZQ>3%tE`qxfX1zLvo`HJ40@33Xy16uSyI2UiOX?wMFG`G|2#fKAy&bNd zh2L<5eFXOuyf0xDf}G;g+_0b1&smkBm+0Q2_b1Iv#)^g6LeR&BXYWzy7JSBt2{64K2XeLp?gwXRnC zI!4-XX(OnyzXP+m(K(+ABb}dWD>;o4KU(}4@~nJuYz#g@;EN@`ym5l{u`Yh|9sZ6Z z94GO3i6>BG;y&R{j6?@Ixz2U2bDeXpv*40s z4Tv0>%Pd`4{mhEhtLjf{0Ih*)$>|C(8eGmNUl8syYt2tQl{6J-4Wbo*g&Qy5`lbG# zYV^oC{((p%olZIknr|yOSgfxXB!W!KTFNbqt}BLnRjq zvVaUm3KYmbx#=#?j8c<)tU@&MX$*ydSRuWVF#_9}5U-~QQz)QN2mu$Jm?WF2xnV}P zTOvQo;fhEPCta*`f)tXnjib@CCwqD%>HA5K0*&W1oD;+(>CuLV^^HA-_*mlO6i<~w z9x@+nyy4$}=0l%Ad?N8lz)>P)$)XBwvccQ5Nj-(|RKgDcX4g_c)(a_fW9PU{fvuVtMf!N4mzj9OO8hu}1!lm3i((_3# z0FCzn;vQ3!B?F-(+blGxg+^)-rNxw%eXiGW*@=@*z*JApHvIm7q~5VXhzU*(&2RzLcNk zaIcbojr?lx2t7C$72GvON0;-VzfO8B={G>*GaOPWPU>K?{ZXN`2c)U`rkO4EvfrZl zHqCcnB3|UBoBv(oNA~h(dXM}%^6SAPV+Rvtaq{;KzC=gWe?WKx;f)F>pf0+};2!!w zZYI2i@K(Smg0Ncvc0iD<{h=wX_2s#Z%62L{pdd1Fa+lpl21ljIZ*sVugm)3%T>?&Z zdkl_N_+!GK5Z+q?PILPVj!}3&;ZF&Fb^(@Av7Z|}LE!_04-!690#0>b7(7wo!-S6z z{?cHSmtPs&Uq|vDC47wV*9ON*Rrni&A5-{S!ru`-egQ@^!Qj^wK0){g!arVsW%Th$ zgHJ2`6XBl;|8fD254c|q&eaS2jqoYLzbh10nuU^^UO#u&AAzYPkHNf@cAL9OJ8x5l}F1L`jIUmv$45>Ops)3OB(vWSa zW89TSUv`tHuOeNObS=-;1dnkIjX$klVj7WeOuh+tTr%b- zNXx+J2G%kl-IR1Q&0OgY^SA&Q#Wr)xTMl|Ke`>scOrj}@*11Y#{cUG;xAXwg?v}?-N5@#7_o^sNo3M$ zchg#HV)dYQFSVY~koz#NS*DcrGQ6YCYwk_F5AnXhaTPMiG)va*cm0gN{5F3T{mBm? zKM;JRCMB6eR)r{V_nFZ{`>0ZA45AT$(MZnlzaRDs7no|{ZP!OWjp3y;ydc8EUBax~ z7?)vmub})Whsz|LMLHWa>KyFpx#%$-Z03S?6lG#N%^aG!Fj3XYFU-wn4?>;^D>Ord zDCAQZ3IR!p2QxwXqMh-L^wA8HFCbqC9;J&7c$0Y#(ta>&z;b^Bif9d|RSXN4kKQ5K zb^JQf$@ji0#O^ApHVBtHo} zI>a~yP-=|YAvW2(#@~2v3cacH9)O1kNPk6a9Ah@k4BsCjJ1)|gPGbfPr?R%WYOd7Lb;C?5_rap|(6DBNt(4XQ- z3QtjZ8Ujv%cWV;+$DT3c4t+MCr7@ev92mG8at%z~xyCopi>C39KCRc5r+6nd4$Ycy8F@SPQLQM$OB zTVvLpYQ0WtEv+|TAzkG>anUj{{!QcCEB_Yxx5>W)9=SFstH8;&dt3p&P+mmuns=kN z6yBq^j^28BxF3?KWc8}|jlNkk)CZ(DklqLy$r}?D9WT?aHW@xbD<_+YZy~-FINpr< zC}D@j56x+!kI^XSW%cMO{_iU{_~e0a=4G_enNLIT)dv5F0LHyGp#)GiX3h~wNI&irkbn* z94OK8{<&$d>LR=cs2!wsNVT}Ai?lCH%hZ{Ghp8Q*_9ZmU7%@e%-j?wlG-Dhke~kRs z;BkYc)*yA6Z;bAv^@VRqe@FT_XjFVq6ua*Y?xH2}3Bo@R{t+;OW{Kxc8vTs?hQs|t z`e)L=fJP2QjxPC`>R0nR>IM8p?-ae?;WZHNe}DbZQu+@It(n$j|72)?F|^YN4HqcY zn<#h2;EuXg=vl(&2>%V3ubP+`7N7rI;PDj5;m(sUwVO>D`Aa@trb?rHE-gPqnlg`$ z@q8KiNt!a`F9FZTDK0)k-h5>Ze<#u7<%nNOygYCW;*surDb6o?^IvA_IBgqNpjwe? zC8&{H6Ny=6<2T3nQ&k~fm3%euj2Y&WN4v`nze4ZP6~wC(uK^q}lc|RP8M7-*-K1x_ zifT=&wV*O)@sXHaZG2jik6CT<*O0#!JTe`sB(h<=(G9giQipV1()BlvbiW9|g$(M#kC+2#(5$VRHn}9}w`LAa;8eU#Mrrt!nDe-2&an<>S zvR<2%P&XU@juyPl$w!fo29LGvJnA1sb zVIrL*I>~SlBdNNDv$FHuEyj=2N?Qx^w~}uO9*=Xjton+jK5gKWdG(t40{V7(t?0Fe z=c^cT@v_!g(A{B1XN_4K8f|H`gMn*D!I9wZG`fq@?MdH7x&vr@RL~cIbdAacTd$c3PP89EfSOym)lNmc3yI;Qwb|Kr9Y&WnPr9{`==&l;29;ELj-4k@A8s4Bhe=i(%fqtv<2_+3!_-y!SvHeu7S(L1JW--l7u;Z@+YaG* zq;WzzhjcDz-<29Cb9SY(7GG#&rE`~OW;adW5Y2p=Lt$zSD>*G7(<8Bvsxzy*T47oR zv zNnS; z09<84S#A8jO5rsMt05rrcweF{S!4XW`jUK|{95vFfR98TJr{2p9UqWDC7D{x+i)Zt^@her3-&hu@gx0Buh8j-;`4@Bl8<9AH)k=aRp7x~@b5jq~s zShvUMUK*E=Nq<6muhMCS_`bEz=(~USVecpXDe2EH(CFd&+~|HvA0T~@^dZoA$z{lQ z^Dm5TU(ILC!(@+;{SqvbFe)z(y3FU7Z)e|_@VN@# zQuvO-aR^A2*qEp|*@ndEb$9vTPmunB^p8r*_HnU^?xfL&bO7B?q<<#;i_%DO+2!5n z-kRdSkv>KGchG3~X`vpOY3Tkit*q7<{-pL7wbRg$Kw;UF7$!e?}S-_4Jcy8Tm;X5~MEyjV|s;N31Mx zlJ3fy^7mo+7dc!xDwk3z4+TYYVO|O8GLy!w+rHYg)LBc&wlacPya~*b-P1vXT ztqO&z6skc$5@iN+q{qiyZuoWA`0%eFUY&Ri;CQfPc>v5IcUKxeLcc>^MZPBaTFQq* zE|oLJjjy1iEozg$hWxe47l$$noy@Yl&iDbVe0=JVuS>ojc%-YWSTH14@U`RBoWs01A?bnF5oI8=A0Evqd8cjVUyNfHzDyHzcz#VcclOzqOO=CK^p?G=qUu zl0CcR1)1({Hoo)A{wkW2k0Kup9#N7ta&tmh1ue#e@6XHca=2IuaTMYq;K_`SlAT#y zg3(*Ugk@+H=_Jz0pnb(HKK`OY{T4Ghei7$sLGxCcEn(J^U;lU09$m<{Sx7f)v;KC5 z)QTasMo28bWi(>6yTj-a89v5sNVg^34m1)Z(vX$`hIg7UR^PhqDcnV&0|cbFbb7JC zzuWj{hxrq9B;SerJ>a##PjH=$?yJR57t&oxcPmLtYr^P$O7|drFX^73(YV73d-63z z7Pe1!z04`2Lmqq6=|iV49NZ!;;4Z96(a+3(X&Kj_<^Y-lVdBao>*q=1!uWc6rWEpn z$OpjVflqaT5t21i4Uan@zslj#h^G?|0!Kn6$T<2~mtpib(+JC#57Jqrvz3mEiIVr| zV546inA%%lo+d~Ay-4X0ELDU!uv1JZruMi}2+JKsis}} znl>-TP#sHk98@H_bSB7HlJQ3G($0hlq$iS|1R4(ul97YQCYvxoQ*sK0sT3Z7fZ*d3 z<7F=3G^3-&%a3xn2T4ySJwxf}#JJ=r_mI(l<7R+Y-#8g8hfP6!O7ix#Fr9&p70BRk*V@!Q`kbO9=>S&prDV)GV;sGzXU#V>tf=Q-OENlJI;r` zg7hn-S1KJRq)xM&#+^sd2;2KlJJM|d6K^$KUW=ot6D!NoOws(e6r1L2Jd z$3;oVn+$$gFLN{DErhoME-j}V9_KzZbf<0>vyJF>qC0>_VjP$1J~H_C6d&WAgm)3% z4H(HM+fb)r8rmM?qx$+te@y-p@_WHE9`SCUp}RC5`-y%^^fRC+vvUHushC=A`0L3& zfJr{Wx^I?xd1hAlrlU+fg7#R_%4)oB84+{@PB^{DJ0=Fp}^-p=yQ`86KP|RzLa!%(8yT%Ie}tXG37GD z=VkcBuRy#a@k+o^+fL1vRi88SvNMWZWmBR)^=GI;r7D$bP!OLXff3m^8@jqS7EhkO;;nq+H%Wly2%#H?uz38^|^Q%bvq**x{}L?(U`qHAX$C-Ak<}H00A^QqK1>_O0jrCHE%VhiqSE zb6u+IXY3>Qc(y;;0b~b)MLv~pC(?Gu-jDa0@q_LIl|o|>jQ|W}2qb8N3~)#_K0{-k zMn0W<5Ij<6a6)Xd%P_c7ypK*M;Vi=0fRXTn<&#mI8*KDB?L`IUPD4(NTI zKzbtSNlN1`CA!H*XX-tgLV7Cc2S6ibvZNf5&zeDehM8tgzRtmTkj`{EGvKhCO_aIO z?jfTK#z{bOxQ9tULi*8?bi8}a=t89*Cq0w&ETyG_8W-!HFuJzZ+@2);6zQiyBZo!f zQlBw+_YI7Pd`2KVoA4aKh&B>NW?dVdr3o{S^nB6_KqIqb+X}ST7aCtyS6E&|elhvy zz@v(#?RA;gD5GPu-oPwNF(D5E$bM7H&k{o-VqC6liEQT|O1w~W$qN-wD- z#fRUaMe5owoAj~H^jbmb6-p~1;YNpL`v>e@ffKDVCufq+c(2lVjm~N~D6tB%FX|&& zW7^ZYzQ*g+)>3-|8WK7#AzFHg-!%HWEcsCm_ZI25NxxHqmTv!djs8LD_eifJy&g28 zgpEOU)l4Y>-Z!n?bN)&`ptgb9MrbJP3Sd_>RVL7)YYXW;0>;z40IE;!P*W|3Lmn@VEec3vlVkqR_7#u!a23xw)^52nmKvn%VR7QT1 zb^!59fFu1e`AqI@L9Q!n#%>*GSdPY}G|Iz3`bWpcCghG7;Vv^iq@x-tkgrI-5_n|M zm{i%#1$nx%2`}8?ueS;t)ifmCN8H4q45iGmu1 z+Lgwa(}Mac@-@lV0*^#4$WD~rtE-LPrNw4#($|o_7Bs5ck$&eAq4(9y>9UMW|bv<<6U>7+iMo= zLHb_OJxkEiVbROz&Pw+t-G_8v&?wgM@Vb5mCw%5Fyg%Uqga-oVqb?T^i-q#;Ga;lg zPoXe~LI45^+6yn2uuC;3M&B-JbkgYr;h@9{Nl9trW|%Qzi;q?&jVv13X0Sj( zwQaB&S8evj5E?l&a$%qXW-Fqi2+1?)$L(GUQOc(@6cR2bp+wGd=5&A3J7GEnbPD0% zVj?T_;Vi?cT8%N3WHQvPc^;J88;zWv*AmVDI|Iu&6HQ9_0vTlIN3iBx}fPe!3Li)Ldri{?UTSR3smFJ+K zFq8fvj1ya8_}cyQs~m1A@#l%Z034OM;rQxcY?YNhHp|E^C;Jjuq;8~YhJ65W4KJIu zT~lcVtygHRgoRW>g%o=QyHzGE*M%@%rSKYs)e!KYr54IoEb;{4Bx}q$cu@XH4);2p zwRGNq!%9>XcE)@20<9(ZTcqD6{SIh60orV{obs-TrL^Vt9>sMO*F!|qWMY=wz{sq) z_syB8LxMk`vw_Y=IMv1B(zwzNxu{jO$>eU|2qTBvOnD3Ct&lNI;zE*NIPr((?$Cta zMt3{i9dMZ@Qe4NokBlCw55Z2-yGZW_joTzcMzUl+M%e8!VUG?O`Iy2d6!t%KC&bkNgBNgpHqHE29fdBIF+kVxTB?7lJOWLKZ*zoqgWmE)?&(pXqaA4_9> zZ_0>s{wyb`{6OVLC`ii4t&%tVNfV;m`*Zw6;b#iJK)_o#8k0GHHF#EIANp^EPZ9nd zFhY;k3ilr-bW!0?3V%^J4WX_G|DOu?g$#AZ0;;92&9e;X90U3r0ig|`IXSs7Z%Cdj zv606;W~JL(hD%ux_h^1T&mc!l%4YPsO8!9(SA|AZ z8r5Lv!HYuzps!iz{O4mZdg+NM@J&_9Bb!HT(QHMrd8uiqW0o(=hNJwtI-i)a) z_=we~aRZG8FmOAxe0B{@IG}}dBMOZvG=ZR3;#Wj1a5tJ%sPVdqQd3IJAmN#ijY1RL z%?97HOn#HYH76WJIQjxC{f99IcU3r+a2(-yz_@h@aWOJFCBf*HGZ?ZoSx6_5PA*9& zxm%3BP3ab-ZzbKbB%SPTGx~O=ZztV~bZgK^7?kezKDooBcePk=L#ZvLc92-&#Ux1d z?=*ULz(>D5>AOgGC`l){yN#ZwbVt&iNZ+G$ysXz0?>ZZOe7q043+b+;yD2SQelmEo zyU{1JJl%uzy`+1B_PHP_iu)r;|3xp8iZmDWrqqX0Ur3RQmBnyeKcgFJYoQTnIHNnrH~&)J^)@rk8`O;H`374NT-tyg2n|%(=D=sFy4C^Ce=IP zPmxI}i&8cuJoz%x7Tap`6Z~Lv9xn6`*bq87baLTf$dEk5NzoT?1)FE;a80ie)qJW$ zq2dJ>DeJi#k~5{Img-?D1yl;5TqjD&J&ym+qJ=U!+=6MN9b`oeW;lZ>Mlfti7Uav^ zaD%h7L>NigY>4;n*k4*FWUEoJY;<78a$1BA|d|>`A5N{7>$ZT638p(F%#lYQ>)(Rhl+(=ZUFsJJA~i+slTR!BoR+_U6olb-_~DaGAsW8GZC zt7~SPM|?i<1;B9yk=cZD1q)5s7=zFy{6!QNQ+Q4V84?wl=CH(snmR;lDTU`LyZ`|g z5cK?u#?Sb-zX!|6FDL&Jc(hPt3&$WDshL^W!Qy4J5_Or_6|`QVwGtK*R$`SLNvKt3 zREnHN7N4T=8jaO3m{8c5H`%Q*{CvEGBZqsP_*&v`07pVaW;aSgy=lT*FOrwfBNX1I z@D2o&8j)_eNLsyX&RXq@dymdKI_u#ePBMc!J(%a-H~gmBKB+z+zJd5g#j`T)Td?PXO30(tzC&gV9 zcSA%$5)&;mDEAoLUvt#Qgg+s?7cinFdj-ieDo^P?6GrPk8T%=GO5rmI$onW;V*(k{ z>)}2(rC6`z0F{GO4naY}hSCbLv*#CvpX}{Z>M-#m#J>cNk5!m(8Io0FFgs4hfqi9K zi)LOsO6?f6uc4vXk#YXg`btA>k83P`V_vcj_5YUMcl3_K!vzJ>F$9BKUwv=Nx{dNL za<~&zexUNBDzd4flOcWqd@?bmXMG>LpQ!vyoHk^h*JKGUD$Je^Ye*a(roJV$0IGZXLd((*&3{c%)RXD=f^N&AERCE$_C@?^~* zZW&tEght)`3CdBpltOt3D8d7>Kg4CmCT^0SqEK;d34{LtrXLIr8$|jZ7 zFPl{;Ri#u75}uK?P?3zLGI-E$2w%={1>x$1YXHU>ut+F2!{AeRrAcG-dB2KMO-i*O zp(Mp~600v;cePm~^iioz>l#|u!s0D2`Qp6Jq>cK1u0yFVrFtrrtm(MxP1;-4CvkmB zH&AK-3EBR_B1^8JDT8!8NFyqZsWgES$twAB8^d7?C%Vy`)>^B%iB3~G&EW6_R2Ja4~H14I*69z6nK_=ED zxn4$x9+DsBaJ@9}B_44cgtUyPuub&0gRZ9UqoRzg<=T$R3@-aZV~y#^S_O5rsMt5pbR%MOWn)vYmMq)u*mox)lQZ$Loq&6k>#d(+??{iyL4;kOCD12}SH zY+XbQB7E1h_#^%*-lMjT+IncX3akLYs@nS|gmkOt4=8M)u<>F+9`#Ko!EhchZ!x zdeJ{o`I*WuP<%Z#Im%Wa`_-%oYW+s*6s_N3A*p0r(xuFSVa-5&6pmDwKuu(p_o!&qzyT z@j_3Rk)Na`Li!TWC^u3=p&?x0+?6$>$>%;v%h9-$MtK;BPh^qr6nB~N<9B+#0{M#M zD}l!ilSu|yDXy~7-|zNx71C8nS5vw`I?3|f>A);51u1>lJXcQWerHJI~v^3bI z=)2Oi#@aHzids!-wV>fuERS?@bSRHa+^fx*s5iJaoonb^3y04_etwF(&fr(J`>Uu! zxGv#(fO*YXE<43tZ}jBNo~}>&2GR{cBa>zp%Ew$pCdD;0(1+ZSa3{j|07k@9a|-iitc>eye7Da$--Ucv z^4-8A%VHB4dHKkcpaR$3oI^i*rw5&T>GXtyJ1#p#~TYrsi;L$>WUBfqUTGHGPd$cBOFbF8GyOd4$bP8};bgnSP9T<}QK zOqoxg=O@+YnUh?{pCd#kpUzM?cvf9-SSY8E51uon?r5)ssT5Etgn}0ePs62+P@i0Wm-U4p2!F!Q}a=0mkrxJbuFiV?2c1}iUSc;ow zLfh6pE)PkV9;WjMok!u|BvA>`@|`_e8W$$~qOp3M z!b}RYARtf4G6Lz*@v@4zd%}#hgXACNa8J^BipJAw1f}mVPio2;?in*WSPO&3Y#MXa zaKU_;BY|5z*Ni(x_{*3_V?K=qFpzHxT{d>ZaSM$PFY){$@{7qo2OgiYa#Gw9L*sO~ z+)|>?6MX?F?pcP+%W*Fn+(rjEEF-*}@JoP^oEh2StW<0$|FQ{dwXj}6;S~xiA)r?> zGd18=8GBs64!lbCHL|P0BCnLXQE)Y<@XJKx|R?71Hu~!Zv>25yv!GrXG>PT zNe>Qln@rlSa|Sn4+Cph7B(xcV!-Hv3NXSTtLU}8?V)vnm4^;7I+eUFa#T^iF3#7#m zMl-{GWJ2vmUf4-t7lqvr5ItFF7fYte&fc;r-5!&Yzmb2F!+lKY6H0p_A;ZZRj)D?i*z`OmYx{S6WevtSf;H=LCL-N@{`XFTnh$(OC z@;`^E9HH_h6kNBgR~d?lO^9`0nXtIKkJ3>J$0&Rafp6wCtT$!w=S@8PE#dD79|w%< zmEoVV3SWWy-uNQj^Z5k%AISd*K2k15%f22bjb5PT;!mW1CjCoEI@SGZ^dhByBYleW z?uT=p{;@C4G+c-$qNlHpcy9^dzm(o+n-EQ#KUjuU=(b znky~;8EGi=yUE|wGV+r&6i8oEf=-Y%ri?zNbUD(Ok}hA84!X;X{zK^sq$`rHRFckc zm5u&W=_;hFlCD;g&UBX>eOBo!NLMFaqa>Z>t~C0b(pQnLNxD`^I@?`s^uL<=G^tJc z8q(L6qzAj}j4q>e9ny74*DFa6an~Dth0^s&-$1%SNjk?hG`hOdjYu~p-2^nAP-zHB zWzXGc_<^SWfw+lyQ{v5lqu>t89(6a%e?)HlUu8YpTz;DDqU3LP7cGAow6M`Ku{_4` zGm6I&k0Txr9M75z;*@tzo=Y%({d6CEBKaip$>0(5fUKBOET10?AGb$-mBY0lek<{o zz!CF+i*vWhe?(%wX$Mi6>McJ_cCF-Zch_3}_5oXzDGNi%e?-_zb)~E}^3!D3R{nN( z?c^_`EtBrJ-_@PQKa}mG-Jbkiz5h3jzS>5bzqpNF|dPmZoNZ$h*?Npg+7)(c< zKz5{(c_E!mYoPC*F4VeG>jn*_qO_?3P8N`N-A#B+U-vyI+)JS+1eA)hgj&e;GI;;3 z{t|iNEXG4Bf@W1u_mqK_D;Q(L+4LHT6 z8hweq17aHex3K%~mQ3sR>Qgj3uTCak#0$LC23Pf>Up0-s+O%1v?47~NVQ#Aiv*COrpq zMF~DVm?_ITaoj6V6t+pZCR~bp*_>OoMY@8{ zD|A-E!SzVLOp04&@GPtD6Ml{GYQXq-6cv@4m>wS;mljBlPmWK`h?jv^INTZwpa_qI z9PV`nu$BS5fdFu}wA}O@_ol(uA15oLn+U&6_#K61c(QEBZE)Y~{jGnG@H)cl0iy(w z7Gq3`?0z9j%9`<`)~i0Cv4O@$7`QpUzMSH_J`sT1WbWNsciv2Q3*D`7@qUw{U!G(4 zq2aYPr)?v?o%jyLWnFdY%yb_azG9HSmYu|R5#J4*PrZbmC0~9xZay-LWRIzL=%}cV zseVFrFI2Qq2FDYNBTHu zHezC8Vx>kdn>;vOR)33%mqnpWI;9!qCrUq4`UMiQ7Dt1~ zl>A)xs~PKcT*PlQPSN-s2Fl)0Dt4Vraeo*et7F0bB>xxr)8O&oNuuyUj?C0!mgp7(HmhP%wzq=$TNs6e(N*-Bv1sa0|o zoh&?S)ye{#2z;VT4`OF;5 zmA5f_wXQeo>M8yr>eIS`Rs&eL;!v29DAbZoM~-3^W# zz>rJ19)#~D+*9GWM2SZ)gI^lr;ogM%5bmpRx-0?a`WbwwzAyR{9zb}Y!ZPbJ#ocG{ zIvqHXLU<72fWpH9;ebmuc&e^bl}0$7a1byG&tcN(g|$pFj6bVoWTh8(gs}rx_$)Y*?EPd%fki}QR7;KUQO#M?w%RWi=(8;rWCY07kKf&)IRgvZttQ*KNvF zEeRJSv(E+{!eXpM=*I>P^Tifbvp0TItU`qw!OS;m^B78XRR*>9SBl}_S$i}Kr) z-+|0Ki9ze{8r&n@C&zn)*AZS17+Eu1EFDC-VYxd}s=aSgy(hi&0i_L;HbTM~lH;UV zwaMV;^^5jq!dnP$1qEmI(0sCu_;%tufTQE;!V}9?$3HTyjE;xjNo^Ok z-O!qd_W#LVvQP=0@Sv;?nih=w|2-CBRn1`^GsI6A;$DQv7b{l9;vAfPW~|lP<9-^S z()bJpThx&?A1)eA_qn+hp7lw3fbK!Mhv1?+0rBU_zA&MZM(;3%BNV=bfIKM!C@(tE zSLTh=vgjziWAwg;hde2L3i7c~=8ovjN8gyZ>QDK1Io!7tzoU2@VqN+5f2J^&=ltFR zs-iJJ!GL~XKtCcNCM;Kwz~rWrW*pEZBz~gtGmT$hu;7)os4lwLUro%p1~Ha6|3>i? z#or;KoWdRwT)HdT{b9;6edqj1T|Ys2H>dT;v{3J~tT9?4WQ=z4n>~Vo1 zZ)HtO(SoZSwM(g$hlY!ZeBu_#U1r7#{lHy;MnxKxVBoD2dD{#NmMHBin|gAC5OTOG zRI5_01{F<-3s;8HXltVt2(V3uyBjyy(2wcxlpb&mZnR91!_YRia(Oy<#3HCG^Wr*g$&te5ko!QjV5%i=@Z~43QZ|AgMfm@ z5&*+Jv!pLZX4l_rZmOn1bGlJSV6D z!JPs=Zi$4G2qy#f&rf3H`MJf6j{5wxpm8gWmN4}BNp!av{h&TSx07x~x;1D#>;JVF z(%Qov7RcpV1hruxZ5c>A1cFF%H3k;9cbZXAM=G?ZaTkpaFp%e@xC&oX1l?_7t7G!- za=4BZJ5js`B2E>l1K?TjY{p1^`FEkwl}0xh*NX99uP`s*T&PI$dUp%u3cbW04CP*i z(i5Q|??%q63De80`}N$tY4xGi7ZxtFM71iim|Z^;%WJi&Kg9tQ2SThSA{G>rr;D#x zJj=3+hnX`*`V5moa}dn{OhgoQ$s}9FCe^IznhnxurPB(+LPTLDqq`<7L$~qiA;ZKO zDrQp5qL>X4_am~l5Ndye&3HpQkcQC6p^*y%Wp9Zz!D}whv_Ee4*A=3cPi-hP6a#qC zGK)DA-q9Cqm_h-CLI^0GARy_68GlguBJ#t@7lV%^oD3_ngd1VjJiY#rwC<-h3KpJ! z<_oE6%ZWytGDKGzGH zLSrh82Vg`B0_^uU&FJ}hArF$CPI?At)NuamV}kU1$O5RYPsqaz;1LG!C;~v1z3{%$ zr{pm+D{Be=IL(5+*n-Alt5C|Ey=s=vUci zrDti(rZEQwa)x{e%12vkuJL>HO+1hMeDVvxYeL4jg+?#Xgj_^=G3n<(^9?N1b_--g zn2aA=V#?bgAEBjGo~QBx6y)u!?9427I=^T_*9Kl#MqxRHmmp}2V%^I|FVq;VApHvI zl_lvox60^6O210_HPWj=WATTJGJ*`6ifqbl1?CzH=1R>DuQQmn4CW04gMA=M-c-&M zj%?`trs;p`U44uC+tlBIj(a3?FAC9#{jTv@T426MejWMs;59|!-TOu_)@%HL^aj!! zLI0n3f?cEL+f5cq4ZXz83}p*L*@{q5XvWE=*cUy^ADY-ZDE}^p+eUFa#T^ilWo32A z*vPZ|ks0-yQ7Gkh(%3~~cL_tbvP3Df$Bcie@iC20XzYcd#aV*wq`S|o=QLsV)B2Rw zXRwfYWqL_eV&qlzxhYFjIY8wgl|xWadn$3Gt@QlD+;e)D57RwD_e;2pWK?wGg+-^n zGOKS>pBP7J9i#O%tp6x4Y;}hi_l?;VG^cz^`#ajlVdI>s1@fiYmJ$5ktZZGL;nCMQI71TWXpqP7l|~MgCXgO zkws74WhUM7s6RmkN);(pf`k*~N^e?aV+ZL6+bU$MlC1_7sUll9#3i}QjovrVU+5L2 ztCOyww0z^2`2<%Q-JqkVuOeNObgdF}v}`S6^i4|FCVdU*Ye6H$1d^6;^SmjsTiYMpd(oh z7fU*hbiC3s@_pN@q?19TdcjrIOMXyvx0w0nLq6}cpm{6JmN1#&B12iz z<(pQqyUnCo6TNghrB;+$s}vnCD*z|Rc55+lG6v10JiH<0aBV2HrPK}*`sSizhet=r ze&>c?tKBK>iQh%M19035*~(1@%-(JEEvO#L;X0D;MEV}3V`Llo7}we8PB(kH3+b+; zyMabjWMiO!j6&{icvqeJ(u4TD#CrlqPR&Y_uJm38FVXQAy$Sar+!rt&#-X`k*U#AM zLw!2-Cp&=bK(M&RR41!hxciKb(^58t^dQm!rDcMGR9RDvE;U(#ki(^sPA44%9eH~s z#>7e`0aas}WMWnqO_@wuS+ufY;faxAJhIF4U=!A8_x}(IITUgs;Br$XPv;q1?PEkp zq7)*VPj)C+jO>MEVCvd4%S zkLgJ!(3nVL5)9PR!jhQS?|ZWGr}U|sLVhaw2f!m&O81Hs{%)G#t@X)$koa`sGk_!W zAj``JBSv@C8~ZTnM@T;kx~|YzxHwhXt{L)?AWf!Og)jOKIqhQ>&^8?@`8Wfb$$(}d zAS7KBzA|UZt~kZ+2~$p>#wUk+lFCz5o`!<%W7(k4+4A2qr-v5@GEU!gxHoZCU z@c9JUR~BePJKxPU=jZ_M%%d}(&H^|n&t#~a3k{Vxh-f}EYmEN9u@C)q(rZb-0UG6l z3{19rlIPwutL+Q^9BYZf=9euFjMB?^V@24wA*A>pW)uxOlu3Rt*{WUXnvTBk?O~XX5=;T z@!CdXJB=MMP{PQ{jZy9+gXb*w@J_iugX967MGA(%z;X044;0; z<7bJVBmOsVc9;lp7t$k!=di*fh%D=n6C{(x?POYa<1& zve5}z8>vFND(PyV@tiW3%LU|QV_)RU&Dx^5;tE>TY1M#*SRtDyW?@#um1gwT8+;Xw znlx&`KtU_7n{4iCakU8}V*F*)rf>~~Ya!sN$d;9E{HhDrnX*myY^y`1E|q#va1K|P zFP&0y8P}W8eVji>eF`^FXaE5@L*DFI5wD@)N3@dEh1{k+N7S)guwKp5xNoxVkNk@^62F<={Nzf$O{XtgNmj_4EHO9m~ny#@F<0!^M zjFhudK*>`bX;CGZRe6MuTq3O`TFI~wISdppcDES4@;XnqAbl(8mY{LBQwwu)(nGSH zio4B>H#Jw?PNNl#)-Z7MWG8?GwZK$-R(hdp|SN816b$1$EFv-WL zJ>k0ucL2<1v@lXr47%vk#`OJ-#Zk;1IAIo);Ybr(8a>2!mG z{1gnQ1@ckGb~mB54pizv;a&bOKqvCR1FM}VxLVlCO^(Neha9_Y$R3=Mbu*^3{ z1;O<*ufN{${`3aW8wd|YWt#NTph&*Y_*&ocG^Jb$`9b6Z;Bl|zS(PdOsYVaf(9=k# zlMX7KFZ0u7teVkZ=$E@p(pjXlK{GCaTqe+9<1g18qK1&qA)gB#51jP04w2_G&+uxe zebht5^N9}yj;PCm6Irr#qtSzODnpob0qH`}xWzJNGAyq+Yy{zkne%}TY%HQPoK7(u zWKMtmW%SD)&cqA6Gs%#a+D!F^cq*T59XDQ95GzStMx?D8t z=NjCot-tPhgy$1p02tS8Gi2OCGZtv!w}{4K8qdMNbt6u(cn3>bEioruqqLOH^K@Q- z!?G+_rW3qqaP8?nO3Mf@C;Sp%+-xaiq_}+9=$#Why@K>Bq*sEj?4uKhFQ@XZkW9PE zvx9=5egiPh5ys9Bs3m5Pz}&ukev8`M z)ZT%H;!=iBW^tLbcTFh&mHaM;dym383hN>GmtJfdU!wKPYHhp7y)Mw%Xgm}yHESJ z4v;-a_7GTHU|v8rv~gb;{Yn>qgAbEFLi$V42sxOZ;l47qzD|`rO7VeWflTeR}*39>(s{ZZL`sqUOKc2AyXeh#Y{AHRH4as$-yCbD@W&2I_2RYGHLmRY3?$E7i%T90^y2;D;b;? zmRaluFVl3aLbxj7YJgFIOIs)`4M2Cf@r~N}*k3`uI{6yl5fd4_kn65Ac!zeeUPZVj z;aY%kOS40nX=(0iqq}P5zBcJ=NM8#Y8Ec5J*BP6d=%Z1GY+bVTz#E@)PNJlGOR4gl~xfr8ge#Kv5Ea^DX@t~1iWxrk-!r~GP-@g?Rk*FjRPa>WS z90g_sm#ye;G2v4cT2Q!^LQ4n?f0#@_3Aoz~e|!&vmr3lzTM=&!90{Htlo5G%7+mqJ zhuaWtOSqlFvRX~1yVKyiEBXs67NL(9^iOmf!&;$cX_7^ovw7c!C~2%jef)KMjzERJ$jJ7mvm3ih){kY8=s~!^YRCa2DZgg|lUxr5kMU!%aLqgm4bwT!l09 z3uI$KgP+lgRfupt;h_p==Swx(89YRv{xIPJ!i9i&kHSS#77a5xs+W&P5$WNii$Np1 z=U{2{ki4}6b zAU%=vB+w`_x6+e1ztsFj3DA$ke)Anf=DEu#cHkZPQ z8y%UCBki7rCbT=@LtjK;F@@(KAau$3#cqkgla~8Cx0LYngkJ!x&5>l?it0s^@-=Oj zQCd#vB}iydO4U@ptgzGgWmEq8)kkUtl~<^&go4}`7n>xTKCLpkZn~#mCH)%d)u3?+ z1*qz+F}UEUhb2SBMahbjvaqcgVZGS* zXsn~L9tMi5baYioE$e;b&uAy~2jn-9-v}O8iZjU90HX^u^v$HVklqR!Nhu3D1yc)) zQT_bTlsg;x>)l3WJCz+!Z~|1_O zY5gSlF}+Xd?S;oux*$6vL%PHE8K0vgJNA?Rl>BGlaUr%XOcdQl!^@fXYEC zhoInIL^e=D@_u2)GAF>qyMd!ew6ev(qDr{_@VrKSx~=FM!|k# zMsz$h(t9=Z}yd<#0cd{+aYI zO5=l<)a{LaLVMePBYleW@1T9ZSzMefC4?dKXrBII-Uv<6Kk5BN?=(D=71A$M$ZvyZ zOsJ}l!&wUFDEtk9Z+e+CE=}xz3?Hp!(Rt#fzF;k1{xbZ0!8xC}wEPmO>W@;PjQk{3 zeF~RAK!Ro$rn<7muGjWmIkK0MEe{qsNY*KHp@4ikNOzZ+a;Ut&2NkGPq*4hA?tyfR z2wmCee|;%G%HgVzu1dNZXyk`Lp-dTM^e;DK*=`E5zXpx!G-|*=_{h`=?nO=P3fSYT5D6ehRU^2P`8n_>;h5=1b2gsyk*Y(dE}eRC z5UFtfFzKhc-srtrd#X?R2GR{c*B4r{PaqJf(1nX+<&YA!M;Xu|V-aP^pN1Azl6Lep zVpxqCRuhDUmxauYlBH5}%kx47(e7r0lY9Cb+MI9{ z;b?{BPYrw-Rm%7)dN4 z$0WGhjJ{Rr+ex<~-5N9=B3vQ%)G+)O#oG{XOS~O$AGj`Z!D^s?dMDV5q9 z)>P+OqJzzuc%RS7L+Iqt$%TWDRwz1>Y#>FRS>yFgAzJyghQdNt3d=-#S+v9%{)9HA z!o&-R7XrsgWU1=m@{ycNJf^#0W{tSnN3Dp~a9YK%^i`dV_Ct;vVaf!J*GMY&QyB#X zFBa@kz^|vHO{i?`2MS{;jDvuTl^c?MJjNTG(#c0?0^x~-Cn=nlFC)<=8~nQFt0{!1 z5`F+Mq9O?!ABA#jnhBFN?hjI!PGJTFTy7v$szCCgRo6d!&Dxj@+cJC z1{Ywj@MDH|E%5PwocK)Qvw$PxB1+Nj38SZIe4Zrz6zQiy^B(6%MJFV?XAGY>!w3E> z@!7=Z0LLTkFg9A^KG*nH$9jGq`T67*fRD5n`<;J)djh?EPyNvX5(l3EV^842tlK*8>hCkvjVFi^}sH}v7 z6UZk?>Frx(^a=go_A2SuNUsKsE_M_HX)Ze--;}xf{2CLd5B8^do#I-GZ$M-fH#;*A zpKjhXzL9=NdyD+r#LziO1*2wfkJc$c^&?0{G)o6zmY#h{&(>HeG{J;94=j&Y%rMhxLSYG z`is_SSU5{qc0x_dDt2d#zwSYQ!Dq>zBmXyeq$RSDY)0^p;j=XO^TbOXW_v;YGJP^b zg|du&Y5C7cW1*S$mX(p8q_IHy641=dP8#xM4Sq7)$D|zLO9__;jF?DO76T|RGkl&d zgI9rgMdFo!GwriwZLG=$*ZfC{mo5?l5GmYh1mAzI;lUdMMj;;hZgx%VA6ygxN^Dn`jl><)But%vJ#?QL!+P7Q#2yom~<1+ zC?aIONIJ{h8%_AFp1*B3QD{n`83etO7@3&lXJ?x=S5MQNRurvhSV*pdEa}uLa508& z(N!a2iN_I-2kt+*Cd8H)o#_%xoUi9eq?kl88KTB6&MIxUn6*%?7PM}q)e;uU?Z}ce z!!XYHHdD^%7pmK-w4%})il(x(7>r(|Cul>uE$Mb8X_<~-^m9tLCw&*`4xs%rnjl+! z-);C(#XA!3MEoAbom59;&#}&i->21!F2uVM?*?3Bp5(e4{elMGgY>WEy^f zjJ4@y_~lx}_a@$lcwgWMJTqHbq^_UQU9a_dsXyrfqz8gVNu8UKL5s}4FGR!)n{Sle8vS?+)@`ZLnvb~Cv$wS1GTmfz z=4g>Kh0atu55Vy`HZj&sGx{}+(1WC>lb!(@w@^mIMPoY8L&neDEKz)23Cq9$-EZ~TY>^LQ#v7RuxjE?DelJrxgp9YP$RyN>g4F0N#zXQ(_ zo=tcTV4svRGHYqB;gdBf=MkSze8EL{oLgx4B*hmIUrhWt;CwV)wp`{Cqxj&y(6w2|O-T=H^KAz~IY2mfz%XD+s?rcqL$zw^&ah zJzIvghTSSt3UsLct5ja2vKor7J0`}-xC4&amb|mZyfvB|UZ=N~-W%}z-HnmX_BRbr z(YyN=@wbV;0~{sN;Ou<&uCZt1{q1^>>^idR!A9C?InpSVYk1#;Prt`S%LRTwVFQJY z5b)s3fOxcIrDeCtj5At~*-T>#jjb>==gTw$qu1)SZX>;&^bVzSq`SY!eRP4=May@R z-bH%1(kO-!+#aLf)UZD${R!#4pph`yxw&qivF)`_dOz7u$$kbFc?aG0vh0)l-1wH- zX@7wHLGp*dBVEEp*%<|_gnVJfkSBc7AEt4H#+NXVfeQ07(6NqBc3+uNXR%j~QaMKD zYbaO%2$w6>YuUdVT}Ops`GE9|sc-AGe@pc{s>h+C8kR1L>&O>E8O|sq!75z?C(=^GlvDNB&as z<-z+(o-|>CX+h~PkWUR}ZPch$pjDApC0IC%)T6`Fqvl;jne z1T011&@ui(x+;D8aL2r0Ku93(vaGHP}Q7 zNfeSH;6)b18~YZ67hmEd)PnG>gj*_{o;EDg-DYr)za#)T-0g&05pJz;0Pr0KFWlha zHiX*}ZU-2dNgfC37r)c!=*N6K+LOMEbO+G51M*ZSS+hq5BAK>B6Q?7!PSoy!hC6^P zCF|wMyq(TwoQw7+>O!L{jczdX(TkVDP-ZH~ju+j{+NtO1LF-;xJz?QuV&kKuVqGtz z)4Iuza=6~4`;hJn8c#;JAm8;f_PlLQgTJKK zCI#teQ@+#zMq{Xqr7{i*A3=Gix$y>%xb**#btdpWRqy`y<0fQCW+_9Gl={vCB1MHX z&l6|D;T-2!=Nuf8CQ1>N%8(49gv=GGD9R9035iI`n6aeD|M`5r>v^dEzOU=vzUTek zYwfkyUh`htN9`%XPZJ&l7`a8>?QnyQ?bFe-&yanV>=3Y8mnGeEMt`RDkzy=mj&Wyg|zo$NSe(I9-o*yWn8lf$T(O({g&cNya8t`Z&Bv zb~4#1%4T)x`Or(hETQM=}}elP%*E@0qbx&;LG+4`?ie z!N)60RxcL1MTRdJjkFFnBfNUlimRu zw@aEYnBtQB_LCXi+xxWNN#kc4yVU3-uimCh+fd#(Fk_`QS%0Omo5mg(zTQkm2WY2n>Z(G-rpVPbE6%)2R%HHIjVZ>jGn2 zb@1n}LbfW|YGAdvi+9Pw3~r9AZqiR0Kn+SYDb<3+XH)h^47%DzZ@pGxDu=s}bRE(c zfyP`&ub{iw(A)EUZ0ZuNN3=drJPEQ!A{)(rS)61>$(1;@oct0R4QX5o1J{~X(91P4 zcF{VbvK=hh#$+!Ci)iC2M$gx{TtWIu(oK~{$|u}aM(@-lxter%Ev43w5JW75EwipO`kf&@i0etWA>9@b{YERF-mFH&SkoL%-E;rzn8{+H13Ci=0qY9 ziMj_2t~ytKlfyko_#wg%D;y2R6Ydd%&*|&oPJ}xXPE$A*iY8pT!9~w`ID>E|;Vi(Z zDXK&ugsE)qAR^UY7Zdku{JT=@Mll;A(g!ITcHNCWpmYz?IizzzBV)^^epse0wW|qN zX&W?;LOz9F5Rjnq-SKXP@*08^SY{m6(S-sUg*1v_AP9N+Lnb4nZP437kjxMPt-Ea4tA_@_MiO%6AZ@Z*G^0Gz5RWiv8) zr#g$nT2GpFP?PB?T2Ip&1Pf7;&nNf9i~NI)Z}Tk!k&kMVf0q0Z@TrG05s3P41i0r+ zI;4R-PiZKnVUW-YNlTY8z)bgo;Y&aDVGJieg7}NTaVJtsu8>eKnNdmCT)j+VB#l>K z;M&(uJ7@s@a$7(wH8RTbz*IOuWmdHC`=qZ?VR0EksX*Q)fkPxxVtZv1b zSS=+x`^_~crVBad(V0(YfjTmAoz16QO4|3#X`*%A`*c2_vk;Ev;$)h<;K|Z|ky*zy zb|2DOOzR_9$Y3Z3<+=UX@DH`M_X+VO#FqlcgNykDnGul*2op-`px|c|mQh#^0aq`d z?BGUB*-}7%ZcdXYeKLPRX9b;=a9ATnf{CPCWpv|Vaw0k0YSLelUIV(K{3?Z8Frf4A z1#Ycrf9Qp;qxKcG_0SMVG>kIwYon+3M-URoH>AHMy#X|GioCrd`%%a`CF8Hqx%!Rd zH<8~A-WS!uAjcu_I)UVt?@c_e(b_`s2Z~!EB7wQlGscLvnNW6&Ppls)Y^Sh81$kQu zEjd}MWJ0mNq_LC2&lGk+Kqkh_uAf|xmmEwQrL()gQrb;v52VxxRw5Y6>YI_3CEse7 zft9`H{i&C;kKTTI2jH>hi6vy?!rzSU++1QHhdW665b499k%iCN=tbsAj+m9MYuk^~ zI!5bvSiYh`C8y{2`)3&)i!pZ zE|tBIY#p)}DJ$o87aKc3&s&#lJ+k$|vfD1>GP0#Z1H*sUSMe?(-jMjE!1-JgFK~^F z|3mr9$Tuc`Ie1^l2BQU8T~kXunwa&s-mfcYT}i7cEIe|u=u8@GehK1LCT-9u&8sN| zCYAr6SN0bEa|4VAV~kS(yc z+zrOQaGTFUHX**Lv!Z75}0d(-~WAUaUHnOa9^NY{)!?A#`0*exau+9SWq z;clgH8-?2;XxS$l66q(=+#Tkf)`0G$cNe|8)x(BFMY%FTE*(BpfA^Tz^j9C=z4Y#* zcRxJbN7?iPW%L7v_tRw)4-$Wf_`|@F${Ery&dBE2`Xi=v+3Q2-M5Qy8G$>W%50Y{r z88k*MfC({ftd(wV$*aAaK{u0b7F?9Jz6BsPR2MV;r%iyaG`i8qhJoC#`=3Zxzu0v* zshp0d^`MkPDOV*#F{q;yJx%&Qjawe2d`i6_F?(`ZjWhaxgZ-5hkS-)$WOOVfnYp*o z14ekd59z+7i$No2W@bz8!`RcOJlmh_qhtqwMN>C`H8qbJ`~%`9hZ{)val%gk=85Io z-%lFbMXS1}$UaSW5Ljdlc`-&--@3tuSJb-Y8RE|p9|9buo8%&Sc};ddGX9on{)u{? z{7~}4z_YfNL=U+aj6O$GdpPM4q+bM$2MM<*9F*6RUNWJy3NKR_N#PX;OqQse{Z)gv zAot4QUL!n;@MweO?zk}q*F#PMJeKh5gvTkIm!F;K-Y~e1uKgHKcmm;xfRTvuO+%O0 z*G)3Ka1Bo_uR0K)OneG(-XHm9?^I*Emh=hu7TLGSP6LbTp#UF%mgR_j(z50MzGK$4 zPkC!Ptr@gt!eVDtKC4aNkbZMnOB)ypQM`zK&xck`X3QB)MdI{;JXVJ2&@25sz zp!8>?myuq679Ez4bsJq%=`TpHAieTzTDlEJH&A*t=`TsI0gXfthGlE#wFcj*18eID ze?@pb;L-wT_msf_nQJh7o(_n7L;PFf8-QO(+`gzNMXc<}B;%W@&3@(GXgfz4J;z3# zV-wG@8RtO!;=xeDeQ)r{G4h)nZVTZb2yX@KtHMy!swlV3w6dBnex$aY+74*AEO|$* zFp}neGCaML&!;ww7eN@ zba|x@l0HQG@L6;??v5B;SLvgqkCFZzG>Q!w*^$jd~O`*h2b`|7bKFB|k}*fzCN_P$J1r2d=cSCtmaHxn#?bEejSAk{O5|nA36P zOqejx3+GWNPoV+?oV=Ut`cu)^Lzj8B64~>~RtAguMfycDa3tFx8NX2bMODaGC0|YX z-ty&K>{?LW_)oPyszJUc`C8!d40P))`K`9W3mW^#Tu8VM;fnwxGI-A%BVQLA|G2KY zsY|{d`TF3In`MV^8OLZ~bWC>^zJzo`(w8bNUmulWl14^9t+REPk#0=-a?prNraboY zy%yKR`2T4K^9u4;l5YwgjVcT;q+Xl4%8bi(fZ=Ky0UALVysueY;85T~Cj8XfCr_9{ zghCX8*6lGDGrF9X3~|y4(n-*`0NJIrYo3&N&5UoaZ;Ur5--7%#;7bdiU&LJB((tT2 zADLFfuO;3ZIBsk~L0TVooxyd7d-!_7Z3wpoj7v>NTH=EtH<(aqqx>$1yOF|86xu;R zN%s%!M7}fmH1N1v8S)BFzPti$c+Xw(s~j$acqZ{I;7Fe?vSS=} z)0O>C%{WlmN2n`}ZZxuCAVTtHWjIplM}Yvzo*o<^UinKO@cKIvYd z5uY@NX9YLFnXzE4{6P*^K%rNY-?Di$Mna++gE}|KQ{H4Eblt4*`#CiuxVFxaUlmq&58W6oyh51_6yr z*^(8>%IyGNFsG6BKZny9LFYv{NG*95`nZ=24(VG~FB2X~_!Yp2kz@+lO;BR=stJ{J z$@ps&Mo}0IL32jJjWN2s=8UnVUne~dH1l1S45Ufd^bO-@=*ZG|@)O8U1YZ>iQsd8Jk$Z&IF2c?x7+i!>3s7fCrY)r8k|x$9dL-li}O0`e`shbuD_ zvWoE?GeS+|4|2HaG-lA42?Omqji0n0p}lL`I*r*ZYO|@$frdq4ruD?PBGTnKnQP`( zYR;oMpXLHJ(Wgst+!{+%FlF(cnH4nY->3Nj&4npLF!$P#Akj8uYUmM<5TZi8e|Caa$#rZC*%sLo;mA(wSk@zO!n}MgYKR(?hZ$TK} zW`Ix9E#!Y7zZE?0f!ysdJ}u|AnQ*>F|3?bjDeQoNdyp=>?&r9ljJ{Iq;hm&^CcO)^ zA75=vasUdh zMs_imc{W*G@tXEw+K zE-ba8JRs7eFzEulq~nzSq;vvOC6T!Mo*1d>w7~sk-mI2Bu)pb@q<0D)?rM>2l!z&$ ze~iCqs^?FWFYzBp~(q8U-zgw47& z{kas%P$&xlnVC~hQCH6JA|0PTk9c|F6@cT3A#SB?MYH;;Rf*R5v?{~GlPOhwRsoCI z3(T0T#cUNCRcTa%f$In+<1q@=O<37TewV}5piq-SEeMF16_>PXo3%!Z$_r`Lp>+`~ zA54J4#U?D$VCqt+N1;9hUzLR;u7S~2G`Czrx*_RHLF4qi>nM;KnQ*b*_RA4`O(8%b2mu$6pVmdb^&2w!y@!2v z3X_hIj)KM$jQGS-yF0{8sirZCQ%O)sLczVx>y4K)(9mpVMiZTvY)+#EjcZ`w+36v#M*nuBX+8R$EwpcqN?3l{F~xS+xvV`(#=T z)o!GA6Sa2G&@ysq-HTj%gDVyIYnSU@!uJurAF$7=k$`)^=-PVf2T4Cf z`eD$l)MP!p%x^qmc$)SVI}z_pJPkNvlHDh(uS++0OT;Hj2H{M?S%5JdA?vJN7i0IV zm!ITtUCDMMn++E6NHsxRcf(It^QZ1XJcoELaO9oT2gwRtPvfuCc;}JNC*KRapVN;7 z&-&u2b0*f&^eLcNNU;ba1CnMX3h>^>_Zs3O)`xsw^2N$`m+l;%{C>ud)@7#s$v;Yd z0C*&5-@d)G-D3u~oa0YEknrP#p8$+R0-T-go;3Vg#h)VnH1R>eQ|In0FFP3AM&V}& zKTCKBU}T%Vef!F(pEJ6x($A9~N_yDYbZ_^9(KjkRob(9NFM{?F>Fr)JxShf;6CO$U z6~I0sk|eJh-CpU}NRJ{t8nmy?BO$Go$Cz}H-qf*_UZ*q;5;A6i>`42DvGw(p?D1qL zkevt?PisM57kL#Bw{(&j!*mJrn=~fVm;wW(zZ9PGfnnMDf2s)=YjobC@HT~M5Lkyv zr%HxN3JSQq^c}M%W&6x9oz@ImGhv~>Co_jqzoynEy=%@fZD!4)Gn>vFILJWqZd;~Q zPIC>vSXXk*BR-$_0^ms8vx1PdOeX!VVZ2Z214;`a;r_|OT3JG|$mm8odiEjd#iTz1 zjjU0ShHiwxnYy^>6T(XfF9nQyA>;7b_@tIBVKSrkbv}_kqp^&}au|4gaW5iLTYPSO zUA+}wkY7Q5C3u7&%Ve-6lhk6X%xF-_hp?K)mo(PEK>dBYuZ??{MJ$X zirRW;$Rx5Mei!*Hq|8g0@VqY4_=du_6gEKcwMK+rVRPS^QBSXBBaKZoHpB2WpKNBC zCA&H?`+jd)ebu&5`+?e4Xo#6?yq!~w4cbnCwk|&5=6*4$fyVDwO1mlTfrN**hwNUw*Vq#Jm4ba_ z_me#UmU%J#(*?cVZ$<~S-+7SqA<~CI^) zbY-RSASc}gMmN-?u0pyh>1v=+HuAdtRa7_Uh>oAtpi`4hEjZ}$%8SDG)k#f(+U9oE z$@&ZF)}eb5T(p-{`-sb+a@bvL$}U}vRF_IUD)ph@d5*<3kOpRScv=1+hr5JELmHRD z;6-6W8-G!a%=uP3I+xLDOy_bq$a6BM?XuHlj68L3nwa*iw#KfYb|tl@&~QhC!H`Ua zannp`9A0JC7>t9;;jX3?pcRBwNq)6ntB+*JycN1HUzlEmUKAcK%s&y#Ju!3s800f} zoKAvH5)M*4C@TznFwIQ4pqBha4%eJY3o6$@IXij3T|SD7A&e6pTbsN4+& zA;}iT*?8y2NAMogj_C52d#T+=?S5z|E#<@9jM)RmkJMluB>xckhru%eqv12x80n{vFVk6RBaIaG3?Fq@~!V+PaHoVRqBr93+Mbb7%-hQM2BGFymu2YqPH z%wKddWdY4Xnnf^Cnrlbd#NH;J_ke%0`cUjku^1wPOl4cC$x);;vi;0#-^-i*X+BDG z08Au4Qt_=rdy3-I6bC^>g1W5k(&|c; zY=g}?)Ym)D(0P{55IDSViLh*qFY(N9&zW*%D>)lZ_&k-NRE9x8PUK!1mW(f$)gtBt z8cu5jtrub89r%AGV=9g>nc7j)@nxzbslEag0fqz2`l*-e+^c3i)<*s)hkK3IC|aXo zAsOYRRQaMh>TRD>#+bN82Moqie4XMrh-mPkfyn#(h6%Upwx8oEOrS6kLMnb|Z_7E! ztgkhGZ_=7fYYHsXud+2X7Q6pzf?}$2b2~V|%$RqdkK1Y*U(#3u1J8=wBiY&|_3f6PMV$0nYidiq!|SMiMRh$? zJkPQcRt9L8eZMwkil*N;RKBIM0SeMDQzjZYGEM6{vj%AAU?Z(fv^K*+K#^!tw)l~a zs^onTQ-*buzsTXXQ2Bw%RwyV*&&ql}TWmA4iC)!@G`G{-0TbE6hr|f}WX_QDeYV(1 z=Vv;*)QQA`S$#19EG@QQ%&DJ^_(=?ZrL&vP9yqC1gOu`Ts>{8mjoRb2ebn|-I{*#Q zlP%S);Qh^2yNIG}DtJG15Ot-^DcRFs*SU1c z&?yTCvFj&WN7*HnGwG6fUOJCbc}f)^A=leP36rp*S!=cbP>I(0v?{|w+RMxMsmD@N z@B$N)I`&(IVpWROAR>-wneshP8AxGh)lI6rT>d79t3jzIrCN}X7?HS?96k%zHs^E? zD)PQMojPGNJGD; zk8c(=GHc#pZ(T;KF|EsCAtaPF8oMUujMsUvE9hKFrzsqkHu1Q=wsw^%EpmM@S5pa4 z2|~fGvdC#zArt3o{K6C?6r&JRDUq<0h?(<@1{SB2pp%5dr&;=j_yDjhGVmF`nVBPW zd0lgwEofc?6QN0lmk-wFGGDYbXGMdZJiDmUQewJ zwYJa@l-C&44d$#>=SDg=(P;+<32&(=8|s=eSJSTpm7A$_go65xbqSjax0o?S@9wQM zZliHK3`ERd2qSifIX7vMbSIs==-dqlX`mPH)8HP{+N*Xiwfm^u4-JjGu4y^FG4tgf zFrl4poc$n$hbTM@0SSBBP4mXy@>omr}z^yJQ zEXpj_^mxOhwYqd@Jf#VgCPHE`!JrRjk{Q+Ymc2=1GL0!Pc*}wzessEzRJqPgHLJN= zZ_#?2)-+fs9GrZL&f)d8cTBjk$ls{x6lPGE2?4?QcPaeseb=n{S9@y~t=Y8Zz(W3$ zX&V^|i@LeSH`7U*dF1DlUjQDDmbCVIXUV6{__neS>pgRqzT(4rpY8{A7s5r-$xhK2 z0Fq|gA~Wu;=8X?&ET-`h3=~IxDG;BKkIlJlnfyr(_X(XPbe6)w6>-Kw!uZtqS1bB3 zJ|n-3{BrQA8yb;sxMGy;b2G;2t@(n+3K}b6Af8({}Ez^o}HLWjct$~%gp&XKm zy0s>>(duCxg|8^Ahkz%~2csGEYtz2haK54TEwv5MP)W#2AlY$HddN}tohiL^^~Odj zo2YDtf(IcMjOt@v?7lbYCryPdlzyPJRV94I&`OhSCOz22C-#q&wo}>x36Zm4DJ7%sH*?Z7yB(x+h|Xa+2rL$qVT|4wUGr_OBPL!rgkhC%M=2ho z_&Y=tbzS6(E*L!2;#`X6KTN&;0-uVd-I$ zmFyt{W!T!ew3%P4c`nT|G|R$dbr_29VJ~O=ZO{2cJdb>N@)f}28IgT{&fYVnqG`{o zR*BmA)G9+mV#o(e^qMX(Wu~^hs!*v)rJ5=TMqb265nkPt%KBKN8?(Gq>p|-i0*l(7XsHF3XR{sdlkx?Q|%vF132p>O;e$BKxQINaczKW<;9% zoOB6|hBPjPfgV~s5dGJnUnBFL87+U7!(B$NF}=&-@ea$jo_Vsx*qIT7CT33S>_fbQ z=9M&?!eku%gk;oRWyTDhjJ%pgfJP8TDvq&##W7^wSdC+tUW8s09ukpNRk7XZm}%c? zEfuGhpq5mvhhHV+Z&@?b`o;ZqHK*2s+BMM7&@Pt6_fl-MH2k2hjcG;vTH>vN;}MRZ z*;~b3XU^67HsbYk+R$kW2PMXtg(!AWH<)^Soe*-k8>!wzwH;KXMXIhct-WbAbtP&C zYBy8sXj-1UX)pOVO9thnk$Q`1lmF+_;#O+6QM(-)Do6_r1E}r}vubHzchb6x*4=8w z!@<#gh!rWalH@qprItuax&m-h)aGm0TzcCK9$_dYW_3c!nZKAP(Y!OLJGYEMy`Wc^i+h0k4@{f`q z06rBf`35$2QGLvW-V@|Ja=3vM9;fgG1Uwd)BhfD_`J3~ksa>?3eTwSSR0lyts>#+? zIv3{#oAb>y1SY{fL+4pKL*U@umelqCr<8ckE@0}-!J;vbX)BW8UOZaud;{YRT%9liQvSAdsH%z&uoma+FnLuSC6qJl)g+uKU#B7czVZpAlY0csbyIhalgx`rM>B8p0Qp zR!~|ANi$-^tup!w&4{Z>e@S``Xv7DPqFZb5PW|Y@I>KKOUJn@Uh*TYe&FH^2qk`5i z-_ZD$#s(NDC*=FO1^>A*-b+j~{uW?L5&AoCx{Q_rBdv#($`7nVsZ+Ccg{3rhnA^ zV)T`o{=bsmO?nS#jupzQ&(f~jYxskuePs3#-%tDia1@??r)w_V|IM7~le}|~&LKL7 z;oza`T9o6C82dmy&mJXvjO_1VafkcJPSLq(@?yLD!;G@JROC2~KWUtRQ4(j5xW5eD zS=*odZ=xrOo&t(86-z^N(qwm&e@y88kQYuQqY=>^d^2Zk@m*$N`@9>=Ta#{rR=|y)T~%JQ#z?~9+mP`DnP+qz|JT# zgu|k*qB&XXwRUgXAB${M2IW>Si?1 z2d)NTl&`^cvHdR;%)$fT zV8hoOdisG)sc4#*eA_V}(<>-nNx7-~%LZpbZgIgG>ngMA4D~@?O)Eev2n!jM7TRVZ z6E0FAOd&!c3IQ2Gru1Zcgq}SyW*9RksjFGybP{xuaBzp>u~^JCGx(25{yLfyZbA4O zg}W3Lc5*EZzFD8IR)nu5+!`>K@drD(>x^Cdgum45$+jWe7A#^R@0`oaKL$^@!^1Zc zzKL)w~@UaEQ)v??BJ$f()8ws zHDn_K(^u)h#hujeqJB4YTthS*NVt0p&g&HuLd>`Ta0i#%s#)6@sd%)=V0}0E< z$D|)3{jkyU?r_9CV)UIlyV8ktXVPh)5s?Ts-%2<5(=>nT48oa&vj8I^7|kelU5x%% z7lU;r-HmiMXq-AdPu7ieH@KHhp7$V}LpT>O?o*)@m_3aRP4sD>M>d~qFR;kE(zTKX z6UVfiGiT>0?-bA}q*DY3k;zY&&7FE1+$_z*eF*m@TnrdBTQV4n%5DPv3}619{3?g* zPyA8h1Arr0WOs1cDD^R;+twy5{SVTQlYTi+!HXP&&ilV2D1Jh=*k37e9!dBWzffme@}+>1G`~dy~>+N>d>5rpt|qyQxNR(i`&@>9GEt&Ij0;G=bO zP5y4P4|E>o`IHwxMg+ShqV7FoPiaf*eX<{rU3i8KxkbkQt?Y+n7nA+y3@f{m8T*g2 zpO9TbcIg>5;XXC?w6dR(T}F2K88+fRH}<5mUyxlvcI6p1=vEnfLfO@1za+cH*m%;d zHTIaY>&SjZc0E`O^87c!-Pa~=(8T_R;dDL*x&GN95zF$R9EM1wH*y;>U>pu6RLVR$6Yz{bBfq5k4W06aSO=3B@C+ z$p2;d5a%QRH}R9iPXT9-3uh0;+&{*Dqo+SjzQi7O6XahOYVsw4h$|`omFgi}rb9`k zE}uV4ORgy3UG* zZ+Xb$m585DyfSdRPN|qKFn*)Pr3(3~KSWe&4;LCN~x)tGT3AYA} z3M&>3OTx%bDbk2eEee&8t}}VHrqcD4+fZ%`8F8Z+#k)f{n2~wJ$L&TMH_>RPMnW1m zsjF#k#u9B9bf9rFjgByoYeS)UJmhXMx=h5M|5nnsk-i-?uRS5(&AP+jw5cAxlki=H z?*@$M%YBH*o-f(*fps&s>O*lajr(Za4}*6)D26n*9x#5Fwn`r){}B0y!83$NC>WBK zY`{HYMsXbGc$l)?ZA zh)yUdA4HI^pBUad(qGM4K`z{ z-rZ+tJWFE;j58M?!gD6vpcn8wg`pINLEr_%6Tz75Lu~lD*Z3F>Cq9Dsi-t#IA!*LP zWcUoNa9$=plK3mYaRKse?qGu7-FelF;d;rh(HKQzGz`Q?vX2x z;}nl1q9OTS&>Mz-kmvF7#3vA+2po?W@2|YcIm!4QnmTWipGh#zJ(}>`L6MIEcE;=^0Ud$0e|M+ zhLUcs3D;@t=TVqXVF3i*+ps+80r#HaC8GZP?-T!k_(H=2(V%n?78$-s@6?CH7Zd*o zI5Ve=ScIdYVAy?Z#t<#sKB2LM#!?s+BxDqaAz9iYZ)Hdw@Tplps`VMIWwe&V(pE*- zeQxx2rN1D(g7iwI!?CaoFs?G%-Q_QNHR&%&uK|r1Nf$L_T`9NLtRqdlwT{+TwARBy zXBry|%JNegG|cLnCqwt>f_-gn6&>vUhVHj?H^4=&z;`Dwy7iqY8?_^`k;*12o1x&o zBiSM{{pG$lVTY!{779O5*b3pSFr*jmwwdz1hVdhn?NoL^Vb4&CjGv4>sy(8eWPc{R z3v4RULT4q~FJ@KM?D8wE-L&?=N)-j65ZktHuNfDrv5&@n8V6wD#z!NvyOjIQ=+%$P zk8-$!qz{oktaL0Hka5c+M(@)xjiaQGk^UWYD)Y)`##l4|Va85P)Z;Y%q;UcUp4P&G z%${koWcDxPPfqX+&cDf@B!3Eg4dF3CTb!0IpTg{&&4u@=y{X+l=9lU0{nPYI>}97x z{`GTfxqO3$A7&~kzot455A8z|NFtPypQQ6Z=^RMNnRqcvrWd4t(oJ^tNUe}7ZEjY; z2Y4>sGIYzrMSHvtKD;7>oN2g984>U4%9+`Jwl~kCS)OJEn5e8}4N9J@F2vgfY3aFX zKHQ3C-|>||a=1#g&!=4(HU?(oy$M-_oFhwnv$EU;CT-AWUKL7JDOH1nAbYyZ3?JdF zGZC(C_UXHQglo{QNxK$ow01D1nwMM5Abo6Wo4V^9uU<&C4%LfP&CTMM%d%whH=~;@ z@{=*Ri%l(mgIDWPtw*)KsyR6sCizesn0l)&ce;dXL#mfT#oV#K)Li*!cz#+B*T}Sf zdSfo5)|lGm&@jk^CN~WqTod!!=+wp)^sc1W6dpPv8eG0?>~obl#TwStbOLmOa8g+> zvq)BG%Q{K1e0U*q>s;kiCQLU%HwqVHEIv`?r4f0V5Tju+6VKNqjZ;ieOhQC9ko$;5 z;h2ZZ@0O9_gKcJZ-9rM&;hNKKLHiom$nied4Eacbe|NW~ndLOxRy41r*;-Ah#JbDU zpR@u|Q%~7-W|qnImwG+THZqSy{1N~|pT7)V~v zd>Kt@Z$`AV52^!=n`v}}!ESPfY!=IBy2#yPP95Dn=~g+46ZvS%_su#~Xbp18F=?;|UmOgLX>|+&yV{Lygo^#GfWU z2skPOjtgR!R2i#ugH1Z1gM-gddX~}nD@U+OMhhCauY|roh5Tj(lFZK=vu_m(`^xD+imhqokf{a$IxfTa@3X zJWb_XDZh$x0v#HI2 zhNmYS2=qvo?Z4+5zwdhaSq?Xk{Cx5Yl#hD;J>!QJc>aCzACO>rX}O#UPAmbnYMcI#6t%RfFgX}4ygPbe*+v=kC53#TSxILit8aFb^)K(UmJgGDsu8sNb=v3-vHiXm*dm!JClCY*lnb=iPC0B|4O?Y zpLXAy_@$=Z7K%Sm+zRnbXg)2rnY2Sg`;pRiN;@F^D=l(-TKr_)Lwb;zT@RVghU)=0m7L zyejc(z!4>B!sJSEp6RNaaM604UCva4LQM*_Aoxa^EG4aN^g+Gi3rW`@eGzC}0B(J( zPd8~VxQk6Wq)J^X^{CW`f(yt@eQBkE;r&k_HWHsph&LpDDR7NX+%+=#u%7%f(v3-9 z4jLyfls7?TIIM}`caHI?a|Q7$i8obTULweowSZR{e(EHnB6Bpv1H^;C{fI&|QH1SA zLS`J%_=IUhXhdNk_UQ%kE~kqb{qPU|{BhC=(n-*0uCey@o2@i6=L)TKo6~7Q=NdSz z#o^YF1@dtLDOy5-FiIGy_q*lwi3f7z`Hw_Ur^G`jK;p3id9dY8EBQB)nn95kvTJD} z&0FPT*NP!s%aB?lByCY7)6)v%-7eWY;X1R9Y6@IWs|~HTYVn%Py1}e{zxuFlq;(Um zcCf4fO9WDFxb`M3*8;2qrJE^r{I?WJH6U&=X@yF+Qo4=O?f;QdA>Cop7b@LJ=`Kol z|67WrLb}JKRVv*}={`#LLqc^J_w(lu7{6w+PlE@^KSciFGkog&j~Ks2`A+0JlTQPW zG-Dl|2&S$i-J~7b6wRQNNhu2wBIPC5#rPkU?@GQK`E2lLC-Zj7m%QXvQ+cmkI!ET6 z(i_@?UJkun^`r|XU+v@)S1wWLXlf(5P+?Q~%!6AYB8T`Wx5BDehDB%GHM+AP%;8E{-cp%}&2|r29<6f(&k%l=@DPJ>=I0FV^`SrW^Mr>I9%gV-;1>-3 z-x3cGCp?1ii-6B0Hj?BeGd|bEewoHd8n3`$Vk6?O8oXepKmBWjM-d*aa566N7=!2P zy5O;dUne|HVd=W&xHk;0q!a}|;mL%j06ue-xR+DSSgBX} z7LB)QOoPFzj0yaX!SUJt^wSB?AUxAxr1-lAKQzz7vk1>7JO?o1!pAR;OPy=RHhlo+ z(U?zT0Sv??j!S*d;OD3M)4xyn1HuapMqCydTt%jHV+DSC@9KgyLx;r)U7qXMs;7btRw#w`Ssw@oRk)*yvk5;W`yKx6H5*7;x`n(rMLki zs_EQ6;SLf$MEEdZBu+9GOVwIOOlYhlhes(KqwqTfMnzuc zbblD!N=uUCg#RRb0x-`W@D=r6CcH79u_@vHrf`zNDF}Srl@}7OL--=Vygi|C>dCm+gi-JN+f$c9Jqq<9;K^W_ zX-`H2vvz8MatW=5v@V5(w28|sf50^|`s5TJ#$}`%lfE1@BNdOPlD>%vd3qIBP`Hvp zQwThLJRmDvt}^<$H~s0aCLJIh1dY?nLi5x$hfL_8Yt6$HA{3$!c&~y1S?y);8ZDdS zgcF35fN}PC7{k!A1iG0C+g|t4X-=U9g=-)n^3scw^&u^d{!`1@R-~^b-5NAbA4vLa zd7TMI(KM99T~DD6g|-lIddX*!EpIS-iN^j$(l?QA2bz~EugJUh2B&Lf+kx=SggXL8 zn-?(;%gcRvMP0kOTTD8k7jP@3+bG=*2_xv~-Q+Vb#@@S8ev-r8N%k(XcPs1q6uNti z9ii{D+)MU8viF1KU6sg0AUt5gUmB4IDLh2sVFv|epSNDv}Bb`sW7ih$YqvY8In8ZdyX76=b>{d-J%#=KZ7LJVWnU zdPCqLUl$c-=VbRwttoKNnUwaHza7t08cJyxB;>z7@}8><+)I1kgvr`k7*1gXg%=^{ zwI|(6MxWL=y-a!}=~qBkPF+hpaQ3#a?o~7YS5E*r+-o#P(HspE%|Cg6u&`U644k+z zW@M-POBqY!bsFPf;J%w7ubZ3FU6t`vCQz9O1=%ZKUYKzVrNB)xr?h^r#h6E9K8*!1aMuB+%Xp}J&x9$u zHQ@UcKA^A=LMlEoDz(Vqz8aqo2`?u65n!K1q(S+y(f?NuF_E}@LV5}5rJ#}B@pf%N zw#@PSJ@!8}Z>hep_Zhuq^p?ZJGn*&hXOfA9&ke8lfWHY}5MM!jC2+I=kVs*9aZGj@ zk%D2BS?AP~Kg!`&)B2Lu8d$g#*&$cH^}5#R^Zp`S!mT6y73uY${gWGy$ezimt>xsK zFy@u6=e=*}eM@fxJghsB3 zh_Y!%Fowmr(w>NhBeLpL)?iW$sLDfl7K82&)6T8uwd2(Oq;>*YBl$xhAuj_ZlEGv^ z{x_5i2b0N&EdPwk|BWT%;c!I$C=1K~vePZm`u=a8?j%ol3a3MEVAlD^;CuBpoF-i2 z0DB?wFJW1P8+Rq;zfzr$iA{Y(OUX~t2_bwAVBb!O$1rVJ+JrLoyl^gsG8D=}z^rhW zoII?)k+oE3Rb}N&F4k`Ld6dgjt^gS&<{8;lG^MX9m8hIgr7{$xiEgzZZ3VouaDi$2 zm-%Q`p;nbzHE8J23ogZ=d`N_2jUrYzap8+TtJR=blVUB1C{K!H8|(t^aDuwMwpnv0 zd+S14b!c4#3l$D6dE6t3pu5k`5Z3112rrD9aJ z4-ZCMBg0=CAiv7tE+gKU_~pQHTLUqaJ+ivDi3#P-C~kU%(kf&^skuI_!W1GDq7cw-lGi3#V8x8@r`1lJe1d%P zES_anGvkYtZ%)1i`D@PNS!}g5zF7HI)`YfI$*LB7hDt|rsHssr$#k26b!TA2l z-$?!@^6k#zG0WoG8{b>`4&-kp-w`~jeMukWB)QwSm{Fj{tu$_-ClW$ z%F|Q^K|x^h7J-aRq6!R3RTYqA9Bk%d9r<{M=Cd@1z(ktI;*!IkGdTH@59WEoLkSN9 zTtohVM+i*-DK`V*a5OH-7?GDp+zaNvjdRN3hSMKG|3&!tgN)^c-Ae{Pc^BCd?q$Lw z3BLjuufaJ9TI>iYlj^d``o`2TyUv8PGqO;YbodXwo* zfrl$N6P}xD$^=#3qVhJCX;4tyqk*2t>*C%qzFa-|Sq?Xy{0#Cl!6OLS04h5#6NQp{ z*Oa?-U#eMDW>c911*vasY*~$L|9`QYYx;`2FAXOL_xn z-vLg9v1;3WXGSG8HqzKcV>1j~L{UCA<#XQ~UT&(t69Srlbv1V z^O(hMn~CRZI6qR{PH_iBGchCB2*U z9?*K>F&Vi7Q4%L?* ziG&Ok{$YGo<&Ts9ll%$rwIrw<+59_4t}r4~?L-rT@w@f*8d^6%MZNa~wtD$J7dr&K>|zM7@vC+UaLJm)`VL@E(K z|5e(|kJUVvW*M4g|6@vXB<$z5%9%M+>rMr&-}YrgWd9zWS(W=0Y_q(LA4K<^P!C z#bT-Jyui#))T~0YD$Q#DF%et8J3)0bXQ)|&W=)#4V4~~d?+Q&<+ob6#T}Y`8rHdfx zW0!On8(mGaPF>RVNY@8lMS`%3p!m#0a07FfYh7>&-G+28g?q8MsT?P}7-5sxv;Q}h zK8@@&Eo%xbhr5iYY0T4Hj?>`D_g5)Pv6`5%S}*Ym8duV23Ij73X|e~>RmQ%x6z7(+ zUrjbZHV78QV_Iq=D`fc1D@e<}0>mT4qrg$h`N;HiF%vdxT;dcG6p|1a7m0T>V_(;} zG$-4F>@~*9%YH45ou+Inve%Mr4fgC*iM#8}SgSF)o<z3t;wY9?{4(8G@k)`kj^2U3mW+~BGpt-J``j4q|P4C zBc4yZm*O)2C-s|ihJU2}#RB4m#EXEVg&&evNL_D(k6r7}-G^{r!o`3Q@vv+j7IOWJ zzUFpM_b2@*=>eb-@sRWPk+wiPZ58b_#ohj zxUAHW?ZXTnth3S25Pp{M5WtMMBw@%sXLQRp{?yNt9!h!`Xhb{^kw!z(yXvS`)He#7l-RY3K2miH{`y3UEYRt~2RgHTZMA%GU^wB0L&!Dyu}KS2@P$ z)|yqul75}^IHjY~cnP{UjQ->aACd8-Cy<^98kd=r1eaO#NroTSWd?5&pG(9-k#Y z4R*8T-#gqK`8RckkXJ%(uKahZVX+M-k;Ba+KA-pk;D}2y6p<(BJ)>2FAXOL_xnW-S>Gk>RfI41YkEFKr~giTGy4rKO0h z^}XTS@9<~eLi`8fTY)n!(L^%fwi#W$o~M5#y`A(9&}h(vTqF{F)=2$}Z?V>7E?%y|P%ayi_ubavC(0|&8-#-*p>_8Q$x({&%| z{iF|ot}3)|UdTsG&U)GIHx<}z{^l!~XM{CDaBuGq)prQ|2+84y1QIMP(cKqCoP+UQOAQ4V)5=`y6tg2oj| zTV4k8TsgyE%_3dGokzSp@d}CuqEVTiaup4~4!2$oSBd!f#47`5Tx0+);4Uz_Ge!bH zS0P=MbTy-sVR_1`8{HElR-kK;u1UHUXv92$$-JUM&G1W&lRMvB;6D=u2Xgni%TtdmEk3a`>0$^JU~3CxO|`?DJ$qghEE^w@i6fS z@hEUyXEYj=ymi$($|1S%%#^Km-m5M8os)b zKY1(S*Aj27xRg3F%iyjvykk?3Ur)RZ@wUJbbE%T0qPoH8gYSF#M$$KtZU-7&6I5%` z#0t6gCX8311BII@bcBFMR5llpUB3*@>g>;cE8*J+-wqgYk;xGmguTP)$~qKwC+WLL z-wm2~G$J=i-itT9%nSbH_Y%L4`2D~UlR#Y3`~icz=`-{o;fDx63^;W^Wd|nrh|wjq zXz4_{GwC$Yh>4VO!H{hIYxof@fHR0^63+sTlS`~+dZmleo4WdVcO~78bT(*SCdP-7 zuDjtC^%?3xJcoF$;xZMA$G@lHn|u1R=Mm2*-U~QVB^j2!qciwHZFm$AE+kw8m=Tw; z{kZFG^tYY-sr!)bOS%{|A|8?2PbRqf8Gf*{$NLk1l=uL}1Jdr0=lLR5rZm1b`f4rUz9IcB=?$QnX@jz4_dA2<-N=ZPa2pA4 zBD@(ek~S_YdZIGj=e{@L@LOKkLg5DrTUAJglah{7m~S&-peD_a6t+{?0RbgWOtzN` zO4;(0@h!Ao*-8Fq^1Hy}Vv~`OG>CsOdb6JWSJJyl?*Yw=4JBf3ufet3`?&8Tyr1v^ zz&LdvAq&0TZ$>xPn{<%$A<~CIZ62@5&qp^$>{D6gWI(5@NvR_ z59b%fG1vK_)LL|CMT# zZ_@eRQu32D$_bxiFut)<+TiV4zMV_B4B@hXSu)GcX0j<|Il}`@O9eltwOje;c9?!YFYCk^-p!9U((T<8l-EI zt_2!dJRy%-I4tdeqGDrRdPh;hGa~LHruU1Id7N@m)*9t5x!NE8^D@Zw(xAktLK; z&s}G9>t{WEJ?S>2+bS(DoJc0S!RY-Ol^aRlM7kYl#5~EFKG)vxZkh)=5WkstN5f^P zRL1#kF}%trJ}$Qszm53qz?q7&Yh}>gVf1K?%bld}B7HY##6=cu%6z7~$MBrl{^a)( zzmNF+iYFu7?(_k}YcBHmgTx;q{xERf{-`vzA2E22_O&_@?o2ohF!QYpAj>|yMz_!b z@4|v3%dN}D3q+bM$XiFP38Hl)-44{j5xk(_>@Qe*YxJt?7vcSmTTAIbj5`LZVIKYT_fNj4wjDA4JhsKkhKzbr*L|j&$C6W<0$?!x! zACotUPbNM^aj6w$ftH(U_#^c^{uc4KiBAKLh|5$^#Jyv1jgW_@6P`hMCSXKdRzpft z;a#IIsqX1nq-T?!qjVygj0W6XqdU*?^gPn@NiP76%aj2bSvTU|GrW_g;rqltAihv> zEM}Amn?;6i!(%0f`;hoz;vWIWWlElvwziM&;BmNcf^}th6=a>78o-xqV-;n;6^aiD+@RVV&?~J|_NhOEdNO}|L&7g6i z(x;FmEbe>5U2D=M+!o?L5Z|hJP=-Ne8}n_3KUvq~KN8Mw)&3`gu zls*_cY5YuM7Yru6tk9EQ(JzLN)YAV~;=76OQCvpR?6LP_yOQ(9O6X? zSv%-{Grq4r8wbfBB7Yb>QeI*n3b-RiPYn92Jxcl*>EA&k?o#@PWvksk3~#1=uH(f2 zBz{71ss3fLtNY9F9$NkXP5dPBQ^1)EFcatgG5W7!AD7dlOB`k+UHllO41QY+uk#3(CtTqy zSl+KTc#guA2%k^5GGJV#>|!rNXBQZ~Oxs&kNLM9Y4Kz|b5tpYr>Z%*QLt8C1h}R@u zOL6&9l|0z4w&7K@NqiykI>avmj;oY@qKumxyk5JBbqUuaTpuv9mh9Wcb>$6=_x&Pi zos(}!{!;KfIjZMI2H&9f{xZUi311GF_g;qO60V8SFK8NGLHbJ4O_fGxA>ytwx^_K@ zpB(OL(gD&z(5Z-{_Z)U1*=J_;UjNkpWOb}^$zzRQ!BaBfG*5(sz-*TWMJ^Enl*^$LL{t@9!mjAL;u+qhOV-IPq4X z>?5D!9xx}q)rasPormZ=td4XnrE@8L3#qCfF{hpOy*ttAOeYNvv#+#tUAn;=b@(rX za3sq})vxXW~{a|Sol=emG!A>ksxcs!CZS@S6~f4z+#p|2zKA>WsL zF?gI@ibnZ%p1~9JZuKYpDB%GL%P^OGI?v!*!~K;GB>XtxCjcYc;IWn_y3rTb^Yl}s zpC&yBG%qqFa|(kEp8EgTIuAIjYV}=nc}WFBGL&5bTxCo|!!brjb1Z zgS}A{M6iRXsGuNVK@__v*t=ry9eYDX1-$S3?tCBPx&L+lhu?M2^JHZuSy@R|lC?U* z(*@5Ee6hipONsRY4i71d@Jzw81YhbfCnwByIE;(%WrF7jo=cdK#ycDgSzPXPQHw}l zA^J+uS2>L-xA+#f)4Os$BaU#5=xasKBh5?Xl-n@h;nw!<@jAf^1Yd7322ZlW4Gy1t zwgPSvZWO#w@J$9|%rZON?C|%uMfeuMiv%ww%uB>OEi8w*)#)p4jPz}ymxx|Unvu@O zxNNxH;XM{bc$whkf>#)viH{S8I~;!4T9tPSzDw}k24mbbC#-b%Y%A9H2wo-lUc!tt z2UxSheNOLYMQ^p}`$a!Mnvuqo_k!@C!vlxLNIxX_VZo0OX6`nsg3ynD)UDoD2|Xrj zjjYFMsdQsRAvZkX^rXGxIo66^C;CaF3-$5Dr=0F+qj^t@en#}OMq@M-dqzCxbYIJ% z=S9CD`bDF$MvRSfrxz`cF?m_^E23XD8lUOGz~5_5pKZe|uZvzU`VFHwhKI(v(*vxM zeM|J)qTeCSWXB+WUU=8xE!LcTPw@MKKOoEmL}v(h+J{b;Toj}Ik?4;_e?po;V_Yjc zeCqH(Yi4~W_;bNu7|dDi;Y){WY*70v!5ajBZE!BWWE{S6IAziJR`7R%zc(1KsB*&( z4u5lhjPs9ze-iw&!I(si+3*fGx2FEDf;S5O&0u}J>UW1X*c0au!J7pCX)xA2<%Yi; zK6Y`8#@~WB3*KTd`ZU>LtHY1jB(#47H~B^FaQvIjLR5fZJN#F=6~1GA47n+OLMvQw zGlS7M#bCL^ORUeigWw$n??hNP3?2u0VP~g1c8)>sBD%Tg7Nk{_(DV(vI^5PCOS=hf zDY%uvg?w+=+Tn!d%I<>O2ySaI`gqx44~OSl_ij(Y?F8>dSdnITFtm62r?xTD9Yl8& zy|>etA(j#Lak{nDf1N~k7QL_07$Ha4`#JrBz3%KHdVkReIE|M^SSIZBG;78lB)Y5U zZboy}XkO^<^ndM%aIokeq7N}TFOTnPdOF>7ZoJA~qBBHi8l7L5hgv?%>G2kJw&)zu zxultqS%nze$#Zy(b?fp47YHsi7-N9hp|`_Bt&`D5a9_dw49?HMYwklG-g0e>^kIVg z3m#xFrsm{?few$nAi{$L4;Fm5!)DJJIQbth0EM=#xdCVsr*3wqdca(;KYia+>JV zMGrR`t#ph+k8rxdu5qO3QKCm1jj3vw2Q$X$_ZU4KVXWwJq7z1=+CvYZ$mwsa;wu(i zB05Q0qY&wJ6s3+Ym>L5w6J9R7f;hW6wvHl2QJ5g1QbH94g`Zv;QSJB$3%^Eq zt?-G&*&vJIqa_gBSZXIo$*7Z2PlGLbwsYfWO((gscjp+V$x<4mOrgR!#r<2)aQyYI z5kFJ-S;EgYJnkcQj^k$xiuk$0&l7$=@kU96&(pc^s$Ic_5-yT3l|pNTv~6WoMRn~Y ztS!q4(_9^9ORA!-@OE zVj{ZWIfCaBX6pJ0GQ#DqbhGfUkaDGztEeywP00yYyHRMyH8QT1F^>j|a$ae`9#`|7 zo_9@*(siO2h`ydQ@>S@gj<2!?=3~Ow2!GshuGGK~y5oCHiJ`9*zE1d)#8n0|IFI-# zr;nZ<>8C|MBl=m=?BwNT71m6Pb7gTVezb<)FL}-V(+9>I?sfU=<-b9nH)&~o zsK&l7Q1P)kcQV^Y=PfyJ%Xxq;QAtkt#p#V!-TW$gqv+pA^ES^$)`j049yv-OHwk|T z-X!=>!aLv(m6gQ}iQ-A&FXvCOeW3mpzghei@*Fa+o)oq^y7JVRlK%*8@~gTA_*Y5a z(9n=brlzFAcK9XTJs4<<+neGibPpsnqrl5VToN^5d#8t5Om+~xqv)MTv-}|VhD1XW zWj*Zd%CUBWU8FRZ(t--}Hc`!QKGjq=G!%tINoh^M7ZzOo{y7jh!fsMqN^M0|aZ4m{ zE46mIPhq_D-9@(%-IjEWTM_P|@_n_ld>0;HaKm0O=Sr`Zq3WWQJko% z$F4&zcRVnjuY=@{lJ|DmK7$1l`y5qsKfUK9f8%H&s)K4HB{00lu44#Z3=G$a3|0+X*dOYL3)g zsvORUHzf9MXh4=#=(Kt6?rq;-%9mRpw~#IqBw1aC0cmViQC-#mI~3JmGl1SM&)qp* zV;{+VCHJGu=O1`fn&D8#yY3h9!-V%2K7cr%$+g z4#&EZ^Bn@i5ss5`yp$76;aMv2m5PcGPIRTt&T^8Jlck(Og_+dQP?bckPC%iv@)u5Z zx4>?$)8w8mcQ{?Us9Jovu__TpxKeMY8!2U!l+jc;{*x}-4Gs8K7WQ2XV_ZAI&NNoq zIB5xLEuqD-AaVV zJKW*im_ZW+R|>8o%t&dIRkS|5AyMt(!M4+Cjl^1s6Dg)6g^e3=^^W(pNTr0=39l#4 zNC}?g@Tf~-q$Ue)5Ilvj?(c>aNTrPz-#jk9Nw`qLMG~e`U;^;N z^|(o=IeylZcumuV&k%kwaV9`fqM;&O;_%<=W7snV&k}qoVcyLRsd{a36T)ma_O>Lr zOvW4;b7`;AKvd5-Z48NV-zeRg`!M*paTXz9C%g_&D2)?i%6O3ZF;3 z74U6sN7QKC&?d}x^HOUyUMF*b%a~>##qoJLg)4+$d+EoSW$Iv6@H* zXg51O=qdb&Bitf-k?6&wm12`CD)GV2D(uYaMlVaT+hi<}v6KeGXA2q&aGmbfnV}>6 zWuljhUSTx$WyFH4JDfi5wn*P8`YzFT8=Xj&ASNrF&a$}QBYKtSdr7Mb!Um`)Ox1N` z!+oy&bZ{(9tEJp8G{|kC0~B&d$zCk6b+JLZ_iocuc|? z36E1?Va0GddOHqpoe|-+g4YRtk}yLDoE~?1%7u;>N8xD+&q#RI1Pr#Nqw|~#mopD> zgy$u^AmK$9vI^5@c*%tv))N$7mhg&%S6#?1NT1;~7w%zHDZDOWy@WSh$clTEyy?OV zyhA9wCE;xe@3@c|KQ{EP3%fAoD7+`(eF+~>;KgAiL>*u(%yna}86U~`SjHzb_y_EM zmJvR6_^IO=ID-F7@aKZRFc_25vci`RkFdFEUkTnI_-lhR^07VNHx93`;k|DKe<%2R zgY)@P;|GVYu!8@i;GYElOqdCrV|%^-;=+U05&u=fMhU-B;6-NeB7b*yFz*K(;Sa%^ z1pn!90p_v&gAxSim=2wR5n_-z+UjVdZw%$A!TYW3ARnLT3s4Qef<3Cmus$`?+zC_2Ik7 z*k8s0|6^eO?tyOHWyV1=y2|KAgLiahx+dxF_~G5+H5@Fwhwwv)GkLIya8~H)@VccD z?j<-waHhfBKQLrDT(~&G*@ANf=MrW_Vo}I*d`}yR%@jv9_p!0LL81qXKAbe~2xV+K9glEj zpk?imQjU@`gbHJWZNc!B28SPFcH;;`1rHN^jKkPxEF9}_F&j99j}v^n;1dkSYM+d7 zqQgx`MEE4ZCksA>FjEn5`W`>kg+3;nCgF4m!%e_$jp+*=;ll6P@eCs+jFK?g1WcVu zpJ9v(3zz^n!dMC8BqUtOC`g~7$c1h;3$0i}iG-vJnepLP>cU{V#mgj=OQ_f;#8Ln8 zF4S6-CP=81P~`%?3z!J_ta!BxhjWC7*H9y&R>DLI%t_3ljMYwX<5n|LGU{a1)8M)B zo-iX!a(MF`29Dq-3vLiRg|JmS+2IVQ5AG}&8&g>xmG zC*gbwj0Ee3QXgYmgCccKGIs2;U-j zk>JG!=VGmHxYgmE&yVnJf|m$hN|>3IX598M#8fcR0OiovU|?q)r=;N@Vwv`1i$ET9$q28mLVSjt_{~=+Mgg+^;Wx-B)tZM#prAOy@1%FG~EM*H7og*)H zKexKD*cuG~NNDn#+WGi5Eo9rioA@Q&&Y!@5aD=A#3GI9d&0NTdQQF>x`|T=rkg%hK zoha}Rm_HF8hdaBm$vRoP$Y?I31q~IrJlrh1I$YmJ(ZLG`!7T;1G8kL%W`x!bzhW)B z-37N1+}2?1*o)P?4xecK{yhb^6TFwf*y)|+sUgsu|0QBa}G!^b7NJA9Vq z|G|QL2tI@`L(k5S`QOupudJ@@B_TsXCIy9Fh`47t+>+y_I6}7I9KpGSRU8ZB-mG~p zd|*$%dVFo1&MpM%sH=Q6v457i`v$@;Y(GFJ)SL&c?FL;>XV+_v2E6;GO z!(*mJ_&CAG3qFCc(lR$TjZbu8j$P?V5>A$IiVGPr@lSPOy|q(LlW@9(;Vxvwv>f3= zy^Z^flrT!d=te@iXpV6qWx`kq<0K@u3GqQ&GQdhpt~ zRv*j?!L4TYowSs!I$8C!7%6OIf|Uaf7kUF7r+d zzSw9idB?PwOPp?R_w7v4vqWENG(Kg3S?aT$ZoMpqeVOPvqURcoUH-A4?sBL19~0>- zL|-ZTD$+{rg7UI(wZp5gitsgpuN6FxFcUC4zqmXn%y)XzX_3B8^a9b>8=aGxs=@LB zr)P|d^o^nyioS`o9^eJ_wRk_6#Ov*wU72ld?pvfRlCqczXL4m>`u{liN2dOJ>w-%FT5V=*Z8ZwdngrKVUSri^9^;2c6z*qt_3KepvJ)q#2Qnd}QXM z4*$n$-^T>65&Sq|)+1Q2g;hG?3CH(KN4rT_D}0^sCmZ3J)tH;)_+-PM7XFOzXNmJN zGjdo|o^!f{d5j}GFZu=1FB*-B!pNPMoX*OM^vj}O5&f#sIRz|OuQ|P6ZKPipydxGB=`~hKJBUUgY0Y7wlYD~fK zk?4;_e`0iDAldfboE7O`MQ;@S8)>F?elCjO z?+&-VIl_Mk-X!=>gL7D-{&M(&aS{Go@MghV9L8>;VXMQf5)uAKaFgHFRL8&ROy|~v z+u^^`&Gc{2iEvZ=gl4+nW(H#geNNck;hk-A(++}n6uc8*W;*5;VhiJ)o$hEYz+FT) z7u~|>oGji3yE>gLiV@jObW72#jK)+%O#f@`^y&vAy}Rf(qT3o>P{^?NaC*c&k=|2u zJJEZQ)@@LLl`icae(8b;cM#lB@ZN+~N#*kn+sEm3k3_nY=+2_|CCvvHTLyV06_|BW zk9Y6;xz)3Cw7SUJU)BM%IQIhIfK8=1w+0J#vhxbD5oKmL(A__GjN|&e?+`%4rg9Hy2e7M8-UR*fB;feiY$VUo3 zO7IZEY(?WUgZ`{O+MT73MQ5m-VRDY4lY>8O%k4~Tv{8WSo}V(prbXHK`XL^mnAV65 zAkiMp%E4j{d>aFc1H!Q$_?uQ7j#J>rEASH-I13;azvg1E4}8KAThE0P-8#nVh?8WU zEbA0nOi^r5sm^vd)rHLRcnzmXI9{?5$8o%&6c?ZaKJdvO~2CFW5WL8VR)$CQ?uhqJ7$e z)9vq%!KXymiLNKj;Cb8R=V7t=Bo}(wtut9dgM=v*7(AAOpecWb(@CZ=j&P>vvqYb5 zG%F~4dfDk-odsh;kLdG6pHG^>#FvTay<~?A-1*2}4qhndA~{p(WW(83ys;w`=H_Q( z-Z%R`NQIojoB}jKFb@QK0N}GPe(Oy0us^q=GhJcNP}mnU?4JJ$8{u%h7VeL1?8b*p zymIn03bOEBwS4}Xoi5Fnc(8w4urn3xECqWhgYEpUV6)JW&cKa_PnlwmS1kI^%EhK~ zVYUbKy#;ic0-B?M<}x5=9`-NKRjqot3$IPW?>NF060VeR6$Q3D^HFnSGr_AJAAFr? zELj$Qt?+roS*kIQ085q~o@et2t`odK@b!dQF!J)U(A>Mh>4bG3Zxp>y^i8ByM`D}j zaI?dg*y!0Uf)@#1OqfAuV(V7CL2$ZP`xxunL@yD&lr)3JCL36@>~My)nwAM(E_j8( zsP}Ti9S&c7XAJpH!FLJ1o3P40_H8T(E1lknKjH}Yh+ZZ7UZeTdP^^Y{L8ni$j_E_99~S+H(de9D75Ae~pF1SR4+~0T*$P+jz1)9lJF-5cAWVfz|Q{RFXuBl<7XV< zZ}FSOZy~R^}k={Y{j-q!W&7rqkpPan28xyBSV;33CWwfB7vcmDDT^;^xeuQ@u+){8W z!maQJ>;;0S2ln>H{v_!HZSCfUeWJO$%r-LH(qs-WLDj9@!-dSwQP@*LI|+MH(5dj@ z2h`AL2IXR_r3~~H+q>CLO)-DF;wt+T~(P!f>F&vu(iOAi-S)cO%Sa86JM@g>`rQ zJ$v*WEWC&CLx?kMv;*=&PlubaX^bQE5}YA8lQ0VjxAn>oSxz^^A(xOXI!AP_(fG6{ zcI(J*V2InnWVN@Ltl5`MDqQw+yfhtO~er#gPu zB@sVO`02uj8;-sG(7*~K9H07V#77DrC498u`Gq-*%oxY}SnFr3@NvQuhI6x1JY$O- zPq1-{BNPiS5uP+WI~Pyz+)(Ox$%zp!6J9R7!f?!>KtnH#cf9ra5uYHuQh1f&Saix} zUbW-LSqHa9c&+e>#C4}~CRuv^N^s>cdjO=Q)JdtQ!s-WaiPP^?Cb`gw^(BrlSwe$^ zDK5nKtKke6{;(F#nG(*Da5e?@1#-Fk5cA2o!txw!Iv70PC|B= z?eKqRNBA8GBUr(4(!TvevWW2$JVMC*EqlASLZlb_kkI9J1i#NNm#M1E=8H;2r zrojppBk^b?-Rg8+n;8CWqL+wXYBc)Gpl^5js1=c3CVIK(6^&@TKflB2p+?^+`YzFT z8_fzZKdf}RyVVN!h+ZZ7Ued~?{5XH;J{J~QF9aVC|qYmGCdW0VnyhiZjgq2GLF_)fjVU-DMC9IS1B!$MggjWe}+-|w_w2WtD zJd1zpyT;ZM_qTk``SFD@O3#abLHvvOS2TLbe3{^M$EA^eS@bKSUu{HVCz02j?qc-o zqSuRl!)WXz0{Ts-9~uzDeoOS*qTeCS!~vbI(B5_74HMpz@V&f3+a!TaMEdKcOEWsTn1;YS9nK#J&#= zSRz`T4BNYw+gYc=hq$EeC~YTd+u;vbr?<1C)2{uG*szPx=0aN#-3`C{$7YiVA0MIK z)xG)6qqm#9mhxKBYY7h>f$EY(C`ln=6;<_Bp|y*zUlzsPCAN{+mLi|yG06*ZtHU0y zyl9EOr<8V5_M*aEN)*KVq`eC_JdWRSgborqO4yr1<8$O=MY1a|+c`Q(=`3YmD(Q2? zDIxp0aEqOzi-i3p96+J*IWnumfv!Al=Qv18S1H~8SIMdl-CcRsl!K-8kaEcXDmhq` z?8*zK^pcVxC6kJtTIxGyIi1&8DTQf8qH{#&Hm0*fp40h8=Zh{7T}YbUFLdZKa}p)Y zbKC-27#VuITVQSqb>kaeP8V8ijud^A=pm%pV$psw*l(ev9_z!8cIg7!NoJ^|VUmua z#7iiyOr+u+e5@;l8}Jt#;W#PBOF4lGtFcNX6xZ0N@B0(o+T1T*%Sp0MmURj(&N#)2 z#$>>tE9%$moPvVbj6K!u2bM?sG}))i9!{H06xmpQgLhxp6e-?2BV2ym@?!B;v* zs$E`dr>v1&D|sSiPZp#pdN^4&i!iwRzFl8RZk^nEx}Gd}zf*u$LYN9N$+b^Sn=GwC z+7xO`7Cd9vxk!aGTqs=_lmAQ!XGu7l0_$X@BT5WDMw(8Ub6kAPF78~3=Se)DBA;p! zacS83D^6Rxz|Duvyin#vGN+oU9LF1nLJV}I&pFM_H|^@C%bX$eVw$`GWn!or+oYni z;?jDPW=fhR=~7B|k7HjZr+arsNI1e}qUVU7OPYC>PLDk7PL8P*x?WK5 zt}_GMq~Tq{4X(Xo+Kti{O1p^~8*Z$XF=CB3tCaZ&P@qBvoHjjHN}McK(G8C}zt#B1#IF(mxbt;s{t4%MS!~vd zUnl-a@_YQ>slZEr%JrA+(w~<8jPz%zD|&V5GWVSG2iWPJ7yp9z7s<25oGhM{3{%2O zj{kT2c=ay}e?|DK#N*XhaU<;4oZoC$|GN0~;@=>z;Oi9pn~rB%Y~B+7w(xg|r(+*` zM9%j#{yp*Ui~oQ;i#|7)z!n7eH)I%6$t3Ezc2%js2FBk&jSXu`k1?EfVuiq;s*;nE>i2s^AlOQ9vfZIEN z;TIQfu@>U55;jWs zjRNluY&uh&2){dB*F8r657C=M|4CYxTT#pnFv4HXKh!4je~aHNehc}g2pwI5uoeH2 z?%!PBG_wETr)ifDK%> zclu(ZcM!d!=$(w_KI8bPg41VBQ_%PxvFPTaTaaeL$DYa9u&WENSvu|}p{0aY6jWW; zCW{e&)KEyDv7xnV8!wF)y}PtF(%Mqvd2mB;V$;~LhYN|NQP@*LI|+MHV0SKKY-sQ3 z5I&u7gbqSG3f-G1)2C`mU3n_(Q8`FTS1H}7@Je%w(5o!1zy?e%Y`rK72TSN7;SdVERlrvz zYC})Q?|(Dmy@Y27&m_+H*H&S=d6vVQO5??53(gUoOPEQMk(Y}vA>=t-$5sfAkT1GG zbfM98HTC6FLT{(vyFP~9M|5A&{Ydj3!JMVsf|BBJsPlt5DexxYF!BAx43N1a=S(2LKzpy zm`a29GPa+rs8qsXM&>k^7PgA9nl5REq>Cx>Lh`lUBHrJm!X>VhS;3qsWtNmnsjv{# zr%-`o2zj>i|J)i+ahdoz;^&fQzZ3UvUM5CMs#DlZs!la%M!4MNqpSp7A^A$lS5a22 z6%yD{^J=FH*&xRet`U8$=y{}>Xz4U99l5nd#2by!6oF#IW(rJwol_WU? zoSp}abK&)6xZTylKSAIK%cL%sx`HZ88&)r1ie0$F@pA+Nzf<^K!tW-|x&u{fZdmE? zBD+KH5xh$9y@Z*{IbJmHbK@neZC1;;U&aG8SeI4TRHs)tJ?O#(C&wgyNW#Ms9-+W& z&&|Nhz3`~hRVn<4BRnR0jp)aX&ML1cD-TaNy?J1y*NR>z`bpA^e!Nen6ojYTc*1Uy zr)4}N<5?Ok@!YLAg#n%CoIl0(Dt=!43*uiS&)9S13d^pY?##@@5ndMkis)C3#%uSiuXNMg#FyO*7p4DB4d9U2hiZrG7DrD(qs|A_Uu@q z!Wmqd$B^`oR=?}FTd+`M|^O$A=K9qQJq{iAi5tp2hF&|>|<#W1;9 zYULGTfk9>%=;GXVQ5+<3u*AbDvbxGiC&m$u7ufB1r0}DJ4s2xE zp`wS0K87?)Or|H%;mEcg_{j0`G$MCMed zpRnvdP4wxahm&Su%(65c;lg~YI7dntC1ErL2A{9s$2i^g+8CL!qQ{9&kY@1tRshB+y5>#Nny7>-9{*vjksCSnt~PirqJj z4zt}$+Lq0i$(ti@E9fFrbgfD(tK;V-X>{@q@|RY2ASKscelIpURTBs zFIE^M($C-+ELCE;EQb}!|J z`=-(B|IeOVL6Y`VdYwcU8`#*Gvgn1 zqxD-7(1Vb%M#kebcoFP3mvL+4CtPS}Tj8&juuj606c{buDFt|h7h$XBr`$QtF6C)C z&&YX}j-Fp|3b6xsC0^#F!gFpNZ`Sj&UXb-7EnZAWRwjzDgK|lD$&KF{Vvf8l;}sdN z(qNH9D{?~Vl<=D4tL%!Lye}g!SWNiZXNvd&c`%O2;j)^CFOXk}$-=VoXOuH7j zIoXK}%wK%h-4)LP!4ck*`@Y-{=<=~#R*w&zn25Lh;X@Y(bdD$eNaDv5KcUFEx*npNk>-sS@NN@#Cwd<) z?0RMleg_FVO4x}43o~vsKJa#S{A5e2U4%Cm-h#L#Y*yIS=~Il}O>|4qtw^&^UR<82 z#h_{9#BJ^BUSGru*PCqpuJNIZ>bkMr-R&kL;*}jNyNB#UXfst}hTsD_+a_4` zbhm@$NH4h=ax>|2oDmOVzK%+kG(K^b%m1AnPn<0|M{+J@_5$#65C2Z29U1+3KT#g17OVULEHG`z1=;3P;~pq?JKt*T^7SsU4040yBn*Ay1MT2s2(P@ zztjO#S&c>&bwjcmpJ^@&16_R5#6c1VOFWz+&smb31m|DpJi^s)H-o?tj+A5uVTr^z{8&Tu+>CX^KU&7Vly1ilzNubv#GKz6mVB0CpR|Far5)DVVEBB>=ZE=DkFeNWCwhVC>q)bVk`rIn-r)Q)8+g7^{6g_J zk!M|immwIjNYAXf*`2S`mw+i^au&&1Oot7X_=Q5OXm_El4f@|EVTpvL6qp<7ll<#j z9^rO(H`vLR$z3jY1zmR2lK4_Z&6H#^l^yPI<*1!vdAn1}T~h9*!uTN#N|Te(`&jA1 zVoQX3B&?EfF9jBDKZhs9eQus)r&=xZewh!@WXraYpDusU;ZGmKZ#cq3f*%(A2w|Qk zoeW9LE7qGn3_?EY=2!AyJ|=UG%*SamS9Lkq!1W2|i)`Fyt@w4~pCr$^q45QUr(8PG zuH|V-&q#Wf67RHaFG;Z(N_ft##a6RFFY5(aFVbQP;Dt^yyyWn4tYvV7mj%Bf_*KGI zma$~U>5*2JUl+Yz^c$oZG;*UTyyk=nIkXNUV*YVRVr zx!@KC<6fN@c6B)RIj}pf;Ff}08O+NJtsUNIm$Y-yNpNSu`x54ZC^m92!+JkAzP7e)7a9A@IDkgH z9ZSN24j*Q5IY@9=k++(S1etGa8E{3Ub1sP9MPfnCCo9bbrwUNVCm|EzYwF>nnYFa~SC2UmfK& z34YsZ^5L0YA>Dr!xkWhW~`wX=7O!cRCtjo4bT6Up+H<@N|6IQ-0GVw;4N z;5xzegqc(|^>wxNb%l9hk_#^&wbGFj?vSWl}11#~Y#NSJv zj~B)TACtmxNeU$@g!|lk*S`tsVanq^sBx_}?lkub(Iar*J?U%5d%~Ni4 zv1mOl;~5#x(qKu#j&XUI#QB`#69&W+JTLqO;V%;BRTt)BZ$_+5c**(xwvo}x;$IQ} zDtTT)W;S-G&c!BU;Wanr*v>Pr%UCbt4KuQ^0SdmMj!lr?bYpb?7^k;nye;D$8Y~JJ z%qdIeV2u1-7sjMwVSP`+`w~8&z-!LS$CRq<@S)=aE|1}VB>ZFHpE#aTfZfKzr;d-D z9`VnFe=htB;=E*}K9+6fV$#-^ZhToCjjv>EknuH*Z5Mz_{2LdF?E=1)@STM3DewZY zlMl8I3_m#j;|($VABF!U{Aa`Su-P0Y`v2ni+&K~dRrp5XzY*sJU^O4soFWgx?{2iQ zw>f{v*d*gm8h!z}$g;m&NZJMbEn%~SEfjPC$O25#-Rk)6x5OCzBfQBLbr|q(I>QR^ zmCVer9sWDrVOVrk#GB$LbQpv;Bd!ZT;MiXX+Z}E1#y%HBV+R>K%GimDkrsy5%wa-GsLk-pX*?$k=BkwBCkaAMxFVw-Mf!I4=PE zH)1b5?1LEgaO1_9(b!W)I~jY?u=+PAw0FA6-jVJgx})g5NwZPHCRr|Cs-=ptjX^T( zm;qSw0)`ZQH5;?%JA{7^pt}AT>9EpXmydazoY{wSj}TtX9iX6_~oMwpCA8-su!?|6Wouq-0WI<4^Sk2E!V( zZ$Xw@=Ua|v%gT|JON(iS#iVuUQP_3|d9H1?<)Hb}3ZxZM;{}xoA?li3vYC1@HoLB34e0mcLiNmqZ zU&7%*9N{?e$BRF~c)oAW#;!akIzQCHKS}(_;!h!;uKWtK3h_?E@xp})y-7Gt`02uj z6ZZ_jX3$}T3%6MYjFd1+!e|OgAI#`u28?mO;lOx;vEs*xPZ-Y($j9`LBIm!d^e+}) zB0gz679eW(;!@{N z)^WU0!bK9MQczWpEUi=rMAkI7uACezkm<5!$hw#oJ6xG~K88yi9&g2Crr=qEFEto7 zd2X2P@MVSZ0xlCgNAO(2ynu4d^Gfm4>6g1O<)9dqDbI@zn(m=wz3K{|88(NVbg+c6ueOI zO@yts&kr{{-PEd>g_{!!Gz9r*r8Sj|EYskVvtcvii8@t#AyeH#*86VJKq07MrD&a$i z&m4o_aD? z;cE((0om#Cn^gG5r4|3d47;kY;+Gt*OC-IoeKxb;wv7`Go~{UqyWTC5{d zHN_K>;D2#`%B;x$Dt@E*-;7US&IvE&cjsSN7cb=x@tef|NnT^R$cM%QGJmi6xYEk5U{5LSr0hk71(H*M z&{|D}_Ab=fn0W^Y9VP5dfn|&5D8OsZL}g7G7M;7*+D_9+R%coJ(u(zAP9dLh`?;{Y z30)-YFW~?RdSKOr+GI&hIMDfNwix>$@m524Cam0-sm_C9(#U$PZH;|RUPXNb=v&ugj0W(45zQo@DrM#l`#mXISMmqNUU zb2G8s2&W!}JeT&gSmjG9kW@&CrM@a;=A}Y!r)M4$PtiwoU(x+YvrH8i71xGC9X{<- z{DvbOCb+-g0fbph$^zD8mrSk+6T(1OW?A=Xkd(nv4yU4eD^Wb5v;vD#k8okw>pBId zOG!9N!Vn6vDCTCBW2#0n9PLUwyW*izhDkYwie+Io#^*UHXcG1iNZ}=gt9zMxoYdo` zotjNW88S!(rm1ZaWWD#com$z#S&ahsmP@Re~K|HmQ*4s zNr^dMnLtS_b$GEgeai%w3$7r{Cv&Q{VgkzGc*l>m`GFIJR|>Bp&Rn0In3OE7300xm zh3!|wVpt=gR>DLImJhk53++~)EWSbf6!Ofs z^4ijHhO=v}seGo`v&5cFmid-`-l{B}gri+~+_F}Se1O^*R*&d4F64yFf`plFzOWLK>m{d;(&5ZL$i>LMw`GsN-rk|8sM^ zrfXzgD{~%A_Fy@Lj@hFjSrR*ad_xoFyWQkRKsds6vKPp{o;I^yT_22-+~9nvW#^6J z7mB}${4U_J{~)S`^c&Kf-5G9kK5vn;NX}w9JO?Jf;AIoG^mYCXoAz>>_$A_(l4t&7 zcnlq@+nw&Q5kKMx%S101y@E6gn9@4E%=->k)>~rVDdjFHcTdNEjI7M0uskhv1!N;34d7l zBgECRt|%?7*9jhVW78I1IxhY(8Ea%bPNNNec(LwPpF=f;S7^LRhzAoJJA0y0F1!QT!vJ$v^6q z;9n(eaSb+rQloJ@{FLsLoc1fCiX$||Pw14$XhwtaL5-RU+dKS$4T$d`ct^oI5oVpm zl*$Y{JKe>SXBW}UMYkZ$ThZgN`6X=M(d5b4D-m7%pen{AJ> z-Q~2A)0Pgq3bEVD2VT*Xu!mc%Z7RW@vf9boix#g1L*bZW-QMZnr!rQER|nA@Mej|T z*Mb$rm6-9atlr0+5iMh>?IfqOoPFsq_tGEcLWb<;!p=5-vWtZMB^*G3H^!s{HgUmz ze3&HV#_%Qa6bH%ZDx(_>E;g;p4&5E?Yx~_EEVPHvLx{$fGB-8FBRlkTWq-@SUQ#lo zWK!V;U>XFbq1U4a;zDzq3y>`#M?x+IR#E7$m19my$a8*2>mlTeFA!fyo~ep{Enjd!)Jm90fptZyCL|IeIK90+cvGV5MAwsMGGfd;6(%`+^nw_d$$}dM zPa&+QdQBy+68rEvzr;qv&J=%^__K}2iroe*O9b{<-4M6MsH=m3_X02sM@U zco%ztJJ0M8oeSk$Bxfoeb|6rexpj5iDJ)EL?GSrIGF{pXX%|!DQ@WzMgnLI^;`kSb z#Iwv4K1=we#O+~%Pm4Q!pxrE&iJl{RE@=ji(b#HKjF&q;v26_e3gK4@zlu2Tt&o2C z!b_MEu6Ajzy?ePv(zTN2nWTNRv?Ua3nE5UZxG|pTI!Oy8T~CQcyP~QV_ZV-p8{GK9 zHr~Hc#zGl4(O{NixiNO@stY$eU)Cp{;TG|W#4k3!6l-oKp!svF^L_S+{B7cwh+j&c zSe!uVsi1RAg*2uN4g*yjXA$ds7!*U*>!<0?d zamQAyOn3g17V$bB6Te3MX^U$#lOl!E8PFyy39q?$-Pia#j_|s~^%CEp$RxpHc-9x#5a3NW z-nH7|Eg5gic!vfbf0)K-y9i*v)ynX$d&hjw^WaSH$$MYk2lV(L=P+#*5)=J^4_#?< zUCghKqzbXX#Cab71$4M{$Qv4QRYuFf2PUkvSd|NoS_%f zG1tN`?vA$H{#EWqxxdk63s_lD&1MvrN&fCu56gf*WNni5CoSH^C}0(3)kVoVj%NPl zQub#24M+G}(q>6pC}{|XiCKd|`6(fZCNaicx4QYhZI1kp%qC6#iw(j4gMW28RC}5g zUBR81w!^RK?n%OGfu{Hg-4jX8D5bB=npM@w$zgl9Zn6g74zhNXwG%D&$hoy68XLuR z^%%#gM)|J{JG=V(i@H2))GM{Q)D~2kD8AH?#dBAeF1ICyyGd#(sTCy-P`H$+L|XET ziKtRqyFAO}-6gk?+?KK`t=fvZL<2f5&ga?_eNXZ2#P3C(N#Z9{JEOf@SJ+uP$m%F- zZ?n>wZ3Sx|w+bz{JIU%SYhPMy38bcAWVtF8mwJT#Tx)NAjV{vmmv#U(jfkKu7pIcd z2m5v$) zF6*Y01T;nPWa{nOpMN1t9HEc2zS8uZ2iSkhg-$obns=y#VG@p^ zz$blGO$swd!m*D3GA!c92|r%=35Fxju*55z=y;j!`hJq|lZBr`TtnfLQsGo*SJ=?N zX<|~5JoQsO9yqbc%9Go=P2ZDSlBw=!P9Si$22CkQK# z*DggBQ&Y>qZPaZ=uFd>!)QY8*NJ~;B@oe6EviJt^Q^?!6M4<-g!x^p|V(Dsp)y?J&i2;On<;0OoJ;BG=@u#)rSNRGa;!6bnXEao=F(#B;O!b-(d2u9LSw-u3iYkMVqX@8Wb%JIjrt7mB`#H1E2ytelDAW{2NzA9Lsy!HWbhCd`%y zZlC-NpBaJPe7M!kURHi?let9ZQkp717+I*P=Sr*F-N?2iUnXO@j1@Fg8qj@KS^O*FUnS25L_J21QntwNHJ2V(6tCcQN$VxOL5VkSdZ-#N z($QUd)19qf#fZHn=WRLf(BUc*-`o2CxEJ6LWQ7l%&am6# zBhep={)9A}nVF66LactluBDmbQLZb^5>Gjpv-$Ki;4cF!&3)F_$$F11bWMYZgZO57C=M|LHXDjqLE3(^;0Ne~aEMdJAc0eKyi19r=Q=)twXU zUj0W-lmDnIgMW3gxk!3^o_#y~cU&`aL5xsS{De-7@MgqW&FA9ka9Z58fU5UBovR--5hV?Ty#_?do1HOMuHTmWgS3^#R6L+;$5?P z<#eOtRZnp$U5#{i=?<%U4wlqI(jk=i7~?XTxJ!O~DD`yn5PK-~ zl9?ehlcs7$J_ArQW;s9Do&wq8bHwL5AH&acernfvIr-uX#21ohGGlAsyu#4i>8GYd zx{v6-qWh8dCmxoIV0DQb=h$6zn2i212GC&m*pDJVD-3k{>d`U$L81qXKAbckGN~$j z7l}h)N4T)Pjg%iL;V211OkloaZ$eBAb0NpFe5izB5{{t|TcX%SNpHxGbtTV~oCF;{A#(6d>QLnHkg@m;M<^Ct zA~;EyC%`~gT}^r}PbhU~7uyw}OisC+3OXvVNP+yC(lFln0=x7H;w!~hk>@i71M3{~ zuXg-y3%*8pt?-G&Swhm|-e}bY7sgq~HYK4>LOlh`kpjGAs>WyqTJ4iuE3{}$mewF` z3N^OBwZLEfuxvq0bsj0@h=X2cIXm8!mm2;k)^XV|z zbSm8E7dYR{-ojoe{vz>H$*VbLFVLsC@RZ%?(?uh+u!j}kNN}RQ3I&Juvzuk?U?F7qYESIr@21`(3qdWT! zcg|UpK25k&&Rufuro$A)TnA+EN~b@b8tHpPuM&N4BO2*{pVOZjy;}7Bq8~7t)mmYA z(COZG?>r>>VbPBmT|K$BxHvrO^pmH?yX7&_YeYXznl%!hrJ3Oghg;fYnYDt~34W3= zpT3AlK}JdgKo+(w z|J3Dcr z*Gw0R550@sB=%3TY&T%^9rAGRxg@@L50MdPshnmFF(G)+S4$DN&gP%v zh3z0`M>#v0!<^5J-)`U8oq?9xyU1xSrv)7*1}`cm#;&e>cx#N>Zc(xBy^UrF9lX#T&*1Tb9e?D4>&>> z!TSq7fG{&C{o)nVR56j|KzHu8SFZ=j=_;oi9o}liiIQYZ=L(Wc&R47LdMk79Gz$2}vl2;#mqdrUcer_n$?Gp~ z06ivfdN&}xD#3T(-RW#ERtCu#Eaz}Kym$^~qosC)$q)!uly6EAgdA-;GE(7b2M>xLHI^rXRj}ktbI3thkS`_&)&c9$a z|v!t9&CFVYs>!0KFk9HmBiat;D z`J@>oW+z|8)rAY(c-}JfLKzpym`cN*-i1u6X)YXLH{o;%GbCJ0!3!9^$?o{wmPj*& z&k}wqab_Q0B&mSSc7FNcF()n)KS%sr^8YF#_=Mu+?yR*mxdnNgU*rqr!29BG+xn}j72mQvsY0khDsk9Rd*HK%Zz+ugd# zMtYaYS}tpaS@^mZ_X3Qq(>vU1XD@m0l=c7UdJ}k^s`mfiKTnEe2q7ee4ADIgGL}LV zl?Ea1Gat@m-RIyKN~H{qlB7r)q=5!1%}RqIDa{#5Da}eDL-}8y&%Lh8>3P1t{k&dY zPxpDh*Is+=wbx#2?KM0_>uFfNcAgAoS2%|+q|cbtS0lKb(h5q?LPCz0ahmeof}?(( zGbOY^{vwBap2|upFF^4xxnxK-zsPKv^`cq*^h7VwdYRTMu#j|85s*nqGC=566Bg@m ziq|NtqVPHdyxOJ9F74hhc%9yu)r8+9{FcHlw>0hEHn{!-|3Y|&@EXEv0i)(Auv=&B z-b&A|C;Kkh4PcQ$Qo(q!3%U0UkH0Rz%HcK=f1mgV!13nP*VCw!Y+xpn&o-I&ie}so z>3u}+V|Yj%d{U8moeT*x;U(?U{FK6H6h4RGKf5Pol|hUo%gnp^!o>6SK5VAAh2mC- zh+!G;!jY=kHuIW{_6hMNy|3tPhli3&=4+MYq*Ib~Uz<_$es6q3V+W0IVW4D`T7>lA ze`j=mjn_`n-;@3UG;Vipj%;fF;}KXthy6tOXTrY#MpkFnm{euuo14svH>sg^UhSgv z8>QbN;R+C+Xf{T#>^5V7#_10lf6~|k!}ngvQj58=pBJaU?ltWK)%H>Qi`sr@{r$;pwLa8L4vI-X(g{Xi zp>zY%4M{fwohg@M0V$XK2&EIv8lqNXT1{v*g_XG^*=8Qy0BEL|GgO^sbehv?0S6l% zuzM2kWNlGphNGQq`aNC!gVB=uDb!m*$6aRcMwQyxspi$_>AlnFwWikw9tsJ1c!jn# z;TRQ8r_hcmz5z;SAE@sx3TIG+^O3+He!c$lz-C0$d<6TVK)y1dQ zS=72x>jn*}m1&Gfw_kS?j?~-rdGtAXYfn9 zl2RYSeF^t7IF8|62FI_J0OWA}2@fEA0bnF+T;Bh=?n0x-FCi=q7Se-AUj!QO0wk;C z#v>_vv57l0WiO#PnBt`nkrB~jQ8j5VGq1b$lw3~l3VK7}p(M>DtyKKom1fk@q#8(gDkW`V7H0rN1_?waPn;dQg;gN(>3S-esmt}Bxpog;w=Mc^XTs1C1muE&@jY~d_ z0vd%d5SLI`YLuf4o)GoHk0xA1xEL^N)1g2lBFk|Z{%T*3ml7`{J_dM|OqX=dgyS_b zX$s{ODj;MMCKz{P4gP$j4}Bcr@q{ZCP9z1MVDLN7cz7b=NrWc@M!_a;AWZ3$-i{)7 zwK-ihCtX8l3Y}}=97#;6LA&eBsHO40p2k!fH^AUC5SA5PZZvrD1Rteogr^gpp>RUh zEp#&t-m}cZHxa&>@GT0*DNKy zxkV*KRs{>VH%z!nZ}e&kZ&G**0xls7^Xp{=gIu`;S+3Wt^S1iayhCdZt+lY2ndA~= zwO*q)V|0idZawLDNpDa(B$ps-^%_0Bm!~(9exLLQO2=7HZ8Ey%JWqc}`XkaGD=odO zl9-CcrGSmOPK(VbB=%HcMX-a>jS=zpgTGQ~EtF3`03lGazWw!=bj zxCQYF_qE|8^agxGd=|t*if_W zPZWQq_zT1%g}dy=@T&>+RM=gYS4sev`xfLHJL?djRWOJh!My zwDy|#m0r(2ihohu53x$LqV9kR^)*@tDIB8kH-r=9{H(sFgQ2jj;Z-&k3wXMJOr54x z*TYn+{f7+=`Ij#hzpYRj#qCk@W2U9iyPvO!RhOTnr9tOtI7o#+LYjd!4E_W~jU4V6 z!p9P>sc<+U8!6Q?c)$=3A4j-0;o}XKl{j4;gFn{Awd)eDN4P#<^mJ&{Wi8YbOzEyM zZ$PCXl}1ny^LQ{WYxo*`(!D-1jR`j)-1G=6drF*Sa4&_M5pGVn1z^0KH8PU;?qqYK z8k?4MPNCBZ4q_9Ls)#$);3r1<*qlbVHQ_c@;HYbB@KS|OC)|#3dxb-xNYr&OczW1} z+>!7ZggXKLSJY)M^3LYOH0o#43D60`LDZA7;?AvC3=!+RHjpz0R=C%(K5_j&XII8P3W!zL2jaOGlg3qpp*zEqj^OYvRy3K%XGJz zc8i|pHfpz1n*|N`7Peqr2HWchdKhUIZFB8t-uF&@Dz+^8@Cb*F^p#hkKCD zLv$X7gZKoZd3o7xvC+>XAUWJ4q?eF>6f_=3SN)c%v@#8(i17Puy3$USFto+jh-q*s!Dp(-t#{u!OG z^h=~)CjAO%Tx2*I2)kDeep@RYuMu8F_;tXD2=??yx;Ko@>hG^|HR(4=zooQ%8jgkC z+eXjC(<6s_hx8iKYe6GT!hu*?wpLkZ`0u?*O9O%UyTmsDN4z6RdHKC(@Tf5!-bna; z!XE(UeV2aDfZJsB7QK}plKzPF$4aC5lysjMy;qx0pOXHJ^yi=vZyBIgQaav!VR)dx zM`bhdEyTA1N4({`fb8F4aIL8x{*v%lgtr4myklYPHSx94O>Xw|H>7uv{#NNwA|N|` zerNRK-8{XM^!KEHP&%HB7Ua7hjUN7pr+*^-GwEMI<0^xZcy>X={c8A&nyYpZ|Bd+X zz;Tt~n7oX48+_$pANC)F|0KKzFt0KcFA2H5Mz5dg>3yXCBE26pf|ffOa0d)dqg;~1 z9VC2+@ZW%OkK@TiMHxE!WX#w<=IqoFZ!@?V(>{%f-szASJh zKS>3j@X>&I_ajN<+8Tx@@;rVF@nebC1dhl@lCm9DErV~>Tzeeh+Juh>jId=J5ag^n zhWES0hh3L=J>vC&BkV*(=4_o{@YrP@Za}yp;YNUw=2CddlYFAl_i0aHW717XH&r^E zj7VNN$>^Fxeb~)NHz(af>0lDgs*{brtBt2yl0JoWE6}*ga55^pK)6#4Z?A!$M!Yrg zHj2wOJ|P*`-`4QNOFs0|iMJ!(9yqR3mJ*h{)xqdJlRe#$^ckc(fkqNWLvrgo8+`A0 z51&amKsX4PLCaRWm5$4{E>g8O`gt9P6DOS@odk_UiASTzR$UBV zu*e5~7V)mcy8%a3WV(>_mUK7z9@JXpa6L%(B;5-%0uLmU$X90@-VSYWIovtKdlNqw zI0DChF|y}|(Kp8l%aXaI`;zVl8iC7>N!YUDe8Wd-vh*iDfcOQ#5qL0>l$>>;(PP^9 zzz32ZMEWAo2wdi)q7=H=@UOHKx`g;(;+HBOOC&?Gxzc5ZFP!5;znu6L#D^#z4kl$g z40omBm-Y4dP~yXg4_7=G4tjSj57XhZE21sUqrqbJQ6+;4atL1V)Rd1 zT$GY7BRvLmrqGo~)ERt>7P@J|<%BB$Gw5(Yf*x!1er-OEBR!sUrPARLz79<=`g85t zoJe{S>B*px10*X3r3k&+@X2L96|W&ah4{6KM}x8-O440t_|KXfuO~j0_zl3B8>PV} zUHV2BYWA8&dOGPDpwZyStiUIW#spv$MeZ?EruFj5<5ZrYvJ}dH-Q>7iX3{oIq9-XmMd@is{w8Ca zExAwb8B^NmOP55|)QQEsY2G?8Q;ktzD5v~sy@xX>@Nq2(LhxNO81JVsiH&QwtjLLidM58~} zN@`=$O-MIYI>|53CmH>zW~yeSo0D!~bS#2afzgMw-rkb*DWqG0#(kHb$A}a}ryBnK z#r`r+Bi@>L8{katU{V5aYjh8-xt~tD9qIN;OHE1cdk3R?o#w;tNcs%Yos^dTdwJn? zHoAMt(`S+nkPaFx9clp=GJ5xLPlriINJl~A#>@6-0T(lPpI&5~aDs3WFfUT}Vv4vf zM%U4PiL*#|CEX1)f|e&I=DHg^SD%|6gnJV11(-o&^B8xw(Kk%?u|9`%Z_?+2X3+6u z(w%4UP#{g%uGJI%7j-m(~qDql0pgsA|)?(G|aLL zpQT+%*~D{*=K|*iqh!o8c+pZHnS8ducSKB1*-O za0c0tSK0^$x75zTQo?0~#~2)wS-bMF)0dAeFZCg(36~SD09+Fx%W|$2>2m429c#u1 zI-h?Wjqx-pVW5LsKVAFHjwhJbNI&>aq&A7#WN5hVMB>OuKzFrC)3hAChSC&D*Fr*N zA}PCP`}169%C#@cU*vGtQ<+NT1}M099H1C>HyZvQ9iBLi_;lhkfHOl?jn+()UeX5Y zO_Xk?bc;%fnCyOs?XWO}@K%$~({JmyQM#SdEJ*(2RWM#94el_nNFS%!^zNiL2OjFy zydbH)++}=qy`s6~?7j9ZoX!(;mcqe_;^8VcX_-k^-Y0*P!#zpqDN0X6LONjh(UFt6XH09do0hEVL~RAN zXQAOknKb*VSkIX?5iJTi-1D?n(s}_Fi*JmhebL}KtH{b&BEl~deg*LV+@Y9z)wFJ! z3a?RHMeTKHIEReMl)b+VuBppettR{?;kN*57Ona`ylq~wX3=-(t)aIT9$pq02lHR! zkk^^|jSd`HPxW1@8=&H{Y`gKyjHLHWYn|g$V$%GP(;)fJI zqVO>UlyjL)%3*wBMv*o+Kc(>*jn83Z@;3J=hw_Cfy)_R=jpFYRQR#pf zbi0jqO8-InPttop<0iS>EZJFECKkKBX7s4=y*T@5{6%BG8h!|zyh;z45!ot1A+&=u z4$=4<25xI++&sG;{xRil8*oIW+A(Z!$iJEA6vOO~lK;vyIM%H~=n{T)`AHfagpXD@ z4!DNFiGmj|Yus1&PT?^w>sAmaR3dT(!E?>QSo? z4XFw(QYwoHx)aQ(P@@5jhBO+%@Z~^AHuo;gmSs%jL$*87ym9I^rq_gCQ+Uk(a;Dh0 zLhSHa?oKjkyh_a|HK)`9lBPl2oosZa(k)4!Lb?@bTue@?q%gNAEd}SPW+eCdG(L?+ zYZ`4}An(fRPPzG|t}-V#l_Q`2b6r~#U)%1*(t)TUcyyA=yx!C z(rlkIJJLRbb|=_)Wu*&B$K|>LIjQW#Va}`>-Z_&_fKCt&9?QIxEQed3b|K^UoZ$H| z`3U(ac;w{@*#st4B>Rv%7c-@Fu~*_$5>%26jH;02KHJ3l3%z&_#oiRpg@`-L75zq4Na1px z8Bgo{vpzKX(&z^R*OFCQUS1^QXwEl&;urF>9Iik40pu?Lk6V%_ds$47Xr(ITONTi} zHTAI?NM{h8i{KzuWfiiON;w0z*j;BRw26OE9io#SuhTnevH_{}@4KB$X5t3{>?y&&$A0 zolc)+=0S~GHq9KGxiFg|&A8v0%NUa zv|}C$s4~iwy~rwZxY1OKs1(b;8G#!d$vH|)xKD*r3S|_=K=27D;|gRnr!S(f)&xwG zE+<_98o`uG#gJp7bbGq7CjK?VU&=U&<0)1`M20JtU2m|e&;;ZA_4oWl@{`C<29LG~ zc$vI+wc!I4zlQh};@4KiWl5gv4DYY_^~9$Vzu{kaz};y0`HD{?KArds;Haa@n^l$w z)=Qpg)^%xr2{+NYnbs|^kg_3}I2Uxc8hvRO`B4sc8|m9g&r({x3(6@twqRZhH zlD?nxBG9NM#}fiSVDQO{$;#j*!VeLC7%*a(Sq@Dqyhol1x7gf4eSC60LU#$>N8uvt z;rr0P#K%kwckm~DoZ=G{mqJ8V!j|hYdwH4R@6Ge)d6M{3#GeL^+a}8m%7PZp7~SJnpxw>rN~ID=gjId(VydaS}SS20EL&X0Ej<}cQjd1@M+ds!gk#-i$=J%26xiM6;3DIj&OUxh>6s>Wq?3*gzI3! zeqDN^BZV_4bb`Q`$Z(0y#`e;foJlr7HVBsWlEO;tBJM)QFFoHUdYF8Kd=xw)Q<^Vz z)WUHo7c*hb6<&x_NKi;Zz+Do$v{Ke?GQ736W6mPpm3TMc$d$#Z3h7YpZuC~Y(jKIH zlI{f>twyO#N|Pi%H35yYvrWo7%g5*(O1&wa3kk_H0qZpxd*X7>_95GsY(KEb_I|UY z!ZGfAGv3h^xBAld?4d{MjD@Hl>z!(Bpr zF!4))Bj!#P62HvY{3$-@%gJ6rb_iI$&SZNPccsAxkM{6T!ovs;2aL; z6vDt2NVidu8)fi(g+~)EB3uj@X%tbV zNjqmwN(;0!opL%AaCnNqIH^gwv4+2{_&DO@iB|&0t0WYVHY`_ibrVcEU6qMcCQ+FT zCDRuyd+D%+A$=$AYO|KAbq%d4w62Afi5DINcb(w@#jhtmmG}*c%lju)lyWy3KK~u0 zlcdx%;?s%G0FDPTXPhj1;bs~=@IU@8-$eRm(zk#{T+*dQGR4N-YWN4b0`qOeZznzr zI5I`H^mODD;EBJ(j3wX6ALMYeY1~O;4h$B{>4Ln}7}@#eE)yni^uk;UcT<=L0kVuL$qv-=UkO9(#-7zruksN%9}>SIUne)6jv?s4Kz5MK%$$$}gp zYl4n&%SUp0wP{CR`&Zgwv%4uag_l60_ z>zX;MDZEMHEeLqbrOsl`+vZ$f>?8CJoi%jU!a<(I2FYU!Q5LQf1mgVz>%Dzb7i#_SL`+!e?#2!ACmuw{Kw!Ce13%#wngp} z!`&$!|CIP=#6MTOBsae(x6*xK_z#0TzM1$I;#+|uO{Eaemw8_$Zkq{PKat<%a9>jR zio$jXNS|Waj;~bqT9fr&%}Dq4r}&1(4jSLWK=Uo9bX-Z5-EY4$t>`GP?WFcSwI872 zy3wI0FUKDZe=z3ppNRiV{1@PeSAi@xE^G43wwb@0(YLKPcG38a#_uptw8@4fsOK9! zyN9R$ApIxlJ)n`7WGB0Vl#}96isrrMJg{2+B!}Ba=Px?@;ouT7OA@#Ph99Nh0uK^D zMEq~yxCB}HEs#}FlqD-Cnej6^;pA|KX;iDpI=}qOyd*n+j>d9)N68PFO8>dK^JjJW zNh^V! z@@6{Gl&xA}X-uUFm8MW|vxBnuQ^K8ObZvYKlfyM5-JEm_&?n2U`p%I4@zK~bH07i- zQ?4nq`=UG9f*GjG$+l!Lr!bgS2nP4RNIquZdxPPvwV*wXcx&QqfMe2IW*lpacY80q0v=~8!<(Fc_tL3$+V z6ljf#RJ*eb|3~p`;yJ`~tKwy8muL9jisutAAYKR@F_&>QvKR6wquv8zOhmBB&DDmNxAyoo#HSFy7C5q` ztgJcKU1#vxJs!TE@KnM#07gtky9#*#Z!~&S!l%nL($h)L0F89P$1$lwxS7WP(!}#O zk-wSzE#UdUmdlc8w;KGV?!bH-;oAw%0*vxQDh{JcWrWNKcZV5^e)W-`P2)})b6}uG zGgemMjt4_|?k*FiJmTXsm%`l?=0U*Qq^u%Kz6$dL?>(lB&@XlOQkhR>0Tf(1 z`wR}^dzTz;A>sQ8FH*R;L>ku*7~Dp`wLD1pA;J$UTvVJr!Ywv9r@N2&BZQX_eiShB z0KVT!$~ITfOerjPkJTk7eM1SN#P~?p5{tR!Gx=p`ru!p@G^y0ARzYR z@`EWS-C(a8Uvrt~Un9SY{OjOxTji}?ChzP(VuX9clsezaU*vGBsk}+$EhvanVJZ;_ z%A76twh0s3`*XZQVGV_~5b#+@7D?b@=`ygiys)eYD@7KTyLD#Q81L=%wBMz@0XEV% zTiT}bR(a3xQ@@d4Qr=&k4{khV?uq+hezA(B{haGJuy@m8v(D;fKl>z#pnCw*)N(Nw$QTdI^?@(|F@(o*F zFuRRDMw?52kp7eO9;Ib8ekA4g8vWi_T&`U3KGJ`Y-VYk(N+KY`H4hlv`cbkn9*OWF z!hZusL`J8|3o6||M)%QXa{eq^;U~Ifl})lxjjkeB^G)M1@*L?>Whz;yBW^NgodymzpY;rc@n+ zWxGcnt}fwvgzFnTPT&&^-nhxb4G1?R+{obZW!dgTgSRQ%m~a!qO%={6FRpMW8JxSt zhun;CbHXhY&dx574*~{H|JuVX37AEyqS}&EZvl-7F@KHIFMu0|8jcobq zk%7>G~4q)N=#`Yrs^6DOM>n*@tYQjnTZTIRYKJ?m6YpGCSW z>29Feph-)s-kM$A&FU8MRu5V|Y4w7I_(&1p&Ng<8vgeTPP4--6(VcOgv0?4V=tH(I z*?wSAUKfupEt6OI`GzmoZzcVS4?j5wFbr?rcX zEmHOpvV+N93KnTtG76gyUS@R9OMJ+elfHuV5YUW9smvR=(%_#4dw3|}VT6YRX3&*6 zdGZy&==XK|r4gh@l1_m}q)W4<;co0bm-~>j$>xyF1&fenEL5t@bHF?d{LS~j6~B?fP}(Zi*L%LtDFjHt*6D-3)ydZKnx zr%9KSt^m!T%TrQ^H~2jLST~OFc*2zmmuE|2PcXP#o9hz^Pa-@SFkV>labI>eM<1p1 z_M0bgqSi>?o?m9!;=q~Hm6P-%*2B5e*n4EE=u|2d7JdNyhvNMz& zn_cW?8oPXnPrjST-c0ruu(&r^-(Q|ecdPNW2YCKA^0$+p1s=&Q?**B5cZbpY^t~{f z^qr*VC@phkrGb8z(f8&`5OTP=r0*s@Pia>u4LEm?(HpMzF}auYe9{X*<5oHuk>~C+ zc+fQ-UP$R%xtci_;H#~&|C_W)ms@MChbv7gkEM!-5(`PIoy*}o}%(J z6!g#?xtQz%nKmvRP3{>}AJOl`%c-uQ`mCy0-9MFsAz+fJGGkJnGqtv6t>>w(r1}C> zl$yyBK|V*SAe6-Wt^<6D(8|ea;{DKs%aCgwoh#pwb!BHEHcF} zDK*|V3?G)lIpi#>iN8twE#Ro>$6|3wJn71P+l13*k(afND6FBd76PIbiN&fekG9UV zjibD_p4z+AHb84Ef2eXb62q8G|IeKEJ@Y5)Wo@MYKK&2i*AxH9Ii;l#mQ@xunK()p zVEd5bM-)GX$n=oe)RO9-7~Zzn$MaL-pAr8Ycyswf?s&Pa{8}j+w8|NDJAE^;`-Q(Kd z{TJ>1u+dBXUpCg2IPz1jJ7B@c9=d|dvv82X9AYqkBbfiqqw!EYmdT_4n1794_F?+f zj$_M0{>^L{Aq8cqqTH90SZenu`BSEuaX^d8>hhB`GiV+S6K@7#!?N;{(KW-2rYx>X z`dHF6K_g3tBP>X286F(y@#BcsCVo6{yj^h-Qiq5nWnftybGFX%Nl}+hJv#N_;1q!< zpPCa4Paz~ZTm#|_i8lg{T#~Mo#%6IEml1R)n$&2nKSyIqO(->mgwS}=!Aw3m$(&kx z>CNagr_%xso-CI0G6(l$;}DnIZNc;@qoq*#S64IJX$?WIO z#_wH@z$N%I$p^>>!K1{LE!;S1h;N&i3z>GeYGG;-YEfu-{f6b+q>CB6e;Cdn=ZF(d z5KaO{`ywVg6&x95*~P4lb17AGXVL0Ps~aq&Zti$2OpnF0U3XI+sq0g>2bG>wdO^WW zH$^6kpKZ>g>YPKTH=T3gAa}`>PuonzooCX>B|dI_DD|b(4-!&2AibGI(xy4z_=tW% z>`#6G`3u0~5sXMzuk6)e^asv|K9KYv(iee7UdT(y(!Yf%ZIK1s#U@VF$sm_d98B?2 zh`1JJVBI?7GLv4`TzomDD<}R@k7xSZGlJSkYAI;Q2f>)U@kYs{nB25m-zT96XHji^Urzy45R53(J6+5yP1=c;cdAxf!p}H`#fJt zzKr}B@OUIcvhYkmrf?g+GwSg)@p9r7!0}p)#_>=}7tdG|%CGanI11w_R6;;}P$v${ z?U-QvK`r1XlAlC=GI+#?w>{*pHvAF2;nxtKLi}3AWepAKSajDJ{=#A(o9l^BC4K{N zJnFLMM$p}8@Hmb7G{Vyf&j8#|;6OB7DkD?=oj+!p+*Awtn<(E*`4-4{PsgH(f>Ie_ zhK!Z@2AmGZ+^uG>zs<+0TeU_;<2ENTgk3q@tO`MWC5)E zOdb1xKifj8_fuU271tx{eZ^$?hzAVc+t1?<5`T#J!@zNyWYMdLTWs*Pnk640yoB(h zfLS63k}?UZNNSzv8h^~J+0*kQs~rN4mngx@8+0Wgv%DT_cR+vVL_@Dzg=?&ctxrER6NOq<3F3jIS8Rc7%Z^ z%ZDNF5`BTWuT8yM)o-Zop!zLT3`nWcBb1goCipmk=^x*jK121L)W4_x1M~)>%l5_D zMWtyOJ!;qQel)l1VL{|@Khgb}?k{k015vcg>aa#1(t>>#>EB5I4jT1|Ok1&Pzr}7d zFMJbck@NgP^G}+4U@~>2-{QY|684(9?gy{#qxu)s{ZR2>$wgrbLOLlkTn?DCrN}?$ z2k9K5^EVtkr7~Dl3b`UID;|^z^gpJp*x*lfm|C^kY}3fUEQaJ%ITdUVV}q2V^M5L=^PISx8O)qk6i=O?5bntXl?M-rCE<=eVBMS{vFMjJHfn38p{Us8q#Y7?|+-$ z@*VF)6VrOa#uS@SYzh&D`oDS?+(~BrsND(8Xf>zR0v5_2Sr9esPBwUPmi#7%Yf1PN z!mR+K0L?Eg&5=Zx_Kpd4Pxi@o8im#r+CV@7Dl2Hn6m{+&*w&Qev~&D)D($GWhf?Jn z5!bOQ!z|2LNN;Qe{XHv#mu`} zZ*81jf?g6H>gWGzzIQR{a_!kWi&9rg-5?B|cT=`#1G@*6o>Y24LHv$%L1xxKaRCgRAwRc})8Q{PzL}038c2Q+`HR47c`3V982yiymzR(pO!`vL=!-8OlXjOG z+g9U#IoT`74gt%2FH3{ED-HfA7m=1|4<$T|@NmG0Mp!<^C)`y=ujxZrRKl5|Sx zNK}>>by-H=k>}}b(mAAal@29j3Z=_4dO%N4=aViVU8uBl<;c3|ql^w}f{Z3zM7r4M zL_(%1l^ETmjSst&bQ$R}O3M&*DTbZVb^3WaO}d?0(BJoMYCj&$=Hxa*?_$|QkqQUSKEXyWan7Lcc>7XAFZ=-WN zomp_0#bn{qkh{a^IeLcKr0*m>2Q=y+s7J)ueJm9inRtx)%U$Lk)=V*%?%j0f!9`LP z7fR1c+TCOLLjAycFY)=r7XU}ZB9cF4XB%qx2)BmymuGG%^J)IxeF)-D4(H)3GX#Q+R^HQV9OBmEjo6jNYh^ z?USURBK6u(YhSNT!p1V#?tT{v4lD`Hafvs-%l$gTYKA_=_Wo4)5DcWeb(9P>@79 zt}w4$E@PYVjjQ`pd`bQ*^4r1VGO{YmFlIl;eQm;BTjh5-+&2_d zX!o5N-vs?BcGCEs#t&*_PJ#RUqZxDc96!gG2she$8VUGx|_$I__@2gxM)wKNA`JZqV7qs~)0 zjzVn;$3sA+y*O2r=VvfVO4TuIPA{KQb!pY3RbMSBs-l5ZPL6ytmxBKUvufxA(tuV& zT8&^Ka_ou9mE=0ngb{W8X&O^#LZK-H6g{$0w(Jip1C?-=lS~Tjm%qv3no(*_sf9|2 zThK2i;Z8Q`SdCgsN~ch21qn5`92rb@sm*trQ#rSMyN)ivc$soUp(qEvdffj^;wToNl-~bL3uzu_R3qeYJqY(C+zT*DIW&~fWqr2st0(ysK8Jj7 z^5-g_%f-0L-Fe1;t^>~dknc;rA9zhP*;x`h#c86QZ|d=S9sQ{epn3sRas9Zs12oz)(xfi7+H(`a#xvDN3VJWrID0U zkXX-9|69sX61PKH+1MCSOjz z0z6vv$mp^Zk8Y2bc4JMfrztg#;&_Uc5OKR@2TbXpm|*msoqV(=lAc6*GH4VgIk~xI zvig=}r>o6)NXxftXiTATEes#NwC=7mdaj0lJ?W{WZvc(FA+2}J)xOd2gW7VRMtnN) z8H!71B(~U_Y506Cpl>36Gx1x1<5>_|KCDXQZ#ALMqdrw{qi{QgSrD}Nh~wFo&zG`j zgcKilm|0(wbvDgAY0iO(`KVfXAZT$%{6xq6j-CyZcPqcE6VvQo5hgB1kxk4DHV@D3ckA514RWH!nO$ z;UNkSL%>-uCQF7BNN$wb{EJQc;#>Kf9PSZHODH`G3H>R^iwSu&q;~`p2Hj)kHPAGB zoZb`kmR9v-6;xZ)ZJBwE)O(WNQ}mvOhb$)NlP}oM7~NFq<)l}Teik&|on?~0o-_78 zx_r&^WLJ`X0W9ufPHw);Bg%0v8sFi7{49riiTumtUjdJ>v!#RlRbx-wLsTY?lU+sj zbz=()+#ALo`p&bf$-YVUEwCtOvh&K)?rnpI?C|hAgx3&WYj8nvv0GqHqVh2mRM;?RUy2KK&CApC ziCMqy_9yz3)@QUnhvlEUm{by^S(YpRpb-DU%w~GN%`~^r+zJx~KcX1M+2mQ@W=?Z; zzNGUNo$YXNS;f-(@5c{*ZAw~aM14bL2bFK3WU`#>o8rDRdX;t|>?Hj?=^vDq{xJDW z^rO-1`}m9hiS*B;f2l&thD*O1{l3z>NdHFqchE>+TyP{WH1pZP^GTCcVQYRMeqx2W0{g6;NXBEh(?IL%;@GCy`*Kv^eA>w}n_r*Xg z%CQnCbaUK4=AEo@J4~-y9kx2;Up{nMg|efp+>xW?hfKrcS3OU4`AHfcci1eNj_s3-BK^Q0qKUM8-d0XF0F>NJJH}PbbxMS!c7P_1&kY!l69$M zF62puf3nG6ZZqP|iMIfb1WLYgC4kUT4bT;WT{fKxbr2wTMBvw(g<#QXl336P>lw;qN;N);&`RPU%k$*3C zQTf-hZbBx)ao)PTFJkhCOjc~ADG;ZZpqGS~xr_3e>|$_Zy^CiN?n<~DU?hNiN|jDq znKLaB>u%0HlYIj8pwp91FE~g5bI`;*+oT05okOWNrE?+SzGOc8ooDpWl>8`%>qELP z>3*Pb4Hy#a&Nui%h5Hj8K=^_xaNJ#J@Wl!bBs_@lMS$_xp{PpAda~|f6He9SyoADF z3YS8_>sN$$Kza->GyXK?FDHKm`61wuZPAJ1JM!eFU1`=l?ME3(YZ$HJu#h}uQcD@{ zt}?oFmcIidNRK3)0*%~MIKDuJr^t&b+hv)uU2k+Yl^iO$Q1H0QZI*pUT%O^d=ohSf z;swMD6;D@`I9bwol;NxI^bs0Oyoh))a6})K@sukudYP`ISxUN$^cc{%yCu0&f;)p3 z=sGNE!sUc30Q>iSJUCAJ6lL`pQ`+b)7)ND1mCCA0D6i1ThvNyRoUY15DwC*8hJxhD zlM1#}e6KdVZ$p2**ASmV{953+-k_{VBCE<8eGJAz$>FXiJ(ctgO5@cl+h-WPPG6?e zNKYp{qY5p1gUvMhBc*R5eKYA>s?hR{=2oLOD1960+eyzlLdWG>{~bneR(dw+J4w$0 zjUH)a{jhYE=N67d5qy_v?KLguQoEblJZLB%&`~L4A<@qzO$n1`yp0r+G`g44d`b%- zX^P6?vPRd?6kSOAe$tCTYo>@`AWGUjU`j`g)q_+XqVg~lJoqkG77lmPS-IGRYjhIw zBNUcUcoYI-Bv&7Gj~RW22LCweCrB>^jaqkcUcOsq?1Vl(_dH4VDY8$4MP`$A#$>$& z_l)7k=!mA}#8(i1R&g1*QXxh9bB6zaKS&^QxaWzlB>n<$#9Q9Vl|}AFqa$kxOKXAj z%cNfct@jvPugFCIlH4Nqs%f3|a$lpiirVYY@H$75~nf%MNw zRZ1mEio~}~IQlOivv(-0p|BPLu0!S)IoUJY=wI*kX}X^DyQDXOK1OJnf|$k}#P^I} zpY2@h+$IwPdL189{D|Vm5OE@z6P=%un&BtLKeX9j#;4>z zBmX&gq?AlXlH^6r@C!38IOL7ZG`7PW!RnxLqh$dK4=riCArZ_jk`F(bmcjw^;+lvD=^di?H#}UC zJPC{7c0~CW0Q5%IQa}&!kT}_%EX1%Ufm{x>V6c#QmRUx0L@+42Ym>Eky zkUz-b;xrO8k}xu*dwDLmrs!hAYCXkS6uMIA1_8xrNH$}wl=SOv{C_$zeEGUTz9;!! z;904VT{$Xc0zPAPwn>ZEdFdQVy(ygw39*vmDMjHt6Z+^Z*Yp^5HIFAk(Qh~h;MGv^5=2nF-Bwak0xOTtQ(71k^@S68M$I&Ry^0GL-Bvvcth5i`Wbtrqoqt zJ)?7QM$j5bE2S1vO5U83v81};vdlW57m`gYhgL2uzA|LhC#g#EOnK%!G2Q3=d^!bm z3gIB9$lT;S^rVe4exOcI9!=1vBVpnli7WS8k$mGnHGQ;33JRSgK4$BV=>T&8;SO(S*2-;_Vb?L2MzS z6_@hCu{bwR1~|+3=*;(XX+Pd!q2y}OIh&!}$x!AX6kKVQ8i%wZWyqCzbW?r8}?L`y1m-^fE5`~v3yaEAV(5qa%-Kkg2 zJ)l+5*XXXI`#M~d7E&0=ncgt^0xgPGlYW!*TcEXyAZxrz=g8Y;Y|u1#hsGKjYhj>( zESC?inr`dNc}=$%TuGkWF#1!aH*6v zM)%TU_)F4Xk=_m($&^*4IQiO~1|P|v1Rs6Kteg7XR_S&tBH&BY`ZA_M)7xu$jW%e7`@#l?9!*~ z4+?)$*aHDiStjpO*=tHK&HekR{6%Fy6r2OMgi<>X*RU|o)-aA? z7{@YPCR3L^(bNWEAH~L0n^0{E73V`v)SA3I$)r^p$!3(A zQ)&STMJfil6v)U`3_g_o4s}#wbskuu!yS`=T{wd?Wpy9w(n5p9GImQbzg*gNUB%V#eTp z@&`HGSv0!R=mrCALTj>0Z>e;0WEZ&ZW-ip0YY&<|Y4(DdDUpLRzyZeDW=z#5`5YR( zX`BngS9N7x@Oeg`tB-LX(tSzy1C8FHDw|8m0##OfJKyvIeJ%H=K7jfK&@*py|7A%o zOkSB6ns%RF)j(>4s9gjN_tsYeSfpKSPE$SAC3FVUxfG7(J867fX83EG6)q=!1@R$O zaf#8DhCi$LP~yXg4+rjhMUo+|KwVl?nqTRzGVeT1zY+9C(o4ZZjzhT_w)KRv%<89B zHmw|5xv)??!;&r=8Hj5_e--j66i_IHfSW2))uqdCl+kIO>^+)v5$R&35q#8@7(GD4 zE+t(?dJJfE)yVvYxN`=#NXl<=xHRE%!WDoucg5UTqc6~)$B`aSx)OBeRVTGPsZF^F zCS2du7cLViOrkIu0?I$By>gDDjJ_>$SDUo0$V=BynnLN?BU0g5c^YL~5BYF@ok_)` zy>vaLsg!Q`FG(gnVXa@2N>!RhX*#7DkdRCA@!hY4Ym@V2GtJA=(Z@H@yP4iC@bHu! z@i_0-U!}X%^di-7qkcQ}Sy2QRx=5S@HT zOm~+l-%O_=tBFy$o60;Wc$h<2`Y0}gW`nXVk4&XEZDh!6_fnfrZ2>f#DU`4?-DgUJ zo?cl<<$fxQpx_M|lqF;29N3~R#1sj;2TZ-Mu~#3Y`ViHJp&~6}iFh)eNJ@Hy++uUa z&GF77be7P06b_0GJP+}dd(7|)HP=2){0ZVqfg^UpHKf;qMx-U=q+4fj*X15wPxxKJ z8vtiY#*pNM_l%x=t*1AVexLLQppl5tK>SD|ZZfH3g_l00^bw_xA^Aj%yH56w*(=&FE}hdE!gbUym ze}6S)yheT(mEWlR4h6L=bkoYLW4GJ*zPI_@_y_qv$?pM=Q`mhfaeGa{un-cj-&ndZ%i z*F9TZev;-5*`vWCkIC2*i@U2~Qs`1I9Yg6@N;M(*JXYdr89ZC_*l~nw6Fy#HdG<J; zw8qEfGzzULw1I%9u5`R~9=f(hw;Aq(Kb>?t((RR&K{Yb;zJt-%&GU3e(r1wFq%__h z3D?=^f%@_|lXQS|5HwOHTQ-aj89U@hAL}sL2-zrDGz+AkHJn*QLLa7>nQc3IGfp!> zGYJz3WKUlg6WX-*!dVo$Qs|~aNYBvSgzR&?(1Sux3cVm8q%hyhtRAsq^?&`p%#xjF zTZn^(`w-7zh`kx&xd`!p*6RyM{UjQW#N?kqCYbXqm=QX;p$~)U%V7HbZ!j{RAt3!6 zvZi`4AZrI^f;r!U8LYwdXD|a8%moMrH}GHUN5~RIfn+!yk){7Ix#mI(W4MMfkYNmB z7#AT76j8_-$;@dlHf4}zk4vZwrgABi=Kp)zNFXT79!A2MKrXXDuF~^f&OokUAVV|| z8Jt+|3bQI?i9bmJiF#0Gc12^EK(4evR#o%adME=K#z2N65Y(`284O9nKs=NTCo=w3 z=8s+G{Sov>(oexhSs|nMA}-6|b5ru094?!14&hwD|2~;SHy#X2ry-Yn%`?A3PnJ)= zfPNwTCK9Sl3&<^yNej91at#C%(qai^0vKfhT&c5GMl*mS22hLu{wMQsZ|4 zFr;e{5}pB;3z=lN&Xf%|`J8h-m8n#2fP(tiGT8GU&bSC zGrV^uF0yYU@vn$)2aaMYfoo2cz=!JHd};Jck}|IowY)ex~t@8bKxyW{3Q0#y#!4v5UrUG=7JHD2V`kx8Zwr zGVdS6|0KQ#I4(LQ%L0~H7D3r-%1v6f?4$A*mHkls87c)oV0g>2(U4D{A6`iBu;8J2z ze=W=0zZ#}&)58B4D#uc(2?Y;E911R`mI>1|2OdYEHihFMpxjWtj`437`-`tjz8?Ad z;4Onh-3f*#Gz&H$-jH}B#luW0ccS6Thxt@$OuPy4riw>oIJP`KCmDXwdAu3%=EPe7 zN4q0WhB2RP?9lo?;w{OZLberHL_C@a`c%VL=>0m4cx&Qq6wfQFD3w_SZ4F<8D~jD`ADvImWxG$RUlr#GE*;o#aM*_AS0 z{KzA5o_T{blk}n2mtH@3Nako^x>TAC@*KJIO}R*Ket#+hs9c~*OcXvCMeagV9@7VJ zAeBK>E`q{4V@l?ZUToekdS@=7H<;d~@Q@Oj>&ZBmnKMeC!OQ7fL1&0MnWqGE|75>+ za}H@L45c%S&Tu#=7^H6j6B1?1MicJ%TYi_rji4}+LJ9&dD3(*0c?L4~%4L~%jV44k zy&QVE@G>Xzk4~Nmf9r|zDHKpBguq9K4`$|SMwzojADz*3is%%>LFB^H6s%ebmzXzL zo8zVQ%IJ-Ohgx`8#ynuO70T~)q0F+70W7BWRW(huoN5JBJVG8HYj}L7FK)&WA5Xjz zIIgP7iQEKpn(Fc^6X{H%GZ~IOr3rVn;r1(%(zwSM)%T~Ph$ZLO4s2AvzDkIdU0sx7c_;X;@YRAisqCqu_CSVoYH7nBlYa>3p2{ z6U3J)E>S}5V42|)G&WBXe~S3iz!4ifDN;vu&lulXYb?vjuOR=d^5M**<(@PCCw<>P zPktr&7nDbZHW)~{7me?(FQ%8szfArW@F>dzKEF$XzG_MvbSui?UZb*#%Ii>YpJ8Nf z!5d~2Wcf#THH|lEyafYE8p_lZ-ZuO`?KFIc_!{DC757QB&hSQBdt6WaUE&)Qk7jPz zdxi(}@!LrJec~Sg#~r}xeb}mSlkshI<-QNee?>~ z62re5e}Vo|3ubb&!MMR5GGbnkVM%)XLRides`Rc_RN- ziJ5%wksmTmlYqvoy8Lvb`w#h}!J}vku-?ML&DAicvp$K(&^eY)O*qJERg_w$q_n1U z9F^Ksj)#H-3*v)_d_SvWd|o^GSq@j1d_D5@!Q&KCR;4S7^02Ln@7+ zAjR}fGIo+bPc-j}e{do>RbzTh=rx6>_cAKmmYrn0Un)yhA|v0Nd<*bsHL~Q=x53FK zrL-t&N$C_ytsvP+qH%Ys@gcn}r;%?>z76;zFHc-bCjYlJuSj2>r_*akuRT0}p8Tln z2iw8;9(taR2_kvBpYqtDqXKg!|GBHfjAH_(=-5}EGC`}yTEL5F-#^1Z6? z68VHX+jzemUNv_P`QGHu1&@I*Az6RExKwK}EbdY8ooD(|?TzR|y)X5C&{4Mh%a$2C zrtR8{Ym%$#Pi+9T3!v#$#iR(k(Dh@_qC8&hvMj8-(s84#mpzjS+U1iiAX^9)^*p{pW&1EU%7jiDmC+Q6C=^3rVaQcc zrI?mXSYpms+U_f*Q$}YD96gDA4oNy^LT5cmnnF2+3J7?#1KNVqhKPAf^hD$6ji*-$ zPfrxbt|=2tNa~3uQkXGp5l56 zQz_g4f$z1l~30?PVHjO)J%uxebJ@XOuE;IZTZE1YaxSPg27_4=L z(KZ>^J$cO$Aoc@df{CO?@4%{0`FKR&6Rvd zxettA9X`{2DE=eyACu=D!yU$yh^k6l?{&gkEaiSScyxe& z5xiCKwg4x_qOSa_!MDDH0C2eNf`1eIJ7L~h3@X4PtWkXTFkxM&zyB%WF9|y+sJ9&( zK>clOGW53pBeqdOtOZ!RKUqVv~yh{}* zrudjQGydy=oK8!Sj zFRIS2E$t3B;pL(qYK#@fu;jTOMz6|V z0$L2Bb3{i-Gv8yZRKANE{2w-B(fTosVQ~6 zOqlkS0!Mp6!qF0rp}>1pgjKJ48{7Uf&mJqbkJ!FsdDbK{8FyDqk1ZVKjx*`CAG~zD zq<)f4pv06Z#$2Y1JJIMtA?utZy1(cFq}jX(6E83qFNr-|#-^(rn!D~~(_ab?&neOe zN*_d>SChu;bg;2+?CmqssbYtS9ZFV(IW}{s&5UxxjK5=+=T8%Vy7)85>!!s~;Xl*h z&a52caKiLjg z(MSqT2~HE%!;-AV6&4%4AmoJ-(WRoxNHg!FX^quTu&;eFJ~EGT7ns((+$YRvY30%? zsPXLOiINfwBpBr?O<3S-;jT(TwS+Mgd`iZgGq__&oQ&Wa!L@`LI#w%SKQmS(Heu{} zK00+0#!0BBz-zAMYKv~X(LL_;^o61?5`A%?v8-(>;VvM@?4Ao^0#69ZjTo594b zNk(@G?Xt^6PZm9eG;>%DX5LnztvuEE|IGEFPZNK+`03>N?#Hf&=^E@?Z}_&`Jbs1n znZmCm&g$3b%Bpc=x$eKa%8U#B7i)L5j9D^f(_qq6;6rAGn`88yzSZik5q+)b>qzr9 zVWs#{?s|it*u_WY2ElU$-$+=U8j1R}8|7{?ywUpz0*9L?{AS^|5NAwc5sc7rw;KJ? zNrJJ}iRk&F7X&(z8!yavw;MgUji>JreW&QVNHZ%{B(c>bN4Fpw+-*)jKb*wfBj;W@ z_t9Z4QzI9PO1k?^*gY(0`hbK7B|Jod7l4tX`4RW9(VapY;Ste~ie4D#oLD{z@yCpw z6`tD1ML!|>$w0?)^RZ9SQ$}Ag#9!{yqMs4HD9{*t8P9dk8r>_bC%ahmbE21!X5wIW zLIztb<)GWuJ#WrP4u!fBq#|N4**{cZ89#IFuKcOXrdWZXN(|FA~EH*)Wae^31T=P4yxz9)S zQwg6*_?!a2W;I$`i0alrLLvQJDjRY)^b8y4YsoR%AEWE z%{$R@H>4x{EOhNg0~T7 z)~G-QojddVYWzswmB=NYxgl-A;CX2v6{y>Wny<}zB)VCP?2LUg{cyS^xwLj`ku-7; zQ!*Jz>a>M9DR+SdbV|rIqZLrO0;*s@eD~nATv&t4db>(_wDsw&}} zv1f*NX+~^~*jloxEuj`)iLDW^^T1eB`nL5CbDflNQtGMj=3))HlpAkw<}eRmDEK15 z7Zc_U!{#9P1dayLB_<^O*DyCh!le=>Qs5AUP$AHQv~H4F3&LewCTp^+DYRIj&&|n= zqYXRN@YBx2uQ=Q^;g<`aPW%A;T9QhlZiRU;iSm+KtW3_07iO5dBUBczkULZEm2_EI z{dW&~cFAkMlJ!*<#4e#P{b~gnlzT+K~J|2Onl&l7#K=vzoLD*16d*0&m5v;e>1aJLDbFL(iA zrZVn{s~YESH+=mj(T&_4!tWG*7jfppvfQ}4+t>?2o%0^C_lmubEMr}osK9a=_ZwZ) z-e2Pbq8}9f5NXCbl`hY?hYh~&4z9qM{zXc4_yR@%7;|#N*HP_&vez8yrV} z(gy~2W2uM3eJJ=N!59C;EHQn@RHtN}@mP2V*yc4`N%y{wVe*vb>^1O-%w{xKLpp<$gA&AXIjL zk+W6KHae^x7nRp);~#vgFyn-e@eerMb{W6P_?-r;xn{7_LgnTkW}X<#KV|+Ua|cac zOHmzmMlp6;=!^PCY@-9!1i@cDvRHq1G`_sKUGPJ;5%T3ce-C!WPiTaQZ%kfyI1hJt zH-n!D8E$vMdkEe$!0c^tdl`IYZy)mBf}055hcHtWpL$VrAV;8=dS7#DLhSdGv%j3C zbW}{TFDK!e8QwFz4Gs|ATzCuO?Qn`nI-V$sM54Jl@py5p2doEV2Y zL;aC^e-0H<=2#h6XUSSJe8#o4M(3`2}^V#P&y zg(=s;0-E?McpR>y0_voI4hsRHrWVUj7GZ6cBzmACg-Qn`3@eibdC>xQxCM0YQXkL} z3aGOJ>JkD<=B0}ASZytgpbDFxtvx5xaa3cAQIp3G@)pn+;YJ>*fVwH5?hGi~m4w|S zHSgE;Fr`tb9rTovBPBv5n-lX3UDV(OAt%NJ=L(Jo7=4yemuK+fq0cg3aDm{$0Aun0 zQLdN47lt95M+rV!@G*p0*-jL@-iD5R)u-06Li-5qOO(%LqAuxQ!2oWcQjo(fGxIKS_Ll@dL=SY(!J5dXzia=)o8GXYCZx14R!a&6t$n`|4n0JGAla zsbYtS9ZHrliRNTK)eJNKmry4@P5kNN&mgb+g8Aa^OoNB9^uytX3mzf(EW!*NO?iH7 zcV`>_a+pJNj`(xMk0h_xG?oO4yYq~G>u?2*=^UcZ7o8x@T!jUx!nT-2rVO6ouQn+q zB_&No=~xoQ$}z=8r&FFT5nU>}j5N!i(!_W)8r%hj&+Opw(Zb7xR}g3REKO#(yLF}% z{rRraq_sh+l2k2e3?;@W2Os{iC%n;b^U83zjOZHCwSkUAux^qYYjh32o{_E-Jx+8z zY3746blr|O_Wkfh_Cm22iM^OC?`xtcmgg=pxJBqym>~F4!4nBHVXE*o5Iw4s4DUL^ zC(LESCkvlKobf2e*PN-wj%?}KX<{!IJDn`!Q4r0ob~6l~@F0G};jR!oQ}C69nZHnB z7>!Rk?keN&3120z7C%e;Z1PI%+(LY>on!R5A+fI!eXZ#0NGnN_SOMmGgV%;6xk2z; z!8a0C2OC<{5~`m;Z-P@YgIPcjr{NUY<4b;#UPh97?1KpA+yGguf_!DREYH5PG%`AFY{}%<-dK z(BzP_OwKEG*cFeQjD|!tmz1cfD|N4$He*ZnT<$e#uS;7_jklGlm*-X(eQijkH$<-# z{U&MVngV~5+*>A03cX%$OIRggH3i<(@-loA#0#!1%MmbczqfeFt^SS{?u=gbX$NgZ63(6KLKT7$Didq_F;U@lUMrAO5 zk+D_AHX7jx`&o; z3EvTLBzOd~LjE@V0$eT+_mA*K2dSNczX~0AE;jw$1^=CGraX|P8@XNa6PhW)8xv=` zMkORn43=t1Ga z_Y=Lp=%%FkApa|;<+x_1)rYKhfVAe)T2N!%A%fz+pcq|F<56Wg(4>7rF@2DvmXcag z;xmw+TY&Lv2OE9peEf*R9U{85=r%j)Ld@+r)ab7B1vheSMYj{(z9EgTBSs$)=#HX0 zi9W0$9d(Br-8s-li0&-9OG6sl#T$KippO*YO?3A_7h_w+aju8a+Ya#MLQl~-q9df4 zPx12LD!Wm`H_Y~UOn9#FIB``?GG#8$*qTp`hlJMXQKF9) zeGF+vB$+P9f?KY);homuR~+tG;eCYnCC=wMh2eH(hlAs#H3uY32Q>{Wr>7R31vaR#sL+H(RkJ`Fkw^Z*BvdPTtWo}fB*90 zd_}rSGg^f>RmrH9F@^>&gBwv-7L~J>=uC-*FA^CkHBxG+FwbIB-0|px8*BJ&%ke7? zS0{X&@Ot9B=XjxxcH<46wZLcB3k6>!_+rA$PI>5*!2AoN-@l3hBj^dDFBLtJG-DDe zh_P&&WO#We(b%+6_+;Tzh%@k<+yX4|GS%pOCIAjMP4wlWr;}#jCD=q2Nk7BzOG6X+ z3gI(_Um5Ud0aom-aaS4Mv9|)pY;WPSgwH0hZM~#&Yj*7sxv*p}H?s{{s-7W=lF67LWb0ZzzfI=)`?rt)8ZrGh`p5U7W-$Iy0 z9VTwOTaCT!27j||6FXn*09|$0fMLea78y#<{QJA8@z_WIQP2AsWo$=!(_8P555My=>}ZF)WFi;~qBs z*zoD{5$TUgUr3!Pi+NAzR>Sl)T+(Ca^ge|r#3>(_^Msry=`f2>L6!e0!`B4-Y2nWZ zU(^8S^0m(z{zJeQ3x7`d65`ARST!yd$qAPe&y8RaJNLZF>r#vuqV|I17bP#H%%~M$ zFc;4ClHniUFB&Zi;md@-LY$*@h!+;1S;i$zumO~N)xkK1u;ZVsU5-a zVl0`Bp-HF{udopE`~)xehC*1W5Z+`6jA<^`L_{LKWq9L+kLlaOR|#Kjcsv)yu6xJu z_9Y&FSNMCv-w(J?whs(ne38dL6#kL$kBPH1$fiSO6)xiwQ@#i(@Tru~qEYDkzXfcy^IYs7^Rd$YGM!;dN95=C1+Rv zU~ZJMNy;}=_@cpA-O<<_BIUj{q2xba_)fz25;jxdM=m@$I=2tB#J1x<3pa?%T@lPr-i)-VxxUT68`AZSYND@cKW38?{u!0)N9L>+1QI?U)L81jg8-OKRK zt$n)gExd{FeTe&XjbCDFJV(grETc;>xUy(= za$Z+6BHNj(bM%yvBO^kC#VTihWNNX~hDN)hSdE%k5Ka}7 zm@6?(kq^CQhheZf?oOU5KZMS^d?^J|3aKy!l2xc)rm#1a>t)83-{2o`xT9noE#sJA z;Cdq2>*;OAVc~j?mC;8=UmE_&%^zEp)Ywy8&2gsn3RiQyw0_b~pyqE*JbR)O&4`B+ zog|~bi~%(Ki3%F*40p0=y~Bx4kv34;AZjc`kz8El2y>qFD&uIzj2mq7oG>}yRLMgm z52dX328!l9ruZ-uVxeR{O~UCC&Y<8gD?fW#XPR+LxUAtaM#wlT7|0KW<>?Y6-PvaJ z4OeuIjB{m-q`^p`mo()P#Wn6c6AG5`mg1(4l5oC+1OHLi-|MhSWh(`bC(!Bt(lMb1ksm@o)~C!QAHzelF{RsQ*gM; zL{AnyCD2$EI6vy98r?PwIhiK_xxt?27WGw4FB zKs8Zp7aag1H;SP57@Y{L2y#&%;ks-Oczr%-w>&YJMc} z(dbrVPhIKR+r-WnyMS!=dBw~LF132Q3GG7i-67#l33pLYO!6?V|HYV3E_MzW{ zpQgHd@pqWJ4}bM=XKGz>nX1C~n^AV1e=r`9@t}-{XmGFw?`1AWuX9m5e78-xhs|ss zBKC;PM`bRg$rm>Y?o1t~UOs00_2E%^T>KN_pA0;==|;QJJ!Slt*Z7z{E&dtti^wyj zIGhpNQm5RrCM@&oskp@wo|CYI0wd%wsEz#d##hw(6TBe)Me$3?v*!h4zROS(LZN^R z`jSbHgo^*ml9ow&g%Tf%Y^-R!YR0P}TCd4?UB+@6*(WiE#T-`{-65pv8=_Z=e$(h^ z49h6JW%S`(rVWRCTl6Z?s{@T@2zEw#$LOEW7mVp2qTdt!K4~Qom!>L9xDSkP6Fw<_ zDE=eyACp(%7l{;LqY$H;o#;dVRP<+}KMyq4cgIwhHAY`l=jks*e<^xxpwS#c`{^sA zhla4%iC!;y18KcbYD+k3DdWC2VZ~}6{6-0zBz!|bZ#iV^Jgiumao?KJF(mwVGQO9w znFi~L>`dZ<_4rKXelTZ7ILj6}Kg#)uj{5F!7Ovr{J&b-fsZ%)7FOs%O+D0i`4slH> z{8#pY&I#qvcKkHe{f588-0%2nnWw=0Vf0}k=s!jOC3**G_JgD=$GX3by(4rT{3Ete zD~9|Z{I!q^-7fggY&;GRA@7Qx&~y;pm^4Gql+?N1j6E-Gl)SsxJ;d&5Y^KibWo+ND zh05Myn~2?KC!2Qr8rwdw`-$COY*VtlLzo>)*&9Fn{w3gF`j&3LRCUA!u-0o?` z2A>`Tw-el+FsmUc>=zh{T9zRl%o`Riqoce|@(!cN8czk9Y-PN5>>y&w(80cRJ3>ll zDP5?rGFnuIsW25-TuhZ7*VVK^ANd#_DXp8d?$lWM=Nuz^>#uc~6rg9Jhlyo>da4@hsYukjs0m#|V#g%pN{CZn!lA!6>GBMICJYzN7hE8?kT4UD-`=sHqs6M1 zd6$N<2S>>}THZ1ALad^7rS-123Ee`hj+M|yLSG6jBk`6}SM+hl_XvYtj~Cxh{0Zcl zUU+{N#JFn$7Bf+LooHhBaH5kW_Ln$-V#t}f?qs8T1o{-w14R!CG=|b(!suY5&j?kW zQ$-IEJ=AFA$s9M#=nDgVn&{I-pFx^sWf}w2YZL53JkyME`}({!T*e3)XVGA)`b5gO zvrXt3Qt2EC=Smn!AzUm*KN+19E_RgY^F=2}voXyy#e%ln;ta#oi_D4yD=8}_D@}`+ z!CBSWcX_cHwa#BgiHuSiWi%M8(fIUV<1R3|FbuRFExKHE1!-P%8p}FpCU&I>IU$v* zBveZnLxCBbqaK_y_~DR38NoGzYY8iKYy_d|*H{y(_wbRglQ2#~Jq3LNLL%jdnGmS; zj5jYDlIcQu7s}Y165Ne1g?$jm{16x7J93}C(rP={Wih#1ur1XgvISE zjIb)5eK>A6tsq>+9n$WUb{93?^%TZ%CsMi>cbjr(m=kf2lzXMz7ZlAPFR#y_4t2jN z{|#UA9+2{&l!vJBN~){Mu`|2DkCpfA6+1vOHhkIG@GQqDHT!jxpuNpigv=3hs{JP-fg!%qqRAQ)tt}wn= zh{+q`SBig=d`Omj_m~Ld0 zFzu)ir4OZjB<*8rd}L6QPGf6IysbYmqbSs)Kb7&BjL&KCqLDYpvvgTw{Gs7v?ib>} z6u*{yxadOnmC=*JMXwXRUi1di;lYoi`%g2w-PdLv9j;=dtWC1MX=vr8&@GqLHwm+j z3D$SAzL&L`mNG`&n56r`;FV!O)fT}&3jT>OFQd|t{@LjL&h*dAFQT`K-bR`=4UCg^ zsMFzdp|6?!YT~-_UfeG6H;KPfYypv3%I_(OIm>1E49nF={xG|DxS~I0|0R0|ZAOxI zf&1I&V*~w<=tc*tRe`^{{&IXBcDvxevW<$n{K|rESNw!Vh2X}7`Pi|dg^#6}9B#t3 zcls;YUBVs`_N2g4thy9mIA)3U5f{r6)_=z6Rga1;62N`w8A( za8ts}xfq5~ft|xqDm63X#-tDa02$3?w4lM%L1B-yJkaQlp`<@ZbW72#NN3AO%oab` z;0^&kL~v`tZ3y$B;Fyq7MCDN9cNF=kv=!e@e0%aNPq}>|hWvCeyhCVBbrjx7_+iAu z!(FJ}j0~H+hnvSmiuZo37%yaJGD@1yT#CGE2I2c^XxOi0frSdq2F*9VOvt3CB=ilhF%t zjPrH9&FL7NW99Ub)AxTJjPrEInbRRS$IIy_=L9;87*0^fkvQ%|6Ur{Z?>O8^68cLR zK!G$XooV>Qcr${b0P-8IO#SbPyHLdDU!d!9+juxP_5N#{#SP|{;q zg@**+iHmmfp<0s^pAw%Y&uhngOtigQ}PYAP|< zya+2H;(uLbVJr{5$5$(iSqft|!(g5br!gy=>R`$@SR)n8xHq~;70{73~)My;^Q%c_utKj{J7vJ1V2fb zm#fzoM(tK{Ev~0b+AX}mo|g2Cq(zjNMbUf1BI;Sgmoqjv++yL+314D3V3aw}8@`Y) zPU0^Je^K~S;(TBnRw=>%xR;DSF|@p17QamVE99BNR&eBC@(&yJcm!TG_ta3ueNFD` za+lL(PQ9Ug28uyhsIU%F0le1pV20F~Qnc{ek``X~> z<^BX41#c4k%}yA3>RW@44Dfe?zZbljFtZ?^ILs^l!SGYV!?s2EkHUW<&ijnJoGErc z8+~auA{a|0daLMdq#5m;IN)CmUdGGE;kFC@P4Mr8Rr87DWU!MMR=zdi%duYgQ^H>o zc2H1x76zzhwZBap5pu>q(i$D2rVIY+ZMQQs`J1o{{w3Rt84|=@@e`Uc5*t(W*N)i- zyBXan8#&C@5WR=!JxO!gZ8FF0W$5jn`wQ7yXcM9P5M?rz)w&$FufeZ}9`gMJ?=QG1 zVa5V5Zf`TAmk0U)(alA-Ani*S2<||`{kH^cpCP=Z@Kz0Q?iG8m;jOaq#(WInt%bMQ ziE~P}JJfJLzYbqTgtrsko;dF?GEYu~(dl49n-G3S37sSyMu8O*@*HGZnm~;~trruA z2Jr}qoh5dm_^+a@f!o#GGs0~?Qf@c7-RUxe?#v$v*TbB_!RaX{M^1ze8Hi}Ie8qQQAsZ>%KrS>>e8Z|Qt zXfCQ7gq2=RTnzueJVEAO)_bHp--gCBu$ny zg%bNi$||barsBs4c~i~n*3Em<EBk5jA_fh(v+b8dS^SXxH_kg?yiH z22W|_uj3KHj|yH$m?aGR1!|Z>WIblqrrW&rxU45+JxPmKpA!9)(OttQx2HuvBYF|( zaQ`GcYr@=c{}xMlPQnrjEWorQLexEP_!(io%?rX`6uy)=W5cp2-@Rn?uuurSEP9#f zS4cBi^}@s!5TW>Z)x5UhwfUO7*X1pz$CQ$1RqhpL?GmgvWUZ9-CM{mOEW8xmTPAG3 z$0zOE5>`oA9R$t*Kp%y3@0hTtGXlcl-j(p4g!d^hUaYBLzZq|RU{+r_us)Rak*tqt zv3!FSluu0QpN$x{`IGXQl+UR!6Em3$g0#k@(?V*0A?Zs=Yboj8jKhpB_m$CeLTzB3 z==GvEkhTU&Cff`7wK-iv3U8FNNzONPct5#NL~XLh?##F59bN7d`a5~w%iBzkb$EYg z!Ug?c+Hc|hY?1b(w4bPDGaF}5{cLn~GlYf1{UUm+=xwBVK@nU&=D+c;`_-J8ArZFA z`AyF64V_qwPR#vb&XvLWQ_f#6#$zCux64O)2qV;3*36IOu=7W@cR*tOH~uU7r;i*1SbT`r616`3U z$26iIM&HoSKWRNh=ZKDw<_n3miyC}=fMbGl1;-n}8JB19+yLhbE)ZNun6WNSB`{~8 zm(fRu+3iP(K3eoKfd-pMy52^wTZ$lXxMM~45#5)xFYeGS;3r!iXVUPHFvm;kC+P%A ztOF+91@1&+&kLP=CyDJZb^uwQAWTVx5WOPmuJy7%@(#oSbxshmt&rO5PJ1fNK zRCz<>4W-8z)g{Z^Fk?G}#okX7d%D;&$g)Vxes9Z!?`LP4_TOgy{tlNmLfTo>n4PWY z^?lIpY!jQU!oTBi=SVzP;>aLkH9NfP8eG(QCQhH{&p1lr`4STp_e5}^%Nh&knsIgL zuTIKH$w<>+9D`vWxr$A^CWs{xOC^>C@qa#YMcoA^cH6*9!^Mr3ST3=G;{Wp_SKL)v z5M4qLRSKe7L5yJ#EX^>9v}|ly3iF!dC~cit-*)$jlaW;;tCkjD?N}xdbK^6Sc!3*h z%5#r+rB2E?DfLwNn%eoW&24$-|v;9A~J4*^c`f#ElV_T`7dKN9{iab64aK`v)VVf>gW z=Y|aMsg%#8d`^Y0MxG&qdEi(TM8n8Tn-|XXg|siFt)<2!@MUpjZ3Py1abKCWEELD< zWUZIAffnEO-m>@V*XAt^-bQ(wla+>tVTrPMSVyS86V zekM#N*)I7v$-h%(F{{%yJnJ7O9vRO1r^LS`?x4u4&s3+A7>$Os$qt`Kg#R{m^OgR! z_>a^^ZPY@-U)^+!85oV({}}0`5nH?9_iP*Ky)a>RSNw!FlC;Lun5^s?vUBZb($Kf? zZ#dlUlJ=0aCne@QY zY)X^)6Q5gaOYq4RE4m0JvYN|kL5o!zOfkvSW28_;M%y58qY?D$V!U^~ zJJ5pozOfJDAO+Dbcnpx^4id2+7>mG4mGJLOrU8ishyW_Ow)U3QLDaju7XnUF3$<>knW&||uAUN^hak<$|{YSNfY8j-{B%Lnl3`%@bYcp6nI#bSX_pr`1>#e(eb{Z~ggsih@F$G~^ zL2O?yMikFBZ)Nb#k$0}VkqtaFe(}AO9}qA?^gQ!k58fzw=gUjbW8OixxWl)dOuV`j z19!NmT)itY_w3L~o|K!Co2JXE9O8;mZ3e#@PE;beRB#z#K9&A0R8@mw>jHC*2-#w^ zoN_r8bl7T?qtU>XX6ze`DjC%>#?atd@Pdqo_oFjs75;^X%gCvbQ%i?g0#4NWR>zuj zu@p#klEz7@Zy@EGG~T3pf^?yzizHp#K*}@e5|iE!(gaDDN}AX}Dllo1Nq*uT=GsV_ zENKcQ-d3gD{|w@qYVNKf4X4SyT<&zbqk@a4F`oliQ9Z#oP<|oi|HrIlEL|Ik;$LzK z{^tk$LtaCGP%c-x6^{SH(|}e_jhkWd_%n3eUZHr*R6MR^JX#|jtn}rftBwItk7J?x z?Eit!)mK>{=Y=BhY6UV&fy`zgytzKxIV_-A?&g@(Ii$cflCG6>-M^%ejjlJTNsw-k zG*{A%lp6c!Vl#N7M}>IJ6MeJjTS&9!m%tmCQM%Rm&a3e=4tJaQ`QjIlXHg#JDxk7> zyD9gtm4R`-<08~!t2i#Xf^!XFg= zP{8rbV1EGju;JHbX$+4O{;2SU#90=y8J8Q0#P~rX;vO@rC!ca0?r~X9$a<2NzW^+9 zY;Z-mfTsmNBX|*ECO-m3_rbG9ci&ebV|bkC=R_|d&E&+|%i;b$Z^|IPQE<2yq`W9) zDHVp5&(*#1xV{AbU_mm|>Ti~XnLg5%NqdDF&lHd3hcmruO4BgM<~1p=OIc2ZXNqyT zG<;CViN>PX$7O|SH=gLv^oF#R(%z)T=R&}-1Txd&}G38x~o{GxUWr`6MBF) zO4=mp8%lgTt9DeT1`+N~k^9!X2SdH+J9*#B+f0wo(Z6a{Ffkv<%tgW6BJ)R?Khflq zQ&EPAP#l60iAS-Gyjjco`&z^=vbM_FMvE6`BMzfj@a0#NJ}mXpc1gcU`kfMUDoT0Z zE9L$$B@x=Ae@gjF$_^@wUBmuPY%OorcisJo{*l$_P_@$VSFzjKd5PZ0UGQtRjg|_% zm%HL8w9zCrrsSK-8l%0N@uNc2b{D^g_&v!p%Oc5BRoJk_@OD4oR~&9{;Z20^Lp(eW zg>GM?6XAK-PxStxo04XI6|bgf4qDUblESv`oEv0fSr8A9*j!=@icGKu8K|<#9cb3W zArl-VtEH?~w6gge3j}1domI&XHus_69wN83+%|Og!x{AgjO?sgA8Ov;;qBX2UORd1 z=`qVs7Z&LbYe)DBP4Z})P)lN!Ottm zU|mylyP8`crWPD2x0~GVblGMpt7LnT4@q8pr`^Ns&N)6e_LQ9?J3^aPMyvp2XN;PY zKN|mp!^Py}%8AqY_ZhL&irIN)9}&)&FS|f?A#F}>sNlAI=}OLI$M!U)_cA>ZTAW8o zKU(@R)R|PpXoz$2L9}qE+uPi9_@Z{K+&*&q(me=n0?W~9zF<0o_x(=)IP?Du)sW-m z_mh7DeLhtf2v&|IS57p1d{}S#B;oyq4Iz;MFs*D^KG9*6C@VAb`uQ=Rk!cP}|M!@xC0BlcXeBX_cS?mS~J59}zh=Zj73WOH4SvC{&Z6q^#8Cd(IV zaSiHd#Rgv%;1a>5g3Ac|A`Kn?7Z`m(cmPL>E*D)vS}z)Qm!NYnqs@^k&ARq@|L|1F zs+Ki|77M}(Z&|VAOq>+NjKms=wG^#6h*ulyz+=tXJJhi2F}n`C%ZXaZj* ze6sK<#F@d%v0Vh#VCPPiQ%$J|3+zvma=Dc0R9L%9Rh3s^?Q?W+W;ms3hH0OMl})dZ zHdES_)Oa_`s}k7n_bQ_&_x6`@wdh%*XE&tl-5jH*1o|4$*NVQ5G_w^R>T-9z!F%8A zgT6uVT){UI=3T%|!_J)8>c#lQhkAaV_?yMwLY~!oyIyyz8J~npy-mh^84GAIQ5{x& z%|tU?0^xR3Zkpgva)*>VrQAh@sYAHl-EH*XuwcSHqVE-bA8B4fIcDEuKAOAV_|HT7 zJRtr-@eh%=2*r}+SjpyLQ|5&TJtE~%DGRAE@6}fBTqWW$bGqH>FXC}IPsn+a4)dO_ z8!aBgZw{w;TKF@<7ZGQ|ChVbm){I?V!av|}i)B0~V+jprJ(YM^0gJojVOH1krgaO? z-3!uQl(v)_n?%;5@{$R?r|>K|&&v{)NqB_&%UB+aogFYM z%=mAPH{Ou3QpTIXh}${dGGlm{1M;?vRWer7;9W%hHnhavG3CrqiF{Yeds5z~(v1pw zFR)rQ)~m*{XINyE|3|bi4+}TP*+xTe2p6-)FR=)gP_sab!xz&J73fC_^kW9<>wu^^ zR@RJ7V5YeH#H?6&xqT|@Gg+V0%GQ6Q>Iqw8{NEw!Ux@!w{Mwy-DVBz;cV8L*X1D|E z#IF~>fjsY7EEW>yYcoa+@^@gPj7>7Wp}|rEE?*(rr%)Ff&QS5&( ze8Tx2-y-}+;Xe@%@2;r(+33;X-Svy;t)jP)W{uP4vtoH2_p3=;!c5lfl75r)J0-rl zP|?tBu&3w`6MKd`@u$SUB<`Tde1xH>7(lH>eg8IP^5y=?{zpoqwrcU5Wa5jCw_nNP06z<@vo{GzKS<9@5PW{2gqwKuLV8c z%#^-B9BA}_?f4OgJ4kd((XB}Tf6jt$#0Q)Ad^pP?@>|eX9?MhS*0`27!DiJZ?r_tp!aY4gT4!lp zsIm3%uXMy}1SMr0+0fPOCE+@cl-*5sciODN|I4nfs^$!7>l3{tLnHDL+Skgg*0q z_F@}|Q4@a+R~wUs*8)kHM$VjJ&K3((~4e5M$rqN>pJzVq%(PuTJ(S$MD1^OJ(=ZYRlnq?}NPQw@O zq&5#Z&!qXG=|4)+`H~WpLa|-wij2;LQzS*FM5jsf@u@()91CNiJj8|?8CPuDg#P|6 zlt?R;Rz{6Q+*{9K9~ooMecZF7#g>b$Aj@~Hu0j*px%yV6S(k;&sFGDJYYeUIS4F4Y z1DrGA!0^dABcVn@Ed^dlC7wT~S9Z$08*AFU(|zpfq>YnSPmQs|-Hzq>rS{Tpyjf#I zvRx?aB3T#H@`;R&{Y#9l3-kohmx`X)kdC@ZMvn{hWuhmGo)T#6=YVasry9ME?`|A! zn&`_#PbbY9Kz?3f+|4k!=nkMZKSBst{dNyem9l6o` zcmbYKZZ0~la;~GptK!~$<$h6jm6F()@p^N+TdPLyT)8*WW$Y@j)N$I~ zWOUS;NETq8_0pI*`DzOxYMn*kmQmYJ4g3~-M=?O_sQsSdjQCDA? zD#c1BPnqzspI7Xjmhg;(MHG1H<@Gg;)U$>sLrN_c{+#e7#Pu-5vGKEe-smqw)%yj} zFN$7Dni&?K6LZ{429KSN-*C8>1uql)N`Uk8uuSZ$1|Jb}_iKV*7rdNsHXf1um|J1= zk`RwKM6VS6CTZRk=I+8o3d@>gIHce$)1FBvLRi{a+A3+Qsb!zHf|z^9;2t4H?+SiT z@cV@QIr4I_G82}-=IT`+n6@aK<3nj5N&A=@FC>>6iMvmXZd~MJ^r`62M1LM=Y+{PB zqHBy^JlE4-i2hRa+CWG0bMqtaE2Fn}@bo&->qT!M&76Sk%+dUEUmL!*(Bm70Zxa3u zaTcb0WUA`Z=ogJ*wd`-r>bIxQ)ZfYaUe;z>tPSPmM_5#Fv6Cv7$t!d}nE0PL{&ZU; z{wVP$ip<#9!ZG_f`)3oz@8X4DBy5$ijRGGZ-1EGMwwc9Ok6%q%9PY+;Nxw<@of6Xk z8+Al;3f&)u_nP6)@u%>=gzq5EhdM77&n{=={x)OyOmF-nqftAxOz>AlhoxEp7JkN$ z**3}WkY>B$C$vfAG^WEVF^Ag;>}FD*Anh(`4@rAcV!p!O^jJG$FQdyR`DpDex{2t0 zNb|Z2qa1eN_BA~JX^-zGe1G9hiL(H-7-5stX6Bp{B6NV9=5kulVT70$Bkn+>SKj8& zaFFPhqFa&X8DfPwx_42mm3Xi@U!CQhL*%rU(}s>NxiA->GY&O+|H+_TbqX`%2qQgAoH z-3hZr#LOB+{;tWc6y|!E_gu)YJ>})di_lY)Vlh17QKPFl`VfbUiOv-rC*6|2VqBt2 zjZUYlx$Yv|jf?Lz#9!yPNQkKn$9c~jyM4BbcEGVVAtMum^}$IIv^;{+N^0q#YF7KPD8 zp|N|C=>DPykY@N?dlp-Ir}N#(X50{ZoKKN4P{tq{j6TNL#NA+nZwWc%RKY_84<*bN zer|rYj2dQqyGs0w!<{Dnbn$1954YWayhCw_QETQc3AcT?ybbJmB3 z;SF-;%DIsaYY8O@hh_!8mY6U#tXwxw!p#zHp}>rts7B@GR)f!5iQjOz+XT-SynwJ$ zDJL&hbdMQ)S$J|D7yN|a zCj(rF&UW{d!6TL+037aV!OsX@M40iwj<(p!@L8i*mkGva5z)_yUP79MaAmr>lxyhX zi-;NdL;ZEWAmc?DOKC9X_$ZKYFBv?LU-fagmjy2q{7M73$h~UtkO03X_;ta{2{TiU zttwMr;tJ#2h7^B8{7Ug}l4oahbv-r;%PMb~(!1J6{%t9%q^zdG>RYNlQ(RlA@e&#L zj!9$x>!o)ky(j5?N-T+D{PclsAX4~tiIEGKx?|#{L-Fr8+=miBlK3%2W}`%TQ7sfa zoC)`dIVG=4!NLV{K9ln~9bObVVo?vkyq&aLW6HK)yz+&VFQu%d!UwH9U4z+qc$&X5 zq5aYRg4Rh`FJVIv5*UAz9*0PMZNh_Z_%m#jut~x<6nJO+g}85xFAf*+o%rv?Zw`EE zJ$ARn75rfQ8=ZZGwut{x{7>Y0(IxmSoObBVb?#?Vt_@rD{vu_olx~CU!C(A6Gsv1+~{xCQiHrxJF@Lz&=1UM7LZqR=l{OLp=@qYw2YOf{){wn0; z=+r2;3;rwHc9;=f8N1>qv>gODCd?WJKB8j0A2y^?MQ@bb&Aeut@Xt8h?(+7Kw3Tn7Idu61w0O$6^lnCX&2Cv`EU+MvZn+tA1 zm~HArH5RYHTE&Vy)_6AU!Z-1+INU+fT1sn0P4U57@?c|s4)HleY-_P?0*eXn?oeY7 zTIR!TE4H23_GGQ#s=_L%u7erOnl;b`3TGWf*+A0_x`!N(BhYlFM#)wte9A3WQ~<5AFHjt}X7yqtb=PN1XgkL7c@tz%fP{Y3Nr^A&=`;ZBm*U)}(E zJQw%g#HWf3_ai>poB?4Qw^QT{lrxA9-}j@dQYe1hV8f>s_{%v}_z>YkiSy!F!bjaO zqbG)9{WQ_1i#~%iBZRRv_`b{*TiTszPUDmO8HURlA?GYQyw#;;)z!6}MdQvkW6ojT zI7i00GDgy1sh&(>oOu+Z`pz?9QAnpz63&;9puoI=Eg)mA$lxQYeCSERDZy#NEOE;! zFm;Hd@bK-yl)NLoQX-{PN*NX2zwAB7a`~lY*mMeeMw)k2xbLIomCLK3$JZymGvTtU zc8ZlIo*OEiRT8Tuj-kkxb*8?e8aXUmQ*|cY8P+GxNUD)kONnR8#u819WLYKl9m%+{ zCKiNf)=3;Ev7RFDDkdJ)VqYoTB8;*!=cSa0Z5`$YW5Q~lO z1z#$7B4K7S%;ZLNCK)|2EMI?_=*gm|1iA!w2Lr2&PKUSQG|`ufo=%$CD^Y|G&JsJDEVCkN@u)JPQ+|#KA2jj8H4?6s zaGeP#GS$Ag-h__(df^5Mb0yqJf$_&S%vBB}!>~(?8GHQU<3CTv%`$GG!6&@DHdTl5 z;kO$8x}z$w|R}i z7|wg--7D`tdW;wEGE(Y(!%q&k`2pb%3V(<=<5ium=UT{V_pk{AQvO07k?^R5g%ns7 zLm84?48Zt>8P7j1{t59*Pnk1&1%hH|Ps@2m<Q|@HmYQyYHqo zo9#QDvjL1K%^UDfTb1JIL~$rz)zFrB!vA(Pi#$Q~LhLr_n!B z8g)>60)MlmGCt_-g8#@iCteCQwq5ZPniFChljXyc#H@Bye|Izdv@n8ccj0>o-;+3F z!_BC?vX?1~OMGnhmeNGZK2&%HWLl0>*w^s0LWbQ>`2ND15@%{+cg5OrwBhPqGc$Ia z;7@RXjOH?0(BKI&Sf`{U?G7~j%BwtnknonmTM_3aa1o3Y*2>2j4mM>>C$AhLrL~kc zRCtC&IR+ZmxI+y;WjTJu;o1ssC%ipzoLOec2NXV5Cr@&Vo>*XlYl6Y;YL6v9T%d5PXFRwseAw8vS zQ7y(CxL$@Y3pI|TgdZ*Z7~;HcyoB(6?`?E644pn!bRW@uN%Psy*5f!e1}zM8jtf<| z#9Y_O@1Y^pa zaP`BbjF55`73P#oqBiZYR(qv8+l+ysi~SrK=gJsKBO5PQmaIx*j~{oQDK5lol$7(O zB&hHtr5O8|HHysG5c+nKGEy?qGUM#L`#=D^&Q6-~V#uysB^%x~tRfFNO&iK}$O`j28BfgeA z&w%@f3NYKcW6hWy;#4PNoQ!%JY=u-Lkfzw6OsjqJtKN7MujuO^_X{OnB=KU3e5UYL z#Vv7{7=B{X;}e8mDtsbwKI`bn!#Es#ubO1SwlM7KG6|C{SiDfmjlD$!9{F0OS~89sNCkN?%eX9=H8obksi z1D}O((Q{1rJ-jilk#Mbq>nQM6XbWF7?b7agGw$BQpW+4?b7kB}gE5Nc;T%@cmJ@LK{t77Or{mbqIEe>vRf+l0>-zJNHhQW55(VF49)yYXAYC(Jv<-zoks z^6G$QjY)g^AphNM(r=CYCEO$FUP<>+;`3015!cwf#ptD>+VOzs2Sq;=Xsn}+4OSjD zdQ+(n`w`KPie5-scc7MK6FOcWGvVIBUU*!>6B3>b0=v<;5xslLgszodcv`|U5*ATl zZP9;gDox}2QK@^@tcjsAu~^n~vX;Rx@JfwXoZ7ntCi+uED#_VKYnRUQT_(vRWovih;Hqc@LKnp|h&^Z6v zjHbcZC}We1Z)kAH`Ofu?Vwm-r#5ytTC;8UwPeOtGo$T*rZ>HT8HkOM=4VCjngZYD* z%|e&M7MVZF{D~%u1}u_QQ<}l@%f?4T(fNz`t>U+lXEN&5nyvP*I{B+W0Eh zb^Ld>O;Q|cI=kX0v`K_F4mkFo;{p-889u#-4}EvxdkEi?xatO>+b81oGG)&{yt22H zCQ|mHk}V5sN-;Rf=y9Pe+)woWqMMRt;>2=LU5mJ8hEEGudw}rf!dnpMGlSu9`kt<( zfDYU#{orGCkffH9T2bPC!vN^;O_5Ld!KOvRoA?lEt);c0#%r&s#hW`@^d4$Tp9TKj zwUyFNN_#47d=?ZGxemroc+AJDqu5Sj4EfA~blOw5vyZ1D}zwja z%{pWsAG?^WTv>5iypiZ|M`POM8Qw26`|^bs2rnegXl2mwt}JI=xR)8J$^HaK$v9fZ zF~LBT&_HH`y0;l!!#R$X(MLvK8oUrTsIjIGDs1eaInJynL!0_|S^Z?4K#Qe9T^czI zeIO?qfAK>;UMGp~FMa@d<}OS*t*pi8QKlD8bFyh$Li6bqX#=GVqQ=)v2{r+&#s-;a z!n?udGzreBa)!tmN{4BTHLymb+B(ee&!_vCohJNr;b#zM2DYX^#GPr%*PXpGT*?S3 zXHnt9i_#%C*PU(jrA$X0?i|tQiXKUtMX%qn#lLHLYtA$Cr%+)ZCG&il37Wimj8Wic zJM5;Laz*A052Fu~a#C{Aba?d|*N}F_hMyYn65*x7%ZT&7V0>OHl^?9jWKEVerGbULQA6aWnss!rrpdZo)^u8`G{j@EM2c&}%`oGXU|b<%ri?2a z7`a*FDl>)z<7yeRWXx`0@t}-{8W{2HH9TxaeJ~!8@u-Z2G&l~74`;R}wezdv zW9F`$4+MvMT<#NcpQOt=04p%|!RslLx`q=zE$JCaizu-R4N^RGCi89Zta*jOTP*K6 zc}wW|ljVC4?HrSi3DOIaUX-+y5)0mZZ4vbqc`e1XBw+1Ad+P@UNoKcTfFt1&G`DH6vJZnvA!&$nfS5T)Hk z?;(0m((Ffz#tL)YUIs7B6N@#u1UC`94`E*l$Mf92M$ZeS@P4BA7u}RJgHG0>Be0pl zQ?~h_4-nj3aEkz^N?nCJ(BM8{<@JLEw-nrpFyGR=)0l=>mMr6NgoDkR5N_@vvRcb( zLyHfjS?*9XE(u0k8SP}Wr@?{{jVN^OVPEyiBv#upsaa@3b(GXe(qWX;Gs#Ud4>x$; z$v*!aA-J>PE&)zuN;9sj!E<-@@R5SM3GPmqEv@3>YS+Wq+UB0^DK`XYorTLb14wQ6| zq#l%bhD09yw}Tx%*;?d>2<|Dkm%$D7cyo2A!_Qq1qtjb(AHjVIGhOoeVj>d`b9&Lj zc%_GnK04f1tOoplmV_aQisaq$tUg}t? zthlHqxjcxr=nKKMn@nqvHcr}jYAmTMCvicTFv0PqwhZM&;gf_CQj)7uJj;|v)SxdDTu2T#5D|pt=lBN`pILtS!@q; ztt(|*{R2msFXcKZ*PDXQF}^^Sa)T>#>{GP`QWi>CM1^-5U;Si9hB~~1aUs)1r)U&z zlCW695(+Wj<&$WtV?3rd-0aeQmbAA>S}N&QO3WG!l^Ey>w>drZ?3j4VL@yV8yV0B- zQx@)UdccxM-zj>9=#@s}VM}7cET_M28KZx<=vAWcaXMSfrNX^V_c!`J(f5mf!00p@ zb&2qx(|ZkwVXqebkm!d=vkFP(@>mnt;kR2w_))=+34Yw*lk4!d>DAofGCYmKchs}3JI`=re}`B>~HVn21ZYHaw-*%p;C z89x`hPV5(C8DZ2L<>5<*yH!W{E5Tn2{)R9kJfW;2eCzBATSxLcvEPgRfo!RYz(UgF z$An5wv&E9WuC=rT{7Kr+(te@FDq<{_B*7GwUmfo_Hpb{T;lB(2gE(8CCMu;5 z7$dd`enNji+NRV>EUED;xWclxO_W8iy;ZZ3LH(mTb#G14%B_0Oo%jFG)u-P=yoLTXE? zt*Ekr#A+udY-sJy)x+Z5Xd|bsoOX0r(QxCUQP?x09#gkmd3IS;+Dq9-N(U;u9wZj_ zAM5D!g_c;IM0Xb5Wg{BX!}oRiVx#vHoe-TQ&DWHe?%9ByHYzaRs~T<8F_p;1*^qL3 z?`>kt(y}wMv$UD#u~J&~I2k!N%5IKEUPeJikp?ec2EKm9N%nW;G*h}t=_aMSDGA>x zBOKt$!%Tl1;Xo+|N$Ft3@hsHku)7Vt5~p-#UyG@hWh z=su$RlIGKq&6OVY!<_$qTI3HGe}wpc4^ZWw_h93%Qz(Z`Wy0|P4>)K^yGmDNBOrZCxYgh3JpOBh0d4Gd0o z)1-N{;llAQh2ilg4wW=a(g~DUQm0tqo#^nA9tx8Xh~VT2oV zrb}oP%4Jl@sHDN$+E5uLRO1^Fd=?%?x-)HNjM6AMRdTB7u!txmtN1bB$&P<@OFYGB z;Wff*iSz!Ip)71b(`1bEcdUtgo%nk3W6AR_6pP7JCIqJ+e=yPwqQ{9IPnwrp%$HUj z!S0f7tg+8$C(4*4V=@ihw`5$2;uIGy=Xr62Qze`xVG0FaZ~0_AL+Nn3<85ua=v3j; zgr7m2>*C-8d$w?qqDi(`vBU{hw@)Nz9UANuhVMk2Z`6jT!HLcjKU@6yjU%wHJg^zA< zx}(txL@yM*Xk!}Nj5yuN=$k|@7QKWt(}s7MohfvY!_Dq=u!hMka+b=ul@6cpVhWl4 zHiv8P=7r)?mkC}j_;$j)R9t8-5$U zqk7QDX*1 zy^r-^&}B}hO?}RZT8gCvDv8OQo$@0$4>j{+nV-n~lqT;W zUX0XNm5t)(=Wd*0uS7nVu};PpG|)I*szG^W=k_z67};hPdy8HMR}7NO1D`QL6x6dYl5Ia|otk`Aw>^x*&|rzHJZ z*~-;rGvevCmb#79ZK?9{+j!m}s>7r|HQRXrsSYuK?G?Zd3SdVD!08#N%F1f6c^fu_ z$Q3s{IXk&N^Tep{EPWU0O{kaBk_&U~>h!gimb-~=D!LhIjwE0rbY%vcv04J{?%r8P z#Ix)nuerQE>BX}o6Jal>ud=hW5ZzLAtBq*1wpu%Vwb5-vw-w!vw0hK7g&XT|Ta@;8 zZD3!-7)NL?Z69eJsIkZ>JyGc*Y=3?`x_f~=Q=Q~?mfM9c^9b&fKT-R-^KT!X4d>fW zPC`zS4xd9NUDBVDlv}4-!lh+pWMyeFXVJp8YnburPf589qT7Ni!bGR-mYjmvw9iSACCHPEQCYJB_daPvLl?L1KML4tb_F5S*FD&>Qno@F=a5YatF_aevC^2I74U^H| zIMV5NZCdtGqK_8cpEQeM(VD_Mz>VL{I7Y^?GLECcOoJ^(^c_BGH-AtEx?2%<us-2 zQKJHqAvF}YlFh2%=gmRmWWqf~2*bZe?*xlyvJWL48DjeYaoQfYAy)TbCH$)|Fq zO7&z9VykZuIUHfMf~ZjtwG4vW{*_)&#UOG?w2aeyyIzXN7!PE73#3kg)GLs&41{gC zRLUQ;;L6+#&x-RlNEs((Je6kn6+@x;u8zZ?sALO>w?A(aJcR$T5z&bXVUj|a%n*3- zTt%{~vQ*oke86zL=lN4Sh_2VhTXw2~I88xJVG!(j;X8rSf)b~@aHf4CFjc}d31?8? zhzaMwloXs0OYD}a?K9mTY#p)bvS-LXi?*7Dcx#(Yr%KYYZJk_0&R!CY& zNjDhpZjg_#CU3aQl?oeBx?9RBDfdv}d8+YJb_~8D!3>GYaIZ`GF7cVVPtyI89-zeY zAcJR+_t;{5(3P7`iBVfEczZH>GqJwtY;)XEAcsstiIBir3eF2 zeBO;;4vnXJLB@+RUZP>mw_Fy}RFP}h?0eb0S@tl#BJWjsuhC<|tL>6OCM;wV;dPfz zG3gCSZ%TTL67#N}dTif{ELcFN{B75!nf8vfccr~YjrR+K@mb_QD(}1UnC03JqFT zJASA4vt0C(=$}RZLYm2@F*q!ljt0uFu5`5G|2HYWOZkHe%c3f5PMyt!KR4hu1LH5@ ze+&PIIFpMw9`o?8^UaN4FTPQG^}Fz|DzjRQw2rUEMB2vqrPTBKtXE8=P4E+XUJ^E? z!1(0x$_mln%<*j&<5wJEbKzSE-;%h;2je$eIp5Oav$gnb#BWQU!E*y*1izi*r%h1k zcq=4)2jM#sXI)&1J|3=}T=>YMzq5p0Bs8JG@G}^ONBFxsUbOb@Zo-=iZ)UhsKO1&; zypzR#58=&)?`e23t&cOe%A{gT+2Cydb_!%}3d5G|y!h0Fc&G@27N4OKhDkVqg7QKsubt@ljQe8vCkY=eyv%Urg+dtNcxQ`! zx$p|%m4@d^sX5Z|C39owql8xpuO`k~xAf95Q_P2x-8kLGHAl;+kx~0!gOiKLxG~L) zIvMpc#?s&gXG%p?aJ+-HiyDNF6F%PXbP1o}_@%w#6-*R9N%&;q8?FEgVTV)Pm|^ib zRmN#DrqEyoo5^YRdpS1POczq&bk{mt5jR!ZG-+p0Pg{j7m`-%&6F@p!Z{RJ>tU^jQB~s_>ajK7xvtE&ugT7nGF!^|R5;+K_uX8l zDO78h7pt1X1s=d00gH%VG7X^Ba> z9JbQq>px02yY%^mQMyIaQc1U(gzW>E5a{AUy3M7p7e#5Aq~(%sH>rsIY$z!q?r>@1 ziYVPFX@#VfCMB@r0wpEHT`qmfCK--!x1?2)?lB2_+whvuCq(q_b!pWeQMymk{gNIq zDUZqXl#~z;y7cLlQCcnOAxRIL#C|6wCB!2xZEFA9lF{2XK^t4NjnVE5fXCyr<={b`)ZxQ|C(xdUbONZDC))yqbDCs4W zvRK`jk`m%&mrkD%&-99Qa+7+7$GSkUU%ubYohdqq&FqKWl{l~K2TCZyzSDc z91aGndYr7p2c7t&{YHNre>lpM<1@_|m0I?Q#D~($|u{F{zlv?S-U- z_|~OamLtBC^u44XOu|HYJQ}Ieqw%9lb?h_a2tP^sS<){iB{5wAQt8q7)umJ0N9i|7 zzf1bVB;*HVSe9c*y+2)Ae_fRRlJvKve@rT1(2kN4;$N3;u$#MHQlov;OToV?mWxGY zqtc_%7{8W!DkrawXW9fmp{F8gQpDT6{EMAOTBlE(&m!3khG;qDGq339Tw$? ztz6nN7p1KwZ6j%0lknV1QbKI!(r)KRX?saKNZQe)e31!(4YwG*om^^qQ0rCLc}WFHMU#rWMUa#b`@1w{RXkHyN!=uMHz|?B z5F#Wc!~rhdU=_fDk`9v8!=w~8wWFjQaj;ACy2LXbBB`gOUM8h83A71#AR!KQ>Dhi! z>Mf~{q`oGhK*o)V4XVRjYMP4D;gXJ!)X$`JzJQWEHmHttY3`sX9VO{#N&QXAmZDe6 zumfDW?6fEyBk5R4$C-rvs~Ejfh8^hA`^6{?k~CP-5R)=^XF^H$>3EmA4Uf`LNy8+a zU{V&J89^##qZ3^^$!40KBx$&$GLurp6wg%3Mk8E0xko%xxugn7l_q7f*#ad+Z=_3w zQBfKtsY+6{NoYnOdeC@tPj;#EIZ+xdsYX(*NvQ(ng+Wp-ALG)~){U-{R4-|)Nhl(4 zJ+Vm;T>8qQ*C1(}r12(UuL#^D{Kx1`aB1y%F?tgvO_DU(Borx(Ug_qZ;?f~~qjajI z(0%LQN|*A(WiGWI7UOrhq_WY<^^ zUg^?qmh-NXbhV^wOe&wNLniCR+BP$=Db*E+~!h; z+IXgAl9o%l-6ZVp$@^4#*za&@iS<42l(a(9N|TCsZ22rD)7S~-E|-Sf70-0Hq*apc zF)4*TlqjVr-Rsid_R{G-N%u>7z@&5mT@6SW0j>xSx^(1_c&62o9+LF1N%(p_3kjD6 z=@FOCo)V=;B|RqTag$Qn3??D+!G-jMOMR>)UnA*BNl%%C87Yz!y{BE;VR$^#Gm@T_ z^qfg3$(azyu{hK7E*)zn`3sU>l=PBG=>!^FW33nG~ zdflbf)iHW+NP1J!TPEdFs54+GdT+b*jXh8ANP1V&dnR#1NlJ>|`z}3oU_8?Yl0KBQ z)}&0fSSZC0(fi1ySyfT`SkfnwJ~atVu+ph`O`o~6+w3TPE@_>lFHAyX1xb#B(w8nR zwh^?iBz-OE8f)Kclk~l$A56ly2c^=@{n4fOZQSE0Nk2>a#UzyE zOo-CW{ne#otR(+U((jV~FbO4jDRzwBpDuN@!u&5ue@ptuBoxcYMkrS({p(V>70c@- zHR_<=6aH0Mo++XY21%*c7{8W!Pf4rNHo;HmJxSWsBuuYBHbOe^Oq;oM-^DTYHkY)8 zq%BP<cW0D#lhjmFGn2A8j8H*R^mcdYs%cT$LsD}| zdzzHbvW&ok%QNle(yHsD)Iw5ANv%vm=dOrl!Am!{wM*;oiBcO$Z6&ocDU(a#<#Mug zbN6=X0xKihOWH?L2a|H>2~kq?I=b}btazqQk~&N3ViIr#ci*4R%{ zLQ>MCBJU9->_S=*QZ7xuJDw>mDI+OsQX-$jOn_JcPw5wFwA2Dr4)CeR-v=~zj}nUse@Ny#_Rr9Rih zGYyh7Ske%a3V1juDfy0f=`AZHhDsVH=>(JTnYE&)ggDWqy=}nvBuT?1m6?Qz*oa=N z3P-rKu4Rl~xugn7l_p`*5b{x~^gxYtX}VP#qa;;Hsy2zA22fH$oa|EN`SDDnCDll( zHK~xu;7(zjlQ(yaOUEyXQk|rFNnWn3Tnf14_zAr@Pd9njEZUAZePU zGfc`SS@N;KL`t0L((_iWO_wx7(pe@IFdvMPlJ9Jn9$OaAG*i+nN#~fPX9`6eMB@tR5x)CDg6&@xJMBwZ+Ju1Wj|fRYm8B9}gy8KsLQT_WjHlk&L) z?^Ef4y3D14H$>@jN%JIKVG_oFn2$;i)RivvUm2yVBwa1(8j}(j&!?n>xYnhGoCt#> z%$IbXr0Y$>TNgg@r5fr6m&*2w(gH~fB`u<~CH{~_ty}sU;zl=C&WOfMG8W5NLW6mn zT~_40bm1le}rFm`RnVymKtfc2m!rf)`N>9`CE;YBC`+}qwCB0-4 zrYJKj-+=by=RizypWV5-goJMY?MBb^r57+CSf9GE`zoa7o!Ouxit5LD19vH6G@+% zl;=G{DJJPNmsb1RCrRrhec=*jXhTX%`qHJ=*Tyq_CFyHP-?)Uqk_>B4M(~E5Om-L5A1zr=% zB1(U{G}LbHUy}Zo^p8m>U5k)P(fik>U98kwFR4*S^`G#s3YJ8nK&ceH#`v|=e|p+p zpl^bo(0`J&DJ51WXh{{rW)An>Jtn~Bg0~R7C1K_(7I?*xWn4o9J7~I;u}5NSN!v); zmJ+8`Kq@Axv76PTu$?P8Q?{3~gOnYq@Ij`M3_CfUH+pB$yNGT=ngw?;!RdAU8gW-Q zI$Nc(n~bJ1n$chqZuky6A9i==O#2Rd4>`@{>`8|yn9u&_EBC!z+utg^7SdWuYekKh z!ahYlw00UdPDf}Xx~=GTq?uOv4J!id?Min$L3=6tNa;YuPLK;7okq{Pbb?NzJB#i@ znrVgERimqGYOq|!zHU5nX*Bkek&uz35yMAWn{pb<{guK`i_VD7lIAR(bUJ>fpL3z2 zUlj5Z3KEJGV(|Gy*x%`t1>aS4H__cmEBYzB)d#rI!v@z6lyQ)Z9yAz!5d&x0aIn)& zR>#;JBD$yOUZi=GQ;GlFkce7uX?>*irB*r#ULS?SoPOoONFOfx2+{pW^Csug z*c=RtLnFf;>B@VvqjHp#qowqxVkbz40ZzYcCpbp*v7(P7t(J`6`|htL{~eFL8C%A+3Alji1cXDHKJ=tZ_cP=_8;F$jB$R64FlGR zuNOa-yz(<1r7g|nUi#@-Cg6hBM+Ipi67K}mnE)0WK6{&o>}N?jp!B~@N{sN`DW*m4~;%w6uRoAf`t63lm# zvr5iAba>$yavFyvo}GTrh6wHxeZS}jNV9I3I1xLoKIriE%VW^11wSPCVZscWSCS2n zINjAE|ETE4L_bcN9Q&#}QtT@S=p5C@|Y`Ns^PWr`pTT=U*3&b=1VaD*iR{nmdip z4HNjN#_`+FiTE4B-xU59@g4C8Tj8kzW#X8MGIZVEcC&|ly84dHcV)gulM&Ni0BAVA z?|l8$@yb6C|DpJ`1#>fn1r$Yq)Xqr^mpfYrtc(uFX@Mkq?AiP zy418wlzx)*v!q`r?SMZZda3_3GJbV&oJH|BiN8zy!$i#HOa4dv)5Rw{#xwpU@o$O$ zY$X2ojQ_g$tBLC+HtM7f1^!h-1yRk%n!Yi9D|IL4SR^;WPv}la*^~;Oe@tZaCfa81 zJj7B3N7!7>7IL8GhMZK?1{!bnnSS)}b;7-z!v5_XWV zBLzOFqp(;^D(vL+xx2^gy0hqAL^mP53Fw;oF=1C{m)f>OyNPWowi#IqIURO)`aBDH z57EsgESTZ(N(){3J-1vdK&t=%}lila6%+RA80gU^3;ZT)yW zVS771sB=6)d*S;C??7Co7pARa4QHp{Zyo7QqC1Q3Vl+#~V%XQ|11&21iB5=4lHLVT zL6L%m`?1ML!-hN?QZCQ1FICf$Gm^8EIk2YU1>0_x78J|5HOmT_ysUz(A}!{l^1AV3 z#x>MdVnNLPU1|Ok{(>WPmC{X0cPcDkCYFt=wB=dD0WN)TOH7CZB^@NG2PGC}l(1D< zX;IgTaIkBin|6q_p3-_z%MGjD)oHO}t~fh69O?GH>jB{iN69`~c7NKuuyTC;y-_JWz_o5a z%EHoY(vFpO95v?CG2;W01LJaGpc}IX#%KLk@m8cT_nkWVDA zn0Royl?|RXh#n_;JZWA+1`Fbc2@WUA@EeXWQScA zUT;3R4LP>oI!1qx{Mhz&Z5DSU^x@(6`$?Ox$W>5 z9AT!ESyIlS!Y8V%0iVBfwd;m_IM-^mSH7}&N0&>PC*=xL%D7rz7E9P=!xrPcK(!_ro0oS^A5ibu%m@n-*Y1dQxZw5?aK{l6`+dWwzX`!S=l#~JS z>Ms*+bo$qY@f0_SUMzYEX(kp*fMU4W;g4EJ_!hxS1>Z`Tmr?j{ljJtnK3*ENWzv>Q zyPev``Kl1^aN~KqhC5}fkg<{mPn5}RsDRMIxXZQN=y;;LrLB^754Hd1EiCiw&Ow&9 z?vr!BoCoMIxv&UfIu#yt`a>(xR*QZ}^uwf?TpWfEk2u_sr5uj%sNly0KTeoek<9<+ zDxPrd{x-52g*DQil=c)gW=Z8Qeld{^PrGuP<*#R?JS*inDvUxR8Jm31yD-mk)(a9| zl<*P-R@S!ACJVQ0c-gJ0;js#MMb@jbUZcg}FiRU{+v`p*?}s08gf~RLDf%taOe+*u z+3>c*k6Cf`j^K9%zeku?kWIxac;AJ=r!Z`U{(*!KC9I{eQKrHvK62wF%TyoB_(aC1 zW@NpQ`Tj&JMA`&D zp}!$%Q%Y>{CemsjZRYsT_84t0d<)@Q66YWEJfyJ_!d5OUv!`Ke3EN26mI7}A-uR%r z+|KDG74Z_b7rle%9ZB;h@Jpkxlf!>s7vY@+?;^MfVMe`>QPg*J{Hog`zMJr-!kZb+ zs3Y{<9iMLz-$QtF;d>J2l@>B_0gJs{SZv|9kkC>>D+)V7*wA2S3wlfzdkeRAb-Fdz z+emFIwH;L!PS|f6ee`kFHI>N(w7p$>Vni$g+DqFPg+7+^8adio-O6t%ciBJWu#^QuU4d%bM1B0^3n>@iqtf;;z?451-j5- z2>ZMFhM8Suc9YqiCMzD!>Pf_Pv=4Bn=K%Z(M>tT=;(L*2wV-~Yx>w;)R|Z;NvA2{yQucdWeQ=&+S}YnZGPXfeOXGg=vXqHF6+J4xDbX=T)yD6tIHQ$NC; zN-IUnaQaZoG!sQn z5q!p4@Qett-j2G7z|b66x@#)5{k{`Y+Lci~h%Ge2R9yc5MtJ`)<_e@lIgMSSFNgiY`h`WT`&H9C#C!uhb7)0V7h~CoZR4#)T#alVOcK;am)}pr&y{*ydJf>`g?VNt!;=R4-9YpU)ns*XCmqggf z;mwD{pm!F$i{K^(r!fCN?CS8e10uYe;HH9`5$2ub6h!PS;pv~B)W&u zIZUD~hJ&5HZg!*(5#3XCFVc*5fzdwH;lu5|_ZHkoa9@M*(Qzsq=I}N4W!B+>j}Y9C zFs~7rHJb}ZI=!Ri)}urpExNza_%I=#4FjC+UlC({jOb%UA7?a{Cr{#agVSq!M0$|u z!J>y4jd_vC+{Zf|>>`JX9wzz(qjUH`GZ9X7`k)J9*e8h|F1pNU%(2F+?GaA@ZWAcW zMOTQfB+Vu+M-wm>H`4J{Hi>qW@G9Ze#Cdb_m_i#)cDSQe3Zn(r2(Bfp^iE^qb{OOI zkB7&2*NLtdJ=W+VR@=yi;B=Ffk!}z@PV{)A3s}A(874TrbV;Nqik>8TGHG397H^I* zsmbwkMn?Qp;in0oLR?pgkI=&D4&QZsgr^FgCio1(yh>Cd*fjb~r$^0*^mNfPM4x4J z0sHP@K9kee+Tij`(X&LKLz?l%Bn4FQ;ata$Z5{(ZPxx%%=M!gCFfBTl3>P^4aN|hN z5q+WPxkjh)wHT%|IlX1CNM9`a6495EW>m0P21ZE3WsbjiW5h2PK2P`+#C7izc`T-R zrPIImjPzBauNHj`X$Fo(bnppZxYqF(Y(Cz6;nxYjp1AH09=33U!@FK#B zNhY7hEGDN%S<~bu(ThbdF*<{KZe}Fing2f~XSTfk@7FCg6E&3tR4;x)bu%3U!>EG>XdsOseq8}%%s9={; zv`e3Ge0zI<)(C%6_*2ArH#68GDLn1)uN5&S&j@~2@Nq+b#Js_559Gu{~ljd;KAc(b~Qzajih;cpRVRPwn3_P%@D>GXm~ zza#ox(eD|JjD;l$-*@^o%UBbY68*L4Z;Z}h^_5)s*69_sk^WBf_o9Cw z&3NN$czh`kesuhGYb^aF{Ac065NEtG<1rb2b@&Ur$lnD2F8B|^jCV0#z_OHoI(@Bm z8~zggx9ES2E?^}gtmfA8(eW2Y#?U(n?<~9vao$fvB^ma0_>z2t z_Y<5DoFuGdK^>mM2MCTIvt7i~!ZX6N#7lVv4V9e3H(OrG3oZyQ5>~3;P{9|5kFA)LBe|&&QDoUa~|yYXO=352=6Jpm*M!-onH|g z>i7re#n5{T?<2ggG&{vQvpFx~q;|q*LIMd-Lt(7oc@C?Cc5oXxvFd@5yvmIY@Yz%v*@L9soA+lbDKhG09Tk!dW6?Qh0N#hd(#~-oL+&RK86h7B*tYnczga0DO|F|bcbY_|?L%F+7(*!#NqQb^QLb zV^rn~zfSn|#FgUgGu`0uY#5QiSjHWW|7gAIJB6OTEqs;mdkjxu4J^d`UdOMn4#IuH?-%}nm}$R)$m4*y}5 z|1*N075p4wHaT(_KjI<|&pSW%q8OJK#J?#1CF7AW*!d+BUUq)5rOYehUlsovc}4~c z1E<344sU6Fp*IA-DflhIj0~3jC}0hS@V4`dZ9MQD@$ZU%kG!rlg;AvU9e#)T0!R2j z@P~re5@z7|;t5^hWcbMWXC@2Bs<+}l5&tQ9HjD81W4G?loE}#m>CZ*46a9tJd93J= z4PQF_fORUq68*L4Z%A)}VA2Kcewz*7y0F*=wZ4<^y@VeqD7SOz)I|8v@y)Eh_(}NB z!ha#oxbxM2Cj9DjA1l0m6aBmBKS;9)gjYk=brpDZt;rYRPuCjC|3}vx{*v~$w156T z&0Y}w>)Ke;)=O)&pPKCWS8?O3m2_x~|1GuHpSJfZo8Tw3*hOzjnztCc!X(0G4$rk) zwz=Rf1aE0DcKa!WtsEZ2cSShD)`GVYye(m-5!NHeFv@mLm)VHU_M&$Xy`$0i3JX&! zcXE1q4+Y&Q>@0d0(M^obWB3O{=1xzvKK*W@n~HAcG@1gK`0w=V)-c&abaT;r8jY2V z5R<)}KB85ONej^}MYkf&^eZM%>9uzFt`!k(Be<>Lb_Sz4oez6Eyvz#s_Ja2j+<`FD z4~u=E2h-8%=A1%-BXknoS#%epv&A$%o7mUszotieKhX)%Nux2$idn@er(dyg*0ku1 z=&aFstb>G2Hk`iDDvrG9g6N{rSO5v5oBKO`&+-_PuA;k%?oOKNmrCL#-~kR_oQm*) zf)5hhgRmYu?2nFSy3;QYj`Sg-dy4MmG`^55hC`ix>Ci~`7Trg5U!yUWjJ+}rbNa>l zNFOfx2+{qF=50@eBb~n6?)y=qj~3nEXv`W$17m>GFYwB7gk$j2+2L6HJ0Ki~f0ZPe zEP4wA@qeY~x4pF(1_>T4cnD!736?ERh2xzb+BXJ0RP->>Cm4-SWQ*x=qSF)YDLYB@ zaM5KOXbzi>aQZ8w%SBg+t~46o?O=R;q|;y6MUE0(CAyk4|By?dEpoEMZD+=4j}}}b zxYl6Q&Y3XA;dWCaTqn3*@L0l35iD1ZZb)#t+B%jEqQ{9IZ*;bRCRdo?^bYpiOcXsy z^kk#4k_XEDQ=C4}8VaY1K27u#qZ3>UES&E2?baWjDtemeGe|QNMkldSA!gn?y?eVDlZ!=PBKlIJv2z|q6fSdmnSDfkx#)SKuP{1;MQ|}#?sUV6 zG3={EUoHBYjc62@*E)TM(ep)LC;ED$v9u2g%p08k?Y0>90?`XaFEU!I8HXF4?sQJ1 zZxX#&^b(`7FGLo*?>YU*9+AF9^it8clID%qaQ1Buud+gInc(GuZzs$fkHus0_U#U* zyPg??zEkuH(JPI{l8bnudzaGA|Q!%*zKPS3JJ?LN`>i+;dpyt_ng z_Mp@6TG*>aKP38L(rjR1AT|N~5yyYAKG~zf9~1sKai&QI4_bJ_;hEMpTqF2N!A}{? z<$lA{4tHG?FY+0|&kBByFcUC^_IN5h@ART#q+byIqUe{5#==MWVtCojJ+a`c2VqkyesmB^=bkZ#&-S?iiJKgug5NJ>pCf?CXfV@f?1^ z=8bK4aP_|TH+2LVfFjRf7!yTqk>^F1zMSC5&x#%rKZ)tRz%T$D| zoPKj?40~(Q+lb!Q=ma)*&4lfo&RE5;z33f8??_r%5bqc9hGZwlU$Xa$I}6`McoX8v zC>VpouHjDakc&~-O>|Sy&5TBeuz+dsPOq`P#U7%Yi{6toqr%nCuo>E3jxS@U5=Uqu zyru9~#2FRrID^r{)=u|pBN(IPqT7mYXLJHX@WrsV(-oUUy1nRqM0YTn%ZX(|N2lMh zh<6g*S#%fDj5vCxxjc5bbNsOdG4TC_Cxj=7GvX{zFi7rn=Ke^hMQ223jZR>gG!t@8 zUt&#&yy$}HB5B=DY`%=B?C<#0RWb0c!n+CYPMi-L_9{Tz+u`S|Bs@^?L4tb_R;I1_*bZ|%zbN8|3qL}5 zKjKP4ZF(W3hsjkzs&*EzuHovrnFjOb%UA4i%|!3YN4bccbCZ)?*; z1_>W5d2lE(qAN)=-k2_xKyPQHZ&S#>f|@Fc;L z2{Yc<>jwjSr#OAX)iEZgiat&B6r-^d0Nw(f?sOAtwM`X0P4pS08E?EB<9G9CI)3-a z82EJIGlZW-yp)7kDL`J@>YRLFQC z5iW52>>DCJNBD)p=MraBa(FqK4i`CnqFv|3qAwABsnOWI0rX`~HyjkhzFhP?(N~aW zRIuJg2B~tT<6XK${3_vB3%`aq?eZBEur;uniwLY`5g@BJ)9e&js2&)A@B=}*%N^|Z=7#?xDzcmmZ z75$j#$4N6P7%)KDTntY*UvGl|Ys5b({weYd9WAn4Aw2DL#!8B3L_aI~InoLpk2CUD zc;5Lz*7STq{EOmWBF_s&mm?Kkc6hb*I9?I_s^HfM>q0a6R6e}!^p9I21RUWF(Qk@= z%V=(>oeOU}-KTA&-x2+;==Y4qf}R{1clx%0k^VsRhoaXSokvVCXT|B)=12Nt(VvL^ zlr+b#vqg6{q&ccQ-+{R3$x*of*{Y`$KFg{6LUe;o}tpMm>IY`U&fy{wDf& z(SI0?J=gIX@K2{loD{?UOZ4BO{~^ux2G^?^S5{ud4_3p!E;SqfKeEDlNsW?fo8wATEKM3zEco)G<9L|yYcRy350t`J>Gnpqhuf#o)=^n>dj>EbV)Vw^@vtddwwkxy5AWf)h0 zJ=v{bul`2Ms*zPoiw{WrFc<6AxNxa`S6U~bUcy)kEZr0S4R3Ix{f;qW4Kl{b7*B(z zh+ovE!vq(ewr^=CN|+>J^8Y7bMvDs%m~g6u(VBadSquiy?UQW&lEjN^f{!NnMwWVo8@sx|Gr;_(KxxWzODi z7jU`Qd19|1TWY{3St4KQ_>|5u=&OWZE&Lkdyns^9gK(`2!z|OymvEhg>nU*RLvq7P z$Tzq$uVp;P0x1inEHWi#q9op>+~~?`%M~|CSuAA<72Y(?D9?qPo!;FVinoYfD*9H^ ztZ)9mh5K%E?aNGz*D`6#rQJ@AC&6b#7^A+!>7A_0aHr@MqF0h;O66?@<-1%MacvC# zZV9U-+(Uu4+SXs0%wEjBF4fxdEB8sdU(y4VRN$mI?)#wAfA)!|SS|V?(GQc>1MMqp zKjOxG<`^8|Q5lcPc$@}X2)4pDx-{VlcTTZy-Pg!@QqEI!luqm^ho_ys>t3Azn?s9! zR`heEnE{JgeMtYj#TwLf#?rKuO-dM z>qBuooF6$~Yu_|~EdCSmpORswc@9fH5$2;WKhUdj(tl;!aC9hRtZy0MMl{3QBk(Z7)9 zvzAZ)XF-QwT^nc*!*9}lm-YuWJ4qq@>Gc2DN&XW3x9ES2#==_|>i^g2CrT~3Mq$0^ zMp%q|K=>d0YhmMsabx^%skOg_g}n)WLTg|2rcS4lSZ8K4ryKQE+F;hY=q*HVNt!tb zt&zBf{Z?*FZx@ZNWo#p3TNIlaHdW_!^)h~ClY40fc*hn<{$dqfO-XVJTe zZbF*RR<`tP?do{V)QImUys7YJ#2NW~-m0hF-S}`}H1?3uT*jU>cz4+q%3~Fh8hjCs zKG$BZ9c~Su7SdWuYekI@Whkp}2(2BytRc3%+X!wexE*1Rt~QJxQCp1_;_Al4DN>zm_UFpDssiR(oRPY z^%M)WlS1vRP`fZx7MkS~M}~c!ZDtL_{lq53Cdu+nR8^0vDQgHR#|O5H5l#!w2+tDd zqZ}%+2xdLgv?1i&Ic7q1@^T7tigbAQcrOYnOZRu9pWTM8GP=p=PJ=bh$bim!O(sb2DjA(a`TM5rD$sv#We z_>J%2R~(_Y@IJ!(64xVvE5Ufb(?{A>94`6@(fvrXF^u&)5r3Npccfc~+9IPz$vRqA ze_Bi}TbKb8Z`|l;ODh~B<5(HT(O|5wts&+w4s^Q9Sp0}13=%z9^bpdj))F;XJUblk zcnABgW2o?9!cQR1!0{dwBV#8z-DQ@-ZWK-uJzR8|(FN>;iNSxT%k52ax#$Yfm897c zNyS!Y80o^wL=1kEgenQu6c`yy&BGYb$xi>Cjr3^IHKJ>cMiq$nEn}P>X;omI=z7s( zoi1Xty%3zf!&0$9^f=MujmAztc!M&*>1Os4YNF^#q9>DPnqw~ptUMM@ar~WgVy-+@ z_-VqY5NB&7>PbDcl^ipZZQezy4Y$ukF!uBog>k%--BE^yOR4dRS1+)xrfyVqdAQ7- zLn`B`E|)V;&J}dnu9#4Ujbg%x>Y8!kN>_R>j>=V1u9k8Q6;=upu*Pt>*5NfvB0OL4 zb%L)a%h<2yc7}YwDL{i7Y-RFS~b)-TPPMy(;fDdaQ^_r?HCYb+@{mAG6sTvfh;S z7A>X~8XuTm^S0BitcmuH=yyfGN1C@IU)<<+yzf%u#rPYJ@PVWcC9S1YIz<96IzMuH z(CLx>So9~NKQ$UN>Cu?}%;^q$M*4Hn>qLJ+nztj7DYY5HmoA)PdE+YyUrYFg0wYt4 zw-Jf(tgISW&$KJAJuxoF(Dba<-APEgjYqb?JhHoqZ7Q~zu>q~6-JQ*c$nGJwx!6689fkMVdpY})4fD4U+fr;RW2^Du zKx=2KI>d0>h;1vj9a-kI3Uzv_%fj9+-1;Ye#}V2~*hfMK3QX71z4t8B(X}O(0Xj+R zEUgPQKJ(J7SlQR5i%i;2QbJOa5?}DKB8vSbuUb;>erGjAT5d*emhMg^w|0C(`S_Z; zhS8NZmE6!F=jzv{=A{;-7OAq5Ef&U9jt_NVf9G#}5I^GxUB!13-<>=kzW-+KWH`XR zah9zQly{K49`sm>;H4>Eu^#O7PxE;Wgm;MOo}zn^X43-wyFxhB;j`?WV{gHI1otJ( zpz)zUCLtf@^m5(<9N}=$M~Lo6nwcP%(8HAqN4oIXOz~KpU&7H6`cq)=SQ!AXk_R|_ zQEjA;5q+%a=a4lg5jW5bD$#0C)P4 zoSxh_(hZ`=i5^dy^-ey8dKSYPlfncyZn4=!6J<=2F_{Lh=|81kGMwUCwH11&N;^&3 z6l%O;OrOCVB!`<7VyvbLo+kJV!o1=<){DcUIZi)lxqiCn8KTc3&0Cet)YgtGONO(Z z?_d@GO!2eCpF^IZ<3mT>s&k$0Jv+wbJkhg7pHG?@zmSX-{{=4mbxRcHNVrhKTnbDe z)8#roA9hUnK7r8dbDx-^~T_WvLYOKK6-l@hgG@JUDxpVqg@l=<~nJ4E8b5MPi zj~!nf*m}Fto!Qphze>*4a;~AnJ6?}j0CniGRD^5YIP~P0wdc#YPR8{#*u-g=h^;{D zCh{aVxYG8rs4S4OP|6}IOartk>+!W;d1XB-$#A1<57b8OCTWYMEuqG?K6bj}M}iII zHI+e$ce9JzzJR~u2)9UFD)Cl|jG_u-zF3$XZgb^^{_$MPq%4{c_PGTiI@NV|ml#NRLe z0rI>rrCvAZXFTY}O6z#9mhq5`hiR~3R^KqWysFL`N{_hpuWg0(sI13iJx*&ESj?U| zsnumzhZ(y%Vphu&E)TX$x<>MolAof?Op5ENL=COx($ns|`a1rEBRnJLSvk+qVO~I! z49lczvCa`V)$^{cTo9A|1!*rzdx;wF&xA6xZI@mi6{Gczq<1B~M~TG&lP}LS zf8T{6mSi7D_)x-H3M_5PYw9q#`H|EAtiz8u!pEXN5&bD?CKfgasV=W88#TU$+k}MA zT>J4ES&hQy($-1)f*OZx>gucO@I-&<_}<6Ii}*_T*TTOc&g@(^rmO~g0&yVXTUXA1 zI-cP>Dc?)^!IWAwk4Dthpyv>NbY<LKN_~@B>z-|bpU^iEyeVPc#9Hj%g%5ZQ;gnT^bVqT+=#|{SUWj=y3sp}-bHkijc6;XB*vK^gg0HY)q#@N2g~R-AQz3(Oov8@ioc5PM>S^exehilN;0c zPT1-5j82Qrh|X?A#@9QCI=#^7-lF@6?rU^)Sw&4lILztk)`dJ=^bw-_ zk!FE|@mLfDsy~l(W!-o93yyGqU>bnbD_; zK27wLjp=MS-RaAXo+^5p=rc$&5s_suB!=SaOcy3uj+riDhJ>>yFcB*PcLzAz=|-Ex z+%i-2EYar}U5oYqvf*5(=UZgX6Fpn>`J|bDQJ19>9AOF?@~UqPA8jB@lc zM%9JM^>ygZHH0f&Tf0_Pqi~h9tEF8-jV(?~V6LBq?;G5jY^gk7)^)P3r=?efNI2xD z8yr9Tp?H!7!WRl(M4SmXqOM{x-n8Le+l_9_ek&R`$yh972@ReghZ7(R-t72_%Oie^ z@TJ0UCGIE4=P=XfHaE_<6D*UlT*mD**p|oG1a_Lvg*%*o!(J@jDSn0cmEGfCRRoo}(en}5dD#Z!&t&vC%IzKoS`PJed z692IA7#B!k9zb}+`8j6ozfy5pZGfh$Nyv(6-RhS_`Aa2BhGl$ z)S(Ao$L=oXwP9fv%$9O<%>gk1K9KpL%(XP_PI76HkDMQ3ck*NLpNRj|czhRwd4O0n z$oaK)CqEazPW%_-V*<1E|I+cjEP=lg{Kf`X2yYGQO!(HtpZAW}@twr) zCH_E>r9*jDCEiO{;7Lg$c0al`|5N-CNBBwB&$51@#mvug%!i79b?L`WavFu-B>gVw z4@!)qhKg${CsfwN66{YGud}k~FNuFk{D&gbnj=LR%LxBE-^5>Ih;NitF9H9mtSAiw z(rApIN?nD#4Fqn2pU_p1u_+Bk?LXsV6gP8mw2hE$E^!NqTT)~O`tJ}i&8^&=WP`+8 z%iKohwlrDqX=Ikdb}po?*}lDm9VF~XfoYC*(#TLbc03wn_^`sIPi)A0XGyzAYC?%g z2Z^Z{c6I(M<98F^RD3h?tj<#Ss;wAyce+z|{D>p$A-cKfJxMc@=5q>sFURW_h{lJ{ z!dnV&MO^n0v(LuYCPQoI-|iLjW*hNs#kV8R$Y2FebjkL1diKZ|dVA6Pi0JB#i@T2W6b>iar=(p3@PPk2Ijk~pKn{%ta(oZiD{NQusf&Kix177@=m z{bofBJ1@E*x@a`Nsn3S}oqnNlq`QjlCb~OmW`ksEqk-`QTsos!ln#`1kfa`zc(ur9 z#aucZ?D(_;W5ORIyr=M9#Cf%tOpIpmp-%sHe+<00=su$RlIEZf-Vx)Kgu|zt5#hrH zA0fCOVFsPd6|joukxny3R(qj}d*W=;Mq=)tbNxp-w;7 zJjP^@=)t0gkY++=@*5@O@hNC0;8!6Zj0;;c?8?IKoMShYKzv%xmRx z#py7@>Ap7!ZWPKzSBS18&G;nJ8^vd&OP{i^z!64Cs*+SqiSfbru$geO!~c7`SnLlh zxJGa-;nHo*VcnQ9PEWBp;&r0yMUN%T7FU{Y^YxY?xKSJy!*7r=PR4i|j0|!a=0iDr zs^zhXf+q={OjwD7B^~iOw9_Xnj6t6&`ZUo~NHa2;>7mG+?#4)VQgMW-GN#Emg9gLL zLbrI8_5b)f4>&1`Z*6noq9`Vk0doXYbn?t1qJRlSF`$?bW_M=;Y@&7-SPTTk03u01 z1qmuSiee5Z0%8Uc2}(8~h&do4-+AAub9Pzwetmxz{tnM`s=B(ny1Kf$YLL+rt|nZ| z-B0=f(u0+jX{hDp>Vrl%dBM{Uk$#x;BcPF+NKA`nh#6<}^u|yckJ15)bUWa>pX%IFzS`q-mMKTdiKXcT)eR#@uB8r)v5sBwg!Ap9g?WJErR zmbt>7GWuau53;%Oq$iMm8Z<%&qN@1NpDWe+?da!EIeWhBo?4y{&H|y_xhDrDY~$d4s*x=plN4*+zOh>2E;u zoDE3*_N~DeJ>)a;9pUc@?*NR9#1gVvl>5QxDPugnlk_gqKZ3??#?yml+-~Eaob36Z z$p1|K7x0KKvl`0lTw-Nm>>(k&2?W{Aao$pQ}yGI`We= zAW9e{A464n>&y9$` z(`g<)n(#4%8vw>VJF0`v8k%sSzT$2~p)rLf5ReyiK84(|Mt9ear{hQ;Px=JVb%b`( zLThU5-d_L1ytos|o<#O!V`UbMQ;cn^1CmZ9dm7o(!QzI>k>T)I;d69pvv7rplo=5h4vMs@)Oi~4z@`!YS z(W4Lb^o67Yq=TRlxt}ck7Bcp&g`N$QjgXBRE7x1h*cX+JlTDD#0E_wtMT;bP=`I)GmgG(6%YvVm!^&ru?(bE7wrz zNab4jlR_yTHw%&}cby4mJ>>J%iNf_1Zh(M>QK}HH8%yPmdZQU*>UrZP8l7p}3?aCDYMrZ1YkxM#{bUtV_^-E+f z02v=GBi&02T@RBs+~s$>C#3>Pg^;k@g%v5eDy5u?O!)RXFBDTKq0kEg`X=z^MqZT{ z6r1VHoPU@%OKFzTEQg5#$dfrIq_LeV!v}kta>iL+=|iP2l?qj4my%xTXUcfpp}VQv zL*-s5D1~0-$!w?T+-K57T9x&uG=S1TNI3ILq_H8>daxh{nG@63|M$~*fX-kzI4hHx zG7JPmM%{yEOng`VK{odgjfZJG0s{q*C0{O-r%QW?DHrOsGL*`rRE9ypD{bix#`qT- z1@oABi$6m`lGJc|Bj}BUhr^nily@JgqLdqDLh?jk(xWLnPGJlLlt8%*te3UE`3hmI zIgd~E&Nwp}3OSJ<3bVF!)8D3Cy`>sdwhnSwQD`IJ}x=loQnknKJ&x2qQVhjc%p`!QTx2*G5sh<$ROm~cUJ z`CT^mDTU7{tW-g|8&XLpqmx#d@PKwXd`@9Cg)boB?VIdT`eTuz;)tYH!PM56ynZJW zlh3ayucf>WGDf_KIlnJh{_QT}TBA)4FYsQ*s=59kN%D~@Ys zvLbE&Y4+Ee_+PaDro9Jt^~9sW%uJv7Kc*k9iSMQUFZF%Ut0fNGC;p$=n>F$Mv}?ur zbR&P(lz5g;yte#%`f;beCSFH=lE)qDb)g@ec$QE65VN;v;)l|%NBc0?2k&`SvMBxR zbhzn9XyWy$A3^;{=m#a9m8?kHN144<6F-{vF|-@NuAX=#n3d@hZ)p0Vns_7Xjj1<* zesJQMKJjDC-lmBkNBel%C%~?rcr=)m$9GH|X1*rNf?V}SD+pd|tvoPkWszy;>7R{ui!0s2AsHDn;mG7z!=|7d_P z14I}giU0>^Aj>ikGye}{Pb{s>-K*|JbX(KC7;eL=Zc%Ym z)Cy7CnEH*Xmr%WwYFnt)lNDF)A*HUJxku|kZ%_9!x|hQ}I9a(H$S3Qjeyhn|N%bnK z9iY~btlSG^5SY2gXtLMP?MU}pxCbXI^?Iqh&eZQT*-liir+Nd_6RQ@K+%coUoMcgz z_Zv4_j0T$gO^nf*F>XeTrd4C$RL@CPR0(m5g;=B6=)w@UGQ@2NQ9TXAu@^gi=N*V}x=JgnJm_UPP!l3%yMB8<=olNez# zBTPYrnld3Fv`zGkg?LdzJj)QzF~n4as38-w8`>_KW)UW9gz1bhgAryTLQR>F5ZX4H zWg(Vmh}jG=hau)7L=Bmc-O%>YJc}?=Bg|)n1&r`KBH)cm^{XQqs?tVUXhGi7ATKb; ziwv>|K~UWu5Ck<Yq~ojQUFGH6<@T z+fb{_U#kA+^jFjW0)7q2$3#biW{v63s{SSQwba)^uPJ%)*_K*w{tERs(Ep15*YImj zp6#iPra!0pChD81Z-IVl^}>_FkB1IyQ*E_4A84FyjI*6_zCj!`0jeE@uyiN7GWV_7 z!_@wc_V=`Rz(!*d??Pgda@EGi59X${8*3-sU37nhThktdLkBj;c3Yeonunhl=V!+G z1#$2`x7r>=Buv%p{Ayty*D${^%XPL(Ni*f#DoIQwBb9N4B zn*C#8#%P$m4D&C;>_eD?YEE2SVQrrMXAxe}2>ThKR)W0=@+V((NRJp_-_@2M(%lE+ zv_q_p{3P86 z6JVon68&M!Yf}@h((bSmDV#*%WC#c6)i)1MF?pG$b}Hr5D4!0wdhbLiY)!*6O#fN+ zGpV0N{cPw5>}pXlY~La~$L!^5H>2I0b_>`wB(6=ub4~w6_4BBoPrW7dgA>>0;00#C zul9ws1GIy%t0x`~TT?J(`aade)FafR&<{>rn}IR2SEwDQouHio`{2Z_3E0Z?|5U$- zdTZ(zL$8*2IBdhubt`pRc}xIGU}H@KR9u1_FZB2TD7mF zeHHBvuxm(Mn|xQBUQ3?}uc6+N`nAvxPF$ON*O|Re6YoU(dfGR@KBzM&T&1aZqXqaM zP5veZ=*$2&BS5vzppf|1y1K>u4>SW^=-*2JHu%*uAOR}7!)~_#ziNOx7~oC@=!yUb zXP~lqcbEAes^5)%clt^AHDsW&X_sjMe$xP143NzLDFiq;1C`CX9P>X?KbL+U{e1Y< zJBUKzbd#=!xxcI1lWqasLb%mBh@hf9Rb=YNsuoi%q1p>-4au@8=gj>>-BP+`bj#r$ zoGhDhy-oc@)jm}FQmuemL$Ykb^)vTRb?>Ho58Zp=9-J(jZ}*w{sjB^{4xl;^YV{7F zaQMKc+aQZkTTk`-8RG%Q7>pQrKC^yHRP6`0!5*{_pJ_H8Vu*(s;t_ zi}9Dn7|IxrGR82(I5-;zw7nj)5GysraE2Jc5F-(yhHMky%)Oh^cA8?CnxZ)k`O4Dl61e2ow_ zXF}UY8!f_98etP7Y-WTlh)`qaPozp4X{!Z!Q-f?{knIfe4T99r`4f^D)=v7?Vhq$6 z-!aDbjIjeTYRX7BQl+i*g9VwZL3T38E(ZA#L2AedVpv9YTZ~6E#!rm#Gh_UM82?8` zD%(uIT9A1f3vNVhqt3e=)}2jIjqXYU&UQN78Mlf6Sk+{$Be3 z(%%Ok?e6OR7^0*7^q=YDRo_p&Rt6vU<q4(D zsiP++9!dA09b!(7_TU^!ryiZd;MAOBHoXoveS#)gpZXEhkAz-Rfkh(e9<-y(e@p$N z=^sPC0sNYiXA`WU=})WPhdnn9T8TXHEGQJJ0|H)Kjwzs3zyiBO3`Nk0Lna&q#s@@1G{RGoa&A!uU!Znb*pkFLm(aMRZ!zxfl*cCCkG09Dvrw_?0L<+1w@MFD2hr zdGtX=WJTR}#y8h4sP^P9BY!z~440H^yUN@0E6jSVH4~9h;PYKaSQsys?#+`WOWk#5Y}C%YPBgBkaRUs5lCRCHq;sQL~8FV3kEBV{N<4lmr6LfIQ?WQyjBLPX`4k~w2=?Vn{Gx4cxhP%t? zf!c%GjdXX?Nzh0j5DRMpnWnTm0^ucrEGpSlQcx<(3g40CnDL#KRW6M@8u>7|7a17& z${|8MOo_JhiS(pWK&23h7F0~uIxjLlpaoS-zJz=)@Yw4}AS^c?XLQTEeDqS%Wu(hN z3c}u3%as=>e}xUM-#B#77Vx2^{f5p=dh(C=*ub4vePoIE66~ zDhntkYfp|f;|DFEaWtNw@gxi+5efK@3!gIK+pgFF*@f{GCQx`9f|gN2mbjW|d|1n9 z68XvGr+`NS(SZME>=_eUmNR}W_bi3yC`^Um%Lt$UPBXl}meF+LGl*w~3fce3HU^EAkD_Yvx>}-<-Wp=M6ev2OGUteU*Mv*z>acGL?@?F^0VxIJ!2?rTX5usYP4RMy z?^9d>kq1*ICX#PaKQO$PelGSQ@sEgq3>+UL1fr-j?PG*bOgk23B%Aw`+Go^OLc{*> zV}wv7;#QgP*r|ShKBusn!WR&5KxO_iIcYHNe~lRz==5b@(pXDl9Sl??vcP>&!mT$t z{)YT0o7+J8E7D(sMowk%+VpsLS!`ybIY;32k8Exeoy~N%s1u3@B05|4R&%yp5J{vgPq{r}BB%7;G z=?F?ks$@wO6$jl>CN0sFj;3@Br3NYmgR*+Kj*4q&(qy!Aky0Z{jVU!zNh*qXPzS;t zYtrf3SUir>@sv(5N#;2bDc$GU)TEQ+KBW^WokZzmNGLv8eoi)Ys}+=aX)4F|pJCRPv%PgDt+QyItyVZ9OFCOW-Z^G9zTR8SXf>zR!mL;#Rymaa zT(cJFE$2L1=hJGbmdw;89{^}~-34ZKs_VX zD;7$~n0XzrA2aK#A>NA9O3=zsD;$=Yx2z|wm09i@Z(T&IHLZ))iX>#pdFy;@V^&?Q zRxY7+DXq3<#bpv1>u_sl*6u=|R(o2P(Yjo%SXh=+vOcye%-S*3TUXM$idF|$sOV7| z>E^-JW^B=txQ0eY8rQSW(ooPL^iO`AK_0(>FhHw02!g~z3x8dqHn%7~f z&)`k;I@7yZJQMlju*)z6d*I{8%Yrg9IJ zd#fn2`{|d6rnFS0Ka~Mg2102lu_77qc(tMQgG^o2%cpif)d#2!RyC0khFY~}=s{Dr zEcEI_R3E1Lh^m1|JXUSw{18+3;}Vq34W;@h)nTT}iW1dE%s*!87Tgb@4yQVT>PS^X z;ZR1kf%2nF?G^RvXsVA>9iwUxbym&+-A-doJzbCEII2%jeG)28qp-~9Xyf9aGU=!5 ze0t+4O`!BNBs6snXgA|tJ<-Gg+Eq1);$(_bAhJ~;7k~|-f5xOyC;HT$rSu%7sgP>w z84J2;W=_-Orqi53b0$nACo|&&WWap-W58J^CEEJrW>cC&X|73$M8Zbd&ogP_rCyp( zX#u6@RfeZ%@2rQvYsVdYRHIlwO5|^CudUsc@`4 z@tRq!2YBmsT5r&LQ!SZ=CQ&(N{w=d|I(zGFT8nADqgGUwa;+RD|E^gd>0{p#TJO1|Gi%e`KCR`n-lw%ftyqSfiq@X^z^u}--ujT%N3=dRD-x|T0{#=T-WcYs zPicKdYo%JU#3+WW`_JH3nf23jZ+%W{HLWkyk~K?Wl>^<^m^D!!3%;bamexA8Ht*Olyl;(uW~A)OU7U&B~kUt!=cn z)A~lObZKbg;9IkP*3$Tn*7vk_z(V6dR^Y@ab88&@VBROM`P6pO+ePn3^<*y1K-JOd zyUiPUuJ?YT_cOg;)C)%=8C3_Q|7zZ9ZN&UW?{|8Cs22&xB%hUU-TpN1zAT^KU-bT_ zw@1BbMj#Zb(m43Xyvg@_Z!f)n>FqNw5|DgWHV*zXZ_+*9+fT37MSM1sKiN2l$qZpK zJ{%vb)t2AVPi7tw z4APF3`c#gfa-=CSIbi9=!BM8HyUFj%(NvD1(m<7HP>xl)anR6|Vy!e9QE5!2NfkwQ zpN)fKP3fu1aa4|{asm`I4q~xH^)ca1O}%QQ&)|tvPojFVs?w~gKB)T?Q@d#M>Qt(y zQ9WH%EJ0mu9QPTf4i5QL&!l=5)w4~F1_IT_Zl7anX2Pq@s5YnCLRIOo&ZstA`&?67 zXz%rTRL`f{Qq^!&D!T(42N#%{t;g{~ssXA&s3?S}ECFSsvO^}t^ss~}MJPp0k}0fg zbal+6PJ{gZ#VI8yWkAAR&7St=HLZ(bA%AgMW!Z*ew=wC<2|lSy zC|ydatx2JHOr-Qvd^?i{tJI#-Wt1*gDUk?9!+L+e!lb94_bFXT=_*PcOo}3V{{DWo zNpH>b(lwMiQo0rrN+KYw&&om2*O^sV+gqJzT~F%!2QgOzox&+TSCsne$2LF-OhUDXQ8Y+sc_obNL0 zJd8Y%&2^*IomNt#y{)*y~wQpaFdkH71JuA)e9CLAY`7uX!;r6 znXz8?sgy<;jdB?H2kGLMdE~4~(A%^^z5Vr})|XlZG@MQ$d50RdCP6>5isSN+vbnoy z-9zhMvsi%IB)HG4xE5f4S_5begoVA8Dk@lYMDrl?>fg@9WHwTI56~N|UMwtSSY?FH zgXS%L)O!!ndzjuM>c!;|uj&BiA?BT>O_!nc9;G)-y+m9pwkl16$ISa^flqHZy%F?A zsuu{!67^M@1f$Grto<6J={-(wjCvVynT@zglVGfQGxd@gNAC%GPr^fgfz-ZHKRo#< zQ}XqC8Bb*bm8VsS#pN7MHwh-1a>XdWSCgnrrZPnpSrjlFPB#gjG3BK>UU`U$g=z(Kd zUNbeQ?floNzCra(Q{`b()T+G{Z<#uBjL-1fR2NfyN7aNpa)uB5g6myV|5xuZOQ^m_ zb*ZYd1gDIJKA^u~nW-!FI4-C9KGhXaam$s5nV=0E{=lRKdRRWB^bw_xRSE<%5;j=) z6O)SS`u+Qq(r1)bsuYZe<2F8cl}Q`*-Q4GtR#W<-QVK*xO5fbqm{g?Fmz360TBlN2 zUb98?=DyyftPVbV8z_B6>1&lj8DZHce{ZtbMCi`I{7MWhNB z%inN!o3*ODw|=7aGp%3Lk|oAN5qo(5)vS;<`hKJJJFP#=k`q`gpVpsd)#~Td`is`z zwDzbKlP)9~VC!%0|Clvow72%s`j^%|wZaLh8SQ1je`dAUXP^DFYPIG=nf%G)6^%$~ z*v-AR{G5I+TcnS2b>t^`E~8b~ELq2-a`f#XX3f<7I+RvDT8F76Z(*toxINsg`dSOr zr*#CaBP%VGhTf@$I&~U-U;f3!g6D(GJLkFd3*G6^+b9n(K}f^S!yp(b;#@~=AC?%&*!Q1 zPNR3adeUj05vg*gKEu3OJ-v4(y|d_@ZC)r86VH0~&oQrd(tFM5HK*4C9((p>!frnp z_FPl0(Ubo?D(6#asfxU|l;NNp0DFNcPaNx0xsXbLN>CMfX(>Z)`S2bxrBQ3IgsDWR zL`{jv0ZZShW2SW0dLvFHK_x?#u)HPq<5XLj(p@W!i>S1wa&Z+UCJOGwVkQg-{<$KJ=M#oUJkW}-e+04!NmUB9egFlt0;DWh%_^#8m%^V z^=ea3);riWR6A0=R#jObqWW;v>r8Ee;Ig?+RIjIcgQ;>7R~w>wqp62A_3BMjJ5#+` z)lecDj~sZ5zs1zrmwL4e)my3FW@<$0g#&N#x0`y7o&a}Hy_0HJs5qIW`!?uDRorFD z*?Kg)QRz-42?h5xJe&lvpsvhQo9!~qD!S3Gi43pl*=)p)l5Ic zC6_`Tg?tETd?1-nswBU(Se9$;VN!{v(vwmFr9wy;u9GY&Ny(yhMTW2b$Y-jUcnR@d zz>%r^!V+1kQzj{OCft6$&r~UeG79Ao(13}{1s-C>!Dxj4IACNsXzq+Yti{V5HgG!PQ5kMuHE#j<8>rYt!s^PdhfvEC%V zC-+l)fZ||?*c0hblT{lYG`geSc^)GDFzH8>#(u}$5Tl#uo(v`ZDCuFK_3Ns+HWHc^uB)>v7>wGw&m0F92FA|{k9khSH^ z*xt!!@Kfy_j_}#}lKfio>%gb8lOap$tv7maIfKifK+<24{u(s0lM!WhqHd!J zC9iv76NSwbwx|#cdSR;x&5!fKHVWG*d;=k!pSY}W_pQ+lH9y~x{+{#>(8y0gajwkH zpP%J^FkzQ2Y`2rbE($-YP%5=$S$3%i5kDj-` z5&xa|AHb3QLV1i0xIc{^qgUKtr2i(p2Q-2g%BZ(*^2Ka{x9);!0QX1osY%U zWpHV^d_`r>w0-hVvbp_qYF*4n8u`;_C?Lzl)RzBDKgyJ93U%Zsd6Xetw<;ZWhZtR^ z^r58dkvA-EO}Sq4mamAyW$DNZDN64{f%qQcK9$S-lH7~J7l51&f-G{UC?#zFS^IK%MG zk9zz};%5;*8#vA&i`WWDYTs80{L{r zU2V!8n<0pD4V8{mu2rSH#1<&M&Xf!t{@jVm^;B+vf_8UKGK)>T?3B#M?`||}X#>AY zH__@$>t?m`YQUkUytqe4UYKlukaZ^4D-lq{5?E+WW(Vq7r(lEa6;FjNqK%g8_ZD+~yK z$@-k~7a0B>!k=OODWhrSKOzz~To}ZE1k>+PZnxdovkYY{rF;i><4*2ISL{Y-`4yKF z%wRAYEey)LZHX4cf6CudRU>LVorW}(_-jIjbm3oRkeuuY7TA{m49fqA$eo)tw!6y` zzgy4QZcMy86Hg-X#zbkS$`&uKDPk7>s*dS7#%7go~9U6Ijq zl`bY-Lb?}dT<^tl0y<+y-r-NBQnF=a%fYfu(kIC)qqp&Aj`e&W@_oryfX7|ER90D$ zW?zNtXTsZBXWmWW9t!tD(E1*Ighj<=?mlzw(PPt}&Hy?C;h;W|by>=@OJ(H*H^_{$ zZ}Zu@pT+|;2E#yc%42AbEV5zrK+V%bq#q{z2x!!vpxqFI2Piz0@S}u>0oF=C>K-%t zUd{S&(j!QZ1da0PF=@T4Age& zI66WeCO7L|mQkrPifYtJkvbjmLCexat zR(XLm&!wVvS$HIR#;m8G@kirXTF=p%3JWJywsYC8Jl9P#{wiH6eLDFW2=n`QP3E09CU<80bnYvzgZ$8xpRG){++o<&X zxrGMT!SR;Oy+HUy!ixYSo$QKISpz0nHJz7C?f<{NKwhT$3e{Jkq8|~Jyey(FcdgQ@ z`fH{y(a*hJr~U@@H=+A%%F5jaAEnuRoA6@7?*K-Ja!FDa>ZnqT@0z!=tIy*SdhgL& z3J+sD`9awM*;{62e1SKY(|n)i3Yd6cuzRIE|5i=;1M~l$==~4re?o%P8f(HQ{-^ za=xSRJ%t?*&SS^x)6{#`Ib(qHEHEx5$!`v+NO=lLn+mxbQmOm;fLMf z2Jgpjvbp+%k05*`V7ye76~T)SSd0DOAC9t6gLP7ZqZ#TLhH8LNxMEx?nO&GK6B!g2 zRc5-O$*+|8qt}RXW6Dh+qayKln&KSHgurLRW6d0>2kP{-qiT4 z&GNHs?nLq@kv|zcx>x;Bwe%SV@e~tZ*hx>;1E+Wz#nU0;w8Uvr&fI0^XS*}Z8noYA zXVN;0*4ePoEJ61~Q7+Os$Baf=6wPQfr_lliPA-SVucYG1mdaHYBs$l$-^zUno=5F` zYAvCm;y}YVR#|Jg3(UJu8y^?a3(yO~!>N&tMcP6JzosXCm~ez}6fkZe@{&`&MUNTX zPP>@nq!XkwK=Vntptw9Y&$Tjq+)%#<7ZGnw{9?sZe57%03~zU&$1fp%De<5inYRT@bo+;v6|(Ab?wUr+i5&}ee^DlTw08rxJ`d^eHpO!j85s4NjV zBS&f*S$NQtff~LGm0PLY1_kF)d69J07nPSe>C%yV*X^c_e%2T39n|im))ks>dq)Gk ziwnx7;9E(YpknUBLjyq@cc%@58 zmys^7q-7MD>uvOTWs;z5t`F(Hq$`w`51?e?gMLO&>*eXYN#8^I-l}wlyU*z9O7|x{ zfb>A6Q7mCM$mj>POztQB0O`S?QG2CVeA8D-51Q5fJ)fh8Xgy5p5m+e69`XV|;D#9e zllHX?CH*MrVU@HzW4p(U{!QuOq(_h*2^zIS4?K})xlxAyuJ~x;j}spQ9Oq?)%n*Q< zrtF9tYtH}bN~q)LJVED4IH>Ehiwn^ND=*@5chZ`A%EWK}$DeZJDNdmHG(_BvRPhg4 zvexNDGq>x>I*I0Fnp0q+It|6-oAYN3ezleSCYyVf@Ne5Wpo`!exYh`$P4vm$E;8vTf7<#p0;kbYBXxnktC5oW% ztTYNd<~}ici0yMqvJACbWkR|3fPYS5HH9xApfX1vyMGXo|LNA4 zw&z2it1qdorM3}SWuQYHZ{#K*EE%ouYk={=F8_@nH9F5E4I#xJ!-~X zTe9_oIWx}p3GJk_i_VX5&^o~JNEGL|-NrwvY5YX~XY#**M@dODQeMSM74fSHXK$9@ zWplq#_?^NZ5KvOdB3X1-mUd0LKh0>P2jedqf793l1644xl#y=Rm6f`G%o?T{+e_k?cpEKl7?n|Fy*E0uQ*R|!B^mE3t`Ch0aKgn|j zg}N$~V7B;zRGB-(guyvpIFv#?3Wq^Jrt+nADvQn{Q-_;!n?Bgqr*Z_9BcZU}Ez9&u zCu2$$-c88}jVyPRiEF-*kg~a>DIP(UX_{MN7 z;ES3sjm#Uag?${od^%uX5z34@XBa&~vvMZsvq+x}8bzFx$FlUpgFDBRdD`vJj7oDVEui28E0z&F z@=~CpNY>jeaOaxUKznn~qjf&5matH@6eUZmY8RNcO8XNpq!yqSgoY~_njDy{Jfsye z=?j&@lp>U(Dy4j6PJ?oW6wgrKH<}#y(`HN|R;fC}pWx+L`psUimlKTzg8FQMw!w&ynJie7v!} z!uY1Yc>YTASCQ`k9yLpDxy$91a*26iM{Dj!x1 zJW-0wTA>e|#k5Lj^@4>f*wQI=&Xif2P$`u%D&YXaeFF{iq?+P9?slE;ge2CJ+lpcYEVBTI$(*;4DI+%)5#y~<~4I{6voXM)EqGc&(9 z**lqEppS^N%-g2t$!vOa=*@+P^Q0^uG#Z=ybf~ps%Z?v$us4TD4y<6$% zVO&DzJvvL(K|3hBLSEs?&Mz~k*;ziF<#gVsvjPqdCen$?`S^kHV>FEq$$v!tWAHe? zvzC69ilyXIqhGcEMSqt?F-azXsT3^FLO;?himE|@Xd_&47 zv5D|z!dn2Ny^!C#)NM6(t@bKxBfFjKH(<4)7cU|gxIpefMI1VC zh$(NpFU2F9JCsU2Du+SgJuxrU#~p6)AK!SmKH(z>9|;(BS58V^WfkR?x}!{Zt&z{r z(G-rM&;SCe;1apFrCdX!*A#oY5$VRHn}9}mT(ueKxIET`C-hhxN8xx1C#X;=jcJGb zNK+F&dDy3LB88JEoD2a4RG5@k?dhB0DWsTrT*UF5ibr&w8(VE7^Fpwn~<&@}AE|pmu69%0xzsu$>p>QdMwpD}-3hhjo zu0neXmr=MJLPH6ILDM?$jR#vEK1?0|7n724Y*eqJ+5xJ+amaK874B-|C+f~zL%t*V zYr$h@q~l+jx>6NfXF_zgKOmhbTu;)Ev8(p!)dxuxs}RoP>`##(sJA{OWo}zoH@nk>JAEbQs@c+gG2K2lDJec zrz$>J@P&4l*=zJ}+l_X2+DX_*4wpzIQ{J3pnlMRAEsH`ng%kwV?ZwhLA>Y9m{!|;E zyIkUV#PfkSMebw(A0C^_@_Lmg`H4rWM27$1!tY@rZq(6yJsF~aAqo+qk%W)|IlWUA za`DTUNO?glBNR$pk-5vq_~eV}meB157Y#6J6yzoQNq<*qPEtN}aHjqHzWl3fu9R9C zwQ^{mdM?t?;(9JXxy?33yR!*#%{XW zXTLw$0b~b)#l-(OI??}65e~9All7q8&o~b-&S1nrnk9Mp?m=VU%JykKMD}5_kAOwz z71E3qm*6Os%Mj@bH^js#n#fR!k5U{45rrmS*(78jn9(OaD?iHShLavadSq2P=0+KP zveKhTKTdj#(h-^KJM6|9y*kUs9!L5K(ocd$OGmowrJJup`d-stc|B#`1-1OHkEb_* z-qY}O58`g3(WhvhCXt>@dP-F~;hr)2RHdIK{T%73pnZEK9#5ajZkjpIXo*gzGlR}d zIGUdfH_PbLG=}p!X&`)B-8_R-zE^v!$z{9G}=ons1r=j#k5O(_KvW9k@udEWfNE zRmFSPyde{OUYF2&kKR&vs2sE8<2`vTR^*nMuw#e(E}L6U;e84#AfUdF1WNKMN@XZp zf&0LevvrcZ52<`aX7 ztBHRB98JWC%q!^D7~Ce4tPJHMyq54fz}Q`xtF5D&ct4eQWU14|(`I!rv3#0oZ3m zhGn}S3@_D;>?FR6_>aJGUC9XTVA$<8da$-4e0dzm$GB9k3=v2-&VMzlOVFP? zztQ@g)*rAmjiCF}=m#{7zexX0dJkwcEo5N0bYy4BjrAWh?jG*r@1^lCjeRhDeEC}E zKcgSf`1?uMYRe}Q`BUjg$kmqrOh1bZQ@W1)B+nwG>w@-;f}pA|JQrg)qdUrs++1%QP2(6E4Pc;QM?*%1H8lQK zwyaC4_A5II71}Jpn386(g)-uBp-2ZU!s# ziKI^=eKKg&xH3Md@^gz*Oj@i{<(x|CG)kvK(j?^7h|%pgBLPX`OwwnOJ{vR+h0L3h z{xstp6RyE04zjss6q-|L0Re}iyd><-HFo1vU$EzqJ)dk#u&AyQ3F)9HD#f}77nm|( zA%aWz3#kOC1fk$q$earNfFor5IISYW03E~;RQ8+=F z10dpB8GRnUCXmftM7lNUi$UX_DpN4qw;^rJxetM4bC=M$lulbX*n#x7AyL=P_}`Zi zmscRX3fi|j5@8wcDX-#6-CZWl(hPN@)SXfi z60(mZ;x5zZGc<`T(%Ga_pmCz|pvlV{`N$*3l<)PpuFfXT2YBio$V$XJyCaL66wjLr+}_@%E(BeXUv+XIeV7YbF`+aRppeCoBlMjuF#xK zr!|AtOjzlhCFIQ4FUYU5x%tEw5Pu#xP88Hu5gwI= zX3W+K;sqKn(pUro*RRYz6>u*ZeExF?F5zD${0iY$0UvlQjelVi$U9;xu!B|4;Jz7g)p?0i17*QFIWzx->v*ncD zr?dhRZc>qQC-Y`!xDSl~Td%4Q$$v!tWAL~Uri!Gquqa!e4CM2CbLJiHFZNIAd`4#_ z9Aqq6hF3=US+a^mz^yXr-_PXVWOJWWT21K-NJxmEIms7&0ZC|$IqzB_CLHC0h0|t9z zCyiY+euRM&Siap1xZMUf?BwB}2>(p@7r+P~<8Yyf)N#L>@r7pSHyXdw_yY#QN8)nW z{xtZ~LLdGw!haLqV=yL4_{ZSiOFX=n@V|uj0mcEqwHkH*89hg@)BU7twd0e8{K-$Z z^wun|V&u&d9+LQIUR(Y>{iyNtGM`u-`AHr%sMm#l;FTMe&t?uW>w3LD4y9F()?u*H zb(P$C-Qh+*rx$L0(npX!5_Gi+US`>MN167DUb#n8JBC^V)he%Cx$_2HL({I-yfvcM zm|7EPJd}1%Jl2fedMJ;haXgI^)X>{*z%@0apWb&*q;V3BlVKcKYVrxQJH@OnnzK`B zokr_)Sk=lQ5lFZ*OnXtw;Y@00Q9BzN3Omkv`y8V?&+rGd8R_PvTYx?=YcfHZJJ+m^ znzi$2olmPJtaMc@x5a?F!0<_WL@y*BARYu>ZBHW7O%O6|zV1nwT7+6uwJJwczD9O2 z)2`Ia#i=EzWk5@xZ3$`qw=#N$=ItWVtw~=D`oIcb+G}l0x>J+5gwmyy+CoYvA-5ve z&gdzcM0?Vgk-i)>PBHm9BKsvDxJt*PyPn*sEqYC6wYurnle}KLN`(AOyy=MsK!DvcEjCb@Hu*G z=tB5b!nXm&-KX-FB~K^j?A1Hg9dz!b(-jU%Hp<({T}HPUEI-QTx{>ZqItjYU?Ia$E zx=d5v(c4KDm24_0C^&U9(zmx9!(UyD_>w{{@jT-Bz>y!B1z&D&J&fMaj&Lp4lXL;; zLZt(Jq#5sujD8n=wz9cm(j}yOfySwqQF&(zIcL)F#ZW{lrBp_#91>2Zgx%SCo3T+F zbA4#^rBR_q*x#(=YY#IH(}|<*rg0CAdttCcsi<5&Xpnb4_nGiND)gr?fWkl(_!>*5 zOK^isIHkRM1kz7~#u3_3I6U{?yW zQ6tSV`sK@f3bRSiAw3r~b|qMpB@4Z{d4~VeTz-|!%_qKq`16WqloiQ*9d4oFOBa)t zFW8B{NPH1+6oO{iL;WK>r*D1U~;Y|p2 zBfb(if+zb0 zrT$!H^e)}g&q=Q){RL?3X(*>4E_186HOBAID)CG5Yss$zkLZc~WJbiTH~Lkrt2U7S ziuBi@k@ZMnQf5GL8x0@sl>UIk2hH^Q;O z!2U7k6is6-Y)UgC~5 z_LIe)J&x@0WKRH#9<2jXk>zq+Qxn^2A}3NjiQ>r+vHwAIce+!IuHV8Zb1Lc6NS_Y+ zpkz?YXP9`2CUYjmvnZYokq2I05xa8?-m3?`8R6!HTL7*n$>ZJ;mU)WYxh8DT8^?JR z&Zp240-{H9Wa@_t49?SIcp>2c;UHk_F`@@u$mq2iI!ro3Itm(Rd93n5!Nts(s1I>* zIte-%aBw9t1?gjNW&Ao#<0A5{$zKc}k1#TKUS$_;(6uq`H?93Hp>`>?w$M=H@L4e! zlX7ZjMjw4vY)|7d8kfVsuH)`6FE5Oqf1~^;o4bC;cE??9PPx`; z*U;%m=UO+VLxrk%T%?x}MSvkZ@I%m6R4@A{O~D@J3Tko9HX6 zo2YcAax)ZMRh7#Y7ba!IzL>X|dDBuPC5d&Rc`MD^U?PW=rraZMH>smacTl>MQddYQ zYM(tR>buN%wu8@LHyYh(Bw-+f-pJ0+kymOmR9HUjFmtM!Sv0e0reGq2m5O9A$E2@y ze#Bf#d6e=YS#t~b+Hk`4FlVElc0K77&?$t&vmry~gmgtlce!0sm(3NEE+O3uG%m^j z@6GaAw=-cGss!0wDTOi$O;ZPksRTf#8vqfaFEqWEi~z&%v^}`$<1QdN642DccEh ztRFPtUk(2dg@-9T0wEn5dJXURWDekyoI z52C>}&FJO&C^Mb(4AL_}V^0$?8L>Lc;5rNZp3Wvbhwxm$*wZ*#|G`Mq%`;)b3@^;5 zuz`)lPrpq171FPQX33;qB)iv) zAE_ntI{7!qzX={SWF(fMPZ)2R(zK^f;%zF6sk{RPRTgeS@{}RHmG7FdN$Z0pG~T1J z6b5!dR=E~>nbD03eEj94-zUAI3N3F{KQQ`#l>U(PN2EUnjq(rj8Aj@ZPfVEA+=u^^ z!e{;>)zdD(6BV@m%-`e)L=fW`w-pfFpemvp}x z{y+NA`y27!iT?o{S&`Mvh5pm%@8`;ovbn!V|4n*N6oPtn$e-y_#8aspquTOA`a$7v&3YaANgfo)*9DKP2V^n5xI4t? zv07svO1d8D!>Z7d^}~&ROzHZhk05;{XqIAG5vIdA%J642D@PMQhIj+u$ciiwDs)4m z8|i?OMx+~)Zc>GotQ>3fVM-rI`gqbOfaU;8KVBunS2s<~yGFa*PNa7dy_4ag34(TF zhD_chUrx%ifk_Lrxp*q2(Ql+L1bHYAK{##aO~Csiu9*j4BN zq*8ozDg(s($%vVAEKc9^1((e=W1QxU)1pe8jQ?Mpb1lvkjdLF3oXfN!D)d)CcLPH5T+2J5QTtK07A&cj9#R4oOFV8 z255h9GQzr?L@SeCQt2W}ttnj$2}#J^K)wuUWAqn#C%A<4rKH<}#sf)d%Jt6AN|neu zFZc$gooPk-IcR%omr=VM8Xi~+(I`Of5T29F!1406Tf z>oTq6sJ8n?kf3Z?RJQ&OJkZZ|$T$Y=i!@^_N&3LcetP}YM?$U2fT z^RO&JnTWW%Ol;K{$w)%oD0ZiqgorZVBbmsTFFd|0Tlaxeo(#Pu-z%qBjOp2Q1?7Xrtj%gU2ChD8Ps*e<`x z=86fI5bgySv1J#6@ovr;K1+9?lz18Oa^NUh>4TDY5ZzpFDDDQC z@Y%WK<>7(C0~7{Bz=akHl=jVW4;no~!#_m&VbYI)M)r$JvfL13=jfZhp=2K=I}9vJ zGP|Gz57mzuexc6gG@SSd;v<3Mw9YQTrHfe(MwxM*8l!1EPGby=bONQAjd!f!0ma7= ze}edvz|#o;&(3%5DKmmmkS!#es?dpeC7 zG-krU_0zj3DI>4T<*Oomush4FI{Go#Y+7?@&4q=6%Pj7L8TsZJzI?sU)_md%h(8Y; z=XekKE^o=)BDc`^{HV{=3*=uUzX&{QfpRCa`b#h6OD0Uw`8{5y@Ct=jA)u&A3bSMm zC+SF!xYtZMM#o9NPUQ_MZ>o~%@^f=bWzmrm_m(NsbpndFsVt`Q4iuD?%z+{=hj8!4 zN%pQ;E0*}3Uqb6WT1#Q!B1|V#T2`K2;g*>*LsME#=Y2XW;Glfvvu=Dc|AFC;>IdB) z690(!$G}lu0oft}dDi>Hgmcnak{NO-d`4j<1e_-_$$MNTD3^xSDl=kwm48lSHH|M| z;3^kZ-XyFs`f82;CF!-K*MUZcf^k_ADrHs`jI`l4Q22_%*AVmo%FBUBG{bE) zrGXy6O;k2h*#ZS+xWcFLbPrBaY-x2?w_zvJW zWo72`d}$Q8AB;bKj^}rh-$njM<;yYy^2#dVb{l_-u0-(@`Jc)E0v;ulo$8%mAYUxH zUrqS^UtdDMQTUz0A1dG&$ATFd?oShZMJtaV6#k~L2Lg_S2N3y_a3mo^mTJp?rJp`dE%tC7`AMEW2-gMd&o@kn zFMS<{nDJu^ZyZXa9*x6b;Do?C^HgbGc4kj^xG5uU@rR&3l_RJe2?dFiCS^=tzRUpP zjxuAQHdBtKaSV+HFmMnsy}f*)TI3p<5Y?mHh(couO(5W`$V&E+#V?B7vBr1YDnHBS zjw63O`4hn7+LxIoFdIv0PiZGMHD|O=HE|-Hljxib2WjLM=gJqArS25tx9W$_r;~8J?!;jI4!7n5pARYvc!j}i95}8{e;zA}g`6iu!3sZT=`U~#@-rQlCTL|=>`Z?)T|}!j zt&3sdY|>=9xi)63(w5mJG%lsl76#HON|n1}d=4wkt!}QJSz~YT>9nVH8Li7IdRNiw0FSo_sgLErUv2mmU41gw5bsF*THrXVq`fcG(>r&a z@nc4Mz7zTD$=?7TM<-08v6NSzcZiayT$lAzw)p?8I!@rhaWpiDK z-%9*8;JjGnI_;TC%8QoU%^0PhPTfJ{P8wZd__HxX#;o3D_+jb%%aa80?!=S8E04N< zcb#cgYdz{&w6bZXVBt1bm|KX)2&4C3=?f{BbROw^(CI?OPIPlUj324H(35-t`9kp6 z1s>~euE_90J;cStONjRZ&U^em)_Fr}o+NSA{~J>c?W*ne+>d)()9-iL5s z!WDoKx;F=J^fP+LbWh(+`X18vf<~GJ_=;TSin-7DFI#!OKluUV2ZG1R(@&;gDkzla z%Rwf5v(O9oQ+R;FUk_ z39WaAQhSuzFladQcxFrHWLhaRHt4B6oW=+mBVizSQj5#n62V9!omuo zlKzbJO3+9_nmh6>UzU6%U*=YslczIyeNJaJoiE_v89zIf>DCxKUgysHlI&Wt>%by6 zvP_e_MOtsPYbig<<~ET2iuBh?%XcC21=&WUk6P{NO{6!I-U1p2HZxVw(`_~Q5FM|v zjqrBD-vGurCZ8)hS;xbDYy6>)_!Hqf^52u+A%B)PXVGNIv}^gY>ZClUyC2M2^1aW} zPFlNY{V0Dj6{)SHgGF9Y7(e%JpUO|6I0(s)!xwf$rC?twlZdrALGdLL-CQv9->IMt-HE!+KP-r(-u z+fT376?{sNKbikNN$Gm3E&r8%N?4)23U%Zsc}gH$S7EgI-5~})q^KLI$Bl{qH!WR|mH*VKgX^%6Oe!bucPhJbUR zhpdb2PBAzu=A)lV_%y<&14eY2(t^jxongZKyS#8Fg|jG}4FSy7&=+!lWalqo9#)PEr~hF@y6P_|S2}3BnnGk(WXgeowhGw=$v2 zWnQ?5LTd^aL%>}aRbZwoF7D~tnDM4Qa$G{=QW|Yx@b)ZoEF|Kto#9LL>S|B?GUAs5 zNA~5`A9hz5e4pO>uOxgG;SPWqTiO*eU+2|^#~<*SzlL~6;@1Lay(ZmNXo_8D{C^`n z---P7 zBNIGHtKaB%wB>RK={rex1&!>>EWdfk{$0j@{)hZ5o9jltJNYDd-f`uDUNVzuc&8N} z&mx{pJOv!#Whpu7GU(@WjDPqm&*zfQBcBf*N2Ndp56WuA|BtNm4vebk+cqygil~4n z2q;YjvEr6&Hc`ah5U`7=D4S%HEUC;UgkS+t5k#7Tf{2QWVn->0g1sRYtYAk)#NM!B z`|kVRnO~yc`6JKca$RTU%$YN1`oSpS2s7#q_vu+7qf$l{4c)GCHt<}v;U7=*c#ZH{ z;UkIbLBXeDxnq-aCd>*o`K*LG3H20m7mUurIycJjqrwF@2p=uHG2mrbM#BA?41Y6h z=69j+i-ccHoZT=@+b_9GOc@yR{#YsFq+CjcS5S;yTdUFI;l`UVDBQBkBwQ}x3JSae zw3~T{Cm4QFXfR(Xe4_A40WaZ(nlYh}!oF^dM{-jJ%xqWHhg@Lxjz(e=V-3!g)rEeXGL zDTQ6pvhD_xt_kJUTuC=dnn#IYlxOO&gO9t(@D;uNMcgd>7UA=W^CB?dfGjkoBIRy1 zqjRM>0h=_yL=75*+Rx@%M_q zkGwJ{x)IQ}yWjA|uXy|c;fsVnNL)`OI%%059x{I7I?pc_zeM~}^2~14BQTUc3c@lI zjN(rQlVB8TqQ3%4+nQJZAWdC;60oT=)~hpCr!A zmdH=Jr;L4n9Dc&#o)-Iz*k{Qy9##41E`HA7r$R&GdBHCTUQL+28MRp8jB)|HM)Ov^ zXx72u-M&WFOR`?3#n_i&V|lE^dByO7;m*D)e68@;h%@Oidc;i=-0Q|y4)j<1hWIzd zzeS!`i%p>2+r};pTV$>iyI$-&WOZ9zJ-&5S>E1Q|pit1hC;ol$ACTv5&Ehs;3x|yR z(1g81ef%Q{8zg*8ftk3fhIC7CHj-tEns%+r-w3^(AJ-D<*+aQZ(a z{3+ot3TjuPid0>V@h(Vzn{#@oCH*6(#qp}@J6G9%GSqpt!B42{ z3*VNw>O6659I>6j+cKUwTr0ub3vNxAWg13LU2a@+2Q#{dYRrx@c9PMC1``O&u~8{$ zYxJXs`lN3sdS}t?N%QUu)~tu&G6oxd;pz< zcNX4-II};e>vJ*V?#6fP?D;*!cNO1_JWt<{W)HXPZur9cJl;ciPvLtKXIB`yznC?# zcnu3I({3-*UfzU%#o_jr)=OG%YP<)~u-~h}uLZb|;C%(}N0@n{#AVRZLE(wk$o}T+ zzKxI90dfwMa}XWg1y@s!;;OIFD?<<1!J;Fgqof&~ibh;>%;0w6YeR9td4dy!dFpa} z8n@Er8(qJrk4REFt;yo#_)53&4dp&EW5tgXe<^vMeMAj6tsQUl`Jvb1GSQcd zzJfHbG}pc4CKx^@^eSB`e4_A4#B)z`wyr!?k4$!z88?OKOqOxAj48nwQ(swu-H6dD znQBI2vA=+6GN#LzL4$AOnuaQOjj{h12G_0?J5%f|vdWGP7?)%-!1#vi{JF0eKU@49 z@_f%_%J6O-ld5nxm@s{RFU*y2ql9@Bm_E2#HnDFqe9#RZzghS#!sioL+#6%=R$~(( z?zf4(UF-s~j0@g0_yRKC19zCPD7Yv%dDrltulKj^ zJ>l;Q|A07eMix&_qxu&3@YSyHS z-6mt#g%|PXVmFKZf-JKgzK&g&bzd6YC$v?+68*L4Z%Fe&P)`}YaOb`?A@de~$Kk${ z@V$f|C@^grQjTf!qv5sp`n35;_!i+m2OJIUYSh?&F?@Zf_5LdSH{rh%*Q*^h-VA3f zG`g*(?7xB0L4^L0@~4!)sIUVV!x4GdyN(^edC?fQ3IE%~ySmA1;r@}>;smu0@K*^{ zo*I#^a4qqlxk|^;p}MvWenR6w^tPl~pT(!4kgk}ziZTG#zny7~;oaIw+V;{~Q{&yh z{2z>p?qGE5FiO3n=$%BjA)_Y&QkG_zh&2EDqKZXd%(g{<92 z_`bsT3wYJj%W%Kk{)V?Z*~jGo;RgyoDBu{;&7vLA*YMZEfbPMXB)L?=k=fk$c0WY0JL*w96u6ki~|kUTFHbB6JqPIrjmD?*R!p~CwKKP=!C zPcN&^l)3(f?;IK`hYLSK_>sgJ8%$y5R@&|;<2OEspK-XO#UCU7Sn@0+(imjP!?373 z&V-r&^Ot+PgcBs3NI?NqU>XgIi2=s%_kzxkmVo$y;s=rEV_%g@H>S|Pg38cfQ#yte zJz2^rQck79tlwAz9u4G_JI#zyVMfR4GR}~3CJm-3`fgI_f;`LcPeYkIMEKdlhZ5&C zV0ZH>e4o#qV|@Gof6eELKTrHH@_e0DqHX5RH~8899=<^EaKWhn$D$~xiVVIfh7;g$ z#ez!&rvscBQRQ5z!5c!otW0pZ;7ouM3G8k#!r&9f`ZHGut`uBFn29(hl|>^oThZvM z&3HW|VvUSi86#;h5yzw}(KF$k;U5J&E4)s4J#i)qR%vA1D1(c_Td_g#Xu*wync|fx z4C-e_yD`R32-)~T@fV4|IPgWTUhnBkjE{s4ys_fPiNBP*uW%H&@diH>Djb&yzFhDX zg!#%Hflu>HF!r-h7F;QIqS#4fdE(j{d>j2LgBOKX{A9sb3!XxlX+A15q7oCZ(-;FV zW4pV3W|<~qx{MjYXvmDHF2?{*wY$cQ#i7)`R>n*jvuH3Si)ye^6@8D_8DA47ZCo#Y zw)i>ZS(w!|WU{FG8~yZrAD_9RZxlU`H1ohHRnOf`hQAY{f3xsggwH3=H)mCSWnBit z45)pw>*7|^`h^Mfw@JHQ+5&1!Cw?BO2=idd-5qAcw)642Q^rCWchTT&D8^^2+}#GR z-;CdIxO)WOEBHRbEYr|4!nqO^?tT+0LWjr$5*A5#FbEjKsA#CEDRB>(FhBGiEtarE z!cq#%LB(Yw+%jVuH!?1W&BJ1si(NsMH>?~Jg&Wf4?h)fp2(^(%#jg~n8SpZfsY2)MQ--H|_=J2~_%p(vCC==SuHbOTb4DjZBma5PFNj`E znuT{3Lml`I1S{Atn$jt>HrGgbNy^Jq7yv$hg59-VF?wzo@px7ATG6kOR&GwAm5ki{ zy74cBNj7hYe^dNh$pC)YPOb6GyL7~ ze4H-)4B=-IXIf^<>+w9*xwDL45k_T)h(BBW(7`ZW@%;+`5htMEnw2Vd?xf_LSfSC(pjGr8`*oERR z5`QsyrjNq_aW;d#tV>L2A6mgz}8O|UZ@87hQV>I@TghDkgF>piIwRBTJRUdvr&${Ww(UvRj| zQm&RVg^C`8ntHtKrW$=wAD>{;L{AqzgESMYs4`W8ZhUu*@ypliP*&qJU5ZK7`%y@0eX7x$qK)ss7nKR5J5-YI^e_`AsSSsQ_I zsJo4A2tB~}h`m?reSt+^fxF+>HlcucKrkJ8gJo{{k^4PFAu{>l>Y&l&$&cru?C|AP3{ ziHN0p-c^GtGBjF_pFH>MfKu!kziqTJoeEh2DwW41ObOR;~RJhlTo*a6Z z-w^$#=(k8SGAUP-W^32IZNi%`<98fxorLug-l4$AaAXg&evG~;4D7up`hC$KkY=G$ zUyp&A4-Kxp(NUNzLN5_ly9go1klx-?PGY)fPW|ad*MG2XG&%>n1NJ{ zX6272{NGjn{69(9BH?EW%s1#Y7>QW|?ib@@p$7S@_}|3;PM(!bEV|!nXy?$S@`unr zh5kiUQBSAQ@9h3I+=ZzBBfP}`)${RJiQ`ZQsK(n7rDaR}maFZ*H_k_X8~lXYzLagL zFfx^6+;)bhkML+Kq1y{>O_T{!l`5;m8v_0KChT>j7j~4elY}-wzypPzYFt2D6Fv=3 zR67YfOK4Ald9tpi0jJ-^=x@UFx~u38qC1ji$%lP<+-}C^pX;O2No;4aUC8E2Gb}Sr zx!nz)8A`J~gm)F*jW{p02tD%XC&lc36I^Hz_mI$2!k!d5LEs7rRIK?r_47H=suFB7s?ASwJEpjOOk97A7yC%uSK@vY_4=(GQ=aB$>#}Zt zQ)aBjDRH<1q#P*aAS#^eiianIPx*2i*sSYoQm2>X;0tS#B9fv(s^hopYtv}T6lYz` zr0c?PcU)4Qqy#12Pqb_?$v5BVC81TD6kQ;?kTeq=-4)d}HJK6a5EF*p<*)rv3H>A- zMu9iAgkP?%cKr<>_N%{y!-XFq{7B+Fe_eTIgoL9^=s(w=|7Z!vNH~^)&Y!N};Qn!j zAGOt=|9Igi2tScHZ$)`cy0jW~YP_TdnDSfb(>Y1XKq-T$u;{?dErfs#g^YhA)a_0d ze~S21$umY}86*-u^lbRqVFdSd;b#axlQ?6f!F}9ntP48Jltd_whe$bF%1|l{p(r;( zbB^I>hS8;Sg`X#U7;#=estV)Kn5A&O@%M+kcY*lf;#1^#dhD&4z?MBlh95l*zv6Jk z!b^mwiSzVjSVWhpu5qQtcM2C=Cca#JhP<9zbhM+yNx2awTodYk6%r~XR8e36Sddtp zF2XVrBefzW6ZiSCL9_v#)T3tl5lYlO1P-iq1t|l3B&)-U&vSq z<0M>4fsZC8!J&8?Z}cf)?)PP)FBg3UY2LPSe(ez}0SrIT+62NU3ZF!rsmg6-I49{U zYQQCEOxmJ_SaqxCWiqm`QW1@r_^NXB_S}@wba#K%SRefh~kE8_4J< zLObG4(F;Z2MVhw^%YNAiy4&y>m-*P=Bm7?B_Yr68%Q)qLx%z$+F5JTl4@g)f;Xw+l zU)OT2O?m_}(L-kZTJDX-GM30#8Vt;hNo%dPTV}?{@Ya4<#&Q`eXz&`)D9z#yJYsm) zE%+6OdsO&J;j4%NJ7Uy$cr!Up#h?n{GLg!yb=3I1B}H-z~}v964k zfzjKBStH+x{$BJCq?upvCaOnQ&yR+`bFjbEpM-A_{xfmbv$FMA0EQ2c;r&?Relh9Y znO^!;(r=P}r^Lq!YuK_J45)Kk&A22CQ~e?1PZ@vFV60H$pmcVB8@@FZ<^Kq8agy2y z_?vssF?iR=4M$qyms|^BmryO+20x*NAYoeyya9L!@g2Xk+s^pT;VEn-etYq)$@2!3 zVL00DU~p;34m%3oNpKs&D$`J%LHoeyWubl3PV~;A+mmKSOO;l+U5vf^IsAmf?JBl| z*p6hG(P9y7CmqEsfZa@J*H=8o03>vl(1ik{g00H%(Wl*w?oj6M(;lL`ita|5uPo59 z!bpAsU!3S}%Kw7WLrPC6ds5+zYN)T~Oq{(8pB=Wt*json;k}77K3ENi@_QenCmrVF z(?|5aqW2@syM%!N#}9SyZ~UP)5Fq|Q@duIT*)bstZQ{O0_gjM>akzs;M?^jI}3tBPpXmMj;J`fKS@jW--8Xi1Dw7 z%J!k+`-wk{JQEYc=^Xm)Z+MR|0C~9ZBZMDGoR?cvKL#VeM;Sdn?16K%=wn15OPWt^ zv8zWZl0|`Efo()hS{m~G@sduEbRs2Q0oEXuq%c@A!1yhv`zt<4{6O)80$+rUHrSdT zZ2b5zJK<#Ur-(n5JWJ-9F&OjnbEQu+=dfWujML?uA?Hjwd={}=NYb5UaM#`N8xA)_ z@Y#Zg66OV9(G~huGVUDXTZYQ^x#G_gKP>Ro^~IHGWTNwpKO?kpFAzUme2P4u$YRt{ zF$EQCfK6ER1*3xq6-y|Qkfy*0@#BrCZo5+BH-))JW#Y@lXUOxmq2AwET~>p=15xmf zFzMtl*|0)VrKBoK3^QNPlGS5_YB?%-;|)Lec%OeR6MnhyD~L03Q2)~GkO{^g6E+99Qv5{mlgRVA z$65}QSu828GNWrKhbGIoTE-L_j8JZGE;rTiYftqNnkIa@@EODzKr!Z{@pYGR*O>9Y z&+!j9+_f@h%9uri0pRPO4%?($XZZ5%eE`=BpDlb2arTFm)VdoCy}6}F=L)@1=scpz zImidqsBGM1{85*C{$}yFh@Veh1$ra5=DgMDV?uA+ZK7`%y?``dFuB@t4XOj~4pT;j z>hhgZ7D~B`3InLBudW&6?l$_GP$b?X`d-oZ1sa`&=qJ42==aC@$Uh)@k?03WGvSdZ zGg(YTYIF~oF)w7x#WI%2SV}_|P+N}G5tUe|>z0|aOBj87SjuuKE2yxz%FDx6nU5Ik z()bOBdsOgB!K<2JekIx9u>pQu@DqZcB+Rm>BAu?SPB&n4P!lc;RgI@5JR{-RAYkA= zqgUQ@COjTSd7hW>f`ru+lt9I3B%>R++`VYVu#g|t$aqP{%QTcTv$gEoc*XFFHvSI0 zDtxW**NF2Hknt-p=^7J&OlWho7v7NYri8aBFg2^HP_=s7;9bH5nstKL3x0<%&mP9s z-Mc2N3&ZN~NqAqv2NZPnC^jql(BKT@m{>AWq@ZW_0 zPMqaQ8S7*y*|r*A7Fytci2qakU*viEsv0aE#v~xa2M_Xz`j7Ay16A?IU!9)&405SV zOZ1&QjV_QR$h^qN{Wlqg(Xz0qiQegXoTdMxXeI zO1GQQUxvnaC()fncOlJ`FRw?xFrvS^@%QfQ&%THFuHw6qXI#*EhQ7J(Mqd_MTs=hh z6ul>DCS)C!h@qQjFT?M+-k*GL;k|_SCeF->ZlRI*+8oyZn(*zH_#KDqBVk_&`%z$Q zPzx(7bNd@TakF6b{);|P^g*PV^tI_SZ10H${6(&>DQ$~WL5@+9oehx%T=Iq~pvPs%BfQ%HwJC??19V+-iTJj9GEp79rR zsEmFx4x_$>bjc(Dw$NFT^r-(k4 zG-Dl!bKf6>_hlZz;Z7HPhTt;^Gbdv`SY-xLIm`G>{|HB&U;NqPhmvQKW3_Uk0I%sf zca9n7oa~KrWt=Bt7>%|JAzfE9n%|t)bP;#HX%B_@r58vWE-gik5o1qY2IWbS@nb_x zvRHhH_%wMYf4aWXl^UDh)+c|N*mAKMvP@6R3CC#v2&21)QKJgcm7=QxjW!WB%&s>2 zyN);o4p$?(R`f{HOnt-y6D$la2ocE&t`l4z;Bt($xKReb8ODAZ1dkTnNI3T(VzNzU z3|C8!F(p4dh!;w^NXo@Q;oU04?wZ&}{t{Ep3%6^mlyOonrNVU2ef%x!#v6b4i9Rha z6Mwn*E6D2^!Fo+M!QdCdjJ7KUPZT_fFcUrn7}I`?ULEMkqOTS`g*0EHTp1tX2q~(; zSvS?J;o$6@^f) zmo!__97?cc#!m^w;KSmVi(f%L z7k7Ly_Ys4;?&YKNsNj`?R~cLo$#ahx{Ndgneq8Vqf}bSJN2?B5EVsF|d&-nHb9}yk zTFNt0o~5Gli8J{yspL81>%+2!=f%Guel>ZO3$?Xb_oBfk?c`6sM(|65Unb0xXR;|Q zvQD{IjBl0a`B%lS75^G}o}8adaIYKueW}0LHw3>a_$|VGJEPwzJsMxgsY5UG+vapX z!w0ZV&U!iT&|!ARG$&l^yGHj84c+%dzc2a&(tN$4nag=p9~wR|2ORM_V4FUcJfqUtYk^INayrH;ey*Ja2ENiY;9&kNwh= z$)RiLD=A+~`GyLEz|b7V9V*?o#y5u6&3EFz7yko!zJ5>{bUzyVllAk9-6Hm9vb7u{zaB2Mw=|-{x!f_n7Gla6iF^5oTdll&Q&LauPdITz_*;3lk*|mve-iBk3@JBtDDejxu=qT%H~Q94+`5 z!N&$T#xH3eXYizc9zI_134%`~%%s884Nj99VEB|!E}bNNpzuM&nKW3Ph`GCHGY>Xl zVIO~EPnK|sgi|Rn=J^HrQFofbAJ6oWIbHA>g3k3|U6Q;hPJXzGL)&u*|1IbfxI3Kr^v3uG;9u;T>Ni zx>oc^(!8DAoddmS&hR@!MKUYAPIx_W-cIZlQi(YcWp0!Sb3?JzAYrtGMhZ-nB5aB3 z#u$8X7-PCn@I`_z4lq876mypteAtON0S-4-@HoMj5@xEDa%R38Z}jM}PUbSvmy5n4 z(0F=^GH!y=kuU&qrRa&GCy~xQKCwJ^mBB4m4Rbng7JQ4~`Gk4yhIE!o&Tch)<9+^8 zZxepI@CC&60J%{Z47cgYdMRn9k1NOQ&SeH? z!l>56f|mV(^eWOU1X9sr_n5JVK8c@jxW~mlA@)hKO!*Xd z5i53289pR*)jTcy8R5?oS7FCNq{b}P`#onyr!_i%3-`Q?7i6rap~y6haxWVDN~jF1 z5&M$Zm&x)ni?JZN&b?xE$4~v4UlqMp^lPMYy(h3=iTzsaH^ycg+_%Q|3A+-1 zC-!@>Kagc4N=i|L|7dXMu(tLm!CM6XY;d-!&i!KW&D;1V>{r3R3I096>0(5AtHHm7 ziB*3H{!{Q@gn4;socM2J$F=q+{zq(!!K$0%Z;o}NT}%8&u2$Zqjc2#PPpFlP-Igpb zuM|&}+s=(S>$m zcNW{8EaOpz?TXzl245HE2<C2h!Greq z$+3svu7bN6T#K%p?gn2P_izuvJq7Pcn2&0vp%$Cw?`8A{p_RS2=w70G2f8X%TU_h* zF?#M%{@i^;?<;yg(oDOm)F`*Vu^)z!w*$l;DE1&@(;3&-*xtwa^BycVA~s5v>0DJ? zi?!|sj|*>&xZpg&3Bs%%V}vNfuU6LLdpG&!92CmBq?`gdg>;xls*6W*m#{+&A01Y} z9xA+_@WY660KB@^^*40RnLg@=3q3;Ukwn?khMosRB+J%MwL8kBv7zhXXi3LNI+hZz zw+6lZ?l^ciG+DWYg62=bAZu3&iC;-N%TO`gGlq#wZ)lQH`w4&DG#44 z_!PmX8l1*HE2kO!Y=BP}e1_mN3G?RHVp#4hW7m}W6Aux4w%DO$`8KL`X%5w5%Ybvt z$Q$8}b7h<-V;BuqlCW($hWRmTrO};l%H=0`Xn=5(m` zPO+R4IcYjfo{_~RsD~T;daZ}c1eXiW80_k?#@65iM|!wIaHZfX!n{qc$c@4pTcd~8 zdAde)t>}@YnV7D=7)_*58g2|@qFJ$ZV(ZB=&R|n+l);|`xIyq}!HtA@;yU!Lj4`%m zwvWVxVlNVVabW9F6kcNN;kSBrtk`j4FD1)J)MK39jW@XU9Ui_+@a2N9Alx3XJrSj8 zejEuEya{IZPkZx9nGU@+AY%NQ)3{>csz!VbfbsN!;d)J zZK7`%y`VW==_FcsdZFmM0-Y!*z;+{d8=bn$pZgxs_lmwR(8)MP<=p*7zZ4ox z4~SkQ`a#lsSW!;;?+ak|j5)nSF}YaI5;;rh@LFRDY~<&b8NH&=$LC?u%SEpUH0GgV z9N-b7-<;~{M@6p`y(-X&L@Y1gJ!bTROFaF!=qE%!8R+~tcj z3pDN#`Y2vE`n7P6-Vpt!=(hr0hL=ayy>0Z^P~TZ6dcEj(NV98z890wi;@&l(O~|_M zNqAqv2NZZa^KqeZ_o2}{gbV#h^ajx%H>V5SCq}mk^rxaXivBFn@nkG7<~A8U`YfM_ zpNrls`ins0tEAZ9{Y#@4ha2>j=&wb8Lz+*jcCE_Rrtyle#JK#ori~2UL*GgJUfK`T z{NT0hYR>g^cK-S2bvW^ET1)caHtXfD*89kzmsOIgYU{LJ`jt|kjmUvldcYv zbN`U^r=-6q@ewo$#m(R5Ob*UJa$20MT08#c1`=_T6WB1k3d75;C4S9S-`j>8y$yas z^?EZPmE4Oi z>)IOI5MFfc#O^G%J=u`+5^fixcMP{;SJ53rcWh4QyWNc5DbSrncNX1+G*gwI+|F`R z5$?q9=KK`8oA;2@RZcfLj1M23eAnIRb|E=?i0&zRPtv^7Vq}cHj4j!SpK!Rn#r6{0 zn`~?R$^}VIGvxL$W8r!JJ=90WzB2Zs!MG$N1sHDK*@nBmqIO^9@=aSB8lg#P1=0$s zv9ex-&2tPb4O7?-71~eeVMLkD9Jc1E%Z%den*OGAZ1l-^9r$WmBDij`Dy0A_lNgSmw$%* zGwHMMGZEn`Z_KSRzIv4BhloF0{7~}DkBMmRvqhEe95X6Ld*fUg=gAlr40L;y*I;a= z&Yf>YG)(!uK*n$xDH?nN(GI|l>uEVf=6qk}Z)>rf5;!le`#NPcuwO=Ud?+8f|^)fk^%ejIM8|%q<6&AI-35E~8 z$p>+z@QK1F1-ytGAY!w9!rT{yu1XbS{jDkEgYu}9l~PtwQIzsSG4YrglY;TMj3;C~NrS~iDp``| zj{K@(J!R6YAU!SV8A;DlVvZ?_;XTZv63^mu=CpeQ|AfOmFXsh0tLZRmMONm$XvS{A zSR>;l87~K;DU4Ul_&anGy((j^jMr!|eGB9Kfb8o=pB2XG-w^$#=(k9-p8!*o&=J=B zrT?~>E5Z=zI+^QbzC)9BqI7YYd)L?pLj~bIvG0rhfUJ*GB;r0a`t%T|k3??}{V{1~ zMPx*m;^HaR6w>Y!(-y@35C4qB{Z!gUX`fN+j$cbN7$>i)Dd9uxn!RON{9*OYCOgev z9sFrN*J(EEG+*#EdJsxR)MJ1awQcNAl6GI3cK)*p9NT$H`&!yJ)Rc!zL*wvUlLiIp zJ4xS5`hk*4ofwK)ylA<+>_>Cf-|GYVNzN8IKht3z;^(NbODDe8{fil+XZb7oRmN{J zey71uFjc}r*=o-5uli8_kn^XUznUB$FLX!zZBAsZcm9#n;uN)1@K@ouI=l#2c;IE* z5L36jW%qiE%AnIXjqA6>2m) zO4&(D8!Aize)BM0g85(wrmZ;(DtxN7le4p&_H>xem^cIln%l*U)5iGg-&IBj869cp zTClb*gKhp0$Zn=gzS0NMNlIraU8pd#CF1B5#}|&!cHtoG?xy93n$RB7x=QOtjjxeJ z-hZBv?k4UXDnvab_LR715NoO{8__e|^l;QQO$~%Z2izdbOUuIu3ZwZk-SY||K zl;*BYk^Pq&Gxy#Q+qm33xe2=LZ_JNjT35cohfKzAI9yV2f#5>ImV423z@*(nOc@z+ z@1auqNjZ!Pt5*5>b!jxM`Wt@t3ILjxwb-gmAQ!W278Qg&8-E z8F;yF{Nv2%yMw>E$ICcD#)&joJag~|y9F72X&C)EN%TO`g906oN6{xZ*yvXV_zO5$ z^eLiG4Rn4%A$ogHGkW$cPoFOO4AEzjX2w=i9!p`1v7$GPO=#U&CTwGJ?ZhWpw-5_z{PjEc$BEQvzKedaBVY7kYY{ z=;@+o1iDc4HAe5W#M9S`o+)}3X~sUc0J)}&t?uj0nH?4?T`y<0oH=wDd-Ox2u5p9W zMJs#=b4A}MdR}un=58{&IM6qXzD4x><}?O5j7|soHqp0>UeJuj78iFIT^8s&MK2V6 zS93b%?lw9T=zB!pEBe0XGzK}09uepVL@yHkU=v-49fBV+x;D^@MK2M(v^gDj%Zwfw z=!Zow7rml6jimxcyFfoGdZp-9&FO@D%;;>O9~b?E=qH=g7~U|tF3?Ylen#}O&1mfS z@to140{y(`7eudaPDkB~MmGd{jp&y|zub(@Pq( zhh{XMv>%PWHqbwb-Xi+vKqvE)5wsJG-sU!6Li{TFH_^Wbx-1gMo!@Ho?YsNZ`47>5 zivEirarn|4BvdWPorIhcM#r@IIH(eqi8XvFrYPwk7@2^+HN7CI!Ws+ ztqV0KE$Z2+2CQSkaE2L6r}}{QkkM5}HyW%Jpwqt2bvJnJ2K3N|Mt2Iy85f-=IzgH@ zS`%Ap%dtQS%LUA73^QAjath=W(&3FpzYA~lA%=euI$aJG-cR^p#Fa>x?2Nt&Owj0W z#+uO1I9$dNGLEFdR#6qkTJXVeOwB;_&|p5wyoty9ggRQ@G4hV3$ApUK=Oyv&FQb>9 zfgf?W<3*n!`o!jRo*Q8F!+}0Y^gz*r0-a4o@$wvObj$HRCMSzNMf9np*%OWZ#B#O2 z(@Z#gf)`GgaE634DKP5Uk_hUTXBi#6!qY=UpDlVQX*U0`k|=|L5j+K$)ltl@%yZ2A zHmoQ*SLS&#htXujO8pb(&Nm@{S0B^`5{64iQD_697$pH3HL+NADGJvjvo`*Kf5hR6 zWtGTE(_)h&mZX!YE{$U0N2y7vesb{H07>PNGC{(8dr0|^;t4mxq(e{iQiY^SNmW70 zi&9ELLf1mINe^A%r5Z`Kl17@8pi}?}tB9OQ-;{bOE2&OWeURdqW`TkE+%=6dX-vpA z4U$GnYNW*HOV<=f;$dC;7<2lCOS(|bMRG0gZA{18!Km=oJ;92 z!J`Fm@|fWGj{JC&2KVyPWs)wJbVZP`>NT35K;)u$Cr>bGRp`mNQqn|8lT6B^gxJNf zuKy~N`d{ornk?yRNmD2>8S)vuM4s}{RCD&2>78kErpuWToLDju!voFqcGsA5L&!qc z%9$x=R&XM5I=rzFcbz%InDcSC>*dUrGlve7E)p+{6eJ^X3Jcr~CM^%rTuC=dnn#Jx zYazbjneT2g`tL^>0D`z#^ev+2lji07ZL(6_{_R$CJ`d|5Z4PlPX!{V2VUqN1lUU4K^;2tshxv*aG zQPC?!uWCl4f&7@!s{{SG=qE%!Nt$;K-^)NP0V8iunXtCrNB(IE&q#Qd0wa?yjYJCF zb4E`OE$Zh*zaV-wX%>ro%f``ln%g?^MYB4Gx9u8PFUfkD7Q-k+d4uUuMqj=ZKjLt& zie4-FHPXzOm=1uxK|h!Hb(5xtp@%mly(#G}N_;i&%~_Vlq;tF%GS!@H{kEB3g{sLq znd@b~LsRc*4B6+5cg^_x3q}tSd{4&vGCrWeL})gUfLG9mW_=e1=|7USLDt8#y22{0 zsVu=pPkgaNqwz>GTZ)-_S-j_Ku>|xJJ4v5T{%(D$lWf#UKI2K4l6YECbZ;{H=+iv? zx#-QJzaY&-$uC4m(P*{|&q-OTehh{#%={;Gx_u?{Ynk8B?NUlszw;eL|6MfT6M8B(Ttg!{$VE5dr_U&a0= z_II+pRihg@g^6e1YQ|ZiYwQmhf6DlahEJ~uMk|c&7t-q=(Jf9>YXpClUh#rxG#M?d zjKq^AWe(q4axL*sxw`70vw01;if!-{S|&2LrKu63Q7Mdbpq#@ELNk0j(}uk6wN}!$ zm)4pZd!>`u@FN6>rwX$Y&{i?`wlKoJquib3wxP?%1VaSa1EDULBifqu{CuCbVHj(zu(2X`~8SLk}~B&)NmF0_~j zn}>+~fG{6_cQf}4;q4)_tITdR)z4jrJ^FL$+1->;(|lI!A*H93J*lt;jr2qfES9Z| z6eephh`E<}t3q1tEw7in-t<_4*QG0}OAGSdKE`hiQ`h>4-&g#8 z4`A$WYUYES(SySsAoD<(2hn6As^L+GtwwNR5!ctOt3%V{U|A7aQCbWyY2oGh@M31Z z6IK<+W#-9D&{QH~sJynilwT~&H)YvGpNL5*1yTyB=;D&Oi)$)14l#4~Uc5A1+@Ui2 z$vliEo1E39$ou^b9v&XH!v!B9_(;N<_fQyuDJZDJ2OQi{CT<<7K(J6+;xQ7BrN|Nk zvl85K#%_DGXO99jZk6~xWPvE4;OK==u`Qx@W2qv5W!~)9!i+`Iv<_(3?}63 zbIdzwg2HIw&XsqbykYcMH0SbZ0$#G99R0|-ttrko`=O9mFOWT4c8Yc`ig;@m8GLYv zVzJ;7!D+%QSz?9J!dOAPGLjeP{`cy3DK)qEkv^Jba?9mr=(3*3cOr_FL;|ga5$4?V zqjxIgRLZHM!|+fYM|kE?<~g@>u~cm|zGb3=exNp+Iy zDQSQ;ssPiK5quJ^rl!h`GVy;6KC}jjqa`*{}K(AK+M-<78e+lgWt%_EoviFjQhr%Xa>uzf8{M za;~7mtBXWpaU6Q}u@}ruF!7I^*TP*XaiYXY6z$%X=A$uD=&my7s*seEDSj4t zW|K%^JeC(pAX_$Nlk3ba<->);T`zaG+&OfcWs^iKk;D#6Cd~`iHdoS(lIBrTfLQR5 z%twHzLxg;JlexPv$r#|xa&M74pKh}N@g(I%-K{3w90I&e((RHKP-1|nd?7$Q2+ab# z!`$^O25`7L?t9p&&z&6_G;QpMLgRH z6eKSiJ|L9LYlOcf{AJ>dWip29LoC9AE2e_$6%)tY=wtb+#I+J%3t|{PZA5@rCW0{? z6K`_*TJN`wrb^&p;lQ-$dNICfyir z#Cww7m-GQ8CKVQ&s`g;wxao&>g7W))s2}MB8+3w?c>>lG@Bxz=Oew^7 zu|6^5)&_r#pUT)MQK9{js#uqeLpcmj3$&V64ir1-6pL0W%lLtYit~5~E1IZEHP*NvO?)JD@cblk zi^QKP`bu|o39bua{bI^?(|uUKO8HI7?^JlV@t)Fkjf}+;+4^FQ{%<5eu<51_W!+huM%4fs+;%hZ zy6}$aB(bx^E)*FSnwg{VKr^h}O}Qj2&)q{xS1H}7@C6w|N<`za^hn%kZs^+GyyFk{ zaqJ z!o>UT^TG9zxUaRQVH7I^QFmu8HPvi9GT-#$donD9mXux~y^y-SlUUp* z+##mi5Q@S>rSy|>7!_VwG=k~m(L%IHl7(tk^*3=u2L**`WfG5&cqBz@Dq&AcG{nrf zFf^5pmT`=XV`=2lB0mr1-*JYI4{33{@DqfeNSsepGS2O=1{mEbEPFjk^gz*r0*%~; zTGwEshlhO(PZoWO=u?}~7)LtI=v1Ij7k!54GfDIAV&D&x53xuxoyBsvv&?Fj_8D`C ztg~eerN#KCN8-yZ?i`~tA&hfHpC@`4X*Qnlc{qH4!r=8!<2M}c0>Q%trwHrRwGq6~ zi;VtwM<0=5(IukOq*-fYCoE=r7FXiar?C1m7=Sf(=k_Vbn8IZh^`eqGSC=Gz+S-4=%1GOb7w`@iLN)gFoyj;M;ZOUP~~qB zJz8{Qpn16oH^%5a!c|@<`XbR62Rbhj$HLu9jP82AkI7ik<3wNDjK;Gy-sm2IzD)Gx zqOS;aeiEgwn_%>X*Z6Z^DSD#lNzLheca_l>2YRyTt3^)s@0GC#MX`Bqc9g&TUCl-s2&puz$xET==yWB9*~?hcbbo8ljp zJ0&lad>7?hZ4#gF!TJ?UhQJr+O#1Q*pIrAyx>wSDlvq4er!W#9*7Cah&1yW^2larg zMY0|Y7MK1tSr3`@dI)Q=tR=FR(&7ukE-4yAt2_4Ecd4EIU%wA5#$K1;PV)M!#Gl`s+KIWrdT&7ct2^DN0q<8+I4_!Y z)CM}R*2sEE*2}c`LW&k*yUt4Yis8HOD;fh$!q*CajX3LmCFnk9BjI)9|K95PH^jdw z{w?ynj94DN`jh4UUvHZ+xWF6hWUQC*4h<%9ES}{q(OLJd3BTog;XMiOOZb4ozwT$$ z_Zqnm&3qx;&yQqokohr9R`}2{f=yYmT{@!oi8&3SbL3Mw8|8dPhncT7+gMyqr!kh_ z^#9!^(?1FI!q25|mi`5GRyE==RL{7`6R)A%p0_3r8sM+;D~VrA{Dxu|{DZAMi6s7W zhHvc*eb@Rke5W&fuQU9>GqBGxoC01$=@RXXZpOA@qB$F z3j1~aV#eQRdgE6azsdNW28*Haq{Smx4Odo;hZPCE)#O*h&G|#}pOXKg%#4{A!SE#3 z_Z!|Z%+vTsc#AXC&cR=`sQe0;SVYTiG4BXLwZuQ>T0NJ9@s@4y6IwlTx24N?=0&jr zG1t~=3FY`~D?ESsv_mbb6J|E5eyi~nSUT@O(F@5k z^F5o7HIm%_3Z>!xru;U|D+fq9P|876SoHX3sadhx*US-NOV@*CMr1~5vOb!Rv9{uR zydO{-MSwBW23+d{j7!UtmN2cLc@nvN)1H{+wWPEHX@%4nPtI@Pg*7G0A!aV$?9D@E z_LF&7Fj@IPS1EVkXXPJJ?QdrHPzO0&<`FWF3?^1&rO}g>Oxl-2jxuxpKR(Q(Wga8* zSendW$--0#9$$5e9B0n|E%eUua!!zQA|2kmf(RCKV`p>BuN+{?^>=&aBq;->45Gp& zI#*t#T~m?_Ht+5S{G0h?d8f!bm7apa-j~=jnfc^2Q#Re>gF0Qx8B)%q!YUP))Kq7& zf*xZi?ktmB)Q2-f(%F)RQera13Tx}}!7V(wjqV(C8jtb;oh#=&Im77inhMZ!H5$vv zYq&)bB6z-ewGVjj0(rybrRedQ52dHQt&2=-(R?%fL6~>yD!B?9zV7U*kMoz7q zk#tz#*Hq)XJgAoa>&4_uJ})eb%Sx`3Tu+&4RmfF?7_DPXNDuEQ6GuGaLv4^aT4Ezb zc6eFe@V|l`WA+WsXNL=AUnKit+PcnW%iS+A=kZlO#IbV5$+?sc>z_@P2CM6iH}#;k zUcF4}8#U1Ri%p@nv>=$WEtk!JE?+b(8u zUCVXmtPb0DT`y<0oH=xue07brXbGVTUt;Z{8%%8xcA1+i^+u`ls4{XaHw)ZNM)wG1 z<;|jR5j~$Y-_H&oNOQLud{)?T?>51=3tm8&r)G;f;qEZ{qR>XZQ}ja7cac`n-&j}E zyn8?E?l!aH7n}}9 zYbh<>do~|&hukvbFAELFhs7@!zk)nppD5liCT2JE5!1Hc#Xm!jN?R#y6*Xq+oYqvv zJZ9e8?Y;N7yeH&6Nsm?E@Scylr_87b@As!=JR{>-8q99k#@d z>8LZdD9^oU>>gnn=NhpuiG7(Y&yU_=d%#{X=b5ANPdMDGa@NXujSgE@zL3v%ubVI{ z6z*?GcvHe#6m$`ZrnlqU<~(={gFqnbt&=Mi=9nsarSzxtk>_vL&*hs8gZ z_~oH@5tIM<#a9;0_!yzNz9etqK9ajZ?#Jd9{I@|AbDx;I7c&bE_o>{CazCTX=Q~jl z$@QMRP_>wM4H!eW9~~6`!4a~R}#OL_zgwY9`LcSg3=T| zih%vsOqqY1SH6?-y_6qJ$us3gQzqZ!m7k<+k@7PYUKu876#nNe^^2(+j`ixVQh$^B zJ5}Cv48>rWjvF_`+*Whe9qFHsKji!==Px>ZvlS+zkuo&%T@5sRpq{rd=KePO_mw`x ze`L2fQ%yJgRqY6~Hlm6wYr-w@Yp%`q%rGx)gP+i5le8@*K9Zqr8FSm2@p5QTwvw^E zjMg;x@Fy_}(Y(KC2lL8i`;c~&x0Ad!^qPkhb#2XfF@)4k#?CU@(_n@}$8F5?=@ZewH8jZR`Onoh+ z!l6?8Nj;1zi)zdr$o0$hH=*;MKCHtf93kOI3QU4RbcHwT`8dk7X`v!~w6tTS9UC-^ z8pfL4+v7|-ChkK!UfK!LPNb$BgyDGKOEpwi-tW*1W>jGKBWu<5_9hzE77`!s)n%m`C@gxNzCQYxiXQQ*mOGwqBpMI$S%PFg)R#?RVAF*nMTIiV5MAZ4_a zMk;)y5Ym4;P{)`$EQEHU)QhBEOqHQoTL>R&F(nq-Kx3thlX58)W~W3!JkGDZqb*(R z#+&qOs2N-)>2gU|1Sygq&#TY90x|AoQXx->!(Az9qNGXqTfeVrz=g@&r$DYUetJfEo)9QtDvcq{RXp2f;Csxjk4y^;v<=e#WBeda}#`J z@Fw#nH~Ki-&wmJ4_oJ%D+3M zEtGZ_HKqmXtIc|S?>6h)kb?Kfx>weHv>3b4>+9|};i1sg`+$T+5+0<$V6d}uvtS-F z>xPgBi)Ag5wKQ1y*qpeji+Gt?M_uDn;$d0KWv!salt>ihp#duymx7I-)TJEcVXj7Sb3{Q!}JuUSa zsn1enawHQ?JFXOMm z$+h;_xs!HL_X>W_RY)%mExuP}t(El}EjF~V5$?bGucPjDGj|J1{@#%Jrp&i!vMqs0 zJI#Bpv9p7Tt3rlaCvm;RcPO$rf!OrAd)K7LgY=%H_a%KmiSdM#@5x`V$k64w>Xri5n$;7DNR3?|$n|CcYFx{9NK@iC<9Uy$k); zQTL@8D>maFaJa8zd@bV}8qCIMmPK8f;|G|jQsTZfZDR=NJ89ob`+*v>7G9O57%NwQ z9=5tRt1`STf0DID*3YzYZ+vCB{Vt1Er0Y3ELp zg&BX+{*?9?wPp`lzWdvRdEp`ZM?#CU)S|*)WejxLH+8$W#ILyw{Cp?@w!u$mQAygC zQm%@dEKqA0d;f1|&g$T_lC!;>)^wO|1Sa#AWa?hyP33W2&9vw&XT%N;)|ys zRuIFIS9>&eH*axxVeKKWtGsUXcw>{vf_RhXx|=pNlr%l0^^~?JHRkWoS&CMb8Rvvf z(!FK$lF^$611dl{jY)Cpe8#4Z`h~?c$HRz9y$uc==$-5y?@?%pS31^9^BRX7xVITX9)=vJ$kI5t~K> zqAuT@x5FqvQci)K!r&xhg^^q*ZKXTJocW=7aj2Yrat@=z9Ky-P)`i&Lq-VpOK3vif zl8&U*{FdR{^JWYSx9n&c$H+LA1`{D3Yd%DAoLT(`_(V8f)(Nssq}4o}m>XcmxgngB zWDJxsh=!iUSYaIfHrUp(8r!@MHfwdbo|9#rBI{IIx%ct^H=c2tsZWOY@##{}ka{Ln zA7HaFiL=alEd)43*4eU#()w3D94#$V4i5G3bETXoWf+y*tM$L55$Bs(8eXjz$Q&*+ zMYDM-=DQ*@hKE!vmQf-jO@kMO&h^6j>XLLRW(bwIQnUVdtG`=ivdU#;Xt7V8BLz`6 z!sz$r`~Hdw(UqdBNHbQ2i7?htZAMkNjv5)YGDgzi`7uKe>%5%N-NT%_tmrz?^?}B^ zH+*Aul+mr``M5WT9xb}DIbG<+7`=UgddZ&-iG||&V&mhfw5ymuXYB^cs8nZTqV(D60GiA-9 z#g5Ui+cZBsQO_ZG4QgN4Wbfmz>3Z3-WzV6_w-MTS$!N3BpWk3!uaI_g<=rT69z9-J zc`df8bvGHkwvP|xX3@8Zo*(FB9+q&sTaEs|TW|^-?l#f4i(WvQmB26(7XH`WVd5j9 zQ}j-W3nkt~QOTW`hZ*g68$I-9g@VB+(f5kJuZiY|L+>~Gv_L-~dXeY{jYfYrwyQJx zvrz6Y7QICDQqsJYOi@iNXJ55jW>&X3KA9etwOrN;TFhX)88M9N#M~oh^bWV-Q5h>` ztfHYSjz_Rf$YVyo7h?6e=qE%!8R#;sy};IWM$Ze|hCMC%8PU%Mnv;jI1%=VSg+Yhs zMZX|=bu$`UhP`O??}1(;`X$jXlV)+7n_|Kb;$Vq!J?Ct_V&-3=qv}QS6KJq0vi28T*mw4Wd78PDkA*Mn4?rPepGO{aK)~(i^jhHyQnSxLu!% z-YoiyK%?-(Wc4qNzGWpY28a7f^w*-lX`<2p>%KL*L+AcV$ZK%jP4lD{j2ETME~AIqpQemHTu?Y?mtBTDf+J_8awy6zm4t`&i#+* z7DLoX!Cx!g;wTug1NCTr$fPCyA=ggn6CSH=@Dti8^0uX?Jb<*sr|yluEySsn=s*<>i#a=lHE_Gi z=^&?LaPXlc&Hv&)X70Dy-}NE0-IrY}`}H}yT#y;RFUf3fkdx9J|w_>%OY?n~Vd8rPRN&4!CyMoM%TiF+;9R1XUM z8M}|M0f^xjke-5a3x*dLx`7sGTgPt>gBZA z91e$Frs-T=-Yn{D>KxVbEL=9U!KNF|^~*biI+r?6wX|VM2)TUIm%Ze50d*nu(4dz4 z0Mj*9N2rUai-S7B4KrO^^>FGE>e8T2bR$gHQT+h*gVYZNb&`A7bY0btP>-Y@71YUY zwCQ@P$51~?JvN}_&FRNXU#@x_^?2$DsuM!;_}4vdddoz=1}9QKK|Ki?583n5WFXAR zhF5g-8_5*nCyA#5W4w9mlea3RmGWLTZ(iDtfKKHu##&oZ-snT5z;k3bt*zU#Kg0*ANx zz+wiLFt8K>z1xt1o}?9rjPoHQX)Lqc4Z7^E0IH`YSvKqoY8sOi`y#F)ud}c zqlYl`=CRgvU0p-ZQ@=pH4jNTYeoz&u&X7kzDbl6{gQ>k};ceQv*?NXIF#Hn2(R~*0 zBEM|NlykP`?$>^5XE@ri)c? zrQSyUj%um8jZ1XznqIHRr?yKx30AOew`LJIH-# zf#0?~<%d4t?XhM)XSzLSspnD`UoPk}F#Z+*`lkwNY=OFTQy?_QrX zv5$!_kcd_V73XmTH+k8|B2Q~o&{vG?XXI-{P+f)7Ljt<-LbqSh9pW2{HrMU+TSgBs zdJs|FB4XTkrZ?#p@jdkq)Q6z4=rS%(#2q&LVnx3oM~HtUJ_?LU=SPOhVAaP=H`Q^l zk5iwZJ_(I`9%<_tlQ78rWPJH8e&Roq|3ZEW9Q#*HuKU&K8Qg=*$Nffnn)D1PRwxEd z9F~%cF;ITD$TvD_;vbCs$;eqmP;?BeDh<6%fA};eFEcnteV+R7pq49q(|c6^ON~`` zm-|2Y>!&U6RlD-?pV903Hri&bf_x>{_0$zrhoo*h*x-$YP*;V<8jH4+l97m_!vxCPHWqxLr(gM(Fj$?z8VGWuiI-b9cd6;#dQ*5A zbxrD80i6`*YMV}1U5C0Zbv@Ns^-1n>(;w-|yn?zubpvSZyu)&`@?~_+40ojk{#xma z-jIQ-7-)n5ijMXv$?j^?J=*v+bPaW5>L$=U#mEp`4kIzjE7;ds=5js7T*pjPX0AsD zn_EPl6cyy;=E(otV3Fq9+i^2SnlsV@5!AWMizI2qGEh?n9x~r(q5q}%C27e}3`4O9 zRh5vuHz6Yr=8TB$?{Sv;R(lN(F%@Pi9w{u5jDD3L$;>H1onV4xDn9Gyl*mjHGs(zc zorMyTj#>NeCj1$DB!+4S40+fuiqZV#>J*CanqHp+C18*|W9_n7u7s@}RNz3zS{~^6Ck);d?NJ|)RTfb!A&;(jOr=WPf|~X<`GT~x;dGp*j=Ytq{-v{ z5Hg*S8H~(C1j`y5DsfMltzRDnm!i+2olQFj7N_>X(r19tBVj+;d8AL1K4Vlm3@~~| z>9eE@NEd?QKqD_w1lu#XMV6a#kDtY2=9VzG6gjNOEa{9kBsaH_1gsvo7 zHut2M0vQ?8e4K9RtLRtLuYt$ZW!J;CzvY3)JfZTDGqjO<$tcj&iGkJZ(A!|Y&5+cS zBuYP~gV{ta-+g1T@AWF{TgDDBb`UYFU~Mf?kRJ-kP&Jl1qt7M2XX*#04k3lZayU-v zA`i>|jUJYtOp)*82I($A#()%=kOentI8f13UbJT|~MY27JZk(nOW!WZTb z>OZN^LgNsZ$oIVXUff?6nY+SA&M|VHk-rhaMV$1{B)t+zeWz?x?jH;F(q`8GGE}Y~ zZwBNqkBb>YvRrxjkLU^w>CJlu`ATjDXe+{E^Oio3(xI>r0~mSOPAnr^5DL<`8N6}whnz=`g-u(Fr;0n^fz?5@pH3LBq`Jt zevLM|lP%WWXp#L|Y0#397)D|d z!8(%G`mw^}jPKm&7bHX;CXWZlQcJfcpGVxp*Gc%0k0+ z(OWarhM}7f(&LiUo9S`sW{VxxZKEw??HFs1*nf{pv2xpci=|HMaj64S9hvHc6n^s9 zuxui(v*|>=zUV^TmHJj_{E8v}E8b>4VSs!sA9p+b9rWGcapjO43dJPIsIV?2QXrRM z?oP|?(|x-;b3K^ri5w39nZ@~hT_3|F-es9D>-k;wZf5RbrWZ2!9g}29q~5l-@ekL? zxAJj)$orD_1IL0(<*Gbeyw~*q>77b{>ieh%K;u_WOq8eN0}VG^f(gr{2NB;-oC1uE zFsbZtkZO^?)-xf4)-aOJNCqOfx4~O{F{yZdlWB?hi+v)CiEJivkibl2?CoqhT%udL z!4^5#&aa^%jN~$shX~eCybKW_O(ybM7JuQcn%)keg=uxa#TDGpJ_eo%1z%|^ND(1eV+aW`gQQw_~hg*ox!^ojn|sw3$>nn1Nlqf zSdvh1NnWBRLl*gI zzeoH&@pfP=dt7kYcUY)>2OrwW&@P5P&`@kF&Pp;=kW@aq4=q%$mJjV_Xb(es5yDc) zF!K><sn3j0zT8j!bMk%UUx4d|m1rB*mzFx98`f7$ z?Puz1q);YYu*nm@Z;ZFq?dn_d1LOz6v4hBkuq^j?rU&U+@_XtZs1HH2Na)ryqeN;z zrE45_*i!v8b%d!OnL3ITevq;O+@yKfF$5vXXC%4b4R6&-{XdBRBt8p_tvjadr1Y0X z7NC`xeB3!k&NK2iBGHqQG&wKp)8!wFU8yIfe;F%xFYhnpFXyBuC8^&lFW*IPGsf#V zse*hZw;7C7LY@D->gv=rpz$LoCWU2iwPFnR;@qVc`gy6J#bpfDWT+NGxCn_9Nq1Kn z5xM57ZHcYZ{618NiMmYGLjr{g%YiV?U2ZyVu%G@F)b*(wKx29F#-F>=aO!H08xmhd z+z1#ybX?gFeYHiN(4)pRj5KDX2_n45kdbE+WyG0l&2Q0d={owR^w-1lNLe6HrKOjF z!~}PPMUsB;rE11Vb4FSq!u>$5Xv2x_M&mv2^}Ho{40$X#){j&q%3c#^`rJIPL)2mF zcxaR-RJOLRyg zq#Yye5y2wM=puKg??K;Fy|ks0pI9CQPycTEd+2+? zV|nAHUkBN!dmFDX%JV+teaZWQa~F_-)so%4rY9A8-JkkC>H(?~Vq;}59%%Z+IIjm$ z-%p(ajiSf{y^z%Fq#ED(wC8E$>Es#USTnjUHul0O8FvnJ}9>m zdfUn@bq`xA+|4ijBTS8CY7|mDRwu}lo6&~XXcg}m;zxcSyw)C%BOXsY z0T{oU3(2I@3f<%88|W+R6X~Czp9HVvM>AJBk4v8~lPwjm<)6aTlT1xT3codK%j4ZN z(|>Di`E=?T)H4HG?r5Ge{eQXyv#4iN&rvN+IOVEkuIUX6{FG{ijLAFwFqkczqI6gtHk=`}EQj7f__50M@RTmbg%G1~# zrdt&FlI*13Mg0LZb`JcYay#cfG@q!y=WhBv^n2lP2_u7BN82R1k1SE~lrR0qOnkz` zr$}JM#3sqs_?h7k8hiXX@jl`&fN{FY7|M17czpMzMIO*T=)YoQKO_blhRf;!|bH+@d^71Z^q8>mi@ zu>+Fbm8M_SR<8}IucB@g(DFjb)uvxleGPSE>L$>5;+>V_t~FXyN3OY!v?=NJpjbqC zmA^##fHM8R3i73VTr=wC)GdNK&fRFbqUx5^G1ReTI!UG-XS$i{5OtV3KB(hdg6SJo zCsHR-CkJ)NwK5&6x;1qh>YG$c9k|@>-fX(b{ai?SZ-BZTb$ivaPUJ zK;4nL6Ex12(T>7hXXBN3Qp+m?c1;@cyn^|SJ+bnTVn^@h>#2rj@Ln8VUB}pT^ zJ55*BMeR=AgSsa)kH*sNM?{YJaz44sBF!)I`}N(7+`~vOL{KF36oN>G>ure}G|`8N zzD)E(0>|U@VtFi{U!3RewZO&y^RwvBz!sWf z>RjqPXn*8Lj*&rh<@}Rxk+yo|C}5PM(YQjZE~*=0wY-l}>G^`q2d zgF4PVX8K*#>n3~Ph z9Hg)dNF$6~jI`$FT43riKbv_BJk7u}2w; z@=6=eXv@&G7Wk%?4?NGn3kAl{sr{6&T5S z+sl{oaT}>$p?(z_$1J%_ODQbGHRo%VsIApcM+VDB;KH4u}xp~Rk z;?m!&>2`Vu{EB)%_1CK9oyX)v_l@bi%`!XrxNoTsP#=WGj+>s5>ZJaG@5Fp(nHT?L zM0%EG<_BgDA%jhFxU_|GgJoog!xs2z_5U&9jxg{e14lIwk!J!juvWw!v%vC4ec(6) zCm1-10Mv@;>h?$X9Z8PhSxp1(N zWz;pPYpIr&8**}~ZFCc=6@4RkE~wO*%1gqgAJw8?L*1CV2{bRka&n``<7+L@;vYZx>lkRt z!1V~=w~CHgfN>6Pu*BgGetDZQ(VU4ENMLy}l#E>C-Dvz_efPH|c?@|hI4+aqh@2mh z^RFE9<1Erm-vkIT5@sYG5iD}1+)Adn1kma8^tT-eHVgEwUo@^P)H z+fd&GjU!uJUY@(z>PW{ z`abFbs-;&BX^1?~bmvY|MESTu)b~@T1a-)zn!Z(a8g)8#Mo`Ne1E%j#okg8ZofFgv zZm{V)RS%)grOt!KPMao|g3{>5<(rTDjs=%qS?LSuhr(Bse~<FGE>QdFxXhYrv8DaWjy_|c1`a$Z4REOi`6EAN_v>%}! zNj(Z0y}?Jjt&QYlsN@^^3=if34?~iR4d^PXfmp#o+SN$*Sp#uJy|?h5AYAsnEFXlbhC|Zkpk3 z`ij$Z;u*v<6-(>sEccY*Ynu6D&mx{pJO>!%zZm#K{wO!ae>ZhrnfyVRnG#OHs zFXBXBpq+2A-uhzAvy3fZY$0NpNjMoV)+{o;S|5}xrd~q56dH%Ah&;M>1w|!pnFU_b z>zCyWtYBaz0+@V)^cfuQo-NU`~2FokW;QPPQ!qly`%+GiFwe&nQ zFEFzX8Egx=#d)dnH2p>6=h}L{o_quOOW-JwG?|c=x-Xl~?JQr)$8Ds3h5FT?j(4w_ z&R4yO`gQ8fK`qUDOb=E4CiNETw*p!o$-Zs6SoK!wZPf1sv^)@h*L11s_o&~e-X73W z&AY?&NYy*3cTs;3)Jg6`)1y`IrrtxnH=w17%15RjQ~fdZC)A$?b)x&s^mx^uQ}3hx zqD+^_-T#-Sr*!qd&R5j?slN{DIQNa|X{x`aK0tjis6*~M(=%0nPyGY+p`Z@C!=`7e zK0^H?_0gb?cgIZ6Q+=HJ1og=>jmwCiOlRmi`I-6`>Qk!mBtb?gH~pGELimmPH1!#1 z9FC-)nr!#G;Xe=h75E47pTuW@x$}qOLb2{I(;ugLeUAD(_21CADv%+86xgAgfEpe=D5K0K`m7! z>dMp?LRXejMP$ITd^v@lKv3n#eRrhBWdLtU4;9yA(A@wi>=Wc(p{ticM$%PrYY z58YQVS)a)UNTP-YAvqdHLswd8z%qaQYsk=53^hUsOJ9gXY&3GUMH01NlxrAi%t#YN zu!iLpG_6=hRCd=|VAD79y?oqt3^ZlndJRMiCRgD%SfIZasu=^#8EBz_+?=fFt;CHM z=&0{4wPYZMfmj4^vWx!cg({4ijJ09xCd6EMD0?@8dDVT*0b_Ot51SVzV>A%-jN6zLu*db;myiGI7}ALQe@FwvEXTam!kr96X5 z4oNlgZRT(3MlQ{I=~c2~_b|~52~0mFKP#ue^)`LOPG6cn)P1S@sSZmoR&nlL(|vQj?oWLm^#Ik<8Lqr| zKhSiOFpCK+q5|8F~|}h|LA8?z(gSvLy_Q?EnVQnIA?ld z7q27KMbyPX9qWdfo}zj0+I)6-NxK>Z-~LqRRC44a;%`Vs1p)T07g9xaVF zJy-P@>PM-^s+NV6Ud$ddz3nQ$l;fz!Q%``#jwo+JN@ak6WgLo~;>R=Sdr!1H>-_LRugR>c&gP{MdrJj1O>6dk#&7*#r`We-7S0-oE z`KJGuCG(b#dzN|u^+ITzI^CFUUWSWdly zdZp@6Y=SiEf6nwmE&nR&)zoXCah5APoXP{mwHA6`kEhQw^a4ZcG!$K_JkMpg7cF%5 zD;7%{`Y^PCp_dSdgTy z{TaStdVuOTskczSWja%uUbweS&%D5I5nHLZQNII?le*O6%9)A}P~Wx4a;?dIkCFEo z*^UScACXq-Zine>b+_0_y^Hz-(?jEA$NSLq5H0*}>OItZO=rf)W#vbvXKCR-rv8Nb zQ)v9aX|A+Ds=lHZ0H0ZC&uRHL`MA#++Q-lr2yq{XlWu+8m!@yM&FinI_fvmerc2~- z{f+6ts=uW^Kz&fPwCAo{P8XJdv-1pQ!P#=QEsT&7?c%Hk{<+{fmwpd5q`;Rd8 zBV$Jq!ve_59a2qv%yi0P%tB^zocaXyNz;ijvdjErdZOx|sehq9rCN$4cTvBZ?xrRA zjruh8nV^a#&DU4@$NsrnrCdFsDa%L~M@MeZNdW6q za-E0{6}j^ApV8Zd>8dNpS8|&`T@f1F4X@)b`vg< zTEUANm0{C0RM(-d zOIMnRqEt~Omy^)=Lushb3KlDpP)ebv`d zH>JKlsFU3drW>kmM%|pcML^5dz>TJ_R^5_1hB`K=rFD<#CaOc!Ve0sxmexI{o2pKv zPNGf@YH8hLx|!h@*2L|U8QV!DM+y90Gc>P}@k zNnTdyYRSU^S_9r@`bE{ZQ{O?|EvUopPSY=`?oQo((k>Cblgc$mro|r8y4@_s zvKh-k496pj6v^Y!!4_&d(3floL%9s)A;ja6ypt7n`KBk_?n_ocT}V9?`U3d}=^8P! zNLuw6e?|LYjF1J)F@JMoST`Akh&cMz|4X zZ(r}1;Q`tQX&-{+GRXTh^2)F2{=NM&JVHH^dK7dG`3JPTjUKeMr?1hLT%nJ=#xVIP zlVg#@DL7N!JjBrSkD0HcmpJ3-$J0-M$6ZvR^fD#QEhX`|CH_zErzbM;1QU~xz)#4! zDydMG=fk;fvV~e}b=4Gxo@8h$Lb%P~EiA`8EOpZ?6RTVAbY^BSGZPuEvV=G}1UzN> z2CaygMLnB(PEaSfxu%<|o=5#O^)o>&7yPDgRQ)XV0_ug(SV_{1C8J30L!4V=iGkXT zWib;=m{^Jg%AS!a175mirl;%G-E!&`)GJL7#ar0VnI5QDj;p9wQ?F4Sl8Uw%x7PGJ zE&KD-FHo-w>R9)p>Gi7DQ*WStDWFS2?q$>4Rd1wzh5FT?4!hS(?^L~s`gQ8fK^^bj zF#VzGH>tN!zZKLn27u{3s<%>aqkhM<489~|0GOW8M}7qPxc8{vr{1nQEd?(m?l9d! zYwC7V@1p(yx~fbAM~K8oaiQ!e84>rPr8?`uVK-BInA(dJwgAi{QAUY zRh=6XA5L+fnZ6>~A51={-bej~YMHjYxb>y!jymnHsP|KU4UNN8xFqbpFF%nJ zQ=gzd35|1CY*?CE{ABp|1}L-?`)A@`h))6I%qVqgQgtN9qhBphUaQo8W8gFcXAr>D zv+!QS?}k@s>+3&=|0F&OjFl2emq!5ZFVpR`3EnyC^VEMs<6t4@+#Gq2CqKpgV~LR~ z{A&D{iE@K@NiTnG`e9dI{xf<>-(II*LB5hpdg_X%Q}D{z1*R)#9b6^q%G4LC#(^m8 zE;2n;4@4JJSD~(IdT5;VX$6ou20<{s6*~b(+5;Hq`r!}QBa57 z)uz8weGPSE>Lx**;I1`&MD=ylO{uRBXt@!+!Sr#}&8VAGw+LuC7~N?4u}S|^|G%fm_DVmNu*AqP7dk>*UI#1)vc-9 zP~TLh6XY`XX46+_6Nt9d?Wo(UmZ4gu)1q5U*VXFs4%8i~JE@ipSa!b7rf28|+=aR; z^{u9d$~y$^Hq#lp0pCu22X!~qvN=kp9(S59r{(TW-GjQP>Wp0MN_Uw~uH<*>yQ%M? z?xk9~#gUun-liYY+K4{XeX0AYmUj2jEaYC(qx)hflHI63^?lR>0$R?}15M9XJ&5{# z>J-&+^750siEBEyrJr^hbvkthG%g@|nz^(0eMkwVGB z(ic;rn`U~pK6{={J%f5?K+ApqQ>LF$J&Sra^_-xV_B^H+s-8#vH1#uOI<6$%%{Tpj zX;M7-xM!&sP%jMX1h>fa|5PugUP8Szs1w~X(-){-PQ8M9B{c4eHw)rpgS>0CpZS?QJ*A$D{IBrF`7a)W1-l zGMyA3mYRIijmCKW8}(`GGtfA4m+h#f?sv;H(EaoeX8vU6EHYSnx%rdlkbF;Bmi{kG zb(`te**T`pGxax8I3&m^MVg-YW9vT_>T$gf{mW3f`*|-Qe|eHXyH;sMQeOT$dNa^- zx#tz+E4djUuLzDc6(=1+NY|jI8{Hyb%Ewiru1tL)G|oWs`a0fwxX5_%=hRZOPhN$* zDmbq1i=@p^v={tpmdKyui*pGR)tRV)1d4-qp~LP{)1j4q`j=7Hq^<>x16gh)+toI^ zrLCWG9oo9I^0kniB!F2Xw6Bq;UsRtBv4 zA8l53v&9B`Gg=8Sl7<74Xrv>u6 z$@lVc-5Kb?Ku-j4)QwA$8|=FbuWm~#!v+xFL);4(M-Z$uE20Cvy8L|@>dR0+ z4aqByg;JnwxjQd)_gd)qF+ZpN4Bf}j0ED=ECE|sgfu<*o@_G>U{nRM|Exqrgntn!g z8g)8#Mo`O(0HznI&Z5qy&Vj~W%BFs4a^`S@EzwJx_zhtqmx(+ia76cKduH-2ld9+X z0%i)C8Hx<%!oxBX&Jv@C`8_7WL=h9kNazC(8LC59>@bVnp&Q6>#!46~MGU9F6b!6d zfTnABPu95+mitIAVIE-aLFOJpF1q0(#}Ynlk?I%w5!rw3^Uix4eZF*^u z%wIlk4E3YbW1)E-luD`sX^1909l6IWQ|o3whjGk|XJ!I2+=)xj9!F{(@Uo*kF|gQo z)qQLtV^1(P2{9}S2DX$tIk~BHlP%Kq1PfQrO=09oMy4Wy)s~iBkSm?8%UX-RTRY8i z;}84XbmnF-H#3;yvj#Z;VEcc{a*t_l7IU+in}Zy-hZK1Uj1P|7Tuap3?&ma*iKm%( z1_`X~1bHbS#?3dKJlX4KsTWW$3~Cuz*mP^vi>a4TFD=t0@(SlN(`l-gQ?H<28Pw8L z$aIG4Rn)7g*Qkz-kCnQbwWb$e>C62*^$XPNpt)Y~$~7LSxfduHXdA-kLyNtjSKzxD+r!vi#JC_~=`z!OWO}~# zcKtE+C)A%pqiA>;SuWYLqOaAseMd+ffVME7!#Hw$d{&@X*W4vQSYbz zI;dmaH>Ph?{VnwY>VrWo{ezm0RsB8n57dXC^}HI3^Xg#>6zF;N2m?Pda1;R+Jr1?v z$4qa~?h21npP)WzS{}EA-A|_bYGHn+{)PHfP{+GpP4`#*8}(`GGeMo;em6Z(^&ixK zQlAZK=?}LmA%=?vBXQkP5Ny@dSrKWBV6*_D_7jNVFQtF9nl$*lx+ z#WF3UpSuf8FI8QMx-#{Jre$@@m}90#Xh((@Q&*v`8qjjVP|frx)t69Lr>g$7Ao++4qPjxfu=F}~M zT80rYy;F5d>KN)+)1gFpSRH5jA6M(VDP$#F4n1cpzcWBDWIjvUuV-ZRCl57 zN_}fk$GO`~&r*Fm^&QmRf;!~xG(A^!cj_M0Jp)>{*}F{Vs=k~09_n7uI7v$N176_h zZT$QUe-!US-j}=|I8Ku38EMi{U6Irx+-r$pXXPK{V9v#7JFbD*)P`SKDfF8z&v(!($65b|8| zJaAlDO1*uN42Oyv%Y2K}&`XE{MhY1jiU`gua(fsZiOpG{jlSs`VW5bCVg$Hy-Y@1&yV38JTkV zEtUKkZnQ<#4)-f)3?q*+G8PeB<+F#qf@t&4$1Jl%-;Nu{%y?!dAQN5SBsnlWZo2hi zU#N-HPf$+^Y8ey2^i8U#P(MjM)pR2IYMW;Iu1jkBAM)$XFk?BR7{7P9&y@YzH>ZBwL zQnbwUp>5J0_y%>s|NUbaxC&SfJ*uQ2o~LRdo?g=kdsn(6QK zW_1(w>(rZ}QNJI3j-8z&?_*2DD(NhxNUAvAu<&F0Ec;D{w=nz`!kCq;Ub&oj+w>p0 z!nRUxqkbo-<)Ys7S=H}RzfZj#nl))fDLB}=9p=YR@#|_Q{Vw_s;PG>C5#;7k#uKx| zvL-&Un~6P4>_vj5m+ema`Zs;cN|}s&+{e_PP=BgAqYzy>e`flSuGY_~_fdZVjnd0o z-WU(feQCbMC!BaW_Z9tq`mf=mKU%D`Qu@a9VV(N7)CZ^!Lf4SV`1*W2EX^t4GJj{u zueC=1dnSKi@(_}kPjUzYupTzO@D*RGBh)`q9}Q?Z0v$8GO!aZ<6VxYzTH5`aUZMJD z>R+f&1+|PHX8JkRzfqs2J`>bo_q*xUs{f$=llp8>$Gg8wuTg!D`aJdDL7m|KG5x&i zf2qr*@?u{8>Kc>^@bdDX(Tn+Ysw>D>axqU`F{tHY-t>Cam8dIIUl`QVp{MDWR9{S8 zg}Q1$%UxnM(;HP^LS3D@Mo`Peyy;g}Uq)S%x>iujsKKT;sjfp^m%3h1OJAO*H>a@%koqd>MnNt8{Fr`Q^)=Lushb3~G!QbqP4#uuO{uRB>O^;g>GxDO zqi#;!BB+zxji$G&Zb=jGx-Fp|Yw0@v2qApgQC>{351-%{;koqBL zoPTjGgRWm5HoxzX_m9wzq#p&(#Z1r3ccTq2c*o;0#E%k>Rb1$bq+!3|C-VIY97jB! zcmi?zX zC8W4%rZ3ax2Ggl$P|sAIF*H_QMtsV2wzkZhMLnB(4m56caHNTsiw3EynQM_EJ<7~u zvK$28%4Xv7%qUiy2(P z;8Fy+3&`PVnc3#L3oNHyLAw$bYl>qDy5~%Pst3ST)T^o21a+cYYx)b-&r`oZy)LMe z+>567t6opNf%+wAw#W!BuJp0}vgKaZrQOKfE6lx$9G5_bg-CF(nNHH<)F$fJsW%68 zqI<)1vg$Xfw@|+o)Jg7b)2&o*rQSyU4m7sw3_gRBx^27-{;q|7&?ivuG4wt|+Yv(X zQ_&5d+hO`yeH6TtdKdKvs^wfFZ)$&N`oULa67q4osrOLth4#1Da-u4b&N(vNN0tfc zE%wLEe8SA9$oLIHYEM5ieO!OE&#CuOe-YHu3drsPs`ZV>Kpboj; zP1jTX2lb!SX9HTE2K{Bah3a$E=c)e=>Nxk0=^Iu5OI#4e?~9o zYw4-Hf_x>H^VAgsxVj+Qt{?>A4PhUGjS1II!jo8|E%IyZ27N z!CXOGpSA%k4h9%vkkxr;^m?U*@+bRHLx!$ms1ZWkWa8y2)?ID-L0#Z$s2fu^QH?9) zkh|9OhkAv49d%Rc>s8}*i+Fc~>1h}Ek~E`kPTfLvBs*4~>D_2LOW%lTNgYES8`Nc2tEig>C-R=zZV4x=gC=5F7kcxWKowcs!Zt8oe zd#RRdMYQ=heNrn4`%w3#?ibY3QIF|gRQIR8k9t5*%Q(KKe^Wh(`hMz^fR^gYRMUT| zPNPnz&Va_H6Kjd{ihVZ$nU-3hC$TK1vYE<33M(_az{x;PauyzJfmg2ezts>1av8`& zfQR>t=(BRv)?1`WPai2@q>z!Jh@f^&YU{I8M#vqZbC$SfpZtS-q%#j3DvOvXMgqSW zsv+g--t_lcqcxnmgt`_(ejrmZ5zP(MmN)^tj-ygv4r>F%n>QIDsdU^*Rx+&yl( zjqWfLsh^;pWI8VX&n$|=-OQcs1(0ha40y)-`sk65Nz=pS7*(;1q<&`gA) zt0rDLZG6gfU0pS^sAp5pDbpp1Qf+T~rs{drPg6e=)L}Q@^eolSQZJxh2+iWlK&;YS zBr9Kc*w=411~VJ4gqf6@_tjYd(m{J9`4pt zZ=iljbwXl%e4=~VbiNMMvyu80>Q|w0kj~93aj%&z)RthIXkVw@42yC^vSXya2Bh^1{g5rk@)ulaPJue*6yU2b~p^Y&%kyB zaQKq`V)Jt{rG+_ecHIt3wP^2G_VH{IuIKZDPy_fdZVjm;>~U>@BYe`&D;TD$%g zWBVEV8Zm6K=p6`+?2-A#GM}CHv-*~q1I!#m2D=7pDm3(+g+4vxL*Fy>14D-p;*8MN zQU+&27j}m&Gy9Cs9AV~1W{x6*DiJ)f%$K9bG4nTX^Zq#f3Hp=pIOGqJ<8VOb=4sk~)Su*0hWQEB6VeSEvqAhpFR(I>9BFUadNj zI*B?tsHJm%(`!|?rfx%hQ$S1eoSRL*pt>z}JL>iUEnUUkVtRw>4%8i~I|a487i{`v z)m^B&Qr{ZXQsZy>71g&>-$C6isHMi=^lPfSQ}>|mS*Gy}^)A!@s=k~09_n5JEiLVP zo365%+ip46hq^CyzcL*!_aFC~?ytH(^?lR>f?D1SHa$@FAnN<6Q-V6trJ7DvokpEb zoe|J7j9;edOx0P`+0;3zvtr_8D22hM=U(pjpCQz_)Oo7qIz{^J&Np48*C_?mh15e; zpS@s4QwafH#`s)m*E}p|T3yWTOvgM@dsipCp|M8ZAbN+)_?6 zyFfx`*mFskczS1&!ZTZo6{Q3R1G9 z`$4&4eA`l|^m=|PQ`?w&2PxbD3{R2vf*5h>T??eH_CM5n47|_4b_DRV$|arjZL!1j zC3;D>lX@5R2dbqnTKQQ&H2t71!fxt4)O&+E&V6M1Vbvc~e?t9fP>0-Srbns%oO&Pi z7pkTE9Jw$0()1Snp}wNtPyMxOdAU-~1>cx%vQidZKJHuU1JnmqW7^W*-t_A_?eD37 zpgt7TA$QpHX4OZif22Md)M0nb^c$*=Q=gzd361;8)a)GhliA+-=;deHUuaLk@*tC3 zA}{p+YWj*TSVCFG->6ShpMl0zBn|+va*-_~{PC9LcgsDZhk-ws`;)n|$YCy6lL_uG z)7R>nJV$+=`ft^;t0pG8e@xHPrTv$>Tn4Y>?UW`i%fs{hM)Gu)K#dfLSr|QLBFyc8rD^_ zz(%bax`cu14AejXt3?{s#bmfkO)tLNPyRCMn$)$RSzS<==W3f>rPUU7XzS9}gT<8P zlpQAxbxeP%r|c`J>r*#?#&KQxvfy=ouDj9_;pzSW(2$9%m}rCq7BweN-u2IyUjMGP zzzMCdxrTwp3^YLi1 zm2-(qB{7w(sqE5pc@~$QTY%B~Tq{c*ZR*!*Yo^*TbrVupNwM<8KGxlA`hRu&JlayX zqi!G6(yfo_3siTY?nvDU8aHy%<6A~f>e3OnTgvh zF}06hfZLh4gNbfPU;)zPR<6+9X?nvEKmG31J*ay^qoM+%g`x89F7t0|t=8T2_t5u( z*P~CI^q!t8H`Q5EUD4ZeBlYOhhq=DY^+OJoC@v!>U;4RcW!1fwdA`IiNq=VUV`cy{ z*hZutGvWr8;ZlzW5#LXo0*u8@2uqt4mumWxN%Ez9WYj|(g3_ropmANwiXa&$ING0$ zRG?*AaPJ}J%1O-b!W+XGCkik-9Ip<`&UenvO z_4OF)N2$lEPLy%2<$B+AizPA%`M7b^j(+v02=l#=(XAsW>#tw?paY)|BC~{9(VwCO* zvzVC8#2h48n8Y|~893MUPm5(T@^SO1pQe5$sHL|b)4!;GmU;p8!hn`$s*6mYQoWdZ z3H8#TmKOV_e^tGldIj}LXe_C$@to*eB+psmj`DuBuVP{~6Kjx&E@?>Wf!CV;OQ-)l z^$XPN0$T2#UNn8NZUXD6H&DM6)Y56E>1wJsQolm|YEVn3ou+H3-bDR6_2z(0@1fpXro&Pv{E_Lf>W`^Eq5d?WrOnA_rV~_uPQ8!%i=d8kUz$!-{T20o z>aT-ZTJM-nR{bsY0qTPREsuk~Gu=V;_tZa79|~ycIQFpVPO6Vk|44llx`J%uMd_LD znAt~W`>p#p?FrhGYV#w~V#jQ)-roL9`wQ(USeyuQ^0Q^=Z`|vnSC3yUm8qSl{l?U3 zrp_S6E4+gIoDn!X|89YPAwQcx82FQcvk3f8W|M_Znf@|7OzSqz5uYdi8yHPg3UlQB z|KaW*<4E)K#;{)V;Du@^P0iQk{_+h@gfWN9nLO zv%1tmqxC?28ACN0s)Z0P66B(DnB2=3$c0Y6RFN0B+7|r3A^vBm!(d$o>mi7(C{Jo< zE;svVH*c??txwwk7NcECgVnSl@{*f00LxF4n->{e-d$bm}tyI6C`j%mU<6)B!8{xE_$ne9d%Rc>!ESl#|n_AUh=FW z;%>0aU-}@q88gk9X@SfYlEIrek?gd>w21s~nsl`xSG#G&ay27YLO0qp{y8dCKCUIF z5yNT3Vj9>o-LPU;oaW+;k00e%Lx?;~9v|Roa;2DH{4wQ;;u<2oBfiwhL3v*jvjt_yQrnY$G^>>Ki^QkrEt z=?KW(W|0xvd;0B++`&jUMCwWe-Ht@ND)(L6v(dWrBXXxrVBBGG@^RfcfgYSdPfP#{ zmf_M0-Cc(F=;QgjiSHrqrI@R%x8dE|5~dGvU*dki(Y28DpC9O6%eBz8(4V>cm>Uqx z1=rp{%f)DJ5Oeo4m!dg&JYL`*#Iu~KmOFTiD?n~1m`i6aLvzx)q$CvhwK6Ri()ndE zm(5%bayTqSdzC8AT!!)x;$AN;`C?Mi@Voxe=DQ;kYl@157-~#6w76`snN?;vP1Aul9NL2=z$nQP4OY78XZ}igRW1qb+c$ zKAs)Jz@rR|MF1OSa;)rekCow#zAWR2#}iKg#=$N&J~0$VdoXzw`*F)W-_U0!GV=s8 zlaRshmscvU85hY9j~e{R7CLvQU#U|VdXk~32w|hnlu-_H0=a3H+jFVUO=oTfb2E{{ zO;3?4&L1K#Q9fn@65nR!MtXlO1krWTdT!>0L` zsZhhu=UHYJFtZRD9@oNx7a4AaO+h|xG4T@OrDa%tl4XWVaLfW;PP~G6C9p0*l3#-7 zEVDtEU==f~nOUQmvL#4%Yc2CXU4rMCd4ZXA$oM6Y2MvbX=@P6b-az~kFn)8{PD*0) za?;V`u6x-+?`WwuGV}^VuOfs!P&(W#kmu|2TtH&Di+;_5owU#0O$@%y;ARBzqZekR zbJ)Z;%>R|*e~dTjx6r=@k3C9`B=TJLZPOp=@pUWpHtKhvvEcFOuK!)bJGGnq_lVyo z-d={~r`usTcbH5-K5i%RF5(Y>{ZCgC=YP5nE%Uyvq}|NyVP>ypQj6urTb>gZxQP46 zGDEeJ?_*{@Vdhh0@N3}GtRPDUE{(_@_?d-DwDR$DhW0V^1wz>1q%n{5<|T*2i2Kqa zx6JYD^(#j9Gx9YeIQHbFL?U=z=f1JP{d(y9mVpBd97F)ub?Eynzd#NqGKRT?i!c!F zcb2_ls-M~S%>KaaA!PBR=gLSZs3bgWzI7Y#kI?@}e-s{tlkTVFy|TGU*d9E zymOJitRchdk9Mghdq>EXm+zyuFd6y_R*nPiLsv1>2qFCV@;YibUaQ3M<6mvTXWPra z%g0^AU}FZGAjqo*`90-1hUt`pUSCJul=^yTtlPvS*&uH)Jb#(T&4`;5w*W?Es=Rxb z6eCZMq*%D`zR_aawL~o$i(xDlG0dYlUz#q*89u+nFL#JIOdJo4;-?lA6v;~prbA!) z5+zb6Q71!V((&<9{8ok^c*Nt@#BGRg0**5P-+^p3(}=`A@dh^@nz~x--Es)Q)*-CY*y(#g-{Zien* zs24(IGm*C!%wME4=|kU_z8^dmTv}cfxO)vBL8l(_as7$!BOU;(B?@VY23qKLEzux` z?q?_kA^zN9nM11KW)J&0q!FhRX8`LQ;&l$07V4&R$YLm)p&W#8FpzesMREla>jqn( zKx?6fFp$eY9s(#*a-tL|-|%K_)KWlPNIVo6?-rnQ%_L%=vLhhn82 zj0~BBXBZZFvMUqi+#`&PWMq^^q%uaD7t2vC$&I#1?cF{yhLJ}Z8LJV@B`!Lb$1E~k z=Q56w@r+DB1l0+$rRT}zf$#P6aZ6RJ<~R6>Og+KWBu(LojJ%A(N{D1P*;1|2d}<0) zPck(XDP0MnXz`|5M_9B)mRR+; zUk{6!Si;0oB)H|^tgy^*gF^qCE+<|=yb@TKBR;wu&spSYU5-_ZtY%~lA~>K*-?wt- zyw>!C{e5Ykr+$HY9W+WKMGw0d4S%PXW9x}G5WfT*Elpg!U#l-$B(JkyfQ^j2!pN(L zVES>`gwfU|^B0Bx|7X9~!<% zAJpz9-b1_>*q13GF2pT*G4cf>7f6w~nZ~;> zjjzyc^egiHpAw42|&&Usq9MVWAHZI98 z`eBQV(zzUAt1@Cu@j7)M9eQwQc`p!|74LdI;Wo*`Gt{F zh}aqnyI+kj*ERMV`DyYq;C>Fte$)NkB4c$9e=zbVBWDr895UtBF(uCZWxRD=zo(uf zKTrNQIJb0M0sLe5tUgHom$+OuZ#?9$703U8<>kBRO~*JbP6hc&ZaNsL7>xK|;{uCJ z&`2dlDl>8+A}CTAmkbvf?wTpz$;VwxT!pwQFwf7i(%wm~Z>0f5bcb@)EIGN0PhP@g zbtY>diP^*_$ZRe({NqTEFC(r=TnkudBjY;edeQ*}0Vn5@fWJtXmalu9SQk+8em z_)qKn?{Nireewq2I-}5kW^|<`XXuO?GIC2i($(2{5EjC^I&bWrL z#*8&VOlKJXpBY|j$=N!?>zHiH76YE2%7q{$nXr4CgAH&`f6-&ktKP;-V_AcQkp zUPhjb1C^g4EvqbXPiMbIS~3yCL@W}%fU*Dmh2t#wv=%VLWSGf#B(dt{C6L01^m1za zg4%vYiR4M-$>7)^LP_$*MJvNS`pS3majl8l5Z?ssOBIffwo>sgy4`HaSF}`ZnQX^o zdn7B%^!)Xzyd+_PLcLz?z(7X^Iw62^$uUOmP7F_d5v7uHbs_Fbd@Hb)E8#!oy3LZC zv|P6{c?Xl-ki;2YI(aCKb9b74?Mc6~x>NU{?g@?S8tK&~ImrgIzspj$-G;JB>F#Fg z9;SLBg(?Vnj+0Z6>3CV3RvPbmTW*5$bL+!gU*`HDhgA?0l2vf8;eW6m<>UGj-$y(E zI9jxl`NFjR_A zZJ7xVLTtv#RiX17Veu3_7(KxFgN#3fIF1gXu7#WV7q=XEKjF!3Z4Q<1>FhsRR#YPRX0Ztx2*oq7iK zOla;!cqS@WMmh4V978xfWx0p-!RRdJW-~Vjx&JPBvYTs}zPjM^n0cC+XOQvB5(;ry z=38RDF3Yn_EMQ_G5-44?BPR4)CjAP?`*({h*Ybe;vwYlQ=9VzG6gg~fWj~9&p|Z?E zy|j4C8Ct>6N`$m{VHWQ>OT4VbTgAj`Ce|QSCrm=B76ZFFNE%}(5v_O&`ySSG4ugKSjDM1 znZ?e(`Te0~CVlRUwwswf%fUd+o+#RAJirInfe#%Q_wn}(0}Iht0gbd`TWM@X(rDg zi62q+`RJkVcMJ5?9qSJU{$$`R0=jDDr4Q3zYQfG?pQrvC8ml%wPS(~xhVLAKbtP-- zU*d8(yt$FTwiMz2EJbp6b_FHS=?HKe>dyI(-dzU1Q1aQq%jjaFi%!TORlR)@GQaXn!D-4p(^5SLrBj;^sQn5@ragJ3f8KglaCdATMV zGIivbxK=X#}(|FiBVTmISQ` zS_5eN%5B{i{jIidTSkW%9Y!?LkDz@c7W`=k`I~%Pl)*6u#}TaUo2t-C36qVqm6DVx z$}C7OMtPsFYiGf|OMNlz8GH_d&qXi>M)bujnX}~t_g|f7tcjL!K3NB{j$jzH<-!V? zMd6aMgzIExozCw%(_BE)1%`7DN+YN)9ebRkhUqV7OgBxr$xyzCL~ zA_EO|8`OiKCqXX&l#6N5ck@f?{A}Y<6%OtP1;BmA37UdcS_h;|`1monpJliSH$$4eG z*Dg3K8F2&6HjQ{Yi1u3AY}nd9$EeH}(--y(HrYy3%%RMs%!9=KbBP>DC>6 zh2Batl;Oh|o{wkow9&kZD2gdYK^##~ z+&NwlKbkpoI zx&9av-s=pkTg4J&*M;DEf*SxZI>`wlxwmOdzC2&#Mk7u1{Lo~QDI_<6U~bI`ACZ3> zgt=37);EprX1ZI{$<=Z)?L}dMn{KYRzWwx8y4&b(hdZLB6K;mFf!fk{kljgk7npB6 zzXNo)iI_ItJrpx3?u9s_AbISRu|ZnUEVBE_9st844QI(Beb9m%H1qBK5QAqk_+bR2 zjHo=UF`k~BK4Prp<(|zUn@cti3~e6lFvwf{isddbc?8a*=JxA;!(()h)6Iv&hI)uR zZmXa?=AN+loAjE4CmH_~;};;Fb-_7}r!9C%Q=il`3|`3KMF`fqB+_+x)>vz;%VM(U z$essF=Op_v7C%*UdXe!jG5%%5Yca`mF|QbFtHr!ZwuEdcSh^T_)U3tdti>#6{A-MV z9r0WMI!hCWGHXu;!FX=k&I*i01ST*}G)#fu(bjS4dd=6wT=a#(&88 zj}VWXLO9*>u?5e-wq8E&69#|E;Li{o z1ZQ4W8Cf{RkLIgM){uM!f|5#Q<5@TqM~&oBHQDZKV+Zx#j&I1mC0na3nusOC=>*pq zdr1@gj_iA~^O#o6UW!g>0ew zk!~woEmR2yu5J7Ilc~@3e!p#0KU4jpDyLi?F(wC1%6Tm3S5s~DlH2W6JE(qxsyJzh zx}9d$>dasl&2E}KFj}u*#~`TJUUQ#mz4p=lPWJ~KMnQRQcOFjShTWegHca;|_!q@~ zioYRzH!6##m(oARKG%W{ko`+`5DZ-#7t-Rj?EhK(J9;7QA;wo4&OIIZH%Lt0su@(J zvivF7!>Oy+*Hw`}$sP_xRS5KhC^nr(S@7ML$=~GTsxkOz23JS0)*_LvMGa$LYAuc- zt4UT147HHHCXE$!$6EY6?QX|0{&>dMM*Q&-AC*@+g@Xq^=8eYdeorvCUJI&2SeNib zKul}oeXIo~VOP(>n{Sc7%E#4bcmswvM7Wj{$t>q2gFk3FClj7R*eDaqos@VYWsu;h z1~(~eOxT3*G(hgQpi9dYcar4kMy3t%J*O$j86;?l0%hCl?R2c zmXlprD3=`bINuO61wZ)2hSCh9$%jEnnLAZ-`I)JzdVRtOssgH!P~4oPB9TyTzC7*{ z*VM>Ubj{tMXB>;@is?qdVe%0PmCLOn&Z1X_d~PL-E@kv+L~AMGj8ev!o2;dbr7NQ= zhhr%zlrqku*LLuwjA!%&Mo&bvFQqJ+QOb4Z9?()I(Opk>0~|_;#ZbzP7TtG-F<+8sW`^w*aE&6z3Jl9*>)D;VlOH{&_3I zZ)5oF2uE!S%16o^A5T#T-d8=tT(=J1-9dLJ-Cc0#J93+l?4SF0T$^dp&zpN_X42dX zgT5n;Ry@pQ59Li1?mkoF4$7DEakHrIr+NSiYmi+IgFS4y=iXRKyWB%$v&kL?!v-Z5 z4TqAYMRH)vJ!0g+!6-*cnnN;|WF83W6ug5YxN7ZDGr14>Iz2}7IL&+*9Ho%PvpKbVxzErpq+JAy<2}XY@=O$c zgY&b7+Uvbki;12idLD=s#H>?J1ffx0FmtNT1Ye|iiRNV(48S3t*0JCf_#OGUR~fv7 z!AlYB8(oeKvC)?qnWK%qoa8l<*OlmH=aSMJMt15&=PO9wBzX%2DaBHWhL>w3*&!e{8q$c6qJ=%p5pP7MQ_tX$J-eFGoyb&G|n5~c3V^^ zQL#e58h^WrM9If(C*MK-8@Mk_o)EXwqJPoCb}@Q4qxT?MTP|6#puI+`Y0K>+{hjm= zP%TJaoo&&-YC(T7dOxH8Ml}0xBq8T>EO>6VufqWb|I6Tm>0p`D{Aa-h+HVgrxY7vj z<;cI>YQ)3ItklT7>=Jq0F&`{eS-uH&c8)FcrBsnW$<7X8RY1(kpia;vsovCj9P%bq|80@7r zNfM?AvjEZ3QeGk?H)jnNp6l9~nxn~bPt$>>BMev4nA}#` z$$~fMO6l@(of&)qgS#MD(~_Gwd|F*iJ+5h8NY#z1I~2M#?wQMXa=zvw1C7T0FDRx5 zK~I8S0LUpThLbxM{Fd$CF!&M%Uy5L~as2QZWFLd!$t*-JSR=fg@CrbrB{x^##;GFL z*TBLXeOgx%Tt(0i0Grq%nZ^`3zp=U6&__BMyoRVh(EuQf0=apEM;DC1#S8;Ytl01K z8bom|MK%N~lriPRL6e9ZY_O#kl|z_Im>Ps2Q;9(5TM=*M{Jb^5n zN*~D?Zfwf!o{bB8={vJ-}3Qb+2=NgKrim66HVX}^Am*s_>v+#>_!%@QU zQihL4cx~nuk5@dcHOAx$O>Zn^8D%*nR$yEKf?cnX*x!@&Zk)NrTH<)R33L@$<$M*Z-T~hk_+YKR(}h2kICQU z9dBOp<#+(nZAFeHPzSieJNVu-fa*i4kDyo;Y|KBl;D@w-eZt^R z8T=W7wTOrnvC>pTi};-C3#u=nP!)frm>jrWWuo#_UzODqYbd^gKvD^`@7EUG^;X|f z-!S-F2CqeMkW@St!;4b#aNua2seYQ&cU0d~twcMygGjDq(7~scThj zq56?(D-`-s(nTu}L$O`AMLav61y_(iB6g4SoL1;rOm_-hBRFjO*$ndj5ewg~ZP1wEO&ER}!nK&pK5)9ZbG4YJbZ5|=sV>-g zkZV-^F2q^pW)JgS;cU8Qbj{Tz!(rK}N%y%H<~nG3E$Ld(wa#>zdA2dvSzTMY5M3A! zyN5WdlalLJFR98{;gQ_sd%Zm?rNVkJ#N4l1 z%22vtbom)hj;5#ApW)_qsvAL9KsPeO$;159uF%{*bwzZ=bfYqyygnxFoVoq#O6W@I zM#FJ&MU&z5MsJL%|LH;=OI1cyo~hCsy>X`gPt|y;2~-m^R3v1Z%Ii#3Q#Fa|da4_s z(EGwTLVlwK-`&J7+{p}{!r+?_%*7Q8$(x1J%`ny67%gNP-OY5jz+t76I~+^oi6hf3 zeEU{k%&iQ+jp4T=+!s?}i#)^Jy;{s2ba&F-mFY6myW8CT>h7VNNp~+C2P>?B_gV1n zgimf3gYReX0|?gSGB=kGntMnKd5CT{-NSI~3bJP|Z%y!1!ADHJr)mz>T&j7QDq`wU zQy-~%jOuZ!`I$-{9OTP-!qlg#o}_w;YJsVEB8uZc!ASqKsRi?Vdptw6kZKVW4o~6w z?jdq#8xEpAYi6%r=DnEaIhyCy@Qu@Q4HZruy(|umtoNE*wo_H)_Em( z*JH%JV(vBF)V@l$gl;Ju4!p=qj>2-Fa;Q9{ORnpXn_rh1T&@*cPWT$(>wqY*;w8Lc z_lCK~5ufM^x;N?Gg3|&MnFYRW@C_~S9m01B-veaNlB+J{F0^6tEbjum^YDFhpFS%2 z$j5y^_aWU!a2Va?v8_d;F#`#^kBxj$-RJlT$)_ZrfoM_TjG|VWTd75TPWJ`fmvC59 z64Yt_OSd-DB{JMPb8FOnNB2G5dN{U& zJV(?o;|)fZSM}}i1Ib2`O(57>$uY0OklSq0KTh`1TNwQ#qqibjDo}iQH3lEe;OYqGiYkZWD_oCO!{9c}>lnhCgtY*1 zoJ^iVFU=Kp$6EYwy-M&n#vjl4+K5M1QS6SMV8N5S_^j$MxGsZFM6hO6;p(+|27l44 z>Jv5~YzT-A496>;1ud1Uj!rW5TiCbQ$yBFMHG_!Tj6X5H)C*f1fxeLQ}W<`K4PwgiTwFqw4`W7 z(Ha7)vfNgg9dd0f`k0kIx-Fwaj1D7Oe?QLOkC+&tzaOQDQN$sTehNK4VZpC0@;{$s zaEifM2-crZ@aNl^DA1p8PjL>#xe!Qya8Yi#JjvOjZ(Zwu|9nPwV01@BGa2lbbh6-% z&-via48DNDT@Z{Tuc=ft8ZDL^LvVnj+;uhf)AOEPNY;(4I~X#;)v#fAkwt%^eY^*w zdosEgqP37%x{!;F{i22RCcA{}QZOwfqu zawy?2!hArCKJwUQP?l1ThQxM9uBRGS$Q~AUW6XT57rBq6DWfTeL2B}-9C>=01y5Rz#3Z%x z44%N?i3rA4Br6h*W=;#PGk2vvR(TTL^>jDDp=WYjl&9OX%apqtjjh&!aWdHyvYWuL ze6pgEWEPgJlNZzCOy5+4k1mn#<>RIi-b{E4Ah!R=T^qw#`xP2 z?+Z$WG7FkvaK09F2jQKBcLAdHlDPlmZVO)XIFqX6?qTpu2H%TdEkz!5ny$`$2A|YY zW)a>`_&_F%WWomxE>QRo;cUW(0ofsNeT6)|A9of!VrG_JuQi8eF3mg`%`%!<*rNuY z(ZU`he4KDTV7k%eF$5OBP8WQ1qx6wsCJ*@O`34$ds+ZKJPf zIq#6ZOZr|0&62xsGU@w9mni*!^h45*KruL%$g8yF@ysFjv4P)pxcr3RQ-aR`e41Hu zBTZ&mD~&GGvOXvMg7iyJEG>D(VL`c^tqZwTCT4%^+hjGx8j7zV(11~_l3!c!p(}mx zHw^xk!D|t$nMEpQw$A8ln%Q@x-;=Hftt-DN%Q!2F6PGg76v%yU@|u<$x54lV#Xk^l zB;Ev!ZEkLMxm0PhMIXE0XSs#ZKQekNqBYA{#Vmg^`j!^7jr3>IUqCSeyGVDF?g2&fCo#p`Yr)g!`ikvi@b3)% z1HoF3Ttc5&&Ywo#({lbI-B0>AC_16MLS1%eq!Iry@IQT!%K?Ia2@V2iS;>lJ{b%$; zE$a|zr9$om$-hPqTb(P*cfsD!$4aZnpJZ={v}z_jYz;li=x0i+kseK29TekZRx}z) z$QHdQcsPvTt*&AEYt_e4*QBlmjakIuPxZ+&a{C zsZWId|CJkZ^-M0&a_dtzplk?zIC+&ULlm5qkagg$(Y-;O+=U(-)6+a)2|hL~a){v8Tvq)q|oZMK1_6y}Um z6xk5mB*x@!@xvcwHP~?dW%8@?aXG}f#CgD&tICx;Mbb42hstFTL(C+`_ysVOW*ALA z47P4ru|!!UuS}lPkT17k4L5bRmNbH@fNCTZ_7(L>f5qAINTWhS|9&Um$wzh}F_0G% zjZ#!34@HsvT|E0ZB-iKZ=-+IB&##22lxQ>%yRGCGO+VFZjIrjL;8?OUvT`sE0{POV zcvsap6SHRfg2q!!pqL23&3wjlphNCDQwhC9brRL}R5w7e|HkDlLKUyHGdWQ+oJ=`| z@+L^m^>ZXadCBrri$A1yU{7QG&5XYV@tE%v%YlLsZn{M`(pRV5%IMn|eLJFY6j?^G zJbCjfCR8(w?E4T4M;6Z=BzKbB1%eS>?i$8q;BE{5Ti@hy55s3N{9c5kr^?BAd4ob+ zPR3`Cl*>qQNn^RY&+rW0^_WF`Kk);=NY8qz+)QL7rXBSmlG!8=gK!;`qQV(PJz{Q! zw(}gixped3(nGYo%+un>=@9)G;~!`Ie8giV%8JYTD#qlO$k7S+gqhyDQ~xB*Q#1=; za9n0gUa@=HVk3Hy#xsmv$k;`Q#i}D`5pzb!0hS^e#oe=p=53YlhG zO33qOu~jR?JGq07{esz7G`SaPU!r{(78Q~)U+&cAd)nM9X8sQOmEl#IB{WN6w7l?P z3+BQ4TI|yt{{Aq@GU^Bvv|>TP_?&BtZU}ee23y) ziuWL}P7Es=?LzK-i;kV`qd#Euhm8IR(V7_cp|=u)G_g+zKPCJO5Zk~Ij>oUG z;Pdcf@^POt_zMPqiC|w!vci$?RR(|5QdSeLA^Zx^AK{UMH1gssS(&6(UmKgJC+fZ- z`<84in3h-J7VLEfw`zIc5q?j&9*{dwZnWHNvcaNzSMiPa1EV)GdK03xn0V&R)SC@% z(_*#|{z$kr6DBj?rSX%&pA~K+{F(30v8;q#3eMZ#D->MA z_~oy$uJSl-@|xtez$?oagG26E3;lDI4?T{d$1}7xLW6cGOGa5zZh4_R>qZ{HVDdgK zqz+|W$`c{6fy0|qO0r!&3$J{!@A35+-hkl^5sn_uGH{?q-t)n?$DU-cPM(J+6P`lY z2oPHwIWoa1&Z!n(eZQ|!W5zdO{Aq{}R;{vROzy>S^6m=WF?PDa`?W$%3C|!r6A&ZD zuyUDs$hHLca!EU!WvoSWpWoSJ&B&UAVVsrMh~|}+%3b}gg^5{z_zYW8w4!JYk*-nL zwXygbTBEj%4>3NBc-ANx3P&>6`G~;Lh7W zG+8iOSS+)!b_So(!rBv_LwIf`Ok~3I3@%c5K4AyKj)0gd%9-h+VmTKR+(g~U)O}C+ zJUdfeK-C2b<5_N=+!UTCGpw!#e)`w9`h^7D2)YAk#ZsC1U1V^v=GTL;Ct)u@l!VuS z4Uw0#x{D2rALvu-O>hapr2yCz43^Vsa{kJqSFiDTUB>9k8GQw!xjDpXyS^6uGiEjN zaaS_Rl}Jx zi5m?bP&k=z3gJzF=wm|)^2+iD%avNCa^PvIp?E#Nq^1$wOmquSkY-qJhtGH#&UAzS zX=%3--bQ$PCaiEt!3=|y_0>&x5Z+067a%&W?o4A}%E%MP`6TZlnMralh$dO#Nj3Kw ztg2>09!WQ)Mi6xn0sz!>)UaRr~5nL3wPO!FMg^Dx|}OvYo8vBUE63S_gB@7xRK zhH6naK5y%u$A_Pse4qdpn8+)EhuhEgE5UWk+;ok(P8Z!ns;g5g9*BZJd8B6YrJpp zV=e3h!Vd{Q0>scE&wY)Rx{ob-0!CH&xK9}UDWgBjh?ZA>thDIsH2QN!f5GT4Gon-S zpgN15tkJ6(y@t_WWkhF{y00zzCXN1v(cdz9Eut|cjEC~^M3{9Je$5!>UCDjN@b4ME z9^qUAvZC^yP3dLw;1##QQ2!Mk{Xn#lXcG_?gg?!~1+m#oRXx+Ph2}?^tuXb);NVJF z&g|md<BR+WlkfR6XNxfb3tggJ4|SvSMYC^vm$vf99^& zN*$uBRLs36`Il=OpW=&YxGb=+t1N#G_MEosDTFHWC)snNstTp;C&#h*NeT7Z}jq;Q_+SPR~~Q2r(#cN~L{XK-x<2Mtjs zFIAVP$(NLH@8Se=4c{cINplAqz`tT0t z;*xUQ9?I*QPBOSacZ^RaJcY0kAU2tDz*`pZ7+jxns*&uCKD)*wO-N1y!Jz1gyc`(! zyq<1qkgBFsXHcC9#jR0RSy>#^on_*bH+?y0Q#7M!4uL*inwK5CR=$OS`}As{mISQ` zS_5F&B>0><3(mjA|9V>nhZr12FqX~GP$U%%&SYSx$3@J|KFPOqlrBaWhr@V_D##v^ zMR(ljOGz?1#poEni0-`RN$X@r-)zJSbx{#vnIVONcH7Vrgaa!pqF9VjqK#H1VZf zMtC{l6@cv4GTG10!9e2r8o7Iy=%FD|!M<^&N94f>2)y6*3lCB}^ zPc{GyCHWl~lr+%DX5H2gBDt0%8$?UO6;ZyV!Nxw(l5)s$$@0L^^RQ)-CplR3ow^+w z%IIN?&POzw&gIE&C=Y6s49h9bDRILMmW}mIH-fN$a3mmB)SRN+yg(G1*z${fAs>0> z7SAqGjDkQ>xp^h>X0T#xT=EO$<`3r#Za+XL`%8qSgrfm*=qdxsRp)rGJoYf$7~{K@ zk0mc7F9*k=D|r{nI16pl$5(1RLnknFB0_PRV3hpqbru^Nb>39Wir(is+*wDY+-p~U3g^fkQ_JF#Ji2Xm_~6k#Vrt6p2hN#_%Uv} zMNiio32$ZeZH&Gh(HPutO}?99!MErEk2@HACxh=oFdDWvFIOHkoEwUV?5awfy|~-> z_H5q*_mIydzgPL#A~!-_ihu=LI3ygFr>-XPF7W$||GL=oS>*SVKLCztS4bYzqK)yO znHXA0KJFo!*)$KsU^osk9wKjAF32A`tkgYXZil8ihi)$2JUE;#kq0pG%7M&0A2s{1 zK7Zsf+Q(_RHMs8T}Na7a*Fol4pr)t)4bh6?0knxMye<(kz0> ztW`8zDsLLgbI+RlO>4E7?m4>W;jl&(7mbz8Yev(*V6a-gZ~7MrUm|=NkV!_D{GqqDwTu${G)$35`k0r%L5%-1#-!Q|cwSvKK zGWabGF3cZX?B2HERl2Ue!{B!r{2qc)hs=7vZ>FP~4`@E5`3R;#x(;%9!>-hj!%A{m z^ke&hU0R(__yeEv2R_3OU>F}(E-$H*y;wQev(iYN=Dt#&lYBw)B?uPM*zD5MlFVdR z89cPm!_|aq2)_d4LXuTVd(zitTA)?sb4Uizz$nCZ0MmmSw$LQY~{Rg5kO-UvqS+N+8u9dq# z4c(>pXZ=OApXhHOw3Y0QmF5iz>017ev7Alvt$f@8vVX}AD)Vc3A}hh+^*>|B>NpY8+#mM4d=>-;zM`IX`5~gbE0!vb* zsIs6=ke>^Mj>xlJnqo32AJ?Ar9MW?^EzfkvI?q^K^E{ud16fBfENxUzmv$#JS!z1d zTtL$W2Hk2TmbOgn$H?hK*VWLky1XwW>PFNZh}{bB&nqmAMr27}Wag`#sFBpE2Tf0! zUN9&qnnZJivDnJp#fGN$rK#k46J0`dDG+xm<&tB050mR-@sso{>}8ClRtiMrtVm!LTKvT7} zI}D<_mMR;H>o2>5um9jQ(vFZrluMKcqzR_`!4Ol^HNl}&!>ID1um(%Dv>OaJGDpb> zk^+*EASg&`BlFmhtjE}aC^Yq;E}kN)VyaP4n8}uocJf?Dc`}x?Vki|H6?bOK=J{4E zp)I8y4U1u4UfYx_#g)1-299g$!B~Paf^q;9CUczvIc8Qkv~WmPN*>gK#vf;P-Dq#e z(@vnB2#e~;DxXok>r7pu#1&l!VE24y;0$)T*_{fm>cZ}%C(M@`2$n<12^FZ zu%5_FOODKjIBZNc(@rNb(`as{xdn!)hB8x~ZmOPklv}B8qq-fc;*uB@PKJW*(G0WW zG|M|^@1(s87Tsk?{$RONO!kH4<*r8N*Y)jr56MiDdqFUz!NLm)xz9v(U3#-9?x%PF z0y9s!q1)x;Wh}Y}4feX-7xfU~Y{G{DG2&+|gh(`2GCFwt+#{yPYu)Bh&!wIRjkz5T zy+3NPm5%WxJ;vC_89N`bXormCo-i_17uJ&`PmwGD!A@&Na?z9=m>ONeeWs_4Ptfe1 zAzw(o2pr>lWTZ?4(p}_PV=X(&xAJj|$(|#79t@*mC>(4wU$FQGF>92Mdy(-kG5%%5 zqwTTLjAiz!R}9|Mi%xd42$v8p1w2{4s8GEauAY$tExhu?xn=en6Sa=Z`5UkCH(tkY zpl8Yz8o9;tDxl0||AyJ6r}-tag7!_?w_v$0$Q>E!QR!_{wRGP24%NFPsjrB5P?KxK|mRq=~L3TtoO3Ach!jzx@u$*Jgg!&G$Dn-_opwLAOgvXULK( z+2nwu9MN;@jMbSV-^#~*NA^A0dN3?Wc@;#S91+ON%^2-Bm~DN9Uy?u2Zlv7=i}uVI zyd#l_Y&hL!ldE*--a`2! z$8)xm?I8ON48wi8euoYBJM9PBY9)8^2X^xZ_TUH5BMXPf9ct0MxZ7)BkPaXF2!1E{ z0{~l|VtKuyocRCK!sqJM?SCBxuv%a|CtSG zl@8HXa@=u~e_5ms+kT-{mcIwPZe4WHt|EVuT{p6-%0jZ@X7sS5j2*9QZZ)!_$*O~4 ztj|~i8Do77(_zi^80wnTwV-|T2VLt}1AVmlk0Usqpf*6dpG0*%IKfz+_LDkfb;(Wy zJG?I^qhaaG^-QkTzFeQO0cAtTQ!3W)$iqG-*^ji*YM#s=IfXyc2tR@W#vj9p1Vx`} zs?s9APBf-!LUkHcy6;$BPd7GN`%Y7`Gsw;a3)(aqi>9PYpJgCV+w^RLW(3Uv&^XxE z$Q2`5AuFnd$(g#bX-V0NvNa?!w5}FZtc|g*+SS^Ug~-Cng05zzMU2(ft`;SWk;TD$ zX9>zl7`R3&mLy0KWC5f*i##hT7&O}%8={@1J=r;A=Yk#9S)!3dL^{iPCf8_ZIiIov zWk*O97?n9|R>%tMWGvNPzLk&bOm+cT7qE=(;S1|(>VMijE~M&4)g6kplV^`)6n2rZ zYw;}#>p|9&tQVN?9&#z(Js#~CZoq{Dh-9U-f=~jZ<2yO?! zY)5*MJh3!ZSW@6-7+Ip-=nj%QN$vu{*e#ESD{*&Q@LWBzd=G3wgnK70vTS z@|Vb81`m2sJS!2CHRBZn*K03&m0$_MQUInHwG@{bsgIwMk6TXi8p-P*naf&^HYI~S z`!`JfpJum$@=eOOAkm6t^0*T@=jvPWZBsw!Q&8WbdY9@wD5Myc*F5=-{=Sh%F-ek- z`+(#_l8-ldVzc3Dn&TGYABndDV|SBBEc~MW$xItPT(OPjXPRGN z*o+a&@mC{#^~l?Hk{u+!fi$d`<6(y#cG@o-t%>g9FYM+o?7=Ufvt%50@agU~`Klgt z*hl$0jjUa-KBRZa_HW20=CGrwQ++=Zr#eb-GJlA1-UB;h?cr3P5x+Urv+4C$4kRs}n zG$3gRk~yH1$Z1fV|B$C)m^?;X;bh8FC>udy{l{<@lf$}M?o<<{x~?{+XhLxs1k#IU zS+6?X$OTs;IZ3Z6$r&VPf>cZ|7LqeGW##THlQlKHvniWVHitxdvWWakC|j7Aqw|86 z6s;&)Lj+@wUp#FLulU>N0ige!RRqFf%)&eYakekKv+bq0j_)y;n&zBqylOGjXuK7w1!Spy&vJ z8p%;H9ZEYHsjo-GI+I*L(gg%71J+uc2SYJk&8*%jU&+T^NYjm`I}BzkndeFgFEThu zPnGr{>`B-Q5Ni=zJS#5CRvs>Pv7uMB&3hAFLUbt*rX*OwT^|dsS;M!$WemQY!B-#{ zEuEWRkTKWmYbyMod?_DyCDm0_{h-iIGv<2HWDIk?t4)5TbG>UQ`%?~pM2$Gt(;5vl z^e>i%eB2cu%IHr2ez*t=mO9)B{Mgy=7 zG1b!q#~5m$lfAJ-Wklsbx}eh&y>X^un%j7)2~-nR`H7xy#OqA0*NNUFs_Ut4fMU1B zYNZL@Xy`GW>P;q^LUa>QIzgT0O*IwQ1gBBmOmz!X<}}Y|INew`o#x$2b{pC4U~Iz7 z3}+Y`sS~|Bi0&l13kZFK%Q$0_celBO=6Da?OuBpFbfD!*a-V@=x`1a9+)wZT0LBXz zlsQ#<&|p$adWdi~;lqG7Rr5{ph?!P8RhvUImu4Oen*vicU09DAx>6@=j}bjiG#?0q zkI(S1iP{sUQ<~h`>dh1_)b1I0$=i9Q0-6*WD5`q)%^&F>ScPpLkG3Z_qTy#c3BD@_d5wcvA#FDSl*K#e$k z(&Sbd>Y@{<)kJHEz5+@or<13zO`W63eM9vv)mo@v4fPGT&Om?7?K^_+3DyH(rW*FA zV>eiQSKO5)ANK>}H!^+`;&rov*`QWuv$+R)dAEh`N4l+W*d$7S(7Dr3MmlI+wvqfy z@(T!>jdL0;=T}1wbXK#SXa~`6ih_woBA96GG_*t~8oP*g6YT*yY!(m;#o{sx*lY4@ zodxWp{GIX-NaPsI0(^0Q8ak-6fWL_L6a5W@MXQHyf};L0Rb4me2dMs~Itaz0Flo*5 zMg3=JoF2S6L{v#mr}c6FlYf1GkY@=cWs_W4{u1n9jnn>6MgAl^SOir8SPD1EzLcX3 zHPlUVHKL=5sso`ydK4w7Pz_TXbmMvqRZXf|P$-H=QM5wG8hTteuE!A_PgENyb2I6e z(+S49>t?bJSzWRd!B{PBCVjQ)87kDxWPPFrL=Az0mC2WKl7S*^ypst|A!r0(TP<%+ zHPc$RT8(L%(3}S2SE#7$!r78N-P}XELN%p3gYHbY!!|v>#IsDkqMM$xDVtF?hh$rD z)8pHsg`p6>laFgj)QYGzP=$?$FRYEZ`nvIGOBbRG!*L;V!h&ofb|%lLeX z4ip_BP@!Nj_Z8}7sH+aH_2^PC;e58W^mlTu9K3pgRDU5yx0x%0-59uqfo? zdJy#_>ZK?cFg?21P(vLsdlOwkbg80Xz)S`MW*yMNFAt%sF-M! zqF^HCkuy|R*QFAoQlim{f|-#=V+`%nnbBCHGNN)tK_~ZUoS_S~laD8wKr~TN(EU8R z&d^EP{U#AzPjmy2F5k=sywTjlx_l?oO`*F94%-2ATY2~IU{{zkOwI~THTH&f+-YPt zlidP_%gnM%isj)4(=B?@=V)$e@LL&u8>4SWG`4FpH1*z_& zx=Yo_B6)I$TzwT!hK7dS-KN4l{PBx>sAf{#3xx`WWM@62LiZUPjBn-RW|7@b_5fHq zMZFW^K~tA$iVsoErg~VFzY`*!jHhsV%hWM?Bg7o4xm5F@n4&DGj1(U=Ho$hV$Q~z~ z4~DHGT5*&-J2FRZV0yyL<(lA=G*8hifI(3s<<>?yN~?|dw6Wi{5uYJjNVZ5>OwK4| zWcaMH^&`-P(uj-6o+Eo63`16sVKkCI#=T(V3Qh1ul9xzc20^8YM~^Jl>|QZ5tH>|n zS80~eEQLX(qO#IwWVg)N_{-&6`MBj|uaUhDhE;^wMdZ;U{_@c`%=Oh2SJ1sl_ZD2R z(ecaoZ37c@qw@~Iy9Dn6aQVtSBqP7~jh&{K?|wk`A=yXr@91VcW`qn&Lg6GY#^teZ z_p#xtG|5khKPCQ5{^bcBeY~n1FfT70l8mGxvdLd*_`r8;7`gC}_zU7Mfst^kVuxI1 z?5c&HttMMT_7#|}GwJ=luTAySOuwP}mTE0jb@@3tY#xcrzCo5-XToWFen;^=#d-(~ zlR`I$Ue059v^U?}pAPwoezjYOM(P^U!2abUBtlV*Chh3rSNtzdp7E6EL|Vnee_ z+)rluYmK(i{7mx;42qJY^77nNxrjFz$4K?7v4~#Dx1DSU*>7N2TjbF=VR^OyPV?_H zvSOUiZWqaJl06{k!m{@#7uu&!#qTwDn(hMbqx+ri54gj2%yo~9!GFIL2Upgm|n^!7-@u`l8>uHQkUdJkn~bcADgXb?hMVX zK3xO4hHzLP{qCc0!IMmF)ZNFEsZOD4q)HBO%WIOf5l=NWrx#PKYiEE2A0m-Sc`Zr-8V)%Gi`NOw>`}{H0Q#wF=V**jd7llY@IutPtt*;BM6Q|`92>_9d>}W zllf+vW@q{f=)1rlwwLUa?P_v~?j>JH*^RP0B$JhmwNLgUBN3gS_aNy>(hHy0Nn1H2xg>cY=~Xqop&nwcrRF!3ZWvuYT(F^zXT{|z{VX@!#C5tJjG!o>7zu&o zu)E`vD>TwgcXoP2HKAOfrS!CJ=wM zq+DPf$;wK}jYBe!xTyx`>L5Ig@MgkW0MYy0kRzX!G2LwU>-;48R@&QWZ->R@XceE8 zAsc|OoV8848ODEG?D-w!caq-)j%`gWk(uz_ras7*FXiLzp_)l`FBC>QNw^>sO1h$= zk?uY-7ipriXzr(Z00s>zPs5RW{jw7BZpR0WwEF{v$PYe5GMnUK5F{suurgZn5mWv2 z7}gxBxm5F@u(&0;^lg@p8tS3hJx266(R?5j72F4kdlBX6mwUogL%k35Nvfx)7O0W~ zBpC@lZEAvU(Vn4NNVNzG9S8|V!ZE&wTAunaYP7rnx7OwZT0*rH3jHd_mCOA>M?Au1nek74 zrG^4G{;SAJNxOz{yeDffo)o!Tu|kiSX(7PxlHbk1*^`cS*&J5=vdy$6L!NszPk z%=e9bs=0nZ_959vU>v}uXNF~8FBF!(`LUst_RUX-J|+4LNc(0w! zLUEJER!w)$Rpvg^6j#%&q5BFBH4C~YlEmumzBYDHFSq%I>|3(6U`P`EGo9o*Qxmm+ zen<5^)p{uO&!8DcMMDw!uc8up!VR8evcdF9P4x%rjntcL-9 zzS0=(xyirmoY;eiXVj~*d=c!s&Fke|75S6wyU|sJLoW;Jr5o6zOx4j!RiiqZsyY<< zNpQ0x9Oeh#LZ@JB2UtBttiAr#PAD6rx6oWOPoa zd8(n4bZ~A=)P(3XMM2$?LETO_l+e00B|3xXOrRs`mK9F1!=Giiy4LM%;%3Cnfzx&K zCAKhhi`K0rQ7fX>ih{a%)W*=sTDP`DA)+u4hREO&!FX zx{#n7L3aR5!p7v~7wSrPk(s^vV74AKJ!yKupdRQrz8)7FNou$0O>zmzrAo%)?d`#X zVEPzIXlJ>M2Y`^A~LzYXH2Zr8N zD369KNx2~w9@Q<{P=*gm zGmYqGqFaElGNwYorf|B&FML}5EFX6(<8Nd9?TE*55^M_PWk#{GC@#8{mj<~RCLh&} z;T@EBQr-p0GitfR4fuqyVfa=)?n$zz$QFR%AY5>ICmxcg1vz=!h73OL zX`@$ayF5d>kaQ6!+68Z9#4|grU7j_VHO#lmV#4PLp9e%T@rtRwVC>+H@~wQ_i)1g6 zy$pulE2-)L{ECsQHN{s+mXIt3K}j5d)4gh$u`FG=mXp0k_Bt49#**T(Y&?Y%FNtz* z7`#TyTS53H;ah;%JY_zA6VHaqlQ)FqxwlP!p--cGhx%RW_n@(^$%A%_3*>Z7C?Z?d z_YKw8PWA!OheRI%;b=z1B1`g0M;E(~&92e{KcW4U_A^+_@FJMsuC(BTZRKzBai25z z3kH9QV88NYY-LuN8lWw*nraQzS5R02+-9Vgz}LpU(qZQtvTw=Of@Kuu$DMVi25Mp7 zQGHLf9tu5#1G}6Xl7W4Lk)8`sC#lsBBpXRKfpGu62onM6^_vZ>xy*OoEd)OjYz07t zu(iz?M1C^1OSfp-$bKgK1+3yA5=+G}i2Q2s5naC933m|w28cQZg9z)i)5x(pfb1gK zO|l0hBSk$ezt`AqO>rOD?__^~WsEyMzdudY&~fK4s{K@dLoq+D%*^i}Bl$=}KJEa? zza$4i&}G?#qvVB#8H3J$X7^~4hiEH}A|>mYD<22`2YxbJU@%OL-zB3JX>*7FN&5*Sc!eCuu;^P)V?oB(Rd4 zWTcm_Bqx)cLedB%m;_|>_)`u2pH2cA6Ez_^4Tv3sTR)a_x{>3w<2EHZgXByQD@VKS zS%#`=IcF0!BWe!Ba@YY`P75Q$wF9;!X+_c+gza4@hXgBhzcwb1(!$zOhA6|3C@knj zEG%N=koKY|NsJ_}Bmhvp2LeceG~Lp6(pFbK%mxfkmBX z8j@}TD%L~-;(0bR&)WzB%I#XRh)ddPIE04|{CS5|G2HDlv-<#xH z`M3+ox{-AU!}9fy?@Y;KQRL}|hU(~1-yTFgiFyHHG8xJWCX*Lid>0I;@^QTxe+lC+ zMLfR1S}R>5U8z0>AJ-N4GQ!IVuK+}Ltdu?&xv!yrv`SYJT}9Ln2-(RlR0>??*P*^ycS=bO$ zBTteq<>Q7@4Wr73!s>~3(23S?Gu1Ye$Q6Y&1vDdJ&~`kG;4hnUg@(52F@z$bVxm!o zWc<%Bl?V3XeH6~n*o*!4w}hyaXfzOJ{BgNsFzm)y^uRGbud$3SV{|#9(E>^IgoM1+ zp51$#smb%b8c#KWY9bU`z(1yvhySiKQ%$?+B%14KZh%2aAvvm=F6l;7W3WQY$4#c1 zLUofWEh#F;nd5G%sp?wRG^(4aZc!BqXO=bH)SY?-$E{SiQQZzzT{4h?C>4o>a?9Kd z6Ww(jx`X0Qin|~%o#pk4d@y`T#@c?j>E}L2&7^MkP|u{k7dpMRr($wZRoLBUsJ>Qh z7Sa7g4*(%ashUsnK@<0BwH~6FP4O@UW)m4nO0SJ(7i151kC=U4Q=CIPmv$a3HUykJ zh&b&r}{rc>v~C?BVs4~ZozubYtfsK^V7O5~bdS^u9fH|SmYT0ZVcx~J$C zz@dKft|6&kSQf(5Ci<=*kf+L1ETmWjfjzXr`9;MgQclJac-Cl_Z#`X1`W)%=pczX* zN|Yt=f}wi41YRV1iRfh@E&&-ngA89W(Y~@T=2eO%6iXp6;%bK0{L2h>)%=zdzDD>u zAl9>VBPQJ&W^%OwSJ1pk^A-&HK|Cp~{k8?)soUOn82m1S-$O9!5>858%A(TR@0-|k zx_luY_W{L+6dyrwx#AMtjHdqB+zZ;1KB4=R?lZV_Q_DN8(bOvqHPEL1oahUpFM+JH zGrd(NW@%?%Eq|Ko*2uqo+*k51M;Uf@Yv-@!&%xaH6;19Ns&A>*LLs?yJBK4~ouPr+ z(BBb#PqZG018o@FwG9^iy$-ZLFnS}SHz68Dq@wY7St?mt>Z}nO2GR$IJ-fOIu?hEZB`flXtgCPb$JVS`}RipX2Bof}J)sk8gwIXT_gtavplY^zn zvVv^Mu8o-AX>LGtC7wU0|?WB)^jEP+VSlD6bCaYG|3J zcOg+XqV7QGZcHy0l|lL<6FW7v9uz$(dO@Ikxdu0xipZnN$K=a=_+nGhrt+nHTyLsN zs4j&(}-zcp2&Cq*s6jdq?u}6G^bI#dp&6;Y!9| z#rS@RM}qNKW`b9ndTAoklLW7!>Q6NQszQR&N&O2<1{!Uk2@WE?mNXlbJ60v7Lvo6W zTrQu*?gkrc{D&_whb)&Y4-CsoT95CT=2J+97`kbiZ;YWt!-(>M*!mSJH{8@6jeJof zs0ye?LZLg!Yg6nc1BGTz)AWjHifKl{AU&88c@IVIXn6~fGjzJ55~5O~(TeniT&&X= zLrb;&#uAkgl`BF?_JEmjhECOz#uH5-nh1o$6hK3Y3JQwGy6cQIQ8J0-dXgJJxRJ|z zO$IZ((c~@q?3c-uQz&nOV%kZh^qoIJaCL)O`5Mw5A)* z{y)EvZzaBs_;$q=u5(F7{nBYG&}8JdMOi(t_5(Uhk4tch?xpW0%I=O~_s zKq-=1K`55Y9_jMk3uf{(vlnSzqInqxGnI?ipf1UoPl zN4;=DW+)gb{xQB?$GrpO|B@dBPj?99_@9Z@+93{6RFX%U$}L**?~(m45(>+}lya5j z+hFFpM~kZ>f0ErT;;O(XF6d1t?kE#KXm6@UaWqAB2<=Unfud41%*@l?bPP>Rnp!Xz z%%lEE#m8FweCnXXAw zDH>2TR1vJ}Nf9TRXs!L>WQtQL8mS0z1cNx$#DZEieOs-ah8dwHrLq{%_y3y2x<<|!bEGWc}t2`6s=VRHBX6XW1@}Lye&nDBCJAg z6qn@z5izkw`(>0OMiEyL)EpvVVw2W9Ns*$+QW4Y~qMeDD*1SE%ITYtYXh*Tc&NK9k zc9ippIuLaPN)H2BQcNckZME{9DK4Psq9Uj~L{}4EY2`1Z=tj{U;)snxBp#7d@+o(b z;eEPN_8{&_+zU9pQlhwvO>EYd>rHV9#ic5OmV@YHBCaiW8O7xkSE!IaBm12pd8Jfe z6K%E6TuE^iML!j?Jj0O$#MLIYYF5`!^rsjAabzQe!!lV-xq*iFY9kCHzLq!}*f#=t zkQ6uA#7|mW4n;0S9s~w!36F%cWDAt(9bjGHm3#;ieX8 z2O2?DKs6HTh37e&dYn(pDKyGJ#~G5*ZyNMHx@>-E~GHx`s?5xt`<(kRwt| z%AGgZJltsbXl;_o#8ZfG0!}vx%bRLsw>HT%lAB3x0Xd>PJaivjYr5gTv`KCyzK!^H z;B=F)yctGzYm?kTawo}MN~B4m$*>Gf`R;Bbacz=&NM@4U3vxt?a!yu;0D0@N;eR#7 zS;Y4fKLG5TM9X{7$e-FI50T6!d02^behh#3vJP_TM$6|QsVcb1xW{z&l zAESAkWUAh<^i+(4#v5klYNM~9d6VWXm~^AFn7578)JA`YI4gogjZe^C8VgFgPbuDwolR+{YGus$NF_38Oz{^k<09T&&!`T50Gs zU96uIeL?gkkS*3o2#a-PE0 zZ=I3-x>&y>`JQAw$Pwj5vLZ6oO}Pz*f7fpG1Mx=UO~5FRYhh5{W+VUTTDXPeN0O}| z+9BlfWDc1>nR!$@#5S6rX?}sR4iOadtC3pTA-0q3Ao)#+tWdFVDvXxjX(XjBzl&ry z$sQ$A86gpny+#gdW%iN$PVxuH5sjCO$x|6*Vf|^iiY~0bi1!o!4eS?|miLd5zja|9 zAo-W%AP9CXvixgm|FifKt zQB{RXCq{CVk$*I?Y9vRKR0lbtA>>Xh&H!r|-mksr7~-15wSavu(iD$1@}D;RaU{o+ z)CNH!vUuZ(Xk6w?CzxojO;LxUF2#uu4Mp%yFP!;5;%H<&`-SRy;wRkawi$zp|w1j{1oy=;21wMc9rFE@~4`rshy-TRTHYypioh{`P5hRbQ2FD z8~M1V6lYMJ32}HuD;~-`%YLDTR`hKCLNoqCbNs>)3o|Bfdqy=|82($U*^;;wacf{C zEDv4t3AZs(wG;EL$>-SJiq7nyZ`9*JkIrAYwfky zUc(-Fr+=EEx;h0&C(0no1VSm3!zg8<-wLu!Ene!EGMg%gDi;c;f~A!IrKjp`dZ8Ay z4|N`OKJ;k^aAMedKDfZ}KU%GY#6`q?ficF!C3)8(oW-Awi+l2O#f&dud@17nTSUE< zuG?5H~zGUQR`L1z}-1BjIQ}nBIM_0l0HoO z2q^kc|L&Y*ygTAiGu8CgoLMxpX&!^Y#>g2We`DsD_)gCd&82vp;t2>m%W4HIcVEst z^Xs&fPtwn)UjUER7rifs1%1j`OT8&)A=%Spi@;D&nbP?MU2LKf21)t3XDFVfcn$*1 zN(-777fwvg&&E*i?gQy{|ikb1OfW*J<9Mc@qZ5 zn>;<0ilHU;czerqtL?sCN&PnUJJ6>cZ=r+`XL#=#KB|4nd&H}VR|BKCvLB?l2`ug! zGnI8utfg5;vmOQ$92A#*U~G9e7%$ZFZY1ACz8O54Wg@eD-%J(FatqB?nr$$sp|nD| z5P4b+Z8tq_k6%MOsCQEDfsX~J802e&{4_HeaGnU8GQ)RylCP-<$BoS zAMW7C|G@Yk8UGXFF=@oP%%qqqJ7V$`9d?dV9;5sjvYyBg?!HRPkps0b_L^LJUS?{6 z`^A#krB(AQllhIw97i&!`Gk;M3qE1Nz5Dy6{hh&oF!)adSCK!&CreQi<4Q{N<*fjJ z89JxPM}HHYBsv9z-Xu3azqFu`1(n-R^4&k?#x(Q$hJWcQ$a|M%(I@|9JIqflD3x2Z zisXGOa(7^QPJXKE>My`U`V#mHt<|SyY=3X%0yL&&I3YTUO}xBxkoF?l8nEaUq<5Al4xRM1iSA-E6Q=sxR+HuunoD7@ZIMV|+iDrwcANZ7 zey%oA9iqBGm&w1{w*8N$R?pIEs~cROX*FP44Ura_S|~0r>>63{9&|SHbC)srat2?4 zV3rm~g*LS-4Q=V>qsBx{h?)XjE`Rvnr7g>Jxmg3;RhC#gEp9U=)|`o5jl^)LgiNZ7 zS;5yBINrvu;1&dN1R;R`@4Au?TgiP_VN2_J%{;=i;+a+g(hBTg9-WD1Ch87OqDiJn zfkBmdM`y@8I$Ih#SC7tCMAs6v2GWT_soV)0bCk6)JoG2OzON&0OME>ra`X-tKgV{4 z_UPf#p6CXm4nR0uFf}Q~Q`_ES88;dmr+M8(){*RHFmxm6DcSw_+1+Apx%QK{(%nYa z2@Y+-viq+s*l!cJTVj*75O*-K&P?o1Bo=LzehKa}v{hSW7oxj~?g2vI`@c&dw;1#i{^sV9T)WAOb5##0UdJNIn7B(IkxHBs|@ zfJr^bq*9R-8fCuR04?1PXLxC5_O|s8igcO`noJlR6#qMW@1V%Cv?gf&*-R^kY32U^ zOUoPgdRtoKHLX5OE01aABP~oKB1tKca8gQ<+!$u!bKQ-F6h#z$Auth;+v((qG-uJT z<@wuP%;*wEmm-=2P(d~xGSH_X%Z#<0?6ZDk{mBM^p@I3&e#wWqWgRon(7DxoG>B+0 z(GVbPOI%pDWvGeTn2pHK4Wk%NF#-bfmtvHzZzv^MZZ6KuPwgW;(@3MOw1lHbN0W{L zMVb(D7Ql_Q_(6LA*f_?IXZ!@jqZ^g`?!2v;XdpxH_nkyAnP3V4wkARD)ARPsLnhuE zB!7^fn@TZ_Vmbtt?%0}`h0Y9v*Xp*+Bz&0g5kT)TFKkmhNcMKCxSot`5*2?dkK(2NZDmbu89k>pvD=Ri=fq0*yQa6SQa}f6>^gihd2eMD{Y-GO$1+m)DBp5i~nPSkpb4RLG3|DP!F5`;jf9&BHv?J|Vpi{)XsS(U3&mE7 zZ4hWeURGWc+HPjO=CXrkC(SOHXnP1rd-%XaoB5KM{M?5WA5nY^fiXHC5AOyV#3$ww z^!eRS>2}lYfeSPUdFQP(h|dgF(+2T5(HBHt0-<>9^^#G%uT0d@Uhiv)y%hT(aJYNL zi){|ym`&Cq?x#IK`z@^B9K7NkG|)$z!*>MV6C46S@e<{gieVP-u!+b7`Gfr24-`LA z`~<;AlTdpx?cs>Yc3QZjl*cH4hD2To=u(*1FD9}wdFH@n%1xCCd2(6tAA<|^ z>8^hXE6BU%W%(!n<+)7`(8=KP%G`S!sdxSIJbJ zQ&JZBxwELwraA{I(Ebu|la4#rP-Sg@m5Hhlod_S3BjcRC?E$?tHD~PR%@qJo2m{~T__yG zQoxutSkGKNEna=P26PSKm>b)mR!1XK&9og}Ms+#W6;K$an48xMuQXC$GiprIgrq45 zT9ga~3G!gQd`i}D8&?^8LkELqgv|-B28`}7Ro9rRr#q|#RUB1Fl~;?Z!lu?}Ek>x~ zsS-@FHdG~=YOb}BM3qdHqRJbAk;msN2<6Ij9)wShb zN6?nwdVq=oT0dwE>w3@-2;X8=GAaQ zZk}^pjkKLFf03W-MshDncMu#9oc9Mhl^*84&+}(FJ?ZYFyB{vlsmSA%Qr*1_ovpj( z0ip+qQh`vuIF1@DUz(B5SboUQrITckWP)H+^U4?7r(~Huq-D&e&7sYO_4^dBe7y~% z>b~kjkVlXYfbvC>v9DOZ0wevpqjXZfLXskqz98uFSiYDp#hE;=r7NZ^p)7?gKgH(B zqcVeYbc)@Nus`7dK$KD*vC>iwG%~vt$|$8AL^7CU2nhC;UrMhl8fxf-7H}BRaH0`F znE#?H;torcReY`+Y3xnyh(?i(CL05W2A^3LoHdU%wW_M$p2ks)rMGSfg0-l;UxXr{wphoN|}&1r_o)mp@vln+xr0_im; zzj%)t=&sFa7Qt+S#{f_~uXFW^H^jn~5@u|X^`bNzhzllYexT1 zvwNNN4bnG3qdUvX?kzLxb!V-ld7I`P7;pNQ?PB)Uy9UqH%-$nhMYtL;y0^T{)|hFb zduuJtI-2!rux&c0-C(AY=ChGz6U}BAOr5>ml`N}>_f52$FMp7q+d{FGVjBcEDbp3p z^~&h7ce}y8>HYz{gK#I|EXlp6U=3iijSU$FaP=3Fp)0l-yyXE4A1Cf%HexpFq)X zeuG|#`xZPY#ZH{D6PQ*h|InPHuv==G764E5B^<RS=o}z)t32pZ;&RjT-ML2E&zHZ*&s8R= zLUJAmy2#A3m{Uzvjb&(WT#c+c+4*3BK{FZmIJyfARnkH8LZXX^Y5<{loP>GByV%H` zIti;uatX<$AZV8?UhKZEWi(TZSevvCXP20t9^)iWk!?t~8jXg=?f^5RU&%j+s5kF`Qhl2(TeC=qSipscEM7%F>;r-i|a_*l3Wjhdo+TjjBOt6 zEQLfZX?vz{15@aL6l_j~Qr>8whc=I!2s#qn48Z1rDS8S^d5e+$Iz_*gCarGBQV7Nf(m4N$vr`0TZYg9Rs==P1fAHk={$%9TX!6 z#sG|MDdB$U8Lo$^_q6-(Np&C9{ZP@JN7Bnk7u|UekUU6|s)UOjFPAhU1GFa7Nis+> zm3YSsbICF?S8F1hB!?sy1e=4-Fp?nmjmYaPid}D0H_n$o%Fp$o%A?AMLh~;y$ont% z_!O9aqPySx3#p5!`$8j6c|V=xDX&0cp3YPkv|0JNVyY6VQYidEuaTU7V{e(IuW%0CBN8%$On@T0Y|aJF~uHg>fLxh(_vJ@sYXDR zFSeYK3A_|zq@}Q0i#>`djAjaBkOJmmG57b%vwX6mPj+JsAJ;;UBOXsY0hooBs}|9^ zo@nX@y_Pb}p~*$dm=H>J@=izZb?A$Y zZ`7hbL;fuJbKp3W#qZEAvEZ&{D4&$@c?K_K@CyjW^eZ7DC0;%y!`)R_RGKHZPMW-X z7@^!cN%=D6GDr;2^0nd;xdlMJN*y0A%TMj^UNLy|G5?Twm2f%X3P9Yd>gDBLv+yhT z`uV)h@HZI#Cc@DRO3RQZg5~W7iS8{UH)_*ZN%A(yJ0O_grugpxc-P{ed)Lq6J;twM z{A$Fb<)V9*r!8XZVU6KcoqW8OcpdS2VAP=1LpT(Y3Y2#$Z7_LED`F$%Cd$o_7$*z+ z=jP-3t$W|Vm3m=%3&B=`Z2-us$Z-q`)W~*|?RCw#gK{V3E|qbo?dA_mK7lEa{M?6> zA5ne`iCL__d3Z@ox?Fhq#MsZeZJ(0uCffss!P0x_oZRXc{eHk_MwjaIexH+mLHZ>q z+DC2~AK?7T!neo!&FO1~?`8NtgribYPTOuA>R=* z`hu46JJRn-4}n&Z1pTKTLveWL%V9$w9AS2HwT$RTqMv|J(#UB$;fTqsF1|cUd5rRB zNG!|(wW*zh`^D_@TGU@@f1^DPi{mtS)jt8R(K%soo}QBYo$wFBKLOEIvSRy(Gy7+{ zbi8QoFLT|sTK}dyNp}hko0;Yc(u<3V^U*Uz*facNa`opDAV2pnWrd+!(aC>#mOq?Q z?9Pz?u6I^{z+DGj6D;v-Xt?w?rfG$p^||y+9{kxa5lj?0N9*JNRIHp=A3J; zXGfMvmT`1d=+1*f=MdPO=&)AR@EYBsYQ)uv&j&`P@`bpVOfN8ZM*~083+XPRs{x0m z8O_vsm5Yt8)huh0UP5{)D6+Ip!mpoN<~nE>QJby~U0ro@(jca&^~^QVlLqza8qhUV zr$yBsqLI0ETF%SpE~mQ!u6(=X>z%GN_=L90#)M4>n<|V?LO~-KtO^V8($1?4ewgo9 zYBR#-gjWN`)QtC%Fn5i)8?&cIpI{2sSG!3_i*064)&mc#Bw3m!Mhuk@Q3+>yaIBN&?!7Z=== zTTI=9%X;#2w^H3k)d>o_3ZqW&RnfPbJEhxl2VG~nJK@kuy$g#WcbCPV)Kz>J#^25O zdk~L)93#JcC_0oFS0ryJF|?+W{7rtY8_~T)-GQ+EIe8^Hu7?G0xWccjo(#T^!S^E= zy`kKEkT1862A*l@WwPT=WFpx-K=~kLDkS;<@3sa1nHKqKUv7a*Gul#VI%x)JCMYUh z9&3@w8E^BF@hQvHI(@Vyn<|GY7s@{)>eobX6A5}Mtq(;WMLvYTar)SelbiCSgasyB zYY7V}izxd-qOHot$=Wer?xy53ea_gy9r9QCxni;svQn^eb&@WxUc{}SWkwS<$9|;! zNe6(UnWJg&KG1;%e$cith+r_m5CBw%ER6l?7;56hRw$d4ZWzUIiV+ZKwShfWoGwo^ zj5OCqi#CdGG~F0DOmXF2dUmoWC93Qh=Ht9GvroW*$s}bxOWpR zg@|T4i78BG3R92*_JDj$pv0A855(c+W)B(rE6&e&D%mu$>0s4`C5KTfSTJN}=gPgv zZic~aOXctKb2AAaCVWJpoCJ@Bj~YzWMmCFZHsNCmz5Ni#agM>4ba%`pe4OwJg(#}r zke@Rk!>^io2DfWbpCp`5xB$?rn%v-N_os~IweYKEA=%Spi@?yC_?=IpoViVOiw*rp z&(J+X^eoYHK$zO02a<*sQ_dx3*J?-fJnd527ho}Im)%|>v#dxsx6Hk0CSMEr63xpr z%V1E*qEh)zR946<Z<7_we7Hc*GMjbxk1HiMz+VlJV*Zz!|7U$QMkTZy&-p$5E0 z;k`^`yO|o=CU(&5q}c_7^2vlFSiTR8-KW!y56M0v`xp!z7OuN_jo}j$`C7P7DRxur zfk5HB#^4q1Gc&WbEqqS%1>4h=@{L9?6TEM^QPSTx%Lz|K6D#=NeDY3`?F?MMWf4lxAt1yg9 zF8Qy&jFJPWqVRDcmGYPq0C*m$Pu=scRclo)R1eXw83V9Ey; zERHM$h6ceR#x(M<$tqgP2xUBF0wi`*L6%>_L<9F|YfU0ZCP)E@9)Vu*TAJylM_?x;0!Y(BW4u3#oW*9e0M9|ZFHUBqPthVcAX@<_jW`7>IC=>qRvEj z0-<U>m0#t2D3q74o8vko)Ct4aCwA-7+ zG$u2RDM-UBZS>Q351HBV2@5OFiP21>nGS<0!XfxyGo4`xJg7(HOeXL!6L$3axkQf>Jpp9-CB)=6 z&*(1A?@7}6qzgc~tumDS*KK{u5;%fAC_lH52|UdN79jz2A@US}f8(Qpg}WIqkB<>N zOYj`PX)_a9ekZymCgBj%Rl=VeRAa%Z<^-E0PWhSr;37|3f7Z4&L zS$e->=A$FNd6i~4%?cRIIpi8-V*jK_QAUY-%}DxupS(`;2FaTs|0jRQkTt%0%Yt95 z=uLh-CVAi3+4_#0Eo58Cwt=CV zQskKNt7*HDzh0BS$j|K{*-5esM9U`!XG&gfc20@=z|=7<--lEmQGE=B8o-YD#A4q{ z^=sf$#_ne99>n@H7jG**Gtfyp)z1mOAovmhTY+aai*R;EK3-;IS`|N!uSxcj>{B8$ zdEM}DjHK)R5&KCFkbJ8|c8nf02aWu!Tm2o$_auiv(Ax_s?k(>j$}Y^7CvuD3VROH# z`+@F9x}V^%H`DS8)A5PS0%-`v$?k};hI{0%@^eSYj*nA$VM{yo$3#&KUK-z47Aa|Os&-Y`Zv`{ zs#8!gZ8V&K`}O`Yc8(VDU$P3rx$KhvdRM6BP69lVe1`mkx9Y0-x?i}8@=vnrV*Hti z#|apWKQdZIx2lrCO`Uvr7U9{1=K!KEuvO7v=Uh{7>sD2!szP-hRCKzS;B8Y?L+9%l zS&gVV(fL5g3S(8YfESob)dA{4s*9*h&(w~_e(lw#YCzQxij6M=Z++kshmDN9t0lXPUQh&iaPGWVY5){L$>-PLdy!KA4t#f8H8ney;-0pFN)jme(c z+*?q_QHCIKS<{~l$n+pSB&Uw$JD@Td4jbO5*OVi~@x%$h{$xGEFJdJcxLK<|i6EIE z1%Q*;NcnQMG`SHe%Fnf;yq2;xWT2dK1tlV%#~4t|jcjB1pqBGG;9_F+L?J~BlDBT$7pV#=>QX5riW!*zR^VHRKMT7iJ~LL%@EkQ@M#-&i^-LVeqOgy z-bUF8l4}^2&pVgzZa1_@3wQ@nXQDfS(89buCnx-Q!Qif_(yHh}bvM;LP$*=4V);GL z)nwH^ej&S2-b>jXGFpk=cV&B+S)yg^Npl~~{V?bj_3}h|W*lZXy^LL<*CZYwdyp&@ z44dZdFMZ!tnyKeCvvjHqs!S-PN%+QTC@CpfZwDexDCCS>rxQT7GU2tc3zw<-+|4*{kC}3&r^nf)50z!ewug@ zFlNOGa@l6F#oj!I`N#r{vClI0IgORaMcfjL9lXkqeV(yP8T$faaa)+o8_|`#XyIWU zab9Bh%M4$JaBRK2kEPt!zhd%%)_z8>QZA=lp;C8KpSa|3i7Y|#+-oLJ>ZZR=`3B{i zkX{klCBJ3icW4n;GW>0Zzk_hLB>DJ7?BM;b$#k7Gy+^rs0kw4`g9z&a+d9tmJ#BO|_iOJ2H^bhp9CxAXjVzma4U$z~8tQQ|m&#AoJ7 zR!-de=H5pqEI+q}ZY$k3IBca~R-89WE|ISuXS(es_h=z^Q0}DM1&Nk~FSdSQvH9)& z(tXI-j~M$gVsUKA{ShU2DHV0QExMJ5&27@z*AH|*(*2~)o7zO( z5p!?r#O5g7F}k1O&XQ8ZCwl9fUo1XZ=NP{-{x`-SM?89QS>GgbDjUt}gwgjqVZ&t8 zekc8d^iR;(0SBM`_{-FjTK9ibouoPig^CQZdx+-tkGYALF*CVEk*>lBF5Kk5bl#8} zb!W&Qyan9FI-pjRf06|p-I?mV&N%8Snfpt-;Hk$63`xqdNYPRE?rK#rY6CAmlyr!KQM7xn|h2@^cr`T|`#{ zE?Ck&af!(;bzq^KxnaH+oBvx&T9f_~`b*)x&XdD%EepR+JI~q-ufy=V2xl?bc}6R= zp1BO|I_uLlplb++vCTUY63bGH3yTUeOQnyIzO0eq&3ZUoMtnK(6~N_snGn1BD-BN8 zUZyc&6T+r|%#|~-a=Bh*xDFDRpKC_kocL;BoV~HGCY%_FE%!B+!U3(@7EB?IDTI&$ zrX==mQLoftW9RC-MI&VKWC>s_HJd`YQYRX2uI(X-IGH#FxZDx|i>a2zuH1=Dm5psh zb}dgiFHxPFKMuEL*mUUGe8{&<| z=4svDMAnh)W-zoge9R`|Zn5Zw8htCHZ)0>PL}T+(*vpkG;q8WNuaFq|xjTqE6WaRCmu*+W_v#e88}Yrw-GPy9U@_p|mea#zE8Uqr zDet4aAChb7-0XtlIPCsjCYn$5d!Gj=9;8TxKtYo@yDnGIG{aeoB}RTOoj8Ly6BvDh z*U8Eo0-aoGm#JlzxxclO&8Ewt%Y{Rx(E}_l&TwzTU+Et0L!3vP5A2@{@xBgTV4$t` zT!jQh1bqQ?tYhaDEvPfPMaQ~g(h|~A(3q7jhPpCCwRNT2kElP<03g(gcSJ=q8)&Y& z9!!Ji2Gb2u=N(K@H`Ls_dK?X-8%{R@4pSywS)+_2%?#DG$|#!AG-F^;MsHY+<~7z_ zO&wOp(T%5@pw3%2M%_en-L*+iqMJ-N1rB|!4y&p1hE{&9{vm@u>fWA8IE`>RAX>D1 zaz0m9@Nsc&hKasQ{1!cv;$ezMAh;fqYIxLQTj_de7Gq~K_A$hwSaLT-lB{F<<>b1& zqQb&FH^<=6k@9!>xw(Xo6F#9(Td)kd;k?`|`JT1G-MT$b63!=F0EiYP6Utm%V@Zsc zVm@VPfzBou55=vl!OH~808mbOq#?GPuNb^q$F5fimlLi43^d^|n(%98 zhHDdko#qXiH(^*Qm|_PjBn>G86X@NL3(6!Q2C!gmdxuLtORgsTWw1C|?MQP4HU z8t=p|ke#rWY#rHpFcdTqbCF z5NPsk8YI1zJO8v^oMDe2dQdkOa`)Sf6!-Y%Ulcd@!} z3?9>R?k7Az_$?r|y|~oLCv;MEdVkQ^<2o9ANA^A0Auu*mOhAHFdf4FL7A&Vcy+-&W z;ZK0kXV3=7Nuf|unmjQgUuAbk%>JTfJxY6w_Gehkk^1D}4AL(a-80$mF@I(BZ;U>U zX!Nn+T)6?5wSU6Ix$XV3{Z8=*#h(z^s0hwY1UKq0gS+qX;opQO2~R21+Rv5?n(3)> zvHTx{zv>qKOITqf*Mah1_7L(716<9_ERnU?8S;62Fia5?(}DLt(TIlTu1j<(Acp4W7_4)+D@y@KQi@zu3u`8`iS;kap*_ z8DEF-brBytsC&!jz>0J8@bE!Bqkm{t^+_9$HU!1S*$rR1Ds5!2<~D!hE+f30@Crce zfjErFk+7cil26iHY4Rw#3;DUmluam`LSn4bvpaHKEpYDZD$}F2tu&)FqMm*qVfvf(%dPXRJ5YImaa7%CgC^*gz-A2>}?Eh(~0qQ#BGVM2gV7}K-puj z6t=Sj#%ihCGl3hJKnEm%YU5-#ChHqbuF~QACd!VKH$$G5b@0N_EtbGI&H7d*a2pfo zganW^PesLKeY?p?dNS$`%FdK`s^qvDBkwYKsSd1NDDS4c2lC?B`U+k->1up}7P%Yw zz2x1&*~l;fjLEo%$uD(a?n!wc<^7P@%Yhw*jJ@k1y$ny(Y#$(gkT?|>*>ZgslWm&G zle)r7r_7+tgv2S7V7Bs^p#=YotvvCaWhqS3ytA1?4pYcQ3dlQV3)q-FG1O!xHX5ZIMmd~v1Z4R=AtyEC zqI+Vbr7%T{I*KWbW(s4F0){s4lqQC@u_i9lQ<~!_##2myC|@(ZmDK39TbcUrdRdb%n zG#+Lek06b5BZ#D-7o#3EJx%p2>eDIjP6Qz5bz_DcMsx&3YZ z+3HJlFVihkC$~Mtl=u~MS$ZJ6O1GSDg*tD33&a|Rm z;`449*0ivYdC>X8C z?dEFf7`TIOC*3Y}a=&NHj{Cq|qed*JtS#w2qWf5#mtVZx!7Eo$Wy$b~x!RiFr*ymN z_Q2Ub2&3Qn%tWs4gU>0xp!gC3TgH`oB%0G#=IZG}{cF0tbozN7h`<`4`f@!^PfrSGuC|EYQW!1x~-{}bXdiN`dLQ`Bhj zju_pplf0v($4Gw$MRj-+rKtPG++>|5{Yv*6-ElY!R?)*JK!&KU+FC8Z@QCor{IvIH&IEDuOmncDJ(6>aQ~P*r4yBZDJzWPx>EjIuH(el z2c)QH$X~q0zVvon?rrd29ym=a$OUY zjZ9vnCn7JSyqxk1$iTjldqWe$fqiqO@xQc!8`i6pHhj6WfCe8{MY6GeR0qngEJ(OZtu> zzVgGrOC-_k^LpEH5^XYV3T(NlMwl1wS{j_LM@%ciYYAHeqP%jueEIUWF`9`3XJL4~Ck=v8sK;8iyyIW2%7Rh-MccaC}>n!Xh#&=}=&4{lk z@ug{*?iP!^2E3dx?kK z0ModibT2 zW{_rrmM?LHFOrCsILp#_NlTo~G;)|mF4DlTFOOdN1@3L4X=8tv^r6V3$cJEoWky-9 ziVKY9XkT7PT146xG^Sz3o&|BnU)8b}lb4W}f+J^itL1VoGrCUu)qbS?Ne6&pndBYz za`l|A9~@}vS?!<(Q4OXV0)-6a{aEEQ9BQ;n1BsBI8%8>ubOb0SEB1g)oLpu!GgY6E z8AUUiW(*8=bR@x>tcul)4O!OGKqRJ^%UrG zJ0o~r=pp0Fb!SW^pGH0%9K%V>v_;;FX>6>{S!R+wO!f#EsuUe~xdK0Gw66Bxvq)!? zJ_d>$W2fM5jVR|k1Rnq08D?o9!BARR9p61sKzoz-V zPW%S(o4_bCCMo6eeaq-xou#ZKeVgXigd@IAZAsm$& z;$a+?JHA|Dera*K+;{2RcEhLYN{sy64&t4}yMWORxJ>yTm^>~Xdn*3})0O-At>{DQ zkElO}X4V{k%4PkD;VhkLd`i5Vcn>h{stab_SMID!OU+9yNY8YinXjUme@_1e{g?2V za$$JqI^rt>cWOm_O|X|>9{@@#@7$0ERIaq&7(U!hV&v!c6CWV{78vKkV@eyG86C6) z&eP(4#{|A-0*8 znZPk7@G}x%|0heel1!Ojgt<)r#aLKh?C~qvZ)C^8P-xs4eOi^BFuX-?kN%zb58^+8 z%N06y%>K&~sHTPfn+cp`0;iAwtBhlIxhng|@OmA!|0S+4n#)c3FR?fNmcwVrU%e&g z-3?INQr{KjpJd5Nd?qm3CPqhg#^rn^^B?H=cozNH^yk2zw&}qU@?1-xx^8-9CQyY5 zoQDM1RypvL%e|`MdOFxuBd$(-zG83GDu*vHyjsVt3yCixuA$f)gv#NI4d183P)*`X zh%Z$fI7*@eOD)6a>o(UWu0vc`u{W@k%ekK6;X1U`CvHI85EwI(V9tTTrIGOqH1EsE zFDJhOoDH3WOS!zSG`vrTm&U|Rh?@eJ>qG+s%vGi@)U2CPH>bWDnpyw1R(_4)?Yg{d zK^#XM0wxa(PZzu`7MTyWc$P7twgsG zbpm32#+LMUWA`+WB<1JsAnQzaCm7C81WFo;Pw10d;_fo}vX-(7<=vF`K;lG!N|qF} zm97S#R@ja3Uc&BxtW&lIE{a~?sUS7eG#M}9L8C|A1K0x{)X(}jk zUo&e*O72IadikxTSnu&fzK1ng3 zVgUp)@)pUK(No6i>zrXB+0$f;lzDRoV~dTg(b>W?WY3a42Zokwl^;%WOUx|Rntz^V zDa{KoD4{pbTUIX`8=)ioOJpyTEmP*L|BSt2>>DI1Klduxab)$LLjzUX5sMKr&Y+ws~ueoxM!{DnGZDY#rHpu$bYkSYGE4mc?I*TxoP0OuwmH zw~=}i^=4=cZ~2+>eo1T=295U(Ezpx9TZpz2Z399{L$QO#c4PZ+Vo`o>2iZ=tU0|n` zG@>Q_!1P;M(hsRWqW&0~XGgs)!%c~w7%4mMXZR_}ZjwD9Xq(=&CNVozcK2sy{?$3n z=QLl?dGykEZkGzVzDg+X3^ ztCCa3@$ne#51RW@TgrEI-_sp}Lsuy;jlr{(vSim$^sve0oBbSrp!|{YCrFgiyN=|_%=VJ@WW&fn?&p!*Y! z1?4#nub_XKxf=~Ze(rCYlQgGbaHK{H8o?`Qa$T|e$LL-y=D(yB#&E4D|Mm8SlQ;76 z1wP*L_zd}jw@jR_4-Qw9f0AV)-I;KheMhs5kI2`X@Ve?enJ#)wr;;V|jb?rp6FHlS zoP$Kzbhy;>w)I>yceTTo%C=UfsX}v}86JY3scL4UPBN;|RHr!~2B!!^{u$y6EPi1F z>WI$r~On*Gj&$TpXBFS(OgT@8U`b%mMlLm94eM~@s#8a z#69nAjQ^v>yNOC7 z`9@Rs=&^qjRY$6up-_2vW4nA40CywH&4G9l{}z)~`|Dbb@;1s&kQ@OE(+cx)2eLbL zw;O76tB>v=>P&Pe5H=|Y@i?<2k+7+G>1Vp;YwwMl!32dEyTN>#-}*HoIR0zG)ssWPZC zp|JQwKY_C+2D1!)sy#(EVGdy~V9XWS%S<>e~F@M3k(aNMh&n(W&i;Ih77L?_>!UEiYbZ8+p`}S=&YOdA;Cuk9|K^saM`HbW_@CGt6ntvlyo=g9#C9)iEdWx$oHA~eBHFq z>A#@=5}q|G2VuFazcTv14u4;h?j_v^8gs=y;=VERjLvQLlN=!V76cQ4B%X3QXwe_e zmw%L>`;O7yGx`vsQMTmMtL3oK<}Xvq1whgtNqL2>_Bx!g_|&DC>-zmxt!`X^}l{TCe9|1w{o`|of1lk}(H zah3qH30V-8%l#kIyF2;S^e=UVv0TW>e_3#h@8#$j@;7fSw_&tTE6P8~T8{KgrI=8Z zqm_(auCt1>NY5rc2NY$Fw%OnlN9UR@)Ge+|U4{BQXdWywc`BE2RioeP5L}J4I_deK zvE5)`xVpe_k>-0L@kPWnfSK>EiVNjSclC^&p+i=EvIb-g!O*_&nb2(Sqet?B&v3l@M&{dx{6Xh3 z`pfCBfagK(QuB*s#$S->t~BzzuJRj`G$CmUf|7c@nU(Y^W81VRYev?b>}s(8Qqlx1 z={4qW(2};GkE0L4BU^p5jenOz*jSZW{sui+};WAl5#7diJY!TLf@^eXK$z&;D zn1%%EHMZkzX$jn<#cjm|u4MwPkpSw!yN2PvMWv0Q=ky}Rbwq86t_QNy+dQe-&O|dk zz1^PT28s?4s1>Yi0-JZEu`SxS-$d4t>}F+N|7o>yi?P1iciu{N8(AkXRF}8(#fx*2 z-0fx-=$LQ^O=p@rVNk-P*b?4ltj#?6tNdISvb)LdQRelzR>H2vdTW2%jqF~s?qDdP z{~lPrcC&|>#ainAv(rXwG&^<_(3WqI|?*s(vKF!#$QP?io zvUIWxvP`hknpSX3$g%`FYSYSQ0y#_|7YSG^;rYYfCa%_2(uX3CA|C=J^*VE_%mQOq zXh&X1Rz%hpEM^9fSibQ;9?!Hge*c&tifSWMzv(Y9%*$uD$B97Z{uas(uI8pkzbBaLm;3`dcTCL05W zp(W5C;FOg2VBuK9H|q`?M?9W*0x(uW_F!Qg9!Z&Ks(6$9QGRX`)nuwEP$(%*{R9r} zhm3W_zLB4sN;ZvbIv7UZU`eCT63#Gvixzbz^~2PUKr_?W{r9M`k8}i_MK+u4F)*y0 zf|;H+1kSNUZq>Z!GLgrb$P-8e$F4U7%D|A9<>r~GsN>(0H1lZ|z@Xve7i437=AN?n zhI*=MA>*HB{368jWsd%-Z7lG@u?xJ#mc(Qo|DItI&oYVUkOaC5xi%rM^_7ba{`zi- zxs+soBzm51DcuWj+&qp%-sZh%rfUO9Qhx3wnwM#o!C)~dPZjY@JT8hva8cwHgHyDS zuM#dNTmi^_FoP%F1n!UJE(V3?}Fx*v77O7{J_kW+TDIg^AXL* zYP{LHXFf5rN&BTwX?D}>fx)s@>pwWt{><#7TE@?5zo7jR7G=bFF5TZ>nK_7VKz{CP zn!PmpV0c>IZ;&#*xKPkJ22Y`56XN z`e4o>=3FFCfXW-BPnMY5bq0!COmDSa8#peulp@_zwpEiC`>0 zf*JZRBmT?i9L?u%(vzg8K)D~;XL~jKkC~6P!~U11!Z@xB<-guj)Vd!}>#fg_5O0Av zS97f>|0D}Urf?=wKoh|b9H`hz#=g|?_bjrr$<6`8F>2c>8AoE?Xnd}v@VI7NnJH9Z z3g;mOjC@|Noh~obcU6tNP}%Q#tC3VEIUfYofXg%k0WL65ag+}(B)Ev627q_ZIbZy6 zv4zL$37(n^zl7nJA{^axgnJ-KJ`0y$Di?$XxLO9AYHidetV38Au)aW-85lV+CWT_h zqO?-$i}47LcQrCHbFchGe(o}o%So;PL7BbYK2YW>4ffG4 zzcFDG!lr=e7-P#U15*+PrmIY^){-`(ZccqQG_z%=6Ug=&gWqY-(}FOLFa(H^J0{!M z;U;WJtkJw9Od_61Bp?ao?F}7)yb}%P>G+XEm`s?W&>KGju%*FmI*7C)yq2)FLT`Wz zz%~Ypb(Fh~ur1;Bfd6G{gF{d|OJc2VZF?qh1C!{0B-ki91O@WG(O_d8hi)S5NO-eC zZyXB1TMTa2!RS`P+Xy=Wdgtx~tvNU%-EIl2(<0x&1UfT;JCOj+5yb4{z&V_|%&%A9 zh5l~(d*Io)${&Ya4Su5CVK>5i3A+Pgei@tbX?GQ$7JqDG8i2>gN>KB zI%a0(@t$7S%jEy*JoW*~2Psn_(d+}0N*u&###$!({Zu+x23aN;GE77d9Ft*|$@?Zq zfc#uGWe#PoN*)U_vbV{6JsA2>=27OWJ#*va)L_E;$rfg zX!3jQQ72JOrkr9DM@x)+$mFMbxJ;#-MmZf4OCYrKq{O&FS0c~6%3HN(m^)Kj`AoWp z=^lZ@u*$)|w|msW=jlj4i{Y~w{ush>4lPrjf07ATf{bn@ZjPbn&+!k5xkQf>JpqKX zBe?RDCNjs(GqFG~ygf-VpJD+7Dk#4&jUNXIC-J1pQ^w+KDM|J;*&;Ah0`49QR>ER) zyS4J3p?j9@IXIjR@U|)v@ovmmV(JCmtmmngQoR6$5k9X_26(T4FB++GonI3#k-SW@ z41@)gb{s6=E9UB=vy`8Em2NrR3OFrb;4-4AzrvN z5sbS`Wn; zU}2Wb-UVzhFnO|Hc^e5f5o`v)-hIsrd*cLuB*R6s4 zS$^(wx-aOyREG&n(0ygDRQu4c>Gsm?Q-?t!=)N(xLx+g{bO-3ZRfl0I=nk4I&^_=S z-S>2d;IMqcP*E<+!$$Y&K=A|VkEB0=qO$dZpgcHm#7I58Ab6DI7|G8dSaJDJ0PvRB zU(5{CX8?Ys`Hki{4E6we_~4eEFjqtS_uuLMp!*Zfc6o6A_m{zUbeI24c#`lGAP=x| zyY3%zX?mm1zjPJGb7?65rNhbMU_sB2KX?nmt90vZq!$tp~JJ;NZ7E*8WbCv0;(47Z|U9Qih;4@o=1@hQ#iK}Wfc_(EBSBG`0T z8^k`ffSbK9FgZ@o`CmwR5oHZXR4U$DA1v&}=5iMMIo71Rgzi!}j4^WH7U#r860-72 z3tg_OW$du-!`ftZ$m)Wj7b?g~NOJWoc#w7~^%>lN!3`0Nvf;v9uxyRYZPzPvm(g8L zcLki^qXy>MSDHGaMQcpegsN#dmE`rqSD8Ahsu@*ts;i-}(`3b8A~yx&)}`cx5Erc1 z7@b(b?~z-O#*v0Vv3UvQHZN>$({TB-{9J@Co-P3nvq)6^X*2pn!^gC|NyN#-DZo0T zPf83Gxx!+(_=UMnOOus!uG5P0TFTatI!;Bugw)2=QqAu=s29Fw0EcqohWprZ-e~gucnOf7yNR+R<;{@D5z`TQ-ds-RdC!~QV(t|!>8*6P z(RG4Db4n{rb$Ea}2{-uMZm9nrWF?v1LDZS(P9PN1n==Kg^DdKnbk@{`@@~p|ApLGo zE^r4P_3mo$RV`;X!g~q31A4PNebk#J?O`mUx7_z6yN~RCFqV|PS+JzNOx8nz}S2R$){D#c}@EORq-lAKMKLzfH3f^sSmENE|& z-E}h2hcb^c9}>%T?)h-+t@_Nmz!G>(i(JSAikLuOB!H|Vr!_ifvfV8bAU{`3SwdN= z(i`T3g)TE$r~`dJ%KnrCRC>c`P!2SCu@0nzC~Q!@IIX+3?m*+JOUV- z>dj|@*^V^1Q)e`zC`VI{fkbn#Yvv)ooolSIr}RSVII{6%6Tn!v92J8ZPBi&I2h^<8 z?Ig;{lv7lC<8V+uWOA#H#8c&;#=2?p-@Dv&`LCDfX>ERn{K*^po9Wm;lk#E8M<6jF zvW=AC>QOV#=@!nSnN9N;47MD7uzRWIG6Hq$|qEMgK$vJGnuQy@ROAD zDHo{p<{Clyl*y4T{5%&@K25m@(qD_>jF$Hro^ zoK6#;Cs|7J0tjjaZ{3RR$X_&B;Q_ydFHycsxeQWEn5}QOf5p&2E#a#~%ZXM1VMXq} zsouS2;e(x@$LkD#gW+!?-0y|)iu&aILir%LycOTQW$-)AXC>j=gzo^NU+ z?p*_mUi3%%_Xt)ItOmf$CxSk3jRkkpqjN2T*D-iKf>~*t>IQe~29slQ{0-VjxruT! zBr1((GWv&bCPO}SXy_~*+P4sGCE5mrO5|pp#hVMc+Hl;YNxUc)b zg4gJkhYuP25raQQFbc#GQVaBnq0e-1{FG=n(HY>BTexd_J-vVJ^!_o}UpiT)t^QxQimMSmHpsRP&FL??+(DPo7N=pRGdv@idcsKNxU;^e=q zJ+9&uogx3~b>q#o8?Pw;BuhA=GZnFWR8+~(DD4@~B08Js97T8>#P-vQ9~dUD+$GF zWWl}WGFGnBG5B%@Ux8rsZK$bi`DSKeseFtzTb>eeSDO4@tE(|(6UwHL$RBrg7G!z% zWM5_GiPnCNHKS=xb2SVqfoJ8k1zcn3)N6hbTM)$&g@6J@3`L6=HhD;k7@>@(On~G7 zDa$H(O9z$^iAI*?_$5ptNhV1FK?ylPY6)8!`j3u{t%$BAY7L~zZ~2%=QgM+~N{MS@ z><2C0b!2VHt_MR$FYkO#Eh={HEWG9nzi90legnfhXn2U9eQ`Hh_{JuFwcW(jZ{E@uNAiEJ9>#vs?dVB%AKCq2 zNY6gM6pwMMm#OQg`*r*P)q_;2P&myT7w_FEm}c=qb@WMRd z(%U(U{wUtx{9;CzFuD}ccvvUBFx!<`Y}>=~Px5p97~7w*0}zXIEm@@n>Af>E;v&ff zg(aD3g@t|GK%*aB>Sr^EbTH`!x%iA!6OiiZW#~Xmz2uc z_>l%ixAapVMKGFR3;(-O`xa|nl${M=lc$7!B`v3(hP>VKZmPqdIvlFlbx z0E#qawwf+)HFTNYH<+F>_EaB#CoLp+GW&DiI>7j|NM%P zXHjbTxmQV+ldJ$in=2|FknUcy;Li*EZGWA?Z!q{x1fz@P%Zk(7TNXY>544pGf1Ba& zARK)~es+F|T&Ro>%Lky`yM`)s^z(R+Xcf_FARPDUg{5+ha*aiA|3&^$er_$J*D-oM zqLBsfCMeE|B;!!nVCb0xH1eSZqD@4bfly5{Mb&D0-^l$9e6odPE6FyH3*`^klswsg z(v#<;mgN@8dllVwv;Wa8+CjUMb{8y7F98x0FZd3xA^I;>C zbkh9;$&VyIfpBwD+WBY3KO}`k^g$TNb0VCf7~J`We&}mFc?IO%hFvXi@oGg zzj>a;*s~dX4r0-7q~(<5xpOV}{!fvtBwU%nRTz98g1PN-9jg4cS2bJvh;OUWR;N85 z7TYeTRpf3L4s{n8SzXI7+l3?-k<ErmRC*7ZRPj%akuI^Q$d6=|$WRh-_}-D1H7I`rSl z;M*A73BlN+th^$3yT#7G*iZNl#&%}xorpyx7G-9n=efHq`f#cr-G$M2Gx{Dxb1PFK zarn?`iR)^j;g$YYcB8nLqB{g8vXM|YA)%l+&-E}+bfXV?65K~{KLF+}nI$>-8FJmZ zm&I48>KEw&#y`mTRK(--DKbdR>|c~8<0{_}k!H|oM(KnZgqeVt!wF1G$}GqzEKV;h z8sM^wl_|?6%OT4J^EW6d5gXLoz#s*E2=WN>0kEI5oUD!uEV!laxX}kNcZm%-|9Rmuj%fmwvR&g1Zd!gZnYKKZ6G#7&D1TNCwc{f^_)=x4cGUps6W0 z$sgtC22l;B8WL2p1ozcYQ`1xpqZ&>%BB&y!Mw*(bY82IIsxbi-ik5J!sky4gQH`gX z0EJOowktj{&B@Jaa_mhs^p>JYM3af80C_vHfBz76;zI_ecVsol6JP|>2&Mzzkjl%= zb~7xtou2QR$=HV(`v_t+@h}p9)WE}<_$-3i1djzl1YnMVSqkP7JWlWgz*$n7;v#ui zDnq_gZt<-i^7s9djGxc=1&G%Y#Uq2K49w9C77{#7um}KcRx&7Xi!Jy@P5l`LKg;0f z5X{u$lS5&7Ifq+fU{PnkGM^_{O7H>z`=`u&_oBs~agks2ml*ppW0xTo{gWKog~jd_ ziym9ukA9WW%Ne}_(SA|FaVW}b242>pyiV{2!J7dPi2%H1V7Y>o1aA|(1Av-IN4>vm z!4DkrH}pLQuVV0O3wClEVvPka{ml>$}mvI_+J$rU;GfyEXM z_iO$`#(u=uj}d!@#HJRyPb{?KRzKNK8M>RHdk~6p7i45-$?Fm=dPZkI;m;ZU1*5-2 zw3a*UmHR6r=V`gWCfQ4}FGwOD`Nl|fCHqMZkbDbLNy;RTnB=9VyMq>f*VBHXzGL|J z3_pZ$EmXXh!(k&AY7Re;{7CW>2!>A7e}a&7cf>>u6-OzKQTz;{nIw9d{9@!1CBKsV zMshqzl00(4NNpv*ll(#QXOJX&AL{lH?SKZc0i~UcP+r+eAYZ|58+##1)17 zmo2G(Nr5{<{*SkksJG0o+lul}vXWrznTW-%@a_w8l`Q9L~2Gx zp1atBkFAq`lb@@};7b^MDT1{?;S%{ghO1?wsU}~Wq7Fq}2qd48S0f*gy-dod`iZK|&Cu03;d+D@Y;EPAnQza zXOJaE*XK!-mWS(5X(noR_bWP` zB7-7RMc#n?qMX!>%ygG!;-> zd>}LdL7{M_Ouw>SfsuJi3Q3Ac`huXg4#f&atbSa{}48r{rybQ{W zR805F)Q_Y;$p8>!AZO(Bdb@!Z-CEDY4`TFSMh`)>W{~J*Fx1GIn!zxV;UptK*rOGf zXb?=~5EdLq4~Fn@rXVRYvJzh-BWK1})u zC^lSPq+R45wcz;+{0*PQ;Moj*48dsU2}$9EIG0%@uN`)C%seu}&tNXi<1|mepvNjp z&CV@Ib@MFzZG8*dlMJ8F@C69RVIf&0#--<{6}YEN%+m}OQanwu2m+NQXZ4F*&H%UA z;(t2q7w8$rKg;;%5U)8T{6CzXdAya=-}k%qL!nHOS)~$*v**1jp@C9TqzuXK?0tqh z=j_wk=Ts-6BxI;GM`Ttq6iq0~OcFAap-DxPicosKpU+<3Z~Oi|e>|_(bNycTdEIvJ z_qx`#u63Oa5Nka z#4FrOhL5`6N9SeY^N7y}j%PF)jzmJGOm7K1Jy}Fg_PR;S^ki>PT1sgdq@x(aL?FO3I{9ucDgCC27mo3l_7=sr zDZT>{Zy$LvBmxy~kbBpJlnU=rc%Q-t5K!9(`=PP*HJO)_{fO)eut?@)S+SEk{Ktkr z`M!_KO5&do{}ecKNleyVDUd#$&x~(1&GW0se@_03d_Exjm&O+;{}uVK$$yj22ZjIE z_>l77k^i3jYVf$!ti=5XV=ueg-?bmf{zUd?uzW_d)oHiJ;Kurlt|h#V@Or>Z!@>b> zgRvQH*!)6vBiT)0k%ltyY)D{;+iZB?L7yhS690|(mV7)o#BDV^r1&=C+llYU$3sKh z?}kSd-${HI@!k1&c!>MM@R;I%65m7ouLHPzTpZ&5Hv9s`{~^AY_&(rB7HM6%e~oRc zO{@K6Yu(4Dg8cQ#5-5;lIY|CH*IKwxgRU(a6EHS!zU{qBOWK7$j2r0^9`S- z_yxpU6K|7`%QJVO;nNjwOZ+0@7XwF4CMMNz>8vWj(&eTsf858v9hLS}IzYk8P`1yK z7ga~2D+c;}a4G4_NOuCQCkW(D(Aks~dV$*wd0q9=ShT~Gc7 z@_oRg(3ZZ5l)KU3iVJ-*^(A~0;Ur+Zm*eqJNXBf-xU@{A>u1u&x&91=lv0$^kPxGU zOw^DRh+?0UK_+~qfe)rIghEZe5Q8w(gzr?inZhj;hUE)! z2)CN>g9^7%7*1gX1l)u~L~6IiWz~flX~^Af(vnwwqK>3=2c=Pvkiiqta6v!{((;VE z)0C|`NcJu&cT*V+h1JP)rn1c4V{~J!vfWGiKGOGt))NGCCm3VO4n4tGD&wd;00o7w zJO}0Sfn~hm3!D4QH-Y#>;*)^m>5=DIz5pXmlg&8kBY)9TXiTLs4Ti=kk&DxVrtH!< zJw#;|ZzK@Pxc#-@Z z@^iu0ldu!Q%cpIbSC~l_yO+%BtJcf3=FyrDi&rfp9zrtxRXQ~nm~zrme-R6*ETZxX z6h3j~mF`tzAJ!-CHL{DzE&+=!m*OGv!AS-hVrz>*GN9>z*2w3MH>fS8whS6_M`=Z6 zbyc>oJnP;xW8Hb)c#Fo{G~R)MR$`%y3`oiuFly*sbCz%N7xEsR_vw6~j;uf~Yu{Iw zW2EVa<{UY|pJzFpkLav`b2MW%C?i%@Dlw(y((p~WkIjsQyt$I*Cp15Wi6_0ZN(MX( z48>)y+yeKRN#k^k<|;~`Q~ClD9$Q((DU@(u8vSza47J=>q`xNp4QSlVf`Vu^6$;8u zJMLRkzC1|&MGp5JmG7ynhJut1ha!knIP88fqoR<4Ox&RH6OEtMkdwfOB-|P^R_Qs` z(pX1heV&16$tHIj%=k);UubNku?Ys!3YQ&^K?;Z5W|LmhtN)eKZ~6y$8#Js^w(j|QUdUvmPQ ze*5Xvx}S{+`Rg-6?lj?`J4k-ZH7FM8<RN#&=qwee8IF?2O8pq`u{R$%Cggf4hI%+heaRQAKVIWG01hSbs$?)ZhpG^D| z;->;flzgcqW%6letk+WMbQ+ClG*$zpQWg)sYhuR#Z1xv%292gPn!!M+Uy&?Nqugt5 z{9qj*b0+x~i76(R9*7ml5bdZLqqM+_(TLMXz{tH)hs45V<^hc+2VF-K?$L2^mr}TlLMI4#$Rje;F({w&p2;=PGq3mkb-mP!?lJ`iF(KmMVbTR1?(xv%y z%=I_AQ0W1r%Se|iEgvBgF;`*q{C+;{4CzYJ13{y{1v;LTe(%zuQh#t}El?{VDWq>{ip(&hgr9)P_?V0S%q4=^-+lx1v}ERu;%g8nKYO-Nb8-^wAqh@eYckATmQm zBk_RjL~HoB8oj%S-%WfpaAc5RD8}fydrYXOvnlVTa36*HRRA4L%7@%BCT!FXTw^JW zqwoL(jGEQ@uk7L|qcHo+Oroe8Z|<(;J{2a=ok({QTx55-@(PT)pKSawLp(o){8aMO zz@sXNZ3(NeVzkUYj0KU2A2f6844-Td(VR~6VVJpE9qKiY82xV!uH|Nsew6fMpiw~y zg<>dzBrSqLERXrPc~iUi_&q`INqSGgL;P&AhQu!zjz{9|X*1_)vHc9qnKWm?#BG)8 zS0oX4&l4;;Kq@Cv4MGIn3nn!}V?hr0BBeQ$=Bkv4NjwuxS&^uUR`*;9Fy9oJIwHzT8eWZ>geH7`VLF4LiG3cUk$C$8Fui{t=4JaH30hQrmDTNcrEADtR zChDY&hBQu~aUu-dR#_B7O1elyslLYQnox*?#?y#qxPOXk8AB`bc=`anNw6QB9E>RCr3R8+e!V_9v zRv~Xgtm~F_QFGRI_9u$biPK5IVcVrp=9ffc(Xcz;jK9zF#sxH5(`W+&IRdRcPK~|L zgcX|*DT!8F3Kvnh7y{Bi9F<8r?h>P$mlCe!+L3Ngx&vs|1H!U$z3kp9U0mF!qN91g z>cwA5?=pIw;2~OE>R>>+#&tF!qe~rJPN55ht`KnRWPvhwg|UC@@cM3KuO!kMCdrVspj z;x`cQ1DwTOjm!iuPr4h8-=PIWU-CDRPl891N;YBzt{Cfi%5bHA=IuVz-|0enDSBym zIFBpM4k*hEc16Y?si{;Mi<;9VaVY! zq$^1e1dT_&FoSVW2G7?lmnB?9xEe5mmd7U^aD$BgO|#Bm(nCnsfM(DY(iJh(;9?E> zX2Q1+9tOCs1YMFTm+W6%k#e`1afyBexQ)he8Y5sJqm@fn!tKU3zuYJJNV0d39R(H< z56GN0X=xZe8P$C`++C#aCOukd8DtPIaQ7J9>_Jc8OZq<2_k+d@ONO^)$}45NwA@UZ zF{ZWo%WGq)jidGeG^9>2ELE5B1{cIUJb~~;!jk|a3lt@Xph-5_@WYSwmpg^{RN~Ws zQ5DR$4Axm{y5o91&gpNH81X*94z zCIhAiR+q~7K{TuiC1<~2@}LuZBwwUFhw@y=cqUoQB`e%Z#+PU*_cHl;yQCwgxcz0c`=0S}LNTBaYB%2*WH2BW;Xtg5t9b|3%J+~ewa_ba+z)BOf6 zu1=n5ELxMSsBzz#a;84d-%svXfa+GH}0A`HjjJD9E$X7^n8St;TnlfD_0mwvpdXeuwf%1{qlFemDMiz51Qxcah%> zUh5^XygB}Vn732CKk4nE_ZK|0b^foXUEjigTL6RgiT{TI>}3G^5CC#xUiQFk{@1hy znltuOt2LIb5c$goze+lc?M@vezvh}C6Q}y@R9k+MCJ3d2A!+d%cZV3gOE2wE(sfAJ z1&y-B-=$o-A7;|OdY=xbbOfb(kZ_-5y-az>1zmmPyJ+qGNb*OKKN>vVo;6&m7`99-#6Gj_R7DL9>MBeIRb@@*au$NIS@Mvrfb=tzXlAl;O7Go{0Uf>6{o zH~K>Dem|3R3({vP9f*g*Nq4r2pZ8Qo1lzCXIq~js9_skI8wY3rGh*BOO7z zpus;V93mVh9081rOfu-G(dF;>pkt)tq!Xb1W0WW;OZLNjUToWXzIlIYvR^>2HN7_Q z5T%NgyfZH}_63L14ht= zsjSq(i;Ui?nXZ_03F%U$rAtP-Jo+2`pIH)w9Bu&VGScOsbNM+dL#+(nqCsZ}R}vlw z7)gTdFsfy4q~Z0n%*hh3B3`Yyj85uTnsS2-AE=VJ1)cnv$A8OKH zdY5jdbPJ_nkWl8JMsTaKvo#%WBRibz2(Y+TSt2~{ZZ|l3qWmU@8%g*M!lM8q(WMMb zgxsA*|EJksD)huic1<1T&WK zIKmGA#w))(T_r0INKINcM=@n*M<4zKDif(pf`ZtGqoG95O*Xn-e*`Zlm_m9g>1j&G z3&Qdd=Ru>d)hzQ6>FJ~&2CergEMs3}hDEV^#H4>Tfo4#8l+t66>dA>wtCepuxC$90 z_PAMnw=rI|+!M5(r1camRFBGJg?H)Y8I*NTn^8;0G(JOPCXHDza30*YNO?L{%7sjx zHEW;7ZZ@swXgv>$53hWpj=L9(9{Gfi)r+L(ke&+~v6AokSaLzG{v|V>){ojR)0jtN zJ`CLM@=}>`wZPzCI{ACIknkeHuK;GwldmrY?p31~w)2sBjr3yDOAgTCc-Xye^tAS# zeuMN<(#t?2D`l&taZ$y%ziG;cS_glN%G*@lfs#v`pnTbS*XY%nHt&&spY#X$bjW>Z z^iN7JC;buW6`)ZlyY%36X>o}(BuqH>R-ZO2DSSfVQwY9hl87c#gOai`gQWjwrv0n; zcNMkIseJ(rcPu?5Efr?uyf4kTRX=QgMdNE4-@ri3_zl2`@U01hN_@<|qwqb2)ex9W z($6j*CXDW>ugV`u|3vy{rIAfzZjI6VHTr8wuOq!)>4EYAR9Xl|e_rWh@(byWq&I=a zBOpz!(oCvc`bTA*Hn-WV;zDozO6xaTThywm5ieaSix(qdx0-eM(zyQD%tAHy z)2ua)O$Pbv+r7n76v?IKPI!>~o@+FmGsItDZTU$W4b%=+O=FvTtGPo=>#1iulv*8X zb)oSN=DMo=$qqB?>N0<_!)YBss~#-WAB$b4x-#$D>YMl6>E1h%-cj_9hKFYgxeNd2 zPj`%It2CP(ORWL5S;b| zC(}BG)~T>qqhwa*g}Kwr>7yC>bUKabG*%}o!!b1TH!-KSjptp=Us zUMY_Hx#lK)81RuhlTr&xXF)=Go8%MjZ1dh$uO+>6=(U1}xnaxoM{EM1u`tw@y)Dox1~=q@p<=MnyL z+R4Ja&RhC`44_j+ryLHF4Yw~Z zn^c(AQ!`hFS|zoC&~o`VAOnDd&KZAse==MJBg`^jeekG5VUV~SSZlUyRq!*K30{TA^Odu|!L|!*|c2ghp z8-$kYxMSeJpCT&_ep<{Ps<=EqjxC1 zob*SeSAa&jf=4WTpc3-2X$|yQTS@H`YM(;G#SV0-r2EX^Ci?zaMfh{VUnra{FR652 z8oXJn9bXatn(#M(aj`N>K?dc0YxH;>KmQ%+?@6y#I?aUq!RS2)`^V=;(m#>@8FcPj zhI}xUk8o0}&$YSNn0TCC?pliLD6WUdI}npmA#Q`wUyk>8;1|*xNpDg*6pTto!)Bvb zbn^7Cq<mt7Pw7xFCQItqH+qlWr6WlnMf&JGT80Q5WAr|yk0srJ^l?hZ`Ca~a zqi@sKTtm_)kUlYwmd=fnj2@x%$)ryqeJW_wXUgSUm+#6s&6Gc{@cI69DvhW#hJs|o zLmqQYj6OjV{S4AgNjC$HIs-mIRZ8DXbK|S@i_@9pTaZ5syxyd^JKN|Dn(Qq}pF_G; z9vuz1bB*4p^m(KUNC!Y816Nd*W?j(WmwWol3=s|!jsWIm%9ef+7d3jD-lG`lIO#+_ z9d+j$y%a#h~$U$n@cgEV@gihI@%Qch2y!Z%3y+ zoepr2>@ue<(!YOy*U|WuC(F-rxJ$`jM!pkxz1o=TZ1fI||K+5+knWmK$K4f1|E_d5 z(pQr14m$T?Kt737OD|&&6Hd|#zKX)t6na9?JRox@j9#yIwHN8$q_0(4h6u__=Q^Wf zIvewP(l?OqlSc>Q?na|qE8Um$O{A0gbi(yBx{cC>q*J8Rd9?IU6&c-L>0;6)q)YSZ zfa`B`2c-v)E+bu@M@zw8VRT2OGo&j?4?IB2Xk_P%9;9@ZbQS69d^+j|89i9(!K82Uy-r`WDi|^5{_9-D>ngrEeoWob-r%I^k|NdXds2N#8+w6lgrp zG8IwAD;eDSR%UP+uSEE6!lMEE93GCkdyL+sdG=n?_mRFopN_jRMsHSnEa`EiA5a>j zJOggL(dW$aF_}PmBI!wabU5NB8-2FYQ%FxGJuROOxd)AIq4Yzfr;~mdG}`}CI0p*+ zMs`{Eh*_uU12==#qqH7_g@i1u$Y$N+23KtI(SL&QlZ2lFoO?PGGJoZ1qXRnB;Th61 zNzVeE`{pWZmq@D_pC-^f{H%GWYm{cwdyd}o@NgDs2}(8f1)~S*Wxq&z4(Yl1v{c-U zc1piYdLHTdd9+NETwwGNr5BQ3MEaEjvD4S zAib3IGSGFA@bZPVw6IjVYTh(s=|-RWZ_#+0#yc>OE>g{q5B2XF{fbuE-Xr}!=@0T~ znFjNr(XT1Job*SeS12vzsKotaqbIiaF?c@Dg7Pk?@6x)jeI;<7Hn`o7<~Qr}?jJgP>Fk4pdZjwj z_w%nQudA}3O0Ds%&&yv%i!+a8p5H<8L#{f1{5L#<>cT+=DJdQ3++hY!Z00k_;e?MMTo14>f~4=DzR^{hsz;JOiuBP+ z%iMOUh8$yboz6ZY$C7S9`nY^L>W(-1Fr^!kK7sU!`E=Z!Wc1-mpG^7`(x-w(+T+2D z49--SrQB(zG}l{vI+aFL8birlYD5OwHZl4Rz0@;EHznN+w6D-%&S1thH=%_Fe&`a1**Kr>ElHn4x)o>?iim$qHaw6W9?UpP!#|Hk0gV6*d|kkdY5BI6 zl6@+qf^SmaweoLrxDcfl=Nx-idCcuO!_a zw3aQ2tSs1M{5i^BMgD5?J;D2|6fD4(mupNoPla9-dQ-R-0-j(gg=DcNgRjzU46Y}9 z1K~b^*=Z@u!%7FijfQs`;V-o>@tcSzful!DH;s)lMe|M6(~~sn-Pluf|daKe|(p99ZLF;Xhm2G4wkqKdq%wP&bDAYj6Jv<31Foqia zuRabplfH%YFwnSZ{VEGf-K_@y_$?AglIJ$U!wHX2xUjIQ(%o+GTpchqlJFgbM*+r5 z0BIS@8LbDV{W|BH%;c1)^Za_Pb57lkCwig$wn6{J%#jC($kai*>ZZi=^j}o~yLnokYOBWb`9?cU~qvkMw-d z2gwD=@_!2q{TN>YVfUudqm_P(^xLH00qx)A!AS1&{JW;aG{e3}<$Wq2K=F?z>ikBZqRG9S^hcyu zfX0)bEzjh3fcw~l+WI|eC52BYdaGrDRov!hQ524b;J+UQlP}KK0I^*OXo}c$lf8>5$F_xSSo%vH=TL72omFJ7hh(k3w0tIz z%P4f`ntYea=TR=89QbcJJVbU(P&sJwJt~JNhbc!OBO7SMBeE|dGM$T>I9A0N#W=+T zL{zHEQ!;Aje1li&obC$MFbY&@o62%>7aCoxZ=JTJFCu+$9vzbgiP4oxwG(Kcb$!%sPyHeyO8b*+UMO+fwXw!3kZ4-uQ08x=G|`8 zuB6r-8p?MhO%G#VJIH6ftH@qWwkKGWhElYrN|XK4vTlI8#+(gWI`pE`o6fax7=B8I z3>ka<9tlPccRkq~$o2t?q?gr*0wH&!(c%7tWx*!WH<3=}({b0&=+;UXl1`CMD=oKG zs%=F^_t(TMCS5|hG@p*U{zjK6J%Dr>>GC{UK514MU7>V_bS3G5`Lwh*jLs;XC0#|j z8Z`25s?t@uK?X0=8#I{k5W+QpH4g-es-292EsE!2iV^IhQ~DGJIf z(fD<@n$=#d+h`4^H3C*$i5XgCNtxA{aCvElg)S75u~+FK?jBP*YLxD!avzoZp&+qJ($W+iWAHOgeQq90cpTve0OP#{xFjuG zCyX~?rV0}%Or$UgLT<7_AQbkCQ@P0|U8Yf*LTM_cX^?y~KNOMN@u2aYm4Ar*bn*{_ z*Lxuo9_6itElVCTtE*ZwXgx~nF<7`4^5P1`s!HUe?c-*2Q{xF5Ptte_hCXW%_q5Sb zeR`fDJ(KjTd|DbNM#q(&P5L>~&x7_&&5&$ol|~u;f;rtaJ}=UlLuW1=P27afy6z>D zdZ_d=rFoR*L-G}aaDj{}k-6!z7KLotv%th_R9r}L5ye*^;_4Iegsgh`s?k$)t;N?! zFDAVNG~%W&9*#?Y-K6*QrSk@*rIeOIsxOkCc3Cb{?aQmn-J7QUC+TzLTh!jB_6{_b zv3^dij8Jy(n)8oN)_jl7`*c2lgSwk60L$sjGRh_plFr7o`_Rla8p-7}Kccw;CdSNb zM#~0*vh-1=qBw)6`eU0aQFj&H&*^>v*XNON zz|Xk&(wts;*S@0jHJxwZAW6$I*{lrr3Wlm=ic^{U*0e5deUg4h?R#pgq2ZD8cOou> zOXc&_4`%JsME#N0Pqco9g)90d~1B)ut* zmKWV-qZcXtE9u`zZ&4bruBh8;^Z+e3w~^jXdIxAEk`x8uU~*7WrZCD{DDHRDdTZM5 zq_&INZfL&k77it4weX4*pQJy`yH>qF>FuHS7d+$v&3pMz;os)2*WC9H-Mw`8!9`Sy zGfDZ@X{Y?xwB@Jz`?;T5t%+>($X^zA5m|U9_fQ=qKjj)X$w3mH9Im$fB#j#y2g5*S z(@5fu9%9bV8o5L1)S**X{#Li}uU;9AbC}^v_0@Yg@gs=WlfPO5hh?D&dG_j?ah;~z zku;8?aWo86r0vmxlE+k#Pcf5HYYuYuWcLKc=;UOhtn8*Nn?ghzreqLGyN7x);&C7%p-_?x9PkLInwTi8;MK zm4A}MwWHIXPKWulB=Z}CL6+~u^o z(CP{cw@EEoVJ_sZFlnhu-6&m2sXL_qD&&I^*TbycTF75T>uOp(VIgZHv&P*uM&G1K z-ivf^($|8pqk^4&(>(7BH#?nV=j zST6rAhwDr6CW=Xj$V0N&h!o)RZN>P7y7^5Z`4ssycw7wL6Jb|mbg8~4ib4BhqT`p39*rPJxOe$06=O4LV8#}E#s?M|r;?rqI==%(yBpnuCeG3F<{^sH zDLxDl71U(8^gCC{U=W#QnVb9ih?y6DD1aPp2F*ulJ_a+d>dmbi+~X#t^mI>9dXmyp zkdQBAh?(>zKW+4iIL}baJwtjX=~a{M!t?n;NS45KFPQLz z3NKQaLt$>dz$rB^neemnNoKY**awFg7r1QNRVAQhnbPqs2@(_2paWZ;8IbWLxrTi@fod^ z9ZCKu@<)S5?N56q(Di$aIR|Ui`B*v)=o|+puN= zuvvbW!^J4XDI_4UV(Cg{VI*1A$@ts9^ZW(mTa$02yz~oK4Nlg$3yrUJlfR0#03z?uLOFWshx064^^^|U))CUquTgh4S;ZSxUlP&g4 zIa>2pUn)0INkZ{GJds46*U!9iO{+qBDSBymh@X7VmthIAK?|~2kxA2s`S=x6Dxp*g z2}QdsaxZWG{zkWaN`92X4Io`cx?E`)9v$!RDvX|lzDdv-(v_qKg7&GKbk5)=nz~uS zRfMba;H(>DaC3zR6COgi2JkU*K3SSs_R*5tkd+)?T8M?QhMKyjv%lb*sop|$7*rHO z<>fJ{D7ae<->vv<#D^0f0o*?#(E`itx0_X|w_+r%J7|r9g$EaNl~VFS?M~z0*SSh} zk-wY#Xz)m>KwJhp-(zr_X7ZaH?q0(85x!sHva}R!V+?-w0)M$<36CTE0ARe)QnH5i zcw@W#k7p;4ok(^PSR_rUbWup3%Vfi=b#JmM#HSLU1{_&iirQ#EHc*r8FCR2zpr*@1 zRHjpT7zz`=+R0Wm?h(VM>Abud#2+R87;q$uY~q}Dj~je{*2n${!cP)@3NYWU@^X>& zKHbyCzqwMvKrqjcpGkfec$CKSkyIXL>7IVpgf+VC+-wTZQFtB#ikI{dS*V5+170xW zdmW|vB8@pT=EA@!iqf)C0~YFh$%K8nfbYu`=24gr0gpb{apl;3iI{wpSzz9}t@6)u zxP|l<(R&4+=F*@oPx-1@S-l&t(OOJv2`s&Vp>pYf&brr4sZ!+)Dod#>gMt$wg3_sy zmZg;Bvfec7h;59WEHg{%ZCdZZLPZ8SMfzN2x5p~?t~u3uruXQ)Pv-+TXo|v-RlKWY z?1hY^z?bq5%^alWa+)8}Tmdteh_Wn=%r2BKlJco3>pnK`ksUskE9reg?^Af1h*7_i zYs!6Q)?hu`Dq5e@`T`afgVV{TQbx!UB~l{Evb7a1Q_v=A2S0vum4gs&OGHwXde zJy33A^2N7iJ*oxwceK8zwHg-M_%=yf%KV`y@qaLJmyYWBk>XDje};(ULBhu5KBm}1 zCd(RfE-AHy5SiDurB`u^yVszK8{>lB7^lzlM zfX1aDM)ABpU$@o78jaF6irXpffQSrSnNG>_;dl+W-%Z)4_2ZpXc2U_4MQ?IKKB04^ zX!nO%L-j;|(%M7oFIaf=rK~8+BvbMd|J#g!78d`|*h^!d8W`bKS}0S*+`ncl(1Bh1 zY1Ep`mWupk*(j+HlUaxd$$#gXDz|8qYRga3R3UyaaFmVZS!opQ0`UukXK;x4^-fG6#{M%CB`~kXB#*y@oqJK1e3|x|e2m`aEKRHua zjfBoUzsH!q@*JNXj-}p!`f<>aLGw<}UGR=Kud|-EA-xmmod^%5?SRt40sWG)sr*SM ztd98;olM~r3a3KA8w05llrsG^<8Re;Ih}kX@{Pg!Cr6gsMO!I1^s|Y1x2bmqy{7b< z!K*Ll$se*OE3h;_py`O5GpV(pb`~_eEM+Z#pp3yk+wgbsIYAEBlK45qTLDLgkUb2e z?p%XU(5a*65iTGc0E`R~2?u2AR?z4Vbrp#a=`iUCXk>pRlx)N(OPWN@7_OHbqYh3-VUq$$8!aV^anF~U) z&zHN#=ri#g$l-dC?oIky(8y5IQ;EBNo#C_eW9;?BZy??WI0BCc;xg*`Mx!5^ji4p) zzNBv=odk_|3oRS+89YVdLc%G+X~2kyZ0?Ad6d7KHfaP$-#7l^m0_SDMWul1dZ*&hl zRiFouE+btI+E;60k=)3G3R6aCcFjnbE`SqKJ;g}jm~g7 zBjE5YD4UQ-oeXt=+fBJgiC{Cp~4I+|D)(VPMb01Uppee;K`Rjj(%5*9ZL%|JC zBxK>uM-1MgiwVpi{3zka0P9;NR#@X6H-4lh(i7yLB>xn6HWIi1rmQFTv?bgsJvrj2RoZ^=Sxi>SQn!vO1+-Y~{;}%vv$`SF|JKaBt9EN_QDtq)9+l`;}3$ zh3-ugid&GERt$x=DZB##{VUmOC*ABdvb(9A1&%z{$x(`j7 zcZomKa!MajS^?=4`G=rZQ5*u?6yq2C|ZYe8NCJMIh*G zsLa+BmiSNEu}D;gh6F8)&n%3s6+ZT>7{=!e;|qj=eikg=opw>#d^A)b1J%KH~ z!HZt~it5)?zk!M(21{~d?3dv+I+y%A;@=Zr4LmP#1H6Slm^4%q_eV-UQTiDY@_PV_ z!AkS6%&jrwX1#}NX{@8M9tNtmSm7DFAj%q_==ZX&#XLRa_x6W@P03R&#FG7;dApoz4z8NC+v{xOa(6 zUMq0Fo3u=(caq;h|9#X&fR4V?>$WD^bP z);LI@TpMSirbTV}N!mCJ<6wk=IOZzOh3Tj}#Egu-*bb#phell(m~*+oS^L~& zIE9)wSlT`oz^?W_+J`fMBN#wE1b~Z-C9u0%eWSNO?dc;)A4U3T&~@Y=0=oOiF(xd~ zD>{}!0}97MK+{OCC@k~q5Kq5_*zu;9>*Y11eggFqq2qkM2nxEBOt?j#kdrB#Lg7>h zcnalXh@8fqW_ZifBJimZwwsKlk1T#G3gd7%mz`+6$E6Z=9Ft<`a-?BGpIME z-V8cYU!#Xh6IC`<%ROJNxdkvxqkAR;Xu$x^LI5alWYrm{7)&m`C{h!b{mD&jI7$5GU_|4xWYM{%^-uU>>O5)%)B@1(h)S;+w=BWLoS->}w8M$yR3SQH zIuSTXCFz^TMuM`k^Qvgs}A)z^#pW0tor21A~NTj@{vAz7f@+U zr41Bxu@}f@;!GE*g2`}gbce|aFEsl!+-o^pTiO@Vz8E%MujR$%RkC9?j@;PaOHBOt zQlB{OD7L5A0U}y^L-rxa`$R=3dJ+GOE77bvA3d^Jl!A zRu@`bVWFlO;Fe7?Xb>yN$jW(Fn72i9UN?GI((4Y7&s9lHRyy5ri52O}66t?K9mMr8 zJ(BjPy^8wP)O$ilB_Swrq*|Rb1MV6#S0)6I!}X%so94AJk>w*&&r#E7e=KfS;I6X( ziiXjbxik#m1_sav0pO7iR8-6N3;9lRqY3}&rS_$86NMxM+!W0|Ja0jT?Ejv2{mlJT z^HCw)6x}pjRAf=lazzFovfRh4m~aW=ki(6nc?Zo=Fj*o+n2lvepE7r+IY*rDoxAAVO=mP5 zq$WnamX&2tcM$6yvwmskbN#)v?xS@-EEGgOzvB5EW6DG=pvO`fN96%1j2spfm#$~b zB^+-~XDu!#(3wbQ5**}kf0~e+Y{Do#$rK7xDNKXVNQ9Ua;JC|NzMScpk@rZ_$*c$5 zK$)Xs0nL6&csbld3}`w7dKdvQw({wfRbX)*F{iu6b_ShC={yF9`8bTCz&&pG^i%yQ zo*@1t@uz^J`#*rR$h|S6EMhCABx05HX$zsD=9Fg`!c2xR3n8$`Lvc|MFz;FOCTUmI zYZDQOe#ro8(%Ul7V+B4 z)aFr}4-Hjky^S$u&q|q2Dwiz@yTJUhdRG_HUqt^E__$74Vof3(z-|#7Jo>76p(Xyj zuhCmfZwb6y%OE$H15dtt-K3-SWN%PfN@4^)&@OeAszPF{KbQoZ?3mS3tz0kz3^_ z8*m?+(0{ELR#Nzc!lw{Wtl-hW>T~*X4ZF|Gd|sc0RWv`R`2|e0DFdz~U9AAjQ1n1pkGSin6xi!X=!lL7Bxz<(iN z7K9>bTjOtYI=1r8KXmre*{9BdO{1mJXU>-w`{dbAr`A+9`s6S3N7x=a$y5i)ueny< zTh5=Tw)`ZmJW2;cLKnLg$kzj} zcR-dgHhQ$)fg?#DMf&J`I_Qou`W~f^CEbAZaiCkuNsDl|cqjf}cP!$Lw=i$j6+jy@ z%o7;qi3k(#AGxPHD`ne=zAkEX53PR2NXJPhK;tozS^LsH#;Ah6?tF9F=opX-=(MKO1`bLllmKDW zWG*z}K24yu6fUB0F$C1gFuz+?M#kLzOH8?Ri~Nfmt{s*3R60OGwO-oFRj#A_SMG7^ z)6ZY>rSj9A?lSq?!*!Csy#beCUR7uLuN=IxiH9$jpYC*BF`C((;!#Iv$qCO4jReMJ7D;f)|P@ zlu#&DA=kMopV<1FFju=&2T&-ZP!0jHN5xCN!B!YvZ=Mf7L%fpsK;THzXwatim=U|z z8(A7vG^$~sY?X$n8z2!HWc-+oo*ztp2>BZD$f~&AF_~yD%T*3FWvt%lo2lGFWf&Bm zqC6`z0c8B0@t0_Ee;fJXR9rn{Gc-^al3N8q>w*=tV+2e~ok zJeQGwlEaOqGmg#!aGJ=kI(sr0kcn>vAsKclZ~d73jRzCKL>#9dZ$TZdBVHyjsEG_} z5`se8&@Yl0h{|l6fSYVqYNU_!6k1bhO;byrV;Q@_C646-+k&21oz}y! zP(8JC$tY~8uE@l!N6bv?`DW03l;&eF<6nMr3Bocy~Wdj!e3a2KAnpbpi$Fq=U=$Dp1^ zP&mC$nRq}x^u1t?(=>UJ&Kx>()k#DX7Uh@Bxn(h9EMMU0%%d|OPJWc-5s*)K(NIJd zvXMTjNJP3lB8e!XyugAwMx(rtK`mlXuOO(rj1!WHI6?U&XI6|1o+rt=OQytxxnLk_ujjs8nl zhIo(k`=mbrjUI2jxiR8Rb~nuWg_&x&34zRE$jVof4=tRg`ZizAa6V!fT5E6Sb1+CsaR$>Z?hz0NiIrPteO-Mf!8nUw}rxg3mAi9ao9!mlncc zy%AqAgs&OGHwb~9@wvrOH3Tf=m0K_DTMJ;22JjsN_?`i*MgZ&{$^{?=ulvE2VXFK{ zmklSkf!OCwVzn%OJ@OqO1?suan>P^~7dKc;4 z`E=0zVe}-W|0KPK^k1Oy`j%Xt2qoR$hEG=fAL4t7?*s1ZQi-sP&Xpx*DmWhGUlXUO zxSwLJX>5eaU)}_qC*n8RJ4k-aRbHm5Q(JzLHW;0Q;plbCS2m-kDSasEI;87@M%4W0 zdfC0xXQ{(XY_MGZT@H6R#Um)zgLshq8XDs28(P?hWG#0j(W8hS4HTsht|DghMUFA+ zL5MPl4i++?jir^^^YP|9q$6n?(m8?7iE!%sGsR2GWmjk}=y=irO;2?)wNt2_ z3JsOR@=6(id78nu=>W{r2{$6#7_g>q!Zk5^x(0m)>87Nc9iZ_MvboXED19dB7NpMt zjfcW-jMCqoZNeuy+n^Aa8OPGn=-YM9$fcw&Bi#u!QcS)?gbn$qscr44$r`Uq$$8!aWsEW7Cvt4Bq!2AC+E&dlSAEFrpHaacz+T zSqAqy6Xvy*-{o-EQ@DXb9|)*u4@hQ8vZdA1YP->lGj+&qUm7>jNW#dSA}pP(vRgtw z6Oww0LJBDgX$UC52UKJRORK~c89zAguc4TH3Heg+h?0D4!6H-ABI$3&e%oVDA0IqVd8cq=I%6n$Y}^#0>6v+-NZ)& z=N%3OrGbKdX-sIZo#*#bxR1j95D=Sex-wbf#u!~or>c%6J&yDPpb>mJRV_6d*@I!c z3B`x_l$k(bB85pR1Z8gyskFvuQo3IrG5(Hbo}WSfQSy(0=i{3kTIwD*xLcKnpCJ4s;inW%mJLd}rwtzc zft*kd_YC2ggl7R}Ok{egjNfq28oyU#GMoH!jZ$@FK#m07flvptMb2HTJ4X&%Q=> zG1(9#-WF$G<8|0UgUj`m`RJu)qfl~LT;lsho;oc(tHt~0WqX@~C z4yj5@k6MX)*Ni{!@ez8D#``orfPpIwL}d?-4-M{$hL{{~IpL28uK|*Tla8jbX^(ie#NHq{lf6C%bor`;Me%OCWoSxa*r&Gl-E)(_*2Q>Ah#6)CC9Z!ojruM)Hz z?iZRHX>NjvTUc0DF57k%N-bxz86R(?AVc+N{6=HTe;Gkpzs-y<)YwL2JB=MMkO(rO zGVXpiID4lLekb8wgm)_(iA$&V9|pJ4^7&7~dkFt!a02^G8vKmH{}A3wcwZhIcmEnZ zQ{nxDYdy%Of&Ardmca}%b>blT&s?M6NZkXXw)`ZG0@4R7Eu&DS@ps4pdV{~jLrK>m zT^BT-;6SXeJIvU}&hYHvWRD+r;Dh;R{2L*45s?thXGF19HjyIu?ZmZFd!U+^kgn)AtmS-h=XznCaF5M*m zB8NMf$|+P%g@SVkpUcjtnef{h@-n!NLL&-|AuvtIp;1k^)>zG)0XN*R4;~loTxGe4%2fm5FrrG?Rh1G zW-c-N?r}bv?P#~B-2paUJ{gBQl5!o5pQR7crQ|Oo-w8Yl;#_UfbvC@c))6l!-i3Hq z;JA4M@eSk(gZJu-up8kk33msKTzg=Mt?OY*gTs9EucC4_m7Y+LYs;%sGFwE3n_Xi< zU7ds7i$ZS-*Fr!$D>r@}FOz*?JT>FqurU6vSsFXv&W06T!%AU*>MmOl~=?v*g(gT&QE+~*4?3~fT$32}T zT}8SYG+LmQNtPS3=$gFN2buI%A1@82G=x$OBxIu^**n zqa5xo(sz>{t+b5gkm}JrM)%W-%e|!UBYi(;#5`G9C`+TK%iI_fZq;v&V=0WI@Bjo9 ztFj1777elzH{Oh39iKQ8XiTIr2?nlJMpMMxWP>Y^zH+!Jgr^do1{lw~%*85Am&uqj zO#2+R87;wZz8YfZrxWUb)d-w^$PZE9# zFybP+U6snFAns}7Pkq*3=riPJlAi@0aVbyN)W|&KXAK{y!+mEHe~$R`z!8^tTt0Wc zVDS98J}xg3oPZ68Dn9J)%A$FB6_ecs^jo2=m$Rf`sY`?^Z{vL(*DSQ9{4@bXbSt{c`GUcf zzaslJ*>Aui;Igy~u>98G1s8buJHp=+UafE_DE$XN7`*i|AB!Ie|3vs_z_>z;R+mna zHHNp=`LAnG7__+K^{5RrT zfa3uQ$@j2?3|ri4{J6_Kzm5EM@;ktz4@f5CVw{1LNl6Ssl%5Cqx{-Cio8C;@Njs_U zqP`nCRt`?d4m*WuS;Ht_{=?+8d;Pipq`ZgnUy$+E8c>~;0S>aNgnTkEgqGbQgV|KYe2?`qk2-o%sB{)XomZ;e?MMTn{iVT{?7= zPIl*%>1Op!8Fj7?|41rFQ8^k4vQ1&Kx~kM2V{}NX;>VJ1K>9e)crps5qxpDa4_)gc z(~#^5WKRT(m=|Vcj^IfK@7d+ylL?)>m(~{ z+_@&raXzunqf|gC0EuTvRTa9R!M(HtE<`v?I06_+QY=%`qQ)*f)dw6S8z-9pi^sX7 zFj*o^u=5RnOh+eOK)f~aHoy`2Y>mtVki`I`qoc}QXwvCg`nRQY5v7YEA*VWj^)Ps?HVdvId^O>ofDv$Mzm&Vi*qLYffP0bcP4-%_ zxkpW2%Y`x&T-Hf8Wk$d&*HgKHN*^c;K2zpyG`7305!ILMO=Oc`k=Uh`MN;?cXY^pD z3rVL)r$Hm+@>Gc{GWI>KAQY1=AzKO-MRU2#tV~zQ96u>wOOi4#Kyq+Njq7jv*%$kZ z7(l&@dO37Nth~6;^>YVAc8jKN(M9!q!};Rh7XRA!6Z_ye%EuO|?mNO%%p#G|sXL~__f{XOMlA>|>RRl!6MSxWVtL&X7CpZzf5=@;rRv^W>Ri}!He(kAulAni0~_b84GCv zy=v?yqdof?*~Mg+fMqPC>~^mke8gA}zd?8@;bnkPTop=*pOIlK^0IoX*AZS1m^n5rOOZ&2+6Lo0 z>+p+T$ZsUS2|U_{G7qULU4{*zHk)y0kx!OiY5YcG3k;kgmB}WHrCi%;e7l1@zm5EM z@;ksI8703+-|_E8FVU3QNqQIQ-JsFw${LYumscgz+_LTuvmVeY(Vw*T(E1A&;>1<) zT(8y_+ zgXHQPyrhqZk0g8);iDDK6v;{!#~6I4_M{z4xB=ng03%sKv7|fR*x!5kfE$uMf$WK3 zQTr<@m6fk$d4U?tVmryC*$sSJo=oW!N~c1?2`VHqry09h@6qXG8bi|9k31RFpykGBhIgyw8@%JckTP z8TL76ch0FZwaz(pPH8kmLQ$xsc^;5RX^?p+sg%$pGG|CBg#Y#X?R8yed;U-R^M3lg z&++|UYpr`&_geS8224!6#niD{o-R~xrP>uLnv3P7nD zkMlUC(UitOswvUrHQEz~zNfG3o+SDd(Xl}N)h5fejWc?TUTxz^KTUc9XxuQkH52ll z?HS{r*6VB{`AOs_gZE{PN8A*nJ84;`lAcC-dIl}u&t@3iP3f7WXOW%_8uxl>S*k)_ zJkK$Ft}g8~m-sy5^MT{pgC*lQfYL2641=@>fzX%&wlQ_YEcV055#x(g)@^g#nyi8{a9MmsddPD|#x}_$3qpv1jp|Fg? zatNA;W^9EyH8qiybY7*i3Jz)v$yg|!E%TuBtI8|gYi89}>vdXh(0UWr|A{4wPUX0_ z3?8>l{w6>7HsN;&zY7@UNCafAzD$jE@0qZ35qTLSL}4|BH4tzcL6DVc%H^5&fhk|8 zvX;t+RMurGn0_l|SZ~Ugs%)V05tWUZN;Iu(GG&)4A5+;(<&#V$mR3GBdRHl^>|=hJyPyoxqPq*DCSNke^8ZO!^nl{w#8NAW2}4DL-fezf##tWnZS^ zPyBDD{HV%)DhH_io}onJ>0!_7IM&JlEK(>XHJ347-# zbN*1L4xPGm>Sa1Q1M_He4ytnuo%(bdWI9ow&avkFtxiKajp!Vg;RLlj$D31Yr9a*$ z&}mGkNv5OaX==`4>NKNsBAt^m9WBqv=G0cFIh|AJoC=3yHDsJ?Aiqi`DQ72TbsTq^ zdGogV{GCp(1-+K=@GQs+gk{OBlI(KV%8bcP{iWTSMjIM!Vc@|hon)*B;?6LBiFS|A zB!3q9cHr@F>VdTkE8W?KKiSxaKZkgLcn~-`7I_JoU?*RJ3M*2@{bXvUX}@T$!qg(v zqR`N}%aIY;F=N;4kw3}L#mQ!oO@PJCSriDwBGNJ|D0k(7P2+Ac`50{=bfJ7J<*tx<@$xN)OjisR z%BDJn?l$w@`O+VYZuGj-yB!`*qAfRdSrETLsaNE7KrqmV`s3{51GPNdkB z-kL}Wl~O9bp=2f!cg~EMCQ?SDoJIuK4qVNK;8D)&;kPZc>SaewCTH)Vhx zuVGXkpzc1&O&Crkt;7 z%%n1l%4{e|BTLfALK<^SXrbed=2DnPVLpU^r4e@vOu0bQc$Ug@RGx=|vZw2^^yJrt z=CszT>;*cD=)4FAqt??-PPt?a4J8>P`;wXU)m%*TWtvN1;>_gaxT2KsOO2nlQ~oSJ z_X_!CtT1D`8Y^kMN@EoaJWM48S(w?qX82UaUnl+s@i&3vh-uYdCaV^k z(m^|iZ&P`P%DYhTqzlLtg@Aj{=(ljH(H|0*xeMgKA^$CSW*-~cyYGx1qet_5(m#;iZFEd-Aoruuv+%^1pZkgQ z&!m4*T9*8gGquO)m>$SqN$(}S4>XUx%$>@WG2HU$`!`eiV{SPT*iYpEmEWPHk3H7L z|HJ5r9{WE@A0+*k(XoiMJO4Jivu6Gu(lwr8??e7g$Cg)J0asK0XS(0%|8@+awc zkUk7_I`e_BKU0UB()$FT`6H;*rg9_{WXbV43>E@t%gGkxqh=`7NTOj>p~G5RK@+mk+zbO)tzOk{R~(I;ssFCg8K^o2^x z6kM5aeUZ^)%6(2QCVdI%OEc-HyUge(l)jww6{N3JIwqAx++AgKTg}PUq^}`;Eoh9e z$xbh;pHr4ySW=SPN4}?U#Cj*w+imt)yN>$x)Ng>^TKYFpR zW%&$@@at^x+MeQjUpF$|O^kOl;^8@|@ygsSW`xz~LgQ8%U19K+lM5!~ZZmqhUIN`n zcPD*2==u^L_j5=-{>b8#1u}U^_G>h8lHS>OQoM^|5+af*mFZeCq1osjxBFt`kj^EY z0*$9=sf@LgJ?3Q@UK5t&dLfTOK7|4ZKD-Q9?`d>O!}lUxNV*6#j#6Q&qE|^yl?>`C zHY0qVk6%KgltynDs3;2@zIbyf6KBd=9j8@BrJPCy6g{xAN|ezn^uYEdT}ir1>E4Ni z)O`Jnenmf8_9uNe=>eH^+zm8(snUZ;4<~Zp=$&Ufgyab|{vS9Sa`+d%zB>fcWv7qb7e~`~|@(ojFOv*(( z&YU;&%iMT6Pt%zI2Px!)Vp4HGWAy9#!e}DtNu(!d(g`=k=r@#}N_raU>7emirYNVt z%`o;}{iHaP>@2dg!Lp>WcvjTSF}kT%QFBSpBRxNpj=2R!H&gmq($A58UTG;~BCcsx7o+l}cc;FMz1Gnu&}vMp2`u!CGA-BCq;)DaqjVyrlOVCC zk=h{cPByy1B#9(H*PQezq)!En#(*VJtys-SIHmc=dL4tJ?R@V=`7dT=r5JNk@QWZZ&q4{e#i%v zTa50kCGJA{R?=OSmM;-yGXL1Zq`t}T324>u0bd}O~lD>;{5;She@`Cch zlrBf*vd!wRs|MuI%B7Wpg{NV9JEN#H|NW-{^M)O(O?rCy^a|ji50I+Nkq=MO_vvXu zw`07}i$WoVA_(Y;(hs-w5(;v$8TOJCvsjFv9|@ z&;u}&0cJ74Yy{w*e0C>k0I8I7^11)d9E-71W6WiYd5ke1F>ny=ZloCv>fOA+{8{Qh zOaD3g&%^(BA+XDW6hiOjg%)7926%x17BRq!hYsK`gO@D8j~ZYx1H8-tOAZ~tpNFLu z;3p063Ii--faM6#Jo6BgrHde|C1U+XS%xe9N@<0~`B~$vWSmzSXBFaLM4N2$Q6SIr zzNJNSGG*EQ^vQh9>;qT(TJ3e(Z_s`d_P-CL%s{IulK{R>dCLO4s>#320PirsyN3?o z59E6mV3h`Vp8-}gz?wq_&=27sSb*0wz*+|QkO9{H{{fP+zD_9?B1|8H^%h{E2H3y= zA2GnjLkIAua+3vkK?8iu0Gk=$lS2jw`?K(=1z4m3K4X9_46yak0sL9mW&vK*0NWX0 z2LpV5$N&*vgq;@PB@OTe1ANHaIkES0jz&je?CkFVL0e(S%rvJK~d=A1v zzO+qMx;+-+T@CRoL+oXUeF$;l{|XTaCbM%(uo85k`^|#9r$P2J$N>iV9YOx*k%;+g z;SUS&z6SV{0S+?2UkH$SCJK|KIFK=aCjK^kww{T9sMnap-lzQgzjSS7)s+99?vBn; zy_Wn*x}($&`)^&gyFu!4e;FNa`n#$hLA^HhBM+tfN6S&Bzo&W~>UF8tJCyF9?MIvb zzUs$NuTQrms=`1nP~cH-U~fmbN<^X7ZS` zMBnZ=qjMsili>W<)lyX~2V9n%PbYe^1z4k3OLGP|g#k`IbO3+MPO|_XXn@lhpalc8 zJY)c^yINU*wHlx`1GHg)wg}MZUw2J0_H|58@H)ff&s08>@>!JILDoKLJQ@l6i~MZU zW@vxz9BKh-L1_OzY)ms6(YqvM0Y24q!we8%faw1SfHlx1fUmD&7GSFeh%-PI10)U| zz+WxrT7YdDpgjYe#{eA=;NOpbdC!d;#Do8O{GV@ewriXV7^frST!=V0{C;_kilWl8 zXhfS)7n%H}4p+OF@+Finh5Ya1C||{@QWC(Qh|4U%dQJUu2DpL&t~_)Ae;lu}02?&G z)eLYA16+IP0RA|3vH%}xfa@6GdIq@R&;k4%)Y$@T)Bra!z)cKr^PvLBO0nr%@D>ZO zNdt6YfLj@$D+1uYPtR&fZ}oMXIltET&&zIfy3@HG&c6?QsuBl28t}!w!vegaiQdTo zcQHWnPyu8~-gK_BEx?-^Acp~R86brKSesv$%Sh&ySIWY>L3tA{>)vBtRu7Bt{WxES zJVwZ8gaSmsOBGqsvP^paM!)r!{84_c7wJOMMWFFLD~X-{@I-d0{8Vun=FJtG`qV0# zvQ{zGQmVb7;&Y(3O^Tf}W1d#UWi-lZRKP&i*fn!~jBfvykKdPcCFv@o3#8fT`WgM? z+n(-E`fkz#K%>gaO>xeq94l#c%PIz@ZU5bCgQyLrHUt{7#J3J^sL@?@iKKf--%I*F zrP(cV_Z$7}w?6hT(hrb+P-(tVal?%ss;i|uM0y12hmA(J&pl%F_&WY9KT3Ke=}|_b zTi_lux`r-g^f>9!q{kSItJyta^y~UY=tF1SZ1Kce%y3Kt)Cohm*MEXUg*-UdU8GX+T zPcJ6@GU+9t@yaf}hoLl2mYUFCg;yvnqp%zTE?V|X-3p^e&hp_`l75x+Dy7*4b*~wH z(Q}@Do%9=|-vo`1jU|0b3gmm*TZaGA-Q#Z)e~0+Hisz@Qu%h*QhA(a5@%M?ZCcXwZ ziYi0C%PI8Z zDgWGVVUtP2^yGd_X)~oyAmMn1gE85e>Qkc^T`qr=pZkpT7SdZm<9)8ohmjcvvVn=L zXj0|2ne|A>XKXvI9kf1&g*0S*nJlli)9ChhA_Ym~3({Yb-eq)H=2N<_jNX>*>90wD zL;73LC^U0aSds1#eP_}H&CvIhexS4)5;7zME9LF`k49fR$S3g=>7PmeVsutm)?MFY z^zTDG{VVCcr1vQukH=-G-fu=%P4o1A(g#TYo&vaMoLM>@6`IB_DNFS!OOnvgqk0~Lyc|o!=M(+wsWL%A;daOyS^jX@FQX@*osl=_%vDO1tzdYWgcAfksdjh4#l$t=o zBNZ9Us?K0j(;Bvt|0+M%jM|CRPJ)K}L#7QU5*5Xm1S+2`Pd2Mit>&~&p>--OBo+$D z!2asQPBZO`c1TJRJDpk!YAvDh;}dS(Y?(@&lkeAVX=Ub%dKN^&dYA}IFBpKWor>pgo8;{+Hdh&X6? zMWb?2VkC{M!7elQQ}Qk&Wa>qFg@&m{s79e8=e%>Pa~?CTlWK8lS=17y#br`ML9sO3 zI5zHF(>f24pz?F=shvlygK4<)tF`k@`$MaM3#fIZb|ExWFWIsLo$NAcbf=9>Lw1=Y zeF^DHL8F>4lLgpuJzr-0{D=Lec{%wj$X}_vOeibC(i~SAKX{PmuO@#D`D?)=H!=}d zzLs_}y0PBW*O9)S^bMJG$aOZlsnR!+zKQhBp!xVN&aNoVm5oGhF`AOfLGwHC)Ho92p9MZX@Q%1+J+DZ?j zhfVc4$s?Ulx*(I5)e?+;Q0ZQz3rQDM(;=B*UTpNQN|%r>CEXh|28yFrPvjQ#kUi7n z^M&j*FDq*}b7yP)UPiZ^ZUtN(&xCxic72S#d!{c%U(%JNt3cyYlVzUz6r}pPe#UqE z&GY@q-%Wl1c-*M@smi20SxclJC#yWmn%*fl(A34++8IQ3Fx4SYk+GaaNFF>xjXq+V zPv{=f_maL3G{#5xW*|mw+;7T2Z3qsd@&J_wq2O64Ln?|Y%CNQOa5M6CM8!iiM$mXz z4NJs5V#WYX<53zTX^euAE<{|~_m3IfSPStu>CvRefc`(p5#CL@Ck!6h-up zg!}vLR$;~7`i~MZxc)1{pLd(!r>6=Sac8)onUi0~%OJ^RP`EXF$SS%)! zuof7-bEK!ACH)-f=QHV`TWItSrC%Vui1dq@vk_=j!XG@LVt@JCT zmyuqcNy~UbqkmL-CFxg5uTom(BE-V(HKP~nT!hz2zd`ydQU|c5hf;*Dswi*4YHb=IT-a-2F z3|da*PNTOd{RQbSN$*lRE^iWLwvf@`Nj@iElm3SEx0!UreP?t;>F-JZKzcW5v`eKf z!h0lcFYSIb>9ZUCbNMGqKU4Yz5(eFTXeAkKoc%DGMG5IFo)5XmS2U*;vW&|{aW;9NuaT1JljEv6GZwbD>93Gt)Y?nqW6FdAY|6P8rHN`d*+d{;p zA+rqQfk-qUlVr~@Wqt=5HQbq0&Z5!|3d<6RWPv~1_!inUJBNILd@z&8B;1hkZIus` zkC2ZVFGB<{F*s)Yi{pKM;^ec)Co=gg;mCn%2LS2uTcI1@*T-v zn87DP!e3vfbvK9_tdgO7vnVSIDt^T_9uFUa7taGZJ?-%|Nr~ zr2Gry7mw;<79GyXS?{yO386@gg+#_4lpw>9SvOc>y3X&>*WpPKO(;|gJ-3%$@pc; ze@uQe`A;%=R0^LOze4%X$ZsLPwVDsbaB#L6|A+G1$?qWlx$)6h81Z)+KWDNW1Npfx z$bU(Gm+|r(LM8Z>@vAic*W|w;|1Ef23NqVPwkr9~=s=~vtG*}w1L@tM(OE_#KkVD> zKbo^ZoBBV|`I*iyaL_c9`R|-2lU|Bn-t_G;@y;Rg-{t3irMQ>kK8UsCuRW7}-EYSB z(~U#+lRZH8cd&SKC(Z9j01JftVZses`Tt4bAcemm@VXEoQsms<#^0v=KjdpnWq&~a zHC|RZaW&-+=^jC@^0nko(jy>$74X+=N~#96_Nrg(D%bO)akyBRyaoWk#tQ zb!gP3Q4a=_ke9$L^U)@3*9X!u6zWrGU_waN%R&mrn(&5Jat$doqHtWM5QA{M32&)z z0)@sDnq&%Gr=_V0@2Jp>!if}4$`BG!q;RqcyHsdS;S>s|njpIhF@@7iI9Y3p(@Rnxf0ty`|TnGV8<2aUV;$DAPXW693wMx2}(j}BGg@im6mAF#b7TxH{ z*Z2}#PWlScSAy0g5}L$SCXLo4uBLPirE4MK5ET^3c8JDaaHdb-I`@P`UH6mlt~GKB<$9wz*yLLP;D3I!QLI0T`m2{pF) zqtuH+A%!9cxNT&)YK-D7HoWU2{w$ObFD2d^xIYVFx$$Mu7!zt~{4xsV6e=K~!z5dm zqmq|GxIU)zSm?9Vmr5m-Dk!|Xg_klExPB(wq%~@P3U^Z&kSWMvEpP)(=%T_P3WF&O zfq2;WQiKEV3Oks`bMjlW%k4Doms>iNa(PlEIg@MeY(V)NxK6HZs*Z3^#DcsEnvxqi=tRw}$tVKs#{nF6oZ z4@_vS!deO+Qdn0l$i|5{)9Xz*OrM7vD11a=V}_6}!zL4ItMD;}%@jV#6j+8&O*l%0 z&nRr6ur*U)8Mc{FM}_Sac2M}-1bL=2g`Fn6r@|K$zND}#Q(y{TnXpEMuPJ;(;adp) z2`%r_WOw5Ntch&W6Z(Yyp3)DLc0*$GHYyz%NbW~7o>b!}8b8zc1%^JS`B2;!fz@xq|k`MaT!98?W*HV zIH1A_6dF@#0s*6o(3y-#Yb?l<*3_(LwL962)`_%Eg5^sdl-5|%oovFNnoM&Fr%*UG zQ;?D;-DxHqRN-_AEhx0i5O7l`T`Lp*R-rY8HWb=s2w|4|3={rQ;Y*hi(l?R5Ig^gMTa50cbQjXMlI{u`Z9?1wGLp;PX8dz{^>-uR zo&4?K(?=Y;FW+HwJ3T6QlD>;{GJ}?NudS(%zZxR7uWVB|WK>nieGvC$hZ@^lI5QqsLa<57Wc!|6RIoEi76 z_C^_vavBwCU<_%Qe0-H}1!ny7tvCA8sH9N^10R#C$8Ope!+xgL*HN4OsoqU>094#5 zw!jD0ydG%Ms&@YIF^JM&N<$!>B2qF}1|G>UO2?_k30W8*T2NF}A$uwMO;v|lp#E

    OMG&{#>rVcC&=XZTpApVX7Yr-;7?MlIp648_2n?*|LC z)??<644h`*Ck=$~WEVVA}rvD`Vi}*Zn3Hcw1MDh{*f15AA)%$6J4_xdBnq^pRn{q|2#G zQC|U#<^xfAYzrR6a-{{n(>?4}43uV|3<79g?pw({!?LD-)$1_jsLNAd4UO5E5|ERr z3Wk5s)68p#D-u@%zC!Q?_pxQL|FxFtsQ0leGgXDDsz`AL$$Lt2@JyELEYNbTv?d>S zJpM>9s0T#mt(%xcvzix;Pr~}kN)iUZ=t|6qD9;tiH5OtV30*zv%LnL>- zWdTGjuvo7R#TbY)kU#*%1my6R;%+s)Pp>{Uq`r;15j2{YE&}djhh1X}d_GzJE+5x~ zf!i5qiU67qhr^O-W_m~_aWQuXb#v+#&}d$+ZsX3hT%NbUX}yea7XvLBXoUc0r93P| zy7s0A>c#vv)NQHTsSeBVTzP7v=}-FlVmeTFr0xXGS&4TQ;ejEYEs)mE2kvIz9tOG~ zz+%Gk1+J^mJlSse3_l#>=}Iaw77}oZc2#rdwej z2Kq9PiU5j{r@zQ)Oq%Jbda*T~I)ge>btHtR=Jhi@NiSOWr_Q3zhDI^+n`gN*9gMjF z7TBs61_m;a!$2+qC?*=gX?vdOy?P+er!Jr#q*|`C%B5Ln`eVIlT}VBcx(J%rQJOdLLn1}$Et30kH<{mY@ zT6YJNs3%iTQ7vN`WVt?OdbFN~Po)=k-$9lhm`R=a`P6n5Rs48N(SP7wD{6xl*G#{tr`4}hZ>8P_ z&0=IQQ5qg<@rDJaE%eQAXW&f+b|8Rafac}5@Up9U-}Fb?aoR(@mwKORxqlUKADBL@tNVx4A5rgzMlo^~ z3HO?#?qdsV*Ry~F3>;+O5CXm!*?D|o`hXU5nEF%d&s571LGCqwZn}XU5x$`QlKKcV z=ZuV1O2gwPzOuj{EB&1Lnt`JX976!b$Z=kde&3ibexujlQXi*20qtjeZYrJ<@tp+* z=!`$fz$pg4M}X5RPq35$Hm0}f3B!-nr>TE}Mkg^Q?*?~28{V+Q*YXSTuf)FrqZYZU zB6p8vRruWk&9Cu+GYp(%;2Z*|MTUjQw)%(Z|3NGAaeq?(MSWhiJPuBJSbv*dnCA6A z)Wtq!hhF|=F*4u)caJ0PBKb?QH~)fOmAhE}B)xeCifbT(ch2CU3zt~n%hCQDN-%IK z1D7Fy>SK|J++Zka`cduFTuxnz`U=(IXo_4SywY@v-tfALx-@keXv~C^1a9%leW0=y z=-iwTG1@<#>JowQSP4RuB8N~)y;Bv%lwHGQD3Z@V&e73!+cC?4; z#6WEZZbpF3$MKW7I;PJ)RzMpLSCkPzR`k&@6^GZDkLVVuACz zeTNtbGY~-l#mL12DLraB(AgIgqmEN2RLh`C*;a2gz5O+>8&cm!-3Xd99`B#QK&!?U zIM>AonlNxX15FV?F|x~+n^Mh8*RSaH9n{UKTd0;F}&AUYod=fo=?RM*zjdLLs>-d!Ol6dX=~bbx-PEs^!%PvXks> zdX?Vj=tJF?Iu#nl#A5OYEj*(j%>ui0N14t*1_PN0_;p5hO#Mt((siakbryBDYWdNM ztd9dsf1(G!fz&zFxzH#^9(p3Tc%}M03-li*f0vKTXP|(AK?ra$MdjwCbEYRu^SY3F zFm;h?*+WVvVuS5Hwp;1gq0=IZ&*y0Ea4A9-!{R}+7z(@p8jND<80Y49# z-lH>q6!mE8F{-6MCJXf;)7vwA=?_znrG5mOb0!71cx7KO&H^p;{AoM`6Bw9?0E&sk zF)ZLw)4%9`W)k&e>M5#2GU{FW@TT)S`C_J0Potg=%{jwcymFv_+yW<~J}`rUnGDQA zfW^qLfRKB_bmhTbKS@2CdX8!tPb9+vo-+LdnvjosntCqvJZKaXj^h@utTXd1aBTs- z^x+v;$iN~Eq$F^QSC;ED7Rc4*x|o3_3@p`vygNp&Ys&SzWfr(Y=lya9Rxt1^0;pB4 zYs$#Q=S;t=-ISHo&r`2bEypuCxUM$6tFNzq4fR^;bn%>#o>zAlsrrreo|Kxu}@tmj4hUd=m_!Z(;iMIfw7I{vD+>er7 z{A(7NH{AzbXJ9J>+Ymr4DKT6Pf5UXk+q~XR{U-Ge)7(PdGF>_5_1n}tsdqu6m_Ud( zghTEf3;d41%g4RTz-|WKLx4+3*0YFv-*n|?z1~B;mwF#GW{fcM8Kx+BK^lrU&c$oTA>d&Cjd{`cgAp7jF z``iL0b%fIw41CGJ5d_$L2sh%tG9Af_WWpizwc z+FkBK$ky?l1v=<2Fi$dYih=Jn5RT%8uylfcut0TPgMVb;Gy^{&farKs9SQe`1*Yhp@=pf-V&FUiC`Qh3 zq~Gzk=|5}v=KrBC_8B|!@-LeY%Kc^;r63)7`Af1R|FDkWxLE!q9eD>adPxgBpW@58oPkmdTybGQ?uy7&c?+!6z*P*CW}plL zob~b($bc(r`bFKdmZL6DeKjT1;0p-~GTBwEApt()a<@^Lp1*Ceh5j9TK!`@u5M z#scBB^u^pw4Af@eW&~J^Tv!ddI;NNF9=Ns@*n#(9fhGyMrc-mY)nGK0= zBW?tYT0%kIX_l9nS|Gor4>V!mb_SXvfLi1i2XaEu%=G8AyuO3FIduzY)FLmclgsdi z^E-Nc7jaACR=`|Faw}K{kIN(5Es&-6OxiHemVtH%pcWZVBmJlS zse3`A`9J`-rDgx#+X6fFf^8oL`ZAEJ0r?HQ91!FRZ<+<1?t{}A$Y3B70n`)cy~2K` z|InM4{i(C4vsKIE>!g=G!1VmMuYMqP4s|Xxs*mutwCvyWEO2VH59BjYz`!62#Bf_$ z246Z0%+Y;tAp?UMC_(_sDvqC*4l!I@H@>07!-$6iV@rsJk~dRFnEz7mCf!f}0R2dK zTxi2Dv+;fs{P6!l%bW=KDHz4fXlBMB!<8o>YyCrp<1IXXn0PGlBfywH^3Vs|nwFou zTA%zmhPu@IrR$aXQ8oVrPn8e<_(Y1OCBqUpC?|WIEWv9uQq(!&A#O|#A}Jy0beQq zqrb~9D&TLpho<(=bn7j);QIez&TU}q1;#cac7^;sJ1--1SZc&JmvS`x8IvBkeBd*R~UGefh`E&YZ$PvdCgKiH1#@DTbbI16t*4wEWIGp zrDx_1c5hhbi2g8rJ2P)Gvjds3l1Y9^u0(P(GqTfDU8Z}>qWA0&As_cPqdOVhg(zlW zM(Xgwg4E&2%I$IYj>WD!%anBd8Qaa+dx&uZjLY>&{HWx83rx}NX%7Q?8Q6yaHXW=4 zxFr99`G<8q_>lf1`u*@&A)`@@1o+tW{%O9P1Jnnp52+5xxv0FB$@G#oULU6Zl=?I1 zOXPoqJ=6 zI<4Q*AE!S7k7<=3H^`j%&h$||?wq7PMg6_%XdooVG-=pOy}s`tv{*%qCO98b0s7L?9GqS zx$+NvvCrA>mw&n2h(zRq_C@kv$v%G%9h7>p{7L%!#KnOz3uSDOTz|X7^a>puRD$|a z>dT<9M1uk82jL2MNeiqh@8`?q43uKv3Iw!v^n|W7KU!UA zeBjM`&-ta=60_4Gc%HPjWUE2)v(@XeKq>(@Tf%|B`gP}8m2>OUf)1nle(5^d4+{M@y2xZzFyx%U7Px5Xx1XV zf>?H*t7HBzjJtwuWFuPxNrYm$&%Tzt?CnLs8oS6hNCI6Fgw_2o%MjA458zYSn z!IVU0=O?dEH9dKj|AHpew^KJ&ogzO2i@0W{SL?C(4(jIAEiTmZ{#4UzRNqD2lDZXi zY57w0%;E(uKP@#aJ12YaaM#*`Cv{=8VX!TO?GVHy;GA8?W& zU2hANdc!y0hk?Efq#}R`MKN+E-}HCdd^&Xob*5?A0-~;;=^Og`w)<0OQD>``^*|0I z158iS^ zuMsm{t+y|GDD^Pv;TLMTgm1dK>iel5pdP6jt60K4X!?|{SEHy$Q;&hZOuke$z=F)- zF0;@*WQiWP`fc`MCdM-H2oiouh3-*H zEg#~)V-i!7nVNzWdI&PGFjX$vJZAjHNBs<%NgP7nX;I83Gq^3zlW6vAQk4O4v=RiEwj)@-NPPKgW})nL z3i1o3!~L8^=O6J?zLL@B8C``aju&aEqWcYZtId!6$on<)Yw6d)msF1vfkL<5B9CZf z10ydmvQZ<2sX3`mYLheV7ypes{{F&cs$GwrL`go-f_;)O0xmutfPsd}2EjZ!)n12`qP> zYed~!#_!XUjJL^mlJ5d9BRo=&l`1beNzW`AET;=Og)#SzB`4|^z02foCf`F6+fzao zW4}x}Xy)go=D7DQ_1sqZpYm~gnA*$KKBTZ{vhxayTxy+`pJ~9!gTLg|Pfh_W zP;9s_<_iYCWZ(z_*iOQ!IXUht!?!qAQ_Ou$e3bYYF!u)0u-u{f#`M>EME;igIQ0qB zcsPpt&h%;BU{6w?qW&KGD)~~WBVRTtnfuAj@CVD4-Q{cgk-5{%{e&E5k!(u?GY8AY z^s@!t&@JN^27YDWHw4f#N(Pc!)9;pfTQg^vIm^sBWU!QVYmzbUe^_LKZcTqO@)slL z5y93JwXNxIOH6-K{)c?rKTH(+f~N)YZ*nX5Ta$ECFOt6{PY!zP=5(?ANlp$JDUJxP z`DN$#ahI5F74l2E1ns4?m%-}7i@K7gkLkj@oVpbC70{Tig_%P$9WFgwX@RN}eDhZ^ zP?~`<2$Yrp_Rpc*%)wdt8TmQ+{fE1<7W`Egd^rZoGk7(ET9>>u%JfmK>l*5c)Rmz9 zu22?tdVb+xcdbRX>B6hbNEJq^B7(~FA$qo(zRrS2kI4U*kGr11Y7ACK5PO8=nxdOv z4NGm+ue*V%noQL~3JX4SSV3l9VW#YPZnQ+Ww4Zf1F;Sa|n~}ixWMme&%=B!o{3))E zrMmwq|5HA$E>rcGs*e=DN1i^IDZPuq@{k=%yrMgv222E)2x>wrOK~Zd2x(;@Cc;ca zkiaz*sjE<~pRh973q>vV_y9jaF~;JIB{Y_taeQbYZnxcPvA1;2HDv5I#u_1pT|gi` zKNs_kUnd>g#+G{u%TYeA33InI*AzJ%B7(_{xtZ~YZ>E+p{^ZTcTYzH+5RpTJoFT}; zF~!|!nYDUwxQm&V%(OxVizp>CCsPhu+39j-A>)KB^+hxPO>LNJ%Tzn0uxf|<6=mkQ z_NH@m@7jU7BXuWe?27xR7RoRo!!s)TS$sF~J;YsrG0m}|vY&UZtMOHOAi0;k8+mtd ztSq`Y%e$y7ah-0@J(%dpL@y*T#lim^4trawrq0_wO!Z|d6)E=YaX3jc9H}iW$;YJ= zXAoxsqZ^bzI4jf1mHmF^XZG;Z+@C&+J{z80KnC0Z<8AI>>&4ta@*MJ9aO^5%0y2uy z2NwqAW`jk#<@j&NXQY6UL5QID5d1&A2WQF3I^l&(4ra0lNi6C_zx@0RH^g-Rt@20t zxS`a;sE0#iaTFA}^epKFhTI5Cyp!)MyPt^%m>7u!+K;jQ2Tga@#XX98H1!zh3)>I4 zhb*y6+kcpeu}nOI1U8D4^sLNW_L$@qvX*&SSMTx6OkidrGWeFlqJn}P*^C12QA<>q z<)>m26O);kf&`X$Tz;I8CadjZ=D*h=y;JF@(NBlxbjV4R^yB0k9=F8({roq~U}7c{ zvyi|-$6+X3kSf=i-4ho1O%Fg%GBTTyIf(E}{CW~_Pg$a?t|m`2F_(#Xnuw z`9+0pnZ;^rY&l~q7<(2mY=QFJ;2igy;od#vZ}M>~iJvE41&p!^Gu@EvbQuF1a;q&e zbiALzYZzI}$T~!@5eC>Hck7Lx(S7p<@)yWAf^!}5-w<;zT4JVt!AnfM%)}-nu;Y=( z>dHMinQrt2-DXRT)}7}oOufp~7NppHOwGuZlVRx=NNz}`d(Co(wn?M%aj!GCmAP%m zv7aOBu$=qJTdyq8Kv&`I47|y}4g@fNBbdK$8UA@J8<%?!#5;+10be-vDefIhjMS-r zmxy!XEo@(Th>Ow+_3CiXJ14+%_x@AAv}hXu|L^GonU20mh7KLS|j0l8`*XDr!r zK>yexJ9H@?VB{bphcuFq2MT8vWaY~W{E0>0*y<w^ja^eB2pk&N6cj8T|&i zGhsTS-|#2(U)1NJQM~jj3*Fy_w-)#1{6k#qOP+tozdV^pm80=R@*l|)k3ny?`HzOIv4joMzWB z-%|Yz^fl>g!DEdsNH3Cy`p6B-8!a#+)qlZF4Af@eW(2Gtx#V5P{GIv*b?NKT*N4Y} zD7~o2VQv*>X7!hm9=BNRqTl8J%EvWeEWlV0F)T$)x14F1ZmwSvq7G9>pm7QA-!JJm z#6>MsOur(=P@JIzLO2%5z{Q|kU%%D(xK{F4`M8GUw~;pjw>c#V*VqD2=$vZ8!0ik) zMF5k)_FXg6k7)CEP&cP;0qv`iCp5S_jW1Vz7kNwaR^b0uBX>_)Ti{8prVRsa8EA)q zuSRrx)62B^4%8i~J3;$u5~%^#+4wr;caz^k-US@TPp(DsDu%dBv;6D2T5h%$buV+> znCp&QdC3jU%2iwS+whCO=LFn<@RS2S!^O3O<+U#PZN1=fW;ow*g(c|7|TTr9U2)7CI!o? zQJ9}v;PNbW^EUaP@^Sf06)-gjDctz{&zH#v+5{F%Y9Kk$&Keo3UtP#X2D6bOG*aPz zHzL2POi7M*8e;KBG(ME^VT=z)TzAA#H^TH8-4WkU{Q&hyXe<>y-^VHcgO+(}o}ZJE?7-amuNFK=|zg9NiUUw4@(~qTp@d?{Y?5<7kd26=n3;J)IUi-n|=*6|bwQH% z`~z}FDw$ku$$U+&VR9{#>;9XJqy*&7S2DTYl1`Hwn0$fBjY$6YsD$BE7W(HmKXYDU z=w*gB{r`m0-DV4&*U&2ry~@xQg#L4oO%3D(<@Cj3e`@S?#kJ4ruh3?Pf)xd&?r#^_t<^jO=7&7b5?uD>Exy4*u_0?0@vg{4Qg=8G8>g^be(@ z6mahw{(GXIVS9-867K^>Su*r2d3i10ePEF?_xSzBhm3s0$bLkyUH6kW49O3qJ~rO3 zjOPc)50W1OM>%QibHnp*^tFFM{3Y=bU|txMzG_@A z=eVydbxs$=*GwH{>KIa3Z1R3+dHnu2rf*O8-|;Q=aq1J$*s=O!?C{J~=f1PdVm-8; zWabnz-y?&)LC{X7ey~KR+WuR9Wa2avKOs?C{)e4R=^4_`7F?*ORKGCzD}%owh@UH1 zP_Ibah4$aAh56dT8MbhiEu2FOC8PyRS)ts*`NRB0>-`e?lm0LI^YB=lvIj_Ue;Xc# zHss^}Aue`=r#14g;*h&Y{wsN2bHCz?b%&_K)RBL6TuvgQrXNrpqmEN2Oh@IhiSAa@2URzuzKy!kg<1wwnLebt3H9yN zO-)DSnFp?!=?7KcLEW6X#f4ga6>WNy>bt00QnxbAp9Z!z-Cmb`8|t>y?f%u$KXvU* zk5Ju#x+8TbXnbiveykcz_7`1e%Pi8&-OSv>Oc!LZ&B~EGFJJC?bTyxr+(*dU2k5)e zcZbK8m?0Mia%BX7yUzl@>d4<74D@867Xs)k>wUuH?$&l&maIGWpzwUeWv+N&w6zR`w7PHyN;vg7K-uD_{ z{2#qUI*>evJQtjMOVg|;LoCvD zxu5Q#j0|IBI3k!^(f`~~8)2!bdWrCUrXFBwBvP1!l!Ah6_n_gvdL?`m@o3^Pz?eND zxy+ZB;T|%cuh+sKCLc@w2sqo8Yg%rc;kWe4<9Ol;#1j<<({p9amEl4?vQ8qNOgse` z{p`^HxvTV;B`fw4ARjlC$!SbZM-nxKFuji(uBvzj@l4`bii5yU7_NRZ8!qOaB%Vz? zM{x{O`;_5^D?EOhcrNigU@YGY?hVbi$c|$^vVf6=j4VO~Ge0Fc^Pe%kLg(jV@+IU; zl}D3&nejAT50;a!Ab%Dd^CgZ+ea`SPz4x+`_<7=0z}OMk&6?E~*tFZ%zJ`Id46H){ zwMYFe4&$q}m<{AFkZ%OXsvMRr|KEW_FIwt#-5OtF>Sd-jA;n3+2DaJo5}kxsh+ie% zqBsitn&HQ^p4W-D5^qx+!J>V`@HM*WZYO?|cn2_Mj$NgH%K{Vh$%k(-pQLk7U0k(1_gv2GE-`&vM;eu&zLfehXeg+X6%Ca7(eI1!rF4XU^pemSXS<1hEh_m^?aPX{jePbrn;knJR-67DC*{ig#NSNsbHxZdX%_^sftWhLJHShBme70>9v+St=n2<=BhAP6*+uc zWL zXlyBQISIbi>>6GC4QX$qZKO6Pwz1hRI>k+BZ>MdlHYB#0*=^bnx`VbkZ3|eeh}cgi zSNuCIu?zD+KJG3iS~AfJ2|tbU(u&rm8|bWTL*16T9Wsyv5j&wFXQ(L~9`X1^o&^VUGQe`W}n8mIZsHwB%UIw}`&>aDsQp5}MWgt$byU+a3 zI?H>|_oVLykF_~GI4i^THvFv~Z~74TB~As_wK=6wMvY+@Lz;#D*0njEp$vvH5yAw^ zJ6ACv%5-bp{q?8LqRzfhC)@zj?Ntw?&Y{k|K+CF_XS%cMeCh(~LD1OVu`!0E>*Vrf z{e$&iN2uNB*$q#P5E1;eA9?qd-=U-W3v7m#Kjl9x)?*Hu@Q zjSLsM^Z)D$W8_>UXDl6#X2$zn(NI;+ZK2~_>oYCZ=od>HFYOX)yi`L)BUeIVrFTV` z;Li89EMuaaNpdFB;nOk@HD3er5AiGH!lf?OY!@#!MdDP6(SzohkP!x|Z`eg30N=mh-bj&lY`6b2=5S zb^1)B=ZKyw`a06APk5iQO#pl*0= zbzMn$c)dB1|c^r)oABt1@vxmQ}kC7n+= zz1rT5D@8vkdKKwdGSZ1gyi~(eZnUyQJuTxI8PC#S_&J<=fv+7qU2zBg62I`g=odu4 zNSf6(cFyL*OAfz#h*)$y1ivEqRf7|(cwck4FC&OwcwO*n!D|S|x+h&!Ra4K6EN{58 znZ^B0Id92%n+_|4@~VLYv0%Hlv9Qn^^ARq7^N+68BD^c{J&EsAWTGn@YtV@L!0E&H zj)@!RrKnYcR4ETe=-S!LoI|;O_xgnuZ+=P#YcURqTDTB!A} zds~_JpS%{Is%wHj3%SI@GdIG2#eE#9c#B)&uh26Qya{1Tc&5Cfu>`lRJZ$P#Yr8}% zS)0k)yt$S28g2`>wl-@^SzF0!O^Y`h^PrfU+uG^5BVx?95xuSGHqGf&*v{$ejczM? zd(k@>&D_OVtxj)aG1*CUJJCCnW~xi@EYvrQEUT=;8sD&sTOD7BG1^sDds(~Dit)$& z?%?#b7Nd@$cNg8MIh_ujot|m*9-_O5?%JHjX{}DrHhM47dyDQynq^7TR<%PL!ago+ zW%E}1O4v`r{uK0T4^`+sG>(k-EF9oo{~__2K2TmlUJ*S$(>(VgJ{Fj+vqG>aidziXQKnpaEtNVof0M30i)Lv~NvZ0?lR z)uDx1E6J{Ww7b84ALDzB++*eTqHC2vo@a?1=fbvDQjeF=TfzwxR6%BQ*bIH5(*tT^ z@F$5rS@bDJvdg3@*>M}}#!hAokx?z9h6dlGsADo1 zjM&g1taY)SiFFd|B@U&?##((X8f$3Ilr)6kN_tSt>;@@~QktkR>##tr1S`f=$Qr^h zx8~dOwBfQw$QntjO^hLG^9^bk<>t;7#q(v3mU#h9HVy|2s6>ynAzbMEmyhAE@e5zOTugk*HDN>E?cY)$+d2DGGmU6xiYS!!McG#Xb|bZz`Ya{~xP=ab3^%#8hgtJwEs%9Ht@s#a)5BG{4GOoo)WxJ* zB`uV68>M)IvKbbHs-RZNBKNwQw^-io^6sFgiVZt@)8S618?5Dbm*~4iFClGL$#VQq z{ep&Yk9&LBRhG(IChuN)mVdd@ia}MiwWx!_eXi|o+Hz_4OItzBB9{vfI6d4V_n_#9 zL_ge|#zu6fM;QI6=*L7q-i*c$!zY{`W%NqXPl{eenp4B5poa!-(!@~<7&@>D;VIV> zwhaGi>CZ@imik7}hlcQ+qn(DvC+&HmF9>~+XiPH}`M%`zXp7g&qF)jHs?jW%`S6<4 z-7G&}7rk2a8l%zjOX1X6r{`Jg=1tLWiGI5|jZa57J>TeeMZYKd{pK`wojZM#(I1Nb zNc6|e=}h><=^KsyRP<+}*OHD;L=OE#9EmolGJNjRftJ`WBz-CAD@t4NmetoaR%>l? z_}Y~Pm&LsQM#?%V-%^Qrk2N~qIlYhN{d&>gi~gY*U7QI&I(>}MKZ*WX^e;y98;+Uq ztJ9}gihmRRyXZfh#_BelI_va!qyG~9x9ES2#-JhAo&W3f{uYz}M7Q`%9TWU%sl@7) zjqsm^p2=ZGx5QteXCitNqZx0kh;sT=i%Bcdn~C1M8I1#ews5+S(OZh%N_1<|ysy|R zjyu{ou&Ej^hpk;|m=kZ(Hj=iL)P@p!d&5fW8^U%D-?1>lZ3S;Hcn89~qj)~B-gZZ) z6INt)65USp&ZJpi<3&{$O0hGTdxOI+Zgp6Pf5b2BDyzM$-DvS0TwcXtKFnI8=hnfU zwf{=N&T=`s%jrai@j|X*=~!o{`&vHjA-ap`uB6#Q#L;)yZW#7-{I{Ml(R&HsTX;9( z@r9VfLJ4$BTu55F_m!}pg#AsZ#+MZVz((eQSyxEd3Da zhf?RNf7BWk4V87(r zZbQKMg`i>@HeCNt@DZCx1Xe9rhm z;w!~hk&lhC96mp(b0HhTV7KyS4UttXtA>^ySfn5uYMmZuDX0@&FM23xwv$l2P)$|U zVtXRb;0eLKoV61g@^IdoSkEX;pdATE%pMk z47n)`!&y`pIz9E4_|T0JeUa#~q+>fTm*b+eYVME00aorEY%#i6-gtSJ(BoAyc`gf> z;Pl$7@R#_7iJ~Woo@_L}*oqhErB44>7wIXYr;46NdJFsm?=v<`azWo^t{h^~nJ#69 zl*_3oI=M_9--vel2#d~@qGyV}%IG2-yNmTxPS4~R1%6?c=-HyLAjFBE-SGa5(OEOPo*qZf<5UGyEKWA8Fwgf(=7P>bH_PIrs_U2^W0vxH9Uo#%^n zDj7P>!+2noi$|KcRN^v;_fq6@%p+ac#=g(_gMMW8;|44jf4}$@s9B3g9sX@HhkDs|(LG zUL@?CKjB8!p5~P@o|LhQ2A`sm+S(>e0*=IaI5>+7lN|0%cpm?ZUwB&HGxDCL#~KQ6 z*O43I_ncb~&WQ1QUe*h;UZln6gYhd|F}&nT#v=H#lvkv@N<|l{9oTGQ={2|ZH|up- zt7WaB#a3H0vl*uvT6?5w6xv{)xOdQ%(fd^1XY$t4W9haM!H)rc z?#_BE1YgMcQqEU&n2Zd+nEJKDn@o-u_(t$L!QT>QGSF(kvi$Fyerb6|*hxY=2|H6@Y;Z1kD5=Ib>zqHVTjX~Y-(LJ~ z?MA0@!iPlD)>-Qss%@j;6NT6SDJ3Ih9RJN0?PP`Lgy)H?Qm7q-2{a+*z_k zjM2ez4v}*x9mXhyRV8>s9_IK5c8SAOTWwewFsIXuaTfr*E3WEz>Dn2S^?-)rJNg7Lu`Gx+ORx#z# z?;hvQ+m^={%NZ}{5;}ShV1Ww`yRNLN4-;HD!7ejV$|Nb1sj%+h`q`>RJn5IZFtIv5 z=~E<3l`xG0Uj*2IR2wdHcw4L2rwg7T_;SK5hlS9S;R@%cSm0NRpDF$-@@gXGv2Xrr zhv!_3Fz^er1kV7G`Z&lkNw^v$F@fG*5LVPS1!#h|({5@$Q$t&9~!vF&h+2Xptn zF`I8yFbfsTZ48Ff1vsW59?*wYa|nxEyVExLE|zw?v^%JAMi`y?(vq?v`gDf9;_r0# zz4PKF?~;4B+$D7RK%=hAps{w3;|sdtZ}AIDg)b9+ui+RG;wcCBIo?zp@#Vtr7ruh{ zhF2**fbD!QdzC&Y{vq)XlUHo;4I6B>e#G&Ay2Rig755pBDa%@MjIjSG({v)$p9--7PN93x7fQi^Nr6&=|$pRZjnv zjB$Bc^eduYCCxSi`d}y?g`0%~tlVnn2Uy8kEo%)emg7=%73*qq3Dgd6xYG1aywICc z-jeb*m6)UW;!}9X@pYDpcZI(v{C(oA8AjHHA$c5a5I%6B)>d|WDB&XsA5$oVpG#q+ z`4h)GSo!%>_-De`64xEWElY&Yoj#XCo%n?>M1LvzE7HuR`btc@mRD5c|CSVmuibjQ zJQnG1WUZ6+Ev-V7P@>WQaQtCQ@_OOl3;%&Qqm)c!5v3oU{-XyYged(a`e)IxMn*>hw!4_|)XD|%> z!hfP$e6G$0{#0x*FkDtLsIE9{guf~DGFp5dg_ig$^fDxDLP4>~Ws7mUHg)_9%bQmC zs|jH<{CR5F9Df!HHP-Os=v@3~A@EnM7Ti+wR-#*z=F?t|PCt+G+}in;zs1OGBYs=) zZOCtoe@OBh0oytJ`WX>!D|masI}ldP^N0&N7mmMV1#Ktc?S$`4oMGb&efXq?!};Yg z>|F)77rYx`-c%lLitRV(Sh!I3MHD(p*j+*=3Nafo^%Ocg{)=Vf9>Ti_?@FA{E!JFP zokx;KL+t6w#x{Pxmz2GwbfcmxWbvh1998A`pgm%Q_7%RL@coH1xfy;0_W*|{PK)q? zf)j#^2s1hZd2Tnhfz%a+Vpo>i;+v$Dl$11;LV~eR9NRe@zu6L;6`m8GC$7gln?fl* z$my>;$M_s9`Vi5Fl4h%?p`xU*vAP2F6pp@iXZ|JeAwOJBcR5GUDdbOv_1ck+?`!#U zl<*$HdlF~0=a1I~gfwAPPvq3Dq)9511_gcB&RQPQk7 zPlXd*+Sw}elO&xi=@d#EDsv3@;H)ZF8m%%vO-dgrr&B2;I+ey<=Y^~v@wQf&1_`eeUPXLEC!z%3P)vlu?yRv|cZi&7IW=?&m&hc! z=fm-*>=Jdt>xB;`t_q+~j~0dC!hdVy9dD4(D4~f$OaczJ3d0=V$-*Ble1!0k#993C zCGk`kJGKE6;sWkQ*Uh4Q13xA66slulb-%#Hb=a7QSTxn_b z-E=84q+Cu#SIDOEh4yfTRz=q#19OwPS@m{*BBir;+>Kh5!J{K9g<_X}P@xRCH1 zKJy+PaJ<^?^@GA668}v1)V)98cI|@VxLBguh6ffn(1GzNz?<(+m2< zn7=Ig716I6U7SHLJG|!f(1RlVy6DxS*N|qWU{MV^0S=#H@258fza{u>!i5aa<5TwG z9mmI6hQBNPJ>l;YXS}ga9!KAN;Pk-#V@y62{gLR8Nh>BvRQ;bg+-pUIKNb9$;I)Jc zIf$*uMd5SDpS2wPLim@$zap;NlgVJo&eu-gYY*%RI1T%w(@$~>7JlI;(Lam+g|r2Z%HvnZudu*>6aKsKKZrAM%ub^A`_t)b zEf4<^{kQ0UoW^KFCj9I4(bmrXPjrhf)au8dXLdx`Tz+pu4OrA#+kovgaSBWmK^p-q zwAXK35+B-@_$zb<6wW3Lhf{+Xs2LPWYAh&DM50mH&=@xL03NrIn^p>7GX=0Y1K_Ps z;R~i=3x`*qhrh!wY$q>d$Bu^jms?aSsQ_G2s^rVjOF7_(%MPenHplG;n!jS|yb zl*2(;9UT7E%5O)(y9@3_ScL}P@T#p1ogH7ZYfQ%;!n+9XN?e5o#UK~vj%N^MqlEVm-jg`zm8$A^0yx|hc} zewMxOju+lr_zA>$fnk{1!~x%!L_E=r-nM-2BpD~mIE4mV6F4+~U`gN!_~BGn-sv76 z=F_C~k#af}w(0Qor%=^^VcNbfbm<(0GbEfT;VcR)KGj?eUt1cQu*LFd_rQWy5RD+*;2$|Y1#VDMOSF{&aA zbo%3iBRxoTrRXZs%p?pBl~^@E8=y+ z>xB;`&Kt++!*WiGh2X~L*2HX((I}&d1~1Tnt){qX!yLb2O1!{u;Uk2PB+edMDe@EB z_QNRWyS$0N#xI;Nezf=t$QR;YQCl@AT4>H@pFRfG>07dTUlrmoY=ej}3jTsc6KOh9Ti5ce-1I=F3?i=Vo)bCb%SERt^(+x45%%=Xeutm9tRJZFE?Q zif|Th2Gf^|oPVQhjMrlEw~N1nJX3*ngIK9~r_-CtyjOBd}ujv%w<$~`Qyn-+z!kusU=$_Ntd=lvgML#6^VWTm>fyKIy zI6d0F2>z(($3#DF^pKKrg#Com|72not`z;G=vAZ{?L;b*3r{)xF^emH;c3Co2!56@ z^Shymt*wgiobzk1ih(~b{sr+bl4m`Lz9EV}MgU)Oq0)MWFH3ku!mAXvhfq~(8zn0$ zOG+^-#6``ox%}RN@oKM2UM+bIWk#F#tEj9FubVgA*v0PIn=;;#@iq zeVZ+gdsp;(qTeU|e-5QPRh4bn0RIv zHflS)t7X-C(cg>yfwby7%<+XE9X{b@gn(c8N$}5te<946R}Cr)zdAd`mV5su_II&= zkYzNguuio${OR-`)&TiS^xvZYAT7cB)XmGosGtKTNAmki_=$G3U(FUUi5CwXdIEz!Recg?kIY9(Vd*mC9xT{v(w}2 zVodfB-9>a)r*RNLD(va>-W8GFOZ48NyE&aE3>@gmQ)?O%faW~8Qq{NiOG(~287N2EKhK$qgX2(cnMdw84 zjZR^LBNGmCx|e0Tu#vPC$xO0~s3DY2_QBD&bJ`O27qs3vE z)4$m>I$ZP!(IZK7EJBMn8p>)0;s1qEE-kV)&iRr?OS*tkYeW06>FH96YN%Ul+i$!1R^z@@5 zJw^0X(bGsXGK3{u=EBdmD`~of84@n1uyqtLby0+2s=6T+;R@HjHSJ1iGo@WcjcLFt z1y zyPBUC)f=SFlX@dnMk|3)easj*eHF_Beqp}o1)^^@8tr^k`?okf=DtYZDte*l+l&YO!nrgGv}7!r9C*A$Pj|>TU62cS*ln`V#6)2%kkP zBXW9Yd!CkxUMBipqw$$5B;-D)%UBff3(G~{FM5U1`80AVJmB;$4@UYy(GQ7!m^2fD zbpkmwW0FV;(}F|UbVnX>eP7G9N2Na|{c-9_NSRMh{WT#i;%1`X<(t|4aJc(*L2(s3p-h$Fd`*7o8rX_Mhk$U#Uxh zKMM)TW|7Am;XezViuHF#x+VS!oeI&LkY?1fdE_!b1;vl;;CYEr+tl?Aw?@5{^v$Gi zPMuLJN}|w&Eu22t#$2`(y_M+JMx&NT$=urM?{AM`ZzFnJ(QS;z$OeWhwsZQ2t0LW2 z^!B26AkBo}zT*JZ!vC>}EXSt7@46+3-9n*sQRr0A6Bw9z=P2y^fmr$4l^nH8NAoi{q0 z&*If`kkj{AQ9M}mA)*f@%?Yz?l56?!OXQK1GYrZNFOD-hv=S0VW(U|N!x2t#MZ=@YDgo+i4F=+liZ z!g5-yTylCDA1M678KTb=eU{PK+Juz%b9z@^ko4K2&k^09G}D5~ZA>jHH7H<-^oF#Y z>mjsXp#bm+3x#l=LMUMf3_632cSWJp>BUnbT_(C*bcNA?F^4_S=^u}d^dQldqN|L? zSC#Pk8tn9)_O2Wvx>|G%X{H6$xLz-a55D!2$ZSYUt%tA+`!e{2I)zZL5QZ`YrX`Oq zCl)d}z4Rf$Ekc9nM$t`1qwkBmILzrYtvfqh^a#--jZUS~$fr?GPpgPwpD%i}=nF_Q zElISZv1*X7Ol$y2WH+ScLJy(UaWRB33gIG!FqR=OE%;JlvN()$`jKIgzF72l(U%yF zDh&5!g45qv6*f`yB+-*ebJaYC{Sw7FJTzQbhF1)?I9%%P?pMbvO_4iQ?liiLS5YQ~ zG4acsp4chU(?!n^eYw&3R1)+RPJdx#@k-G%MPFrf4om#dQ*rtjYbDGQJzMlOq}$-4 zV6l9e4>8|Im^ld7y7|(g7^^ul=gPc}CVLrdu`}VtO!)OKb+U&04U*{{ zW&d)~_lsUZnyEk+t%&VIrUbd0Vk#bR_ZF_-z%M)~_aV6t(^aubr|>X7;`C`oKPvh$ z(T^LQ)tbB~oL+Q8411;MCq=I^nuA>EsW^SSJ?Kx1en#}Or1|Kk@_Eb=;n6^YGLdTD zo_Nkf_<3l&-t!9K1%>b;Ltt8Rc`mDe$>}yrBmJ`IS46++bdr-yuQ^?1kM8TDSBqX_ zG*ZshPfjnel)owZEzxh2=36_%CGY&0SAE@bdjE-T@wGZF_)|27VpI4Y9{#h?Y3XG{u`Tge=(LF5 z#AtNu(OBQq=>s__fnR7PdNa|RlV)17DD4;oLNfxLl~nT<$QB;Lpj#9GR!1p>trS9Q zhQPF>iqqI(zqQkoOCr6E=xs%}F}f&^@1KS3Hqh3lXe)Yq(K{HOOL2;8N2kxRcHK^* z+lk(pG%GNiSdd62*`zAQ$4(0G#a-N;dr^$nu5#PU-Hk3&kxz0RXa}b+UJ>bzqIVbF z$!LB{B@sG1J?5H7?;*O2=&nX*GF)T6r_)Ey2xmpv%;>4(|cNHBPlv1I!&56i_S() zEpEK45ih;qGVb1MU5~8XoZLKJ#w(3)zZQjqobEp=#_M3whloDZ=%N%CQy=E^U$(UI zaM9gGA7M1=Al!!|oqpEpprb_h5Z#kBQ-NH?5elq+`ef0k7>&mdZPQboUZ0NiX`=gx zKAkjEQItd*K8x2h+u0Z@V;Sk|?tB|#I79B4a?hfxGJ;}-ZP`vQwltqD`W(^yjm9c+ z#OqwA4{wO^8X)>S(IrNs350h|snai?7wIz5<)SM{GZm<8xFeIJK1f3%!&D4(car7T zApF&YP>DZJ4ORHFa4*tX)FFfMpN0DHy&L0|hKQ~fU1M|ttq1IpD%i}=nITSp9CGu3!M&&W7uOvUnF|0(OHaEV|Rtq%Pp%e z7Cm0{C8YT>$l#TZwgwv4_yFerq-BDKFvA9#CMtwU3SlxsU|N!>Rj}K_>F)hv?52pG zDtemH2`s5bXT<5gmh$PMXNbPsXbi)EzQXBRYc57&r7?oD6v%7^at#B~Q;!8l*mmLca;xX(h@LC@I-~J8qVBrh=|`;;-ynLP=o^hj zsl@Yglhb8IF(&gxFA#k*X(opaIXv-fKP8cz)c+*s77yfh&g$S7ZdD))707K2gvr5R zCJOf=r#mGDw+M?x-!A$NqjCNZdJlIxy~aA0cZt4R^b*o+iKVb>i5*fr&>5UdSA=~o zWjKeqBHZHvY*Q95w^RWvQvmle06hj+ag3Q2r=Red718&LUSTvwOF6UR^sl$aupbot zkm!ev#&QolVvjg|s&R|4yD{?TDS5*EqpZEQQvQ?jSJ78W z(%dikl+zz`78}3twCHCsiJQ{pUo|BlnUA zaO%Cf8a|q#0A5i5uQC8e4vkklp|3gprZrSw7rk2a8l&0J#pH_92Oko{epB>YqThBp z!J)EuoNjqwq~8_&p6K^UGbw0Fr1To&iwsR%Ps#@#KxZq?A1Z*46u`#}K>3Uo5Be)k zZ^ysHFMKNcGtp~}Ms0v+`E#fDw${`aqQ4aVmC<;A;|>0`)8nkw@{QYy@}JIN!4sl`loU5l$-f)? zi+C+u?LYY~zEOV#e<~$-C8DC<2>)4lKfl1cO}Zui3jGz)n;4xd&LQ2KI{kn>$*n|h zCVF$Du|5VV*~00q>`C5I^j4x-YY*X^xr!V%b0~yu6+#<^ zz`K${Tcap!=X9saNVgTez33f`=Aa>VdOO|0O5{$W+lk(pG)oQp9IVgzG$Veg=JDIb z!x+CJUU652(OzNf#xNK-W-~GQ(ZT7{PmFX&(YuT8WHjE1$m`Bd_p?{%9-_O5?&>t= z*3fTpx`)MNFVTC8?naua!R|G_a8)rOHRo%W#=%bXWG2R;i9{XKEi0+NYF<*y?#Ip z`zX;pME5j0nZnN8aJ18Vo)qb0L?0`<7ilIFQ)~DVJO0Pgf|XizT$vt@bGt=0+Q-Z8 zE&Bx8Ob0uCiEyIRpR|nhNuo~{eTvaI=Dv9Pn{o+GzEU8Mpo`$Ra`=}y+z93c8U(IrM> z5D}>;b$Z1EG0kP7%SBg^X8z`KX!#Z1%Gk)4NETu?(Cz*1iS{7bm9nd7GiDi`voYA| zRyKz-M0B<28lyQ(gZ_-uJ7{Ip)i-!)HgNiBOhU$2l3NsF^G#5#CQd934>4pKuN>Kai<@$G5v|6 zCyAbHG9M9&j_qtTf5MqPH3(`zj0^F=QZeY4SNv=^|O z-08I=V`6RI{mMe(+ z6~qb#!RY0*e&zwE_p?6ggQ6c2{jkv-EX34{(;a8U=sha>G0~5c?tp(lgC1>EjPvs; zM^6A7Nh|6w`BsU8zwlMRCp?&w4vE36R4`8}m{kmhQN-9cs_mzoURxaLr$s*_`dOoM zc$cD!<8;Ov0ndwmLG+8HIogNL8dAhtn?MYU|4$5G@=*F%)9+=4@`^%vm7y?(Xt$wI zz2Ac)1TV&^rq;yM8EAc>Phr-obGPxQ{EN*p6K^UGs`i7 z%t`)2Ll6J||C68(JeW0%H-6zm1@n=D`Iy1*A8@1>p1@C>9(})H^maslCVH*WSg^z1 zj?<3~jPw_xzZCtI(aAJNAis9{zf&Xqjp%ivza`Bgj#)((Z%!4m>sHk4lbYXo5Up}C zi1iBMdj;_WgD8|AE|d7t>0MKi{z>%DqJJ?O^DTIF|LSxbOZso3e;56S(K*ZkptIxj zK{g}zm*~Gm|3g|eH|9T7)G%*?DdlEq`PV~OYy;f?DTEg5)ZM|KN(=f*$h?j4pM~zu zq^n|DTH>$J-4VTs(Z#CgH+6cxJ!h>%Zzg(kqjB5}>iI34PS|kxmZG;3-I_FS47TEP zApz?j%txccv*BB(TYC^|wu#Z(MnP<=Alfhp-WYs41m$Ksr#tNx>9(S`7rleg=;xvC z+0p5?Ga|i{=ysxaHaf)>Xkizpm()jkSJCZ7??#%vP<-4IJ16izwObST$~ZnAS5g)_ zxc`97GyNgPcCaUNi@bK1B4PqhA2gm8ltigAb=pLeb8jZ0Xl>DQe9=b=&;$uV~E4r7_ z39ReH5;CXnwn6^mMfVnc0%@iMOXsq&K1Qbyn?GXFI??^9HeGy@{FCLMLZ2zYd=1(U zr#ii`PmJ4XqWg$GoiuA0^a45Vs?HbJVb(WQ$fWC%@F`_6uT6%0!oot{}Z5 z{sDC*))Zidfa{_*BxIoLi?5IRAnBFTtEemE(3HZ8GN+F|CelMhSBtJ8&5XlS!|?=- z;NW`64cDvn5N>}khES&v>J`FJhQRA#B{FVQaC++aNH>UX6y0QWGRZB#!<_EXJJQ2N zj}Sf5=wci|ir$XXGpz}9zUa}SFCfjd6yeN!_P$j$WA1T7S}ybu)^&>48>0{|QV3%i z0@K1gFAC$F{?Cf&#iGZHzQpLXW)~(ny>3_xd!pz`q9>DP4Ta; zOUhhcQxWAUlBY_ZMp+R{a9-vzr(a(d>FJ_ph`!wDTrr>2E1aHh!+lqZo+N1MPFw$MtP9E*E_w} zfswvJ^gPiw8jU!i1$dLwQ?`rre9;R;-%Og>%XTboJf9t&;h$78ZgKf|dz^2TyioFO zl$E`B1!B_1=@0IUms%|PcF}hjoyO=3x;9Q%H%0m`(RYhpVstW#cXGJL>F4`Kda3AT zqVFZm(Sc&D5@GpJDZvy^P03(;-1ihfA+ z!$#-PL&J=X(;wQ~`%%%4iGJMZTndW}!V^w!ZdKk&(NBtAMVhw*Ri1a&F~3tt##1iu zY&GE1lAn?MEM=9dVy+{6&goerW1^oI{etKhjV{WuN_olY*SbXdWznyQe${A9RinxB zn$uZ(i@h#-wdggZc{`Y&xE+Nm1w)~QbiCnq%HI8N%6?1s+q9VuEpQF*IK7z-)4ePD zJ<;zQjfM*f$_Gwwac)eO`Yy|Po!Ik-c0o7q?r!9n%JN!^w}|MRJb2oxINe! zhFi+sN_K17DvF#t3tKxq)<#FR5xuSGHb&#TSoTnyZdnmy)>icPqIV$8m=$3GnK!;L z2ULjJj&AQ{Lq9voZYO(Z+KgEqqtn><;`GhS-Nv+ycG!(&hrw;q?&hCMxiS@tH~O9AYy z0J<>%CZ!myDV)md^an@8$n7h7KhgUejrKHJg$FqOfYn3?icW|wBF)HQu$=3k3j^R7 znD@vPdjQKGh?h$$fRqAAGXRxaS}sA*qVX7Nc!at z@&MLNjh8!E0UV+L4rKtm9Jl2q!(mRpdqt!V7u{X-5k@D{ICUl*>GY&6BYl+U9-@01 zjToh{C*SEet>_;k`dHDuNV6-?jYU{9gD)*$>;X+3e5bbz=RD!?ow}xmaGZxSZFaoo z@d~B4LOFq!32%d&##E|Nuo~{eTvapoIjihr#ijBT2ZHo?j!niqp=DEVfS@< z<<&9lGen;$`Yh6H=4Pc8G_0ww_JvEoqi(| z=>ek86J267mJpx^Tk7->tJKOwmy5128t)3Ee4x{7tSL1}bfxGj(!4hqM`FuUl^WOU z{%?8)dniRVzBELkR4bGkhQjn<>=@~(b^7|zF+Fvn>qQSW8bfP%*#xII&qcaHbff4d zqtSQ8Gd;}duI(c|T=WRhBS|wo*t%R;LWJiO=}G->dPaFDr`y7t^A*Zyg>nHyQCUNy z8q+pTANo+d<`~fzi5_coI?q1;IH$K8AL)xlj~9K3(O4Xhw$%iu`woiqMA4H(PbST( z9ZyYR2_Xg|IoMv>6lxp7rEc%gE80_JPnA85Hq(J-G8)R4IsK{K#p$AFh`!uuTne)@ zP9J7x$FOoS`bhH|w|=#_i3H zjP@Mab7fygo3qaYD{vARPWyFy!1n)7e7HgQJmEJI-xhz5^R}{heh*O@PIfyA3l%wPi`T6KwH6K`>G>GUYxDsiF2+bFVmm%$byE~rW*&0OT>T~`cV7c)7g|8saw_xGuiiY@sln30p-j1$#P}W1T9;U^h1fnJZ;JDRULgRxp_l$iMKE z^Ajv5o)-U%_-Dy;jap*EC7yHTbKVO4!t+vIkn$oGW>c#0`MdJ)k_*QK@mPN*;S~w5 zQsBKwq%i6jUUT{|UKqddy6DxS*O2BvB+Dx-(Qmji^Bfs1!kbdwlJd4G#T%4&TzSEs zp?9UcC*^%AECI|Xw01vme3)g^hr&M+{xR{5fpfib_{8D)mV!?OeVNNh(_h2G{ zFHM((&)wM1x+h=A_)^AKG?+sei@}j@Upw8W27ifP_(t?P(cd3&A97yZ5H zADm9(-5h>&y0lC&RB!pJ?=NqJJ0thtUH=9nQe~a|3Nh|NSNUZ_)o4 z%}p&hIN0gqhQw6b&63m?sJ3$wv6kLg!_G(Jk>;=)8#D#AqA~hhF!lPA?e| z!)_&dGtrwHjhNuztu35B$HLxH^j4xNWs-f10NIq!|Abd<8YlulGw?d7U!(K$!cw2_CJ zb$07fn={x$Ru@@aX>Cah=MU)=cjWM%?)+iSUUK%9(~S;mtp*$jTY*;HKF-gX6qCQN z`2EE1PoB>U?{+dA;PgFqw+|GZ5M9)aPNze$(+iDGicX16H>0zuka2pc(OJA&#aH`{@#>Crsn(#itPbY4-GZXqcz09)w4AEzbKFer4ytw)O zoG!PA_iWMUi0dcu)esq@F>>0`K5hptxjgW%%L

    FDhemN*TY{iU+v?&vY$Loy9r99?XfWK;su06ilOnX<{&{Y!bPek}#yA zF${BKIm96kEn95Ayq%)k1jt0^=mmaj$^cPDSFX<9WybA%Jz2nhk@#FGgf_pzS#4G36i2@-vcK3wX;cHIim3sWRal`zc&%v=iBZO1RDhuD-*9mVCJ0g`Zh6@e4Odm?z;z3T!T6ToB(Qba+#%EanSdAoym7(FqE- zINaw%1&sYHf)@(DjWFYmArtftP!%n5;Sp9L_=Uw1ZkKQe1x5wktaP~3;kHMJ#qq&{ z?-sm-FhfVxg0riNli?m0jf_*|=Qr{eo8zX6P8d!oH;9 zOnAVBTaS&=c~HVb5+0_&&~a89CPW-gOpEZNf*%w7xWSk^&xa=*zWDA4uN3^G;8lc` zPz)nr>LDMVa$!+<6rPswjD%+?Fe*tbE(*^%-0su}KQH(N!7mbK=vcbLGk&t+B^M^l zkHX6mUXk!B1tqj7SsY$-xcj6Czb<&S;5CF9y0Q_IMd1w>79JagHzm9!;cW^G9eJJ$ z?>O9HOBGb-4Sfw7`gDtzL?d84B6sf5oY ztfioAEKa7v=MEp)E5ct0{!;K)gc&+E38BPb*z#)^&bdDd-$+;|;ads}U2E>XbNGO< z5neC&d%-^tX6QUk1GPXl{OH0+wo&j4KS}sm!Y>pQI!A$ib@9 zaSdEP{OLkZdy@W=@VA72C@^%K$d?NLI=t!CG4%fgw^*;f0sa(>hZ?)%@n40m!It(= zx5QteYan89<868YsVG;{t-`lxR+Bt^aR>JlYcA&t}b%yJX4o|o@!aE6W zCwOPV3>}-^*f!3GU0g^liNdZD+Dq8Y1>7bSvRvrk!uD2+b(FBXgiaKcSS-s9ogMCC zS-FScE`qxfRx#kQBE`kUVNVw(m&WMqC1Gy~-6#|ii}%t#4mVk1_Z7UK;QbxOI^A%9 z!>8FQgaZX91Q!uj&fpc6NaEoxcHx;tF)B$3DG6y4uoDIg@A155TsZg2C}bt%B;-xN z36>n4O@)J8SY!{$!4eLUa3}>P7Ki6xPQu}p1|KfCyWk@TGyXXJ8B?-&Asp$#L$}1} z93`QLgq{=_dZ9Pq@ZD??;unq)e5~MJgq1rC9iw95I2RV*6NTd?^pGnX;S(KR zV~cW55`41YQw+{wIcGR^18gCmCb*B_(+R80V4ymI<3K}S7baRe=nM&GN;r!Gqk`qv zxzNwyUv7@^K3niPg8LhcbfP=p@YPmk1_(Y+a0y{X1v>(8Kn706E_I=!31t$>B~(yg zR8lyQGYoXN_0SlVL4qp8p4bUCIPXK427%Kg<)LShF_?Y zP%mMq3CRoutXK-cg}Y9RLW6`x2~89jcdU@W5x@?2?Hl3Yf=37*Nm$Wg=s3SGjB?@m z-J@{6gwYZ%prG=?SIvbE_qS=)F@i4=Jl0?wypRs#9R7Q54EbWg;{{(rm{Gx;4OUm7 zfK6~=;&D-!C}EO>$rN;x_+Gly;U!ifO%Xg*@HB&Q0!=nt=J4-l#gL~9o+0>h!iq{B zQQkrE-?Zxt9*pidC(taG%37FN+sgF8F@ID+tH(g#}zFUk|u2-OAU45+0K9 zFa?H=Nw;ix#Np+q#LyoV{Fva!2{Ux;0OkUcba=vrN9ILgrGzIXtTF*JfM{MLgPwBX zNSg$FTEa6Do~6L(U^*@to^yD$HD#U`{DR;Y4Mxsj@sh)rSkAmG_!Ysg64t%KVf}g~ zz2-vAz!>+}C9IaPh61C)H9z4EhcE3M;Wq`pCHQTFv5F%V-f{R$t1;dc{GQXWul?19!>wcUn}pvb{9yvl5J6)GZRS5+*wcCwe@XaT z!ao$4V2r+}!@myiZ1Mk3aEtHNe8-9IYg5CSh|Euv`RFkciS2F3hzy#Fi4alF*t0}|POJ0yW+qv+932h~8FJT84xOtVOb4M3u*<-kqgmw~krl9h}s(u%Tcf2h| zXIH`P1@GoCPA&``9A0lPk&c3Q7u?BUtb@sh&JGt@V`&e;T?BU}%!G2`H!3GI-(7gW zXN<~T684tRjRND1wQcFJkHaTqBfPKR{RHoCFpr`S2RNLa7U2U0Cj=J}W>m0p3Zqb{ z_KID2tZNjK5>gV<6jUN{d{xLeoY*?TS;0BMdBO}Gix9AU1$Xoy7v@fm!od;_k#Hyl zh0Z)b%;7^ekMQAwy9++TU>rx32}e5o%A5!vCAf#+o`e|{F6==|92+5ASan_$j*)Pz zgkBUF72Ka}IL_f8tT}VM;NF5yFc@vT;&7tFL$8e?pCtHX!KV;rRPaz^ToEPlR2N#? zgMFHWJ`zr+z^Gs)OEUCzc$QUrX9zx1@L7bFP^?bFqAu)maN)hm7@e~voFkz>1%=Mu z+qn+!Y2|!?;PV8R7@Wt+hN0BqDtmjB2`(30VK9!H#3CVwC)wE9AiD;l+JoyoX4rmQX{1@kZf7v)$p_tYFm%t`|I%utLY8I+Vmz2rhI=$Iu%jG)icq zpwO{NCk%6Vxph&83mzeOBw^(_w)3EH;p{0FF0(iG`4UD;xPSsfPx2*jp~Fj0j8PdQ z_#(k$4aVBkd>H5OYZpiOV!`7DUqYBs!PCrvhkTgeLj2w$zSSXNl7z_=6qO=8(3d*= zi&aEZ1Wy$_jW9#UCJ+uhWWr@GY-QzTx`Y`LE~miIu}dWvu5kFt(J}5<3Z5zWD#FS} zZX8TvXy9rWrq@SdmW0_7uA#uti?QK3TRxd_h@JXi2_4yW*pUhi;Et3+=QJWueA zgq4kG$|4(6;U*VWZV^MDFJXa%n@vDB590{P_gh@p$GUpAN?0i2HVTY8Rs*KOB8Rtp zIEKDh@a=-{Ak66C^iqr?;L*F&g=ej4a+id=B`l%9&{4%?!#xg{T7|S!@G`;o8l2z+ z=Y0;ZvV<-de81oogjEC>6->{D2VA(uhQc0{@Q{RuO+br*UF=MF#D&wXxBsYw$0R&X zfpNz>DH)z{_(gjktrYyE;8lcUnL&RX^~_T)++=0uX$j9rc-91TgV@E!u)7P12{G@V zm+*pw7b!40*a?~sFFD-J-ls1Mens%Bgc%+5A<%2aYvwfgJPuUJ%JDjlE_Zz|M z1b=HVLeGZp96ruMUN882!9NgYRPflLCyCnkM;BUcioeG%{3PLL3BOQaRMMOP`qklA zty20;@b7~EAk5IYr$E{Grwi{{iTq2#-xB_zz|e671BTok-pj_H{uA8d2esMpX931m zrmzwItI%HG#R^wT{1w{kf;TZ3cNFK*Iy}VgW-Gy)3ErGA-GQ1Q!{c%p)6%9ZvO&a8hteaGEfqg3XesfRT+E z7e2Zr3Rwv`33(H+$Qr#cMCTwE4&t;pe&JvVhe$Zo1iUBF3&X(jVJ>`Vox;NJA*V8a!s3GO5Kbb~RPhjzQeb8H^) z48dm#K8rBpjuqSJpx}A!=fWFf@b~zIvn8A(p+5yi1=Ae4aIV9zjuVToTL?Z+a0y|C zj$RuE-SJ*3b>aI(Q7Ds8E}?<~L&s_Q$uQ923aiBi39b}eMVO&;Oap}sZFd)XTi0!f zglY*j6qpOxB8nST9BQ2(YaPit@%7?|lII1Is10yq6Ct>8*Gc$${6d3-MhQ(OXt{GS z-txm-xT#ANhD#VBVWbIZF3CnGA&he20L#(yC5)DEfeF~nhB<0<;xBaJv<2}BVZ`E&FN||5eL%D>mNj11CA4@SFlCbp6C8fRvUQ^1NrER6=Jb19 z>VlJK>al*`r9DdipDq!mNSZ2X8YNyq>%J~?c)l$`nl5;T;L8bb0vNm5@WII|oG!9C zrz=Iz6nzzGzJVEe418Yg_)3fZEa9_-U*kAW{7Hpt9e5T`+m@F23yXZSev+%PZWbnDdGn_xNz1_DG>9IzCDEcGO zA8(*J{QZg3qim_jr=mX-y_PiV*ut_#>_h+Dg|byKGG9peQo>gh3gt3~4Ow41eO6_p zzY)Do^ta7vEU$OEpV8|@e=qt6(ku=5ZgxZX(c!7~;q0FT|19_y!fcxGfy$NF4X>@P zD=A0b|LR`O3d3*mewX(LJyt~c5^mv)@$jb`owkm5>n|C9%lL;zyj$6P_}A%j%m4pG zxA;+wd;DoMD$9-VpM}=_1xB~TU!ip`dK0J9ED4)BeXeCtE76;Y-h2a%S@f`l(}RrO zQuJ1$TQ{fEVQZ(WjowD|wxZiKr*mODr|XPvD|&m;JCJ5BGWYYLsk$QU=tkc1eJ2_1 zWb901GZ-}`_4RmY8^SIw%sVn>`>qn&OW2J9FHu$7SW&BQfOl|XNKrI8%Gg~-Co{@R z8cPONRb#tAXE!GQhM@2Zd&uY_qbm*GTI_to%Y09#-y0zqAHNg5x9Dz0SCy5cHL{P> z?{|x_*;n*_qW34=62UZ z$TBE!8yTs!m;e;v53a$^Q|- zd^Q~E^Z+X{M~Utsx+iIlEuqAq=~VdSwkro)kvT@nu~K?bVM~G+z)85rIevy+;dtS_ zg`Ys2HFsG_eFID6iO#S7Fy_rk;!hTT3VAl1@O@Zrzrv@^@wvoPU79#A=Kg7t`bavR z5-);gR>0=9(AW8sE|2^f;?ER+7I~F|L^kwu_JCQDJzMNKV*4B0fUVExI{TrOf&pUB z6I()7r64h)B$PUQv<(ZC2`(30L6{jis4A2rV+J~Y;%+e>gM?QKuOiMkH(+}`ztAAKQE-#NsXX9e4(}QwJY4Vy z!6OaM7XcpSaC@7fIA8E+!527O4EREaPqHzCF@i4=JeF{LfO4rY&gp76Bf)ecX+FlPBI!LtQlvjHw{ z2-iBi!r(cA=L)`#u;pSlT<`Qy%f%Z+&l7zkX*Q{Jpk`ftNn_>6aFaXjUyjk4FK2^d7hFvuiAswM^E%wD_zlTD9Rm$FDynMrpb5`-QI{&bMUw z$OhD7^~k9Q+?cR&G#-@kkc@|EG>cXhH?f59h+E4oT93+lOxEMHc%Ax&x=@8pFJ<8g zH(scX*I6m!Ng1nX@L6c62z9j;gW%v>Ytq49X=^07SQexyb+iD31;>wRFM&(l}pGjFuWg`V2K6msX3;heBUkd$-sGg}D7Cwfr zot{(&AHVR8=yjsMZBFA{Ag3oAy2>$Byczeu$6aBmBKQ_=<>k|HSy3+bWe~JEE^gqpMd{)ls!AAcly2Vdw=i|>p zOfW->b4&4`g?4_hwnBYIoWZAe>FEK`lm@QqRl*o$ zajM;p&L3s`PU72%-KzPfXSj}d&V;9i8c#XrQ7z`>iQ zirP^n;W!r;T3I+=VsD8jP}~M0jut4#Q7-IfV()l$IMKa_8e_JdB=2N-r_kfut)`*A zw5FmQg$L#JRF_^oAxfu7>LclNN-VGCB_r$W(5r2%!liJ4scT#Pj(^23oFVN@X=hPm z9I?yvf4qL~JuxF*?reGI$m>rpR+d@J7C2pMmE{1@=ZP-aK(j(Cb^02k%S4xpu4qmd zhk;JdF?x{bO3_uMtzDeA$8@kuM_U;iBB@$Z4JGClN@j7QWLQa6bxA3DFSV}qGObQp zy|kg!^r8*}QI~|^_?^j^Ne#jqg*Oq8Rc9_6hB;krRp)TgBSepEPUpiYr)!KpU-W3v z7Z}Zhb&}yir&rqW!WhvPi5}aW&V_MKKW+5IqQ{HAq#2FdHNolUjGicZlIY2#Ra~2@ z8>?8?p&|;Gx^%8J6{bj6&FOr&!s%y>zEbo|(N~d< z)lP9y4cv+4jvt-Sdbqy`X2*>Yp@sHCN%*9{g7v_kbEBd!)(r-!C1<^glySDi>2%oN=1}} zs3e34NhNLCD3$;F^}6T%o~hsG@%Ya7(e-?O&hj~*^Eu~y&gUG`%Ru8|p-!=^S#DC# zBS@+wb_J!ClwMW|cZ=*dB_F2CVCX9*wbA@sMQJsqHIVcw1W+Fp=7{yGS@)~;8m+ao zUWavwL;ykIYw}_3%4@@ zlUC?EhPP9E6Y+P6Zw8LK5_oDPKd(tWs_ z>TRdDgWd=5P$ChY%oH-Zv(g`t-bwmn(7s_8NWk(ZyG(dYg-0j#2rN%5f-~0m*n|eq}tMrKu8MS{qpq@@?$9m% ziC%@LtIE?|j??+a7N#5-{i)_eHPY2d*C<8H42haXf2Q=6q^}}; zzLs?DQgl!jDK+|YrLQMlhjiUiv^?DE8NFBO8%WnD-9Tx%VP&}ZMx*;^7B?i_i1baM z(La#4l(H;dOnO*-vSn>dsTgiH^9_Ahc?-=1nu##+FzW3J&`pQ}QrIto51nmmOvUiaztA~5A^cpRAnLSSuy|-c+8M z_nP#^20HRlFs0^{T0rv837ON>(&%EnT&+mACfx=!>J^#JBpX$``wc&Zeyber0pbr5 ze+W3bN-~8n=-L{*V+PqW?qS012)8eRQ$ntT!80{`IuhP+hd9fbS zQjIUR=qB5_uD{gh$`qdKX`X8;&V|xeP#}XMc}3xz?EVsiX=XLc_SSS-Gic3(g_vuo z5!t9JCKG<1F>l>b`DZ!YEPAu)&4Gu?OWM*rU|1SB>;BlEa|1Tm>V5v)s-Fs&3s^_gOw6@aPrk3^q@fn;h;V!aE6n3>Z~)BrD=}8T-_6qOz7K+1+IK zfW?V>LwEIuW?kMMrLIB}+o?FWmGtGHQ6ZzDArBJvqOUNg=TrWwRijg#P7OGyc(U?yqq(ejYMRkW@A4~YTt(w* z7@A2TSIg*bnn~A?zLs=trIATNcb(DWGC@=6@ z8a-0a+=_H-(rrp;`I^n$Z}fPjA0Yi8>4!k0D#4|aArx7tQeF>by0)fG)Qj{mwRY6n zLyKP|`Le=wFnYRXdq>ipNIz1VmYGgQKcn=cq`Q#rT8d7S?~jdsPU&u>yORzpE#uHK z0+?>}@qW0Va!DhkGe}2E(W&wkgVEn9ok=>2bap8^O=de8{fpAQNav8w1&yra)dpfLd>8=u$}Qg(DfxnXvc_QXpxFQ7EKP1OYt*Y$z+UCi)mYYnHEe z`V#L)yjby=40g&JlKzGt9_jG`#0L@|1iXTrT|T)^kv4HJnbP1MH|P3Bh>yhR2|9!6 z41sf%{3@GAX6EI`WF#QJD6g<&9rj{bn%fPvlXU!>=a8-gPcob*8G(}^ANbu(qRihP zX~LccUKmATG=(t`PzFOeMN(p)GE%YG>W*f}$9ylEHGYAQ*h{n)(pm%ywS z>|ANVzhX)k&E-{8R#RC61z8}2R9N0$uH~y{OgZNRd5y+e8n3G%TV(njv)(WxCKD%l~!?J1Bghf{cp< zWXJ7*`_P1EZ}lO3L}4d|k0GF5N)2boi$u4}@T(Vk{1f84iSGf92*s;0`C@Ia3A42# z`;@{y3j0;SB7rg%A!`+xFtMo*;WG*cDI9`;u2?7?n>rM_&y8=q(esDNA0dAfd`T9` zXvY^Oq-qu&qwpn#;}B4+T zAaz!bEIR+Y;nVd-I!*ix@jrl<%AyqarwJ*VMQ17eMd5D_{959*f&b?LAkn(ctS9sVa6PR$wCciQ zv;wlSkE|Ra-3l{)Xz9bbfku5A4PYRg1nDFcO2Z*DH$OYW-DuXWdQ&u{)ri(juy7N_ zALVK8X5*Xc#lD4n0{KMnh*wB<8N^PANiNBZ%DSvofJTr;G7LUqd$?{c`t6mFw%I|Mu~)35|wYO*wSqj@qVtBGmfuAn6| zrKsIW?Jj6|%#?aI%Qw>|P0%ZI52dD*nnA+-EYBtE_mh?^BiH#T#P^!Gdae)cK8npL zwt$GNOO_qOWW57<3bZt1?r?9kqS2a08yLukgnW7YVeI#Q6Ry#Wdw{}&6dr<5ay4by zQseK|tNAebcI4ZGN0elwSUz1&l#z@MW^7LPQR+ye6OBh;AWEV1oN$KBMsS@?NZsg# zM=5ln&=o>Sl%x-0{9PKQZsfa@4})g_vT-Zhy6GmYebomLp^!l#s)Dq2WdfVD;d+>G z>y2K>q>x1+8^V8XNO{`yG;5Mx_FlAdXyw8}ykzAOsePqMooB*?T0WS33I!B;tKjdf z6z5E6rYVn6D5OxNLMS1Rqk_DjNx}ZA?nx7zwnxTN7)N0|1f<#vC!5en%gGc9Pg9r*0bP(3$t&5hmu=8#=9Hi06F!~J3_3I6Adq+)RMPQ`31hVl zI*Y<=3UgGDk9Y&}1d<+z2|E`05T2v(JcSn^{HOHFG^Dv^jn&dSkJfxz3t*wfz-lG( zjen`O?u%wduk+!(L~|j{MKF<~crlis7Msvmi}4Z)ODQaafGd+A>qttwN!pgn&6tA1 zCx=@>VJu$96#2=N%ng_QCVbnlx{Q)9H9#ts@Ez|iK9>}p{2a%~QMM0zLb zk3r-7vX7>;JMetpWyThLgZK%J-8A;7;qOEl>DX(=lX@q9N@E|5{c0r3NPyI&l7<6j z%qaF(?=u<)X&i!qHbi1V1}7`XEa=ZoSzFaBhp8N)auf>kL*C)aYNOU9_`L! zSEO7+FO-#^q$@(o`rVZ7raUr#G)GmU?h$YITD?CWcn{ZioA5H}d z6)9W{0r~46r1-MKj3)XZtwiHe8kfO95STL`Kx?3~2{W}CtwNzHh09flSEKSp{}m=Q z*BiYWh3XV)KtS4)LuobwBm<{4O`D`m#w)2^MeS;6jF{}{$q}GhCXBD+(|!$wYbn%* zP^xUnhxgZ+F;~mh^)%|xs0#x@$Zjz5Xq19d&xAQo`XFwgP@h5r72>S{+3M~_6Q0%9 zKtl?RDBPq%qO2{$NA=And{fPba0`V53W+Ktr^*Jdc#0;OFkq+`0u+K2k|E&PE*p2q zV>kY6Pci2)ZD^*_Nuv{jgLM06yL{zs!gzhQH>PkKh1($@YdQB%hBV~8hZ%jce6;SM zaVL$t)CkFX=CZ1U)V_C{@u~K%?xE3?Ml&^h)gW`_?lohQUcUQiG^f!*jX+4A>F zOEcQ*;vubQw5HJp1`_U@0P-Tlgxj?2K0x6?3J*a*!eyUmKO)f9j7CA9@P}!%qtPA) zD)^+53ciCWpWfn?j#N5Pc?3#45Omzp&gg8$(114{rO|~(S2biGdiJSP-D76VL}`%2 zb)(UpMi>T~O;W?jld5#HDc#J(`zgxH5ttBjbe5jE9=}WW;C`(kOy~ z-dkE?I8r1dqkW7&w#4&&$@e2)3?8ZQHK{D))!&Su)}#Yy45TqgjS#x-A>1U7n{nAX zAI1|j2GbY<15K>7d`#?iLk<5-$Bu>(A5MG(a9rGIPAuA2glM8H^<+-xa(+-~6rIs@ z#=t=`0@8L!;+^}X8Ld0`NR6d2j>dQxY@sAt3*{+OZq!O^0+oqWCP6_FNs-;J*wdYC z!b4Mi7*i-bO<}4Ec%77(DN8X{5fKnMs$d&nSnR&7-hI_-D zhHHG(-lVgR&U!d#Gom@<-ZFTA#%KfKjfCF@jJpIc^kk&?9mA{X1kp{z-zB~oI5Rd? zCL3l-$MroEUO{%q;kHoNN?{uW)C`G!^!vIgZu~JG1eBzk;z{Tnk^5~118K#^+9|_;UI-W5ZI?qkcAWE+xu8VUJ2)8i2ZXjmssC~ z<`J4lVdC0^^D^c8QTK)64YvD$juHQo_;KL4jphBJ%)`x&$xcUKnQ|oTE3mJrd_&~~ z6eK1kn3|M^`{Y{_%0A`8I7#6<3g4@csQ1YaCgj!k!jBYwqHqcV?zm{bu)G6K=LZDR zUisOyBbWGy{X*?mYQI54#N_Fd6ha;Ly9w`UJ#m`C847@niXkY470NQgLIUo zO&Cc@EU7RqG4+zMUads+QmU6hWx??;HsyPj%BFmo>+_-tm8w)Ohl2YiIW;9IK7sBE zGn#2rx*Cn@G-|*=Aei-%mY9?$t%{naOuN~~>q;tDQMnpQshd*zWL2u4$Xk1I9 zwi-#&olOixB#i6K=&Nr~ucuLmMqL<)R;VPq>X|ZnqmR}NRO(Y{00q&)=6{L7>}2Vv zm=U?j8x3hRqHz<9|2!;YcKyv}J*idmEwmD7CBi~DvTwS)SBywilVnEal|GyRjUbI= z82=4N7MnF|jE0j+D~(nN7Q&GYMdV#gc1pnAYDTdx9^074Z8UCIBV^^ei5bl{`k388 z<4ziP!T3+iHOEc)R9srN{>K7Z5V&4E)CPpCOrC?7apb1g+f;dh?lIY zEUo3ReC+g?8TIiYNIQu6Gzw_+ zRzo`$NzR#(q#cVGjY1klFp#&hnQNj~Hj_ zLc(R-0MY|V4^mnlunDrugwZee^7Ip=2a_IBLd&478*21erH7FoPI`pWvY4=p6pb`G zcAh`?DAJ=zj{%JjA@D(i%ovjf2p`7oN%L0gM-5}?jiWano=s5K+zQewNxuvlJ%YR*@(_7N{wv;S>Co1ndX@Y% z(yf-iZQUCA%Tp(Y(xf5qs?q<{#6Y+P6Zw8K}%Hp`vIg$VJb6D2)g9Q#$+T?1zJ7%aor4 zcR>Ctp6nlA#OWn~&*Z0(?x6f_>ki4^PJn}HazlSE{}qQ%=94Ys4$Ds?-4XfQ)*Y3< zCHbH1zA*e5&HrP>za)MfIBv{ff_%in(*Kni6}$NWzNYaFjT11CTrK@F-`#y{&Z}C4 zPSW{~&i8QQ1zM`fALPH{Dd?>Q`bYU`r29$!wsoiEZzsUA|3ZTMS^g^y_tz%-FY?n! z_pAJE>wc5J|0>V&P3G^Wtk=k#rgDbLA5d`qw4l5#{!{)de*R(0eQM9jPb1x5^0%$~ zTmCYCSe#`LI>G&8#thBTb2Q5Q0pox2x1^9t)yiE+kxz@I`=8Mx`(7WX&f1;JdtO#kYH{0=0_NE{2BNUdyO-pDr=wuolru zR4%1*85CwyNS^$a4L+@lmRBKMmGI?&|5YetO_eLmS*_Qh8lCENYQVwGnb$)GEnQ8c zTWP7dlJr%iuLh0h0q=cmFILNhWty$mP`H*tZ3swmAkkMBvd5e$EU1Kp_}W{po=KPLQ2h;*>Qia}33reV5XRh%W-R}cp~$x%G#b&k2?k;&&zl05 zEsHY9SLCK-J?<;ATc{*ZNrZxjn=P`$TQ$k7>6?8(0a`&?$*|D6)>{=rG_vq&hD$N= zUA;7^6w@e%AeO$IvAiDcR&%zh)0oa}bZ&=JIxyZbSPH6%iCa{>gW{bO?}CV2$45)C zuuRtv%NO!@o3wJTPue|{no?>83AM3wW{VNXy~eN8wVduF-<*64@Cd}uzmLYGC+u39 z)b4K|NGnRMDYb!wXPL~7!3sY28(wRI#~&d6An}KQqd;SGgGATX=zY(7`eD-TNVf-# zlgoAv@;0-Pt8hN)~VZS*dEiSQ`tE~LAH#>p`QT4Mf~;oG0% zxurKjygTtQaGX3@ULnXAB1ZS_@97BX4AN1hLkU>8xQEdf=5Vs*~i#lblu&)Wc!gV28$HP03tr+>2LUHoz*aa_(0-=fTQ9JCd;1pj~jeN zrjN%Hga;EI0+^)$uk%yfP{Ui`ddT615g$%`1n_vJES>9-23K6=;ZcM~6CMK?=MDz2 z?U;Mg@C!0LK9=}6;^P$$$ZI#*r1>eskKF6=3B)H7p9CCnlxbb^keh7uzLuVzLi%aa zQ$aHir4^Zy?4}uhYM95T6Q4nRCUBlS37-f&WAsCM@>!&3lb!<_&j$YrSKe!wFmAH1 zPM@RjJcSn^@buDoNpo|JE`HcYW*+JJq!%bHJI2doycdnGtPS9oNG~M42s8??Oofou zCj)M=@lRdv&%T8GQu52d0x#8XmaNpJUx(GN`W^eWP; zNv{EoN-rTL{*E`6BxB64nzRr9CWm{C(ppNdLqZU#sfqH2=nbRa(Te6x((6dCFQMft zN%xk~wdeEHW!whR8%e(n8fle1k7Ow-g9okl@Fv3V65b3L5eWvQW#ry7dP~I9TS#vu zz0GKuN|NT@H~M*P#BL|OgY*YVCj@cs4~;H^=dv8`Bhoube+(Lr_!N8Hw9AZo(LrSM4C(G=S&y6mt z52nMUkB~lUbTAl{Pd1F6INrzo80jxb9|w&BoRW}~8j#QVzcSv9^!(T4zaf7DJYpV_ zv4B+ft?v(tnZuTWPs9$6uB)tIA=YvK%WjO~KJ$4ru{%LI= z@e7HUBYu(LL4Mj--ta`7wOoOCMdBA5j!j4t-6e*%uH(;MiTI_&FH<~C_T!VLc4fnV zUE%R6#H$j&95`|@C6Fkk@d~3?jrDXj($z`V0F4qLQ@CU=A8Gj;UnAY~SCYSq{MF!5 zX$UWG6bwEb_V6`?uO(a?FtRa4n(*=h;yT02>z#2u@jAro0!Pdf6VZsQXY@7I{K;=1 zU7vIV&}bHyG$I4;Mspt4He^FOjp*D2hvhdlMLw)>Hygg`HXp<-#1n`o0%u~eLVA+H zgL-*5KsZP^888zo-AwtEB*pN{G~-i=rx6bso+vZE6WpzaUpvO1y)p6Ih~KWbOe#;5 zai}JS-`(EhcM!jm_+5(2DuXh4&fRTzXMK@#5AmkNn*ql&JCNf0S@)XoKb?wkABE-= zT0me%$}XX@9!yKa=QZ@vX+^v>@ixG56Jx~Dj|JXu%2kcL@&J_wsXPP)1(SV>ykghZ z`1RVSc$j=U^6kMR2+No&yORzpE$8KcXF>)tS`L>_p@2ef2*{qKl;ohS|73La#)Rc7 zZ_^p7(innjX^N*iWWsk z%0!{`owFmc9DGs!xT*EDC_O=SFx4SYkx{b5R#Xb>P{a4ce0y{l@!`Zr07r%(q-2>- zInwx}TDV7%A5DG?_zJ@N@5kk%^;GwyIUlF{FvijuM`!&1bwchbb9SpUfzCuali;9` zl!PO-(qxmis5FJr)0Cz{!d1tz&fz@yMs%79bDH^>O{Xw}!b}MN4n@B5ea55@G?ZDC zW>cE;eUMjCI!K+)|PEtDHdzOa*p3Ena1K(f!yO?2L+vl$N4n~cr2-!nQZ zxtQ%bOKzYcC z=4BRU@x{?DQ?@ns3HXG{ZYq1A;FidcZ*{ZK(%5Ul^fNvUpHkRIVLt>^2#k?5dk+|& zzSsxw8To_c4}nL0lO_8F$g}!$!yDh=@x#QA5I+hWrw1OBo9zqZ+bMsH{Fmg9|BIJF zoUe>;rTo|Azaf7DJgb20Jegh^lX*%e>~G;Cbdth%6uyU`@sG*w)rM#2`F|w-6Y*2P z5&wXHuKa9#B`63Mn9`zTuJ&W z(pQ57^d^ zbyAAC^)B@(OQoAeHv|{=M<6wrli%0fYWNOqx;G|%8}ZwLqsELCrN^=}im{k~6H^XO z@gdwnOIuTJ zc+yAfVJhvYw1&!NBEr$zfk8UJxaU_@vgv2 z@=3mxFut*#z8m@O)nUt0mEXwPZCp(e4o~B%_ZyS42$)S=9SWA06Y_OTF-D<~LJFJ$BG<>9k^Oza?MtU0onko1 z02vDLwR?XvS~Zt{ki!k2F_6X}7)TB3uGEaE-1NCp$-Bo*Tc|bI6VwJ%8v+d#BnJ0o zy9=Wq>x3XAkYS{UlOCb8GymO~C|O6KPF?g%n8tO1^?-X_BD65b5>3OPk6kRadi1yfQ3Y4~(pY7&{sm+Ia#J$)^MlCLVLZ>7EsIx10# zEc#&Y8=kbpUbcv~H|{e<{#;(LIj*?@{iKDjT(dhu?rNlW#n{gl!^O8X(jZ(8}D%^fhhjNY`L zkv>TJ5NKp_P+qjS&kgSO7$PsxKTP-t;iG_Aqse-k(kC%`N@q_WBmE`mg7-UBk7+=p91ac zKAD~+TZPKX`x)+MvsP#}{zB_lTED?U>|^ONwc>Y!UmxbHiPMD75dH%&B9tkw&1A}w z(a&pJ_$=waNdFBQWffyjvdo}t>Mj50vJ0@0hqMd-G5u#9i#kWW%wO!B$X}+1I-=JX z^D)kopW|JWb83~9pQMXI>wH*vw#rl!`Itq5xxj>Pb=Jp)6v|P!NQI&TSx*yVWaUlx zUZ36-C{(0yF$CNcjF)^>=<=~mThv`*-bsyFC3=_Ay9^#mxqJa%B2_l&rA6{@a=0p# zs#3Zf5{CYKU`f)-kid#$%LjLbso!aM)u>jdS_A4Oq6TFUGr44jR!!5M4I?}`_m$MH zqINYjJaRGLRhIK`wT!>-i2N*vyN3L=L)I=M70Z#sFn9(g}`UrI+-JNt8v<4A~ z6%}CT7ME_)8Vw>sDT7i}C0&xa7~_*YOqx^V>*q{LS(LINAzm^CLZ*}SG2Ceq02MnHH}q1l>#cgp;Q+|ccql-NWRaE70Cyq`90st zzfg*nG|n};oznA2&nLY=Y4povzLU{Iw2Ai;>4l^hfkyVpx4g2&g~1Ig`0QIkcq!p! zfSE{s0<+xc;d<&7q*s!D88l9l7tWO(pyTb+SIilyC4Cj0)pXXV6VAvlkd7WIa`&n^ zD>wUCy+&s(o!8-@370F|)yTq?v0Pejm^D~mTfIqZ9j*1S_^gnvPi3RHsI=@8ZRb1p zmf6K;e3%<(Z>0S;Y=kLWNy(lnQCV>ryPUjZ*5y5Y$=*ckU0R!AAxH3{&~Jy~-ZST) zhCZY%bhgsj1_yVud^PLxr9Uqf+WV%Q8s&r8PGtv`51=3zNm6QhRE7Y0$adi74A=7e z5uKfMK86#oZenUipHSLOX%8d>Bn{N4EWVwWDS5EhoC+g+<2Vd$c*yIvKuGqLFUXSxMZYrfO|3t_ruYrT6A&xO8F697OH=P#^FG#e zouv02z3<^61FhgmvVJh<#B)9af28vhol|h)kwjRDl7ZYcF6MqV@k0&l7mB}9{0$=V z!$mV?O=)x{emCRizCNhaG|tfY0|xGQBrDJTX>?7^y|bkMBK5!B> zOu8NE_DUxuC(HLt9gKcLrv-E*-HG%grD&Oa+}Y?MNw3cK9^*#N4}VlmtE4)j&GovZm0M}^DM$sWbhPGoWkGTX-T-ddzi3Q^D2`< z7KLmGyq%I{I-l!l^v_z*dXdf{oeLUOcZO^=BUeP;cjlS#;TfN%d>REbdc(jFh)+`_ zoK+Bu6}djqV&_c#Skn@tT1d4BDvMZ}EbQR=7~Msin|(?5BV7y{DVIGIa%6A&OxNFp z_pADfWB`SM6b3;kD?;yZrhDAjjRl^4g6v?jL%_zPk|2x43^lrAo=@{I(!)uQC{2gl zNTWL|J&N>b(qllQ4n)VYD6=RkUmibcO1CT@ov~ELQ5g^A5>cd9OAFY9BKMSO+x1#c zpf-`(Bxp>9RBu5y+2}=j&rTuzH0i0JpH5{4m6@s}_AZiU zPSnZ9rq7siQv0Z6!Yf7}y3SwfRisywUZXS~NwS%S(M$B2 zy+(R1>DQG;U6$(JFnXZYPH&Q4M|yo}TK3yBdXUl^NN*(lHt2YRS%&}Q0_R}&v3E@R zSQER6(z}#4LqcNZ87ad#?-~88RxevfZza90G%fEpjQ&mO?WA{*{s6Q-A5vxQ_(E3{ z-!J+@6L)E(KBBmj;>QpXsjzIiBApAP7ijbS6Vkg$?*WZMA@9_Lmab1Xx7U=(+Nb-J z%04Rlp`cJ8Qn)?4xdUdLNbr~WGa3hJ9D;#BFz_AAibe~&xzA0hQrRnqsT`ql6bb{0 z9kQe)zJM!l_{r+y)PUTbz#OD%IX6qZxN>nbT zav2mnv2DPcO^+V=F4t8y^>>|>S%qp9f^H`Wz%;w5E!hx!o;ZqeMVQKSe;@G zi1GHJ%p}y0cWauItyz5~rK>1i4XJ{JmR{r}sQBfnWzLC%@=tQOYv^1{r#2j9A2M6A z?>fU$3^36_2JOxZ9B=a&#}pi-Yo11SE15K2IY)!k^uKE1yh(r85E zCKxCHa$BO;Ve|o|Zy}vPIuSJT*dF`wS6>+}$;75Qn>au*NHG~ABIa9SF?s)C#;4i< zOQn%UBlKTGmWVQAuNsYM+(zSe7^T|zF6|$?w(+%4j7}k)B6VbgSnQ%H zBX0?=k2#}sV5cvgesqfAAocPZIR|ff?_C{3g^2@=9cjE6DV@Z0rHpF;d;;!}Z_y6*Dz zxvXky&PcuP)9K8hGZPMiNQwvXjNyg%_+-o?KAZR);H3($Y(MCpHD!>7@En!rsk{KC zbga_ksXf=6sp`z5GoQ|a|KmtXUNq-vbzY*gkj^4F$YCwPvKmB!TWrz|T7;KST1sgd zB&5d|;h>b@<)#eR61;-SN-8fyL5>CDIrfU-0j(TY5noMw4RAb0tiZch%{Zgw{WThE zX}k^tuXaKylIk}M9;Y9By-9c-;q`!dKlPQ_1+lE`f<*V0DdjZ*8>nog^7j8xlH5C{ zT&&6_D(_O+39x}Dm$4u7Xdf%i98qju1 zJ1Bhs37MN3pMLzI;RCgX|A_cb;vWP5R~RVryG*L2VSGYqH>Ew0(6&wMA#XqA1w$T( zKlYlnOqX@|l-534`(dHgQCM6M4Y&hFfBu568b2d_kn|zYd_9+yCA(`FeCSd+gBkr|EugPSe?$5NXml6~!m@>XUbg$z z_y->IaX(4^JM!OyM~RiUaxNzy1I<5}k#k)BK@RsLjh|?of`Qcb4Cja4&jxqX&x(E_ z{43$#03-65lKZlalhG}&@sT-A`V8qmK*w(e8E*U2;Kn))`YhqU2>%Tjrw+-kM6yz? z(GB%6d5(0MbL@J^UzRnzW9k)i=gEJ^`yI6>`k0iJpQPVG{Cvf;@?~g8-e4HMSX*fq z5-&&mBH)Ni4_7S7EN^tAhCg`)(iKTx3>xJ=CX2nv$}yK1zFyZxsYLuz;+Fx(CB-YD z{Ja!b+4#Tog-{jpRmoot9wiJ5EXg2m$X#K=Hf@zxqfnhf4G75gB-t;+)in5qJLNYy z+?9l{B78Mq#s;)3u2jqTOPx>bHRP`)UmH9U>kQf3ZD^4a!JMpbW}G$Hb^!ZEDA$WERq{@DMl}R(Vsb$bQ)`US@$;;ac3hgMghk&b;n^E98 z82h2lB=1PJ6WK?=q6Em=u7y!~;nLaojum~zKT5s}`L5s*^>mk?QS2Tw`m@h`OuCWo zPC5)4XOGD8=28#4bmNa6_k4tW2Kgv>lmcwaAb1bM$JOzX$t0ddJR3MJtIX)icRdZx zo$29TgmVbz0>-)1^ZUvj0u|!*%!P1#y8yUBQt>fK=OmYqX*0J&g2l(j!14AA^{MGt%H=Q4fzIJeu$rz({IN zQNKd@3g}708|c0OV~LL=KHl)`0@=LNJ!SZItzjk*pGbU?;<=bV5_OXe-_puwn1o=M%$EyY})i0A@BfOUI>wx2BUb?_?f4^b;v!D2=yh(l? z`Ssut@kmZ~k3#pB(eu9X^aj!!Nx!W$CijHhJ4V;iw!tRS?~>jO8f7>`KFRDEcJCQ} z%m4G4zJ>T!;@f~D(+lOBReVYA-Z$Z}KAyHy*g@d~2xv~m3c@m_5pNnlG-JbfAH+vA zcGCD52C`C?=1O+E4E}DS{3eI{gz#>{djKPA3gnfqd`DsQglvE6Pf711y&p7BEoIUj zFu2}So>^9aC47+ZA%zoy3Gx|*!8MT@Iox5wM+hGUj7y5WWizD5^M&!xeMr2FJ4XIX z^2fm=+hgHgvWbWL%J8D0KH^^!|AzPp;Os?b<;n|NneEw28uI4EzVbnwr1Kq}@8QG~ zE8p_|VDM5+?2m+hB76!k;?pb2%I0UoN2mJu{6hR!;=cjMYCW}M@UbRVn zl*64PU8cuOxgG;i~~N94e4u1 z*9MITX>Xt9BzqTF#3Cas_ut(HfA+hF?;+fja5KO-aWo^{-D~U>7x>F_AKB()TYyDv z5Y3hQIqX^*KI9^gw<6w}cpKn2bq|@9aKEvG^?l?6WFI8^kg)|huC1{d)%|%NCfkl| zdu6la+x!m3?$$T|9m#eg`v_QEKe^?lN!!`z^XvLEKT5g_>8_xWb24HUagQ1Nl)~Kz zcPAV+xFEN{r5pUd_JSgWGYCfkGafR#HsX31UA?}KM<(ek(%GOHkC=2hdm7wG;a-Gu z2#o7}-LyMaK5ca(#?_ThH5S-Sgv!s44$X(Cxmws z-UFB?jup7Q#?DvvQ?mQW?gtw`v8)Jjz~EOD{*3TJ!iNAeeMQpicb^;mmC}bvA0d4d z^m&MLvHQZ%X*!U4jOdp{j{`+4Vv+0u_m#o(hx@$vn(#M-PXI>p@X5%x#WTMQ-FEmBAL!(Y@4S&`wQ7$$^NEnA8B>}ZtRRDo;^+W z4B0=xqEJgcCTkewN9BJqx|!?#H1DNZ-aAY0FM5B&W1&u#!D9E1(OqlF$>eb7NSFB^ z8{6`iT@%c{)g9c(S0aBY`OCng zrjcPl%-OAM_|=mbbI{n!GH(&hTk1eQd5LUWa&H z;D}A3%a++~1=$&{o*B)b_r?u0>eFZd17#yuq8@QK8eQWqPd6mpi1baMF{)Eg6m_y< zMz*ZyakDAe`Chq&N&=NcRb(oOe10Z#d~;orDIaZ@lgZ%%RDx8JRVm2#Yum{fyD2&P zFiEA7MkNFV!x*8oP`skQ)r8sl32_i8Jut*N$win~sp`O;6zjpoJ*bKU(WH98{yCWm`~(u0&9f`lT1Nxsrk&(3#k z%{Z-dd>^LKjz)VJ7^{FGW8;OGkKe(ZBkFXd(}~U_aL|p!y8}s7Of~_<25X&7yGGw0 zJW8z#wXV=mb7sr*$;XUcq#4(ZY6kdvSrLLobJ+1s(ho*vIwONN>NCt zI;7^1RTKNU9>!mHr{^=tXOYjAzeV*Kr2=`a*wg3>w5<0cokKcT{>Ga$GL2O(MV{dc zy84sn6E7g%8#wEZjNELwyTx#3JhfS3DTj;ED5OyYgZE!ph7JqE{bZ!2k12CCkiJy< zQ7MLk6w6MWvek`z7hwEZeK|0I{6O-9z~gGmDu0FfG8T~`(R$pRgNuDao}e?B&JZ{V zLxvD#L{QrL#^>oft6}7alOF*d$w-&#K2j`m3v=B_Q%>)bf04tDqB5Gw7*+bqx86D7 zK4DRwH07dIK2~F?jH5Ch3SyO=S6GC}+D{q3H_7u8$WJ6cNqM;`gqOAH^csb=6kdnGFpA|i4rBdC_l7B5 zb$sPbD(k4Mhk~?Zgp1@ATv2+q+&=CtlfKo(D>hKtNa<}zxO+0gxw$fNSU&8No`E@? zuk;sh6P1>m-Bstx9O8;JK-IKKLCsdV|qB! zOBQP@%FBp996vO#y}qCLh~7?mAH&m!W1`z-^dWsXenNUT={-vKh{))R+iP@#Dn7NJ zlHNypKWJ2XIfap|cx(=su~WyEKcjJw#vvFQ8`-A8=+8Aahe;nHeH1iuQ#!XX_l3bR z?cE+D{3YSzfc4a}{*lp#_0(UJ{)Y4k&}`SI7rJka-K47xoh17m+3&%kz~yAiqb&YS z;SZ)9)=xWsr1BG$Q&5mIGHW_Do-;q25osj)`xJG&R=x?hJz%BWx)F%W4r9|>^ZV!&SS?x{>F12eWdf` zzv4ZH7TRDdD?dq(f$;f&<0p3R0%P0hi7zBuj_gIsrpw2V<&C{tA72&7RwR2dSf7b$ z@l3qLjPaU@m1tZ_<1!eUiOH_A(ML5CtB|fr`f|`Xzl;V-lOGS%E6n&yyP4H!RHsn` z#sy-qGaqv`4ezME`74QEMf_^uD8I5uRkEvP@Q3&KEWd{EwS;Q}Mi)vxj!H<0W=MA$ z1LWu^nD~Vz<9dp9DAt9@M9X4WAy?1n|5wEaa|7x6q#GD59mphiqtTtU1KE&tBhojO zrbF&#qr*zyLOOwTVkufCcqSR0p>%+BkaRL=(s2#uVM^^NwTFa9u1JXq(wui4OgN!JM+%)NJOY6g zv3&9BIvaeS4j?>AxC`N~fPIt_6a9Wa?lF_T)eyQ->P{&PiTNbOGR>tM-Cc`Lgmeb! zC}_kdyFkVddl=j=;Ik-`a2DZgz&Lf1Y%!7QdK%qU_fY6XI)`*_X*$j28Qo6le9{G^ zdxO@TOhQgN6Ta7U#wZk0D1xBr47xr>chPkACEbs7acMfm^*8!4r3a86NP19dI@LXH zbT_4+AU&A$5Tj)-v&_9Q`qgVCujFvUNDn7H!e}Wn0XNd2_+On``v0-u~S4 zNY5v|po9*{+`AWzK2qT6mq;%py-4ZglvJ4-wbGh@QB=?rlxk_&!y^-|WM$5Gfx_69Tq1SQ~>32zQE=|jh3P!I~dJE~Tq_-&@3^APSf0m95nbAEXO^ zo+SPq@$Z2nK0*0NShiUl*9c<`X|z-O6Wv+U-YxlOSS0!Li$(IzbTEh$`;E; z7Yyd9Wm`4UXGs46TC*}W!)3ZZP54E#@+^hFDEtkfhMXxkCbUexl>CwJxY#7bl3X%2 z{g0htgML4Aj%O%SmQ8s1>l2?SGw#om|BSccr)YA@%1_dUCw)F>wBeo9z!w;ssI$H= zBwLQ`MPQMwQd`TE>GDQbui%qjfpkUE7lTHdM$+NGRldZGi_7|}T#3e|G%kaI286s& zD%tV1v?AGBq=qGfBI)1 z#+Br+B7Ze_B!v;fdXuh}8Fe&P*U-3@Mr|0#s-$45oc}tbPpA6xUr)LY>AFhGD)Ban%X3TEx;pp0->aUYiV$;&i>@B2)8EO1~8%`+xtmW?l=0GnVx=t^n;`y0*zWOUd&uu z!>`krJWRYD@%F%34xB92C+pJ}yAEdT{KW^*kwzyPkHEmaBBQA?l3d8qgU;qm)e+T4 z>2#sf6%J~!Xn~A`6~tsxy$P4=6#Q-!x>E>4K=m%2>%8pz!u;G~mu|`~jaP(929+oj zR6+$AGMaDfMjh_SB%4Jx8!WC@LS9xvLSBE@)A)gWvOxG@<1bAH*mMqbZD0A-+9}3{^a7!rQ0hL~^*X6vj~)4*|7Aybu*; zb18_BX>Gd2 zMlZNsP9cX|LV79bWu@t$TW<7=O0OWjlJv_;2ScG?ihITAAGNW$iu7vIYm`n324w}G zSB)O3&%W14uOc$6n3B+8CYB`flMVc!0@ zCKK@KeM#>)Jl1ydDqPm$#7yz8Ou0>827gWE8!9KD;E`r`y(~=stvNOHzCTIlJ38OP zL2Zkq{9x>t+Lic`>`!D*fsH36^sl7+Y+jaD+`rKKmELdWCH^}LemCzfR6TOI)AY{J z`=iABcX)rA=TIlWJ4^2`dVi}YpV`ryvU%eZy;p@^ReG0~c>fOX3iIY`L%15f>hx;B z!)%E_LZaVRAiKYO;#$+RU{fF5mDH}Hc6EssDy`KrEz-J zbQ}6xC?rrwG$GN4kYvID6#^836p~8>A3}-=McsWGQYoZS2thy-ME1wAy29OR(hoX{ z*qG97lx{DPLM2iYlbZMOA>BdgPD*z{LT;sLZryD{)kR*oheA^d%}Ru%cy8TmLP&-C zC^VBBVj?o@icPem~dNjFXFf zA|9sEjz)VJc&KECr6(>c`FAjWmA*0WNWK&KN5IEJNb(_cHsdPosXa=g3yrQNM!*}7 znQ@mI-Dq^D5iT);-bgp2s~Qm+88o6WP)cNNt&$7g!=#j@KIxg1vM6OkLPJ$Pr^9GM zPs88PZ|Qmw&mo=*JRU|;Nf>!1wb3y0DHTxaT_OcaBxh2lN-;`>l!{8EV2RYnq=72+ zrPPm7F(h2bG=F3DH$H2XPyGP$1IZ5pk0)?QZ!GB}K5kC;)!uo6&R{x2N*sS*i8Iuk z+H1TsjLvX6Bg{$kmqwhC<_uP66rIs@#*{cE;XG;1|6cRqjHNS<&UiSun(T$AxTg%S zebnOR7RC+4QU_)wCt_9F^y(yZ{A}52RqIWUkSb+xy7RBR!w= z0??K-@^ZrPDw;Dd5no7r5pdLl$*IBkTl~c))EVl}zl6e43dc|E;+?%A=kzNnl@<$f^F}%Fy&j#WfiN6h;nV%{nZSEbTAMD^yzKQg^q&F)q+n`Be z-!uAiEyP<$Zza7AG|B=CaUhT)@9y3=l}5CjF(C z;3G;qDSZqH*H~8K%!=kp-(!~vm4g3cI@~7|c2n2`0nMaRTXAK}C&hdJKV4@Y@747E z|2~Dv(4awc(M;(*4-(NJku;LVJKtM(YTtY7b`3=mB{GDBN~R)YRvHj8&y*=qD)TJ! zZ@pgcv)22(ukY{taUZ;UKG$AnpJ|_S_SxIC{o04+eQMjO?SO`jCzsTmoZ>3JH2A=r zYfz1{xDV-kMCW5TxWY&;+{!%ZI$7*KF{5C$m)uSopVHU`1Fd;v^qH~Kwd?BVWOtL@ z1C|+u(iweW&M@r9vbeo;_R-mIPB`s+X-*v^3+F33U(@-2#uVv^l;SKE|9T?L4P5oi22`n&VsdZsxS^;W^#u^q|ud4r6Q z9IgTHI7MWeAnip)f1C zK!gkALEumm{??1b85GW>Fbo2Y_kg_V&6S+aGX5Z~qT%GvCO-mvs)}N6q_JOU6^$Z0 zn(P>`SmPkRNpbQ8gd1zd30g+@P=+2pM){i>gQUR?( zT1BvM)|Y3{@;n)1h8N}F&48O~;*xv3tJ^e+#S}{*V*4c`iPTMCsR>K@LM?ukJe+*}@iOXo&rI>W+j*Q0AD!&EcO zEQG;RbGYGJZjHIOP7p*EcRt+<=w9e^<#9!3xfhvxo4T{<&Y^p;->qHlCFU+ycP`ya z>CW@H@`xd`+{?^eq3(RTm(#t%@76ANfw?QyT}byzx{G{ntaiCqnR~msSJPcg_Zq)j zyWDHdU8U}Ibg!qo#OKO`j?DGF!Q4C4y^-!sbeH)VZ=`HaV}B7X<@JHg{1o>}ImNh3u%+q=6= zS^j``RNYPG9xAJ$un2j4S1B#?HO3$Ef>*@7wGK zZbNZ&4S2}t1KKU|VbYI~epG201Xk$BjGo=fi~Tt1CrCdD8daIV#KG$gp74MNZy@{> z;f;WCGDy9g4hAD`lNp^g_02T4(0CdKQ;#GhnP-e{qHjo^CB2pOb4pj1XCVf>Mr z&0g~R$nOV_tCs&eVR`3b)*Ag#_$yjp)A|M$E~S+b8TZK8lW+7k?ssIrC;J0f?3dB% zpp0E=@RRf8H(A_IgnuUd3t(Ih%gPI7jGkf{n60cpI!qP2UrlU&o>$6m6c14R9b&4K zP?r0{;PqO{pM?J+{C64-XSsh2-k|WmgzLxzzcSR3{PiM7vRqyHztj!OQwrCUpX7#x z@WFs>Ekdi4>1lkqpKQ+(KwvO5ikyx8j?APBz_~KmuaJ< zG3h3xn}X)CA}ok_$DquLV04}C9^ILA7t&op zTdm6!y4{R#t##O)d=K(H!Ltq%Az961jec#N7yUTWy-4>4ZP8^s?&FPbq0#%050DRn zN3{g-oF-)O0o=~X;=+U@grk7l%CEjQR$yjfP9P|sReGI7T+Cv;qYbP$Vi^IQ#{2d=4PaNs);YEIDq0nii04c9`LC; zKa!S1d$2hJbN(m)CRKDAogs8ihvThYZpP{jHSuLF>oRkm z*USHWI+xSA0*Y@yFYKD51sbf^Vn(AVz*JP;EGSq8LJxA5+ zs9sNX2~<4SPIY?3Fbgtf#|pv2o=Y}xzpUu#t+m&mXW`O{H@?o zljuTMGy`AI7r5KZNoX&+<#bliSqTSM$xy7?-EQpL+OS_m_71Xlg2nX*$G^-(ZFJr4 z@}n&7ZqoOVUJV+nEZ>F6B!^YfqYo_b=x0f9CH)*|Y;Fwm z5)1|1^TsE1q?Z@SZzKOActj7erS+20KZU*MFOz=*Idq`+d^eN$&v78xpB;$>amW<67k( z690(!$G{Oh9Kh!M#OU(|da3Lr{VC~PptTldsC)OB@o}xi&&ls5zXv>`2O^06h0&AI z?3KmsCB2XIe$cowavR0vM)pe+k{bRi3SU$B1_Htd!+6K|tck=@x!E>{=SVL+PVPw<6sdG~N~9B%F};D0(rYiCkM2mi6X~PdDVs|IqgLF^O z|7}!F4QI9*jUnUGS&W6Psva-n=GfA znx*OhsspJG%2YE-9c*g0s;5yMLiKd0_=iBKYHC=Hx}nBTQ~nI{XObTV9!-UuGK}sd zqw~radG0KeMt$k+N5d(dO=$!qoQyf5nT%po?nauiWa$5>xKT7l(-;H8ORE5BjWvF% zrgaYabIFebkB3Y$n@W`{kYSSe-r&5nRqd5Bp4J3f6JenhW|q8km}E|oI+N*4p_2s% z?fjgwEEyh(#bldug+BAhp^{4_4+^f9@=iqF^|*Y)Z_xf;1;h)97XeRQaFX)WbgI#h zw3QgLxM`$|NtY-c4&X^*snN^y+FC}sob+_1lTpyl=-;#%RzbRwbd}PHC@xMjj6PML z_|7C~;9L$b^kiuBzO+P?$sEVhGs$ zIH95o&n3nm)ZOFflE0MvJn-1>*kY11eAHcLMu%OVF`vfeG_HWb%W)j_v%u)ZCwlZk z(pQpR1Uj|NZ&&GR?z7!CSQNvWhguBc5rn;(klfQ@jYVd5Y#O0&oH3l~*@q*t=_&&mG0V9_gHYk^b0E zC*3DTf2j0M(w~yvrL=tdF5hc^W^^}w3-vka-K6*UXlYMnJ*C589ul%3n|04f4cw8*2N>dNur1krc zDGfBGf2q`I!21yS>r1J|)s-JocN`aJ5%uIJx#J*zu#YdmDjZ_`h050_-++9>Og_sU zYWzjYA4dLg@<(LyHLj8Ivz2d5z6trJ;JqiW;Q$6lJJN(hy0c2)|@Hl9LVVvUI82zO-589G$N4h;|q=OGTE5fqZbui&qZLD;p(22s) z5D;E&StR^1MsK;#OTIJdE~LAHW_WyS9f<{9Hxt@x_T4G;pwJV7cYcylr3~Jx=cnTc z_afXIFmj1UaqE4&(XCf{x%43&ARPp)Z=xzfE@b#mx}ss?5#mwc2rdVDGUQ@L_trx< zPC7w4>8E8>c@^K9W8e~t2IkUx|BFh3uW_-7e^t@6XkpG|&*pRX2v zr194&KZ^Wl@?(6w9I(=~H~xC%&mn&<`Eh<8`JZR}66ME}pFn=1pGW?ajK4wo$>gVy z&+_xgKil{lmCqrcOFj=gkH2Ih9CZ0c*Vm)FfOH}0BGC4fH0q`r-cb*aX~c_(mjK7% z5eUmzXQc+O!!ag{D7asiCFv^AsT&tL6QtUzGfeqj50RNv zs;SI^f^0%@nL@J0;8(RVd_Lg|2ww=8*|1B)MMkfgh0G=Q*`()?z8EymdN?nILhcgd zf6-LtlE0MvJn)Dvv%|`%;4-7vPGoQyIhOS0q_0p~MywKgfzgBOdh|llSCU=?+H#S; zbypdGKy$g8{9^LgfM+iJj^J9OTTk<%Uq||S(n~<25)+A7!rfr-pocv8M#47{UJ4kY zWfFNw{AQ!?T;|csNZ&&GR;6PBTncV8`r7#(y`1z4(kqn?1#o7+-RP6_d&pI!?;w3A zXtXC}knqwxd7H%nBknS(yN(rpH>G3CF)4B|!Kd&)kvyPN_FOB6)hwQvuRe~|n-@Teg9=o+I;8C|94;fF~-Li$mq@fmf(J!bUva~N9Q zBanWA^pie18FcH7UZV5{(od1zsI=USN{4_=MmOy4#okPM3+bmpx08SHy`QWumBUcf zJn3Ls#0Lq_Sdf49N!qgvvXw!eLlB$^^a};|ya{=$z1n(#!Zr#oLcmE3MMW}-ddbYX z>pb&iny=7&)n|q?lYGt0gVcPT<{LEM^qZMwzGdbiYQ9bL9h&d@%t&UL@0r;^&G%_; zr@6y#W|sMZnTM+RA_-6HWLLX_ zc-s2XtfO@8zM}Ott#5pm+~H|i-bQ;iU2nT01 zS*xIw+FLCv4?( zGpoNgr}P+&uR4Yy^K`ZIALg@@oFl&%neQBLYtDoOWXLyoXgVj2jR)1Qj_^ot?rvX@B&Tyz%r>k`atutv2^IPc*&oXPMTEl6bO>2bD zils9gY1SEPjiNQ0))>E)&Ty<*XR37$t#fIO^IPc*&ogV7TH|R=pf%BF#nTy1GV3h0 zCexZiE6Z=CGt4$?xLP^1a%tuHt#pR@W}U580j)w>MLsK$&Ty((Bh;EktC&`a-%4j# zYSu`#%4n6-n(nvK89K8@sZ~L%l2(<^%1UQA!>rM2&7@ULYnIXD%nyA)%T9?zh!f&NBTwvBD zwHDI4lGY-hf-S36~eV?je)9=#XU(Q+kBbqmYme(wC8ZjXqqHf1LCaq@Pq;l9&6p z^+wN~BOzpQ8%RGzdZV9~59E!$bPiadHzYOhdx6&hM9kzhrY^aqjY zcJLkEYi2E&BL66hd!5!BwBCe;259PAO_`ip=CygtoMD>a+jQQc^DZ22b;;^IV?Wic z{yy35WOsmNRv~{@ADA^gn@P#n^0Ypp^|4uDzx9b(D|0<-C#_Fu?SjR;WYFi&jQvjY z`kd@;vU|YdtG=w9s!ExWT?Y8VXQ!zzY`!pe#a6GJy>$1{-47Rc%GfDmn9TZ16OPdR z@+%5oQ}_l#tu0z3lQDd2T3x*@`;OZ8)P8`5T`o|TEq&=_iXv>#A5Chf2mDWzex~#b zBvb+l_|@1o4|$E--^d;y`#V?^5cC)Dhe>sN%D>6t{-pF5rN31Q`K5nMI&FX_{Y$CN zp}aeizbq;2m+H!|shgvE`k<|z{3JI=ln#cJ+N1r}A!f~+;uTe&Rs&iM&B{pdP_s&P zk2{Rk;k1r0Dt@!N+dQi~tsb;`!a`jn{Ht}WN!xYkg5xOlqSRZZq+dGT zq?@;RCH0{cpcI6}!y+tmcN_bV9u{G;5wcORIKGSJ3MJoamb#b;y-xBrX`DiWLJ|UQ zD`#XC6v<>MG8E?tW^BIOGy2jvkw!ll^~EU7li5||InPPPw;$p0CzJ0_{uJz|6i_InPy~T%6ivwY9(kpF z-aXZ%(b`FB8l_@NC6Jh0EFl9{a!yyQQ>kekv>$pIwQ_3Hp<(w;BokSwkMW%uC+Q(r zL8FpJ6^vAU2Xd{xXPETX8gG?mQmUpj%cM{s*Xp~*r1o0h=To|X(uI&x^&QCd)%QiF z9Z+pHwK>!-hL)=DKrZY15)KZiS{zq6CiE+e~Pzr>Nx= zR!~@}f*cU34RpH+bF{8kQMiM`oe)wRD3RVkcbPOsYx-_V_fT35DYbzT{tdLow2pc} z+)M2~YHOi+2ZXnQ?l=-rsJ#fyJ0L1j2gFNeJfR1~ z%QRl0@hS{l;burjwAYMXpx4^h$-Y7MO|W=3EpzSWR5^#POK+L7d7yV0dYj5SRNjSx zcAZQYA)hVDD>Qj;^PV}4>Uqxlbhgvk0VkDG)O}#=LQUyIvLBKC7%bvTN*4bUbDq|m zcGCHj&Mr83*)KWa0Q=1Frkc*@#CH?l100(ouQW%7j*uosD43M)B43#HWZC&^GyW^<75s!MYX|Lb!h<{J~2jJMPD)OdR z$<(5$GJZ6v^L#I$Dk@{&CFO#BsVk^4u+6QD~PlX zF+4}ps!zND@rJ-N)8fh>YT8?x)?w5Rr*;Ii)Fuq4s<)8|mufkUDKw$bG%W;EH^4`l zkgY;93e73BPysi zfukCe$)G%Niy8g&CXbGjPLNJ29pa~JCm4Nh+@t%FK9O`k&<7zlI@+CNa1-5;PbS=- z@F{?~i$&yHALMeX35TjMfWklugCHPt>6$9*IoRk)+HyIK^bpdggT~zva*4*{Zm981 zHToIk&m=z#JgTvxvZ`EK*te|?0< zPbNQwd=_{fMnQaxm~HgaL66QMol81T=|}_}&GU_3ljqR|qzg$Gf#&v)Mni6@!F4ux z@HE23gi8Q(bFw>DsnHi{+oOzhIqB(2%gbaL#KRdqsIeEjf^;S6D$qzICVkS~41>on z^5B_-s|n8nj6{M_bUUgsx^pLwKA-djq%Q=G(1B!FrY1DFTJxAqcn;x<0V8xE8j~IT z5~GLdhM!CNQquE4BXlAt`|D)}FV_8gKH9vf2Oh@@htcydVb*orGSat@zE$a97>E3AMnBrdqnDFjL3$-J%m>SX4dSPw#Mi!RUUmW>HA2p1&w-@OIsu;Q=Sz`?)RJ1 zT(52q(0P!~IyfvrUOPnGLq=aV$1CAs(vOgS6f_#UCDIDdm$_H+++$`8*N$(G(|Cf$ zlQ3|akV)jTN@Yrk^~N{2**m{&ApaEkjo{JXO+8$asm4p(CQ~};^QFyHworK*3Tn^g z&B}An7@WMwi~lU)t%RQgjP2sgP@SpFYlhf!a1|FG54r1_IV5buXE-5Z75* z+{<)cq4O#n`~%{@X6$NxZ1+0ZH^{yTmhpq>_-~mr2U|!M_con(=)4OD%~AQFJ}tdx z($=Hs)N$`q+D>UlT1uv+4@{b=Bb9zg=_5)XLqc|WC0V7?`9vQ2Nmnp)Tm!G7chdQk z&Mr7D#3`IrUd9RF3yRCKtBPf^d5muSnb{}w^z6@R@20&6HtH@m7njv zHKEsUqFLrTnWI>*jgu{Tqz~ zG=7JH!zD)s5vi2NUw;_CX{VRXpXC1{|2KH-9601d?jNID=)wLk={kqA(Jy~%@BGW(yike)`Hk#A1E zh4QlhWtYiGsHO4uf8^zI6!})Bz24_V+VV?MrSHrsC0#rDk994?q>W7EuuU59^`w1Zz5|K z3^FA-Vav=}cyE2IiOX?-%Hocr*o$KCw8(3p_V=_k|aPv;ak$P9p%fE*~JAW$Z)cUJ=8|o=tWHSnO;vV81*+lVN)* z+(=U*I$r-MDx;~4fr6b)_I-I4mgUA8Klv`Nh;zuFOMV>qT9?&)X^Wp{+Fm`gjHfn% z+C*r$gvI29U7qFgsxa%;B$F<_QT|O9H<{8DN?DMw>QfUDmu+mbsFzm`*<7-DV9{nv z1dC^tlw;o4BDq2o$y|zMB{D%g-Z11_h;Q#jVNzTHLliPZ5kjCihq=#G-b}`v&z+&s=%WKfG@}jI#cdZ#kM|#n(qj5crB{0zR z$jy_7lqK^16x|$nN~(}aNladsdDT^Ns=VEth0DDHR?)eG z&Yf^@_&b^T7zy2Fd_&#u?Qq>TRaCh2GOXuQU)3 zT7^7g-UjuarMH#da~a;$wD-JuPpS6;y>0Yf%_=ojPP6jiyRki#-AVRSvb(?@Dfyy}9g%wq>6@lQ<9=ppYdtr9PIWicJy7v*PX-i~ z`2^e-hPTm^^j_loi0=oE!!CtO-z?+XD*qMvugQM{9yM8(jJR)&{ZTuOeMk0tvOlC* z84B3gpOyWI?9XI>F;?zee>L`FWq%`kfb8$a%CniSjxBhu8}EUUg@1=8dGUPr709_k_s6q^GIXYYL}E|WSf(1p{$dk zs9PG_M^ib9Y%8*@jg^5h+8CQqwk_FqWZS1%nP1)5n6e$ob|QN;SX@dfik#en7`%Cb zw{o2ccOl#rFfY6^jYBtM2WTIf?qqwA?FqJ4i_pnzK*ySPK+o#OQR_vmH#AgvFi;`) z@bau6#~p9VAGp@a;`&etPzjn6G$mxpY5Ei-OeI1k3I*2=d3lZbBJy0!glhvVqK=DG zNKir zR+6nUR!%B2jD14cnPjWU&N4P0b2Y}USN43e7m&R$%?8~?#y+X+Y_fC6UYus*?h<1+ zC_9(zrDW$BE6)ioGj_AG^T}RL_KGwcbPJ5#sO&7Fz>-@5AmYqvy?$A7yb@ zlU_{v8qj>OBJF`VCXT5pDQEZQYfWsYoAEk|*Hc^q5%(AJXs=2-6}nmO1~Y!n^LCRP zY1~9(DGW3S0`d)Lpr*#%Z2TL@Ko+-*{4L~fHGXP#0{m^pf2aI%@+-)%1dsMfepW?} z+8v7t2k|?BBb}^VdC*#t*w|N4-{X3aK?luf5ER zelO|!NUsHr=<=zte1e(f?l*p+-UdEE{z3BVl;?9_xv6=`_|2Nl!{i?!|0sAgNM&eY zc{x&1QIs#GaKk-jW_ulA_;H#~(0mdm)*})R%I))dqpzMOKg!}Zkba8vMjtItuQwTe zgVLKxZz27((sK7J>+p=xeRZ9mCB2pObD*)o&=!?Zn4UMhz3y=@5Z^}pMc}B?+~WM| zit>Pa$@t!STlO;fSIEB#9*?kc^K!~c%H=y3KErs;tiHd?Kg!}>r}YM{H({ZAWQrj< zeBLs8{ZPX4+Jf{uq~BFKm`F&I@jauvclGG^NpB~;LurXE-}HQ7^s^fKL((6S{#fZ~ zAS%OEd}8#{N-y?K(w~yv<)<+@^I%1Qx?AA6|k4e zJ}Ud6;PQp7m6Ydh1*xvEUz*lIx7t_KzNYpKG~M08?pvc5>kjlC>F-JZ02+g}q3?#3 zkyBb3%n8chP)dH^4=6@%xuX^&6 zH2-NF3Jl;U2NQu7Gsyb|7yk<%^9NwV&GYY z>^ae(Tw~-#M7DhF<64?`j8?@_^jgtt4G#@lDLWX*DVglrn6Og|YD=LVh4v6|hLADq zr{z^vx(>#V(<@R(@}0;Z4IVWSipUMlF$UL<%Wtx{&V;)V?g|){916sxhe$W0pFf_k zbXX$YgLF^OxIC8T6jm^QcdQvx_38X^GQ#l0+jsWgl`7(#BTuM$g z=WjiR2hbTvXAm4Tl4r?l$yArG96TS-%b(>2oBGZ=Z_Q4lI)v)!P_Yx_lt{yIsKKqZ zoHGcYNq87wT(V@YL)lL5EW?Ym!_9EwXA>U*9P3z~Qz2K+kw!1f@-i7kdNk=VN+;tH z$$PBPqc%ziS=>3K&m}z$bSiHNeV)N>H1F|*ClHO`D=mGBg}%h-!?a8BT+)}4o(CEy#>%3~ z;yn4T$6aQ^RkwJ1)_e+=Q@8>G4k<|{5D4PkeWhDq&PGjXA)PDfEXr^~Dd#G4HmP$p zoyBynfx|XJAQYA%R7#7=D&_5zyVkU~aFEL4uA_E6wIx0+;?r(0ZI@~{QoD)TQlA#} zX*Zj;Pqk&#ZlQLoPmB4q+f4gPwdK@SP+RHK;y&$m(|%BG6}3C4-I>-R0X*F=muY(B zgm#x{W14wYayPYmsIB&CL7%q9w0za>rFI{+wLUH6)9yE|Qnd%DJxFaGG+eF1K^bv5 zYpV3`c*u+egT4G7rtt`kN7IIMoul!X88@o&IE^Q0JgG)B6pW_6Em&{H?rN`$4K$vj zu@MILS}|g&NuF}tCUf?wvzg8oI#2tYxH`|6^Mg9i(%DMqIiHhI=XrB}Q|ARb+vvRL zbCT-3WX`|pyiDg6I&b*ylvl`NW*F)Y(br zQ#!kRPE?)G%sE?~&*|)@v&ZMy&hUjfqtw|;XCIyYKF4;3FU>heov-M8P3IdpxND3` zZ*4h(q>~uFQ~B1cWoms#>w8*1_^fc+`q8Xg)%uCn&$NE=S&_8$t69s{`i<5BTED}> z*;n46#j;g+I^z7fB$37i|YJKr%q$uxX531Z2zt+Kc;S7UQwr> z{3N$7bPi5CG268dG3RY{>eFdJr=icWUHedT-c#o=I)~Fa!spno-N>9B>NKX)gicd9 zsY;8bD(y%UcB{~gLURf&AmCt)hGMb2(%dqc?wI{-TuT%8s(2K|Ruo(N#CV3-#>D+9 zwx!sPVta^aDocs-`KQC&VjWERQk9NWI#D?q3eMZ*RmJjj1EUfgW5(<w-aaFkGLARnfEs;h1ZV_( zMkr;3%=lZ4FpUU}C=48@3HdZ3yQmo7Zp&pgX4cvF%RkEE;lv;gh zok*)6EcEP=vSKnPcWOY7lS~??(#e$iQ#!>b#Z5ZZr1Ml7KxrVQK|U#A(qNOut8^Nr zA(T#sgbgI=c~|eDW=vG$3>s(B7?w6<0%2ag&oX1O8pCOvO=AQMG{fZ~3GQT!UNlF3 zl*NrAJ(~0w&^X#~rHjbTj~i=3cfG=$L*ZNs;~=ya!QX`E;EfVUUiUn_}dUbv=4eyMcc zyy>MDWxdu+8Kaal%5+3Q(=?EX=GRi4sf$o|vbYMWl~k*s{wIN)Ky^)xj2u)X1JLuF zGsB{6&;({ON;RX*LX=bjIl)?Ljj6wA0_Rh`fa--lwW5}Kk*U9{I-BYosux4WRZku` zO_h=9rMGC7yTqJ3zvb%IadYWhN@pG%FVo6e#a(9VA6ndes+Uu}0&49&I8h#`mRT*m zJ$QjdcuK2jAtPML2#XK_p##ulh-y!}%CtlD^O&otEv9yjPYe3AYfY=K+I7^fr?vzd z&S~sPRp#*iAkW=k(g^KJbt9#lC@qClyQfn!8IRXg=Q{a{0s}DIY#}!4S}tRVTNvV2 zgg`<8@e)4oHuE~-vMY;QPHzRhl|C=wFYk8qj#h6Ky*udL>G%BQ-DTb}>fKH69(t>N zUcSG)HRg3u?_PTM(Oc{H{N>$mURU)Vp!XoXbw01aU*1FJbyM$QdXLb1)bIJrd(6D< z>OD^H33^Y$tG&M_OL1tsyy83==-;ik2%B_EZeWC`7-1tKaDPpf;;>e2lWB1+cr&#v z)SmWfVW0MlX?<0DmfBWo&-t{7PkY|96IFYG+BRx0LTe>Elm8T&oIZ^a-=)X<;9pdi- z_X>%pQ+v;>m0HOAw6@dQ0Si|rTxDf~6r+#TOYDcFKO+4x=-TJe$IBpEAlWMBy1STRz&%R6jE{SJVBR>Targd}_3o`h}@^s_vz_kLrG(8mpy#X==Wz zUs3&<>Nh@B&NmtB`mL!2s(wfHd#XS9)I=@yM^g(`{fX+&RDbcQ$y(~KrWUFC8`T3; ze}{_3gM3|7fR6ot82>;&uaWR4`M=2j4c^-#*|m!L$JD7>)W1~gG~rF2{Qd7Pk&`1) z{FnE-f~9Wzp4MHWp8O=YeT;H2qNEbY$*rXxVrrQtP@if8sttW=el7J-Q_EF7jOyW3 zkMOAlwbVwYPFJ-t)h1M%`qaW&>XD{8Rhv<5PPK(komxw6X=;V4M^SA>wY5*3R!ePT zYNe`eskWoq-lrDVQahMhrD{j2ov0q|Q%h>8$Cx@p)y`DAQ0)p8?_&L@&TP!JT_ayh z7NAF0s`=N=;yk1KM|Z~Q!8kn;2YuZFB1;OH^06k*(j<3H=pB(v5$;X>qqjDe0 z0m?zY{GXCTCZDfzm~w=2)F(&(Q*zAY3sjC%PEbzz<^Pm?g2@-E+?Vo+l>7PQ*ndhs z$>fVvKACcV%BT3{|CD^H$+J}+KzShLK|Wa;b+tCtV3X&ld>Z8;lu!4||0#K>$rr19 z2IVs;5A(^=ysK66Stehi@^H#$Qy$@$|5Nfvljo{Dit=d6V|;S*KP8Vf`BIh7p?ogo zaenzfC7);VJe9{&oT^MF@BZu=aavH{Dt80K9*mGUu1CKSL8QY+-$;g2wx1ic9rH9#xkn(5{vPi zuGd_~xRf#GAqJ~d#EdGv%*4Aj)At%&f5>FX%?R zmqG4hkhKVcE`&19-tqCe2=B?L+H_&^E-bSA% zlVGO3P3CP-Z!^6u^q$V}eC0i3-c#y5OK&T^=X_qmU*7ZPZB*|CdfVu|nBn=#d&#^_ z>b*?w6?(7wJT$?rUS2bAvwE-7dxPGaJ`e40^WHLVi+XR=^Yc-3X6x=f zi}Rvx&-WQ;JLBv?95xN}^HF}L{DH|^HHi-?e?<9X$h8lG!a$|W9+!pB_EL@0Pb|nw zn!!#6`IJF+AqWqG!a!A~`I(vTYVn`b+)Z#%es=^F~s)_@dHBeuqn*0s>aQo=ly8j`rG8g^Lri4`&NtYNUsyUqt%lOYD|W?klqNwjZ<2Y zdK79G;p5G04nP*yhh~6g&}W7+%M6*>Ld`JE2+gR^Og%@nGGk`8R5MO9K{E*xbtHon z6v;?NGT4L(uT1iG;Jy@2q|gt7w|d?)P;FzJWad#?)X6ma(>%pz)@q%cYGx}n2hbcy zbCA!BWme2!Gh3^98qFazPxqPL!&J?7sF`ilJcH($G>7@jL}r<1nb}s&;WW>tIl|2H zidq|Eq?sW#N6{QjbBxcdRkvf!46At#&2wpvGjn?F-Ss>(V``44If3RxpIK{non&TQ z&B-*U(9D8~Gc;yMldsgX4L|-8Z^y|Yo=ZFrIN}7RS5#zHXug>VEvSHIAp!P4m8v z-u3jB_&wQYt-Kq|Tdv-X^lqZJ6khE&O;yw7U0#h`NbsiVW()9^CcKORZef615r8j& z#7Z43ux>N!el2!6trfIZ`mB<)b-P*X)LKRB4qA7@LKAdGRk6Glzsu;A_j-r%-K6g! zy&80_Yh*YtSQ<`LOM-Htd}rhRL8wQbsNfu^)*vFtNJ?CH>kb|6<@jFtPql{ zbHbTLzh!wo$8JZHM7(YOzo=bhg3hJ`mtY4 zWS07gsohlFN%d2zyP#qpmYKr1h00_EIq7a8d;e!mbx#^->HY{SMM&Z^fRSj{L(Cyel;nf(r=UwQ2N~`<=E={VNz11 zKPml1>2JSe>HTBU2`c?dsm_tSxs<=UPC1rdUHLV2XW3V!dh(OpSyDO}Qaf2wU&ZGK za%<%BE}wMCK>TtaBVY4bkT10M>oZ6L25E>OxF>>{%&Wo2z4EP{d_8rjiO1^LE{9P( zoZ=A>(XN-iqlMDst#FM@=&jqWF@+`+nnJLW@_i*8Y2tBOQZtIpDYnQEt9)Wh6MLz6 z6vb8)TW5$hKCz97y;W>Wu^q+s5V1=Jrp~MkNUy*S#{X#dkK{X%KibcSg+IplpOo)R zz6<%TejXkAx*7ko^4-bzAm3B@0{Md0Nl)Eljo;ALJ4B8n--~>2@OV2A4@a`x@dmHI zReqDj^&uP}98@@w3}m^G!H+!T!C}G?!coAuuHuXumZ3Rh%(0j$Q9X&qsU)Z*p`dG= z>{c?}oIJvn;Zja8=eldW73fRnL^}P{Dab3uv$ZlO-zlABPEkA0Ihjs>I;X(FN=G80 zq&wB%de!+}3FApmAUzQ@4uPDkio6OL344<9hwbwC$>gVy&jOF=;SdJ5 z&NljkAs(GWI+t`F=#2d3oAZ2gay0(}I)!wK;Bb=#P@hwce&G?XglVLUNtY-cj6{Vl zHF`99CCTE-NSBkI4mu;BSlBspay6d{I+b*);BfmUF)sEDqyN3zD`6(-YSOcmP6mQP z*BG6x*`H7P0@4>M9ZF*NyvXSLPVr*TCOwDr#Y)G*VWBTE`j9I#LjG3p zh#rn$Q{86t?Pqz>my=#WdL`&u=LQ+d+@y)R0;?$9LFrCNEFz43`7Wai&-9A8oAf=T zSA$0FM+1qlTVwEe8_JyUeT3HnM(9`wb#uSbFD>vwKS26H((6EH)V_>|_K-ORn*76b z9-;Fn9F&lZqJADT`rh?k36GP0g7lN1t@guVx8C?RTKgNwKSh2ccvcP1%$tm^H_nT` zne-OYPlL|LKNxqWQ@SA`$(vOGSTju0x`ft;Dht9ijkiLuzAnCtn z^n19Sm&LtLdOPVIpn2qmWzhT&44#Rm8{iKKe?<6Wzz7|R;zaU^(cP1T>$shyKP9~j zbVl;Bbw4vFTa*8s&Tcw;;Gi}GRjF>VUl{*@K04S-ejoY$;Q3?@pYvC{FAWdu_EP$a z_}9e00gg38^CTkQAG>c&h;{db?I51?>7!HqhGaGLVX$yXf%X@y^7NW z%a=&fXrVvQ*@q0kfpcDra;PPy(#qo1$g zTGw&SNH-_l!cT`?OQW|beH7_dq+5f=={dhBuQ*pea>^^Mk}=6mdbzo`-fbzhqtqS} zYKjtO>2V#**rrBD8l7ky4Fk{reD`AXjxq03z5VJ;uM54d@KBNrIZ~MA3i2vkH#64h z9@3pg4;npTumv7S4R$9V@0I zSu(n`laE>C6?e#-jtAtQWN~3S5js(IycLlV=Br)IoI!g$Cr&3pCkY2D69`7CvvOsi zPq{TPWh>5GvberfPNdQgN(cEhXL4|IPIPiO!2gKJf8>TI%bn=toRIvtJITVd`-D+s z+z*E7&oHMT4A#)H4OP2S%^9rO4xlrT&LB8Emj=VtZm_|(Yo4bO9zyu^G#smTLk<2- z;WG%INq87wYzWIHT8$y9Q?sR?W%6m7)^N&aQyu{sM=3T|+8SwATislvXpN>d2A03b zP{3E@Sd)ink>^l8m-0Bs$4HSf>UgDYh@ftWpl?ISU?CQ2{vF=2HlCp-Fw{hZLT4sj z^-!=nr_9Oxxbm)hlDVgA8k6Zxp_>J_b{Zi~BjigXVxC%HiP#oyqxd~!YctI^*}5X*44e;oaVZ}tfF%Vojc)lOK-0V z-C%k$iu+DR@+t9M7VbLTV0SazJq))R;e0!c7;DT3>xR0Q#(gx_!pNxaWWe2T&Y4=@ z572p#&N?`$`j+Xp9x}Kk8ltkehY3GI_)#Ama*r9@TH(hDKSB6O9~^P(4eqA!2EtDf z-Ut}~5C|ocxzf96lkq|2H?dWJmj67-Df67be%t^xSQf06*0>O zR+>Y=;}gX%OngA6e%(uPAI1F;{f&Z1sM_2w%^jl~{42U&)BOf+SIM^4B}Dhrm~TIo z0T#ZsXz%GIlaTzT&Pe$x>hnUh0|00X4Po)8s zhETf8uTn3Cm=(aT^$G9bl+O&(E1GbJTD(f#Ne^SZ!x`@g#N#fLIyhsAqS8W{LW{ix z8krl=Rc=hT3Eie}ah>*d8J~HinR~Q)o6&4evjt55=|3VjJuS@{t(A2YomO;O!{JdK zk%p8U6h(Z)G0U|vZ!fl(EUqoRcJ$iA`#*LJZ4btL?Lm3;)WM>?tC@FXv`&n6G@>0T zWq1d5ELtXm0!ekryW(R^?XA_-nQ9lRU7_NJ!A*>RM6QSJ>HXK@tCjH8pIdgmAQ-TBG*?8jTE-I_-qh6*rL5TSfWgcu<+ zI_mm{X+&s5Vc3$ZJ%o9qCW(X#SNf2 zkmewm{?l(Ohg*BS^|}-FU3X+S=%E(s3tjIs80t)h8ir7K zUE}Sd(U1&}m3pt8mHsbxmPI*Qt6?~!oXsdB5G9T%-uXBjuQuC%;)!Y_Kk94b%dqhy zE&fPd;Zck~n(@aVzCX*HWi80B0>8HXqtCz3?9JI|bPTJm^0 z6X;BY6P7g##KYAxj6#k~+{gjW{A(3U>ghD;JDn!oB#S*>ci+j3J%zEe5ZkxU#geH{ zld??<>T2Xr%cYhF4TlPzN!loA`6eZC#+StvP%5NU1gVYuDr1TlVmhdz8lJWTk%W!X zHPu4Y`-~B!OD01UGeikO^!{%MJymEWM17SIO}bKxdXPpfW7Kj+osOvfO`GI_hxgI5 z(*Nb0Md_|}Qo$&dj8cUt{!JSW$o;c9XX&P$NvE35EI7PH2+Jv_#^9~mFh8I01%xjI z+)GwI5RX=;^YYeRMn}VGBQ{xjwx_SB0e6uFU8p<2YzCdfpcf;k?=%^c$&k(Hq3b!9 z#-%jo!9c51TYH*-p7mnBv!2X0ewl?^p>4qV40k!hU4d}^1Y|M-GkR(Q3u#vuKb#e}Z`oIs@|VtVjkni_e8B8?Gw_E4w|5}8;lRe^C|1>&yS3b+ji ziY)Fr7H~ZaSb_rD%CEGg)f{j#fne%nVE=K0#R%yd-N+a>F~(BF$k=t{Ddo-P4A)&} z8J%0`+zJP49Eiw%W+mNbR#$CYET^@C)=F4C#PSWdjkT7`tUh~*`kuYWfbzFnz)63L zCyQIffOjz9oe1dLd}7>XMrU2wyJ_4*V>OJ_ZLysD))?GG_xXDX-$!_@!QpVo-EVLQ zeXsQZ;Rgw?^TA2?kioqbewgqhgdYXW`U}gvuvUMMnRTLCkJEaB)|0S$N+qP4ka_Z$ zJ;&SsquM}=`Wk4_s9SFluh$0J21a~}5jP@Y>J%VT18g$5pBBHF@D{>P1MV%whh-{i zU(|_jbUyB8B9IbJ#S_g z-Ig!V+(z?7n0Uw|<7vxiSnegm_s;d&hA$I;h4`z${SA(AR2~9*MZIS3*}A{KPWKJE zZ^A``gGG7!tllg|eK$+dxO>Y&eW7W*%~0 zGq3t@Z> z`e;IW=E@tTQh6NwnW^1W{haDZI%`U!pZ8?D%X{NOqJG9SGk`2B=_rd4~EOLl?1? zVCfBYh(&C<+^fX;jM#t?8zQ1_i^amJfi({`?KoYD!>Aoj?FeYtV%la%S&htEt4)K( zw3^Ur3JVVvQhQz?fEnXV>8snS8I|T#T0lu%T;vkk(%>_3l9I(8MYt8=)@fK?^tCZ~ zrowFrw4NI$|gTV_G?nt;3;iC|(&%PzJG2Opb9cf$ z2=`3G@-F9Cg9j;m9N}Jsdm9{+Hp1}+?^C!B;Q--a8kQ9d8Jwk$9>atqgrf$>C34K* z`q;?GIZil1IGKj!NyrHX->Gn4!Y2~$mxiTzaFW5>6+W48f5N92oRl<9HMk3&yC97L zga;BHl!m411{?gG!lw})LiqGFoRs&v2KUsiaAy!clkhOWI44W1s#spmRs<3O$tSN= z9s{0bYO%JThEqM8>IkUae5!YR#03+bnwD+h%5*Jr7%rFL@(|8<78N7kjDC6oDxgtFqX-7iTY3>oR?FDSZmMbL zY1K@lR!pq~S_fHM-74C~i~HJm@_@h8!gSEm%NVAdVWuNYy4etjC#~wD&Y63nrcgn* zl5Q1T+)hgatEgB$oUr>9ZS2K;jXjxqZidC%`I2a|xS5Ps&3LmA&sTSttj>&>W`917 z3us&jqmRVV20&C^-OE67*78m2om0|x=OpjPF0#1ebh;fM-NzG&~ zjZ10FgMpndJ1Jwai!&;{hDx&KqXM~c z*JSiaO!|&QnJ#&ag`S{QcP~TV$IxpL+Mi6+-EYQ8n#=<<9;C4jMi;4#j9osVjrWAF z@t#Pyhb-9Ued5UC9%isd80=95^A#_~V`jv)_{V8HLE}jnxb4ZGUZ{7P34P3!@IB^| zx$f3msESrz+ie3wJ;hKP5z1e9(rq#$p@nazv4zIdF!V8BqP)tio>fn&#IXT_Wxr+wF6GVi*MdM`=u6?(72 zLvE2sGTj^MHIribC`t-@ozfeW-h_lI2+Ii^J!t~&Ei-nHr67~>(Rhc(yD)Hk29t5? z)$yJ=J8+!H;@+pToz4z8IC+EvfsEI=rhPGhmUPRd_7Sy@p`n2o4#mAURPGZ~4jSqy zJE?q1Wfv5d6pW;w2nO6|ru{Y8(>|xRo7x^|+^)e``fb4%Ce3Q;NqZ^nqqH9qPI|a| z47e|i{#@@GzasrL>2E+IvtS}Mvj(4t1>Co$eTaif7WW;s@2UL&4RsI<*sKyinlc*i zm1J>0QTdt5FHm@2SL?B|`_;s{`q=k3iU%nE4iQ(AU@&SAfCBChv&L#Q{7LICT7SdB zvzcHdSt7F>2HZa;H0yxuB)@+t)M?2ZIQh$Z3&i8{h@`IkZ|auqDQ(f#lb__4jr75w zarEFZhXg;w@bC3eMt$N9h&Kd|Eg1;M?WWuvYSJ=&igXyI!zmpBiK`HcrS2menef`t zSOHmu#uS=RXsSXukW5`djx-@}kS8>w(40aG6QUvRm#(D={YQGjQ50HHXbk}eroMj) zxHe|Y)t6UoX|$u!9tLVKEVGZLUjcV8YsqM@oQ||Q(K;FycgtAV-VS92+%cvVX$5qq z)`ePE)i^m;j(m1mF*B=pn(JoT1-E$TsP5EyQ0oZ|yQa**6$r+%sw#05pnu%4CN|K? zxQ?UPi(+qx*g_>aIr%aKda*m+grNhylKM~xPzXXmZ3KdGUoj!GWQXM9!n7i^qOfps zizkw$dD0iNQo5|g%(>t$&xzAX&`H8UN%>jQ9xbYzmCEk~v!2&aE&I|skybxgIIiQ# zfD8kSugTp>rfk)MPNveI$|C=H=>Iwb58@no=E64SDVn)bD(cLudHsSSgMdXVQb(l4l_B30N~X5BK)D{MHe zvuTZhl`1UcFKnb~ZSIzsvba&yMpGLD4bR8p$?*SU>&@eBs{Z(Y-+Y8nWS&Ykp4`bg_u`5&&t)DnBtwJ-(md9252aKLNgs{9PB%Mb(Kba1>0;8uXT}Zl! z^dO}}!BqJ&xih+amKS!MbTR3YWIE&q8(l%^A*6?rE;TwOC{qB28GUk~7xsgshm#(W zOb6UUM*pbv!=y)&9%XbSP1Zw=HoAh+V@QuBJx*z)pv-AC`Vmc&38W{Io}{#V{zZn} zCL3K&!=6HVD(OdzmQCaR?op#(EA*~%8tLhzXC%`>H`D0dO3xxaoAeyeSSur6+i-J@ z4gT(hJdf;rvJ1fe4{T<9kXvZ*dVT&sMtBk7#ek8eBrD2WyCp_nrx|c5>BmVg1C24B z%tHC_M=VdiI4jeiVg&_-gWVIR9{I(K)pDvUsIG*H_YI`EGCHS3zIhw&?^c<)?;5YV zc#`I7nrmPpilNl7yjgq7=vOtR){WL-^E_D#!jn@tGK z^y0IH!YdTELZ~8VNGpg9${sp28Y)b8+sv80L;gz+x1G)oIy>RujtBfHardgh1p%`1 zqKoh@!n*+@fwEoVl3zFeVeK)!LH^%?Qci5~;bjG2}elKzI#CpA7_l0HuQ zE6_-HUm$mo>=@#{HvR_uEQkAs{I}%4OX3~)6UN`D{P*O4Ab%3P7n@*;`_bs{H8wwy zK1KRxrE#AE?iZsw=zaQ?^lzkpS2`s9*?{}Q=%2JA{FC%wq)&rJc6=aRwrKj>;D^Fq zBAy|9mhe9cW6^~B*WjvaJorDtX*TmMI;DwS%g$Xlh7cwsC{ zS_~JOvTm{$ql>6ir&0q7Zs5=%zF<&B?k+aI<#QfilYA}mwUhV|_&Ub7QNAwudgSYa zM?MJibJY!uUOZBMl*2V7-H3E!r3cHXecWAQ^h=ulmy&Km`ZCZ+A$;Jj5W5p+y30-J zvyb7+*S)DUqjCilT&^!PIMWxE{XdK!jgaJU&B?bQe-(Jtuo?2YE;Cn3VM`P0A0=PT zwW83PLK_IEFtepTmReTY?^*6@b871n#%t*K==kASq_T&(fbnBAQbF<|^5JAYC>Iei zeys8- z?>GJt<@=K#Kt3J3ma{aMVf2!bUM|ffokcnd8rizYr4P-B6=b<=6K2J{VxL1HmqH8z z&YMvf&Bd-(@+tWT%9O+2IR;Y6qmmB=y%*4VxzSj@D=?#-HmwS26ww$21F@2Y9kHxJ znU3g8IJ4I~MVvx0g%TCyGP2T#$_`e8O&F(_F@(ZU3Z)Qm8CmHW*w0Q1wHs#2;Xk}{ zJV<3Yl@U-7sp4E$m@jGN9x`FYV_s4{OkpI2Q4o+@3knP5gNCy6p2TakIiKC-Ib-OI zr85o=o>5|CyYU8ZyvKtl5S~bQ5@0+;vIfi7y^X#7e;zx9>{POkfW=M7Es-zW#)e5{ z^r#s_T6o4Z8q;aafPw4PO}gDo6BcTVY!-#t6y`ucN#heF=y!9CZ=p|wdF1DlUy#Iy zg2FE}zLoNikzYi9G5AEzPEC`gY(~!=DJPY~EhYUp>1Cjik{L1q*gawJ)rZK+OgX|U z2(JW;)RC63%;1&RXKs}lXFGYR^CXScG}gdi+Gl3Cr;H8jI^VTq*O6Th78wD9pfY)# zpGbe&oNfEP7(GMhSvt?bL0>#uz6$6HiwdPPUL2Lj_y+T;=_6z#z31s|g2zELsUkyY z+{>~>S^W8eX*Xys`69KKsJ#pg;{};{=_Ogx?dO_}%_epJ){Em7O0Q7b3JEzRBRx;% z1{K8JHWT(8^n~pcc2L*}fo(zQ6o=ibM*nZ1N54jT7wO$br-fwp%j-s0*OucOq~9dH z2Q+3dCoTV%R~!RN1$&he7s`L%f$sP_%MZ|Qw^j+YeA6XsP>?|XVb z&^wvre-i7M@N$)Rur<1+p z`~J6i7pZrK-dTG8oZ}_M^I!9-tM?zha`o6fk-wU+^MXn7JWu{3(MhSHUU~Uxy!#)$ z3dvsbeLvs4i`A=0uM)k==Xgo+yuiGg>Q$jvm0q=Tyrg(uXkIP#E}~bRUX3I#Kl#32 zY+h~kYSODkul6}!QatOJS4X|N^y<;8e~yZb$?j=gsC_ zre0@yUFdZ^$4iRmE#_UW-mUa*qj!6ltJnu2@3iW!?yO&;Xco-DRiw>4+RaEdnA z`V$^NI2|xrvNEYSRwUCZGK{~mk{5U;`7H8L@Q7r5psWFt4=m)Bx@=SGPw|u-D!Ei* zP;iRG6m{85(fC$3c>F-}dF1oKqrDk*nXbUtcXb1bLb63<2Z2S{L**^CPu6BQDG3$&X6r5uwq>S5STo`LX23CGjDIKi>F?%1^}=9;v(j+Z0mQJPO_0VEUv4_|2b4XZr-G2)AeF9wc0T2$&{`LQf) zLAAt`n~FSTDV4{mEQ3yjam7^OD>P#$T-y`(Gsg68V?Gdjl}CBiv^B zXCkvaK2ida!)=kD#=BSKZ%?;X{w9jX5MS2N)PUP&{MDKjx0ByNekXVhJ>XuIe-9Gu-)4eT!8Tn{I4n76%-Z6gE1zu9VOMXB31K`;wm%glf&){(ym4k#2 z5q=*qY8m;?c)C==S?&W9PU}{AA5!>;!eI!=ba|!uk`*%YWT$57$R9E5_UpYk9i{a# ztxsSf10`9q@1jZFRQin4=ah~?Lfnc=&^wn&BVU+s|1$3^Us5Ag~*ej4x2%HN*uANi{VLTX#T``7rZv_SkvzFd9q|406E zzyo82GM_?rgW+vIPkv9Frr|z0w;Zm#{50PEk6Hz2d?XE#-9h9u=NsQzPg9Y6CGwTQ z<2Iz_XXdyI44$+DK}+CO2v;Rs4KS`akP7-jqjy~oR_KdJS0`OV>0lW2#YRuQ)1zyW zu0^`G(lSdYbD*nZ^y-_vw69CL9_jj^ag&ic8R?l=*)4-e4a_>e*E>f;T8(HmhK2aY ziwb3L!%K`_{HS-1OG!5&eHrLPmXJA0xCwE0xhbUqPiab}8I>!bAoWokQVX-)mBx40 zLeQLi3-VWiM`nHZjGY0}{n-c_`s)S6NoNVs-xZz9#1Jd9ZWRa{+VeRPin+NGC)m3J-Fi?XeiYu08$}n^c^Wp@fH(qeaaJVrEnXC+aVx@ zc{2+o%_PHgGv}z@%kFgUpwj~mGC-kx=S`-?7Rh^osOxD`CH+Y2os{mPbT=fuEd!Y^ z?=d4?Z%Z#4_tNMM15qoG)x)ySs*ID%Htpu@>fv2ZA3A;M^n-(JmRVRJcO_OVMNQiO z_nYDXTz^^vXr-%_ALW2^R{Ah3cg!%WS7+~BnY6NKMPVU++44$vsGKZQGH13q z+jK-YhfXe?7#tK&p=CN;tgtxUJzz?YF5YPdQpux|4+W2r?EGR^VC>J@04pS0M0OBZ z1dq9P5_l{#?wl#}271BAsT5Nwfr1Ri>P7Z#H++fKFGGkAC0+^~7ww|4f@~Q+$H%>f znX^pW0uRy|PGF3%kGIW!Eax=B)IzC#kKbwgwuqq^!gV zg(B`L!^`V3oVCQ)5nm4+_e7qk(pAY%&u~whF>;suhaB!18qd;r&J1}FCz5J|8Ev$M zvXRE~G&aGwSi(uql5L-5yA!Pu8#hKhF~WlDZj*3cK^ z$P8Mx0OD@51+n0JFNiG+;uQw56+z&Ozh03WENLifGX8&Yaoa4MCEEDg&Tw`xoSg^< z)q_0gQ+-3C(Sb4(%#>U7p1($A7nR+r;Cq}-rcFp~`no9-hIzN|4JvO^*#iaHM0Qz9 zmsx-5?ky8qwD*L)6!uYg8v>pud9mzhJTr!EN8;`slbY+Kxpyh;r*r@ks>Srd&b?>s z()Z*iIov_AhseGU7BR9nzaN;;cC{Cy4=H>^;V=X~M$+>Vodec$N6cEPtALKu`k2-y zuyC4;SZ0ZAVjzK^Hl+Arz;SlM#7{9Z-7p*VJA1D8n^6^r6 zy2_G;7C?^HpvqTTUVh|_=i~?weR^St-olU zhJ{!a%Y=COzFL<1+XTPv6mo{bSqlF^;3G|H8~M1-zlNVb#k+|Ah?i@?PK*5IU5HC@ z#1ew@)TX&z4M~EHlN3q&we?+4`8NNTU*s$}o_@Wm#CUy;!`U zOwyZCg;G^Y)gYm;#!GP3dC|ChQp%Kz^nPDNr8<=wP>`PzO59y+e0Ak(lCMR+w(_VC z{PJ9?WBjdJ8Pp|Tk9>XQhX$N{Y%Jg!7{BXTFJ&8&Z$!Q^cy?U|#+>XKZ*)7o50{c| zLi#e$xX*df^lTZqm5z%EEwA;0Z%UyVg)1Q7Mj-mK2dB&&xzdc=^a7gGXhGvD7|4K0 z@1=tg*V3#H^;L8$TCHidfrYmkejn$w*>>Dlo3~mQTwO!YN6!xr7vv9PLkVe7225Dm zM1GgU1u29mgiVNK6_#KV)rbixmwQ4Ag;WY@5YV`g#Vi?F(ga2JZEMc*rk-;xopyAt zgM*tAj$pvJz0uP~dUOZU*OR^hG@r$(@-U9L8x8*+4|X}+O~gAA?*yEk?QlS*_TFst zsZ@{dOu7r{uAosaa07$+G1+EHir_6K-LCiWR!X-~x?LstfO5K3=-o_Ot{+kEPU#Lx zJs`0#p^QuOD8JP8H05?J=66!Li^|S9+_zA@a63-)^4;&>hI+Pp# zO5I#wMtXHGI)yZfXbggZDk?KQ3(tAyj4#w@YMgvA`4aGmkSv_Rpypu1d+HNr2=SrB zOM#=WQUU-p={CMJok{XO?CABVX`C1jsly=*FM=dX|&NJG+&P) zJ(l!1(1^4Q37~m0-td3BdJ&mGd?N8lz)?@+rc19PChHL87P}9+ml2 z7N`=J4okW#ipfOng{D-|C7F*=Swv+q6kK*rEKjDv$?}jTCPefDFH0#rPGK1YBx`Po z%Zp0y!|)|7ysKVLd>+B$0Mq2X3MAgfU0a+;@&@1s-MpCSJ&`RBkRQquj;EpQu*F8ED;l*4T#{XFSS zpwZ_^j5A4{q8|)=!Nh5;yla1v;!6}?hKO=dT#)TH8@pqX$8I6}3fZk-5hZ`nm!IRd z8GX3E{3wUpPI?FFouD!H8V(Q4ajzOYNWaVX8sS}pcLQdzi6H3LjV^4?9Bl`FUP%S^p>F>eUS7a z((i-j_%h%R3~sZ@gFhtv5#hstk#XWB8JQ*0&5g<{2HGt`JBozD0m{}N8_@Svt(3hp?_h{9vyT3lFo5DU%^2#Nk(|* zIrp{EJ2fkOL;73N-+@Mv#6|%*GNag?FrkOvyNd5A{6OI(1UvxneS*ZNEPpg(ozB(# ziN+}!Kf^$Q!81RcA$pcyM@cD?7k*-I&K4?TIJx|^-hg<{0JMQuDhQu2YZwwrPXUH^-6nBZyb+xm6Dd{GpF9VIp zYu=Rpff+qD>6_AMM&k+?XpPA*8uk@0ERbPpccn>db<%fpN-Zc|1qqQt{*==Gq!PQ@?q0E$McouLF&O$d`wb*V-FjUI&jlkiVY%4aUnGN`!x- z@tLi?*xW?EBl%9?y+KS%efhMkS?e_UJJaeyt1B#ALp;XyBu3}xI;mSp-$wd&(5QP8 z&qsT$)XlW9`gH70?G9=^py9FVeIKZ-sovAX30dAX-AVB-ig!aq2G5SBW98R9hTm1w z!+R0Gmw0dBh#vA%ifq0R%fRQy-F>F@)J)ZfT3>4YpyBZ|5O3!1H~3m@-}fgxfN(ls zL@9ACF2nGL^a?VGXAzGAN7z!s6uWGL^WK%;Nf(hG1Um7k$&!~X@}|m}@Ov9C_&9}P3MCLwc(SF@D+6p; zz%kgAU|mlcLS-nGQYg63nWdR|I`u`S+eFTxvFyTlwlrYmPAoKK zls=vxqq2y~Vko#1vO+fl^9dwb-4b)ke=h$ehg(YLaXQQ3;3A^3<*$5-UC#1^8O<;B z?%i@4D`>2Qkr)?}4YZ;%l*C)H%B<=-Q|w7vt7)x)h4W;_;$F<2GNbc1h?m4{Esb?F z*2BQP$jVJGa!(uFR)c?r@Uw)U1B^(?yG;35kGy2$cjz~mb@@*?ft+F^t>7rM{ehgVLLn_CR7QDmNzcGGu`HEfd;&ErH45_EOkK;cXRUK%!7))Jbo`gf}aD z(R!D{ehLR5cttAJy=U;NTBHsVK1BF^g@;Ki$9-V%sSRGp9}@nE@L|A-hcaddWVs{8 z2X%4YQSu*?{{%d;U}C~le!9$-GUFbbEk)yV8pq6#=4&)RCdL<4kmAaC%F2#Bj>qErJ5?P)xbPde8S2KM>I*sTwhJ#`y z69c5_Dr?w{A9F%}mcw02z6truz#|Rta#$uR;R}VAn{sBccRfw1G^26_6x5}X28o$U zo_D2r&ucm~r`LksRq)V8L=`M;xE!Q})LAV}Yo&w6t*Eu8)&?4ON=>9fF4`MRL)lc< zU2X22ni|*8_0jdi#nsvC?!Gsh#sdUod zpzA}e7Y)zV{Z(gsZ)Q-}1kdTa0eA0YOOW6rb(xbh3_h>2VK<|2bH^5`p zvjDfu-Dvo8dnGhE+)czg67K{YC89*eE8Wco&tK);+RlW#5bg??k4f3hh7T|4`pX{Y z?iTaPf5UT>bGOpFjo$6>nCoQHEZY6ujBos<$9E@x2l*b#v!a#P$32ZdrB&>m@|qYUi4P#2 z4jfgK33#sQNR^I-)lulU5e3C@fqH>H+D;@x^eqIsLWT$)S@=Ck6*qEkr! zQZc0xNXT3=d8g0~Hh7V~(;q^3DB)7Te1gZMty+lf#DIGb^%yqN2#|G z``OBUS!m8~?U_ABXAzyn>LjI`TVhTtO|zwR9;dSm4$4+ETiQuO-4lktbG{d?<-}JI zUkM!1VtbggI-FZ&&L|xm!nXpEBjdUilw6+*&H@sH}&Aic2~K z1p{R)`)T7}ujfVU8S>APe-6A?t`bc>x513QTCO(Ic%H^47`PYltfB6OGIpF7`io>= zBKtB}TmZ^oK$bShSixpf?$Z*ug~}^bwn9M(jHhQyzr^6aqrLFA6W&31Ct!pxQ&MsY zWQK-RB(IvXQD^18Mr9Y3-B3^j5hYm-Z*(7x%^RfOB)tbTyX?`dXiVn4xVKE0p+nev zDeR;0HUw0m(k74xM^T})Kjg9gj#+iIN$@VM{j?6i!d;N@2YH>qZ?Kw?uR|&aX&j>Q zK8&*S@Ifp2`~$OU>Uln-^%1SZu#jG|2V_jXvw>9yM@*TbU$;F<IpSD+Cq+59?78qx!$S^TvrzodCL{u?Ua zQuz)Fa!GbxanPMGc)9gW2>(F%Bw*y&Sh0L}#n@3HFW{fZo+A4**z<%f8t8s8^q;7Q z{z~*WqQ3)0QA17&NmKg|meWKTwb_WcehX zFw&O&*Ng-Dg!zv~xyJ00$X`Y(U*2coeerqnL!wu*RcqGr@{{yR$X5W5T1;lfVE*{| zhVS@UewD*jBwmSlW#GsSGJ~>EzCDOJ*HL$YNwaV95~>QNs+6ihLSD^^%F;Kqt-1E? zLbIyr)SZiHRi{-07GfrEYSN{%bg|(V>0oM2;QSk$O5w1=9L)ES@u>!;wD0FB4XHGu(ijTzoh%Frx=Re+rNal85^h5HGQh|n+0hIa zlPN)$8z0j#=ceSFk-q{w5;rGLCaFr5RxA^>-IXS7XzazPIi(hqu7ZT#1ae{c|LS|U zG`FAT$X0Y)(`^G65tK=Z@_i*)(_#FpI_c~h@;>r@@Q9$?c6Dde3 zL@5jj_YsqCWy~{Tco!{zDa2EWrvXQnmpdXgD3YzM8TU5yQs7z|?Py#F19fzI)&nJ6 z!`$A4oZa%f9IgX}>nYp-0rf#JKi}PG?8&}FrME%0BiT-1k#}X@qYRbd%g3mlZ#L_c zzVPZys|&5JNmhD>Tz3ZR^jpk2s@AQvZliTOEVile*)y4u5SOANZPsq4t##h@cc*p- zwI0yWvXBO7EJqryn1b8WoTWOld?%f|=-dqlr(!oPQy!j)Q{7|QMD6kRqINH}-q29U zisaD|l>s^#aJ$cxomxxwq0*O1KPbp!$e$6ZCGR)>e$A8p$qyi(4j$P>_8XFkwJyW( zeuv~&Ib0_3EaFk%$dZ}T-jTWXGLcTMKHH=NztWMHBb0I}#USAvvScky-u*pb_@l^q za=3xS^N8mw&ROtrS73N&osLpSyomT9;D{1>_Sg&?ZE)vIT6u+c6XTSMDV0FN4UrA_ zF_o@BI-OWyHrTWtb3APbwV~8Xp=oO-#SJsMzozYjq=%Cp0h$$zmaVufs(#3%-demK zrZke$C`h>Hvj36X@0j#++-OsV=>vTXm9bRDK|zU>P5v@-WrC0!Z^CJv`!#{WL<*B2 zAd{5J1dO;0W=}SLw2rk-AwQM;Bj8aDOCw7*;4(N?$xEYYgr^gp0T^kN8TZTXSTl`2 zt^;nfNY5rc2Q>0VP986HuHj>}`khC7KJf*>5qP|~q^QU(H2UaFFDj3bUPO8^XvBL+ zhD@qmVsOLt9=w$BQEqw6cZo%9aU zJ3-?%g?v8QUd!Mq{k(|0MtB$D-GEW3vI;XxutylH`qxdGtuI{Pp!6oCJ&<^h($eGu z=WiK(TG#UKCB2XI+sSl_d&lU%m427>e$od(qxAXH(tJJ)W4~uYu4b5n6b?~%9|9jB zC3)y)%Ev0>?gMjLYP<16Iv>$F3%sYJzHM9XGF7Qv=8k8so>D*{My3k zo#_>|Zy3h64C6b5fkGefNfjaAbTs_@R=60sobQSMK>Q@|it?*35cKF3G66FrJH8vF9{lk_Nv zR{+l7<+CUe;mUxTknycY4=z!Sko{IZ9Vt7H6e)CfqNy5#GTuMggW54#422Q~PH z#2XQB3_KBhC^aCJ%O%Ed)!;8B--P^S;4S!wyWH@w2H%u;GvZeOPXsS}5BnnSO5?|9 z@Xg7$Ab%Bj3qHlQG(4igw<6w}cpKn};QeVqpG=xE{#p(G8uC8!e()B2stXvNrojh^ zhlq!PCxVynrTbD{#P~C4t|RSJ$fuG|18>2nxweM4)!?rs-j4Wnz!|(R%@_8ix%S4V zYVaM%Ur+u9@EW}AKystu?KSwDh<7C333wv-l!#yWn~nb+0}6Tl@=kk29?1@A>CER{mG;YAvq9OAjeW55&9kuREdt$$>)*J2XDd4 z$2JU)Yw(4{i-->bj> z`Kg&$QZ5&>(3~4rdaaDd=q#eM7>*`E5R;;1W|Zt6Wmdjk%u-s9(^>`#naLlFq@=kg zjP|3^BZpf~dIjl~Npz~utui{K^pm7llU@TF7alK>$q1!r{kW%0c};tqYpJZGvK|Vf z6*e9S^zR~l6IsW~g^C6v&=p2T_ zlco5BX(_1@JJ}HvFWBmdM=5?x@e_#1ta`U)73-&_tUu-{pHcao$}uSD3Q5HplBRCN zePKc;y;omSI8Na!2)I|Mr9#r9$Yk%qq(UvB-%$FN(sz(hBtmI^X;z#tx~RyD)Ayu* zAbm24M%TgUVx@l~eTwwYN{4-6`TXTCMz1LL!v2-?Z=`=$Iwal7H1~(mXSAdEC+WXP zpH8CX<3N8K{g2XTNS`JBPZ=GOZNvXHy0Oy#kuG;BI}P%eX(A7vfZv@b|4j55R*&@J zU0!~YJ_G3rMhAnDRCm779}n~Bili%%t_&JE2y3$Ok~dv)Uv^9?;0sLLYU{EoR;5@C zqV|l#@>1PhXu=@9vlmgQPN4<_@6Jk#?qZ|kdar7du0^`G(J4VG;dP8YKG3_0x}@uo zu5WZ&sx+k=7`;u?vmxn5q#GyGsqPY^w<~=q=_aHvQ#vU7LWSJrMt|4Gi%C<`%}8I7 zOo!c-Mt`q#bJ8tHU!}BE=`u{y(&)#uN^eEFHR(3Vbi`e4^dhCNA?+jWS2_?31*E@V z^sKNK?;z2MMql-`2T^OQ~@ok}_lv_5?!I-KU(n&mVHTuZARt?OW6P?)dZrDc%g z+MChxGcQ&hXk1U@1{laQlJ@fL+Z&DkLsRo6(j7^6QabGO$w1J}M)!<+VRt6og>=_s zI^u3I`fjCfC4C#|+m)7qKzUo$&FJqmKXxa52k9Q5@$mKg@eOu^=hpEeawp-t2;Z%+ z%&N+A_ZXbg!F!hVB7865-hh!Js0&iveMYYx=>^?~bYIf_KqrPh(|jrN7A!NGC7US7 ziv#nD^-lGtH-KI`Jg7k@cL3@#rjSyrvkzpnb)5ttXVK{{m5D=M=3?lg5Lq?}+z4tKbk)%f@)3V8| z(P>JLAw8D#xH38{9l`NNU#>OT1kw{pPfDhJZnDvrDLsYsRML+m)AA*Aqnj!{jr4TV zGn5X5eX`@hOrs~HdKqRG>Di>`C>{1kB;Iq4UZqJskMw-f3zF%8TWIu?NF7S%&ljK*EUjtrqO&~uu)IDXw2#wBK3hOAWhkz28jh;lRd)n}kx*_Z{#GfVp z9B@=PMI|!RXM@27gJGYXMxX94Czr!*C%uF8PS8kFSr1bhl^2$;8o#NF zcNMRZ-$i~mc!r)5Obxr&js8<>{+#qN&}jalu!LmZiZlW7W=vK?nE0^X+b<~| zr}z~_Jj?k3IN2zm$bD@_vA*T_hQ_xvzJq~O;-)hh(!xAp!um5_+`gyq1BH_ikRjso z9T$AA>__9zPW4jtC-SGr{|ufb*cVQVxL=H3Yt4JozmfjEjE+c?@eiY4QuH^3O!`ewH?J z%F9pEyeC}&G*Sg&%VJ7*zVTx;^orywk*^FMH%eCjV!6C5Yr4RU7w+=Xu?mf)T2@#3ObWshgD`K$WDC?Oj>YE{!b3qkWwQ`ja8B=)F-VU>ElSYyTqh5 zEj{T{N=+zT1_=o!QV4?@vgW~zSS!zHN~0N#D`0Ts2k9#@laa?OO&PC~Et^wmLFFn{ zGGvZ-cC0uqjjWcYq<`R@r4^OdRN6p6ynHfASZ^F+(7V)r)nAzthoJLNRLNk?S8cduhE%ABywuYze z04(^m#M=?S4mhqvZV48%#r>|m8NGC(X$KnD)3^Z!vR7)ZOx$xf8vWu%gf8LVM7ksC zPM~o=q@^3nDoM|inF=?Xa@BAzdv&JLg-TZ_T6d(lTZ~?(wZW~VZzFv>XgokO(&g(4 zvR%8Ev$~nK>kwikG3ZY14r)E1;krZ7{Gz-WmE3?@PQNaBq;tpC&6|WQm3>wl-;;mf!xA z22e_egq)HYEAh)17te&j|Cq}#Gw&PkbeS}>XhzR5{mEvwnFH0#p_xlF2Gi?u27E=C zCBXpR+&o~`B#r4nT6whcVd0@8HBFIB;FtYuOqigRUm=Ae3WFe^F!2mBSm+A|@VCf0 z6KAJ;IVeuCm|_V;oXHbY-Cz^us4#@WPzt3Ga6v<&7$}d+E?H5j(uSF}SSPYPNNYH) z5wLhc>9VI*QBll2WWoSlSn)80krYNjXdtJNsY4~%QftVTr3E>`a4_Iqm;^D}f*5n7 zcWGl7#8?I~?*AEtB#R8qg#D>L#A3V!k*z^YU=R}-#H9ac5J8{39FZW>7{p`?BBnu1 zVGvUp#3Kj-{pWKo#P5qp2oV`jderoE)u&OPPJIS+bcN;qL;`#;^RJs}-eSE?v*^vH zHwT{gWRt_K+ zQ(Gf{OIjr6@W`T4_mtuHX`Qu}_&Vb2X9+(C7}bw#>?jX3 zEHW(hyA397tms|GMoQ09+5`!m9cG&s3~r4oNe=fS;g<-%tgt^*vgu}nhqdtFEreeo zyj9^qru2ul8NBUA58h6A2jQK7E6RWHI|Z_T;;Y8b?c+uJHS)X2?*@;`+#Y*r?sZe{ z)92nBRNkbr2MTMW+;o?po>}%pe#^vBy1&I| zj97`wlr{g-fN}4cvR}K92dNyQ@;($T6#@5w(NnZkd`S8u(uYAKHbLBjBL+{^S;9vN ze@yrjz=#c2{VVSRKBMwEm19u6_J{On-4}+Z?(pz0i61Ba6>wxa>>MFI zUwJJN54f*QI!|}e`G(TBl)i(+MoZ#j4pQ7sm@z!tyWii__<_br7`W;%?!k`+PafyR z=_kUc2>%Qi!DA_NOlBR+`w24^Pw;~OmBw#0eushLk8hF4>V&ZS!-W5adcvO+{-SUi zLh>ns?r$^3>M739I7{On7`$&N_x~EaUhms~gv(vVZjAgT><4_F{43FmnWhD;y!<4+ z7{V0*<0c1u0bh1Zwt32P=bLh%wUDyH1Vj47g4NEu?9rUW%0>V`C?<=)|PfnvbD(8RyHDR9b*^H^CDE2 zY(28|!QwWgVqTqWaaHUZn6XaVvkhr9qR|)z3Y+vuWSYVyM$grBx|DPi(wBio?v`g< zAgFI~FE{BCEul>*HKTL|B%DHCjirU$l}10M?ce64Tadm=X*2+QuBFjeFP0$WaIHwU zCfx=!a#3nn#_+E;_|9j@N}q+WkFXyw-bCYllq8KjqwrB0u7?bmx>Mgs1*wLphN0pb zLNXrYa}lG1S>B0KNT-rcQyR$>a&3)%RMY2L((OoJr*znd0n7GAZ_xDVK>B*pH-JVf zfU6v26C4>)aW|UN?FTPDH__=xrxP69Hm?`_^u45egVqLq7@G%0u~g|kv!>~d=|ih8t$wf)88;$x zkM1{mqu!YQqz8~r2aT*4l6TlH!{Dh=`ArU&NjQse6mTMFzs%stHu@udL6k!}mvk(d zmRA}^A69xG={(Z;O3SoM86he#dW24kE+kzH;t7)qfO0&3PQsa2)&PP7XnZkTEJ>G<4()P_?V0S&o4#C-r|gifyH zA#+A+Dv1@LeIu>YCFabk>J`?dbRMU(3=WD$N`?%+KVfj|)$*GhZaLuRZ$O<@DeSZ^ z>(>qLra9vc!fz7Z0~qNl7c3jJ$;!j1d&`tB^?LVG*+=DVC|bjY+&e};uQlwur1z6P zpmZoAi`3kEMmLJ#Lgi8ql0HQGebC6-Sy2o;VW9Z~GyXnJp`81W#z!;`!$4hyqMB;? z+Z{1&rk2^G)IO&62{ha^yjhCNXu+q(fBT$Q8a^ZcIr(GYk*L0i>=yTh!Ie<8$l<;u ze4OxCfRREznOo*_UmM*WA;{srA^k1s@5<<4(C1DVJzDASN&i6lWEm}=A$C6+T@@!p z*gugzMf&G5I#oLMzZe}-`d8Awk^bH2fM4b;{b6)9BRnMmX=H26={_j0(42v;Xu z12Dr5$^>GW(q#BxWHsP5iPs`t8#u$3hrX+0a5WSFz;y}NBU~SFB5avK?sE+cuYOF>!QM?!Ndx`f3j{7GS zu6(aBJx`WFm~oXFeQ5Nh(GLbni1dn621(Q3@P4h4l9HDFi4P#24jk169vo>d!{}N1 zyvQV-MLG%^MFGzXw4+_N2~X$)BZopRg%|`>67otYnw2!l@PK&_9g_c+!wsaDM=u{9 zuG?>;0R?8PZ$Y7)E2L3GV-O5nh+KE7-#MeR^|Irni%FLx(Xv`_u+cM=9zuF3=~B=b z^9bQhgt7VBlz5QraIz!7BJGewyk*JFT5Y!_rNl!PUL#$H{4m2C$?!%YJe)f$=N@fr z>NxpH4mXDEShC~5A`L>}R9ROx-sn&+;c{*Q>4~H#fkp|CMo;3Mw(O%a*_;ow)iZ_8 zR638q@v@7Qyhn|mtJ!55>FK0rC>=@($ro{F8eJ{Vi_a|5vq{fMqNNg;YxIRm&m%pb z^nxT>I#>&huA=l~q!*E13>sCB>>?!}4?;6b{q3>q~0!J}G%wIKj@E0EY8rfZBcZ0=c27=gr$>3)q9{dL3Hwo_n zjCM)LA4x&Nzh(U813Z2&`F-Ty29FDsi9|jhF7zD}7LN3UcPZ?rZ~#K$Lep@e@0H8wf>DOI9W84@1DI_?;77nsqdjdz+VG^*05rbe2b z<3cmm?!dLk)m%iQI*l4IP+H|BymS@}4(uW;odv?R2-gOTXI4reY$vE=&fU6PsV<#* zbn2_)PbqU6m~%-}?>r6ZG@{cO4l-DX^((i%zQmMc`ryBmN)sxVsgiV-%S~zjgm;#v zRGLw_0t(8n)Fr_bccszKj`Zl}q+5`_Dw$4oEscIo=~kp$lWqfAGjK4ys7Q9j=e7}7 zo3}_a@HO;&^!)HxrvzooF&8j8Gs}xpkaUQ2IGIjy5u>w|P9dF2I!$SLpri&}TcZ!? zjOA-dwstso_9KD$We!8;$W!kx4#_ zd=$Lq(ooWF8rkM8(OjBCFPB~n9-dAGGLfAFWDl6|#U0+&52TPsAs+&=HR|)QD=>Pg z246_Ji1Z+(Wsd-P$Ki}FEbuNOPP&+MNfIqRz`;hBC_RMqP|~GF%OZ?4H_YhCxn9^0 zk{(WagwpczP9}>#WOU`;9{n)sk)%g~#vQ{|MzG0K+>JJ6nO^D`Dr2dPQ$?O}@_a*M z*Nr!&qP{VoKxHD8Nl@^NlW)J3ME!2E;iq+f^eM!r5`P3ZYZTe7Lsm=}efI$G5~h)! zPI`vYGSCnSx|v2d(NaH)^lZ{|jFzUJyfQF)&x2mr^GMGpy})Q$Fc@|VjXtV*^D)wk zNG~?ppCS{dml$1js2BE9(vOo~rgS72iln$FjJ{;5M=vM6g7iwG(?T*HyvpdAb3OV= z(yK|YQCfC=2&K8Fj4slr%39LvNUsNtnowHevVW4n??2)N{S4t}2|ouI4Uoj`FDS{E zk8ZgQCS9NzU?ZjHDQ$v;r*K)D&F@|?r-?S%UZnF9otNPtRx%S>UJe+%OB=yk2){yj ztHKeP`|Y+Fd_YrYJK-IKcPcEC=2G0N2CvhFov#tzMR>Que)(dld)?p%uJ97)4Z?2{ z-lMR5pC`?|WpJ+z9=wq~BLsnhGJm`@rZ;BR%><(jSpNthB77kUHjw(dk7VeU$Xaq(3R6W!kFy)aYEL zKO_A)>0?Hxpo0Ix=vsMR*k6)9PWmg*9LSMWNzIUVH|}dQmTS6vL*rW--@!n-$etXs zZ`gAfabBK(7QRy?J&yxNJG-_&joiA;(QoQ5&*OXt1y+_!8RLV7DvtRxu z>QULdKo&&EKNIc!KHA$WFF#3ppLB&}I>nuDbU&pllCDI$av7Z>wbunkZ&bPp>8hlw zf!3#XT6(sO(Pgo1d7*hL^wwTPuR6UN@DjJy9}c>Ujs8$41Jop4i*#+!-pmIXw#9TV zY*ksutW|oBy0q%ist=3jkT#~gATWBrK0g|gZbZ59Po5RV+9gJU8-^)YSkoS@IgXabKgF}b9fYB#vOCWN%An6e4 zFlaq*~`M9ZkhjYhwx^i8BYlJ2CmY?ve?y*C?OeWDkW&ZN7L?wU-? zf(N5(D}5{J+eqK8v`l}J)%e|v-l{R_PWlegJ(NaFg08307i-velD>=d-AYUML3Y`? z$LLyGR(g@XmvrwkIuZ!F`;6YEG3i6PFX?_|wCu3r?l-!&hTWg^0MhB8k;ml0777$* zyA0#kXeQ1ipG7_jUhiheWgER++qu&u`f! z$>>U27d%LMIO!2a%l(vgywQCw@v`B=q(_n-r8F{@?2=^kPL1~%(ql=F1C1nf;Uc`? z8gF>Wd3C@9;uDEa0*(=C+|QtVt+7D1=Hbr&lTCa|Z|oF`QzkO`by|XJ}J-ghH913d(QJt_9W@mq}Lc7lJQsfl+oSMYLLUN zCB2UHdeF!MzLZE<0)N`@MREb-@nSCU_4Y+ptmW&QmI6F%1A{f!i!r?3eE z;+~cgmUZke82!Lj1TMk9NcttxFDoqOE(*ILBvM|MT)Wqe-jXOD@}X(cZ<5|q zMk6WTGJ1*Lr@f^2k$&4~+0e}I-Z8qWzFdBn^nTI@K=WE75h>f!34PCmiJCYEDIB8k zz6#R6O}yFsz=W>%dDr?Og^ws4hJd2slQ-$968|H{Uxo}KhdWCCWAdMXXWIBde`<6) z{0RCp(w~z)2Ac5?rpd%oc`x*Z39sRI2wze-PT?yEsBEyrN>+i&y2;{_ENr0twTV-9 z(UbW=6u+hT9mI>}KN6dm$@h+;_@W7Nt2<%p)1ABu?t7{~P(2A1k;yLQrygX9v|?bSdanfQLL3!d;MER}Eh@z&lMv z;+2S3RyQ}aaYI0b^7$EOR*ls`Vdh#F`ZSbd)L6EYQK1A zYe=aPrN)p@grt~D{e6kiZ|LLiQqoOGU#4^@Ei5g`%Z0`hr2U|geRHGfdBwTb zl+fp_3z#2l>J^?K{Sf^ye2fZ(!!phqG5EiSybDPooJu&Y43@#owgw+m_*%m42ww*n z*#oVd2;N_|H(|ZrACyNcv=&>4~@Pw`oTamO1g#*c>8MLtGb2qrRPHVLdgB5*UI-!*q{0U z>gmu?8s%lWG+t%wAz!{hm0{ASI&USDQWm8sB<8bJS*Mb1@XFB=kQ^?Da4z8(V7;VN zwhSLI<5|6=fi&`HuDH&Gih8cfSv&Vzvhm#)x9yv<7>N2>JgK?;bOqp{Ei6hDL zFqM&1MnS>FB0?cI+UOY?p)sV#k{$;dC%_DvBKe?;oM5~uFYAh>2~;LhnFK}CKaE9i zvKbpR{io2FO5+h2iKig1LUv@0x<}2Kt(P&4&U896;2@=n zfJYWei-c0$T!SmUBEQMu<`JGxcmZJ4K2AoV{Ds8@Zef|AowCO$ETXU&f;XfV_Q`&u z@kGgROU!#-uY4)J$LTGDr#VlyZZ-OC%}dKkuOPkB=t!D8z*iZ)eIzbHqWdK2)uh)X z(eeqCr;Oe@lCX3^NUtNkKADzf2}W;I`We#Cl70>}?wC~1(rk`$hSUagHtDr)r1LzT zO>lUv^4JTy7mVJbXLynHOQc^;rXy~%(XS}Ih4d?=w}SQt8^ZycRI$yh7d1xPY3-o3 z6PB0yp`d%!=>3}duaVwGdbiTCf{enU?scO#wf5?{H%PxpdJkxHf4rO^gABo}c&>ZP zw6Df_+Fok=sJ#shQ9{B7-8)9Vq!;im>HVY+fJRZnnjo2GEScgxGg`^-INU)RhiJT? zY{0`D zLgRB9$6&B<$~0E@g~1wvtIMBApCbKpG97fk7(HF-UrGN)`gf(J zAt;IThtaQ&^sf6)(tnXY4H{K3vPM`IiO5u=zfIY!7k!4xSt|cPsVIu``#84rukq!y z8vBoYxhvVVkiS|)v1yb1Gtr^gp%E%CKS_szbOq43YciKV&84Ym_jGl!7DO_bk(v3(rR$96Z@~Za|qYrA0aw+L1q%TuimLJIY z=H*5Y(jHS&(#=R;kxa{UBctO=Hz(bK^i@g+L!nT_wKTeGcQ4+pNVg{4CYeriR~y|; z>1#;)Nc)wR!BFY$1dR6SNNbREh;%ra4!MZY0i{z&r;<)nTDns5+PSN^nk$<eqEjrK((CK*P5qGckJbQbAo87-gqaM?!Rq`4)BbS~+b(Ncq^xd)8iJ5rKX z4mXf=9_f70-VlPch~)D>-ZxHNfr+o^tu3TjL~#&ACcTXQ%hsz#x6??)Nf(nY0nG8~wFrhAE_{l71wK zmOa8BHTp-Tr;(mcdWO*w?-V!F=r=Sbvq;Y-JqI+JTqv-q={Yj#S7w(*-CWbQ>dl=; zZ9cUH(6rp9xrIhwt>yMH(u+thRvOQ2nO0=<>l&q{q#q}}%xEdI(!MwPExoDBNv|Ni z60|qy5l$O2WQbd3!ZwZilN44{SOdXphD(*eAy)U4IlI(ZOJ^OO^>A zolwze2?yjA_p1iqrupwR!n+9XR#*mV;_h{Wt5owseuMCvg!ceOKEjm*+*?M!u9vWv z^ghyWgGQuotwvx;bL>F%9}C>5oZ&0-8Z%wb`czx7K$0XM{f|d<-zI@SRtR z+!x07+32O+mt>EV{Yu#a*`exdV+%Dkz9IW9+3&zslyH&GK^de!Vf-7K(%+N+f&5AE zX!$2bsdNNbKJ;u}ta3AO7l0G zzr(~kg`{z@vcY=yhuKZ^ynoXEi}q>QiB~5!swUt3mNOT-zfHYF)iYGjQvC;NqD7us z;QlqZYZr-(9PU5D<(jjxFMoOKWwwWWfb%^0XQHwH${vp{FF#3RpL7M#s5X2)bh$)0 z--IQ&%W}Ai6e>}u48hBW5qE*Xr!*T@AzYPkHNc6`GfJ{@Wa-I;CX{OE7g4BAp#}tu zyh_Oo%dq&xhM&=S2Q`V;B3@f@*_;onLhBelsUxE<>y(MtBVHdko+Q4oEFh3?q{wF5 z!{ill1Jib+)|JCGq}GU9V`z!1h!@JPV=^JhgoAn&mr`g#;W7wXWyn_;jDAxya#PaH zNM8ZEuAEfIH{voSNoG~qRzg>rU$42BEt}JCLH{cF|5wJ+-5Xk(+DJ22E2^!jwt>pg zj6_)|N-yP36jz%zN(;g@)O^(Z(9mVI7|Y6LQ_5*1gH%FP!cdSTkq~<75u^J&DnH8M zQb?zgPBYpcl8G~IjlOT9M_)_29qH>pBRUbk%-VA@+MVm#o02}sQ#w$&p2`hSYRZ2k z_9~TaWUv*kR|0M{x622fdlTJ`bUVRKlz?!myV>9>TRgZk;Vy)`0>*V?+ehg=7`^6U zkG_@kZKQ8Env2r98U5v0kM2(T4$?i8mifmr=d-8L_iHNMN%}6*cY{tuTV~+hW3XSN z-HY(OgnI)JB%;H+;4CLeFxN^@BqT;fSDv*9hqVD zd>!`BB%MV%sx&S#?6Qp>pck1#I+t_|G>U2@=v6omn6P)M7xRG>@+jm(U}U)7vB2nA zV?4T$bP?%6piy2T!E-7QXWD0ak~pIuDZ`NqQ7$#6!jheQvbD2cPzW9z%F6;cKlMQaJjj$<%rxJd|;Gnc|A2qnU_H?EZo=$iMVBV%M zs*jmQ57%Nei}Y;LbCizAYL_%O*XT}@y$hX3dOqm|pb_g7L}a1CpDy;`#|SSXycqER zN7tLjTQ$Z1|IvpALPRnXDxx#od(XL)kSU~ODxz+8)}31C-bOJAa%W_w;ecbT0yx;K;EJY>@ ze?a&Y;tU&ovS=qb{Gqi$rV5@W_#whN$plaGVW)dr`b`%-L-Zp?<0R3`{ixGD?IdT4 zeoXW%(z-FQFq59dkGs&@is0E2=17=JA&NO>B|H3{#r#RZPYIq!SlJM9$qP?AeX7Of z8PW4aKTBG7QQm*HOBEBB&< z9l7@t$IrEhd@B4i;hz&%9>7$K@P)(8>Y}i}6ue6CR|cb%gjI+fUTU#kEqIOKZwTx1 z#F^FCI$dkgUMKon(cc-(%ab3zcltEDJU@tDFM0!M#Tt9eg&!S0y*i5ZPlA6I{ENZp zsYl1Y!!4|6{!Q@jf;SqBUDmJ!k;AL(p7>MnUxGIg)+r`=ikqE2_L3+be~aEC`X8ft ziiz;A)2G-eZWZ06qw4th)+yqJA=V(mU)d`DY@3PG6hEPgFL*n`Y*?}C#kptOJ3qj# zdNc9O#kU~Oh;udiOlax!t4*WY=MJKG6y1t6^EaDq`C3pU?BvSpR^i=Q$}Un`Q{hkp z&Me2!1Z>}p(VFZn%}%u5)%8QZ0fkT4O?n&YyHjT~?7w;@nkBV|+g;3Vi=W1YJ@MT) zw8QuRVOvXVFZ_2lEe|$(Z`u3E-j_Dd)*_q15~r^GkJWtlmvVrV1F7r?r67Un_vN9e zt^)J#4|3@kt5CINGn@JCDNDxn(%Mm>cEc`-A=>FXv%!FLyZtmxxN zTku%J9rKV~m~X-NkZ^*86LW<`3bo~vT$o_O$r4VH(366a5--6}$#=S?)d@}$eY)sg zq`>=l4t0ev>f_6U3zJBwr7bxTl6`k?Q9cV>FZn<##!Xg zlh98>e+n!v^9u%#4Cg!i`Isp53j_}kd?8_GW{lS^uSB07){u#Xi(J~Lc~nFUlr%_E z5hW#09$%FYcKS>!eu_nxh%P0~zD7GlB9yt&&cZL3Q6Zy}2G5{?%T!(L@Iq_(4G~-= zxZ2@3PPfM45`$|6*9jg7b-87=D)S(nmMnqpy^Sh&pTtyf2Jx?J=a z(PK&f=NJjhp$=ELwXYrHN?BLQx|)`9Mm~~ioWrG7=e|bpc)`~a-U-KUT+kBJ9I(#|uYgt$%8?UE)^(!Es3tayjh?_U+scZ!}Q`YzJEl<`b`eje5ZyW9CQIz{|F z;_nrIA9-e7Z1Yf4Qjo;GeZLzYS|L1H#se~@n1LnJLJ6h@$HIedbhLFdrplNm;~_K9 z9LKkj&AUeW}5?+$9hyri%(wg!r^a)}?!dO`B z&b_ul-pg{9$XQBUtCze4;<^0^1WT>V&h$EB@ykas1$C+U4kym+Y; z);O*YA2_~bT6ByLg?}XcW8zFLjSMTQ%1h%ApSUw`b>w_1=QBB<(@~=%sY86>_{tk1 z{7d1hgnvam=MV{A^{?HTVux5QXN{b1=;$m8hvP*+SnK#MRtl^W{;lxui02-H-67w* zbFUrZ2RZBIY@owKLihiiM)M2GrQ+F#N(QDZ(y7NR*F@HWBu;|E0i-{QB3|A&0^y1byE zuBezj%}I_u_}9fZIz-}DiA_4G)q!tiFjnvDpV0b{v>hdt zC3vxl9iE+jV@!02W}=&mZecVJkq#}Le#^q%LG+HITN$0es2r?->h$`fqOf-sy^HA9 zjWi1Lu&dK;kB;cwM7I&WyU|z`2P5|OaC(Wo;%zH>Ptom+PUYoexr4o&zGHF}_THlR z5xs8?jhO7`^!-NfFZuw{2O5p3Oqd0JkkiMGj>2v)`e4zAI2}u2Oy8kS|7OE7I*9Hl zx|7i<6c+JtnA7VYh{8TxbZ5~=7>%JY=;k@n>7>MpXfuaYAE^-=Y84rV7F{B`G?$Kr zGN<1%x?FUH=t|OjTxTlFF`594-HTn=^}47MF+@U@glY=Ba$11f3c4DXnmrLowUX*2 z4W-14z`fB*YO7Ithv3R(Ha8_BrCv${m1dDrGqfxWbN(vhhl?K}ek6H5AS#NBD(W)U z2N6cOHuaz=W}~HDBJEOYtZ~IKa4B5o@bP?{;S(+wJVx+X!aR-aDO6*2U%0}Rb+*31 zl~S&fay1n`>x!x?Jx=4?+2su$1c$js&UiW3(#d`4Svd-?JZo#Px=2jNyw3ggheqdg zz5E;G-$Ha9Cg>h2oLC^O|gCU+Lyc5tIxDu&5y#n|r?o3`rWW90MW9>Nw|{&coN zn4=KpG6dFL8bc^7#ssCB@Pv#1nE0f`rzFm!$fU%2k+?s(sZvdN+MP}}N2&9SocVH| zrIQ_DqN+|Tm7lD}@bd7Sdt2>T3*n&`K?aR`aNMA~w1w^Bss>@)b1=m`c_Nuhkq`gj!g+VMo z8Lul2Z#dqRNrq2&Q}{CBZxLs%iN&=O9@l?)+m*}tWWy&cm$E|2N-AvTm!MY%_{dmZ zK~!6P$IWq@C1PfS%=cuzPm>n`56e`%vIU2BhELr5-g4=uGCz~~InAiXn#PK(PA?x5#qUeet3-e0G)mW0_}b}aR^M7JdX4CB zoKD42QCRDA_pwpf>qLJm`ny~ji!M2RoY6msUN3qBX?F53r4l8Tn7&hwIe0(1^{%DU zPqKcN^$RVQ7m0j~wEflLwS`fHeiQt=;EjZ%rb7xZKz$%n_`}8b>?nUq{7d2{icy;4 z)$nGg-yahl=5NtkME~P7>fU+bU#FK^-FvI(CWon6g70kDpbNsb_%qucdBy0a_zCS1 z(c3wV7e2|bz0*A`O`C~sF1iJ2<|0nZz%WG4PsUP{wHP+o(#>KU0J($A9c8wn$#lj2 zH!$qv@N+f>d}qPC2yRW79Y^)0#T8sScVO7njc+DJWz%jl+Q`_Q25;HQ;*wb5z_5qo zpLL4xw!-%m-i~-v;KR_&+soNor$_AGV)qfdFIm=p>S{_GsF7@BgV(><*g+C_9sbUc?%hlJCo8l4oK zCpzC~G>5QQM}gBlhU!c)rb%>KbYU)?2uC@6g3(8d?kc*Q(Wv!fNxWm6{&-9jc6ZUo ziayTi6xXpi-svqy_Yi%8=o3k^U}r&*j}eTOwI$&scRsLmJXy{ua(dFy4a{~a z6WvdAf6~lg7!-|njo1zo3#_^_Ara;O3#1H?av_y$4XQ2^E^>H=)u09n9wfMku$71f zNK4Lq*0Mc=UHs4zv{+(^#8Qgc1jXpzQ08=zB~iKP3elB0G^RLQ?DT0y4-s7@y4q-D zOzdJ<XBKlIJc|&12CZ|ubcwa7hjOejOW0DZ2t6bsq-;5_EyQg$k(}9RUBod>t)^`^G2E~N_CUL%%Fg~$)#$O zZkBY5qzRO)#*@ye@!aa(CzhjblXttkiS(>s#Hc5yKQ;PJ(UU~qWptt-A3NLK?er$= zJG)2py`t~SrIX=)r~fv3vgijyPcb?lBdYSkgHE4m#pqPg(?ma%OXr7&o$hP&bkQ?J zKjJhBB5cUu^g7FbGetipdR8MH!%UOMoi4TfH(T@^(Q_N=0@VDTaQaIN`$^GHiJnKA z*NF{&z8owaR;tmnPrEnNTJg`wn=kKKdV9h{mp&G7uB|G;Ak^XtE{YR1!JhK~CfpO{ zss#$*c?IwS17HD_#{QmRp~I6N!EgA47X`m0c#*-WLUh6{cKDX*5&W{?C4!e4oK7L+ zR~-I)P6WRy_%*?=8=NZS%M6DPvyk5uyiD+0gqtB0OlZdHD6#Oi^HXd}!gBE|#IH0y zou5o`8>e@i-}HDCnRms%C;ol%tPiDA`Dt{jecoS!f^iqMzhSBd|MJR?+yi-fN1uN|NNRD`br z#IwOC66}j#>-=I1ex3Ml#eYXW8$6~ZCc^iQ?=mk6{s-afg>N9PXsS}YW`y=%Sym4(?5(wa+aL5*FDHJEpft;h>Q zOBZfDH@bIskg%hKRut6SDnPRC7TLCLvv0;N*#e2DNsa?9gW$YtkUm84zLT+ic zpTnO$9R}l{B%dbdbUD4~@C5MQq%fS}@NF}r1N0W$NAQ`1d4NQr zFAy2}x>J07(=i_MmOnsviiyDPm9qii19s#!wuI& zhqyrS0Kpd;oMgl3B8Oi&CxQnG9wfMku*%iEVr)wt20K2Osf|x47G5H}lsM~;+P12a zvBz7wGM5guEvw2URYyZVA&p3;rBm9iudch5ZqkFkBT{@+?#G1e|cVOtf(c@Q^Sz3mzWFqHG=Ie>%oaXJ_*~-5;mosz;R&a=jv)*BNzqSGlVUUB|FyHc-;e@*=Bk z{3N?lZwg-~{4L@Nz95ZVO3_kq{8K3Z>_>aVYOrF8V64>P<89s4*8~%z<_*D33!apa@$3KgsL{8)V z3-`Y2APq|;$y+7wD|#$X@eUQkogCi$dIYZ)yhiXhgc(`n{Cp1NT8v&azIEFc*VdI_A_e};wh>zV5+!?6{Dd}w=f20wbMY<6>s*uAeg;hg#|tgv?;w0f;jM_X48e|I4P?6vw9S>U>YTO?DICM*QyN6&cJyMCrYU<1_3wX)AnB;q8bs_*f#9mq5br<^0zS z1)s3D_D`L)xG&x1ZxxJSBX>{`hHJH~`;$!-4qr+a#HDn;eAy$XB14x&4X?nHVw{71G~n#uk%ytJ~sqCOnv?oZapIb3dMxku1t zQzY9blgRg{{E;s9xgx4Oc99s97&nm>yhMJ^xg}iexhjfnQevLOe2T5{AHHNUcGJuD z7#6tsoh?_Kl9`rSNR#!qfC1+`ISg?*%9SpcMX@|uN>?e}sOW)(Iu=$~a(bwBjCB`% ztmxx%>HKiK(;1_Ch(1B|iKKZVECVqN7Y%}-o-r)E>gH;@yeG>%MP^T$j1^jCc$s>t z(>qx6_%zX{i|&;}V=><|oZiXk-lF@6KGSFn(c^4sr|-5wcV~${Tl6_bvkNmF&UN~% z(TE;C;XKj(MEB373&Z(NpKbI7q6dh+&}f_`9zYj4-OA!UQ1l?tMMfhgn9VWR>GLe? zV$mg{OG)#-W!mRs`azlVYb?df#aD>0B+u$IJ2COzuCltJI$Z3|71n_{L{62QYICxC z@Mg1UjXQ^b#q>c6)yk=pGnCHm_%(YE{&xUVCIq+F+Rd1eT`#+VHrqitBaAX(m`knS z-~n;S;gUv38cB(#);L5c6GpkS)E;M}FfmseXd zUN89u$v0AF`krqR2}y$S2^-}r=^<=rB00zJkQgJ&A0TU|QLx>#+;`NTj8=d>z8E4O- z$#Nc$GldQ#nN3cP5@~cFboV<;&8c#y$$f|}pAgZwl1A}i7q=~n%HHV`XGna6qRL+E z@qkwtPS3Id3o}JOCVEy5jWY3Zr{@_xTl5^!b4lC%Ux5C+C!Akv_y3dPpAtWheD*nz zLOJ)e)4$h8N&JlH`J$iAr3=GzPH!}Nf#~N&zmP*?U7>|eZ`%-s{i5iXL@#Qj<9KPb z*y)Gt8S}E}C8C!)jX8h?;T5NwkB!29RrG73Uw0aBI8)&br?*(V-xR$}^jl7Ieqngq z>Fq4+<)T-JUP+qWEnFWTuX8Y7@*OvB=p4o7T^aAmc%KIA`f-lU`oQ5%og(-{!5<0! zm@tDcjMZU$1Xm0C#Ersvk@2aF&t!Z~gLxYLk67Nhvc8nVy0RHOeBtg<8zT2hxvS)U zMVB>+M0Q|bMW!Zv?aDmsVp}a`jg)Vw@WpD>k)lC;7_vrnt*d|AK)H2Nzm@tORX!9V z6{Fo!(Re`G-@Cn|^?v>!d%f%pwAp3fSitC@Ke|?DWy?>}ewOwNH5L<%2Q3J{y3^ba z^_!gEqu#+o2ZSmcm zrR*Z5H5DF!36u`II{mFB&2FOGh~AyF#x51rg*}`-cSdxcZN=^>wjEi!Q2Ajmr<>V@ z+FSHKqW2}ur#<6=aio};Rnvggo!t7);2aF8n-r$y0fFXdn< zhfv{bA{*Zo4s~IT4e#n8p`(OO6rvQuvJQti{iDU`aM7JbA7ONUg6jbs>2%&G921|= zMRZJboOF~u3lmX~X~Lb~?FdOZd2;gUuoOZ{6(;M7ux4O^8yn3?$w@8~rUv{Z$N#pmZ6^yqMR-r*&7zZMo%&Sg|FZa;CjNBsy^P1K zy{e*-SOM1g^%q3Bqqq1z;?E=>Wm+ua)7R-%mTAuteYWUxjLyUBw`4fi>6vwiB0k|f z(fvgCcRH1azPIz8-n%NIFAzOI^o362B{y0oPS31~=z*dKi7s+Fg}Izzu+y7|M0By} z649kj1ICjaLx?FUH=t`sWV@a%TbFtGW*b{q*=ql0GPRBVYq{iuwtd3MGx=!>^ zr?H4KmVI^lf2>875nV63!D)=s!cGrPx3F5waM2?~k8GslSgK@{)9+Xg>rZ1gpv$BVv}G#{qC z!3#=9)MsCUhwEJ1WLf=sX*Wo_k(%ACc<+px=_WTen{l&@TVzZygN?_k+M<$7xYdpA zzlyTLZ8C0`F_A`8N*AWHTZ`kp)*WtbvE$q+Ym%(HXt7Y>2^H33rm4DR^fP3^i!he8J(X>V0zZmjkLw)8PW4aKbu2ijNo%l&oO#|=;uYhK$_1Z zyiSP4Gb6E^Q*~JA&QweJ7v;PpXAvDeAJh4m<+#}C2M*S$HVH3_ULtxaX?95Q2#KPA zeHF{24yjk%eAtfjs?679zD|?5sAw<>^U8`$c*BJ&7DtDAQ^GO{Z&6@vm?OoDYO=c( zVL&KX^?%#d*+)cIWVzH8Qdd&tIbj1mEG+nr(}xvD2YOfZd!pYrI*C<8@D{`Ae=msW z4@G|@`r}+0>%ls`jm;4LRP<+}KQ|hCPhgh97f%0Z#p#!#SBd`0Xg-jz^_+XHE} z=ry9hF`CyR8P+;I-O_)Z=x;@TXEcgD46**+={+qc{UCb1=nYPzsK(MyPPerC@h8zg zi~c2-PK95c-ofbKME@>&qtl29ngC9>vzYuT`Y+L&a%s$WaC$GJ{}#PP^gl-D;Xzsu z{&jkbJxI5TZgQk5|M<@46VU0fE&j~b{Qoh!DSkrDU-WiH<37P6!`nN(qn%|l(alA- zAkA`wSBD$Q#X?Ir97qURpT)XIXSt>@9j9 z(fg9--OaPjuN__!_H$vTo$US+4v=slg>3LC4BtA)>3u4q;M6=fKIewgEvdPVr*!aEB;g1DVR0oJbwN4hY}PN9p0 zn1nb5o?=o3Vrm`h_?w$oo2eX{6N zME4}kjFzbm*z?WdHaA4+ewyIZ1@|%-lL}D5ceup%U+FElkKi*2GuET9p?N0sbvj{- zW}hYcY|-Z!&3Is^H>Y>Eh@2<7pXmOiEd!*r(VGjiEeS7>FhIhE6qJM*h?^HKa{AoM zqf0ta^dQkiM(3eriFw&h7g-IpSagZ#(i|GS7-dcmF}hrIh3HD7nYq&8VyE}F>@q}j zmFVgm8e1dOINjdpTG4f)hmz*K$6LFQ4Y5ir#S~ncV@Z>dR4=K45|bvLEX*GqhB>`t z?RsMc*QN0%_LOk?ippIx8_|4G)A{-CAJjew(b@Wlf~TbkD<_yjZxy>8tFCcBkk` zqVLL~@rwU$r^g$8kLY_v-`7YdFazLzr{6SsvgijyPsyP%P~t(S-!Xcs=xL%KavHDH zQKNUd%Ch@((KAFpLYgIergB6*9%YX@zR4CLm?``*;j@TG9VpecSh*41YZzpP8J&;2 zSZW<8vn9@vIF};JvC<*snec?edCj77>`B2-37$u|8Q|E(gDaAwMuexG|CtBJCp;s5 zzW8U!tMrJ)@iyW)rY6k$Fa7 z?VGUJmCLqeTo9X=r7V%MlnU>1QpUFaW7`*LtC}ETkspX^hFl-r=mX-{do?JUc@h)9%%HJqF0IjiZtI2qQ}lN9Jk*1 z+PyN%Z>#04k@pR~?A@C{oYp$M-0qomqQ4dWT@H=ibG~Zqh|HdVK39%rA;#YQw0oEq=(>>DOPS42H=H_z87-@!OH# z0sq06=QY$}GtSbmy*rC7{>|hxm(zj{b3GTMMLn^$I<$1-Uc0V4$k10?4b@iko}%03(s^Mo zryGpkTl7An_ca=~2r}4yP7ktZ?=SiQ(FYoxhmMV8ILPT`mL1!RK3Mc2xip3!IsLZL z9Yl8&-N|Tlv7qU7nA3Bti{)_9okbr(nq}F4?!6;jYIk~6W_FPjlN6`KtIC{^uT5DK zZY;HYkd%=pBi{^ew4LD+o}s{vmfJ+fNXbacD5SxQ6^~*4z;Kk)Pwj>u@d-zZ?kc)l zBaQV5!!b@zFuJ?wV?`g=NMkqXaJRjnlRET&xvcCwgcuoe06{I-@h9 z>qR$^W`uH|bYYlFB~}~`mo!4sNJ@4g3c@I-FS83VTJ$BNFEu(*fC+=)GN)^g#&Pip zmx~@FdTcJ82v;~=XY`e#uM&MVX;#jdu?tH|QTTJ@7Owa>7vHuty+-1AiPuu(DI~C- zdw#gi>HChwkNAY^Mc*L$M$){@7(`yc7bQ12KVYG7j1m%mi}(rTqn2nQR#jgdZgt^3 zi_UElZkI5T0;7{(fKjI54yW(2lKM{3lSJQ@Lt|#q-A+$7`X15uioVb2WL_Na)b4ls zoiuL!?XjZTXu`Wep2*PqUYt%Nbjee-o@x=M9&xf ztkW1^jCEI?9%6ZNf#~N&zu+`RNMNjw(_a|@*!dv3hr zbjIFFzAO4Y(eLNdsM3m-}-PGtW zMXwV5mD9;QD{b@`3KSK zMQ>=Nahl;rr&n3~@h8zgi~c2t#@+C%(_b6?o9N#~Z!{WBDctjaI6c%J0)LABOZ28( zIu$lM9gO~4^cKyTT?4o!2iLp@%ZWY}mrV2g2vn5+9i7xbQ@n^O=ztHHW_zBf{ z(c3lBarCim?{w1WW}=&mZsBw?50mLyI^E2!&JLn?6x}L^Mtbk$baSJ37QKt;)=pzT z)Pk_9(-&Hf-A!~G(Yxo;sj!FB7a84F^q!*Ik+#P}oG)bea^WL;JnSuD9|`+XXo1wl zV=j@v?BRm2pBo>WvA>K1WE@B%dZ3_KImqdo>=Dsk^ueMJAEBMJe=?JM58YdJwWt@MziOJBDzX+buOI>HBR?3x>j_Z=%G$0 z^U$3ZoZiJsu#D(>(G9sY_F8j#SEGlE9wB;UE{)MTPPaCCwCGDjUrM?Kt{gKO78=L= z?aSQw)>83u8DnIOrJ(`|V}lFB6;7|U=hu~@uM&NA4vm?HvviSRT7g^zEW2=FoWJ z-QjfF=sQJE5`7nGmU0ysos8WY?{<9NA=~iYz{q~#_X@v{xJ4d|+M_jpzZ*YWN>WK9(3cOOQT~2 z(yb9X3K6`m7*A#F#EqaaUZ;VC`#XGgNPB&PdTPONk(ck6L$?(0?!;Sty^m@@7j7AQPqYvNdqby(i zB>HF3zvR%EeDSN(#~A&a=-)+eB+UwgR_e~qzWBqHHnvXppHlvkvWd#>P@=)xng1?f zyxHx(HWT1)*;{1)Lpx`IUYqS;3-tc$`evK)uvL1KxEcod&RqdHXU2ntuq}{mV_^r2 zKvVpL#)3lFjv=&dj6N47t|&$cS60%y+?^fzZW zIc?j1wpV*=DqbWTHxx96~Tr7Gj`C!S1P-du{ zmlLJnp{{Jpgu*9ukkU~~Cn|b5kll47qXo+kb7_Dj;o*`xOFF_NPAK=3JJO{yZB}9z zNij)rN-Q-q4WS$hH7D}((>hqfy(=b0rC?HCp1gc|jA8D~$xz_ZPQUP^a9SxzX-S2Y zn3*kh(fa79EG2c&qul?^it3}~ca`7m|HsGb(%DEKLcq+T6@B>)3BB1^D$^c0rd3%ezv4IO97m%0M20m zY)Sfck8_jsP#?~9ajaeV^Cb3@*q3R4oQvaa>8@)ej+b~XMczGSs8}^%0S1g(s;ddtxs~2Ex<{{~6hH&h2t0(qSR{zorg{JKWo* zD2nHu@+Qf44+x(^oQd9;3Rn}K z`&2yWV#1POs>Ep$AEL-aM{!YsUHq`ha{WkbVC~j^%kiK1gz2(o$a;hppBP2Ci}OF~ zQq>!Bur8CN$0W_7q?fw!{B&_?RTbtNvSaCS*V-o{ZML*I(&kcAt*2-tJBM=2C*0gL zC`$4tWj-Zy9!>W9M8z?7jc}oxUE60Q%$M*i1x{BiDz6OBIh%Mjiq-@mIyZCiZo*yr@y!q9eTFR#VHNZ^~LG>#hG~6=6O!rl-E`)}MAB%Vn*Q zwUU+!AnXE+5ee@&{)#;!-xdCz@b`)HG>S_~!w1f;_&Pe}55;~Y_G7ZFut%q%0~B+T z30AwT9vMDyeY3^vQ|X^c|C~B6e^I8afy;u1FI*UAx%x{9t0a6yAt%{TU*$}quiZM( zl5MrDHL|{;6(sImqL{N9ywEnEH|WxbRQRCwb=v&b_s z%sGShqifgO`Tr#CXKBAs%a&A{d`=BxwX4Ig?%ibGZ}NVZw~?M|1&u9}KU`_v0};U| z{3+!xDVwNh>Wo$|&F%+;EgcH6Bgtl0>kp6e>fchgNd1Q@AGH73UZfNi|4as}GNaA^ zuLp4TW*r(6sue(!gxY2J){TTmb8Hx1sBeoOvaPT?coz7CruYf1F!9@w=YJGb))ZHk zVEtwcz;flGJ7r+0SSih=w4lQ3LmJbVE3w-1$k5V_F;7Ou4l;I>(TWD2{>h43Y+19D z)5~nq&d#ED5#5@!N^dlk*#FHdRa$|4Kz4QUM!QtINo*r=cZ#al6k)njU|-oDZX`QK z5o;@BPZ{lKFjM$CoN;VuiOaN?dwXn+yuIb^BX3`N%!9d?3EFHsB6#e7Gp??~4UUnUFlu%*SM z#ZBY8u%bF_iIYT)dq_yQw(#yKib-jC((6H+qM zG7D)cO{yB|k;ies0v_-v*H-Ki9q?#rU8QxS#*7uq|6eC~jEi&Z8g!R+- zTf#XM_@H9o=Q{hK)!xq&+fQtNvP`Xb44YKo6%8`p`K~<5&IWwK1yTk`xsVF`NJ42v zwi7Wro4h#7u#4QzjEK@R0!p9U? zP%~y}^ibz)2Jnfin=NXeO8rdg=Tv#IG$saX@N=vKYlL68cZUs)`BL60d0)|E0bew@ zp{4}Y1WZ%<+LhOAru=FtYovTbg|(6DT6DRWT-=bUXUjaSb*x zro&(l3~9eh+el40Gp2=Yoj%ZRuRlfqC3=(7*x@lAHamUZ*eLA3MQ;)PPcDtsp`7k- z^j6VLl4{K0TQ?Toc4jIuouHCW_igcOwng*%MNzso#ZPF_NZO7PuOMQ)>(0`4k=B};9R#b~ zI^D$%vYY5OqIW0Fwv5KISJjq}412h7w+&`*D`QU??Pz2RlsM+~@8xtqOWM6f?<0C& z(rRRd+KbVHP|cY)l|@yVu%C;2Sbb!Fi3dnLkRlI**L4`RcaYNqrbO4fz378QA3~bt zX!-E^@^Glb;}3`~LkGbf1$QExy(2JX9}@+`VJ`fSCF$W3I!ic$f;t=OQHLuEM>;-t zMHHDX!eheY#F;ZnMq=+%v~Qp!T&eq?C`w5wc~bJJuxPi-z#2g)aOp0)5-CY(NrjYH zi5Og4TaWs6QJuzZ9OYKGPomfzEvu`nZnStZyjzo4E6VZh?cBQyKUVm0h8LsM2^f&( z_>bR3q4yAeg76cGs~*_E_oXNe>#$suJL_(bPX1&$r^x9^hc(y#=iOlTeafk>H`x#! z@-*qEOYcS9E@vL!U7q1Wb33Kp68cCulLGT(&YPQTKYm{q$Jm>jvm~A^@f?b505Iv; z7j&-kE$l$&iSH-AKY8Y13=+V?6X!d9&CuvPE)YFH^o5Od3Ih->a{4x-2Z|mfx`;G$ zd;)7=guxE4O+`T$3oa2{N|;Gh8daY|nG4gJN0+2rLWP7%3fY)rczU?l>02x=Lqu1J zuFj>Cp~mT3jjk14CweGp-X2WFg5edFct8hNcCduZNU4|7Kt*LvG9N?KhdJHRYI(y& zj}SeQG|Mz>wT$H@S!RxM*qJYVh8jM;VJLIl&sg)(r^^$Io zbR#8;P&(Y?bZ3ju&7yA+J;7-V_>YHMo!(+YU2YS7yXc9eTO&ePpSz@z6@t1-EY4Aj z{7wEHCu<8J47va`5H{JrAuBhLb@v8`!^7?zFeAF~)8)*N z^9UVgEv`;77y}2#!&-S77dR(zp`h<&lW#N{9N)pLV_)6 zj@t@PxN)sD{GXKZl#F>am}+&nG$_(atE(%p9RAa8y>fAMoM&Xsm-Q?yWwYE1`kYI( zcBloCo|p6jCEmI^eUzDaxGi+$Z9D%LrMx6%5f#2EOkkBNJQ9l73NI-w52dJBE_U}u zJKW21m&jd8mshB)s3MeNZK%q6Y@XpxM|(5*s+`y4yiP}Xu6D%8ax|0QaQ+NC#+%}o ziGPbc>;4(WOx;0X2(#Mqe)aHvg9ODzmJFXUuT{VP%Cj4{a zN`*WWu&8o<;r#g){FmZaiT{c`FKjW+K`;9<;cHjE|1~kKEq068f5>J}sJyBHgNhmczwUIm@VClolBdQAzV)ET zqVH&w;IC|>q=n5BZ;GGLC=t9JVXF&i5x?zS*x8EQW)hl9XhFdq^aY`%(-ZB{y@Ti- zMYl3KKbFQSayvO)Xl;v~MeicIbqfWOF5xs8?jp6qDIlYI``-?t6^ntl_VK~U?wnn!XeX!_5a%j}V4t08e zqdSQ1D7sTFT@Vg)`aq)(7u{L(5k}+96o!-^>GYj;b-IX-iH;kMaif^zkZ}6KvB;kI zgrw*^(fK)aDiI2tE;2eLIxV`8bkrEl&o1^@ISMu4qg>m~ve(hlx=QOtEt|c#`SCGM zkFyi#F8Wx}#~F<|W7x0qc&8^>lzNChLG+2FS!SW4lpoLTQF4+iZ7ez`OF2bKPb#V= zVT;scIMwN1c7W4FpDwx=X?4ye;`!kWhnun-#wYX^+(+=4gjozU;B94JXODewn=E^l z*t5l+LzdBC%oE{Ur+2qVpC`JX=>DYnyr?d!!fS_6iK+_TbhtG8xabfUNE#sNLQ1Sg zR901$mTT35i`>|BSY!;8F-S%c4V6uZR5Dv93WMEgYf&qfQzEC-oT9;Oe`-6-Q0C5y z){Rvzr$SC89bPuR*}%$@{JPkcBNI{7hDfQBQf*4MGhSVWHLlccL}2)YS}Ao>hMIz^ zBt}CGD@FfWaOEMZM`ondOKG6OdK9k;riPX9@lhIvxwWSy!Ejk4WR0Z7#w4wL)*CQa zU$@367u%UQTH+-VFQv$I!0D6@t3*0r+YDDWy@vn6CtNONjFhodSkvXP3iwuugGDgJ z;tKcnvO`@d?<#p$(_?hxYVUF|l}w~L-=G%v=$aEH@p zu0jy_ggZq~5`7nGKL4s4ic2w1A}`$S!oR(utaXosdnMeLE7T@1_Va!hwwf?m!UGbf zP+;t9N@|8yh6kOV*e42ps_1E=A0o|*%qy0{d+W*&9(HAKyI9ku%#iYkDGfD)8%oNt zSV2j6)RnDPp3Ic;n3P#mSWuzt!N@L$k283-;5mZl8eBE3CKH};IPcgf{!a>iO7J|w zR#IWIjMMvA)SnSOU-Yx2S?k0e3b?H^;W_8m+KOEZ#6K_o1@czp6lQk>4h!Ac&yMk; zoR{P*qQe;BwH8LtE_OO*E!~$zFA=@eX-uWSt`|;s9g86F39pKNP4w$dW2!ZFy>NP~ zy{LLq^fJ+Jk>=fq8?iiKOrG_vyzSnXRZ*HQm$yRRN_s5M*W zPtyC8m{djTBrDZz|A9Myyo~?CCwwU9BRL<_VdldKV~p!TK~WPvapkV1GSF_2@|l#+ zO+my;OSwb_#&5Z@l&?&|n!WXC$*?^7+Lf-$qNA*qvPQ}`RCF?WZ_frh zw!U!Z$K{c;PR_S-zN5obD?&FXN^S zgiRFqXyz-U60`v_VY3_O*vq27Wo(i04-Mut?0Y{74WXh@rReE}_pf_zeGo-$tGp)p zYC7OsmA3zSVO#v3ZA2_Httoy&BSPAC)YN#y8^c&_S=iqBgYA}VCce4&7RC?9XiWCD zwRC>gV^NOTLHv&5Tak|*nRt~`nnBMC-h-pO*vZ91>_9t9+(lw*iqRdXmkH6_jkix%%C^}Ai83)Ta#Eim}8Hc*@itS6- zK}JUzoyk>(|cClcvYDnFHn z?N(Fa7`IyN8AYhOtYc*zM~lS@9?%6z4531nDh@#nUNUgi`5W9^g{kz7k{mZuFQE7`$_Ci(NZlB#j$3{pYKv9OSKCm z4UlvpB^E2$)!he%i=03D_~;-5#Sao+M7|~XO6-TC5t;+TU{^lv5-G(}N~DxhQI0_i zI33EI9xygK{c_P2qAQ)oD3(~b*y-o&aX&8Z13lXVNTy}&E?^uM~EJoOJm<}r|&R&wCGDjUuraZ z2e5j>WlmpY@xNU37|~-J=>*R93a9Tj`byDPiN3m##stkU&gnr$Un6?F=xZBkEFTrF zbNVi$uNQrT=o?8}UMq+OrH7kbI@}WSW=Xe5nm~yOS&(2&?pCLtzAnlLw~4-8^hBeP z>=^ZOhtrQ+Lf$EQlIXigvka@t3@ZwEJN%K|DfbAzSMYs=ndyt!R^tvC&QJO+ippg1 z4~U;aUV)ca4-5}FTvM`*=rC3AG{FxMjyh#C zjU}+2cKT_fpAkJ@^s_m1G8vw8dcM&ML_aV3g&Z2&$}Dtxq0ujjeo6Eqr(@VcJ1lm( zxAi@~EP9FPrMWa_;yc~P=vPI*Ci?Y8I)TUO8&2!Xq_dS!thG~uUO&{UH@lOzBm6CAi=2Px=m^PtEL8um z(_O8;v{iJI0yPfsEgItouv5Xd_%quk_}QuoP4N@j1fsVyIzN`c#LDfRZeh8&nds)C zTR4sBDA*Ch=|y(;?I3zb(XEVTE>4D>oW93$@y?=m5#8Eo_Htu045u%!blgpJ8_~Oy zj*7@soKvK;W7GCL){dH8ENqMCbd4QkZ_)dR-j_5xh0&46r~H17Pwu)6 zenz`|f8hrRKahCTzDgyKa}IL8t3{^0_=CkCLY|Sy4pKSP>8I+W&^w6kD7ur=dSP^! z(~pjc=)*;K7JY=#$jvAdj&!=4#iWbqnCLiZ=6&||)@%4CvwkKd+-q-Bx|8zq%Pv$Voy zcuwDI@y>{@7u{eqQV@%A4RgBM(qy>k5u!(uX6+BdkP~5)!_(Ozg-;kQ_!7aF5@t27 zK3*IybGE>SL|-m;jM%Yc?T$!Ur^Xd7ooIK&m6EQKbTy^jae#=&KQ(+UQdE=Ty4K^| zj@$5>Yh;g?eJyRxe#s7}sKhkYQqH^LXeL)b9~>1**Gs)Y>Wx%c^{6i%R$p6Jhbrw& zZj71~88^$gMaBdgEP=6cNgc+M-Rk)E)}eNr@Y{t?B+h%i5UZ)i!yQh4ZCxmLik>9; zF48QoW65}OBubLIoqv!&;}h-?f3Nua$nz><&279-aJbI`u}#8c!4C+YLO2^0j>US= z=~lL6@Kn*$L_b8DL8q}kT6oyu?H`GPo-TNX;715&wKPmVr!Se{~Bny*B@28zEcrgn48PW4aKTBG7 z0S6g8=Wu&ILGTF+1V1nM1;RSXcwQk-a-s7tF%0rAihoJ`BJxpsqc3o=(`_u`FN73Viv=&y=@P5kTRm4rzwdGUtBWzR-Yc~kH*!EZU7hc_8-JG{!^<$_lT zUP)N-PGPf;@Q%~xT9$oR^n0S;HyWGyVEpC>PVbkE2VNA2{z&x4q;-~9C4p)9iSxsF z8{!i_75|y|&&fw;iKTQMKHnn#rQlV9zjByMVt?)MzXq=syhiXh4(Fq1V6DR~?ABQ) z_*=o>5mvMl$poYQz4K-Eiv9=j>&0&%AN9$k(ovy?*$r-;Vx{0uvVNBJ3oRaHaB23X z*00XD|4?azX$|6k7r)VX)~E_=L-@n_o)-R};{OuAi9A!ewx+li1Mo56Z?hZc^p6U= zzh!KZ@ed8&z!+{;8ZZ|u{OiIiQzK!kgeECf_3>?`e;R8UR+n*@>$dncTjTF#@oI{n zP~(@h9VK4m%HjshY;d@x4IXGFxVhjKgn4@wm1ATd-Zf!{Bqv0)bS?HO{uiIHgR~u` zwW7vLRfhEy@O;?G@iX>{&SPicy9jShoF|SKsTkKgsx<8C!c8{ycQ*-bBjKOd#HKL^xpKX|D`+p}U@3=C;o}sGtPIXnVi~nU3~WQ?8+}TL zx_Zkx5cq@+QaeiRM71@3)xvFDfX&Ur+|0AJAP$$=S>_QmRo}-EF%bhVH`qg56OMGR z?MP`SB9&eQ3u^%FC0NPmeVY+&k$6*I0vH;C6xAXWBJL$xh2I zq|NSZEboS?4e`c>6pnK7ql2R89xbt}#BLOM3tE{_6OM7?LaW?#mvO9&<7hCG6tSij z-MJ&f@ow#~2>*#s=ppL_StsUNNw-dNYe%zAmUW7(p1D?@Tc^6!%B<65oi3|aj#U^# z7d_{CmxeRk+S#n$viit6Gsj97y4BaMoyhyg4l`WGBp4dioxIpj#!50!{{!kN=BRt~yIfuH) z?d7&=(?HpSWEauqMH{K1N2b1()jUhHNID@cdPtdd!6CI;WY%pK%YP<-x1K;1h;R9wB)o<+k`WN|n;Vp+25YB)AcFV3{<^ z{Ua=eM$5lM{-yMpszp9H0mGl%`NXo><#NWz8B2#}h)Eroq=yIo6)r5W3x1`9t0Y`a zfrT=guXrutblq6|h)=ji^mx(Nl4kHMe3E!XhU;ADYvs-L5^j)iBLzLZ0@{Mu?!)m* z_KY&`&BAXHK7lx6lfWDn%(`&;eH-?Bo9Np`PbAGp1g34;ob@|gX>BiV@02o0%3V~L zris|_+Au`>*@U~@S!&Kba_*ILA00(1R*iv+_d9)*(UV0#AbJXEM#{s-I|^6cm>r$< zR4LP>JVb?&;_?&?8ig`2JnYU`TlQqSoEdT+p_4s#wDvXEIXvphS#~XEN_kAmEGn#} zB~$rm01ge0JHPf^{ESbSEq;#px#X2Ku<8rub~}BgwfUbE{gmi=Mkixfk}W*#bj^uT z*w2WbFZx;1EN8NBqVuqWM7jWPEZo}O-b62u^}MVXXema>tckGD>7kZcUlje4=tZRW z;#uLXPbKDjU<{27K+4oL4CcI%#U8}vqoXVHvVvHmAeJ%+J}yJ4%Icc(3`XU1nVnZ$ zd~j4GzAEuGiLX;+Oh;g4>AdiU(=XXBg>Q;pCi*SXyfWyfsEJi$R)zB^>#A5Teuemz zAqtP#oM(YPoA8Oa}L(w0J{+P7g;#i!eBz)q+IhL(HmGGH_ z&nYxs%0wDnRf%-?!mXxuDZiApO4e7jc*-nE3b5|^*UtB|qpTLcM*KJAb?I>uX!bbW z!A@eG=x;@TN17G$`r4xU@V&#!?v1Y14}#YV-awc^v%fDd{OI&#>#h1p^v|MyF`5xi zgj_G9YfpVw`>KY$Bj{P zHN{V8^hnu`3QwsqPSI?ju)UiAj*8+)Yv&NxM^Gag3U| zJA1hEiPg&6%Gpy+J9CB=mAbQ+JI~r;czes)N6x-<*f|L&?C0!!WA_((fY<}cYKjRQ?N zo5yW;>){h!n$iu7JG`=p2pTy4-2O{+o3$lv8RbWU2HG1 zQCU%##C=&?%%Ptp;SBdG?Sy*E>m%<>dTi98!@8~_6qQ$pzHW@Pp`T~TI9tX!G+3|> zM@M%!*WrR$QMAqz+)r?SgENDXxaT{(#AXU!Ab5b_3kma4%j=hi5=E)XHSjKS@nSoP zff5HvETY&FVr9*+BKE4_ju`C9kBKN^#ZpS7lu}`>lxKltDswz#=TR=aLU<){CKIEU zk9Z9X7rQaU;xt4?m5gc{(L=PbfLE}_g(?$jCDch6N`Z%{!Zt9R@KF+i8(-KP(u|CH z84Wb7L}*+pCi|{&n7h?>wBd3`$Q?`0g97#&+olmzTD{R@zc0)1HSu)8}Z%GXiWIVpILg0 z(Kq9#ap4wx_YD*9Z55KjG*abO=W8qtZxesJ_=)5hdMc4hB*Go|GaLHodv%(abb+77 zg-Q7C8}7n)Kcn-*-S{(0Ut;t<_-S0Y7vFuuefaJd#T?!H_v6njJ31#)WD4?i(J$cR$k1%!T1${F$X|?JTF`r*UBhzWatp@ExT} zJciM+;Zf(WGk&J{$HdPfpUsunc8tYp&KvN@-Mzuw*>dN|olBP$NmQA!R3c{e2h3*; zPq=lfSx?G(O4dAD*;_5n)eB3)(=Oa@!ZQ-)OL#U{$QwR{eS@gBSY^YDn&P##nS)lioNab zedaEgyF%_ty4mLrw)4sM18bbmJMK+3?_GKC$$Ot(wm`+ME?5j2bGzM`YsQB%K9ccq zu8|nd6)`_?<0&&fmGPO3&uK(gEuPGMNPpqtGbVm1ah1fcC`QQ`$H3j}f&t-cx1Kd? zwX8L=zR9)nA=P2bM`>8=)&jHE$@*5-ceJ9+8^`LDSaH{d7fkp;!g>iCDDdt@$&FV< zKjP2q-8<9D;-B!-xbQQ+`-Wfe-7lgsiSk$cnWbkL{TqH77k?zi9+?z7cm8l; zp+)9T34cl0M1hY{+^~h%J7=@w4|Z1eY!dz!zD4*y#2K5S1Qx^%|KiVVY=&kr^ zTxe3r*ldGuqcLu8Tl|@&`xyQIG4`HeRupTvHd~GXR1^^t1`x#rIxDXw7y-qc1B${h zGcY4CGt@8yMFAB-MS=-X5CaGZiUhoBi+21@I)RxCAd?~U3t{bb#p0ONZFDK z6OY}<&@$D+>8#a1w-UXz=$55)I&9-~&gfR6w-w!*bQ^@t`XSl|2dT9&wrFuK6X#fN z=V9z(Ma%6K#tsT&M~0#FVa!T4?Bw*7W8%eaBYJ1iyO6d#jt94#YhqwfmRpb6HP}s7 zTUqUB@qJco4Z-5oUVYo$%_Y_x(q85sGWVpZ)L|T5CUkJR$||LMiQZfEKBY7!fIHpK z=>0@@6y3>axzC@Bn3Wej812;HCs5`=~313{&p4JO?3AX zI+qSdIDLuHM~dzt`Y5NfoPmC{(`(L)VIL#vpmE_kg=i%*G>)JdwBG?)@U zu-u_O4B)`n;709;Xf((eBBPN8qd^;VJyz2#)@O&hw0)B(4U;rn(g;fN`;V40?mog< zt(D&;h|$Fp^{(~ImWzee=6qOT*(H>{@QW6n@r?a;=7TATcOHy_$G zCTgn8X)>qNe5OZj>}b(o9NfkH8i}H#vK+wUW*fd$ZVE z$g=T{uUYiDXadPiF{QQP9=Cq`9)H9UmdIKvYZ)yj6kY#Z5J4s2d);|>m6Rr7xttYp?xVvS?Fq&7 zs^UxUemA>W8Xu7Ppv;G8s?b%e6g=#BlddtMM})5w{wQ&lFtG@6G5p6|=yX*S9+&Wh zgeNI5d~6V)N{8dCtxNT3;m-(PMV#ShvN8S7x-e%{4F5R^&r4WMfv=`a?1OCxYuvbG zY&2ewu~x>5G?=yVxZ&~aS2u8A-LUYIODA3&rI#hWBI#91d}*M&Hqp@7H@xQjz3n3Z zy7)K5ze%3wk+6w@Z@G}(I|^@0ct^s!6k-G^M)02VD=mWe#eX3FL-MNglv@lRxpDd7 zF@}$2tdsExjTl3kF?{O$qZY$w;y)Mv1$oAh@)*8!<4n7GU&;7d#y2#IF=RNsHhk;+ zG>hRo@!yO8fxIq~&6EAng#r7-Q}{{3&k}y25F+lD5LH85fQE(^1#cNbu6EMzff9IdFYjlA4GVuxW z`lh3Xz0Ary$A~^w^l_zhJ{<4#a-&ZWeWK`-oJM^DQ#qWTY}fu2(Wi<& z&1sxvCYMr{A`)M~NOSdQ2&ez0#e2$LLE$Un+X6(HV5} zV6SwiHy;|$a-8V#qAxF@%TnPAr&rq*yi)W8(N~df9&c%(0h<6-g^8|wwQr1Il9b6( zrcjBmnG6O)Ieool^=m|5EBZRp@x_6C{9@}-L%80xX8XlRrb?S8Z8|lJ1WQ3VJ=G$) zQS=PaGmXwB^B910lhZ$45yPG(`exC$l+xJL!s%a(zD@LO(Q}N>q%pQE-0t)ZBV*We zMb8sGzm&!lZKrQEdV%PLqVFWFaz$ApSKQJ0E;ssijNvbmakq@cG*}fV51|G#STXD` zg^KMxZvC((T1#Xtm9>l(i}hBv#mFgahs0HL?{#xRpZJ1UE^~#<`)Kk7jz>O~tSGMt z_q(u#-M9xNJSgEI3M{8%foSe#_ORn0@kDWiM})5w{wQ%))!8qwVWXX7c+9sl8HTh-9uSkBCa`AL> zm}&l+)6491UKjm_=r=de+(q^+r++m1ZPD+De%EMZV5}|qp3_q;OTI7q1JNHEokJ@c z_ELBH!P|7sO~S{b*NOgQ1D(Sh)K8rrIXlvyiT+&l7e?czVFJ&WPQPvG{z~-MqQ5Dn zv*BB(-#7X@(cg>yp@e3ig3})v{gddQMgOva&Z6-1tJAZL{!R4nqW>tRv*AytZ#Mcb z(d$M3y@AeScH}=!ziafrqMLM9!5{zHDhWgg}2O8ghOmvp ze_6@5mEdg!wMUuslTcp`s5X9UEs;g_6y14tH-yi>0f)Zt}X*(>*}#CLfM)`fYnL9Vxnp z=%b8Ir?KB%INIrfRq?cs5q+%a2HiaMf9nn zPa_>We6du~hB3e4bQinW37;YHOo=@yvSqUxJBpym75!~Put5-v{bv#>Y zFRABH<+Vy?F+)3?>-627Ro6{0IeSCNicB#kDl;<)2} zE_JhW=`X2TQVpee)A3HM@@*W?bMGkg2FM#IZxB6xxH(@Ajk|IDSgl*VZPHwwta@34 zX)(*E`LqUy@2QOE(;#?=;6}pD@rM|GUrc5j>dNt3#LGKO%5W(osKf`nvT9JVJvN;0 z(!1ZpcrK7MQqqN#VnH~aVpDi=&zFl_JJzniC~2dmjiJW!lnl(9aQvT3W6~}WeyQ-W z#2E{^WpKIb`ePdgzThr%ZI;yo$4MJ6?Q&|&FnCz7j>i>F*VrYyQuGATSCQr=W1&q0 z*2}|0S01(U+9WBHrA(p1TT)(KabCFE;aY21xkm7{g0CZNSuD+>6uU~UcjoOki8o`h#l5}#1U>(5Hl3SOa{T+R#}Bn`IWKo7H)ED z>K~FY4P4gEvTmWpt1)B*rn}1wx4QD}E%7ehCS|siIaGL;hG0qkfmSI(<-)bcW=3tU zw0Y9zn^s6AweA~6Q({tIxWl!zD`El{NLwiFPHLOu4;E1xonm*nv(DzWXGM3R`YgMW&S6yA64);3WzI)`Ci(euBKJrXeI+Itz zDyp!Jo;#J+3iW`T2jx6OhjApcIWz<&!o$v=W^cAf#IF?pDEZ=9Bl;|Up0nt|F*sIEw&zWtONM>Bij2v5s+M#d@{y#0v;IstJz6IdzA74`a1c}~jn zQdU!8K4af$1(s{AtYPou8n+f%=jjWw*2;R3R;-GpGu&O}B^OS#C*oxZuSj^60?!^j zpm8CU*WCDiNX%fb%XmY^n>6^8CewIJzvb{nIsAqrye;@0!S5Q3`GO7MJ%{%{D~9~O z;12|UNSIfNy|H+jt841RN3JZe#C$Aeos>_g@SW7JdT>QU_|)l1+r|h!6aBg9FG$m~e2 z!p{ik=aWAc9!|GW4<$d8XaYN zSn?_~^wzv1s#%f9#<{*H~+@LTxP z6MUH^_%9`Ry%PL46U-~ZMK_1m;N|*{3k}w?`>%v1T~yJ*zq*~3HC5==-3b3#tmHgo z1G<~yCscAoZ%lee1do?+Lw&Kv9;&dxb;Hn#`awguJIp2?!bkSS*;FBHrVyGj1m55J zhJL+6bBCANT7R1h-a_z}g!x3`lBDzH{raI^fG4trTc=qT+Dg{evRcyGJX(dK6}EBb zbaPtC*;Y<#I?UCXG>Xe%JEs?0ZG3ytJBZ$~gvQEwJ2}17=r*Ev7QG8;HuK;tuy)sm zq9%q=xjEcYwVTYgGTYHqs<6)$w(N7dhYbvCFM1Erdpey?dMDHzn zAJXy3%p~|^?(4!>OU!-}I!fq7fkmEvBa+CUVSmTR>=YlJ1B90ePY}28lNdD@k}iz5 z@KX}f5;7EYvRH?_EM%SD-&%HaqVu8)q_;!w-kM zaz{rQn5!E>5-Ka7Rk)A@L}RdCr||@jcIyUP>-QL0 z$I3d+EGu5rRt-ak-tlg&w*tlqvQCtB5-ncV|GF$F;t%CY5AaWRf0|vFQ{M9INkY9W8!T%L;RWIdy;37t2lhX=1qpPTpPAm)XtXHOWHZqc=>G|STqEl z>&k6*J$g&&Bc+@Qvu_Fu6yXu?>-ha$@hgr{A-qy}6>;XqEO0E3<@5_<1!I_&=xWh5 zq>I@hSr)Uyd9J)^*xhvGkxWTr7=AXqKAlX zG#XnJ_Ztz0I(_K0NDmV|T=WRiY$M&U_9Avu<>w}eA$#Y${L$QaD=v^cQu2kAS)56w zQq?2+1~lMal9w*{0&#fSjLGTFaC1!@s=dwExE##KkSxVDP@9`tEeyvWky`LiOvtUTsTSm zWbsqT|L=9fCm$UW$Y58y{IOlPYb0MQ`8vva-J$y^7p`}@rF9=o6+KP#^bK?h9ho;c zeUyC(ZWKL3^h~4KM4k>eIlb7L$Y+VZS@bPNqe~6f^;V}F?ZtbW=-Hy@7|pL)Cfx4y z1beB^6+KV%eA0SQ1Bwe8V-@ajrGq`F3#2TRawip5Gl$d+!B#WX<+c6MPIs3}=i7L* zMUw88w3w2vW-f(?=^m$_858ry646UVFDs$Z;(f2vtBhVQdWGowHqc3|%yqxhmm2+m z=m$kVM4Fk1*9T)v!o$u_vMcn6_?6-xCC`+j!yjwqJ?8Yd>X`D!ML!|>NvE;z47Tob z`n~fa{j}(3M6W8P6X98>-#7X>(a(!sZ8QeoX0u_9({t=RUl6@k^oykV-19thHTC^a z@o{5{o$1RmUXk%C4Ho?{eXugT=J3_~{6}dIuM2)d@SB8V(^LjKh+|8iVw><=8$65T zZF%p=dzT(_50h2s*NEMM@o9d~rE5%jU(yGXKBQE9S0u7!<^5112p_rftSKK$StsQa zDlvW81e%l^uzx(NjNw!FUN-MDd7sPsf*x=8po;#XZ}`&b3vBrBSE9cb{SE2Oi)WKf zX~7vRujS5L7Q=UPzL)a@9bV>a9u?~!9qx4@!z||@b?nFxA1+4^KH>kHz-k-tH2*zXNXJ5PnM3;$9IE@LGxsY^vp1r$LqSK-?r1_5SUtL#UjuK1O z`7L*eX~~Jti!YFmX~7rZK&PuMEuBSo5q%KpSZmFd)no9+pmNN2I@qm_R`@tX)}gWv zqs8ZiD?Zg%qeG!09PUb|Jz}!DO6ex0I~64>g=ak+;q(Re;XYDy579@J(pWOr>5)bs zBl=j;$8DffnD}|T)8C(uG~x&+h(1yDNgHV7&2X~QzZ!jt=u<_Xwt>!IG1=3dKEhIR zhUhaz_bj3F7-!}5kw%{_x|is4jLxMq=qNwe=^3+Px_gW6Bf8vZbdh1j$i7Z*(>c-= zqANvLmD1VJ&*@f1_ZM9)x`uQt2;?wcHk{}D{+0m-h#x3^5P3dP1q}Q{uYIlKk313+ zQzyJ$_~23;1+n1x!-h8qA0oWba4cV$#+!bq<98PW$7)o%!H}k69CM(>3C+6@MLhrUkpDp`Y=3r)${wfFn#5Jx%m<(mdDl{*C38*l7~m zVYqSb(-P1*B4dV(nKYQ5nuc<0ZC)O3a=vLgzB6Wtzghe(#v_6e<(TestMfaxjr?um zXN#Xhp6SOdOcXe8clx}1OwC-;^F+@l&Ckdn1m3@~>ilqr3+uba;1@_(DB(^D3_g`) zXU1JlpLJ9Wev#TXfdg=!Kwm_nzFX=t!p!^F8rOe@1^}fjZZfQ zS0pjGH~i>)n;G~SNBBwn&*Fa}ud9?sHv84#Z~0Ck{F~t41^+=f7N5oUUF**sSE54$^_ zye;DGh3_GJPvU%1_<$Ee2d6vPBfFRAy+!Xsnt>;=>mQm~_I3OMEA;Otyrb|=#2GjT zAYrp@r+2aP(gC8&L?=iy@G_3(LK)uik^B`$NC{61&uqYx1-!|!j`uJ;Cp<5_V0a;u z!R|ZZK*!hLA4Bgfyo>OIi0iuKIF|EZr^CgOK1B4Pq7O4Vg%!Ee;c%y?oDk`*qPvOi zPMQxS>fE{XFns015pHDc?Qx`x9x{%iq4!yqt$#;5{dP?Z{}|E7iaw4s-!KgHG zswl6o;YL}EYXhE<+B|B$d)fZTX-+w=McARl}Q!QE_JROIlET9W%Q9z zPD4*S7k%vO@Ci4@bFL6vDY%L-gRdBfYH7NnEEW2>@xtfP=r5yMMhy+7pEHHfM0}p( zzug`$&j8^Ag%2_u<>&-fTBvn=sFkDZgx3on>^QGxJ_N^)vy0gve2DNy;>FJc*04qw z-caZ7vCqRW@x#TBAkR8xwhXN@Mdf@~7LJSOdx4aZQZA&T`-QuU={XlU{<{@jMhPD+ zd<=1>D3vY-f3fp_oEU?@MEs@V$C77?3VBb_Wvk=kuRP>CWo036CJa9n>@4PrpC^7kdA^MbeB#3$PER*_f#`*z z?6 z=flGCHDbn>$3S46*BN+-f=PLDDAb38{^hEAGuYqr|V-`>tuaGOJ`eF zz!Utb(-|uPeJ1*I(O;C(x$vdad85A){k7wWB;{u*zfj?6gu3#|MEKR|-lO6>@i)=Gi~fT&AF^bo zf&-WTbiCbx_!UR^OZa->e{aCClEaYjkK^49|5tdELsa<3zj`K%Nl%20@I$fif9f+a z_@?*?g@5rIlUL(&rn-Dsc?}x#UD($m*i^!15}HxqXS=$twr*hKz{W&q?#3t^*RZ*a zEo5v-qZma63q>PB3m4j36kAEyT0%<-d;p6nN`!5k54O5YEAiWkZ%tkipfgAjZ0EwF zWIXBZCF~$!M+&?J1IioAYZ756$B)m&JJv?{&cb&g&hN~ia;#3htHWat0vZ#o-4;s`0xY0(*@6KKW5 z;320M?;7cx=)CBH(Wy)U<@E!d9)3!sJB#ij`XHmzIgE%12RmJ3&54JIK2-E!q*=q` z$rk!HR`$mzn8V%aZ0FilPB%H->F6DVH*O{z;q)c;4n0zI579>%jos<6X7kY-=tE=b zj}d*W=;MsWkYTJ2dA!s64~p~&qE8fk66tuW@?}-S%P~m1DxB<6l_mcaNvBFWjS}+% zzA+Wp79*VQ{MR;Q_6+f7itkBYr;DzgY&gs5VC}zWi|!@*9MZg?te03_=3IAPuv$rP zIep}m)6ol*8&jZf77u)1SGMdL&%8oPrIacvOjKC~$4>Thddk+3?k~DpbPZ{qa&deD z_PTa{<+{iZ5I<1-Ao5HQch@+tIE=B@m5F1cQYWQe%3xQpnn!U6a|o`?F{MGu5GjpR zn5txz#!7~v&c9=Ym0{wCiyuLrHAS>#V=KtM+=8;M7E8Rk)~hkTi!P8hQrd;oct_9_ z53}f8#;}Y?giXTf}2$2`{l$mM0g;|7dYKlEjJ>_do6M?<*Bjg48d!V#9pSSn)~ z4PKW5@(mjOo$hTJXSwJVqVIE>tr6jVr$03M0nrbNe#mHazhl7K!%kmpHIqj~uN3_# zX{H@@PIT#FY+ZQFjWC=kN7^5k@q~;gX%z2i7I*0>r{`PvPm6v=^eWQ)$YXkHv4Q7V z7Y0mK=$PLi;du$GDJXa>eVYnvoc_hK%nPE|ihj{(j0Qpr*h@~|H717rvglVtzgkLX z!fQ@1Hu`nZZ-{==XgnX-SNSccZ?os)ZPD+DewTDhM9R`|@foo#1m1J=0(%bMm-&Ir z4{7p6l}W%Dgw?yTBf>}S47Qu_v7B{sKB2>>0^9u6hEE-CW%uAS!JiBM0{=Gd9q$=7 z&6XxL3lgdd&$*~0%x^v|My zAsq`J`4kuPL*e6BcLv!-`c2O7a{i#hz`}@z@Tapk+Hl>!#I6_nH(90zo4{hb%zvD2 zW)-r3MK?KA^#J@Unpr3pHo|`vYXM6vQ#8d-s0E1Lm~^q72HSk5!X}P?VXuZwg>NRj znc>`!5q(q59gn4LY>X#-3*lQ5SIUuz(xHXZwRTOm61}zPmZbT$;@bU#Lw(rB`R8pt z)mGxS72ldXL&v&iSn*^#r>`G{A8~~3MeiVb$5Ofwc5-^E(QQQUEP5BClXzMZVOOU^ z=NR^GqT7mYM_O-8Oq#_5Q`S4|?#3Sc%HRm?W$YniPa3@LgOFG1dWQ~#Y zccnz9MQ2KBwEsK3nbA4XdC`Ru8eK*QI^ELf&Z4`BKB$C7AJD;0w>J6^(T9pY%xHAx zpn>{ur~k1L1YJdU6Wx6Soks`F5l(MsucISH_Yi%Q)0hE*)sdWTW>te@L?0{qIMS+x zB9~`4!RdGx>MWz5AmKy_CsDAwi3L}kUS@am6w#-OK5YZdU1v{sdWF$vh(1$vPouF8 zItm77Iel%bc=OK|-AnX2PAAJan&0V>oQ{Aa^cLMmbomB43A(S-Um0B?x>9tN(;3qJ zoc_gXhy6uYi>`4x%Ob>iPH(b%OvwPz14R#V8koS5Isb6qtVG!24N3%`n61?hlw68dW6wfPz32d-|4yMM*0HLBSl~6bTWmMT;%j_ z<&hpGdbH>G)8qwE^zRu}X4xQ20JAIiw za#KZ56Ft3@PK6ts9%uB8qGyPnxq(ijE#W4oTNph{^v$AgF`6YGjLdg>u$|>?qGyYq zL)u#niw%vpyE4p_xl-mynNNikKt_-sR$YVrCNVG}+~HaxrQNCFM@Se_Hf2qF0sD z+3>8>HyHh#=;uYRCavaL+@?Z#SmStu-JTbOuND3xao!&6i->IVlG8uu<7vJu`W4Zy zl8z5l0fXN;$uhj=&SZ<>bvbXyd6SMZKp~3^@RrlngJTSDi+)G+yCpQfz3(|a$msV) ze<1q95;}pwJ5JXa{junEqCX+sg6E2fcnS0fHkJpjW&EjY*VqYsChc=+Ur;N)5mIPz z`_k$A?2Yi1=&wb8Q%dK;w@%-0^mn4a7yUyiT?juq{h-l5iT+viFGi>F`M?N#rysJ@ z{Y~`mqW>^DQ^umkpH6Sv7%%)^qSuT5n>3rRcyW>_-&NODa!2eD;U5>Tv&-|Z#3qNS zBwTy}dP~hVt~8WIrInOzrL?BPh_l(0 zJKMQ4ZE|$Bm$QSM9qBNdY}%EbTe>A)}{5 z*6FF1yK|!Rq6?&X#ft-E*sk0V4s@s6vx=Ze=q#s;oP+4_6`UyI2RokFC*p?)KUDZ( z#906=_A>u}p016t35R=FFYO(}>Z-81DXi`ciw{hqwhkM?IlSKBBL(*md=z0eSZZyF zigK)*L+fa_nyijd93$&kS;x`h9p%Y+x{i109cyGiLDGqmPNHNNJrhoLdYWDIQ$(LC z`ZS|MZ8g@7INj+pt%LFm(PxV8X*Azl=pu0X1`GRa(Y-{ULz-6zQ%RHIT!#tLFZyi5~pGJb?-)tq(WY$yefLES#M|t?&n4a%LM&pRLiKL!Me_d<+K|7 zaXHW3UQfnU4v;%g?jX9`;19J`jaclN%S*Xh>*_-%#fPCzYQ5CKRCzNusOWMIEc zgQOvn8Y%4v2@U$_aBkSJ5tm0h)I)f}dIg3lgy9Nd1Vh*sA#6C?s^RrD#Xf~_zRM@s z>0Tgtq~r@J^Wt)jTVn$@stgyoF?(`6%TY2$%NRq04UiHZ5x++GwZg9>&ZMN$X#2U|;pa|_@KnLm1WzZdq=ZKHu-@SK zx0aL}h0hQ^lQ>@$J~|HH2CR++Fs!a@mmmI~=Kgu7f=X2K!~cS~4o z0v~_u+=msET$o|c{SpaFB`h<6=YU1aF<;n)MHa(y2`ePrS1MqDGO8smj5FZ@2@gtm zhypKZj+gXdhdWv3d_?d{!H*KQOPWfgP%&{~x`qC@geN3CSt=y+xI$04aJ30fOL#`Y zs!}15Kn4C;7e<-zoP_5ktS%MO7zQ2IxbT1pFGyG`;YA8;UezT6@|ud3}o5YrhG33Ttg<<7L`@s0AfoOk5B zONZ~x@*z-$)KsJ}m>|68(idy-Hyq)8Ngqi1@P8$YT~36LT>8^a&-Vj*F<_ zNlo#teCp1^j}=do@R^*?<$OVh_Z?X_iB|_Us&?V=u2J|(!q*bMp->V@B8@xwtvll^ zlJDevFXxBta(u!FJtP7JfU&d)Onhz3?4`??}8f`(xS$h9$Z5j^*Swl6ID~3#F2~iPhH7Md8l* zb~ksE(^gKq|8=nDQrO*{E6r&yXAe1h(%~hGPfP)Mxq~aunX;FZy`}6!g_$O0nI==f zt7%`izUvh)+J3S+%IZXmCzOs^CW*xD@6NIiode{Q$w|;@ia#V#wn#d==+sLKQ8+?Qa9(hMFtefx3)p1~UjOE1_E(XNuZN$O6CDbDt*8iw}5BOISLHO6tI z@E*dCBFkqe7W)X*5OEmzRurdk8OqcO7T_XnV@6{70DdV zpq~rDZg_tQ)e>qb_{SIgdCuQqCon+#K=Fgf+ZkhOP9oI0Fu{a63H1^NQ{WwlpX%WF zjh3DU;X{Ns5|4Kv&&~FRIzPqkz%cQ{#g8D*hazX$HJtCp^m+ILj&OmDkuol%!35zR z7w|Y=3>-t!x1hKeW~cNq+{|^>g{lTf`vX#{CM$~ zljr3uX!l$c)30#h{*??K5nL%@f`qFmFaq9Rlt05n=f{kWIdqcv$>OJwFGf&NonrCr zY8RHQWbg>;8VT1*xQ+rNK#ofwmxk+|f5CFxRPocqPd6S3!t}dDxWV~RmY^HO&k#S8 zJg+B8F1WonIenL9hgqU;7JUn8zUhZzWN$4tLl}YaO0Jx~AfEAUQf5n;LuG3yYV-;< zRkZRfA>8ib2lif?D{-F0`4rg{Q0UM3n6;eBnPExs4)^L;;?Fq30(lGN-ARvGFl$R7 zhP&KYZZR#Aakq@cH1teh`WY_SJ&yM-D13}!624UUGQ+X@7>;nS<4=x__;TSZgx}|Q z2J;G0-*Eg-YmIzB_=Cb9BF-C<U4CVVVm zorF&)FyAJ*z-VRYkM&#Kc-XGnXEHvQ@dXW*4lsPJv8o}iqxPjsd(4aJ`byH*lD?tT zru5v4_lS)W*n@)&A64O74`V007~d(3?-j-m45J0Y7=%eH$uie|bnU`pW7I!M`&rsA z)cBf??RwZ;!_{A1o!2+2ze)XF>K{}YV+!L!bD7Gjn9x66TYo10iX;3bZN0R=sWE58 z7*Weg7WZ)Z$Hh4o-@g)@bXD~P|LQ^E%}9838{y|-?c@o&Ax-fUYA3Qbro|KFb-_43 zY^tmk(kk(m*u>T0c5OD5x|!5wRGB3!>xR`1D-V@e&at^GS8o)r$>vhFkg_EeW=ZCL zwJEi5VVPz7tt4zMp(TaZ6uj9|t5(H~vyIyiTO(vE+1tu)O}iy*e`vh%aXU9#TXxxA z<_ds-$AV3^pH#u$P zv@@qHQ=Hy{tun*z?%c`X=(Lx!hnzj>Fl%L#=$$+t%S&f+SOh`16$Yam>{3IIC>s6lR(l(2ubhe~klFp&TFHIp?Q#Y)fBaF^_MmY^$ zghINQ)wu|8Uv~!FADs$0m2#@+@aklf15k8ptQatYqm%l%b%;Gy{bg0ls-eZ}kk1XQ zYpiMDDPcBxIM20h?UV*c8z^lMHI+INgU|w1mB7+PwXQ5n#`M)msh2XC3cExyg+bhE zv7#EY#)k}P!17M0$Of0+xircRl7~ocq|B4cCkJ6%PEG&v+5#@)P`BP+7_DKlhRYg3 zOE)=fzoHV$i-PxqBu(8 zXo+JeGIt=l2DCGU8omN9c4S{-ox6R230h09zkx88(t(#A`> zoEoo4S-!RklT|P+5?Z*zt^e4JfGcH9kaZO;W~@A{q2-n3No1^v?o7TXCUBCR$#SO9 zVF|e`jgqs+Q)tD}YHw-?^DXcwky<1nciyxnRTr!SL^J`YQg2BPz*#P5g`E57sBTk?;(o_hTP^MZ;SUObh&YQwmE{BQT;WyounWKbs^GDY zo`jVW9;Lu6lTFrD*VJJJpKN%{l_Tx#^thBKq&!Kb_)e=EFc5Ec7E7>|o?AW4dRo>q zvR2XJ$>$R&7xu5KO<{KRv+n%5ASUiPInT>kO@|+1jAN;)t!)@Fa47eI$NWi54srF| ziBWw)>RPEUQsspxE5s)9ms~i^vhT|hUXk!B1>XMHM2?63H8<|CM)KEXydmRF8od43 zRSLtFs=`~&-_kQC>22}vh<}$nW2k8;cKDQq_uOcgjv4rU86U{_kOpJOWQz^tA36Ws z=orJt;@64)ggmdYWiX8N3!l0(>x1ZgCg*cGU(jJ3*%-%{&d;;g=~v>v7XJ--o<%W- z@f-848$VkX`%cF9GJc?;7e1PN`ND6gsw!Yw=#Q?gm=P29leC|u{X&f=lgtdkG|z?< zi(kLGbBxW2{!PyBa{i#h#HEvsL&~dDXp8#OjfTE4mcL}Im+?0Z#*!|erGf8yT(W=M z*~vZ*|H^67P4y!Ds|O&R9$JGU6tZLvF>QpOi}j*Y`o)-<;wRLLWNl1KmtjL8FO5aW zHgRp?yr^v|Z8K@jsPP4m%Bu6Kx#Jt39`VhEZy|h3;yfQqSrQXfTDWuI9Wk42C1-0n zE$J|2>FltY2CWoa%XPN5ajnaM7*#82+e&LqjUU!bZrF%Ae9Qau4sGYs%!{M6y`&u^ z?MR8wCF_(a6pzDBEv<;gk z?C$EeR!M6wbq}d~np%nLfMrqpW8aYC<_(phgR49K8`HU$)V-zdL$xLT;Hua0_I0z3 znfuA?D62BSv%Y@AR*C#&`}8T_!qVG=^J%PCDIKAL*3nwCIe{nCT5V>-5O> zk0TMR{%j0mg$bqh`vfI;HN*5^yQDNda`~y?ZonC!njNlN_hl)PTXzWLf z?ZOUs`gtoncNN`Dba$h%I}LgPj&ORoeO-?f-9z+IMq>a3=%bzfzI#l`F`|zZeH>|( zh-_zJ3@yQK-EM7R`QrpxC(1gB7Hgk{GAs*wvcs<}jZvH;_*B8CIh;dT<#dNnvx?&x zg3lD(lQ5r)I1Z%{&T`>N>%%x(LN5vDP+(HB`FtUq>+sdr#iaBW+(&S^!TB;2>-#!9 zeSU;11Xl{KBFra_N#O_=)K}bi*3!~nMzxF@8q5SqtO1DmC{B0D#PA1*9w>ScX$zkN zV$fgX#=RDPos4=JgK02)%xVQ4HqchsZ4f;~bR%hA8Ei&{z8Z%|1o3mqLE)jjH=&__N ze2&XWhs)f!+`=CxW4w&ZX)t^=o?u$v6;7|cH->+u=n0~)B5j!r4;PV?a=hrgT|lQT>3&4O4fCZ1Ho*>w#jA)a?%c zJ3ad|rjU_Uc%2-B&ALEkYM5%DEOVe%4#&St3B;7}eiNb>CcpcyG^fxw$e9{pd7!;i3wgj+wE^|-7jWIaiXDMLFq=%<`M zd3KEBY0=M!UPYQGUou(=W5Qgz^W!KzC+T@ft10P@;L%KkHBRp}IMOeOUMu=V(!Al= zd7?PD=_MC>+q>dr39m?al|o6HIJgN_3YW%PnqHUmhNL$sF-=L)Z#n&*y}RBP{f_8& zNtZ@}u}~Ne=F-&`#ru*zkn|xXMv=#kwaM_2)5lpe!^fi6iT;E%PaExU#lcgby71Eu z_#H?1Ov2|9zMxQ&CJvq|3tzf)ho$K&NncC)h7!|MK&ummfH|GE#>nqPe=qt6(k!n2 z*H|lT-R;_Edox`~*-z4bmi7xZMv}vfAS^xWbicWRF$hfb@1p-8y*2(&z$loKv00h$ zr;BZ@mGCc#>m~k8k8`2-{#A(!3%}Y}u8r_pu^v&qJSt7` z6Y3FCHm1V&TCt*<51Tl@(5k7Mir-9pGxB5oUI^2r#4!OVYaZp1qvf zOWH%yo|KrX_`1Q6GAvB%&PdDRd&${b&OZO^WU#c$zV1vkXFoX|<#eK>Gr_5Z{T)8d zZpHzE%LFF~vpD4A&k7;w%4!QgB_%B-Lq$0wjY)4=hc}rOuT)NOUU0!+6a{kOK!*>v zqCjWCT?8LQn3uI=j2bEjF5Meq42MWMRMKITm^IQ_EXW)VcX~-pq`QjlCc3-P*mxN9 z5l(+*Z7)ZP?jiapqZ3^0IUMbDhYm69V?-Y-`Z%M}oQ*Hs@lM}i@1qk$pD6ky(!BCM z1`Zt^u2ipy5u76BR4J!X;i;D8`7u1*>3Y7`aD+2NpDDU0Y2GK)f>1AT_@ac^CgE(s zy#${_m_cK4Wdwb$(@XA(bZ^mpM3<9hoc}fM4OIl!+S?Ge3Tc(ns{S911K+R-oohRr z)?Zq+v>Ix9__I0C=Q;gmyO_2Cq6dl|M4I28IPeXf87@q=flGA~>Lm=Oz~ECDAyXED z)9)M+gKrQ$M0BIknDB-yG1Texqar;_^l;H5Hqb1{pYQbEqa%HR=#io?B+aC=?1|?k zA1-p?7Aqc(k}z7r7z%pS)0qB!vBTHcO}j+!rGm#2<`eE2^SXFrI{*WnuO^T7(9BwP&l~3>38j6yixQF(KAU~@aTKVhMQcN zXu;2taI=J4Oh7K<;J#G2)rG4qm)#~|wuCtpbh;QTiLJMtUOOqC?p)FHM9(M9dsQ6S zhk;wpUu&T+5Wi6To#YvMT7|j0oL*8LLtiBNZqbX4P9|8)y2t4u$w)5|y;Srv(rijh zqp*SQgnJ$TrccC|3tu7pKH@Ry7&ll5_d7q)lKz1B2gN@`o=Hcy1`_kI)2pl<>k-i_ zML$ZKH!2PqM3umWi*1nJ;}V{b@FWFh%mT7KM-8G{;KtIG_ydmcw2WtDtfIjLp$rQ8 zS*LfMBN&TMiGE)6YSKJi7JWF#aE{?{2YNljd;(P8r z+c8G+zPu0QeMpZh#P22kK#|d4o;n`Q zADzBrex!dA{j=y_Nb`m#HR2I7+nw)Ii2QHje;5A;dEGw@7eqb4>Bskp^k1Uai~iea z>|BAn{g2a2TSxj|(M^s}JplhIY}R+tm4N>&Rsl|(9qFd{2~_~m8VQ(dTYvC=4w?H`F z*v`R}nEBz_*4B{PO4_#4T2te-#2%5Lw{v>LjWJEzi{3%>jz*)?8uU(1H#;lRZA9-Z zdKaUal4RJ`=~mWCyPN2?qT7*XrY;>j$#Iv-u)CYj+Q7^9GWU?VCr#xCyzi2sgVX=V zD(icR-dprOMq@8Z(EB<)cei*B`-$!-x)W)>T;fPe>`mdqL>oAHfP^v$iBbV0E%PDi z!ZjwOB%~!|C@}Td&ji;r>-5f(V|sF;^P&r+nT5)@BGiEn@5x(_BXkzrMesoeW3>hB zOyO`#o2q|^;6nu;Mwn;HS67z%`W^1VbN0^aDxsT%?i5r&fxzs8!oM5On{lL!9x{%i zu?3<)7g9qbHk}{JStm!k^sJ2&JVw&7l8&Rq>%$g|bU5DWS!du!9N`4fCyG9abW{AA z#sr&_ojug*Ij4v{RqSbGc`cEd3*mH!`z&X$2>1-aXA15~n91O41WQyoeUH6H&KBKE z^f{y%bSi^!(C0e*=E)2gLH8EiM{qgeV*W+op|8{JEdN%Bt`uEGS~&ny)IvXpujajD z(ESBh3$7u|KcK#jQNOr;=ecl?RTu|I7${*71r<%|v>j@#Hy&)hv(Rwt5JeS3m!w5FCobuiI|XDo(E5++NSLV;(FZ&@x}?QpNz3LGPo1YaxoI>Jmpwl_p82lCEmZB6aB^-TmBd)YH0rIlx_ObAx5=C>a}G_uZWt-Pq1j9xdsp4=(j_L%l{8P% zd`e7dY)dO7aXFAtxtq=%uHIu!Y73+;lzJys684X+Wg~uE|z}n*<7yN|aCkZp7VTE** znJ|9!DHo2juh`QPo{_MMLP;wh_Wwhlf;)4pMeR8`&&yd&hmo+u8XrFlQ*vQ-AN-CZ zydYt%gcm8Wv&EVc(Qk(J>k_#PTI61GceF+JvfNkXzDk#4H_b(6NnthTT!xR)Yc3Bl z`E|)}NPd%Y$=M}2UH2__W}5T1oOk5BOGjsy$HS0L=E8d}Y*Wv3!`Zzr;R6XDQrHf^ z=52y2#to;_m`k3-nDlh`$n`arDL$6IPWmU*nJKIl5idr}LU(DoeHuQK^tq%jDCtX5 z$Z~kimyQn~%mgBdUkU$O_&3CvuTycD*tgDiI7c|D7~;Pd{{wlxYS{XY=8Hr&kxpYB zQ`9zGyxp4Nf0FpK#9vIb4!UFl^S`nwR6AU}!5;75B>pb(4~k47#;@w}{?qyCb^-np zzh3;`Pn-Z5i`oHj9pZEFhV}R(WndY?*3PnVZRMMziz@Ko<}aiy7D0zOA{t zmzuk|+%4p8NtdS@V?|dD-kWLMj2155Y~ofDx0cwFB8xs5jj7tk=@nz+$+Z%_t?1UI zOOwdXFbrqU<}kKuJ9md$Oxw%dLGF%p`3SIh>yH6y+Zo<`?5yYd>W(q$Hqv*Nz6*6e zre(1YDwE5GUEOKROO7M#Ca0~Oc66HJ*8<9-yE}XEN|IpPi`_%)o@Dt7MSTZ-7!KdJ zOe|)52;N)pK7>^k#V8WYQ+N6SUK|`@KhYgUcQQJOW;o12yikyVJgaU>CD$!w|y>uF{OO%ArEf5ZL ze^V>bb(Y^n{z3HlIzlzVCibFwk+reA$&1XSpBk_~U#maD-!oA1nMg;_Siq*8VJtUEz4Q zcC%Ld6J(tz>m*uC6)LV+B_2s2Ii5M{8&CpO)4Va5uk2x;mqp^t=e3c3$Dzqb@QSBPTE@_-gsJN;K4vfL0TKsF z97K^f5HAGYidx6lSv+;Z>xB;{&UU_%>A?7&Vn~#Gbt~~_9HBwp5P6OCbPLO{(ItEP zhPv>^kSGk3FkHe23Va-MK7aUpH)`fZ;{q8YWn5@RW9@)iOy9%M_KVzjadsSbI!eZ9 z8DnVhmSoE?7vW-uFCQ0!zeMn*g2xi(g~IJ-Y40+}v({EOPWX7?mlNj+V|W?%NyRO{ z!iA~*V)$1|m>}UQ6Ieb;;)M_k0~qbk7=euFuVDB7hbW4cB+JF5~fq&Cm@?al?^rZBqF)Noi8nt8|BQ9 zGn39naL&gh3`ghLB!*c+Zx(tBQ9i8vKo$IM-|E&H`!3xkYqqR8w3u429hYPHbUDV0 z-tJ;6dx_4KI8Wkyiah<|q)>dJ?r`CSb@&}eSRi4cggYtd!Nv0w?sE7q8!@^_@ZEwJ z6K3d%JT{*TNX|Vj)b63cF(pI7QVGi_Fk5N1af>8TI9u%$KpJtASHghx$a%SJYjF^P}4(8fN4k4tz$!jmST zZL~Ov`6(9;vgXmJB|IZxl?kk#VozXnjJWWqRZX9h@Vtc86nKrWUoS^^uW@|9wK`)| zX@sv8{vvT+BZiNU820CL;VBFMWeKlHc$EUfN6ieAzQb#dAKfB`|GMxuguh9gYVmQ;8$IFZ=`H9}@TAQI!11`MWImkHxPO{|R{p zk3k?@ME+C9Pi)J;5&UPuKNtQ5aSNV}*bc7Dxo{?>)QZ52K$ zC=$Mx@B;-t&;Dd87yangX7*VABwnYjWw8Q?!tu@{-zQ(lhBL;?;6)DLHe6JUTKY=n+xAU_?E=&u5n&;3+I1`Z;$3`r-627hQ*2H-+%gR`0-_GeO7UOY*?M3e(dPmYs45m?G zGpuCT$@xEr#qVqz@jHv(g}icTQuE+;b^Ixoh8fUq!rKaON1WdqtElq&@9xf2tE0A; zvxl5L>F_Iw2KiV^?cl~S%#Aq0UNZKUu@4Q#;akYo&q;}G$Oia(5eNgODLmxaUK zxy0h=DyN&A?sRk>Wd+r8k8pmFWve5__Yi*+`O-KtC}$k)&J`BNF>;QTa~vJUfnt{8 zINtgB{d5}WCJ}$4_>;(&#F66r{$zJ%TO6mzIaSVSbogz>y2;**#EEUEyEnK)jOz?} zXUgkIkGZ8RlP@lJah3~Hm0up+UwF8I3e}CGGKI zjv4CCf2^Tsn4IBqM$pkST!`}x&v#*&-Np+fjFfO8h0C(GEK^KD!No<#YgxC=YMSAN#HbY6hA}!O!B3t!NS5#?hLg!X34o(&MkCUmP=-G z_6Ret-0IrbR*Ab!+H7fasPW^03H!FzA*|consO79hXl@*HBZ)jTKt%1%Geouhtro^ zMR$Sdg`)2y&F4z>N>nf$&sdTc3BOzTV&ZB7!_F0%aF5fIc3?t~lqI56sT4>{kDbvxacQDKS`R`KAkSEw}9E5IEAO&nqL*;cv{vovR2Vz9H^t?+CS@b zMR}y36aBpC)udUq!{{|sD;yqdpTHLcuNC|vVFrz^ZCv@6oc{3S81&1cUlIMP(Peoi z`!%PtUZoKIhUhm*7q2|lpeYM)IX=U#&D+A?5&kZ5J(Y=+uKat>f7&`G=6&%Wi2sm$ z@yaJMnedU**IDQvi(V)C6Qj{ljcfR+(^pug`AqcZqQ4-`xAuk>$uHfQI4u?jzmoB_ zjBjYDLd}Bvw+=5_9+Uo^;O_)#?8; zCepu&{$2DRMpu_tg!=HO)4ST56n}|cFZyqzxja-u_{Ztf7shk_S9Fu3RE@yD#V#^T z=Ec@4RiOs+c`M>tPaEN{#Y#noPh!HF;wMxpByUVvpLGn`!I&NF8{)#QmPI#}u$hEr z6q+KWGTgW3&Q4~T0!P?f>=t6TB+I}t9SSW-=u2zi!dbQ()>aa>me7&{GjFjSfs z?26_xP#s*FY|>tm_Lj5{C4Ln#wi<5(^e>_F!j+E)<1aYEeo{J0=|siOD2bUoWo4MJ zvA;{>EuI4;l}SoavTL1U*FCOv(w(X1q~xUKWJ;Z6o;L{VQ@L}!IXO9bIR!dAA6{;B z&~aA4fv#L^N@pouq#Q(ruL(7psQde1H|{gz5E+NcIE;ox!g1Qj|A)J>(3GxHx=HCy zg;~@JohfvUqF?0**KV?c=aJHSNIQxeUq~qwJHycqf87he;RweFK34E?g!w>OnKOk6 z%9zTU3CFwmtrZDRka(iRlm1uCU^k`|dJn?ME;g|e>nRdXm3SIOo>eSUrP0Nn<-jf1 zmRp(U3~6Ud>-j%g68p$v=l5`yYqy$qwzOW-&iP*r8;x@O*}1OWWLj@&eWaCBV!a`->nM|hOr(SpYi=1C{AWw@OfLv*nVPqxMHIKm|oE|oBrLQDQ?>rv-0 zbP40mP%Uw@opqy)lQ~}I<^PX~&wL`C%%BUz&0WpBQsxAiSJ7;WIP>^?O>}nB5~dC* znIv|y*ePUrLisFuD)V@Xu6AMjyTxOimxOC2Tt|U}Rk9^LWboM0kBQtLj zzet={tvHqyeU*4t`I>vly~;H)nwRChBJWjtJQ*y!QpjWqxm+^5=E{=#sJt%a4JmI@ z;irtH0Bm-X!)|y5>_+yMYfspB{cUOQNPD+b!-62_AI)=b(Dz(>&b0TXeIV__QVqj_ z^0^$!H&_DLwdJOLENz{%PpI+5s;zH6b@=mz@r*tb{JG#S2-_Kh6^%BnDSkq&NZQ8K*f5}yB*rS@3xHuzo4EC`S)0n* zOja{me5LZ$fTkbxxVZ48y%RQ-NSp0+|v=Y0m*w$p32gGSMO84;6nHd7ejcF@`icf6{mw4tHyTjRoy0 ztDCIuwD@f5>J$P5=CZ0%fFcvimlj2HyKWL^Z&dE07p1Q=BYAIqgk5s(K(#S zqcsz`@N`$-wVZ#3)H9{_q*{{m(N2NVR2Eg$aF&}FSYA3?W-poN{I7|MRt~Q~4BI-_ z&8y7pEwhiza+=f!#>vD2S*ASQXv$Liiif4l29^4hEgh;G^r>Wq(PI)_xXIDwO-u! z@AJF@TL z7M-!NkZMw5(_*X1s#s*}XrRG^*rUSX1_>T4xP~y>Aox~L0g5WT{&ho4X~c|#!`&oh zsFa(jSaSzo3__m<6O{2v$GpT_-Ww)wxV#bc7>4XH4(V<+2NboNt!F^X-XjuxR@#fD{HZ*%`>Kr58AWR=1F^w8gD4ilG*cS><*DVU&aeE7SLem zw89_T1>plem`G;Ql(1HQp`=BU7E@BjLAxL;3;XA0xtC0t!+*iyUY4>%$}3cqiLrEl zsj;tzFf9|iTaF#fI|f^uT6g=tWf?&`gZ9%sO#zQbG6?Zd`);d-wFO+@DGI5l-chiGT4mE ztkvNXKg!xA>nB>gDGX9FR2*&l*_577G4c@nU!?phWj7Uus(_*T&ETQ)#bO^W!G8$; zlkoq>0G3Z+7k#`_&2oR4z9s~3kMzH#|MUOS(RahR$3){Dgjz)cRCekmTS!e+HI%N+!H<8|ydQ8LesX4l(B$6<8sM9F8&NGlm3*J61{?DQ&5+EY`*d%9rS_9cR*>339Lo zMp8RT?e|IOb8~bf8+-7aVA8}OohYe;q>hyMu-Ku^b0-=7T_=BulSOwDeM+EnkU{XZ zMx)mb@bqb-Gel>S4xQzEd>+MRnean6eYS)g3Aq&5nqXiGA}N<={LaAVi!TsgNS;}p zd?6-BRmSi()tzqEu3()Z>r7c^(c%+?m6d@Hszlt`W;8g(-^e*KI?Fhh1_yor`-9#7 z_3L>iH{I^#^CfqYd;w+l#mh0?8NTb()tn9I_^RSUITy*fI5_-Dd>Bc*#GG~EBk`BY zxlGRGba-3Y%oWKLRuy+Mqg|+Du8?u1jH`l?V@7u~R)nP7L&nuIuA#vi1H!-rwu(>X z;GHs-#F%zYrN5o)r1g~6iy9Mx1`;uh>w25ebA%WANVs0Y4HT3rvGgwA-Dvdg(Aw=Q zx}WGsps@ia=pv)<18<03 zFZNBc2Z6OsvbehWEt9SbpYPlt>1|2xP*OU;_#W2f8(k9iGTA74lj!#Xor59kLifJW zf0p~ee<1op(I1gkF@`p&+iY-lsfRxn{E6UC3A1gse+w=f-)uqW!^{i+t3!juQYc5WbL(z>$vu+4uwHR=9 z2b!}j47E0vbC8^a=`b!aGK-i$#OSV}VmnmyVWJNYGTh%MIS~Qgca1Noqlf0m{N0k34s@(U0eQx~1q=qFV+$ps(nDq9dev zznJWRiC_kI4C~{gf@6Z?gc*9jY+Ve#~8gJ=IPr+j}?7;ptCs|?(Q(UJT!Oi6g^J#c+za~ za*_xqJ5DhE`6_?*yTnfvKZ!i=6B8p)cuY3BxY*Noi@rzn6w*v#1%;?Mry6{67|FX= z@O^^sC(NK=w+_7R!WwqtXN7|MLGcfXpGIDZ3$wiNwGX35g^`~}L{AqzBhW~QpdU5* zun_Q>qGySIEYO*X#Mwq)9v=Q2(T|IMg0#8~oI{4{>`CJXgk>L3iJvR}Y4Qv?#<$TG ze8%Wg`6CYZtmt{7p9?g`2|+(^bV+#OGGFuyq8E^6Lml50$FQAy(eQDh2eVN4BH@dP z*9L_SUxr!?q$(SM86W~97W4gqfZZm8p}j47ri3Tc=LyJ`>N3$pZDipDSDOY z*8-h~&4}{dYNNlo)6;82uNA$HG=qq@P*|XDaM{%!enaqj!EX{~*~NjWEdP~j_m)Wq zhT?jIq_-u#Ly1=yl&p@qcMa||&yTBY6ue3BdxXOkvMbP%sK%Ge-Z!anxWWgLK9uwk zCB{92mFqSeeQ=;Z7X69nPf3RgCl4R+i@VRvI5Zfa%h)303mP11<@xjXo2ci$H1Y5t zekF0M#BCIL>k)jb%zbTe``7Rr4)=}V?Sgj@W+k31E>1-8p>vFOerrnKo<6p|lk&Zk zAE>Ail}x2mMfigmvOCQg^0TgjW$SWw$@z&6(=}efb8f@WhVOaQc0K%r z*1wecRFn*IvueLG><%!aZkV#tKt@9ujc72LMHA_oYwGYNs%u zbEMQJQkzocqm3dZV4Sg;;otnk>)=Ywg&!rn1#y($%CLzFdyC*NBG7YJ8A<2!?=sKLZr1ql1%fkVohj=qTD(Y6 zoKv3M*@nOOK7PgF&Jo^O__@TH36eNDzWV4&+<9jF7>b#OFXM4? z7UaE+fBs|7_Yr@+_#4P`2%)^x-Dv2VGyU!M71~c|geV_Z3=_XG@4LwGd4KscM}^0P z#{*tcUBjZj*zh53{Mk!{mkLi1=Z%&oqooxndioo`tG(yT#FvY&AkWa0B?m^LDOYLu zyaJCWg;xn5K%7rDsgpaS9}fv9B|0s-nlv9%6&`Jh8DO9ZOZ)rN50WrgLJb9mCWUlX z7I#Aoe{PJ&ZxTLK_|3$b7gMEiEE6&K*RdWRCV05u5rp}O29>#64ZZSNkB$^NO6X{! zs>7qvVmHR%oR!dVxZ4De6?}Vu`$wWtcZb2Pa{Za_6g*Dwc*4BF@<=tO^h_{(-02>_ zOZY_LlLDSDO=5|qn{0T$2R(kb@Oy+$A+9k2ym3t6fu^EvswsI}71v<5%z073#Q0#7`GLgFIss)2DOX zqXvI^j)!Loo+bD(!v5q@o_x0PlYj919Py8fe}X)38881*>C$*Ao^nr`@?C`w|5H-t zN_m=!GGL^9?yvBy@Oi?YBhEs(D1n6`wHHBw@Vr^)f9S3GvR;t2fEJrH zXl&w9_~-YcNts)`v{2F_NsB2lcg6chQ8K(_^l1(JeY`AsiRf2I^FHE324WGCTWWaw z!#%!C_;TSZh_m%k5=o_95^GN4_)vPXq{h8!;jl3_n59HCnLslbx#BGodVh=Gakvc<-j?tV z1x8cURaaEGca47OSHX4MM$wx@zek#3;S@FZzQO-D!^0m4{!s8o0Y=tIy3GdPu))J0 z3;sm#r-YeSDwYagiZBz-UG2TE)X^sg>Y zpasOY zKaOXYEO&MBLv6?5@OC~t_3#rq4&v*RXC$F9iinL=SGWVr*svb|fWtMA(NIRCV3Z&@ zktpgicc2-uP;)nyagdCIX)tx5XOfP%{t5OQOlg)sW^kQ2e#7CK3qDG43&Jd32G$IYCsXcd!{>$9crAsu65g6P z2mGQ{gWWO4&i;ib#;K1L+eU0#vJ6KAb(%ZQ;P+RE#S9|B?F6?c%-oJh!7ZL(^a1zz zTRc&82hkk^jajT1(>%%OZcqDjpDenQ=u=25d$G}Zs=>>`gptz(X9&(D%m);&s7hc- zLZrN}%QEGpMm{vzQgWo^2BjRW$arO>8p$BflsnGyO1_i=DTP!Rr1D5fwL9J5*@YfH zL-3h`&mzpYNtGtzrS5E_54qjb=ZNks`rJTQ#mka|+<8W~Eb{dEqPvK`fHX6$L+zzZ z*wus%!@Y2!go`9xOo4&H{^Qth>=L7Y2xD!RioQ(r<$*?L4Xfn38U6lnoC1ftLiClQ zuiBr^bKQ;paJXQsln{Nj=xa#VwmXwiv^@K|Yfbo1xexkv5_(GLMZxE9m&63xzOJ_! z-QM(<=p*BL88^`2Fo&xyM;TIvO0loI(VXML1fsrj`pJpVVX)H4iYgdr`c+0S2Oq=ZotMpIxC8IVXPljUWJv>Rhay#e01O~zOmx6@$s6qmdCK$gXMCV=NCyJj$o&`mJ^z__hgO3e$_T7T- z5j=%3;~w*f@y>p#(Wei-moGGFLZNEgaJmH=(;lj|Idsf0c z3C~erHj7qQRwDnGMk?I%ri|L{gEU{t3sM$P;WbJy_>w}iz`ba~FQIj|P{JY!izzT) zM#|IGt_-d3NM*vkWYVa0{wgm^S|aHcO1yEjB&uD)Ej7G-Xhkd&zFhbU;!H>txDWTL z!IQfASXwD~mEhM1^V~&f{l#nCYQr~%ZqORxYlW{P&Q3=ZH6T9f5J#UeS&_g%!|Nul z+Kzw6;ogwAUgDb+c^y=<=ybTZ4FBpg(dZHge_QxF#F;zsD~sdhG556@eL@ZW zjg0LwcF<50Gf|G+3ebirbKjcMu)yE+cT&EW@&gry3S)l}4&%C=CY%_?{(h9OOTteS z7)uq=k_46@{A~E35UIZi|5f;I;*2HqkmDTk`OWxi!w|>s;{Oo;CwUeD>0}Xx{r)m~ z<3m35dqn>&`XAEFKBYBP=o!>R;}waB``4s1I(liZq&ioqbAZ48!PQhUCDp|bwVi{# z;lb6zPv{(ouTP$LTvm;j5D|BP;a`UsZ6Lg%@J7UW2QE^9X7zza9}^}}Hx_-6=z~c! z{_$RfgTX0xhzU)<#_u@Xp%M<0a5x1R8cjM7Jf) zprHDTyW~ii@<9FTU`P0N_h|eU?@Ki)AsxjDK>9S0CD5U&s2{{sSDJUJV z*X{C*cA@Q5U=NTUl@^wpxT zA+0on(Q!7}-L)ok4?U*qB=nTfivmwyl|swL^)`A{Xp!|1eZA-#Nb^on2~{ww-e~+O zp$h6NzMuFAc?JhNO|!&Lx*`)U3?+V4LQF!O0xwXG&K?K%i;aK$3?Dls;!DLR$TKSY zSI5u=FnCnRePx2n1y>Meg4sj0{ zygQWj4+?%r@HE0|TwpiIia1`$40I2h(kZk&ACWR$$_y%e!l}|^5gKie8h&}mjWdPM z68;!**5+Inhjk!WPJxFo+oZo+V`e)jn?mnWPl{Qb>bJW;bMSJ^sLodG8qw|HnAansyMiX9$qdt$K zAaXC7vi(-CER?cH%3>;P=%o@RC?wF3b}yOH@eXgiEMtj`S7&}RSO7aVSx z(B(o`5alz#3+HmAxmOJ@4V!+h6uwIMYs4A+7@ly%RYuS@Uu{aOzj=OKVU3ivQr1yn z#zc}sF^W|L#_!lB98G`m>&3rGo|hQpl11h5L8-EYd&`tt!W5znQr?#G4i#Ra7=tk^ z*WWe%tSn0=-TTHq7%Ghq#C|CDBeINr%n&Gz;Pg?q*^EPS{MkR2 z@rjI2X)rYC^OU42BJMNe=Z1prbMafme?gv)AeP|pvis8TJO0J5INVplw+i1zoGBWu zq%uq~GWyT(g7+KI+ePmn%}OSn=pVx!IQOjy4MLmwI|<)Q_#p@-@yd8SRTgtQO*p-k zzug}t?2_RK z?fiHPf1ma66WaO0>l0_Zqos^^JizG7LT%STbVJdNNOKZPW=6E4q#ElIks9I{iagM~ z7dXcXhifeFAbAJV<5jTO8(SG3V)QX#0Q*qUhlxI%G@mX8Xe&$Oi3)dw3A@AWk0T{C zkTUVkK_eO)uN-U#EP&1D@Ws|78Vyu1t4HJpvp*Bx!r&@gkMrKDDp zS_df_O%-E*VAKd`Lmgw%+%IuL9PU_2Z6vj&#K)H!=#DeA*;M~Lju+ZaXnUfJsR-sG z#M}u+4_U+0;>0J4?jX7&X;$}`FH&4x8BJquk~_(q&QX7bljU@ha|#_Myl4U&Fq~>| z^KW>1T;Mdp8GQ=`TSktITpGOB(m^iI(50cBn=iCLXdzK% znaTu)`YRIdbmN=#@TWdQ{F&m;SU9!3a zL*VC`FfVk)&zI0e!UYsmFjit2HCj)7T~{-jo#robp^S@UTug(Pz$j2kgRYmD@KKmL zaH)jLBwS8`m%wNRM`@9Lx|uO44AWjA<4PG<(cmS@5leX0*w=M8Ar;Dt9ulsWa7_?U z7{x2uioMo^E}=BKPC`!!y(lnDXp~m64j~Y((G4+SX((H6k}y=l z%|R%~Q>et4nY+b=!m#3fn1taHMo?f0Q-PPhHSSiUGegI9r07wiN0a8Gh@&Ni0fsS# zpI+Zb)NR7Y3csB=Po6^J9^&pWdg*vi-zj>W=<%d^vt^j`fVTrf+yoOghS<4F!bAy^ zDCkKitIIiYY_jpkg;_m!i@!(w6!J`UkqAbmrW(9!1%AWf?iGBW;QI;lRm%n~(>EKO}rw!0{TS8WqRGhDSpC=@H@6h0h?)pd>2+KWcESmyej4f@cYSj4z|=4#QB;J2$~80okC2?3i$6+y3-Y``MFkdxWMC=C z(I)(SiNE8P5?V=UO@Zk-mK?e7TZbeDP)!OF>S}4YVeaG z>7OPzLvSWxB?Nx!+GQF2*3mu~*`jkq=aObTRz<4IlS76iT%HNbLz^~VLV<)r3Jgo6 ze?`=tZg89MRL>B6rr@&(Gc4GH0UuI0+vtv=J$R1j&Z5sH%?wdl;LbC&{S`jg=L_v3 z^a7$vzZFqz#hQzq{9RX54lVJ@g;Fk(axoQ#r8Enhm$^%f-qOa?mx{hj^yQ@aH1UFC zNTS4bGyL9m9=}5PmBOzIINI%~u3UG+f7*tV;BY;JUoHF^;!N$B*QvQT*BXCSSSfRz z_@3f>1-_&j9S@Yoy^TL6guajX>&4#?_*eps5LBKw8h=R`#px@)pZG}NF>jz8O=MSO z{N6Ci5)~g4A1BX5P?D@pyJCYgkMVI+BDhp=f-oaKiecoq>u>aZVTNp(=yK5&q#5zJ zRqQh9Dh)q2+-XvHmGA+?d2)OvlCxfo?iU)aDbZ=s)ub8k7}UmQ@)0-C_zT0J_8{?t z#n+H$CN0Gz%OS>AgRl2hN|;1}4K%EfEQu#E)d`_Oi*d4P6;u3m?v{3sv?b2)Jp zQ<0dOr<(G|CdLzD>Ru`LNx7d2?*+YL%u~j^kOxc{8+yeLN_a@ZGzu)d%h4D~4@xFu z?qM^o3mxxAWK5Sag9a0{Mxq`ycy8z(&J;XL@MDDeq+Ox}Q#G(G!1#Bh1WSaG-7;4wT2 z4!1_|TEXiAjNMPN-RlNtm3a6K!RrOT8Q{XgyaM-@!Lyfnc!S`#1;0a>PpGgcGrzbv z63fGF$sWi9v8MoF6_y+?`RjO9lPi|`iCy>G%Bzj@&U2_H)MhyrgmryySFHXGcu z%EKQE{zUMn0WK=Ws_V}TKJx<)e=c~7;4cU>{P?D01luj<$1{s#?n{#n;HWGP_m!lr zlD1J|_zU8h(cCQT1o^cIkA{r^zLBt9!VU@we>`5`zBRay)5+1k7yP~89|$u@nJAd^ zV-f6OP*mu4nlzzA0+%>;w(NePp`7Z9b$Cb@Urw!(T9mXoHU37Hfa8ocJjn0uDdvCu%y z7M&wHmo(ebSh|&G=(g!TB>6%MgccHINMd-Ki!tYvJKcoiLQ~`n31><;i-MkKP6j?7 z;m$Vvv{pC`4tI|5&ce?n&huA9FqJhGFLURa@O@_=pz|ekk#Io}qTGpqLkV3?IQv^& z0JC}|TqNOQ3VfYXT#ot}^C$Rf@e*^!gtxAj%DGI=<#bqyr;_DbP|(fzS>t@5t`L8v z_^Ze>`coJPAL6ORw~OKc=Px$8btn!>M3;(AkmmVg7=gv~Qrtp+GoB1@`paaL%c!8i^ocvJH1w-5 zP?Qu}C3FB$K3zOjl<*kTLx7w)SA-T|N={l%H61=(+%6VkVy&<73qx)kBz~~?8uEmgawg5}e6RXkaRp~{ENIyXG(M`TTx zHG>wb0Ibf%fWE;Wgn61X1RS@HA4KS!Q{D#L?7EB-k-m* z;DZDoOjyshygJPp`G*)k|4tt}hl)Q;{Nd#JywdnIB$nA=3cm?|J>rEUB{Y%Hl!9t& zY`20kGr?_anwhgP49hi_bCjGGbeNV=!(&p_(MAsrb$d(Etwgsb%?HMTc?|6wWB6AG z_y8R%yp8a-#CgYv&m`9+A7}h2!##hz_;%vklV=&uaeTb`isH#(!ORI}ZMETiSsi3` zq{Tq>uP(y6KX;PhBlG-4P8Qxt_$kC0s3J~VM1g#&@#lwUe46+S@tNe=z+xM^5;GXE z+m9LFg+_F?j2s!cG!i|`AGGu3ey9=-*0T}}96 zsE^MJC0r!oVhT#u@z@})B)Y`-i^q8WQt_9Gznna?S$uH1x(M@m5JBBcIXH|wT_NR4 zDOXY9BS0>QmT6G2yBW`i^=3U}TrJ}o8XVEUpkg|S#H9VEt~IGer4QM4l6p$&MTxi0 zh9AB{n&Wz#@JeX-^^tJBgc~R@^Aw>ShiU#sfAT23_`F80eP!k6RY*g88K-?E5j|2cPJHyk%L=P7|f;1m4 zI&PIEoK|$J2?vL1o+BlUk}#SAb7irMa13IM;jf2&-fhCi3co$z7*^)+qkYyZ3@YR4k zH`VAH!jyI{J7vJ0vyl8_d1?5_`T5Xc}nnH z!A}!rj9@UU`J!JCy?`|Dl7%bR*uH4|q)@sp z6u(IPV)9H>SQCl0ChjG}^IQ8=^0M$H!e0q^jGMGMx76?r|MB=T;md`uAkI5QG3k=- zRij52dU~bkRia-b%^cweaEG|nCj4I*z+EF@t%P+!z2^soc`?IGV!ZW5^s?Bw#0WRGHBeJa1g)c@~#PA+~KdZQNkt(?@{2E zwF4uuWUL|pea+SF_)^PG;~x!e zz8}T!68{rs+nA0RAdDVb?Bf>Vb?@ z7r)eY1xow)0M)}!=n6=vPvHmzsCEyADy(op>#w#Kae%46hosv;YD1}ws50rMt5H{? z748l+;fWdkT8$+fB;jBR93#MXKbTp|Js&U?AM1NfYqK8zio+c$?J#MFQ_I7zn5UFR zPo*rLj=Aa*^rYfx%t_-+Y_+ZMA7Roo#y8L$s{J&QJHk%?RH+Zukve@7oxUkg&tzB~ zt;op5H~#STW;2Q&^+t0UN6BbGgUK+Fip8ta?r6iCg~^>Qg|`yknmC(**yz+@f2tbH z$3MoDJ4X8}94n=bl(tluwyw zg^An#z`x^gCra!fu_ML9@oN=!%8l1vjGbDfo|DY%8uOPtS!O4hr_f}ZX+P7QYR(10 zIZaN6oJ=~b;$1rGvW#6Cx=Gn$bHwJ7RaIGz`6YP|7@dQ3vVjV5#3qzxq-%aK(W*I zc}CZ1>(70@=q{o!AkEyujSe(PwyO#Gp*M4(go`9xOhKg=MjrX<<`U!I40CWV6@Qud z%gHlUMw5~L=-_rUd}L@?Tp|2Q;a3G5b9^~I*4^-%LSfxQ_|?L%A1=W(K}q+uP_99`JM@(btQ%Zp7$Hx&Tg@AJwD(5J8zpZvJziuW z=Bv6f1`iAEmfHl66?{8k29-}6YeKc*(H-VA{Lx?FPC4V`jHkmKmzkY|kCkT?xCthV z2_d>m!bAy^D6nM0%PTk8*dFWr$?q0>kJu?>!^t!G_GhXIcZ8GQE8#u~_fz1>xjga# zV;6_njST8 zVhGqwd9&m_MvqCODBia(UOpIo_Iv)m=ZJn>^b>(jRFZzu=wY3Fn4S_nSM<}QbtBb9 z7^K5XYf8_UbX900Ju7LRq~|EHnZW0U&r+0NeGJ~mx#vxr9PVSjv=^i;pvHQf+ao7q zT&@1189kytbPHuHlChWu^H3h*w;H>T8ouOSf9o#`Un2Y!;w+Fe;+!&-a!ZY05c>Gb z#4i`WBJfy5i`R(-?p5Po54F!q@vFqYMqa_;)_H^7YQyJ*;H(k8R`|Mri!N}l8$R_E zf3t50UoZSk;>>Ot_^`Zt%iuMPG8}G$;I{?8Ls)5|h7asrqbG!slZ~P`iGGhXA6U9H zk_L|lpfU0HO}qX9AEFPWeJJfCYP<-abB^0=^xfg{ek}SE(VvoL2~dKUeaXt&C-#{+ zXNL*spUc@I=Lcv_g82v;~*Ia(+CMJ&mCg)lo0qsMIR>maMCKUt1$V<*i93B zQa(~_6R}OnGBz=MHW0m=lxt=}kMPR3xrC!6w4e}zlJAZ-dTIztOVO=Fw2pMP7JV*hJ|%qcIU`k#x*OwO=b7_-xWf5zy2!bJj_$!} zw5Y4$FTCY1aiQ>wgkKzRbe-|F33rL%1Hbn8rNS>0emQYw5xfRPtBgiBGiEgQ3Hb^c zSIW4G2JaZ3@XgL~-Hpy4zj^wpxT2{c~b<3sJ&8vRgnPhTgxr|4e$Xngj?^)~vA zK=%=Sz33ZAGiI<~Vn!|&7a0C_!21gCCpCscCgr*z!vq#v?F65 z39poH5<67v&14xZ$^H>cQo6_cLwk@Yv7UHf&}IH!y~Y}%4=(~n4-E^P)i-Za)EX2jg1M$hkv zA91*uqGySIj5N!{Sat0kpa(tMl(yj=!yGA(OL>9{3-tWLoQQkU;Ji6JJI?=<;JJdI zCd?#_9k#GV9M-oyV?v~hf7H)Pm?z;m3XGvtP0BrQ?53%noiFwUu?xuZbuh<;@sou7e~#74Ia^fJ-QMXw<3 z3;$enQqy?n>s~cyd3aVU<*btPT5#CNOjea*#SK;xo3k;zaa<#3t(58d(eIIF0iD7k zXjH%N8~#+-Lj@E4a?JYUtyyU~Fz5adq+kY8(1SqC1H0XmnmCMg>nYdVMHMP8Qus^eLoSvtVXW8Vm3^nc`Ga zs=N6FeVUXEDVagx%4Q7bMxbPwa_M(IOxaR$q~uaz6@brxrO>F%aCs)2JJ??%UqXR| zLJDjVYo~-nBGK2KZpNrk&z~XVOc`g<-~+%VvazL*(Vq_T=RZeuXVK@9=K1;A47B0~ zV^5)d#(Mk%4tKtcE;25lp?W?C6?PokCe)7Fbv12gNEa7MyGYu_K`X)5MU^ou1k#TD z?h?~R9qYq)skFS&Uf7nZrsnqJp^AZ_!`2h z0CO@jqt(b7*pmKQbAAptah;r=a(dBW+~Ol>=sEW`Iu)kq_7Q!(=o?5gZmS|#`-*Ke zFb~O$Her@#Um5*mL};*xM0m98Mv?JT!!{jJ@iFmn@{FCzC}z(W8+<`nuUI0uRB(bY z1COo}YU2JzpFapc;&5f6%SBfNnqA2}S84RF(3MPzt`a>U(CmigVS}bnpcaO6r$nbk zR|h)TKZX|gK%+N@7Wg31gGJYn=1t~dVT~JN@bBRX-6VLZ;F}5aCQ<1X6NOJA?&BlZO*VK>2=v{8?-4wOFjEx! zXxJs$O*Q`I&_%mf{C(o@C(i;3?_`r&^6`KPr~QfFakvL1JS1Tn1txN}3Dt^x*o+TD zi|`Q{(`C${!5~G@hA%I#agQ3m`5m4gSC}b&miWiWE7L`)Q18w*dQTV{nj`vg(NB=( z4Pe44HaCaxqzR3~V#B8-%$4vo1)d%o(qga1XN*2^u76g~ik>I>InoD#MqVqVGC6^Gj({B7ay5N85ZuSzeF-Zf)w=vHl%u}Q{zG#JAe_piWySBWCT@cZUG z9A3SAAm>9lAJOrduE1?J_<#_kj|G1s_*25X1B`lARbd*E;SYR`Uvaq4g>Mo5MZk+N zPYn;@OT(`TQ)a#rzE$|PfMavW1p4J)8@@D54f{s;cHuh$j=fCy>Ai0aU)j&6itmJf zFZ>7MwFPJvrrGW^`mIoa{wR8v=%4nZ(U|$!=uLtCMf9(tcav5>CMTn?tTH(W*%Mu> z-^@BV#OCj^{*d)2Ehf6WoXiZo>Exb%%ogr1^NtAK9(jMu`-fg_!eDac{`3EuF)R#W z?3GdHI`s&Hcc9^m!UY-&KS=nDwrZ^kRNrrjZ?Gz)iqsFcH`98QICoST(p^GLAK zkXex${38x`q^u^gn$qGVJ;iVBEF825!&iNqncaJxWUNh=eU$7Lv{~ljnvr6TG9GQh zjp1@FCA5;zngXi;Jkl(_i$2Eq7U8Cj72igDTk^aqeghagw{y7`3Xv&o1 zWVH_#+M4RM)sA_cVAk5Sf2b$Q>L9BlEtREMb%vP%wbDr@r5bwaWJ#SQokEGZCN~>z z0^F%aKQhDz>@?9CqBBV|-IU@xWt@~8b6IBOw)5xDmXRYPmj=@fdgq#1Wcc#%K=Oqb z2rneg_{}Jc4lKZ%iPMcgHN5#fL;RWI&myl;ELZK$HujLad{E92+ga?nWO;6kZRQoA zjdh;!8NKl{4tKuzF5)jB&!A(vTM@ok)z$F9VGiVl!Y>kjG4a~+hZBe|F?w<+Q7#pI zndr;+qtVCfX7u7fUm^NR(N_gJHxC_1*WKt(LXWVA=&MCvLz+cCwlT-&$qXKw<~`yr zuM^x;a4*6PcBCkR;fLNvw+ru$`iQ<>^bLW|$;l|laW@*hIHpr$b%N-Aq9aD;`kcy4(b#7Z&129PTdB6GcxV&A>1un68>auXC~~Sz+YtZYlRjnL>pn9@?|~KyR%y z)uf*){2kmY={`yKQ(}Z>=M`k4mG*$)Q$id)DEuMe(*j<>>GIfl$nd3?`m;YGe7f)% z#983u>{WwzeM~iv}+65DOhstQ9giR9O3xbj$ThH&C&?#i446`%cbaE&hwpBtXYSHian-$q=8 zaWz_Xc!FOWf5;Rcx!;K2E`A4jK0)-4Fb=@f^{pALF7d{9GQOAb0}WmQi6s|f4Q{9L z&x8>DD1MjtpUA6(EyUXEpAEjK56*$Z{UZ2R!Mg)og%9<*-wd7+%GTcn{~`EK!i>#W zq67&RA05J~1yha;JN@mE^0$VqXWb zf1oL^g#|;6r5q&XU@ClGi2b|-HW0uf1vBP{_&-#}VKNS<(E^4Q`cZsGCCzs~HF!bH zy^)TvGyE88fFpH=COSh?o`L-`OdUZ_0nzNeX67{sX{))sqvW-q*9@MY_8#Zb2dj4q z+|i~VvlSE$*HU^b>8+`A{2A|yt4eF|B}>edPvyE}OzU48r+CvKt&Oy{)L7J;hL<46 znNt#+^#X=p$9EOEcXG<~$o_d7UVSpAqWrI?`!dd!5{jjD3X@M$7Svdta@b z=}xjUtpv}*ovbr;(wR=-nK+dir@`$0(6~S#unh=)ODEHjaYj7d;FAU7J{!Kkn&l{4~bp;BR-Ai@!bDcD73Qe-cHW`5B=A%$HvvzmWd_ z--nyyPB*=Ec(`XsKU4Zy)c=1TZnityG(VFVn<+`_EbUxse7J~~+BAWOd!9LWhj=+( zP8T^B(D{EosO`dF1YarmD#E5&`gG~8(}{ZOM7?;TCOA=TZr?xeVzohUlPkhbV|^rF zFZl+_EHf+@GV^BTx*N?a4LPx|yngZ`^mxZuxMB~u$egKR#X(d~OinyF`*JV3L*^_F zxwk}4shk8Ih7U91_RG6juD^K;df}gOxH5U=@+#=Dsg#STredsEw7p$BP1WmthOY`as$m7HB$=KaLXAir-lxz=vX9; z_8+EI89)4Y&)+0|sQ8=7^BN(Q(7DB&gBf z3A5vomA9`XcVkT2aE8CaZIZ@Hx}6ehN58{r3Li4R!xR^4oI9nAlQNzPi@@ycOw6O1 zfd8&70ykgcFK`!r8sjG7Z+ABde|3R8A1ah3lTDd9$t!nDxkt(rD!h?>NevquO*Lsz zNNe{>x=+&mlvvi~BBe#EYX_Qetp`j?4)oW0P})P%rcwLvYh@R@hfP`-uJwqd>5^tp z^2H0j;cW1tP`u0(JWKFngjt^bKZ^=q$o?#Vav0!# z(#%m|S;$i|=gNGVW^JD)8sjSZ^_pOrUH-gERAFW7qwdphw_7}kH@ zr0+lRkvU(|3z8O4Vtal6Vl3CaXx49`<+D)MB3X-RF(aWA!yrqBd&&5&wHLw6Eb&Xk zzY=(qUYVRIywv!3D7lu2UoL(Hc{WE;oiV|_YWT^a?pP^&mGIYyt1KwoS2(UVXZ7sb zFu65y*2-B&hXvNY6pIosGo#SGZsN-!CA}eWy~H;uGB4$3To z{s2FXaUbGuclQzgDmURB+r9!g%WXET?^}@d8?&=v$K93UdH{d zv;Lv8{>iiQ_V*>k%>Aq0oc*3Aud%Ov1+2E>bAQ<-=7%J^N0<0pm-vU5(30{04sRyj zZ~bfP?vT^>O0Cn2_xvCH#s5_r#OLhm;{Vph&|~3=)x%Hd>4~mSnyDQPzyFF1q%3!U zxyQ4khQl?G+fZ&Jy1Y_eUQPk#iy8gYM8TLZCi)=J2a{%&&)YAi4>9NF3EnwW&S7#6 zr}N)g9#NQytaXHm&xiOsQeqQ{O)0WXpPRK`CdRB8wr^3(H#2=nn1|I|`ccwbP-m=Q z+n#+n6Ds5XXmh8%;KSTfZY#O1=`y=9M*r*4Gu+3Rd|ZgqVK~;B?t-I-Oc*~nS zUM9R;cm?s=U}a^yN`oH?$u}vuO7H-}>b=)LzsKlEo>bB9ez(c&n@DZVu9436Y@DaqB zT5@u;{;Tf5>nAfmF7_cDDRY#}(KOkF$;BNpGmbI7bx1C^i61NecJj<#+1c4vOW$G6 z<(K+v+$m?Aobh!2JA0w-$Z!)(doE~y6rQ^!3bbGpnKG?@wbjQ*=O%5aaGx;Z?gnNnv-eT=G)2?TMr(LF*;%n|*#=qE_C z=0Z&PHqMh~ycwe4DH(HRJWYeIHnOn8ZVtZj>z*-TcW3;L!#yiuo`mNpFy~ZP`u1GR zJ#R|AS+%1uZoZTkq%5Gqo>^uX5b%A$7tKp_;DvChh4L23TTJhNJ6T!oC9{4G`R8R> zOJu!5OPwsXG_aa+squ$~+J2e%<>FV6XAIXiN?tX3@(l`79k){SD$%czW`af|WM6j6 zbgNC9$R-O8w?^7pY3rz|yHJpe7D$$R-T0T!@%$U&*NcCXJfBwq8sx~DZyEmLGala{ z{B7ay5LebL$h55at~su!cQ(q|B{D>kW3~fkM zeVdIQGQnTwW6__8{xr~-tdGr01 zzLL9D?l!s%7kUxMDqkBts=(9Vh~6%G2kF}C0y8PTH8>V(vF`+bFZc(-3|2<|ep%ml ze0Q3AI}fI63rgbe~bPn&}i^s)%w3iPYyNaUeR@Wt4D*sDq8Xi zYirD0R~J9k_G(&A^`WVUpU|t3QJ)4Qtp?lr{BP6s0CWF-&KDUCTeHTW20&^erJ0juhQQbW_s2 zB`mbuFZX8^FnKmJ_p(eM9nIw)CAS4#X6YE5oXO_;)%e5?h zj5$xW_0F+!+Q?~3hr!!FOCv|;F`pi1?t+l3kC)p{ZhN}5O;jwuIl#&`!r%dDC5J*_|xClk`)9o}aT{&kkLu3}h+jrSnJs z;l$9ny-q?;3B4%rW-*Y8RVlrVp3Mw^!}Sq;z33ZA^XX+4VgN4B-DvoV6GWqnBfOvR z2=Q?8Ojl&|tZ?$E=$Pnupz*0UG@y!&ZavPQyF_%U=mcrCPdJi+_DO%^&#%Stib#C9 z_zLoDaADeH=&Dqj^7%r4iKLV&DFdi5`1v_`cuvmf1tB}7M5jepljd_O$iOxi0}bBr zgg^Bl!Gi_Y5N7C+0xFYu>o>&sX)LdCxSPZe6@N2%o;(}%hP%b!m0_%7nBd`pM-XNm z%IUfozQ<-o{J!|DW?i+H7r-S(${HnWG%ZFDCIeu3m1gCSF(nb+Hs2;?td!fSFts66 zSrynn%H3hYx)8EEC5)3Wo`S!PY&XH+*8_Z);E94K?FVCXUxVKX@ZEy%5j=%3pB3Kv z;(g{+qkGrIk2u`DqVE%ZKWXJDwAS4N2G6|F!w(96NboemO!TQpWff+&J#2V`k-pA- zMEG>!Gl;W}kHjK^s30{yYnHd5hc8-8`zrhSg^$Av#ZT#<-P z%G{F%pK^f@{8NJG3Vxa}pDJqcT&#z{r;gk+rpyla`>d3CQl6utOpc|tc&5)AJ|}c9 z<_mv8_yXd*Uu+AMjCUNobB*x`Ahj72gQ2O~cxf{!hfMKaw>W(=P0@8V?{OJux4 zgLjdUf%$Ahu!6SGEj1-w&nwHMESIu^3M>AMOl$#)LA6K+3g0(pU}!ddAm>9l9|b2j6Q9v^_|!QjY;QIvKGzG5`IHV5 zLS9}eLY7Emy3fqGf08#om$BvlImPl=);8XB7F|9Cv!=REoRU!U8}=hpkW-(Tmv&g=C$ zud|PgFKICU$i@(>irSd_%7mUzcww!CbrQa&z#>O1ipgbI5VtZPO}KANdN}5#ZzZjl zw1JXdfjHJfLi;Knp6^V#q0}oIrEHS&Jr!loiOSkWY&-gc@rNDg`5(pqBz`k_UV1zd z9<`s%7#H5lUu66$<2M?*k+G4O`Pxu2axB*1GN&H{$KigL^M{;2>G0~Kv8vjJ$~-S6 z<^D41+5_Y?aeqttN77bG%A>Q@n6HG#gX6jJX5NX&cIV2gzwKrvn{6bjeIj4y$`(yYY@@Tz9z- zrIU=#GP=-U#+QlKVCmk2jsEq1Pah(>tLSc|c^UX7)oH(UjF~fKTA03in3Th%bf=;K zQVie-qx&xQ0rU_Z5gjGXM{@)QFXqOgh!rzoc^GmXmynQ zv!wYRRp-W3mLPLE()jXY{b#tR_+H|Bljqs9I{Q&Zrme&XY4#&iQosP{+`h zg3+)w7@KBB<1s#3!(Nu%aHmS7}#lV(0LDlt?U)dljq#mBR#Pj!PW&kH zy!3F(F_GVld28?o94;@TUPc2AUO_Te2w}AGXO9z(5oqGah#yN{ACM%9_{cc(+yZx; zNq4pP(uI;Pl5{a8Mk@;iMOpEI|(G!_QZv1n-;a$UBoFV)M;WrXza)o%s z+)ZX=?(uvl8QE}!iL=>Gwv3X@>B6Q9B#IxIg)Or#59Y<8pm=2z4EA= zYf3d!ABVe5$~-Bz2PIaA8fRho>pM&t*3T>Rr7VzgCl$W(D5n<}@%6pSguW}haJPhe zB-~4ZSC3M+iuMtApBbZ>x#Dp5%UCF55e;4lDg%Y0eZoCp%Gh}npgbsLv6P3XFki`J zLeW0v9yaIVhov-ekH~pc&JsGj_lfMbqJ7#uW>$0Ot;c0OA?rz63@K$L`=ooyoVTWX z=V>|5$a$6y3mUP+b|w3`d(N~YL$lEH(q53Zlp2Fd$3n?I;$Ado(HtMtOLAV8^Ga~C z3170u2=is;RD^QSaycvHyh?}Zok{wVJ;t1wQWM&UUYGKQlsBm;2grtk{aa@2@Pd!n z+cMsf@h%NMH>r#Y_Nb$n@Z^nNcwfQ?5*KE zPR7?Xcp-^oDA%KcV$Pfj?|ds~y_^knlmR5IT%UB`nY8&DFKv{xNz(U}n8ZmG(^anj z!GsxM5Xg@bev+`6f?}2m<$83ZnA2mV59Aj)zsmWI4!^DG%>R_@lWvQNGw<@^?-Kuz z_$NgM7LA5-ea8J|PAXKR|CaNQoUL@23`x`le6b$26_a|0dh~yinhaHK1^*V_w&Zrj z`k31RzZWVj@z4XYBYr}KMcPi(7{4Uqm&eD`p(?PmIaQ&4yNjHra+=XmPL=V+`iR@r zlv_eFG?%iQl-;Q?m~=W6>!WTDbKYBkKjCnD%Gpa!3p#w}lCeUuKIU4QadP;q?=52= z8LenAZ;ixREZ*1Xt$aRkxcx-$FZuw|ybLSWM_g-Dt_;QcHd5M3X-7pRW7QiDG`dA7 zCmkfZz32|4`H~fi^$FL}_}4~cZ{A^|4;S5?bSR}`!`LGX9}!CFJ%mSuM~U-1$!wtr9W#F2M8&0vi;GW)Pm<@o z3PrY7(yab2;oTM4-CbLp5l9n?;ZF;Asvef8^1Xe())<-EB2vpgBG7@XoPvj+1jd9bR@kUMQraZeqsp zlf7}GjFV)XOoL+=u-NW)h4iF5#k{@4vvjJw)8q}JryCM0l+jN&esFjd&JaIX{F#A| zMG7V2vy7h=@$oua{5j%>kl+3Wq6@@~xof;}o{XU~&Zof`Wqq0Z0^?5(O;*Fi4;NoV zp1E2!W@T+-R^XGh-9ahQpQ1sE|=fL($5z%#F&4@%z0X z9Ni(}tHf86XD*P<`Z9OK)tIt>P->;rNf||jPf98t%C-sT%vn3#2a}gmFQzFE5`i*e*YeZiw`a075I+IF6*gLU%!K}-OW<({Pe^!@0@E5#!S;O# z?kV%`4-di9@}80REImaog>@tgeF^S4b5^(ak$Yaw3v!myQLYh-_!@_M(UiX7t$9hx z%Titm3c6{1g~Kf~<v82u?yR!Di33ZH^>CRV6$xYx|c-Ra}?x{Nnuyh%femPo0> z;odS~9nXZry)EG#3GY(i#iwGiP~mXzne+ElDdG0x{k(jS=xQ|Tf9!5KS zEaej^pHkubpGw78;c%ZBKk-^0#7gm>i(f^a@x{Ka{=xjhj61?0jMXyM$oP^5F9hB9 zp~B(5GG{pdgu|_svrf*}bd>w0<5uBt-%U+ z+JDlToUdvM{#E>9k2Z!5J#$Ga7(BS7e zo>7IPrQu7?5sk&ogzqD~RlqUOUG)>g&+h5*{e8>kyshwd z0gp!1=Ww9mUxz^^2MKR4yaRDQ#)-6VCGTj$b5%Nh6W2*XX9-<`5JxwQTJ8@v;q34z z9wMQugl-i0&SRJz+sWOb#`h0d(P82b7vG&c?^!yQ2_K&%=`SNLBOxP6gI@`3`?`Gz+@;L>aH03o@-p(W^q5}BShi3CKhlJrp#cBBpoN|cuKsEEG8qd8QYy;!Y!c@`$P#RNjRATZzC2yW{KLJV*Gmt`dFPR{xtD} z$n$NDCQ`mc?M^pkRy(hpA!V?XGpX>-$K$b3baiK$)8Rz#oGs@ZIYa31J;1v4+e*~# zT(cI2G(Jz(P+8~G(lZ$=l&CK-zBOND9B!ES;o^(PGl`>_Z3SdkY*MGra+n>d zz&bHCW}Nq{KYy)^IvJyAu$YUIQPw$w7lz_cUU0qO2Et4WtXzdpasT7LqY0RobS9j&O!cfLbOk5J8cB#bi5+_jP z-9ra?t_-uPFEhURH~1NcyIlN4@sr5wQYx{W3>HH({GChurCcF=itwq#c_}VuD^6Z% zO654OOp`KQ%2iZ&=Zb1vUA4Q~=q0Z+HaOKaqOTQw9qB>|H66v`4F`Pr=hNpON`2O~x#RY%+n3RSf@X8iPSV&kKJ+_)_A0 z0FtS6p~DixzDy|}PXWqHQeKww3KfQc37au2qO#2Je>;dq^+fmz;ja?s>lnu(8!Vx` zX8g3lo_}5Z8{*##e4#xw=H4=XMQ9IwTl_oX-zCrJB-7a_hAY2k_?XbH|Gw}Kgnvk! z`69ju=|Zo@M`qj|z6Kx5_(aC1G#Eev+gD@S{AY%5Ec5YSDg1NctBCWlMRYRTD!=GF zF>m!<-dinijl3`EF_Va4FV%$m%IJopJiS)*I?-Q~<|~ES9obM0in?#iT07ZW-^yAq zYXdEYfq5P&?4@Y*`zL#Pqv%bdzbCDd11`n)=tSKQCaq=oINXntev-7A5+5keA;Mr? z4&M0LlqCZV zTl7Dox02?!B%8v}U_+WO# zPpE>3-ib7CJ*vskxbFncU>N$&=Djl2d%MVMDz6zmUQ7g&Z?kS!qpSGX;c(4G?SA!3~*c9z&Bh}h;Onhq6z>{0CwHnH`wUOYr%SBc#y zGJaS-1aqhlHM(CfPah`waM9gKGuKWglF^J6wo{lsbcC687kjgZ%!te=O@{omP9Tm)nOGXqqL0MB5|5_HV3P3^MwlOC^aY_^rl08kq6d&}2|Auh zpv-NF@DX?C8vR@Nq@5>vsOa-a^B!SJ3P({C##CdiW_N*!t;XZ;INUIa z!zC6`WH2dQQojumc3n{>e(A5^2HF_OkoQfgr~Pt=Vw`jwkJeWB=!L|;r=#ehUQ zmiA4#aXikKnD@bL-n&%ZczF}(F_a9FIqNPn`pwW9b-Cz?q9>7Nj+?;esW9MbvKjRu z54}Rh6d6-#@Ro$^6UAP4r8zxA|Iaiz)8$-6M^}#3*|E>N(QR+=S8$E!Yeip2nvY`! zamt3~;y4y-y57WT_j+-L#2X~uNKtnl_2`Vd$>_C@dHQD2GeyrLtprX*;$b9Q49lzC zV&0(88#`Ox9C^3WV<<^1sE~GZjc$Ia59Kz|^F-fHnk{27ObbR9lSxd61{?7JZNCdr9kin~B7IXX$;WvJVb+0ilBsoYKzf_hLXl3q8}B#gtVF{GKsj_E*~?YWq2GPm+*vy zCn+#OehhIM)fF=;!zkjXWjrI}SsIKGR`o!Ho-?}B_4pBodtUSlqL-3ZPKWuW7&~8R zCXc0(?nM)qj`re95?_}13PlEkNwfIsFWW}<_VjYmD@4CanvYf_nvN&KXemt8ea*c8 zNi*X6w-?@fA2T`b)fcW)Wpnu$pIZPD+DewQ?FYdnc>WMTXtw_|wEv~NzAg?<%j zA4vO<8oyxJ7Au~%A&^m|^+#sj7iv}?%lt&;0;{Y#wD`CBa4HOuxjmF{p>F-RM9>(Krl(b3G_mmi=bOibD4+h^i(}(b*;GYC< zCd?49K1l+-Di|w<0nb01)TYr(zexI3(r=Xb6^f=Y>$K1bhrK4Ym^C%@So|*Q4_SZG zVhX2H=|s%;S>QYLmuWj+=L7p&+CS2^1}&ONB;vjo7i%Z|YufnEUi(j4lVPgL;9sRe zHif&m1OBT}li4BEdv?T6sL2T4iLh#MG2U~H_uko*?hF0-cahRmN;4|Fmxb}(Da=bT zp;H*}-CV+M5_YG++Y*n&<8BXw%lrGY?CyDb-LmL;y3s=`+>HVBbne<#JzN95(BxNb> z2&ul_xg(8D-2Q(G!Sxi|OKk7J)}htuC}WQ<^=u!peZ?Lf*dmMvImXzpmimbI6Wd?x z0J8kbVT;mSRc$$Tx*ur9ahttytc>Gi98ZHOlN*)8YBcTy!$p5 zNAM8BY`nv{lU(27T;rF9lbYf z&EH%(;S!U63K6_i(s)S|C@IT}hZ(O}K-rulFY*ChE@z^gNp$$$q>_bCWY$eKW8*d6 zxI)Gh8B=L6_-I;r5Y|pMVM!-1Op`EO!c`P_Ef`6^ZN}@>COs8K(_bU$T1nSY(gPG` zykc(M_2$ed^#RS0bAy~4=`d!oxEhhM>X!){QeL=O!b}OXDCpwjg`p~0cZ(SxPWQ%a z8FOUZN<&GU2rX7vIoX`fmw4wkIrHS)PKRHWMB0X`V7a_I%-X-kTk~ZtkaZ_5UQD)7 z;K{hVOgJ>mC%Rk0JreGvps2+{Aw28uGiPAv>AqjiLOF}*u-qEMfcotwy~eTlmzm4L z5Qhh4E|&QaP2N-#`TeX{thM*BN&lSYujvs2XOyhw&;Y_o68` z4e`oLQeKww3Kgb%%*Lx^-7<523=iINIVHOAkI%{I#TEj`Of&iX8F@^6u(LQ z_vD%Sp*IAL6hD|UdyQ9ql=735%~Tjf(g*Rg@ztR={EPTs#s5a03FN1;M%)$?e%ay! z_+7#u68;QAB+JG!G=KhOLSNR$ak#%F{3Bs21-=lOlyy!;+`lIEUn~b3)ktbGTs0K@ zt1IU!%ACxKHpw0ETcMuPAxui$5kH}xB4sBkj6e!Y9B!M@4{H~RO(iy? z$RtB0RkfR4jlVgxY%~|YoA}+yGs*mH)|lJFgpQ$hv!{f;B($Kw0OEd_PD|sjAK)Xj zxA=X;w<7;Pw;gMHnKEmQSN4;#zmx;0Fo={7qP6i)T;cgP;@gUE7x=<$$9DI|{~7N3 zLE_ts??Ap#MX|mNw9#}l>x3hHD4k?=meqxpK6K~-!N?(eehxO{7yM96~~AhXwJltQyeSj zI621$Cy_2fS{Ie)xMG(%EkbGHL^&tPIhhVG2wz?`$fGoMiYdp0@9wEmPLndoloUSJ zmDLT^Sg+WW<)Kh;hLpil&ZNRS%H9?11=CQ?QtMeJZA$qhI9t*=l7>)X5}-PhLc3l= z3HG--*PIuvN+V~eob&1MDZro_?mL5ODo3!m3ryP*Hf9|rZMd|epdqL<$~)MOiM#r` zV$)s@p_NE0m6oH%`fW5)?aGY(oV|TGT)Ef^v6W<*`Q=M0P~ED+9_WR8v6>>&uBe(j2^MzPaWy9OdW~Trv|34Zl15Qt%#x8Y&KWx?JT`f;^yvW|&m zcgMKV2A8+wX>sC4!D9rECCozCwmKu0orE{eyosTzc%i(D|^i`yJ8CX-H%3W>n)-WdO8o}2JzK$^8{BX+)L0oUv;o*MIkadHs z8)+3D6nt1QVy_Zgj?`D8rQ;?OR|fHBi8Ce6qSyt&MPpbqE{4u?41q!KUm}}LW-=+X zTPBlegv_G38yyPn7CT!-C^*g5+2-hMxAJVfQoIrwH`m}-!i#X5;CX^?C(O@CiFU=S z!A|3Mm~rm6_yZ0%U&aC%chcZz1Pf82@Q`zN8UIe$F7a;h_lUojJfoAV#sJ3q3?37< zOuk?6Lcxm&^ZSpuXR+*9y?elfWg-3#N?0u6p&+2osLWwJx_j7!u|MEMINT!=9+j|! z0`sO^&1fuER9nN=lE=(>E^Gn*xSS{CJV}QSCnhpsz#lita!;9Z(?I|3KP}}MDbEI_ z2AeZ`r&p3@+K7(RB~fb z3`8nm1SIy?G;8fK-g;ZsJF?!T#f*J>34y(5T8F)S{N9)LfwT{)>EpY-=RPv)vGDQz zSk@=9KBe{l4-EBz&rItQ0$VBVb7`xnF)KmRgZ{$k7em6Y7QIIFm!z3=iOQOMgLaX3 zUzsw&`9xSNWu26-sqo$wJ_R-I8{_-E=J{{MuNS|8JYUOXaYJQcBiHZD_F#^{tJf@5Uo^)3fd49#=YPK0!#@iCN$_UEdepG2Vjfrgv+?tO_WUp6e--~5 zdESil|J;l%W}SGCw|d*XRXZeTe^wZc?PG4gS@2agrK0Ox*!L6w=|eZl2!}KcQYD zekbyULUb)QW##^sJDc%bC`9ifqp6H$G?)_Hqq{hVHC~i~>}u9$A(v_{Yd2ZD)8buB)00Cy7HS#X!_;H*2?;I9LGh~Tb*yKRHB5qGG;-v#(E!G{a(PMDt- z?sSaVpLOmC6PAXZj(bRmNQhD>TqL?CV+L;wXO9a`2u^MXW4gV;-v>A?I3qYqn70TE zFqOO7MvUD&(u{Aznx;Kv^peq=1|K_Y7mF25(Os%X;V85236DY_S$$<4O^ZdoqS6tt z_<`UXSmcf|@4Q#=XB@7dy#DeA(BpHbx2Oc$v%z!&O*$crK0j8{agvUwq(Xm`UHRyL z!3N+bm~+W+27`c3lyj1tlj-oDWTHhiH4P{!onpee`^95*FbStg7(`)T{Gl{gf=#3~ zQ2`5}Qmq_^=k|2d+k{f)8PW$!Ka)BO#}-3fA$AhO_A92o(cM4tXG=Xt>JX}ISFNk9 z^NT%)ggMvD7Ji>fcb?3lGS8>U)I^}UF+sY(q}d_3VUmVRDx$<2u95%T?-$F9R=Hxc zmfh+jSt6@cR*n|a(+`SGxH1#^tibO$FvWuzV17E_FS<%} zHECW6c6ccaq(~#-YD_vZ^z_$Cs*^N|66@(P41vP9==fUMS?FT%m*|R$%gKHcZoSu@AJ;3a>mPdNCHAe#_{U0~i~`=WWsNh<-QF8Kh{! zy=Qdw1D<|g^ar9pB+X0B;(2o)89e)W4}UE96TzPbIE9%fSu!| z@xjC4ei8hu;NJ+VNS;jiRob?g@l&|k-(~zE<4+olOfnPWur8z5U#8Qe%S7})qPLRP zeZ_th?q7qOF7fbxf}0epK7oJr6;5IWhtScD`6>9hP^)+=%re*!KcQA3YbRQ~wp1Kj ziKN}mhCe&a2eOOsrox*MXZ*1q2WAWHYV>DaJl$OMZlZT5&8H`oMfFn)N2lB#=FGgw zJA2C6OHKes_9M{^%#^t7`)-A8m^(MJb5lEffucZ|^)K8iS8Khga~ z4*5MV}=4WYT(vGuUhA6oYSk z&cmk)K27i-!aOxfCRi=tbfY(P_VgK|2a7(FG`~afv<-Yty0c7rGo;ShlFpGdgc6@F zCJvgm&NckzOMDpT2_Gu_{D5OjViaRCFEG4Ec;bc$A1=IzxJGm&|92hplq)v#lwg*~ zER~s~sf;LwIh%1;W_YuZ5tR$C5MD`KDV0p4lV^m{j~(Q%Vx;IQ(bc4xQYbQo@giAQ zW77QjUaFN;CutNV29aV*h;v3ay~@*h(eRT0dMs(a2kGsW zYD~IuW|dj3K-NXFE~dpa%3_)yO4OGa{@CL_N|y>BFMI-VUI4ZyLRNa2(f@|QIG2l_ zD0&iU7Vc2u+iqPJ)CtUM_pA@)3VBoHO{K?B@M>bn@s&pJ99meXiJmU{D$;x%GMOwE z4mNn)!~WFQ2)VV=Htlo#S3Jyx&NVzb^a@;co^! z8r7;iZyA2~z8-&D_&dViCC+B=!hk4DVmJPcFdpiC@gIo)kUR?q_{>C+g~r@RCVUrO zu8$>rBH>dCN_NcUO}NjDK6QeR&Pvgri(W-qSq~RgZFFB4zWgbVuNJ;W_?N_a@@P7X zr}!(Quj%CJwW8OF{+cvT9!Y3Q(Km+A;FlSP`&RgR;Tr;u9!7pDzB7C=+slY=6uwFL z_lC!iGN=I&j^p@-=hB!y*1Dg%pl6Te~q5U#{-A^Pjr(KRRi#^qMu5n z3WLjbz%PXwz~@(aVMqLg8i0hIC@}hAhBkJ3H{s-3dQri1@9xc6=9|$chAB$ z?nbW&CDr{z?=SiQ(!9_#<}Pvj1?(weM)$csGHqnEmC=p{&yRifvMBi*Jt>rJ4-(y8 zbcaAE@IpmhN29L}*+D1Koke#c%|t{CAMt|??{lAz$|1tL3hzdoc{lJdd=67KOu8~i zheqIo4|blnA>j*Cu+PLkF`fTuEng1_Mt zL+K(dJR>|yoZp3HHdYwPhb`Jo*$|$ao>F>A=}m>P#~g+%CYKvs7rr8WME4babf7aB z^n=Yrj6UgpANziy`->hxnz6?tiTv0NG`wHP&W;s+obcm`vsep!`$2`sWlu2k)L@<{ z^CX!k)6^|UXHnlg#pq3E`)Hji`ZUpljK+*6l>d!h5gz|DL=P5yCTYG{NlcVVl#Hbhm805FyX_67ZESK z3a!n;*2p+Z6>1tudVDxsD+!swZI__&M|T_w7j zG*6GEJqo94_GJ3xqJ$;4fDWa#6=F6MP7M6a4a-}JM-sqKSQl?9} zib~<>L9sFAt~UIEOFe##@N0!%7jS%{QF?LL8{R(c@fpHz5PlNe5yMBg50b|^&M z9Y!w?+0=Z|3q;>ZntzBzl76Hr*TT5VtUtQ@7~L)F9$EL&(&LY{ZLoZm(Qk#%*8QRv zie5xo`2sRG_kh8Fg$BR}1uqu-5Mh2;(9j%)o1(qnq@${Rd>)bXsH7#7cy}YbUkUe^ z;p6!$4)?h5CxkyqoY6-|5T=ekW%Q_=V6^j#en#}Or1v15+HT2fOawQrUHG6rFYN_s zOR4FJ<96$q{%!bq7x_?L68^IASBNuCDJ<8OaLbHtGuhM2MXwP3DrpwCko{-`?`y_C zG0pR@i+@A>o8)=+Y&L<>&TkoA6Po1T7X6OscS-Z1K(C{X-c7pq%!&>4VZ1Nv16d!^ zQW#j&Ea^Tn`utEz{aExTqCX8ZHcLk*(`QDz&`!Nl^yi{ik!FmrB8(pyoWvB-FU)E> z-N$IPtTnQ}q{Ul+ZY(z5er5O#S9*M{@O8q!Cazo&>&Lop48AKgGkhy}z2FUmc?Y=S zc2QN8`_A}DVbSf4;x~!^o;*{hx~u{84@OT2(>;C^{gdd;r1{Kk8w)D!XVWJA>961y zX}?PQjT-A5+cfL`-eT(Hp#CoP52=4rlemj`#_c0l_;F=7%tY1{aOGb~~H# zV<<`OBBQB{W;A%u6&-X57~VI;rn&IlgzrvVh47>wqwV%EqgD8r?2Z?Skx&!IvI0xF_6U8}sL`!S>=u} zI2mSh^$;8p93{-#j1ftkBpfq*K^Tt|7oHHFB+eHDSDwscD1H@&y60*e@>qK_W$ND{ z0n$=4QnOTfzjHO^7`TaHZbzChC5#U3DWR8y-V}7*4aJoR!X0J&>pS{%>Lb3d_@l`) zZ>z($fF)xqYOA=OraQ*0spa14C#%1#0krg0ieyt*8ncAMrK@soplMsf)f_ABIBCaI zW8~O7Rf1qnFuo%0gE>+BN#ai?&-Nh9ey?t*!EN7e3=i~EO#f~pC>-uo>8D8_M4gF; z5l8tvRCl@whp!jk#GN5wu!J)y@O_kkfz@N(S!Qhh)*ENbI7h}18oZ)1(RyaHEL zS6Q0pu$?k9X5@X0%4Jl@sHDLwh{rfwJ?%yqzwCG)!btH|;;RFX5hjXJjqwMDAttrr z>%@;D&mt8T11PE*jn3E{dfJ^yM{M?i#Bn_>06}OrCjBDZVo`by$QE?eCYE^W*Q{xm3=0ITPqGPAL?G(U9jZ zGyc^ZJb$_PiQ*>(K9MQhy2-}hS>yRD#7_}Fl{{}>4=?fOzee=6qOT*(_@m`aX>`5uFY;#`Zie_9#NSAsnH=F%+TCP$ z>9?Y>Qm*is!ePKGN>8GP(r9-c3Ff#5p{Gcs9J>A1||UB*Yk^K-ZOd&J*Mo}nU##?~j*33s0f zI}Gyy+%I9FghfG!CnNe4y9Z1d8rqW{l(1OBLlk(g3LWzg8(khUzDGnqDtZZNUMxE1 zv8$lL--niu#|1wj_({Ud!nr$2T^*htjU9f98&Z01r8&z5A-ZFkd#Pe^9e@Fbg;Qi(_!GgOZiCS{`;|$-jC>IqS-&&*|6S(cje<7`{+=+KOR$YL z7By}0l(vLzexC1!fzB9 zvyv=UE8SvnvoFMA<8r}&2>vs`iLz+1`^(@G=i$Ev|08&7fQzxRkNel)&hLBpKfz6M zsvh89eHY3~ilWI_X(~~IK|}blP)lgHx4+gM@e^tZa(1G_vQR@ElLpgxs*B1ogJEaW zTHfWgU8FUY){GjH2wRIaxY4<>ZdViT4o`A(3A;(yeVb5*eO)o8cn=eP?%^+HPYHWT zXt7OD7L|7`O_&!#*jvIr5?WEUohvEHp>v=lQBqo5gz-MHSaHT3 zY9|^p)Su`uo#=3#s5?*86@M7fP&GE1;bfP5J;t}!aZ~5Y@=ENVm5gL6Dly@z41@ox zD%=rv!UZXRJw0^7h)x*g37JwDX@NDO4E`@PGQBSHrA22% zXG!yuj-Edh_uP?&*M!c$p2B+x?@iq2`lx9hWppm&`h7(A6@Bz}G(K9#7(Fu3{Y3W{ zJ%BV@Q7dc8sx(M`m>X!y3rF~bIabPXQjVv>gek8bjjDse?m!QpDEK77ClluD#bHdC zC6{xjm~iINUN}|4X%YreVDSr!VbwcKy2!iJ%{aEy8)wKEEaS{z=B*GKSFL$7@7UWxf$_@VUkx8M?906F*e^`Q!^_=NeoA8X;JtyTGKCKjK_C+%QSQ zB^6O(GUc&^r7Jf0lki0-5nL)bw+%+VTW0X50WKF@A-Iw--!wESqMI%^Dj&h3vTlS~ z%@`~WH&RxWtZG`k6MQu^iKWJbo%iwSS}UPW!YB$12Ad7kmSRTv2yDEN$5fV(4VQ&% zATO(4Rs${GKiv(i-8BrEYB2hRyU{3PjEu1~7-I(E#u>arwU5+=f-e$$G2!-rONukG zSO%-L=CY;8a7v0&#fj2lEMc84EsLj0QH`(@o&FVg9PUz`XuM7|fhQ_tSC}S@^< z`XLM)!C#>hP0@*_@OE*xxs%2c(&j=?((X$J827MKxpAh{dX+}I>Qd?V> zcTXAqVwev9wD4zyKTDj?OP!xx`JC|&=lq?2Ui=Hn;1z;jC9L8Vb~(X3>3a8?2_r(Hzb@eo32##1*|DT8`X~&3 zucJTv+k)Q_{4QaAUC_3Ojdx1idnPmv@K^f2gbyTqNP$lb$D%(G{V8dl z9tDYNrcN@!silJQQ+wtD{D$B+!sb~c)-)EMXwS4WuWtom1w;C%IGmS zd3vqrb)vr}y(i9%hgW-pqZ?K$b$nyq=#Ze_%3CjQ13iA>HDee#0WRY^Q_gxBf5G84 zO4%gkdn&vPJU_UMAB?^;JUu^({z>#^(tJ28im`6kyVY1(k7l1d=0fg(p9&R@;~w&eh?%o6Ffv&hB&=NQtY>=Sv#u-5w@f@+*GF;r5iU zmxLA+`2EE*J33d@STxqPG-K&)K3aRr*hfYy8Z6yl=2L`?;+1uX*S;p*8{)N}r2Qow zK#BLG1oLQ_yseEN8tRH|#J3gSj=Yan$w;oY=?*mG*zhhLB%{5I4m9}OVn4XT_OyA| z(Ui7@3&HjoQaVfNLWO}~of%9~=D^K^%~fIxCsn5N#j9oQ&gX@KcaR0neRa@TGI{8xD7(;FAQOOn5K+`oGtKxAGJd=Y}ge zRpMz92T^1S=h5(mwMH<-+nsL8!J$d!3@L-9oJoZbKenvH#A&QfYkbE`ePW$0{v7c` z$n!#q>d@+RuEAw*;5QuZJi$W+pHGn0KvUqoa;p;yTjcSJQ;lhiE^SaTuokhvM zrlhj2P~0mvvG)O9ERk3$F-MV)2{w#DL95K@ElE$8i>?q|Nm`dsR#NOn7(8N`heryo z5?oD~nN}U1CU!Tt8WXa^eFD`=sFN^?0^cPp-HUBOuu?G`XU-M3cqcEXUQPoYK7s5L z)@Iahv>8tw?~O(oV`Pk_!8=`6G`g0%4d$!eI8$~GjY=0vxk$>zRP-4sL~N|P#Dpm! zR+mZ`FJS@&hEa%>t3(UbWu`nGqIJ2HiBcv}Vg8H7j!;}L^wqn`CT;u+f5YLfkTgZo zR7$*hbiy{cat3py8J$A!=QJ79Wn4vrF~d+M>)agw@~hGH@X`OPDEP76rab93Re=n{P4x)`5t-bJo zX=jEwJt%Flw1=qi6~w^DxO>>(rTl*3aE}OnRPYkQd_IshV>LIHP98I3`jtLbkIQ&M z#*;L7$yjU&g`cO4ZW)RhPm6v=^s}V-#@1C~0iPL_A?a00yq-8#)X%!tj2?O% ze#GHk7yX9lHv^r)5OpjgYxKLJ)9h{0?}&bvG;cU&igN|8_YA)-ysYmF|3LVM#Chi; z+{)`Cga2Uy;&2}e{zUMngjo$QDz0;%89P1Hu2zcuT$NR$I+uqc9vEzl{ zHG;n+tonT!DjUXDhPI!zV%LfNIz2WPmNu?Qke2=^hd+Vg8p0dKccsiW|f5z$zll-)HTa)&el1igJ_yo|_z9H?Njp(u-askJ#iFoE7+%MnP5Urt zyGUy)tr<1G?$l!SmDQ+NnDJ3Cn# zHp1HqZ%3TxPNvX&a-hNU!a&}G1h*I5fv~@S=>*5f)H4I=Xx1m;Vmry|EUODGhRqbx zrUD0>@M#bZk-6$44->vAPnr3$4V z|0{Ur{d818Ep{m>2Q-YInh%~}<#V`UvD>v&px@|D{9 zc17dv1d~3#%HO9GC7mScWJ-KIvEnC2O1M)D|B`nPhdWjHX~G8)=i`Yv?g@9g!6TXe zINTY62Ma!P8;or3EQ41D_-w)F2p&RM#W?J^P+ix6JMYdl<)SYB{O3s-D&>4CykIo2 zm$M}+=kOW2z@&Gp`~?q_G+a^Ne=m97J9Kzw+Y;?~HJpG91M@26o%}d2%JW1qW8TXh8Pcgx9xW^?t zA>m01e3y|n=qkZxm6$SZ%G!`RPfK}5%Cl4oC6By^ayG8w85)x@$gE)p9@|^m}g04P-(@6d4``o!{e)kuMz%bz%gEy z*ZY;>$B*&&TH))2e@)z9Z!(okVQP{4#+3EpdcT#jUdje4yxuq#%rCq$-Ph7SAz#$?&0QwcN4sOfQzuUh1THhNv44-s=rcqQ7JcS+G`4{`%jiXc zK3nuTqKA;?qnvLj#%kOc_{R2wb4}V~hQHYJBn_2xKBdCNCNb9a0;3m)Aclz^F1m=c z-Y?wHEWWKVS8T>r;ii_zD3y_;!S@)CKqgXGG`3JyD>LhwV3o_NkX1>GH@CW^Ht$9l zJioucgpq=)1XmO0CGbheyBeb>hex4Sbe-r?M&nVypeCc2hi4%#x?XexX@9{Pv{GYP z{n2Jz8=~GQV~mWkG+6lKLdj^vapR1SU*}_gq4+MClp{*GjmKLb%+dyWZ#<0zE_Y4We%(&5@BBQ^rRJiz8#> zB{vqEoN!||caxpq>@dXaW}RTBPB4onU_Bkx3JCQ%PGZWBMU$Mn#mr^9`};Cm<{X)~ z(qw*GT3dznlJgkbU&6ge++6cM{y*>CCU2g++v%|yq3t+wrNyWeV>NLs6<_1-Fm>=R zAaJ<(QWr?QGpM5)kaMFsXq)ZsGPQA(5A|-T_ei~$D(?f{mqJ+gnQ;5h3JTQ-2@54G zqQJ}oqXla6XctxlA28{^&@=y_q{WgRqQq<47D2Sxpwkf(2_H6fLWtlaQXiGNglf3& zDfgJsH-`KExacQDKS`ReT}fpzYB^Zl(LH6xhHw1!JT2oH8PC#S^D+j3yXTB;9!7pY zFZKnoOUW`W=!W6W+(s9L=8Bg@zbyKdK*uteU+$I}eM9)8)^s9kRV|4=T3t{x& zP?>vO^c$kzB+cv0S5%gjRpqc}>|18+J=Ndnw`IH|<6Roe8MXf1dj>xq#+tn^_yfTo z5@w=Q9XS>Ymn7yXCmKS}deyM|&6douXT z@jkKs7W|Lkt%P~20lR;VeLt}OiEUD;iUj^uQQRSC!ff;%@ZW`+L}jBt^^W)nH3{K6 z5obIai^|a-VeqQ^J-mzHrh=Oh4wr}>wv9eJTw-(4yNTYNG#{fPJkRRO#h*#uUoD3Go@I1y9!`S8oh|wt(L+e{>@LUcbn4x?#t&@p zQ9n=oQ1R!J*VCN9!kv7YFEF8O9#4-`4U;fjLJy3iC*&P#mKU%H23KD(2x2 zINXIYE|PIE4HjKpuA&f#^18gc#Jq81{LQ;m-gtQv=<((iVJE@HN~}Y0nF-_HVlX)6 zFLjCGUEX%a>=Um<6ToTd0x3j%C%Ciqr%(+1%7Pug^p4MbiG+4LLp^_tQ%zANQ;j<(;Dq& z?xt;g2<2w+GsVv$&qpyD&0?pUTa0e8AAZE)W{aL9`qn_B6CqLL<{Eu@qo;2ZJx}!Q zq(fX%qtWYNeAPV9&lkTy{GH^P9lP4vGSoZoGW?4$H1TfX_Xxi?;K?Lbb;!B<44)i& z((f0(Q1~L^Y?b6-a%>pKnL#YXmDD1iMW5dTrVk9C?FXeVmi`cR-VQ!m`Nmv5C+Fqe z!)A>O&(|Ze9+kC(7HeTDgkohD{z5?h_uWihgmIUu9^SZr? zKjUyu%X>!Nv-CI$!+ZY!+;gUN4chb4UXZqw8cUE^qqD}sdeNl5{TLF$dP&mDl3t<2 z*DV%8S!Tku$B1v@mP=S6;Z+KJ-L?&LIe&nX%|& z`~insDdTe)tF{@noUn)N_zN?JeBzDOGSG~H%i$g<$Ef; z?Re=hM=OWXP$t|};_t_g5`L1fnF2Ez%#6*JyPu7YhVGYNME@%KH`2U&(KKeSZZX(( z^l|xJ@E?NzB&_@kv&+W0zl^>v(0_~mNAybGKL7RFJ)A|s)@J;Eo4@yMWVDshjs{=(5)6$&^#ens$GQW}d2qdt z)j@LF%jrOevBH@4`h0DP>uCJ1A@k}azO(o)`kGSEiE=9HcM8?Q&ojt>%2SC_+}w_dW!EQzBhS( zS6O$&dKX6-o_O0|Yaii#g&$3v2~!?L$MZ1;uW0S#-A{0T!2<~Mvxu=zWktmfpEkDH z4>YU!2yY!L>o{4*(<-DrT6Iq__|y=e69u0n_+-Ki0)5pfOuR}(Q*n$wImN6;!z*^G ztkYx-qSYQ&HlE8y%F?l-WG+!$lui~GmBdPt#l?}5EEbl)Scuc@L^GcRkHejz6Ajjh z&g6-ddijzZn$ONM{In3;vxT1{dG-&!w~ zORA7mNr^9c$ykmz=LX9o%t&s*A8@#lGOA=$(_ow`5rC^P_@6N7wpMVR;8BE`pAjDB zoY7kYoflm%x`DJ#?Mg5o+u*rzAM-}RV+4;S%zK4Fq3qfjXZRzNJbt0@i-ccHoH4=L z4Yk$o5~Gh;h97abOGS?tJ%O|y1k%IYWrp_%_~pVU3ZF!rCy!yV>xi3d^u676ZcK_0 zJw^0X(!9(JR-kZK8hq2e9-bz6y5Oq_^BLoOcx)7nS=A=|zc42H8VT1*xQ>G2f|k*! zyWZ%0)}MZc=o>`eNSbjeDng&jP&8h@Gfe)B=Xy~DQP}*W? z4^d<4V>lvqAAH#8J;LCeM?^m=dI@PJP;GT%rF+ca0YiLhJ}&qP!A}y_sWb6-&OK%H z`JH|IpBDX$=w}0+NJitu?m44xEc5j9qF)fblr$p(I_+LG__hGQB=}{)uMlQLn4U4W z%;=RNA(x9@A^KI)Jat_)dPiR~xLsH&@O8m&2!4|=3$<94D(7nWIdyNDvRlk2%iB`k zk@7AT-rW)mW-j(yg}V1lI%qBahQqxt=>th0QsUj^CB!lJq^f~?gu9PS`#fCB$I?EL z_9?Z(-A$pT{xhQwZlf?z9T5Gw=vAb7F$@F^0cgv0UzoBg1h87l8Yy2=2}z5+AB_GY z&}&7n6aDq}bjp2W^y)x=D|)@?4W#*PMdiwG29B;t_nldPg(}%bS({{iPb*wRx*Qeh zy!*kFH6frMrTipiGnH@=m=Iy~mx2C8^sl0SBhBX{iWXwG#o$GuQQ~*Oe+d3Fz_Bz2 z75!y!kI=jIx8Q#SZzarlWU%)GssKj!y&pf~aQ}&JGE!9l{3|-1%wn#^4*1VP9bm*6 zp575Zp$;H=r$EP&F=SUe8~uJ5AGC|;rlOmXX2w}vTZ+l&!`!aM&kalUH5b2|_}$6# znJz0T8(mQ|BHb`DQsVY7sbfq3BJ3$?FG(#Zsj7w<9QF7rx|SxKIMNGyOV~$3D+;`| zWys6x)dTGIHD%xdUfEB|{!$L0!kblIoFC>|8~j5X54REAR&YDQEa#TviVrk)cRwlG z9VE8B*bZcwLYSvi$8pvjjjsxsVJGpO#djgk7Z|O!#h4F_MSIFCFn;J@(;D~lQ949g zS83g-vAB*ECu&Elp>dcy)STr#ymOeG!{v0R!^fx?WolFij4lp6Z9POsL`O;ULNI%r za~ECA_%ky8>~Zl4@yWo~`PlRk+*k0?gn6xXzquY(tFwAB=ysxj+5?$JTp5S5<^<+r0WBDk!KRs8~?2 zm-K?DbP+)i3o24hl0y675f*{zifr5$(h!yO;cR{*zJ6KTc4eWxA|Gw`t&qI8_ ze=k?o@^D>y&&-}ZduH~O)5Z4@-`Dt&$@-#1)yQy$^Gow1-%osh@n@1};Ine`(TX47 z^m?oLoF)2f(dQV=MZi$iclvi5g*s65d7{rJ&AgmK-n_usndilD3=(^x*ui9(;@K=3 zhB*9oFZ_lh3>7>~aKhk3A~PoxIsDv$2p0=35u7B<7}nJ=9K)SH{=OKFQqg6i%SrS0 z)Rd3J^yVOJaoyPG5ZnCQnv zKS7$OP9!jH=1GU2UJ&7@1V1hK8H1Bp;wn7r@IFmqhIvl#^MYR>tSDkq1NM7xda{jd zc}eukqF*r@y9S`Y@KvX8xF!bVHPQ1$FCfiFgmKKZ)k=`f4xLP?7xEvCc=y(E#; zysWUqh0m;mV5x*<5|&e7+F)aMj45(>ZO0g-6@pg^UPYJ>Ag1|Y)LUIhhShFtZxj<~ zjf}N2*3sZAJZ*4Y0nBW6=O1(4lJmBlcj(y7%?s~3-QHsSp6K^QuWv}_hYe15F!}@0 zABz5nG-FVfLXm*^0EzIi8z!3099AS-Ngc;+1Zh9i6?_;bNu5LR^2 z6Jf2JFWotRTXepX^R=9B=B?*;!rSmiQ?fYzW5wAuNB>5<*#? zk-+y*E)VdhJAs$&K`6ai_w_7tOfD*bm0zr%{Q0OLc(4Yn7KJ2IVbGx^#62^LE1-jOVO=JGjAj~ zJak`&-&+^q)`Hsz-j6VgXAXEOuL}D+-pM+v4-no~_<@F_4qt|i4i9oX&#JNq3qM47 zJK_v@Re2J3_fV(59uRNVVWQiM?m(LPw5+ZMwZW2bxbycO8Tli`A1VGQ@{H)1ats(f z+Tn+6jk99}A1nAc!n{$Kcv@9bnW{ym3&*?j=0WiSC&1j3 z(uE2WfLAFB=>+KN&JpHxlha*J4>}gI8ZB-Udb*Nt%BfO%NjZ%QZ{qNBJkbju2)&)3 zX`Pv;i|-@8FL|bM{u(M}n3Mz+hOMR!A79Hkn6JomN3r(?0f3}>g0 zx7b`Hdc5cfqD`+q~ zqSjxGonj_CURV@keWmcLgkNoV3OsViHI8qvPLOMbPZ2(qI3t{_F2>-2>zw|@n$y>d zo+f%aX+C@GW?;qO2Ir6M8Uu5q_?yJfAkW-{WkgD_7H=}#?84*iqHv3ZTP4h-zzc9b z0Om%ASt5 z(&{;B&r5rOnqodSiNzQ(u<=C~u4x``-AfW)mhg%Ru@YM!UUlJetHZt~VZMX~CZMW? z>KWFVe%*x^c8yn9C}EL=#T4`;Bm(o&631(;dts^YWx|&e=iNrBfhAnfE)Q?GvD)fQ zD`c#cv5H1)++^nAs||-wht)1+T0*Unv{uqON-P9en&)GDIj-}jD_N$zCFN}?@0e1Y zN{`gTU3}M-)2v{6Ps;mJ)>BEB8>6uW6pOMAZtQn)Osx-Od?@218hkWHmybq0_G72F zJ{akZqCXM+DQVtrJlL2$ivVqMVfYICjw5^~;d2RJP++eFqg{YC)!CP!*VvaXW?SUH zlK8d6ZzwXo0y;NYmgAxN)|It3PV+k{-%I(y6ke;4H>Eyob|uHIvPH^|QhuV6E=a19 zV^PZf?EEl`&M)GB75^J~hN_M@GCV@{yDKeh?BpL(wo2JXg|`Hu%E~B8;?vBZZsb{@ z{*v*xjDO6)yAQEo0s5~SgGR*LvRy`_N;NO=SMM-h1ItBdyzox=G2O^0w5#llpU}vV z)0j^47_O`atKaP6UPtqq$lF!kZuI!RtV)(vlw)m^S_~!M-JS3I$M7|k(@f4DbkgNx zaeBGAJze-|wsmwcYl1`a}!TKB8NSZq<;^3Hv(T$>`Ri+lbzeG^^{F ztD6k_JAAl(**QRPTfqks=H0`>yx4$^(%e11kIR?|<0Jm;^t z6_@3e^Tij4FC@P|e#I7OsN%7zhN?)SqPBi?d5V+g(9G%Rr`TenVoua4I_VTA@f0kG zu>{c$>13B;y8w$TN$M=A3niv@7KU|UKv!4C3y;RHI6^n!-G%qqfnx$#M(FAI)MFxk zs_4V!WoW#Vt7B{{e_=N+{%&y<*fm3bhf*4mW;Dy zoI`_m9qU2puAJ-qV|G^tia$^M`Q+27gB4ve!v&6yw*U2&&JD}Ab*|K8FkCB9nxDDqY?6^7t+7fbyb(Y2!MNHaClJ&0kn<9}J_;TYj# zh1VOdM>HA6Iewizp%)1sFMI-Vma4*8S-aSUX(mjRFiFBC6qufRg$iz#0DIOwWoLfQd8_2w|=dSCEK;KrpTH~ zD<&@b|F3hpyItdY(bGgvZ%Ai_8=UT8^o^o#5

    o3i6N`UR%QtDmT0F&Q38jx5&6v z#!MQ#d6);l#GU2%5qC#?w(#48&mnGYR&42rRxzhO-tJacYqQ=V>rPpB(PI9qO(u%D zI_%xfPq{T-MgBfn_se>K7OO3oE~YU_s6{{M%Erog zp@*bAEaed@ycZQHh-<>5PA@(w(vOLLT=Wy9_ld#ELA3>~b`^a zG^mpm!^5l2S6i$1HSzPsFCZV^wAp#;slvw3$?&>sr&+)jN?RmtF*PP#lEVwa5~q)8 z9FuOT=w+gp8_heKAKq}fx1D>1=#`>Zk>(@Z;G0BESnblkR<5j(v{uqOO0g22UC_V` zZ@PH8UF|K2Z%cfKB4dJ;@N)~oyG}37!H+n?d!pYLz24|NY#oyuHaIddl?x*Lnc&X_e?eGn2W%>kWPf;B_|lbb zR`h%&2SBtBm9@( zzXkt8xGDaDHz`l+N1%D(&H}qt+vPN>Qu6|T)0qz40@$+(%QK^-+6lj=+ZTQRiWk}$ zKcRggsWBy`DAw;pd9#b-)2-9JiSS*8??#-7R7E`O?({UHn~H8GdJociG7*b>t&XQ+ zYERc*w}>>C)}mzhskO$s{<{Tdk9u;25#Ts&M&cm9U=Zm@kfzYH4}WgGJmuiOU*b&#<4Pv zqtPN>Aq&+DWGr-^v6bQCG80dbm?1HfBJ*x0cNEHU_zD|+pDj2?aIV2vJ~%VvIoxF= zPJkoi3oZ~`NI2f>+-wYm2pwHmZb3OwLMI6)QQ*DC6OC$1IN9<0TE#>?MR;f7U5GQ} zSe6*GqaD7-0@F=!cfmafGezUA#^ck|jSKBgpDLr5jMHeOA8M2ty&XQy9_rHt_YvIJ z;QWk&qHu=83ufYyI6^VoUY1^^jV_M7JUwBrV3W@MKd#;>-dd- zMtq>~^Ms#IJU#(=dEo-5S6Gq{5`CfQ!K8U|tZ-XXlL$i`&$gbup~8m=PY~zHGchfz zJ`_1U&8B4)i!KqJB(1E)!BN8j@@Y35z7xS=&cM!WFus(AV_62?lX zr@*452pyQ?l2XRGQuRSpE|M}{$^Xg)rsPftPsv}srHB{&6aeVq&bvW#HV}z6m?81 zyxpw<)&qEltUG1hMT<`ox(NoFK`Rjy{^Rd!LS;ul>4PT zKqcMU#5g&u_!=H`;X|8J^pJ#yB|JhQUIPmwVPB5=@Te=J(ox4(3n`CFd4dY_B>IG~ zivmVs;4)9TbJ1Ex1W|cP&eL+9F$Yo6ijFm?dp_&Vb#|TS?=5U5{qbX=JJ>BEU;OYU&;Ae&Np=Um}g^A-AwG$UWtk8;aisqyW`(* zgzqGMFX;zLj0|@!&rB~-ve}hk>=?xnwn+I=%1=~S`f`XeUV#|sndf)tXLrAUODYy` zmHVsQ-{|JyAGF#}RXuh%!bD!|wlW-_qRNr@C0xh7!Kl$ZtZ7XEo1b9Ah48zdKJ)u{ z`ag8~tvdZSo}PCU%SxoGvXPDTD26{>8*Sf4{*v~$w122E<#2KTFZ}D$Pqvi&c1ev= zYK`EpN^b0FRvC7}|D{_YZ^T{6!p`^!tq{SD3EQKKsT^S!=hs;tYa)JE@w*w1+)_Le z-)eSu{;gPKg{I=0iQj`fL&552ZZc*6Z>8Vx`IY4w< z(FZo9>%u`!UvKomq7M<>&gs1DLd>sry0jg_iX$8*y1nQQq|?=>;&8aL*IM=I2(d?s zJ<|#vFW%INJHQ>^2@F{#fzHk>^VkEuQ>bbU_9zOH>k$ck6AlPLP!$E0Y#$>9yES z9`9^)^<=rRWlnrqXUoWukxPS5F|U)Cu9oJx@~&MZUrK?LLMn_(X{th>{yRGV!ul zpU~6Uovx4UsbYJHJ&i0&c`UYrfpnp_O)7N-mEBfKwh=Cl&j;jrtR(xB1~`6)rOH{t&lY|Tai$8lGsl{c!?EX_8|A}e=m*L;PsaH)SmDC} z|5UiZ;Sq1(HymM*;0py0Cd|`wml`d~5{9^Op%pYkWek&%prP7lPB!M+7VV&?>hxHv zNpy+mBxwaEfrZtFJG^i~gi8gN2`(qhml(beqVhSiK8$dooqZu3DWO6_B?X2h7Yjk; zg(|1ljfI>rRREMA4H(UqYJqh+CYnv#cas>c)C&zFa2b zav4|9;F5QFxJMX_P?D^y((W?)*f`nc!FJ28lzf%st10uA<>Y1Og=-xCraXr2TESBU zPbJLvVWK4Ndxv^FI%=+SZS3NxT`z5#wCU7%<9LlkxWVaP?IJgdzDe{9(tLZOrNEjd zmH}HqNl*h;57D=~Cnn_6|BhsJ{L?3j1vh{vFB>rLXkC5jDaM$xPII8tg7lv76ACvI7geNHIE?{LD%&c~L z?(i7?r$j$3`Wd6MvanKmc-H9~vm^bS=;uYhV07hhc8b2}bp5F@sxOItS@bKUne3#) zs}7Gf_%*@v1ur1XJIjwe>A_g+fP3Ao_w75+LRpJsEvCiP#3q?oX9L5foWE;W4AN5Z z%fv4y&miSy;p^%f4u5AA{S|^&3SMO}X5kft)edLdB<3}O*9u-om?0^u!;;JxHu0wO zn?A(PIKo@v-xmK4d4>cl3>AiV9iH=wSbUoh{J!Az24f)vOs96Zly!X^;RC@R3jT;N zGXSR5VXcCXonGBbFt(8s{fX#LN%Jv8{=%yFiE@lzFAbYq8g6;)GfAII`ht@3SbhP% zn}6wa*UET_uS9<>`Ww;=DTe={-#6VI@~t}^wngVVIp53q!JHl00rRQdS#OzPi<}?j z{6vS#3+Tm(oJYUQ}WZ#BM=*JH5_w;69>Tif%=k*#o1utFhb? z*JBO)y7Q8)p4D1T8#(*YQOy<6&#%R2gppx?SIRBw2S{lv?e!4a~> z=ZMcGAD;#+e3<8S%EFQ_x>{6%8>m#o(z4%NP=HiuyWa03_GhC}Nt)I01($1u2 z_Y^ZRoc_q}=~<%B7JUwBrh0iPr_ph`*ST)od321XBX)7o%~9xbTpbrb8tRlaQcb`3K{poE~kbFBV-QI!T&$hJygP zzanLbNhh_58i7+4k!RW96TIW#4qTEZv_ z76S~Ba(ax#phk49=sMDjL86%5b67DGv$b7mwFv)$BaD$UR!TjU^aZfhR~YB?1iQdR zqQ{G#K$;g|mgj{q#)w;DvfLr#P8oO6;L~4LUlLMd>x=5}I>s)_ce~d7sHoi| zZLYL=)EMRBnsT((?{&J_Z!uW+iN0U-1ElxBKj1^zSWa?Cmw^wu)n!b)#zV3mmh}iN z7HGJ?{IZ>>N~ZgtA9b%^M)V$&_qe<#=xH&Bk}=^)XWQCh4o``FTI@4q`4&eHV!-E6 z?0SGPQ10Asi!47U=Xp6V&`IYcW{ww~Ze=&{CDAX7euXr1Qlcm)Gra0>8~XzHn&A0@ z7Z6sp7I!-zl}K!kilI*~b+ntlP|_kviz)FIYJpKMjKJCswx)LNI$O?hskCL%mQ!P1 z;cU(lEGm->Z@BTd&A3@1W2KB$GMlPu0@9xH7SH)m8mC;Pb9y^TcXzc06!B9%@0){J1?EQVPltZMnqoURjx^6L+jJp(tL)}?3G{*igIql_iprh(B zItDW^gAy|_v}-C_@`t;6vfareq#h~tD5?x0##N%}k8SxX!qKkmW#dqfk#ek*lR?JqRc3W!RiS8B=nbXCI!Z&xC-UW0EaL9CdTC~!DkCT zhcGiKQ#qU6br|q`t~*^UL<8lVC+B=R%m4|zR7*6u?*ccLEss|jB;!IEgK2n*p{EzO ze~2qr*zF%GWtfx%6*a*SupC`U9Tr8db+xb+ODmCeSM#`y>Q`ykTORp;vs@&;rPD)O-oKbX`Y)oqObfBLzxY5Im z8X2`R>S*vKppAeKs?pAu+MORGeysR<@_e2fJZC6##;sW9tfM*+-n#8PzExbX7F_#H>MR>BksQz`HzTa>CS!s1HTIlg_pXf#rUPZK_! zIMa7zs$ygUr@z7Z>kDFdZWMo$_!;C`i^h``Zg%zpd$4X1d#l))WYv1Z=MDAt&vK!c zrRHo2w@H{oL8*zdZfv;S=?*hvQ0@?Yr|7##Gd1H!CwBGT?aBuG>U58kxl-m);eEzT zR&36c`y}2k@d1j>AeO|}v4%K5=u#{Dp!<-dhb28ii2+1zFU;fy zhqd8RS5C7OcudOUQl6laF6k;#m@!=vo^)Y=eNlNz!qXC-p}-{LHL}99PWQIcKPUQm z(JzqZbB+N;UJ-uLopKvc^pc#H<-9_NIfTnsq_Dd9tIqeI9+T=d@$veaIvY|c;c)hrW;nf*T=jy^47{*M^7=rw@o~{TFCBAcdG1d_m-Tu<-9}ZKm-j7 z+?Um31QUktpdHQsOH`u4Q=4w)yz6Jlx9>>r=`8Q-EbDm|zQ-!D7DL$J@T%@H;Xe@k zq2P}Q^F}3$(J-#TfGp?#vDq#g#eX9HQ}WDfXhUJqezaOPxp3nf_#H?1Ov2|9zM#+y zzv3=oekcYBbMC>HF70a*UcQp_wWMz-G4U$PYbp{&7+s9V^jmj2_Kq?6PR{poexSpV zJjkZ$F|A1T^mDq|%@ZxNZjt$;%%5m7PUzkrUe8PY>_We}@lwA?_*KGhCNK--qGv7q z?m}P741Y-2Dq$Oibg7fBUEvx1)0J-aPWnsA-%|de!iFxdk!QOrD?XU-;qDoBx$SZr z1vP5$S8q(K`e3pLeo8lIdfC->#!qO@$Y@N1*#IRRW(Z=ohx2dPH{2%TcNM=I`S?yQ z%pX&Z1!Q)2qo0MTsf=ba_Mo9MhYR+HJ)KTmh0Edy%|*8my;nmTn`%22&`R z7NLv-*YVB6t)XU>$|{ppPRnjf9@Z@hBU~6}!bk}f5-KTJpz<*=&dR=o(J9f@qDPTt zmc}L`=rD4)*OT}S2U-FwC~F1R5$2nTqdu{3GP+dp#lxKeKS;qB4>@Dy)YH*N^RgtS zE{AcBhgtCvyGZzW;S-44Ei6d#8)303o#A2^i!34&B~Frf2}MSmy_NXt;q>-ZF;tg{ zzFhPbq|@&tzY&vNX*n*2>`EzDNx7N|Zv~9o(ljs?wo8ek@SaT5{(z$I) zNx0diyXM6h-6H8$Ni!+&)}SVX4W`2^$J-wg@!7&}6F!G{%!wGYi=jxjyO6X%-67#l z33r*GmZ%yVE|l5xbdQ9&66R4zS2wvHLpq)5-Rs_PyU=~|?w9ufJ>E^ly#@mau=SlQ zn{SGdc}U8`QXZjVk;y{$UwG7oQoF`u5+0ZE1O+A*f|W$c`=sMXc`HNs)54!2&gUvS zqY~>-IXs~Ue!~%-6a2j37YxoL{G!8mUm4+-1ivi!6~ZxNWM+p~oi4Lrzb1OV=mn&i zH2TzFhPr7V)Nmk8$meanI^}VbgXz}HM`a@KO}9Hw2e}%s$}LD zCGhRJCSd!O6_tOTpST1+;|SZuH>y#q1AoOAW92e_N7xBJq}v=1 zT2If;_z7(e@r}tdL>kS4PXpM5+l|KdWuS?SU1jV>gCz>D5O#O?0XuzD!OaBkVKDYv z8y@y__z0T<)Ld{2!Fv(5)G1I!Zf`d#Ep_&h(Nab$8hiwJuM3$(C5h3PXtS?tRi?F; z)<)WX)R?HyvN#oOf9FRTe}MS5;twRB&K}-!Jjj*SmOT!Za)^|6RO}L&xWu8(2fM^! z;@gYwKt7hH*d6O|r)!KpLiCZMk0KrOI9B%3+|zKhJGJHL$Ls_#Wi#uH=WFPS@MnPZixu^l1(0g3#OPaYmmmx{v6-q?vcq^;dqDD;YX;XgI^Q zCu~$$KWY7?ok@+QD84(hTW@$6;KKZFFpWTK)8b`nQ`P0geD7Z1!WlM+XOM&oB@Cv(XCz*R$`Dt!+BJqs873t`g`GtW z#`mW}W_AX~Y`J;WVgNWovCI;gNtz5D^GYEvHQa^qme{2d$|RIiU}lLQmvNE&Fv6W7 zKk^c|$VfRAaw^Tihb6uw;bdZuD=SVnUJ(;JC8t`>C^}4Rf5=KgU1@Joi$A}#(ww~;Nu7It}FoMgirFMmjWQ~_KffnPxBQ6EuVs|!KTqeqy zBe_I#!~0s~ZV`N|;F*Ne2@%39XWJM%TkLIO=aAJq7-KO;Dx2Nz#?-HI zMI7M{8F$LKi$=QESlwWeD5-b5y3U%9_eh;9bsp7Nq+xlmd!3$SDSn^m`$a!MnsLUS zYenHfhnH9l`XRv&3x0$!Po0&Si^&9!I(=vsV}Lk3Ci-#FPZ*t-#oaQWbb6O-BK?%; zr$s+Qx*7gKLoTttJ*qtW)(RIWNn3 zg$^&ozJ&@@p-}0n39q{J*!MAXuSuFOX#pk0JOlI3!|P7ZKQ7V>MK2P)*l2uu#G*<| zoStBx9+!$|IyQ#pGdZ8j`GO8_ zQZD9~=Y}tx{-!2g;VaQ!i~fc*Urx-P80%fB?;&{VFg#W;y^ z@#}{>H(KRqi<}?j{6vRu&s0D`R)rNVu*8)stp>&D{37L7DZiN#KTEKq<#$)Mu8VQ{ zL&{bu+o&*Pj8hI*9KqPoKi%2YV)K`rzvcWxhpAQ-im_?bzfNzn{gbwfZd9x02mUID z4CR8PcyM;Y59#K|=J_#1JL4xbKg2gC&lh<}mZdPLq%`c}!ew?7n@HGI!fq5)<3|*7 zaa%au4YAnWwcRZiO{F!Hwg)x7H7n~XG@J?B&|rwso^EBF5tF#NtQNBNqQ$$y-PAE! zwF={&_jYA^aa8t^(o#w*Dtf6Qe0jq;(rRBfnp)6W%V;BGKN=RJ{PcpzT<~vy*P5Aj zfV8&K4y48ladBhZNhIAtZaizF)(@6(h>Uh-j7f!&MXA(C4Cr#>p2uQj4wKPdMh6;d z#2_*SScKzn=l8HM9U=Zm@kfzoUdhZU%*_r*JH3_PQ*nf2L?0{qIHR#97z)kfoj#{m zq)!l?Av)7&oE!D9ET_M;b7zar5uMwB#=6cv^yu*j7Qds?!bBB8T{E);f$kQ|+;sN=k%n$Xpi`aNUHcazdxN)IZk5~QlI z9SZYmPd7Smj_Gr%j9xNMqrn_*gN)HiLw9*^x4PMfnbT$Uk=2(L?-=5O1#ix9y17N9 zpXmOg&m^sg#MddlXbf;=nXNW;mXx!loI{0)g~@QGDdy61UHH<9wSf}OlW@KX_zIAy zVmWw$3m>hH5g#PsLJ5N@FsZ!g3`5*#X_pu(W0;Ht4Tedd4>+Bw$c6kL;w6eDlt@TY zU@DD34DhAI>Abvn?@C3Ni7qFt-eaU`W`l0<5$?6H)Ez0WLS7|3K5dDTRCO&Hr&Z2B zu{ee*CB9nxDDrlltOj{2xVN`mr$%0_ygGVJuo4WjboPTXi|i@1)FF;+%B4a+6i zsl(}g?EDvr9xr+VX~qL9VudDAmr1x> z!WAYk)8?RuFHCl!rG@B930FzDngZ)|HK}4Oi=8Uffa+^ps+$sT)NqSzrrazSTbnpr;%yS=P_)Ywgxj5NWAq)O?-YHP(I|4!RJhye zpR8ECNAz6L^GGvW@vaosVUdM!uN(W>`R|i)zl;ZH#L!^txd)wYYxF~+9~S)x>D|-k z&&gCDRCv^t15J5M%HvX=pkfz56T|6)jDAY=)1sd-8qvil{b!y2)uQ{H=;uYhKsr8s zIoTMkfesw502E$yubo}xC3!E)dxajugsb4K_o~xB*i~K=Jzw+!(tMWqtd?P*&+E=N zvnO?-_(kFuljqs7S|28hFLC;!6YwLBuvGLi(aTA*evZ`_u>zLEbtA<#3M&M!6ugSC z5;HRs6N6Vfz4gjSuMxdg^g7Z!HFg^r7v6NZy|okG68yH{cL=M*NQ8=7WSn=MpZZBW z`FrBu7r&mo(jGy{8GlZlB2;bW&i&Wu;tDEbr8pOR)2 z@R1`CHaR?Ck62oKCiru~Ul3*?hV|r&lSwS7@TCid_Tld<313V2hC=%67>@O=!{hAi z-wFO+@DGF;@a!>JIeB5T(}}?`;9ErhDEcR(@$nK1sQ&EqpOz@Ui2hadZ=@NJ!hEcp z{JX~U}N8!i*F%*FXORyQQ*kdy`3NT zCQgGR>?6LV_*Ue1$FJy&W(~d)m)O^pY1UKJT1p!!` zQrb#6kP1@>BL%R>_(4veZPm4dMIR!%9cgBU(mH&fJJjJ0_96Z-!R-ZiAj}V+d_c6P zba~AfikgUVxXWi*mOeuAk&=(1tan&uW^P8Zq%J*7kn=uV{KxX^F%plJcpODV2+3R% zj(7S_t4N<9Izx0OY4vcFVIN~mJ$L-MFA#DZAzOHk@Lb|Nd7=WdP(z;6QbRl{ zL>H3gLqDdxLQ9v0jxId?XuKIGO6VlvBnr$@xNjPEezNm({)!hkMSN%RUC8rxV32-Y z=<4v*7WQs}y9@3?SYbz3Xl>}}^oXVL)TfH>CHgd@QAp%whTcy9Yl(ik=su$Rl4dd{ z@Yw_v#xoqh%ue1)OGLQ*5TR&*U{c2!rDj|-!n z?QA0t$A}#(ww^4{JObSz6=9syXXnOXUnF|G=n15mh$zYfzC~kyZx>Fn;(VfnNfIuh zz|-@tmWNB7emXy%{xZ>*i@t)ivOx+%80y1h$G@{$#+Aaa5`Hyt#xsGQ<7=Glv<5%n z2-k|8B6ccSmd%*E6Us*-vLRgO%8ynUTrXvsl<8FXYQz|8&MB!?>3oArOB%%}+$iZL zNi!%h*YGLK!pFRuo!@>Xe#Q}Q5r3=rndDi?#=gAhfgOjp%q%zRo5d^4mT{YmIW*WF z;T5=2C6+0Mb-P=QuHsd2ojYXRDeEp;>M4YklYZNTyWRO8bMBEdSI#^-ym`D*Zn)R! zos7Ou^!=hAAk7peoi`jGL9qsvD?6L=kd%j|JVM1@8Q4roLy6QQ`>2cmYvN-PAD8$9 z#a(eNT?Vsj!jmp+-7hBEQxcw*@C*eebHHK*$uTsZb>q7U(RfbA^D#VTlWS>=MJjRKhX|%PH{YWoBk&U_OS^_Tr_q~sR~ze@Ox0;7V;KA%3g)ZR8n+{EX~^@TbF{+Kx|u3I1E~KZMzt!Yq)jAZe)Qzpmv>ir3gKt{WgZABkwG*(p3%nJuO{p#V7 zK3Mc2qT7*XM$663$;h*htcSYv@x@U(Oj3JE9VjubwZ$mL4tF@*8t>2%f{zq@l)=S> zk9PPLtL7ae_*lWm5oQ*ysIS8cka)6=ccG+nJo^a}G9+YD;0;ZoQ$EYtZRbWdTWpTl zT(S&yL0&%QP&mBjEC@SQP^MU%0W0z5Gv=(M!f@G#KvU z1jhb^-cHxr1k}?-_YvKfG;cpX1&`$(*7)Fs9lTwtKR!mbpQQeh&ZNYe0@mvujuyMx zegoXOu1j>zl5@74bLj9z&U}`yAvu^~sgDCLZnV5MP~v$K&!@<@U_!mI;R45JF2b)k z!XV)n3Li}T5d4~3l84V5`B^0yMOh_9xfunyS-JViLcACA5``Jb{4m5%bnq2C4Nf#v zCmN;`C3qrMq8Q);O*H36$0D~rvCtOFDv_0>#ni8>sjevw!=28)FD6Q<=rYmeqN0=yhlHf}SGj-5>8;5BRwPm`*rEV2icgAJ1E|+x$ErutHYZ*>|J*pj*9)E|c)Gzw z3A~tYaCqWd3MS0lg{br|U+bz09^sS<2l4dxHIpJiM!*i@moh|q_ z!E*?+Yyuo^cXp<+cZj`H>|JDe;u4I#4|h8}d*>Lzdj!uFJkQ`n5`B*MI(*m?oB&6- zPw@SMA0W&KVr^w~wLj?ea$8&ZA<++ueuOk{4A!cx#1N_QsPi}2oQKE6KQ8_W@~Zrr z@T3bHteAXC!qXC-p}^pjVxusODsp=K0Wqe}iGE)63#6GW`OH)=I{ez*_zg#RN$|^p zUm?sAt0H~wS9joE%@;mj_yXb#I;t;;(lV4Wue&h6Z4Asp35z5wroh1D=4I!EB@XX2 z3BTb8O9d|zyqvHK3qSoEZdBMfxfL>2%2-8%J?*?v9BzS}t~E1OyZ46OvNiJ7%3DW| zZv}dJ+#La5e&2Lwg*k7@d0WmqbSzWkhj*P`Y4m%d-xs}}G+$QOCISP|*$hPA;Rcsl zEXTj$2p>rLP|`<~EII|)pa{$TsR8-1d#mhX8|8f>?^E+C0@e*e-55JIYX{Fw?!9nI zygQ%C`&`}^^cbbA!ou9b@TJpzyDD&)?;!eX(cc)2(U7?r;ajH<>K^IuM1L>(2cz=~ z3bG5sW~Y1J8|f{ge-!;w13D)={Ooiuqkj?otLWc$(1lqA;diHp8U2Uot)jQ>pz&f2 ze>&aU=)Xk&E&88^bYA$^={`np7u{%#S^)T~6vXnx_(ru8{x{tKIN#`<@e>*Vq8m4) zbHgr94>G!m=v_tcwu3GxEDXCleU{NpMK=?@#}2v>Lsj>5dZ5wGMYj;W*ABV>W8e06 z`V6D@5#3UBtA;c-$aA`%(XB1(d|WdAkESzQJs|^4tIFy%6RG{1Rp8*D1)(RY*skh z;pc39(PIQ3EBH9VEb}XiOVN2)AC7mvwtIZiP7t3VK9fA(Yom)$^>_Bc`y-nzHb-nO zS%!La4PKae4&U%lg!2U#2reY76W63dM`x!Sd!pD*VoxH=6XzFTlJLn6Z<&kVaD-C? zcNW}*FpEfx5W!3;ZU|W)y1H}nj2M`1a=OduK_^{9=PEgp&M2U7wU{%|I;F*L}HKGyF! zM#fkf^)y&7$DJ8oURsA57rteNac(WK`*V@3@v-@LVr?n&{~bX-uMadV|q7ioQwo4AN>+ zqX%>>R%m4Tce6V)dd2YEBIi~)GwHBPnGbocrWA!)uB^4^e72O^q|BibACl~FyTiZQ z1AB+yI|biGSd}x46}j8#4=o1wh@LBY9%CpVy0LqdXebGr1{j~oyd0Q62}jE8^7WR zONB2JzMMF30(wvD%Ihk_8_s9Wji+BBex>+TMbEUSuF`AWjq6276pYDeAZqVTP=b=GtAo!IZi z{y>%|x4GD1vkU8*#FKB4@S}vEC@{*{1F#NzP=%kJZ}ec~e-Zzy_}|E@^JPbrQ3(I; zRy&LHAF{T}+D41P8izeQ%dl))_|t_&PsYpqCE;%g|4?ACMq)%4zCwh5o$q9?xb5N_ zjaAzKe|4X0*dY{l!vCh*276u_&%QH$LfZg;2ZYA>tNX^4ys&%;H$+W_U0gcu)F?HP zw5z1uD6x!8um^Q_hc~~D-*AMcf}086gRpW^%%^)g|GDL)=Hgq3--|row)iZG5Bps4 zX>T|FXa5+SePpzh(aH=Aq{0~1fP!^jH?F!j8m(otk+B~QJ_}{#qjCQI@xSRbdZ|OC z55P~8LtFeE5Dvs&bHK zr2`c{MLe&^LEI|rC^qMS~0PNKtS3$uP$DJ%^q zyKwU47^YJsbe7PC0`q1`YAml4x;lT04J7R*zPtDyId(&yqm9tEJdr=bqiD$4qu{hD|2DQsPw-ucpX(y8jVr zV$~*BZ!z^+sZ*p*rK&XG#O9K4o#QjCqxO2?(}YhqJSz($3JSsvjxWo>^>Kt7h2JE6 z265*01V`V5oAJNt+C4AsFzF-pF>-RSXU49h(-=E|5ygN3;U5n!MdMntd`eXnchSSQGR z((ae`05v9OY*0Pu_<9?g`;hR5g+D@^4+i!%Kwob;_EZUvx^ml!7_i5rJTB!4D!c;L z)xd7<;Yr75Sb_YM@TY}8L!4Lec%;I!uAFOecuvamQeL3KY@3-;ke`R0kzRDZCx_wU z2rr3$S^O*H^_dk#S^-~v#pQUBp|$<0i*H-$_L{``5*JWpeXkV5yirNY!H6Ixi>V;9?i*j(gLE#oxs9za`;q3GYy75a)QAcilS7;{2Yh_hqf8 z#r#_v>Z(R6U>n?6c4thb4`h5O<0Bd@KN&FljPS8Ln=EV_<$NONQ#uUWaBPc^VhM`f zO|a;zTPL-SSNcrW=d!+_#T=HG!Nq;J<4X9_m04HfUvPx4q+x;b*trvt0R$tY2mQ zW|pTyW(Gp|yITcztv_UKm9>r5jwoTXsy|&Qvnc%~;cp55P+$S$m&w3FYnZm+TE1Op zyR=62EF=F1f72z#@Zp$@mBeh>uoHeu7prwknAS+`o$(V|BvKkvVbJmmvT~3|^TIAJ z^s&;iiG*Dx>}EpE$nq*>w%uLGzcyxprV^S-*uw6856d z7(pt+6NwoNP7ip8!AAu45#3UBE7FVr&W;T)P)6?SLf;eO>03)^BVj)Zti+8-Va@gZ z9d2iRJO>DFEBHWz%WJWX%RvrLvp%P=sJGPMOEo&7jAnf3dcw|R>E-<_y8g&m7|xF zuc_l*ImU9)2~skoWSSB~#lG$=S5B~CWlPDCl1qh;Ai8+5Z(%vBiU?btTi3RaVau0Q zAgj=-=Wx*gIW( zAMt(3GlwJW7+-pZ(~WI-RzK1GMW0EU_dNX?!4SFuE-bO4`YZ`&OE`zZUJ%&PQ=UMD zI!?^Ric4;;uqO0CndiwopJszgp$+1~QoGb32^UHjOo3gLWmv8qlR#^+6b8ysOl@$l zi*5BaRNgRo33_}8Q`pox6gj--pqRYHf=dJ^3GWLS`wyb|TUCP{E8|;BqtA!C{_B{i zmr5^_UQV5j{HW(;B(RJ52$y~`X{4kINtGtWuNJ6JK&oDe%z=FxxS}ffscC$N8PKsIV7CE=dnMsF%8;vp<1#K+3`r?9N{J5FAIN#I8%v@{FJrCUv+5@i}P!e=1W>Yi5Wy6Lu23j>+am2A7j2y z<OB=`?tpa>EiAa_s3?Dq)#~CUhpaYh{BEje$?d4~?$J6<`(pcud4 zyDoRM%Efz<-qPLW0HGdZ8j`GOAfLM-v|n!qM@U%Ir`3h%EZeJ$x5O8-d`muFjtdQ-{GB=13)PcXL&$Bev^u%`>p9v>h1<`P;+*oy*RJ?PgQ znT<^ZlGR~vS6;Gy&3&Y_l+ua{D{fRWGqh|A*7PlBqsGk_&1@~Rjm-UMs$^x!&5tb3 zms=TjfcUoJ43?H?v|HP(qvaS`$I3d67Hg9jimAk__!>vEf>L;te ztTP)}c{{8DZtZMoc$TcQWu4Q&D%@e6>sD*C2Ff~5*7-ZE%)Chq!jEX+xzAla^?pRWl}Rh7#>W~Z zS_T%uMJYAHjgDrFlu;q0vVoDAHmck>#f%hwnjEU}cR(10zjlqRv=Q)Ay14FXMvaVG z8FdYe?6fi3joxOAkug?AeFGyWZH#lHuNfD~7%yW&10y$WTsnQ@DZTV>2_V8nYq%Z(Z{X3Mxu#+(L5 zyyv&OQD?>-GVYXd7Y(-Z{iTlm!5Wl^cf0U=-5L@cVqUN85$@PidO z_er>4!UGM2EC~;~@UsaINqAVoBNWmPS4M6PMm}J;mm7bX@tBOqWjsNH)lh_~5Yf`G z(I?$$W6AK8oTueHLx)SGqnyE#PX8SZ`mDQ$oBN#H=jFaYw=rCn@7P4#=?zxCza;u) z(XWthk-k#?e+Cl0>SB&v<~51)B`%#4T?O2nu*sb@gJZ?^GdZ8j`GO8}S!O{V*RXYZLwo#)BYY+LYti2r zjpaD;mG@hxPZ|~J??itu`Ulegi+@O_Fxq3Y!*4Z>0ofw>N5MZ4X5dTEs}-|MYwG9-GOtGk!v|M|fkyv94_b zL&0`&eEynv_9nu26}}sBKBi3he5}-uzE<>p@9x$qb_bfuY9?zBT1=qIIt+mWzo+y2 z*?^Dc;#-K{i#*HSL{SY_kV=HTU6^Mh)b^3kQbH>V%sz>tx{|uEuhR>SZY{cv=>14D zJyE|!tH$9UFOC`F0KshqA4phTis*$#dLHEX1J=ECu<%2Kw==vrh1GRZ;ZVnq{T5f` zMGq6+UU&!M42rt04tMz8)nYM7Oz@F{k0Q)iGVu$-(N1@^L_bFKv7(P7t;S_7=G=0z z@8ex~!ag;fAR$9SCI#N5iewSGPm4pA^B0^LQzlz{j`&>iOc`v}g-+m*=lH?z#?a>r zFA!cxoS`3`MAi%)o!)N!m?w(vB>E)Md@*7?ZAG2Nq@3)=I!nq^WOSC%g@!UsO&JFL z46hAcT^MJ1xtoOU5_*_`L6#|u1;c*fE*$h;jKQfAdPz9Vgc5W$YFbNg7c#8=aJqy( z68chLl(Byc+RtY=y`W`G&wir&i$0Syqs*mwYV~b)fEzFMjK*0q&X#cw4Lw&Hd|MOF zb-uh$2tAz2Z}0vI{e;+__T1RT8eIz|+^D zFR?6Ks-ASq`uN62IXHvjyKKcn)FKwQ#%g z>~kP;{q3%GwR?7lv^%BUMUD3iBUsRBQkK9tsSxgVsrh3u8uv(=D`_4jMuU^l#)W&G z&bH3y`$XR_`T^2RBP>Rd2$)9V_^f646-RhT_`|{4zJ0$Ye7^7n#2FfV$i;9jhbyhnTqt;v;KhWQ z@FTGASZP?|^v|}`+fvcXL@y`J9#>Sp(RYt#Nlkdem3=L3R!CVXWfc_$9#wB#BCK}& z0IO%O5x!RVI^wKS#Tusujn{`a-Rfd>&bMT}E$bax3|FGKxUMEW#{6AZW-Y|O;0W(Y zd0)zUD!dJN0Vgm^FF7u3aATXjgg=n+p^T4c@FMswz?}`*H}$bAFZ{qu;36BPd?Mvj zD!fQd3Y*z$3xiE=JTfId2%pLLT*enPSY9M6D$1)lQuj+2y6qZ;uOxge;TsBk8I0uW zoVbPGI$xO|`R~MkFa8Jed_4J7XJO!aq5|J-H@nosp6M-;ew6eRCB~z!Y7E}S=+F*7 zyYc?Kc$r^h{3_!&8jMGEUDY@gO=t$VuqYLUKO}6Gu#EyQfr$c$33g!*f4VWxW(oWy z<8K-N&|u7KYQ`i+j7Wxmo$q>myux=t{K^h7V9kZM5WW|2o*$!7u}=<`@Y&miU;o7KIKn;>T1sd|K?#iA z;qiqZi$m<|M$<;|60K#lk+B~Qg(y)}jA1(aJKoGj^&B9)t?&bhv)n9Nx!QNlTp{~ufD0VYMUe{HV*%_u0SC}KcF6p_gRGoT_M zh!IRMyE_|T6E(Xm3rfx^W zuCA)CuHrC>f;-oo?^ffV@Nq-s43m?i!_$tEX%ucnC5B)0iD;~hC%jB}o;a_EF?qa{ zS#I!mp=D7axKeNxVOG&=@P5y5V~+@T>k(qB#nzBzW<_~|%0sQuTWs*bs1sc;dL(IP zr_$UQjP4%eobdxc@_a#jgZM`BJO>qcITw{e7^BP>wXeS%nq-WY(M*F!!0HF8oR2ZS zb;#gj#h)kseB)8u;Qq%MzgNNUf4uk!;wO@4hGlL_@u~VG6Z(g2G+DwF2~#OBKxlX6 zhGWv>X~uVW1wZ5Cri-5;ekOSy08>rFK=Wdj3A3IOk2z^2Tqxn9AaGp`yhDnmyG@w* zgBLEAaEXLVDJVqjc)*SJGUN9SwaLrHUm^ZV@(fW;9d5FG%s$72+xq!5nk!+RgsUhN zZv%x&r0Ug%_wMNNYlP1iel79PY{0S=`QeRaTs8MP(*}fuyV(RYw$5@FuDhPq}n7>sW{*+=0n@e9Q- zBG1c93kck8@N0YGH++u2c4~l4x6pQ3DSnms)q&4dqhgNzuQ5Kijwyq*Su1{>_@~G->u?e#l+o)A9~`PE zPYZuW__M@W!>*|04CJ^YSGng*`6twxo|p21lozQm%2l~hSaE4Ym3zsA1z}w5%MxCZ z@G1oc3AIc#zuaqvpBM(ezb^a@;co^U@0fFB^IL}R-PPxuw}rnW{M~>%E>}_J-ZT8> zQ2e|v`~%@166dwjkT0#Q<$5)^&ES&%$h4(lyzI3r+Vjt1C;Dq2L zVHT|}S6`o^L9Qz&jddv|Zwl zaJ-B@GEShu>(p^2a8&&be|5aa`w8za{6yj`#BgswWKlaBU_$S3cNi$)Bng8kaQ_%t z6;H?A$%g-Y3Vy}Mog(~H;inO2gmZXn33W|(y79x-3ddU5;s=W#LSAL0?wn^D-SsLT z`m;ozE&3eNDhQ&ORPJ1ZTkY<5Jyh^8!8yXZi=&}}Cjmw;3SGvfqRT|*Nf#3aT@9m9 zx|f?!8+yMgBveYMqQI=fI|v%~tcMIY<<*mY@JC3gmQq87X<3UYFOb)24ev3~<8{L8 zg^whz*kUGl=L{Yn#tIe$HwbPdtYR;Xd34<D%x4DP?!@A?A47Ye?JurgPntQ=K(qyJjqLw&L6OGIBv znw?H~PKM!g^=#i_mK)4TahZwVgq(1>#499TNpUxbd``@o1RDgLKf^z|pJVz7;c@?5 z>GPytMV+0mO=!(w6gZ!7B=9P@Swk24&|V{JzN~9$6}!m(=Wy4VxQFwJa=pX_5^tc$ z0h(CacNCfk1$0Pao-j-!s!Gs}X3w7P4||jBn`PfZyI9&s((&T6m0L|YD&(Hqq}(p$ z4k|olsVrW@ywl*%uJob1OYlO$i~fZ%JMY~FZ#l=q_Xu7r_}+hEEU$H+!A${PB6z9b zWrUd-QrUR6!rgE5m_R=u`a#hTk!JHfnkjb=8$00uAB;!DJ}UMxvP=_A4TguBC_I*% zGBb2=J}za2lqaaL3W`2K7@$Gz@QEDQ%Us)zo+)@}+s^%r(ZJ7apgt z6~9jWQ{;=?HWAFM&zy-@P7u8H<{ceQ+0*i#k@qY;W=V8$;@LOexh+miYu3IYQqRkJ zLDq}3c=M{N9aV?n-6(WlG9wfBx#?vYugG|n20Lxo=qN|<=)7jmuA%kxx|}!Uyh(@W zkwsV1y=C+E9{kiBbNOSiLc?u`qeQ83^5csbod@bP{3gKc) zV=X>B+56U%-a+|J%J))!pu!Z**N&>f2n5Xij@7QsxjPgU z^)a8uo20ZDr^W)lrC>;ZP`1Et#rDDvp)YVt{Dk&`l&z@nGRcodwGP>RYvY%<@`u<) z{I=q^BhO4y%J~nsH~4~|@EbmE2f-}`??~9ERt7J{@ckAXVkfiugowA2)mqlhw0H1 z`9ri9znAz9OyeGA{PisU0UvjmjKgIdL4!pF-ncByBQowt6DIEN19p^z zqa_?e!C#G;Bwmcx6xuya8Wh6SOHyx1$5P_$Aw;B5+gO9H0e75v?LrZJyu3d0PN2uo zMKPH+*6_)?z9vj#rozYdlh9wni4<5)Mk0x5)D19tAjjU|;|7X8N%SDnyjGGJC+bc% zcws>-8XSU86@1!eaMGP_@GAj6L-1h1LpFo6?o5L}3-DQj&lY?R;bNd;c%$ZAqrWev zKb|Fs9ws_Rx)|tK!j%}jV}lQLso*lfdBV&PJ^>NUax*4}6s(X@DWeMCja`cO8cgby zcEgR&h9is+UoE}{-=2;kJhevuU!dzm*NYxWdh_t4QO6HO?356mf{X?kjWl%U!x_!G zQAX#({+mRP7Tx?W9Y<1*G5YX8j}?8M=<`YYq)fYU2Jao<@q#A^o=DiACA`Ws$>=}A zS(+?*is-4Ni@V0E%hL=_hFwn=JVWqI!keWEUKXEa#?+817s$9!#zi!IK1V!f8$BfC z^NU4aBKp#Q={Vj(yv*n>fxcYy6{4^FmyTgdw>d`t9U?kc^gPj5k!C@qIw_uSadoQ- zcePoSp$2!2togF8rNtPt#7$vgRxD;`#>t@wxn9Ns88^^ijA^9ZjYgjm=$k~}Ec%u} zqi+U-+-^1cqfmRjP4w-e?;y?6Ty)gkY52zhzf1T+;fsi~RKi`HyGQfEgiFGm{2mF5 zCEQEF_K!8J4c`#J|0Py9C@b59zd4g5;+tHiG+&r6^@kHD-k zcx@ZM^R&MrX2xdeo=f zTc(^ILiM(kcci>ag$KcaDD(#LOuuJFedq*uU&aSAKBU3Z)`S(R$$w;g^&%grkHv2g z{|R~KCQhu!;XQOdHRrJ~*5fldpUe4z4llL_%t}&lUmD%*Mt_8_M1L*%8`8c?kd4%p zjN+qo_pM2TL&U$6^u44XC@~t1SOT&dbCmyR{DC+7gZw1^XYs#~XF{>#H`kPFM!Ug` zo5ORC-(>tQ;}05)L|thC1AG27`qMM~{{IsFx9E+eLnNZUcf|c;(vT2|O_ExSSCawX zIz-JVtRLjIz@Np|!t-II|Caa(tp(9rk!CSapKHc^32tk{BRL+te7k^`HKA#Y z2MmUv^?x4UL3m5yI}-PqFB?NkAHAYGnQ~?bek&=hrR+?F=YX@fviY)$@e6;)&-l1D z;@gVfl|0WuJyz7jIYz~IH#3ed^MTr3MmrgM&`|YK!`;we*wci5VK_~D342NCK!Jxq zX9Xr3VqV?bj4eZ>avvG{%Gi%ahtWuxA$W($ zJ6zro^mraIa~+2w<=v4cTpb3nA0^>v3CB=iw^m)D$@MgLY8cVgOKfkk$C72M4bLv{ zRFCT_C~qBST6K7YalEuX(oUepFyRi6P4f=W*My-V68$9fmvABlo=6HAOrJZz_+fz` zDE=hzgUB;4lFxGH40o~_CBZmF#;Gz+qrp?}^5LChoX68mN;dg(a)zYAl7>(!#sl** zaVm>5O(+jXIZMLX63(H(a%2>SsA2!-8onURzdls>FyT4k#b~1yfLA$6jIRj0FBM-V zK2M(EiDu%_L>5)RauZJMgx~RT6%r~XR8ioK9!nm@-Ef0<=`FT}8zHz_a7}(GCU~brA&}AkqVP1m5s&RB!iQo zJ9x6-DT1dGE*4Euyh%9C=n-Mp(?!n^J(F~C*O8=~W$=d3<9&hP3k6?9xOnYHBgrt$ zJo=$#n^zqUaS1?lZVCz)J)#6})USIOXm)cvOHN5d5IvhX{v~C&PZ?hfSyp zk$gnLqY@sYz*|lN>v&~LagRp!UvAFG;5;s8g`6koFkz}kR^YjV!Arw!W2N9#f>#H) zvIc!*YYcufjFDa|c%9&<2=hFtSFIAG@0w7DS#Q$Ap=0f7NzX`nmXeB;WCkn$J!kYs z`(RJ_xaUQ`Ao@kp41C$h`ht7O;B{O0eDkv4R|LNr;7Yz~`I^DALf~H){D$B+3G)Vt zJ-fGzT^n}%w%B*XzDt(*m(vlVz<ago{&VqP1im)k)KJ${>%KJp!0<@=EAd~8 z|AsuTTC7Oy8Zc72%zbOdVWHLhos92g{6K>ts>S<Y8Q@!iiQ{>Y+X8QGam{Z3%)RdiO`#^P<5|I+6 zq7#M@Los7#gz_XVHX$}imie


    0!W@DA<$uG7LZ!n4GAaUrK^qQ4%-Ke>zN4-*!eW48sq~tMsJyNYlE9I{H!4j+S-|HD2|8dIYpIdYbV<7;xB2MsFF%(%_lH z{I?j&k1>14nNaBKLw3A`J`zp{0`5uC1gp<|O=t?2K|cxoC7c)pA9cK|Y{JSA_kj{l zk}!yZzw1Slz6?IuoaS(lQ{p#rd7&6Qsi21SSQcS zu^~RCGRtJwnQ9!Ba{h_4i1MZS3At1(?Yjp1gr4MPq_$f%Z4LxV?P z*wUP9!T50@M0Mip#g8P(5meNdx`!7^tAom!9Po3${+gQQp2|ho-m33H~ah$;yb@uRh!4m{eB+N?{)s+f# z4NNk;B6Q$Q7CuGzRN}lM*w?JHJk5mF_xk-$moP)ZObSf<{OHm=Mi(Kjv&=|^=h7F* zxKPGLG+5A#$XB@8#!g84yvAKotlF(cZyCB1ZxemH=sQR=_msQ33U{Z$ zM~3Nz?-IOF@FK#@5Ez(-IZ@r+hF=zjR^B6gvG99|vwp`(YVvrGUpKh>Oqvr);w6%n zN?Jxq1%6{SI$3Jm{l-5W!t{Xn2gN@`o(I9zTge3gIc~^3Y*J}Rqemn?D(NvwEcI9; z$4nfRc$JjdZ@Fo&ggW`-(pE@&f*Qld+(iCK<4+G)+e-1P#IGjL!?38x6dEyEziJR` zOq&o&jJ49%NqdSKvk2mYek`^XOgJ>;!lxxXBjH&JJTFDTJ!g2gfIlz%1>r9eXQr*F zZblCoPK$fVjD;P1o_blvD>7cC!4Ua8h*pCMsgS_0OL#-Vn?Yc;OsD-V6IzFw+1nD{ zk?<}BCM_ShGil#5zB#nX-xvRZ_z%e!L&S0$Y4ni^Z9=jAv4jm0KB1tD&ebeFHF(zU zKE9s`{#@`Egt>Rknu$2LFHLwn46yl1!q*bMp}?Y}0=wWe{8Vg2d>!Jw zC4NF9LdI4!eD_W?TZM6?HF5nv5Gw^jhbuDr#M4bDj#$ zfpWUYIfxG9#`H+Vl94P{4Ufe#NeoRs*won}S-MI+L~1vxyltgZnQ{zNGJ3#G_z@r1 zU35frl(aukA{9-hv+-0CYtgbFEN1GUaG$yhdu3DJ6(+BO{MFsX-2J%TC^gx+Z!=t!ggJkB5JDA7lYK8AD~1uGgu zmu)JONyO4=tp1M4?|Pd1%E8|4CAYWSW9jlpm=X?0I?m{6HJ(0RbRW?tkoHH4V!rHj z3@I3m#&L^ExW4AD2uJECx4+yI>GDX?OcqBPV08Tf{zwBwpCoz^X@8_hGLgt;@WKRQ zm%x`h+1xqdNTRqknYc|)ja@q@(=AyON}kPE%OOC&6nu#5tufy{v}ph{fa_nYxv=ooxJ#)C2*qQO)}w*gAphmF2r zH~ff?dqni3q95CwPP*kr-x%n}MXwP31ZiKXifuj}#gpdE40&XwyjAj6Z|-q&WDL8h zD7dagXfEJ4Jr(f(($J64U5&tZC=8*!9fvf2`!()>?{=D!P zguh5UL?^vj1?eU8E(pPTS>7x1UZuxi;eCHrkKAj<-#OeL=XLRKh<}qjgQd9@E8Sa$ zFArz%ZQ<_-e>dPwmFT;~v`dDceYfBH`@%mE{vmOm@CI}?m$;9Nemq=sAB)}~`V-O$ zdrmDH_o?x_ga*xL;y)Mv1$pM!@_a)z+T$4hWWtGUeQ>^#@U?_*C@`{^Y=J8cd~5i; zV?F+z@b88HK%AjRWbsVtN23RZxc(&iXVJfq=FS^yT_Z}EUkyJqwDNxw{=4u$i1X?x z$2y$Ia%j-}X~xCvd~p7f@wbePG*}3*=L)lx;UA)HFcG~KX&xc3!6wD&yS6r`RT#*>jht=eY)2O`x{Hp8j*>23nV32Sk&PMO7_Q8?_=NZ* zdF@>@jHZlUHqHk=EjlAQOPaMBWYRbW^r5QddYE!)IA4cJIb6ySRG3pS&m1bcjq3k6 z(wrSv`Y0bI=V&>{&|w;>#AXjmPZI`*BD#g{ui~h$35&x6lztNWOE{4NQ=ocd{9O zhBE0C8K=rPjfTIA#N(Vk2~UvN%s$<`E5eb^kT+P~5PH7bE}qorjV3Iu=gu^3PSDPh zcDA&0s4;+yP%59pI+Ev_F*g`PWek&%qrvmYdllaH#h^eu;4tUP(5F}`r%X;hI6O)k zvu8D;C@(i>UN}yLoJu)WbaXXULvX{5&V@2uGaU)nGft6PUM_K;tMwr~Zp4PqO~vgE^~-Jx!j!HJs&1$o zWAMxa{ADy&@OgsIC(KYcJ|0 zPmpJ(V0{YXos6CxYEmmjuM)jF(9Kwst+#o-^ayxHq1c@q&yOX%x>G9$*-|Je;wY#l9l; zRkBRXD3&wF%Vn<_-kERyU;cE#q59gtu^Si+@M_yX1KdpzGKV zeKKKQ5Z;&YfrJnL6)-Ibr#}72gzbXxv4jm0KB2$}#3EQ0GUq-uye#0K3IAO97sMHX z8Z9`Cwt?{@j`L~xmH4m4e?y+RA(~F%z3p#}?zTUE#K(On`g_qokXF?IGqj_6`J>?{ zgl7>y3IAF6FT}a?L^6S1o?ngLr$YN~;eHeSyXZeibLW+aCWbQqY50)P3HF!pzlCok z&e8;}#F|FVZQF!em;1-8ufFmJ*(9sQWVH)a_rG!9e)=S?q1`CHWJ!O*p&h=mJ&1~b~ARTP`%$>Y&)@gkY)I> z(l1L|^a#WvZcmeTsPvI;FKI7H9Vqeot=BWvX1sd1w;6v0V;>p&%Gi%acnBMkDH(Ac zO*=Ux)c(>sNjrcV^9P1x;lZuzZ1|6%&3>TpF2WBYt`-r}HB*z%6&leu;0`wHf{?yl zWgQ}`8!g5LFOcZz6kd!lW6@4N{@rCnWJGB&fzf(&F=KZKHLSSUgxDlm?!AQb4QU$R zlo^+WSfpiSWMpX+b2(m2FP;ZI-Q&dk2{DXD|lJI7!B!|1qLTcd{9O1mhGLr^+~u1~0veTs`)Gy3w`m{fRz9 z^kC6LNHZFI_X^X~;GHmJ+A~d>9jdZtNjh87Ih1%NIR8YQgK(}1@9pf5GE~Aa3Az6k z5Udgt-VQ>kgfab5pJwfzD z(k%UJ>+#TJlEL?!=7T?3@D#yQ2{TR6RZxvFrf!vGeKTXNaFko;%OPGjTV| z;OiEN#k8z~FBE(cVKr$H?zEpcf_InM=ItM1aIw5g`0BojHew<6JLift(xYuza8s#gr8oA7w`OVB93*W*N88(2W*G%-w2q zB+$2szFqVkq*=gKRMxvYjcpZ1$=oG&q1Z)anO2(*Sd1m2?r!sjjP>!pN8Vz2_tN8y zaB~muj^AfmE@(@nEtR&6+W#JoE1unN-mu_3An!qW57FaAjQ0fdg(!L;A2#8O@B-f> z5+0TC7zO6gEMBv6%MC8MAHU(_9v8eq@Dqf2;>)Yh&+n(tc+#BTLvPjy`CioKJGKopNsy2G*d?>3)7E&X?(wMuD%lgwfJwybMN^= zU47hrYxKE0`ZN2T=XJl7YeKna`$Xq7=BLJ|8K&7 z7ybuv?mrXG)t@H(-%{=!`~OSA-x4-bV04SA8F&8}zi&v)P2yWjQOg3~I)IWVg%E9l zUy4nOlS2AziJ#E4kgyd6UNA`?;}oXV*xHnAXInYj(a}8vlg+s84c=`b!;cv3 zAh@OA9Rr-e_#d~E!FM_jw-Vf1@XmypK0bLOZWj|)g?_X)652}GmBPR2lXANm-!Y`m z?&8~t-y`suRB=k8J&iwnu@6vt@q3By5cp#Hqg7%2USa?Hh~HQIe&m@SQtG&M9SwhZ zuHXIs!aE5+fH+eUqm;6)v%!-R9zIZT7r_S+=DuTPnB^(!4mSLSo*wTi{1D;Yh%2wL zNrX;xcc=;PF7ZNl2@wg=AT-pW&pm^Y?=ce|y4GJUaR~_tNeU_l6Pb)l8NAgvzxTA@ zjNmL`)~oQQU=_KJIQF_ViE$>)*y6o|0L@m3tk29g&-aazNOXwrv1PU$j54z114^nV_P5Ld| zXZlI%FX==|OfHTUa{~;1cD6slK*1*o9zs`;DA$G9XA!K>s#PDnq`N^GW{9{qipC$fm@#m0dc+l-{;W^iwS?#?u zRL(FtIXbLaq%n3)kI{>ZRFs(3<~pyHN-L9=r^a+br3Yh{3~n82Jr#m01y>Q~G4Qe$ zCT*;$XWv~a>xP@Qe5lX5BcxSJtD(l6g0)5C#Ygo7t{YBU;Vne%Iyc;^B+7s|Pa4wHeGe!}YhZnkN$PzGEq?GkC1Qe!eu zOX6`GUc%CB?3bAr58mbSu8?;nJ(f@OQW%q$FGr))%`qzxthuu0$-0VG2Uw-3%~sSo zjIwK}Lfa-^P@5K$)zswhOyX+W%bE`X6nmdk`GEl}H8ZeBVZ?QwZ4o~4aIFT;~2d=ff9 zR!UeUVKs%2N5goJGPlO8OgPM1S?gpyMT>_)k3b#QEpzKlxFpOm{BJFNlAUJP%Oru)ZT_M|{bIGs0UlFH3ku!mAWmgzx~E$4a-{*UUL0 z9OQL5Z^(I*j*oj36H(OW(3ewiZ<%#uu-=ySj;wcS6?-0%(RiLc52YMS+Th+Z@u(oa zFYyD3A5vr*jL7HFiGbB8j2{)A(ta#{gZNL#hu|gb4*98BM~9<)ChK!qU(gB(k@N}i zr8&n0=PNm1%lU?muM(k-_N~!91O1)o??wMWx+UUarF9%*k$yC3hfrMqB0y z9PbaXNpOp)YS`f0!|1-;0)G`7HJv7ScuV|*MvdUD2s4RNi7aBfwb94S_VhNQw-vn| zY1Ush?*Osn@-@iqZ6DJ^uf`7AM@#KvNA5#$Nj|sK?PTz*5SLbhTMOQqFsI1h{DA1V zufh7edKYCE^GAh)wUOUe{;u?SdU(e!R-<<_V^X+h?=GXAj6G=Z3grct;Z1%|6MBbp z(_X?}5;{;Qo*UfV_cr*G5TAVn?<;se!rVKiwp81}bu{7HIDW^+?JuE|gaat3I>c5+ zXM?l6-4i}ga2LS`1-Ot$b?{(=+fMhlr>=qz5!{V1&pcjYNM+oiMz;@@+U}wwqNAJ9 z>9mU(-8s;4(FxH>(t7lRktyiuOBsG_c$qdWJR>|yJY1()*W+J0B=}*X4;Os|X_hw} z?o@?~=Sbt9n(HHal=!2?A48r6+va%)^U&p8PZKW;nWvY;-V%?cs52W&#@ulR-`|X# zaev1P?j!hw04Mk!NMD05F7a?b!TklFNSMu!cv*=XVC7Mlf(`RY!>Xv#-6sq zv!{qXRqSbjje_iE@=%<4qQr!kSNO1$N+^?%r@*2Y7hNn8q;ivv5BZ=%Ql+FSO1e^mFx-Uy z6#P*}NT`-jLxI_>P|oh2TBDOQe730*T`zhhX`cOb6qkoHxWzSo*9E~1f*S)IiK2Z! z%HYFzIDA}_;L(Dc2{Ygp(=jGI5pEe{C7dVWd$cAd~yE?ccbyI zh5g?o{$}yF1U^zkQv^VS2h9+dSEEnjVpaR#}EjqejK^+&`%D*iF@p?rw(_RklImz#7#kRF$` zLedkId|QLB6yfF42GwVuG_POqR?1r?Z#6w$6jiPqZwIe2dSMvcv{v*w(NB@)MNu5K zipPlSP3RHcKz>@nGZLPq;H$r}1nM%FD4#D{nAJZ7>Umi&$a;|$^Tg&iG0d!l}_%7w<2lG|#w@j@FM|)f9J5t}J z+U9@MGIS8|#pd_SEd=*{xgW^=kZ!STf+9HO$%N5J4kCOZAWUwL&V)q#vU3D(MoJ< zu{)FHA(Dw?GM%(1N4uCd<9r{BHqzQk+m#wyWT{9z9fGx+Ik!*q&hB#B$=QPrOQcu| z2TNdj8PrDIo+j;fn3vj1+DlRgN-QgikDQVjx3>v{!iBhxgncFKM}cP>eW7vJ(cqU( z@_XN3a3{eB5LTfY$5I8D-LkXsJxV=)p!hE04@#8nalsBMrZqK_-5b@S}wvL!4(Ml1fKh zPlK;uUckro65Lzxv4jTl6`B#(NQ246ibJalNO9iXJ99N1B-wc{&u4C8k_A zz$>Lv%B19}@H&V@;#j0P<;snZhiYww_)76r#%EHQ7{(kAH~#971xARk7GGn0Dw~SL zQm)qcwc)hZiLVzw()d_95y7c)#(x+RzaYLreB-}-CXqt&k1~E!;G4vc7T^3YpH5+= zGB?KfPXj+z{CVQfC(nTL35(s_#+h^+ODKHYcu5l^O{B!VMKF2?SJfoL=kx5~<0cEA zB7Cahu{3l3G{fHtL7FanhVYrhmGjZoO1W7^|G-O)JHJ5mg`zL|myRMY&o+ABKwm8S z6493$jRGOzE;ITF-c`8o%SB%y`bwkYaSTYDV|4qFDsx586MYqF9yEmqA?|8}N6prr z@#sSEe8JZeW+XF7Oyl6LGrHS7p1xl60?{`FI-AKNkKJhW?B$-mN%YO4ZwYiJlR*x< z)#%duJbjz!+eP0I=y-~k_nk(Uoa*VjL@yM*h%{r5yq?9x)o4PPuqK?%dn7EDa4!Ys z3arEtZm0K|a&5S#mPlDDWf>J-v(aQUmWpGdS>taFPn91K|DgDX0*|ERoEYw5<5z@! zw@1W3D*iF@j00wr#!LA~(B&p<)f>O#;~tl=Lc$Xi6rgxEi$J+2jo%O+;I0(EO8n}; zV^Nu828p`H_+%)(*NR^!{wd>AiFgcYy59H!p%8gm{4?U8CC`6|Vk}%dr0R1f)rVAi zUeXJaUZlkAnPqk0C4*lJKA!MAo4i}x-Bza#iv!c6}d?y?Y4?mZI*AMJ(rC43;^!yrUbiCC0*`Xdwih6MUp z!UhSS1Od}W#4)=}%6)1=oX`I7ai2-}T*4PYh$PbSSRAL|OA~$xr|c^UUrYFg0xLh5 zE+-MO`s=r5jmqdKXcfr%Ue*t^m`vzoO}QTpUJ@elli;5P|3X;hAggfhSEDnb^!ZKn z@1p-OI?5dVr_p!uc=))#ME@;%BWYd6k#w;q{2vpx3`OB42`#3pJ%Ddz2-Xi-#n=Kr z6dMBrs{H}B#7}4ph~J950v|~t`L{NDez@yyBYIoW+x<)9F66d1+68(C(Je*qNLoco z#4`U*rt}F)D=Dp|>`aB{(T}dfsG(iV*e8rgY9phqj9qE4Kr6?4SuW~!GkjPWq_Vs4 zcEa}{&iGMwgECsncHcUZOh$8dLHkE%!G1P&Tyjar=ngSM+{?j-*%v=xFps zA=~UPx|8SwNUO$^jMUblBdoLWi^ARcK=EC~A4Hy6foC?&nSl>BVPH75T_qeMp&JEe zeGN&dE$G<`-n205(yti>M54Q_h^#0rmiBd3Sl+&|1ha2wRAi({Z&1UKP~XR#P=3|EP3WVm*---1$2%bXU5{N&iU~&`p7te22TlkwrVuG zv#$x4CVVROlh9wni4=GU3Y_+<#tkrIelP~gI7!AJ8qD4@a_(fquL<}m!cP@`8gaIm zHtX5bVNN&i&FApX__#CV4VE{Ap6;9x46(pWO=lW^b6d}!CH`#j=a6UXn;mGim;e+{ zgx$I3q(UFsP&vcoqbFg)pUg{Ri=LAU$x)CsQ_K9V@Y!~HWn&iIXC_XY6{ z;v32HT%)@$-=G8x-n+#+092`tc>$yoKHhZTBazB zGyJ8V{s7~JPY^zlI3KEEGGZ*vThhpwnY1bWbKN|G*#XVo8@s zx|9+Nc8s^cOu&~Jo$cc3%SB%y`byHwzoB=7i9N@hUZIa-uAF&tuA;*Xrj8&ASDSEl z=m@$-!h8wWQsCK1#0!{!++An*b!9$G*9%`D{08ER0q+OyMx(z9SKv*eZx($EX@+J@ zo-<0~lD*Z0ufuD@w@J8N!W|Tts+&a_6Fr&KJH+`eNed+{qQtuq`i!b-iYMZ3Q||f9 zN8=tTi>2I4g-MHnP@mJR4;#Y`&f;^9b z_wK8?W*U0?-IM0b2(R9+l(S0CYC1gMxtiga1<0*2e6RKR6(6@&_&VWF5oe?e5j@Fr z>y2J8(Ff>h(a(r}mNajbSc)g^o-_DAq2uUz!7m7YkuZ0S1yHem%u7c150$Q$MZY5Y zRnm-WiQ_w;g;K1R>s~YGp11K&__){QydmdJIx2Z^hVktDEyHJq6a2RDcZ9!7ocX8; z&;IkZCHc}3?mbg(4fBh8jOS2fLWjD_mP`WVDsBD-Bj& zF=0k+K{Z}J-P_HqBd+(c+Fe#VS$oi8p5{u{6;-No>}ksE*I zb6A%e^J-V24}WhH7uyU^68Dw3A4Q(X63mp-(b#_P;3s_C{$e|cJ%Fr=x>8I^h@!5u z@xM*+fjUrp7x4#?XFSHBsPi*?A8g9OOT5xm${|v^QQ^%8Q-~{x-JvG*3@O}QLPSE8 z0?T{b-0Fl82ow| zQGb}=!v!Bfn3<_K>E@9}KRC_D^eE9si#~=lW12`|L@?Kt=xM?|!|^*lu9t+~5{{+7 zur#1n?2a>dQy5Edyx=~9PY7_1i?Q@Ic+y(!7|#v__ZNI(fHUY1a{~myAMtT@qU%MEG&&xMU=Whgs{&mR-5|P=G&5K!s)(5Pw%|sY(BggV9RrahjF!+$ zfpNvy|54<}7~g$^=f{daPyG4hd9LtYGUoyxg-JZzICB;p>d)_ZITPeeq{FmFCU%pI z-5B!lWU*7kP9@94!OH*`Z8Od26G!+xPZvEy^vpo#N7Z3=(pg5Y3e!GZAo@bl7m?<9 zszHN1U*l#QzO29B`NhI75q>FgmSntGqiUzQ%S>4uF4xPYTp{I3Dk_+YnR1Td--YQh z<_e!D{3_zbvxVp~7hi3{^Wkh=BVoRTYbh{wqR2T3cb(BMb;ghQxa&nP5Pbt_Mxd&; zuGCM%bfYQHclU9=Ny^PqZlS{LfC8kpGKVE8jQ{jp&)+8gcJX(R=OIe4;8hcnwX)gW zX-cct@GtndyQD0XvWNA{*NR>z`l&$Y%7$Y#wDm^ER{Jmp>K_ii{}iF)c80*FZ>1JFB0cD zE7VtUj5}6Mz@Q^@>O<}1WjU|Nd6fC)R6*KYFA;#OuP}5dJ1{UJJNs@E@ z4F(DmGGo0Z%;Ws22|MoNWAT}U&n0|8f#-~6M$CO_^u3|D_)7HGqQ4=n8x7})!R7F+ z@wbGojPJyMFa8Je3=Vq~8!Ir{BxaGbBCHy`yqCOkLxZYA|o0M z;H7!yDHk&%dYwN;Tt-4hk_N-X9FoAS`YGd=gxrx9pAnx8d{qrExuLFy@jD&j_kWo9 z!^Iy#o(Y7-vxmAP4Sui5!$%1|TJSN185mY!%W`-Z!T3i)wX~P`-r|o9JSxcIk2C(~ z&`v&Hd>`>Akmtoy+l+bfU0DQlB+V>`#H>JRR9}gj>;Q8{hU6S5=Oj6U z=rC7f*l(^-`pg&#x_2A&JaCV^bpbt5Ng%v!OUTb z8F!{R@ldrsOU~JH&Y`2L*)@-L=Ng4H6oIP$=a9YIKN?GU0~Mns1UYT0%1g zo?%R_$l<$V3}4>a?|-cD^Ms!t@UmP@O|H_7GrYrZ*a<#vyzmLaCk7m6m&NZS!`Fl^ zlF7oS2%k!Pd+Y?QM0BF^9b7lfl+!|$f4Yql5pgEy zh$=UNbELZ2CPYHExLCp^5-z2{ApN_dnY+xC+%TU;mrJ=q%9TN>tiwVNdA!7ycXLds z4aquJ$~-AoQQ?KdoQg(*(I1B}T_bwF=xa&y!uj_A1$Uh}b>Rrt%UK}j20DDwSKVAw zk8_PToY`Vlf0Yd-9nEc!vsQHz|QEe4)*kIqHh;{2Wg%S71(%OV0bbV zFLw!FD11@C3z$X|uaMnscp+3c?-9OO_`Sq=iL!7{VlquU)GfICOj;UB_$88-N?JyV zw{$Gh)S&(|>$SSy%-cej?*lR)l=%?NV%93bVjAvY!zaIq{o&&t5&o#~$A~j)u_}XJ zE<7_Z;ki(od0fH@2~SX9;ekdB9^o~(Cyjq0G%!|*UnPDud7k#F#?o4>uggVn-5PUN zh6lWB<*bwQ6dm4k@o2t0SHo4b)|)Z#a(@b+mhp^?XK66Q7b0PW3Y;K%c1Tg<9mf0 z-pArMi2sBx`EU#SP4Mr6{~*jLpU`{|yA@dmh7ZjPZfm38eI7sJ6jvxSfn&8P>&VCBC)zoyjwY7J0Xe;ZFv< zjqtX@cO}lS@Bs!M_K%z2LnBcOcAClH+(9t2qTS zGXCBsHGZQ5U@VfPeI@NjNl8;)TJJgL=(p6{k9tgSf zKzUu{9Yl`@!Met1Eg1au$v*wN3O+<|w*VLFQOF-^@H64g&|PpuaFj6PT)b|JqrqIv zq+`Ry8<&)jl%&MqjKLy1E@g20@CYLTQjssGhqXW*k`JBXF3E!(|*n zgBb|Vt=`qfbJ>?gXv=o3kYq9@x_g{hwhnDJmZxdUaKBx4W_ zrY6SK72L@NzZ7b1rwBe(@M(k@^m6plUqO|q$8zL%B19}FrF?~gZ6>J z9Sc4z6@n`TR}p4;T!jHNXu>*7(u(`UaI-Fsd258MYFRb37%Dim1=JwXH&AOz`%rVP zlTt5bBoz(ALstd*E%~UFlL|T0%FgyjDoAUP)<}(MHOh^2ql}$?muH*AjuzWYmIWNL zW*$wKF@}G)4!`2##tJ`A`1!;c306|aG*@s{p>d`(hC1qaDHEhjq{4FLzfuc@*Cg{U z3F$Ri-V}LL>G8_p7(A|Q?53H}d9shnbO|#g%%s3`h({=OZkEA4j`Q#Zf-e+&5n<-l z;+llBjlM8cR4x{MiRep7GnGaa2gY4y_-D8IonJ2e3gK50*Usy(XrP;8bf+(|4}9EQ z(ep%KMVdP=X{^>_5QZ-fPj;^nK418?#CZzvh`Jmd-^>u#nQ~BHAD-)_ERb>o6=v8R zmq9H@AE9R8xY4Y0*5e=XaW~1jS=KGIR5RtQ?{&Bt=bGKE=8Wy?k93=y+vVIrhcU0= z%+2mjqkEj_>AOTP6upQvqk^gsCNtN}#dn+X@NfnRfx1V^Vk!4hVPe%ZV$r!;cc0;_ z2KXZ^5x!LTvVh0&c0w}g?l*kIAnm+`dqDVu!XF~e3yuMbVulw#G5N!$Jr)A>h_pwg zJw}Z=4~x>|+;W2lh4&2}7ra976NGs(c#Iep=qS!T^Q2kJ!y#76S|w{WEhcO==Dix~ z))?LONFVLBqSuLjinK52|1Zf<6-|#%Xmh{vov_J5g;oxpEKvJP538#-1Bl? zknGk8yRh7>`Ft2r~_Vw{+r!QnDm7gc9+mj!X7~w*@&Aehtlk6 z!bc;0B-%^ZOF{<zmtuBDe05`6!E8uKaD)IPKj&e&HQx3j|nxOGlUNoK7=^4LJ}|bxibyE zeu@vvS%S|Nd=6ozI9FW7I3uG!S>@@WqKApj1$sC}IOko7(U}nLQqg6i^Q3vfVrXXp zH;oal+=NcOd_*fGR7$9#P>g6Z#v;1mhW82)9U;70cul|yRh+ic)f!$IuE09s^}>=aa3f(|-Xp4Nv2QoZ_|yeH=uP5Bi*F{+xHjh5F`FCh#+WcR z+^@$hNXMsH& z9WhrMdq>EP*NB}j_S(RXscdxD8T(r(O|KWbK61Sq8E$4mo&qU^)<5YK7-u?4=)kCRPZvw+;v?gLgMZ>`mWH2`+(>NML$HE z0k2@dF;wYc&`2TD>y7_4@K1|>M*OqnIS!e8 z8sm>Jvz8*`o-^^cAU-eg1&J?GWJFR?yoBdoGJ5Bk_z@rXvglVtzZ&RtJc`v^36yx%hV(W^ZDw&-_6ze~EHF3zXUp87QyNVzZ$*$ z);_QPCi-{Le*`*>(~xz48vS@U4S$LLTl7ZK+aid_N$D8hO8v)#e?mkzNoaAQ>i77T zfDvXTsAA%g0DdV}@7IO$b4&b$>b-=mD6l+isI7Nf8@no00=E&nt=R3zG8M4|Ji@-c z(ZAl}Q*j5;Ek*BWbeb>V>}2%#n>^i0bZgN&Z$_u1ZWp7k33MCLZAI_8Ih}U989hJH zyNhlodXLTM4BkpM`uae(7rmG04y0KGv2RQdKQS+!+uNkM&Y#wOB<(9{KT2%8mZ9oh zlEd0srS+wF0u@POjv`af4-ftKm)c3{0aUq&CdT?V;>ih8i!(l86UW?3eE)~vQM{5L ziN^H*as7Wh!Cw;k1#jQu|2bC^X4K|)46i2PJF5SW>HkIYJ$?M1ilo!neFR6r!~ozi zueQE3{EkO3#SJzw%;yuwd>9dIuzmu+F^5znuH)cO>?xkc$lFLfqkqlfCHF`IlcB&) zq!0@s(F`^jO!mV~w77{y;o=>4{e?M+_-|SLn8f=r_%|%J$Q>sW@!}>y1hYzUXGvTP z+F%+L{*_?>lkjo8BvLNQO)SQLOJd>%ZW0Lu6iJ!jcQRhQt8}*W^8N|_lpd(_(naUx zAfA^4kllIhQD-vZ8^ObOOy6--mynM9|9C?Gp9IO*+4)UUCl23849v2@^osJdqR$L7 z17U+?N@Iib#vf7YK3@@QoQ(_>J?#B;YS;L>u3T zZY;u+f^W^Uo{6RT|M3jJvHBKr26==IF4pDYH{*wIrZF}tga#W13Y$#vM=V8;zwm;D zHc|Z;Cxsv5+9WX71pdNWncQUp;|{sO>=xW)ihp797W|b=AzIj^iBVm)S`1kWF-LDD!_Da%xWUyx zBAvv_l}P9$i7dWxbzldGs=m1coHqmuXB%mT|I;riq!|vX|Ig_EF_R5`VbJl7UE})V z@5%@G=D#YX<48vS&dU;4A9DjIx5rE%*f6fxpdSpIXa+eO8)oo0qY~kU>5L8YIX0M| zj+-P>50@$u9N)wdN*plBWX3mA3E%NFzZnpu1WEjXZ$%}ULRP^4WBRr@X6)ntXBo_- zqLNZnQoN4hDMbZ^1OH!9!Gu2uONylfu02Hv*_shzNrVWcixEmALWlxN4jva7k`cn` zV@#0vxU#T8>B9~4d;(_zOTXz%By<(x8x&@hVN4S!_izm*kZF){uu0Hi1uDZ0hQ4sa zT!u|X|Au0SKVl{?{)pf7myU%C1Aicu`K^qeK)%85u@;)Xku~uDDg8fU!auV73Cl(B z8`l9gDWn{}qqq*Si6w}kj}?<$A-_@0FxO$j;w^!>ZV(Mble!~V()3^}O*e&#NmrGohp05| z#?tg+G%{G4Vu}e~5!?@o4elJ-iGN{+7ygA(AAw2(<&T^i3L7jLkAKTVviOA=h~Fr> zxKXH4#Obf%j&V|vHqp#9_!n{t1!hZbih4%-!hAX;P||9{iSm*ed~1V?2-kuB z$Rd{^94d0~tz^ie35TCDIM4WIA&F$gWq`x!n-@|llEuvx*AD+5iKuT}kSJ$y{?H1< zxlG|k%6WP)^A2(*C(zg*;Q(_`evMRHlevSIAHJi{%`; zq@p<8*kE2CZa5(mZVknM;*Au4Wr_s47w{L#BL0XZ(gycl{>4*~;u~`Okwq9bI6wT0 zSpyq{NE=*2{40)&CzZj`xz7x<5H`r2X{?-+N@HhP-RV=f*=HCVo)T;jRbI}xn|#KM2W$mprGR}QJ-WwGG8N>C_lJMlpi?7nN$L`Fm6zX!G;q>VS`Hp|Hj;m zcp>>2TAomlIDHh-kt|8%Djo=>95Nd+5iXZ>23efR!q9?5Vans7zJu}>8y0NX@V17H zk_BfIStW}?HkPPBeHBG^Dm@x`+Z}4tD+od=DFVjz{edgvyaRZXtH}B51#mnI-k7tHKkpxk6b?~ z{iU2ph3T?cV=TtiHS$evfT?prlWd^WlcWx!%3hnAvRHmJUfny{`1^bNL!Bc2RPm>g zXOHQ~#(ZNw>P|O&ZFur?hVa4vkFE0nucFxBKUc2>!GfYlwV{HD<|H{ORxAh#iUv@u zkaAKWjY$HDB8p&8ktR(=1XL6eMO3Uyzd4 z*_oZ4-JO}8BK%z9JQ=>wa;mhP_j#^tXIbKWDHlk&kczSdN^@D^BBwi9gUwLU!$cQ4 zjSQ3-ikyDYGElMT645Er%%|uafMvfiy^Up`QWtNr-i&1u%OzG&WObL>2e0yKbk!;e z!(HlX`DcWrN=a3eIByCQ7VVMj^^na@g;gBcU+wZH>qS%}xmNN>%KTdGeZ*10&IrM+ zGV3N@C#zmo11&cCBt4u_Zfu@_f50z{meDAqiAK~v27M{fhgCGy6| zyObU?Lb4cNNvp$H$9KC@p`g>g@XLjdBhEIOMAYRVT;am_Zjmrv!UPFdQsDWI<_!G_ zL=1yVQ=!?dTb4$#nkefkSy$7FTGn!N(L=YQR-eYNacz6cbCaZ9D{V40US53sY^pBP z*r}#4#icWCQP`=Hrb(Jki5V5|2rMCcozv&_iOy$+=$WEt#p&EI+v%Z3&k=pS=o{j6 zUbxZeLZj!3zDe}F7~O~oLY*FE^nB3^L@$ifnc)_v8;!nI^lhRS#p$eYyVDmNeTV49 zqVJ5+7^S|%>6FoTiC!xD?ih`aHTO7OW%M%9_ljN~r?Gaj(=|rlFZuz|D`Iq0B0T8y zc%vT@{jlgq;&f(s)aeOEKPGym=*Q!9R(QhcD~*0q^i!grj?-v(ce>f=Rid92{al<* zhUcB0X!HxBUljdPoX!a^JAIYWuZVtC^lGEk;t^hRdhXmP$G$H54bf}jG$!zI`eviw z68*O5cj9zrc-QHhjDAn_`=Zyz>8!BM>3K$fAo@em9~sRGa58-C^Z@&A^oi*8qBj_g zLR3~}_|)mD`sge_6TMON=cM_>L>HInzW>6FZw`x|F<;8~O2*eTc;BPunTN?gojy4g z9sgU=---S{PNPxX=~ImUQS>I!KgH?H@Uzo>js8XSucCi5x)EbBtHWleKd`R7zl;7u z^q)qjMxs<1{&Kpcb##_nL~j-ScZ|->2>&=;X7saI}CrOo6|2k zIZBi5u?x-VqIWPFZ5x;Xb4RCFJQUG8iQZXsOVU<`K!F?$Phl5V{%gu`rFzm!H94R_Obi(NTeAF>Rrqhj2Ms$|wY|+U$jdhTnZZbMobe`z^Z8T~{;V7qD z8GW?qV?-YtqtV0fIHx-peZ1&iqECp^IpIX7I~jeF=#xeFj?sy{aEjBdjqW45ujo@r zTZ$*p>+Ce=ceWJoC%(V<)5$Z%^U>~`AI@-kS3CLu(PxT2D@JE#gaW5`H+rDxL81r8 z>FjW}(`}7DNAwWU=f>%raGulq7=6Cz3q)TSqqCCXBBwhVJyi5C(S=5%$qDyFk<&+4 zMmeQebcyJc(H!2C8%muXGcBUaM3;-MFdBDIUS=5XbW2O`5uz(aR~e0lnC$FO?expD zqhr^It`$9!G)u5Nc9zvRLU3yr3!_d}y{raWeA;1X83#6ThMG~X?0-Y_s2(k)QA!gP z21G^U_*pX!7rWKgtV?8#k##ApbZ52th9VXE(V5reRRS6c@j;y7E+s(=uVN-4z}FR>8LkUPM?A3#2dBAa?p@OW!+0FBW|#X*MY+ zKc!FGCT3gW>JpnF;x4I6rQS`IRXvP1Le;GhJ!@PTen1qnWfJa{u$%(lks*cA<>*xJ z_=d&^zhC$R!dDRI@kgT-s17yh@SqFDHb=xm5+0WD2!-g(@tAzn={xPr9}~S&^y8#? zUsN?zqSI$NrYI;5Pqfd+#4o%q`VG-* zNZTVS+t$|(Z@SgW9#L<}dRx{zw0O3d)Bq!M>%zOv|7#sq-xL47__gGf{`mfr8`e2} zuNC(`5dER(k76`>ihS(!BSwEBdcEikr1`k4tH+3p6gpd#g->1i?7HY;eI{k2l+R5m zu5{%KSK5BfR6;s^Ddj6EUsK^j1Ebv4?x^O&Z(RD&`tyA&={rf^Q(`i47MjM2!tjIh zQ&uww1oET!P2ztdA0<;JI@CD*n4S19qJI_r8)=@n4a~wAt z?C_Vt|#n!DHe+%#C z)^29)E^7~2ZD{cs!*_QsX2uG8y0C`{dr4?3VQ&gdTYR9zs-OEfJ>x>`#4ofHy|3u@ zPG{y~4TBC&uPTh_j-oq>?rbzZUZXhM#p%x0BD$aG{Y4+JjmGDoaG=w#+thytiS8=; zVA6aN;VV~WIK<%}_m3iSsNimbyAxIhLg%>raG2BAJrU78L?14?r_oG9tP|{X8%w|= zMQ4akkmh4IGpSxdm7JS3)14mH2{ubkwwxrLec+U!B{x*mVt#$}Ai!e}k0lJ13puXu zur-QcuJkt zZcIvea-ZkY{U)6+=>ka?#wAbgi(Fb^(ojjmBo)RbPwpa@9yO_0Qi-J0HVL2JEZdd3 zG>4fJzfdNrTv7$4bhbkWgDBe#cjrcPM#!m@Q$>gE+6jC=&8Vmz&RI0ks(xMAQKKrH$&n~iL)s3Dydi7wyQMTwN*W3VW6+H>!sa5jg=T^ z$!&QEGXuHzo_TZS-6U^b+}oBZFguWYYt5T4Z-KmpaWB)OiHeGQADefpyxZh0ihEdo zH_GdE;db{nn0JS~#q#dl=Ar0Y$Vn$vs|`!s+hX2b@|McGn;t*&qAMAffWfo`HJTc- z4wb5V+}&#KGP(E4T~0Thrufz$3-dnr{x5HtHIEc60D=ad6yn_^AxM{KPGdf%*V|v#QcC&6*ZW$5nn-NKH=s8&qjIY zNtsW{e3~ZjR(y`ejNWW*e#VWhL!!HNm5gU)JVzrs!$ji$oZ<8C{`ZI|v=`*QDEB40 zywfqkP&%r3nZNALuU4vmMb4{oR?~^DL?SbGC0=uHM+@t9d2h&DLyvbMdV$~yrq>qH zUHGPpJDd-eZCQF^>5{C(kTiAUjN{!cjTT-?RN`9R`_ z5uEw#u|G zrF|vsYihh^?ADpU$T7^m6~1w&Z|^7xzm@ZyobTzd9HFkD9Fkp`Y79TPbec&&O4=mp zCrZ4~?E8bS$=>kuvwK5Ni30mY-mmh0qo=^&*mm zDU8iS8L2+}<<@`uL_uwlwN=*Nw9-+;m*H3x|8ehp^Zu3BVyfy-*eZ|ki*kOf*Fe|~ z|B|jsm72IccA+XIaR-X&0MU^smic#d?;-PclDD(Gmh_Y+?C)#kmt9<%e`<7gtt7RU zv};_#J2hR_-p!?3Oxj)29+KKnV)j61uzV|P@99qQMNvR|$!RNRZ+FmhE(0xMsDy@n z+SP6G+hLC+eLjL&fV&I$ifAYp*;Glic;Jc?K*ipA;M zv0$5IVGNWsNYY?RtoGMcR@8^H9iD36N6!&FMDV$UmD2bCvn|QOd9Dq!#>MlcT_Ej3 zYC9o}R1>Dz#ne+5Ilot%=tPE!A11z#JTn2hJSHp?6uGm`!YGzgA}2*hCy#ENp1`Fp zeQZ*hq;g3WlvtQS#4z7nIi~3t?#4bAwGlEZWmM5%VTMf^`Rw+)t^6FS-QBYS2!5eP zZmryrbah%NVAyE|cec)ooH{x6avJF9wDJ*@UDHu6b)Fqbqa`&;YKlqQGTX&29cI!c zlEz57l+yM%+Gq@|9_wstYlyx~?B!y|k&R-tEwQg~Dc1rRFKL3LD=9G-RG}YN4ZeUk zJ6~yI)hCL-O8nL2Sx!>lfcQJ`8W$gWC_4Q~60emwnIdy3nx?X2PvR-A9brSjr%Ib9 zZ8|lc6g1Sr(1u)9TOY1-DZ`{0l4eSpMM;rFLs$~uol@yVbc(}l7bjbr*c^%1OS~a2 z=ETJtU7Tv-T!}YHoEH~!Kq2c#DhEO}tg&Z4wv7#r(KUMc!yD`U7}=K zCFNNu&rxAAVeT!oZ({mUzL1}H>9W%z=>isa})7A=KCW2s>HZ>gzhf8#=-o9)Yh}digQ$P4{{v@Xz># zx8%Jo@12;Jml5;cb?*rC-jnyfytQ#J5%bo$moV=Gc^}IADDGv(ypP?>H1896>*Z~T zds#8>Q}>eQeI{?CywBracFg<2yN&Kv>#l{>Lm-GqNHt-_7gQ$d$O}o+`&A;m|+Xo{AahuS=sv+S-;BqjTY~g zQJQsqv(wMoEOoz&{zLSiq!mUEnly{cQ&_bC)%?HQ`q#?aTV!pO^*1e*?=jdZ1GTv7 zs3r6t_vThcXY{YU7SmLfP>Qsi!udqFKp*kga2f~b6PELMa4(^+D z)niAurc955*h$vTvRcyO>7)M>K6CEk^pV3Nx|QhGqIV^oK79<{tirkwT)iOd=GNZ! z(AZtp9s~m_>?TdWG*F0;C-B5^n?kegp(!orl3rYWXcYwIK8i(a39fqMW1SPJ_cuGhtr&X&wap2Z!BKt+V_=_c8Rnx z(k`XOSB_1{iMLKk1E$s=>)wX;k$0KA%jJ!u#|YZ{6H8UNvFY&07%yXjj4Np{9XPGt zh!h(3IiY*AOPPsCnkeZiNmoV3e&x=0qc8&Cbqp6 zBK>B&cJs_Aq&d>Amv#fS=)_7()2+h@>_)e0r$*LXSvSd=M~fMr8L_$!OAX>RcC$Mp zEeYq#Ss-U29i}^<{dnJVp4wEn#ib7RD7jVAZITvIvIkFYxZUZFM&BWNvFJNVGg>ux zP1vh@i974<-n~oCQaN{vemJS^c63hCrR>jawmIcH>e)TKjBdQ8$vNsm)f za-qu$#>_bVY$0NcUwBgVQ=*?H&1;V@O}JZ&Q&?*UWtV5%nlvc7_N!z)E9*I0j97JQ zcvUT$A2aeX1JCm=wK^-3UXb*nq?afuVhN0F4lg^M7=|O^7hVzls_50E(=UFET}E+Q z!wAD`ZgsPhe_hravewXI7#OaL9*A!`y~ai9>u3PxSku*BV_` zTU(nG);T@7OLVp$i2hLYM{ydx>ztlw^e3X%i{22YF_gyXtBw9l^hVL2$LXx_h0~La z{!;W;qQ8#Qjo}-oryKpP=30OF{ww`?DT2YDgAfRe~A7wPGg2Dr~4bdMf6tDf0MR5CJQUM@G%(v zajAzz|6fThrmM<=tz{ZCw{3?%({+}&EE{Z(U8u8&-hnh%R&N*`c67ASYF;}D-C1Z$ zqHO$S`62A$@ORy#4AV+*Yr(q`=F_3L1U=g@T0HFL!pcvvAHT4>ggqp*q0kb0OHyhq zs2&>jbfbKW1WZ6Hqpgg+&A_mfTC}9$*}IP$o%W3))lSB~GTPHoX!e|IsLQIJwzWax@Vlu2}d~no6$##&Jdl5(->Ui^k$>8L}!am z#%T<$ar$?ob4BNg&X3XAIpHX$w;Fx4=wn158>cbztkeG(eZ1&iqECp^`Qb#T|26s~ z(I<=U9iuUW*eOo`XGL@^`-tu<`c$VeV*+NLb-Kvz*nXn>i$2|H&cqPTaC*AMWPs>1 zMW5v~j-3|@oG!Lw4-`E}^x!z1AI^5V#OQNG4-tJX>GT^NAD&Q_L}%3VTsgur`T0^V zka8gvW^zpSf$@?TIlaVczC%S16J1E!9!@znH$st1M_LfYl1e0{C@~1kBb0?4qj8p58KK$fhb<-(MPDWQYNIim7+MXkar%wUQA{R@zE<>P(tICaHol55 z#o@8PMDSF>(*#c^9OW(a0lv=Z6&8^hqGyVpMVc=I_3}fHy^=87jhWWVZ;p)XW!yj` zT^hw4CdI{7;YJrSEGN#DaFc|26qFP3F31ZvJDo6kzUT#_7m`->rK&iKa~Ngihg)1} zSr)x)Zk2MIltol5Mk*iQ?n0J@afgJ(67Hm+^bB}iE^+uCOV7ImFBN<@;ppy5WZ+eX zRXtPT9+z?~gk_TMm9(4^ql8&FLK9m7?{ndikRO(~>M?06r9DoK73IK*7w{Da?KpM3f={?tc}WzxC*?gQ z?`e8_{;!9G;KCH)8CTCRb(Pd-r9MZM#c|GCfhLv6dfu%}YZHAz){C-UqQ&#mmnIZb z6jn)i*|jB2Q9NIf_Nuhi)Y9?fk`pyp-lw9z0xf??n%7+2X>6pvF7*wmYp60rOcKjc zeP}*tz-oKpP1hRM<6rR$Z%KPw+B?+PV8{!B>3hPv&ga_|cu)NM;@6UA4_$QiszC)f zeFae6#-y2Cg=3xT-B&X(1owgT52b%(I;N}P;0l~#U1JJ8{?HK2^@2Wj{kh)JNq!=I zz4Q&#St_fjt7}O8kNK&a)wZJGXEHa+{G28)qvij)D$E8PzHqCTjjsDr)>pE=ro~K+ zRpT(*^EXcSD2-zGt?2JWe@~k2XxkZlrG%f|?`?7YMgFhye=~nu=xEWv!ZuMlht2ML{_RAUnEc| z4u83Il;wvlvbM_ln-&}MtFW4KO-Ws2QK~wHWs0-~R;gPT zMitkE?eJ&1`mu*KyKIkLsD6mv!Dx=&%nCa?J>SOI?Ie0<(Je`{i%WW7Vc5m-jh1+= zgtr#HD{)?E92_;F-JHJ54!*nSJw&%5%}4yUp^ITpR~B0vz+O_?O4*x=1%R1yoxaBc zXeWAK(d~^cN@4s*=-~7>?;uqCLPyb^M0YkCt&LUnp^MXf-iYY^MDH*90HaY0#r=Mu z)5lxc@F3A$MIRiaQ3^Z6=@X1TRCG7d-AVIlQi9IE#TAv|Fz2`YC&~dm#2+rcCwZj` zW}!o!!|Ai^=tqjq5S@tAc_Gv3fktPE&K8{{%^XlzGOD_`B;+{0+w)Pft#03Wa$s}Iu3YC&jUZorJg;b6c{b3 zQBo77mXI2%ImsKBaJ|@#a~4I$B{IgyxRi!v+B`NtBkPTI=Xi_SWpXZ;GtL~;2{cB4 z1&Ax$Ip|A70KYI^&ICDE(qXc(ypkW9o$h5JOcZ^U=&OxJ?;1?xe~r@_*1Kks=xaq! zCY?U(x)BwXoEC428>8*4r^=WnV>%68#4OBp8Lo5seH#fmL-b71v*L6z%yxRM(Q`y! zFZu?jF$qv+xY6l8^OY431C3G87_^2a$NSvbYR>&~9+0zw4li_c z;@R2ZK{pP!fz1!ecv!|GG!&;SOkNotb$Z#|QJfwVy;Ah!q*WHjfCHqg%DHGcc*3=Y z?;`CPa6yu1Hm5({)jLWA8=J+ zrRRx{UF&b!C(_nS+dz%)L3CllmmrjVv%{yZ?4O9D^_i57Qa-1`tcQM`^)>i3YykVhCOpaxKRexaLPY-}`d87v8I5Nn*5cUgbe26Ee;56S=s!vGYi@ed&l;>7USEdB zoVxIri{DsHc#FiX691-{eko#l#eW=LY%j%s1-F=?8UePt2uz&>@&>ZscG#D$7MyHJ zv^{pAS|DWyDlBpqVwv3(Ce7T@`Q9%^r@fQ-oyE5#&+LJ$QC?V-!t(68_gf=5lk`JJspR6Fteif>Pz0dT0&DH&1{RMMw_sx3YQ zm4r+;hM18hBU?t21_QyuHuzs*H3G?TCF`dsUb#~8q~uf4BRm7E*oUK>9%ca?E&3SI z#~PgweVo(l+D6AdUUVM@|Ns!PvNn zXr1TIeG~Cd_=WT3Tp;H{I(#jm*ugfmiyW`FvluFTnD9d4EL!6UQh^LrUBOc?a_Q}l z83Mv6mQ*4sMJb)WfgSql*ce;tPJ;zhCZ}9Z1s$F}yS0Q0UXkH$JbZ5SY8oMLk=lXrPcj7pxM9 z`G@P^jB;nRoy%xBjdGgk@D9mB%&No1PEYL}g>Z@JF`_Rety{1#RMr(0G6RowWzzac zxlGFCQpQnX0GQ1I0bJqq&vsLd7d=7rl}2OyD(GgXyIBfN6n&NGtBuYTeT~!qxiN~# zB+=K3o=lpLKrWLKrZ_z4kO-bCc$(npgcN?!fNYhahHUp z67HtJcPIuIV=>CYaF6qimL->ozgPTn@_Z$ZF08MssUF3uAM)9KZvC+|I*a>dJs@iZ zEnZzLMS$6V9qz{)6~FM1;D-f2LYPs~)kTyZb^al{zK@AtDgJTtJWx?#!2kGMdBTkY z-sbTU!jm$dlJPVRhJgN3I_YPeU&D3}{K6{n&x(JJJg-@(spH|FcYLc&1owjQ7lpq> zoHruwD$E%_f~%Rn?8+Z@YrP`nRVk~fFoa4>o`(=#b9~)#QF^{E{0-r2i1U<_8E8JJ zObxFIZ@MwguG?EO-j?wW4L*KKF&l^#WZre>^gW|c-jnmboV9cqN?r!qHSo|X4C~yu z&t5$r$oNpkM>Lo_kg?G@&~nGeZuKpX!udqjdRZH2@#K>kO_*XJeCqhsb}F9<-zfZZ z!?~0>(&`Jx3%|rc@C#oG|4R7R#CfrKhh|}X*|IoEOJ_! zN`)WXC_6if|Bo^@$@qx|zh$uC%8r{@S)eX62VX(TQx#R=XSb7f%l;z!SJ}VO-iH^k;n4TX4hVMIf~}*(*BV4CpBg=8tC0m1!r2L4=RFhRyc5&@fdkVLb)>_)G)R-8>7#UZXk>qoDH&-@W z>2r4}dq`U^*R$$Sdi(9)o?CH{@*3)S(No^(VO^MNSDI3@f!BE#nv&$C`nVlBxlQ zj+fC(#tAfZLpYZ;|PbbdjcrjMMuEji#g_Vrc8E#!;aT*}&Oj&2q;%VT- zbJA7KP~ggRi`PIYgQN_m!q-x9VOn4?XS;K$1#^y^A#%<&2f^f8_4GV`4q%eg?# zg>;xnt$G?Rav{?m4?`sklTb(@eMzu1c3B`6RAMx~4@8Vn&5iwE+7U+w(uHX~n+_*(HJ$@8q! z?-c|PTv%{k^w_SGP%oi@LUaYuAjpby80E?=OWDy<8l^N*NngRVz?8b!o!>2`E|D`v z&ZTssVDi(I?J(Ar*%r)YQZAP=j!G1aYUd2*3U_w+1ZRm~7%yjnoGZ=A&(E<6dT4g% zMhj=6oU7zqO@}Y8VvKhxtgfi5ENsxlzs9|y4GIb~Aj`W}-eh{bG+D_6>-AxZ^BBs^%x^tp+7@jNVCOPxWL876vky-=7&FewSXGU(qI8&a&^UfFD7x6EMe^LBP3q}SYP^$8A$UwB>C8?x5WV$6_ZRMURb`TH%Dx5U3K{vGmcB|xr3 z8SP!Czg>@=_=WdGzb|?%Y39e0id30Se4PuA{w*HgP9%IN;Ufw>d~Ple|FP5SZj0zo zM6VaUfixqp5-M)PPo3Xl@1M`aZxsJId0sUvd&z}jyXZee|4EwZqY^KU{+IKYSYdaI_^smqHXhkdXYh~n3oSGJE55}n zRbsH!^ETbA!xY*MyV6yd2kqY69=lM5k+A~}#y_9M@35oOdp#A!e<#s9i*89;*Ow(} z#D5p(SAH4st;Dw$zpL@c%((MWU2%Se#eaA4dx&pCp6`nqH5)Phd%AIiwH)mwqpgg+ z%|HtA3ZNlnA2)8XFxtu3S4Mjpyvnh*ozTIZ->qe*qnu81I@8g4M>UQv&VRQ)I`93& z?=SuU=R?EAJc|RJfBDylKS+F6@duOVc_W?hc;Q(b;>Joli$i5}lhK_9-;+^u5Cb{P zl>@CksE3rprSznd4kU*+GXgonjYSs7kuox5Bxo?H@NB^xZVf{@Eta{6KhNgXSmbHnvw>{IaAJA=AhdJXVO$vs=%Fnti&@=&LBC1=|m-w zbOY4cE-bZ(og-n0gmX>6#n+tm;XD@_?Cj5%aDjviDexv?^A=O3;Jgx=eJr=!!U<7lu3C-{=vd zD@9kuXbjS-c6xx(HKJ=pk0j01WZaYNvJhP8Yf-P0P%oi@0&_T4w&qj?sb} z1ve394zDe(D^0O}QW-9G2435gBu2TrcAWGnle@rI^Gv+~`I>ORKpuZjv#N2FtrN^3lgm zU-U3{v1|QJn=fsFw1w1|#L%)b*d9?+5^iy4fH}9yxlPU@I!v_68h&!TSpAB^?JnJH z570X#EtYgAC0-ZwPQg-0OPt<^4Nv%myF@P)eYeqACq0=H?s57_tBfxbeXr={aXL5L z=k(J?-!J+B(JSIKhKM-5%IJqgKP>tYr?K=lx?DNE=9nnnkBMF>`f<|C8d%hZ-*4)| z6D~ZrDiWTQ@RWq7OE@>TH;9Q*?2i5<9Rnm+hj5?$aqo4 zOEh?6r)sgvOH&=!w|Lo=&aI>D_llHPrL3mHs(Pxf2HjK2YBWa<`v1P>Ug55h_qx0{ zTsH-hU$5T{?u+nf;v3g~wv_r-+IP~vr>2y` zTI5;b2dB@g#If)TKZ@QY`lmRZ3_m-4kCCXB)4}MS zMDHxRWt`3qyExrwbSu%VMej;Fdf%dNbVG62&4sh<-rQZn9unG6VC5UjEi2if&JucXK)nOzl$^I=FJT1<+AS zCn=q&Fn}cHea{J9oL*6no%n_QMDH*9fNgXx=6^lV=^u?gNOV`x2OFKL#H#J#5U2BY ziXwlg=x(CB8=d5u>)|k`AGjonNe|J7i|*+(mT1onM>u`1#pFoQ8KM)UTjMbLcu}3I zEf08LWx6!LR&2_Wlr1SqiFZ2ZCai4W;?-D9#hnf|Ibp7xJURJv(%)2(oEhOL#~-wK z9WDGA;l~nZ>Sy7_jDg`!_Zk$P^YNm4i9W&U+)Ui#Cpukzc0`{f`ef0)Ni!<-6-D@v z5KeLY{kc){_YvM#_^HI1q4A!_s|LbpF5GV=oqiJfOE{eZkFVis_)6h;e;d9uK=_%$ z&mzve$(I?v2dA*sMS&{?cFPQuGDyl`Dr&DnA7#V|11Z^k^=!8e{vOA}FPtN5h^%vI zZHK)hMuqbn{WmW<=ktYLAoN0_ETf{`5cAn)hKrmp{f7s}p@)heCccn7&jItFHQf{ln6iX?QlA^*)q=nS#Y72`~^`X?A+B2ePmB}fWQ$dHXarJJ)x3kJH+>NnT zJ|7{YQbv^-m{X$+cRi*st9Ii^D@4}FsFg92M(j0)z6l`&cgpQGRwt)kP6HiY@kDlU z6~5^GHf%v~0)ad`VqQLH8jzE<#L!hG%5m)3_V&YpB*6q~7Hr-_|T zmal!Z%(DLzCJ*CKgm9f}zu1MJA#J9#S=9Id!BADy17>1StMIlDOHvxQsL_6U7Q*2A(MF{=tImXu+o zZhrBo36Hw9!J2FzleJRTVY0pvPsYMxC^QzT^=iS?!t&v{$9Arl!(MG7rzZ*PPD349CJRye|3;(QD##GQ8>ZQAWQd`fbtgkY>8! z8mW&39${51?7!>Y=T%Xzcu(H@^48L0oI*_z7QtNS^kvp*?E}#tivEZ+pIm$`W~WCk zgpb`BXz#^O_oL-e098eJa$a(b}QTSRXa{db(s3ja8LuF?OBZZSud z4{Xz~%-T9k_J(A~i+MZjOjkiBW<{A{d+b6LM9vO$n2uRl$z*QW(djAuqIBFz^vflH5!XJpl-06(>F|xj=j6+Jw&%5%|ZqGyH(;AL$AU;-MIGU z$k$rAPSrJ`gL7RK3J>Tk<<5PxqkvA5bF!S?ba={GgB(NWPjUJeYaZ((y07R{NvqV$ zuC=IeVO+QyOHPQ6-%mz=8K=|W6B<{dD23s<)~a-ddxzf~c?0B~Deo+Lx)jO0BxcKX z`h}@D7=B@(=s}_fljhUbLP3}Cvt2pN0ysy?5Gm(U*%?Yzs;*qcxbs|CeM%Ig^Ces$ z;X(?G5pVpQaFNr4?ZzJ}dYI@!qjPdF$#y7mI&&HhfnO*VT_QRar!zyT)7eIsi7ppi zVRSZDD9Q-Ko&G)*9eaf6O3_uMnJX~W3Tnw1*NR7CwL9;>8aXv`YUPZi!*fk$=49uF z;Pj_W5nU&`UUUO#hEQCC`P4bXG)k6(z9K_^0r#o6!m?3(m=vhYR zX6IsA+}TdAwhvHqL|-rZhB%!SZgl!}qvwjgN%TC@yhL~trRR>p*9ccWvzqjLDGQ`5 zq{2&-o6F^bZ*h98b^N$h^lhRSIh}`W7H)TX@S-Tk+#!0g=sV*yK0r8qj?s6CUMl+T zIE@bwPM>S^GST;nULK<}bHaU2pKSE~q8|{wB2MRq2c7P1^h2T_7X66Py!?6LQK!$b z%m0|@m7*Ufy(>vYw{Z68}&X8c74MI)02&UUGy8G*TiXz`F47$(Qk=RadZe4{@Q z{h{cO;xy)*b$X%EpNL*BdPAJXoU=~fYV>EKH;Vq;=u|CQL&FzNZ)_E%_m`r-68$x4 z7N*$!594IQH_pE~CgQ&p|DE{n$@3Ac8O@?bgCE?v{*uV~QO+hgKhfbett(=Q7VRU?Sx&; zVP|X$LQ8Ci7@ZY%!Jlb*lhLiPt2wmBwjk_^?GVys85mt3cEg`(`VpILW_Rpr4tro* z5ZYin#OTbhC;m*+j~cxfb~T5#*cODnu^ke{1W(9)@MoIdYB6btUCm)%YzsnrY=;<~ z3?1-in*PV=j@Z>4I$>K7I%BIR4O&J*;i$s8^!ln@+*+0yUD*9(?Jw&9S_}hKJrt1- z#GmOf##wdjAna-mU9l|)2V*-VO(!$6!XfxGO}}mQq1e?Nx?x)ox??+pH0H9&%?yX( z&osTk=CbL5UCrTeYzsn9Z2jwwW;;B>g(3E6JyJr3gaic+b>LV0>KZ;^wU`UWaWsWY zcQ3U@j4Zj?a+7o|X>&sk{!B-$#eFy+ejyjTnnND81tA~XAx7tgqwr^%{*Tc|V^?!H z2HS#gEVe_8&JV}o&osTA(Z^#~bLfR_K{x^1ArYO64-EJ-P5;;Eld!8foQ!Qj=#A}= zG@XqMbPE1V)B76T2fLa>Uu+A)so1J%E}cT9l?^qx$1pAebD^B(>Uc|_ep35OJ)J7w zK&Y#rEv6XV_RetQ-nLOr8X)6L8E4U8)KHp3wYva+rlZ#RMkXkdbRc#$he6mDgu&Pj zF&Z;K;m^I}d-R=^;aOXpGm!uI6w7wgurrY&9tb z-q6_@>6x<9h1iQ+JkN5}P>I7N7E)vh38~Z&MxjSlNhoq<51YrLSW1bM6cxrSk>K>G zrT8-)v+4UpF)PEa=1`7pL8!o1dAx8`L#0+W8t%fvHzQ$$gh~lj6j<^7KkFD*yVm~o zNUM=nD{Uk-#wv+-Q+^2eGaak*?Tc6)b~T53YzsmIwnOY3GQ%kRnWksjIgG}x=Fo_3 zL1@BOiG+Uk>2C#1;bK>IwL$lnNEsvLQYw7=an=CLD-y;!|H4gCR=Q05<>JQ~j|vVl zUn*ST{1E@FAbx`QE6MWy92Q_(5Ef#qv*ithi4QT~$SrQ1Z+FhEGH#Qxhz83m zm@W=)A56D|ISg)hXOZ>7x}n1VU|SGYU^~R6t)H7X>668n7pQf3yrap%rovhpC4t2RdSw{^PD;SD58&laGrOkxlQD}Am>Fn zFVW$>5H+c#d*i(9(#Up^^opccC9S5!Qz^!JhK1oZ{Fy$Lj@IS$b?j;mZ(v&x)?llO z38&`8$CEc5zuI~_y(Ro@;qMUFrN~FsB)p41(+BT)Vw6trVOMi_AKQYk7F)$16ItLB zQj}2ZTpDi;KOac?P|`<~R3*bgG9{RTH{C7jW4ES$5e4;$to5=sn1%Mcsub6{;S53H zQ@4`uN7iSuHp=>(Ryt=j;&i^ipXt;2#d6k{*wq}q!nPoMjqMPlGs8FdGfn?$^tag6 z9KOT0AbgMQ5Tnuk2!E#O%|`!-UCm(=wgurQY=@-jyvD5XGyY7|bBz84yPCtV*cOD} zupL60UjTB$X8f6^YpkI6J9agPKd>zbe_}gC$IeaQPW}sjrs*TC(QylQHHWR(7KFdC z9b$B5_y>Qc>4ee$Vpnr$aRcf9U~4p%Z`lrirs?iRZ;xH57>M2>PNQPr^kGKtBzkAj zEuF?V#zfe~>Cu_dwQME2wdh^rG}`{1ZZdjz(R+w)6Q{Gno=#tE^j@Odir(AkoMaxF z0QYga*_ub&iQZRqd(ymZ@xcx^do`A!Ld$Rmm#Qy{ZrhHMI!WqGiOHUym5oUcyEy&d zN1~J6PxStx4st9}7Z;XoI=+PnTBiCrZgOp$Rb!W6^kK$3oT9pciu z52MfymDEjAcS_0T$3=7x(T9uf8KaTij&S-0qmLAwAvzJGvA$lW(-Vx& z5}hqN8K-kXj?}IzL7?;v<05HyM4j=wn158>92l^T_GRMjtP_m*^AXG?t`r z`Z}Xe5`D7h-fl0<2^F?1E`a;qyr!WZgaX|48%Y(bKn}sk`&M-NJbQD5X7M`3%PM^^) z3ZYnZiRhHk8JT$rbUSkT54O(X7s^DJi>@He_~3M_>*`Xqm@Y63cjp@Wsx?ARrJO1{ ze1BmO3#t+J{;GEC=*7|PUn8ql)<|0Ev&hCx6P&)-&Z16qz37HGjVgiDV~idxx>0mf zjK(#%*y({rUm|*p=u4f>$wy4aI{nFDrVmo+GSQcd9v7!G!xc_%FnYY`38Jrz(^;X} z>CcRwDEcbVSI23rR^jwUqbG^JR`ldJoeWc){=(>~qNjL-#FCzfllf zom)lUCVG+6ISCYNZ+H5Sff0R&=*6P%G`g-FGslD_PCt2dlwuIm=bhfp4*!Da7e&8hGzxOK*6`w3+t?)&EM&E zgQE2OK=g;AKQcNS!^85z$4;M~is(;7uNS?+Xtc^>Jn^SaKRrE4`p-mf6#co;7#e}b z(l4C;wkSIGm!iKC{k7BCT$|||r;98m--`ZD^!ITZrFo|>GWti+n?(QQG-heVoUTs) zXfgRk^sl0SGaBzmbo|)tbYFW%{x13t(SMR=V? zg_j6jm(VW!kJDdS_o9DAx42P7dThOUA-ldDW!LSnD_yL=$g;rp*o9)fj2&p`>lQLv zLsi((@h&#$@J_;a7T%ILql0ehINx2IKKb0}I<*qrTJ)|)7!?2wACR_A8SWHRCG7d-AVH@Vd@z)1ck#KKk6s!#V_;_ez@?S#M24Gr8|yr zy2TYy)Q=RMAv!^t*%Ax3t8*Yn6S$JyHBz#qWJ^g>Q2=F_emdkheWs1%$Q7L@I-fKH zC@x2zOFWmbKF?9E^sz>Pqoo`pLaVKtW#+*hnAzS5eB~C>)vT@Y=3Z+ zPW@!`mvK4`o;k*7mZU~w1tknEaOE@`s5wB&nNrT8!V}?pB{LK_J>A|E14R!KJvdHh zg|nTWY4kawhloCxwACPz7#mTHL7LSmwz8e)=1_Z1oG@8E9yA@ zg(b;o;f=zZh%+bf1)YNdQx)jO&#y&qkft)bb=`Ws$&h;|Umx~@} zbY(^|Q5ddpx`VZ8ju$;a^p&I;dn`3kh%QCVjvw0`UC@cbuM&PWaYluopwN%U=}z`h zX_Dw`MNc-mt|Wm5ktt5+*|Tk`=xL&-ljh|wsTo}ou5-BDl5vLMnSy5#))mE}Gs0}A zbM4S`L|-rZ2GYD?F&#q+tt=SpeWM%Cy@G$hFU*y3lZ<&Z(#OXuJ>2Z{ad!Oqq8Er> z=yYL5c6PYM>8fXTq8AyRmB>Yj@ph-%^o?S2hv>zk?~K!#VTsdw8GV=NrK0bS z(^=sjr}s8`ndo~(FE^Tt7iWh1oL+6;kM9@#fan!QqiZh4$vx=w<&&d$KP38L(T|Yk zle?s%w6p;Y6yZ@9HrqIk$0V$j@Hhn}d1(ed^gZEpcYAU_Df%hVPseC1R``t5-Hcu( z`dQJ>k+x!SZc(bTB88&y^DY(HefNT-7bU$!$?`y6c-iUWEf2gR`c=`ZN%NT+(47dA zTZX3UGJMvp!Enge+-w>f-Bhp3d_(3MnhYmZmw}}T-gNp<8*%)W=(k0`L;C+0PAa_X z=4cD&J(=&zTuUEZT4r5|8lE@Y>!zj-yjJ;&Fm9;l5zE81)7AB40 zjTiQD4fN)7Ve+{-O^c z&FoZ!_SF&iPFNBSbmO0O_y_#LK{C3^IG6^Xly#LAW##PGdx#4Ytdf7Igl-bLQ&5C* z@~{@uVNTDm_NE@94;S6jXqGtg!Vyjv+e7b2(HWu>q?tHHm>Yx(pk+G0{B1@Zk8|RC@K=g%i8l#Dw{>SK{qKAnt+(swz(2d{e zWkwf^E)ks~%`1zg-ckWATn${3l;7e@UHsj;Hk3&$msmlOxZ_{gBuFEK zR|>Bp&OsH$_|nD+KKOQ4w|@5$zv7?q3pMg;<&C7ryP>Kn{pCJ5{~yb6b>i#AH<0J~ zL`$nei$3a&a`6qjh@&MoN^GLYOOj0FVnMTuo!+q#JMjybh#n*Q(m0(AW1Vhk^kt$i z7d?)&ChDjv3s*S%%+AqGFkb8gu~(8+JkV_!-TIwgc|{bDiK4F(eKqM;_y>OM!H@*b z?HjIfr=xxBnIz|0Ig{zwHz>5nj#9Jc6qoiiX{w}YlBQEqw34}q)^$#IutAP9M9&mG zi?r3T^6N2JqAtvKrNkb4bEI4^>c?}7dlRjV=vH~R$y-E^=c8vVdI}!sz=&KOlNVj85i<2c16D=!Zl z8_fwPuwaAJIremYQuI@zpC+wmfihnW@?Z+@YJ3)O@9>S$`L2@pti0#wDRnSpGZ~(D zy0R&vUl9GG=$D+%OX7q3%T8z6`Mx6hRne2!m| z^}Zd+E>!PrpDq( zEZ?IL^Nm{rE#rSH>pNNB)A~Pm3s!1yslcQkC2f-Q6D8&cRNK(F^|RAmt%CH6=wC(u zW;B}b8oi~d9OpK&@T{N;2Hqqm6OD*Ep@og4mfx~I|qif(a}stMSp zA9aXHUf2$QrmG1@8ofPsp_(9ihd7-dc62&n^iHC87Tt0i-H5SRyEr{yQgoKBM7I{b zYn;YF0H@C~dUw%#h;9?7F%ZD%0;Bg5-B$G8M%NXi9W3nQ^o!Qy*G}}lqT7?+j#pts z=-}vaHnzQ^&`v@-6Xj*cfiWzli_JU|vBV1~0HR&TI zWk^a;;>qTq!7mXqonAW~JMjxyqO(OO<21eoIQ^l~xuWw#=aXi+6cuD?dBE!~&@iT`PK| z(Y#)nAvj%T7phKlz32wg%*-4llOCKq%8k@!MFtZI$!L_(M1wULMjk12vEy&rdXtw3 zA0zxy;*5M{Mpjl~80+-jR?@so^yQ+*k!A{Mf+luiOvmX8*ZSKWP2;6akai_C2Ey?~ zSmfF1Ppv(8qUftcUrm~4P}!tO*{*SXSg+_BPZEBu@X5q^@Vd$jl!&G{-Ot)Mriz{> zdipjxk%!(rPM>b{4AC=1&m!H5$L6Z-n9hd-s%N`XYmbIGa;}$i10BXEg;q!u`JHZM zt$1@q-z0jT(YV?1Ai3G;#dfpL7rj9A!Z@87ZgF~v(YK1eP4uETofU3(da2QOh+ZuE zPNU1vT8s|@PEWOm)Lo*NioQEeXNP;7o@Vqi(f5j89;b7{eNIm|`hL+5h+bhd(ggK| z2c4d2@qS43!=fLF(>dW$r)L@cnCO+FACJ@M&hPYWqn{N0l<249bRsn&Xg3^Iex%N*o$BIK=_Bk zKO)Yy4m77=k;^J9@PPpcoZskU7sr%XJwW1mi5n=YRc>S*dIUM#e0l_bCU~RZ&k6HY zk`)CLzHp)4g^U!U^`(TbBz#SQH2_Sgol0PuBaYO-5(aMlx}FZKZ)JTa>w8*E=Iq+S zk`la_e{lZcARKdzir*yuC*#@3i;4fj&(04G(P{i5{#Wt88J|8ph66i)&xH~HyZArE z|7m=(I+bF4{&GHC8O3Ld_^smqCeNbLh>H3I6h;Ch{}$F#V|0tqzHzwUg+bMYkl)*J4g#$tbSvT@rS2 zW6+$)XeFbyj9qE)Zj16SCmO*Nd!xf{?rpTpySuzSH7o=uZDeGS#LqKld`Xr_EdO(f> zfDpPkzu@zT-%tGh;twFt0%B=tNmT+(@2K&n!htT8+nCUUBz2W^FeP4&e9R?R6%KK_ z^eODbFB~emo9OPOdD0~nWtb-KVwO7&bEWM+GSG!c%HdLaQsG@5U605_i`o$`Zm`rk zQeuY01V!G539OpD?HQEm)<tH#GgQ(S3P~v!-j!qrkGF|Dp$yi<>O8(GnXaHc@0wPvl~lEzT=l zU)lEhzS#YH4vGT4ME)50m(u5rt>jP7b5o1SOx@b$-sl`JlXbbQakQ9+(q)S)oPODE z(($4vh`y3E^AP$wH9PvG9eAS9tAt)nl8 zpJ6Y4VUFVy_I4#Xhs>Pj!KA zVf5#W-m1|h`M4Y2ePPizX-U3h^fpFsuZ#}h($iNK-9e*wFnTAWcS$toSCnR?=J)J2 zFk+N1`qu>C5bP1)w=+Du>068bM2r3%qrYeL-t_3W`@y0&YxF)w?`QOnY0-Fm;7=BP zRHF|t`e#P}k`^7uT?iI^+!EOUunGLe=!1+tB++t2lS5&&jDs@28!6C(;2$J^lKdsa zS2d2wNfv#)CisWZhZ%iDqw(Y(dF+ryFVa2yD5I-A&khFuj$Q4Eh3^s)FuHfENdZm|_Qh;#;H&tzawNi2nPobM^!wZ;W`_6nyWFKT z0h*u~*+=n|>TdFq9TzfC@RMISVS)%jQ~(!cEQ!&(m_>J8;iKb>PB1!|9*x_GEjnAH zFK6@>jJ`5GI_z3mba#zz&FD6azA8OB;;y#ne2u<_(bqEiy7cI%yWXM;HM%XM+cCO* zdUVWnu;^lq?#SpH7=5Ee%ckfu3*1c>n_KD^_|1&%#MoOTR*w}i={%qtV5Crw6}OSx zPI8A3F7j{^(>Cw4=)Sto-Nop;8GTQBblBZ%(G?nfAEP@n`u_Cjh)m!(I?TrZ3MOrv`Cti5$D%*i=)R2Z z$LRj)(FymEMSrQ$0~kG!(GOd6Qihx#vFJba4unS;J&4hRC0ZK3WyS22K4#%NX80{} z2*Zame3*pm_-Z^G_gt5y#_u0DSEQTcaJmt6Pl!t$Op|!*z(|YE)q~O~MvrFn7>VWq zMyAi?mFBu94K&%|x0ulxjpi3F1bNRI;drQ>0t7JOon51!26DGZ(}!F3VrvU4-KVs>V#^HrGL+r412 zqTI`Al+!6^h)gvmv$8XbOWjP1-?Z0Peiq|rGk%W5H~gPWN!i`xjarr}2f5W)bO=T7N zYVtRQYmwts9_9NYIo`sn7`d6nnYfH$rn=qN zK(n4^gP8iLre4M;lg97@e_eF6ac0VmTQY)&I)G|EbtPv6Et#3iNmrVOb(>w}}bbCjOe@8;U(5 zID&v_iSAnq?yGl0f5+hO8N645d4$7_UqSbSMSrb_-F=MS&*&f1qj7(;Meo(<1C0Ke z(Z8feqi12!`!xDDMjvGKq4a3XUb5&PHTn-m|H_&(LUsHfZDvG@wT3$o*c$pKByNR?FX zs0+#qiO_}5cE{UqY}bQgb^b;T{>BON8?rrOhmQq#GoI0!MoV>PKasQ+X>FlA79wHT z)Jdj(&?Qrc>SU_A=_+EXo~iw+PN6!L>a=tfHFdhF1FFuTI+Ln?x{8@6(~nsdIVHqG?KVwisC!vKWIHgvAVCG(OKURi;buT&iYN=ZTU= zMYrs1JWI`;Z{cfB@tes73~$cx3ng5RIlQkCS6+Fn%dBu0nQNn$PcNoxLDy28>~gMG z8KN(-=pi~^>rzGs7#);oDHNjR7PpXv57+Q8!y^ojYPh@+6f=fm7G6s>EBT!`!xIco zO1K=4;?Y7}ZA)Sr#APPxzd(Q+B`B_-xH3(IaQid*x~)t!P|=#A4aHR|0--_?xIyV^ z6YZqMfRDR|;#!L9R3s9GcqwlXH$Yu)V#E?J+ETQmXs;p}puocpJD9lS6)!qc+(2=o zig1`Bgl8g|xbH?UZl>r&af^yTDhFof-D=_m=@a4OZlk!J;tmzDD0AS}m^)4UHp+{; zDDI}XM@2G8fg4xuHF3gfFYcr0OmV-8RH;H3@Oi+*G%eMG6kRAXR3uoc5FS|D)r5P| z=g6eUqR3Ve2p5KfF}cyUn~A@qEsBrJp~$7kQ;~>>2;ouI-Aznc=tU2Te2M}UQRWEY zF$jewTJ`gyh@zOHr;1ogL@JBG_TpY9K3CD3qMV{aMKH*EpyAiY zL{hKi^`+=X(O*R}B`~`4kcm34`BDv_7)bH33amj{R(O-jBPOQn8hn&u5XE2>(I`bS z;vO?mrnf5$p%_XrOa=CH>Xo2#P0Eq}F*D10W+!{H^PJ6vb$YF)G3# z=7>bxlP2!#;A=jX;wg%8DtxK1KAtwwNK5q$#j_OSRYaI00`Z)Q9$kHo2^144CaFlR z51bI(^CnK#^)Z=Z3dK|vk+{?&f-8C~!jBM(~EQ;9_ zb5tZ#0yiMcHPKf)m-8s*Q!G#s;T{#mGX@r#xUQSe@gl_{ip46T38_aEN4O;>MnCGs zOB63tyrLo!qriCmt0qD{ym*b`b&91bk|}|A%Puo9Oqd`G8zve) z=yR;1SWWS!iq!sr=SaD?Ow7>z<86v}DAuS5$7)klUL@zxud`Yp5V!H~QaYSIu_$w1N zS2IO5w}WCQ#jYwM6o|#$ZWAY}_?qGyiajcVs7E*yh~rfYCgM$ej_)YGr`W3^fvp4r zcMtzyV&Ysc_EGGo_)$d^OIKccjqZtw_IJbc~n_?oN_4tG0Pl~@(1h8Ep2llAHO$?Prpyc?6;xNS#6(MX_5O^Tlzb4*o zLr~2frKmQA-4*=HHe6KJU7cI zH7HI{;d7v!SkuG~&2b_{EsEMI63l_k#GPbf*LDVPYGPvG zb-o^FQ8cAETZJ5bkRyTjJ)4N>(dS%>W)$bCNNu~JWXzp!qJwU`7f>{(xKKr$>pYC5 zdy$Fivwf*9rf5OYQbhn~wJ>fki@8fo{GUwN!N*-n5ugaF2y?Fu1HITt38J#mn2V!jDz9E zmZ0ly!A~ysweG>-d5FG%rR`jHVc)LfY-}w9%k@(nKR|w~wWGiej7! zX<5p1DbfEhF;iQX&rm!|Fwm%Nh+k(Cmmrt>B&SJ-N`3Y zOre;nLRtV2*vVfov9^uRF^yt6#S9g)DMDZ;pK0PO-4th0%%+&5LUvgQY$bC|By^XZ zM=_sbfeN1k;|vQ;G}Rn0QY@latitC&Pk4!mq~>^u;$@0gR0MEVL#fb@dbLu>1U!7) zYZR|jELD-p5y5!LG830+j^z|9C|0VF{X?FQ7Ikl!IHdc>DvH$qrfl?Xgs<1G{I zb^PjWigzg1n83L}o`{0}hl!qg_E<~t9>x16aA3!^9-KTrFfmNqiR&oVQ*2NX{1a)3AD&|n;4hn z#n%+yQ0!5WknJjpS6;hsO=RoD`tK;dr`W4P+Pkr642_H*OzhP5?mmkB6hEqvCIbX& z{*wu(>-+%4&lJC?kTx6y_VZs&)X+BEZxjb94ylm78U*&*-%Zq7?Q8xA#h(;^sqi_l z*Zytd1kLde#bJsgDnh9o*mnOl(erAb<0wV7sqBB?-_)s7j){192KpcPD%JnEeykVA z;w$t&D2`JhqiPV?+K)GJnU1Per>H@3f(jlPqH)Z~t63@Z$Z#S>EsEMIQp+liQMHpy z)YfHHhvH<4x++pN$4jbQJrhoAehS5@6sMWsmY9(Khl!tJzUF68oJmn%MXFQ@^amT5 zI7v&@kfISqV->0GDuE+h6B8x6U7bbIl;Ug^sckojv)VZ(cImczE=4nn^HlIyl8`lc zzKPv>EV+Q9ImLx4Wc(@~lrjB_O!U+7tBWaGP_$GbM;{1zOq7Yorub!bDMf%Hs3L-` z1Oj7yArp^w@ghtSp@^!GGbaQ_YhxzfYvV>u}<_*FYN_fd4FxL<|OfvW%ym^epsJV?=nB141} zH-aM^azs&)u14xPzd|xevPiOpNHg3giQ)cn6X$A@9Ex0uJQ0#anwChCz%j17ky+Zd z>_L)GQXr%<2?o7fp^0Xiq==%JqNfN+B4=AnJCzQFGZNO*Z3#&!NtuweBWfJ1TYiH{q(K7suBxZxxtNS+Y#fA}^U zK=4Ql{-}hp)!Zlsk7n=~36@&;dP}$SNh4Qi#mAC7MKVr_uecl>o;K24Yw--pvn1n{ zNS6?=NeJLP^_-E(bA7=kkW3_*q(sKaK!Vs9pEpvj17(v*rjSe(Qn{UA48*-);zBLg zG>YjIGgPFu_%NC?Gfm9a4Sp8IY>GK5qN$qT4R~`+bnE3SGLK?D#e)9`OhR60B1grG z6pJVptME%JmUK%@Owon)62;3Duc%0^k}xj+ylUbit@&#duTv~lky`Iz42~`{aiy;I zT8#h)^7-!so!U zI^IN3b5y6OL2-f!E~_AxRZSCj=(0MIq83GM72#ApFbr~%iHX{Yu0wG$MO_sM3YiXF z&%{f*?Vdt$D#d9k0x5w~oo-^A9(&KAIFq8jiV*7&La7><=&Yy0h7^q`8mmZformxq zza}P1v=e<6MN^8iRYWMlIH{jwqLH?<&ZTHZah{4)&2d4%op0i0t@#BM%_%Na5l!X5 zR&tSvz1rEin4$$mOBI2*Y>8p4^Gi&eXcs~#0u(_LsT^3kArtMi^BJayP()RPQv!pR zF%xY&`>j1rk)TMbh@?t|A&SdPoTG!6ms4Cpaixl2jP<}dq?L)=&ha@~Q?#MDN=2$v z5j@cAY7_0WRM${kOL3iwU{rG8HL~t{6Z4w-9BnDuQM6Z)TIUh88#eo7_jync{vGQLYaeuztYAuLFIl9;E0(k)a|OWDX2bbT!dY zhe0wavM91uBvS(Gyqk%}I+-PhB9|ghMU2Y|uab7%P28-5Gd(EsDGF31Qv%J)LK8c* zrBOstOwm(CYTK2U$~zP1>b6@#QA$y!BFSYH#X9e0V!{f)ta?+FQ&gx(Z6#5x^FAhW zbt~yh(T}3PibSd&SmzI!XrkAE22c#7cvwYh4Mx%Od&Iy-R5&VL-8!d`2Pr8a(K?fXcZGECQ?jN5lJvd z6mPIL(Wuzxm`pK+VyX%ZwMeNjob!T-NjlUrjbb{*3>6s8frw*L&P)?m>u}C2irEx% zRA7RJ2uwSiYvOSoc%MfxpJIUu^dd!IAZwwCwtD7#kzx_WVilNbDgwi{OH6du7THS_ zFH^jt0@IO1;1zMNn#j=UNUu@6PO(%)EJ=YIZI_v7@r+-(%PCe+tW<&if#kpxn>S3f z)Hd}hiq#ZvnutS0&?RbJT|>n&=s4BgID)n^eScWPrex+mB7`)_QzG@hQb- z6>{c;K+Ezo6YcfPxrO3$imfW7Eee67&le{4Xj}A4ift6zRfKSChrrhUm5J3MzpQpp z?4;PGLRyv(IQr~1F-cpNUsHTTu}4LOIb{F%*2KszKF4W5o68K!*f5F2O-6@f7i6@Kvh+QR7Zus$=mL`X3a>sgQFN1bUFin>b6)QPnAGP@JG5jCKhGdXP0u z%(=(sIFX_jMQs(qR1WkYPcre&xn9(vIGLiZiUgN#0+S)@ndq;V_fMfXmEtrNA#RBY z+%S8(iFMk$JA>j(iux*|DS_vFH8Am*j^s3?XhhLigbYqd-sc6={ypa;k%1WJU7Lc z>SBr(6fIQ*S&bwbOP83KD>uR6<1VELPy|&(c_>Mu=@T;1p`RCFiU>tiML`Ff;zl04Lc>HyJtW>o(V60Y71G6lz)t&siLiEY9;E0(k)c8kq7ZlwT~`we zoBC2^Qe;tNtB9p?;M#CE6KjTekwcM7k*7jV2FQVV?%hpH){{XGihPO!6{&jQ>WnKi z5z%@SQ4~}3R3Td;niv?$a3-qjmRLejN>QdFNg+>z>1Cp=UN-4XQBF~zB8J0mR7Sj9 z9~1A6^EK~F(T}3P2`*h3V0p;IzdFxk0L4IxhgGCXg(U6~6YaEAk5UYx7_1_WEfKTB zv6Vb#qGFma)ewrI6vI?RS*kEj29KKreDz0>wm% zNh(4qfo9_KCOYXL{bY(M6jN2mks4i89I0P0F;9=w(%utc!RuaKL(acKmhA-7D zirEx%R3y+KLk=vfxhDSA>z(r`=2I+CA*VqIoYfYZctg*FFH$U`SgaySAHQuIphhmKi>CZ>ex(d5@O&lEP#afE@ zDBk~%z-jOU6Ngl+qgYR|K}9T;11IMXP0SzTb8Mveh+>lp8Gl5nFrnjP6SZ{w@e_(q zDK@K!rUb^KJ~Q$BBRk5~-z&H|>69V)7E7 zV+X}fid`yX1UVW`Vv5vm6ZdOB_-l%9DE6q3u@49|OTINRMh^_%QG8FaS4Au(Fu~>r z6FDP&srFIqr}$BYG%}C_BTGM-7^;no0~9|~{GuYYu_v*tel_u)ZtTBN9Hcm;LR!0c zE5j^Fu$3cL2)KUeHAkJ0g+6)1|}}i!HKQ{1BhTOuwR$kfJrO^nwq@ji;q6!)vZ`VfKH91oaiqwC{AiY^ox zDo_s**si*o2x>htDY7WCRRoh1sChRNXEgWq$f3xk$Wwuv{3Hh&Slvym(1v0UihPO! z6)aUm9->faBBZ4%q9~^5sRGlma381~c%6yJE51}E6r~hpDzJZuKpnP&Vl>4V72FbI@~FZmOYjIGgM%mW7!7KCYxy@qU(GX#cYZ>DlqFM9>>(tfSYTgtPEz6!L#4 zFm46G46MpvJ&qn=@XrkXMS|t`vGt&vSVjiv=KCATL6Sp4q!ONBN&RkOu!=t@ z{-pRzMQU5bXq@}o#LHTTe<%)995KOS$;G&TO$^tIqem&K&0rq{|FTr69P+G&WAIg~ z5AurUI2K=_4?=OA3fyIks>|h~<4yeA$*=M16g4PLP=V&C2#h1wH1RU0yYX^t}}&ZMX> zqH?23;D$HXz{u-L8j>_3X{-dDDHIE>8BD@5GE;j~XOT1|Ia`Qqhj{1 z5)9yg3h72HK}H^n_F(54oF+f(i}5!E*J zeH5K3?pF~@l?pfJJYeFUk-k(9QgornFpAmomYM@%f$A+JX%22l)FftJ1qyw~wD6IW|Xe+b1; zieV}+-$w*4nLKV{gr3rdQ;eW^LIrMC6oF+m(!}Lw_$8gsczTrWtTgnyA^x zi?I|>QH)cOkYgftkAQpH#FdM@c!uIxit+yu@ql~IL@N~&C?--&QsI{_PHE4ZSf)#N zGQ|{%sVdOBL#d>1@Pdg^+Pj-ZF`Z(D3T{_;vVFkKG_g##t63DYDdvdKlVCWCkx^U$ zF|u6AJd*h&3zSI92Lz`Ox6sIA+VpvmWD&_?A#z?rzX;D258&jy#6(p4MK4jjO!0~e z)+83har9LaE3{azQM^vER0WTtct~ErEi+MfwO@zJDOOOdR3R;WOkBdOi8o9Po8rYP ziq#Zvs=(Yc5g5UG%S1aJbAOxS9f~z7d_6FWmp#H$f zw>ns~j$}Q_1|e)V$gUofe$j^}I(P6D*+}sb#U>T0Vui4wd~D(kE!HO#pHgi8kHBf_ zGZU*+Y@zs^Vyg-aXP{J=qTs$T(MOx%Us7zN*sg+26YS}@2x4M`HcfU=?4;PGA|{8d zm<-pP0?DfWus3gJq}^}B%k!ALLp3qEci z$$pX_m87;4TojMGpNzEE4dnpI&m_MnN$n!h2v*6jMq;{;{6=z+~ ztN4TBPl~@pNP*cp!Tsw<^0$#ZZJzu?a+u_Z5GLUgj$&ftza}>6rL3bA)n>8}f`2I_ z3C8JhL^%durTQSwdXheo zq83GM6}X!@iPet2)JY}=b&*wwl~{-3WQw{fa01Q2O2_P%dM2LH6X+=vr&63Iq6U5k zS79mK=>|6I=6eRgnFRF($il@{SODB_>l&E&PB+Ge6pbhvi>OS2ISNe-e5NVRB4|o* zwg5{JmUp_GW8!;FaV|wOit|Ls4xLOCy7Mh|hF(9vfU(UPd!fY2ugi!*Bs0ThyNgVe z=iv|dxQi)TP_z^w=lT3V6mLkn#G)JP87#dv9xROD*o6}p_RA-|UVI^j|gyoX2bKeyBOPGe`*!(Z`ncahyqc8{>*@ojN-em>p@c&~*w>*`B)AHzE{{C)|qj_`cc zzNiqhu`K@ZBVwI)pYOH~lDw8aWEL&J*8r+v|@&9O=9LDD|K2PFn zqgcUUJRHdARhBQMbKOlnDVq#Ft_M{nUBJX>`%MD$j#gBd5SEh*Z#fY0<6ctpsFO1~<;_LM#$u^ShO0u%ML7;HxzZhBd zmnS<&c9QH8lG+@~6WC>S1K(}z4=vo+WZ#hO5hkajg6z`VihTJuBhyvz9g^P~y`rsO zirD|BWEjuXHnalCjWGrtJ0 zr*Oxc30#2!+IbX|#--!G{s;QN+JTs;$$^v$-XP@GC}nuwDj3Ni}wip#KN;l#)-`gDU$ zulA|VAUu<>zCbA$?v_BSpn*kq?1wM$aSa*Wh|!HDS{GKxFRUhJLb|ZdqG?KVwir3G zp*Tr*js+jM#TVyX1~+5yc@iweiASY4=Ua3;?N(mE=;n;RP@-9!L@1HW#oNHj%H2g~ z`nQq_pb8h$w4iAzMz(Z^7p`Zak#dQ}uYbsw=u*Z97$1~)$$@vq=gGSh<;W5;vwV+a zz^{dAA~aDkvZZHc6qjISI2SYU$qvTjeiDKNK~jJm&~a$Mi?Ce@UVfaBpHY~TjpOWP zW)EHO3wSy06|`51m1bb~A{?L-u9bx+Vm`bz!`m?YDhZd>fhz???rIB;>qUZV7WxFI^G&Yn%?;Lt+?K8#U3+m-CcjQPSor;C`!aQ8_zeudQN!`3xg4yL zn=JebeMkAt4DZD7TQt0DS)sK5Znf~O+mI6Qxu5M!o|}HS7>ge7Ose{n69Td*}w8Lin)I|i*I_FUkD|PFJ*k0#A}{J zTAp6!#%P}2bmepv;v`RMPbqhOEWS^c&(oLj{TSb0;$@-P62LnaD~T?G0VD%S9u}fS zOQsd=5pz#z(H^B6L^oKR95O5w#)Ka;Q=z$r&1RkDHmGd4|)Bpm{<~ zUI9A5h0=maxRGY|UF;XbD4NkUW5oD6m8b8~Pnw&gxyI5xMK?~I-{x|QvY6^=Bd2TA z+=+*A{=q$4#J{NH~d(vc*DI`;c z)Wr`WRXmCVZbe}ZUw&2LUNG5NlTD+XPB}xQtSg+#a|*G-@-l;NrkVToWIl^#Hq9I{ zJcLSHeXa!;FO#~UHuD%fpTP?xSc?{`QnZC8AJC$`NV$k|u}Im%Q@!t?TVnC;K4+q8 z?j^>*%=lL%UW$dswidZpEjZ^TAN(4FUuW=A3D#o8s}yUQ$u3%~<&-NZSBjKVbl0M+ z3iN9%dgNB0XBDGYGx|-5);x(SdEPRarFq__e1~$4NU45mL@4CmwfG}CRI`@x?=k*; ziPucYDw#eonWLH3QLd-lAhH%Rm6W=ouBq(?cf}ie_({JbZ6x}LXp^8+x_Ei8O1h6t z)@$b%$tRSbQf?M0=OdiG*agUt-ZgGgG1hsyPq>BbbF!_%bbvCB`}WF1RkD6zyldd3R9mq}(M^dN0_y5&hoC z<}xx%(HM{`H%7*s>5KLc$zhTsLZoQ8t1aOEwctfPq+lr8Q3h9=&2A3(|LK z_*<&OQ>;Zh7GI&mLwcOh>iEG-mzRmwkUQSu0|%K2ogK#4VEhRhUxK0VQVasswD>+F zeLYTOd@aV;mUzF^Y{&3LJIQEoEm|GYlS%6em3DJRj*J!HYDql<|8K1?+bIO65}YPL zbLsBjbDeIqLUWx#dM0Uop==N2<6V=IE#Mj$`TcHRvxX#%NE!>#Y`P2iY)y>z)of>x zHYGh62pi7GL`)}A?X2GZG{(CutuVC<%60Eg~adXFuZqbj!VW^eShqYF%N!yTK zB~*^lF1sYv<&iBU>aI4nxv#I*HDuS4T_=nO*>Jc#T%7GP%Sv%grwDzT>rLL=(QnCZ zDce!D7b!hJ4zd+H=?A8|@HkF&FxyOr%sSHEKzpND)-xO_58^n8%M?X^?cHRwucp13 zv=iwqLgff5D%CHz)kJc(ui|YKw^Q69LK;k&MFjV&FR=K-VrwK@-yb|K9WDrfSH!otdB(ACgW>wM`l ziL!{Y1^LopnnX8?{zgle!{}T_=Sj4rz+{B-U@@NhiLKssH?-zB{ZcpWnyG?%1ntsaal>O>t$k| zmaI2LIYosCIWSe={m(hs4mau>=(ohL|GotM2>J_<{T(Tyf$Z|kTp6Zt51E>;X$DXY zqpIGJ9ng%HH?5 zx$1YK6!^H|bR+1VsC1F?P?{TQZms4UMK_vmj5t}|C3&UUC0s*Kn%JS2`o>Z`MKMkU zj}Wn>T#P}BGpj6h8S812JMUl-tGQ<=pQRixQV#1F2rY8b*~2|FMrQT#>uLhYM3PBD zG#SRy(~>=JaDap=}i{eO$H?5fI^_Z{ZJev753&dz8BUO&M3r+6PO1?-1;R@1#HPBX@;WPHoyUd{M6mhmjIretRelVu@g z4EccscaEW>TE26Mnh~8RNXnO$-7AmRwQ;CC-^{MV_!B?&c>*2*r&0S;%Fn7i7<2PgaDT|;p##dRVyQKT}_^~Ubk zL~Y61k+m0=o+#lum{_NYI#S#~aia)1m&vM)W)>AT1rn_HU zEuRh7`Z?6*9x&8RlRZe(g(yRiG?Q?Z%Ey22?5|t~eo3UKY zkwcbCmM5%o*ND097T-{JjUJ58XMBOgYno(bnnGjUHBAv&Ftn1~3)z>fA6b84sop_h zR(79W(&>4~$XhxVI)G##$-_b_7av|@Y4Hto@jc4;L5v?P@wHH0sZgk^^kQ-G^)W*w zTCO2PLy3k7Vv+((OTZZF;}+lT1Hb5oGkyf)pOAPtWt0@><`rgQPuIi$NQ2kvu;VDg z(S&0JN-tizQ+R}$MSpy(KQxSG^izx;C(%4J$wOeI!>7&Grw#Vj`aDDUEa7;8vN3Rm zaB+S%I$CS(cyYUaJgF?e>nW>*O+j6QER4YZvD&wOnbW4B3 z(65SC5v?YA(@+o(x$2sqk%e((_m-h;y?wpjCVGcxjUbt1ke|^DgWm343!kM|N7gd@ zJ%+z8;Zhw;JuA(_?j-#RJn+EO-2uOj*HNvf+8|1Hjc!Hx*%j_Xi@xX#AH9*$A2E89 zM5nGp;K=>41ve@5<^P1ipE7u}1anCRan(XA{h6U3w9;FMJ}26$D7_Z$3qyBlCB7uu zMzmd!Y&y8morgOYGV=9HAK3_BV8wT%@ z;M4GjXfU3L_?@YsLfSQ$h~>UDU8CIV@2J10-YZ)6h|=uL+`_z`WtjT?gOOFw`lY>( zWIxG|LZq(}#bbs7nHU``lC2a25+#{M*av?y-d{5wApe>C7va(n#oa{M=u*?Pe>Kxk zZ`=Bf<{-@>F>(mYD8^hBjE9HZ?T! z(ZHfJ+W0&T8QqA{jV0RWi3O_UX=3ss&2tuIQ_8c`Ww44o$7BnY=TbJKJWr$?H}bRd zFrluf0JGkb?tDWF^$Pz5M9qmV6y*E$cp^{&_rq1md6Dsf+OoQsyajnn;j&a@;zHD2 zV$q{?;=-kj4lp_>(YjQ^Rq}*PUaEBqQ${GGBBcc<=h1?q3>+2ZFzsT-PS=6OI9Y-$ zDU3T=B3iYxe3`+h=DVEm3c@P|N?V~@URNg<7Ft>Sf>ZtaZq4{MjK50arFH5uvhs?$ zxojM#3NvNI2$!0!Hv72q_8Qu2X|EG22UFZbgoi6wa9HY#k88`|b_{MW!LpKZuWlru zr_m0E_7A10<~kDHKy;%Z*}Hn7w~PA@@F{XPndv>pm+EGkPBgcO(L_N_bgQ8sHPLNE zw-enVND_6+D9FpNNF}<{%&>Ys(Ooom)7&FQ6Im1ZUPA{o(S1aniS8F9Taqk>s)N7} znEX}cgOpt;GtwlkwaDd+j1n{lF`=}p$%860DYGcEMM~vxJal=bMXmw^6y40ct}~%? zXmV-t#Q1VXQx{J(TX&PcYqlPg`IH4BQ|CROE#eA|EY)O1B*i2>g~&#O2R4-B#tI## zaK$8%j1Toy9BJ zJArH>*(71w-44Yt)R;EB_Pp7L^`tPFb_(rOv8f7{2h)bjUNCl>rkqALoot3M>5s(1 zfpYFE(&&)xmbvHE&7zx4H%DAexO^OR3R4%{=Neg?^xMZglKCVHgh+D@XOqG_-07F) z7Md8`%!?N(7Evq~Av-_%wAgr4!=Ovd9B%E+OEfRjydp;Wfw*uS3!#CRQF)`!t45!D z0ulJQ*GOL{U7AkARp~OLlawweT|v51sGO4V&IwHSf5W0{>V<$+j9$&?Hzk?}D0zrZ z)oWWO-_ks9Q@%sFMkMouB+t7Ro!^1=!9^`bzsKnJC7RoWJbI^CX7Rc_%+CJ6*cwf; zj%+>I24QjnPu*l#nuj5R)S3T7gA4Uovyt#4!c79@ScB%c44`7m$iV|141JpKSJ)>+ zpAu~r#6sd8|Fki)&x~~&~pfM!fN0TC1o-#4dcmQ7^tgvmV8ODjbOU~&6750 z_LZ?*&9j4SC)qAxm3gv4ZnuGxG|$%r-w^B(AR8@SaGwYirOtBSn#tEB-_d+evsa9? zeDX6YFyb0_KUn;S+I`-~`2CFkQQ}W!4s;hV(%m&1d31p3C&TY)vIE3F6aONZdq@l& z{BC(Ar5IoFvz>l58Xk?G$H)CfdXV&xP+5kW(%*sbyRnO(_pA61vOmfG5+>D4jd&Ni zzb$^F4nzOL_`{4pBJpyhz@!|EB~)P6`M)N5jq@3fQdFDAz83zqI)$p%=@|Si)$@vK zosPv<=y{PICsa0CITN$xDQDH=4IN#Fzv1Jm6V)I(L69^b@krq!SJQ%@d4#dJO2yz> z46ZG~+#>KOouI${>m)N@jPa%p&B-)%(@oTydSyg82IO#UA__>4pS~-jHO&Nc-#LK>elLYQP zL2K_E1FQ5DaV|kKg7XAOq4Em4Vp3=7pmV;Ngx&~n0Znt73&qHp2yK5{@W)dQa@<8m zmYv|sbumc`l9oc)(a1;p2JQb#EPnCnKK@e12N)lecwJU{|6a(&=P8^zQ`nqGOOF1yGl!<>i;cazDV=lX0nQ+A@fMWn3IVobJ{ z4d7ObudWYixQ+3*GyV>V=V)biVF_NTeW!(Q*Z%rl48NP<_ei)5rlCa<595ivp?DUa zZ{hrWr+ZC5qAj!gs5?{NFItu!CS9;6U4b`*8X2TFW;{sJg(O1=&sE5UxgpsZr80}i zbv0J&N&Fx_E|V;aEL)f?z~WrA$TEvEa{P%KlL1ZsndKK?4rMN7p2*se@(koa0q!8d zn$C3HO?4VC*^sXXRX$Zgx(b;pGV=r@?C$Naw;;nkGa*8yz5KXkFLKsX=(M!%kCX;4_Wk1?YIwM z^gu>GEYU0-vV_vIJYw!m&GIPSAiBZnE}Z5bGxxT-A#_9OhNU@-M9TO_YH2)fZoRtU zbR+1V5GSXI+`M8uJHmp;p654;Q4Ai<;4u>HD}^V5RwjAU+y+fDmhLIKap^9-Qcs)v zP~9_h&(e)gb9miQWxnUkZB{pdZX(^JbeCSv=goblZZh2zx~by0(MRIJ%FXu$Qy)(D z8^$!M=~OdB$?lwkLjccEVK>vru10=A&LWvjGDnCes@&q|n)*l+&7+!6wLnyrM0n!1 zk)4|8MUq7%i-mBF#c(fASw5O+C72GI<(8OhHqF=RCAydCUJ;jS17(+CW^VzyS^@W} zq0`rS^cvCYL`wz9(I$=&`(U^HvZB<8HTKD6CLhvt%PCh-u1uGqD)J4J168h~Tuu3A zx(rv5Z<%~V<=d3+P_9Xn{P#4`W7~o&Y{JR(rZ%C7+OeO13$jg)7--#!gnYh3s>(t?3L?%rx5< z#!glCCD}Hz?ZRZM!3_FhoJcb;JXhkrGW67bU&I|mJBfA)lH+PYQGQm5+ilTrcJzDB z*Npy#(R(CXQpDqU<4y@KILIXRZw+0q<@%23d!oI9q}iF9U63bZjoNFT$n244A~UIdtfI<#F1~uLcKbL4PAW zNO(vf+tavKmWd}H{ciDzC;Za*gYkbd{x6B=(n#Q`XPhpFo$YT!cg{c|@NxeT9VR*= zNR~!+L2+q?G>-l?&{tc>M+vIUXI~2cT9&A0IR@XRdQo?4mSgc1dQn8j36dC#XSif`I=6z|-E)gR6xVU(`l?KZD4ey(uSmsNE@fqL{-|v=xC*9kv1hgTd15KN-&`g*PZ0@!Z}77JmR;X zb4i+!oF~NBF&L_v?R=w8X|@YUo0DEBRMs!9?#rxbJnq}T8?$__iwRl~v=rcT#c(}1 zeR*DDbc*J>lr%sZOsB!BG-UJzrD4(tX*8Ywr-m`3)0M_a6QoI@+!;$Va6LcZF0=Si zqkIJ~XZ#h6zf$6*gNF?!5$Tp+)Z4W(F<&#Zrf5TPl?cgDkl}h{yMVje;(yminq0&9 zYZ-r?#A}8qGhAOO+b1osQ5%XNVX z#hABCn~4JvID_&m_qr$rhr?!c~%W zGr3EXLXcMVWFIMQ69d^|D{suQ_}3 z7s~ky74i#Gy9Dl+!L!UR1>KtiIPNJ^=5xOu+PZUEuKs!nL;vEh$aeKq8Civs)?piO{bb6N(N^N(T+l+ zXr_g?*NYCb7(Scfb0l1oL@dc%Q@3l9c~tYM7Klo%Bw48ex6tC->v-0Sj9_=-STY@BC_yXf&m$ybfE)`^y{k-Sc_REWwVZGT;Yxur=!QZ@1KrT^!{pgF%#^BGMYEdbO))-MIZk7h z6?@BIABArdzC*Z1pd?E#;JapiYv~U%YiZu2d0&jIE8B+H(fq*F%q{pMK5iY=da4bg zq$wf8Z+JafAR6GkLDCiY(CDB%%4%*S=|`lSgvxO+uMjg1uyf#Yl!+g8qU9$PpHgfV zA%_?|Vjj1}rr-JenaSo$eXcE(pHprXDQjBp^!2y>e_}VJrDjM_>XMzYtmOb06g|R9nDq75+^%YVr!pa4reDWAII?OZ8cMzq1^Ruh69; zI8K134FCV8Jl=jGrYWoQ7i#bqPLN-aZc{Rfm*HjMIdQmU+toC5tD+N$Y7x~IBx6WG z@t{vD(^F3}_n^8ubSKl*6({>PCOhG>UP3js`6SJ$- zo<-Y~_H3~-93vBb9UcnIJ9-1|9Anjjehr>W){N{tVVW}dpOojDeM?hbK---5La{t9 zXxNPl6&swp$Y9nA6bT=9F<}eBmgx}pfmOmw4CX1klrTUTOozB+Qwc)`dngPO zMhK(nFp>^q1`8C%2@{0LbclUPE;))pep|^~*q4es(#wYo52RH@0iPXKl&ak+sLaWzGK= z23-e(yA^gMyn*mW{L4dyJlLL@ZZgngr_XdVK_`M+1n2-(EQz{Bi!w9Id>6)NNW5kVS(dJ*zSk_7R9RHnqU6wmfkr+U2NMTP z9Mq@B3m6o*MQsWs~i z1SV>?jG&aD>^}f6Y%&m3(3_x~phAFbt4TCqE^=b7aL z69L`S*HNse*dT(-ytK45Sc;~dJar1U^?YdV_p^MpHqw1Ww<+C)(%i@9{#5q~-KTV$ z#mO;3cCCc_%%X?t?zDx`pEG)^L^nWmCeAz_a%Q~ z8-HTE{DgF4)7~cHzA|&tu_So+EX_`uU1Fs3C2tZ5$Q3hVPYd*<|^;4!zg%2Sa1!WRH*AN3@^lM?ox>yd#u%+`6BP z)H~mk10+9_{31jaw-gKgEsL(Llc;}V^g%`+l4#lBQt#3z!idE0CR()gzyAltpA>(I zkljJwbm9Isuvx)B1cwQZqyw48?EW>dO~FxuY75z|!oREm-y-3T!GBYIs_8nkaxA_= zpNi4PNwlnODUW|ug*)EN4$V-VrUuOkl_r@8@h+HbSJTX6m->32NK=cZcDf0BbCQ`M zYUkdTM%ZULh2m6-)6#{ERrGYHo0z5I42m-;>Wh#b2?mIQ zAwM%(=Z!WnJ4bCp+D5dE#cKIv{Gg|6Vq&g}vnZNUoSiP@iAFu$IVR?-IG3Us#d+yM zW=8jP=bKol;sT216c?t6Pz-xwsk_L;5)~Iyw4i92F5(oIn0QIWr4#{*V5LaCc%-`v znRqJV*G!lqLJ<`qyE~?cbj|PXVita{UQ3EIJi+j!hG%6K6uUxqnT5C2Yn7KX{0fF& zDdDL#ktoMVdr5cK%EWV8p4Jp?D6SI0?Oq-*ue1KlJk-k9;ToE2X|59^hZ8=@S)Ll* z-Cb|wIVEjL+L5#u!WLeJJi)$$MHk!C(iwdNqi>XGSx9(-y^K`eWZ`c;G5I2KVb1QHU2@ycVT=+dVB=&T`hi=#%D4*@H5lvLIc?3p0A<nVjUsTzbvL9vtbQ!K9 zA2PW}<5G*c@LU$7;ww{b6+nW$zO&2*X>Vx*}O4zX!a;$|9{s$dquY=Sugr0;@hBF@dV z;0N`l*m(?|&)@|TEQjo{f1qklx6nkVj`#yU?nR146pKah=g~HEODs5BXLY~C;FlTv ziUiA{G^4mM3%5+XYT>ij^QUpA6T@F;_)-byGL2&Dqdy%iGqe6yZ{enN4ce(!59Wz8E=G;T^wdI?0om z+y_Qx-sY>bj$}Q_1|ibF!|QY-cm$c8r}OZb(GQLNu52UOM`W9Xamj(jQ;)K8ADj70 z%_lUU(rgwZYcj`mD|Me)@Lk#g+QQ(^8N5}3H9^8B_`=LTn&3;CZ8Y1(q^gf=z^Uqg zW#r7;ef4*c>?GNhMnb8l^SIqc;!3_I`G#aqItit+d}}1BA0=kmOK0NxcQq z{cfa{l0QiPB>5|yq+ZeJ{x;HD$v-5ANsgqGcxqYwYvd{=M@g!^$c_yD%w^UcXu<#$T2nZP!odL{E^nt~qbCyvsc;B| zLn#~<6r?|yb%&cUM1>iPK-`G z=-`^bNtm-kog|$UopiuS$cP0xCzqjOr&!Nq}d zx;eYl=}zYiIz57p=37s5{#NHqI%m;2JLsU~Bb;;0*{#mGbk3u5e$df;yTF`()aga% zLOK@(oTTPkZ*%tP>uc^lbS|dT7Y-ivGE2KQuh3m$cxlF06#a*x2_bSZ;K7{j4s;^Q3r9w)XfRsWzgi?`7 z`>Iq-sf1E#P(nk5(r}X+sx*R98Kv@|g!yQcDokpmQYED-N+W|3nlF@`NljGBQmUp@ z6Ohs}!7jJTV690_RT@QUG^H_+a#typ#Je9^Z{LkI=W%t$(YcJy<#5oX%&q#2<lNP3Gz>pe+oQ0ibbXJ!pA*r^dYT$P4^7xXGyOB?Q=FQ^+I8# zTWQ9r8lUHAtfKKe3{3zEh+Az!R~25M@FInmAo!e3=T;DvrS8n>rp_8Vuh4lF4iYUR zNSzEqbFUe{RtKQHPW}z@Yr*rrNJb(d8AKyHtiEZ=#Tvw0RMt^>8w!e`%V1p{x8Cr( zbu8mM#5WLs7r2HH&V}%vDVJyn?^F4J%7;NEl2bl1rN1g4Q~89-r$Hr}Q$90gpemnJ z`GU%qP;%EJ5{VVb_4vw!!76-BVIzfaAfSIyCGW7^w+8RhWym%W{*Lfwz$i`3CAY=s zC7MZFNpBhAr)$?kev+;S;d+2II;m<|tE;{Vd3yE+6!xXiFes!UG%_Jyg~k+`P-q$u zq9F+TnNX-gGYZWq>>m`u5DqY*NQD*@T2g2g6e17~G@)39))Wq+a4>}2ogaxtMUZE- zYhzBSI)~6Xl+Iyr{CyUcaZ$B$YaVXO2vv@t(w54RP*CbBt18@4#vVV=Ux#*Nk0#q* z*(!V`F?M2wXOAV@fow-*k<{aieP5qY$CEvQY$ve1sbmR4ccQ@$>)W}`ghPbGfPGID}j+9f>AnEdg0i&Ws8*k~C5@(m^9h<0Lbx)Hs>ODKxqSjTDVj z&2VaTrO}PXX+a}R<8(8!YILV@28|v8BPM$l$+hiiMy(oW(m0F8*+E0L0}|sLGsdWK zE{*eOoF6ozG%he>tQx&&Tu9@hpb?|d+l+B)^r3MvjlM9NN{N&01>({{<}<3mU1HW% zYW1VlpVk0axE(6wV}#86t&p86-9U4;_VHzK5S_tvhQQH~r1R!Oy40-k8q!c&!)WEf z@;Bb-NVSutpvqjnIWyHMpi@XE0|zCTP23`b-+4!VlfxAgE+JeBSObvBuMA+gIde3C z5p>Gvl*2hd&LnH?hiw0X+$Wg|Q=iFaXmwmA)henZp`ucN8s^pq&Y7}8l`NHNDm74W z%lI7`tJZG=34?Um+L2v8Fz!fsLbj8P&_7YWxzp_+4SjDpjte zaut=Uq4?0k(Y-?(Z|cjcPM~@X)rmnhzPCEb)HSMJOZ7UclY?q5qItSk>J(F7Rdp)W z>#5!lRFiv$dZVeYsXC47O;o2t#gjWLMLy$Z7~SD|e;sC$zM1qa&?tz~wybrt4SsZt zhvyK!h45U!J{u$dDpa?cx>jQ~kLrA?3!wUo7V#JDHdEeGWg(SCRBnf&q5Ufl?l5(o zs*9=KN%gLvn%+D6mYBL;)w`)KrMe6%`;%BqG~@0uJhNJ|2|0By@%xA`2hM?Z(MU9R zv-oT5?l*IT2J`^U2WdV8(x}~&ygbH($yIwQA?QZ#14);3oH;AtV?jsaSB0_JP z@RgqbEeh)>yd4x$5Z0UUwF>W0*g)Z32);zea%IfDXUaxZ-ly^bl@Fo#NXa6j62?a+ zY*OK43ZGE;G$@22d}hLTDtu1i3kqKbg$RVNOxU8r*AzBV_$DauI(%!w_bP0n@EwKC z0U^mWY%$>%6}D2?M&Wx1zU*E_1&aU)0oBOTUu; zjr?}yWg`RG$H2MYjX(27&;LPw2l+q2vu{&eF3S0X6bM*~wr(?t# z5Z;$?L%?VdAb_Y3ppiLeY5jtu3`9p|Rm53%I+Z4DR-U&wzG>k0#t6Fa`}HYN-MYRQHiP#>5LWlw&D& zpx6;2I!W28(e5~7-_z1~JlPY-b^@z`$SCbSft+Y!FAbzK#Sq1CKum{%V#LG?Rg6-M zQH%#gnTx(B#Ds|#shFggqL>bfvZMVT@gx)bsCY8PQz&)`im{-0s)-k?*p*^8il^-n zW1+pGdb){2RP0Xi42nI1;$9*4G;yekXHqpk)7a2JwY)~ zP{I?G22KzO{jVepw-fxLCm6vKl<@@RH~|}X@u*B-->Vo@n7TvNN~%>Y8%r#v5F8yMJs?AbbtsiGbO9ibrE13CB$`VV`1OlCPz39fipd>f!7ah4Lz6 ziqR|d73oyc*OR^hw7+Dr#NNrc(bT#c&@`$yQJoHz&tut>ER-!SM{qODsi)3NIycjq z1qag>#LW$$u1?k46IL9YOhDj zJtpq2f!s^+K8nkO;$9W~{U#ou;sX>Pr1(%!+^eF0*u)kpK0@(PijM_FnRm123Gujz zEmeGi;*%7gf{60S7Mpw8=)<)K^9<={Nv{B{IkH#dW2K3$G??couA=ySKuqr?t~Rla ziZ4)nk>X1bS&U`5yii3ZQz&!RUpA-P2#LBJZVjDR=)AheiKhJe0PZz&wyX0xoj2&L zg~JwgGMdT_(|^;9-_>}F#yT2r!$8i-5V-2$ZoSbZs~M#_?j6z_NWTjj<*uyOx%Z4s z=#DJ!ll_3~hhW((PRrQMQd#RW<32KFdzC-^$5cL{@+lNVMlSv63ip}Ob+&r?bJAas z{t`5*I2qtw;Jz~WVqGQnYr-1|e*;)!lgP#9TT_15*leQm9hJ>NC7DyUnDU1zTd8cL z@;wyRx=zLd{b2BE1e^$7*SjK$)V(>CuWb{|UzY*RJm{oK-hMfVj?spS* zYE=H9u!F*%5E@JF#6-{`DSw&sk2*W)?4t8G99-V&nhLku*kXNV{6n_R!|aO5UnUg; z7TiAaU%5Wm)%iZDb>%1NgAuL=*yq0AM$pwarT$2NbsJFGmrBE+;s+@Aj z;n`3~=8MaG(xXh-p7p`BqjEHr_D~Q^JS5eM59Szi`c`}ASUMf(bc9o1{=pAUInMC9 z`d#RF;wKRA1YCoN`LP!#nsbQ;(V0$&PB`eqeY7Ix^iwBFCq^d@2dU?}gEic7EMdwl zU3oA`B}F9-MWdGRQ9H?;{u<25bWWkuCFmr5)J`>LpgLXYbfa?`9CW=aWRVcZ-O#va z-|43H(DhTgQ#*rN4`{f{U-D6bfo zm{FxhKN|gM41j^*V+cbU8rXTZ+6^>mq)LM*4W={%QZ8cgG#`)dQZw#WVqfJPyW3=C8#1#V2GD>C@4-{dzrTruGi!li(7m1nsdZfrlTJV%f%BU=tO z7kOFXgLzb8#@8B^N*Yx(Mg|QT?JT+K%=ku)ERAX!H9Rd_ZDmqug!ObE26GlSSw&d)1)3&NM zf!a0HCPHJTVOzsI)OC~0XfWDG?phkx(U=T_36h=Gbol2Kb1u5tJ5%XgPv-_WXoJW) zJ+9QkzMv^OFXWhfbw_oh}N60@){xR?y0mX%wL6f$ZsJ3E_n3v!RzNiS)RbX zXI`Ot@6-E$-iPqeXy5{fGUZk((vM8J;0Yhp$5cL{@+lPDwernG26}#GbaNe=^Ev4+ zNPnrcjDwXr_ba0>*O9Palio=B8_*h^Xf8V6nsSjwXA_n0sBDIUY5^&T6(9jy%;=-W zRvO!Ad=CT73NB!nk!^;4FkyrWKT`OK!p{LgRv|1XcE6ZVp~9~eextBGAjtPO3E_7W zvMT&RVF!gjA>e6=lmBJxj~#ubvy<#DvVVic`y*M}K$a8EbF$-sG!eMU_HI+dPYNN2 z`-f_sN7ze|zq!1MM#B-=&{j5Mm7j85l`qt&D?dqBg+@IXC|7J$`VZVFSM|;N_BJ2M z2K4r&*AO1Bii8wnNR7<+QbTG?qX~_sFnHD;Q{7$*|sP*&(M`W?jmn)+V*p&Sq;$2T?j067NNP1#@Mt zjq&w0kVD8HO8zkL7~R7_N;Q0F~#7`jJDTpVXJJImQigzX+A|4LnsWKNa zyousb;xXd!Af7IB3B&hOJV`u7JPq7mjYLSU#!1HSul&j6Pa)qW$cKeL)%X_5cO~DA z{Au8E^(1c+vCL@c&*Ncxx>>E%>Q3tnT0LOl0WC{Sh2nnG=AP!XQRhrLXVE!3;3WJm zk?tIG4p-+~I_J?j9}X&CmMwRI(MM>R>P7lO(iegDu}b(2C0*}5j)u^O&c$^4!a@GZ z>iw=(-fUfBd|%yftRMOQ2?sE!E}bGBe|83w=vi$)Lm*$ zTaDLHI>YGX!O7k1xz$KVx_mP_s!>3rkVZxg)?HZE#TA+Hrq)`;G)icc!ay}#P?mMW zjjg*`ev-qDAX`SZ9IVC%J+6_i!i*C%K9w}8XpDq$pqwWyi$d#ija+z7UhT@-`p)!I zRL@ecrd|`&bszJ9UTb<6)kjeuO??b>RDEeIM(WoUbz@DMr)zzVqjVXi%L7s(uF@4I zEmrADN>@?38WNwcSZgyQ^IyiB&_@?|oIv3k3KJplmd1LN@&un`{3_+IC4U|H$>7ma z#rlUMB6b>wq(E2%(}W(;xw8!(VPyG zDdGy01?6sr2?Z+5q;NBZSrAac7G%n5%48X8!=qozuX4CK#BU)!7dXn241)5;t!A{) zaZvMU%%`ychQ=u3Bu2NHP@*wfNMR9$+aWNIWnsgZ*Rt6C)YwzBS@;0i2gyDJR!@#q z58cBiY|@iILg7&gj|GJ|gvU+zL4_wMJW1gx2q+uHp=d0ed$E^Sk*SmcrcaxBhptHX z49#b0u7HUexiniQEAFf``nZ^H7d=OM73t?e<4VhA#-2p-=6bam$7|VmfyRq8UV?%1 z%g6Rq$h~azlv4Ro4!4H%E2Liy(qZ?S(NmRvo%9=|*9Pf`d(-Iam41u#I?`_k>8M+8 z^bJbCLwW=0cY}1yy=U|^rQaw00qGBebliPp^i4{CO!^bjp9blK`^@O+N`FrJ3({W( zX;~ZE=ow0XO?o5gZ-R8neQWegr8klOj`ZdropxJ{zFFz5q_>g&K0wQa$RCWJt@Mwi zeJsLAoXBR(oi?k~z@m#Y(p(eGut`gLK5T zG5Rj04BE9_)E#d05~YtI-Inx`K|1D+GJ2`f?MNR@x_yvNx?_yKSLtI(cOcy{ zNT=L!M&GCO@uW{6-6=??-HApoSGqIl5b1D$mNnZWMn9=^lyr=AJV>Wp!sw@zPLfWM zP6z3`pg&h0@(gpFz4ukdC;XMz2)* zOwwnOK08Q9-8n|DQuk?U2mgTE8U0m#iaWN>4dw) z=oggkN4h`h0YN(H1{(dM(t}73COsrbr`)ARzohg~(!)sS1?jZQH~M9z3rH7|&IIVF ztaEJit4bG>E+JhSq-B+3qhC{c1nDx;&pXHR+ll z9dortuT^>!>CvRe1nIaNYxJ8+k0X5<>C1z3!d+qXTS{L^`YO^_2kE36Z}d8)Cy>5| z^u!>Yc9V==uk^K~uOmGVJ(cwJq;Ck)VRxg^84dw( z=ns`%O!`jJcLnLBTVnJ_O5aU-Dd}YaIv#TO82y>j_maMk^ztArTWlKrxzZ1ievtG- zK|10dHu?*tA0hoH>BoX})IDzWS4uxY`bpAH1?iZ3+UT#9eunh3q*ny#xLaxTMx~!4 zy^8enK|0}98~u&aFOYtb^h-fH>0UPaTcy{Keuea_K|1ALGkTNKuaka*^x7buc5fQ} zozicSUPt=v04;C6)*HP=>32wPApLHT4!ie^-m3Kbq(312VUUivkBr`?^v9$>A^mBP zj=Il`{$A@IY_77FGl~W^sl6UBfUL9%R+L$8~wY|e~{im`p+OO?Qf%Z zD7};PF4BJoX=#5O{io9ZkgoF>+u!onx4)xFX@ARq=GxzXDP327lJ+<0dO=#+-$w6L zx&i5ZNjC)DPJGNn$Tzp1N~Q_Wnr8BjJ~Hmdau%dZAQ8| z>HULr#2sMty-K$r-I8>xJ#<8tH964eCdc@5w4SrG%(XGPsnUm#K9uxfO3R+U z^49-wqh~Dk=RSgTThd1cX=#HSJyYp+q>m=u9yD@M&OJKnDrH5uW6XF!jbmwapwSUV z3o**`%FF#*)=XI_EGuqGtK8f-PxJ2_j;DJ9-A-_E1!RftM8utFbYdT$lFp<t{+oXt7o`xR5LY3UkeP{bDRBuC9(cfqkfe~JkcNOSJy@zdTPw>B zSGto-X}-lPCsR3vN*5@2dzHzCqTy)Noof7XI#a7F`EKM-1CK<6Ws9toEE48UH{q3o zeE{7loI#-n1P;PT#S=C;DC2sX7MkF-GpU_L?QCfH7FRMxmhH)H`aDMB7)r<7Ii~j2 z&v@rjJ&)@7Q1P8X2CK;i2+4@-6&Q)S3(RV!gHn3Yx{%gIuy8GfmQ?jN`uB%?^!kv# zm~`I&E$@ylF}lISp6*AwKj{IWab4uxsjw^qDO`gQyIqG6V`<{%2$gN=3Fz z=5fmwCgyzH*cZp4bcWH%gM(`sO3H zEYhCM3xy=FLT;=He_rh~cN~SwC|nL9cdy5#Cwqm_lQsHRlD>-c)u4GPLUOB1T|VCU zmvSeUts}`_Lw+K7L`S}iF}ZG%3DbuAv|dZ$Itr5^ph$68Lhe?dVoI@&NSI3HdMYeI;IM1DGWT!MHi!BB7sW|-4MZ`+x4Zl*H}4laRw&~~$p9i-=< zL-rQ3bHVyckdEOJ+-kyZy#(_p%%`vbLhcg8k`Z^C(PerG7Lr~>`gYLxERzbw!{JB- zUuWX(4wJ?&lYf)LEv9rQrMn;@2+#?)#OMY3J?3uGOGz&a(kXY3(YGmmFX{V8F9)sP ziPHMX=YEqGs`LP*2Pr+Il6;n|EYFrm1t>Sq!zMM;ual2ZdX&;*kZ`5La;qU@A2)vN zp-8i&`U&z+l79+3u0%4)Y)ZPPP55mw`8w_y3eQql0U`GxK3i2G`7u2%8wo_*%ZBgPtXf0-72>Y~$1TC9 zUm3?ayk<(hEet^Bm{WO!%33H0dbH$jMP{TtEfVfcb3S>{R|Id-Sx4t>IKC8yBW}IX zy|om+LwW=0ca=_r6Y;cr&*(p{^YM9~^arFr1dTxqviG3-%J5gt z@xgsfd?WF1fTKD`TQ%1*`PPip+_hF9m|Z{V*2PxO9*vy-^u#R^p&5H$tZ#9E1g0W~*hZDzh>dC*$gySD;zn zfZo3J8p1>St*BD=gR07A3!~vwB;gvFHlek@OBz#aLaiw@Ay+~-U)>dmR|4;>Xu7R|qMTojvP+Et#gDLsGb&NS( zQ$8P#rPF~4+!YN#>l~*5}8`bWWku1x~J9gi>*Ls?l{cC%TgEM*1|+ND=A) ziCRjQk&(@pPB&}!d>^mww9cT_0~W$4ttiMk*VE|yPCiCwl0J*{*`Se%ba{EUC?vx< z(rI^&IXA5GA)HI+JUZvYX(j)VNG2JtK-WlSonBz}3p2dki}r=IFM=Joqa@=};h5`f z)<3g-Jp0hPm{#Baw$gGRUSd`qy$}1*>Q8F`EYzbCQ*^|`ZlDP-Yvcw|7))UZ1UyjK zZLi9c9K6(w`?Uo!l*TX`c`$HGjjD7bq(_AvxiW>)l9z^v%QyGC2YjLm=oZq=!2LgQ zW64y+6&c*4Tz-?o6%#HYTnZRziNwzG*io6V8qEJSm90CdgX!(?3bnm&I zt|VPWdSsB6PZ>t{RXR($nsg0l+%{|<$gK7~`ySVt*;HFPqiBw%IR@qdV*V??WDKbr zYw9M=u5nZ^qk1`1Bq%NY#E84X=+QbF>PpgAk-i!0f=>|x- ziXa?Ixf_jsLMwu4q;DcU9W-vZlsq0JUQrH+&+TL-H{1-fTQBz!oJsp;+OuGzwHuW; zQK8WxH{1AmJv={${4M0?f^P)Apj;lZk+8h8xYd-2gS|43%6uvdpx~aCJ~$&d3hQ0D z+sxXkvo9CYT14x1wPXgAJdw*XRbkm{&D~*E(N8|C#kB6Ebr&pLR}IT8F=2}ab2o*h z6qZ3i6^EF`WXxl!Y~^;3IW2T>{=IbWqqAI{{7M;pjmljfuJ@Z${h^Q819Tpw^AH@g z@xszckZ0q=hA%zbe zzscd=p|pY0yO8h_A-}NHy=QFacZt?<@00z2?1x~H!HAF4<{uf}a;mTTKPLVO@lS!H zP(~7nkh~r&t#zN7Gv*{8#OHLrpz|dhJZkdF^J`>9xk@(%xh(gmT%WJZef(ALeoc2H z-EZI`dNT4}wpn!F8h%}o$2SrGj`(KayezWaD@R0bF`=1WmaP=FQTQGL-zf+k!QAmu z*@Ni^lZv$@|48X4NZ_R`6<^Kx?Nut)Rmv4Gen~v48+a47x6?o;YbLmIb>=b8flUY=@ZJn_NHB` z3n{dtb~Ls2(2)LgI8ux)iLuc*=9U~|-pl%y^H_Qv=yik_XcrWPWCn{n&ZM2%E;ydj z36wfP!gWff(hO`=NhVV!Q?N^APKK%DmIxt->r6F7H4K$SNj6!|WF)vmN*-Dfv)-TJ z>!B#E7_B%gwyE%C$0dxuQYSGbNvBAsLGw}SqgN(FzfUq}tj6nPI;YU-0%z}hkm~wW zlXhu7bfwgd(rJ(oEt#}0(K_AelzuYlPWlYeJ(NyLr!VDt8r|Vm=2IPaCh4ut*4+J5Xq z_(#R-u zmzuR(V>Fc3Fj{%A&@Cy*j>@`xgF9^Z5h@^DNH_!7rx>*mWN+{MqUNUX7{E&{-xI{sZ~)MX`1X> zE_+QgJb7>AOdGS!Ygua5)M}t16XNnh*3}wZGttAN2#+Q_1~5{DozX3fs2gkAXboc= zwacho4h=2ySdo**WyW1${BY-kxsv=<T#`;QRDxK@;+yDo+xLz4~nG$t3 znslFDmuZx4qBI>6GB}J3o?-A`9ek{2626)6EWk)b*yq%2;~!Lh4*6Ti&jpW%PqL_V zw3PT;4Zm=yKm9!7^NBA2j)zY{UR9|)6Jzc+6PAANg@qIrQMesKL-_}pc~G0->&rXL zsL&#^n8uwn?t&2rBJ7r!utbBno5E5G%OEhx)s+&Zth>kfs*XNN_maPl{BrOtgSp$I zG?SGjQWEZd)8^=9c!1i2)E+Ml8JEVUKTP%+Be5h+e9jqYA9Kg!{r zBfX0B^Pmy26!u@QDv<|#*sV5a=Oa|)yAGWf>AVC7S1~E?psS@jC6h1A7_S9o4UJc5 zyb1$_HkFq5cdr?o(9^$8_zl8q0ppT~$}@$f@>F(jny?REp2*?eqOgv_+Ypdqc`k*+ zZoSd7^-{b;dIRZqK_m9krL8LCg?P`5gLER_`!qhF@gWSvKA8xm-A4xZze9eL!+lKn z6T+VY#f!#6GPb>FYVeWQOX977<8F(E)2uPw zfhLR^Ccn$!T2nZP!od*!{m_nvT^rNJ=|lSvYKKxg3>s3ON+dWpv!FDu!X0kX&IcG& z9d`t!wv>*9gqtbYKuEiz%$lS@wWD=3t@f~xBxwb6BBMLTgkjncK9)iU3LPQ*J4unG zJI=JR8qV?5PN3Ea8gn`x!o&DP!|y}OP7c?Zc!+oyIQ~H@hQgYH>Z}X|h?p{<%omv` zl^B&c6oe2?Ca_#|!tiuEoL@pn5>F9N14jsfhs;T)^wouFPNs4Sl`c?lSt5yqS?*Mm z(kCMn38yQiZj?@ggm-ZAh}rwubh?Sx>C>h=#WN`OfQSeN9yUEqX+76x!I@OfqH;DA zL{Q$qndQzg>8Gsxn;h<3O6O5J9}-G{e?W!Z1tv@`@uBpha3O_@ARuD$fbx#(ZAy22 zO!c91F_pfm$WuojRF{~tP#-=0sPv~Y07~%D6LAC0I8+}!gJ=wH}yfm0?u!px{v=F9!E|1m&Bz;WYVYIa~p~LV6i^xTxW(k~~)~+apVPkf*QoOH6Fj zk)C{Ep;$t(6e4efbR30rxZ$f14LRHh;$_6kf#V;r99QrWSz+GR3Djg$6na(kM#96h zGZdG%QF}ckotZx(ujFu9n$JMdfNJh?L9(&o#Eko6t!oX-}YV4TXsi@W_eA zqt<$!WX==4eIVD;xsJ|cI4E$^kxj|x57{JqiW&P1_r_Ej*VDKG2ES01)`Vs3o3w>< zhb(br=I~A4oJR8|n$uz8MlGnRad5JEB{J8m9YZZoOw?>9D!U{fAGXla!ufnYKtYf7u|QnyNi zdD)~pn)tY_q4Wx+S0SN6qMZjBfm2cFUNh?`t;Jub^#-lAu<&~FUo|TNeACnkg+9Qy zsIH^>HdI_-S!tzKhPOx#%92;++;y#Y-l4OB&bx4s=e{aJFz=c2q*h?>Q~7|(hfvU5 zPT}3S`$+yX*ZO^Vsr)F1`&fROGOwQA6JOKYNbehXc&=pf9Qp{~8h&~`pXyD-zazdG zI8t3xRVZC~-U(Yw*>;y#wo=(f<$G211x&#h_k$@bzx0Xuk;+e0eujc_mJ0<9>|f0I zQ3Lsv#&0yX!$4KwTk!68<5y_={SWdx$o~l*z0D|2{+Gd<^$YS&!n+9n4H)H7wxMOC zvb46edW_p`)=GUv@DHszPqDire{&sL1hJ3&SMKr+*Na_Oev+;Z;d+4o-3E`i`exN? zWzm4vzO)*`!qo`vY3w&LrGxf?8&hdQr74tu2PE@i%&OFYn$c=bYkyd5edHeP2N-^s z2GW9fOX977v!3vc@Q6Fmj6vE4Z%yMM8VAEbO43&Exi+S}y-NN?4tEHZL#Z4F1y8l) z-mT-qO)Jx!K7v|XYDYptNLKO5R~Aza)M~FCm7}S&S0!eSJI0i6^x_{&r300YP|)y* zYD4!p6Am3Bzsuo{r*Hy=PAbH-1$v?hvowUx6haij5YUqRS9O;t;pVHY|$Y4(72dJUl^$FQGv^+7NhGA z_Yvwxx!m#F9?{E>j|H1bOWxUm0ZtnVFY<@6Dk! zhtbS~iMs`{O6G&pNl~F2(gbDz0OI68G(PCLmsl-*7wy(yol3EqDkKU-FR~@cRr8_bgrQ@ zQ5_l7Tv0ftOr}g_-6V6a*G-$QrE?vf$#9TYGH6D|bl{8p6f-V=Q~p5?Hf-E5Dq9)NwPZ-Arv3G~6sj z^1gnAn{D)e4)iIXL;4odb3yaz6-voQg6>ws55xc(Iov$r^NBA2j>0H?=VVDHuP{%N z;%+nP8|^qRq_l|A?T~Pz$UEhla$I#8EN03Q9WAn$%AHj1f`UZImylH2Eiw9aog;BK z>7}HXfkq*eFTK&S%2Dnf5X1H#Ane1q#q>x5a?VM z#ltdJ?_t9yX=END{wVRsfTMPg#v}1;O}0u_(33A&kDGN!Z$wC<^aQOZX*~rCNsw|; zIYK^xJZ=2M89q|akbjo^3h){!X)v!ee1b;mIpV8`KMx!?MK~r!sZ1&miPCCw1|NzD zNt9lo^CF#>;N+r|S6w5Yi(WSVrki|}){uXN{Hx$|*DNkmeqS?sp~mQS(r=Jn3mSzY z6iP-5@+xHDynEA>&8oabWgV5bq2$smg9~DAz2QeF{todC#NP#u8&rlV$8**5duH^x z7wMH0zfa=>8Xv;IrIYGUwo_w=M{c-}%xbJv;K#H+q4g=OT)O2Qhx^RvQ#4kelm3GA zmr6%uAiqqMG5Yk=86o++LV6?VZF-Ey294XcU}TZoV(iji z{h7Ct-A49%u*jXPyll&T3H`y0`Pccg|48E}8b8Cpy`RmLWAd52nv%;v@ z={HK-A)#SZR3bxRem8iE#{Un(I|%;?7#Fy>w7R4w-~DCy#fSL_?Iga7_}{>h$EB5S zx1nc6J^ByPI#091A%7W-f{~>~ZXfxtT!&+sW=&oBNje;a>jCyp!F0HwFk9~Go6$sz zKm!{4(r5?+Pc;;rh>UJPW;N4*TF`1qs}(FhrK;rhMs5RwlZ&n5@ z%a|*!f!W5i{a&XfT@Gr8QaemFWI;^ET9xFq!%b_h@jHTATWUu_W2;uQIL7Ri=Z!!t zk23E7_1e)pnqGT&C|9z{UCJF}aAO^38XuL z#;J>?f8tIwc;eyys&pnCA{+*cQ*%y*ix|CnhCg+bbc}QyG^$}_QX*SYSyNW%66Unf zlqTt<=%nEwhn!5tFP6`bV>uEg>rOJSp$_gincgY%y1+v+swxY!?o@*>EcVIhO1K;0 z(*PqGviP(NNP6>5Iv2sg1FNW}EGy$3 zU2o&p9_%C4hy2Cl`+~=luSnWe71ACplgJfwc%^&+uSWY+K7e0hC+XVCpQIm8(w`?8 zfRiMHCy_NR<@>Yj{3xIIF%n1SmdIPPBB>RsWhOq>L@lVSl%>Hdcpcq9JAZdQ{~(@! zFwZ{(=Wi+JFE5Y=ZLQ>Zbz!DLM%~LhraX74$@iV%BR7=tFv@w5+1jqjui|Ird=nPy z;-v)?3MphDpwQ%3VLX_@zkVdY$>E9#mk=&hSk_dCx#0#cKxqX$f^Zq(a=>lm*IXZ7 z9yx`z)x~HXp&CObWnG1x;>jL9HI+O?6;Ck|r@-~a-IL0fWqFNnt>qz0zM6auc-{f! zRpqYM;3M@87)5wA;W2=bRftZ0W#tGr)`YcLADeL$E~9Wc1TCR5Mz37v+PW*uIY?u4 zC7rA2Tnz`0(A;i2Qmbtfhzr?N#Egu->YqnrK8*!1 z@Z>@ek-|)Foiqh8G~EtAV|kI~ECmmlSD_maMk^m5ReN1QBlzX?Zc)E}VmAccn@ zpggfMknac*rL23{q&a^u5c!Nk=}}6LsU&>>8P_G9T^U^J9ye)Ct-pLvPHx;8hAgM|c(C=KKACd zNaH0Kc(LYR2TBUEa@R^L@MRMp)(T_|#aAf43K5CO6pyNMuNnMneV^jj3BN&jEnr+a zz*+aE(Z4DE7U^}Q-&Pu_h`aShAEPOFhx7*0?}EllC(yFKe4)HGFRWpE`aLs`Rr7tC zAJF^|X0E*ylf8Xq2B*A7!dk^2nb$$RkLi6v?^Af_8jLK@cb^%%-$pyGZ{HT5s$W zW&!Rtp`%`|e<;*>hW!=!Yd1xj5!y$7%5_?fSEH`{B%Kx-^ zFRg~Kkc@~-qK>&nM*pglg&LD?Lb|EZ>6AS2_cOY^_FbEiZcciC(Ei2_hs!gv1or`E zgf%uTXtbo!3I-~08Jp|mWvuL$DJxiH-GQdf8tkulYib8kI~ZE7T@VY)c3`fJ@lg%t z5b}qTKMXwXg`z^|4mb9k7XI8vkZnu$NU+Et8SyR~6dz^u`cpmKj`Y!_+k-~Qu9i2* za#J2-c%gngIhJ?_;vIpbs7ge#?l^at=A% z$>dKV-vvC%L2X`c(tz|v%vhuk@~$+x(KrnTnpOoh&fy(yP5DrFx;am2th&=VgH8{1 zkl=VxO*I~BJNxJp3^kN#2TGV8$2M z`U}yE#)UL4f`PQ;RZF2L%oN6D2ybt52D~l*B!}xm=VCg2;b83xb!60~yl5?z77f2! zUt;`UcQ=D&t;GqH`$S|E#=y8mUkF^>1==I#iZ{feOHi< zxg|yqRr+qyOGz(NIvK-aC-)fr?LvR_6>R8{KB6kI@UHUnKofkd`Hfjc%*-8q%+j zesvF>lJ(|ZGx~eYo7YLdL3%A{JcO$X(BCllS{--y7U6Y--v*3mBO_C8{T^C#<{i=- zNWTlZrO@ax$qT45nNgTQpAk2{d(Y%Mwb%4MnB=2!@^}NtIZa= zUkpy^s*%4E{*CbVJ#ePT{cdn)h5sPDgYch#HRHoFF~t34!s(jvJ1Oj<@HYfsmSrB& zZliZ<=KMpt&a>=e$Y0h@RU>5#mi$MqcX5Hfy{RidN$-MeJ+LgBBjw9@eS>=`+<@@D zgc|}z^_|VDl?=?vhihpLjRO z!DiLu%aAHG{iJ?zZOj_4Z&MGUbttXFV6~R8WYC7Z{*|w0vH;qcaMhSd)tG2rX}LSx z{Nr?g@+0WCrGF&+1H|9+h9Il6*pD*xCtV+^9o3_$wug#jV%V#bdG7@oT!3TDI#ox$ z9!skOt&Xrz;mX!sB~l3;XLvye`Be^gJn<8VcLI(Ix3q%E!;D~=g8vlf+ZR)4*{jgrg`E zCmG#LzjU8W`V`V#K;z`{AsWd()$lPo=CLdBZp2Rmj+-HZbDwT-kM8oD9IiXzGYIzp zjC03w=k95EcSl+#xf4H&_}ReG8pfM(`640jhqDOf9Me9!!Ds5Z)Xt-JJ~V_9&xLY< z;SDGHP#2&zK{?`A{WLbhL_IqVe}*3pZEaa zXk6t!=plfCW?XriPsAV^gJ}$bfdG=Z04_B=w$ukOl=v{>dB70>J|5ICm-5Y6sv{H% zXcW@O!1!0ubIui+b-fn7Vp=7%N@1a`D|^_ocnmlGmkWKoMvyNfUk)CbD=#oAYh=ws zMyS z(KN=uz|E0zrCIsTVf3~~d~(K-zKrzcpiv3olZ~(YWZX{`2DMya>J!yIpew0fMfGZ^ z$O&1HO4chZMKid{jW_A6%|5&dl&+yP5fai9jb}%cmdR3`Zju>u`*`D88rRX738YfzCw&8G^vI+ol%J80BPf|Snsd(I-kC<{COXsMpdnwKU+88SJLndl z=$T}1COZo(W0S;K(Ah@++RvYP4(VG+&jpPqSW#YSnY^+q{)RoxVtGWrL+tZ>ao!%(Ej2}HGhw38y@s&yO-L1)Rsd-=7qyG*hk&ybMP3I z!#zOyLDCO_Mj+L)jj=3SD_eDrMpis*+LwBT9-;Oqwa1_#5XlO8llHjLJvI4HkbaW% zQ=oDCb3q|V!qdjbbupo5$UjSd1$bmvIFkE5fh*)znl$5J`8PS-bCgz5dL9z4DZa?a zfSlqC6SCT@WB#EeBeZC}Nb4n7s4#I&<>q?X@N+aJYly!>{8iwH8Ap;9$pkw*cwaN= zrLeyuuTy%1(ppGJemGhr09L2k$+ox)GfFe>y2-5r9b~Wm*UqV3JmC?!7SydvJyRS^F)p&hPaU;cVAYwR4RqmrJZcBNEjm>~Dir`zbTk8kd zO|-wGy;=U&bYQh7qbkefRfJUITg++S&gaBdI@{=cFMo3dP3B%$KtGt&Q&+G1ke+Z>RDIKPge3Qv!Dx_P7kPhD? z>8H3OD7B?@q)K}#9C`j9Wzrh0aN1Eino@g6xMd@ud}(sXJNaWwxWBVc|FIN0Q0S;a zEP|GxeE&JlgsOZm98ci{3Y{R}nJbkoUW6beCz`TcYue6KLR7*~@B$@}64|6)h6!PL zkci2zXo{kgW0d2NS-EHAs0@2nwGJ zVZ^Do(PM^rx)14#N%sYfbZ18AmE-J}7~iIuPj^4^{mBmizjq0!sh~Qp-R? zbG4+p!W9|Yt%DDum~08zQn0w5ESkOrI^3K!!@V!J zsY*127EY#Iz8gAIM)g1%Bo$dI)l_PrAQh#xg|61vbvmSA6xq>a$AD$`NglUY?yx++ zQbs7_x{fvTgf|#S9XF2VWi&5`iR&tLhb+C~3UhC(Dr7nf#&enc*fgIJS5m%;^3{-W zXZ!b0GU^X?>3Fk>^%c|vTG!B;s8&^tlaW*MeS_8{v;L~|VO>k>I$D!qp+2apluF3I zRC7~IDlGQWR7%%Vxh*pyz{7o9`p7AkY0pxNZZibNtZE6!Rox0-#h1~`xQeA)|O z<5`hwG)dBKGohWfnHEx5MB#P_C?~jYwF8@*j$#=k>)1L=2zbi}=9^dCyUPx=GWAA&|<%+|<~ z1~TODBjaDa*%nepdp+&?G(1^F+*Bkr=Zf=syl%IId@p z$v|)SgBb(v@JauX#!obUhJmEWLrT7h{9^PkFUXH_xL-;CMtZx_vJ`Yo27wuU#;KnE zgY*v4e}eW&h{~8NF4O7$GU*~s!cI!NDE$oy5t8nANwwQ;be)Yph<`}eS;-!b{LOu& zkxt$|@*la5%`ok|)|H>6V?(wcSe!W;kquK^eWN#>?a$nR^uDAUg7&vrG?J;1jdA$7 ztC4AaHTsRIHKEoN8Um4R@nkj5{fxe4z7M1s>E@*O57M&ziqUhGZb7;w=~kdotgEEs zjTILTH2x6l$&f#Y{K4Qg|D(h6Dr#ioBG<;Gewu(oC>=`aFi0pu()p>8g_OlO+>BjY zd?JpZ(U!)MFf5ejKfCkf!($SRKL&Bq}D6h6sCaz}OF(%a0@mV-(CDN_b!oXQ`YEjfccK|l{a)6YMun> z6f2O8$9kIa-gk0VIoz2v&Z2QP3|!3os&FV$5R%o0P5AI5@-lse!g&Uc0uzU6+0zYvK;t2q9aAn}Rb}9wG==lcnLXRr z&INP|>15#e0vU_!$tPJ!$Q7Ads0lBoT0*rHDiV&>;S+AS(N#JGW(4Un(&a`c(}|F) zFuJ2QK`KdCksb-!H;ZCX>D}NZ30~tm^D-KzEWK)aHSiFpk*-EYbk-W(X{1m5DAJ=z zj{%Kxh#5iURW(vaj5XuW8gGoFaT$%vVcq=Tz(YhKIVkKimWcSnY zMlaH_A`?hoLwaJ6j=M=l->&qvq^~1A88n_E@-9VY^vJx>+ztX$OnZB`{Hq*pDz)pW z-JlwZc?_wSDfg288%-5;E!5^hLw4u1+@!EFcdJ>YYR#iHpVk6cxcB!YD;rTk zr27zD-1-0Qx`$0|sOlqBAEo*jRD2Io)rV<8KW=_~^`D^sB>ku0W5DYF_TAH_*Hir& z>d#VN0iEv}e1Ijg0xSMszVev4ubR)%Tt)MFm?#+6gd%Hh`VB(Lx!ui_*a*1val{r~@$d(8r*#W|$1%4F<3l0d$mq zK(hXoH~;#{|Eqh`&X{iR>$|sj#&ta7+c+cZ_@wL|<<=YBN^9+RNN*thuF_J^$sUyN z89iHTuJ=iQK>9<_sC`id#j8e2ef^OcC0hG@Oyd(8pTf|GRU#`>MN8$WE>)hio<1|R zRMpR^enIt1s6HXGE$mlDAE62Pn)F7}-zXgmr(^)#w?+>d=Cgeh>F-Ey2JIX2(r4lF z?-;kX#kAoXrLEMqQTra6Mk(fgF#0f!(vPHnBK>oKmJ!Uq7~Nj!UrGN)dV7$TZj{l- zDE$ZN9i;yZ(6S}xUq-i7dMD{!r2hu(n^rL_Z6ojbN@Y}(%&9SPgeLeOigli2S4#eJ z*p93z8FTx{f93j8Qz!dOtt&rCUy5)&z`190QB7{%e0?+C9_7nw0~-6%Xb1!O8IHzf zXmBH=*SGQKZ%n!g>87ADhKRem?q~3lBR$-VaC5@@1IDRkSZg@u4lufKn5SEiZb`b8 z(qXx2qV7PWuhvghtw|q5`e3Ew^13eK+8DjC)}Q+j(ua~hOzBuECVT!IZuFu`Pai?L zE$JhbmW>dTvXq$7|5@PacBGFc-QH*!P%c|k8r@-@r;jDwfpkaEdi!FAl9EoXnb{w55u;m8_jHtWjC33{VuP+2SJZF` zGfvj7SdvDHMj8e>mGY!5kKx!J4vS=xvYF10Ny3*=K z>oiy_nW3mFbf+8LqlHgOchYB&?g1Lj_!`;IxTdsLcKRrDJ)6)`KDE9AO+M4sb!!cQWcf5i;%o^FEV~wUtjSQlP@7(3ciu>l`>1BnA?lF z;imNI=amsu%BYk>!8Mj|xwUy^HJl?}VNOizw@NxybVjO!yoyv7$)isStT~mMlq{WU zIyLHGLZ8m#t~KY=!9H%I=!~W_1`hK$oR)swSfh)FNrdHa<49jd`f{bEY{+stR~Wrq zpZQmkzKZnKK|12b8-2gh6G&e}dLn3KEK(e;k;NN|-6T^+YJ#t&avhb)P*4x}{E-4X z#f-xKKDkqATufJew_)Wy81IKeimP=2#83u=Sne>^2Zzeno zFd8iJNJe&9myd23BPByhWx=S~rgj@EgdA=T)mx~}h3caflI@LdHT-;y);!|#i7x<- zXkkl4cbmZzR`Ar)&mp{s@a=$+NoiZq@eVV}pZ3OL8h6sT3kF{;6krRlTnd($GhY{u zyPM8ZI?Ler6hvZicaPx}nu2?Y-$#5oa70RnZI!wE&6uuZwjQAIAdQD$FjBIHMFuYt z<)!Px=B%ISul6H!9;Ndb97IZ1CX7lA^0?s#PV(t~g7}lfp8}3-m9^&+?rDQR%6j-2 z!p{<30T?$Dw_{Tu1+pwW5{V{>2J$y~o69CyE) z_&Z+g%HjT?xP#)K5D_bByoY5I<-ZJ{+KIG`B_qCz_}{=;US&IRx7*;(*LwIL!gW@$ zXCQxbj~uD!rE4Jnnd=%jt>f#;Ptr9YT@N%$H@2jd5xdo{z6poCDy}Y|hLuV+kQbMJQ4cDW#-ErATBegf?wLJ8e|b?*D$h zKIi?OkABVL`E@Tq`NlE_X> zroI?nra7rcygu>Mfv0j3l&&Si*#esXM@Js zmbpIRKsXQz!~%h#@0171x4FfJzVwZaPei zkx%h1Wc<#0{$Rr7BjlstQOe0kTpm_2qmx=K#YrbfCqW}avK%f42*^CmOHH}>2Kg8H zahFlKoJvb5NI=R-=qrpKk6g-+Yel*>=_`$vIxObe82u%#W6*6$w(uvAdP+08+&|xsRO*;>FCftQ^SHQ?Su2|X2(deOi!FDIzgLF^OI4CTT zl_MV_t}%Yub|3v(^4F2?1s+*R#^s{xZE&u(UHTBdp70HTaj1zvB%E4;-SstPz~est zjZ|);ax)a>r$Ck%DV6Ui#)sbYd_VI2$!92!qfN>{g8{}@=<#Nf&mx}<9$AtFC8It| z15N3++9#1iC6`Jb6jWg{2wb)!mdkUH2_K&1FVDdg@+lNRK(+0sCCNM!*#mNzyj(6c zai301Dxz3SaR@~8SY=eZ?37rNS5PcTI%n4RU-2J6I1OWtb_kPpH#49vWJ z>J6h;POkzUPGuw}efHr7@6d7^L3kwLQGgo@%%RYnJrI&QL_Y8xz4D>-DlE{Q`l)j? z1C3#zu?Up9fF#x13?8i)&^W^52~PmrP*TO34zdcgZ;@jUzktlTlXc-TGTrSK<7%yB zCo;w)#<&A9&?IH6#8ret+$DuJk0a(LTZB8bkurr5rZU2vh;WWXi1>tMbgf9~I*si}Ahg2r`2)W-`Vs z#K4gbD{_P7)3TfdOF$VkDEt-KK+N`qrn^wL`4nC>B}jU zm-I5caebK9T_X)62Lub(rbDjK1OLVrN<%RUJuDiAX2#% zO7-xBDSO)Zbe2$glFCz1&X#|W-X)GsMpG5Zx;m-pGO~DPP%ij^83lRr5__pd>ej$V zdYX}zG14=LRA2r=n4d* zyclJbN?FoTK1-K`B#gw78Y#=YYC#sBC9M3o)eQ0)gRDUi9J5|t3EpZlfYo0iZmk6v zp%>We46u#?)*}Ee?YP`(lBi7O<%l-48#kExydM8Xs+*|30Ttz#pE00F7C4iwbK@9N z`KD=ulm3p_Ol=Fbt@!Lezz`@Sv%%*nIQipKW-bH?R0j)K~ei5@v$flGxg32 zYmUEd`n)5wrEf+3UFz>a$7RVGPf}A$F5fq0vkqC@N#z47A40)5%S0rZDi^to{7eZ+ z@FTM)EcFR~O#2hsyI`XREXXM+jmKnhh(LfZ*eWA@Y7zeK=u2rgBkW;>y@-I@56i@- z?se&ed}h*I=cUgneL?9Xkt43CY+z%#>(1+WP6c1252oV=S5bNgq+w&)L4mb0; z{F%-#bPmD6MIg(~BZoBobsv}2!G1Np-!QKqrv4lC-=U+GuNOgtw_Tx(gvfS(n7duC zhCk{4MfY#GI2&?n%Bc*bq<>865%dWjp;ToJyKVBDZHrX>fB_oWF654pKc~8Hw`#Re zRsJO1H(JNSLXDl2?*MW`77dV<09Y-!YG!uSM|X9aHE7m^iAo};qEJR`pvsHMF-l1l z73a#7t^5N1E$V7noL3wBlUkc`j$@qT5eMfcR8(9l>(rJysX9+Er&C*htS8c`L+2zo zXaWbNCdhXu8(r-JPoF}%F6mQ2A_+%}T2cv9=q!Z%YL#CoJ{$Mhf8^i_lw(tO+ADWrTAP0XM7kpye23S3xY6DBgMI z)zseJ`ShC6y8s?;R#}j`(!*w<7n*qdjXulGDPBbJVu+}(lhGuu3K_-7hQKAJb$Z2X zEvN;k1)-&#tZ2*a6v3O%$==c=6z|MNO}o+ zNq8s#EL1G}5IcDT9dMVLbh0LP8Kui9wSRdC|(5-4<#8SB+nLk zqZn{kn=<%wuXLu;g-TZ_tTpYa5OLki3Fy7nolXxrJ>jsK;c{i7qi+^O!+hGy4JVCi zx#6y{AaMn<(83siv1gspX{27_CM>8vSWxz(BVV$%G5#tK|R_#;A}*n()pwdKqLEsave=lXvQ|wIr8I*XcW^J z0s|fKKzZun>x|!_ds*b z3b-Z^mFdi~qJkN>X#%5ZjG-|W2HNI+yu1#!mz`A#O9skCF8zVqEJV33vNMh$#xukO zgzzs@H;&rRfS^5douo=W&mz#2O4?lOA3hQ6Eh zG}6;ShJ3~{`gW!7BR!k+9MGt)B#n3=eXz*= zCQejwF2x5ZJ_r%VEqx~0;Ktz3^+_|2@O;7#1NM263wMFhlQi@~(vOf{lun1-qekDM z^kbwKlYSgDt`SVTm4=+mz<7X4maBkLjpoVxlNU^wswuok;Ux+yAZP)}hb*J-RQeUtD@m^c zjSIt1g&!zuW60>NSIs(4r*^HT^%|`;uyDqPh2sgg*5I{E{1LoPcpc&OfN@>On(#Mvv49eA`HGC%wby%;L;U_qNgFbk_Ylq~9g|9%!6;8G<4saitagz6sMN z`EuAv;R6aEs(}5$hGpdUb03+|YNOBn#}q!HunR&e_wwj>pBi0N=d*~GsC-J|C{|y}X|FFD#c{NrdZ^ZsFW9?FZPLI&2 zvXy(uJT6yzL8=YVz@*P~_@ae(F~yMkx1~6uEjdQq%ImilTsF? zY)EVoiX_u+>JFxxPqzSW zb?-)H0AQi<-IXsQUrc@oc$9EF5K7ACm_{$1Eq|0BS3XmnL^)G`>oFh}avTg~aAxgSku44tuX&{fUi()#l9$;qn< z*`-hx=#>46WLXM%#q4ggAT|HOA<03FW03I-G66wwW|PrGAR&#I3enx|CWZ7J$3#k# zDBS@GCxtl>}CY@PuQ00}B4JgST;_fy4Or(|H(<-qLZm!04WO zf)|p0g!CfNZ2x7-8W_^JaF3dBs|}K)u$aQ*5cH0dHHWx`xAZW~x<->(LhDIdPr<4s zhlgt~IY3s+&2dXjxmJ~@sVt-N3=}-(kB;%r zf{nB`(Ru?G>S;+QoJ!|SGpdy#6-j3^jV&~`RvO7*%6Q9+&(zpPV>^u>jZbLo zf^l@-_$J$ZYTh2r+irS$=Y^xO(tawIs8sxFQ4p&+RuYpiP=@seMQ7duXYwMSVg)m@!^IuKY;j0F8rbMl_YR zpUjw~#?Lf

    r1a6yz=)Hw-UgMj{YW2)_ZCI#eo!WhKR%jxa83w zqt8VBDu=s;^kC9MK;BGUzNa+crCz762o|gWH(ZxznCOw7p)be!5O*6Vg>FK0rke*qd z4!c=Kk5+m%={cn5f=0a}sgzZ@&?TN{MyVR}Y1~2MP8j~Ckb$m#(v{@rUFMakw}9T= z^cKSNmyOHKxqD0)tHL4*iz(a-!M`mlcbfam>Y_8d?x(ec)>2shrU+xSvaBTK9x!K| zp6Nk457BuTjwUHZ9t6@Ww(KvlV`cu-MfkxRtGNQ6T z!so_MRem@5FUao!uc0TqFO8n2^jDrEzbAcw^ucm;B;XDiJxl4sq>qsP0kp3~B3M7f{b<5$6@H@dGlioNd>SGl z8(i*=nKnnY_vPuj9JOl{-P@cPb~L_+-l)oIi}7t0(xA z^eNJRfkvUt$dNHudD1VFl^*^!r`ta~flRQWQ(+Uk9rBm=QVA9UkfoO5Ttwsy`8m<~ zXs4?nRg|Bk^FixOSR8Jh6o|-FSO2wHI;b*)_AGPfX)G(ztxUHHTwh^DWKsjBNXnvV zCe2srY)a=)ss>3jBI?dH`VOVfBVC>J`JfZG6_!<${fuguaH7=TRy8TqqEH(GnvgH8A>4jZH(+jYu~Jjlh%f8Y{^)F?{ZW{)#ju-i&y2 z;Hamv3(`lr76u>H?TcFyZbi7Y!r_RNk2VH>dy@~jE#Y>A+XL2Ur@9M_UZBzLK)NI8 z3qd0uF(=~>E;4xgyFTbngad?wfPK(1=PYFO-5PY5bQ0+ZXapS$M@wDQ;Jyug(8+{T z2&XC>mfFZ&Z1C`29_~!I3*k!uqw>m&=cJXmEO)8#ZFJtiW#lg>-xa*ZJLtL@y-?$Q z1?ldjdw@phu0(eBD9mM4Qz$5e|x$+^`)9BmdKJM3&zK-_PIA4YyS`51UK zDWt~8i_5g# z|7?v9eFFK3riZ(@Z$@mi#V!BN37fkI?hPQgri7oSEUHHlN}h6z_zHQY}|N zhAp|f3@@AF@dd>1CcY5(8G?_^bN3ipbG=6w5nW95UZBWQY3>(c<D1!+)sW9 z`K91dfP9+qcz?i@?={sAQhA8V!%%PvS?de?A-YG5A2q~B=~42_$S((vt5)E0Wo610 zMpwDT(~psUob*c2xN2#bYbeiV_k;;`cgyc`xK$KZQ&j)*WWolioo38PK@j)8erb=|ahJ(9fDN_#+?wb2Of(@d6Co zE+eJ)q<# z-%NZ9@i&08H;^Z<<76TsmaN@s&Zix`^Cq2bbhg7mgn}tidFa1o^ee68M>*UM(r=S~ zM`?LepA>QL8huHrr{5#Jlk_goh`y}pnIyKdi#Dr{6pd&0k0wW>6LkO3lI0P zsrTvq@(I;XseT3(FKeWQm)M0;)(e%nl+q&j+|126KK;9CenE2&OmxyXYsU`+k_}zV z8rRNSU(wo2>uXpjCDOUcmal8F{_ZzsbkJw)w>0+A*bf6WM@C#b^nOghcP3t}8}5Ej z@c_kx5K+A1d9pdjA%hDl`*O6B?tV1>bG8M92j)ulo%7uSBQdH+@S| zQGSw60pT+Nv--%B{!Otv%kX@CMpPnRnRpf8_~JG~Zlf*=k@>mwH*z4KE!oEMz6CbI1a;MXrW<&ug!%CcRqpYQsZKj*c3< z92rk#%0^Y{QmIF!J`|)q90-MEZPNyZ_vkLa%HbLkZ$!K?aGU`dmDsM`H8ExC9X>Hl zsWhX~917|aD6)f#(Or~oNxBv3)}T=&Qf0o6Yh&=&&&h9cxVD7b5pE9{LC42n>*5QH zKB5CTI*{&2`a-3np(L4@dy&ys%wo_oS)O!&bPzN$rYI*zveAVM56$wa3=>Zx9s!Qo zG}zBwZnQ{lT(&KhH7Sa*w`SDjvR|kWjbF<|48y8O|nKx0utYsdp};b2*)^a8PvPGPb{)v7cyFa0S`!WP5-`2FMdT zjxAdZzw0s|^i{;KCVmZYq@lE|Xsm2|E^QC#kM=a_Iqi>LOX)gF*F(ZNvSqUqd7Rx~ zc!qWwZzSG}cyHinc4Wv_zfzOCn~eXdqK{J_@_oto1JCCNE<$1AlE~SRHJBoo={8fFYDt(tbt2VCP?70*#qv%jOO{MF{`mDiUX#gBAwLy7 zDkb3qVK>d_V@gjaJ%jX2&~1dq7gsK=Av3I{Rhp$U8JLCAH%crb;bvKIx9t>54mX>@ z&0%nJ5ghU`mX=mfTYiK`{+f)7Zbl1IPMC0+npcJl_d)9GvVbQ<###U{S=l^SPB89uSmv& zXG`}5o3uV)&av4(%O9lk5S@qN;3Sy^xg)W0se8nPKwU39N?{p=!qb(}0XtQJd%wL49 zZ=?cy(#(?k{CU>WTu1XMn5a}`i$8pD%}Ohfw$IZh-LJi&^^`VHdIk~-th^48CStyO z*7(+y{7If8|2+8@z~e^Bj%CSylm>Uu&f-SGFA;tjFtWNdhF7MtyVxrxR9Wpqf0e=} z3a>%nWM)ofmlhBP*2|k$zT|z~JXO6Bc!*H z-mbLl23jr29nSETon{#xl!AQFnYZ;XEZLLc_Gr1z2D4;sayQ1mGSq44-h^Gm=%faB`#H#D=cz{OnFn4!&Ht?`2h-2Dyu_CZ|O&)Z$IQ?^AqWx zNgq`@oRTUlqZ~7OoX%uCPWl(pzk)_|k|NPiun=)_znL;H%b(x`mEWnHgo3-q#bqN` z>0AF{{Ca)!{wMiUDii3RNH=(IZMSvhc-LYP71R%(3nX zm2;?6gMy9*q7;rN)?&wapL5N-MdNlJz3TMNhsXOeB*Oz;4Wp}Jf}S47x7qdZg=vMxzCBN|G&iWzeF0ByC{UP>oSTT8(HmhK15vkS^OqH!*nM z0DtQ@CESc~bHKRP(jta_P-8dr_ZN8>+2LekU{S?LbY$&TX)2_dP*3BNP9cLr96};2 zU^0zgHo>1Di+ncu9Plg?assSNRxB_5Mwrt;&oPotE}c9$On|I#mv8L(nt%ebg=9y8 zWkE+DfYAa7CnxNtY;%UP-zeZS-Y_JzYwA4Cyk^tcN7-VI9=$#+ubg zV?U18cv`o@LX425N$xhI8!J75^hDB=K;s>ttlC-<_iHP$R=M58`ub*cGQ}wrr$WSq zNQlzSFutDh)5*^uKNCDE0PL?^T!2TzEHnO7>@VGH8gppOg@Lk>8c9tE^GwLuD8I|$ z=2N(X!krM%(31@sWz$K1Qa?S3?JkoCj`C+)K>2RU3n6Q^$*c^cn`pKzBE6XOy`b4g zh!@I!Ib2@P-Dggf>HZA&(^*1iDI8o*>0Dt&y-fL5Cb{r{S$p+e>w~l&qV+JWc4C#q z<&CwhB$6$!ljE}PVv#PkD=RTFJZap8(F%LS0(|c&AB{&D;4%id90B4&gags!q-c^1 z_FiGe!S3=8a=6E6JWgXJ3}j7mI5{F~b{Snu7xGv|dNt`apiv#=#md6&NrV5;2H{%5 z>j*yu7~PAItj;B~2IU5oan(H#yvTN*gFW14%Dc)IDo-Q@vErk$#@^3!sr+ znFkXJMe&W`MKiwFR{Ta9FVT1z2HS3-NKoeN$|mCO6;twKjFHUQpt6a|YpMj2Bf%tD zs!v)OubVOkS6vRbnaUO_Z$LruPEL|7_EIv-+*T8Ad3FYq^JaGwvmcZX5yp!-Qg=M4CkbB?Yy(2yR0pSk`e*_pA z6bWIBVp4&0r#?32o-(g|LgiB`pFu&VJt-QA$_M?=4S!&S$9EI|g7_Z8BhiS=G5*r< zIawb6iuhjQUjs){qe(Ji@*9I|&h_xOg!d8N4;WEN4x~h6fZcb7KYy>szbAfx_(8>^ z!Dw=7*c~$bp1aW zi2tg%jB~(xcE1@utFI6J1o7XApHv*(Em_3u55o`O^2y=;Bz}tcU%**nl4VhezYU(h z%)|c>uCSS%3Hh723sb{Vc+ZgkO!OswD)e+k`APZ`q|XFxg;yFuXBq#b7T!waE0eDR z9`|^vl*eRO)#%PI`_RuOeGchrpphb3CPWHk1O@V3Q~s}$SI(nSoyz%8kXDSBn4%Ad2DHicP4Gj>V}F@ z4%e1eJ6i2w*|m}~e1Y-L=(XxVz9aby!6)kDRB3TsWOQMM54{uV0O_F8!BkAF3K{)N z8&8KxCy|bTMqFg^zI+*B=Ay>8*HW2GK81WLc(mseDEELAu8_D0ECZtBl%i_NjuA^{01YFjnNJtEn zk{irepXrSoY4oDe8wMhj8V$-;a?)lD-)< zpT3NLC@Ja&nbA@E>bKAsOk)TP#3mxKm$iM3o;}8gKaBKn(lMi>DKdI4&FEPZJ)KTE zgLE7;ViQO~J%P4BrWqSiY~*lRG_q;rz(8!GvZz6l8)0;88e!Spk#sKUJkSU~ReF>1 zV3etD`DWDC+$^9`NMjTXgfDBINNSzYt6BrWa3kZPX&(bkyky5jYr%xGuqAa#&jApXv~Cx>!OWbe>=}IZA^*3oo7>< zLv1cJ)O)y{Pv4mH%z9N@#`9_2LF-OfD3bC8Nw)2g9TyXu*PjmHE(_rPj{dX@7{J{O zU?Bp)8zqhHe+A_3F~3Zsy@>u|`uD0YFWRyBg}fa4S47->=J(g{SNGFjLVqcIJO+_$ z`S^}yavv~dp{DskDi2Y47z%Pqqs-2Xd&I1<8qr5-Eu*y@mcJ|HJ?;vlGxV-_jP&EA zSDvP&4ep*W`aGpqkzP%D4QLb+X|^UOAtmlfGp1|XbuEo`G@gRt?;*M4o;G@x-b3q2 zZy^0lIa=Bw&l){N>E}p4Px=MWEaA!0;F9?jhF`7?k&VP(BK|UPW=u37O{iClKKBku zksR(-(wj)XW^^P~BL2G3U(NUQX3|?ozX2LoH#rbUmg!=6OS;vR_KUspCY5bewnIVp z3hx3^bfMX|OlqzjrX7^trt}UZyldpm^Is+KU2`{Sae9yLPP)6`BD=x?%x!k>8}54e z_%f@=oen~p?^zyAL;#|8G338L;ueB{r7nOd-4a!9|X_1 zhh*@FJ7n}V+Fd$K`UvSCK(pBsjWF~djsN};ANo(^e90C&451Xo?KPcYhdt%R*28N%|D&zd$2&Y2PvQzm2b| zPlbQTSJ-lve69LF`ODD5q12>gcZU3Dq9buxPak?k`AIqwq|XG6&}9$>LqE&-S`9p3 ziF{@9Rg@10Qpr~}KC_4C&nABk`D);i)?}J`JfS-NH9^xY8YQr zn=3WR*CJmVJVK8IqB6avj?o_#`?%C4U5|8q& z9kyK)qlfC<)Rc5H(#=7$c@PS-c_4F*T?=zY<2IJVwWQOEPHQ;$hh&+&B6u6ahiTur zE%A25+XF}AHJU2R@1VlEz=T)yF6ls_BZUhg;BkZsD^+%d$;!b3ITxALLTju}v;wq( zuuwB%4=~?C2$@oEl7Cc(sU%T}Kw(9dC>2q|uNy1@A*^KLDa2EOBWFXht-8#|HhM!> z!m@@G=`N%%0gdY>FOOK}E;arOZFF5m{&MnN!6WpjyaSUN*+#FJ=R?1Oba&D{KqK@} zBoX?R#_ve={8i+yCV!3cGC-EG>1q7UrJlc*{B`87S3Ws85&jLv7igF3M)JML_XdyH zCnu-M+n1Y+eq8B3r2CTY2by`4lql2vjo*f+z8r1<`GMqb29MB#$zch7kkM~x&-)hA zgGmnojnKoPMC~xt_%p9T*b@3M^25o;z$0{d$t0nt8QuSO!ZP}abOz}-XoMaOBpN1} z#&4PC`7H9;Rz^6P)=F>q$<(G$n+gr* zfyQ}<(@bci!gLBVD9nU_&m8j7JXcmelZ~9UCt+g6cjVvYaI-1Sp*R;JB6wQlm6>PS ze^i@K?G9>pLSsqs(dzFty66O3p z;~&&I<9_l>$S+ksC6p+M4;VjbwU5t(Zs0na;0UV#MMvqmq__Rw>rpC|nSXcUSP>88niQ5hW(&yeQ+i>B>= z)IW1JQhSNo%g}HVd8H{QdBy04OMR4HCB2FCYoJjh`ejUH==|$utk&^Fn`vyJ@y34{ z(xupH#!5Bbq_K_0b{M>0Q)MX}+<0%9&_HXP9TeWC@D2pMUqdo3pWBBPxpz%#tGC~K z)OJ$a1q~_3{Tg=f8{JOn4@iGV`XkWjwMd^dCbQe*L$7?u|JbAf+9myj(x;R@gQQhL z5~d=5ZbExK%Weu^P}rk_tfP#Pa5BNdgpNAi<|_(&DSQn9b)k%!%aH*_-xyx8n!noL z65mIBKX9a3)~yaCyYGxHYAZj=;l3w*fb>Do2s~3h4axw*LxwM|IjreDnHz_nXnr zcJYxpLHc*nCqc9MRgmE}uaQ05$GSgES*xGr|D@O2~yWnD|^{H|yxK^T<{wdp=ksF&vFZhp&dwKkJv8 znxt!yt_>R3sHm`DWV{H2ChM3nbDob&T^jXh)Q7=Gb2OSFZI=dy?`SUJ$l)3iZ$!K? zaOSu)(_|*K(F0q0x+&>qq??1r^Q$O3Hc|$mxE98bo8cqVl6))jt-&M9<&&38nlSkI zBp-NN!tDsR2h5yF2}b1Wg3+;op6)=pBk2p3P72Bpb$5}`PY&~RC(;4ZL8aw$nj|x1 zbZc!chDj%pj(}##wa@r2YD##lPiZoh6e_7u7fwk-waLSMa!~Qsc>VIoHkb)uTOr1@Z30djLnN!N8?hes)gGU1>)9 zBR)b`(YTt%HEQI`+n}sidaS_pG^0f?e~xQuTu0-27|0`;3t5ySGkjfvyTO#!yZuRS zq|%E@Zz%XUB1`AVex)+j1us*v7Jreu$<#Ex+I^_@rP>cFvR7uY1Y)kg(NDMcCmKL{ zAnBVyqq`^r@JAQq7L*jp(riU;kXb1@2I>}CgJ}(cg^Q9Yb7h?@`90M5`gMH{3?o0B ze9U-hH^z#}T$=Is>3q#}@)_jg;BhnL=E!m>nFd$8#0Q>5IGb<|U_7^q3kr*5ID6cU zFriexwvD8aOCb*eib!EjR#uKI-(vWLxDUU8cp>po!12VE`6sfTHfF_ecE2<2x$op( z<#0vRim8=A!&#)1EE%Gxmnxh{~uWvUiZZ z6D(RYxEYcQOVVTtY__}0qzt_c7ErpI(n3gxjttL{^}6mcdh2k1ibbRslfD-;l8jTN z$VhJ)5hMdF?=ve?&v8GkCA5~p;yI*Z4Y>!5UZWN3gQOoK{V?dJa*p%@nLvfj|ZK_V`jgvV{kO!tU|GykBE>!S>38N*qQaBx=nd?@|T6-FmF_w-|=A1A%i=vY)5 zQBN3sK|4>cBE6dQ8l%%dKWTIirPq>PNBSwF(?LIN^esxSC%u96Ge&2Ce%9#Qlzxu% z^Q2!eIu80pqh~9CL3KkbcAH zIOwfL&rteJ(%VRH2aT$0M69U5y=8EI#NRVJ2)|AE9l(_ZmhY%Cu1cmyylcYI8-2{* zqp*|0E(myBr8#Nj$Wjzp?tL@9(3j_b_p~@NWjdBC ztDqLSZ%jJ$iI={mw2#t$NXXlacxjRQ&fxR3&Hg>%1B4F(M#7~fC^wqSygg*X8QuKF zI85OPg&$PF#o)daKbr8X=G0FVex`5~0&@zBi5KK#6uDz&%-!h|aGb_3G=7DFY6f{L zjx+=?oBubn+Q03s6SRJ(brKdHKr+)QCrkF(!0Q*Oo&GSbrcQABliDe2e?ikLA4Pxe zZxc>vdj6qMVJkZc@|V{H12Xe+FaT8MjGiICCb|j>hx%NrC_hP8fzp|fP>~nQq6%jj zyJ3lEE0L{CwhCC*mr)s!>Z%%Db)--B*`&`QT@5s@wrpdP?9MfKFN&HR?mWWP37>Cp zP~O|uFn9+709=!BEyA?{^MN8)I$5^tC_%@)j!7pqcj{8AN2xv}J|aX)kp(kkg%J5V z+`z0;YBi+Qh*o1*dJ$4l5}TOtj|xpGG^5ZQ0&DkJNY+GcVRXB8J|!(lw<6v8G#!<} z4{eO@pmbZ(?MSybIz3gUd|Y7kP^CMN?nwGVqhm7s!Cho@E2TS;4v-F>rc-4h@Q~3L zDjg=BL^`5$C{12Jx~S0)bn~f9CY?e$6*QVs*iJ*HU|ekYkH6=f}h{+(M2P=IG>A|FjfW~bXOp-ht zYH-&kK1+rX9!@w0I8oeF<^5lp(H%ADbkZ55S1kT(7nf;L?Ye!**yahAJ`V9=Gn8B1FnEL+;CYJl}5Jp=F12u$F zhA@U9lpzH4Hw&}l`DMAWbcy>|Q#NGy^p2x4p31FI(BDkNUFOF#x-Z`De0GwCg)-#AU9Hr{IV1f}03y^ZvCrKMFXA3)wR z`u}<%)spTVq~9j}j?%%nEb8dqHF~Co{T}I^q<5XB5tH|go}=^!q(3D65op}`Xo|*V zaFaY8J~rjd`~3y}gvzH>K7)dciKbz_kI#)BqFt}uq`x4&$LI_hI_kbOx>V_}Nbe>6 zwbIBK8LVV4QoKlagfg_aUSAHA0q4rXMDK zg!B)fQG*6kg0h~s`_b?Utw_tq2;x5zKMEYBK9&&(yJH4FzQx1G3I9U)SHLVEB78G&&v4vOkROrx)~3(x*uORh|yHzm4v%^gpC4yvg2${MGhzvMih| zgT0+}V$P7C6WxomG~X-APtv`hbtWuyFEV7^p|gyATBrC|B3qek6|lHziwb4EF!=~n zCQSqBFv+K{s%CyO*O#-iX`Vx~8cdueFIRdR#(v(@v*(emPWF7T$o{-ssYhxU{F%Zv z3D+WA8?f&*Bqt%!vWQfft7BFrO>|va^=Q?H#VeeiEc@db{EfazYe={e;l_Y*g;9

    _E9AX}Sv;TSucBCYwYy0v7ouD~ijvqNvfI%<)$}nRE*2RM6-hNIPFv zh|HC&xY&$`^|f(l8eM2y0t4^J#f7(i;j|3U+;qvvUe$UX3L2CR6uo68li? zOSK^o3U#f&n07@XbhxrGYrHJ3zkd!49Xx=n(3VUTc`}CG6c#QqKqEn zh8ntNmCwXsM28cN0mbLmjGUaJ0y#xtqLJV;BF*duns@26Gib+QC)ybPUeSzjnP%?O ze8{4iO*023E_Ec3Ebk0Q7~Mce@s1>&OF9oU9xrl@u-Z?);SKfr6c8^YJ_g@nwCZ6+jLze9R>C<;9PPFk zUhzHoRSvg`_-f*7fFs9b>kE0A^Q6)BhZ2_cYDupn{gl#pN=Mz(MxU)u>Gh;HkbVX< zo@3ehvVDcIU+IE+&yjte>zU-lA?AIFpn`F0<-3}J_zto^C)7Tr_8BzXD|kDSgQu4J+>GrX%Rk8BcGLKR#vT}W0;P?0 zUmE(bHqpK!x|itJKygzr0Wu&EbptcP5Y1r`7kA z4^Tb`8QE^Kv`h-Td&u1J>K>+hgzgV;ajVGNMtL{+qtSh}qwo{ypGhArPeWZxxY;~W3PlIhx>;@g>CHY$X`B0`Cdm~1DqkhCLR`t^#x)@`APaZl+J{N zY#LLB_T^bd573E1l}J}6T?I6%D|yj?=Ur99uhn-9XA?h%cs1a7tS2sdp(I*X>^j$^ z9IX=1qg0*J`H=8Hk~%lx;U%W*z*8*ilE+;QvoF<3xF+pdv}?mg;Y^p-xT|AuUA-)I z3D+ZBA28c?SfC>&>pi;$W_-3oLXpEYq|t~*V>M)z#1gq1OY&S3GbVrTjixl3(P$0> zRVCMGEiM=%InctCXM6iA-;zozDy^X)m*ovCM((sRd}UXUwb$&y8~{`p1bY}6esJJAWy3Bo~AB6Dw=W;K zLPRC150ZX}^uwTWuk+?ie2GiM6V1m*Ox{|@*GG?1UPgI2WVF6>^E2HFV~Z~J>|7D*UUlvSALo;12R>glzl*O7h-G@c$Z3QAhOa(SLM zp{l-vT~A>Hg=Zk}rDu`skMgX+D|bpDa=7ORKTr4th2@2gtaoeh;l(~G8wtNe_+`Mj z8RRjEwG*YTeZ`DpRlV^ljZHLOgMp+L$u?L;?scQb>bt?sq_>cM12i6EMWwM~86>*Z z@N4ezfxk(78}aSHaeXoiGu&Io4%f&04zh2PeFrQur4aDD1`pEO_C3No3GV`&xF;mj z3$dh{d*76vrz99T+y_)Xr1B9I#3iFxIx@y?)Yt2uko}bGXJC;jvP6`O-uc|<=5rCQ zguI*d7o_(nog}M1$?o4q|DNsXuSoAD{k77v2!^~>`Nrt1v7Y{x^gh!2K_kOQ$lA^F z#^^i4C+aA>?};BEeh@e^afFjhJY;abmfORGj}ZO=FmeRLlz%k#AuWYJk^PzMQLrfE zX|5!lt+rz(wE04Qm%|;W@C$`sA>az-$;8~^M62yLQ<8L(uoF~%r*cviX@SdE(c&U$ zR{dehBe(ei_9vB7RQ^&$-bj|pNA{69Iqq*$inIy(50whr*rOm%5oKFP>`B)Ta% zYkcq(1XSvuV3JPOq*oUek6%FdUXJjc~Ap@DXqYf`91p*94>MlPGHV{9wE zVs**ZBU@kDU}la^IPB7t)u2<`X1$v~0d-@SN>FGM5p)oN!mb zNMv3t&2=+&hd%kPAlsd653nflG1+%7Haf@23aD3_a*YOm6_u;0TmuEc7s-g*p2n`4 z>TjrP$zDhHda#JML?!5MF!*ha%Z-G45$;_M4!N5Qen;Uxg!>ZiR}K!l{szCR@BqRC z3Ex}}PI7|`eox_B2oEMaMB#K9>f(kPJVjfh!w3&290SZ-T432wMfwdU%u*qpLI#C6 z1YCE#ElqKmMxU#1OS4F4lgXuaM=2}=xw4!yc(*n&iwGAJE&+@O6X24#8*TU(ikA`}L%a+)3yBOQ9c%2E z+kHI7ksVL=R zWGaF*FmvPzO*6;+$2-&M%%C$94o{F<9CEV^UareZ&n7&F@La%1XK_fjvoN-^ewdt3 z_71Xlg2lxgGiJ=Lp|!TQ@W;vO(~r``__5`KvA!wO5lIqngIk88+}5?)4lxx#Y8%i2!{ z@6wPTBm6kwm4KN*30bz$Gx`?|dKKx_q}PB(q$M7s-IE6Ys_j*yuIFTEp-P6XN zRCYbt4P>7In+RAcz-JBqL*eHLKTr4tz==4^HFPf;{io6!Nxww;Wze{5#^myfzhd|) z#a|`9iTG>4eGly7KkF-G&Abk)t$IM8?f_fHr$gGYUv%|EG(E0%uE}Qi3irkL|kI|XsKN0?! z@KL~eicp%&pyRB^V`g2br#MdQ7h1o3fO#>JWp=Uq z!{|^;Pyb2!6zRW|#>EJ`zm2{~Bk~XF3U9HsE`KfhNf!MxfCt zqAxF*i`-cTfBlw^P$j~Z30DD(bY;qH(5lAXrn5oMCVLLqYG84XA@UI!VlCel%m`>y z&ZAMC#`!RiIWVHGhS5Q#Ym%--x;AJ;924GL9fPCI2g>BdUSN9>U?*Tm?3vpn6DbTiV;L2I#*tqw2=M+PyrFe{|dZ%L~at=6zK zu_>;N(P5?Al5R)3eR*2;$u>Gk=?;a?)lD-)XDaHYq5R?IZJzFFGkd%i#*h z7m^M*NP(ql-MfkrLp<06m6v1Sx&Y{t zJ-&;lr<0yRdM0Q#2ZE7ckZU!`lXR9z)ipx1Db1lY7ZRt&vn?QB022E+%rmY1&;DHV zsog>CPH6rz$dXuh8GXK=N0A_l*Q#rzhznz zJ_Ly$w`X1SxWOso@3Q}cmdBDAI^q@`hqa5x7(jSukNae2#p_L;9_9d{g1{D?Bk2~Ph@{4dlW32 zMUr7DrLuLUymLHePC&yyPUjaozryilB$QexJAjrJU=ZtXriD~HLG5>HC!yiylabo- zSVjy>bpByV(sCcWKdGFe@)s0e*uw$$_i0*B@DJ$~#zlrOSo)U0p$bThz2K%(C zsVF~5&w%imfc=9g9KOrZ({#6?;=5`0yo+vua^Y|`hDt_B*3P1MFr z?75~K(cz-!QK?Sld?>sxVv%6P)iAonCJ9FlSCe!t(zQYR3l|Q_bOYJs)zvYlvnHV~ zoqBZY!$DEXFUif7DfLnvG%#a`HccARXhfs&e;Y-vi5WxHXiB3Qjpi^|m&IbPg|XM` zd#{#cTaj%IRaU#fHm(j7@(2%5K?%v{h*>_jm@F$giytSOSAUoy1Eh0GXyiWj4T3)4uV5m7_xop7YU$-B*{8C^AU z$uv@Eq{6_H;&g?B2jsp2WWp|hf`#a!Q2uoDDSQ`t-EShQM;PjHP8}wMsjM*^)&i~-Wk`DzK-pRnNB`~d>p*LZc*88!sxyldKT$y(mCbns2gE)Kcz>K&Ly2!o=$f8 zM)y~`fOH}0QA*3c7qaP>GkSUhe*ua}7n3egIxKkDjW&Aam7Xq@pQgDn^7kfJCVvwJ z2c0}OR{k?lV;^eo>2ajTlfD%+F0SmyRp@Rr_?NJUClH=UcoJY2_21boc6Hs#B;=g~}Q%GsjIcwu^3bJe}+evNOSQ?4#^JmXnUwhE%GvOxiWfKhSv!t6c$ss7Xk{Mly2Fc@;;-RO_U$yaQBm5LVBsvvLl>yQ64b*OU={=Nk2sT zVWqj0m3zeKaDk8dqokLSUJe?UTDG>1xD^I3);jSq!jBVPscLk5M!P9W}C zlUAwp9Hr+ey#R@gR>{ezOqi6tfuyX;NR}5({7N%*BgK~}z6_DIgow%R6{Ghm{VM5A zq+bJ#OqCtXWWu$BB=-a_~dz<318LPhbc0#`Q7Z8c-<*A!%Lqgsoy_57V(6|!VW?okLlbP2h z?ALFHA5i#^!bcF0+K|i_a~~W0+C}o49PSgspA!BIFybQ1KgjxtpBvqyl`j>$Nq<3l zkJ9-Cn^)z!FO6Q@&(mL#-b?yx(8w3;EroGd-x$APgy+8{zmNQWMEA)elz-At*cIu{+;wm(1}cv z+fu5~Ka6j#H|C$@Pm%u%JVFnKWSw01x6wt~EBuFag}2!;kiVp*s*-)!&XE61JZHYq z`=p}$Bs~MtXM$$^FC(YUGPceGK9!ZoRwi2oEHZyYOeTe8yQ+qd)6ZLH6F-M|HQ>m} zm^7?p&MI1^W$s*)p4cV-CWkwZQguq_Lqhd{SKTp8Mbc($4HH-VL{GX16l+ne4Uv~1 zFIT>3)G_*Uy##eh*CSmYG?JZDINCKZc9u@8Xh^mZ*~Z4^7P=&rB!mR-@ndBs1xA;;UHkvYSIwKoavD9O;dbo!{n35N0d*C z=Z-Frm*`RBTk5>0Wb!HGQ^DgJ$*ya%u;IlSqebjm;@1(s9ysq>+4f7C{zgBgckPX&dy(#~v@GB&ckNB5X-#Aw z(tSzyQ#vR+F3GqbquVu<_{rf0kRC|-W~Gy4@MWqSWb}bdPv1g%FzF#mOV}y0xt!6d z8ul>K!%4@KPL9Y1iZ0FQ^$+>5(@AHLj)P{OOH!Gt%Y?`d)uuhI$<3mcO)Uo+%4LSE z^eK}u-3a5S=v1STO!}@#t zU@lALVtG`#C!Ohsw)>P7Q7@)m0v%U7C6JsdpAw9If2F5ONsl32rgSKf8!L5VjlL-0 z>2ajTlfD%+D$-D3H0NAPeB@JtNw2Cjfzm`ulOW;lIsMfTYoy(7*7i>RRFi2ImnChd8J)My)6+@MAUzW_u8S1fNI>{m#&6K;IGg+&@^itXT_a!Iu*!Odn`gql zmj3pfPvH&XC_UI^G1u1GLP#yMpdI{;Jppk^q($Zl#+yf@8)bS|~Qh12M!w?WW@+jmUG5T4J%%h~2 zkzQV&4!adbKd1C#q#q}}5_IAL5{aOX&fyv|j^qjRo>y-bz18&Az{CB4Ru|@0q)W@| zNpp@Kk$;lIt);V$&QoyoT#<6+@M-g2&~vS)w}IX>@X!Q{rOS+3Y+aJ!o;9V%W}ZpL z{!@9L$_r2u-PuSaT5ceUr0hjgU(~a0r1}!om&>ck|5jfyb)%}UQr$%LHK=-_`($m2jLAeWLG^0;rzIgCWg;l8D_kIsHLNKfLDNZ;=} z6Ta3C_4gDGP&fzyA*Dp|ru&f5kFG`F63}7NM@atw8c`CuFjgkt1!WBQkLEnC&QElH zrgIby>Lm`8kfm2;@?n|0-aBSmzX$zwJWlNwYQI85#AGvY*}LF3qt{N5ALVc-NdHdy zBxqj8XfTmcf0)oR#|wW_I7Q(v719f2VcuXM>i#yN=P@t*L!rVu>{rNNo*^6xCC+e$ z{F3Ne1h4TzMfpj(78K5ez)5?u0gTKrE#kVie3+hPX1$(1>6K_!rdb6hDgap&|KFwz zRWh}{s%KL@hiWyb$Olxnsrb@yt_d&ejeH)3>J-k0fSXT*sN9&?lQHq$yoQOds92L? zEsC`vR`FsGW!lv-W0M+nY1E@p9|o={P8D(ujDAh&hNK&jZVcK#T%%$6-qFPP*OhNd zz8U%E;89t~3;-FOEVHH4q+)7e($O#E-{f#DDYc^18WLIwiH~&R6&FcAp^aH{$NTHk zmR37j?P1|m$+8}m|GFoOKbaI;h7(Dk9Vm6AbRi_%I;T&S>Mk;8ik_$wodBI69Gu9` z5|Z68LMA<-QkYT_r3fSx0U4H;Et~HYxu^+!bwoijg%k>@5O5{+EKzr{8O!w)ooRHT zaS04uo1pZ-@TTli*0r>*qjfzjq+hmV#%bh3>J4Tz-RRGA zBaL1(dc#2alYDw^GX9Bd&-WqUmwZ3)r^}}FT zWI|2tL)}7QFohuyP{MG3CB-x4RxWl!&DpGX%`iH{>BQjpMq@M*mz6&X^W-LQX{K#a zEuC5hwK%l@$f-)@jgQMTxSh_Y$|9UiI0vwA&qUFlk#&${d2p;>=SGPiK;pFc3!Jjfe0QsU%WGQF;h(K%vD- zO=(9;#d*ego)u?3g$sA0m-4-r{67m8}fG!!s?HHZ841%__mUi_zviyX-H^LUw|xKA6stgRxshuJw_N)(ZChGL+72}~FhN{o9Cn@V+G@Q$(fgtg zNcVxR)DV7p=y3lOUc)0C2|gBlLYPG(p$q3nr%rc<%iq;A(dVKsNEhu-;{p6dwUVZ@ zaOv8hwf{=mwX_>*{B}(?ai?=Rx(c^0^%`YecarWUJy0q>lxbYy#l2BX((&k=hpwwb zR^Ox4C#la=i~WU^^6=vHx9zW2(Ql&P@!Zl8ww{lTHya_VqbHel6F#s>Gb(YE)S@JO I5*>;D0R`j3LI3~& literal 0 HcmV?d00001 diff --git a/tests/test_estimator.py b/tests/test_estimator.py new file mode 100644 index 0000000..07876d5 --- /dev/null +++ b/tests/test_estimator.py @@ -0,0 +1,71 @@ +import pytest +import quantgov.estimator +import subprocess + +from pathlib import Path + + +PSEUDO_CORPUS_PATH = Path(__file__).resolve().parent.joinpath('pseudo_corpus') +PSEUDO_ESTIMATOR_PATH = ( + Path(__file__).resolve().parent + .joinpath('pseudo_estimator') +) + + +def check_output(cmd): + return ( + subprocess.check_output(cmd, universal_newlines=True) + .replace('\n\n', '\n') + ) + + +def test_simple_estimator(): + output = check_output( + ['quantgov', 'estimator', 'estimate', + str(PSEUDO_ESTIMATOR_PATH.joinpath('data', 'vectorizer.pickle')), + str(PSEUDO_ESTIMATOR_PATH.joinpath('data', 'model.pickle')), + str(PSEUDO_CORPUS_PATH)] + ) + assert output == 'file,is_world\ncfr,False\nmoby,False\n' + + +def test_probability_estimator(): + output = check_output( + ['quantgov', 'estimator', 'estimate', + str(PSEUDO_ESTIMATOR_PATH.joinpath('data', 'vectorizer.pickle')), + str(PSEUDO_ESTIMATOR_PATH.joinpath('data', 'model.pickle')), + str(PSEUDO_CORPUS_PATH), '--probability'] + ) + assert output == ('file,is_world_prob\ncfr,0.0899\nmoby,0.0216\n') + + +def test_probability_estimator_6decimals(): + output = check_output( + ['quantgov', 'estimator', 'estimate', + str(PSEUDO_ESTIMATOR_PATH.joinpath('data', 'vectorizer.pickle')), + str(PSEUDO_ESTIMATOR_PATH.joinpath('data', 'model.pickle')), + str(PSEUDO_CORPUS_PATH), '--probability', '--precision', '6'] + ) + assert output == ('file,is_world_prob\ncfr,0.089898\nmoby,0.02162\n') + + +def test_multiclass_probability_estimator(): + output = check_output( + ['quantgov', 'estimator', 'estimate', + str(PSEUDO_ESTIMATOR_PATH.joinpath('data', 'vectorizer.pickle')), + str(PSEUDO_ESTIMATOR_PATH.joinpath('data', 'modelmulticlass.pickle')), + str(PSEUDO_CORPUS_PATH), '--probability'] + ) + assert output == ('file,class,probability\n' + 'cfr,business-and-industry,0.1765\n' + 'cfr,environment,0.1294\n' + 'cfr,health-and-public-welfare,0.1785\n' + 'cfr,money,0.169\n' + 'cfr,science-and-technology,0.147\n' + 'cfr,world,0.1997\n' + 'moby,business-and-industry,0.1804\n' + 'moby,environment,0.1529\n' + 'moby,health-and-public-welfare,0.205\n' + 'moby,money,0.1536\n' + 'moby,science-and-technology,0.1671\n' + 'moby,world,0.141\n') From ec183809339204bb2bd6a16fff88b86ab996860f Mon Sep 17 00:00:00 2001 From: Oliver Sherouse Date: Tue, 17 Apr 2018 10:22:37 -0400 Subject: [PATCH 9/9] bumped version --- quantgov/__init__.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/quantgov/__init__.py b/quantgov/__init__.py index 219ccfa..c72372b 100644 --- a/quantgov/__init__.py +++ b/quantgov/__init__.py @@ -14,4 +14,4 @@ from .utils import load_driver -__version__ = '0.4.0.dev' +__version__ = '0.4.0'

    e3vi1{>rHDk3JhiUvq<98TG7qq+$C@*(^n72v``cHa)(fb=->S$s< zZ~vIFQByiXqsr^-qR8)mr8G37B(vNdBma=Jnx1T7svtCGU;$G9F;2U6U^AI$(%@|4vmvw z;Lg_9SS6V#xRcFVH_@ka3az@dPKCvEWawKeozu+79_|mP9*z1mPKR;yDay$!my{Zq zw?PZ8A-yx`HG=0;^7q1-X5?y0XVGX(X@s^)m z?#?skRdvp%(~Qmqa8mh-`I5fSj2lPz5@=52A{rONNH1x5M=r;IiCLSpq+8Gm&|54!%L+U_SahnGdhg&DRrdL ziN;lxM$8*mn=wy~&NRBv=nCWLyvb8onj+oI+o5^uPOk^Op72t6(_8x*GfuqK=j~b= z*U{(&qptiz1Dv<(M1FP`Ws+IS3SB+8d)^5&4`8KsjFh383#xE^2ni)OCt{k z+Dd^$Os={?M$f}>%8wgNI-hg_Xtd$b=9Te4*zdE@l=a%~EuvCPWe60uMFa9>)H$Pn zyM^(k^Fz9nbXhtbbVH5)UFl(@%Sl%#9mnu)H{9rh+Rz(8dL-#lpwV&9&6FWXw;KG# zIlh)1O?V99v4D~7T&a{x+-*iT(Dm@fkseQa0%*QHmxe0$V7%RgoAi>HNMRC%J0Ku@ zFeu+d-DIODp6W|w3hAk&?*y&kBUn@IE)#Cn@OM*~MqxSxgqQg~(Wtw}=mXPy_!*>U zlAZ%#-Fg~gL67o-ye+oPffh$bPmwGwsrKVhZz-Q@cD$A%mqe>_# z;~QnhpnO|-)|7%Pz49ED=cz1LC5lmKGKEo;7fhL=jiVQ-yhLRM6r2!rm16ObZ15t| z%O+*$S$u`kN=mCB;e&>BE#rZ3I94Fz5VP?*@l_N1jPn^>P4P8~YapT+zqtcT(|jiIBct0Z{W0lJNbgFc?y99Kqu4%V5<#mbsrnX_P%Kjg3Jd_!j+928JNMuseazTfCK zbQ_v)Nq5f0Q40 zgmjg4?3&1LeTNX1u{2!j?-==Gs#}t$*{Ldjl5Po|W8wH?4r2q#YQ_&%zB>6DEl8BIz1egp`g;xJHeEEP2fZ-b*P*K#U~)&_)j)^oF;Gz>AIv( zO{Wv?G@~adU5|8q(x-z)cH||F3?r8HmUCPKQ}*gs^bM(;L8TECJ;xCpt#PJFg?bEU zQEE)-Y)EKoMH30xnZ0CiMwuIsQ7Fp@m^Vl(v?lbL(mNL(s*O-ADc*n#`Lb0eW9DQ< z0TW-mO#WSd-1!unQM|xJSqU>G`V=oTady~?%_&|)@nVP=-w})@GTdMpi6J*tD#=UC ztc}t3^5a_24A2a!8ImPMz3I~onOUl7hG|A|)w(Z81Fbu@dy#L1Ki2m@tB_B>gKI90B_O>EuXC)tPM^%QSVQO=1MeTsce z9HA%VMv6C4yxGKPK<2f&96OV@m^kB1pJG3X{V8Us7>WkH=u;eE;+tA+WKztcm<E)>>^J7zF zwL-Jr?cl8g)|QZKGZ=!>E;0 ztAK{5SU4=J>kT(}Sr?zP5rjt)9t9X_gu`*B;j?zDX-icbO>GRdvCwc)%2YDhOh=}D z$S0Ik?rt-4TCPuU9L@1GC#V?;N7VFb-frg0QEyJ9If>>SFj+SR64<#+S~5P#$tGUj z!i!TVPNjG!L==d$Dg*8=gZEzU;kyY>BRm~2Z<=7lr{c4BkBNWkIi5jrCdFA0nTkw^ zarYWLOpoP0!m|m_0gTHw6pkNNv)^xCgP70VTzU`Cd(gau_k89aGOxU~_vX=?Pw!!P ztV9CI!SeRCEOT&$FT4e2PSe6$Nb?bziz>~Knm)}(&Fp!xPxCRFi)lU%6H`<|@)o41 zEDw99>KS{&)X}Ogq534%r%a8;O!cWQHT4a>`k$t{jOsH`Ph+Z~0{KoS8yw3B$WrN{ zr!LQDO}|D{evbO{)R(Is4n>aAed;fm?ymC3{37+2sIP#Yx}CV4uPjf(Hp0uM&A8fY zuTWb_ZIx;=nh={BY6btQX>PFBR#SV8+8SuMjC2ukn!iz zcBznEJ+gf6HkjGvMsIGUxryc*YRdhirZ0{+&HPhurp+|B(A;WfI3gVg8N4dP-BTs< zmYJ{U4YG~qcA7iXlqH_j^l83r=JB0;Zr`E#F3tB~;<5_|lLdM5fG&|`@O`51n>tX{ zom4-d`k|^3>3XW_Q~k))_&}fP$5cO|x(g~xSIS66JV|RppG2RUIi-&`chlTMbFZ4A za6(O==4WQk)XLyISR+B5Q+FKRWsp+Y@b4P3N=y^lnATo3;6^yo44}ji8SlbJP9TSEXZ7b zY?FGj;Xk(X_$kEe5^qSH;7ak5i7~#R6XZU@M zd@|<~Z$|tA;JC)ZK|km2LKA`=ywIG&MHDVpLEd0sA?{)B5)+EFr`m!-fI<)gnwrw^ zFUpnGXj2tu$gH?F`opv$w4#+(6qY~um|5@W`@}e{1g#`2whw}#qQUvn*0k>JrDm=T z`op@6=H)b7!ep~2B+Im1VemtG+q5Fwn(&o?nM^dQ$@mPmG4p<{uG-RUN3%UlTn(~% zmy8F@k@2dj;^<&rL%rxa((6R;D)mCKXv*{HU2R@d?X`EN*M(kJc&AEw;Yd(+iYP3p z$d^@!tvl1r?1kNYp>(I+gLY4~<%yYY`?Rky`)_?}UQ7Er+Pz@ot4=T(EiRLdeTrOf zGw#-->_g*v8aKee#VC`Yoa{TC?fROqMBirINZ}?5H>)5gO`cU!L*8P-k=Fi*`cddl zAwz{=B9RgXm=Mq&b|!@^3fU$k<0)aF2_NV&e-Q!SxdO0^6sT6n>Dyi_)M z(st!g({60ywPDoCsa2>ZPkCxSwc)1C(MS9UY9pzQf`&Rk7Tqi>l|3(07yYef&DX?6 z(;7o-tXh#|7?w}#HnV;z_E{W9Ydoz9u=vCYMTh1|-@Wp3zunB`+UlK1a}v!v)RYTW zO`qmuGpFlGpF(pg%{yVTPZti$`$seh{2|_D;$(fE-c4~D#px=_dZAwQDc)mZ-%Nj$ zGbqlaI13`)H_6A0VHqX4@}9BODwBK79jv|H`{>T5JICBeveNbG-f!-YJ$$-z={`XB zLAY#|1`@+$uPRyeOWx?FPUl0Ww$;}$^Qg|J`mm|NxT!wX1*X=~7VSc+k5F9%m9=wH zM(#dpa8-Q>JVtmi;l}}2m%N9Pv0<{Lqvr86QvaOO4;H_1e?qmyv%4 zJWqBqGOVIVTG%5*nI`lc#pfw5S1}R}d(j{M3noVOWWPx9C5kH`9*dKm3`HXD zWuq_b>rc@uq*sz&1se4(p3pIwd0pyWHKSM`(W_~^Mq>>OeFH5UITj6--2a&rtk@cT`D9brBFPW>pnGM z#S^{&c2n3xVJ`%{ZH>!9Ho=(8MV0ptpPBRhTit>3lPL0gBB&~Vl71A0V^v7Xck)0yR^Y0cQ1xY>LUjr?DAZITb=ydx)iR;4rcj&0aTJb+ zfI`N~JMyJh_VO$(#RMbMX5kp+$DK&64z-h@;U8oLD|ykCnJwFaoNUUGO*E>wQ>fIX zaw-(mPVxmb7Imi?{o!m+*CSn@^y%qz#5FMb1Em|1K7({4&}cZIE=yo6g1lBLac7$4 zv}!twR%2Rc!@}btkdSEz=NP;na=ot8zljXtP!3(^77L8Wo9Nf$D@L=Q4dIzl>{M$5_sF{4YBj+0K1 zPJ+gBTVh9ovO$V`qmte@w{5x9)G}2sqk1{jmQbsqfTZ@3Pu5o${&RErtNgfD#9I@; z61abuL_)glR2!3qY8q`RwWHJ?63&>c(vWl=4E|N`g^q+f5xxpAT6i+LJTn=TH~xi# z{0=l%n_0RAIg`9~rrCvNSD1L!RF)G=$j&Mv%R6|LyO}&*NA+~4+=FsY$S6X}vCO0_ zCV(ZqFpT~hQzxi;E!FF&_JUeZR2c@HokLMpGL$uWH0j>vcRI#b&3))!PyYt^cpF@h zBer~DlwZMIS!GU!cNWUK$iAjOr*lVdq<$0io1vo@n9_sLJsNIitf7%(a z(bPoJA-Lg6cYwKv8~BW8(#@iq4YxAoFl_lAp(zhEdxfT)Lpzst-qE(4FHER5dyv^H z)gDYcpLPN4%0i0{k|o5#rLumUoHChS;tEY)t$GplV(LSnS5Fn1Tr5%NjGwK13Heg; zW#Cbd1Z4THQa7}cMq5mN+%VGRq$|?sV5u8!^n*%|AU%@ws5CkxL;8$fp!8_cV@Qup zqr;`{Hlr6QJ&yEv(i4B@=+Mj!X7&-X;qlSto@PRHG3qmNg53hAk&?@XsnMF6>Di>`C_O}WatOKmjee%sU$%2e zKS26HqmxNlAon4oUr>4;>G`A|PNzd|fzdB2y^!=Hq!*>rVfU!fFDd;P>BXcUS6UX- zj7wL>=&5=xmymvv^iyecQdTxFdYaNtlU_#pnMyhmk+FJ4FIM_F($AA#o<>Jyn4Zx~ zlzx%)OQcsQEmxHcLVDTg+In_gA-$6HD$sal49u6Ns!WH^kj0|ht0rwb&7Y*zlwPB> z1`^tXvO1rPLy|8Qvf0C0a}IU#&g*p6(OC}%Hz~4}a2t%SrP`1{g>Vmf71So_TRA2Mv_O{Siv_g`?bh2UDD`gJMkZj^oK?|!bnv%vJ)h~ z*-p$5HBsu0k^fG0f$FT0`10eb%AceQMEqFbXUJc3%4Ecb^fXGNSldfFU8MyTvaJf% zdd+v$EJ#Ebi>uBcH5jBOf}m9|Y06Vq7WPVIwU%ioY1*}^9Y^hWX!S+o#E?NjtVbmQ zf|UVIumC-J`m5wb2B^aTC;fMTP-TFVEkI8Va0&y|Wq?x=0G;OIGFk6DOOEt369(!A z=k+Mmr*Jw1^v*4}@@SWZSzH72_UV3m4e6ahuMs?a`Qi9r>1tyd9*R0F2ON>{iLw%` zL^;!#_**iQK;`EgC?G^KMc9K2G&xrvsh zW)GLis10|Xi6`sXIiF%PiWfk{U4TjsJIZ3tsk_jm3a#s!Q@V)K#gNcTfg~?GE-`$# z;w^{=hzEhAYK$i2%LwOCV>{7|V%h4|%$nl_kRKPO8KD`4i8F_U_=zoM!bnXjP9Z@d z2?6DRaX7LJPLY$H0A%^dVeV2BS6=K3{W6M|Q)~$lDV2y2f^dZio5y;g6@}Imu2ey` zFp*EjBD66fa-SF4QfNn^y$VQyA3r;outihoNTCyjt5iS={Q7sb2~ka zrTP-S)zmerj;1<>>e&BKb++bhrmj_W9M$nuC#b5EY)YasEg)6Gx0~ALfLyBb<0ev_ zMD-4+c<868@?JpZl}ZCT%S|@Bt=dy)Po;e)Y}^6qwm(02nc7a(yQxm2Ivpw!mIdqc zuu>2fsfk8)j{iMoU$R*s`EfI7&!jyIHXgi3+lin}$hp@7w9o+eF~DpFn1cZSI_`vw zkn_`d?l-%mW_~X12WUSC`(MYcx9>xywo-K-)%jE({x8*ETnkKXt?ELmk5F9%6^#@t z?bIa9M@{Rb+GErfQ+r%BJZNO=l90b1pD^uKtqqq@dy?8y(Efdl{*GU2>Xn+}(^QvH zeda$@J+aT4+FsS?s6J11`G2XtcwR8IgQ_o5eTnJ{sM=!+xR;GSO?ynQkX}i86=+oU zSp73^pnTghzT#0|?XD*O8u>Ng(Q?VHkOlm(=&X!>SZmHD7kKA&I_v1Hhl3o+8*OdX3L0-Zr3n^uZy9{=2u7BL#|dvIyaOTBZP5Z?zJmqUIT_6f*v`;Fh<%Jbin|Bn3k;Mt~<_3ouHmf?Od z;YzKef244L!a)dVj}#UaVp%J6(tk1~a-C1(XDYu?IRpi1$gB!igjt5any{{i7Y{r!m$u=MP-!9!qycylxk*N@HT}it~!kxG-|@Y zvFBD~$wG3n>PsyX4(p8K+7ynXa6ANDg2{MHUd)|fbm=M|{zTGsNS_3nr>|^4DYuI} z*@QYX{UM)1p)Q3}As~D>mWV~%X+}TO%ZIN=x<2XCLE~zYD|}#)EXCBo_}Y50HY9%r z`9|Pz;^dBt2Fvng&qw($VgM%MKR;sPxZ;f$tTDs z!B2{x4_SwpVE$)Oi#m&>Or(;BJPidt)GS3<+pR3L-M^9IP* z(KaR=(b}dhg?1F$L%_K!#?o2Nbuhe1e}4!aiFYD?6>!`>^377lzv1Gz+Kg%eZ*->7 zg+^C3WGI_V_CzstGh@tLZ*-^8gGNsnIN_N=ZUAfaGJQl`OZqy}y_62gY`m!JZFKvP zgpeQChxGNNZ%|r3lgTUgzD6%@=;<3t-$eRm(5NX>rCBDcl)76?snW)0z8{tTR5GBP zE=t+ZvizcAnO9h{e%xT<`NRtpmv3?eQ=S;$vLXG$e9)P!1_kS)pBFbd@qDj=lJc|z8*7;f|n zdd^3X9!YwX(IKpSajVhml^#uc4C%3;aVufDV;OZBD>$*W?HpOfAHg|ji)vN z8eUJyoL85D<%)3r#k<|SWx6QiM0%6x-2o4WBFV|qezMWeYbsMnPbGaPXk21Q1*@^i zJ$RQXt2BYTsZ66X9SW+QEWEiYa_%1ETl^z`mLE5R{7mw*z~i39Ysu_kd9nt@y=Gjc z?;!7^F`LF5791Giip;)w5=tsm60Oo~N-q&G3EY z7tCm?#)~vwqOk%7Zp>&X8I+1uwoAjhj55{lWfPkW_lNTe#g!CSL1bH9ME9z}XDPgz z@N0zE0LCeehm+FMSZj34hkWSQNv|Wl9<(3W5)ETjG%ohK!L0FGQ*5NQiPjsi@VrLb zCr{eo^6FNW)HdnEIsRJPOlb?Ht&oruZ_Nxmhw#StEwiTTeY1_$c3L}Np;F4sC@hqF zxx~F~!rP=pKzZUy|BpBpOgNA^p|OLEbhKC`cb97CjAZR zeV}m$WFZ)-r)2~Np3(bF+N$mDZz+98>3c{hOFS7OGBw=&V8ZQso`0lpfWkotD9czP z6pFf^j6P6#dW_LJ$JmP50n0l^zTZ?VsUv-{)f@WPxthnr2iuQ zcRC$%{}_FO(nm;Fd4nAc`EBjts5}8nWt_z^^2bykW1=2wRr!PBl)XQHRD!Fi>M~ zgi$0J&o3&MPk8dR=wuViwURxBVqJ=-Ld5GSjt%g?`QaOW4BPjUb7?c!)@}YB3P`;p5ey=>!^xe&bk{@># z^~TiChK?4I?2aM*VRw$X8F!@GiRx8QtBdOL z%F71G4Su!pmyY&)XYyUhcLmS!V=_cMj)c;(+0EQ-I)1D>-5zv%!o@)%n~?;wnRX(t zF?*fn^jg~2(e4EsHwWxkRP1OVkv0OXx9RIu??e51>Nh|~wJpnEVF!qTuCEEVZ)~Mz5S+1w0fjo&ZT1{hFO8vu%c(beBE^Mo=0_X%wXTBFRG_LzeT7 z@s|z-k_pQ0Rtr#~4};MRFoprfB0v)fkUq2`7>jY-sSJuaYUJu|7VEIqN#hu6JY!8j zEM%r~;Of6duikC}-qt&5A_GiffIAQX_W}aQcph1-ioc3w?oP4v(S&J8k@CQ(&=|(F#?orcdo0Kc zkNc}|27}CGkXZYB(%KCREW~mR zv5+AiVTeTt!HWYLTn@BN8>aiH1^89Z?qdwFm;oL~fXY0ihUp?s+F0EuEW}Hihb0X0 zBttxPbcobgU4%%hu9sSfS2V=a46%$Mo;f;16gEemrHxyA)*^vEt|usljUqkyfp~Y$4WZh*ub5B}1%2h(>lwQzO_ALKPywuQS9thFE`82x%P3f^aeZ zs=Qk_ScokeVk1LrVu&{o0>@G&BZW$2Tv;SKC=g4gepN&R>-w-nS4-HN;Ma_<$ikOba1ZS74AVn-}7*$`Bt}h#4Bjz})#S7nG#EyNQVVmCwVVTip)hX@V|C6E>QRT<(l3-O4C_?#iWV2Ce|4iOzB zdvFB!t1`q_7UD?_@ijwy!w~z@LP%MJ2E}DHDgLSqvEM?>(h%P=#CHtwJwjLo8Vzua z{=Wz6|6nl|XpA2j;{anEOp77Uw&haWOq~jRr zctm22iZQ)Wj;lqSMChmy<0n{@U03^B=tM@T!zd>q%DF6G8!=uvQkKJIwRwk;-X~kM zzco*%Fj`$kI~CFJk|4c#Cz+EqB2D~F#d;L$Q#>7_Z;eXJMfTXkpvVR$P1DwBLrP~* zY6JALYlLMY=KRv(xFYJICn%&GB>-(oIR93mWeoq)v6)GMsWhW<0Ti^vn9*2x7&P%O`lUs`MdnM?i6}Z=m`Pm2HBE_dFtF;W6~fkf@>*V zN2wPioSQ6J)Ce2L_BOstRex^!kiVY%4dC$x0g1%qy{n83kZ-OnnN|0Y93TnEJ!sf6LE{sH-DNfF0gcQ^qiGm2zt;F!IyLTf^6SX22k*am#=@x&*#olO2D4`9Q*0xxO|;&C zg*-`zPv*J5Y4iboXSi^|_nP>4t;p-a)^4fm7j zOrEXs5z19IvjZo;^^>B|PBuEO z^eLq4l0H>wDI{5a<20k^>Os~cU7z&nO3R6p`?Z15ho*Q1OtM{3}2*poOptG61Yz#A+PfzvMjvR817Qj z`lxmpwaclsgyvI0rmir2qvEZIwK`kJ*@6SaBrhbyq8g zRxYhPShacnWpOGwpim;=2AMNOoxybS=@h_8^|f;frMW3%F$>MOL`V1*(I}=d1P1Cl z)JGxbjDAq-iW1VLq{~287dlh6CohrhQ-&H}_>({L!^oGDuQ-}dy5YtbD?ft#Nb;k= zqkcec!dU70Rudl542`BRhQe3~wM3Am3Y?R7EEu_IN{_WZPvfYJr!oNw$_Qyhii(R% z-0fz}*F+}Lm_*|a7G}2fQ9}6cxO? z-;9U#i09IHfX0I`kOIm`zDBu+j9;MqJo59&KMWq%D)_kU9E~BN3(Q%l&O$nm&{+fr z$L_ZSFDaD;zw_OrW}TbikL591i)lR$3w5tr8JVRR!~cY7r>nMv+LP3tf`%ecE$o(> zae^98(^y9185lU}nHj}V_pHI=bS&U=gr6t8JPnSy7YrV+@QZ|BBD^9EPPms1o}ln6 zgjW(?1sM0IWJ8vMeAVdNlwM8xHPUN9qdF5>I_++);rA;3I`MVH*8|6CmflikNigI# z7~f)_{8@h7M)I4;zX6^%LQjdM{`+uY=*3>`z}N8_P&PE+G(aV>+h9% zRO(YX9SY90o!4ALD`<5Uti)aXun_?MBsoODa2bBl@wm$)m8o}ufz zwj$k{^p#2@cGR^ox~s-+OS&ED_Mo-hmCVS>ave-~RL^rq3Y{oi1%X+YudPvcwbB0z z`6BI1x(n&9N(U2h8T{VO=--=qx;yC}qbDrbSWBfJ`TpcHz~g$8 z^^Y=SdXKD?EK76^FzL)o{e_cBDT`9JN?4tvM3ysuCq5Lrb zAm#=cJxR-GFzI~K1xknFc>Pgm^w`V&Q5TUeCOrf+UI@thH!QFqw}8LhoQZAq*-db2bcKc8BKZ&>9L?uZy=5EfNc5FeVZ9iYW#6D#?zPp1My=qtiOG`(OJ`d z{E4I|k-kHImo?MdNA6^K4?EeErJBGLDpRT4DZiN|CnMiwR<>LvcbU<@1s1M@*K!`Y{=(8SzbOzmSzaM`^^bzf^+FSK<7a?c$7t>@>1*}gL{tlB{+}p ze8LX{##MlML0qs&?&Y9cU{;G-K3fZEJwj^{EZl8!+2qRl8ria9M9@8IQs)!B^cbbZ zlpcqK&uQ{yB|{c>l4Z(Jj?s8L=$M4ud5Zm&19%;D5$S6!~#45`KyB3cxru zSZ*NORYU_)ZZDg2&n%z7D|A-USp|m)$SPp&RfBtvVEig>HR0C?uc?G(6vkSER}S~^ z>x9=4USA1I);AdZhr$~PZzB8#U_57YDrDV&RDsG175AoTt916^W@=lgZH0F9#TayN znG?{9aT}fObatqtr6i42_qI7Rw3ObV^DdqD;2?YQ9yL=Ma4x$fih(HaoA$JRSldbM z18N^aW8q4h)qP}ew^6>lJ|_GL;a!!moQY2jzE|Phg!d5M3m6|%pKAkrU)khS9BlWCMG5jQm%sCo-Var%+Y?Bs~$r#{xzQDCxL= zL*c5K^sJV1bxJiT)r5p+R3L!;B5N6a=`lWu+N6&oeLQGQBB4o~VA6A%#EF#ZP&x?` z&IFrmP*{o<}6p|6gqY3oC*hLMVzFJAd%NIvfy5kd_^m9rK!0Qifh+$~KD9e!S4ES2T_0v@W7` zF)Wm)dfX4hX*%O-EMDf( zQ&hT{|GKupyVLJMzbAZD$Yq0N4#H6@t6yX0J+?eL&Fg6Pf{Ck^X4)K%-sa6vuMfTJ z>D>SitvJl#K%z&@-RNubRXTU$M#?u)z8Nw;tIJxeRMY2d++yw*IZ`$AK{R<(#~G1VbZwUqunFx#2?v$`d8OX-%u#XW|5GU|pJ{i@!P!$_Btt^ob7 z%kQWqi-()PPA|U^^heSk1wXxf(uULDYU($d(a}`LP#ybkHEpWLZKm#1bsW|4R3|`9 z&4x>z(4(h#+-~-MwI|Y^MEefdX?aec+A-PGZ&jT_bt=_6q3Vgj(B+^s6?B>5yUabL z?%i~!(VY%gll|8M$M=}}i>foI&ZIgEDjpQL@;Lz8-D}3LYTQR-HjOzjm{{ck!zood zO{N~vkuP(pK0x(BsCa6mjj$dZau1pHk6QC+&8PJ+tOjCPJ@$W>GG1UIUe;@AAwxXE z5Q`83^=zTM#Kl_1j~ah+cYkj_Mt(8*$H8Mzimqjx6Z-c;#!py;i?kWPgb|)(gr^XJ z4{j_(oVJqjQu9vHl%J-zjNUWwPz7=&VIc<>miZPFunF1(Un0 z{37L-D6fEw<_Qz^ixIzU&PO`W>=imI>8yf-QTENGEflsw@a-dMkG^Ge6Kx-DBfXvUj&xcEq8WXj((jOdm-Kr|%kqS>DZu+i--jH^ zkK0N51JWNVjcQmv_89$|=KEvPpOD@K8uuJy%j9>ye{i3gHCxlzO=}OWy|B>G$O*ZS z`^?}ydKG+5_zS{c0!GnfCKG{x`^xCkbs+!Oq`x7(4>U6r34}_eW1OFnBd@IXn^hOp zk^H!CX?;iQdssNfOoL;6^W6{TG|-fOq;r7IK{%;b*2OZQUtU6m+)t*Qr@i8zsr*9a zkSZu!Sz1Cihjzc3vPKK|FqPk^{0;?2AC8qvU+52`tM$fF$Z`Bh`Y+OdD~;D^VfT;G zxfz~5Lb}RZ>}JVt#+Da#vTn#R@}H@GR)M~#t15qzeirFtl@2Fm*E3hm=(c@*?CPXz zkgf?DC5l5$X6Kd4q-|HroV9wawdov3=Xf}J6GYqzMmN*T`b5%oNS_2c)d`6Q0vw5O zvKbpR{wXx-(l`~yQEi4$K<0>GwL*^ccc+=ZO6&Q0^y||<9e#B=Ch1)j$~srBf${yd z@@Yu^4DyYX*Do4p8ows#p9^P^Z%qDd@M!E629dFNWya1iv94C@O(-^{crHX-in0Y; zNw%yAAuoZ?Gv&!HKCSbqG^26>l*+Ucm1$jQ;;EWebBY&HyclAtIxLbA)*M9XE-~j9 ztqxnz3D60uBct}s37OMzzRzHoPJ~Vr4hp-_?=&1UzJcZ|PCh|C2_8)=neQd97(()z zRbIWz@=Y>wSSG(*YW7CGG%llkIqjCPeR1Gxnyev@g^y(IohwW{O_Oa!u{Fgjj}}9f zVjC0dso0icJBsZgrXJz^$RuCbQVDi2ufBR6>2;!a6+Au^Q{VAQHfh;jOX)gFy&&PX#+i|COh&(M!J6={Q3;5Pfy^U4pY+3^{aFr%@vL58!n>NAg%lp4um}QL za8ADQyGIS4F~;ZRF~W-pKMojqk%yBkZ~27LbCg~}`bpAHfz|?wq!rLo^WM`eJxy;J zy=UO1zMsZ}GSpu_X}M=jd0&<1s60<)Ih0f($uJi8g3+V3kX|JH66qD7(KQ_+L*``f z+SFz!rLs1REDdOC)(~F;uTWh{brn=RoUjmVNeMncVr>UmK}Y^yiF?)TZ?_2~KW;Vc z*J!VS?OQs*n5+_7>eiaEQxEKQ8tZ7Rhk*l=&%#pWZZP_X84NE2(@1Y3{YE++ac>%Z zK^r1_A>}{mClira|huzyo|Elymq~9g|p3?Gki6!0pMlaGg zr#nf1K>EWpT1G5=Wb|UCKPLSN>0L_8R|2UtJ~g_l4p`bvdJpNnO3O^2K-_(1^vi?& zQGQPP3({YL#{DBRZ8I}uT&erYggUwq)7KQfp|B5v)*Ny9ur@Ti!tFQbLp`bA()o_g z_i%7h%VqF%-2Gtm`epu-`;qhk(g)M&g!{?p4NCt^`WMoN(&?o8)#!~%A13`9>EA19 zIZ^Hpqcgh zr@rRJgUJj@fS>Z+38sCl+KJTaP&)~lf4GHYARC%kS?*+$cBym~#6^7rUcq`(qiC=jX9&~LCze(}7#M=>X4;)YB zKqwJ+9SlCUx7qqSyRAuGx)aSeB|zgdl2pk*jH|$ zh_BqPG3PTqvDebMj!rK)xPzr1<1+HlQ0Q$&Y^zVD4~^?-+yDc4#m;ZI+;NqST|9dWlB{h89E zNsl2t7PN2sg<@%KzuV0FLQ7{Hz47!Wz|*pfyW5TaQt64LCy~BG>9~w~lwE0!zDG-E z3hAk&@2sR{th~F+=#fg_O?n#X>6Nt1RC4ziJyq!$q-TKl8qN)WoK`4Z&j+7gKy3BJM@Jpv}uky|sA4 zoVELX)|SwDlFn0bP(#SjNO=I`A-B|wtM2g6_@`+sqw$Oy*eE46dihy1#_Ly#=V&}n zV>t{Qez|<+Pr4V3ep8z&FOq(V^a{|(5eE0U6u&Df^ zLVw_|nsiZtKaACsUZb=Il0M>-vd5;pb(6P6Zmnrw>&bbY+B$0Mp&>2VK%+qRxsWp? z>qKoZsa7wa)<#O3D7^s*msoLzY?1q>!H?eT;mw4%5Z($Ht=^$|vbiK)h`wdQ!6&@1 zjly;cJ0PIIaQGR;D6qH9Xrjmd4vlwdyaxjZ!6Y*MnBezK`azS~N$CShA42kHQJP&J z8NFH0;>V;vA-xNX5cQ<8l1snaJnX+G%Pt zp!&2`PPL+7mk3=4)!-P}>L1ch1A1p#zHDeiOdebiSqV9fj{9_~&mp z?4Q3snDc`=Khils=U}=M!6NSR9_lA^epKgYI=|341P4`&eD|?SEW`b3)>E71ALYj# zru7@G-(jKPGRg|ET`ZdSf0*+A4jS@VgUVl2{)U39Qr5RAbpIHf)7ZmD2v^z84ut$p z)soT~bH~Vkr8*9sw|Ka!{7E_vgpXA?7#&dPsu^6Mk*gD~LAYimoLT5<8C;@pZNkS9 zKE4vpk`=@a9;xt&gzFGKsS?IYVg`><_!Po*37-lW1sED4OV-KDBl+-jnkjj07YtyQEE)-Y)D8# zR!x>9&M|uFeEFmNxF)2Vl0Fx--gNPSGT+00wJ_}`P2_xP&8S@f4T*#kVd+|2X!K*( zGmR>)Iq8c?Ukq9kNobFu#9dq|n%h!nN1;6ggqNY?$%N}*^qXh;@Eu8aB7GHT-1%~a zM1s;zlbH@unO|+zuX+fbX?3C16&BKvD@4k)o6)UxTxWOEJxKRVqazV_jnN&HzLxZL zq~LSBdnkP)>6=L347$4HJFBRWJ@{LUucKqd`jPKX zJ_9@+bJ>N`(ZHC0H^7XybTEDg7;~H~BQenU!}6Z;Pt=~L%c6s(o;ltdTw3;JmnpM-U!Kcog8& zMH-R^`>jTQp%>|B(ql-E1&z}n(>&w`%a+XCX2#racYIVu+lKk%r3fkrC}0H?0ShL(sdhw^qEZ!96gSDHKpL|N5Ja&c z7VHJF_XhUfP!J2)vC>pTu@@8@*6+UWo#!F%yMOGDEZ23;%$zxMX68(}!|6ATzEkvF zqVFcnON`n#20Yhd4T|}0T(f%&%>o(s$hen=ZUMZwxX;-$Y$3t>#XcbRL9&cySq3$U zha5iB;D-f2BKT3lED~`GV{icWO_m!|CM*M*2s*`mTa3h~(ms>6o|*+IFMRIw z5 zOZ=eN5Zm$) z?Qn?bHKBIa$(2ciqS9GP7b)9O;k}dV(;~NbqrNZx1E0`UMmHJVX)x=>la#a6+QFUv zc9tFG>?CJrb8@--VH~fri#s3Md3Kf4Lrza~64fbe>XYqZ>gCS%*5cVs&hB!0(_sQ6 zwdfnCMTI?F>31R{gXr{;(pO49DttJ{=%mA*F6?b_*-OIS6853Mx4JfkGK$>z7bB1Q zyFH>qOz(YV=g7{b%~3d9-$2(G@2)DeuV})}vewZ|%FL6QPm|?JJfDpqC~$3n1-DRI zk+foJyF$Z`Ca5uT|6`68iU(KS%tRCp6Eu;?PCf~l2I+AhDHnxst>hJueZ?DiLMtt znRFW*AEC+5;f9{hx2VL=_=Jr32JwyL86IwN%s0uIFvX2JYxhi*F-=Ajjrjb{&&5o* zsyfWTcjy1?ET_nsA?H*&F%B5GaGKL!SsZ4HK3((~q+??{KM}VhDhp@2wS}GIELpQ; zolT43N}_kV0t2(T9rtW^=8b3E5zlkvoGa%%I@#Lj|2}xa`L4FG2hJR+7f8L3D(~)u z-Q5?tFv{-NizQql;Zh1J{?H9xp~qvq_rhgv&a}qz9U7aF}p^b4Y2G@1oO zUU?wE0x@XQJ1W=IyVwOgFcC z@n+<6H*bG1J^;Ru`K8RSX!15dwL0BUiyBDy+Kp8<`tBPU-^%!o22&Iv!^&&lJ3Yig z_JimRqJL~o7lfaj9%l4L(Lam+g*2~mJsJnBtY;s`zq&PKVvNIYvVNDfi55dt#83Fc z>B@)jBR=6z(SM2lo3!Plf~je&(PWO+HdZF)IheQ^xcZsKrI567<@9S`3} zcwgcDh^s}Gs*Mj-Oq+M-!vXOWd&${b&OUUq)%pLr4g0(H^OAU~eWm3{%cYiW{GlC( zkysh5HkEMaJ$tew<>bl9r^7VH$gpH6aQM{Hc!EN~MS_bB#;i4rt8)0ju@T;1@BxAk zB+QIkP~eLn9OTNimqz7aDThcIK!p+Tas-R09qP`9R+0>qbC{e#bQpnx9BdoFnBNMTfU~v!*`>T)DNef4qdlWsQ(E zl9p~Mtb-axIs8v?JjH0iV+0>#a6t|Rh9B$jY>UHK!Q%uUN0@a1_3Ep07&FC=cd3u{ z>7O8JyrdH;DL7n*=p=`?O~l|#5PY)W6k*<}d3hZ1$#pkN+!#_GjZzt9GSW17t?f!D z3q!dp>uf!@3MrLRs;DSLNi04%(cz;D;_)X5t`=NFm=`Apjrdw;Z|2hqpHL^ZUhHJD zEXXk!8jr}}^xrnTIU~A3bfeQ48gI(+dg#uD*7OYkhgXA@>Qj0LX$tCX1S-uea7 z(4vrcuDtW;H7kcPMD=_(W>`5qN5%y*E~KHNHUEE#){9&`V`eZX&!RPfMPpF3&UJjIbwpn!e4g;Di8I%!qlD#MLAb`1_pP|QR?2l! zt~Vt=*RpE3!Idg|KHMnfCMh>l`L9ALHyLhmXSEedx5~Lq&h2z~Aq%mUUAV*HHh08S zx>N97g6}5G6XYf~7fSQpIj4Jc7Rb3r&b@U0w@}In_qp|x6-xKZdO+5Lw3NS!kiQ;s zxcsbmiiZV1BKT2*i;7SvJ?3zo)rTGz{Dj~q2{R6x3#Gj9lskQ`OnO?*GjbNvVQ7;1 zC{Let_|H)>G|vfMBzQ4l=Gwxfl}XRLG4_UNERpeoj2CJASDBO(UUFrvl}Rs4St?~2 z71c`7@+b0ER$yzlfwMt>lBh3J)==>!%}T;=rFMz0pVM)Zf9=_E$fedKgodp3P6dadYBNXMFP zK~7yMI=k^kBdl|)oyGQ3S)a*TPm9+!Q-$|*pF6zV1_gd0_)EcG5oWR%B#Kc;e(iMo zIq|xFBl=s>-!-EXdEtAfI~x6i=nbNOG#ZUb^iBQbbbAZ-M$tcu{-rsc2){bLmC?V6 z{$2DY(k$M1>?B^h{^9)A#{Vh)FY$kqXSI$z-tA()8h3?X6o<;e;cRwv(A_fqC1M-mNd^1pHdA?$wE};JGu4DH!)p9_Amwq>C ztfX<0j-$j2$kosDxHZr5E)4xtC&9dJ3F9T4NP)>qA-6C;oaFpq<0pteS$yih`Jzzb z{1D?y#g~asH|O)Q;$XS+!;G&GUn#zdJj;!u8oUi}Kz$JNCUe3>x88g>#$uAJYFRb3 zn7~*QuoN4Hl%lDc6KY-h*rYm1^^zu2V$=)k8`FWWB%D9@u6UA+_y+NfQvHxcLI6ER~=cYe~qc=%Jq&k%nqdDdKF#!6t;!fCF|w|q5I%IQ+h zpu$rW*Ho32aafh}=P!zB$0rFe%Mix$PR+$rNO8F$lQR>5^gUngcr`y^RDgRvnl^7vCux8ZwHe8SVBpAo%~H1E1x3=Bffd)Dy- zdWyyrZQ+ZAFE%`pEXYB9;CaW_}crhSPS>dVwZ|tMpl)R{32$B zR~#R1U4X9&e@*!7#F>8iOusiA-s9{TjyDCrC3rbu9vf^i+C^_WKG(*$y(9cx;qMV= z5(3Z75AQoY$LJ44uMoY`=whu9y2|NS7sa5g7QIIFhoo5o7xG03-n}-YLKBwtb!)aI z&d0LW%KC(s`iCpnQo~?|+J^ib+-2+ByU{ZLr}93Nx1JvFGS-d@w1Ep=R)6kN$I2MQ zFC={_=_^Vs_wq1psj&vDN;y9?ME)D`--`c^yj8&!t-1_vv+rHo)=u+-v<=dJq{dXn zHo(|z@F%Co?-xT4*$w%@vfQ?_*O}r%a!Id&I-R|TN1zYji+dd zpU{$!(24>(AF`*wf>g^9v7H&YdC5ewI9*W|ws&K}PBE3b%IGGeI}MieHJs*MU!BI55Mc**jyc-e z9&&b)vooDeaB?wa0yR@E7H;db?c(YU9B+nC*i~u|sXeK310HPLTc2sd+R(WP9wWc` zF?#tihOE#bFw;ZF*j>ly&13MwVh9|TnXbmB&$$UKIEL-`Fe;KO9EUyp2shbO{XRNE zUmc+zkHCaQn+{Q)h6xsXy0PZlc+S0K>@8y-Gja>^@`|`2tDKAf6K0OY~K~_WOHEMH3i3CnstdkbFT)tDhGKG?h zBo|ZWjb5Fef@OvFbGrC|NbfKD0MQ4MW@(a(O%t*71||Y>Tb6K;YtLEC4wiO^v;ow1 zhQ>*db#c@Wx&sOda`UjvZz2~vqho2dL;WZhkBlcDsG}UFqYUCvxPbzOK60h}f_%*F zFG%L&Ko~@XjS^j-YYX2UA$_p)A=I~nJ`u$;s^hr&h1u1)xL#lw>UO7sc=BPgkCc5B zZJr$C7Xmi(tH{CT@yvo43&VopXxCq{@k_&{kB~l+I+Ga-KH(MrD5p=^C!TDy=rN*? zABLsKPw``V?+aR}*u8QDnE=?xF6gSQ_ zW2%g4GMZ@crYg?OFT(N@nChmb#;3b>;bZt;e8MTxW=K1gT3h^@Zo=@#GMwi$7k1b- z#%iX7(QqHE*EHa6rFx!n;7MXKooGarz8q7+? ziGrMb6ku349aBuhrwgqpy;1Z{qHiXx6JTTDoIH##Z3wrxvaDxJrdy@lCgpZ2 zi~_cRNF$@%;doE$+`m)!UBd4s&L<~(2XnA1F7{{C(x~VStH9buiqm{Q#y#cnlnZo> zdvuI@c?@2e6kayr%3!w?7q)yg3inHRK*EC*c*o{rBa`Bsax7BAx(lnE54kz=v}iso z^AVYk(qzpR!K_W=OpiJLg59K#i+@7=ljK#RV1*atwD>4`%B|BZ4WE|vjI4#USe*UO zqX=bEaY11*Ho(JDc2yxf>xa2;WXyoi=`f3Qn8iE{ZwyRW!UKR?cs}pO)0<-SmdJQP z#)~wVJ6K094lg;~xiZo(i(V>vnbBA;j)T0MKI7_0zbg7Q(XThB^THcWpK0`)qTdp| z+-QUZt(3Q&?qVT%NA$a*-)l}|^AxAIGx`J3D@3m(%`Dnj%jsodmE*l_ve;_jYlMGD zT&)=dC4p|JkDTA$4*#+EwcIj9F65=+b^27oXA;&^h^dYd9G^Sg z)eirK=r2WoMLIT?u(9k^?s-vJg}Lsobu;Z7Y2Qlwj+&hWW4oO0ZuAeLH;Dd`H0#0@ z)tIn~yFdp+RE6H20JS-sW7y2_H65c zYcF;yv0IZ>1EmQ&bA>XD7|Dcf-1);AC>`Wbv3E5z2ohMN4%@>Zo<10XQxPgsty~$JACv>5#CYoPJ(wP%oM7wD?#~E zSJM=BapTH^qOq%t9x{5;U?#+b*OE-=<@8E#5sBVibZ^pp`d}7DLnEsjnXrc|(>CCL z@CkjS^p(=jlnPAe=0HPCT-wu>a_bk^OUm9-_MxI8ouzYnTIlb5&G|77`-;yIpG%%C zpwcEpIbD&euA72H z6YJk zD-Lz%?%pvb!{i((=O{V~9D-Fn_J;%!{MW0BT z_aKJ0Rp7<@NseFfSq#tw;U^1E5oa8#(^Z+unp7>~P~ysi`^U5@l~N`pO@(=djm+AL zrs`~BmAiG#WznjTRVk~A7IP#9NN%M)8t`1?Y zvm@Ka@LVN!p4h9&GB+WGu#0I3*Erw9j(x58>%?DAp7$O3Th}%q^fKp0IXB6< znGVBKg)DT7v#a)u;ki}pZDMaHYvEzF?GER6vt!>W{x0!%H|LXBK4-r3yBohi{5|6D zCC~OZ!=Hz;P%kz$Q!o?mbGNs-_se}i?t^rBwdv;9q%nu;Avg9g<6#+($as_nOG6q3 zHUa1{m-?FYxTGf}JxPgKgi@geF+Al~KeL{e^^B~Aw0O_bD)NcISbf*MJ9vJd)>tzIkA-x2-i3edy~h#>FGzTi0`nq$?2TCrB_A2Ci->Ky!jfca4Fw#_}y#cq2Cnzmf+=t8IV+IroJ@1?R5Va@FPCq9ntTK zevdSZbMBAAVPKBW=Ox7_d?0*<@Rh`wER(A1%BEMPCx%rnj4z6zSuJ6Wgbz)qtiu}z zl>gx)7Z%vapN}Q1mGB7#2EQT|usZHKr%$u`&ZnY36TO}^!-MhoRhS}O7e05PX6qQ9 zFC=^^;VTL}JUTuw(D!Sn+uE?PZ$y79`a9A*JXY<hO;%Io5pnS4xZb)vUm`Vw|Zfom9s5-WK>J+p?H?K@3w% z{DhW;gjObCTcc`p&NhYCE{y6Cg*Fn}O4yPDa~$$#De^-*$M?1j+Ftlp!nY>Qk`?>z zVwLzQ>1up$5d@OqboiV0yChfiD0gX8eK z3hp7eCt+sRWL{3mgwV_BR!0lQI~UQri|$RDDTUmTt}91FEIlFY;m-S(L;A?+E2keF zX7KDJ!SV@VPZ#D`xB6ZZ_Li`Z2{omY(zPf7LVp*|J1jDUrF9OU!?Cr0{U(T9j0K$?NC#0AFE@8MAA@9G=*f#MGnKZrc@115x}ny@m^ zq;U9VV=2Rq&>taVu#6!z82VHtw&Vyyou2Ws;1*$+=p#iRWpv&23Jj7x+Ufl*^utAu z5IvH#s<<_!dFoHcI51bXs)!L7EoF?9W2i8DV&RLtaIC{aZLy27g2xFyj<8aP3*4jl zI^Ovqz2d=75Iz2iQz4;JLKOvN%(`k0DGw8!AJ8@Olf+kxuOY8;3*!_}F4j7J z$?G^RKA}!{z3|DzRj^lavjm4fO~+$r1UCq7B+S6`5sCdkQelb<-)t3ysS>71XriFB zNn@|8Fx}~1C6PWw^bFCb8eNsDnw|=$Iemfkvdk2Hy67`VGhwPR4uL~{&UAjaL*miT z5T&I*Kcgr6(?JmSoi7yyYf9TonnaK0-;?5R3O$^}v`G=-f@ zh%f_nkt@5b#li3i7fZQB%B55oiTXw?Fp#MVmpNZw7b9`G_$$O;NuHMrW9JLQT!+86 z;q6xmo+tQfgKJB%B;+*?j~)?^e68T?1Yb{>*S0*QtIF~C3OBgW#(LgvlyH-Tn<=mm z!5%M@>ZVpTOb@rX(dnFcid$veCgXM*yaFY4>C#D+;SR?yTZv!s33m#=OZeTy)$l-l zX}+_M=fy)W5POf=;F!?cBG zo!z2UJpOZH7l~c$EZzV-?`$Vymxz5q?2BZxrBfrihF@~}S*y9dEPAQvWkzSPd`ew- z#p&+$ka|`0YocE#%`AiZa;6cBeTFw&$U8I!{7ngONmx#SR|!)gGU089ue1C69l`Gk zes433{+st5o?-9@f>#J$NtkzQ8T$XT?^nYrS9<-9|G_7$ma<05hg6sgF!&Ge&1%9& z&QG**{$ufL#eZTv#-f&_(v!kE=g)2zBm1fN&&01M&-V_!hw-wOYZIJ23?+iRg77eC)2C3V*otED1<^M$Dg+ntF!Pf!nZRVmmxg` zZxkHA!CH@9g?AI)oj7lLEMUIm?y!T?osWy@xTENuMDJ{L1$$w`E>3T?kLoJ|m5^B~ZuFPB-l~O5XQqokIHEYt-(^a9|>2O4hc!lUn(N(1R zJ{IrYxX3$(>*3wogfP*yP2b0pOp;bDt%e#;!i~2kgj%OJSczFDx?c2T(#&?bSRnxQ zjNo`%j)=l1WP~>eZzQe?7+UpHoV~>!z*EIe6Wc_#BaTp4&$mXKw;v1BUF>swjQA-M zXGlDiB8!LY7-@FpoaV;CyF_EAjMHVDL8Cv6c=@=?XD#;IDaTsC^<22DEHqYRQe_w| zg?=7(mQ*z~V0_k@e%Ow7iOGA@vDAq`%x+Bm~ zrqg49E|+kHgey%bOJyn=>+y`6>%urI;;xb~Pr}tE)F26wtt-PdF7&om(X|q;lW;u+ z=Acv!SE&p)IR2hJ=57>zlkl5~GX@C^=u8%4z~L<}oN0>?+$!NV3Aa<=ML^pLHJVav za(agwZ|oc6e5Z`NWZX?dr@-n7xfuT&=DRSW07t?nERb-IgnKElxGO;&qq=TtxX<}1 z*1L7T_y@#4NS@F2NsVE8c*xqd}VjKXU@PXhJf>#n&`CA$Ez8qVUWDtv0u08vC)K*JdBkeyDpOCCSyGfUU2lh<9#uzPpG+k?#@kCf%-zu zmvX+M!*@_+Q!$8r5+v-Riy0wqjrdOt+c&blmGvDhzFe!vmb-Onv??;3HmCK%!>tzQ&TZ?YHDUuRcP%}e_J5Fjik1cwxq@a}?p6K1+#3T(02fNAhfnB(pJs=?_#PGd;X9iz14bt)al)RiEVF#Mmz2Gw>|+XU0<@@0xoTK{SN>TN z&$6$S94Wa}n3$<*?vfl5j!#({@ucuP;rYaQd)C)s9oMGXI@DnB4y3@Xi>=SQP*#zw zVp@98r z_c)`A!%+O0rI#5!3_r~dN8)=_I11m{LcX?iLO9yt5!QGeE_j6Ck%XD_C76|m_d=r_ zpKA~E(Za_FKZZD~w8?@A;aF#XIwppCtk`j4k0Z-R8##|JszN6@KiT?eCx|~;e9HLgI0q_`p~U%i56AnZRD7BEGTq(GUu&!$&7pwVA#Gl!;U)VL$lkn5*P>t_Vp$6aML}LLi?Bs_(v-F2O zB3*}{W`}xwj|!9VJ&tsywm#H^fIqYJ(bjIv;HTN40pFuSBfgb^(LOG(Vh{5a7uLTV z4?k7HGzm=<7*8w*Ss11}ydy6PKH(I>GX$SXm|>}I;+VzL@MktG6Ap<Ibtsmdm&jK87q|FHo6FZW{*7myhvY+pJsf~^74xc zF^8*xU4ECjGoUg$m&>_A&Xsg{hT3|rKQkA9X3y}@F)>-L!cViqJbaG|SL0hbw=|W( zI^osf8t4C98;^di`0K=9Po7sOHz#LOxWVDE9L9`KxKZ#;f^R0wnheIclw!znCJ*z< zZgHo-1^-q#x5>Gk4sUOarAg-HhC3YJ{SKZ0r?^x2UBd4+ydb9_k((dpJO1PBh%XR+ zkMMg9NB+viqJQ@}e*be3zhC$R!XGreC_g8GhQ>pVKY3ro9~S8J72?C=b}M}>v>R>I_9Z8z+h@vP$&te4;u zo)f-E_+rCz3oxGna}pfiu2;mD2!BENi-uzl%G@OO*l>JKdBk59zEt=!;tV<#^QoT_ zUcsN)puc!aq+i8Pv%_on9u;24clMfMe`d^wdBgDwZjJbx!rv0U+;Hq9lECENw;k`r zry)M!9pUc^f6s8Npp?KGO7A<~c0j~G5WYhAO2d=+D5>+qD#!mE8S&M^*9iZRIAdB= zP>h&(}O+FCmkMYy&uomB=!YBAvO!JFz^ki7)_#U$&{;BZKgs(T8n}8#;fA09v zS4R8`;a>{>%J7^VtQk`jzIOc9?5&O01;W1-{+;2)g~?njIr_ch1qaUH zQ%rF~On<_k*_d8>c%(Ptr`h3We2)sh;9D^*!m?XP#$O%3=$?rGCj58dn~3Y+SdRru z%;L}N!B4OX!JqhPcK8e5qr%_#*1;3Sm|Tf%H5^}eNIdwz!dt8){(tx$r-K(3W77E+ z_%nO(^V@1V8QE}MD@lBj?icjbuyrb}K4ad4r3G@$ja{OTndS~HXgl}hfUQS^GPsr^Z zUwBeHdRO7ygm)*-bjiu*72UzNYsY?oW9BiW$Z8d0MQ4MW-T>Uim^Y=er;`!gT)>qb^uwni`gXR zQ1qH`s2gkF$A91x2Ff^0#vmHJvY2F4ibdBBcl_qVW1Zj#;e&+_AN6yz^%ai!nYy{CM#vl2-yX zg$8uuo#c3%;Srx8{AA%N!y6h)*=1DX_>h|;UMjpyc$zqao9j zIF(9=i4HGc%vd6xlLS`_t|6>!lbRT6o&ChvIg>I5F9@JV;vVS0t7b* zZY0bDr&Ad6B7%29HUe+9P{IN_wErtOZY6|XA`%ZG(XICdZ68;=ZHR6^m(M2CbcPyg*xBi zC3e;42);n@g$AQmoe38?ywK+2TrBt!!Iu)|U6IzVvf16&E^}v7 z(4)%6k}%itqA@Y5R|%gd{A%JBRjmH%^kEj&Yeiot`g+ogYIzB|6K`<1d*^uQ8wKAa z_-4Xw0kfzpU_S)nFDJ!I` zq{4)C1<#mO?i^*#YB_7CI~7%ps+IJq&q1q^zgHe6{(4Ys%&4uDxd0{0nJcO8bf$+j+>2MM*q1v7UYiU%NEig7=N2ZzX+4 ziSfY{LQG~s&idYkd8ILMKS4`WBK4GKipGE)TbY3C$SpIc0 zosRTxqJI~?iL}KakJk|ITf!eMjj$N}Dd{gse^X+SSdJYaxLmB`$6C4dukaSD)DXaT zydI^T*1^e6Ti~~BYhXldC54vw39SJstxRFU=1;9_L@!lqS4LW(+DK_DWlJi|TB(|n zs)|O8>8-|cPVU^bEXKaQoUP<+O^26)rzv38+Qx-Zc9ISfI!f47L@~_W`i?C*svlky1*{)){iS16-0-~aQ2Ny6UPu|HG2)EKR(ra6jG24M+*{^8GCYK!K_CLAtUO!m&A+iV1=5?~p zId*Uz>drov2m|FDCTEa2b`o|K9qvx4H9n4zGg!_LI`L_R(W^t9KEci~O!SeWk8-*& zHwQaSI6ZYzOo8E|M~EItIy;H3s2FQ7;VF$5rlsjH%DofqETiR(k#`Ke_;4>SL~Wo7 z?`Bb1Io7q4O&cq1oV4SpSyYO`@lL0VK0)+&(I+;ii^EAyml!=k^vR-An`!iUgc7GK zjV={kCOX}m#&WVwR~cO)x>9sib2=F&Iz7?oNusMo*EFZ|Lao!2jII-1FM4uw8Uu`+ zt}!|zxR17?aoUGy17qn97ujAuIioIStJ5L=~|2EIik-M zeI9A%FpN}Xy%AIKYa217@O;;PYZHSsN7@C_E~Lf`Z5nD+9N-i#a_=YeE|zzRyi4h^ zKr6+pe=H)x(bku3R=&Xh;1e#Fa)p#DskFtfRaI44VXh0W?HR*%m4tZ`uBN~TICg5t zV9q}`pU;GATuQfy(zTMVlXN|$>@8EAQygw^y53UlM$tEkzL_)&S-iKc#e9lzi}O3# zJMCM=-zNTc<6|o;+~NF6Yhm3f{x0!%lV>tvWNHSZy3=7onD5H2HnL)YlzXJyONE&b zFGnzChaC3@sQD3dbDAVwfOOq{0K9;mr z(kGPox zDeEs;f74(_7n)4yDxsT%?i6?j;S6C1XFD6a zqu8Cq?o5_NdLpO3sv6^Kc5%MM_+7>K5Z{wLkDZ&u#A0W^8~;ULGy^o+&H!NLy_K7hC$D+Sm%EF9`|kp+C9=)*)0 zG8&5^VyB?Po$h8i{Rq*6MGrALITd5j!%(MBwl0NXqK_1P6loRYrPU?jXou@<0^@MO zBLt5mtO6GSDK1B26V2){%BAiWp3#!VNIHfRpIVv58dUnL&`WTv8@JkEwXrhB$vBP% zGY;^|G#xx+j(6wAfiXo-kTYJ+iF8;K4LQ-9An#;(DS9zV1y~yy z9Sm4`uEeDsEJ~%4$|R*J@rK6*Dad7SZMh3On@}O4QbHAlju5bla%m-&*TOhcY~77P zG!tFiSQ~>kNn*9c8j8G`vEm$*OsI8!?dg%P6JIZWGI>>=O0h{W+gKsEao7?Zh{wvv zXpqrJLr(<6C6QeLXo@SlSZtsb@)@CG~8odL}}}XdP8+ds1px_aQ_Wb$ot+8x6N8SbUE~Lk^pvXtP{354ko*1vp#iB0}eJN?4h0!U@ z7KnOqUFP0y7P`yjT_NvEddxcXiZ*)~XyoGVCSE0Rp2VvuS|SvOYn<+F^tGa|6Ma2t zW;C3pkcImV&i66?M)5a^znOfD4#pT|cd%vwe~Wv4&AV0JZSroX7xPXbx8&BVggad7 zXVRUL?vivjCFW|ZOU51Vaa+%K<9=J4Y=Mk>WZX+5MjiwB?sIxiJO2Hm9}xXub2=|P ztY(T|d5k%?uv^TJ~epLGF#!zVm0_zA&J5{{RzFu(cbd&V#pZNTc**H~jec45Qqjwr)5YNxr*n*c zRrG73UpG3p09&?%H=N$sL#cxo6QbV|y__`DvL-zlD-=0=oxLW1NASCX-!m9P&x*qP z4!1cc9{B^oD+I43tk#v5yTRb}RW4j+<5pKoSR>&>3QBM+`-$_E3sRX z)gux)qlkkps>3#}oMYLegOrX^wxyD-^ps>$e3uzIx$)%X@g$vPbdj;08R(6klEShg zc(LHd=M$sRRYo@%-Ob2Du!{NiCG6nFxfZG&W$YwlXBtfV`~>&w+r{Y>P52R?u&d}E zqI)`BgaxZZFQ>maGt#?>-d%KWr?EIc_Mmh6ttpZ2Bf78Xe)w+eo4wtzxO+j^)A_&a zBEOgTy~Xc??`(RaK8Oo|noxf?9xb1iV`0!z?BNkx*1Dd~j>q+B%q0xm$CbeN<;lvtI<&6cjk zlAC;X9_~)N(&!u^XRw?hbh6pKASa1sTCqCXP**Otunm)Pq?DtmFk@vJ8nFQG(M~^N zbFGJq9wB-pX$FdM&%<^He6u>rolEQtqvec|a||8c-03=;;8=&>w32SD;BkVFBg_+& zrs}ai8mky+K)AEe2H>0^XS|#f>8O5+K;_q!mxq&FxYR;4LBh!rQWSVS8o3%-ece=~ za9JpE>H1q^+LlTxla!`pQ7_0emS8koD0k;FJ5hz4N;y?@cs=;Kr4b`NP?$_~W!iW6 zAAG_jDb-SHsHirF$P{9;&|2p&w^P)KuNOa=JfCL8#l?Jk799WRIUOBs2H_3D8;P^> zS5-TO?{X@*@ks_d6;E+*2P@5|%9|#yi5@e3B1gL@qkDe38w0Hm;S?D&WSmNaojs^2 zqU#Jx-D#is)7*ON?3l_kWt}eT3|f}TMd*-Wqw`F6uCOFHOU^7gXVYN@%fZ%)VYb7M z^EZ6LIfBm>d>&!-K_PvMF%|*G=hS4kuC!Ckk#&Kr3u);T#Td?bk;C6GDS3*E1z#fg z(#>#jUbxKR?OB;5e7WE&1Yb#5walCX?0SbK5bI(aX0D4@S&*)hI8Wl$6xsc;`ITI{ z0_(J@R(_4UOKb^@Yvo=i_jo zg;})-yOR{7ukaSwzzfJt@uACHdXFA#l?=zB?L!;`1*+~@q^3nG8N_y@#4NS=8O;VEEv^3b>RkUNiAh#r>n zh@401@IMMLcPTvP@Zve~1dj`TLhzFg=U~6RryQPjPK2Kp{EXm*gtMVX#zbm9>wJTS z{yFiB#4je#8$X+x;d#fOuz)WS{(|rqiRhN<@y3%K zo38%k^wmah6#cX4Uq~~XVflzm_|@UoHe&cU!M_XML^wX5bCcy*`1lVOuCb&4Dd8^( ze^aoqB6v$(>EC1L3Bsa+mdEdWTW__;~c)MDH%TH)-Zi z>==Ri7Z!~}zg^hFrOvi?L?20gCH13}jQ}<<3wt`f*ftf~OZ48N_aV)feoUvrdNd-? z@<5%XziZ!FD(x#RM_Mj5U5nCC9TEHB)wlNaPNCNNuj(V zdByY?eN@3>6&E4f&!v5={- ze2P312>GK(wPx&^;L48{{!%GrQqrb)0^$9HD`PEzDx_3OsiG2dVNot8VV5>EqD~hk zy0_6zHA!Bzyc&AU>evbxn*EVd+yBdf1|f*Gjlf!u1rG?JK!L z9oFEv!TDjmV(@Pif0Ou|$+IM>Da9BdEFy}LNp2i|STt^xahr_WX|S-~{5;?mQsEBQ zy4VxpPHA^ZyPFzMRF94e3?V_!%6vD*+x(aXGVYOaFAXLZjjCD{b@#b&k_q=qctFB~ z6c~5xzL?0tHp34&|K^_f8K3a5_(#M)N?w;Pg{sA44iC0DGLH*>LhzG>*#ngwjhe}> z-i7m$9CCU zBK`&OFOp~OuBgNF8T(v2{;{ok__FY&!j}=}mB^q^q!OzER)<&I*f1wv@>gZNCgXJ) zI>FQ?)G)#uj?d{4@i&FPC49NzSfHsMtKq!ucKuO!S?APP-vIE*=eSeamzJL6}>@T``zM$U(Hc9erP^=d274~B;z#vx*5 zdv=Op%0YGb$dBuTZ;}af(g%c*IC(v|odXtT_`Be00qSqUp$jMKl!Qk}k z`@}eXA^J#!N$Y+?Ju>{`@FiAM{wuh}M`|bFJDcF#Of_tQKeLU5w9PhdiJ#C&5Z#J2b0}7O zX8pRgk=-Bz$M$yb#HJ42s#s;VnkvH+;gbf_n(=*$hTw!Qrh9-c9iC zf_pcEi^CocZ)0#D!F>hybGQJ#GkZFmXHncs@ZN&=X$I$o{tgc}cwfOef^!Yd!ye8d z;qa~}D}ETRBsfoSzQb5mCKNcl+TcRLMS_bB&c}A9VLyk<8{(1o7kq%=0|~4BhYMQ7 z0W(z%jq33`$i+n#{(~hRB5?pkJ~Aw~g+pC9$}-zP35Q7-M1fZntMn9y!yO)P!8$_l zV8KHOt1QDNxp`rz(}S%<7$*8i(MOTyp{pv<3^>~11vZj;xZn|jM-paHR+~Zv1Y==G zIX}i8b)&_P5q}JM1|^w?H7>%jPPZP8AMpueMUNAGoYB~w05{9>xLbcN_j z(N#w07v|^Xg^5lVoEhm!qN_#M7@f@L;sdo#FBuu>I??r_CzEC*vH1vgMRRx;EA}#i z8w58RoZ_ZNQyjkZ<#^<&f~N^?GML+gh3O6t^UA*98G=tG%vKw(W1<1i)@-v&ufa}p zw~bxZnQ~8;dj?%5eSTpcdgab^dN)g+vqaAleKu)U04maTc#LCfG_;;(yEE5jES)3g zTsh~_VST=#49gffd+NMcHqH@yf!GVl^3gB}yK2?dO-)sXi`fW)pTX;?%iLLKuct1TbA_BM>8Q1d^h!>xtU`5ot}AUVnXZyDPs-I)c%>W4&}nv! z!)ID7t`&Tp;OhzVK1A!Xb`qWlH#mQdP2|5({7vF-CeMSH)s?5hEe#N7P(4(~oV9(aM^dj#K0n4!k&-4YI|yU+Ox z?V)_X_y@#4NS@b9+B}V4Hm2+U4qS%FxmDo7X~#(;c*F1 zNO;l&>;;Jx?y!>mQ!Xt00|(-8goP9shj@nYtn&ly1kZ_IBz`e@<^($dvh(w< zJZGm^BIN}sFH&Kb6yAe+pJI5)r8}m?h`cOmsib9;7%twSd3cTZit}4qc6(L)YvNxg z&ng8L)dEz4W3VBd?sT(4W?~n6@&`xh~|8I8=CWl_%FqOMV|5Cwa}E= zuQv-8@oyx2E8#l|*;dcgbQSh!V)xzm?&O>nq`DU@PZbXVWarapy9K-xVMd6)LrHEkk^wQ zV^dm=YF{sh5B)5jWH-UP3+_!gd;ceMa&QW6?^<6O_HeDUouiMmzS8_GXuF;7iyh#lSr^g%;j8q5!BV_?EpO$xn>6=9TX_gLj(w6rnOj-keT zv>dB*G}Plo%dwk*{JU;Y?TZzKo|hOUf)MXH#K*zzXIF&}^r#Sr+MYM4v1AJkpl3 zcy*0M%+GgYr3Gn@j0ySUoK%OzeR z@k)wJDO5hvB^c~G*ZCWl#)w=cexCTN$!8zh`FTavRg=;ftayz(YwR4?%DGO?^>nf= zy!^c4|5^+QtqXTQH1|fiH_5%3ZcMoR98}ip!YyumV#cj9Zj*644c0!>)2i?qBi!Nm zR~_PgeW&odgx^hEEfRF(&v&-Q?&<|%?-6@1*_f^JbGf{d^Xn`q_lti({Db7P&noQJ zi;X3)Up-f4ddRg;O?z0{BhntF7B43Ditxc+XmPmsnTd}}d_v-r6d68@ji|$Y6`peb zylZ0IpBDd&_=V)N55@faJgZSX>(Y8V$#aqxNm@*)15SdBiE%UOdaj{UhFtKxd!L)P zMBWSXUZlq>*;tEJpz6yTtHVof6xpgkFUwdeV;K!gz5)y(;41tmVqS6W3p>%P(q5DH zIyH+`VcZNQyy4Q9CcP=?ElJBM*`+PQP?xuz|H}Ax#J?;4J@WBB$S=lZ<2o$$|Gqn4 zoAZI36>?V6VG0CX9rObubFOlul?_K(En|(04{5}lP=H#C4g1T4k6irTPW7?GwGuy} zr~(b`>^LE7ohyy&5eSCkQz@TGSx<$du5euo5}2lsRwW*bpS$&go#+c$U&{K*EG#LA z-N(`xX38A?wOd{O(y1_TN!GWrzM~Zjw}NE&-suf?jvqvC5d9-*ONG2L`@^kY&H7W;U$XwD z74uy|VKz%(_coXQFzH`OE!L`ig74UylV4Djo!Ykre#x;V6R`X4)Td(m5o-ntoGh(?IhEk?wP*ggrm-5+{dRC^3k%YY zl6I1`b8{(y&3W*;r7Y~?(tk|aRZ+eE46ZVym zBO#YUeA;s4818;8OQHex33s!od;_kuZQl%)W(%;ZUcyw$Kk0 zeVFJ$q#63EbbTfq?r^O=%a0H|Snv?Syy{HXqU;i9LtW`$#~&u;NGV5A;q^l=2a*SG z|1e}O9PQGnV`3DBOBx|*Bqfel<#~#^paq_@82O#TqM)N(-PX=GTIv|7$54&=1xp%Y zbbTXcA{^^dXOqTC8Yk&EN{p9w{!-mK9Pdhtm+(LMgcGEUmvSN%7AUplA)MswyiqYa z6U3e@Hbquf1nru_P~!BY(K>L8P%64ibec4;ND9jIEjYhM2CO4 zC&H5iR|~Eo94}u{Zuauky0V?6Or4Z^DU+$Nyuv>74V8G~;rOhFVoWo_8-zC!XV{Zi z`#nr?c+;R5oT-AR32q`B3k0k^l70D#W{O)~Ekvitnjz~{S}}X$jrnO#cQbmX=+i}? zK{{4Zir5W%rt{s6KTG^9@n@6og23X{0(!-{ViL*#>~*dsNN2lzP>UG*b0nWD`8>)D zS_bP=V4AhlN7!R#j_3Db+eSL&Q|jxkX#?PMpqQPNG4Zl=^BCPb0Fheuz=E$;1X-mUU(lXp8k%g)91 zSOOHIqFmX*77-^lnB!E&3VJ3rY9DY0}fMyEGoc90Y?l0@jQTO|}|e4O&9sSwB#(jxk$3 zrvok0ffn;XynS(>U|bLngZYTzdAHWsJESGDUXb-7E#@jLBbqViC3j956wmasoTYM> z(cvSo99KXmdBug_x<}zv39m_bodSbq@zS0l;SIN*`UL-pPk2+-Te6nZVn2&n4H$)+ z!3v6K*tq$PneWJaSLS;(?F!_D_nqF|uD}PPSBPHOoW`~hPWLu?wdggXKP1h&S9vJg zn!%L{AGtQDJSM@%($-4*gc=L(+$8FbnXu0BZq^U`sqoK)uP4qV)@_8 zLc*64zM{aJmP7I|I!~=EhU;th4qA)<#wUCu?^}7_(c`7buEU4bInzAb_ipXEL=qN* zlC?qBkF=O;*u}|r9&~XO669wL~nI^P& zYH0l7M#rmSBL6AlFByN+uzODEz$uqjC5+o7>-_C{epN}VKFJUVQTT@`2ck>fr z^Hto&-5afq-9c_gx!cm^t-?jK8hooip0$&keXI)ES!NfR+tFm9jkgf&!lbgjD@$#h zR#z$Aq;#jkLYpa(Dx28Ik+xw6m$tFw*iq6>l6I!VtchS8`vz}9j7JS&l;XE5G)JJe%!Tks`^H!B&^yH*;Lrn!Xr*`L4 z+Y@&$IeW|5hYn9rkSr_+{T;si0{n(g*jI3l;9SBM_M(t*y03*jDLPMdKIvE`DlSH+ zYJv0pj4u>lB)*t@N1QX6hY93-KZRLA^<0a0KNt5kaes*iNIZ}tb0o!FEhOtgjtK`# zI7Gq#6H+Ci4xJ+DaHtFOEDH~maF~Qa6f9_o=A9geyO?WdIzr-Li9;x6>j9Vw9y=?- zP?wS>4U=@Fq@yThlNr;y!_iLX89iL|2+<=+XWKBCcg-ozAzg`gyqr=y%GG>RM@tGcM zZ{4YN?yYX2$V@^A6&lFYWXe!TvodE$X-;#ANQB?}^*ZbQZvP+u{dj!u=j-%*uD$l& zYp=cL1zK-2*I~ZdgqRAqQ0PzLRtV{$Ni-wQ&&mKZ;%a2m7)T=tBb^#EWU!XOBOXFp zl+>6@IFE2XV2ypk6&Rh+pbJSCkuC=9OA)eTsBFP4|0nY^%oe2Y~z6Ba~HvkFKol_@GIb=s6yu z^f0BdkkZ{$(GVLBrS-{IXw2-Y<~W*<(tHeNx&jalMWtXU`$-p~t^0BFx~Vsw-V^km zgok7qi_759rwm^DqWmU@n?U$!!p{WYhie-q!OJ-fB)(l!N(|QFKo?~Hg0X~AS z8h(yWJ$Q}y>%?aQN7*ru{a}@aS*G>dEB`8on@w#FwYkvz)yr}!Zy4QE><3&<^&S!F5rzTvlR_xK0I=M!H595E@CPM}=(q0z7F zWSoyke@uEIXuL!@GJ8ih-7IvUn6P4<4}KAa#T1r6Kw(7cLfEnxL)n*_@{-nimQh(w zWd#(RBPlNhGxJYPxLx~)S5jC-;WG&SUCIpUyY#t9SL!|eg3_0izJi1|B7eA4LZp%} zGjV100_VOq?-z~TH}qE1`xYMVmuwmq&UD`y{f~~~|DN;@q}PB(NkAr<<}R9iS@*LUpJ@B|b{acq?1aJOB<G`Vc0PG4}-6q?XUC@;Xer< z28=sjn#@fNleU4sjIVi#=l>>ug#16?5ffRGtJ?i*@Duvc`j2pp&8%n0UuH+xI;TuV z)nRR%n(|}1wlV8_2}cfhjQk|E4LY^p;L(=K)O)O9;*K@puUvC=Hvo>5kekHr9*f>Ab0?ee;d=Q8 zIov5U8q#P419`Aaf-04av?M8!I@O#xTdByjZ#t*bIRg&f7A|h;8XMhLQ$rKdO-VNc zjb|p$D^KRIxaP)pd);4h3-T?=p9!9~G`CE~JIFABvrKqSXZp3G(3-;85D*<%dJR*) zjXqJ+^0}nXBi%-6=|hli)V4-1e8xwn9qIO@JAg(4lCDkJp~B#1I!W;Y!Wo1^fD!Ye zDpw*S*(zP836szBp@%7CQHVf5%qwJqt@MEyJ+{o#G176;38f|5kp)9L8hyKFIv0}e zM7p!mMdek6MeZV_L+ARiFDBiE^d(B;EtL9$(Y^FF>`J;D>F!F)iZ1dJ_AvUomwecl zk-nUCPtZt|4yCC4Jn6r?!i+0Md*ezPy=YtogV~cbj>+ufs|{~EQk5@cCn0N{CQpJbKoIqLUqs;IR z^-EPwyn^@;;7szeyMpYvHP|^5zSi6zMWK>H6$ISM{Ja8Lh$-cU8sGX@AD?05hm)@c zkN%?E+&nkJ*xNSCPja}CWN#yTJ6OC<$=pKOSKtn#-_o|RQKUzcz7sS;#zqx)89S!Z z$6^fGyUE@Iw!W~EOG>#y(u{QOOF1mt-D~3c+vMNnaQ9KXpW*`$ak)iR=^Wuf<4ZJ0 zc!>PN`g=8z^d!=gK_kHx6c?5h%fhjS zuWjh@=ZU{SdqvJ)9%E>qRyk9*0CS7-WD%%Jfy zjaOjc6oZnv()T0Zh*wSM5b?rm6kew=69O(Fg$FRg%`*JzF&>{yd=Bxsz)|YNreI~# z>xvF%^kltZ-UFY?Kg;3Xr1uuRx8WgPPV>cgOsLjdJCDM<6yAe?cny~2I;5EXzTp$% zK3*RXpHF-NaO4xiWb1eLp}{kBF@cW=e@u8GU_9iqD%oDiePZ;O8+_1UA10HYWd+`^4S!#=tZ#^~CjKpOwBKTmyA+qDkFq*fmgGzp7nZs2%zg5Z zAac0x>Ha`>4P2Z`=K4mY*7l>}CGAMpaBGRLBmNU`)M4ba!CBy}Pp&uV79G*Qfzn1w zn;_vqgfe9-aJSj$ln&?JLV7FdZJ_x%D=#Z4mKg^aNc*!neYA~tJDnYLcEUllq+!@Q z^2B$U)K{h5l=e{C3kjEAS~X&X)P?sM{;Ad}_Y?nx_yOQ}h%zWVDS6xt!uhbt#H$2Th@M@atz8aaJt zR)zc5*j{nZ{ztaP7FGh}FB7&b$tTmf<-gLU{~ilGe2n}grGLV;03)}~NlHq^Fguyj zZA$-dyi%J=9V*8`!8>17CfW61d02H#*rx*%kEd_~g%cs5Euy?q%4S6}YD+pF<=sEY zwD+|ssvfoa)EYozo?Tpk#b%BENGIW(Lb@U8MxgONS zBszJxk&GNE8cY7t*qj1=z)k2hrPE9u*%&H6wlGCaH5N2?X_*2K>Sj%!A=Lhc-+3pGOLl0J`g8_@WUfR?=`rA5E38H3blN25KB z4nZSaUG4_E^UWBn#sxGoXoO%Oo0R>kWtN7)^XABJa=0+zEW#1Mh)}64Ac+ADDHki;%+dw>H-hJpJ{+YV-w0U#nk_LefQ~i$UYIBr7oE+u-CX zf2D&7mk=&hcyO{h-<27BQ_QD5mahbSxybcCEUcia46c68!(#~FP52(bcwuFlpR8SuhUI(BxJ`>q_tChY#se_$X5WLF2pq zpTCO_k$;%{Sn$USFY^JVDKniZJYvpQ+9NxT&ZBf5gM$PqV~EmCvyYoFOxrldQ+R^H zlPb9KJlReGBb-c_s|BtJ6rQH=3kMADN;Pd2(l#zVR1jP9c& zp`IuG0_iEB`D}Bgt!S#jf9E`Wn&KiOvLyU~|hV+$>`UY4Vy)b`IIOU{RV3W3n8JlhPf>?i(rpo4ZsK+naRX zqWd;nJY88Za;U8EUWj}Djyb~z`?$@c^DdqD;H3NgFtjr_U;5)DM}FU|&$Vgu16uQG zEl>-wl%ZmB9%;yMADXp7ki)H{xr*jzFp+KG z*2zuy-0(*(^s)Pb_?N`L0*>45PsCN@zc#0Vp5hxitLc0T2d5~L;UQAG`_Ay_HU1Re z6aRtu8sI*&iDtMTjs8rpd@bp9q<;d<=U*f(&K0r-l@!C*o3k{}pJ4-?jdV7_@%g)~ zZoAp&sOIlmNN***?Ik92*~4L~DTD{~=tva#E)_aUD`wjtR@ zVAB;>sUH`XrDsi^YSL6FfZls-YGYi#UZJwX$)P02Pp%7$HYWA`cBf^18& zXC7s<+*!u%SGE<|)@08Hi&skWxIr>9y2{Bo)pN{wZl8Zl=h8WkP8&Gsct>1YV}H@` z+mUTgw!=|Yh8G!oK-mk(W{?dXWn(VW*k6?mlg%OaH2Y~m=Ja2<_3 zsO*JgJCW@S7U?`JNib7JoXS{fnQwZLS)XfCxtLZLT9?4Wdo4*N!(D3d&w7fkgu4;$ z4!EwsG6}z=yqYVB^)Myzx4+|;QMsH-Pbfb8kh{X*?Hc}-gnJRbDgeuV)CTWR_!`2! z3117CnFhuSxjsg3(}CxGNnc0$deA-|VRwVUJ2mKjgl{B#lfos*VP)=SgWvAxU!YqE z_a}TSU}Q(7<-_n*A7FT2Eu3T%A4oh2+(#tKL6(!QAUy;$@(B#XcQR*^ zg%M}cJl*#^MX8cf6(qE1$U4)~7bJxr>9Ll3G}N@bM*fx#qc)scH8g)2Q8&WiJ$e}< z3ExKecEI?QNkOMfnhs=Ewh6sk_|QjD7){|$2nanVDN(u0;H}z-GluZpgzo{2vZM>U zdksCs`Ec(edOy(z49#*68ro9PhloB*bgZEf_lTkAD>{zoqeLGAifm3-?(fuijj8B91?!3sad$~hqaKemeOV!87)8_mZKVG)gmwzD)ELpa@!89xC#s z82PI4Z)}vG<#4Z&f1UhH@W}s>+08QcUtQC3HrY93=N@HcR|jKjYCPT~`xe=^!Qxd) zaU{VzM!$5IPbl+9zf1Z(r9&ZEtj)b|^dF}p#uB>^NY5v|KQji6m=N?P^} z?xPjQm4sIj{tPgZEn*$wPC_a7xjDNv?qAUPlFnCf5S^m@T={Z+ZS+bl5`9B@HR*3b z<5`x5NfkYa}tEL`DK`HmRv*j9VyerL+wa60Q^gQ5SMQ8{e&#zku!JcaYx+ z9vLZaC#L*kR|d4?o3=;q=x%CzsO^P@f~L$?sVqzuN;AYhGv3!hEBk5uLgN4oL@X~q zN6N`5_p9*>{*<5PaKDj1Nd9;5sA1^57|tWHX(3te5A*N%j(QDui2k4S55q^PB_}Bp zfMjHZ4CI%;f0^}`=E{H5IzsCoShyWn>7!D{v8C^a``5I2C-}SgAGI3WSg4o3=}N2I zMOgs>r^<6R<=1r4ey`rcW8^0(+Ec0p3CW=v&#K%VYxvi5{W)qAuS5Je;7G&;()cZl zxEj6xbWa~o`UKJ^f@XnKdYex&c2*zH)+1Y=Yy+_P&>;R1#1$|BOk4e6ds#JDT&WUh{=?I??H@ zPOhwWDZQ^OpBp z(thKxDVytK)*-d}(z=e;^|0`Q;8dCD=yf-k@uwR7XxvESCK $<*4LjXtdOEu{OC zz7@2;1Mw`YUb_LN{jFLywSm-<&=4)jp`^nDLuYc#SUS|FmRuTnH1c7j>%x}aU4c0* z_DEm|uaHg=onkn8DNXz|1|Ikq@O1J3}~NY#S{6% zW%G$V_pCWJE|>Gl;U?0VL}xM_oFOYy79w`f8U0R@a1Hl7=@&>(0gdM^-!qq#{v$Wl zgve)Jm_}hbg%=^zmVb~(m%z@}FB$(ojm`}6FOz=-Jf488`683Y<8!oAVHx@5lcT(nc=gO!mnf&ZN zHRV1X9n5|`kZz!y$@GS%c zFP$hdukSmfOLaWY_oROyy#}-<2`r`Xqw%#gI%~M_}Wx9M?*k?kwx?b2%;TH-AAmF|hRpm*Pel_|!9V+=7>4T(y z2hC~cGRw-Q(uOi*tkEB4HrOh`$>9#s{FCNkn7DrKmxrijy1z_WG1*7$Zz@Nq`~!uV zKv-5u``6$OBN==R_aEUJKeI+5e>KxfM05>U`7vFgI98wfG4hjCDCpFJgKNj;eM8)_ zMrWVp&rq9m9n!}gr8C3DuCCE@ls=yH38YUvN{1r_?j)msRJtDN`lK5ir9-i#JK5-o zN}ocyA?Zd+BR7q@Q;n{zS9u!g(@CEJ8n;o#wnbfIgNJG7RTIKZ2{!|*FHS6{+BG-6 zjt1U>d`t3Yg4efRst`sWr*tdQtx2B^8o8njB1H{dnyk(-qnTFE&!ur5jW#fR!7Y(E zx-k2Xq4Wi$Gf0O(*O6$2L-C9dMgeD<&{%~qg)9n@ zpdiDTWEz19O;m_ch*L-e1zF@E-*q&hsR|cT=tQA2g!FaCGh_sv6xwATbBVjiwC1W^ zOsxyGOQ7KfC(FvJO1L)frDlv@DgPjc>q?^=jqWh&$gj9|E=%P3qAI!mo~iVk(aDFywqAKY zvW>DVIV00Qq+zDOyjFVW3h5QmD~5+Vmn#!vIB!#y(w;w&?l0gM1C@O|Hg-+xa{(wl7l^G)&*)kPwNF*Q()l*#)F8- z+@j)AH`SC3Ri;syPUS@?bwrVI@%XOD%w!YZ)3Nb0D7;MJ6$pq~dewg^;mTR0%fhT* zf0cif!@Wl9by_oFrB5Rr-9u&Lj9Dg}sciwXDa@fT7eYEON()jAd&87gs=P_%Eh=wA z@tJE#T59l>#LNDUX<@ws^QgT`?LBC|io&Q-df%k8^jsfMnonr~BwSA=i_{pJWWvcW z_?Pe_3LjHg2*JN2nHkc-lJ7n-BckzIL}M|HB`}ccGqa?GxYXb)Vz|3 zo5)|DAV*dPkWMC^P z_WZUY-J0~-O3PA_ahc>`^eH`j^v@-I9_coq@&3qU%T#fx3^L7gZB1FF>AxM7_Eb7R z!4;S07NjSgpKn6BKClZYWKak}K+YP&#ub?cKQhrrC`>qua0D=(ZcbJ1V9W-O8b3nY zHDcuBj$pi)a2LXtD4Z1v z%Sb1KU(NP$?@G8E;qHL(UgOqhrewQUnT+Fi_~~J4LwydHQN5gMPpG`9vTC)om8aYl zCN%Ehui{Dyy(nA-0rx4lJUJYjj9+d1?E|*RooqRYbKgkYj zaxs-fviPX1cv4{2A{|9rNUMleF)Y4v@~MlvK}JVg^AxgG1?dvfrAo_(Bq`fk8+}OA zUpeUt(nCO_C9bGambf)GQ`@joWGl&5fyHx>0j0^3>JhR?p9yzu@=+N^VK{|q2 zD4r!#`y~^X9uAXE)%!Y<(ruJ(hlHy|x{bIyj6O~2QKUzcz7sU!lq@JHsX`gxE)ym$ z^>G?Q;cg1|K)?$(G%r=+?lpM+%RXt`NBDli4*o1`(%>p>-dN$&rxA?%e#C-V^|U|bI0o}5gLw?WAP=mpmi+^Ab20M$aZ@%= z@yd8APf&Rh3TnE6T|=;fn|sQFCfb;NCrFAtX8xA ziKo$;PU}TjYzRQcky~CNjl%9Fb4oS)m_g@dI}1Kz;{eJU0;EDRNkfX9u&M~8d=8ieUn;f96z8mpV9(Ih$DudRG_FD zh~tOmPSG(aAJP4o?n1cuvPdU=2^K60sGpd6zV_8GqPm#s5~x^t*A0T_FVvBP+llWWz7sf$z_QqcOmTL*j31z##JkDw zA-^}sONWu$XMDEu`^o=8{($llc2T*!@V^@0y8|v+BKjNogXDh)kBc5!Tv1$SC6hg4NH)uHKe&mRk#Ll^B$1FUgfkK$`7d{>g;;jC5AigHcsfHo10mx438`{qxyD9s ze8`k-QrzOw;|p-E_XE+mUWhx&vrD>U4sQ#NGKOd^y>t z^9v|sPzXUl@W>Km*q70bH7f{{&LSNFjUqyNt3xR$NMR;DDl2N{UaJbxjMGfO#0Lg# zWU{M+d|_k(Y5c!3=%J&zk83CNg>*a7?F<(m7%4Kklq{z!GgjrLOb-S#wcM75qS}S( zB~X!f$=-pIeB7mm_m>}WxUR&z5$_J1?@&g1@5fZg^)O{@`u^2$mr=Q#N>3=biQTw?h+68 zC43#>>lF@5{^4#gcxpEf_al5G;hO+69^uSb!rg52r6|eC;cg+_pY*LpXG$Nh8({QW z?fuLqJ&<(rC>@u*(sPVH4{cKjJC}4G>3q<*Mp*$R?g|W^QAkz>c@ZumTnyM(A`-IC z83uIbyFn&3)pR?UQVFF}NVwMAoIDxkS7!9hoBb)uNmq~_qI4)Tf%)G?ch}gbNLP}s z3eeI(H`M4Wl^#ZVIO%GmWslL28)5WLz3U@M-$wfOAf0e`7`;pBQKUzczSC$)SuzjA z==qwm#*n_7^gW>QogP$GQoLwNnY-8cDN&zO+(-U?@(+MVV}@3{WwQ%2_G-QRAsP?U z7z+bukc|kXXqfLFF@C?cC5(0gbpwk7RBN^N*&QuvN>=(jey8Eyg5B3{=)s(Vl{X=_=%Ij2SLSgx*#MPwI~T>=(?`#Ng2TWUhR zf8}>M+%gKwDXf5i1f3^S-t(k6^;6^jr|s1%$*&^+8F-{NX^M32bAt~qM$i)Y7lgkg z{1sr3j&6Ij0YQWcUSeRZ~5Z$@ohwQmEBjWjmFz-_`#gh@HWX5(M$ z;1lT<@>|Jo1E2m9VbOx0jXu;w0+GXQC%uF8PSA)?fs4qPlrl-xyUe&lrzGsAv4_T9 z7zjTjGb~e?_ZjW*X2{|8lm3PD0nm78p^T)=^EP;j*1vuue30<(fDuYkHYkw%>JP&= ze}#}G>_f!=Bz_n;Qe2_zf|$yY(RzQG(6G6`HGfk$Lg60>2!C)%zDyKw{~F#e?(zSK z*VxGlg#1n4$xuR8f2k?|nXWOMf<6s7+%fW#)EG$D0*%0j$+RuOk2QRr4hgAEybkf> zfFpq(t)6DPy5`KP?IUzNofGJs2#1e06pm!NlZ^fX%_(xYdZg=s=<+qeVk4sd^+JX6vo zDIX_fgIt-SltSs#H8<}pjZq7FE$N*J&$lAWt(5`Ol4VGvjR@ z4ALRcc-`{Khn30FfbyBjG~;e2;&m9Ujh-i%tGq52Gh;;7Oz+K>BjhJwf{pmPD*9UmA*J)`o0%DkDO! zF!ek=(UnwtQN0Q(%Cy$oP@1f8SDUnatv}y2lzLOT77|`ZX%#M!Ev+gse7ui2Jr;SV zFP-b?Tn`6VR3JmCv)v6w*V1Osexz?CeUs8<1;rJzZmiMcbu!m2r2CV;6*LMJcvIpW zrjnE;JqMW8Rxdr9)<9ZGSo&-dQsk3PR=!_3=5 zBzzm;+X3U%lKLqZ48Ftok-I!Uiu`EucY;sXuVndOc}-;GOo_Y8q^LfPF_iA6bPpuP zNY>7A_Zs}b2!DqA2;Wcm0l>_ELb9Tdd(h}5`b~I<^uwgb254!Zc*N+nN{=J`DCx(H z&WuU*>T#pDYBhB{=_g1(8K7ms#HWltqVxpPPm_KoK+9rW&l+7zD|!=2Pa-`TG#Wg@ z(y>TU8rDw3E+;ir}^>#i__XWCB;NqD{H?6!3Rc@;BRpWgsoko5-`4^Qh8(LB! zJ-hBDVMHF5&p_#T#zeeG83Ns<#Vp0|PxzeF44%WuwXnHrx z+%3L^#LcEVhwfasEKh|JG53bS|I;GLn}pvY{5D|3Y_RO6$gbvhOgN%bxaU!Lm%@7x z5c=R8Sx)VJgZnG|0pa)N%>gHc;( z77i{tue_|hut)|jd}l%n{pf#B;Rgz9AfQH3Q8vu|Xl&;~ANX3b>&X5D7SBvrsZ1Dr zk-{4YZzQ}4F!IL2N*BkXQHCGXr53gj-%5NNaNHhw>13CujCi*D*^DLaeCNS=Y3QooPw$1GN*Vod^vN7TbgrOS+d;WX(9BUCQ-n z)ThxvjU0JXTzR>SOg-6*^{f3kPNC6|Mk5%wj-kn6QjIY96&(z48sXCkpP_J;R192W zg9i=tAvYo1lyEbJW#B{7H8*%tYY(>|+>-E_fRQ1@GNUqU?<}KpCwaOR>DHvr28}l_ zw<6D-W9%qxFFTj)d1TvwMHvnEKEb_ivF1WsvnJ`SZ%3;=tq!mdAF*U5*z=8kPU#Cs zXOIqo#!ZwirI5=sc>6&4O%4|(oJBYS7*AEo{mEi!ERbbm&8R%fr}`L;IE@4hM5e5$ zD5ubMH2PgFlwL@>6Y0)Mhhh;a?OkMa-ByT;#O7ksT}WSIbVf{SMwc3W1m8Z;T}gK% z-5oSuZy6n#pOgg#dl=t!gpc`U%(zG=KVC_r7mcgbkR4+r zua|ZE-PLBS*L?dL8og;;3j;Sl7M8+NAA{TK5}~iw-PG=ZhLgxplxVKI*XS==%a3xn`$*qU`T@}Cye1Tl=+3|HL9@Qob38=r zVOnEh;SS-}yGIPZMeqDL!jBSu3^2MQrQbCg4QvG|W2DUdUQaWg<`XoZgo*SCGiK9~ z^W0PB{h;0idQa1P1|B}6vTn09*}G>ApU}uZ?}@}G5uXfPPb1&DGMTx-Zp-J)`%zEx zJiQm_O@W68gib{)-YM2l$*8BA_K4Qqrcs+t?L}y~<=7oSzF_&NvdSzDvz|XB|0su> zLF;8&ufRg77#3Q2N@U2Rd)1_SRCy&1ylq_-uCe1SG?qxiYbT3evLuoD~JY0ES zQ|=9e|I!!sO~P*xej6}~pm;=viZYTs|N@ zpY#II2p*GyON&#b?n4u9wt4`Ck0~sKfb2UTQnX)*C!b+aWg)-bi>8U=2FrHXHr22EB#!R?^!*PiUq~MSjkJTCiD|2)?pHH5Yxuv>I7s7n7ziJRObR!8i_(Wk|4I6=(vhr;MBM#l z^t9W2Z2l&Fg!Df_I^q5`db-m8k*=|uRRQ_Sm_#t*$JLboOjiY7Rr(nDNvZ;*YZ)C* z#HB7^bR(r}ldePhIMB$juwD1jrIYKL)n=oQ|M9d=pmicFy*CkelF?iB-qa&qpL7Gz zIETFCGC@ry02UNW(d%Th8eidGmQ!doq}2$PCWt6tpMQSOH&D*YC6M9YQHG_vQ%5Wa8x#7L%`gpY<-jev4!13NElQN_wLuLiZqzhBt zUg&RED=Mw2oDBtuFMS62>&`KwkDlaQ8t2hy0|O^P@ae;~HKmhg7wxFDr_uom8W~iO z|8?h^(^;Jh=w#3d!O<)xp6(-&DdQ&X(EAmpltn3`QkBd~LbDpDg+xv2{Gz{WF-mbt z2}o=Lk&IqPfOa&eo2GyZ>2#vgSslEA3ADt?`Z5=pvr{8?F`X`SE`ftS0E|oImtK}g z8j=3wUux=sn|u_zQtd{yJ5*mLi)Ubtr*v&dXG;&$cIz20qjov9p3rb*sp>LmZI`W; zWE}n#=DhlpKh>3VdeONGj!)b15XN_3ZNeTs$u$&uQ@9p_PurY3BCitn(&%H}UiJFY zyN=%V@cfG^Z4NgWy-(?Wq;DjB6KG#xjAu#jpEOR&veq}7wO_4UX!WOcD=fVj&dM8L z!Y?XhQy54g2|-U2^>yGpmt)qiYUR?(qm>T}X%#bP(v6_9CSrj}TeMxakWvw)Vo3PF zC3B=2G05OSTE7}hxP)*iU|*Px$E=qMa|FuFJg9Lir&&RB2u$2&Y4VnxFr3jhJu5%T z;Zme4Nmqf^8y2sWnd3uE_+5h^MqxOGY6u8EDvM-fxe-RUAJ5QbA3M^wk-lANL?+YS zVe}0enNg%ilfE-ZhuvL9->CE$(sz@-2Q=Q1z(YX6=U&q`>tnc&+WpiXP)*+CxJ(9? zoX+dV$sy zSm{KRDQlrjHF~N(iD{&#lYUWYq=}Gw$>_G4CT5U+ne;11>8P}oy=wFnjsI(;Unf1& z=!A@acC(Bweac_$Y|?W`&jpQ=o;=({SSEA4Vf+!jmv54Pi~QT*d7T+?nNReN(eFRw zL!U?bUDEFv9SX;z?tP=@>s|SP^nB6_0<;vBJ~aAer9UG5G3kY%eW5UsC5!vXG;lNi z)wnOBv6#jZ7>IjSszT;xEj2ni!)No$NG~V7LjG2r$5$N-eU@P3j89EjrXT*5R8~>> zO#bReC=p>JG?)MV+_e8RUSClAlG<0$kk83>IkJVF!KZffxAYsrs|kOraIy%?+!{Pw zYmDC${(dqTZ1mL0p58)wE9q@PTDGPzdYaPPN$()NQ)yXbTDnJf8C{?WdN=7k zr1u8tsM}|Bk<$A~|3dnJ(y=UALe>3h^ugzSyniEoko4~XI-cSFF#3?vhe-cP`moZ7 zcg+1|bg{n>|w1!{-*D@&{?jg{AapWaaieN+-31oap~eTL8gAs~a2 z^AEGMdp z0iDjdWu(E-QrFh_I(nV$$hRlo0ldFXsal?I^aPFh1*9`bhm=kYaaGP`8olljf78RH zvq(okqZUS5Iw1`IN%0u*IPnBjAu&I)I~Odjuc9k-~r3DZnF#82_%QRg?4}1x5Cy(7B4P#1B|b)XUir(kbDw+x|$$6>G}GY zEL&?<1GRE#<E`fr{aWY#Hqiovu>XqCcB z=MOTUN+#gAG7}oAP)?zO!Vn1Q?_p*r6ElG^CEuBJs!AzJm6WO=;lo=Y9Z%I|GKW_> zpN5(~=$HFq$ZRtVN8f!EkqV_PgvC#C{qL!K7yXFzInyNL9)}yo@gN0im?WfU% zd)(-EwUKi?=_g1(8K9+t@|4lbl%7EPY0}StM!La5wlW$)ma;V=r0vBMDNLd;83H1c zl@*pj*3TK8l`lWa;hrb`0_iDAN5Y9{%uO}=z(`L|BR!q;i%Ls|C`F5xjBcj4Wd`Y& zNxuRb?NRwd%S)=#qmEuRWrYroc#X>IRAxd+7p^lyap_G=xmjj3*OSbqF^9%n7`R;N z5Ry4dZy3G)On(7yl75Ty+W}ho#NRP`qtf$8zf1bP04=4o_l@46^arHplU@*{Bkn_^ zcPjl6>5oY-R9ezZEapBj`U6b`i%2gfz2qnzl?6|h8vU5k%SbOLy#lo6H7tvKYC;RW zi7P3rqVO4nbOMgbhwgKu$7%3ikp7bNS4ZhsB;md``c0+3A-$UPw@OQzk$T~GMxUiI z`JVI-q}PB>w^_+JgrnWi?nm=ltGAZkI(k3BOJ4yd-L5x!jmBvM>5Zf}DUCQ~y3IzP ztzmB=y_NK~ARTr;8-1?Q+ez;ry;EsCSeZs`^m`hU-K6)B-W#B$>wlloiNq?zeo!~1Xb_}CBy{_>+Hd-vt1a$Ru_&QVi-O;;nX(HU3A z$WKy@pi~PIo-M9A=8iSGonA+6(sf85r*u@N0%y6pM*paH^mx)IkUkM~x{8vS8JFf? zPL0Kyb0?YDUQbhxVttAYAf^*sOeQ^?Z1i$H%_*cCl5TXAmPN?isYZXR^l79|Cw&HJ zU+Bq9NKv7&@f|cSO~^MT-weFJh_FnqJUYF%xrrGnwxHOO;+YWrMZ^>CETflbv|5pF zP5Nxm{@o0R@I6W|%x0gVhAAsFeaNJ#rlrqM_AD#E0*NJj#+RO_Qg*L}z**cj%wBAP8rb%039W zNm(DPqgfG+(S@`+(drCKuOWiP$lOI{MAf*MMi&~F1dS+mU3Zt75mTcpjczo$!_bG0 zjX5mk_AoK7;$;*sr`R(n{(qAE6(%NBypm!sidR9@=by0gCo;OpypHN!L$5czYvI*R zzrR@-={+0zn9@m=zErNGay=A(s;p4DMT;XaZZNO2dj06#Nbe?iKB-AF_RU6Lr1UMM z`;)#kNQd13qc2uEoAf}^NzgtiWJyv;rev*6salwIiCVd|@@VD5^55btBn4Ms!lfz{ zQYfNO3_&j;>INCzRq4T`OGuZ3M$Ki2bdb3+gHOHA4P0NTI2k<6l` ztQGX28CPg*9-{Fujj=FL>yi(Y3_z6K{3KmGVooo0#?g6{&SP+J1zCxR4Ap(y=;#pn zQ4Tkr^b@3?R9af;q{#J@(c87%Z35}1Nk0QxZ>VhdA`9TSXHB_Eqcf4pBr21k=p{t* zhs#FZmF_undaLt1ofqg#frGSHnjD(#rW(AV>;KYMFpcnZ!Y=}DA-_wd3d>y=39kF7e^aU^p)`oL3MI3LG*@JWB?vylVJpd@<#4uMvNp_)Oq< zm_CEVx=&_w(n)QzY0RN97lyBQN1~!}2FM#GU8}d^O-gT3dK;2|vm&ud>79GWguW`w zqwp?;_aJB@i(`2r_r4j|sqq1g`7{>5@cDftAtOtRWpzllk$-67^(uZu@neb$A@W^` zB{Jjg6QhsS#=u3S7n5EB+UIi73~hFGOU>%1=U7H-Ijt2zE96%&%X6Qab)#A#_00OQZn?y-rtvE-PfJ?bw&03|aFaJjCAg$kF z`TQo9DVYuSD*VHo0zK0qI)BnR42N}%q#G&?A%7XZb)%eL4)-_lBgFp!?jK4lJPb2C z(X92aS%rF%|7g|N#~ObK$;`AMoKq-%lpk5F0&IA1v59cxmN zo}xCTI+Tuss zKt6+f2s|1hefyvR40sGOtuTzOTgl($jk=$HkP9i_fk`8 zZIgeI!*!+7jY@YYNL#7=p_Q(O!Drm>ulq8>mlN&@*e7)9ExN+!lwR(YqMt`6)=&vE&oAkAyeVcGREZu+w(s?f_w~uL+dXm1>uA_E6G{k=}X5igm@H(Bf z*N^axgl__jSFfr}D#$X7JI~#0M!o6&if^IOpT@0f$cQdqULIgZFTIXz8Utx0)j-;a zu#q&!jA42Sxis=<A|E+NSA^}PA-$# zrQ9pylH{!`Gp9{Ef6e7|D(DP>gJi11#iVa2;+#oshkGeSsghC^BwWN0*#acn4K=!z z)^&!F9!|O%G@hF5;G6A67~E~A{3eGRN%%Ixw*&SCk$99tjZoFcyK{$`!}ZRNqB)x8 zoiH`M#@t;-S1Ub+^xdTI3DR+QuhAovzK`_%q#po{v{W&~rE-%+(ir}r8GVcWEqaK? z!!*XKk&A_ZWU#v|-ektm4ZQFgZXAtAX*>o4`Jc?;mmEemUw+(#KQ8g77*F8|3Qt1t z-m}_1CTr){V**s@r zC++fop5hA>r$F>?cOrw!x^bDzsixhfv71J1I<*&}`Bwv78b)8HiG2p?mr1{(bX2wp zjJa2h9%MtJNWV^crqc4-Nvq#1qp#GkXOo^odM;=@3i+%^zAeMu-Y}uJF0l6|g|{fY z4MC$GckdW|xduOv^t+_r3((RI|Gv>ZmHvSAe9{Y)mOMsQEBMgpF?tg}BK#4d2il!JHSc~s%Sw8y z=zRtcXTdc@+~-C=sPq@4za;$?Xyjwk`kgGxFJaZ{Yjc_(=U;|z=&YvmEga-yvY?$T zpzE{m?@U_K-b>$8`hn6KNX#(HDrM7XnIR8zvk6C7WbmFf6c?pKQ2 zZoOIK^pZBv+DK~?EEJffLYk6};LV0#pc9|B5Z_9C8*shP33St9EVG>EXY4T(y2c5nEnctCzy;bG@N^<%T&HRZq4m5O)H_V_XKlT<2**HS!L zR60yrM25E~Bfuz3<`)&aQ;j`xtPl7!vZs?h11tg- zRyMgX_#cIv5N=Ai8DKmlDOVMtiA^@SFr%0Dgtws4lE#@Ze1Xa*hc%%=8y6(7pQEX4K14K=! z;fnGKY^#ctdcJutsdoXr40<7W>1wkyf0ZUV6e81{8R~@TWYLMh(bO$N?WLVKYR1cI z#Aw86Bw(PBFFj}((R71sM^j!^eIx0cK&LC%;gD>L zlpgYUvq|$+x`k4IO1DDNQ$*YVqZcThO?n{dWRQ-!9HT!}I+t`F>HHuaa|K3!q;w(a zBGSb{TIvr*FI0Lk=@QbVK|0~ejQ&LFa?%x~hk(YT$}Pt?P2L!1!nM2PcR5^&LM4SN z2)LIr+cH^^^4k{=HED)^*N0IWPN^CaCIrdz&CKA~E9^hXH*|!lOEiKbsoqBQcBptm z3uS~;N=9K}HqagBG;ZRP(D&n?U38V+3@hNcyG&cAry4`;Zff^H^G{qxG2CnP za;5JheLv|3K>KWfJ9WruJ1f3`0=!HbxQ$~NT^aRpRlYR!Y&z&-3>D=jAQ@&7TB9%#0 zCPUE^#NBg7f2s8Iq+cLCB}gaSRHMIAdK&5Jq+bN>FF2f$-mBQXWX{*>%%Jl!omb%a zI~xwk3tk~h?YdV@TCLJ+lwPMa6OvCQ;mqHeU zwLYLVpVoq)6+z>HY!@y&@tO6bS|8E+nASpA{<9mFl>tlfwdTwDiHU1fTtsm(#U&7Z zIta(yQlr-?y^Qp7(knpgorot33+3a0YT2iztygU&wN=zUgXYs`I8lzTgZtc+4XS)W z@(q>MRKA6RvQtHl^y7YKaL=TFrr#6(f$$oIOY>zN?H>(( zT8oEk39lpklftr(l8mG>_{P?9HaXk|!W#*10-SC+31?+;id_M=*pMpCW;3_y1#F?Y zmF6~>xPaW!f|UE&;I=z?7MbWxcn9H~fKjRx*zGd5jk3GR?jgGutbfQ^VYkodZ5oaJ zq<u+8Vu2PtlHad(s_(v`oY>`WK}yAe})v1lqqB5$Qd1nZ_SbK1@D~d;~nwRH2iu z{HVd7=yGo{!g0b0g)EtwwV-h)2Nlbz$bAex67fm8FX8J5Uk}(P=}25k65ML+29ply8TwJW zk};cJT7k(FSLzE&Gohmjsmx*D{9XtKtVEHa3S z%m|Ze>M2H2x{cE9kWj#qr4UL=bSqVNhgr+C?Pe6M(X{S_fu|25=I%B6|CGLu^!=nC2-0!)pwYFIeu(tLq{jy7gnPv3W0f99`ccx4 zfkyJf;v6YSM=AHX8KqzOhcTYU6EvQL;geqsYq+MQVMg*)DU&>9W*t4(1e#CNdB&J_W?C3sSLx?Tzd(9Qkj`>bjXqxKX{4uo(URX^xPz7WmKi)#>_J1LT!hgO=S+1xvEGJBNme(Thf~R zhAAiMS>B}b7L~W5_(UFym*qKifd$kZq8}yd_m_+I$y!jONhF! zjXquJZ%D5u{Viy`K`uW%3MS>gGb40|))#2}Kw}LI4PRz%8{JsLUrTx&>7PLRuV_3G z9ErT%#3m|kptzCZCW!vh6B$Y7Om4F|&DGgLXDgj;aD3FHW9nz4TPVGq^bXQHLHk6Q z$dqmBSWDbxQcIO~Q`$pmFC^SAd4!2DCgHn%W}KRWV=X1Wnsk;*zfn3! z>32waB{Dt3=vGP}BK;@n!$CUg{xZ6?(tndaLi!)j{*feN!5IPnns~N~|52=QfOQG^ z%U4Q*+=@Uqw7^G!a3ZpZXu1C5)=>|bM%bjd=meQw?Zb-UO zkd_G=Mn{xBjr8fH&j`{{*VyQ&(oIM=CEYAY$6RxxV@kIm-IDZ~K|1cvGCHnwE7Gk= zpBr?hvG9Stz3~RQdwa8Kgr&TK42Nx{K0b z(pjVE7~NIr80k3aM39cUjz)J^`a;s3NOum>F?W&CmnnTQ=`N%%3DDAtda2R9 zmF`Nq8|m&rI^ud5eVx*mk-nUC&mbLhR~X$-=_^V1B7Iemj=QUkzDen8NcSdvZIDj5 zK1ScHbYIffk-k1a%Z{Tr7~Nm#exz?CeN&K@X%t3hD}4*;{-kdW(lU+0=z&USlO9Mq z8KkpZj?pGIzr0Jf#PdE+JhSq+_nk=zOKiNmq~_ z5~SnK8C{@sigYFEsvs>hCyXvsdKl^9q^kq8OiLYMbdk~{N#92L_8={5H5olf=~1Ld zlfE-ZhuvL94_0~%>AOka6Qr};y+)TPeIM!jNk0&zBknY(h>Km(RVAo zlJqLlp9Sft``qYzl>UPBm!!W6(lPh7(f2C-4e8aSzYWrH_np!ADg8a^A4snW(6WT> zk48VB^jgyENdFY1LvFp%4=TNZ^hVN~g0#$?Hu@o@w~*dSdRvf|xzk2Jtn_x$J4o*g z(pheo(PNd~O?nUMy+JzS_8I+%()&sOLi#|EmZ3yOk5l?L(g#WZ9;9RL52GJd`Vi?q zNgoc<(#CJ}V@m%``UvTNg0w8;YV_ku|3|vUuPl+vUo9iYWg%Dj&vZ$Aywb4-bo=x3BZ zg>*yGje>O4ooe*6N}ophbkb)8>6mM5^hBkbkZwx4S&)vq=0;Cax&`T$q|Xe}GAG*T z$x62(-J0~-0a_OGILGMcl|GmBd8FF}X=$)G`UR!ik#0}ALy(pRd!wf)eF5nV(xD(7 zc9}*`RXR*Mi*zJNXSt}+)0B>pj+0IV>4@uS^mL^!B;AR0=O7(*7a9Gc(ifBNLi&;* z9dnl&{gTpMNp~aNJxIr052I%&eHrP?N%suW33r9jFDrc|>0YF-I!Z@m9{JTq&s6#v z(!EJv8>B<7kI}Q0?o0YQ($@!R831JT9Hsk_zLE4zK|1ViHhQkow~+2n`qm(w4?iQ`c0*CN#~Ky57IJo!05M?E+kz`f?Lj*1 z?lAg8rALt-P5RCto#pN_`Xi;skiMJrJwaObWHb6>rSBtsKj{a8bj&?y^e0L`MEYUU zV}rD`yBob&>2ahVCH+`{mhs|`8@*KN@uZ(1{bZ1qJ=u(2rt}2TPm_KoNJ~4r(aV*d zNO}_K$w6A$*^T~G>E}tmKzd4$mUecdS1LV?^mNiM25D($H+q%QGf2No`jsFp?d(Q> zru1v1Une~?NXOhPqd!-AHt9K}=LYGxd&B52lzx-+TcqC((h2vD(O)V(kMz5w-wV)E z`+wi)ua*9Q^nB6_g0z&sjs8aIk4S$^dSQ^xbe|Z#TIofk7n5ERq{D8h(cdb)jP!ES zD}r>E`_$;~lwL`C73t4{w2b#R`g^6nApIrjuY$C+p&R{!(%+C?P5Rp)9dq9qy+-Np zN&i54O^}xMbEAJ$dM)X7q<;#~Qu|+T^m?T?klsjoQ;-h1%|>rfdJE~Tq_+j>O!u?V z8TJ_y0%N zo5xu_{{R2cyAqX3$dc?LF=s!AWF$*eG)RP;*{5daOxKyIhG?HeDOn2HcOj8|3)yAg z*AQiwea-jrc%18cHt+ZE^E-c>+ilL=@2}VOx?b1o+FsYvnohf4js7Cgzlr``^dGJ1 zjQi8*wSoRi^xvZYX+@(wzrpBrf&N!?o1aww#<#D3C$Jatruef^|Nbh_ZSfQ8-=f>K zrem(X(cc8RgXqmfcWg~#tsLREk$<~-K{m9blr{qKG0i< z?jd^X)^yr!WAyq!Z!5Z|=5e+l$nqWg&6yEPqi`xyOep!5@kO5$KfYwCGH0I^_;9`p-ZgD7wGsgId#RH^At>0)4RP zV$p}RqS03{(CB{xeW>U`q7Q3LN8I5?ZwT}eqK_0kxHXO0yhi^U=%Yms5k0gu9e2Zw z-lP~WI@YZy~l^ET&Sa2J6oap04pU|34x)DbIC(tK~9x3{y)^y69Y;?Oo zj}m=~=u=zMX?L2@?E^hp^y#9rt?7&_HM&Ef%S4xpu4qN0^nvS?J zMsFVIv7&25*R`gjuHNV^0-Y1xAbMPD8UtdC?i}d6=tj{^t!WI1F}h2jCy1UXx;fC* znIcT9Jj3WscJXf;&lEjL^jRBeyr6Yw8{IC@lSNMvJvGpL3p(0OGy22*{IREto*{ZB zX}oHVsa)!zPOv%wj&*@LoI)KJGl>bA-<&u5of4 zNOiu!W5UFMd4lH)z97JLRdrdnz~H}*@Ik*&@I`_zCR`W}S&=Qrd|r2n39G^`*$X8s zl5i=7LQqPx?lOZnZ10bLx!}cuuOQ5$Prx9YY<*qMU1`F)F#ho>30F(Fh63O1j>X1_ z*aOYz$I|}r*NMJf^bMpr%pzA-oyR7s?ndL^2z&kAB>racw*(%OIuJJzcdPMNevHH5 zdQVOiUyzR+B)rA@G?lr@^ge68^7ygFu zHv?XZc{){D_m<&9-^M}kac>KMNBFzMnW7Q&ET-%leNxyM=6%s0i2jf?pDsjNwfo56 zk3!6REO@oxPY5&M7=T)hQJB{{Vbd|p9{ADdZk$eqkNZjV&!T?`bTpkzpq6j+KE;CDxZgzoF8UABjL~d1nQ(s^ z{P^P@{!8%Rg8vC{99!nP4F>l)&BOl+Zu7J1`1me_8Y^I9TLb)AsN-M3rwt$17C)hm zFS=bT8oP_MH~OJKcM!dq=#H&vjBzpgzCdpwx|8V6fo6KYJsi1A#h%9Z zY3EbzUgG?>6h3~}DG z@j1>4I>6}4CH~+CitaD^AkutZk$kXv8-^X#Dq4#utYrEshpHMEp?l ztTvT%2|~w3!G@X9{U0BsV`LmFV>k^42^E1xTm*J6FyVtx6F5%7@e)p;!1!-047D6# z_`GZU6`Ux1r0|o7^9ua&-O0wk9}YiC{3+s3CC>dy=7Cc4pRKkT+SBAAh7^Bn7Sou4Sf{&XnV}^{GG&F=7({-A#4>Km!x0rJK*It<= z01%QTlr7NH5h z!078j-g}|wi$q^cS``zl#O5wBxJ#%2EEK#*@TCEcm6g}K%M3pA6d#Vu1uqtS1z|4g z6D=z$tB93FGto@8sG=fX5gF~SGa{^(1k+$m)l6<$VlGnxU7$i>`UW+e9ZmvOg@GySsgSA@SxoOvD| z=X3;HuDI7sIA$Ln9mjuN!W$Caq`ba?G5-ZW?N zJu?mt1>E~GK9KPtjY8ydVzv9o@I+_IS;g8SSii^Mj%WJNd?t8};Li#3 zHZxway_wOGV*H4YTPu2<=r2h#-PKl1L`lfG*X}D*?(XkT@U@h0qAoMqjnPr~eZDx9ERJGbwO-ToZ1U+h9VUu*UGe659Nt<^aBRoskG;9Bzug3ax=3 zw(&=Ai=WUM5ZsP%i1mbPZ*;WS(;Y-_Cb}bO-hZw3SK&4{d~jImZwuj_gm)&+gL7$_ z@ve)}_lJ!VwiMk}bT`txP)t=tp91Q0-AyvAHmF1Azxv0@c ztjCY|xR~g;=mcp-8hUsd8yzOo8owlDrz!Di@tMGnt!PH7s&EGw|3X-z@<8$Z#UDhT zk=&5Ov|i0IcLPl69@Z5+SW2;!L#QyFu2R9eagEI<%Zv-ieHwH;Qi}&nvCY)m2Q$xv_4%3DtZ0 z&`gjpQ9?5XMtxl_SB9Mjj2;#q=`%%75`7kFUlU2ik#%rIAuQKpR{vrg3LiIF))ZM& zX{j3(7m+~q1-p`A2k$aB&Afw(rJ>OvZ-%^?^n3<_MVvRT7KW{m%^VQSSu)R&Ih!U^ zVO<3}-mwpy+S2EmR2J6pI8V|XNpmT&sAe-gOeLmv93GrrCV15e)`|cMZABO@eP0 zd`p0{kw~+<)!;oJ#{uwhO9bC0_;$i-U6i{!4BaCHVyVzOg)SqiNI`FWQ8b!#cbSmu z>yLf6gyjZ9Fj}Ygvu~>MO zd(`0DU-1EXOz;Z9j}zvx3FFvL7=A~#%UBz}Is}eb$OvKUL>2CZ>DSwq)iSHqPYw~F1T*r0gzb4=OxGLq!g224JO6;~PpnznAzv;`b)c zr{5kmq|MQ8AG00`&sbks`^xG^i}x*8i*=&#I>GRtM*5TNFT6;2gg75bbnDb&J?_yi zYQl{%FT^CoB_t>m)+tP;BmWi2E@|qZVjL15my(*6nxV>|p-4_go7@40A685l_<_Rv z3qL5}V{3AGytNo$c%Se(|6t+8!Ve+NJ5t!ek*}xRKvO3ZbB-wHNpPAI<&2bb z5*?m~Hzbj5DzC}8lTA6Ym;#hhQcjU_Divn1O(>4)vvtTVPc!4M8-2h=%Q#&|mWD6H z(n&Ov3wdm*S%Zst7M!O{R=KPST1+eGr>ntcB9(>@yV;+lN_e&K8sd!Js-_0eV~nof z+0$c1*NUzq&FgMJCweYdJGKVja!%~~hnUlK0J9#;ca+>Hc z-zuv{hx&Mf&sl@t@Np9aPZZotn7Kn)_1Ic&YIBD1gT4@s{R6~L5`PwXc0zE8B)o5| ztIO4+GJ?|nY!lC1>&3|ur%0SiQK`40o(T&tXD~#`oZ%rWnl5LCoSAf(OXRU(kg~@X z6J84y*jWQ5-#q=NmmeEZIL#^nB45 zkmm98s77(z3s&eczyjH_i_LxbsiEbaoH)N2jDB6Of! zC;WQhHv~M}Sjq6*X!ygS`g@b`n}y#(oQcU_th?3t?%`UOh`&wz?c{ZTeRR4zOgJFK z=28iFN?1l=WBfCJy336I!MIz-avAr~u=uBNuL(UunC_Eszk~-U@aajUv902R25&wc zzv1H^68x~>M+h@f=SorBX7ZDVu34o+LZLZ{shlRc~;7ERCtf;E3=JQtp9n#&nxlx3&LL%zKXcA z7?-WYik4bv`z3R7S9<4VIj_ihl@3FN+&Hw+Uo&OEEU&ySmi^g|8F-C2?M8GM0#xyRVGyH^&F&Yti3` z{+2WYQ&m%o4iB^&j8FISf%#ti58~Gc9z(?N_6CgxA^ySU|9RG@L z^P5@^_*UXUC8nkv#Yn!+ZHnItZHQZ%ywVmwp$#FW9Tk;2`KmG4Cl^cSa<4*MPkR$L z58dn?ByJ|LBSk*VC^gI6<_32d;m@*#;7)=&2N*9K%Ul?zBN1o zJBZ#_Kt+;nJ`nK&oy_@LWMekuWh6}{p zo<^s`IFG$V_Yu8!prdGGrQJS8AC>XP?kjp<(fvp>*mY%Pb#6a{j}48z{RI~Zju7TK z(d~iq&aZ@wegKD|NTx3S+n*;UH7+$ll~>GAWn9weAt6*L(P`0{K$liDVin;7jPCWe zKlXv5`-?t^G>e#0RLkqJp^Y10!rO0o;a~~H5)PrjXR@NIiZz0PhJVrCC(A>H4-$SD zafZFRrU4619d7jeuq(w8qK_0km^5RwCX1etqYR!L-pC&IO6@h8g{6 zC@GE+eXQu=q}ewc#XhcBE52F#Ka`ksT!_o#Bpom51WJ5#^G$Ua*^RB_a(Lp=xNsv( zy!s-4*(XXIDe)wVEbDo;h<3+5*^Ck4RHI~^BI8sV%u8uRF)I8t<4+9yXz{0u&yrW~ zHuzY!oH>gwsnooY!7GzjF0X=K2w5B@EOw+eiNc$SGo`1}Db$uR`0)%AVmJB_ohf0GgtLN>&R{#=NIK!p zHlgR;UYIOliiD{_XsYL8su2uNGGU+Vd@7kPVTOd66qqJanBZBhsjADN*Qmv$>0wLG zS(46?G@BBm79&q1$h|SN^;|Q)THVj%N5Jc9mX3Yud<2PBq%ldgUrojcBHBNEty~jid~R5H{-)l25cdtlZ?)0#G@FO z7fHli7cvmV09d89U186^v98yY`?49dSFEaap+X-ZFNUu?r18 zJ{1!&aKjZg=*397T}}JAi@%$@N!wl89@H4cSdTUmLE)Tsdz!I)fDhVUGWy8aI~bLC z5sDFSk&N5Nj6~?M?ki(o8U2EhQQ^XhANJ?iUq+FP2#x2^j&6*L?eoR(e zR)Q9<1?e7D28<$eNi#a%;m?zjk(QC6!MY6QZ)Tkq@I|S6fJw9V^HFx7r2di)qQuiA z<49teI5O=4X2j?E(;O_LSjHhV_)v~Ve^Ny)PBGAgrd#|e4wW!S!eJD6iUcxY6kBLA z9&W~=Q~W88ka47p!8CY^LN<>fsYjU*583?D5{5_^8iYh7717YHVJ57b;LmW3gkvQP zr@&H?IasQ^f-}!bOgSZFVaG{1Udjnn_(0$i(6xba&glCYVNO{nd{2}!QqD`f{LOOT_mfS%_$eR4QBqHldMZ_>8dK{k*d{S+QLskKI$c(l7K@kiY;!(> z*Sw|1cMrq!%fy$9uOQFjt~6UV7Rz!~8b0uKAE+wf)xv99<5(YMjNyj_e5~+V;dR7$ zA9?gBcGPqACKLxDC!s;YI10Qi+ElncMa7wN)nPt$<)t)AX`;e5XgU=^4Q)LBEM(sk z@AMZi0YA04iTEyY&G=UH79;Mle38M&9^&CM1y2%u7GWMbiR?G&&c>gGLq9v))06R2 zi<^S)5;qm!BS~j6G327t@MnP@{FtYw=#*R}6!b zG??!R6Q-Tw5C5cul@gw!!0g{wNKt8j+KlT%h4dL2&&qg?h7W#G%sr1k3jzA^R)72# z@KcL>5#J?l6~0H3&ZJ`LjC%=x7U+SGc=~1h)Z$*jcZquy-y=!my#V_9U&EgT`ht<3 zejPuxxHs@!;@-sfNYbfjA{uvZ;m-nnR2bLtHhyYx@8G+{y^HUWq%qhYy&>=6&jNi} z=oft-Kef0I@Ll3Q#P>*ryC{XOmXGjffqpO4p+3e>Ep9cwOWY^;E@WKT3EF*X@RHC` z{F&f2fZ1UiKGf>hGQ=+{_G;^Vdy-BonAKqsRy(A|yR z<6KW~CAx>`tpkk?9n|}_F&Y!T^>N#Z?kRe^Kqt^8Rphoe`tNC;-a+(^qI(58n!$TY zx0BJ|hJ3%b=$%FHLYj4}@|tW_eJ)>-kH_7v=9Gl_th>qCUCthK7|=+gpyjOb%U4=2t1E|E;t z<|eoj!`&2rA;$?nUib;bSt4N{Gwj^nj2^KOW_)J88D z=}(Xo-XMG&@m3ds<^N4ch2!TXG)icqz~e`Y()pT+ZoJ{e`}^Zh5I#|OGjU#kHqOq+ zuv6C=W~>Usna-3kNyb?;6ib;*Q~lWb+=O~}wkd6H_9vMvWr~!kRM_-ts^>tt`Z5eJ zDNnd*W*rQfc%Ga&a^}+E^(Rx|89(2Q9YY7tJQ?$4TtI_o!OT%?NjI^k0!sxfFz1sO@GpGa zg>o*Eb8%}23p{9)^d;tO2+l$|i{xBN$3L-HNA@zKOT!a;x#-2BuOO{=fhaQl+t^xn zrAbwNeXy>QbhV^wDDl4Fo|J2XQMqfXa@U&m&9~mVPS*9ZZlJ}n-=!7x6&Rp`@!J@Y zTAjnlY~+wPnta$>UcO24&601S%y5>~W^3y5^-XnnOY3em>DIMgS|aH-Nw-sCnsyVp zBeuK4@QbJVd%9Hkox+z9XWOZ~3bW)26PwXffX-xu4^y?Up3Gf#ghVI`@758P>j?Mo z2wi!E3M~7g`v*%r0A8RpCZjzLr+Or9IqS<-|{Gb z@MnZSEBra)JUCvdp)`8l=qE#m;tQf*6upYHGCn*7nB;>wNH3Yu^+g;8ANR71S7f|O zLpd3uv@wtR{A(s`^^6x@m+*#!Hz_bcu_9#1?k%JLbC{>!7X6OscS*C(kVakCy=QP{ zsfXVe{DI&P3G*37KLp;!6e{%}nbS2i(?6E8TFxhQnD2$2O}skz)Rb80+Wbt)8Y!Ps zvHOeG`WMEZ9PaO0@$1BYNuF06;pj*AmC-x0+{ed#E&3bL-;(A<@cyDuPomc8zB8w5 zxXItk`9aQlI$ObE=H(X(sL$7+=Mk;3AIKAwdoZ??OZT?iF z0^hAt6nZr`#V>_+MaPh$+Ttg)DA1j1WTkEy>uIY_zt2s6Wx(Cub?QMNTNq! zbHnF!@%R?PI|=VhoL5j@gMM%3@VMb!%y~b&qTNzXS2^A2@D$jfInH+rhCjc%KgCwU zdkEi}IFq232*gko+=gvT+3sDhY%8Uwl-;Ir>^7k<#7W%RK%Gg&%KN|J~qEBl-Wh7NVxr@s6Qr5vq@sBDmNa;q(3z1EoEDrRyd_|!@OsYuz&v@* zmO8+^9m8XHpuGO_4x-0+;`^~|1B%+H8(_+%m-(#xU@65?4xz$A7F%ZGB^<}l;At9Y z(xh-R50x}X(qWW%G3XCVy2A}#dOUu^#~mT~NWp^%Z;V&$Lu~wr5U)pzA0mDzdB$rD zFLk4Cn9-k?=-`<5Ao^I*!$~t4qW>&|lvHB)zSSN-PWbV{PY5_OLgaxX4DT57z!Qa! z6n+wMy>8A8{>1Ot7Kd);~E;45bMn|B(3qS*6Bf{gJs_gn)f4ceUJ4=rUj!iG;`cQ==P0 zq5GNWHKIQ!t;af@z-T!4h2g!!WSF(W*9rfUI4@9197ANV?gh%0ugq#6Qu^1jzLE7U zE#7u6c-ff8<_gC52&wUV@jr-PPo9BFp_Y#q0Y4f(H)I<>3IAF6FT`6{VG&8cn$j~= zVSkhIyOcku=-EqPfS&u)=zqiG^q1(rMgK!ucP~>E#mlY@hF`h|LWz(2S9qJh)P}(K zf7ja4Y~K_=7Mc<7hFW`D{DfwNoOX10iX_JPU?to3hJV|lGqiCXgl{IiBXQ=Gq1K*o zo13v?xZ*8jbdu4T2J;UrUxil`2A{snAAU>0T?Ka|%+TQV2Zl7c?uMsoJie9i9>TXK z-UI(=U1yJBL~Im!zuU&-MWN2Vt>m7Px1-FGB97Wh45OeqD9mkd()e0`#vLT>D5)1E zUJVx5in^T){vq@$^cK9c;9UswYS6h3~}B-3)aT05E~Smyjcj?fs*@6 zK8P~URTRnKjg}i=_z*r}__%|G7Yjdxcxbbf<+4>xm>k}ikGO&6{S@kVhsqly?=X72 z{!AQA|HBPFGCZ+I2tHEqV8RSjERyB|zDF6JIg%kln2r`cMEFqR3@o!XOrbWqQ^?Ma z5q+%a;iPrJ99)-lC5GR2ypVgEbVa873Sv^t4NEs*5;H4JDQNujh z;5&H~eB3C(rwBfkFhi3`r!oB0oo0Abcv&@C`02v4#9N03%?UGh2%#yHQ7)r`21Ap? z_)Ax5@F(F7Zk6C_!8Q19>Z7>CifZWd8)N*sF$_CGKURFL_&R(Sx{I?8bHp)Yn5D0) zH!HSU5@tcjYLGRK7VlRKg&bx;7~N%vr}Ls4MK_TyR8)K~O5BY%<%5tNPmnTEN^?+{ zATZ)4j;iGurfeQk#hFqjNjZxOE8?v)!AwyGckpa8FAF)~WSLWBPNm5w0&TlkEQ;=E z%+KT;qiN<1I@e#+2px$})L3Hjzc@$Os^4I^ zlHu*bJ-<%)^}=r;&Py&zU^aof(ddP&OXK5i5`DAiTSznZqi7SkTMb?iUgRzje4F6g z32&@3VZ&qNw+?^5n!kP!HL}xG%JdKX2_e{JY%y)fX;s+8xq{x!pFYH#^jA5m#)wF7)}t3SYJI=~to;By{; zcPNs=BmRZKZa4gfk6SBvo!~DC^Il*cSu~Y!Um1S%Bck!DLijhrza{>ER;7~eJ5xJ{ zY~g#UKS*6qRS5@i=zcV~{}O+mp9KFb_!q(qRsvNibank|c<;#`|4sPs!v7$yV{_=* zp9Wuhn}`1r{I}qL2=mxc3<5;Y^9I9LhCJb4;cfm_!vf#`f7P^v+Z6vTv@kk^i*Adb z(87@1jxx^`L0*Lpoc4wvw6hOd2jQCu??{|kXFBTVn`~~vG2vRakkCm&X9|2`FqQ-j zur5ZIg&OCUqPvRj7HAc)uDj8jh39K4(LF?OO`4IKNn@zwHU?i5YB<{p?kRXX!n{xn z$;X&{x4q#%9fn`=aXSd#QFt%nN~7rHaXT5@aZeBT7QD0IT?i`@Q$-Qvvb!37>aHH& zP5AD@_aM$VL4rn#-qYyEv!32dbRW@slP)A33?JRc;7dYu_Z7Ua;C_U8=nSTRCEb2T zKOf>`f6+yvBcz$-`1%Yg>Mm-^79q}KQsPn)RG8&(j!GicfXQ4AL-6rZHfiFO5q}ve ziD`)$icC3$H!7HPbASm4f9!<=CG?kY5CvU#5z^%VgDY?K@WFzM1s_6~cOZ?{B8t(0 zhIa_%+@Zn;2|tXu>J8`38w%4SWF0AMFfHaS_I`vDJd0vn9P%hr zFAwiYj+Qz^>QJhTX}kl*+!nop8fMCWO8q4rBjs2r!-En!(hy}Orra4Sa>q$IUdjnn z7-h*cUVV%(xYtGg_$LY;DflG9j4~Cg*nrva6GO2&O86i-|@dAzbPxnn3Orc0h7c_wA1tqevSx)y`Cy5FB^mf&*)&nC=( zWiX-&V_D8Md`!rP&J#XI_*~)}6HCmUZ+y3qSmueJFa84ZN-Stg;=R-Y!%v##Lvx|< zi-cbsaL#wc+>uKRKWKr+7Ybh_{8Hkr+rpS&ZAP!q7QS4@Vi{M^P7Es7BaaYf9&k?OrG4dMP(hX&t7RyU~p8Lzr%oakGqDXsD3E>*ct+ z)#zs%e2|uizD@M)fyVGq)MoB5dSHJ~FBN^K=w+nYmWiN$D-kQp)uLH?mpN;8_s-pN zmdm+^4&zAKO~T!4_-WxmxKH@~!XF^6f}TJDeikl=>}KSG$t#+1ewZt$aq zr>i~wnD7$3ZPJFQ zKi@Nwo|W_*rB+2>!aZ-ofKc?kAmK#`t0?f|i`Zs+$>2Rhp7gTdR|LOGm>17U<*3-a zX84kwd|+M|{)X^31D;M`tVxl3%kW)7N%^+$cZ9!7oTp83`dI?_<=pt<2TH~7Sm_O=k*NpR-?qcR(JT?~FP zlp$LR?kcz&VP0;g2!njE#H-=Yg)Cz$;XQsoP3>+qHX2$ zl(QWj#b_!X!SLnn4gV%o^LG%wqwrqDSyi@l8smO}NEJJocv(oTy(R7}aTkh=R_q+( zX9MhN#-;Op$aa&lyNo?(@M^eOC1&ta z4-K@wlJ=FPD?-B0*{_>0DN9e0miWFgjXw>N8qkRx# zqT`|yql;njcICCzy~tQ?t=la`aA!!w}R!x;`R`lJ#GW3&V4!;Nlph(GobqK_0k zIM8T`gFedW`Fnc$XwgGN4<*g8M`8(|Ooo~9>Gs|@M#ix+hSO+^f8_IdS7L1cdA^h8 zII+izJ%MaU9T&xBPE?giTNxiT9;!r5v-Mos=>)-ozm9_Ym}^0 zWSvTj5S5$jTjedv0+mL8 z(Cq0d(bb}B0$qfnBJIW)o!ipWV@21Bt_w5O zd2Fn8!_nhs8$Pw%_;7<5vm4TKF}@SPu|LI4;%^pz3weg0opWd-7+o12?j@pc6MZ{r=EkIv<8WPGcZWGO!C5Nj zPC3iyFu5{A;OcLU?k+Q`LuPQdjO8-!2?nx`s>W($3GQAqo;}d#RQJiaU&aG8lznh5 z2&~iK9yDQ5$UYvD@UVnOC@`87AY>qq8ebmzs~;1;Lj2?8`DmfQ!s`cv*Y4#*^Q7RF zf}bMHIIYH@>9~8^=>PQb^fRKL75!W*8qeYLMsFJE7ev1(dKGB~B%Y{?yO#{Usv5uH z<6aj0ir`lRjDXBEO=9MPxO20DW&xQUd&(a$dSkH{9HJBjX0nvXY6lg2(Ku8RqE;qY5Z=qjNbg^;Ud zTz8}E1HF~#9-_A<-3^E563+R2X?>-weY=gB8}dG2+sf=Ib32->A^F-V>PMB$ZhMpN z4b{^fB<(1vSCCL1VPs^ki6ivgPA2s_9S6k6^_H}=q+KX6m0&^0gxl5NwU3Ey<8~9g zyWl+ttN3M}n{j&@{vsmiA!~2GZp|9|Lh4%|M7r(@e`TYzZ zvRVgk7K%;i?Z5-e34Z#Ch*9>@ATj%)G0015CQ*7W@w%cd(>lNrzAhVM2e18)*En z)xz7jL&Xmge;9cmCM?kA4mW&t2-6Y5j}$(bIK#x%!7XVVWzt0p{5g)6G(^%+N;(II zYvVn{FvH6VH0C=9KUVl~;_A-98d$CFMu};SH~F(1C+&D?Cr}G#!Oa+9cx^b#iNZ$; zKZ!W61S=A6jNOw>nqB43F-p=Yl1`=M&w+Og?li-{3g;Lt{B+@2;{GYettd5mTzJaM zM3;-M2y|gB(n_PR9P5KpCAwO44Qa+w{kS|HqFA=RzScD~x-q7G5;n3NE3H;q9kuSz zkW)n?kkA+}(dP(u>@EiJ+XY}1Pt2}u;I1K8n)%mC0Qk78 zWL_=vnqXr7GSR>n=XEl#mw5wCjg`mw@_9xl)D$+`YN$stxY6v- zU-sv{N%qaMZ=ucCQLWFL3G%HbZyrv)MDlHtZ>P*t+l|DT)4p)Q4%TL`xylE8sq8yt zFQd)W>ME+RnR7iRucX{v=KK&g1Grnxayj?VDOALosd<@t}F*!(;T2yocpILNDZMardav69WC1=oO+LC(S2;D<)$p%SP<+^n@wJ z-{L>`xF@Bol=2i6X3eOyROYaC2-5Rt_q0iSmig#kWam5Qun)jz}}bifus+EREpG6 zAD-ZkO#1vy91tJ(v82_KKB2@cr-s|SBF-91%R`>=si|Z8`tyAzb&b@|sWKw)@E2k7 zh0*I~d3vqrb)vr{&6|UgDis3vl{v@mi+|zczLxWioNwtAvQXtp2%G!Plh zycns$eFKqUyDnzU2q)Q6R##cwXfg33LSwOzc)Oc4Ge}!W>LF=sO1?ag#lypxciWiO z60~il^^~?9HGjKfi3v4m8EkLHtYGXQV@DaiXfVs;Y{NVNAu4A!S8EOn%e5Bs(XVT!K@jrar{*sC$MJVyH!rP(nBt}hn zc^4Vj2wO^AN`i_7EQ;QRqzNNJz)}*@5;7E&2r}u70Xx8?c<87+P*Q(M2T@}3kx9A34c_hmf6Ye-K2q@D z0Hf2f$Q@Vd+CG3~SPwSA1Mm zNvf7qLy3V4QXGx1G3NXloUw9h< z!C2mSXWY4_{1R@=c~a&`nMmr>97|>0DQg)m=GuwEXpFlIpEQ%F zz)9{FzFhb{#Ch-SBr#+&_nOotoZ~)8_e*+!5<`}$MB@+d^07P@#tuAaR?Q0h6Cd}G ztcPViLW}t&Tkd>U<{mX+^)){6KPF*?gvTlP_E0R1lAdpm*dBVqyz@fN`J}v+@}8o{ zDbMIyuBghnW~9&hJlf%TbhSQh?suOshzR5}a-Ws^9Nn(?wW$Gp1XzK)p4EN!Wjt@< zx*L38Uy%5s#8nh|Z!0UCQCPlY^wb`nep&P@qF*J==eiCfBd`uWIl?`daum!oLl8L#{SIw%L7W__8XGe=qz8;p>UB`hgv8 zlI}-?$Axh@KMDR>@Gl!-O!EHK;28n_P4Mr6{~*k8bN@xW6ZzBddFT3o{3ZNv;r|4D zY(*`ebhp9qIVq3-E4)pc_FSwM-^#3za?rBOa*tcLDSj+8Og6p1J8kh38YXhu(b*Is z!hGoVhK>z~?;vzDp&f}Tldg7XxM#=KA`9R&-a<-AFST)Rom&ppDS%x|?uy*vM@w2|XliO@Yzb*rfZqjo~9gwy~}7p2D{y zu4-i*!+f_l`0JDp%npKg6x?egj17WzGI*1;hkFa&S@14|d7bq+RF&MWMqhE9kMrF` z?=E@|(yULS6*~bNWx73$|Ige0=zEFpBYto4g?On$wBQ8$m~dH$m%bAAmC%m@ORZ8= z&`Wdm^;z7i{mi-VJ%5t@($xQql11`B5yU(tx{ zA!)(`;S?zeX$hGilwrU^wi?%QfC(RbmQXC=5DJXh zu`X9pk0d?N_?N<_+lPuDB>ph+%njq%;rMW47gYPe93l2dv4hES98`VvxSG21e5?qi z2byyARoupb+m~W7TRX%PCH}@AtwRjaA%^l0jN=^EHAYnm8OAU(B4K~?V`LmFV>k^a zEG(0UeuEODUt#fwk2_BE@uE*4txm;!7Q1H~+#|fwJyGyT!6y-BU}|fssv9eFxkh)g z8G{e*PA2`(30 z5n$y1HLlX&qtEx@s1jT)xF*1un-h0qHo}Aak;e+I6aZa`?FEf@cVxNtnfZ zMO`V93#w6igVAEv^v(P!X3087)@)iV1;*#FY$~=tK_&lOQ?^^;mGh*`kusMGvuV^K zxbf}zh7UNz!c|?>%VVkZ|iBlJ~H@ zN9Yx9b}WLf6;yE^HDh=%9+R;`#^W^jXmX{tCyed+Dt^MpJt=mj*r&)capT1twiv}| z3ha_?%BLOug*+qWSt-v^;hQpCNK{e|FJ~I6G5za#Gmj4edqL)lGFQ>$$xu)BC5d~< zl)J)PqnD+;BIQ*o%4WvbxYvyB_A8FU1HCTx4Y6;MWio6iLzeoM!A)6z6>kfENASCZ znMn9JH}uZN*B=C=Ri8rpvpJOdT1n`(vrArG7${ z>8lb+9lhu7Q{(4uQ*M@IJiCZDU4pn258jjGi*KqtUq#%NeX2h}WZ> z!iu+jGOK=~-dlTlPjwQy&Hs0nn+%pI(+WEF$2lsRPN0CUd^v3#K1{&EkZ%cy`G z*GtF&CM*cT!4irk973TpL*8nH2{zs~>(@y>h=1j39R)WZrDu@NSGx`F{gP)?LEQo>0T7&{cQwd^lq%jjgY)~=ufYm}^0 zWSvTjSBncsy3-84BwWB~!KVw(5@wRZ#*XNUE;ahk0X#4cT_(C*bcNA)g@$FNj2;;E zbd~68(KV!59@kaWp2^bcs-B`{xEf(q&lci0OHkDeTY>HXYU1IR6VLm}D6ue0ArG%9}i{eEIcbU;G z{rsUX7rj{Y6{H!Rb=hjyghtqv#`g~`qpQSUE&iIoH&4$d zoI`o>=a5TshX4QvtJt=FYtfy%4zE?Mup24E=Y2%0Y@n?BP{IlYpBhN-6 zt{zQpu3Oybo;T;(GrjYIoEPP+qQg?Vl~X8CUo!E!AigZ|6^XA>WS-^&mv^t3P!dA- zx`a0*yh(x8u>U<1#!s1feK^(IGT)K;E=}gRjJ*UpL(p`8&y-wt>ATn zza-2`E7GU?%GiA9g#KFWH)6jf%X^P^NEpgh<-Rli;zj=0-;4i2{Ce`d_l%=t7TZ*z znewAK4Iz?#lJm2iU+C~0`SS6(d}-eOYW&Gz_~UQle;5A;d0y-U(C$xz_rB8y=r6&4 z3;u_2c)U^=AF2&_+y=A8g&_SatIeirZs6N)bsA#}>+)_>{8ngixS+JfPiSyRX-7r3 zTIp7A+b|o%q*$X5T?a{M%S^F!^dqUx`*hkNi$xtZ9=Kr#^9dAeaN>J+*9y&gbPJS1RcZM z8-33{Ix<$261}77UZnk9NEhXs8X9V`!-Ct%tj2J$y=CnzYZqGGaJbN1FR#JIR%o<0 zyIsxf_=7*+ZZdb5xd%!Io+P7-4XKQy`=S#wl_5fQPL&sGYms*WaXsX?Ptc^Y9D#~%P5i&p~1+*ZBIvB)aa%V4KdMi(FxLgUMq5W zmo)aBE&P#FV$)(XWO)xUS_pey82n`DAwN)Xf58V44#B{77eqfZVq7?CHfT6r;;v|kojCKhSza4z-i_j9-3vN<(w`j z8yu#YBuA^DZc%E^8R0x-a?0gY&{5B^a#mMq_(>sStrA`>yoPwVh?E;+^qJw{V@21B zt|QGN`+q7tnD1fYN#S|PNofnaKbJKLP@PvTJc zxXE&+$eBuqsSnkg!V^Eugd1yoVwx^thJ=|ESUY5(GPN~zSUyty1uf>C6#_R)-Z}DS z)AQwNhVz>FAf0Q@*}*wa&Kx;&>F};sl&ge1-|)KjK4|lV&li3Haevn_W@drWlf%I; z6n&BCi%Ij!%W^2%F`~p>V#20h;dgx8LJ5l`TuMRNMk0lG7Y0w8=i$o*FBW_S;Sd&V zq;2$+5SFV%UoH9?(#&`j7S+eDHKTn9%ylxZmvI9PrlZlN&F)5HzhB|Qa+BDb#oj_T zgax~38$C6IWr^t9MBh%Dscv+kQ`6mH{3eh4qc0VIr}$;$d6V!~0R0c{F2k$CvM6^8 zUoQL};vq2D?84}2Au#uezF+hMq?y`O$5jQqklG$J@0w8ad`RBI@*W8uBb2=&XaQH% zBX4@tyyrr%&SUac$a|a~Z$x3EL0-=jW|W6TSf7-!QpQs>Skktth2uO=n{`77-!rnF zmGvC05DQpI%IN7K7G4njqUcqD#`*+U;P9o5bZG6pEczAEuLe4z)hu2!x_2)GlOcUw z^c$kzB+XQvtHel=w+ucfycU03@H>LvC9Gg;TbcKae)47=89QBw{y_AHt?9V?$mo@U z{#f*C(Vql5s#WbjHTtlyc-d#7*NFZ+(AY%+9kpK=-F$-&$y(9tM1M(|X}UaDUWF+m z?knT(+QjE1UyJ`n{I}#8DHF1IC-a@bZ-v*a-wXah@Or|G6jYcnxa~)yD{k|L{z>%D zqJJUH+BE~7szR>I;_p|J&IsZEP15g@{-DHDP{Nu~MxPnzzeN8n`XACP&q!yO@YVZ+ zw(ABHCk63eiEY}dv4HOowqy|+;tdSjruencTsSL8ZSfPD3zFJVV%V@90jlQhjea!@ z1?(VtGtnJMcPoSqYbaHW!+U!_xpH$e&kpC=LS`qKooVts2`rMBa$Su6eG-1e$89OP ztLSclMjT+tknToL4#(a~bPv&6lV&!JxyB`3iG|B^^vwWHI^c-ywUAr?9|Z0>nnC&vHi%h0Oz7nIn;I7 z?%B_rN?RyOPLZ4l9VT`S*}=$EjG4{5s7YssS5YxZaY+eEycRqg7#@KEdmJBu27_rE zLikeB($X^23PlB44A{V~FmVNK2lJLq^!M;UdHv-bM9)7h$wamcDUvUl@G@k8i8Df+ zA1tw0;vp0nPQIV1twnndBU6!P2AVc1yq!5z+8}9%QDdCfSCzWMjlCueTslJRkzxmv z4Pi@SA7IRs#WIam&F&}@XNIsHEpdp%p%ht;<(uoXRk^CB3OCG*n=bLuaEy#&Welgm zV!SSg8Fdw|#PFYoc>Flw#|uA!IMZ@8ovw5v48Eoqzv1If6g*P!NrXdM#ykt7TSC}J zi9SX2siavkLx)jAMLkB}oMytJFqU$(gwrKtDKO}@7{`G`S!(z-{e95OgqI7iARa=K zc9llY3ZbbIT`jtXG?Q>seQgcW1_vRRyD=txalJpqSV^^#>L{^Nzzr_^oU8^}<7hEp(F9ipbVjcXIcZ*Wqv$5m{v0U`rUO2&I(NjcECC$6%7vOMinhDp{ z`NL0_Fhjyj3cP!jwN30_Z87|gZ9G0p_&LI76Azb-6`1fyG*wl*bIqC)LUo?3IkM)` zVsgbB%Dg+@;5RS#r6&K^EmTTw@41!U7ZLhO=Dw|LA%T@T!V;ZJ(nD ztf*kYim0flsL4*Zf+99lioL;3vXg8`vcv2I2#TTtDvE+qq$w&=6bo1oD~KqHAohx4 zK~MyHFMQAQWZoA%*Z;qM-^F*_x$iY=&6=4tGi!>(u@c8o<*VK<_DsbtjBG%+|A(%Pw(I*y z+Q-sXQDc;`3@!)b7X2A%D=C@=0cr7zZ1~*8F&4}h62FwVh9Z+TdXUj; zglx~^Eq_y#L)n&Gv*<2|>E zk8ua#I|^?}oN@4wQTn)bK6uR)2 zy)}v?6iXdm??J=uV!i0m^x4$&UdSW&3wB+)`hYzq7}O#iWB;@9|knlFD`a-yglhlWL_%sGMc<2 ztOblUdM6-%hWv z7f_|>D$!}uOm`^ci}TWW|MqoZf?a+;3Dpv6D6qDo2E#zK<7-2$EA=+yI3uM_N`ERW zuNX#trUE00H0dU|c87(Ol~ymUff{e5s4xfnqQx^(o~ zC|xIMn55y9n&PbtgAKTVR2bn(=E(RYua|OzlpCq=*<;LZ14eG5%VeY*qyC72+$7^> z8KY<@$`A=y71!xWcJsH29xZwdX?A!p%8HV8Y%AlV3Kp|+Z?bu}%Nr|i96bvKoAWt6 z#pns5?+`tavidFFLl{Q`4ebg-Jmy}h6FvEqZb|*6>%#tvhLaeTqiG7?mWptQCYO+?;0Se3?(mTtJh#CN~!o!?03!9ruq5Pq{V0hAlrW>lsZu zq96KA7e6-fEs1YSe1~Flh3Kj%CqV4i7Ri|GVh;CSuN!=DoonwaA;I-DQc~syYq?7!uUeYmvYw7;gxY# zXl9_Y+*huwv3a3urL2?kH5JA(5={mAND;_4ZrolSGsAir-^$ov23E6+eJC5C;uNb?xzW~M zLp#XWQASG|mR<|OPEOxz>2+t(yNGVJC0!U=J3Za#T}AIEdUw*X3@$0k)L^ic3-_7O zM#7#F_M*VDp4*|-R-(hJsc(O8*B01!gngv#D{Vh&OyB4^(kKPCsh!<%){)F^>r=Wz~nHT$y7b94#eBN-h;XZ``>idg1el8%J0#L7t3! z83i<&UUO($;Bx`SD~CdN9o{4*)3V#a91t!T zc7iK&O*v6YCn=q&G>v zm`2WUp|w4bGbMDBa25py(DeMW;cVwy8GnxW?&5opx68+RR8Bu;m(xr1xuVY_&D4R0 zMLjAs=R5xTO8kl=Tp;{H;TI8)rK?`a>2R?dS6bKDB{D9RahVyV{uaO7jqk0{?=7Q` zj3f=lP__|^Rn(yLD0QL5gqVxUB$P`?QDE^}##JpU9A5bguOD|%DY!~-nlO`|T@K$6 zecc&i_s~yHwVWC{44|9=)H-~WO^wM2t`pp!FjJfjyu|wzB=>5R+ z4{*5qP7xj`c#z;m!dpIq0b#HkSKH-ZA>&FJLul}p@p{MWx>AEPuX3lsrk7kTXQ-TO z=E{@U9nqgXkMcvx3KbQ=Dy@HWo&@^n^(_ zNxE6mC`!C{N+tOAS{-h2W4;-;$`~zU42`A+NPcckn(Hw(mFBm(x4^vH<&Bj$jvh;! zvP@lL;3^2Je2jPNkRR|z9ASd2J7i6yrC38ri@0VJVUjE7^ofsivXm)Orc#OJM{X`+ z`A+AbvJ1OQ{50`*lW&fI5d~O2>>j6|Hu_%C(?#D$Iu^9Kd2xN;8SXr1&P+M88#RhDRkmCh2iXEE%u|btwW#hbLUR)}%y+f@M`MkV^@)pr+s%2oQY(d!S4(Hz~I6X zjClFb;kn}@{E^^~1+OC99DiU^FAkqL{i0p;r=nMj{)}`}vfaGkaQNJ%n_r7Td?D#e zNoy!E!=mpi6FB)J9lmm9qIG_)m9kFC*QS(iZY_P|N@rW7XT6kfrEH+WT(~)ublB+5 zWDDjyIp53qfex<>OJ&DP3qQKD_s{WWevx`LG3DS zH)*?5YwAGBPvrflF~5hKubSCL=AJV5qS-tKi0#CkUS{+@qW2ZOA8F>@iY&$uwsm-j z_3-a6xSikw2J`~V>wzvj)YtaD(d;dD(4uRgd1%v zyX48pmr+1Ng=s2awpCNoM?i(HO|zK_Mbe6;l~7ZC9FtZtQ#Tyr{0X+K|FPna6MsB; zUKo2n(YcP?b%Gm9tWY{pMkg7aY4E8asx)Sc-(62~XIb+Y!6(bZB(Y0Js z7%p~tgiEuAI0AC&Ll?NvW1n^IxSjiPhq2UFl>>MoOKO z{#2UdM7%KU3+VKlc1>B)^`aZLps`xf0H@zFdZ6e*q8qoQbHiY#-!}RR(N~HdLYnog zBzjp`>|jKr*4ntry+fDqmT}Wp%Nr{18hT8I|EZsaYu!4;YG>EU8YXKvE#?l?Ht|iw z;SE;Hyk77Pf^Q_uaW+lkYcQ8Bra~mbk*+>ziSQ<=H%lEwRj<=63P(0lTx+=&C+4|t zl{Q-17-}q1t?NiN&f8pSZhc3$OByR_93>{Q^3C;-@va>F4?{sX6QtZBWg->k`_17D z2$S4tVZlt6Geyo+IxN2MaWMA6-|0rr9b@XhOU5)Achlg7c_;(IJ+5qPf!r%)x|I8< zFao$GmbV6GxRkM}M>8eOk~Evrf9?jQ*!}KoX8}DRXO5f)>G0YrH%Hn-uKcubyq$-o zJR)T-mH#{(mPYej+TOx>RMKOT9;Xyb%e;h_mQT3#j%AAZvYwQ+fEGJrs+v9zJmvVI zHWuM&;m-(vmN*019MSB|c+RaI?9!f>wNTa~TK|c*^q}y9JKLDESk8-bme65HeG$~= z4=XRZb!B0UxtC=vmGug(raX@KE3!E@Cc&$0Pn%BN%XxY{fOy*p{1I+;Q@z#a}C_)>)1 z2;NihUW9q-1P-jA>-5Qak={r2zM}Ud%~MxkE3VMi;q^A0dVj&~1Rp?HO($G+QECvf zLeqTCY&g)(wsr>x$!st4V4A!rY{h{MVGnV7#Eh7|4;9@(^kJlVQI*wLZ{=`@v-?H( z2*Di%A4%AvvN#;&^!|1sM~lu8olCmuejCs*arj5O-#o$jf(r<12v`kTBhG$pY?0Vv zu_a{ri5Phn^{Dy=bUHRIrgn^re_OG1tiHLu|D2Ig+|d>OqOmgv%U-o(>O~8y|Ns!RHD- zkFZ5oUO3$Z>GjpR475r_ z4;6h4X@Nk0*@(ZzNxx;r4iSYG;ZxDRr7H~-z>F^?hZxVd7 z;8BEm(YeKWxyf*g)7{(0Q{O6jwCFKLCkl!&XXZAin;jGB+eMERJ&rWr^@W9roE+qs z@y>T19r+33?+`zcJfkF8iRr+T9Ddtg9+L%65j@r4qP)DKaHqoqrp7bhC3u?Py9x73 zvdMv%XO<23I6wBfn04HbZ#R6V@L9rV6K5n=HloiW-0$?FcJbs7 zh@K<*L8DOx!kD{;~*nBp;;KFzl7E5?h!V(G$f@vm~U!THDZk%kX=4Ba6WxPUzuf8%2mV4FN zVfLwJnb_CFE+@;9k7rLbtq`@sl~e5WuS;1e*{99g3HXjN8Sn#UNFh1ja;_%M~e=2yj z;Lixh1kZR6pF2O!qWuf;Uy5Htp3#mC0kIls3iCa`a-*j$$GTR=IvHQnV7y?U8Oq)8 zjpHxb@Ur#7zZJg0aMT50gpH1`JB{&znE6il_riZ5&c+2FR9@4n1xU_6x^=2OtDj{3 zEbA9qOl`S2NvsaoFByJy;ojXC2!i=d!tWCPFo7HCa@WQ1rwfN25rw}b{4L=h3R~e1 zx!69#(W4HF=q91fwpD!}{|e2+Tyy;2O_lvaFN^5b_z9JLq0J2~K>wPfqlZUy8=>0@ z-Of-H-J3Uje_8}@-NDJ)JTim|s+aRG)M<7Jo#2l|PovV$2%I7laI zuM-_?Cn~@wRV);V+3&oQqQVkhR&hxIk`y*6#>m%0{6y;q#1kE=6Lrvu4&#aT#~-i= z7*2%1S@fZ`i#5SYuzhGjUJ0TMcXqg+XMimac7)E;QRg|*&XbeC335sj*f_QX|KgiJ zqNW5lhdm$o4fQBL&!f!1IKt67Pma!$%k#9uub9Gt3(3hX&ViO+SeSzy+wv2LF3f?Qk{ZnA`98;KrTpJuJBLtCN%$q~MJh z6NtG)Zc#x=qOb_V*zn(oP%Ib0%w2%r@q#VkWST;(htbueWk<{0rz%=bQ?#7UXqks- z*&-@&%~*k$c?;Na$juC1qYjAQL-ZDf#$6OTeHySd4VWC@I0TB5_zR zB)14ZB99`ypxD5ll|g_ca8LM^I~eBj?s6DFK_TK1(TDROzVRy_3{F*o&0qPz@B+hs zV%Q31L7(Bb*4rlWpQ&5xrdvCUx0a7vcNoDrI0TXDQ`UQdIcH zD=aK3$`2Jz?=dFQm7=Rer%5vaByJ{1r0vkxmF|y6rJs~)DK%7h19;_OqZo%5To>Vt z;5xzm3G-_3(2I&faQZ3M;c$ek=z7r&r1^*Z7?%T_Umk=v3j@Uu65mLk)t|h=+yeeT zWEtEw{vXPSFxcfyy`p@DM^c2xkNi!PJJI{O`?sWdP;li;Z zg7|6T?7}JCuJ<4p{qv~vN$~DboWv5{7;L1M)b2rqXP&%9?v;F zYQIQ7FM6TqMWoplt+C+Za_?fXFN$44R@Z?yLqT}S>C>&Ke_8ZW(XWu+1!q<( zr70OS{rjqmpIR^EGKsHATuyOchpHya{Nu*IC;ol$A8g6vOHcUF`T53wB>rRZ ztG48ei?N`A^9zjsRQzi3pKZyPU^L_B&Oc@R7vjGZzs7jJu~DfCUpaq!AKh-VuvYv! z@n0LSdM*maZ=7Ff=U*@WTk#vVS47XQnZ ze13j$_|^GWjsH#j@8bV3o~bK~_u-$;|73~kFY$ki|A#yiRpEbAQ~WO`s=~tXub<>! zEA2PwB+a%{0~!A+QK9CD`eT0B3O_Wpl3z^3NZuMhp_MGYx$&&%qUZ@Nod4fBk>5uA zw&J%lo()F69~{g4U;3kv-n-aw=$m9&XS^%(AxR- z^CQ2j_}#?sPM!rJ6AAv86ZUZ7S$isNB?>hE3Nf3a z##$KKI{%^tu)p|r;tw#M?L6)~f1vZ1w260ckoflE4<^q$U@MFbjBtnxSKkiEQoV+{(lo9N{57> z%F|i$b(R92Wpn9P7z&-AXVF$9zF2(8mOL6i;TY#1GyYid$B93FOP+7c6P$m- z_!Gr<65n}CzPPv`oaFqI#-A*{i}+KvDI{SVpuoHx>?pJS{i>+g04WUXv9t)e9yYYwHsze?N(`{rH!G+ zWQ0Z;HZ3oN7jAQk zK<`X(nB>~9PEngIZHlz1)L8Y5$tfSVg^miu#GNiqvea~!#Ay=mrpVNU{!sLfBHpnL zD)zf~tK*ay+`Y1<%ev34yacL_Md&cjLk(tzTZL1jHB;6sS+mVz4*>e5kOqtM^TYja zbsQ3{2V~8W^&l;M)<#cLA-a0BH>;41XLd)S=K%{vyESTDwC2ltQq}@mdSnQ!AP<*^&Icr>r(9dtIciT! zdq&!`)R>si|AxLzC8pWzg(;RV-b@UJ++Vref* zTSAR#Fc;mX=vfFaIe*w8!m;nY_@&}sAvC4gd4mpnEKnSwe-HhY$WQ!8P=s&zZ@L?-P4Yv(bT@~0-JNU05Z;sfzT6M!^49n<0w4cAbo|I7{E8!dB>ZFHtBA9ii|-)0 z;S+~1&==$$t`^4{2TV{*NR^! z{%i8Q6x?SbeB*Gdx_I*Sg1;5Kfw10=Md-W_8=YQe5AZwD-;4f%G%qCwrA7e~{EyB* z&y0s7{3QNo@xK_4k3%JFasTT4xn+_6P5kfT{~)i3L5C`a?KwRrFVcUB{#*1vq`Ta3g3^og1~x)`6We&Gkn8y=gw}? z*WEwwHUbxu|WRXvFuBBG&Ry+bPTs zhq&9AiteFuJIFnZE^~MezJ8&sJKXVwR#!Pfct_z!66dX<4CZGNd}=HRN4c|+gKlwz zqvhnt$)&?5in0eyviy*6{wj;UJn{MB3&=D5qsT@-LZQ>+tV6a)bg}3X(n>F=sNr=I zj&c5PYqB0I{y6c+8;`d^F|tfJ!TCCV1;-Ii6yHgFXY#z7oB}+}aFWxl7!5eW$)dZ6 zK7}-+vnWx7f;x0{{3fdyoGSb@;inVlc}h@@@Vg&7mdGMj~Sq;{9ugX$KUu^{wxVU}gaUJ}lga2|!Go5!0YobPmj-TVcj zFBE+dX_mQo!C>x@!^15lT_X5W!Iu%%sY{B`ioV?GA1n>^7Trg5(rC6{ibAQ=XL|cZ zbh+r1(Rh8A6om?>r|_FJj!-GON_3huFT1`Do6YxicyF6T+)r?|;2Ofb>}+YWs(+|; z`e7S`k`Y}ex>Jj_^Z{A)3i69rozKMkfPYY27WhqXtSD zB&CrGuO?ZIk(FVv(^o9Tk2t~=qOTM^gfy?FuD-4^T;=e7w#Dkzf`}ejPc@u znb41W=3MJiH;ee|Bn^`^oD%O1lLA9Obk5d>5pKM`7JtAIu9tCxj2me%`&K6#GZmPv zInwzzj)`}CllYs(k0P%-#>CdfaEsGRR_f%KQY3n`=rN>u_VNtpUX+E~oNr+hfo~T- zR{S{fjG?j&PCnk@l5gV4CkVbn@I=C_Kx#ik%u=jHAZ1v0&9%!;i+3`f6M8Ym^-fpD9~+gsq)d}?Hx=Fn_K(N1*frrE=XbJXcdz*A;_oBR$55V1g=%c1 zkqR^1m}#TtX3Cf)V>S)mcr_NS5BEFV?8JCE4+x$k_(8%=r!Pxm1tpAPddQ7mZ1(5F zG9HmJmj>GxOiU%E4cWBzQl014*_N6fmGzjc$7%7lE7KKNO8`UvoNsS~(dUbQQv3qr z>#*b!CJ%+DoS%`3_wls&XT(2Co`rQk>@$e{MW1tg*P@6&FMOf!MZ}wKdq7ePJcJkA zSo}B6gCi`K@uG|+G?-Y~hms91IlZ@i#d%ruQqixF=H(1br7=l1yz2M^55~(`Cj2$w z%MGtcu zde?<_Z;Qfv65f~a0R^6(!li{e_$_<*cE@?1?m&o4a{g>91VtX^C#Fv~|+Hrlukz zRe>E}umO$p3oPfX7yqsJ4dj_~DpU2n!$ybK*(|#61b;912ZOO5Z#Mks@FV}?1USM^ zf`1nL3t>I6WCKQ-{_1r3fia4H6aBmBKS=Y5@pcn8`uoZr6stKQGVQh_`&~T8`oDTDS{FE8{ z5?i>{$}++>vbL4A9sX_TplicSF?E`6??$dQYIcyZql}jLS1+rQEhkv)iENM&fFtojri8JBG)CJMV zlaVi@fCewBpupF-DRias>ZlY+DV9>=N+Bm-YZ2RHT=`^ZRF0K$oRs6K@VasmRmhXP zt`poikvE7VoG7D{jLv3Y1HO1CC%MtvzWWVL2!aNGcCqU6_86LTDCF zm2jGb(*G z0elVgbfezJb@Y;Pu8i|&FvAxYZ!v@_obT48c`=*|WL+rhB3ir!bT8+Giyc14dL1tj ze5v5e2s63n6rzV96)tytgQf1?!utqM64xCU2h8v)b^0!g%repCqEn=KB{_K^5h@)1 zU&aECP${@daGEgxkSyeE=wd}u>u*@GHPh(+7mUYB-V3w{8URl8R2!p z`x9rXwi1e~6}XbLk|`^tUP=QM-T-@l!vKe`v2O?i1rHM3NSJYh4hPf;20MMJwVbaI zeWmCjr1u4#DdqZXnu40eCyPQfyfI3x7!6(wZo0}(QhPxxJ+9VChUz5O@FWZpgPvE3mKeI2&0ufyRJg^BKSoMG+d{@@8DnVh^-;w)Mkb4GgHS8v z#;T3sHdpU!A0y#*sbi&%qZ+Hjx%pU*4NGz%qmOs%0(+TGkadTwiL{t__@x>xrAdxo zc0|0s$-<`ypGuqsiH0>Yx8Lc)Xd9n+mxO5&?xw)Tx7E*6*j@$80fl?q>#-^Zbg#VW z^6sO@RN52}_f`orTp43Q&6F}r%4{l(yJSTLrm?2V(P@P-h4_C(;eJ=cOEI(uq|TB0 zAXSD|oWRB(i9C#)2oJf^WlmHcmhy;{xl~l7Vz@7d$%c6@TzX~{9+mKzgvTkcx`{p_ ze4N0GIyWag;Z6_hCz>zkNjVGX@R?#jID2yP)&CZra;xfz7}C?So{{w|Ef!lC$d3LZ z4*Ew>&$;x#JyCjI(n3j#C^0Au_QJRHVhpcF_k4K4t*)mt$I>WxYa+Wm7`^w~6qo^S7NG`DNl?6Th6iigJwQ4l5j9V0Ztz;FW^k zAk34atU^~!L3q>o2L{HIza{={@$ZmlY_agtmpLBb+c zX%$-R3aDwQsYwpv{}-zyANpBVSyS#Ko#kVlWfjlD%&}$RhY{A{6ZdMYy!%w%YI&d0 z<0a#ZDF!C+Ulfv`yYx;Q{0&F=LeiI#)=*+$gdr^CF@EtYH?C&v;s|SHtdsFI4aOwL zrWas*$T!XpW#~AKmK2>1|cux4$l{fB>%5PGBm+}V{#xu6u%t;h+F?S4^L|U>EdnU^fhwp=jaOg;rp1BWqh(+tJcH1uZ5lZip^`?cKQ8j2&d`D5E6} zJ{GPIR#Vr&x57@Y{Mitb_s&vwkRu!lnjwsvIxzy@TOCoCE0Wf$q{@v1=N^5Dv>Kt znAPTU##uhTlDL<@PkaVN@`~k^&|?Cw!hUkKNtCsm788zf>!*XFb*!x8WF1e7q4h&F zLQCWOc1|I@6Wp6t9K93eb&}Vao??XEz!um^E-hb+bK(dmOX?!&6iQ4c?1IE>6+~lB z=<3e@SWo1sa!!+Tx;f}BD@$P#7v>CwGu*kZG+x}9a=OVmiw-XijjP%e(v+mLUAlHD zFAW!Wj->9AdQf8g^}}9M{jv=lfQ~s3J>A;hdJKEXI#TyX-~)UDT?}=} zs!TZF)k6y7RbC+VLa7%~WokqU&T@4{PsSI!xbf;JULx^QiI-7i!Yajby_ryp(HwjL z;d0l;y@$Wz2)(8Ck(Q*!SgGQaX3H|AE>#^I!zzgz+x)`5_7uB-|lkA_c}H#`EESIbo9X+u7jb$>OJopGsb777MR(Y!3#X zggf0i%05EeC1;wPyXml%)-RbZO_qjx9RFV{BJLGFUHE;(nTGHlt*^3TZ-z^|o)^>5 zOi8mO%{B=w)%q%nt@~Z78Wp7nB+ZfZASD(I=(oa(n*K;1a&4F`D)X?kN2JZA#&-a> z-YUy%PUrL7tG9i-9+mf)yvOOW@>7wryL!Tn?z_edoG;@^84GCe)s01pxZC=Gl$S$K zx%v6XXg)3T8JW-0{6fbL;q}L=Zr^F|Ryoh|&U=MtSYgewuUvY%jrLC0q1~rCNo*tC;eE+6P z``R{uZ%KMv(mRy+xGV5YsXE!uy?5Pv!3IXYC+~fEAJAje)v#_HK6JY9q8mRE)A`bqrH;(sx|K9g?5`z`$H{06Jx z|0e!-@qZX!fNlZ~D*n^?#C7rfe~JHF{6FNGWE!|ff<2jkT^e;yyopVcnzd9*3jeBK zuxyL>OF^m{JlNj>W_z5j6ouoNW!e(c>wlNc0INa4fA8sRf zTfy5AW;A1zDvq46z4Jd>PTfKLj^bOAXDaAdoy7O*Dy*=8#Ru}jPOhD9)!3b-?INue zH6}SMyn&Vd60kTRskK{uY=pwDvUZcTJ1rJtSaqa4Q-;?W#xWIR$~z{`gny0Noz0dU}_93Tg5Nnc{%uBZf-clt*38@)}gXG$U2M` z1H*;|wdfwjM5lbruMda2Ry{3hM@Z`^?MP}0ERBYoU*b`2ZMrd9N6X5Ql}n3(RVK6j z8&X~^OSm@28c2E4@}(6}W87=a(L!twz;;fdOH(e1VHHU#mQ+GXZ!GjhaV$pz<6rZj zj&XBW+xX#Fna9aIo+kU!>(LfSB`{qK-I9fPEe}BTI~Ctx;RHX)=m|0S6LpeKI!R}q zgl&X!yqT-eS&-#Sd#tn&PI7V1U-&zYaI(ZM5>KJXn2q^?Gbs}Jp{rY`S#~&8)@ia% zr^P5zRR!%cv{>`Q87}Q+Rh2U(b(3_KNvf(?@q4yQ6;@R_M^bl5Jt*-R)+DQ|QVmvv z4Lx0((mBRQFKOpWJC7P)$W{32Y1!v|cWyi+Iv2>fP|ihkSY69t#0ct<7d!rjb?03o z{8HhU5$6-f9-+19PsGDQTH#t7;c_>R>lXv+EwhizBu&0jGH60(uw`*<5Qb9sKD#h_ zW%A19rRXu%5rMVkcuSyr8Jmr|)X^faQc{(qv`K0Jpoc)MhQ2NxYE}MzlBy-uP-66@ zkhk$&2g?-Xgj#n}w%~e3PMw_o<_yG_a6~y~q349)&e{j#9cAUz%W0savM1euJTnk0 zZKyM1fNMWnC2yd#LDCwjdGfpU z#-yf%&WZ+N;#!w>w~(%rG)&TPlN1tPc^Hr#Mz~aFAzd%&21z$kVpI&QO4p<2gvsQ2 z1&G0suB9J}F?f@-o28AS#*9A@oifB zRB>y!xpjw)Si4=;SXtv}dCa5bRLm(Q<6YXr;$woOJ0wjsN%4WCp^zrIRB7=sS<)0q zQz>!OHpZl+YLe>EL9aPhzAD9wJKX8^zZNZb$(|B={`z~ zlDc$RKdcjmMIcA8Q`Rh5vuW`OlwuoC6$2LB{VrZ_{VWeioFnl;iu|I9 z74GX<_@mrOr7$%kuMoX|54k*i4Hz8ZVabn3o=cg@r7UEUc;#4_^IS{+EUQ^~RN7hKYokwe8Eo&UONDse<06bNxOAp{i&-q`MM+Cc!bXx<5)hdN6K}#x zF1@pT%rh@bS}N%kN{l;;kdzK>*nEOQl2-Woc&)wA)5^HXQXTl-Y}YVn_u=Nqga z`qsE@COTZvds-YmcQ0Y}hA-rODQ^uuCJZ(w{kFbx>7kN%TWck)lk_zuzKqI}wcZB( z#+^Q&#tU38=UX`&=rHMGD_UeNlo}TG8(qBnoEX@562F)D14Whr?0-sma6h{Bnbie; zlJ&E!Uuf}xWg5`%N!KR}F<%Eo$FHtEW0l6=r2Q`K4{D5#%wTkmbDcJ>Z~doBC6~o3 z{7cf`lK!F8R7zzlliua?uUlVRDYZ#fvz^p3!@s)1sti6&Y)*+=;rFJt*nPI5{?_;j zZ82%hO{+j}Xj$4HSqs-5+cRF{Hqy40wjDLzm`eO2v_hD_ws$FICH@YQc9hhT5}#Q; z_9RVLmTr#yom|}B`f7HTxQoPA6crj46~+V`G%3(nYVFcGYaHwjro_&6^6(CEZ<7sDIaFQ;d56(sk4{wsdRN2YPT$obhH`}Hj-rnw&AUP^2BYaVKgOfn zYi~V4N6X8RmrIY2v3}qdx0G;co~<*JCn;Z20VS4soGF35Y4K4jiK(ZBcncJ|xsy$p zD3Vz$vxFw|EG7eFsyDX|k8$nup7HLEm3Ex8qqTVl=SlcjZ$c8Y5a_^g%A1k5?ZT8^QsYoFL|vZqQrP1@5I8$0TX=hPur?~u2vcmEcjM{9LmGfdW^uyVHqK=l%&e4gw>qI?x zBEC-06s<&o7atBEpGw_WXBFcz8Rark zG57<;lfulqj0^18zkIFL2(+#HH~z>n~gBPN&L;?N0Ddx z<2nYI*msNLOKoJ+t-?nOA48m{$Crde4vNp)obNq4Ue4{}$BG|Eo?lWcvNd76vjc3! z%?V=f5Id19Uzt32E>^$7X1o{*fG>TMT=|1_9zE|{g(f5&NhkoB=8G7CDi3wu>UCAkkW$H{Rv!u+X!T?Y# zBLCm-^b;4v03HxMNA!b6bE~#gc*yB4HZI^{(T|9pYjkl5ORjlN&z=|0{ix{2L_bcN z7hjLT5p`9l0%EF>D|=0h7e8OhlTsE?VRFFz_CsO&l;a25y*@4c8R5?oX9yh66<67O z&Xu`rhg90-_1-q_7 zV|df~ZdQSOOZ?m7-yzRTfL(3FyUy-t?dbQ!zAyFzvWy-qNmQn4 z*uY4IKV9f(6QKT*@VA72C@=twl*Z6s>@ehfzcDd@P2!vFtQHLZRRA??VliWGgZ{Jr{Cptn&^M zc9hVPg0c-JKV=5;8+F*pm0PWnu(On1q_m>KFtX^P$L8|c(AtG%-bj(Kn}ppdFpg?d z4fU*g@8SGQJ>o655x=MSy~wjHs^jjkmUpC%HG$_BS|L zUKe?%&|?w8A_sGoF~7X48%5dpa88wRnvBzFu-(IPQ4Q4@d^}|WIK!>)ZCuouvbxDS zix%&xy0HeY)3QbuR%g4@!}9Gpa=OduVGb6cu0qjMnNDUyPj}k9j?>`?z2uxL=R7*R zA7m6MW#N1`uC=Ukfs6}fTttIO6F9EvVy9c%-CrX5Qqh-@X3i~Z#3!39hVNePLe8)F z9Y^Rbp^t>53)Ky!rF=t{y0HD%Q7Ds8E+IvMcTm?*jkYW83y0$u8>+mH8Unh8&;NgUM2VCm_qb_U02p8VB z39;8pxIw~=6j*ZM>M`^;6Gl4!vwfbtN&L;?N0Ddgz=2fgx8~dI7FV9TBHqBQQbtP| zLxmk3X!Yh{SX3%iQ&*j7Od;*w=H{VC0KgG$mpNAEI5QDg0~W}|LxGPhk7-73wipt_ zoFMZKnGaH=CZ` zW_ZB;s_^=*4fng!{9~LEM|eQW94QY{`R^5C)s_74kZWZY(!9Q2Y zZRUn~uJo}ly^l(HOv>Y?;5}YjpI1_XX4ez0l-s*}zLY1WETHm#E)E+Dgr{69wTpXN z+B4FgrN)$t9#1W-@SO7t4~S3cdGQOyFCwouI+7s9#W}sg>Ya;4zbJYMX%;v6*p3Xh z{gUGoYw;_N@Urlw!e1f&-)EVJ4MOl`#=T0riDmL$lee5+toGE_=Y|!Ims(W4E_|i% zHw@=4ExCE&O~>~+I$qUV!rvDDj^X|Ag2n9ncOB2zH;(s&zc2g);{WGCU=NJ&p=&9- zhmWLvENvAv6;Sw`7d~+~Z3Bxw6}(#TXM}mfsOBa6Vf_Qg`x*X)@Gph0A^v|Z32Uc^ zuUsp)OIj;!owTp1F%;}U#(4V1@rm7HJgpc0t?&)R`Lf`YP$cv$M&M&AkxPSY7}0l< zzL)d^C5C}dG&R^=>_^8>T^hsqN%+sge<7~=gclNt@T)sXyN%!E{4VDYIt&7zWKa-= zKONttItKBV@V|xsL;OFt!EE%eOZ9dencMU4~ut1z&w1`D69@ZU{MlRp_Uj<7X; zLeoTebK)#mHy2vmS_FMnEnH07y=)_KTZ!9I{BI87AP{_8aj%bgJILEnUQ2q+=GZ*4 zJ~b#e?Bx8Zm&a_rv-n-aw<6CgM~5@#*S24F@{^uXPa|B)+})gN?66>j3kH!XeJLvn5Fm72iSpVdR-8@eZkP2q}E- z!iY9^4xb$(_y{>27XvB3&9Xn1UV7aN+UYV%(l7p__!WD6rVY)+Bl1Y=>8$ir;XA za|Cx6+{55RUVd5V>G1r52=@|vuHf?s^G%6a!&ubve5V(;iSz}cFBE+dXy=%UWJn9&QNBsi}u23~;fF1v60MAc>6>83_&5 zSOP$~E*l2BGuZ|}Um@p8IYa31O^eY3eK8dZeetMjXTw#l&De;);s{qu8!GJ@YAg*> z$^PM5XA5kc-F0Gzi5*Us4RPeT>PA$su_-5>=m@tCu_{jWs@TmLt!OcVmaSF^CB=?vOFj4Qzd#!7iit+~LM&7RF>5Q)En~!ADs- zNWHSv>4utcr#mC9fA20i)8yPuM>kT{Sc#!ssc?@AYb=m^B}|ua9|dNBL1<{zrJI^C zVTMb)+P%z_G)vNKO1!c%JeYc>f0T;%yEEk{{0T>RK+YUF57J>GD<8zs9I1Y(6qY%w z3=g?>`Txdfdsx~d(&kcQM5l0pnAnPH+B`RA?-GqiWjrS1aT<(*ikcLj3!dc@F08dV zsq-Z~DPaKx22nZ4jHlcf)h-6{w2WtDJWGRxQ`I1JeUCb z(%6_z!V4~ZXjA$YOL$Sj5(+FYSOVmSmz+Muvi-}Vmx_LcH1lFr7T-afJ<2X+nb_CF zE+@+;!7~?N00_RfB+*1z;aXP<;&o{&rM*FoS(qav(BBiwmN(rxz}{_d$$DGXJG6M; z*6knOb>T#-D!nJ+eF+~>V7(!U`2gszb?-y>M!bSQ;|L$g`&iy8dVGo)yitKGO!f<( zxbes6_((pLv0BDwG#C$cRmsW>R{hUp(UF6FSzT)^kJ=Z~zLd6x8gq;^bPlR#?JJiC znY32YI!Rwsvhutz#qJCiGwAdD#>G=D*4In?R^kSVj6bYjl){w65H`ASlf}b#626!4 z0|ll{d~rZAi(A826IV7_-{ntIewOkJ71oHbpE17`{pxs~l`+2w|6TYWhGTM3BYJ!P zbbOM{Df&zJ-@^YP&a!wQ?w8{#{&l{ijU(J7zF8}^O7O4v@>D}93b3#herRfzJZ+;X zx5iIsmWXdoo)5k}UCHIlkQZCHv5hTEw~dT#Wo$=-#aFtvB3+Ff%*w^~?mTob9Eh7G;nsFeJgGwc2BW;k>&lDp>RZ|#QpE>#^0;)2OMD^8T-oEkA@X3 z#i6a!XV|suFS?!R14whI81JE^oS(h8&;phsNreMlJ=4^Kq_&rOFjdwM3o!~J9OCf8 zvAiZ+)uDnr2tJH3Q(;+Yc^y7|9q#z0pNqztY{EMVKax0;6)r1*u|DA_=g+olIa+*< z_+0Y57WAYhL&D*6d&Q@nCpcel0pVCgCa~-SzKQDXTj<(37Dkb@VreDR7_kG>b?D+e z#_2ZJ|9Y(G<3t}%x+xj54VJ-hzVdK_JHIC4g`Fs;lbp_USRC-K6Bv0EPI95UUDC-C zx=1*M0;35d(3Lj2I-m0be#Q|_6@Qxe)5+VN=WV|8GhFLo!JH|ro3yj2@m_dc`RQ!7 zfuBs=>1ob6a=OduK}Q7xMrkwI_H_P#Y;l^$DRkcz^m5j6*)u^FYseiw(8@pPu z-cLrgj2aqz6O^VnW?U`NT30@Q2Y_*7(#<--i51N=zM9sva2Nwm2iy- zT$f}ZzRHGcUD*AgC|oCDn1taJcukc_j3LCZ%4`_n#s~XE<9Zo4$heUP({3qd*QSxy zM>=2hA%4aYZW4d9_)*4VjvW?g2;mmz$64p+t>QU^~ zN1k^O&yO@a-i`4V!UP$2$e2hYzM2xnT&)KU0Jg~{xp#p*zsd5Z$eT)!kG-5LM%QDo z4hC;QyVJEEwyw=x(xyqfn;H`%vq;H66kKSUxN@O|bgz`@QtqR|(ljS`#WR&*hSM|o zBaSdr^eoY{Nym~gF9+|CaK8%|+36pUFh|0J6k__#%gu7ED%zMBn&sNXradg}5ovR& z#k`(}5;$2O=DBf+8IQ_%Ovd9hSPsQ+SeSgk{(>jmT0bJDu=%o{l(m2stC{FR3S3_= z@Zz3wY5z5h0z|^olAe+DETtIBd3mL%5R`}KT)E7y?s+K-r7WVt`@tv#z0}LY3vOIJ zEneAT886CM;zm^?=3#MI&P#4An;eaoWh|BP3Jq161Nt#ge^82f)un^&)7mmguSr@? zi3KrBJM^-vZoa~um%rlO(B?vb+p2VZe4Ei`;n}VWv!ycbjd|p178iFxbSkb z7|f>Pa4@aHb}v5>xy_@%@(6dB7X?J@i*_LO|((oZ%&Xsx7mlD?*7 zp%o^}k)1jG9sRrCxR|ui)=T_W;s%PA4~i=Ah{8rUO3nCA#`iLQpuxn+@88vFPI3)D zx^k3#)BZ`y&r*J&!uL^Gd1?67*;lPX_?y_@#r{Fo(modaZ@}=cKV2!aEBZ^y-%|de z!YXG|3JCu?eyt^dO~RYCR?7tcD#4%(%PT?6U@QF4)G|rg>9@vDXqkv_PM&2IcuW^> z;dF)3+lby)^mbd)xnX;!D~;Yk^p2uilIGoF@pOIzWqoKTSJGBX*;&diQd&`oC4PPa zohfA;orRvO)|)*GYFBx?$=jVCGZiNE7lu6??!vr)BeW5`r{KK^$4ru+ml}XpJR1so zyVci%*hkjBvi76JOoCb(nq;__wk`~NudBXFB7ZB%Q_JI|l(9srFQ7#f%EVP6uv!>RzZm6iJ z2*c+(`1}ZgIAQP2)Wo7C!FE@NE>``ruc5+&mzzKpkbWq zVGL)x^3s?X#5q#BOX)#{K@3jSmJLRKQBUW;unKQ4@#l&^&v*>+O&8h+2au+-PMc;^DBK%U}ml5aX3`|#}%7?*P&cA3+xwrT};*;c=s&lcE z5w^s1dar}Q`DTAamQelaLS2Wk;!ssj)3SWyie1(K7B@Cg!r-dbb_;9aseCDAEp!Y~-XvDZ!(uDpHplxO9P!(Qj}<09#!Z6U$ zI{-5gFtNjhi>-tBE(y~l+)aUH3EB|#gHe=JhI`x?+dkgLy)vfDxQ_D7@hKv2-&X zLI1i}ZI`u4Ub9`*B*4E)Q8i_l=wHpApsnyzQ={M%OW<4MCo~FVG^fEEX>7n~vrJ=X z;rwK)b!;PkTk+eGXKdA=pCyYtSDV53p6y*~Yg3(ekhG(umXvt+Sf7StM0aw$@}?NM zI}6`Mcq`&8UMd1U=(KjYbgu~SDtI@+yA#%vz(iRL_zrtGf8DUiw-LXm_`S&Uolx6= zm5I??hVHMuUFms#RQ8dwuay0$un@qYU+iPn*6E+NkM#bc+lfAaG#iOn?=Kwa>>_)k z9VE8B*n`Qk1Sqd7&8@6%z`nhQxG{IDc=khObdYfv4J9OW^=gdb0w=dVp7MdRaeIKhQu&xyi`5;{rf zOo2CyrXHRZK1ewKfvr4nviL6IPa)sbt%Ff5**f(Ec6I0NH8>THaH^cs4Q8|f>CiVFDxB_o ze>{Js=qk}^qstpA@Urde^k-W~x}WH3(KV!b{Tu~{f&v4CYu)%~IsSknWMtII=ubmY ziZNdpR#Fv$3r|=dX;wnLga!(H%H`<+#n{Vtfa9NA&)PuYgM>E{Z#ut*Y+>HF3tw7< zULoO12}3BbT&xRadEqLD$EV}{UM+a2;A;poF4-4`27%KjSt)v*=wYIVljfykj#(v2 z(GiX>wr?QU3%^15jgDiW0!oRIj{nbkoCHU>N%+meM-gXQ8;DYZ-`sC;{&@T5eyjM= z;>VC@YmXDLIgh7rY9ROIyUn!?miKR$Hdfj=YRoqH&{B>40oV~W-j!VY)G|TJ9a1Jz zVXDCTLdXMbX-#tDF1xnLGN#CwN`vvr2^Rgrolc)@A6o7bJx%o8Mx*bex+2`;^ayKM z-Ya^#==(_XYA~rTg&V-me>2?J#wG{Olrc-jY#MxSb?9JBWA=sP>#Jg-ctH3Z;SU-f zFvbSs&>nJpjMc>-7XFCvxy1S0`Zp||U79Kj^PK;~>c5YQe@y)2#XB zH~fer%oqKn=mn&i{<${pKo%%Zx$v?z7oV2!jD%+?@bn=RW1#7CP7k&c@p;h;{~ufD z0cJ%JrfaS)m<1(EP70XjoHJ3(fPkn7A_9hSA`DET&I~XpS;d5cC}Pf8P)wLmOqdmO z!hm8xQA{W*>ixd&)c-T?vwio@u7~&Ss;;iCuC6HhDbmahSbqX_6xCCnc4h34m^{x& zc~;7ER2V>Q4fn2H?eun*n9qxTLG+8H82|^}V0I$XG`!?Wxy@*MS;{L?UZujiL2g!Y zc+J_x^Y9an@VeMFV&5REcLpk$Xs3VE@$Ywyaeqtr+rr-=&bYIicv^VZ=|8MS_MYhX zMSoy4EAIK>L#J!4+WwK~wW2>J%}O6>>bT<9ejlU>DpA&{*ty;+TYYzSTK-GFaJMoG??+Pj3%x0b%4Jft^BYZ z{xkDsaE8&_<0pI>h;B;S&R>95z{=3fjTvU_AY(@vJJH}}qlGj(FYN5};&w5Sb`ia+ z=-o(XZe0Sqn3s)P@;>#;kj2wcwfQ$3EqDj zjNQ=>aQG5~4-}jwIAL&UQCUq$I{dknZYjapf^!IGvOU(Z3As);xBHkUI$v}FY1O>h z%!3c_Y4}<_$ep*ph;i>H=U_R9&{3JrWj0XGK{?cwX;#u5CgpG`M^Irfsa#AUK+iQh zyN`6Ig+;BuoB?tMnuE`8)OI;*S?UoIKx_*vqIMjl$_L!iD*h;|t*g2_q$(NWtz#ei-HS zo)(>xM2{9d#^@s5>9J0)d^X;PlSQ8*`c%@HvN};vU{elGbE%~TQ7GwjNkx=0eQ{Vt zDN5;3>{ffTN@SJFDx<|)p27w;34Cv%`dIGDUZ#wbGG0mrmCUWcT1U9u6P)j4{6z7U z;;YE(Ma~f4Tm(#_)yNz18|Q%{F? zkXMpIIAO92oh@EdButgiK!GnQ+;S|56{a~}ULVhYhVV0mPbba-8}rhc%h7E)!;Q)I z4LDQAEE%(DFrl!J9lotg!yMB?#=2dJEujjku{-;%F7&bhZj*4k zggYq2ha!=MZp=HK-^cj7#NRD`DS76mfF31mOOJVD%iQ>QTFig<$hcR=avGUJ0jo0M zI?6Z?<35*qTQK)adO*^Hlz2Z9SQk1K9&&n62mFX5tPuUM=trE!+dL5-b$Yw5f-(F^ z^y8veI-TMa^Cz5sY_CW^DSDOYr;JW>EKPXY={GNm7yFFpXGK3pn!Q}priImx4!J*~ z&kKD)=!-=89N-I~ys{nxYw_-S$(>=>N9ScZugH0ojw)ZNL_vy+MugYg_~7Um{nurz zk?{r%Wo#JO`qAl+jDAb>+oIng&2csuW>#K_4O(mPJy^^h)puQNT@oYqp2YVhen8PL z1|l!!LwAm|i}^^-S~(xnQPi@sQT6%6>G=cVg?uXdGtuiB)4Abur!O}83(@OEe`$0A ztN!PPublqWW(a;Q`Ww+3Nb?~mLGG-qC<@;?zn#@Lz7xMu{P*NpvC8J=C_gwnV^WOx zCc!@n{)uqR%Gh}IXQww=cKb#2uc9}T<{jWJr8(QGzu1}H#iAo(FuzOOBJmH3{D#ER zaN$p9o7sE%FR@$2{!KP>x3I$}=E!hevVYvkzb@Y4f8{i3t*-?9&D5AN)jMp5|H^zM zOg}hAW_$dEj|9O@8^Nj2%;A{^?;v?&b53QW-_I9|zs^t3!?k%_vVZOky@*^g0mSgv^(ASljhvQ#xgngy#CuM&s@%*W9 zfWuSl{09oo5}Y8Md2Nl;K)s~%9jvE0B|ckx4tZTF_oxlIPCt+zqmm~&Uvz=dIr*G& zevs48&xv$D(Fcn@#Ase?b~x1OS%*jZFwuvLK7urBqZn(9_R$hdf8titN4gchi&lSG z17r=P#djP=SzshAmO17MKu5XskTt~)k~CP-5K0WHv4mxx+*)DQP+7;wI+m7_3YU`; zj&pj>;W!nJFiiCEqKA`C@mDOMToE#T=h#sLLvFQzJf~BlE`m?3bPnonm;sZ_{FKHg z)CfQK@H1kGaDvV~Qs+LA=Vr6Wwv%8D08NMwqgim-I$G)&svTWLU=}*k0%KfN zQ4M4LBzN0MPS#0I(Me9_Nm@2K32OEDf0+oJ=I-_87Ro(cZV_D-3RzhNq1fRoPsRCo z$`Zk)g3AaqH%}-^SCyefuiW`cTZeL-`0?T^$g_fuH8ioxR+!-UaO)qKD7;d56>+}Q z5d|xZp&Jcd4@ae=^vqhyA6+84kV(COYGBaGe@y8g-Olh;E&8Ehy zPGb3*R23Gj4|CiYa$q#($~a5L*)(|1Qiq=nF;9H##4CFyx1eoPOn=NM9^^f#`)sC$W1=PPoMBPF7ki5`C%Y%bd=~rsZL= z)3+TS&waV*C8Dn|8XHhzJmHm2zcDb5|>j{Cau7XfN9}A$7|k?mwvzS z2ZTRJoMr7q^#4|r)?klC>_ieCa%&gsCSM`zVOfvRV(e6^$N3G@IML-%7jL$2?#CoP zE^#HrOwqV)V#KsesrH1cH<En^34 zO<3*x^x~N2&x?OS{EOsyhtQJ``X#4-zbVo$i+)A)tE8FGCG`#U)kWbo$D7%k|8?PO zgug+Y(Z_mRnNGU!rW=pjG9hotcw5FhW}q`e3+Lfu!;O}g#3;Qd<9!()(BK7(_I8|H1iVEMIIA|D*Vy$g{jegLqZ=+2M0+YSu4;e-*r$Fs~b>cu83)S{i^#O&+Kkl5@F{aeN za+KH0ESb>w>#dv0$x%90K z8QekAj*@nwq{jkFI5dQvogRH_3}P42yNce8H1j!{fzhtU52)SU7`SgVn#*V*V-Fg< zevFi;M})LW;GXXEw66V@a$3o0O@|NP1nv^l5ZXB2JvRo?R(Lz%?F~;C)#H04?B)2N zxe@Omyrb|=#CZ+a*AAU`Sg15~c4M@SlIkL(tBh_m7@u@e1DE#f?)Y^UKo8+Ph4&)P zOod_$RZL{6y*5SQQ23@ep2?Q!l#1!DojNX z2ROg%mdGC{K1+OpJl_QAdUVyJ=`NEwl5SnUC|W65*|KtI@sVY2&qqrTigi|zb6q>m z@_e4Od}#&L_y`u{qp9W~hwpp>zu^e|1RpH;5QB@cZf-c#;UzZ2@-V@N3qFD{Qwo*u z@t8cp*(gW4@|V@u`%4)hWgrzk6}*N5JcV3*IvnNFFuQ_5k_Jl}LaDjJY4j#TU`M-m zlfA}<$~#8hvGmv+Q8un39Ovw}He+d+*yF_xC(C?@h$XYorq~chxG}{VK?G89N{FvqXmy4%$G4wpTM4<+hz)cv96wA;hZe>6sf0DWjL4)ip8KD zZgB}iK{$niPZwN7IHqqhiH%l}dC`yI(nt%TL{h1wGD^(8Tor=L?UXzJrIm=|#E%zW zLEZvM*-f0_(uo$xL`jvBswnX}#0VrTP=t6@yU@}mNYqHEl`x3{%PQ_O07DOAaA(hF z@lQBHT27sudODnA#AMFaJVG{euwQMmo1-jxQ)Et+*+7%gQ)ozoFwKQsET}UioGD>C z1x63;@2JaWRyLa9&Y3m_cBY(Ja%R(sHO*uW7kI*07sYOliziv^=1M$E;@K24Pg*%2 zHoi*EapjRIv9y>cO(RggMt=2Kh{oux%egGuOM$1 zQNWA1(uI>vxJts+60V`ZlGWyC1}*-5ty@!`Q>>bV>ttOo>jqkSrA)zEOZXmfeAMEY zv^NRAS@MG^stxcZBlNRat9TLfV+X6birLb773tJ#y}qvz$&W!BUBFSZpcW=SHE0a=(lRWIRZN*TG07GyRtjxpKNGE2KOu z%ye^AjD`1QJQipK$i3_KXT5^NZMD#cn3cm}7a{so^(= zxAYf_FA%|71ph&pCoWAV!=KL1+CFB_zr=18`#0J6fM#c*U$iXz<3^1o;=eMQwAH5v z{wm+_GOIZX32Qvzx6EfpcWbcU9zWr;LrPOBj8GDhZ|3aktQh$n#O^3|C$jw7KvvGi zJZh(FEi$`^-c|H&q%HcH>#Uxbr9Q8Y$s!rU^_cI?4X!3UBq@3+l?$! zCJP-+7!l=kDWixZ^bp-sbT86;K)6vzX*s7q;r+a~OPBsC2a7mK>Mf}cC1$gt;$%VS z>+qgWM|fYs`w8BkFhfWbWaVQk3^XI4Z}R|`miCI$fs(Q$B`E0;%*Qn(9UgROgj0gE z1?Lb}{inLRzIqz=qRVw*@yk)jlaMc=fC96_g!-yl4C_D}(Lrw9XZXabh%W6yDIILd{QgX2>< zNWx$VLnyFpW(Wm*-(t#yEB9C!L!}%em}+!<<}qbJE3EoTfJeq!K43KD3i*w!Ty z#=81|UC_x=Pmy{mRn|`MrbWk5IL+~#J7SU*3O`+V5pg|rdFYvUcGb-|1CCH4wp45x zSzZZam8__$<=~=ncOJCpjFU57P6Zv-;_0Ls^%`MPwVMx_IZ|}nJ;q>(j1Y?m|(X&L)HX6&| zVm#>_r&nGX>A9lM5`DJOI5&3bJICoe?cDQ3pDX%2qp`py2DhB=^ecAm3q)TidcM&- zcPd=u^c{BYi$yOGy|59@9m<`)+vr82FBN@RV>%HQJH6EC%SA5{eFbS2f#b5U^X`=n zpR-rY30DceTJSZ5d3&%H2TIp;xYqfi-6MaU`0K^rK%Vtl>>tge>`31x`gYNGkmeOs7p1XK(>B;emQwYB|8Vp%!m7&UQ&)9afJItKOp)+qp>SS0^^~azQMYj zR)~IB^dqGC;A5{|d`PmD3tblOOwCdN7!@VwaXBmLG?(+=^6LrrUb1Sylk!%{dx~DB zevP?!+%y-1q+Ge&lxL(oE9E&Vnc57Oe8be*u-c8^%y?eL3o>4$!Ng5w6&F=c#Nx5e z-(mdA;$IQ}DtRVu0)1|I;WeiZ?iDZnbqPJd|U{#5j5qSqPC z?e=oQ=T4t!HKi{^uNVEL(bzK@`Qj_554|d;$=9O45xs#lAFxC|_7|~6Gpx7d+Rm1g z-$~mj?R#pxQB|Bsgc)N$IKQ{eGu|ZrNAW+A=Z(spf=yS$&ra{KBu45N(Z7n`Oqyp$ zq!L+Jk?=R?ceB|1E`E#nKgct0a^X14?PJ06rz>kV#vuNZvQ^68RG2pzL}CJ0!urRJ z78c0AGMcp0hXVepl)xsim0>&lSLPGp(bMDUx5rQTL=fDRuwKbHeKL)AGP)X?xwD4_ zu!Ec(J``Dpdd!CqC_t|nc5tp)^+kdm4$HHRu|b*P=>JY~{ z-_r&+4ikU8_~GQ4e$2oa&@lr4ok_n|mU&OWPv?Y@_&Xw;h`)+UMZhf2Q4Zgbif^Km z1dkRxhA|De_-Ri6X?2uB(Wi?pBF)mOwyYG3 zk81;x7`?ri5A7^(JIGgo5fhD7sW)ipJ${^a;VXHYIUATJdds|F1gFW z^1+?YD&w`K<(gu=>=fx!r8iLL_~UK5#XWQB)7+nG z{u%Pmls}z5^HP?sJ~+}tq7>02ya=ZZc{ z^x33iGY8t2+4;(j4woJ`X`ZBWC7owd3Ok9pbiPZM9UbF!fusv1&8NgXn8eni_(XB~ zCwt&77QI09Leh*E=xsq<;?h==7D>8P(q)tw1RDHN*IDfJ$q&Z}T`qcw=qpGw2+-St zxYDKZCS4`zYDw3a#Q7h%jd;f*q-$MzY5$mku9I}Vq#G!)R)vr`8Z%U5##ciHmc2@25oj#eQW|dc)4h=uV{w~Kce_q^2T#Y;VVRT{ z?sU41-Q&AN-z|D+V>&-9bGoh3_lUk%^m3z7%goOS_c=ZADg=ll+%Nh8(GNDJ3&KNA zA7%6k(GQD$#Av)ZlcnKNr=R3ok>`F)^y8vel4kQ&NewDNOywtBm|^d(CncV17@Y6ZrS^OOlp2J_IA~G>%^R9OKB&&TtFZu=1FB*+6 zk{s;1=k#Dp#g|3DBKlR*EJWG(9A0y{tu;HpE_jXLHw?zwXP6J}@Ql9k-oGXIZNcvl z=0##4E9ORpck$nui~MI`#NWeD=Y;q1cSQIAe=}`>h<1YQM<2Q{#A5!DgtZbrrl5LM zeySjR;&4?@CLogVQ^B7JUPqXzh010g)O%()ON{Wq*6(tqivkf0LZXRRicQQB1{GKMG$$OWLHB0I$ z@HG*BaO+sJHp%)?)=#ulpu*z9?pR0(Q^Z|5&ZJ)?{VHiQrKSifJ0~YM6@GI%H4Z=G z2)~QoBKi-~e1~zcdVOYkU-;9VmK&us34h7iD(7!H3?WsJ#Da|fIGsN>(*KHX(w_JK z|KYFG1z|hTtkN{|Dn%CC z*{#%ZF;DIyYgbvj(NY>^qw6&6?)2Yf@d}!YZXtRP(u@vY)5#o>1C9VB*?*ok8E zC}Kh&<_u&eA$N9fgn3=$b(PnRo~|A_BsX+-I@@wc579kE_abf4!x9Z#gEuqkVQ&{l zS}^-a>@BemMdn@%ebtKgx~9G^jkei``%2nR(*Bf~)|h3A#eL9A;{2pBF|7|2pCvv) zp4WoJ%gqW&r$s3uin-38WPG0ZeDMY3`E+2U7gs03h&aq7cW0H2 z^Xez(U^$1-u^1)8p-zvs5DpW4xacED^Ex+|H8?fozsKOIK6v~*#-dnZU5Dd|K?ym~a@aS$si9;4iN)Ta5I zBxAIUF*Nu}#$qH`VjTm}#=5Y}F)@gfC7dGRR0=HWQN(8oP_6qDPIIk(dejP~oi442 z8pFY=zvFaUie1>z2Jx0iD3wq~fys=SP*pWk5V3S9cjb{iV;JM4jF(bDg;7(tg%Uv9 zH&1YFtqo0`D6LXj6*bFX*`eC$lkHyCh^`eqi8SA)RTJ@=3JyPHW9id^>jc*m=Be{A zkvum{cKS@~lAR)Ys^|vNJau*s=1@&@xTh5(X9zx1@N~lQm7AM`h5$WIm`Lv0DHi>i z(q>7UO)Zu_xw&`+rn#{Y$Dhq{@l+G%N<2&A*%TQ$4n+>8%^%9lu!80!a%gSt8_bt9M-DTA_ut zNZO^+E~Cbm90sdl&J_oCaZKD|x3-)R1G`+-5?NQ!YW#48aHSiM*~4{}jH_i_L!&9e zL1BtdrE8rowpd*!`g+kfkY)N#>m_x_-4Vk5N2}m)QQZ)9>T3Il~@S3 zNxEIq9h5TlZ&prFI^5|(>y0=Wj&PTRyCp0&fuSVX7rM-aQVZc83HM4^PQjv;Dz6V} z9=y+`GL!C?^nj!XDaE^(hZ!e&?;>&!xmIr43TY2ZdxRSA2gb*1y!( zA>(lwD`_;vKk#yL!V^x9v-3YGdX?y>NZa`{gQuQ$qpzL+85z&Yc#a0okA=z+o7GN_ zv=aV#(JzR8(P+jdH@xKZc#F-;qF)jHDrrlkyfUn*oOx_tbFIR(*QKqI_69XZiJ1yJ zTR1(-a@AX+-xmE2X=TC6P#fNL_@nZe1>Y0=zTgiC>uReiuq5<{PVf9uO#6>SuND0< zX;$Je3$qM^3O;fCMH^K6sqoK)uOrTw6y#(5iq9SXc4a*G7lPLd{*o|bf*JT2eEgNu zUH6Xk*P_1>y}{`0eC#V6zID3H+G)QNy;1b{M)TYS;RmOC*ts`}{!#Q#M(5zE%n3g` zU3XTD$uFXR6}{Q$RCWq$d;R8gw_%a~UGx^we;A#ULNjOh)9Gu^i1c5gw~GGT=-k{a zbY}kJ^v>4H^{?nAd+DPBf0cr0hsM~a?eL$OkBU7D;<>lSPxz=1-PGuu+&s*-Z|3xb zS&`mB^p2u;G8!>KYwpfY?_x38Mf9$scQYCbBw@GT-JQP0+H#wVZXtRPqjRzt?>(LF zUl(K2QgkcPt)0fgP6eTj)9*}+bX(EwM7K9OfnE`;G39iNo{{b#x})e$q&W(t9D{{A zJ3F~`d~&*o?JBk#+2&xASy(uYt(Isv;v1;DdygC#!{{Ner@UVDSRy5}?BjKBH)^t? zv5$=2GWyV9**>bT^A8)pulW7M?@yjJRZQANgDpP)(^cUBcb1uRpqwl@2|6tE z6)Syh;Zl+=O)@DZDO*wwrOc(E?!g^;L#`Vu&B&9HFQb44AM&hROi2g_ZKD}Bj?ho^ z!J-c#&GMr(3mdZ^>hLt1A$OSI!v!C)4bI95M>;&!;QoRK2p&k7H!qQwm6MAvWPOa` zb#;_`HQgB>#AuMb!SaUCW7496g9U!4Xe9R0?!0I9o1t=!k#j7a%r)m>$jfm~Ut!lg zO!V=hhZ~(p<|eYk2&W%vr|4i%mFSV8PbAG0Dlf(-_$Y^WZy9s!NrFcU9z&QBA&ea< zoZiFelSQ8*`c%?9H3swLhSMBwVXwhL!KVu@BFwrXo`IsunsN0=%3@c}T!(+b5lW<# zN-3klcL}HEU=M|I$FHz1(Q(4Z3$GyF0yxtJyTuk<|QuJXvds=jz=z7vTJH85QI09<2^LJW8O%Xp; zd;@vb-gp^#tXNHR;Smeq3<+mSm`;JWAs5rR!wiR;F2-*-!c4)l1kWbSxaX$w^0LDm zr!T!waFZ}s^jV_MCe1s5XP0Zyoa6ZJw&2G+;pYlJkGP&0M4i2>oby8OeD@x+E4V=3 zh4SXpQ!`%@A5a)hglRAMl(@*Pm1bQmYk{nVv{Y4sg~bzWxXmT5tuk$qv`eL3MvduP zie{!#d~$}xF67%F-OD8`k#GeC7Wt{{qHv|NKOP?w>?*NWi@k;{??piZO#s(A+-60D zuM>Q|;2Q|@ktj|Vq5lluPw0Hb3hvX>Ut=hnmH(Fudz@bBp17qTd(&0cj?3%&~>x zLl@q$IffreSS#UU3Os#QHU>0>PnH!K;7s!=f_*i z*YD!Di2s8;a67^64Nh0omV~_=UVeT|!485u3hqRhcb_Z!pkCeC@x>QKyo>Oz!n+Y? z1rKY(pi3D8yqN0%N^vqjh2zjFOMHi6frIQW^IXuJQe)tK)q3{>Oq3~B9 z9-&P2KwQ9~_$ia0-?gUe!(<#T;|Mc&0ZFa!ccdG8TJ-zN7$9RH4Mu2EIfe`!7OjSXATwRfB=txXvw<#;K> zsi;~6B?ot2T@mP0aIKALCrBG9?L=w}3CnJkWtRC5qg+}30{#U@I7!NADPySc;|?{w zs#=UdtP5k^II1cp!pSmDk#VXSyqsL6@o8?fvuG8{I9*0jV z8hw-Kn?>K!n9d2eI^E0Y+eF_k`VP{}R~S@`#*2n^wG zEM86lmICMA6Cph9R$mM28ClQDdX83nM3PyVS?H@>+0T^crMw{JMJlmC$qp|$e76-S zFAIJ}@T&%wl%pZ%HHVAV$4hu!@EXBy5N0wZF?2W)-gNrlWTf8`{kG_LNHZP<`ItEH zuEWEgi12%Y-xvG=VVxR-pR>b5oLO75%Z%oNE%oCr)p%2A@wwe1H@h zRZ(dT3h&PyZ*fG-cV7r!FZ@g5jCVdu`mY?m>;4#%uLXZ2cmrXcyR5ci5(=bm9q(+L zeS9Z;qww#E^TkkEToHb7_G4>4+9dWzu|JXJsku2knsTh9IC z{E6dZjQ$nhq@%tR@HeJACu)Z6@ZXt=)$$`FzCC`zhl22?hGTm-4%BGo_}Skeia5d! z!gmzD6LFR&*s~G4iemEX&Mxe0%Z%+JVOI&eQQ)Igg}rO*$BoCwPT1X*MK<}Rxs(=C z_MpP7kjAb)VNZuQ&WrJHDY%v3)`a;Uz!GC=tmswE*)^e!OEbGfsjZ}TlG;;Z2r3Nr za(I6mjnhGJN5P#4^LEutLkDN*?DUZ~HoS}IuA;jcorO6C*`d4B_cGORgdU=Mitc4J z<~!tKd0MAytc=-5bZ^mpNHf}~o?>BIhueRlGviZ1@P2~#C(LN);M_&w0H;5g9O(l^ zXNgXb=BaZ*hor-w%!_bJaJJwa!n&swSS7g_o%f|7*OdYrgpnsDUrGTL#)cPK5Ds#> z)-JT4=z~QcLYnD?^%Tm`6OB39F0^kEZ|GqX4wrBQ1)hE?RvoJeM>_q(y^-!OdVuJG zMpvRHR~?RWdf;J^9wd6O=pja@Csv@<=4hvTToCD@qK^@MENMm^?HBkuE5#~LF7!Vy z3d1BEFJU+ZCgwCOz-YVIx$^OSQ8_`%NGT^$;YS2VpvCdh7;_&+xmIUuk(?xLw6rnQ zm`E5CjnC7uP9JFPRVRx+Mf9npGqoR#o4_cp63r^W&erY)yLW~1PM23iFOxY+@hoC= z*|<>b$`v;IqC`rmlrk!8^K5)Qu{W;V)wEsHIH}{MR#0WF0~;6?O{*`%sHO>SykSd+ zOq5Y6qlyO0)A991lUQf0c7AB@nAkPqYsF6@&nF{=6^lY}_Hyj}?xK40AVZJ>w z)5OAL$J<%+)fC}Vg*Omq8f$S0Z0v1)kki~Nx6x8($U9Tsbb6W3d314OnL2Ej7G}7U zw)-+u&MY~z>FC8)U&{9TIgTHFL%i&{!p{(9-K~Cv;92L=ZZd$G~cjX zdjEW9@5+v6zCi4SV&{|PnX@qyDl1&%^i>n^BaU#f=mnw|Zlm+C1nnhGuQPg)=u1Uk zW;8$1(qXaF15b`Ixm@%T(N~bp)O9hk2K81v6`9VBD_yL!w7g2<)e^6v$Vk6=xlj!S3-$0s00v=WD7lT3BH@dJ_-x#l(B-||F779#e3_;7!DoGY6vN69G zlT~s`^NX`{P=4O(Cn%gAL%dBVxLqf>W7`QzFv%qwJ#IWfSypyAPmosUxMlQIbv<`Y4Uf80Z#U;LIgiU(Nrw-3G1|yj*?+?M?>|rw z_(TxDO8isg86~ajTpgZvyzfU5e@6JT!k;6~C}HwMWhvHg#Q3$a+MSMHMdx`rFUWb3 z4!>Q@$;`cc$*rzty)5e$S+CM!_B6}>cX-Xk4ko^ipUw$u@OMOb1Amo&_$j7kr}4le z3t;u2?3^r)AbS%;rc(H@eVM(b6TGbxyu%aleq?23Vf4X7xZzz_;&*0~@Sc?SrF>ut zmY*s?Cn3TLAG&hAEx7xUl(kYmro!hUD%If=7rr#%Qwg6*SVw_(RtuqHXwT=)cdCn- z?F;ei#eYfOau3$gz!DnO;VXBhSnl~+&Np&4&|z*sb(nYdTgUVI#UQ>DzESx1#5sEc zEedtmcC!@g+-I^y_`%HzYhBnR^GBIKnc4Uz6`+$iEBx%{qjq64%`_QB+#TM` z-yDzK5||Ake2efuh%?o)G2a49Uxh!NFPMa%afH9bZx#PHdA?HP%}3wOKW@ZiZW8{L z(WH|;Iq+8zN@MX>#D6>dcP4lJbAC*-?eP;nIfOSQ&U_v3J9Zz%%8P8xZsy`6cK>&f zxTD0KDEj@!_>-NT?`rpd7xBA_-;F#Arc??a9nOwD7C+$#&BeA5y9Zh3l_ItEBiG~R z@9ECwXQVU-Rtbm`VXViMNU^a-RP)ktU9O&tgb^}N_UsO-8tTr9+G-W>P3lnJ%)qMz`fmA zYIkEF8NFrnp}|6;2!$*vF4a)_y0ZSo7_)t)>?dV^Dvbg`v<`6NLJQ)HGd$+FHcgwqykE;So<^CfPQm~b8_uT zdm#HsJ6PHw)L4+=;Z5Xftdk3mwvXW)CgE@iM^IqKVd08=e5B*eX2yHdU-$sw1Bo-G zC9_;8=D;Mw2zUN|C0_Cgaz@HIkq$%1&0`3ooF1|$(kF=?EqV;;MpumaIbp0T zPudlqEaem_r&8fN7GIcoIa9EF%6N9Do#xh5EA9(roi3}0mZwuzD0X}=OQ#ayrNYaI z^D1(3copSNPoEjDVw~vlqAN)MH=VM=1b4PtI!%;QDW{5#didgdB;NB-?OrF#?=|vj z9AM`?b znRDE1ZPzzf=2QS^ zYpT&kdcIpjzsKougbQR{C~H0~&Sn2!;bQG{rCGSh{f!pt#qt-(Ur3)7@AM?BUU!MZ zA6XyuBEgpmzRcjNdNjx`c6h;Yu@Jdj@DjmS5N6q1jHTP+-ra6o^gjLpN4QGH)iSQ3 z!PhOHs60$8yVm(L>{+@_{Pp5*AkQp_*+LUB82v`am)m%Wn}pvi{1)PT#*xu0(Y8>5 zs`{<26!(hPaGR9drQAV<1uZ(u>-2`c(}m~yN8v6BcS~4GftOHKR5Gm|W6+j4-^^N} z?-75m_~qpJe2>SpxXN&!)7x2e?ic-l=m(7s$lTb#+v)b!6|+M0!=fJ{ZC{)DX)N!g z?|t+DKkDL{madOUd|cv6io6KySAguF4o^6LZnt>RPl{h9{weaj4;Z4vp~Fu*-pQ&Z z&j^23_;bW9UIiFriII0&!ZfUQak|Cpd5JGbe32q=Ao53k78=X(&Ha)qvrKte$}3V{ zHKnRTjYF7+7G87ZN^2Z?UCJ6MZ&2aYRMlYl=j!mL;{ET*cwfc`H2BDkZ$RpP=y2yg@$?@FUMu)x!YmcI1X4u_)^@;p*_cS-*2}ic zrZ9Z&{5Xr!7vk58|B^hfd3+6eXA8quj?daBM(S(f-w5A8oY&0Z zsO4pqrFG$3Hx~Dd#&N%&F1PZaoIpaG+*KK$(T zv(Ms39N`zyzlz>WTK5cH3fN@hH^&dPr}TH>TZI2%I2JI-OJTN*AkY4n@U6oC zCeD8-!5TP~fiLG0BvD=RQly_wU0TcNpw=p9AxM4Go6Z&i#jFAY08zi+FUu)B!gRs3$` zGesIUPrxGoVRsi+9vOw^5?V;ug92|hsyJyhjic1u(~V_IqtQ}ED;ce6@NS^CS;^fp z9B*T_&9=hZ32#rFSAY&?6Ln_&(%$dQ3d6 z!PY!|9slel(dZ}7E(}LG{~N=`5eA7LEPe=i z7O7Rm6AQ!94!0Q)qcc?SF@ldJ%&Mp@U8@~nj&rHtSDqgs43l)cq~VlU73IRH7!xUH zggeV^(T)@3jFfXC9mWcyt#iXDhi}i}=@Gz5f=3G;LpXDn(Qp>VI{lH|x06MmBKp+E zbU`@H>9s}|iauR*5otd2?5~{2&hcUwE<86TQHg|731t+R{?%pJdlsF#<<4I}Jo4kj zj~8D-o~ffr*vLp2kr5`ibCLBaOq5e8r-}}9MQwd?+3+ z_|yuHubCh5wD3CN^~5u`tg0qmT2fhus?20}CL9%=DRQRDX`sU((4JqLl^3Qt-rpMZ z&k%m5@ae=40gj~^(VCBn4A*Ny8Ni+QP=PJtzLgw4TZfH(O0+2zmJMX|@jKV3;Ky=x znBk!$STDj6W-63f3S~A!VWi4RkyhwQar}52Vm(**S;EgI&V(()7Nj{j1z4T#95;3{ zW1ft2Wt>Mtd9R8anV;`;!;UeHE)ad8==r4C%2if6C0yieg`N3gu?xg5B+HzK?lP_* zR}?OB;Z5r;TO{F9371h|&cidtCeEj@k_*CL7o9<9hpkhU9NPY$Lr$p zks;w~3D;0y?5isa!?n&1Jt1D{bz-jg$_R< z>9CK-8^pt{Zq70DHkr4}yn`lVR*6^CozAYXKH|H?-Ys@1S)PQUr0T2HpO?vb7^Ah! z<+&EnJ(BO0yqvP0?s~l7${WIc&KHh~$#B2;2gE-}o*62UU4``@DlokDAvbb5;~#K@ z6*3-{@dypxl@j}We$<6Izlg^qZ3&M{SV@7^+{Ou(2v4}R!rH-}l(kCMQ?wXNUgpaq z8J>2b$L%qgXCyo;;W-L?ffSTg)nt+@tahbvRaBmr@`98Xsbm^1xG@lhB9)-==_Qw5 zY7$fIWl66{dX*9{C&?S5sqI*0B)sOkYFSCqgp3>DD8b2ye-HTh=?Y z7(p&9UV#BYm=m82@4EEFzA=LDNqS$>2bB0~N^yMUhYk-J9pm+p;I)E3Cd~Vvqmm1q z#^Dn;Za6y{pUU`5#yT22y(UC|?r?LT$Srui;4cX?J0@{@bZ3OGoS$RK^tJeJ#BVS@ z7ey&LK*G1q-*I`2%y;59ivONGqmM?NX#C(tGi%J*B;!XJKbeuhTY$UZVpx_NNA`(f z{37F58Jo?(5F!o?#U1#~jo)n?(eE<0$oPW>%Um@zg+HBcX)*ds^j6V-lV*bEa9PxU z9G-5e|F7UCUG&j`zk>4!Z-@WNd~Hm(M`C;Ygs%<3O$l2(ut&JlZ7d!;h~823PNbQZ z*uuC5Wja8)8n|MaHf&cB8?VV^|*c=5u&YYYu5HxP{<72=jsF>zBRPVNVwZ z*bBI&gjNz-o4|4~o3-gSE}Ug$Ut0<7B($f%%gw=#P`P0*r$3*IA8~{ZqC1N2WHe8o z6FNJ6ww=3+=&qu>k+z~=lZ3H888)`VD7Wrzo?~VYnLTCpqRCigMpo?Y^un(cDSU5; z?k&2H(Tr7I=kTO!riBy=O7)COTa{6Km;3UzbMUQDr3rW<0nV-T$g1hhp~^T399WOXZg} z_H+IZzuf&x%pWIzy!;CK?GQc+lekhW9s?~?tEFDiJ>nUIbg=*)ASpR&D_*(Ik$TQ)|Cqi&~kkM(;b)xG@GpCYPkA9f!#&9#H$e1dl!3<1| zF2Xi7s8vjJ;st&C)ttiCg_;Xw zT_|flEtW_LOeVvy)r%Z|qel$nV&MyfFC@-~5_4@Zj<6cF<8k2>#V-+m1$m}wem2^o!<9}iTo&o8L|-lX8q!=WIVU^U@?WFX zV)0cmIrAlWt)J&r8)tQ$&U3xaa|6$#vYfHR=!$To3mq()H%Yiz!Yvf69LNo~I=#rA zmfJ+%F8U7A_O#~xA5Ytz?q6#DUGndizm&d(h9zp9zRc)*MBgiVIceTitn-Q~Ts@AY#tN*xZst9 z8TG7G0fzlO;q)p7i6cBIdX?y>j7Ezb^2*ar|BtmFKO_2C(a(`)L@Lb z8RCLp5d0!xW<<0VW3S=L@RIWzZCKCC;$IQ}DtShnZ98S*HK)(BhMm_%uMzzQX`X!| z%I<13{=Vt_ch(I5miV{DzeAp7J=T5??>gJhipuxIzAyFzvWiI+_YV5d>5pvO@<*cA zivE~1O9CcgUM!x`vEf!TOUh4WeI{#NV=EtDJeVYfx8dh*?P%5)vewJ`k{0jd6s$mu zSye^hD;M6pE0+3SOZY~@1`3&3lUYeD*O|uF;P~zf-@3Mwh4Y=XjnclS#v5H#Raz8& zaQN?|V;GwR|0wt;!hEYE0a9^0m7iVN&CdUelwYN6ro!42l>}D=#XYbdc6jS|`)~Gyg0dI=fc+ z3?hIdbdlCoS~qHZCu8^_!r@lN-QAeKf4ux2GJ4ABMZtSUmYf6~p1-7`JS3gn z{FPAbsv$O8Yz|rF){1g`fjIoT!Fhu71s4!z`k?-YE^&Q+xbfOg@$~&<94zAy8ks@! zxD{ADxv4l(I#JiXdN4nM461Kmr0kQ_tVrJZySm7vF zx_%ZTI7rH1DML&tM*kW2Ysb6sXjl5$ci2!V$4EJrisi{T>oVZcJ4j+Zu^ z8WRs6Z)n)&HZvpK$lEO@!U-})$~ch*PsJiDuTf_|0vqLOM+@vEsiUQiq1p^89(t}1 zHP-PLC&iFX7JiEGQw_&Hbl5pFoaXp3-6LKo{B+?(#Pw26pRN9?-Rx`u)yS-s zIf*8(0Znoku;%ci*72JbTqn4maON8~E1Qdl`gSmrUF>0@Op!QMVgp6KJxj|ll!tGR zX)Y|a=lu)`XG)lELfO;`?2L}#3Nu_-YpXHOlrT%eYzi?qW+%(0VweL9`7p<|o))pW z($120Hnn(HvQyz4r+XPaPxQH>&m(PtWV6bRb?0$0=exGIX%|SlP}+QIygS>*&~lPk zHBNAmnHSCA{}mZ<;lwwMw4)xl-s4;L8Vb3 zSoZEtH}n7_3(J>ACvUBq?IP2fXU7+ z#V{WX01QvK)Z0ROQqn3(Pf?05nCv_(gj|o=L=E9-xB8g%jI3v6Jx7b501PT0J#4F; z?`!Jt)a2lbE_09TvcmOW+Hsz-g_J3rF<&yGkNRi@lw*`D!EG>s*|6)G1flIzL2qA z#+Ni$R7|L@n^1!c9lmm*l@0LvTEaIHHc(*BM6(P22b=t|()z7S`^<=$>^n&tC4Enc zp^U@V3^&RNKe({oYOb3k{3zik3M?`)#~lCT;r#5{cc~c8FVcRMwwW69CC0;X5)3vD zV>{JvZe3#5@3OYY`hylrzp~<5uHs+QfW;&JbmzjRF{HobY?br3ImPv9{12BLPltcp z>HRTIha>zer%5+`uHdgOYFy3a1pYt1gIOUD+u`@jS4*Cy#rF6KUoFy_Hqw%fv}Udq zn6`to9i{EmNJ}-+c6P0wX}d_5-f5-_HKjlN-bcOE=8CPs5PE#&M$huN;S zxCr9}FitS+>Bb>N(P$~7m5kOjSWziO#>NMJ8^_sPIXw_F!q%6Z0R}F8Jm)H zA-eZb1un!>r2ix2y1MyS5I91f)O@K0R9S3grZ1L^M-L`mTZy^toK3Mt?>TFK;_uJm-*JSr#5#%f6xFi9JA?0G z1~%E9O%~V`IaB2{&|z_f_)V**r7_Ko-^@5e#+fpv(_lLCinz0L&_&H~YlB%cWzCW` zn-((}cMMIW!W_q+*??bhgt@}c5`H%ER`?ZxV8}{Y?Rab+InxbHcl>tg$BX_oTcp zgjzWB$ z;VBGkk^I)p8||vTletmm_cVDE{&$Ml)&1c9?dETi|D*h$=rf*NxH&KU?DPg}-}^=M zuc9}TX7Pm3wA@2sZAE6;hu>Vh$AbA?;ueX2G!p-Fl+MzEoZYs0NI4^HLdfu9sVuz9d?(g+v6vEhe>TpmEWYXD6|lpxmICC z>JHL&l(rK!##Nnp%9sq1d2?qsd)YYkU1aVmb2pj{u#`*ShO`B^yKC>-S4neeEu`&1 zjgJEd=c51cKSA#4Zq3c{!EY(ImE6{J20xY2z$H#wfXzV?=8O%{ZK|Z2g2EEc_7S@c~5RUtux#Yezc`YKVurd8b|fVKNVw zc?3;XyI8bXjy}?zO;*74moq@lKsqd>t-;m2qug6*56~cagXImO7jtu?hn@dtINH^_ zEt*569wYTws=UXXX@r)vLM(H|buu!4k8}CZ;+XcsBp)w%IAuP#8ZNT!4v%o{WLq)l z1Zg9sok(pvXf+jKl%w~Kjv<^RbhOYhL|H&*ConQ8jCFcKA%4UWP8NNN=u?fxbfCQa zaGKN0Y(7w-=+i|PHKOyAq1fsBjV=*gD!R;Q#-t#WI~^=0<3x`aU12n0lAj0@oW9S_ zJyCR}=qjUga&xetdbQI9vviS7LXGHJ(UVBCa*nccTp3IB(u%4OT>{z3ioMKO zJWgS;vuD-CSX?f4iP$U1vSwbBMswtq4i7&$!dD5tTJSZ5S$X8-vCLaDTvwPef+1te4F7^&%t1xluPG>vY z#K616-Ys@1S!UgO%;Q8c$`0<*u*{{QH^l(%k#w)5ChyStrv_kO1f*&Ewn~g4atbU1h{zqN-(B?!vCgE`jD=F|h z15wK6bwA%!Lve}g!)ns%ml(gl}E=adEti?<8!L@I3{7 zXf;X#SU&PqbJE&TPN+--P?w-EMY8zsUVn?q<47xCWF?yrkcp-?BW$ z@OSZB#Q#B_mz0@Hipc%x!sgZZ9Y^>}!d3}?n-J3=75;HylcmAG5}NeTM+^R{&WMbY zm#)WBMCuMe8MGb#CG*KLz%tSH_z9mZ5}Q(F5uTUe9*)hN?tYb`g%yuQ?4-|lO^LZdNu6j#z1?KcaYIhMkgA)#}lz4L}dfk zI^M?HXw)v^yNd5do{w&J3j2e0cld&0{Dvd+5ZqI6FN0HgSR!t3hp!kF;e7=67Tkw0 z(;$>#EfUUN?(4$(X)z`Dm9U?L{VAvz%t~QDaBQ*e{9wD(1I1^FPms^N#%s_E##|c{=maSvrJP8mBNX)dbEr=R7TwH@(67Q$LuGYZoj8p0lf3*# z4EH3RWVB8)h9`-)9OJsiIz7W~`N^VB5q&CYRzC8wvN;hF;~vq0dzwpIm&70nC7mv* zh!USrbeMC%NU`JfJH^W?5nd|1j5uR71=|H-QoqwJ?}_v{(c?u|kY>I@j8c04g$Zsn zyCOzsqKrxzRWx{U`Z&fqbJfmQ+t+c8_*(Ik$TJ^KuBl9h;Ba3Xlbse^C%B$4PmURx zb*P<($Rra67UCHN6XI79TAqNf|3EJ$J1trBUHfeqeb3h}z5il%N+lS3@Z^*0Bn=9`ud1uq(HQ>3xvH;jZ(fO^r#%q`-{#^0r zkyjQ<=H}#u^PPT-HyuZ~K=g&8=ac3?j7R4!2KHR!_-?)9$uAbZK=?x9eDcO)SBOiT zeX)CF7m2-8>}6ybk?|!(Mde|!)7Kk)x#%ULuOQ9)T2zVm-IWgadjY@U2v-TdTJSZ5 zS@dEgMh#X;C<@oQF!qiZm+K^4FX09Xe4eowPbD@FEk>pFMpt&bGb%Spxmn6BRG99V z0EulktHQ0$_x}n%;|RBjzg_$tY@rDPg7!;dEH$^g^TW z5q+=d&tme@Z*A48a%!PpXpCH{HER5Ck3w({FK2M_Ffd8cKA~3MtMf?vx1)^ z%qR~FEjjk;V%e(k$5JHRiP&HlGATlOkNiKis)BKvvA7I&dVBCgPF+TH8;MS zA5-OZ8Ea&`L4&D+yHp$AbogC6{ab?H7W~dOI32>f4u5X&dxGB=`~l%i%+rYZhfaTC z^hcuCivE~1Ez+L~{!H*XgUib%r^DwCpJEMkUkF|=_)CM)hmBeE4*z;a zd?daW{EgrZgf+ql?Qk{Yil$XyB-yv_tQs1f@8oQh^F19VdJUGv&WwWj!Hw=GMPrkU zA7%VRgBM#bGqhv{D>p$AbLm9JCTmLAUo{raI=ddyo=yn1@A_f#TWKU z#@hzfeCJnM6J~SqEyV9ZKAt=$?CJ1McJh{jTM2GWnDNd^CKAce#_6B~QDR5$+gd688W7D(RaAzWdem=n z9baI0p74C(1;lyjSaz1ReWzEP9b?r`^ueMJA)UDzU4@pe;-vUP-Fx8E=p82SaCt}2 zV+m1#YV)LeG=^c$#*yyKw&e=@%NZbNARS&vMTO?wALaN5edBcx5hc)Ex1l_Jz>TuFOf_Xq_R?BvJ16W#-T4 z{a&x%{l`2{$NPQV*L~mDecji7(Ygl~^1G5`K?Qb|)lIYA3=_xeDg*aYoJnyOM7&|L zAfwE=EJu2YxY;Ic&}A9#qcn%o{VIjxoJ8rch?;xAq};xUphWRON)J(*3yGOnS-vDp zS!cE+=pHtwem8$J9-;Fnoq2HZHpZe@mqE6&aP!S*@-R;#^#vLWX*>o4k2Ic@nTPPW z@wct;{1fCCkzWj+c@nqcO}e0a(v0*zZ!Dql6pg20;0&<{o@d%EHU8R%JimKM#dd~3Nb3Fb$@fV0M2aX6y0g9vbgYHE$I$r5-(n~Z}&{zorDJB?X+j~Kx zv{=3mFPoK(zI{2|E3{sv^%^WZc%BC}=R`@sy>3!NJ=H2ot0}z!36Tp%WSJG|*eZ2v z%;=@-kG)A_Esb?B@X5oD8n_}o(_7{}Hq2kt+w|7c+W-%lMl38NCf_mmr#bSQ9PVAh z?-AYz7>^{Hop~hh8-J^2*_+63Ccgzd9tk={)3U*d;eT&J;1c{+;vW*<1{}FdR#u`= z7G0|>k;%OBBtJ6k?mKAJavxLsgxYp!h!wVItw>6TgYh$Tg63!BKPUeMc$_9Xbm%mq zeQDa(MgBB9sO_Y-3mQ%niDbrHeP#UM0?+Rz|26qN%1fpfk>z#VUgHnk==pERe@p&5 z@Jx_sMwIm%E8O>Hthw4hyL~i%pz$LNGz-WXqIoiwM5=^8nNoMEKgrKjexdTKDtscD z&-{K<{=3;Lzft*}${(s=Iv^%#C4=ryQ+j;ol>=1%qVhKse7d5XKqQaw9}~{k0^30f zwc4}RA%B?)vAct-E&r9NcC2W8`RgV*--@Zp5(5k3Mi?y5{j zjF!r{;1YMF8OytP<0u+O(>MkO-lS5=39(#@G>>!IWPS4zy7p-UdJX9{g4YsR;(-;8{7^2aM5iG(Y#sQU@Vk4*YY zYC*mw`4hq8J(QbJCZp$1GW_{dJ>H6VYvOHy<0F@qjqFE0s+huonWJq@9Cf!B+fh83 zVta_Vj?6bz`XG!y_^#(qA>WaFC-6uo+3{%RE7IA7|1R@F7Ye6R=n4VfwrC(r)=nPF z$;REx*;C=2?sNilf^c~8(Vz_Qb|J&x&h~hic!YQqIIclzG*uNvvZ0CbE39ThKAU`8 z`9LO9bf+1AD`F~#>p}i>@;$-hr47VlGEfe8*7Y*wb$nmsaJ{LVL8T8AK;qpaZunATFYv#1TEb~ZFbE7LcKE=YHdDIK)VeJ+(j zRL+BfGi4MRhbFnTOnpAzw4bz7aWJ(Ds9gvR<#^dBDJ$TH7~QtB{3wSTN_rUS;Yw%8 zLTCXu!ssux8ha7xi%DOibT|?Z%J3wk*I(enzLfMR(wBio-XL_g#75f8FE?X{8aXsZ z(@4NT++(pU>7vdxI{By%KaX@i>7>%pEbJ#!VDu~3c)E~u5$R&k%&CHrh{Q&&c8nRn z1-&trMhT5l7>G?=@;2#uFnZWCo=%Z2Cp}K-SawKgXY}BCo=%glAYBO>v5_Pfkl4fn zZoC;EALorK8WU(#!(eQ}xHl7x4leif6{N2ueHCbg9|%We%Pe&GUu{MoN=y_YkBi}(vwL~F*+QVEf8-o`f82MjijfNo(7t+2}wU&K&smACNs7p z^FVB-)3}+&Eif`y8L?xt}M zjLbV93c48vpQtbIy@Y2Ho~3ZPbfCN029MP3bMGTOhw%Lh=S9O&_kh7$xBG}cNcbVb za}7qw4;#Er;YSERN_ZY%49+~1?WFyNg7eM%RX+p^XfCAr7|hJD30tH=dIY)6oqOEe zue5dZ3A&5uE{2P*6$WbPL~R+eCHt_OxJ$()6rZB_G(@Ddl2ldFVehJ?CQR+^KfB8) zJVW7G2uKVRLhd=kZ&Lhu;x7CPfSWV*%7|5_QX9xs1SU&33n0C6J=uK*C zsjY*C%a&XQ@9A5HuR{Wr!@W&>J@E~|@fnlWfr8=+O#$ziwXnor&AYVTqqPxM6R~PO zMf6>xI_lmx`Ez}en<#Ilyah6fUjCGl-b8HWGCI`Mk4&Ab>c><+ zp}HL^60JXLP#QPP{nXr<>V8J|bGl#r%ME44Weo&>wO^V$N8KHCchcPj7wOiYH|)ML z;eHi%Q}~*~9te0Mkx)DqE-v$@*=yEF9Zm8Lt#4_42MbTcpC%?f(6aJ`m%lgpQ9b28 z%0E#45psMvA(g^FCnpEp}pVDRRCGv}%K8_nNo{_!s}bjbYE z%vow4p!pZgzhR=xueUVwYDC;W<~^X^L3*`1u-+nnd1v+61!V)Ru&XUUXDToW9VSsn zev%3dt;1kt+JZ6{Ch1iMNtslv(&3cqQ99z^QaB`EsUuA)Q0XX2M^ifH|B|qEUVW32 zDm9?gkWwQ^D7xB3Nv~~Vb8^)=mQE8oP2r&UsLv`(`c+IhR~O-GMx{BGOnp~YDe#6dhOw% z&n#EA2k2nzkGizfDP%j6?F807B*-E=n=nnk3|%OkN}($R`;bIjH^ZkZ-ko@Wcu?_J zR4PgV7c%^Zxe`M;T$p%-cog`dY(6A|*!gwHGOd?p^D%1K)Z);5i6iVzGq{bGIC>C1 zop4XUHQw)djjXSisq^)n=}q+vs(t>g%ANt5^Yt}#fvWweo=LSo)EYT%C@cF=t~tQm z`_w&)?m)U{!>y5>MdI@Q*on_E`C*mMr96o8d61EV$_FqejT$~bI^V3VKxJ0T0PJhLW>XiwwU|hj8T)&nKP)j+?1>U)IWzamfW{ zR4xYPT`0+Zom!2n%r! z{%^b0ou(b=DE}&lyNlZ0)b4?XqIB3Am1dZc9z{VmVWBaT#w-}f^0`koy0m7S&{Lc2 z?xQe=!u=4CLNZN!X($hv(p;4XsXRnwE)-NTqwLRm*yzzye2g9;{V3^qpz#u770d|< zH{bA?`ji(CUr78h;JD4scdE0B&T2Yuz(Fo0w>1kd z5LR1qYfS2pAg>;oYh^P0nON-nt`tg z4)+<2&uM%C11AW|>_f?2zchT|38ZVe9mIDM-vyknTXwdzc70`Zv370kCjB+(J)koe z91Mop9p?6$GB5M2YPoNyd`sm!D2PuWC=CMH?t8;e#cAbm`-uNQ{72x(%Xqy3%b9*M z%{MR0#*oy0q4p~@gcp!uf)Tgh=)Jgka=70}|4#Z3rL%)*#`@Ff{f~S40O`L-{|y=i znm|a}5M`I?ntcQRn0o*hDTg~qx7I1FD#>47y=)O2iAG#)`R_~}DS4X5>&Q=1My~^|@9BB^jA`W*Houla-0|#dahNH2#t8es2 znmQVgZb-V3(J|bp#zrsE*Wp;wO-MHdorzB<5{+f@*W=7NsL7)lo#u3ohr{F{1smy$ zJ;Ct$dOuqbZ%O<_;C#*!`+z&i=t`d~Tr1M8Nw)#*6H_=4vW}^?rrpasB=@KtwUeo} zho+x7+2cogbWCWb->g$8bfnM;0-`G|UJYi!CLafn$jJSd z2IkX@E(&FWcRfg-PP!*(L?$d7O2xvim*LM0@_29JXAtiLoR2Gpyr{3yPx!pc^&@>I z>HeS*cu-Qm#C(9^m$vbNpGABi@w0&=@a%x>E8xyCdVs#g=aL>o`aIA+uMP!5EL@y# z%9WY$r6xn=0xB0m!L1C0BC@P�@e23Pe*5H3aKNE{-`-&*$9&K z#iTC*&F7jep~u`v!^`}e>n(EsLH zx#qUcsI^=k-F&)9xQJLtYMNoGq8R>7*q^G9coFep#e4pDj|1(qIN7ivlchLw=4KRGtcy+sok}=3gY+h0`iRjDQI3z9|Ml~L}W;Hz&&pC+oR=2IouPZ z7m;2Jnt{gxG0Cu=G`x=HhD(S)Mf_>t`U(fK{`VDLYHrianPlEM-Dl`N3zzpbEcZ3r zJ!g1#T@2xQ;x7M*pSVBd?Ht zmGo;$#{*fCEM7PI745WLMS3;qH$Z2;+u73iXK&dW(@xSC;Z165sjY*CtCo)Bm^5F! zW%$z3{tDhEzMl97;JCpqDI37c>RB>I&#EBrn43KzQ*LqZ(tVHaMz}4-{eM(JxNHim z8}C~nJG8p7iGgfpAX^X!${E4zP&`w4Frn|sKE_)qd`Mv%1ib0e3Z8|!z(>aaG0^iL zlmCSLcJP@Kgu_h#pPF#Fp5QYIpHuh(0^SVi{5~|)4bGIO?n-`sARU(?(J69x28I3CLsU-z2veiqIo=lX`mw=}*}LyE6inRNQS8C$dn zyN|{XG=7A^OA1C0<<~!%v{jSq&y;?l^eZIXIH}Oaq?xmU`)MO7$om0SPZy@p$QLF?K`5 zvqzCVn(Q%P@y=yM8FYQa|F}(lmBTe4-jH}B;J8mR-d^ex2EU<0?T;nggm6>92s=BA zVIODsSx+Hk3A-8b=ERQ&&S)1$-3i7n*PvUFZAtb-un0O9W6&oV{^6qxSvFfC-kNwD z;0#&{IBku+Os7V)BYQI0_F!>|v3NM*IvCt~fe-i;!W{{BQdrVW+;uiMqUoj!;Zq5B zJp{|HK-~=Pt#Eh30m8u=aMXni?yqo|aD;FaFg}%8(v>GovzTC>Wy(3K#HeIbiL1i> z&13~Snf-E_Dcv6QX{861)2Z}?(q7JzIYZ6nQohQ*(_BYD^s>;7)3&_c4DAet)(4^C zqs2j;nE+g0bN;j0-|l{N&ZN^H4nDSYwAtDXFsqJQXVDr+>ugx~9K}N+8FXOUIi?jn z?@x9vwL#R*gN8<+U?3|LiXQ4=Ki|C9@%fR%4W@Siy$jU~Wyhk@3}xpVVqWnX)TH`B zZy3Gd@X!_=jRa*rM>uNY2ou-&ijKR8;>8p%frytOoE?tILQ5kJUv#lQ&!xmi5x)#L zze2LpOS~-QE;qjVOwZ?#A5A_19=&F=G*?++62qRf_21>1x_YNq^Qh)iO+rOZ8Iiri zFuG0J@_a8;ftmlk+?$0oi)a?ZM8+4DO}9)MV^XBTOJgaOP%2eP%DRW7GLwGO%S%xz zr!-Eb|G6+{(t^(ZOle9Llqwr3tFQ7kgeMWc7BJq+k`zWx{{P;~>nya9+HZS3Lz~Rd zrXVyVd#Tliq}Fe#@CNhNUFM^FBfY8groltCvBC?)fAQTP;rEN^! zf*IzlLSmQ0-AiXComp@Wy#;vgmMmwR`ntXa_fefg^?sV!-EsWwsFOmz!X#7x=~<^6RZ7`{OpnYR-EkoY#>cuIlnNcd2?{>ZEeco=fH zk7<2EYdb9b1HK{ALn-@H)25cwlFk%rpHuq+8r~s{2DS_O(xd{dz3!m2lhQ7gA~nAv zUzzlbey?^@`kK-nNcbRx^@Fh2gk}AF)V`tcErstO_#9q(RSZ5)bNGFPe<1uLVB9pR zH%4QYMt?HvjF3OY&$ND_^{ZJjCE`$ayx**(wsrkR>vvjzz(PJAmUmQgk%*n{PZL{@ z@TWUK@h^&ht0?JOz8f{fe@uM$IxiliSgR9jMe;Y39fzY*P>_BI)NjyDW3w zNc*}|j7~P4I2>fi-f^cHzgqbok6RQ4u+2Khe9XUW5lNgGCA}tS|dc;#rfv!(-xA!bS|KCAsi&)oSdp6S*98T5r&xZ-K+91a=4*XhEW*~ z1-Dk>7L}5M8)1B@M(ZN-7n8pPJkl_y2A0V*BbjT&Npo(bnVrAGdE`u&(i}zeGMKmv z<#I*bAPAccUv5&@V*liGD2=9+fP_0O3sGX#x?IDzPWE^n@qFS*;7E=^Yc?$~V{#|? z2RU3JjUpPwFc7QEARQ@%g#+boj7bf&%X2KH5=y0z@S21YewWlT6K?8@b4Yk83gr~W zsUVG3l2J&%r!!&bo&G}76e=iGLhvcRI3>lm@y55*7*&yNQRP3%QUK+%-X06eNLx!Gp$=-=`&1404< zZIo`ObO$6$StagH!#8Qlx{LVT#P0!)vUiYy&oFvxNBL0>cQ5Igq-TMyadT0)pKZ#2 z^yc12We%15p`c7`FIFZAy9dk*>TC5Ny@%+{g~xBX4C)F6N<-0PFi;W6^PA0S)cJT z`p?jR7C!E&rSZ%(826lct@K$uPwxeK%i-Y?Q%)+z(af|^_o7KNM*0`(B}ywOt%QUQ zssD*$Iugx7*5zI{d%ix#S7^UV`!(1|G16fjkX9b<%3_MF*2KfDqOzLG8&FV>wX2h{ zl(I@6htsVw_awc-H|egWyACcQn{rax3{=VhLg%w(O!|Gx?Ady$Z_{2+djo8K!;{!z zHkl4de)EnwyLBn9cj>%GXCoXu%NnnCG+X9W%6k6XcK&_y-_w_T6aCHfx4`%1hT@de zv%*rG`M{hG`uw-j`H;>wI83T|1pYR;k4)OE>HA|!pHSKk3ALp(zMrxkkx${Dn$|>@ znEQ;{=hVJ{b|{7W1#;Y%X0_E6zJu0ITDxH3s`O+s%*uUbPGddOZaQDn*#iejMLyXv zzPf3**ObZn)&7Rcw^Y7^f}A_kQY;zq_a@YSPkxuf?W6Dmg&!f{YHB{Mfcwd;ck~(k zOzRg~zrwPwmUMOQH@=NNpWn#;PW}(@IEzLrlXL%RRvnGo0a}02`WsfwdxqTgA9Ie? zdv=gctHp4|qLwptHve5s^lJLPb*cFF+7uxkBdrSD#3jPJ~Vrj<3+gU6#SO>x&;FoJ}|m7%3%72HVxB zJi61&dse+3^iHSO6CTQw;sx`irk3w|nXyKV-Zajj(FX=DMGWq4o|Khe`V*S_vMnb=a{R}BxWzJ-J?(}V+;_JB?hhqAjPP*4%q21-DX>EM z2vg!ZfZ`%57gM_&br3dr3_{igSiaB;30)rDL_ zPeu-RJ=Munr$EL1$j*+$B$hI8ic3k|VA}CZY1MK!QkzO`8nk-y57PLN6_RPc?j{rF z%<;l>3O7@@1p;nhmP{{>#r)b(x0)mbUURxAR&oFrPvn@*I0^4nvL!>w~sb+ z-bMFry7#Cn6FRe`S?7P2ahhRnQyn*RFWs4RXTilsS+Zv7NsYPL#*dBpc-}{T4*C1R zW5B~iS#A6QV;e5>Z~ud2A0j(fSt%*HhmCEn<53>_W1S z9b$v-abt%n`vloVWEX?2jrf+iCk<_?=n|q&5q;Xw32v#Orz^UQ=rcs01&X`y&Qj?; zGIp4<&y#(D?D9kG826&FBb0rK>jDV07NgMt`7P1Fw*NmGo;h=!ne4F?yTQ zt4OaV{f5$6aha~*))+lP)8m_@*OFeRG*+XJxwnk|bEZ!fZ9G6A=scxA zCjANN?V#}-^PO{_8hch9pPD}-`#IS!z~b3tWyfTU>6bPo3mr@*C;jN&iuUj>O!bMt4{G0O`L-{|y>Ba~uuB z{}}wzi$3UsgllzStwjEMShC#O@?V+S$Zmz}$WKxmA$*v^u|P$Ut7~v=ZP7lQa6Q6D z0A|6mEG1ivrYh62Y~hjSJp8tg%~5oYrgID&Jbc{pY**jtAM_?RAl;C3Bc&sO>}b$6 zHu__IF^?tPgmlxIbi^HJ^e0L;Bi)?z@ipm~JHhDfO1B{0lJto+=vdgDWb_WDTaj)} zx=jsQwi;_|^ruRb=Lo6xqkf8V-L zIF&+I2)N}H)w1K2>t^)Uxt{J$IzT$8G@5zRE@X5o{n~^{M@UDN#_SE*l+oxVT5yPw z&L$lPjekfK${79A4Bog#ev`xXAbdLEo(h*q&A|0Cc)M;R-<$9mg!=%-O{q@F5U4U) zyS%Rnmo4>|*^k1R6#7HJ=Q=8@KA}rufbr)~lAq;pXOSOB{%r6li=?ZixKk~gtRk_W zW6~R1nK+lyAWG*!!bzm$S6GZHf$?cAfKju3mEAa}BTcf&40m%OjpoJP90^Sd_rNDFz?e#)n-JGD zv0~Y>Ew@tAJo-V$n7iUi?~bKgLbnty%C~7*tX4LX!?f=L`5*KLm6>|*9JBC3t-N60#cScw;wjl%M2qRb(fStp4a}4d<$S! zpk#$L+32N2_9nsN`?s2Q(IlKf&T$*H+o|0F4GB?R2f2bfjqalF!(F8BCVda+%oW6B zHOeYC!}w8?5VnMVFZr3|XMsnR8iOXwuq9ogn{CP;J88%UD^%uCxgUzZ4jD8m$w~4^ z=^=Q)w46y^dyv{g)aF7%=2VtQOTU67sE18>Q**ONC_GAG9t1X7${xI>vbv~rM93>X z->ku_{Am`@T1e|LSh%2K8Jr<|ydv9t+>|Zd{eyXe$|5R@p&(b2$^FFz1u_gDv3t^_ z%{nZ238kkfJq-yJ>8R`ngsB*^_He39hBH*VrDi532_T1CM)Mh(&%#6uB^{@#xQU&6 z&Xk@<`WQY>RlqnyXn0wja_w^(53gK4? zzXljdOcqj;f$Faty<>{}D2H1`dNt`cKqF|m@`zhwaPB0a0>4RkE#Y;5GjDp#uR{8k z83mIl$O>mP*3;Mk16ipApCv1ezhn4V#os0V9`TL95%+*>fRp9kH#&tM<#3xwZzjD3 zG;d33Og3vY`0jNc-b(mG!rK5N6ijiK!oSgvo#5$@Nq<6myV4Pv8!j8M7(H6cFQ1YA zob(q;%Sa-jzchNLj-1{>dMD{!pm7(aYekk0EtWRIugoad+;2CHuW9Uofw+gIiBxu$ zH@d^QKJMR;{+9H2O3Nr-Sz+sYqbpl@dLQW@NdI_<4$4YYKN)@Scu)UK`WMo_g2pZ9 z=DPb0-aE|0zY+eO@E?GA%dsrK`_t$W^q|S%4v_wf^xsBHH7Dr)G5Wjao<2yr)~T!l z$Y1|BWiXYiE&rLR1B}$iSx0`7Isoazl$J7`B$c{Gzldv*!yQh#9_b@M;{i#NNrbzV zxg*W^X#@r7j-YWgjbmUS7ZoE~qZO{cX}_q}fLcRpjiBL!E?QQ)GFRIEq=z<-AGgM) z?pO6#s!gaig^GJCtyO`jJMIuY*T=6J>E@)5uSsXQ6O8^%=@z70l0LB}EnBk~{kzhw zNVg{4Mrj$MF9S5%8hsGu2RU3j(kGK{4;nW;h>>C)49?TXb_(H+ggXI7?hy`TXUkpb zZ20N@5we8ch4`t&y8_4Ova+lsl{Yr+x*5OkQJ<}LCm$dm1dl?61Rs}1ek>;LLgw_+ zbA;(c=tSZ01;7NxEQ62JhZG~6O*jsi&sP?O{nzt7&D6nqo*qNe&rh4hraq{Dfzw*FuAdIy_`jP zAmy_mqX3(nfa!|-Oyd8_M)9&^ySecO{)V4RcM#q4;38F|^K;$##txX`*}-HlAbTNL z-01NsDUA&=I9Ip-8%lT>;o*Q$9Fa!!;#9sQl@TUP$n&9JMB!ozmq0*LDNLpEv6s|H z;1T5&WBf*end|%d>nfyKM6(zsUZu*inlY979frq9 zr?dny#)3%9^FfSd5G4$v6hYwDNXiSN8d+xiMH<-@`Ev5(z$2x~%EuU>W%Mw8|I?%^ zNLMN?3)084+<2oec|wAa!&Q-3og<;i;TDiyNcu6QW7*Q-gEc-X&l7%u@N$L2vQ?3L(cq|F z`#s2)|1BHNd!mQJI7icdr}W`)VJLRisywegia~EpA|x zyNAf`?&gfu+xRA(wRG0O!G-4MN*(7dgS-6hPw+P3^@KM7Mvft{d&k($%DzkXJ+d3Y zBH(ncT<7}+FVmcN6XDH-w*batZaP!fjO}`c!)er`aRdxpxMa9a_H0J$#gV3rIDk{gNsgj&G?inZ;5CzW zE}{7;aP`gEt?gV5=rp9$=#V3`^|6bE6h|7HvwEU`CdblgLZ>MlCdG2eqmMIq)&|B& z=ExInPWX7hdgXE1O*Q3CFym9b@)k5&(l}8K8GD|Ik~_(aRT`mIG+NVW0|U>{3@KTr zU0bu>RI44WlWDbwg>+J$a`Jw3FuGNdzvxp)cO=~jG@6Fw3C08Z*gKo_gLIw}JM1GUQg$YLpM**W8fXHF` z4cefjrPF1Z_oc=!MlYLQ9G*}7@enuKLYwtzX6;a`2d&d-^@N22v#bc=u#t}IWkS#C z{@(Sba0Z1w5d0e{qcQp#y;FnlNBT_C{XsMMN@=6Uvh)K?7<-ow{wxXuDVz-fNvyIg zIRQJhN?pQ?rdoMBm&PC(=fS`!lH-ddn5nQ6Mus^3kyGE;s4@hy9syD2=9+PzmWJtFi*4{;OTCNxSt-d6e=gB_ZJ> zn}J#NO5FCkwF9w|iT;YCYanbEhl zMc5L0igY>YaiDQ$^JK4cY0fWm&V)@`X-!k8pil{c!OLnBvOt&78?`a1iu451)u8oZ z$8wW=*b~k9T5rx3^3x6OO8Gm)T_t~+T}w?}nr3A zFYD>gGoAR&#BTwPuTCOYJ~){c>03?d{<{2&9PTzMw^O+TN~X;`uS7bdr0H80=D5?O z+S+D*7p1!?-2(~NE?XKHlIyU3|op{*HpVWMW=A$&{!9;F~A?yWyGEKFc zZ&shj{4HNVYay-2U?KOyzSL>U=d@dD{1P2byo~%aLid!EJ%G?v52e2GGV zaE%=4Me}~un7u@A1-+HuUR3w~EecI&Z+iX(XpCEFRCia*Zi(HS@}wRMt{i2PO0I3dusRZyCK`uj6gf>q&0_ zjl^0bQnG=(N!M$v-lg;&rHznqC533EDK4nS)xU4f4K01NHqqHkXA2ySR@8l9^luui zt)xFBy$v*SOuP=#my+*3GU0a>KBn*qh3ydV2342l1W6cL7HYqO@41Q%H%0&4Fq6m1(Wc@!D=`UsKxy4H-wJWM+Gf zt<!=tb|N@B@V(A!y>Qk;}TD%==TlpXvQV?^k#@k;6Wk z_>}H9A@5p$6~9sVox&dwP`Ilsmdp6l;OTl92MGT~_;0|>lgrCx+Kw!$opAq{vTVHs zBZoUkrB*jqPvmc=dXg$hl?h*4e#m@^w(RwM9r;PBC*%(UuQ^IwwwA6$E2V78nD6SE zc|b4yaGLdK9s!e|;>?-S?no21>Zy*Ra5RNuAmGx=5=9AD-{7Iz@!NoKL&A*!xf>KLLCqlyeCq>k;)$SytqdoisZ$-K_={BHoisG^Y$>e=2U0ahL*WH5KQ97AY zdq_Nm47$j79gMDu`%|1kx+CdMO6N4tJVrd5cpSLT%cM2( zG@}pdo$o>VbkaRRBL(H>%aEB~29MO%p5BDdAlwIVrYsiQF<`x z3rJrG8m|DR3v%L7z8hl7wnzN48cJmtmElnInzLlBNt6smm~)t(<{~;5)42qWMoN|j zHoC6Tmy#Yu`m&mIw!7Tu!T(*-ZTtc`MaHhs96R{+dlQk6NZ7DPBNIgZ0RynP4 zu>2hj1tou!{Y_=$pysJZsgtHtL8lT9-T}$GLZO5kZ}`!QR}r5;yc#$@Y>Dz5H__Na z&EBsddnMVcz~W(rv$3N8)kZhb#(`@{Pa=J-(V;**?yfWX!-4(=T~B&4=_#O*-U=l5 z&o7oy26^rVQ?_fp^+qaFsZ4`{2Ozs|CfrR1f7;rIKb`Q+gl_?i2Y?-pb1REWD#oWv zi`=bdZMw-P>Dy@CPU{X>D2}9yWVhI4sobMG&3H(Mz1&6PZW{N%I9v>@&=rX1xEaRx z=;GsbFZr3|XMxA#8k-s~-&i->@Fm$kLiZ7$L;QZ=xaPb9$(kQ9xc^Qc_Jf2UB0Lu` zI@U^yGL!M7IK}d}q$HWJ#?F+7Er@ml{rMhY5RWp5c?bgM!ybojzQKc@^ygbZcp>4( z0OJ*sx=Tq)#>KkFP3WxaZ$3d`5rxGN5V~|B<+~>h-h7FV$`Zm)5q=slN^UYpO2!hp z>hY=KJk%vjyGXxg%cwm=?OAACf>z;TH%m2aKm73%bd4LieKKzoR2n z4)+rA6~tEp$LFDFiFK%EI05b>lbcfPz)zSCfAOJR0+4 zy(Ae@Aai1*7hnEwOkTk?ruGm3hkKLiTB_@y;(_GLmJG5UagKY-goWB2`8I|16gEIW zdY9L)A~C)=UF6;|fgAcFg;Z1}$6W#(C8Aw{j?k3y^ zM(@Ab(_2Y@NO~J++$c%23F)Ad%Kq>sG|(j-_EGqO!jBMez2(XBa`%(L6LS6a{!I86 z!oLE>%`BCmT`K7I8-KjM_`i|=o%|o*Gv9xVYv!=bKTQd1C;R~_e^L1x3SOS_%83)D zG4LP5Pbl{>I!L@$cUBhUFW=|fl2ocxI?xJpWn5W-t1Z80>I}hc5||vWj{GEb25N^v z!&r_`$wcYkm7x%kaq@qPixRozuCBQ)`%#raQgrLlJpwKs-?&7n3_3Z|=+zp*qevf3 z`WVo-1x2Y;g>(s26z9A8rp(f2hz3*|QfUOGwI~I7xmgKW_CFDiMFX*dJn6+tgp%3O zXh9&ES0KZ=8e2fEkM%d_SO(OD0X0QHICru@zWVqaCf#wS%&O~^W>lI}IUWkWYx)^WT=A<#4UYw}314?d=o0=Z6gpDq1OX357B!J8?QC>*fUr~|NS{i&D`|`JZM+YaQs{gU0DJdcr`wFb`G+K}$o1n7vGzH^ATG-jvRu)CUq0hh>s?o0FL0xD|5^93uNMj@fW2$pGQ8Qd=fk!b~+QCL{VOTi7PN^xW=iF zQW2$MNVwqKva!yMF}OrC$gzY=2$urJyHqI2TP9f;-A;$=r%0ER9tRphm*th^I%lxE zz(+n!xPovcVB8yN)GCwD{dmJ$XaT*7_ypqBz!4J}G+dnLCK`Q>4j8_I^p&Kq0*x2v zP>y%C8Fw`H(Yc1kBpTPM!SK_S@)f+!j7fTq>uF4;F$D%HRFcl*8cO9EOIL(ULw7M^h(gU&atVa%;<728$MO5g|85QmH2DGaogoSSD+Isw5;_ngP2%J|?P*{{M%yI7{^;$re@S z=eQ3H90XcFS*axX%cG zPWTIh^NLH|mj+MQJGq1KPQtqYTf`n6=m^d-v z_8ML9On)E0A^k1s??B_W=elHaV$ywYc6{(OSJnav0{Cwx3$4$PJq zC8aV^Sz091X3@2Ff|=iI%v#WFN%KUQNK1vqE>W59PBQ#FElRW^-kNwD#q(r5zmyKz z8ovH>2}BOpj`+#M+XKf%RF=Dh>tJxp`TinKA>5I0C%{N^1u{H^lP^1)@J~}ObfIu6 zg{~0rl#3FWwAjt)UOL0IJLv%FAZR=_nQ|!;_D}{5nQ`50AAXodghmtw!Y?T<%}u#1 zql@$_8Y7)eIu07quapt)GLKMp5HaC?z1|)aPN&cl0=`A5iPf%`vHdRdQRz+g46=Q| z@_m&3(q+|i8R=v~v2Pc0{V1GCp+5xX5%SW@gBoD?>`ih?Iow&q2NFM9@v)U-r5(VX zWB4xp7M)9c5b^VXb^@aPcf3_rZiOAbcTUCVuH7Nf(tB=Z$qkOlhvmOAe(n zjLL8*xZHG6WvL83uW%zwSgB327g4yF!X*$8q4GS*O-34=lkgF`l<+9Rmnj^LhqBz| z27i9N1R#gYAv~IJLgDf}$pv!_9;zYd5zZ%^R5%ok%L+>dAA6b)xsY%X;bOo@Ueb~( z^FhZLy;`ULk0o6~x)d}f$CRdICDkN~BT~SX;ULo3Eu9P|cRSZ#af)&|<#CYpQTq|N-w{DiyH;E%P<@-D)66TSy9?tGP`wi(7gtFw#lB|DSsEU<_NuQJEYHhhL& z=6%HH5WgQdf=*WCxCe~=_!ysH9whq^*|}hGOYpYJ3c2oK0F9wcBDocvV>Sa$F-E4*Y zD2H1@`YF;+gGT(ND8iEaQsWzFVR;$(XUIPb9*J1SLvsk6d(MQLD}8jHr|<%Wq4D6OEh5)z(3IweDpjJ;D^#$O@(D%sb-;`ZbRV%f5}@#}_P zqXo8A#8(r412`@qGwf78{A)~jLWiBcNntI8bt*__TrxjZDia}0*rPT5w<)ZrumJ)h zk&QzFrreLm!FV4`$)s{G#MO4{Al9GC_Yve@+?le`iA$`x=aJ&4T(2WJik(!n^LZ^ z;rlg@KbCkC;!T0$sY=yB#<`cdp=OkPyhLHjon*qOhy5LDMWHo?HV{xemg0fr`OJgv0FsveHF?W(TnBTG*YCtBbUM=M1P7NcO~KNhlH)oXKmTrjjxOX+CEpc15_CaX ziR)(U!Q(vJoos+?5NvH>%VpCFL;qXg(J;{n(I`-)eYwmc=dz66r&)1~bT;WYXcjJ0 zi6VEJ!F>yT&^-vBPPivv#8_H5TrXo=b@Xg+vS*O(0~P_ha#^CKufY|QJlv1)nS}cT zM!=;7Ic|Wl+wtZ;UYu|pd9aL*+>i0pY_ky4~bzmO}Io^Qh95-$v< zZ~=u2Rgg}ML@suv9%90?Iv{K)g<%wiL%?NXp+`5u;JtUqZ*sVc2wzP262Q33yre9j zWNdsVQQ3lm>?pFADO+4x;Vw6J^r=49Ib=tZO@Kutgw1ie1}7BGBb-k-sc>akUXCj; zxXvR!KNXQcRS_ zCDhr=jQ`Ivf5H^`a`NNA;}*$B$2ntf@8sDu*$T3iV3F~mi*c+B6*4^Ww)`rGt0F#u zcr|dm7*dLpz$Y5rYJd;?3es1Sz6vyQ0I89n_gHd)YIn6cE3~?B4V_7Ju7!ih%San{ zov|&B@Zn!ib~4#1$`-jocZ0D%o#NRW$xbCZ4J@9od<+WRO$IOiN`8~WO(%Ra;adQs z^d>tBNui)n_KD7pyIW1l(YYJ9QM#Sd9gtAQElT zeQDoK%TUf4hPU`YewD-BOME8rS-|lsmZs!(j!jp)*(R*fdfj~#=1{mF0y6D9sRX8F zNMX`FU`D}ioIpVIBmWVth(=p(v{?4Y~Pdbku6e z0vZcxJO+braFHx^YV5W820uY|5!uCH(eWayG+>^A-+tvuv#$9={!tFMgw|8Eo`%I| zElVuBr3U}^R}U{E{0!k|0pkLyl8KUvBKexT=gf#M_D}738ZXdT4g)WNOXU@(+>1uv zqGhy~NUtEh5;Thzsp^FEhP-U}@bi4&uMmHg_-nus_oCd268E~nv$P(*ituW}ZvaNv zN%>kzzw{czo9g@WCh@hz*8#_!FDoi`ZyCE>zr=5oT~BrcSQMB!^f^B{u2PZ^t4i;f z_<&Z#-lg~+#f=aVCn;BqmG}L9!w+xouXhvi&BV6=M}kYspl{iMs=|F>!k2e?VJn3X zDQts)@GFX>q$VSR3_nL3={_d@3GwZ~k$F~?2O~~W+^5E$_LL9)GxDF4{{lSnEP2DE zEL(=@lkQ7%rfAdN4mvyO?1F;?5sHMQ|LQBFhsWecIoxj2Uz6Sg8ktKe@8{TLQr03(Qsg#y9Cj z{zdk0u*fCzN-AVmcMN%V|Cn;PDhH|53bEiXf0;yNq@1kpkD|Z)k}3Mf&<84qt0O;2 z(VxO$5cm$sD)_Fh!P~SO?{LEP2p<6$53eefFCV}ojm}%*@6l1Dk0yN#Xk{bjKNf(j@s+ z4%du$bK=JXNA{H{&Xv6gf}tFDf*E(eNuic&L8B#&6Jg*9l={v9DS@11$~Oaj{993J zO{EPKyhMd58Dt{8=5381r_0W?BY!ga_TX{7mGVA!F!l)@GIk2tj$}J2TUwOoIvaa} z#-j__Q^|G(i;D%D>AUV`MoTri(+JQA!ob}O#%1;292YWtN(cE>4i_dKAsz*eloJgK zoMrF>Rb*?q7~yQfalptb*a0jH_EpH8Jk6W}ZT9Fv=X5$f;UKliL=Ty(*vsf=wc^;D z^ckf4fX00vj~)+sgZmoaf1!U){m7q5zCU=R&au+mAay~>vN1+@fLZPIEN9UgNb77^ zEaA(nXY@X~b4-Zq0G4wp45DzJ3I$FEw@KXG`6f)$wxPikE}(EB1YCy3SGr@BnQ%9!t1{aH+z6=>Xk88uZRQM%gjpr*NNh)*JZEpXf!1n#agc#ejBJ>kiOrvOGi zAzPOE;BPSFYc0IrNMkCEX)q9*{6JJTa&Dx))QG?FPc6S>6iqdzHzMJ$tpb?e4lnetdb2AKIpkK#(iO(cH3pn#cneS9A z(?g_IV8%~p_*8ixjX5;#hk+L*Eu(2QgXA9~KNmdCP$e_!3yPDH?jJUz z{vvNYLgP^y^I+iiNL#QgcJqzCK=Z@}q!*HY3^X1J^U*`gy2<)!7!3Tl*`w8dg7zZX zi(%tila>O}lg6Gh#m8$2*{8@p4HoZXB3D)hNVq(=)P$>ahWRoI&ro<)h0NDRN|4W) zaHWpyf1bh%6qZ9cMa~e27s%|=L`iirA^pg~aAv_{DY~&k3-d0dJ6(G2U$pQd+C2Rd z!&|}dRw6uBDs=*8nS0rkQ?yd~3YAx>yrzn*2auV8m3FV2vQ*atSVd(ul{cW^^rbTE zEL9-u0_$wgH6}iy{UUEtTuX5sL}u)=gKj{^G{0qhKdlVCO@2N34d9WsBeMLktZMX* z;hV?EuX4C|iN8mDBXFcVS(&RuMl8se<9##!Z0DcwCK{V*Y=MC%912Edl7w`Ge_+Ci z+7-B!!iN;LK|oSPJ7~&%Wc1-*$&Yflk4b+*db`qv32D@KpBg>1g^$c;i+?Engb`o%UkxAik6MF5rlJG#tp{nucGQP^$eLyD5B4VGji4iIK3ZNw?SFs(krP z4)+b=ZwY?~nD3-CCg!;Bjjq(z#C@cHApN7#6|%9U^c5Jr`yqd!Ka>82^sk`#>6KML z&}_Tk__IFparuq>@8thbzN9h_g;4jW@!x38I)POgMbz~nE@}`6G|ah#>{dB3fXju z6O8Iw03G!D4`%@N7{Cz-0JFC<0mw91=>kbf`R+*b+N*aIy`$+J0}l_dEH7Q+>KlBO z_JK7Z+>mf1z(`FAS@u)r3^g|V_}AoDIoz?tn-Fgb9M1%US;ot3nB$E9ZLq%y&B!+= ze>`~HA9^i9L`qj_Yj7N>#d0Ih9IRD0l)$ z=dPQuKZFA^H{7mBgfg?po6OcUM0Y=|A)u*4cNDm}^HfRK1J*Hy3bU~bB_@Jd8 zKbQC*;^zTJ;Q7^wSkj$ubk2W0J(%GVr)=S$YB; zZV=WGDrO*M3LNDTga0UPQbY zIIff*<1q%;>rYlDBoi(nTnZSkqjN>B%-9*^(U$#K7n{OaJ&WM<-;I(_n4HMXhws_y>SJN zD`{K>1385h>C&l6*+)*gNUk=g^(gOLLuV45YvJHNBKS*At#hcnV;2 z99Cwz8w`zWFX@d$rxKk86p6=;sg$K(Bkm^Sdun-TI{BN)-vSAOka0~*gF5R|5(h?`;fMYtJq zxO<7uBt8o`u13Z{%V5zwH{19=yNS!D4CLpKzaKoRjpaqDyabk^;rb2_n6)L}KZ^%x zJw$6REacjiGF7EgmUxvVAs#m62z{X+q4Fq|c~DSN@*f77Gho82OZ+(&P*_OeF$lO# zv9J`z-Qz|#zF&Tn!#zQI5$VOCGg$zJxmUXqSqOLz(q1R~5xVCLpONG7=ZU{Sd^vDFha${(mYD;_U;UNmUn0MP{7UeM z&-j#d@1s2SvI(Wy=J*PQS1G&(fvHILxX5v@8=duy4}KNt)ui75&84(u&Q?mM_2kRW z$t9_BP9|St?nj6D2k|D|wRG3PWheYZ_m-g-lza4TqU(un0E%QOOF79LWP>NJ@o{>W z@Oy+eDjW^UE(z}&{DU^!Z6dsx@D{+hT!bt$2aLW#gWgK|L(d*I)|BS-t6uy9fjJQZXZeJR^@??Kkc97jkc9*iH z>c!TmCasNob^W z9r;Nr3G#P{J52ua!-R80q@ytH>dH?Uqp=!?)2K(|2pD**<)y{$NMoB7`U^ga?9pV8 z0gI0qLXY|l;p>}otcKr!PD474;Ghf+CrdVoOH~#YxyB|nQR!GpO(->mq$i5`ex&2f zX{t^$I?d@E4+r^=Gz@S(t`m&EafAFUhigH;CHWJEO5C#9u4Bufi-Ho8%NAMY-tPbJ;8CY|NF z8Qnzb?xX{xgG!_J9d{w4C*}LF!=xjmqcvz*_dCnz>y(a>&L$mKIuw_kKip|XH|pcV z?m_x=(miX?vNvBZqnjw*oAeo^`zRfaW=pd{U!w=;0_^=rpGmsE(%Hd)&;yKq?{OcK zvq%plefA+5yR@HU^j4+MB|V7rc}j<6DTSar-{>6!eb|FZUqJdorR9Fh5bq&IPtiL# zl=Lvt!<7z2v!t>-!swN8ANED0FD8A7(g<664vfBD!@iXCDAJeJpk-sD%ZOu{bL=vOr+d8G46CzVD_vRr}DlQrx@(nX|;Ytpg;k{y?Fr3qIMt^|xPLUGv`85G6oGviIUx4T!W zs7#--13btA2*w5GvAUW#sVsSR=Ct((l5 zr5XKnIycj~1rF*r$+9si*|kjSDz}=k>PUZ<+i2WQ;|?`&pCp@?{<%BNn5?(yE*f{! zxTmHeD^JMa?HOiFQR7}3Gil6%fgC#$ib%8UY@;tp$d7Wk`$*3reZSGsKs4qaFuJI~ z(+`qmy_zB|8r+;vp53m@GDA^k_VFIotx$3rRl)8sDX; zj0}(!rrhJk_p2l><$Cgq$S(%3R~dIt8a-04atZ0DNIz|~Y&0HrON}0*SGkPzGo+sd zjprK08a+7Nb7nM3``A2B;{_VaVIVfLDXq*le$nW)S9tm*(kn=>1dW@JDld{f5)7_C z(%;5c2)|1BHNY&gCS_Egl!x5wCQQ(gdaEd`rtk&?+)0@lTY*)L*BC!t>r-!%UrT-+ zc*H#x&XSFT-!l3etxvs8dOhh4pb?!|C@T^!mZq?GOvs-jzsup?rSKkwjWvY`M!LLj zLQ;iI6gE@X0s%uoxMK`PD9FSPDFc3B+Nb*3Z>9DjwQbPYcv(_yPu^CVSY(3N!RL+Y$E>{(EO5C(wAEF-}pMCMEpNW(@D((`FYM zr_$)E28u1Rx|3uX-OPAGOD)}L1ZV_dATN^!GPvCgDWT-$DX3q99zJo3p)|>npPQHTwUM^(JsOmjD01pMKgGl0qsfZ7OG*b7o4VL?V@~Y{i)~XUs4&XIy6nBWV*A z3M~jNNVIC-R8mT%qNIh2wD0>~{;${TT-Te=?|*+EUyn~`p3nQf?(4qp>%R7DWr)x& zqE8pyl{8aC88!rP-3;#ZJAT9A&Jf&P@ReZ}?@+n+2mK&}OYq4r$2R9$%InRi0iY50731LO^) z$LBgChy4s47GE7?LYvS;F<8P72^UacVynd(CrmkL`Zwd@tPk2y8N+0xX)x|%CGiC2 z3L8D;RQ!m;Wki>W&XVRx9*p2Z*MeRzl}<4>6MMs=E5Q8gLy3I2{0jM%^jSE?9z1ne zNE?Gpu~V}-LqkXCNI6wq$&< zsB_MYYv$q)I9y&vos4=Kg%Uv|u1&v3n=mB^V;P8+$F*<6@D3UR$cIZ<_ha0yUR_fcvS{^1f)!qawV0*S2hwa z_B;1*riQziEbl6LSJUIA@E|djMl0@LV@l~Q{${2~nJQ%(mBQCB5-;&hTkcwu zriJTVCuzE*8I%esjm`Wsjh-D++V!Gu5Pc(Q-Ay!=jN`diV4OWmHaD5KZ@9`Vd9&rs zp~t(ykgSH`Xnn%)jGIka6b5F^l`>Dtd@4*Sni8oETy8OAX;**$x5~Ip#_cqC5vGN3NP}g8O6bPOvd9fo(KlUI-z-<*Lc#5t3!qPDH+RUJWYe|Se`Wu zV;{NNN7S=oSBQO%EF)?RI$*KJ%u2&kA!B)7_zS{U5$7GFd|rs!ynE4~)VXcI96qFEAh_A#-38-S2 zF)p;~za?Y6jJIi6(#X3FhW`_i#yi5_75*M^hNuFq0%Ot*dH22v7lsf2MhTlFd=P}v z9J>ryu`r<_45Il+!e$9uf{?-I2Mq~X_pu2t{)8*za9bsOBH>dCd&7FqY1 zDIbM;;pbAmkn$xJ-Ua6Q^D0^Ql?k7O&+pd~zLD@P1+~QEK@?d-%6De%7oNuVvVM^D zBQ0L0E|;qs$qM36CKS*2$?s`Lr>t z0^8SA;#>Ha8C$~$#=m9!BjaBhELUOS&yi`o5C0iIBNQaJiEortl>+}-0!$(^aE9!%v zqS)Q^>(+w8;r5Wer}Vw3vj<-T5b=uG3EbXhcAM@admouiWj3Q(csf|cAd^GA!-O~H zd7-(4{Uo#q0&;BZ5L1PkhY6V<6f{g?kkC>>D++wqYw9w!uC>95Ff!;s!EFQ|L^yn| zQuvIb=8ngTwTa9-AjJ3~^4iL4M{kEbh)r*Yn(}POgAS8&xRmx(_#MRv7}Ro(FuEp; zfH_k1QKF9~t+F`EXBBv$#~6QPn9kQh{ITMX3%u53zzrO4{9SwdXzeIIB0fr9SxS9b zrm7M})R+n9g~~x(LPA0j1x9NOV4!HqC&U3eNJrBz9*rp6o|QCqaE=(4mV4}YzcEH@CL9oCyM9Hzi&39JX~U~jCnHV)6jP%Q&Hh=F}N(WHQg%s zHo>@OEus+IS!;d?}-|U^jmk3`-qn;&4xiUM~7+(wty` z#hkGE6Z3K|rHd}MXH4uIzNybjTp{r}iY)Y4$*oWi#ELrVV_a$aC!rYky!02OucFQv zLB%=CJ^}Zl2?GZB=k$_<)e>H&z}qTs;0(Z5j2_wA)31tNBl_`cYfk{U>j1bn6ZF`$D=X!r5`^af3 zrx_jQiEI?ej%9AJuNlijn3~JjPeuzGOeAQ|KrK1v_BXysCx3+l#J3dRiaZN~yoY$9 zY=&}nYqNF^_i~`DHnI*17Vag@>|Ikq+`(r36+W+r$Z9LA9W8zkGSNsPf%y%FF9{9t zhY3Giczfc!6^GVROb>8J7+-m@zm+4!A0_^1@=U?y`5JeOv13B>2kW#VT!>J=DLEz`{-s?lhCq%hOF+g&ZNbMSzcLH zO}>Zm&BDsGJ;k3Tz886h49k~d1LVSLvuB$#DOBdpk#nw`-oeRMW34xKBO@jEG3T;f z{oVAH(@#!+ItR@ROv7mZB|gaT$zk1x!NP|KzkoQO2*)0d zp>UxIkInVr87g6zgme(f(Ui*-fn2Ex-45_VMnai{ECmLL8;hf;TW#FvTJm{@tEzt|LsQzcHLsP7KMn7h{K5rMu=^mNfP zNVC#jiXKWVd4Se|!tjcj<~3UHuX4S-8|2+cPw|Ug-nGPyyUC2Zf-y_RY#DQCFl+Qn z5plZ`?$yE>0ympF^-q7Xxl-pzoljLIf&|thxy9g#w|e+i!M6#%oiIxT7&?ybsH$i* z=@yvMs(U&5s(%6_!iT*y5MuphAU(zy34^ZM=C~gZ8{Gcfduk!E7LsA}=@(2~C7+wb{ zEK^^ljIq=`YGPfu)?*SMm-qz5Lm}=UWp?=AWf zKB-6qwWntcuH}~(hkI7=3c=42<{!weG`1)20f&2D>j?7?ML6-B#(q1| zpZG1Y>&3oJmLX5>81fA!Eeo&ZJCfd&^d2Q%AdZ=y?;G1^h`+!_v75wxK-Pym?mjfw zg^+(Fc(dRwg!u<-t>r#8woCZ_Zx#EA*iXsw#8?tIQDI&jo)W_)EgP%@nr| z56R^#le&aqlV3~vM$)&G7@BB0;l4BW=%f4vz8Cw0*dNI%1w?kZz)vRS!|nbo=@&`A zQsN(C=_2==v6Djz_+9KDV*ez|T%f3sak#&XzjU+@(BIYW48sA zk83bp+wE)4>CJui)LhPfa$3;g{qQ=;a+j-i`zv4*_q=^}QWk11K z(@AtfbP;L2c(G(O87`4DX&K9xI9y6nv80k96=Q6AJV+;)v}CE5PL$M1(n*vUZx}=! zEk-{ZHYPaPlt#r~IYmlmDW_6l;FzjX;X0?8lnV)~i=@*fb*04XBr%+}B+lguTsKn| zPWRV2LrQlkXHrq>#r6hZ#Qxqo<6sWb~rJw^2_N!i?SzdSj%FDjC%@coEh^@Lppt z7guA-mQV}HNvV}Gib}}7iZiIbIA=y}NM(5$bu#LMfr?jUb-EPIilfa~xR=j2#>f~e zqahef%q7fQ-8eHwg=<_SW4w%uY4Do`gXLW}!FU(=OT=F){xb5samyUb+~uYW2?P7C zkTOxql~nv2RuZkR!O{v?5oD4{`EZ@dlCF|;H6?y`v9+4J#@MELf7esQP8B7J6=_`hLcdeOq;VRe3oGx<)%@DLW3cV^>&orq%NY_icLDG$sm}&BIiLxxZ57Fd+ zkIPNwjSk){d9&rsp~uotEXHwK27i{oZ#djs!Se*qC(JL=4iz_!j=#mU4x!R_tF+ss z-A;{(4BxvN3>CmKqYKP9yVOVCLK%x>+(CoyJ~9{#++J+-#^(4Dhr3hs646U{pfSz& zE~DQG^xdNG5q)o;D-f2LYOy- zL1O9A^*JnZ^{5$lg{GCqWIQh82^zdnOvo5n>7F!tTNp<3l<4K6pC--s01+@`5YvjB}hj*K0_1e8|^o60k@rLNN zqSpnw2u%eg?oFdBF8AktOZ0ltZtS8~J5AS?xxb9PdW}E--(vp}`!89ZAG_m~A}-OTRpI_KXW*VbKDWtfRHB** z{#Bm1gTpyMt}*^lcn<~zZzueOI*Pm|^prZVm?OsTVholEcTM#d+C{>y5_Y4&2Z!$) z_J-fx=(5HBR`w9Rr|7*%^Yn;aq$2eB?rlOo#O*#3no4L!fzPf!Q$51%yB%KO!_r*v zeu7&NW>~P}9pG-0NQ z?SaAADszqqq3Iy!SUJbh;Tu_6g=GO#wMi1GKSHf9O z6x~VmNu-tCB`^={WP=A@?BP=ccNTmqVWo)(I!WAVMqd*KRCE!2y6CQ?`4w|~(^OsQ zX2!>1=*$^1y306|2G7q_6n8z0PK8v|Q}kJ)dj&eK1y;{C`u%P`?B|F+S9EXE{DzIe zMm(%F7=FV&J{J25?5UZ*_v_bs*yQv z{pe~;dOnOx%t@-1G>Q_FMP(jSKytMW*bmN(ZV4Z;c^P#w>S-`y(`6WN=SCa7;RXDN z!;KL=R&+z4ku2gxZk*AdhGcP(=<%X2-jT*+4x>K{^d+J%6@3|LzV|L$mFBLwmmB{} zco(k_KT-UZ8ly|XGngWJs_1E?3vU^A z!C{lWyVi^oF7wfOos8)+X3*ec_8kBbH`9c9VL0^l5^j)iBLxO1jsiv8-DLEf9{3T5 zn%d~x6>$u2Je|$ zV04?aJiSo#BGGpk9ZjGyXR*;=hUa^y=p~|;?np=6T}FQq=(|PVBl_Mz=W|%t)ZJ(F z;P7$3U-UB350GY#!nX?(?YVXOgQlDip6x?Y9+vV5m7SsBeMcVZ9yR>XFjVw0;g1V{ zf;i(6>qKU-Z5|5tPnyx~HlGxplCfOI(=?bAqQ1E0o-tv;QTQE)dse~<3C~erZ4^x} zn3T5TXKAIGL;L$nJumYGnX72>_6sI9YK#!x=IM%)%E9ydY^%zi{W-ol+eQ5g9>HbN4Bz?2=Ez}uNCy&SD}yLx=z@x9t8h@yWhE zuK$+!kHmi|GJW`%E5im&-14JPlKao(JwjA$licV8)jRO7!kEC|>6mMb|18ut9xn5D zv=e?pZ9{Yu(jom9S7W}h+u4jxA^q$y_V*V$P)-{;2hrhMSdkrz zz5IAnwb-LM>kc;Wk+4+SA@bVFYqx`kG7MgNt__K(IMlo+f_Ip_!{xOP9+q`!K>Q)% z8HbqvVcr{I`0bJMj*@pYJ?7Q85C+iT#*Q&z&(PM;LBg>Tj-$ZHV9A4P$}-lEH)r>= zd}MT#6Oj|8!&paYt^sRTHdG;mE@sl&)%Y6@7nhWfR78nm7clb+_rk)UrKY5*@iYAO zQc{bhmQeLCRznrz9oJ*TxD!nLJQR{nl-Nn)NfcF&_tD32o@~xRVTQ{oayrX7l@60G zLWjMQsw#6Br=E4Ene{_xcJ3nUbXi?#G3g>$xv^ZT)^#)E{_v#EkkMVnnKbyMYO$Y5 zSq_)zVZuLQI8ILqXG!Qqf$gE`>IUp_gG>^ssVeWzHf_u+_$v-~j7^`^%A!Mzs} zZl39=k69fq@KN4ZRzF$&Y4H(rHEHxS7G9F`OzId43g=52AZg$Z5?)CEHV!hWYmf#@ z8Y1ZeN_<9K#37SwsABElLURT#^r0InXPBHc9TqT{2>3=8(iHEj)Xe8XtY>7F$;{H^ zb1JPIj>T^=Hqn)vG5a0-0f!qdqe4a{4SoYMS- ztiuR-^!7%vKZU#8v@^nz7FS4{DD6sWjOD0SHJoI0#nJc?hnp<=D$!SyW|~pBsxmoj zgyOC-XO9rDDRQRDnMOzNTcHoS(p_u9^PyYdItkMy%%H$>b*!=y?N4r|;f=d6M7a9( z!fz0MBXP!6e0!DkCR5%XA_J8mDYK=_q0$C_@ZI9LPFC0YpPKT`c9IuDFz4zd^K_E= zJPErV^l~FX>kRrQ>TWUjobbWDRqkzaZ>P(`5U=bO82s8XJ`pVxyh!jJg!zbcZnxOz zHv@gA=p~|;l4d$!LAwMuh;2-3P#3<-w39+<<8Ep9NV}IBFM@hGnh5VR`onJc5r?~9 z^fJ*8>_B6go(GNoCeROwepvJ)JJQ%i!|1O9{g~*-ML$8B=><0si`11@yC+TP9D@Fo zgyj;Rrr?8)$zsnK{cSk?v!YjsevUMg3x`H?*#fi=t~6!zcf42J?ekJzkg|#jLxci6 zO4u1pUpL{vV*kWmlCWCB%M_T2^A6p>|KM7bIOU7myTWBydsYs*T zU0VS!?>;u?sCGU`TjhKr=Tka-dZ^o0)w5j-H62qn9PgFSrFo;YSL57RYu{RV-Y}{bbTUdwA(* zNxw+?HAq;$XC$|jVx`6XW>T{-ci?wPe@Ob15*xWPSl0#H0lL48|9&fe#^L@J|Bv{8 z$t#18rm(u@e@5TRIx6XHq8pv4N)7%M9V;q{p;CkYEL3Wmp5W=7@DnOEqMMNB(-?_8 z$gvkT7j56!l-}Xh*hR{&Qg#bUZB4cwMPDxIvb!mXP;}Ts%AQj8qM|#97o(eaZ=>%z z(1&Rs(M?4+3v?`n_37NcMt|4I)6GTiC%Oe`CXU*CwjRUAQTfTc{mofc;~(1ra$3r1 zMTd8dpw|yar6Qkptxf6sqQA_6Qrbv4h>C8Zi0xbl8-4O2o<2l$ThZ+T9mAkDOeQh< zpfH;IFwuvLZcmzN6`xAhT+{9d6M9Yd;XhKsQ4)@(!0=;cC)z?raW<)S2{>J zR?2Zy6#hi22#ezyeeXd&{2fI{L`O-h5}K|?19Es9VrCuik+uq!|6(D1Y)3MRyW?5@|+~-cO8ScPE>$M|d|+kC1=g2u%PH#Ge=N5?-yFNxA%hC@H*H?5u z(fvs)B~?@o*UNmK39ZAR&GRJ;kT8$}ADPM+m2QyXKZQ2d!NP|KzkoPHgUlr!br%}F zZ^&GRiXJ99O8zn$a*bBTmYC0s^<_skZGOao>_=@u?GYnRYQafPgjvaY06cnVPjYLd|}wa2M& zxXGfg5`A@`Ycd&Bsjo4*Pv`=hB6_OmX{1$n!GPs!jeW4Q5B+swr;D9IRuwxe@`INJ zwW673jQQ1v<$4)6$heV4D7D434o@kzdi8E9EE+3!eAzLVqA#OPH_%2xe*Z&SL22B3YUG?mhfit2o0YjYTroK;-xYto#iK77q3 z?I)=PC4R#4(X`v&*f&Bpe1O=NVq0xzOI>SY*9G=Kv2Da2w4KFhEo0vb>>*;?ifu=h znJL$Mr_Y>crJkMUPclA7@ zzYTSR^F$PQ~T_|T0o z{)o`pGE#h%_-gX}0-!pF+KR#L+xYv<39c19im;wAN@N^+j_QgT^Uv`{UPhgadKyeg zrIoof3Ox--NB97aHfwX}*cl^htgHrF%-i$zXnepxxl**SX%WP6CVmlSb6g~Gyu^zs zGVdIYqV@!1>)QIDT_W~Uv6qo$&^RP7jo$OZBfs3N`jBL=kTp@(m9+Rsu(6p#$2Jy! zag$6L*48tf?j5nj&ketZB4DDGqBOGZHvv$6ae) zkC0}rlQ&)7jNowv;WQ&|Tp_2LXg5sR9aSx#96)EQ9Y3yU)b;!e{1wiOVEDKruY| z;_aiF-Gk=!3{UB5$jl-%bZ(w^%3x_oE37Oqr=h<_r*hp1;$&lC&i?h&P&frdO^}EN{nx2 zkR|`q+xDWFy~6FkBy+XQmua%8X?S`xXR*Fw_y-623%x3Qjqulqv#}#P7Txt+AoO(; zYWMNN8xqz^SVuvh6D$UTfn`RI3UeCX61`sZ+ob)+(5Kc7X8aw78oeXqT^aAu@U^|H zwsEzl>fL=)Xn(Bl=&`j7ucecvO?V|1;y9kVv=5XmpY)I`~)b5n6Pz!!a>{ zqe~j&$3ji#!!5eqMs6qkgqn_=CUlq|a9Sn?g>qp$O{>}2yt**Va2I*I%G-?|-#=8I zF;oWiL2gRFyGhxMe-wL2+EdbAl=vvnz*~W?6r+!5@9BL+Hx=ECG{1(d4*3i0Ysx!$ zuQZpkpOh9s;RU?1zbR*js~jMurIc1wcq3HU81#f>MU#qJn`ckjmw;1V4KA1nAc!VDUAl>48c9dF)Q*Gp^UI?9X4i_&AR zsKkS*D~68>X(lc_A-sqe>~p@TJW4@8VY+ z?i}Ig3hzx^t^D<++Lqk)F`+}q5c^8#C!v23qL?#`)h@6@p$V5B=C5$RgaHx;Qee_d zkH}V!!0=_1wcQ|d+N}1@U^zqNTtJ7fdOngu?dw9L9|=tYLq!i0ohHqckxXH^lv0E9 zGySPEg3APF3G>ug6af7=Sl<8`)+c{auc26rc7 z(I^IYPcWl4^x$10<5C%y(cpu@dcq~{a)UqN4dZZE2%aeT%Iz>Zz$O_yocBw3vf!%( zU%dld?5;657vL#^rwX379Y*2vT7w($1?HKr6Fgn;41=SXdOg$Nk`U(W1>Yd}M#3ye zb9ax5hT#~vmMy$RH<@@xJO3bONt`Wl4n>|ZgOL+?ceBy;Uok`o(_GQ>M9&X2MjTX@ zxm%20*Tt7$s+6oSb}YBi;Ks)yUe^NysUT2yhrA}G#NTydtf>8K2r`~ z<3o49lx0#Lpu$+jI*4h^t>rRqY~jkg2ThzE#D^q4Eb$SFysb#Q0t!ZBJ!- z!k7GeSwG17krvZ#whV7QGL@fg_BMEJ$kFx@+*EKg!i>m#eGNXbSUxK6_BG|D8~pj3OW99K z3o7ALn!-Za3Aeu)qr#{302wW1w4%YM%cja4W@5EAe&#Fq8HYPid>ioxk>^{@)=ljA z+29T~VM}P(JVZiU3GFB_#b+yO-J!;A3rXiNv4@LoPnOXWMIq1~VelPcRNj$-j}m+| zVTPQIlH8&77~`vd!Ou8c2l2;>KaM=(M%~I|IpF+wGhPpivv!mbkrAb#k5M#U97`sP zOEC8=qGefPX08g4E-o`6vxp{ddN_(dNn=}t7Uq=LVzDJ;neFAco~v(?J;9u!P+mJx zPA54h(P7fy#!g;2*_1!RgF8h^XDO#rVUR|!R$=U@FpR8=*we*!CCjMAvelS8hA~^l z4+w)|&Jf>S{F&sHv7l{~HE)c%MSD>Xv+BZl(w?%;lGTeAD-^oB+HXW zA_=V4g<{7b6V7go-*LFX5{5{)fPyk&ygt?G5%tw*`f?YVv_9PVP)WlirA?~L^sY!!EKAe$MCMipanPgSA0ekbha>E}ED}4_aULm}ac%dYP3PYkeJ{F%LjCaF& zt0T;OASB+AGOJ`((`3DyBcd?=g6T^EtTC^5$lP-BYUPchr`9|)7w6Q!fE=a4In$Pe zR*Sr}I%)OP3IW9nmW;)V8PIq#G1iSX^U)B{F*3)>Y@o@wM{`?Y*$H+}jx*_yFw)>6 zN#iA5Oo^`!3U1o-3!_UWm@;+?{({3@BIQykmr-HN*X73MGnMXg!*{#Ir=cr^PZWM7 zai*a}QAxHag$3LunJ~42XUF*`OSnqH)fAZRVHw3Tca6a<7mLLfB!Z_3o)+LlGMjeS z8hqqP4__yEy5JcBPL~!HyO{>JUg_cM1>Yd}M#7BFba||_q`WAaDn=doCX3(T0+(;EwAERt~t4Tfk8do7$>YBkKZYLiSVVw^|TUYxaTxh|25&{a-0T- zyIaCN67HqIr&ScoMBIG_pE6D?=7b1dCisB>C*qhb@Swp{%RKy$;D-f265w4c_l!Au9Z*2tU}o!EeH^_b^Ie(m(PWOoB6vNlgMwzwSP90>;U2y-rAa8@ ze=p?+DL+!-qo}E@Kx@=bM*kHW8h#f2i|AiT^NwSY;v|+o`_1rZNBoMz{Vx0u;eQfm z>7yz;x-e!?g}cAZS{%NQf6Mwu*1xovq-wGws&nZ`A`(HF^FNbz>+PT0Hc5?6QDp-E z>bce9)oG0XC{!bgL&5(_G4aQd&@H z3#B*_M=d#4o+-hyRHbE^EV7MK?C^_y=p*UkRL1RZC))cy@HpH7I#ElVs1;Ad8!L~* z>mpIt+VCSoc5|TcHo^}g&g>>1Eyd312EQ3zj6(#s72J-nUZPam9ct_kfjvy@;bPm9 z^%bK?Dp68|>V+BQ;qe_Q<0u(N2ZI~)qK=I>?-(;)?CK+}gN$Qk97jXp!9GdH8~b?( zPe-v4vC+V~*iaWUwpr*Oj*Cr*Eh1}SkD`;KE@sxCgt@N+fQtNvi^N5DR$=>y)L|O=ZhX7dLU_k!|^26*G;)WW>ke6 z9xP*sj0?WC(9pd9@vb3wDT}@4SA!;4&8iOZhdhU#xo7xJ2Zz~FZc$*HwHLak}P&N8NB=^ zofwnI1Pvs6AX$%WfSvcF~@I#InSKxFSbz5A~|;ihigz52C-({VsmZ|PvK5EOXMu2 z!}koEsFY{_ww$oe=hG*i84!uO#8 z^DPPMCA>|6NffOov3L<$05NAcp2CdP4JQ6nNDAm}koc~|_b4(~Z%B{BG>DNE=?eG0 zDfJKd4D z*TPbfDfgYhtJ~o>9PWF;KM4MjFdxcjP8g|6SG%9K3rl=N{Vd@Z3BOWc+;T6_c$9tO z?l)6*4PS=erTih~Pb$1d_3$j#7{->9f0-~Te5n4G@Q;LlDKK?sSSUw(=6}Xt6Q;^- z6W^$_DhK%2H)Ns2h0)#U>_cL~VqLB={#2+cEDoi?o$wQ?3No9}?5P8 zjAk^pza}XC?rXxg;WcS4VLu5iC={CUq9sMi6#8#V(42=zaQmBiSGfBFWVV#qiYDW^ zG@Hj(_jRtd@q33W9Voty_=CvvO3|Vsbe6@?L5w19F%EaInHSj{a+z&qwxh{3S(>fD zqE`n0_%?pS;SLjgxZw7L87!P>3<)EU`#zEVlgMB;b@g-pmCd#yZN3$c)nDrOHrZsmNAVyO;^b{a=5n zxP*j+q9FKt$-ATpuZ5dQNhp?3Lczj@q+Eiq#nJdu;0p*dyD3d(;^mlgZg@NEtq?v;c$zq$Xf#%Yg|#u%rPPE)Eg2L9CL^It zLUsoMHSJiDD>vcpAPkpKA)zt|=y9mQG9e?~2osuz(%(o4RT8Qxu=J;?S8TXKg|Eh( zA-DTSnUhm1XH;-P&jiOvICDyec_%NYPEI`?J`GKMKq(C!8q`Lc*0a0U#z-40t$`Zb zmMW{O>oJkHAdNHWsxW%^B1z*VT}+A5T$#_;V_Dpcn_xmN;jeOugi9q{MuCOF(YdOU zq`Tbcj(2RWw-3v$GH#P` zI}N=P=&Zt6(70P*Li7E6cos@nB;gJUyad)hEqD0JRl3DyOrGj5ai@$WGM3U{?p9YC zNtB?C{4V3q4^^qV#or_TUh>KU()luXpTX<)^(Vhy@G`*<5N2>VI48+{1>A#X^b74J z56O5~#v?SC+Avluopz5J{d#CZcue%;qMsnmHkon+MkCiMunwzx(yX^asGgFwT-MXH z7^}f@&zSIL5T2E=Lc((t_@WhRj#%0r!^Pc7lcwM1@BMj6FGyNN$wzFY7}cm3jqe{K z_9gMF#lK9Rp~67)y7~+{0ADeoS@@#8Dq)R;*C;Tm&_KXpPeykNqYT~r-3H?agu8f0{JY}c3p^H2#0dNv_rCFW zU+!aRqxenYKOoN(QkzCo3Pwv{&kr+x3IobMlCfFF78?A#R@7IZO{y|mUFkkHWyDeb zB3q?=BIQ#me15~RJV2T1|0w=`W>TYrz4W=HFC=|Qi3xo~Et1q%24_P{_Sb^H5&SJ- zCd4$hg{t%QTC7}U*3vidM;z{ZSwG17krp307AUT%$0Q#2lL@1D^kj4MG$Z z#AFIHI({=@Q7DT3F5wRee^TI0l;vvc++PMq8~d~WE%+b7{|2~}yVLwy!w-Hn|ZI+ykkyQkQ_$nxm_Kgp`cS+$L~L8J?Z`6Nqbsvx(zTWDP~*2Q^}#+&{Ndu;lh^xIohd@Q0xHQz zn6YoDz#b{%C>cl7U{XduV`0o6S`ml3W6b(s8~%vHb&z$etm9}gq1EI@qg%q@EBgCD zbrc*C93{-0s}!@!Yh29e4xu6z7o8AYM4F{sY}L(7YV0J=t_Zc#bGF}o59VQhHTouun|bnlFj9 zo6a+1=a87rmoY%bKpMK$60EW{$l&ie@CSz*EO?0E3kWl9;{|53l)KRQ$HPS4q2h;$ zPX~TPuAv6YV7XG`hlNZ!Bfd<0mOLL6=GtKhVttt_H(~D+{QVA>P$8i*2pAe!rV8)~ z6CMverXwX(NvNj4gpCyiQN5@!dfy}b>2soMMUNuQ@L(aL`V40nIujZn?}faCItld@ zc=|{T8@ssCMsMSfINTV~V?{TR=8LSM2AVv9DK&1KS)0PJqKjmWmvu2MrDm+UpQSLt zguQEgpe~Vcsf5ddkW9o&3a*jztCJ+^JLAZ z#g{CsZ9CN6V#e8@dE-_Yx5>Dj2D1Z9k-^q97*AY@VZRGZ>K5AS7D`$q=?+SK3YcI~ zIn*sS`jW5wCGHfxMD$Y9jIP4EL5QxqOjt3~-}~JX?vZdW1wMSHnsi4o1V2ZZ5rx`pCGr_e%Qm5BSSIXw2`@-k zMS&li5g0~>ZoU@{ZwPtVOTt$Rf0;Pr6}WrF*s+0qRqPtEuaRZIM~p_F&+7)iAK*6x zuNAzGFi)I{40UfB`{f+`gu}fhcD>lQ$@0WQIj3WT!GEnF3iutt?+Sh|z!(?r-1`Qf z5N4Qc6ue3B2ZY%Rf<_Q+v5D!Zej0>{|Aa!qM-n$n+(MDT&y>};kB$BKV}=JI+A8)F zv7eGHG@F%Rgh@P7g#W{Iy3|wmyERm}z83q9*l)=) zC7_(1ij`wH#djvm3sd{Pm+*sxA1N?aW2N{M|77rOp-=2*!M_OpHNeqmHtBvdIC20^ zfW!SR_z%H<2DrF98g+jeyyPJd|1J0*!T%CwZh|rBkw`k7DUBCp-G3(e3t;+#q(-Ny zHh_PXiqnXHjQnnl|1MMqZh78cV<-HC>VWVj#M!VGO(ct=MHus5j42T2ObRQT?jmPb zIlIwm3nzj2!DP>9X(ARYikB6qlF>xAysS8z%qGi=F%4vQJ5f3`G3=oe?Wq&(#S`(t zRORY1Q5rSDy-lb*#ph-FNN6gdSrAaK7|C_^+`cC4`wC8k!!?(%pM(|^3f~G8#Ht&p z>~G5Y@U1vNN=qrNsOZzKj;z*3f6ElX3mhoAjp&0&7g8|xSdA2wuz>+vT4LSGgU!4z zq~Jqjww2kACa+VDRU@1`)aaVfgnO9i!$r3z&CIDbJ$fX@;2dH2tDzn9Na05bKbpAe zR2;E@`DDi!-#OH&I*313{Bh)Yf2eSly5kK_gbHUz!4bhx!ukYdD#mb?5*IV!x{3a= z#U&&p6a@iaM6@knN>S2;+a`D+C81bC2?Z8R*;xVBUElL7gbClf0AY>HD>P zfg^6(d$MU$!Wu`XNb4-^RBF5-j1j;lsaS~dG!v?-efYXaI9)#7670jMu&l1~~{ty{YiJ)fo(pY;b)HuMT~FeTDZE-k&&ANhx;X!EN- z6^OJp?jSSH{LBYvu#6!xE}&6(J+PuadcDwbhYUV~K7|X-ToPW7p)!ZbOw;5uDUBt{ zGG#IBtz*Joq1PfKp-e)Sg3q)|T)DxwhfI68;0nQ&0WQg=Qf`F7Lss~k7%8|)a5do_ z^5N1*Ip<@WZ!W1;(kM#XGgf|ihGPBXkQq-78Ealnot%0)Z4rW4q%2)h9?d37 zONvvmSQgnywzw!3$?*G_LD%CKWxkSpPQZA#y;u}^#L$$oJ9DO91HFUXIpZ?`Tb%m^nvaY1X zD8Yy*UP~K#Ofsimn9DO+&Q)@*ro*^LF$6{GYBn7-xNA)MCKN%YNSZ2X8YQM3B(zu( z^S9i!Cd5MX#B~y;OPE1{?+q47O<-5snTB8c7=Fd!t`~lT@EeJ%HwuOP!lM0Icau4X zghI$HIkV-=p`$zoYp7M0VR5XRO=uG0c&>zb66RB29B0R3wPk-5>^!*L3g3xaW!)z0 zc3ONzqnJ{M@)X*<7MRh$1#bm6vrxt&8F$cNUaNv0Ry@PTX=-O$Y~CLslJAtaMBY+* z%xf`8wlK4_pxtHK!f$yoT<&gZ_ei^!8XxEm>)xVXVp7-8^L4+ZWs)AC#JloUzB*J% z%=kNe#UGOKu#87&@G@M%*hd~}B__2E&*(8pk4t)j5-)=;NiAT88i^SvhfL=w8Ovon z9gJH4R8cK4W9RT#pOvvf#&f|yix4V_Y=B*9Ml>`^J}=`18LMb0wQ-_?Uufw?b2i`N zU(lE2td{dK9lq1trO6exVSUAvzT>^}s+2WSUJDA_WY8;{MYGB4rtBVCW!{joR?0dm zEW+f|S*#H9rqL&a4u-cxuNVC`X})A5u?%0f!EG>nS{SGKj_`Mdzen7EItt@U`03DE z8}FOBG<-TX%G@OL1Dd>0;dAajG`uo=%s&#oS@;&>je+C4|FNN84)AfbRp=)|KPAeS zI6WFw%2Lj@Fk#A@_#KD)T*4O;zNDbSB))wq_m$DV6wcnreJ%PM(chBh_qY~o0%E~d z_nq;(gvpEFi~m9VkAW}4a7c9WxSxza`CkPF8w!g5Mf|VicPLRLF*N%(Q~HMz#qU!7 zkn$%L#$~o5!;Mw{GW^dlq4#g${|Nt=I5RCj;-aRW?T79^v;Gc)F1E>P)J1g`{Hsz? zJYDP><39=&mi|NhJ?w;^P+<|t1C%otRUBvGyemC+gag|}b-0sE} z{~!N&_Yk|M*uBW|-0@Tl%f%$!-o{Tl&!2lA@lC}y3w$11*Ky&>eT^>#~{|5+eDYzBkP_sbK4u@P~cp0i%uC>G-i9V8qp;W!FBe|c590kL|#;Ro;U&)-paM0k`qvwAL3 zqLCpi^2bc-JJ3sUNeM|sltS#P-iFwX#fq_yQ_{@)L+qwx7RxN5$%hzEMoQfY2EWo5 zzu|Bv3hpHMq#fXLce25+2KW@godut|13bc=X7FnP?jrbf!CeXSks%lr6|S4nYXW_S z=UbYBeTALZfa@Lal^R6vF9?oiloCIDKApo#^^N zN3qgK%8fSq{)2sB#)uv(x`8xv!E)5_xWM{2+CWm7S5qG)4?}w&|D+Eszd?jJ#2AJqjhUp!X41eNhf9}b`uM&PW zafT+-fK4DVOr*wLW5(&fd1H!kYs z#-1BS3S2Mt2C+Ai<;`YM;Bz+_+;$hAEzJ@>`#5G=-Wi!PMQ&e8SPxF6-jM@8FNFk%|aQAWZXf6=jUU}yTwLt4A1FK z(Mv=xCCzBer%Ovwh2R>bQeo7@qS&MHK7;4S@EZ96ywgcTB=qren|?dsf0W1EJY>Ups* zh+RdtkUP{?YUtLBCNv7U!%GrYOL&=raw-hScCQ$ms>KCyxK{nQRn@e~S%ZyMYzq}8_suNV9_VWuTsB^~vmK@xO@wmAvk<7!?rro6#E%^C9_N z^dF-CB+Y2A&apv|yH5ONMyFo>{C~^%N5;Q2c>a6?*LL{N=xH~3dYkA*r>mTge|7#b z+0tr^+(X%}F@7qP_6OeUjh*llO8YXJ&?r15Y}n# z#RfFHoAXt8R(r_VQ_fy=bOr25mvVa>y&-HiwU6kgqMMP{o0W!sc5#OqJg2XR4-F`)}5TOZG8$(^sVvgJlkpc>ztvI-V8gJQ%!Fctk@5 z4-=dw+=@Z7cq~UJBPW@L%>_#B48uZvW^{%!ogvFJ=yD~gVpnePW210Z9B#Pa3c;0x zS!YGqVuj@eQCu2fQnL`ok&>z;Ra0V725pTw+<%SXhrG-y;2JsMwZcacXF^IO&<5_D z(etu`F)2`Vo#=Yf{D9`_>+nc1`)#xdjlz2~M#5ML4HWn=aSMqwUOA4L7-vq)a0eI3 z887EzI=l$yd}#H#2__7F%ZKU`371N^i~0BB2dipqS~=64gF|?(mve)h8|m-{Fn<7(Wbk6%WWtm%ePEV^*%IbZVAjML>J6wv zqNNzt&1P+E<6n}wvgXN}PfI1ORHArH1x75nTg+%10(Ps6+hp8MLq(7r1`y*~3ydEe zGK_`d7m2@vJX0+yZxsm8V#A00?ql{&;Y)-sCGOwa5_gxu?Lt`Y7JQH3dkL$wo(6mhf(xkpYdP>rANl#N^9OFuH_Fz0?d{y9|6~99KbL9CH z(7E*pWeUNvHEd&c^rxr0`D_a(Wj<-Sapp-Vd~ zu!(EEVtmQ#o_|&R8u71@=Lg;A5|)9#Zr-TSc>adGwer@{E4(&EiSUVe)0|5~OuQv$ zy_~n{@U_9Dt+G4=x50!?n|9EL-~*n3={w0~{j%;u!~dA&ulJGg&BC`3XOh)sl$dACu2W>@ADgy!Xm#8w?GtIA zQuA?9gl`mgCUT#dGd0A;=W@P~^Cca=N+?odtyqI6hce~Yg1-^`En!AnU3z3T&Goas zGhty^%iwznKS=nI0@EB;VM0R@-=Ck%7~9Fm)Xy@0k?|{y!mEw8_1_Gh76Sjf;6DWa zNthpGlyURr4XBA@wM?wE#s7?9Mn0NH{<1R+4JF^db%uX*hJSem1~48?z$k|CpBW!_ z!yjdI35h|>XlXSbAv2K9B#vU^El(Cl?7;cYR9E`oqSUJ!e`^ac2quF+Yp^C%U z*Nh&6ywP07ell8YH!#c~h89k@zZpk{deZ?iTFPkkzeW*^)@B?Pj00t~k#W#=BZ+Gy zVH|8mzhE39qpgf~H26)9V{6}tJJjfN1AUn2!$r3ztrVQY&OK4C_+-NE^L=_eQo>OZ zj;6rVbJl*`9bO?u69Wec?ocbbWPkMnWcMdIlay9N;rbqpJ_tPxnW z8sGnJCVpM&#WN&!mv|;cek{C*c8D4@k(Id~=KT=7p7PF;*NYw>Pa+aZSZABjDl{3L zBja2dy@SD3zH^RY>tn{Y?|qE-mC;W||6t&=TrwtCkM;1+Gvlccf9J~>AY&j6Hi}|n zI}Cn9=_Kt2nbP|V9|41<43TmHmDW%)Ic$H3ZxJ&-eV>{2u_-L;F0@me|CJBtP@Q6! zPLbv*m@*2*fr3+NPOnfP$jB*^lcmF?hah73l)+cc_F)_@xI%CxVO{`l85Z!yiVQ_H zZiG35+Tu?*+(DN|g`weV7@ zs6HRzV&lx-^nkzEMY6}szBt&rSRQMkaFdo)qVP1`1he~wYhNP!QrVZ$W_qz|Xu@4? z$~mFld4-gTQm&-J;9`UsYI>;>?4f{G#}M2}W;dVdgF9LFRkE+9&EiOL3X5xCQW}jY01JcF>3W7!DQENjsJkasi9=@818 z*UPy<&W&{VI-`6l2YZm4acnSV$(Su;4vjrwuw;(W8HJXan@zg&8-E{jCC!sGKS&9T zT@GaocZ*3I!u{MT={8BXQz|r2C1WfwW-2-Sr@<{SZ%gnN%3CDw4thS);%>3Q9|!nO z!Ak@$CCus^t2NlX9rIimZFiZK2|3i=vhI;}FD-uw^r#s8UAV;kf|m(?fbjpv*_+2} zHT`|u-Q1}NsgR07DUz;vKq{HioDxEv;W|T|sddh&PSQY>nM8^vWysiIDw&7O^DHvY zks)M!KA+FE*0((O^VhRqzq{A%I`8-1Ywf-E+G}1+Y>0faq8!6=8r*7AnpFDxwMNQ4 zQtqX~Pi7R2QVDA=h+a!N|Ak7W{D=^@&YV`^3J=OzFXtgT{^q84ytxmX z*D-jH$a_@YWAylC!;*B^{}mM=;~TFyrP3{(!@MDdQ^{U(?_njYZfnjB1VXzx5D~AywkP6Tg`}BT=4=rAE8&jjjk& zk$(`qMf8uPS=>S4L+#G^R=IFWH#rUOr_|rEL-&A}v@(fKTilt}bZdb!Ix8qkF zZa3l0h3`(B51<}5Ch7JtI(4Hz`JSR%h~CR+tR@w4EsahDx|QhGqW31vpy2f?DH!ke zG5oUdcI_*?jqv?;zzd3tU0cIv2fUr|_QLlMcuoH72N)hL_d)Ld2p2d?_|d|966Xc5Zc46LQ}>QBqtkvq z0=;DPmeGd>Bao}W2Ey)GqkDuA8GS_`C;E8O3eH5V(%0ZlFuZH%wLDSyNy7UPXU2)8 zJS(c%@o=&UV_W#p^p`L|!axd43FuHMbAt>nF7xnU!9xTOCCra-G?75pcqW~Rx?!el z44sgtNEt3=1QiAd-KYh1SOUeJYC`|ei#k%mX%bGSz#Hn&!-L%?(A98;87;$NexqcZ zDdQ{}Oh*N!rP$`eFOBZbHml=(7W)5Z$(b$ZB03CFS+2Tj zYylRHGJaquAKy#FUn>4G@_ce-^{yDhr!P1B`YnHc_i_}E`9 ze6H|oi1S^FMKHx=LODh;xNA)r7s?a!q+BOuJ{3OfSOimL(1oR%wp(DLQGzZ*cdS^F`dp`F=SM$XQFrmzUyhox#yiUV2dQdchA7=D>uPR-@;{*b!^| zi60UBsMyEIvi@68+fa$E95ikX;d$J&TVBCmakwX>Jt^%eYI+73c3+wwp769O1H)Hm zgOq2aJWGYyTy1%2CB|YP6MoK&<{@KzUd9VDUZlaWVPOC*L*>)QOQ!ww4MT>oy)5k& zX|Gb_J6V~lsGE$E`)kG@dxF0OuZw>}{F~(Yys?dG6jRRMGW=t7DuWAMKf{hjE|q#0M1T`{y3 z`(BtZwHtoN;eL>?MZ%91l)qIMmXF1R48yf z?f`?kTqm}X>mazJ-~$OW0gOeng$C5rx`RylD0I{vETxl_&Qy5*g5qex9b)huPx|wB z5!_Yqp@bQ9yc-x2f0)rXgqNe6=)*;KC(UPxx^F3x;t_^#*w^309>OESqr{n!V+UXq zE3uR!zPB-RHb3P96ql2blcdAfJ6DCZf;5FHWyVvx`m3a6WMpK6QHe>ASnD38h9k`w z6*8QoWE?G{Ck>{W+KE^)%GlYVh}27LZ?S#I@(oX58{%3lD(j9lVOHoh=quqk3CC05 zJ;I=CMB1HT__t^H(4Q#$B;oyt^8wVdHWgIMLH1MV}`6bkh8YASs~ny}_Mf ze7BI%j1qsQ__N3}o-u?a|H`eI&fgUHiLUbi*Hd|r4%}NY-tu3F73PqJk`%mKHJk^BDL!zE0VY-AF6gV0LBO0;Sb3InqMVSUK zHOH!)XKvSJ{$l6LohkPMx=bk(3QDnZVuQQT_{VSY{4DXa#a~38w*qfm94%VfznI>| z=3N!Sc!|7AwlUEkL^=G+%X4O}f} zuAFP=@ZJ?-P(xXD4Qdc3?DiIZ$KmElxK6@+3QYME3NRkXEin3>5c}&z-ynJ+X`S9- z2W}3USY$%8_jUG0Zn1C3P)Gu-QEfc+5^i8ChGV2QJ>Z&n7tJK|W z#u1?_?-m)i%2+{znPpuK=4%++CVcB}7kh`;JIV49?SN5;K07~x7RP>CtqMi1!YQ`7yT9}vBkG|!L16XrQ` zXPk9rtPVryAC$3P#zQptN+JCv3M$c8z$%}6*sOUW^*ti%QCW`#i)B*ug!_TNkDIk5 zj6!@u)|0ZHqLnYf@A%rgr%hWI-ueyFo{{z}H5ChU>xqQhCj^1>qjNF6|9zZ&KsE&VTx7 zyk*9Z;p_LdjCW+bOM|Jspa}huXsvPYnb0JZSKgPfQNjlleCCj<#s=;Ax>c?F(7c5q zXq)7HB=2K-`3s@Bz#VRSwk&GKNsTz$Jl&f&iXLI@=G~i z$@!WNNuicF*$Vws=pgbL$NX0;3rT|dkEMb=hYj1&_oc1fOCjD+*6IYUAc{Y}pAa<5$L{v74mkl6I%WQXKl_#v#|B`KFWIvZy|gy;`;XFYHKiTof$?;QwINq6X9^J zq_mc@Hx=HcTp`xl-pAk>A(z}&a2vt<5%$SGgQZc>3V|+VeD2$tw=CSv3k&%(5!4!#U$We~Q zJ<|AlLe!5Ef3*0Xfe)|XF~-mN1*gH`dWr8XzE9vwu?!mDkYkPSae$9OU-8F@Kb|}z zjW>j&?pf_R!IW0vEk9ApNmBYzVH9fXQR2clv6GFzWv;(OfAIsv4Si%qqLn$!1V{mVs8)ooBp~!TK;NgNt5M~N2#c(L}UKrh~y${Ps(Wi+% zoixL)wM@|ca)$9Er+9vp_%p?yMV=`Sk1G}`)n}V?UwCAr<&2S2K!^Eln2V8bizzhg z+t7VoB&%3fjut~!Q(cD^I`mr@|6%CsDHUHPzC7@S_!4k3>R97jhkmnh;w!{glJ_x* z7gkTyAloW))`pl=%c+qwo(^+1mTWN1z!`qqAb+!Jh1UtMC(bCK=d6f*TN8|L8Co$X zik~FDfjr+H^lasdRe+sr#!VObE1V-^ii~q<@EeH7k+8gtL!PIa_;85HG>OwC&Y;L7 zg|)NN?mUCrEW>X&-1&lM3ci3aqm8R1t4rL4hCdq4Jxlm(;TI9lf5Wgv%f$vi7T`++ zUn=;r9pJRP+~6kze1+gE1z$y&Suz5W35_~#j!Dl3>1s)HC0#>_!HHuZba$=6TuBLr)uO7-J`3~S42kRsc~8oF ziXNW|)~Z44G^Y??8%0jjf7-+YL&x9-iO)!UmSX;8NyOcA2EP-o^1R>|1iwg_sfC+k z=W4ht&P!&DXyoJbvW!<`yh?-jpbQ_f+_+p0ML74GIoEXY&g*jCkn<)TexFM5$>-MH z?ky7<+Iit^3GYaFmx8it?(T~nGv70QTY=}_7r#;b2jrQbV6Ycjz}$z157^z~n}mNP z{A1!wQP|B6!&N^qx?7mz^r`62M1M}2p~oz(a!hQ&GEyeAIM$#3O9@{|_&Nv^ImwPi zgl|mv{B|#VE8#l{n<+55g*ogz1O9vCJBQEr58}6o|B-yYQk=lD`PEnjoz_ogy&sr7asJVQvQKpi1iJZkwC>C=Hyo~&q}G!5rlgdJR|6FfqoZL(uzf|h5xpO2#yVG1QR~_o zd}MQ_Us(!Gb#p z?o3#rFDSq=v41ST#xAvj5xr>?<7N6b1mdRfR{(xNk>v!r$E%Hkq- zq`}$$@i+b`!AA@3Ntg)%jR?L?1TW_?CN=w$p+R_hN$M@B4<%lqnt?yo;B6!Q75WN3 zPVn&tGwdfAyjOrv6nv84euVi>qPsXzjHNbCHh%vwG^W4!0pbUe=VOXRBKYXA=r_oW z$%o+&INV?vLu3r4!Hfc5k4iRsW1#0SQ*NE_V{nR;;ZjCW;XTs0%{qUbQ%(9Zw9kx` zbeg2oDe;qtmy6x6D5`kz3={YK9)HK-MoBzV;#m~)#VV^2*H%?mA?sv*t_t$mc8VEc zZ18BEVvJ5vz*8{5p{#>7cCf9tNtsaEDUwtyDMu-!-?S?+`pb}hOGTH7E+@?-fQ_b5 z*)Vu(_=JrUTp_rUuo4-{2N?g8uK`t=^j-LpRZFUoG@cSyR4pjZ_fX{5i1#lspnEv!KakH zJhyF|*RQZB>4dc8_=#r`6f zn{ja~Z(JecN*PztV7!Uu zeYfb9qF0e-pkwJ&ky~x>hoRMNjo^C(-%Hqk*^<$!f(aNQWya=k`uk-(AY&~J7Fe;{ zU~v&WK+wZGvH3STe$A>v$CgJF;D_)fWp&D;_$^oYzyWj;nT#5(RCH~PmwKOy=_ z(N6`MTZv-lJ)>XC;^H{m2GP%mem2lp8v?@{pELTW@SZ&{`UTN1l4g#D?bl){bQe_= zR!?#-nRG*V!Y@mDMbfL3l<8nzoqNsT6=AIV>w@19{APfWK~=i948AXXrQa6(j^K9* z^TrhC*uwUn(JQtwqKNAIqBn~EAkg@RCJNk#Mo(qVL3)$uk3@e=nl%Qr(sM-;R546A zAvDr|D&aE;pHt8`8uj8B#tD95{3bqj9PUf;Uy1+P_&C>TuW{cPKaJlx^52U8PW)!_ zyp1Idk%ar+;9QvP@Pptjf`25;KE_J0KN(vQMmPQ}_7|~R$ug#>3%V*U-0`ake}oZ5 zze)IA!Zr#__*@`8f)#2Ff8#Fvio^XW{4e2u6K8Fci6$M^r!{9`NHhP+X>_tG75GAhuc8*676{w(Uf>7rj5}kSwFv#ODCxH-=={L3~H?2a;D! zxuKwlefaJm6Fvy-nFmYgB%w0}K3dcK?U(v^jKAtoa(FATLnsX-@{#+OpaiZ{( zg!d!P$BZ!)*yoP}rA&A!2>m4tkT8$}gN`*CvTl&U^X~J387z2+;Gu*W7$kp=upDN1 z<7Yj7itypWM-XRB(R~n$xl@hq8ZyF>qE8cj`gS@MPrEaW{yEU2M4u`8ETdCVye(%N z{cA@blF_2ah%N|pGM3DwU7^v>G%`Xw9t*3XF$sMU#{UooRZSE>Nqhr&zEgEMETmsuQQF`poAFc_>~fBbDKgHb!CQo7 zb&?5Iil&+{Jf!1k5~fR-L4onb${Xl|F!)2J4;=1%!7~M4K$!QF>xS_&&B0KnY&yx` z&skDtOSy=OvITY_X(ZXjW-Pnh8<)tqRK{gA7zIo&s?(g(%T2gEbUIxj;YtZtQD8n& z%25GT{0t=A9CJze8;yQ( z1%AZgmWf_2`XR#tIrr=V-=vw;9}QqK9u6e23sW z2{SP0y}?^?m(gX%dHQbAD@Cs&t$H?I(IWJxAUsL8+N7I9yVx2@_ei>z62lWuXR6(O z2ERJeU*Uei4+vgMm=6N|c{NxoH|o}zus-DN4@y`s;UNl)0Lo9;65wH@+wSB~|A^>E zML$NG*(vf~E+_rC;UyvWeM0z?!k;3}^p{Pf)Io!afP31U&g=XoHpqEK&a-sbzRLGB z>DQ#K#sKE$%p0-Pd(X>zLEek>@;MHQz1RTrCF7?|^8Cx*nMLB8DSFqr{X^o|9Rk*L!;sU z3*$>e4*jM0uf%^Hc=TvHu9{9M535FVeE{MoBt{HFR_0I zwg}7Q{A29dUn`neI7)1z{;DA0U%fy@V~c7>yPfc#`3k}XUwV3H{DcaE=*C8KZn@jV z=x0CibQ94{MK>eOXIfuXQC^ANmUcD%ljT17>?Xds_}$4fLg?GXXv;l}o_V=H`<|j( zh~A5|-WY8$R^wV4|7NY{TZwNiesA(TI}>Nd?PK(5AwBLZx{c`lNb~(db4s;qYw+=* zIi;Q8_Ja2(9MXL@zkZ3vA)_VW08>v7*Xba&qtpYb`cPp#l7oysBhUwn?j*W1Y4u}Z zrIct*z2m~C=xi`+RIs|p>MH9{T6~W=QLMTa3xghJ!lE#>pqqrlC3L62K*g}RH2NBh zUKk4FJw!)DM@jQm6%=CzaLnNQpTuuCTwHKMaFVd{lp=IEGEYgFkUQ>w@IH(27Tl9C(?lH#g(U@(+%d*C3r+96#P=58hdfW7z&h^kSc5l? z@h9&q_&CAG6Xv%#S6Ntq+7oX431-X;LrzYVagvOFG+3-+xfWyG*lT#QDFvZq+h586 zDFcIo_Q6aRZyB<}L8dgj%!g~Rlp#`vQsL7|Vmb4K8)o!*=Xm-Q(ZfZL2y|@;>x`!w zeY78N;6{o*P4wx328*ueGmL(=rGHkVM4u`8EYf_qHN_<*n59#e#E$8BcWB78JP>qaO(wTdC+W(dDH1v~VM{5v|`j){I@l zeH%xEqK-PYUGWl$ERG9gM#6VsO>sa)`Vv4S}Ao> z>ZverR5W?YO)z6sFeb{FB%^@_+Zn=gW??K$v72n>u0U~_r`c>g;qEiI?<4*S_X~bN@LIym-Ye@JHo7iz>x^F#n$#W?zh3-92?Zf6tGO+_~&%{$b90WssM-L8h8y~>|_ zH{s2N?;h~V95&djaC;bjcxde3Q+NyEdlBdJ#nRt(h;j}~TDCOh^t=2OT1jawWp64< zKhbo|?PG9a3{Hc??JKyA;Qa{mmU3l_92d$!?%LLz=Ar)EPELC{`_tk5VSb4j)JB(w z{IY}Sj-n4F%_?09rs^GJ?D#f5=m(4KB(^hI27P=P;6n`lsm8-y1a}pDC}Ey>Jd66q z{ucSNojXnX-BEj9b;D0VD*yK zTUH-hd{&H1tvlA}bcjt~(Z`8Co-|V%pKJ!hQaBc3^oEjO7NM2&mznRU6%jkt0mN(ZPFeG z`oNEtG)7VZrF?MEI$db+mN1ODNN};>9AP$J;pV3zVT@0MD>1D)M7dO2nY40hyg`X5 z)_HYfjV>F5A91*GqANsK1{!$->Vj29-+qv%t3}s{9v|p5Rvt+^XY_YBc)C_}o#^^N zN0TVSx(P-f(ZSObMNbml5NK>S6^pvbMz;;;K1cKv(dQZ+Nu}d%s?qc2`*TkdJzeyS zKw}UmMys4>^zWhX{(R9hMPCr;bTWZnoC}Sfw$z_{mgw1{FA6j^(nD|d#YVrluct2& zeW~cn0?j?RqV95|Tb}CaD@0!@`l>*4N!p~FV|0CJ8oFBaT+!DAI)Sx5lkQrhPaWgW zJx}y?qUQ%Xi57D-{TsdOL{DEY`UcSp1C9Cxp5-E=`*rg4V$n-PFEu)u#8xgh8eJcr z{4&wYMc)+YSQaVW-E4G=KK|Udh`v?y3ewEx3npN7Rb!XD=GoiD-XZo*vV0fPkrYP4 z-(~dNkV@_ry;Afl(rnM-3l~NAH73lUTZpw`x7yU2@Y1c3dXLn5sq#XYGJ{IeeMX-f zIu-91{ebATMkg~7OgS+6`EYw46un;bLxD!097az)Z1jNRe3Ty%{ix{20-cF+aK+@6@zask8K(kLK>s~W@T!`iCqTdkxW}unJrQKUbw>ZRyptmQ+aH{IyzO`<;%{qYVoYW1HO{c)f_75$m$&jXEh12HY< z3!`0cf9@|ue@(+nHN5X6|DF3y`0v8E5og^D?MNu5j&^?-zw&g? z|0(`2@qd$N%L^B?KtmFmlF;yAuvyX^hMB zdwRJ&OdB6Ej6J2bkhT{!Ormwb5KGHU0YMze!++%>g}Yqm%2Yy7AiF?7+q#;X)ksMn3bvXkFSHQjdfQjiw{+FvCy3 z+vDAYA1=JR;hAJK6LCive$Z-<_YfWt9u0UFbA|Cr#ti@LUXRCxCxj;r$7Fg8PfZ!V zeyzvT!ZX6N#QB){Nr}57jdmeX93}c_(LG5s;bDJ^j625Q9$|ZnUV?iI?n9XG3{Q>8 z9q9Br){NS4`o1!blW{x^zLhkR6EVog_`1NKDE=hz{m8Q}h(Xv@t~$SE%*p0-ndp;3 ze>nr>45SkxoN|MVt`AojEP9COp`@Go5T!Z1W0(mOgK&z3;SxqrP-8WsklDT!k~`JB zNx>T_?=*R*(_=-(S8K6_k2}MZ-9k-il$0~2oJEB($rX=A`RHt;_u9qBd$i~=q6>DQ zF_5Cr=$3&l5?w4hN1Cr0M|f~3g?2u4C1%Y%(_f=hR++4FS{xR?gO%S~ZLEp&f;diM zg~UpVe2|=Kp+yIfuT`1TEL6R#<#M#P z6I@>8CYU-oJei47CrNFf%1GrG&TzT9(1beK#P(tBjB_MTk$5geX1o|8f>Dpi>oB+m z19+yI)~d6=iPNM_mo|f%uhOQY6OrVw&Z;Trgdm}O z%KH23%#t))(nXYb&npVBFi}}i5&q{cHm7gaJD140RL*5|m@MR2?t8ge{epFctSe<* z6)X(Ejh3NJoHKE2-5j%?zu8~wYFTq-T|qbzHGh7{Fa-& zzgYef`Ag|DCC19iC%798{wEYsmkC}j_$I=dI4 zvKP%H+&WWUc-t!vN?9-EAu9a3M>82-;bFs%=&tH=4)?sg z7v#N2k8w#AD0D9wK6IXF^f3s3Mfj`4^X1rz2JA29UNe4rD964o{tfYOlIKg0-OGwG z!4%sKVm~```tr8maBs_bN6x!+n7gF#NYGtgUd0Q&XHr23*!z+;O8S5jBbY{hURRF! zK<+~`s&C~*aG6aqK9cb<4fdp>Fo*&+`U%ba#LQho68}`@XEHyh$##-jtSf>A$+4)w z_O$thxoc+n=k%rAujGDBmp2fTmNZ}f8{;2bgP(D@Z^eHnelvMqOL#RhT#g^WE^-lc z#C>n>mEHWcevrFG?vHetdm>G^GAyM55j!aVWY+N^Mf@!57g<|rF@)Ko2F%_na=#is z_)+|f!~G`yck$cE^F;nWVl?v~W;74??@t+j$@n`M(PYM7;~z5)>c}hL8vn{@G)R>j z{Htq3BX}i{#}>Gq@Ke5qa|>th(byS3p@t))F%7;(#ksobN%#`t5p!jVT})f`mn_tD zq&1b+j2hD(b8{?7ge4#F<=EAvlS6*Ko22HFcBjPL>Oc88mdnIoIrMz)VRoyKo9`*R zh3vg(^A(9ki_0<#@>`jN6RxL)=W9)tugEsdu<*v(oV%S$o z8!7uyVPc5JG8l$}kE3_kO$#F4Rs|ds+Jjt1O3p4~xu^jE*$tny|jpQF4x!)00lPkQGCYF==YJP%lZn zCH0|{MWh;VnG&oASnbfEfwdOuD@(Bwd~JCJ(nr420&8h%!Ah>SQH(`wF-epEuRGSR zaChj+>#Hjqrz;%KD=?Yn&tA)=A5Jjk&%JyqI8n+;QuHeYz zh#p9qUoZ5J^W=jJ@5?)g!wnWbMEFp{6LI3h48JPmgr^7}E_?)Wm9scG@>GN8r2V-^ z3O-Hn>4ft^$@1K17=Bv_$|&Jy3O|du&W*M}cecToCjGfb3mzl5fUwS;$?)8ThCk0l ziNh5MFBYB)IEK{_FEPA6yyK<9%Y>I3p4MF%Yxrje`LmA`ULm}aI76Poy6g2C?$^YBE$lLR*q<~_m05=L^e;f=%K z#B+pC5q>Ulh8i2hMch<_Po3`1Jx%a*!7~W+-0?_)=RVKy1;=^(eBm>NUtoA5P5eT` zuN>m>S;A)vzlb<9x)Q90&qRK)@l8X6+9l#I6@M9dh6eYWr@!3r!}-y{;jR#VrSPi^ zj|-n;_}k&>UoCvD@M{7di^X{MYYiU}_h+9c{5s+DiR(V{o3p^+!zX(9dcijcUPxHa zD64ZXGQ6RW#}^AiB&K=Xa?=pOKKabxne5LSJhNtzutu}n~NRO`(evj~b z4Noa`-Dmh?!##e#@CSsiCC%htm2Qn<|X3?hqZZL7XOO)SIIL1DYSD& z+-pXUoy&9M?5~S{L-d=01`GNvqZdx_^xLA}5&dqU6DUhZ+&R6Lb(-xz%1rTzln3jR*;<^Xe|i2L5)W5Q749|Ug^{9}MIQzzwq zGI;nnf99VB{~~xR;imWlz6fe%ale}IM))fHCgFDp+bH}ut_k;tIa5Pi|CIBWoWJQP zuBk-A{bTU*D}9Lm72IgBDi`=SpOj;$`|pJR%GWEl7I=7P{DgXi;Kl)taTxk82HzY8 zEHn|^RB$uGEpV1tEL~m0ahX_`Ty?5lP24x(udi7W$A0Bef4uU%hK9Ddo1`Ke({=z6@qWoFp4l-+}U>z*0ldR6P zn1oQP!%}6~3g8eEdT#Pz>LQ`5ghMGXXF&I54BKQI{lpAUcN2ZM=iI)dU{%pGg=7A8L&uCM6h zL?6GM=DANWx`ZDn(kF^ONpwHb{ES9YDXc8yPBwf_!21gyAbcQk-pRUpOtq;^xS@cZ%TQf=3WmO3TKu8BsMSE+U^j)vP0fHB#1T zvQDS9J*6Q`XP7V~q_j~I&XjN#1%@e$os8Yt1~0o`LBeKpg2xCh2yi-qG0%ktcVFz` zBEiLibA+4W56E{4xsiFDD=}m4wcaR|Q6{6D#`gOeb7PG!4EJ-K_zLlrQ5zH`m1{YrF;ab6Ug6j!0&Es=eSJvRz3N^u$GlDWv$|NZbRMdrHG zeE3$MFLmk7R8@MVPg&S5}S z4e~WUVt2VYE;v`nxl+zmbXWuYPs0<2MVYq8W?l%Fx?0*?Y1dH8#~7RLUTg5tA;$9r zUnh8efH4Cs=@uCLQ>dt3FZc$*3j-YCE4j$v8n(GG7>flj5xkTzV;qept!?;5bB66B z1@oZgESGZ=o&OW#sJq#;{|Pa^McS>>R#0P%GcnXGZ!`G(JNz|n7kr1{I|(yfnOMTY zb(cBk1m|u!E9I=B!$-8^lZd+2X8rk{ztS36_sF`J7T*h837uPY*ek)^XUg<&q5Gvg zAZ0BT-T+h`tFU-Bihk8q7y+@)wAG=ZjZwCq+LM=yWm#`e~z=E%oQ#Ao>~6&yr?EG@V3KJ%$5US2WaOXc@Xl zv3v~P@0fee&af$*;d!0m1)bqVo}oF;fFVE?LiUnL3;CdNxR)ipBI#91d_biY z4Mo*x@y}oCHM8#C-{&Q-%X&lBo3wbhajAmJ2JD@xAiB3qTM#bxwzPMoy-SVH6)VVA zV|7=DNWEuDqp*bR`%*Sa`5-8~l7^^MxDQR4AFi@V%12T@roxYt?gQHD+$Sb13c{xn zK9le{1-^+pCem6A|M|kaox|JnrM$1?eNB&v2kSgxvd}k1U(fFm4)?9-??i77bO!VG zlkR(?hphDU52Ck-{xQ&Ld>fMPC!+_2figdf{zddwqcPq#>3%i(f0p}m|0eo((c4I~ z{E<$_*-!U};fDnLPvL(F|C>1PC!QKI-yC*^Fk#8R{`~(+Xf#9>2mGsC1w*M*ZYTU# zzTz-Fv{&qmpHOiS+?X&^EkeG%XJHqUnlJQMXd$KC$idkStLc&`AXKoNH>4W1Fo60HQc7Q8oMrfAG94ZYm^n6f0) z3ip-LM#_Fcu^#xiYir8zPX2XkC#AiV{i*N?;3@@}b(wPqn6Nlpql1Kw5)P!mVA(Yi z?jTb}glilurIVD-RCtdPF;w6VF?eKX2rp2IOvcf-u5!%SKqrU!PD zbhxDMl>X0a7LU0j%-b!zWkUpdFgIi3!078*X#mx`h}uY>_ZCz#iIH}9P&?<9Hs=<#OZiw^o^ zqi2P$W`EHGL=OyfGKFf68)WpcAs&N84-q{y(D6(f^f03{r{jV++$o}miyjeZtXBp4 zRHOG9Be;DKJRv zu1khIVXR5hW_xLzqzXxulo)$o!qvc>q^mOPu(N$cs%6#48c$1Mizf5gf-_-YC?(cP zsFP4n!55MW3h@cnps<*mVA_mONSY{ZlC%bDykT)H#OEd(+&nz?a|BNjd@f-o+;}|o zp8*$B%_|+?Z^1Nq)8);e$H@4vOx&Gk!rbtcIbXs|2^UacWRNRh7dR9X%O`WWwhK)= zmg56(xLML>OS^~~vqsF=FDlQs5MFG`%VFC7B~mVxav2rIKbAmG`Q-+?(BE~1;41}R zMVQqr^uJ&;ker)i{4Pi0XB_To@pHvrL!RXY#R26!>=I$d6JZ~_c`~k(F`ot#3$C!k z@P!3tH4E3dUe*n=7Sdw8t?ZR>i%e-8%3h15ERnL53gewgqSAh&!Og;FbD7}ff^Q0N z5>ayfF38{6e&W`d@- zWj;nzF^XY|=Hmu$4ecmT2!2xVQ-qmN(vhTwHsEW;Jt54xU_Snc!)=iDjI3vA{pUVo zX9!dNHzbtjrMw{JMJjxEc_Az;Qs-VWVP?3-%MxCZ@G1p4Sm?RoVT{3yZ{r1-ZO8-I$j0Wd0*Z} zc^}YYsIV6>=nsv4AtxB)q(pxt`r|-jokC2x`o!o#9XOZ5esTi|K8MNg8GBhEmD7^ z%3CE*%}Ge|Xu|x-yvzy{B)sffq#d&z3{Itf~6q}t6f#rwZt#^nEV}@^IA!0En#m8%n2})I_vf^xLcVI z(Y}J)2;R@&L_iK<3Jkx6vL=1 z!%JF=tvAt;d5~$}2JK*JouqZ9##&ru!B}iQRYhaEWem4wuuN&h}w~#h3_Rgw37te`vEl!rbX0m+m1qA~#A`cNpa!7c)2(l3`qM zLU58Wi+vdTYF}8FGO2rK{0)aoOUg*fQeswHsa0;uYb%rPNK>XB@AI~!q#P}!Cl!@? zGPnuYmzN`x(1&o0X@`X?^^(?GS|4hR3nu%aH^bn^ZeySjtiFPe6MQ^j=C`OpVL6Uc zcY^V^Unm^?8RAb8-;X?_QB&Jcq>+Jfcd{veRQYK1moh-gKq?GRER%`5K?Yyi+n;~1 z;30yC5>}BalTvtw89yZOr-&aeegt_Ylwxc+#4R0*a&dR6Ii3FW*BB}1G&!f!;U_tk zNnuf+^2zvWU_w-RLEN2T=CE+JQ8Lezc@|AZ1vz`noo(&RGhA}8QaINUfn6>=)+ zFhRjV`K1=yS8H9GD${xdty)@*wDHuGptxMDGx(G{bO~$+A-GO(Jz<6`gRwMK=wq6M z%wd8#{ev@6&LlYvbokHbTNBk7==aT2mLXmqyb!|b+O*P?^kbzE< zFkQk73XDNKfu5T441R2oKl}NDX9~W6F!Mxwz-n9pnl9aiW-JfJEE%(9TtuTWjEUu# z59Ka4`jxx<`*4ZqOGRH6XiUl|sCSne-D`}euMmBu=&MLGG~Dm279BtpZjKqfU-RL= zTE<)%*U;cATHAmIzv{|dZOmP3%KEU#-8?DRNtsVY_a~KzxdjH_INYEAdcijcUPzcv zE1tr>F%zrYBIBP3{9^G-#4jcPpYUMvw<&8wc$P_7F6AaF3{N_P$$B>%eALZ8JhuqG zRqzVJOmXQ9*V)VuF1XE{Y;bOubBCNe>F}E0bAjA`NMb5wrrGihj$?w9m{q_vcG!IiLOSuu(^>kLo*h+lEI z2ZgT}{t$5{zDN`cj=6`89>^Pr!#yJUQPGbDI*n!iqV92{KUw7ICqzFf`YEGPJi~gg zMn?m^LG&}CpC!$FHJylH;YTczgeeH6>fL|N%sIh)UgirjU!=*K3v>H@ddZ}#gY>eb zS0uekiT9}(J>_^UUNgMcPX0xDUHBWq-z3ia#M_#6ZyB8lclB-2?}&bvG;d%glg+sI z3~pGB-*CA11#cAmfx&4EJNeMyA445-li-g8e@vK}a3-C`$aR!Vd5^O06VrYU+NaV! zllD0^rdViL7aTda`@)Q0g7Kw{uVj23jPk0n^;ohNrJ!%jSk%McqHkqVa5Y6`h}|V_1Yr$lWCEl{VeSlXQHl=qjszv(e)pcYx%5Ox0;zF%lu`&W3QVX9Z) z-~7Yopxd4BU-`m#%exsOglT8|gldK0#sN-eF|KVFgP#fcOcTLP1vewCyeS*OFr8c> z2e$2M&J)4eO-^$;yVGGpRp8woMz;xJ-&1r8(R-0*#ec{96LBrg>N(y&=~l8@%i5b3 zzo6)FQfhMhn6N428~aLVBVj)ZyrYGfyjEP`+8Tb*+xQiSYbU(D@coH1&qomepDZN4 zh&#ZP#m~!V_XSp#Yl<}44zjUI9$ za-wv27qeN6ri&T;!Xx+%hl>kN2u>P|m1SJY;M_wVP7BTm&Jt#5vgstY1}@^fU3a88 zHNiPb&e3vu(&4iRjZY025oOA(|Mj=2mz3U8`cP2>G8p1!t05% zuvuJCiJ|#eFv|GWzwzWa{Y3GT#5a&v%1vf6ZnD9B!y`FI@D#!4ZinL;H`U;cq4{i@ z;OT;A5N7_AMQsk7l45o=W(&FV%z7qR=gXQY>jGNLXgRF2z7}KLE;M2OmHu(hk}zAs zMHHCI(-=RLa2Ff>erR01MD(SiFAH=^YldEKbdz~F1rB$G=qp8EwVlr3+;fcH82Y=f z7Cl$=HG#(dY@n|-dR-WnFi-S#qUV!laRAGGY`;AXZh>i^1?_riH%MDZjrRvH0=ky* zMP0OAc!@DU92QGhB4H^7-(~bor+E5q(JMu-BF!%k7Ar5pcE{L8b+s9-L%nH@ zjC*9E}hiAo@kpjA}X^%SZJk6MhZC%MxCZ@G1r7il|{=YaOgxScmw&X42V< z{p9 z!VEW-3D5U3e`CTyLHJg}cM>*J;5|k6FP7WTK)i_i-lPkU@b~lwNn0fSNQse+a#63J z44%*yzu|B{3;sp$)&QroX#4)v;I+4S_&3473*JVUuS_bNtgk|rTZjhjKg_u^WOIMY z`Ag2Ut@SIglcE}gc^f{#uWGk z_dU4fMJcz7DdVU5Thv5KQz^};=oY0iDYvV^jSup%-c4|G!Mg`IlEAE%Jq-Sc*$oc2 zr{ETX_ae+E26+2g6fI5qB1o+ywU)GZkdRB~*Rm);qtZSmeHU`-eI>P#v>zoV8Z7^W zfkO`K)MJ+el(^fPw`3y2hY+@t*IwTK^!O0jpNH$|vwwg&u`r^kgPe|X4y42Tg<&39 zcaXu$3V3>4;9$X>1a}TF3VRuMh{5eb8KH~du7VFG%+O?0$#O0M&+hBP%-Mgv&fmy& zlXJM7?sS-`va@#_-u@$uzj%&++C9Wa#7D_9^jS16xtPH%LUB7TI3YM0;7l3?k(9wN zh733@I3qYqn29@+PUVNR9BIN=K{!gn(Gq%6V1CCTEh($A9%I(@+4v(4*GpD!S$%?q zx?X!o0vyo@X06oD~u9+rr@&(GhFdx7VAA!`*59Y)|61r z7%gjztO8nmhuOAN(ZKe`LNjKE7K9=h#WHdMM{G^Sxirlm$2X zcd1rNos{~ZVAE!76kU}=p=p9CMeV#YQOYDK4OCdB$)eO0ag&XXhi;v7L{AZYZlE*q zH0Y^DSKZ0*BL>q%PZvFdG_w!%0in$}UtvGbobT_Ff(<0(%#?Ehojve}|BO+_nzN?0 z*zC1g(q>D$h#DVCGLcHViw(Z@Tn}F&_)@`_1sDqgr`_cS*NpM-6@sr6d=+7)^+YUE zQ(u9^Sb%l==a}?xkgk?ASJE|<81p);2vu3gvF34itvPpI@1MjxIoHXVPlr*!cE)kH zz~DaNHeE0H2EhvnGnY-qqndTL$oTn_@iPv$So{+4OUd(l^q<>`QC>Hi*F4*gqKbT}Dr4M>Y<3 zx9F9kR~d~`V#=*Hdaq8NUL*P*(f5*OP7uw+{1P+wnb9{G_se)d##$PD-E43O)}b|J zb(om{pp^Ae9-_jVgDFs0{P|&{yRnXs!#yJUQPGbDI)w@r_M9_%Whj|FA^J(tPX!u# zTZ4XjJ6+<>y+QOdqMtQ7jd7*!Iis6bc=~zKFNl7TG^2{)KVjhJOQv)Q%F9w-k@6}P zrXQ{cf^K7u{z9V0ENkJU7?8=MUpOp9^YKG`?zzBgx{ zRU_nVk@F)R#vzGjIQNsmLucYQ9PVeqzX;wMV63Z?cE1|@>^KkqCir*3+X(Z`!OFnn z%8RRV4ek#!zN+@dpECZE@iz^Yv+~V6_%8fo!d0P}=U)kphN}{Re--#_4C}G)g#XG{ zAR6xXXWtn=p#mYeF=4(>>9`hK+r{w1L&sPX;Z21%BhKLa8V%aEb~R&usM72vqq&UT zX()?J#zF64^k3mk+f#H4(R&3Ni^GF%Y4i;-ANW?HTZ`U1&=J(?G0)oQy_rgIxP3*p z5xrlaqgZ+s6RnMYrL(8oiEb}?f6{zg5RmW|A7DzqL%h;KN=GRNQempeX0SusK?c`_ zvi8A(I|=SgnCH(%v*G-QnDXy^{`_5}bd_@G4hnLJ>KaxTOlcGzZ#OB2OX*I9&kLKW zVeEfxWz-#E#@w)(S`Qf!8BrRF1pA<320t7k5f_{goFvTRL?#l)R@Z2J!tOO#~L(>-%>(&*!BTX6_q@yGqEvYA^|5J2{yJJjive{p&m$cr}`cPwh zqNxmqEE)XQfgbKF_&CAG2N*q}F?WK&--Y_jiGoiO+%LdrnvS`X4IULT-~NIJ2p&k7 zQAQrIJ<5Yjx-3Y8B@K}@loHbjCBOLPFjFoK$|+KYOBq3h51gyK)}nm~Jq~6(G1eE1 zM#?x%#_2Se14QHLvho^thT#{r!>>5pDB))cKZ`iSRDxP}9WGFdU8+sFCM@kbTFMwH z1yuM55-DUzh1=nBo*m~e5?m}e7vNX|)$J04-$;A7RB)N#a>D#>;)Q1a8D^ei30SlP zj5Y7B5Q%Z}D&$qt<6Xiyi#qn4V&7vkN>=#0R4t=M#&{ach0E%(i%&h8D4YrBb@f86 zggOcJ6c}j?Gl{wh26tJ7-*C8zf+q=X2rwF#uoZ>D3q#rE9KllrpG%m9Q_L*mn0GhT z_yvKVCVsm38RY+O;S`gx&1)9kob%<)ly?C=mA_CE!)$D$r|{x9+$_Oz?8SHw8G$W~ZACekWw}w+Oyf@Cw3=ayFJO*uGfi zZD#HB0B;j+)a|nFkaZ_51|AiJq`S-D^Z91raCZw{DR>oOX1|!Fs-=_h_OtZ0+O+$F zwno}L((a|kkoh(0w8ml1-DlP=q0Rb!Sr5osON+VX_A(ou#X6JbhChfGBcdM_{aBz=Q4D5vj~m_LB2Pad`bp7G1sVgvKtH{mzS+|oL_Z_? z*+6G949RmwuMaQ(^P*o6{UT}JyG#blsv}3rxtGjnAJWFlGG3AKDh(#${0c3&#A_zR zHu(U(F5wLcZ&F~UZL6Z7wqQ#4uqw*iQr?mBE)`xQzg!5e@tz3@dROLsK>l^2#PDA4&O`3Lo?K0T8&(CnhZmBOpGN^qHj3DX~0nP2O<6FsCZCd4DPA zD>+}&;f1!h`$GE0q#mI~?ORFTN!mzI`%~~=g8wGWl!OYiPf7on zaYS5a$I7oV8jVn00srcu*$m&P+X=trYYfA}ZP^(=p~fJkF%@3KTEW~dW)y}-uqHB^ z%4kO8zcsL^+tr+_!^^yzoaS8n6EA2YBj|n}(t=d;Y8wvYS;AfQ0*XjHQ1>8HtwKZ?XZ2TFAYbUS0y#48^ zz@#-mF`NSvAxvo;vcC>eI!ZZ^3UAo5}=Xq1P$2|iqKcf$OL$1|zAiPi21!;c6(-93ayghz=pAPMZk zru5 z>?q-mF=4<-Ug#yEw}d_vShB%<$P#Ysc&zbFj`VzA@yCfjo;>4;1Qc;682odnsh%kK zB*Fa%>*UdB2}k#yZ2ZNcb-KU!0pbUeSD_r8E9H~iAj5ke?87ox_z>Yki7PA#3~C-` z@E@Vje2U=Vf=3YMorxwf>SqGd*r_Hg>EO>kQo?BxPB$Tu$d#9t)wwfF_^Q1ZMoBnR z!dVm;+h`<<1@v<6Y~yce?fKE-$A~W=&)8xw?mC30(C{Bw;=tjGgcl3X5oZnr92<}` z1|?=}4o0brG8yGG7$C02%Z(An8oz#(f0@RKuMl5Jo*fSV|JLoTva@g9%b&ekXRp!O z$MfubT5;^N=bXVu48d_b!Sw+Ki|z)4?=JK3M8T5;HyF(Kda}V|#(Vf2!BYgE zOPE9K@Klt(-Ze}FE-@$n%{u3g7zQmalFQCZM8P~r| zxeJZHe}liwEYY(?UqqU>2uQ5Xgn>Sn2)hcqc_A>Ntu^cNu(HxXRsvR|;N5 zm@jHP8rM}4`L!xnoA&w%{u*nf-6QQ@YP<$^Gs7;{1{e1B@cn`x5WJS~KKMh_Kj_qd z*N9wa`j?@J;6dr@r9VVn*TTiz!v>EFeJzg&epK*dgqf(KsifkQ*cT8GR7T3pm{KqF)gGqS4tD=$DLs zkp&sjFN=Of^sA&Gk`IlpF7Wgw(I1KaIMCR59q0bU=$7HT{Hf^A zM1M}2d0;I6;Gz)@9R0$igOBo;_)^kWlD?+IryWVB`Lv_a9hN-&#@vT_D{;7Q<$fo3 zGhKds^HsN6?3-u8;81n@LBbXZKT=>iOsA0Me=>N_FgWaI!M_OJN|=u}o>n@H#{61_ zznb^?srWMv_nW-mVoys^~7{|at&swx=x zSNRD#M|7{^VTHn-@RxiwN&5+ob;$ApoB$5}=z~`6k+r`Y5JNZjCk=ayc zGn&j?{?i$oaJ!ne`)050Cat-&-Kp^&Brzz}?P2gq=XrQf!7T*u6<{pRl5i~zuB`BI zE5WS=?@gFdNk$X82U%P9ZXYviLOFe3nQdh5NAv$gCF0te_Rn|zg6*WWm$pB(d{i*$ zy zc9nT3O}-vGJ|a{^%=#lltDCIDWp$^;Z&L_qJgn+>go)RL%k_{Lkr<`O+xVYV{V*KL zv{hjcQCwO=T9O*GsceL=Mat;S_uxkyE-gAEI=h|bIR7J!UKi-2L?11>XP`4#EN|wH zF}l?nf9_tQdyDQ9X!LD^KGx{v4|=+<=;K5mPnrdJY?`Vkin$a2pDO{LVCR{<-k;}0 zo#!N-rytM5WQ5V;SOd!7ZJ{x-zu*Ca2L?EeDHLvy!5ePzXC5qgh~S}wTjCFyNJ=40 zZ(nI}n5ipQc=Z&i!=;X($_x~0zTSSS3HJqIq=eHXoKAt|0M^@8ropxiJ1jPMhUw?c z_SYLF{Y>d+QD>s_LB*>7e*M6+Oq+yQnvN+$i6^-_-~^MFU+<-fk|s%Npv1J6NnlvrWP@AW<>7M# zPZ4}BVJ08UsA2Mnr?xNoH`UbFrg?Rm)ag=ZP-PKb4+DK5hDVR_Rkibl&lG+Eab}KK z#a>rRV=2x2E_4@~xqv~z;bzI4E%Tyart*b^c)Bo{7n}Lw9B*DC^HQ0Y(d7NZFypYJ zTf|-d|FHEY@H$oR-@h+EA!ABWnL?uIo`<9qm7-EANz!r7!QpUN$DFAUG7BXcDq|=@ z<_1zp$WRn2l~5GT8R~z1KKHt=bL;uv&-3(pzQ_B$*IIk8z4uycuXQbx2F>*u9ZzWj zrHPPG+cddEYLfLN)3$3`&r+LAZ3?usGl|{JG!EZXQ+Ml`e2(h#RHs4xe=4d>LwUix z;#yIs(|eKL40x!h(k>TzrqLU;89s~jY|<|&9f(JTe%a`Oczwvvy+V2p>A9dW!XT5( zak(N`Pi^t_=9yeWo4@lZFQB{-GXCNGSb4Ho!@P?%R^B3di|H+ahXTcAd)a_{&FH(e zHTyd0rKFcB9g*oV5>3kJzq`vJ{H z-Qs>vuOq#l^ajvq#)gw@EJiSunlTvVYuQ`oHf!VEx9Pq^_g%QSUFCfgbsG&nJHo@8 z2){>oGhjSIV^Ow$A~C%a-Z$~*abEm@;)fKsK*V)Uk7p;VH_WP|lTNqN`k2->Shy8@ zb4zxOVX({XruERa)(&c)P}>O&MGDBg8Mn*erdn5a6W&AkQ@|Ajme(;WTH?GQb)T6% z1CadOUfTO;e-4`uyLd>tKL(Fp>f!x_4-h^G70#==Gz?(n8PuWbRe!{!I5I-BWN;mQY+~a{OX&$%a0mUkU$4_;)JhcyB+SOfka6 z36}tjlOBz5v?Z2WZj=h+cA>d<4)ktGx~1rrhRd7DyWv!i`RFD85m;R=9p5@j%pCozW4bUxggtOYT9nO=g+Xji0N2{sR-|sh1ml zb<~&V3es1SuB>!YdU-)t#powCc)BX-YNV?x9hYc?GNsGtGTN%GLAoaCT1HEx!=Ss` z=yP-Zv1^mQhIAd!73Ci!#41bu{{&sDYX_L1x9hb$z;!%8Jsbc9ms2dQvie3}it8mm zcRlF<>7dd{X&*}0$LM`;dpb-yLOKc>w@)C%2DA(rW`bt&zh*K+ zW0&1v=7(xFpm`(BhA`2x_p!@lM{*O+>X+b~DKw&R3j|cMSXe?>-fD2eG02tVt1;mw zgl|(=MuigYc7qG+yWkGOO$px#7|;D^m`{&*z(+8<%e*)HGmS#78NKH8?uLhFwR*B2 zLqQy~drV%X^1YN>P`(c`P7H%ICEWdnch}x&OX3d@e-Jn>k*0;Ibg5`&51F}I6KX~C zVVbRB;(3tT^fW!1S;ReJ?qH2()`sq*blbw^jU5ci4jcw|Un$3vpKC|>al#o2$7E`Q zYj5y~DIU%woJBYrFq)#WIvMvvTy_WW;oV&aQ;$sZYDcP_sOCV$5Tpe_i@46F4AcN< zU8v+z=?Vo`N>h{2mIYzZx|w`b)61jWopKMzeEMQep)+{k5TChx!aWK1QaGHDz+Sx# zE~x|ieF*m@+z&9`s^J9Rs)-;YmGw8POKYFR6SM}<8VC#diAR!QH^|@yvpqbR@DRdJ zDl8-X5*^pzmmc)+P{P9q4+o6=gi^hjM2Pu$+N{5C^wtPkBWaC-by=Df|4%HmXUspX z{%HDR=#PcZ^2n}vZd?JZJ;(8cClHWf7pkqUA)$+VW*GJ2NUWNK5O;r0oo z8VE8YD;raqUcOoC_1lgkv&BJI~mquK=`DeWMC5aP$h~Ipkw)@2`MK8#FD1MTFlv&-ImPXr zj5EO38)mhu21l&rv{uks2@7|&Eg+LlkSVKm0of`ltEsGk!pb9|+ud4&XTQY5ON1-J z>j`gASc0$0lre+%MMd85VDwH8_j%7%}q4lqq!L-o^7cMDWRqd z;(WbtYE`|GA5i^}>X!eiv4SX8ADLQB)vZ)Nrn(I(UMP(A6?EGTkDl_y+d=#j;yZz( zJ%QmqnNnu-X&vv|O?nUMPmPwfcQTvI=sQ;VWA7!skM!rD@kEdqw{rD^fp}U>p$uug zd|`g6wcg)P{{a1i@NojwPZXSmFHJ42>Q_|1rg{h}iiNX~aNigm*OTxq>F-D%2F=QDVOepMa6cG)=_n8XNccG66M)$^2%!}&QzHsObS2zRCXeao z<)0~^qrH$nNF!+(`K9N5O|3&z3z{sI2 zkU$P)O=Vi}tROjb=O{$3eNjg8Yi^AqLO2|!nfx)lN^+^>YT%2$Tz_@ASL9}EgScI)SzR=7f z`eG?bvlPwJF!5pugn7Y&5uS5b#1FyT(;DsxYkR){(;fjPS0Y=%Rcfy2Z%OAfE^l~#7>-~5I%`0hE zhKXckSWS9C2KT`eT7Ir7;cA4dD=f2%r4wZEF+Fk(!ZiukQaB+~y4=+UPg~-TT$}JU zgzEt2#gX;VI8zCW@>JK%#d_;qOY=IK^tP)$O`a92E4s8B#-E8Sq? z5-n2$iZ@bh2oV{Sz~Mo6lfkR9eJVE-ZbbMNz<8o!*@m3DQ1HCSN>O*K`6G2;wK4rB z^lyWY#AL^+sJq?Zcl5jR9fX?_z7udMfn%{$Vj*rgXj1iwK8MXHHK%kpq+;?9srX6> zcaQNG|LOUA$+sYXA9xl&A^Tw7Z}6CI9&Sna0m2UgP7Pl2whpC5267LX+ffHEThV=( zZfm%>byF+qBv#-fCOoez>e^6vltNnwMMVh6ntut-YjhOnM1HOv>BmWD7##`<-QMUk zI0WcS(pjXljZWg&9gOa*umCOI5kMB3*}tOT_NLw z$TBS%=S{k9#(%$^xGa$;-<^C9@VFphnGoWf!MpD8a6aLlgnKD0n|ewpErWZ6J=}+I zU&8$Wv&G5b)1WMGO2sYeZ{E1uz4rvY0rUpKJFhvIbc0NJOPhm(sSKg=BosWwWp)kk zlSC@8%2TF|*OZ1*8%Aw7G@Pqc@S>o5+W3|lyl4dZk>p2#$MsFdVzNZ#8KbY#FRPa_x z0xDPn%X(fmc!7?Cze0Ep;kkfu79`X+E@U{E8rGj@TFE!$U*+fKQ(Hi7AvDa5DhMN# zbg!B-N++K$qO+LJ5;&~*@&(tu^z_5-741dL7O6G&jJ+mGH}SBknB|Uig>1 ztcIcR4uy9ipv00b3B6_TKiX;9MEE_zn-!Lwt|RV!gR5xg@&m#j65awBmrX(?vJlZ! z<^9OC`R#m$wo?0;+BRso(`}VU)NMDVyDswBLFE%FJE5=)0cq>*GI;0n{`k8I?;-rD z!qJ3;OZm*;tA=`bFX4TJKQ~yKOYRGU%k=W_e!>R`A5>UY2}IqO21mPk_$$I+6FvkO z%?#PD8)qjHvQNJ58&h|8_v*J)zoU8>DsP^cY^?gd!8P>eIYRg-;bVZ&D3!1MOy~Tt zNk5qV!>c~2A88+_eF8S_p@QWz(ql0vsLMotrgM_cDLBYpOcvg{UkpC2t=?Y=|3>(C zg(V(M!u?@zpO!v1e-i$S@ZW%OTgZSv%M!ETNvF*WMZI~3=2@EOVB(>k3Z5k06yu-P z;7R|IFVvdd6!~xJ6mw4y`CqAC$=mv%DI$N8UJ2o%3dgWg=K_PvkMTJvMz}cP5`a;L zSPb8df{|oFuf)ttCU~q== z3+>9A+gMNY#dI&BTLCU!A5>CNh@?kiQZ>Emmr<%nsS+es%7~2kUT$!|*L+c~Abcg^ z%7Br(1ix&`e9g32L{-cUYK5*!w;J8*aFI|_KG(Xd48CxsPpAgrnuKcsu84$^Y|KZ) z{|y#&wH=_6Uy17>7W~7^wzFTP-cNF>_qmOAT z`(Dy5NZ+S)P`YqIcfZkfYxtbBB>e#C2SMX7n*XE^iSv+o*Jue^(R-L)Yj}8jYh;zU zd&G{y`qjB%DP!+hB=L z>N*%4*6&9h33no#1GtfPLwqV-DCSb^3XxBTq->k37P|F4upxPS2T!EH8Q}K7L#U>xuL%PL=2`ogzl4YeWO$&c_4^#%spk!RBeUQLlg#V%g7==KH<{iPc&T?Uq7}#8RO4r9pZhuT&y$}99>opB zqA~Y^!49t^`MK$YUnD$3VHtFaxtRvf) z$GlE@Dd}ZOM`b2V*u7zN=cjxTmXlsVdZp5lXh7&Ujc(V$)2m3YCcQ@KXfP)9TBDcu z@$@><>q&0_%|}7%Rg|zeC2yISG1!Z5Q+$WwyDElK4PV)Y%FnCZXySldyts+tdlWaH zFG}1r4TbZ*i33&qfZ~S~w?IUNk~LF7_mRQN^fTR7!XFdfrf?!CL(JO^Zmgf_b`buA z@J_%Olu6C>4Fw|Uv2b>oynLZA&u+?lD1Z82IhrniX7UP^_fpuSnrv1Pt6 zb)~BNsUDzu5GqcG1a_6Mzy`1B>@)cl;jalFQdp{6$bDn*Ba1!!E#dD79|nv}NqiEy zWkLaLvnCNH5##53Q>SRCk|R`)Qa$!xHCdqkVCqy=f24Yx>ItZP1Ef+7T21`P#OGA} znc_)`ry$})BoXE07lQ}si2JXEeVahHzcGW zvjr0Fw87;j%irYZ&JaFJ_#9yL)Z!5|*+U`O1|Ti4%|B+Jn?+gH^V2T$2zxB@U$&*< zQM{C7!4xCJ6qY}yx-P$HhrWpXNxCkyio(J(J$*SwzU1`+^Da2yQ!7TVIK2|^@YD** zvqB<)8J&&!_VRNjNtYsBx`2)gUB>9~N|z;Fj`T$ZbXe%}MsLK)!LctUeF^CbMoaJy zi3Dc!S{?hojC4iPl|W;7Bp3;&)(~87!j>y}bXmhs;YtdXAs}7(rjy`>mo7v>XqhTz zKdrsnsj?)42LYp%Bh$uMp(1JVWkTkjecLA#rW>If zg^MDDuvbaU;F`C3I8Hc0I0+czMBymspd-2z;>+A%+Wz~z)_~fL)EYv=xs}WXWJO3S ze#%WIExPJ|wA{^<8d16h()rD=q`TFeY1;g1Os5H*+u-mfmi-Xi?FLVn=yP=k;iiP| zR5+fHi+7j7|C{IGW`vs)z8f%F3-MUO=l>ovTIl=#UK%ZE+y}!7th9OGGJ&j@>x4|0o$AOnkJJ;DT`7zB$Oo;oJQh=8K14OX*!bcL_P<+PeeY)`b0XL zv`Q1{LMfM0S4gNO1<`5blZiR=bV_0#o$hpcz|n-lnvgSTttOODsVAjgkj@+Hln*GT zI34TkL!~d3eo!=>h^Euur1hH46O;x}8VCs&M*`aTQ!vPkO&TO+FpVKJo-8o5mOW+0 zW;KS=7)E0_485Fo0-iQ$sb*{hrID0ILBhS2zy>JK7<~E-`J4RQXu@L%j|GfU1Y;U5 zX`C73s#B2gVKgStmqL*_% zjRiCo!ob*!oa};NH11WiM(YV*L~AjvC9rTkWp=tOh%tD(PEmQC@KVCd6pn~*aF{6@0rEBRrg`royYh3Z=&h!=1|I$)r(2c;2$bD*@?GCd zx7Mt!_56Ec9j*1WHo&?-tUyq9^vH2<8Qur29{IVqiN8bqUEpX|NC?bsJ@cjaw9$le zACNEPHc@zw!e$6Kl57Mh^!r8!bU@?-(jSuEqI4u06#65h$7?@sE9s9(Z&NxHMn7)5 z(Z`}bCp$=gLV71?lr$U);Kb}Q{L7{u-%WfE@lO?(DR4M3pBbLOQ(1m)FY$fEKL^hH zTW)aog~5IG{@zdc0O5lQb3gPi4K6dxANec7UlTs0a3m}<0KPH!aC;AbOZYp&hXJFI z5t+3sh5X*|&Uqd`Li{N4W5Cgm34~Ed`DmWnpCU6qr+NY^3M{8H zvbv>Cs6Fy1!l)}=RkaaBv?+)|85^R|8Z-jqWSiUw&@Gyf9Ypws2@Lz=g2F&^^ zGkvANrw#9dmX`e78RBP&p978;ULew4_FtAQx_V~2f6VERSCstRzjO+5`;NkuGg?gkMLDz9ix4vZTwAz6dl<52iKA=_zk`J)M<&G4V@?R{)Ol7Lbo; z9da|e%9g8n60H7G)7IeR$E>Kw*Th zAzTMAYPd{mNcEKJnoxJW7p|pn9ff)-pr^#MTHk~bBfW4vg#d*h1UxhXu?#*-LdNgW z?1#xm$Vb8B426S9oS~TEo%H646HgFN0!PIS$lSQxp4frI-C#-)y$u>rxsggkD5#*a zhqp|Py2+{;0c#n2+}n#3;V#! zyHO_e-f!weT?f*V>H}0CgvweiAMe~l1~(b%OWlg_!-QKa9KzSFM+{z}uc9`DA0^xt zFfXvoBa%WtW_Yu^{ju8-f1G#*a28rWyRDTH-r4AfFXz!^k`?J((p{C7xVCcaZbrM+p3WoPopcYSC4#xo&ggRb zJkKZHlXNf8I5o1tAx=$i!++FKi$28r67Q$D^o_&uOxNG=P1-tqg7^U91A!x12{oCK zm6d~bm8=9FWY!%x&GK`DX$_(EBrH^fh%D!JPZ``Ti>z!vLU56sJH$bM!wA1UJ>ZZ??)m%g;SW?|FLD;30pqQx@{~g5ihJJeQxF zPW(mUGZdHe5R{>mnTEfsxtc|MHu0B$<3a`#iL|o3Y*w9GOheYr)0#tTE-XBV{hQp) zGyWrekIyH+fc!%6xbTT+Ansl@c*AS{;EM<^CcMPpq`~HAIq?<5S1OKL5=po>4PUNjXBF|)#Mc04HIJm%sI_L@qL*MDt@X4vz~U8? zDVLI`w+!Ekzsk?OP5d3=?<$Tw$$G<$hQF?P+C=<4;+ugpPoeZYy>Hf~n#c#VKBTn; z7Onty3;M|5%O7HfBor9oj|p!BjH85QQywY6cEjJ(S#3Lre?ojG@FIfCYuW8GcDKHg zcaz;i_EWGpvvk#xQ^ ze2KQ-zasuM@k5H^8pxNvZwz0dNB@@icf=1X9*`(`a`f*F?}GCnKX-)qQR2sd>$52u zOS{j0Fma`(^CQLM6i+~8DWoqX>HK8)V?BI2KNCMm{1k9YC!UthFDAaJ>HJFZH;TVQ zL^{$5M>>BP{*!jY|0Mnw@xOuN0WV7kQ!TyICY`wICX zoG^_DjVO%DV)V|Ctx06h&a8q#qqM-EF*{1u0)Lb^kCNa~k~j*^UwSy18_XG*>7532 zZlu#towS{@-A(3fIO)rGGo40sZh?by9tcITkIJov&%`^bHa{zfZTpx> zWARB#ey$y*$0=n%!m|S*YGu8;(JQrEkV!g=bT(*|Otw*txDE#Y-xM5J4&9M(C&D>^ zQQeaf8Gn``%S_n~GQ)K?tA%#xy3op{)fE<+WQ;c}{l#ttyat@jBj25T5AY~}yzYV# z=ZwBr&rv?sy zf|MmpdQP{F(xJ$gOyX<(WQ0#V;$-B zq&Fxny9WyWmeKLY{juLB{SN7OjSgV_*hZtbYcpdL>Gw!)290M#Bpl(q+4qfao#~JM z0r?NfZvoF|gbb0&-XuofuEV=qNqb-a ze4lp5e9*;j@I# z0Y-I-1Z3}pel9O3%l%`@(Z~Gp|D{r>EjtJDUp_yB$%qB|Ei8Xb^$>bq?VTd>C+Q*3 zDGCRpFXvBNk{!^^D|*6v#po5MR{|byfpAp58eM4gqqsWqb0tZaB3)YPqzny3T^Xa> zyy@w(q|1@MNa=*EcZ$05Mt`})(-)JzgmeYacxxnLaf_XMsW}%e_0DBxub_4%waUnd|T9qpYObZXM6 z1*f$9LwdeK?rO8n9`{ylTG!C30}E9}QqpL?bxql)30+I&Ix6*`;PM3}+*-)hH+q9M z>aHgpARSa%Hd&YNFCnAL>gS6v=?Lkl(XtVng#0ynlumGplTMIMf<`|j5DfkQhS*KG z8|(UeA4+{G z^@D`c^4ug{f5XE!`Fi*S@d3mK0>}LkkT_j#kikVu`(qC#JcRI*21n#G(^Ceoz?)8f zZYbelgogu0Z3sv>L=EX{N^O)&er^PnkyJ)OL1tt@SJ*vca4#Li9!+=*;js$Gv5);Y zgSTk=c|73>geL+aDYg+G1);prO5Ret=(D zZed;p4eD8py z6wne1z^yg<7bFOJ9qIL?H-JXfm(PWIwh*k>tgH3Dc$?NcwBCh4(YzwO1n^Ll={EPhD2UI?!vIPn++Q)oCTWNhv zYa1-yRWeZOwi`Tk2~&_QN(g^Kc&Ea$lWfxMGPt%j6m}EdL- zd}H1|eTsZb?>l;j;o;=ShfE2{Yw(QDK9M7Yj}krx7`KHif=Z7O{DW!Nw)WbO)Q(d- z0S#BWLq>jP4n}Fh?k7{WYv6{Tshp&83JQ8x(PWHae}6H)>oA|hujGFt|2ud*g_$h| z>-ocsjV*kw_>;z8H2#Kxx+E#2g$O=vR-UGFhSphH=V0-4$(E+>AA@hOE(hU4kFm=k z|K;NXoEdie71W_+0Vdu)slA#?0I{{;ZXyS&rsKFmcvGfmm9z zt-M)R*Oz~kpSzgWCA2EQLT!eXo86(OyVQhQDqKdPB85s2P%sIHP!OtDD(L0rJ&jz* z&s{<9N_v&y;kg!%O1x-S#prdj!3tfKbT!h|l@7~jc*I?0bc-gQu0gsc=~_xBC7?sZ zU2XI|dWvh4zJ_!iqa#ttNnN8$=s4`Pq^~1g4|I7+6z%+e*|~XH{qi*&Zhcd`qF%_) zT~9SYH3$`_ik_}5mEqQqc|YCbuVk2BgkBULn|ZP@vkiL<0L#3t9CC9$W=(qJLdNb)pq;CO@x4MMQvLL{>nzL>k$}FXBOs5H*+u)!^ zWpu+hw8yv;MPkyc?;Rgsm2pEqn+4{u?|9!}e%8Muza;<1QOrtf7GAScH z?C&F{RZ*=CwMVJ7g@&d9!TEcQ0{NuB7`k!~ltIdFN>k}{sr+2DIospaRo5Y8psRpDe%?y7DEchgFn zN4PuT9)Qs-k(pA~C3DWCr**7BKQ7 z3o4kOamH`fC){}Q6Ua{lk6M+L-Ca7N+1)a;qi&Kpway>~N#j{Mlj%%>gV&U#abA4i zsGDl$7ESFrn$Odm1`~H~Bos&m>wUq5b&t#6<>#hTc#*;k2q?Qmr3$*42G7?I2D1py zCj64Z(m0d;hrxgJre_=K@B-!!koe0|3u6=i-*$nNMc{orQ2vp~OiK{rjqE z=!fOk}e8n)h@lzgtoA5h? z-vx~4XEYS?;eRV57_2v8*);BZgIj7p>!|_&DJc zfKh-*I9?F8_a~En(eG40Q#wiM6eKi&qB2cgK4=(y{a~NOucUt?{kzhU1VT0aVRRYo zzWqu1FVcT29hGq|`I=$$7kcb7q|cH*2O7^g`68VbrZz*&f6N@I_2^%kh1#))A^&B; z#VjazVfkySi!n;2BJwBcVo)jy2?dwiK$5t?=pA|!6eC@nbP1&sQmq|RS5{cUQEIs`3)uwgU8=^L~YpB(MhTO-3GQYB}!L3I5 zG_ECl9pQQkM`RhBt8eh8$2@#J;Q-+vU|cg9PD-nOnJ#4Bb@~Jd(~HoH!b7{Vdq!@4 zKlzqn_~kkb6DOV^o&=7^SS%j3SY$Vt^Q69M8_>CtPD3~-wCo}ma5ot|e2)B0e(q+% zjR@ZYm@oZsEEP!k)&fDF0F5a$p>P`nyf5X=CmT0P9SXYJO_{xwNk}(>N>eI#LP3UP zcb9;>%iw$+u53oQIpMnjqnj%6bkYJe-(yxg?K$2{s|Bt5VBtI!tO}N3wdTy#jz>#6 z572oK4$o5}k#G+geBV4@hE{|hCfph@5|B|V3+McZIrVk$stuh->9mEz1f-MZ9y9oh zmwf{52tQ6ZL*baD;MyD9eVm6g31<<`2F%LBj^Shyz3c%{K15W5PlLc zUMbQMJuhr?#64x^kvwk>r8$h|aF|FYnhZqT(+1BS>fsTDM-m>TummEHxMvK0zpIBw z6COi&EMPn@B7qntSd26Lb$u+2Cq9ArMBr$xrJ_5>+$7`6{pk;j+^*J$}@QZ|J0LFtwX11rkAkH*lv(9awMPW9DmmuJY ziZ6(ff&j|yW%HiVcFZgE=Fpo9k7F{jxG>`88NEdx6!S?hAiYrOgskn2xL1vSZ<#+m zi%2gfy~JplA{24289jE9r(Y+%l=L#CrAsUH8%Folp6qhcD@d;djaOPyZkM!h(QlfT z(Ck!G)N9L^4V9{IY zd`xE>928knNrkE1ZbEZSWCw*$DC~rQyMVMzwBKd?{Te2EH~Br}KLw8jbvf`z>K z@XfMf!h{C;72sP6-%&UWfzP6t+|u70+-Zm$M1JlF;iH6)DJ&a-$J`GFzu(2fKN3Dp z_yk~NB^>elnEqtK#ui@qnZij5ry$^B%Xe-IlKhJ~CtmZ;uXKK+^E(`5KPiJY?hk`^ zuk!Gpg#RM^H(=x_8TJ9hPn*zXjTg>PI7{Ii1mws97|V>@f6U3#s2=~)DfBq|3-Vvy zKoSE-=)&?pQyqou`+N#TG^3}i0LXP! z%s8N*Z>!R%Mx#0myau!6LuoHrC1LpIMSQQN2JxE2YXL`zB^;D&HJg_&%GIWn+2Qk4 zo60p*>OjFQoe0DWqCM9&Y0pA0T}$aYO7&E-Fa#O$nXbM`C-i}QJ*5DpASAwXWtOT7 z8GOrRpF)^$gm6@0SuYfJF@wL*v6?vH1mUE@GJ!YjZZLRlQ-9NDK(*V8zgq0t1n~`o#`fjD;GP^JA?lF4(Tz~9)Nw*+C<>y(yKTBcG@nc~*9Jw7zaS$)H# z#nb&eZ8@bClvYCG6_c;Y5%;Fil_&T!w2Jg<(rc8)48w?9YxKu`J-v?fdeR$|j>rR7 zwxuxoV78~P%@xM8F58*)9riTr!yH-pFP9t~fa(jgN%-Z!I!p4AU% zd`M#p3{+_QG%pjDOj)i`xVKXIn94RNtU&U8DdDyoeXOF-(hky}klv}ZutM)L`bK?_ z?k2s5^ruQk(u#{&UbVU!@^Y_XhVzOHY382;rlIk13o4 z{DZ*>eR%yy_&DJcfZ4Z+rw82r$*dK6nSZ8rlGZ6$xMs2+rmQvj#ps(JWPT*b66xPa z|8BI5xdz-HMwhzN(|?lwi}c@0hY~pUX`>%%SJtcX;|=(uFeE zBar{HLWe^UA7{I;{3+Ed=%KkOB7c%z0ga+CaF%5#MB1w;<%^dZ-DHSA_GP3ilCA{$0{I8oUNDd?YZqs`f(SgcF35fRP#5&{;EcgDI1zAS;rY22^gO(lAZYNZmJ?GDVe}sWhT; z3l!u(fzJxJ8vKXe*^LP|A$%KP)KuAWJw0;v?WS!XfJ{lY?x5C`+MUpF@ z%Hp%MXxqKbE3T)$552zh`oY7qwo|XJ*-jp|uD=OSUgL}K1cd<<20}m)B;I4d4Klct z4j>OEJcRI*fbmF3#${YPyQ_Q3_=y|j&+>Ca$qyqx9K0X(OAAi@v{}XU{ux1QB&|_u zr3I&!zU?z+U8~WlN7EWZYb-20O(OvW+8bx|@yD1k3BXEv0_llLhXb;F&`mOWP7_Z* zOL{WtDMm|$4!fyFU)|Ev&yjwf^fb`yTqR|@+U~vNt%tDDFPK&65pPYW^&+hquy7$H zaDLp)G90v2Qd-te z2>p%G$GUs^ThiZ=J`5U#jYZN5`@Km`$9m}qrK6ONLE=Lv7L_3XKN$VIUfdr^A18f6 z>1Z?_io2hTzDjS~pGlu2eM;#>RN@f3UyLsLy3fh4q<@CQDS^Xu1 zm26$*3d{dabro(Z;!9CP{v=%m;zbq5aHi~4c!A*?=X$&t@#4fwC@x_!fnR9&WIabE ziI*Z?TJg9nr4_u4;f?0|qn9OKj`&5uQC^8gV&yGw&PjdaT}z{k`%g%(RYmV$F54c8tLkwk^6Y0 zAoo|9GhPQkYtX4lrxqOKUN(%8LBy+#o?g$VP@D8Mr0Xax9Vr>iuWNLnOFexp>FY?> zQ(Bfu30>dlyKeRL^`rx&gG$S0H~3IsbmB@+he=0BM?s^kvNg6{shBxy8hIy9CqX9( zhqtcuGNSGVqkn7b=?0{4B;8Qya6A%tK4c*!>(Rx zOsNT_+aU4Pm}HcV+YO(gjrlu>Hzj_j;^&@C&th(TsR=;&&@9-|>LoWB9S& zJ~Q_cZ$bP%#lvy=3LzWL89uX>$6FGAfcS&JQD9lRB08T zQvGG&v(Yhqk+vcIDCxFJ#{ziNK4$bMPx}nDBmFq(45j6ZoY3u!KGE9KnWVEwXM--z z?1xhGH9DBEc90i3Qs_h>2Lifyn6Hsm;?Aax)~8_?YPr<9LPLpV{g4cUbThhlb=9- zB6!@57($ctImz%=jXeG=@yW!eC@wEKteTx_cuoDt_Z;!(iBD5J9Fc}w*u7x*W%v4{ zPbdB&@fnKC5GnAPhR@QW&RN7~6MqRf${I?h%KEbL7wN zsSn%vq!*B0sB}mMgk=_y(R&j<>x)P)CcQ-In2asSEFz;v=xzHt>7}HXDJ_e2gnq;5 z&Q<-fmy=#WdL?LXl{$21mcwF}8a2pNY|AL1%5q^*GW`#r8EB1YZTU_tq4+wuqcne@w z-B^q{`N;TP)jhwJ{Kw?CfoCzpGUar;!TFgU-a+^i!aD(@o`(~0M6ugtcuRd!?k2v6 z_@}^8RU{I*1h)Om=sJ!3!S|BhNBVQ6W66-vUl@J2J~8%_K0x}Q(jj@pO6%U}X4>`n ziuBi{4=Ej#&WyC~jsEsBpObG%e@FT-XcRM;iX8a8;hD8PeuVf@;>UpF6vnXo^A84p zJ>J7V5%WkxsJsd@9+=9 zf0^Vn@+a}Xi2tp)tjEH&JZ<jH%NP`HYpNT8`>PP|;NMYCj1M>dKq5Q=Ni_}@rYr53r!)JVgmr<@rxe{bdtks5TfqA)^&2*jP6*RA;S^2+a!E3aNna$O# zO0ycx>M(JBbbfSxfqIpxkLW7j8dPgitpyb|KNOL023H$gTOaPV3136F4q!BcESxhuOZwo2{j~U>TJE*ajFTbNvIb~VrezR+#Af@rEUYdH_~kg7a5IO#IT#p zcyhS>gZ$jhG#b&k1qN=EXeu<%t%kQ#yfN`6#BT$R%M-;1rrQm!r|=zwn-abg@P&Xi zGKWN1HKm0r&8Re|ayJyT+M?-EOztshq)PWvYC-8fNVun>1#@}b{pL(jrzM>S=sXCA z75d=7XXox|syjebSxE~IlwcLj|?%eGw> zptYMhpE>y_`MEqg-RbmzgA`Js7oE{#l+GvJlXNf8mxBKP4Ho8ln?6(ZKGgeC?*|?*@eHS0sQo}=|Vt!c1u zAIL_T{qp>Xy?eo=fJ)OTy+~;Wr2i(B>1LX>MXg!1X485J7He$U@}-x}nWfGvbmq{R z3y0Y&czX16^Gw>I(tJt_C@qA98!zIg-oI-6ZOShqznJ_I@T{q+;5e@tey!rK6JJVv znc=CY(;J58E54lg3gRn)^JJYjnevTi~E^5VRiP>*+=JdI7mP~825Hx7`#=7L-rFsK=>eFWIwFYr@u5|fC^tx_?p5Y z2xu;a&yTJAjcFI?*yFdp5k{87cv5I;-&9B`g1ZSu&Z?tjeLqt3r{3T3flBmZSV!s#KZ3d>(p z9h^T^Dk6W94i2TFkZ@C3h$?r18QXMiN--M6X_SD0H*=WrsV+3SyB@zJ=~ARigT}2M zJ}*vF8MBIMRVhoW9IcCB;SKxWI8Cm+iCr{I)5R1op;!STPqPoVWcX0c-DSip60fAV ztmMU(e3u*kS6km2zk>Lc#47{mRVj$gaZN)QT*U$Da6h0H0VPMA)FP81HaL6)|}ei(3m${Z*`9uZ8V{KX|$km9}J#kzY^zu zc61)6lL3cC@w1HE8$V9d$RwXdJ{vqwmQA4TV8(hiI@0JwBL@bbNasyR z>TK3UTK+Dya%pvig$I5}!)|voVO(SRyZl@ph3*u3KtRR{!aO@OcIxnTK8>Cp}vF)qR~EO$~sksQW-{NI20B}+eA;BuvUc;6h=}Q1p$}k{3wpkm{m+q!Dw1z zXpM!%Q;-(QaGW_k)EQ4_0-cF)cx5a$;UqIgs_`t1$uy>zk)aXPrkXKEOY6bv`Etd)z;$Aj16bgaxyIf(d=2gMtvo!T$|DnGZJ+6rnbq2V0(2)b_?9=wLMM1v*1n)n*v zs9qB9BBOnNo=a_Rz1FND8WL_Dt@X4vz{1@UObD;Rtg$0~Iv>#bkk%GhxGRGNv5P)3rIKcCE0vF_Y=gqA z=}4#BZpLxV+723@(AWtB6*-t%)8KX)-$41@O{u7R zkAFqwYbuAJ;3Q=9mYtP*WoBo&Z_F6G3rR>K-_rPw#$gz!1|4KZt!(1T*@NzTlL~1& z`3R+>l#W5dMU_1)a=Oc4N>ADRRU$f>^;$3AF!_Mi*=1& zrqeO6C4C*~dZ2L&MgoDT<*2?%W3|zCJ*5DpASC2SUMsm-0T(j-qVMIe@^fM05#mwc z$dT+>7!SCZ(erL0T*$>qCrBqjvn7=bBrHcanDloeFEyZaBc+CrP zs=oG9$TuQ?3wUHnCK=22g|`|#x|u(EW717X-v+ukXt}$2Yus+aD^0y{2Zg2-?u3xK z1|fuXGWvgd4VsZ|PWo=pJbW@5-xR*i;3im-soltCyb-&R^8~Mz%B>e#C z2SMZT@=ZRK`-e=Zq(UnS4^wCjA$4*PSnm;|8|cYtL;6wDZ9(G}l5L0r{yFfNDYf+U zw4?Gkl?*6MAeoen7uy?MOgk2tq_aq8gJuG+I#J0{MYaM9dZn`| z)o$`Y24NfjE4 z?s^;DRWETL(tSzy1I+|v=LVlZe^Ul%p`V~KfXYBsWUgq^D}zj_+0f@{FqI)xo`m8H zEf?Y`qyNxC4<$W}^l;Em&`a5pVkvFp5g?G6Com*P$Dc-5GEO2`DS1CXGu>cJq0uy*70QMykw@D zSYJ=ta}=MaI1QpdX>xPFU~~z+J*Ja>k@O7ExRA2ctGko0Ke7sarYU#c7}HXDcwES<@a=N7=56F&-ZfDD@d;djb@Cr z9NnA74%0T{DzdA|t^tc7_zc$}$E`JZ{C1y>b%fUw-k@+!mcVZr9Ixwh@iyUi2*0av z$4r4Y8vL8a2-rmUJ;Iv-Bg-;3*u8ITlN)?4J|O!c*)3qv6O&Vy4Cv5MzWd0uiFyvV zQu~mcEG-7eE6X(GF+?V zzNT~t5?Yn1Cs?Qa4EK#0|2rW6AV2pljqhk2hJo9KnPNlKKk~mf@fXeC5sF7C9)nm` zMDDbU!C>$GU|yc?t@|UrwYr5tLi^fKS})*bktx8ycu!7 z7#tZTf0Lj4mGEzbe>YfG8Mr?T{#<9s{Ym&Q!hZwCvnD^=^_Epv`SKz=ZOW(-zS5te za+bAFzQxBc z_+*O6pQLX=qbLmIOnQ1bx$;p`lnYE*dy!X)Q7KNP1Qays5Dh$E)`DGVd~1zsRFZrt z@}6qILfY(pQqM47$7&IaT*lwb9qfDyA0Jo1iMyYE-L3MWvEmr)1{|gAY!Vzsb+l zAY7AhErn%KwDczo9;|DdYZJbPa2>!XLS|lfxqa&z{eP!;WLf-8`a06}K;xdmJs*`J zp*)u%UHg8nzIju%=-1N=&Dc0y?I`Ywq^uwfEgVvXnEX9$~MHrQGkC^tNCenu5qtx0$L#Dt= z{cw*NKdGd@(Cx@SPCf%X=2S|M8aYGRJ$mI}`6;%LZ*S&8O(~OR7R_v!sp=aI=rVg$ z#SZ2zQm-SuPV{o%;r5fgX!2cWgAZQdv)6@iF5#|#Q)fZq+2&_w%Es^+a*K2`ZLy}2 zN3A=x9?&#zVTo|3Uof3{OVrD!*OOi^cpR5&FJn!4a-X=~X4Kv&nU1;T_v z%#*r=DickSAq82^5R+y6lT4|njp}EqOr|o$ zlwcs3kXSPE?4D{$xe7j&=cqhSWtu91Kr9xK#ZK~=dBK!Tg}pMJ%8OKHK*3d!$m24p ze5TR=!vj}-ZWig;q+e26PL|v}FB^Th8e!Rug7h5Hb3toeM!4dPj?yCNSOfTVl zY73|>goZ4khQ-~hM!%u-BGQXVF9EF;B_VT_d*{eFwyY+9&AjF6y-sf_y=CcMk^_jT zZ~kwXw?e(;^j6SY3D4(Fy6SHly-Mj-q*s$(0~)!LLA`{;BvsBB(g^orMffp(Dog!E3(sn?*a zKGe3W+hx{jJ?*<`?Vjf zzN2s$0-jIuNkhKX<>boj(Cqz60b0u~vFzo` z3Hm7}y`$34lulAQ1qtPr{wG2_bacO%P+#-(D}~=E{0>2{h{SCcE8G2H&PGk-Pdb0m z`5O+3j&qgB&F-C@>rR`pNtH8H&QduC1@Bsyk=5J%WAHlXuf@NF3w2~yMgFU=vS6}n z2Bv*=%aF~2Tw(c_RF7q|rcy-yBs~_2MIoZ}lCe;rQ>T1)fe9a|P>e!x3MC-my?|+| zdDxLiS_1t4=4a=(@8#qV?m|1nFY?>1C6ek-l91Lm#4m||LSdVJ=Fl!AXMBI!H`4=lZQ6qe1y!| zR?#OHrW2tPg@bb^#gP@(5}qPv!oF%=h*L;VNJ7B5i^v`SAH4S`=N z|G-{QF3z3o&YX-T;(?I--=29gut=jjpcM zp)u(uq;FGNu8s_v-EQ=oP5rU&Al;PoouE;ka9DOX4Y|7vKiAyj&4@QAem8LR5R$P- zw>)|5++%#n^`5_%d<*jTf%lKkkSt#}`ooc)Zb|w9(hq`0{qLC}<0I`Qh-il#xw#)Q ztF?AFThV%$R%=-3g=FSQP@L?njBeee4V}|p-tdo@+2U89UK^T^(rgP8g^wXFeat;( z_>a$eydCk!iDv*uVenZ|BHtRlSkG)G=`7OOpz*Yj%OE|Rd?`o=Gk&|yAHO4wPBe00 z@MJMJosE7Gn3cc!qxz^r76BazDtWM3yKa zlvsuOn>0u3^AnT?P#OpcRW7er&)f_dpdDoV4?2Z*F!>?mp9GJyD6JJ)H2Rd$SND-W z%FhiYJ&g2l&}gv90)yP1opQQKR@^iCj%%<^@8Yq3NQ-<8AFPpJLv-S#&IW*?NC@#l=5toYM=9%z`3iBx} zps)}EZe}^Xh!pUu;m`I%ek4bWh%Y9-L~+^ZD2*ciZd4ml9tF+_$+xSOkn# z#~bGC)Eq6Rvx3e_IKDd-O3E7`HzyMhHut7^yVP4nZ#BI&@cctl-k58R{#5C8q}P+) zptO7zmV5ZE0=kAT_S>Z2A^mPTEn9sXy;tc?q~9aGIgOU+Bkvo%U+E7>e@J>u8Xb`! zSVkXGdMoLVNpDN1LvFj#-zdF<^e3curqQxN{Vt=AD7~BX9@3wt(-HTX(MOfuOL`ya z&(mlLl=y|w$Cchs`T*&JX|#m;`qJp1mHvwK*Q5`n(_#0G(Z4ADE$Qz_9|n!qk5u|_ zuxqx=Bg@Lm&FhF|Y~P#unO1`%RF6_U2Gv*4a7YHWyU6&{59aJu=SMon>70P06-~DG zHhQ1ZKa)O5`cyhCA5@I~TlX|!zc_>a*)DE%+#LY>$(k^i!kl9O226_)>*>W}=WbP@TJ^hZb+O{1m#c!ANU zlrBcPIO!6g{Rmz->OZ>3V>HWMXyO-odP-6(MX@wQ|7-}yvLwc+>ncO*`L2w4`_(H; zuN=LL;PIu9pD)iK>0Y*T=nXFY=Mqlv$N#+>9S?;OWKDR0Fs_wUaq^^j!{_K1GRaKYj})0I0n+| zoY~IRHFkK^r*|#c>&Vsvi}zu^jAdh-gPo6duD)p@{kV7i|3}xEz*#;0|G%%kA&Trp zN`z3FyU%UWqRmbzA?nV|ouy{xPUp@vO=;7vEJYGYMJh_ALPU|JkZ4gt%9edi3h{rx zUiZA;rr+=PzrV-#`pxb6{Cv(ipYu7Nvwx^%Q42sr0?2#-nRgL1x}$bRhDe7=N2<}` zxQiOyUg;R=Y|?S12NfkND_kq1_bv1hXid5e>9$HsNCI(piP1qlc01DTNp}E!G?G_F zWXqES6Rx8P%Wm|Czm!5J3Y{S^V?cO!loaHdNzD5IU18@*Ep zEv_JaCF!fG)A9}tqd!vm8q(L2z78~UBVI6ETr2}9#&^^A$n_w9J^7yC5%fx_w8)mJ zy$pYNk&o#O#CsFJ5jYN?Q;}PUuKb&fPwTkg&E)%#zXd!xOG-+dys6sY<8-cKU&8$e zCjjG)1T59`a9@{WMm;rhY2?vJ!ocCPvINdIxI+7(3kVkyE&`0hR~D5HkdYsmQrzE+ z|1R;d9YCX)MhOfYK3ye6SE<31^;K9Y!exX90!B)fBnwL_@|-jLoG$*@Y2xL?D}ei( zLmmW!jLz09SxI^@=_;dT6foNjF?tw^0r|M0q;DfV3^c->TP}6b;RbiqVaySPM-mzF6-YK0ZcNx983y&@P+zop|&p*~iGv1B-;o4#cI1dEDsdpOhcvCvltFSo*dlQJ!R|;ZBZ>DyOiuQut@ll zVoCU?4gOLmlr1N`g78YfxbYI{M4t4P$-VT9867wIpgc?CIU1{A@Wzt?SNFWZv#0u0 ze1Y(4!Y=|whRjFLwY+EB@IUpct|7jb_{+eN4P@*tDy58UdTYXReU7iA@G6DZARy&s z5sSPX=XIm&o$EvM2I=*rH^_HIGloa12{`tyrkh}&s&eeK}>kn~5SKUO-Jl`Z${E~Dcueb_%Cy_@tNr6aO!S=@bUbiLa= z{Tb=cNq+$v88W}zxi5{K)xd{(FWIliehn5;EKJCHhHngRqD9!Zguf&FJz!i5=@c); z$iffC@BPCEa_ujJ{Y)ykAN0BmEm_1SKMqVcdR$&mZLv{X5|U zgbxBn86zo@ot5+x68(*5KzyQ8fFnLjQkfPGRK+r@GKv~Yfacd8ky^(~R7(WpKbkbTr1MB8 zmG0j^Pnx~?M*k=3k6l2zkaQ7f+**N{wEg-UJWJ>53?N)gxCAf)B5#wDH-ncNJtinW z%EzThmysT*bX3OkgU%T}`7TeVNtctZ0FC;(bdATd^Vqj6T?3f;i-8$7s%7G=mc~Q0 zf3}jx7|df-;TU)(=E-8$A;!+uDWgNl-bQv9SU!kkI*=P~@XQfDa3cthBs>Z*ibLsi z$rQfsb~7se^2TTyV`z+pfm=rImZEfuWBTJvIsa|1jHfbz%0wu5@Jh8#h7+pX9mda} z?JwOV@{`Hm2_CsfIvtYII=##A8QP_DH}QLjPXW#XLlQVH({$vCg&8eVO&h9ddM~y6 zs7-^0F_!<&CAr`9Hd;HFPW=JuGobU5l;pYxjg9=rN9ZB4Gs!*-77@y=aQQMiGRyE8 z+BSQH_-x{HfFr$%Q@H~wWXk(oiPmxGe+6V?e7nftm$IU0afbc@V z$m+5^x~z+P!sw1k!qPe*y@>Q;(8wQ7c2LTZJ6fhcnK3`@sUZQd}w9Lwpgptlkp@|El-B=Kgq;WMUe_{InBSt`#_Sp@}A!Kvi6+eQ!9 z6TCorHR%^Ys~T;{74^(HDuS4eHkoLG_OSZ$zCxys#kX%;a3U223TVpM2AW` z%?YNjn>SJe^aj24^ftglj0O=Tk#RlidSWlQk?;lw=vJ6q`x+sd=~SIX3v1-Yk26rMqHvUseARL-8UwVQSn=f-%H+;jF|hw=&>69KS}>Z`jFBU(qrJ<-$obfyq|wa*XYkig?uxaDoT^3 zve+j#nea0YkC1=Kv?%`bm=9D<`AJ$76l+05pyVkSmv!DoZ@K|dmPj8(`e@R%L8Hjb zl!5LT!(Y)N@L1w?h}Q+KnI+o~Jz${dIP=D7+>fVMkKPIJ5U4!asG{7RX!NxQ5F`oI zNu*CEeTvdDZC1v{PBnT!Q%|2px<2U!pm8T9%SzJjbc5T}@u_nL;f93I1kA>r(5^yy z*czG8^*S#!rf?R8CJ=D+++1n;o^9~3Pkm6%A>5Skxz*sLJI~bPOhGx0D(46AW{0T0i)0|EVILvWb@*Wd+vC)kxJl&FX7U_V}xw2rW!Uc^!alfZS zq{E~mpiyWbWunHm)?|#4%_bWMi*OVcmdS&&mC@hp{zR=ww;|mYG}5rJSo)qXG5A&O z;%P^?J>d=pr&4Lx(ctOl`Kxm&;ZB4*14fvo=f!m~_R#sB?Mk*A*~`G<(ige>fwEXL z&s}c9vXB?9pl~IHs~{lQ0}zs{4W6Z4tJe^|mhg277bp8W*WKWit^JXE5Wb#pPlZcm z-!a$A;Fo%O_y)qg3Ev19x2WuJBz*(!Cd0!e9>1A*AL6$FN2trnW#H;ogO5vjxG&*; zgcE>q9n*#R(hrnl^f41Xol828bkgXeV(ALZH~KOib1NWSNV-UAnT9A$to}wf*1S4^ zbTR1?(0GJO*MxMGOOq+>N=+Hn(g!C+rHslzD0q_mJ7z5}*~MMtOl;ECi)o7G6e}R= zT@-VJj6O?4R!Mp==_=5;PYa~xo-UMSfKnkCV$K=5f^;aI+vp5~gL2YO|CS;$6SCpv z&DkUWEFU+5-bi|*;GsJRX%^2-rCeT7X{PCNyP0QeC`Z#ALvt)lwwJSHhNV0(+&B{g zDvYNvfx<)x%qO{$sqQeiGT~Ef65+{&?*z;Wh#WmonRIs@rlh-hV7#{W<9`{-tG7x%<-S zZEcbMas~F1{)+V1pjow)QGRLA%IpByAVCU^Z_I12VfvQdcl5r8hv`cai$K6O*DXh_ z^aoQrs`?|_i-zglR za1a72CoVn6{bB5L+7kYg>|bOLfo124#6ouS%Pp>ulE1+HZCWRd!9Ub$3}7okz8M2V zUZxqzpP8mXXQgY(Ptr6XT?@3&%J&_#u#C>%|pHU#7lxg3L}#FS_9F=mYa zN&Z1T?pPXiXw-#)Bt?MaEqg|H)#D#ex*q8hKqEltfRfc^Nq3?Nzv*^KCs8<=!YL3~ zlXMc6Qw{z{D}1LBu1~lDU|%i;WXEhYP$fT|ZdNx9(;2iH(mE5C#vtYz8GV`3jY*$H zx=A%!Ccd9-bWf$vA>EYpxz%Y|#9(wUrOzkbjPwQ7>6p9F=o^&2h;(z(EkL6Jg$e0t zdH1ZeZ7w!tX&;|KTT;oQ5`g0KLoge4hM)<(^&BAzVG0olNKp)YvtO0BS=6lA+P58} zl}#%S3y&?C<~%4_mAMeEl}THs`LMO7)P_=9NdATh#&e2Xd7+HO$w-4~H);smQEN}F z12kMcd05L(Pe-HM=~LxW(w#_mR$6kaOnU8NbRRu-SJK@`Uj`b_##C;u?6#QV;O6D# z%)P-!;|e-g(zyx_!h`pa#@y9Le^n+w%Ew(p`dZT0fksNP5-crc=}$?!?k0`aYH$xq z*Hh{V3Bl4QFPb*J%*oRB+YNMj)4352E@ZW#O4)_sCbQoEQ~pst?q*tjXx##f`6Y-M zaYZulU_uWar|3(eAB6-2T*P=3D}d!~$fZeH-05;mo3fgxk(YN<%cGVwEq0ieZ`w;Q zdaZz3A+;iCxC4Swsdg7)dZX)a%8RYNGJr}kl@cf@;DRx}OCXW!O3fIkkEs-mG8zM6 z;3Oe=d8*W$F;eSH*?+A+Nt#MIl?o`n@{ElJ+#us`(R@}(elYne@H|D-PBFxk-+TH~ z45e}#m0?hj2ja4lQ^w=C`SoyfnyvKC2s$I_jDnN7RYJ1a#qCDt>#Z`H^cd1(tI<;T z9B1_9N{=T!f%HVBabpGD9Y)`(5uQYPGU+=(BVS=g2d1XEyG+=5p%41q6z-ug1%eN{ z)cmI!-Bkl~FX{V8PXmqgthNF9{iZb69*gNz9-uM%&$FD$3Mwn1poFMa5TX2f# zm~$60t9;xhI`7hX4-TRm@X_6Dd?TISx`q5!^4q{O_yGz2`v%X@wAoI02jLG44hp=} z;3Q5cANL{Qj|hJZ82=FTA=zd80v-DOg#2#ud%)u^k}V%)M^wINKo&KBYSuj6`0+DZ zpVRsR7Q!FMk|2F)@II^^laJd=_$$I+14e=dswL<*=JdUQN)7ido$u&;4+qf*`DpxL zd~r9=|49BP@;`$|n(ByQjyfNelhQHjmWR`_R;$d9wUMavESg%dewd>e1Pyl zzz9^>2kH;whxGG-`jh-$qU5C22BMll;0^38)s{K1cqA2LmhK7&19 zQ+|>r2Kidxaqu7xex$*}I(qmh!bcOX4H%aoyV@l<#+(Doy>l#`I&|v7K_5{xAj8~A zcbws66Fq)B@p{Bh0FJvahRZA^nGAVKpPJ;Q6HP37$craYJelGt5OE$E3&QPrs^Kkq z`P=g};`NC)0FI~xt3~B>bH-ijPjLpFhIGz^gW^&)h|jGk$uCY0c8yHAc&}F)Q#p%D z6DYXWaeq0^Hoo?=oY> z)0|EVI9lSzxTT@H*p#G}_${eqQ3*gnff5XbBQX~=dVa*8AVfM$IszI60UjyYcnr(n zS)PlURiNjH(aNS3hlQ&SD=s6r(lH~~T%Nzd~dnD+s~Y1bhgSBbgrax6&yTgWpEQ~S)}Vz<_(s+t4%A@ z5zcFRbPJt-9WcD-5cQ|DXO`0 z#+%G~UagyH^`UhOEMKL~8SeKWId^UvPCT!J5{Rj#pDU4D9^SR>?ZZ~1EK2%3j7(-#K3SlfchcM2B z+5IHA@^RxSOrS7P1=;H(D4C?h-C@EMeTYq>Fqy)g5cG0K++9ZZ(#vr->3c{|Q5xAv zUKVb2nO^F9N#93$n$pri5sbV0jc%sLo=*A!(lbEgaVi;4MmP+cBW&m{aXU=;T9 zc2GCV*axoF1_#;MWaoh8pkh^^tSac{8XnL!agP#zjQBj@IJE2s=^i&WqU?OK3&<`6 zi!xO1tE4OiDb6c(Pna_8As?D2sVt(h7z%IW0QV8djFmlQ(o=)vaPo0WC@rP543d8| zgd?&8X>O`QO0=iV8mQ^NoYo3jD`Da0)Qy>B3n()d?%`?VEf_SOqp=Ex&ka}^ZFC>K z2rrOcP5Q;^bkx0MbVBJhq}P&uxjHS)3!`sQdL8LkNxxQ|4!PHj?yK}0q}P+)0NVGU z$%ZbOEkLEW;!V@inm}(+dz;!uXh5B(Y?Yn5wT6gkrP5DV09)xQF#zRp?Mx()y zyxqy42fOpk`E!9k!TEHW(YXK)>MPO$lbtU@?n2`mX&1>w$e~y-Pvgich_(;gcO$G-v5+TB2!V$nYK_DbMYlSiDo9m+HY;539 z5Tlb#Ck_WsPW0rrGB#xksmZn>+ZHU2pB0Tq!%N*N#qmIvwEn2n1Y5 zgPUsvE+yQFaA&|cK|BzaeVVd(f-dHCd4|WA)&`w!bS_gT8js2TE_iQJuDjfvP4|1} z3OZNPxe5+K8_kY}g4tP_*LPlR(qH#^=^9GcQo7Ehcq|ai_6^+bCcUa>>OtvxN zjs%l~(Mc=QcBR7Q`kOgS%>guvX_mnBt&>OyjaFA`#&9)KG|FfUgn@L^)~$>#%Gi%d z^~U(}I8CXXQUxS5!BxWh5t0xGnOH}~N{WLiRzW;P#Q*UmOUrP$3~3HA`wyKEIF$Bn zw1>e)y8KT&;f9-eP|XoEN75Vx6V;{az5Q6QZQ6_FKAxkgjiELc8m1pq)3hBr&eT<^ zj;A_->O`oh+h`J{F;&IgVb%$nK9guorgbMQG_uuV!ur&?%iQDCy_@bmbf>_@MUfsb zY0t|(N*dIuCiXrg|1KYQFU9*PPJ@VQ0_qsDjjhomG{a0M{Q&71pplds#B`d|3m-J? zR1Muj)Miq97#fmNwM@*Y&N8*Gs*g~eO?3`bv^k`oLZdX-l-k-^@hFwYsLX@nD_OE} z(BnoIXeDbt=>?=0R;PpR38M>@ev19gCLSd<>KW+2^ zJ@#_aD@d;dt@kgMSjXKnW{lF~KTG2|8mnMrVj7VK>hnf#(&N8CdNt`6|D{6`nwN|& zQhE*PwWMFJPRHFVM)y~G9qCs|zgCTwJxg9Ux>)HqNUtZoL20C7%)M#!?HbFsNWV>b zBWT}s7s=-4^zI!~#;CH1%DYtFgW|J*EJxdHbcqIM3+b(-w}D2_hD>89VN>&c6Xxm^ zhV2w~Q1}3X9zNuD8eOV~|B&=Yq(26Y!^^;7O16H;bGuA9UB?VRp|G369u<&0aar5q zJ~d&iM)xxcpHuh(0>UGLyxZnWqsJ?~m-JVpzXt8|Sv0_s=^Ha9s_`w2?`V7v!?)F< z@|I26h*qXpx*yECL#-ca{Y2|$Sei-^_lwbGno7Tt-bea3&?s801k3al>^JS^L-Mck zalcbLK2;9>Pk$RdQiJpl=^CYMrpUKOAY0~O$)A~a z$|$94%1_cxAzceJ9;Ubm5!oM}L-j|Rbf*UBC`w0DstpOj$9!>_gJtwuoiKhZ={ltA zg7$YpG%8bwWgf(Frrf0`IG##9Dknfe+W{w#8lFvNJkh*0da9G?olNf(c&CV$n<&op zTh`|l$r3AvwSn$bvls6YNIvc~+VyESfQ__3DW(r>ce+WBH>V>jzbQ4ObS5OU3Zx@X z9$zJ{k@0P{*RwJCv&c6Ak7|}gt0pJ(`e zAN#PKPrMoN3xK2cQ7t*-63d3c?m{zHXi{86vpLNcFws`7ZdUvM-NoiVt$s`TS@Z+& zQL|65Xp${;5;B|1oE~rb(1z%Q=|te*4wvMQl_Z?JbU128Z%z9cjcgim7)TB=vIhoT zE5j!$-kNwD;%%$paltP!{3*rT5pPet18^;IVvIpYGw#-Gdnt`hG&-vh^bh^C>te>I zI^@`uMmHLlnITy&6X(m#SfHW0g2t6Ju7Z(?b1+LHakb$)6~Bh~wZyLjj$$00(~LuR z6LzW4gTnO`dO|>~Ll%c#W<1?T{y{$O1{%F-+^7alk%_}iW^B`Q+)Senjay*&I0PgP zw;Fy(@xH|S5l;a3aR@LDIVRL>;X{;5A&){50^$(1IOLm=aNa1OQAndm4Rpz8;?UoW z{TiqNG>U1Is1dPql$z0UtUpJJMj4HPFnp|o5^HC81C2zQcscP3;F;SY7|aA|kQt|_ zQAuMkjVc)a1R*)W5W~+_d?@kThz|pvdD4ZmvfXf_r|N@Z1nH5aM=6a5g={Hn^gVhf zj3zyX^w{cj+>JAOiqhjrPar)JG>UsUc1+&uC@;6-8?xLT=1o;^61~av?u3Vok(ZRZ zIeIkiG9jfCZtkXV4}~cZkfs$_gkMl9wVJ7BY@6##+3Rm)fEkC9MqkQ-Q#9W)1b|#wSd+_Sei!y?g^tO zYaV%$^di!WLD%u;2%%?2I?CKrCf%>6SVCzjrDc%x6hZg2(Rb=8mXlsVdL?MhDq$HA zkkwh3`RkrB?*To_v-F;$w+fz~CFGtr`Yt`o3#3<*ez7_oaW5Htx6*4!uO>n)q?Bu!E&6}Yyc!S=0dK=&&v*Q9r(NFTG2@k697KOJd zY=oduj=6V?o}$6pMEYIQ?}6597n6LI#2cJ8n>15Tv4zrBO53VS@_vxahLP`^^sq|X zDea*2fl5*lDVMz-GV959n)LCH5=r^E4=H^_>0^~-Zz0(v)RzytOlqMonEHg$Zc2L~ zAq9|RvICXTvou_vk^Y?Y7fMUJ7wbceUZUx>m-JVpzph5hvA;2TrPAM${*Ltbp#2OG z^gnWJkozG2VB#DN)Q=Q@qWCk!%te&fo48+$UZbb^mGnN+zg4GWZokp5D*Zd@1Edcs zEy*M8ia(5=t0DQ5^k1Y8DJ`uK*+JrOqbv2;|B$YcVk<%0z;-rrzT^qC}X0Uqm;20Ah)hHZGu@1$$5HpF1h1|y( zJy-*EJn4F*PXLWNFlzQC$%M4Cr5#c2{az=U-%e}#C(%Ed{weS?y<0MN>8I0_q+~tl zsU|*K!#{IQqgbC}1BiHz=OwD-U99eO!%x%Y>1PmcNc>FT8mqW#Wb|;2Rb$d;k#16r zmUV7t8$Cklb4WKOeJ*IqXtoq1<Ep$dYp6J*N^ z*JO2-)aQnnG+$#dl+taKhC#AS6LG^0@1WUW1o4r?M;(TT-0g<9S9~<_F~r9zj$9K6 zx^adt(QGrG_ypn;6-Ty_w}ahbcumbWlZa0yey8HdHRz8C9;NgcrFoDvGsoQHMlaB; zFrV}S(hEVOJfDRvN#C(PQRrOuPI7SUP^3+F&ZBkG3^S(YAGB{$Y6knzI8bmZ! zqopaCk7e*%)8#k$xHkx|C%i%7EWB9cO@mKBOaZ?|_-(=)0pps)tCBMF;T@y5uLUdg zCerVceoyIap=BV$=%aMP#}?9CNpGu8%idE)AF1?q(mP0h02*iF((f|5Li5Haq<53vqqO9WxGX0(`bo_dpOOBY^cSErBdyYq!JDSpDB;M& zm!=+}*-SMb^6BOZOeTez9sw};qL(>4oFOSL50yrYx4X^`X|yqD;;6d z|6=qSO`l&$?<4(Nbvoeo8~u{fzmq;d`XFfkIFPr+By*G4U+WK(7HKm5N$D?2halmG z%e+SbGr^MXZ*zh=68#UI8f9!e$TzDxxDc|o6Ysc7>zgi*kblfHB^K-XYRXU2l%QJ+ zuD|561?rJT57SG26zQW$*9MJB)#0~xW_~=D#{HMa>p5byxu^^ z6Rt=21i%QEbi&FlaiY;%ls<{{$)r!IPRou{MsHU7G}84+HvsJ`>G4p0O12ksrGGVC-jVYW(p$P zp3(i3KA&_m(ic>x1MWhj`zn1A>E@(cRHJ3a^2J6clx|5ni*x`qE|P>h?1Bd8DjXsl zCLE~-hg{U)9ED?qvkAumqimOjcyXB_l`Xq4$}4qSne{T-j`DG>X|E5JoRJvHUpOKe)8~vbebagZ7KBR8} zji{ETWLImMe0;0%r3F5!eaZJDp8&663Ah}iM`~DdN#~JHg7$TbIJ?j=amt)$G`0nF z3h5NV!5QRTCDKpQ-{>{Esqg^O#iUFArGrv1mKuHbFeJPreTsA$>4BhqPh%XbsB|lD zXWl9eQ<`2my$X1^XG#mD3viIZEA+Jnm4pWqt^%C7zVhDQLKzMoV#0bo`cMkDQ5XgR zZBdybCe0`5Qpqgl9d23;eWAk$Y9pzQf`-yBk`>RAWr#At04wM4hQr&dXppf(X2?r)qhs4w1ecbN6Io@^4W$+Yf-g&dZZ zcJZwKad(&Tr3k%z+}-5wAwT7CKH;VspHlu_^7oOSb~r!8-EVxE^3%ybKz>FwJ_q4> z(D;GMKSX{e`G*hZ6K`H!C*8J#Kut^7F|r zAiwZ1zW)&Sgz**1KS_QO`NfCv1BSS#j31=@67oyQFRRAqAv{kTU#a|Z@+-)%JdBs{ zJY)P|<)0=09Qjp;@e-crjjvMv1@f!OzgUegM|fT`ex&ki$gd^;@?pG$=N02eDZh^V ztK?rhjF<4dZv5@azd?RI`3=?h3WVoP<3}t17WucyZ#;~b@VsOE809ySf0z7whw&1g z&Bl*aehc}n%({n&o{$SAk!BrH-=E_sT1V5W4U5lanb?r+ zjxqY6p5s{3bx7B(PRHGGM*pGo@ucgKKH*@;QcDy7dM-IVmXpb-HHPKi6u;Fh{&==p@35xxL0>QO1_HqMwv^Pqi|3@3Ee3O|}i$wqOzX{<6EW%w>wWOH5c1^+G!e z?J0DCpmmd|?BgJOb-V3!^vd zv9BO~CF!d`Bh&p`&CE2SuQqSICh9fxuBCS!JoG7GUXNr`_My1$CN0uMy*(&hPpKy) zL|^iU%%Rhc>0V~_*9zSYw0hIJ5!R`P1@W-qyqioPt0BFadLQbyKu3m=oyN)w)7Vq} zRx{dM>90~>8vSS_U?6UTQpK_qRJN4E7J4}*-SniFaw+9eN~(lp=aL@ux#yd-MN_|k zQX!=xNGz$O?36JEqnl{iIe>IA=@QV$nniaP>=NbIc*;oUOa=4W)A% zondhB9Fl!m3(MqPXTy!3s~fY9AU~4)DDdba#yJGP-SG4D@S};3AwE`dyqR0@afV;7 zb56$-pFn&faD*mNhW8jo+#SYG+9*HE$4w$Xnf#sLk)r4UkQqxxzovZvcay${^c2u| z&`WlZZDjl;X6_v^)y((xTHH(XKAO{DBKMWZ#z)0Eeto}534O=nbV?6UngI!2Nn9gI z(>-X)czxVFL}ezGhoPXW19z}A%z~wPA(t1H(W~-84l>R%f0W+LkI)oDpeKypuIct9=|!X$ zgFaJE`hUdd-@?s3Wkj0eZn)GPn(maqqNKEte~?J4vICTgv=$D zjb8BXjc3eCXmUJD>p5DhV4(~1-zWXQ?(^n;HNfB9FVJ00_eHoU69135Vx;CJ(?@C~ z*HB+e{blHx+dUAI>|a#uUNNJ+26i2dS82Rf&B)FeubVMQjW=klr?H`$A)CVD9B-QO zh#GIvc$>yX7)bi+^ETcw=MtT(v5C&Rbl!u5^^*TrLa>x^o9zfAG%dF92wQoCZ8!qb z0yk=q>)75mV~1w6?KF1K_&^Qa$UEtFn$bYF@&1s;M>IZ$fuaWI2ub(VF5^GYGkijR zH~Br_HRFffr$+Bo`ZLm>ll}rUVjx=)p(;XfU$QpfYnzP@OU3!AwsT`nk5K86*GIr|zFnX(=;7`(jkv>$N4!OUL-mdgN zq-!{~RODL&F9X&`$e)>(%Kb{$l%J%fLb?`cj4I(0XaBn`IJOTy($r5h5=T)znrdyR zz9%lTbICC#>`~!Z3Uw&dh2WDl5Oc>F{eXt-c+&Mqp8(n)J}6VzQtm_(KG(yaMB!u# zr$ErFmgP=0dX^skG}84+Hvo;!?&>=NaWTs2Cc5i=8FmK6h7`|)sNs@Tx+&MlgfBE) zjVYW(p$PyD8h<>SsF-IVmXMrXx?L3f_fU+S^XC*6$n1)%H5G34?E zLw@|$U1-u?l`f*xoKg!&no#l{KBFJeglb7Ti*x`qx-)T#u)J{%Z6vve^V|}G3 zkru9GtT43*G~Z+hqE#rZ2AMV+HS24&VzgxFtVVYybMfpB4@TtzD#M9 z8`6X^`f*LzD@b2S`YOXg)|-s}XsrAwA9pk9KBR9^S~5r|X>dwTXFqtSWFDy)zBwfBK zEza>bY5|o(Dn(FG*~lnqd5sW;gD_w&yKq#x{-$4|`T*+1)Jve_;UPO?1j3=Lu^FS-e7uF@bq+9;i$YvK{mgrbVE!Fsy39`ZPbQA)6<0{yG8@z zMJwHK^IEDmg5F4aqu`-^fY^m(if}x;EVoE@w5W8qn;BAbG|e$I$Eumx&LSEO$d>K0 z7e=hojWhGCDLzHV)0{waB1{x=a?WgdS!b5)JyGfIFsZ$sZW5)*lhbdi8eZIZ1bD&17GF46PdOY1&b)2dmr=|e=eR*Og` zyWgxsdg=fKBZBKyC@WHnMy_MQk<)90FAp_@uPO8qhF^Pr=2k<-Tl zlE(5*hsRB6qi38?WdW6iP>{aznpW8?P+Dyq9(%&94()sEOZsJ{Wup!$0A4X#R^9UB){%ad^lM6E z)0;~7y3tKFByW&jPkMvW*y^Uzy=io}%lxt5BK4W}ozL8&VfViAjrGRdPJRdZ55VIJMObR=H2U!>ANCJPe?@2k6|1fF0u6_KI(qEJgLBeH^hqD9V z|2Dqs^FD0 zN0C38d~NW)G9Th=mX9&vH@z~)Qm8|rt_r!XLRziTN;=Mj*Z27|98aMhg%cp);^#=6 zxhPLwkLgY{qkNk;PNH!#jZP|I!zXs?u()CFqGyn9 zNcv2rqcM3xxkg40p6Wx=nDkksn}F6DYAof7WWQB*nYy!0{9OZe4#lPv&xMG>8dbvV zl)OY#R>PlX&H;7Kr_+qi1#r->B&~F*rO6vMDoTr_Yk)6#y3pL&0Uxc4=r*U@01@*R>U7+- zGWtoSTa#`>x-DoQ_;3KTOfNCvZw*X43hgO$fPnt=R9?R8Xl%{iK4mT?+lg#vu>MMf z<&G$jv~gX`sWHf3_O5ig(YXu`0+h%}r;4%6^>P!Qe8me_P`Hx9RS3V-YxKOx#g8-Xwn${xjqg0lI}-30os@EvJ+=Q zdi`_EsHw-#rIAM?2_uu8q=M=4jecD-NCD|W(nU(k-6UJm^f&sydh7wDi%FL#9h0${ zkSjI%4Lx>>bQ$S^pnWqv9J5U*oLRN>9BEqRv?^d}_#bE@-YSDQRH&V-5|G@ zdC7Fq5ahwTOnT>jpWW}KbPuH|kdVe<*?TzVrW!p;mv7ul`aaUrl$L#Uvt_Y|(QWjK zOeg&S=^3DLMewpD=@3A09yH~yK0Y`PQJG2QVJJR%BY}!C$>y+TnN?e3{s^tvwC2Fd zWRy@`UhHA?1P#`sq#q+a5468sBf)C7>*MAfqi2~*JxlsI(yNq~(k46Ro;Uh-jlc_}SCf7bH0pQ=5Vn$(7w=)v_9fHmX^_@X zTTAU_Xqrm0*{;!}^(5;^ze@VGf9Xgd>RvZ`gVJx1UQc>MH98n@ZyNoU(r=M|oAgG| z{&^9JRqy$F$HWsg3Y#dtOYuF3dg-KI;Wit8vhrKVZzaDCyk5F^PO`i*DfO@SO*&Pj z?UZ&<`T&y8h0*G-mfvaKY3hAQ?<0C2!}E8D>=@n>;EvLu^NBU_>0CN82+IXjk~1m$>jbvJ6iuBQ>YyV3}!ZNqZ==YR9mUJD`b*s}dx6A0w zN*_FwJxSDSFJ0xZqzP=rpcepq3_GhXs$_f1&u3dTm=IcxG+&tBJa<2R~tW~i4WK{ z54>^G)#>CNo$@xNMBF7r_xgL$rcB_jBcr6xq)%WS&j`_R<+6E zXiT&5(++PkIZNf6Dfgj#3uIqv%3_sUjSeW?mvleU3DEvok!_=cIVOcv%B7S?DGABn z4B266FXbB_R=$9IA^9TkKBs2ODnOa?E`Vk#w2`~yaIT~A`MgXHg0vtnwc zXqC|#2un{COXO5YK6j?XRY_ARr&0k$lPlW|GP;%0m81ugt^$oGSfxBw<=8_EKUUX2 z4<&vZ@nOJyd6ONlR*Oly;bykh6OEublIAFwxGsMG!$2SqNx0ih+BMea$-6`%4Q>qTizsSc;qB5DvoltxeN7h|( z-+FhKIhW{Z?xu4OohfjT(#euCnT0pi=&IU2F87kYkMuOq{!+%JqAwH1-2JAs(-Tam z@&J_?suWh0VH^)DY92J@GF>tE5S5u!9){v`ay%qCd6x0*^%RegpG|%ac>l19hfAvL zU0HL@>!9AF^d6%(51#M9iAS&#>EkAJRAD}a1r!!SI8zdfF;8RqmHaPT{uh@K82n!V zOC+DLqvY${xhHv)MLf!490k!UDk+n79(OCt@-xG0pGTN?~@;-DkFV!@8f#zzOFT!l1X(CC1 zy?qZ$7T^C^>|U}Xb=P!R!y~QbkzU4;a2vad;-rkWykhvFkv>`05r38VYrt{UGs!3e zp`n0`6h_?Z=FQRMd4t}1dK=*B{TP!p8dStrR=;UlXN~7u)ZV7H5gP7&l$7$KYuPtj z%CUD$dU=@-<0eY)QhE;(F14&9lve?S-Dcwxx{h!Q`K{!)fk$Fyc%-D1G4dbTb5-5~ z6p%)M{1wcK2HpF1q<(s&?L5*B9_a%d3HLQJWz6j~`n%@xqkP|Sye=x7B2JAF<~GVUkMbH4JH*XHd^-NaL)55Xt4O}N$1Mvh zm1P&X3fUK}z#Sp~oM|QX)|;`W{3NX;+O=TgF40P9I#nUt^tmHVdtGa#M^QVPT5V`( zaQv_H9b@9MJ@W7JamP}uL$NMIW+_Q1StW1uy_!77ldebl1kh~P2pyK|{qM%VCf=vw zNfb|}cnU<`{31sDG-+wpoNC%M)lQ>UpIQTGc<$k@Ps@7_q;LInQ|eUs!N z!LW#Q6lY0Ysrudzu93O->**TPJ&SG=xF~CK{^-W={wJ~bwhnP&!^Um+6B-w;pJ`ZMo-s}T|~M$=@y__#gJIZt`y}( z`Bm;>b7rX1l1>(#035vs;xa%~CT&UFo+Evgr#@X&_qvtDq4e4u1Uk92sc$x5F z%LH6^vzDmUgVy!5dcyMMUNEz#dM`7Us&NC2-ZXB6fgJ3T^5Ao+yb5X8x|>XTYp~CX zH&g0E=@v+O8jg9nTg_Oer|C@HzA4LznD>Y-K8YvoOGzP*zv68MRleccOSaGIwndZ|d zO{JVl1r#K#6f41)uGSc2(ldIVN=kz%RYCH1Qczx6E4#;5xgq8}tIkk5x6v5}M{|nw z!*M^uJU85|=hYfPYb32vuzVVXWR<@p!tG|PR%0}cF*L@)@I`qjP<;$?oQW^0IG*AJ ziW4Dn1~lIPWX(8E1-`@7HL6acI+^O7P<@FM3SpN`m&X$6F7wu^cQ?Iz=uLs=6F(GA zSIPVrsWePA=@pgkrF0*qX^?zEh9c7Xm6`16w7cJ|SJj$M>j7FbVEK$HlL;O)`Zc8= zB0ZDz!=N=0W7QLJmWi*c_z1<>6z4$H)5tiF(QhdIDCx&Y&jYPjSBC40((Z9H)~hj} z#sV4(Vff>Rv)mI#zoqn(q!*E13>wwt5}9BolL_2Y#y_J~#U3 zWLGZ}p4Dk4%PFj&uo42&DMzL{C1g9`Drt^N-)7Q1W8&_e^6&C-&r*Dj;wp$7@Rpa| zy5|j^tpnaK5ME9AMZkzgUaArmSof0gt}#02Te&^ z#_$KTJ^n56?}&d79I-4eO3EybQul-LC${zckK}(M|1)@8sB|I+^}VF~#e_Pyd*N3K z`zZWoLW!&nMDE;g!kd%4@H>SA6b?c_1cnqPWx&$?VfY_Ud;Cx0e-S?f9N8=>bD`be z2Jio`hyNj5V-VXY@|}Uh!Kgbz{>n5-{#3Z8{3J~h!nG7GNVtSM(%>?^`bQByns9Bv zNXLXsR8JO_xMPgJX_NdcA9pPII^^quM{X$@;EpqN+2uaa#}lnb^aP;DE!Z42?M^iM zrPiK4iS)^&PXUd9+^$FCyKXbPLcpdb!LSOQcioV&ji{*z+yP zXORzp#}ul{l+67ycE}RXhRBA=M!=$wEJ+QK`&xQ!B=<(m>8($c7@cf7aX1KlPH{rk zH?%T()eiYlKCU(CHl*8v#?6O8N_j1Lk-Nl%pkCZ|6xvhhpn^2e%G|nzY1h$&YyaX2 zWHVn1ohWpMfNWXV-*qu`wXOi}O0*l%%M=~d-(7C#!6$smTtW0oqE`V$suxz|=i{Ef z+W6dNp1+3twdAh@k5nm2C(=c(yV1w!Qt%$6uP5CTG*YF1QOUZ6rBbr@GU1>Ws5emP zP2ole2+jc6Y)c*o?k3|yT1MVXz7P3Zz~cnPMY)CL2>-1n)YcoMFNJ;-68{QPOeXQ- zbQ8W+A(uiPg(L)aStW7@NL@MK@SofJ^eG@-NW2I*(x)U*AWww;MmOr<=>epRNtb{| zbY-GsxfIy0)c9#vdpjmVZJE2Lw|4KaN9bsir|{5Iml442eT6}#bv@6h6A1o4r?M*+uOSe7Wp zgS)IuuGj76?7zjIVlFHMjH(p5sV01*rPRF??xQdb z0@7b5z)5WHH@bX|Km2sk50IV#8lf3fBy^E`(C~oXyblqdN&I2pC<3db<~PgO7Wy!L zgzRjxbHF0;^Q177Yn$jV!I^7L>qGKS@^O#Sd5q3HI0$@Ux=7COxY13tXqZoW0qKRH zS*wi6Y>g)jj-10I*Kkh~UPO2?U?gO^BrhOq)I#nl6LxCdV+n<&6qZ5Yg_5^FR1~j2=G8hvr$*&yijQ8uy`$?aRUYy626btVe%={A%(q zg2xz%w4SAylA+(e7zac&UNUpeLVtzV&|FLNWtd2$qTD=r*`UF@b@Xc;;a3U21{jGX zYx>jWsoVkXbrTM~FTcyjy+L6;g$)o8kDO$>vPk$hjX!xiaoMAn{M+O=f=8w(PL>u_ z@X3|u-Z5vZ)?zl%d6&+6a1eu#%s+RV4gR#3KfxBlTM2Iii~t3tTRj+xyZ4QscY)`( zlixx91MsNwNJlPqj4GCD?@m+J>mDs1Qu&C=$54YCA5h%>9C@YoO8OIpES0j8Z`8wq5f=7Dh%D7sVJI?6mKlVpI zo^(CZCxAx&Pr1Y(ccQ^_Zt{^miSWsUPXUa?$CMSRsLJqy2{&Hmh0`e1r_cZbZUE_# zD3&K!d0~Y+-IPLoXrDo)A(bA2DZDiD}fM*phy&eo*ckZubaPu}80g}cPqiLHE0+mUTgwgXsRpVSbU@zBxeZ5qu> zNp~XM88kAlbYl*ZNpr4?@yGP@NAF6$8~Mw?<9f2ksLWk%__-R*D~Ml7{3_rGjKg4( zyV~eKv>W~!($|u{4m9$5u1l1-?gp>_ReqC?>p}Q>!aV^ag!4!HsNPJW4~1JGFzcpLh0^G|)$jw8J>HjiKjI1Ch^n;r zq;Dg~=rt#LI+t`F=_F`Wtyj{11JS=tQ7MLRmYMQ(82@-C_KpFXU(WxJl$ElfM%@ zl0=pqOEleGhIiA|#&;9HhxioWD1BWa8bIYm=@K{9l=N^P_ymYWXqgXaY}|gr4cvFjGsQh z@#PGU(3nkQ4h+Phup%$7SYDPU*J`dQH)zfMQ7Vs7nFl44F{Q#Kt*pn5e?~LreDVv( zFH~N}bfhcLxhIS-)k^P^n$TUj-axT4AB=)b_l=`FYY49;{4!u%D=E5%RF$R&6uDQ-I96|xbu?b3@tPV^e8}(vp2x47aj9+) z_y&#jG&aCMq2v3RU-o#bqg#{_M%kZ4`9{+^+ZsL1@;{pf5;h6i>;7>6{T0ZVG!k-iV z0x*tUB1>GQs`#bhb9FAvUgBR7|61|fRB^H3-x$978y>ud`lQ8%uITLUv?u zKNvq)yDxqu{}cJ2!Sm|MtR+dA0{4pv8};h`N?{*`-yk6P>GFyJG6QqJ;hU%Wr1_or z0pbUNBWWtiWz^&kgG=Un_)o%r5k3SMftQj^RtreQ-uOCNwEaWA#$ZOJD=PBaMDpZl6STHQ>I!`rtobHBv8sYkc8vtf@kmVQUvMulF#-Z<%a~BuiwZ0p~iJ@@3L1ms06Or85+ye?nGz$f|Cm%ifS5<>R`N?ne4D(8z3A z(OAe`Ztz3sL6DETg7B4uuL6wp$&udHJXyyre`nHXk+uu3k)Ou7YvsGUyH36{cY9Ge zyP~@re~%7$^dNsd`JUjp?F}cT%WOEAw<0rL^5g|svO-AS`{sJt5mt5fale5_=*=VC zh$A3?B_+{p*+TCo`8yN9eLB{5v-~v9^^x!H?iTrG09_y+3rlLWB_kZ8!T|YcoGX^^?yf|>Ss#{_Mx};!)?T?3(K4a~fgRC|W|7y!$h02rV)bT9q;=ud->L<-7|Ye9Fv z(K}oCvrQ-c0O=W^(e*0jgj@u?TTvEpo6~THKf^WS8hy1k93Cb880mSSaUr;+Q^Gwie`hYl+1eVPFF%cQ3*@`ITPWZD zX(Q!(!pU%yd%~2B^?i7rq_T+0VkiiI8iP6V0`{kj|57I?EFr&?{4(&!r-KrO$)rf` zX%k-4D$8;TD=4glfCyJQ)TN&>dc;y6oM%ZtM|u@#93HP$mTr7m;9$a+zsT?MaW7C< zP2oid2)}GnEH_$_d&&4IT3KI1el7Wz!K1t`OH`J+R}9{$8G9Y!R|&rc7zf8)6OqU3 z>&9QB_stvR*OT7>9-(*19LWkP*$K*ouuemMi^AI!HbTHuH+hqNKF048IVh;B+&kvI zH`gcACVKDEdk-E?gn-HP)hf5ygzGe9TPSR$unhtpNf2U^QL&qgd*7rUDs88kzA>Sv zM*Ld}-%eAqDy10r=-qG5gZ+K1f2VVR&Otb6$4Y}#TKEN$w11d!?@u^~oaIj%f6+Ju182b% zk7E!`ruhDCPA`r3KXhtT;d1;(zSWVEJShXDrS1s%F>?uTP^YH+B#j0-wcsH3nH-;X zM;f26ovBBWKbm}P@T{H7o+a)WgSWPqW5~xHOSlfloJ8qlN~b`=6_-v@shFK=^cwBPK86FFRyy5; zoAvN#P-sZuObCdy4Cs*+IaHcb zITs2p0wx0ICkDIoj2~Oa^XHRqM*afutSHHIHCf^=G<^0Tk6%Q*Iq??2G5KBcQY<7d zCY1R=SZ#f=X?---EvaQu3qY&uwQ#X4{NwcBpjo%56`~cU6@le5ZY&}RCQp7BHRo1! zVsx_U#NnXtzeMWyt&IIpE3K``wjtXVEH2*v7g>aLw2ih7n^X0_OxC?p*w|3A>h%K7ZsPw^LCdR|G2hjdXT@I{1xCed&iJG zcqgtjX`rUhRg`*Cx*8G!DJYQzSW=_A#`v5T{w{iv?@j(%@F;GQm^mfQtc>ep#+LWx zKgiGZrO}VZbuctqviV32OSS7wN@}!jpwyqz07!V$|CZ$$ccVGGv@p-5GmuVF9puG? z&mMW^ksz#enhp$pkrHLc2kxbk{63m`VwiQYei? zks;%ZOxp5mh|A1cqhrS9v?^!~frTWi^&QAKXVQcEA;?gwq*Mh7PZGDEBYU+BH9oDk zUQK=&`5NWrkw}MBp7erhaUM6~z2$d8|Z<(|;%o(K4t#odqGf^FUIg63Wq*ZXcIe$&?_jCuH zNpvQ|(R-2&5#%5jX%xFDW)0Sm?xb}Wt*Nl^c+js{F6C1KX(tMX_Tg` zlwIeD_(@1JOuD?OkKetN?xS=+By^4;%_Au}`IYy@!tw!AOEr=YQk_ZlA*d+$Qc^ZO zZ0xz(nezzQS!8E}#WxN^>KXT_(F;1tALZvBBRz-oOn=9O>loJIA;;&8yPrt)cf8y|>}{CzKOFhub?QRIBhVg|!skgMcr;+>ca8 zQqqZ3F4G{~`=)KuyZV6II%?~oA@j)6DcK55mc*vr22;M7<}=SmDj!nW1jQ$LPSAG6 zl)BGHCJxgmeoXNbil0LCl@mEl6)&sQkYxdaX*H^CrnZIJ=g{y?aQU*G%NGU@tn`uF zO885{+W_O$arv_0zWd7P3Z=g$y`A(9(3pxQPe*o0KrK#o5@2QE8#9M%q;}H$mgX*) z9Ile{O{I@k%8uP;+^x-_?`V8a;|CbHjdX!D_mQ@L>I9pEr0Wc4OGW-=LLm$(Im!mRL*!4{cFHKd{-N?GX{XSr z3j@Uf);vl!X5!W}XZ|pM=ZDd$Pp1K#Y&AKPmfohr4c|M$;|+-)LA()grz z_!z>+0@n9Ef%pA56UJ(MT2W|C;dltRx^zZl+zAG^)xM)PgxeB65imYJ1*L`VBxAqT z8s*7k+mUS#R?|inETR&6iYenYE~irIK;<-5gf4PYo0jD4XiD$l{t0xVaypeWRLNFB zk~mK9Oj8DEd$co^0F@vV6dy7cDE;Nw34#TE$h2Mm$bXfe3sZ|wi$X)niiVnttbI0N z=RxvyT%1CJLJov%p&%zL%fOcmE*HxTYROh-nR$n%!`U>u&^!kwa$!{}nXJgTa}6J+ zeM4P|pGW+B;Mvzzj#!o&;swS}(#u~+z8m?Az~dvF99mv%9Z(mWG-HFmn@cElr*tW# zY@sX1D*LiT`mHWAZL)^dgWBcPu7HM@5c>?tR#seVd8Ik)SNWi>qSKSk)o^h8S;bvr zc&^R`>_xmc@oRx+KleF-aGo5QDbvCFm@`GA)t62`I@iHrbEmAVD!c6JdNb~R*GK9G z8vSVufPqAl?_z-~mKtSwl{8&U>a1VITuK8eB_Sag*~d$k1)_f}&y4+t`}~|wBSj+( zqmdX9S>_kP=7;Dsb_HhLskc)|tB6)HETov6d=QlKdXV9T*z!PrZZPo@;-$c|6XIsd_Wj zREANhfs(Bk{bf5QJ4rp-^_%ZbAP+>Gc-bX zke@_;vhq%5Ww6C!d`q48bSL?{$WH~22uZ)9R0c3SV#4Z?K6~9mVH$<$5b(`K_R4WH zjJ{W+b1&)pNZ$|IKZ#(V)-FWu0Tb_2@j;3+DLw?z-*+%5Yv3L>{sHA5AwP@!Z1DaS z4u)j<6DFiQYR*h`9-}jd&f{?KZpp0#!#sp&t{D%jF^|R*H0HxVUbGyXc2AlzMzik% zDo;^as0sp!6v)2D8MnxkSsKdIR2EZt2Fm}wT#`|im^4nqSxV_yO3y(;O4q8VW#7u@ zO?*tNYRf3TK=DP0jeIIZS@XoCq?gQkRO9$Et>v^{frav-qAG*E_g^)gzP#ps^Z;f9+-0TYmiCG-Zy)X$_UPsJsouzrDdYx>(;a zVXg}AQdmpjJqXA&7`)SceBL+bWF5TwfX+HP>){}|&|3R<1Y(0(qqP{{Nb5sdn_wYo z*x5#wm}J~XCLEpb6YOIOpHTP|0&d?6C@MZPrI{+5scfP0ITU0Ylb+CMeMjkgN(x7lJQnLV?;{|391f zl!mmA;(m(1Kt%Lp*hU(is4+^9(yt~hobHq1H%bR6{SFC*V5P%yn?HQ*P1uwLs{Z78&*a3Ta>g$;$Z z&objqGVK|S+{x71QELy4FIh!8Eki}87~Wxu&o8GE??C)C;D{D(K2j}B?v5rb(d&1j za5{xEAmIA)d69OrJJaxb$NB4bCLSOj1n!I05K4R*EeV;jR6__;iBO3`X(S;?(*=_t z3%P%pilt3BT zOm492V{{)~b=jA6KhoEMMmp)+AzA%;Q=tx?q3p9uxf_kYLmyr)`GMq< z;QgZr2c(}!O8PugUetTer;?(QhVpL^8CPKZBn_gFd=dF#@IHTpgRHL&GUFu;VK9vn z8l`H;S2RB@rD4XEnK2>HXW4QZ6*Pvx@L#KNC?ib=869-aq?a|A45dm+RgnDC4ogK+ zc6~NsxeC=3hEb?dAv^LT(Hd^TjnjOzMo<_@;U)-r>k*ktR^x6q;}s3!78;{yj8;P* zdB%+~BS)Y3SQ_JKj8{X7op7{71{U1}GgfFAx6-(c#zYvXKS`YvTiUV{fZ+!o_ZNSV_)Ovt0mm&@mF1<`7?tYD!{+>| zy(^ETB>o}sO~8FACo?M3EF0ZNCcUNi{xPLbD18bEVPL(7jJbVg z_$&H_+Dv>4@y~(##Ek??k+@%&@wNuAmByDew!uKGs>-B5s zN;@F=ihm>|2Ur%Br?AGV#(iVryBgX~ir-S)1<_XoB4O<(lkJ>Ldr!6RsC`fE2WaTP zu8_@Pel)gaxsTf(vOkgC3$~H4^5RD#l5BG3oFv@OW__R`?4z}x)-SM7TqLFEs$5F? zUyXm|E%~$j+;8L$kpCS#@+5{$e4_nf%6r>s$V4wHe^L1x3cKuOMX3A7;E+y;JxI9D zNH#*`U&}1fOjX_>X~4Qe7@<@b5;8GvJ%-8TQb^P@XM;M2(Wy_T z0UUjla(uh*S(LiU;U<2lVnd2YP;3NIvs(5v>BeSkQlkltrZk$tKu}d>(jg&>GLY3+ zULI*;j+XyNQ9PPrbBK-nedX9AZDH0&8eB_S$IvuZ1syyjvlzA9( zD`%SZfTne4S^-)?SSWA?RTUP>s7%Q4`(yq_!o(xQqriR7q)gn78U2~wM4WVjbPi|~ zHZo;Lx;|wCW=wWG%cKsM`5?}w)P>SHkTi&}JJ;yV8bnvp=aD`iG=q>PzwA|2A|t1= zKa@$Si+vCmQtC$OB1laTFO#y}co&3Qq;xf;MiN1Jv!k)>&Xm#%bd6bGsMU*BZ(7&F(x9Yo z&XvpJa@WVCtt$1U)Q{42kTj@7MkXq<{Jh?*FV(t%R)1OpU}dMq( z|Ab;uDF-;+d#Fj@s#HyB7^NCW{)LFe+;F3JDLsPpNYXcf)*#|T)6xYdul3C)?N;d) zN~0)^hJ=irNtfb#SXm@x=NNNd*V$WR>5QW@9*!^5VhP#PuhLC0<2w!IRvNd_mfA}^E;>`;__}&L`0pfsNr}77 z+@t0_G^f#=4%0u<>=fb|Cj6wry%g@Fa6bf}-tn-MZ#*dQ0h9Ks^dO~~lpccQ^IJS( z2SvGuP5W83N2txBHd{66A(EbF>mqv8v>SDZ`!Q;Bs6DQlybkfGtkscaOsFc%HEo}U zHjmm9)aKXLV*0o;?n%@3tG0mJQ`8nh)8`fU1HFsP`9+=@A;*yu7$-2ah zU)5Mj<5?Qd!O-WFgIDi)6Mj=+8HE=pya>TRrv%Qq%T60J>3~WvQ(8{x6-bS;IaZFD zmwiB_>MwK0%=%re6|`QXwGx)Un?y*~HKg1sGyYKHbsBHbSPcUoBzZ!KFn7t4J}}t< zES0d^@GWu`5{>P+0A^j<6|6xeP zWRH{2j6bOSX7XFee-0im5h^^j#udIWZLZdMwo?0&+BRrNGZ`Ql>IbdeSLPh8>s!C3 zvz^WkIC>*-_l?nY%H%@wb2~|YOL`Y*JWV+OHDA8MWyQm@)r;Nc&7a|`CEwBep571e zG~Xno5i3hv%=nLnw1>t|H1@(krj|#N9VbHu_}Qe@`c(E&+E3{hNSe+$m^WtpAsWbU zEeriJ*~EGQ$?@I&l*xnbI=g12~yVJ1Xs=phCzIQ8`MctWr9mq&HY@<`h%^ z{8PTLAs+>=k297@Ctda=?wDzZYcO$Y32Hge@O)%r zlZpz2bCwBb>)^rJ6uMA22Lj?HM;R7l%F?;Uubl6byDRzg$e*t~-pM#7lNsMoBXlA8 zZsacluP^f0#bz9##w9em)3_7{ZUIZxWr?8-$Cyx2=A+bu!sQgMfY3+;L@5Vb zg6AV+UTIb%4dyCZJ!xGH3r~`*De2>uwlSLSX?Kl@opkk2FN(b>UJDVqCR3F?P*4)N zk10P+_c82Cr5}~+pfpAdWz+kBHg)8H4bx83DBeJ=KeYkSSZ;_W=Xl^4n;T8(s7fxC zfmD)EklfkCLk7q*V~D0+K8+NOGz=uS%r&jzddmV6nrYWXA%!9e#Sl>R%QQFXRF^jZ z?aDzWou(bWgDI6zDpg4qTga?=S=NcDm6`Ns$R}Glr3y+zAhGO_`wuy1bSJ&_4CzYJ zRiJSrNaQdoW+ zd=&A~z%^DeoKZc-gw86Ar7(`dcnEx9fEu^bxQ)g{7J!qWl!Cg-ZV&r*60k_HiX&l}xE zgIGrT1=25qX3IsMM?(4ovn>~s&Qa-QO3Nv|0!foAr@FjK#?xOlSN}obP^kljonievEW5P_`G;K45EfhY7;B$hU zONWsEr1Tf1zaja14@)OK z+6Vub(o^GgkV>7K*X zuOi-)_|?EQDlvDB(P^c7k?u|UTF}VzGACVHso9T6A9MOY=JQBjI{oNe2gg?lBWT-Q zZ+wA4Bt^pc~6yrQ#e($oZsYDYhK)Oe@qt z@~Ne$rJ?y^D^hD^t4t^}u}H;2ibWKQA^J=e4d{&NK_(TeG?-EerBX;fQ$>T>O>xRh z8Kg=%l?p0DpdcKZHH{+4nbcQjG-oJPQmTUFAEpdv4mEnP22o9V80i|&z5t8r5~kti zl&CX;&PX~p!9iY^AyA%CR_bmxBc$V>x6l|xV>FD$*#{(pj53&=od-I`v{DUdEVXge z#zRASWa}uo7-xc6Pw7g^TWQ@!Ya%QZmF1~|Vt2d2|Lx~9<{gA55uOZKA7!+tyc!d2 z+!T|_G+uX7x{K0ONWOfH${GVd5unE1ZC-_X_t2Y0Z#q1@1=X_RQJPY2hVg9|`^eo( z{yy^egV%=>_nQ_xV9pQ?<3Tzz={y7ncaP=6?qP$=b@lKggl7?+4cJ#bqcQD3>jFo(k95D=pZ>7ABQ%QQOn=9=@3&SsfM=LtIV)$zHw8kzV>bFSA+ynxPAbQZ!v z#ME(%Ot?;krztF^@C*cBW0S#K9fwSRw zW%OR4_aZ!Ba>S%LS!>O{iPb8;OmR8IS0MVAQ;zO_)#zbLuOR&z>6M_7U;HFHx61g5 zI=}99@^6q|t-O?jv9Oe~ZyH~t*Iz^aE%I-J_lYJu^>Gg-sZYOS)^N4nrL~sUd$9B# zqV9d8M=1RP>2;*ngT_6`s<^^(X$@^K{{5Cd&u=9EA^A<q#AJ3&dmPGgj-bjn!g}VqpWZLs#Q&HzUZZu8R-IeeV3B|M z?4@>xLmOqmi~J?qTp3>CgE>_GB+V5Hbs;pCh{C`XW9e}=P+vZsWni| zK6}~JKHRjhe)}3yJAzsxX!?|5DfzyXl(YN1v3a*@a82knrPmCeuQJ7D8$EZV@wX{| z6#1jcHwTZzllM3&JCXU_{aToH#!WsgTGBd(*0HcS=|$2aA+_*Ydo>(q>g^g}E2^!j z9uE}}lr0hD{gEa7#y8OO3EGfvOa4Ug$l|Cs%5jEe=zu@ToRroZPo~q3PJ1~1B}xR` zDMnA$7@bPG1L@O1BMGF}1zqlya)5?>YdV_MLQmG~MC)`~XTZV(`q#=n*fY&*u3l$) z0eV4r8n>Ve89hbg7A74b9j#5vEHk6;R60&NK{^MtfA|TMgnLxDib78cS3|%(WMnp~wAZgO z{Ab-Jw-@o=#IFUev5C7rMo-g=_a)tr^mU+p-7BGce_e0Rbaif^)1S@&IKDEO$dPKU zEM}1fFec4VDVNefN=ZmQX>-s*6-&Ar^US(Wt$bQ3T4`8lO%%w!i8B8l?_Yr_vE%%! zUPz^gN->niqDZlq<2TO2>oLf*2Q;L?)Jmw8Lh~g=PKfJ#v6XsRrPTb&Or5D}In@fP zL!kOP9L}CzXW~ODW++xttb*uU)3ObWoM+;On(?q2)ij3DsDa^=UN(a9ohrjk zdPJoWltxmz36jPyj#<`~#RVKby4l1>RlJ4bD2k&YYG~5sAzR(a)aEfJJ*LuFO5-Sv zhvf5j4r>q-Oqip>trTvfFcCsF3kCx++a48ece^=HsdERNNpvQ|LCnyhB8#Te+*o*u zNka$uoN*_myC_YCgn&$vYq;;LPL^E9(=&OMe03BZzjEm;ALN3IpWDjgEh}r4*i}@En9}Q4$Q~*c996&040`GFmUt zda;%z=by3mAkY6LvtCl`Wm?N=y#mYMO)!YNdDVoMRaimcH3}f~?zhN6Gd`MxF3Nl?>Xi46W zOjvQD7e1!&358Eph$MnRDFJ2F#e`QiN}DNcq40TaA&Temg$XNE*h=9`3fmyyohnG> zOM(8C(dTKG^4FxdlimS3TT}*vvI}%}MyqPiEVMl&bdIhC!<{cPeI757ox zPw^LsEH{hFE3@nD<=%cZ>5#O4NWW1!KRzo^e{v@p&igh7k4<1{q zEbIG#X?WukNXx(s@uP`1Hyl@wyB3E3bgIW&5Z$-Q{@#780)dTJX!~0y|@ixTU5C=>!OUqH09gVK%Jl%=(>7>t4Ix2L?ooV#Cah~o>IzT$8 zG$u1igT?5-=6O0yIzl=M8hJn(la_B{=B!=goj9EYog6rg;` zU1@Y9&Cpko?n(M;(CDU(2jx**WAGKawO%j6y$N3n7*PpCB0=13ALD1D3L-z(mwZ3+ z*MY~yWjG}4t~Yq#e6n@i4TSp>9sn2@55;3Rrq|tQ{F_}opG$rq`6PH;T>4HzF3;fM zsCdZF3~sU9Uphm$l5iDZrg$JHj6@k~d=D(*l%K06Ka6}0 zcr6klZn)9kYLPI4^hnY-fksp!37H^qv%xo%^U8JHErdrA9u1h!CnC%1B`RZ#Z>5FV zSn}h@j|Y#7M?>L=n_%#e8h`Oy3ExI|qQdg<ZR_-f!t z#dt_cME9oAXU_EW8q#l(ej79*BdnAy0r!saO$K`YUGi(mzXu+v9?gm5xc3b{O0(7n zgx3*X4;WENgrXAh4MtCR%3pdT=?_V7Qd%0#!Jzxd=pjdX`eV|ckp2{Owvic^VQtxq z#C>MQel0CF)7V1ea~Sy0$r-b6~exkA$3hMBvcj*7QpH2F%o3BXhqqLvWFOcx*l6;pF4@%uY z_PP(cU(NbetFOP&Iza1pSa>k8NH7u&MrG@;Kg>9OvX9)KH2$LTHw@&#pnQLFqCxkM z@lT%O`Ge%^jAp%G{$(Bva+rMxUl-=~1MQCfyt~q9n(>%USjm2Z(SR%(AXVQ*yywr+PYf8sMVw6zQxD$-NR%;DyNVg?@B4}j8NGzC$2c$w3 zbSIh8q}T^=GL?2z+CxDAXdVRJDMs(qy1=QVJCHsNG|C!D)R60F@WH$Mr8^Nmo$wie z5t~?0cF~ltYB=c5H079yUg=CFKqUx;vEl88j1KhobeMF6bQCndH&MCKn861Zc{olu zK{y96Vk5at7GcU64ncR8DL+2sm9wdIp>hrs#0JfqkUQ7t|7!E5E9vt{pAQ=OArKA8 zlI)PX!1x~#uKe7E*62jdHUkaEnBtAL9UuJx1d(ZbE ze>wRpz$5DTaEIKLMz_@u_f@2OlD--=q7s&`g1g4x;g|YL_afYz@U?)^DIgtIG8`+t zynRfV-P{X(DfFXo9Rwz0A{dIe>y3V|%+oiJ?oWDv()e_T+>J*6Gtbkxqz95tf=0~a zVTpO3!K?Lo<`Yg4PAeRVN>(f|cz1!nav|X&!o`3QYb1Ec4Klj7e&Pp{E+JhC8u5rl zWo|;5!AITcFI`T!g76T)xU^hZF71roucdc}bS3F3(71FWDz`Y);G>@Qm#!u}jBt&? zfndlDH~6X%pPrWjp!wWseS zeHZDepwYKfF1_W2>|o1SWB+b*d-nAo+c+VdNIkoQu% zkJ|mJ1;YVp*Q9Z<3P%o1TY0S49;7yt+C$J#R!C-+hMe>j#N5NC47u7Xk5HLKWi}Li zOr@rnqZ>3{s!KkH@G zU!eXXbj;XfH+(Q2iOO*>(QrHvjASQ3zGVKSbG`pE{pIvu`5!+Ni-iNy{~;ernH9=v z>Z|5YR(}Qk*XXZ=kL1cRpuP0kK}baZ_rr{hn0|6FeKr*H;sQ@-<&n%-y;7u zcog1}T_OPl@Qw*{<7e~RJ(E# z2xNl^ogP3C639jhA5z!^p_Tkq?>rQf>RK=sh(!Y7urCunvTHQbl=zs}_=MN^6xTrY zO2!~U(Nd{{V~FoFlit^l&1OnlD18pem&CFH>IZzsOPa1`@0smkzur^-d-=XMhRmiR8kS^EsT-G+D4>gRXFzbF0!a6}#bNeTC( z(fzb$xQFylr1vTv7CP*HHae&kt9_*Rlm10%RD2@tSEK7{#pgHD2T1>}G``rWokpbE%6f-m-$OL0Qw}u>n-)grgYYYL}4lsDp4q?S0H^uHcvb| zf)_LQV@={X-2~knxTy2U@$M2s)D6xuW1Y^QJex)r8t1@3HE?)xaIrhr;CGhzyXi{! zJi_M##@)zd$%^c;5bgp~F3~ODFQn3q%0*D{SSrh9jTfHd#U^af`Hz=S=uY8M2q=K^ zlGx?yGNXUf`E)%GJUfoUE}(g(PpqurM@)!(YOwVpMek#7wDe-*PHc;KDrxd^`|uemM<;B zGVe3Hq~u1EK2s@|(m+Z{NQfNrN|dXa^UT<+Mm~)cjWi4-FN~NgFnWv9g`|r}7uTla zZjjMmC_R{T3F%VMjpf>vH5GE`lMR@anfB*wpI+tEDyR*ChV;q~nCaG5&aC6L_bo%K zl2#Qg6kV0r6IH(OI5>T%Ig>SSRnr+prv{FGm!odD(VMl{A3=H~>6<|7cUjsSHyhqm zzst7}A4Pn$;qnCv=D0D2@73?}SmNV|k5`=E<&c|Tct`y%-%9*8;uC=*>gZ63x!aB2 zr5!4Fke)<(veFV2saQ=hdY|6touuy~Jr%U(qC`e^+H-fCu~nb+Jv64#m=42#rNXiZ zty+rn8K!)x%Dq(XqjEnKpYded)CY|IO6dnl&m{d2XcQZgP324-nfmdt3ENe8gu*Ne zvmyAGE)tT1rChn3Yvvv`Ylm8o(V9c+aafIgFtzripKIDq)#g!qg4%p&KEWc9qNKd5 zPnz+q8VhJVMPnfhw2g2-d{N~9h-&F$US!@b^`54;nBFt+d_qTJ+1V9KOxdl z@v1pLsI!93Yjjq^@y|(?jTOosG*Ya(Rc7r`>vdXh&{_@4Cqp!tDMjV~O;dhSWet_L zsJsnD0}5e^T_pl~$E>|-y-RB?t@mKzb0|$TS=M3jqxc}p&wW669pUwWkqz?8r6HKa znG_q$_-+>kX_3(Qkj5q$*`h8br#icuto4yuz0dRoyTsv-F!$TtFCJHg_vu^B5hR!wL$rO^xqVkN^Dw%X-LbEYrw zu{w&*(R7-_(O8A#1J}a%<1|(+$sa@hSn#!D6?Vs&@v6qE6^+(3j)%c=ARI`#6Ab=H z``6kKZcF$?zEzDV6qZFx@=MJ4;To+t`2_hK@JH8*mNa1HMNSvU?s}E(ER&zpD4tEZ3*~blBZ|?u zoL^$rxn`xb$GI!5^Jtw93sKDXWxxf-uh*`|3(0pQe-U^*U7vE&$o388i%ndn(Yu6V zcZ!!nL_jGY&}GIi(tgGs?@UA*-yF|H$9vR{N6gNB%nHv&D1FU2lBdb;M;d75V<;2Y^Rb zi-kg%-zmFlnefL%FXU1fNFfQqA|#n6&-gkTp?vZw@@epRIpd+2?AUK`M&~^g5-uWK z3>c{@HLqwmg(v1IVlorrv8Ay89GC|Aex*Eh%($A894m9ps#wa81d4p@TuCk2q3xr<;td~x>myE8bmwuV_ za?-CTErSU;vT(!bd+|AvpIbrtHPS1U#xu@wtBgKOul+jdH%PCpMa#11H;rzf^cvD{ zk$xMrZ+FGn)_uo>!&P{f!deRNLBOMu{n+GKV{DB7z8Pn{!`Mqpg~mD>>tXn$kr@^n zjBcpc-$?pH(wjgxk;}-<#>3K*#-SBhQ~i;7N2vEPy-(flZziZQB_m9ynl|D$i&N#M7N!lZ%>(-{DuAb4yDSa5} z`lK7wrep4KqgyH6kn|Cx8`Y+z4Pta_rJIm$O1fEXI^m8q`go;}B7HRJ=C$b@*TU!% zlx|7-7}CdrM*Slh3Jt0Wx#JA)p%vm*#9I?T9yn@s^6upXQfYY|Fz6^9`6rmzR>NsS zu`R_DAtD^5PbS`uczeZVygecB-6@8@bBJ6-e(qG_9f+R>+~*o; zZ*?^KM2$-)(x;O?12l4`tk;weyFVJsooQB~?qA)RR)AIzmWB~>A)`;yFv6rGq@$oU zp~AK1V7QoxC#x8zn4p*g(N`gIB62QU5=Z9-Z^yWE)(S<+96k%3WZ>0Iil^NTC~ri&Q`$T>5>n38!cXmr&?V;Zg{`jLM0p zhoNLcDSeq~9aQTaNy3w5HLT z4l7%l$-0u-hd0bH@lqA$IT=C z1nK#pQO_?dPUgEO4Q_F~&oc`MKSg*UU}WJ;O(vO=ucKRJ!X`a`;b{tsDLexKSI=M_ z^b&*XkM&nyO88mA&jI!?p{#s)-smg!HkXlpf%J=@HTmU~C0PehEL&&2WY$$`y-aI4 ztyf^72*#>jCk4Z+#-F=a{wzPYg8XabSAs|N5cPeY>W#I{t4!K?xxbOuDZN2yH6*;a zg)$iVrm>rJTZ}bi-y-`qSlo0$SumLA-ZA<>3xDNzNv|dSp3>Dd7|?&;=x1~Tw+~3K zBfTCp;!#js=r$O;>1coDjbuM0y9q41SWD&f(X*DL7D7+MxPm8euocmGx06NKL?Iaj&?m~YOrHTvCQ%M!pvLt2p~VVmFAZ; zx4}d)6vCl1Qq39WzA|G?X9{)P*EF`%*Z~7&T`0g^ERr(e^BYqN0$$lk5}L7w{;eD$3=#Ay(- z4cbR59Ejz*e~hoA(K<-J&Um&tgsN~S7=E%&%xpuvE%6f-Pef$v(HwV@;p-Oq zTRoY0JL2tuW7I2VBThzh1hI3sa3y zjY7p^Px_d}jPJJ62NfruAfE%CF_WFgWP#{ehOe9N@w16{A$|^Uiy4({(#c@;xu(Xl zW*yg+>UmVphlN(%rNB`l%8sL% zN;ywMW^bACWOJX-deFF>#uYH|X{fH2#U#c)te=sq$o3?AHP~!&w?5a$@GG}v`qYojM{6O+a@OT8W2YIDTS&}-X%QIzw9tf0AB}F9-#RnmimUCT!@d3T(Lh?oA zi)-|H0Os$^m9WCF|X8-n3JFSF`O^eoeP{VxAzFI-dZ{*eEXZ51rh`o*7Q|04T0SY#L}>z(viyMK(| zbEA*QLGpDbu-zg5@(D_dKUw4sk^h;!dg)wGA1Z&6HV5gtppow?($zjA`|QtVZAGfU z)w3&HnDSRRj8~}7D>T3rkYkEd1r^f#FgnrE(+x=&+7<*$7d`J>4<2ah^{tYbq3Jmy-Mup42@&$Xm*425GMFzT{N zc*Y%Pblsr8d@IteNgodyPdFZuQyWe&xR=iEXhXOy;S&|cbUt^|zi^n*sN+s1+>UU2 z!1~g~-6=*Nt}orGq&tv44K(5r3QFC#qru09{G~e)KArFxfO+XqSYmyq(Ipy@&ZGmR zgP?Kgs{H(X7c#h?ZhjUf93dP9j0U_+-6(g-RJrV)C(B6EHGZanifNYc1RdXVR@G#gN%nw+i_Q8#t8ACh>Q3uY zSg3oYQYFbuRjJg6YPgltW#*-|&ent8<@BzAr z=yg$_m3xuyP5N5Uc(Y_hlALekTp!~nZ1#8FmwZ3+*MUb|GWi8E-{E?rPZ;N~ego(D>JyA_AQhXt{^-_VYK+2Gx!v3 z=Vu6460TBsNWS!23^jONg-?)b!ovvH0B$bv!J?M$KUlNE9^48P_!pPu&;zmNF+z;W%0R7tLTz~IHY zDEC3aGYLNg7>OT~nXd`=u+h&<^3i^T^eob|LHnwmjCMm|cMiT>kDBUd{m4Wrs&lA5 z4izo(+fyHMS7vqgNiE$C*2~W z59&+#H0i~pp8<`xxJb?uEtd1%-4YWD+xv7~O5s@w&p|+B1|?-$ntR^pkY0Wn=@&@9 z2pSKqCRtXHE_N>&Ui6H=_{+qX6MqFb%C}HdrbUJ1EDz&<%8@_I&#fT;8u^vVXJqD5 zNzGul%J|h|{PkZa{|5Qh;1Qkb3MtBEiz~y=)+*c@;%^auTk-q?S1sM5?--uHosp3> z=)~6&e-AhcxIj*>d*9fOXcWrNeL!{{+4W%Aw^hQ8{-rNqgBgeFAjw7=AJW(a0|_tX zRx;^6GP+pf@-gX8NPh}C+q)IW2}si;*L`M2vLhoTZ2}rwXnYO>FHCWfRN1~T_*tzE zZYBIB;cbBNMaF!<@=`g_uCzi*l^PeX~xu{hIoA>N}vHB)ZjJE6PiX^J_BY zB~_SmkSWivMArqXvESIGx@k3bColCaFSQGo!W+fDglsoN#_cw#%QpFM@^jx&`kvAc zkPv;IGE>IBMc;+N{^=i0zdGQv(H`nQQQr$4*=T68L>hMPXT#Ud^Y}jE`-%SooZTJr zVI7QxLo%WFS99j?K>Q?zztK5B=XW?LeAzux>9Dxx4^#HOO{0$clgeLI{)U2~C*PwY zQ%b~Qcfvnrey`?1nsshv(?kB{YbSed$ssqgGnV`z+xV#4#)ovM{7D)g1)y}= zMP%=-U@R#614YBGo~b>vrfiT!wLaAbP?2<@a5x;wb%z^1N~=c=i623{k>WCazpPkR zt{cAj7N62hh&LtP3^?9Ed0pL+#!eaS*`vrFO}05$lr^%`xGejTH6O-r)H$#%$sa@h zSn!B>2~Hcyb;lW=?&2@sig;_{#{+X2Qcx@(c^NoHgFM=OQ?GoYJDmbr&0)(q_aZgu4^IRAChN?lOZ5w)-phAbdID zD*z)^3*<0fIhoMt#m#*(T}8Sl>8nBG+aR097t2~s86CXFj7RkPy=e5NaV-qoZBb>Z z)C4mXaF2eV!?!Rxu#iJ(o&~N*YSG`6|mE%L^p;rmEzi zi2~CO-|e+RYDLtFp&`*YTTe2h4277nxT%lZU>YSfN?{<;vL}9Kcz$J>Iali*73Fj) z=nR2_P$U^}|HUci%m`=-WN1{LdRMAwM^Q>PV_LK}B;oU;5u<>_Qr=L-GE*o6UP?CpFn=m)v%($$(H*TeI8;yxDkl9kn%H%M2 zyV0|L^KrU^^d!=gL8H=3x};L(V3{ymg*z$SMPVugR5D~&t?b%RbTr>>(t@ErPWMon zMrk@EZ6^3(X^i?xAD5e9YCIdiI__So_ffqcD)MNpVd;nzFb|k^sy0_2q&AbMQCp zA&cr0ROds*iz@9M+5A~5cMX{%)QoznJ_p z;PJ7LIZ$br>y{Y4=z9NnmJ)xK_;bL0V#P2L`n>UP>dh}B{{s0J!6PGU|5br}kX|xp zxOQBxA2ikC-wKw>tjlvQ2G=S zZlFLWw77Ejnc>}Z2HIxgTZn%SoVll1Rx3$I=NHCz-6>a*pW90QOY+;4m$}li9h)oz zF@D-9p8uNscJe#GBz+(gS0(NS$KgDqal?es5Fv)871i&k-lHo*zo?^G17#1Q{v5lBSWM!L)?+Z zR_H9{qsSgjwmDdohS*|AzKfV;-@=rEI-9>Gm1C$J3k6>|8GDpTZ^s!uyHfrrKi7(M zYtqLn9SKKca`uMNh54RtL%J>L6Km6Q_J+~LN}o)+9qIN;%hrQ9KG5jj(V~~1JC$?? z(x-uD{X~|2xsC?+4|%u~;nNA90T>xSQzbo>rP8@jB{haKP3k?}Kc~)=0+fP~_@*bz zhRTv+7czdtRv$>1e1v=yJW?__JR>tVVn*-Z;ORK&1nC^moD7h?y0i}x(!4s$tdSbV z*|fUQItLc+IypR9=*~5Gj|S0|@OgyK2b_%%M%OMddau$KlI}+OBG9Oal_aY(SQ{*d z*P!pjU2NWKXZd8hgkE=gm%>B-%$L{qGGnJ`Vc3K0Mx_P{GE|-fH{96sKK3yiL3SkBo513Ikp6>QceBAC zY9GNZghvq`t+2!;*Nri_pT=S=;c^RM*capt}>{Ml?k?ig^cIiwXm3zoeBRd@|5~Lg> zwlfT#qr3awOZYy*_XEcJBF7t`_3(h<&2S0%xd(~QB>oU^WdFQmDkUYTd)WA48;Q$u z4Dz$c&jyd|oRX}T%%EQTs2O#&J@gojIW!)JfrMlOEjtK1*Oc+vLYqhB2`clU;2zRa zCCF5`Ck_9-p--O$#GfL*Q1Oy-X=V;~iwqyu)#FbSUrhWN;J5|UucWt3rpPTZqqWvS zm(qBa#&a<6V9Qd4?s;RUY8!hQ*%!#Z2o?oUnKWRF&`X&=w8 zA^#Tnx4|PSa@?3qGk?eEPCD7=UD9hwzXuxWm@FBT94@ubqp_#Wav5#I|Oodwe74+nFSrLtoXmc9LK+L^7rwvXC=YQI3kgUeK5 zeWR?pFuwi_pOJnee}Me&;E_vRMWu6p7@Qg9;XeugMfh*PEP|wlTPd~Me~cfd6BQ1U zuQQR=fBBdF%gIopAel(#Boon8emYiwUm}>7hyS07N@5%$WVT_@XQjWZL*-A>FyMvi z;zCHf0y(X_M1~^_KS@7(hY_z&ya903?qtK(>^OZ=bDgjO1>F*BwayezRZR)c=ECS;ztoans9T#=x4}I$H~4TEzIeo zZNHXuj-hib9K2N3TlM{1t-6@8@qn)y+67N9#G~kGilv1SyRZ>Ik zXhMB0s5((Nox&LqaK~8EC6kxr2F^6&u#k^YXBq(-K^S;w*&&Qv7c%}Ut%ZciN61IP z3^P%0y;1@i z7jjG$D)?nZ;>Xk8_j@Ib;zg{5y(+71SPq`jK? zgj0mmfbkUNdntXcVL9N#gwcA}g%pY?6hlDLmZB$|C+`k2qe~B;Q3lf}p-~FM-?v|x zCZqc!kJ1O2paVkWX0+>c1M})h(O&D)2 z4GPmJOjn`0xJ3HV<;>X`CVaKX-}k)~?xS!&1f;Wk6J=(T%x!WHn6Yn|Hy)%hlg2|Z z5T{IjQI&k}WdXPeV|1qBBNS#)m<<6*B`4g-S>gsC^f|>nMtBb4#{r`tj>HlLFG z-v`Mb<>%&+euDIT(D+V;rFSY3c264qP9M^B+ydfH5nl)#QOCw|?7LWG!hUTmJxyUT zg=Zk(`eo_rj112$F}&q9K53Q`f0p=jz!CYf{8afM_q@@4t)W5s1=25qMwY88linTq z>bzw9Cv*JOUnakt{43y5$|V1HfeRrrUV1qF7b1NvnMtLP=`2(SMamgV#t3~r?fC3~oHxN8@9{pAh~OFq(vw zrNi83#xB#hYBSj_WIqRs^pHYaMhv8tVf^e9{I$1||C0PR@LEv%DKk>Hm({Ha_m!zv zW=&aBL3KOT9Z-?uLUPEREUW&;@ZIP8kaiOPmiR8<_^`@d$Xo!7Ah_M8yr4Jp9hL8? z`~U?vgZH;YUf&;$AFr?P9`Zkt-wPg@Iw+_3#@x?FpWWU^XdmhQq<;a8WKGG)(67dx zp(XZjWDk)29V{ZBUr-`npkUJFyFX01V!OZmpH%*$@;4MD59YSY%(Z_Ee_@c%m2S&-nAV`N$kbzCQT|;F;~6 zOg}l?;8mLK8xlT(a3jDdXtnH@Mcrm}(WO#NXf&nK3qA zGLtkJsr;fuf0r`2XJ|N03(gUoOSm)Oip-GsuuOiYbZ}nn;JU$OwW+FPam}z)nHxAL zrzXxdr|eAqPxTS*p)(z;Gxg+|czO9l>dUb+htZ?LBDKeh?j`yJ(n@KiWo6ZcHSR>? zXNP#6B)+%!lgYEFdMgNJ2u2IZ9G4R)uPy=}0M+o`folYKgEzV;R9 z55ue!E~|2eDHnyyIaA76QuOa3%@}4g~Zvgl2?G&4e$R@Wijp|)9zY^f5qW0mUfA>OR2F)QJGg$f@zQ$cbN&F zoa3+latZw;TtR_XUp0*DpJ2CktZ-{e?=XC?zmx$|@~GJ7Bs;qhiwdF0p6l{W^#vYu zUPvvJnxV=YSBRzy?E9tJg+=Dv9x7|aa!TZs(&3H6ROd3RZ!ysDEnz5PnecMq6~t8@ ztSPUl;yxOcCfpmkbE_l_k}x<3g*lnLbSyvaoC)uQ2vtj{kx)y4?@$pIn{z`9zNDqU zzjcC#3a$@uGCzZD#0}my5+}gnh6}z*@YRIb1({ojw!pjsY!r(H9o_QVf( z;z5{?VNUnpjF&S(&O|zV=QG6^Kk05V`nz3xlqQLuEP4uQzVjRvjiIXUX5%l5cz&w* zTf|Qz&xcUQ0_3d*9}<=TnJ##S;F*MZi~8d;tzDO^-7HhKFU7y$aJNahUCL}KEI8ER z<8p_w2ZYn#DfTY0bI5Xxr?&dUFbg&dxmqmEiMG(}K()DchHjJn)!eN!%+nd};Td?Z z&`*s<;CqdJH*{;?Cwji<`$_YSK>J8Kp5q=cJZ{wt;R}R66z~ix){(edXn312KK^0h zi-bQyoQb2Tw45Wk^4y~)d=YvuACvI7geMvZk#r=9oySf1Gzg0&ERpaO1;#%&l1`wq z{D?;PZ;M_{nq{eUPLazR@0c;=UT>_C@ve;bXk^cyOs3pg zqX&ocuM@pq^!p9zwEMtl7w8W~e2(u@r{L{#Ihb{ouiISk?cM8-xLpVHt97z}KS zvB{L>LHSI|=Tg3)!a(p+Aydm>EXJ2++&jtN(ywHEE#sSD;Eh%JuD|=%jP)CFDje=R z8Q;s;OoK_?x6br;KbWvAe8hj0@RNj}gHVCxzc8#G>r9#OLg;ziBH>pFzfoZ6QIkE& z%h}wWEn@s`;;A8j`$OWN61P(1<)eAouY~`X8O7)M%l})(HW}M#uz>5^?lT;pF$e?w zcbL~VwBPTP*J!*dCHR}|h5(Q8Th%D6qX^m3bNv!YU?W_Y&KTEMHj^sxZF9?QQrOp_b8Hcnjezi8Gz& zRdN}*eT-i5I)23AT8Z9Q^nRon>*A_Rx!d314F~ue+FEcM!EFiimDYqXRI}R||8p)+ zjgz+*-$DEV=KM zU>dwqG$UgU_aR27M*H(0D*70tFNsE_&xl!oU zF!;pKH+r<-h~Q{|(OiUzhrtWO2%xy&gy1A$mLNEF8iTkoA|3S)bIuDrmuWdUa&qbL z0TgBm*d*+ZF@9O7!1oY;toWYf8G9_wSM827_@nRKlKWJ!{N>me6Ha02s7uZ$m7_44D0M`!i8Ze!Sf|tAmKs^JUcq#`@4$_ zULJZ-FBW`>;7bWJ;;0c|2-9UoA0EakUM{+y=qpI`PR1ewk>j{44L>-7Uvaqp!UqV? zBhIK}AWU|n=zJ4ahG8%T5(*_`DDdMEi-g%_uE>z6BJ4q1B)ta#} z7-cfbWmM3}UWD#{rQx>)yh`{W;e&~1FCsg`!Z{O84p&_*p+-V21-_55NP|y-8)8<6 zVAaVQDyyDW_Bz4}GsDb?24lF4t7KeFgO5(#HSQXt+jaA4?po2;iN2mRZ!HGJpaB}~ zE=BGJQ(g%z6(gjKlroA6UrG#gso>hFqm3^PJsCHOA0vKj;G;==DI#e%&iD@f+COL&3;FQg!Ye&Qz${(X~&7Ykk@_^ALV68ZV=X@id~^6)c) zpB4OEfb;WXY4^OryM>a(3xbylevvR!M1DcEAeEoa!S3Yw?j@7j25Fh3<&s{e#EbQB z1NtURC<*EARSB<2SV4hrG?yIZXCECDW^C%`-_bW@yeVTP4c?xCoGka2!RI7Byh`xf zf>#r64jBFV<%QV|BGljbj(IH?d2fxpcjdiDk8d6Jl2v0Za(?Wn#^S15YiiTbYP(MA zda3VIRnkhNIBos|!&j$qLZ0(O;U5YAm^d$|6pd|egTXI_g(*G}yixF{gn8~#SHfk$ zHW~hSz&{iIx$rLnj`_gxoTU5G@SM;c{*~~rg?~fbXEm5dL?zo-&0$ie`f*#RIY|9p z>Sn6EiaOk8_k+P#hnxGO;GYElOqgYdcv$0eXqo%PocU+qpK!P>a(WOor}(YpL$>M1PoxrfVKJNJFH|ChS!84TdjoeD}29zb4lkK%$qQLpHS#(Exe8Jw#50-=de?D zfn=+G?abN`rlYi%)j`$)wD?g*DH#R3Od%F2I?$Az*Z9lmD5aB>&Ou?>#c$}=#gwOC z!O3{OgQRqoaxfL!t8I+!4kv4TD9yiSI7{ zNbHLBRP4={CGOoooK=q#vF$`NkVT4CsSa)lE^E>m??w1JFyru zCHOSKrw2HfYnPs3@aWKrcBbI71ot7V&s!=lQ;;f*^N%~*q)uym2Y8Aql-e5O}_Ii7dx9QpA*(e#G11P4{GD#I|bh*cus(^o$@d@*Wh*G<8-&+d4lf=aNa9a`CKztv*{&c9|~F8 zGO^3WzD$-Ei^i}D_lm)r!t$K23Vu!S3c`v;JRVEA*Nr}i-xeJ14bg9kUP+ocJ#Gz# z>G@TW-ZH5o+?Z98-j=kQ5`)OEs=^rGcZ^PbzyJ`$8qx2HevdR`pUh3=xU~kCjuhL- ztrNUn@cV@M`f8=_b-M|+34{t!haS18*!e#x)j+Z_Ne^b z_}p>+Uj8BePw`vHGc{Dy|FeFM`^%&zVN}51lD0|OPKh^&`Cma5R?XO9!kCZ)?v&7I zqUrwnXHKWBel1}5HySlbVG2Vq&vWNI%#rGu7J08d6{^N|jxSvjqBEHyO zVoxBe_c7mPiol;}{PQFHeK|>dZ}BIS=j%QwuaZl7onm-0Wc{ZKKTY`Q#97|_XB#cd zpf=~2ojyuu$~j9;A3A({xr>a(6`yUw7vaq~N5Z)h&ZEHVO{Vi)Ut`DJ;7@+O*bBs7 z7}yfbth&h9A&2;Dy;$reVlO4jdsD|*y(q(8X8igvkm7Rj{ls5Eo)Is^ijAD^=&m&3 z=r9+wzk~r2@+dG_V(JdpJw@d&-;7ijAEg2rg)%ZU_~j}Ygo(062Cq2O!^MJ21eX$K znoK0HySN)@^r#Ge#NoytAh#iJmNaN}w?tCmwe<8-4c( zPfrzni|A>jS;W-*Jj{a6E;;RPHSIt3{z*-jHbdG>YW(09*I^6Wyz=_$Qd9|MnKZVO zmu{1EyQJBan2^zwUsHjlX-eE3W?UGO{+%-Jk}-z{Q`^8{rImbSbB+Hbtmk3PyBrG_mgL<2Zl^#x2~)#W_vP+IX__P7gu@pL8%L*K17ud94l#J zMcai&e;p>6KP-BY=toF1hpR#>S#};I)=x5LXDBl~Cg*WEPtakR0gFG^48#5+$cvsd zCDqnPYO$0hQl6s1BwJXE(P&Q_{81ARKO^{A!Os!q09!6hTUk|FjV^A7p%FkLl|1Rl?sEzM431R7D{M zz`tYgn%*8>Blumx?-Ay?xl&L8HncPRf*U=)PWXD^?-OV2`C?QRYq#$YOqujL{so8o zP|8PAKBmIxU`>bux541%VF=JCf;S5OlrUe4?4-V^+hlxA$ZS3n|GD@t$TRI>cEGSq zSyf#%22p-#PD!Zyd?n{=Ip5IX6UObwRR3>{KI3Qnh{Js+`g_rvNwcVmRb?=Jg&is! z3IBsxyH4}>=|@>V$@-ZVZ)*gDJvht3@U@IB4!1@4ufl&L&U;kgu&Cni1~1;jxcV;;;y;9jedT)zirJ$w-DWuH1BaLhV@$aF?i}Y z54RG$ui*U%^VFF1iAgs58~rQKfWx&G-9~g<(tO$j(Z7M5yq)1cg+9La!aE2*fVhfx zXtY=7-hn3U9}4dsC3KR|nZo`!KT^4?szWYYSvaH$g(a+U!VR6em_8sR_=BW(m3}aF zCcE%8E5absL(G{M-r7Uu946;*I(&F2n4yghQ>u;c5{hNr#CI2eBze75=)gc-!RV6D zaS|NvXwebTQPPZ2_Uu@L2(MJkoP$FMaXAS&NjljVQ5T)5#%v?3z+~3y@FJ#V<;cpV z#Ycl}g}7htF@}E_T2*@pKUR28;{5ibw2mCnuXTT%N#%|F%YMA1UXo6r#L{;ap2vyC zj=0>jCyDJX_GGfWPgwIfjSd2%ckhfJakx`OpC#^ ziSI+6XV0MT7&97-p0=x}&k=pD=<`S`?=Q(igPrSZc=Z^MpD+9Z;TIC;$+6QES|=|u zde3}MUo83((U+2D)bndICHTg<%Zwiv3e%U1?`~wcx zU&a6#c{CV85&Grwu!dE>@daV>Yk~Me@fq^G+~V5uLJa;YGQ3|X(G?3X5nf81r>`w9 zt7Z9Ypz(Li^%q{#q2lWUA4_6yLabFk%=nxz@^QHMtHfVTo;gw(R*yvUFzOE` z{3k3YaIJ*vBwSB{5vt*U)3SPZgYgUI_{$w3ex&$OfRBBPw7;VY}p%`RzgK1ujw;ZumSe5}Pj zvQ2AQ6Ws--#=}Q(s?=MgPNT{XL0$nCQn=ON*OuWo9B#Vc8G>gL=5@rP>1Yy#P&dnj z%VOd&b3wxG5@rVhFG8)hPP@Z|CqiNRP6>BOm_va#cMx`b<~|JN^=_^yo5FgbcT1Tk zNfox{;Yx6inlbH5Z#*XBaT!n0;B{v|i&CC6r7(O7 z7fV?pgrW?4|Kjdx<4Z#C%`@Vk75^N0K0LIcmKJk0xaUn+8H$T9NLVW2MGF3! zu~NiKMvn>CyiD|R(Ju!Y#Ur$ty<+rdcOgt1?p4vRiCz)tL{0(|mtHsezA8_@A^J_x zD@pTGk(*+3=W6$s@y%}bPivLX-PVYISNwbAb)~TwR*76| z^!5QhHtR&M7yW)i8e@!%-Vx{zMSmpvW72%VlF4|k+hFkfp?TsH!5amCO4#3W3}xSB z^iAQGe9g+#HN7GWgb!{?tDT{z>r9gn84=i2hadZ={*SRby!|l$d@u ze0k{5|3mnn!nYD<3dm0Kz`Co(cRkjh{%`Ty#BV3BHViHBU4^m!JIt87!$*Ioj7F1G zJHTK6dT8r-Oo_%X**d}T;q_>OpHL@|(3AqNK#LzG+%ASMXI6~E?J9gX;ky%Oj4+i+ zGn4Y%9%gLX*I&b)GWL?uj0W3$3abi`d17}C{2#CF-lpC4AFnl+)3wEd_l>0$GWxZB_8MgtH99ImzKHlo{-=JVj1L+ll6XZ#PLsi3|1 z4&o0W&$E|fp-5~#XLO6Oid{$1okVvg%~EK26>0>=&JOHBV!Mhxm@MyWDvCB6-XeF1 z8D(Sf4>;VRG7gh*I1S!c%wolhQ-Xza(GFGYjxg<>Qh#5&N$W1{NNU;qvl5H0pttKN z6BhrZU{EuV5Rnk2z_+KM3TvOn48Hao561;31SbjehURCu6G5d*8UO8C&!@%bh|eX@ z%N~Y3dZoBy%vcjfDD{wWtc;$)K$REUl%a{*9cRWz!~7K=FQb=?6KJq%Q_FQQ>$s#K z)><;>y}P}0lAPXhPNu^LjoG`EdF~XWhlCvxPZfQd=+jB_sxdkaEt{wm82@4@_ns;K zEb)EF^X$bggIP~!8+}ekAD44PpDX%2(##+0GMItPxsb)KuPG;m#^m#*Tp;B_Dhwc* z$i-lqi;UhYWY-sqzC`q;q?u0h>XPmPGJl(8{GiOV;>CKQwl#21Rs1Ri%@+t3vmKRn#~V(}&7OUW~*s;#!B zl%NhYwL=*0T_&|$Y6Vr@CCn~Lx=N$J3%xW|q6di{Y;c z#<^2&h|%ANbJvL;D!M+gWF^u;eF8V6bS2v_{-8Dwv6zFS3UnlzdKqnEC zw7bFR%^@ZuM2{3biZtJLH2x>uXoFv#tZQuKZWKI5@Yn`$jvHt2x&V(CJVEe8!o1t; z&ne%wcYSD4tJ;cyTs24 zJO^E1)}fng{3)M${%-N}#NR_+rHK+OG+p8DHT;!O{l8E6eBt*K=d(hk2R#S|Ke^1G z`$54A1V2QW7mRptSwYnKu(riQlWM{UxQ8VzlJp3r>^BC>1aNU`?6HD14<9w{g$jS4 z9+URCv?r)BV)<-&deY!iLo>r-!Ak@`72v!I6ri3q_`uiwRXij3S;5Z{X7*ExT2g)< z8ibxV;gis3{(^+15?-XhsNida$;t-5eS(koGQrCQzf72C=R9pq?0&_B&qCSeRSB<2 zSV5r`1XLu`Y0Pd&#W|1_Y6@eD%$*fd_#1NHl)I9y0>iM%g1o|9_m&A)hIJ2CNqAer zY6`rRqDWzmd&l6z1H4A?yMo^fa3X`zwX$$Ap=XilSKEA)1rOi)M1%29tV)=zJn+qohwM@nZAyu-7|#l{cBN|GPev&m?>< z;R_1PEh1RoF9x{dzeoeKZ^cI^v{7FgiiW;_lwaV7kYY&=wC(uMw*Wb+c#CX-wpmG3}5&| z@SlRW63%`ht1%R?-u-3#58(^>xA<-1x0BbciKKCBb{M_AvA@inq8m+Cg#dq5!qPIz z6?quV-55V*YXqCl^pS6ZpHL%^(Ub8(e3aQb4pvYy{)*4=GY;2Ld?)dp$*b}eLzhh4bus+5aBmM1-c|U)#2J}# zjO)T`Nk;bzRfTgxW%R}K@FNbF z7M&wHm$Y8+Dr`Jj%?b6`q1v3@KX|8yoMYwmq{EV-)<4ZIa)Bj><5+9d9cSt}Sra3W zr1p|}0#!bjSSp>wBG@Myent-;(n-R53qP4SQ*cEAO7xi_*u24nt3n^|sS-|;a5@E+ zZmKX#~Unlx{(o6(?bsBer z@t=o6&j|4&#g8KIOQ~3%+Ko1RQ7EO}D140Yu>r?|3D|YojWhhm(10{mdCgYC?J+YI-PZmFgJl{RcX2jmL*t`5@6KcW;x~URwkuZ${vxTtnSA(|dTTLDE zBM2OBy3`p`XHw;Sru>rHnwq@q1zEVWOzyW%E;fOz3U7PsV&1_tW6{ z2WDJmn0vtJ=ac@$c~JBM(GQX4L$9eVLT{Q|Xn3DcC3{%-BH@n^X9hPIXMfb#T?YG8 zKPL8Zu}_fYjVVLZNmVhnZ!msr=;>N4eu?;}$n%L~wF7(y@zOtS!W&29cO32+3C~J+ zjsovZSRSFjd)|zp>00l1SKxC>?RHoB8PV{#Lyq^G%s6X)<0#Y`A;N;O$|w z$11^Z3tml_54d(v1}$;#7`-(NX<8%tUD5B6<`=fEq_CpeZ(_C9oK6dUbk@mPFXw$a zOccmDGFaf|1H*p~8OMjhKN9{iamHR9pc@RH*Au_taGwa?DEL#td}tU*q7JeCZj%{b zzbXL>tIGIX#uqg7!qgUHjNF$-zqH!ZUy1%&^f#m#nOZd6yKfCXEVLATC-{58n*)p; zrb^ro26vq3@5+yYe-ivNVSbjlkqTCW%b=&{7gOFD=anr|ewFeY73N9URTE<<>hnvh zuo%)HY?Fw6987H++7kbe`lr;bRGIoXsg)~bxxY;4v5ODuZwcEZY!3oT!v*yPXe!xZ z!o~q!*eRjW6xAT`S0P~aSw84$*BHNKD-a{!LdZB=6a0hqS zWuc#bSMj@v-<^C&MqJLw@ZUo++Ee&m!kZD-%UMy7@Afu$x0H{3bHObHwip?10O*P0M=`C?Tqijf;0}-UVI1f z2asp74tt|V-GOGTnBcFVql`{6ItPP02ctfQW~VM@6o0NDFb`QqR~ZKfqo$9Zl%R7=Dlls7_l1l7`UV>W5 zQKobY59DYm5h+nBd`qM8L~g{zj9wTXXQEt~7gRh*y8v17zpX z4i5$+ItJIGzZ6rI&H7J~53@j4p{xuo)>|273JU|U_t_Ph)Fep7l1e0%QsS#ZDP5RB zQ&t70h(n2@HoLz%cCugXfdOB?E#rW)EOt-+0AoOWto`Y!%d-`NF zT-sIAuBO)12NiYK7`O&BQ2htgdQsacHKxQ}A7a=Md&?ipG<0&8M zq&!81`8F>Fd)i=oXcL-+SUn@*SqaZk2ya5lJ#X~hfqp^sQqeC4I*wg4FfPgHx6eVC zINUPP%SFFTnlC3KlP;(#W#D0#3^$qL!exCX<#Q=tP+>?7vU-N} zrD?yf!oT8hUrGB~+Beif8p6mXqg#f@`<>|TMQ;u?J_#6K`Ge6{HS;&^N6|lt{+YD@ zk|ZP5HJG)77v~p~_6b33!B3;zulU>7{f58Fu%ppLJdx*q$A4$b{yW0F&_9I#DSRt& zAAjT)e;M5>ocwRm+eB|C?Q@G{Ec@#3FlFDM?3B{zX4OXU*A$<@G{$e)IPDjdCin^U z5h+cngzHXZ3rDDwn6!V8c9pc7q}?g`w?CQWG@m_8XdQ$-CF~`k83kpN@l@RHZSd6- z{9|q|xP{=Bgm=L|AhSjacKaB9QdsJ1gMGM?9hHr20&)!4$vBG;2XH+7|MA98+@S!ZU;c&+b?j`sH!fY_A z%VVDJ^KbQmoM>j#kP=Rk*<0qxGxKM4u-5^gv^Ha2m@W89g=Q z=`%&2CAtr3z9F1=hUtPCceV+oq1bVbgmWdFMm~6q)q7 z#A9~*ydpC$2w6z6j1n28G?+f)Ner7#xPgWrcOHJl;mU-U3$Gx~lz`RbvDaRu(es%9 z;&4@>2Z?t}OPZ0#ejivlhDl+F8UH!e-{d+OLuJ&{VDgV~ ze*7?lzX@$D!v$X@_-ew8dMr1Rm*=iA`mbL25r?~0^mU@IC(TpGBN5DkFnH@pVjH;; zf=3D-MVO}^R9J!i7e*WXXr7PtjiSeh9!r|dbbLQ@2RXKqGD&i!jB%z;3(0uA)Cp22 zQe~{l)Td!^o6y2NN$_OBQwX!sDucpF6$)xM8^0z@1DGoQ7V*=_^D3~cD;8h7)#$aI z@FNa4UGxmmGf6WliD(L&PaE8308zlV3BFzMY{E=si6}<64{~=H{!4$+81W?hF5z>C zGfzmRBawl%oc3VC6H~l!w}g2T?xCQlV^Kz|nPl|x13i78==q}WC(ZO)fc3sGX zPY~y=#H7-gd(z-_As1gPc!}Vr2s0*F_<&n97=2;AkI6HlpB4QaX}(kF!;3^X_R2kP z#(tq6?*$o4WxPm(_nte76rf7$UNWIWXxLpQVY!5tDKMGEb7Qd_%m;bJ_;#21D7`BF zHSsF~kHs+Kx#=ADy793?JpYFHH^r|Ed|si}XLD~EAAi~NtHi%8el>aCpqjjjihB2s z(d(xBd%s5XyQ1FEM2l53x!>axSMIU!;@r8SzWssjG1 z*hDSi*9gznfE(kVvNeXe!EAz`P-BqUlqPRM9>y$l34vXV-|a2@jKl3JemC*Elh?DX zDlEi+C!-gImZUvJ?2Nv8yh2|*aeJF~cZgJTX)UC+q{cw7u5JwTrHww4r4<~m zmFRs%??;*m9#f5~-2MhP4Fg+S3vMI0En#LhZ2#vn0`;z)8M&e5zrBnOG7g}@^oR;L zM#P~R22}@B-VST%bd=IbN@ps}pJJ)pNRlJjyO>ZHhSeM-p{s<0Dd;nZsUu|=K6{Aq zeL~OHq2dn{e>i#GAO?_fM;JXcoV}aq?xK$*&FHvHMJYEqbw`;nIjll*w1kL+CF3T3Vo!f3O!Be=>Z)w#GPU2-Jw=^rqHv5_94m`3>-Mnoo#I6&|h?p z*mK36M^+ght}_Rz2A}-CrVI-gc)pYiq+Cda_YpfoSG$W09^Mwe;cyoVzC`e)0ggp6 zF6=Uc$Ak~V<%0VOzJf4Q7`i{O-r1E#-`87b#&l@W14QQq8lP~qh2$H3Ncemgh%OYJ zA%<*KY8)EF(^L-F?Vuy;YC(DST zh>ul0LQ)=PR+lHdHC)zJvaY7ZdxnMn3bB%Ysk_F6b{oBLt%U0&Tu&i;C9#I#++f<@ zEZ^gBBczR#Hi{Z+u3-*aJRT`^qfMF^viTb&jgd5#5}yx};h;>mrr^ezGc2UW@p2}} znMjAJokR39E*`@r-DJwc5Bp4Jl9b6(rchzr5KNJUbF)eHA)Kj_Zjm&N5?_&c0vB?t z!MmP~-*C9;f@cVxNmv&Wk5~Y+%=sV$aGRXl<;o!-Gq4@z1f=^;x0JQ%F$Ug{Q_@>qB<4@+4jj=>~(3g>kb&U?Uz^M-^sC9I^taAMJaUDsQtEsgqHze?KM(pFPr zLPwFHYDiwWf_lfCyF;2?Bj;T?@6plsDL0bOUKR|@T5HO-UOt$0Qr1g(KPaf%qxB%g zyyOE@n)dM*^r4iGqF8N!uy$wy{ovS*iFw*1D+MVb<6^{cYPR ztI;j0o#3ys;A8~PzcKzRTOk=+?Sp87pHLwY+>|iyF}eyH-s4?N>wcBjc9pi9wB4!w zbC1z}R_gXJWqP>BdrH|$N;4`C%ibV zB<(9{KT52gBA~p6*R;QR--f_i%WEUAEjy<5ZF>^q3|8x(M*;VGjG_zM1{nynUV%`NI z#6#sBChu^1`p&4SUqKyV%Fa-l?k1(Xlq0F=+Wwu{9c5Z-jK8*{rA4GgsjFk%KL zMtC?bI3YMmSYhO(8{WT^X+x)ZEiElaS}rw)5km*MJI3HA!*{ud;9~{%3^1BiqwY9^ zM6` z>FQ~&$Mn8ZcZRt$y8GvUrrfjS_MywnH3fZg5Y4}VoGVSva&c)I$k#;FHJ`)UiD|MF{{0-|hINare`w6~+ zFmnSehZ5d5ccnS)=14)cN6r8_d32Z^q7MWeJQ%5rjXg?TzFGgZ4iH&|vNE)IHR;s9 zz9L1YeKywzRxGVVS}8TYpXl^;F=xLmKCC)9L*>-d;SIss%?%&# zFw<^%&}+k`T_x>mYRn$<@fj+@Dl?c$gKCjU1J`=#T1nSQx}K84iX|F`b%SZc7IlEzZfeQ#JTGG}cFXuO;WawY}`b2c!{8HJ|mxVy=m zCO`PdO_DQN&J;RK=jkL8!_5Z2dzXi&3cf|~G{U?AxzT^sKW{bdvQYn=E^UUinbepb z(1eS{h?Mp)N~+Y&GVjQ3KDgWD-7ar7Jq7pg`+bLL4=ncDozm`-Hiw$BQ)YT|4Q`e6 z@ZEyv3BHFg?{jX0`+ToCu_fNQPtJTf_tW{`f_*HStaJ~Uczh_>KPYj5#D^&Ig3#&K zFaa$zZNo`EyoaSNlJ*ES6*#dZ42H&5RbnOPO82N)L!&-#eN5KlvYw#DZ)6<1ieaoL zSJQpcl+v?&K#Qd;k@6H3J}C6-6kseQMmScd7}V3|{Z;0JdPd%}@}8r|>q`9lx}G=f z&MSOyFGyP|?L}&ANI;UPbsWN{q>;?UoqWmEJdRCWV)|cq@)gqtmH7}~ zmG+vn71Z=9X1m9$(Lzz_UN>n=l@IF;NpDJ8Nr_=$7p8_!?Jd)KUgyJFCGBl#tEn+8 zYYj=@y52EqQmAUKk@T*l_b6oxM3J(Ffvq)fODOKGleb>p`@xHIQL6?O_7BWEufDKb*YoLr2L+F^8kC~xi*-DsLBNBFCze@y-#RE`dq z#`qyyKN|ihPJ+WV!B40kiEm1tPYo*?VL2oWu12}g?PAh}NBaA;tEAl|?M{jP3z6KI z0@=g(E0|JoxIM-1CB7MXme4ru3<0Fw-X`?%X zEAjh^-;X>4K!;{c6^8!0{Y_YRmKRz}Xd|I51zkZbp(|)-Jhmg(;o6JuApQXI{3h6K zLeJ@e=3Er+Qb#$R zh=0tKnou%~OG!vcQsEUxoA}u~gd@gz3igZq@u(YTM^C>w!?-;Y% z-s`O%vW}J2lU8^kP~S1SF1!%Oi|!@*gobp=ooMt`fj&ueZ_y`{W)kLG8sjSarI@Xa zN%^OkcYSzCPnCC?ywijC@9$Q%JHx!a!$<2(d1uM%LytGPluNtSV6j3B1~cX2n177t zNI6%^c~tnuGK%rA=2>5pZV2%^U(yAVE~Lb?g>90{T~$?uyU2voPVk{zEa4Ifmr`KF zFhx95ils+z4=yvMs@5x)OX(-&3M$NMYclv+Txsw(VfJxM!Ad%8azF^ zhp|*|GWu~x-amI}{V|2LA8)b}7r+do*8I{k>h3=Jtmy{Hqp0>o^5na1pA@gVf3wGD8ikh?-D)7=tvwTjJZbF z9I1x~y=ES2$MFz{ewkqj39axa-N zK0MrIGM3ADnMO8F9OzK*UNL?^SUKiZ@vn(rLEh)h7-{0GSg)HjAq4VV`B{voiX+K(7(~uITqj^93u+V3mDT6Wv-9nrz4KINUl3>m|HT zfiE%dQLMJQ0Hx*+Oqm$s|DlwRq;ZlDT{gddQN$&?5%o`HE$A8P)CT}}EzRbbfi+?{e8 z-KuH?{wm>fd_Xc0agFgqwi?l4BTk9KHNj7)Mu=}po<&hE$AHSvE{6L=hGAdAcN4yQ zz|)a*468TnVfdVxIyveO!uJy1j5t#m@KU$8!3zW2TyP7)EeSIPhe|fS6Z@DlI#jV+ zN!eG*epHwUP~k=7_c!|H&OSD+MYj>%mNa7%iN#7?JA=>Q_2Y2u1$Pj90Ac1*ep~{E zHy&ulqR{)@QAQ^jooV=6nZN>1T?}8K(<6X`gm)EwFmc5lU3+PFh|!ZeW^s3@=)*)G zPMUF#CR3&E2!rnka5ur-1s`cJ21vN03?ACnpZRFP5y4Tyj0aKxCT7HpUYLb3M?`c& zbdogVkxHO%F=g`JN-^Tsh~_;kCxFgDCL6hS%r%$e%C# z0^t`D=SM9Si^WrTp)NB1)3KhvSo|g8FD1`!NHz(lvDB>zi$e;&TtYtyS5WXtAt%RO zY4m@yxf^;tL=O<17if$G$4YMbMh_V6BU2!{P;`d05>5m!Uy;E>0$eP(L~to##ymS- z00ozUCNv471)rji5^UvaY2y?`(7B_oHrMTs}@`% zxRx*v{^>i2jcD~4Q!wl}4&(kA-;exLce06}a@EZCp3~m~F zf36jLo#5*UGh51zAwZ|SyTOdxLihFv86#zkqQOMQ#XWN4ZnWXPoQ?_Q!p8_7OI&v{ zn#M|6=!v9xp;!w9|{FhHW=R|Ord*B z{Nv)EAm0Rh9=0-g(%7;W{ka#5T_W}=vPv#k$T{YoHac;;r=Jo1tmx-RE4jq*OrJNn zSAbs-yj1Xugjp=~y{a{d9MtMwGHI{Ssk%(ka!D^!V%*tZ^op^yC;QmED)u$8E6Dyo zz1`^qssOK>J1g{dzajTcxhv^1oMgPzy=82Vt9&@C#J(+dHCbLrVFsmgl;x8V%uIa8 zq^)84!x~BNN_vkHE6m~Q(-9QY-CDEu4wt`9)_Pg*)8Y+IMG>zL3_gF1kJpESKN9>g z;RZLjAQR1ryA38a4k3IZX``f1DcO4ycbg3NwFWFvCH!;YUl3=6ko%OnFAY8`d{Mp< z{I%e32(zjEUtQbiI(FZhxNm5`{7&Nc5;s%ykxFB!@*fQUDSO?G+>gS468 z5<9a0V)Xb>4A>(2SJA(b<|Tl}a4LhR1o#iZe+u48Sf@tAPNn%KjGCmj_Zm0N0(^b01Ulox<#)4bZ7{6r;`0Yc!(gZ)DfG?#f6-FpG zg*DgQE=JFJM(0QQUi5CFcPFjK#Zj_*7e*;ZhwPcZtdaLg4+mgOPKeqLFaVb zwKM66ZC+|Gse_~gC^79MqL|Z`>kc&h)czjtD7=&K&cu}(B8X5IgInG2;e!Ns6?`yZ zj@8IcuB(W~W9U|mrBLcP#LTD5v+sgCROVqa52wkLkzH4}(j8%Z(PuuSZsNO(KaxC4 zOnEt2^gahgtfNer8#3;rB}61dDKLL&IHDCD1!kQXdcEVa60(xC6igBWcGBnsO_^|A z2qrBdM?x+I2E%r8^>o{tYM+QyN9e}W%Z=R2ic(WI^m8p>Cez}eY~Vzl1`w+ zTZTo+ld))}JJI+bC*x-v?j-TO#h*-`567B4v!fYMMmojJW})@-RGFvAJe?+!Ob#Y! zpx5mT!ykQ=!62YBg`Xw7Pry~~L9M{>E}`Iaj_`AZpGTZ2ES(dtbbSq;e~(Vx$el0v z0>Kv&<~!&oiC3pk7RMyli%k1H^n+h4?GkC1QezmgWNxLq%-{o#@nKvpxS!xF2sf;l zV*{cqO&J$zHvOdxkdjA*=a1(kFcaM1|6c0PUm&j^WJa>7e>94p%zzauQ;GhF;t;;$yph@(jXb7-$I zdP}HFTr2uI(boqW-!(M;++cK*VLmP+M2{3biZtKmNNzIQVmR7_LM#5MM zO!ycofI%{DoZ)wbK?382PY^ya;A~nz8T%%~{cD0g0^yT|PYF0SBEu|sceCL?4N+WB zK@fh6@M*+(+kqFmTMgc|&co9M&k#H_z^O>G*v&Hd^U)r@P4Ml4XA@@jgHHk$Q&697 z!rfugx#7cbr=+_i&7s8T3xQxEd^gTfaGe+Yl|xUdBy=2W|dhMyVQ7akVANcbbfl^oJ( zEyU*@HQ_nt;W*r55+0ZE1O=vL-J$A~d(!yTv;9YHvG^t8pCZq+%r@JEd)nwpJ$P=M z{Tb2Eihho?|9B3}E>#yAP@gxmWrYvt1({1_zDSd;z4&~1vtbkJOJ?sA>}9f-%YK=* zKD}&0MU~?fv{YP~=0mf#GL& z_V_B{Zwp^doXHBynUuPB3|<&o2i6FFSMYlQ#wW1Utu^@1@cmmSc)j5F2{Yb&J5db& z!0-pM@xU$^!aoxJF>yY;G`>sdE--rBye#fM5xr6Lr=%6_GzvSL44xa{&jf!i_zS{3 zb#96^qc4q~8p^0&iT+yjH>7#$R1WUQw+1I}@$vXh@b`i@6Xr#-IWdBof#FYv=ENU` z|0Mip!=o|Gn|Hq$zHi7?wg~@K_;17+mE2sExPCV{9$E$d5d5d$t%Mu45Js^Q-CyS1 z7`~%_%h@JpI~_(JErikBgxg_wRd|DU3U4$+^#lA>d}0wi|Hk;QY|Y@%qx`LDf}c<` z5Zsio9w^$(P%|)kR%kQZRrGG6cPE{Fps1(pVes?ef$k}IFTu?Sv&3L+W+}I~DFZ^2 zS#v2Zq_m`>TZxr&+&%_(3rV1r;C%(}7ht4Z)Cvq9(%4^TYr$;oi%X)8eB`Msa)3FxZ8h;Y`723GPFfMF<}R+E%c>)Y&HeCxmd0 zq;n;mM@gAg6eGQ2t}p&O`@H9c0?_&RX|%flfBU)%@mCSbO|vt=;EB)qYra_UC4w&{ z+yejbueKEwo!n(6whC=4mrLv?@d}E{f+EPA)9ySwq2LT*RVUMl6#j>f0TZT#>SVEm5(%Xg_-)Qb9XF0I%RuAnLpiHV ze7X1v@_c4kFRIj48vJPVi8{^@RVYi2`*1lMW9}6vHK5CFyEPd<0zW2u&2%;J>qvU`;0<#E11SoRjf0b^u34OyOxKY9w31cbzPmLa<(#M%q zA8PdDWlfMZk(OSbBr3Hx8T>(r(1G-HbNB+@Cir&2vk5bK{Hv-Rad(*Z zTc~Q^DeW$4bExskv8-67n``j2P}RO$@I1ly5dK$HJK^p%WlSg{+$Uwel>4cu@Dz!o zJ?#ObuYcS>?gvFL5d9Eo#s&>_m2RQIZ-pw&!-5wHeuQxL(}tJRJ!*7Ws5Cz&`f<@u zkk%uPA*+AV;G61wJQfRHBKRr7*;r#69{04-B_Y<&h<;Y|bEKI_6X{5{qWZiE)n)$l zFGyG_;YA8e2N-yO{hQrO`0s2wxNoM%m*J<;ZaMz;buZ(u9&Iun|ED?@b+4HAbErSR zD(y9CE2uFPtTdQPpyZGL&W7^h1Ru&9_-V9z6My@M(T; zeFjF)2peF0DEcGO9|xM_OCoNA(XBV)6gb=`qBn~Elr%reY`ooM>?1Lu=qV8Ux!5nr zvX~Y+&@pbvj1eK_es-?E_ukGdyCj##r_spF30h^v70A(_7Aatirq?#v5RP~f=XV&;VeG5W+Ssi2@ zK#Q^AOu7S&y)+cVI*RQiwli7Y$ZVH<#C0)#Qm9=VB)+TogUR#U>|!~@*!@Eee5lyN z#2!wTH!^hippEDVQ;rCQ^lnnROF5E?Qo80-$J|lIZ+p;R>e1pO;-lml9ab7*#@@aV zKjCn3u?ewBvdrQ!VL9Pa1}B$`#SV6Ya|GuS=82<7Fvl1>v8`u&h&@(pPqHkX{?EkY zh&#^2X;$o)*h}IG6cu~aN>4QQ%Ex>lCyDJX_GGfkPBGs&=1wtsaVVRfD*80hr<2y1 z@tDpqcG?5}%x8){OKcyqd`wo_kGQimbAsrXXD3MW0gJR|0%g+cWZN+{@|S|IfLX3rlaSJZ<90j`v*N+Ew)B%Em_50i)2=yX?=(p z&xHQFIvGP{)YIVE+3h{d*y;QUhZ`>TDzR6Sr1+8jKB0V;aKlg{B`25C!alc zrMtn{IpN$R#Euj@imY7qfMy|MfDq{jFB>y3eS~7*UdO%FS*G_WxUu4VkeSi zb*4c_9oqR#`lHO}IFlqzmNbQu0>FgLn~j}!qYq%J*jvO-Bg?Lce|OTMWN+SXp&~F{ z-VAv&>FJ62*`ZN4%ZwjGIsG;nx67DKgRx?-+a1O}6TbL&ioHwhoWQd8Y_72%hqQUO z*m+{_AfwLsQGwDg_8M7@&Q z3a;R|(3CkPUU^u`A}NnhVL&WgrZByzvIhTmkD4_l6fz%^^|-7jXfYtJ1dPo(>M`kugn7?U zPr&xtm|UkFbze8@*HBG(L)M$JR?^~2!g)=YHD6Mb#HhfxOnSbbe>|%sy)9`qB_^9# z3VpOO_m1Irhl=AG;qMB6FW}g*B#BYBYYks=AWnkAtrNap`1{29da$8b8$-Ac%sA{Q z326S8@sW&=gOS}BBbF0&8_Y}K;a_+4_*cTe7XA%!Cd6EHU0~;4?4semHKk4X27M>xdnuc#@ag^Y=+K7belTnO z3I0L+DC;L#Khx5KNMphMi2KFxJ&*PA+9Lc{;lBkujqTCVnen^fL*{w>58;0b-%6Zy zzho>?n{`T4;AOXC2W(hodPcct1b=6j;O#uO}E3WEn$V*ow6FuQpEs&brH#U zB#H*`#`y1S-Jl?(*e3W1bpzo|4aa~UG{^5^c;Bo2MeHhkH{rVz=jS&WPcs`S%b=@b z4|C=W_s*Vj_L9?#4htt}dclZ`y^Y=++FqKAZXvoQX{J}~iI$xu;`TA)(D1NZ$=FxM zel+w^<Rud^~;8|H%TYzmOOnIxsD+fvGD&=4*ias`(D@(@QA;!=8!t;lUKTQ1L zS|0VjF~V$ z)LP;a5)zUWc)g)2kCwQUDdR(3J}o6jN-h<~KZQoDm^;SkSH}DJ_Yi%o=$@qc5@0vc z>iX)M4EMDuaL1W7ySKNFm(@$w3AFfy;A>M;uDqKgb5Atw>`)gxNm_4dCsSk8&}D<+ z)~6Uf7v288f2BFiLIC~c43LvYN6DMZnBuPH8{cLlPKCo2h%XeM zA4P9>xaj!IZztFf*C3ukF z!GwAGY*SJ+H|3le3qoU3wTv1WwKRBoY+HdI0)ubkZ#Z0?;Gu%+31@F7wyfehqF7pE zm^m#%8_{q%SIN1W4o`+oVoV`0_|l;|KdKLcuM>PdVFnOxPZXU%H<&Xr+@KM1M#>pQ zhXLept)I~bS3T$hxKZ#J!D9*Y70BKobYzV);fZj6#!HwWVIl?HAGQS~7C77_ z!IK3~A?Naz?ac*9_S_Qisi2!4t%A3$g* zsK!7cQ;rNR1W|u13Yi=xEg={7X&XA{32l`&TR8o%DrU5_6PmrT_$0< zgqJDk-bB&8_lm(QpY&&cRq$(qR}kI@|L{NUSZo4&-PBt{OV%4w-;}zNs$NS!OMt7G zy=BgyfBN87$$4AOYC4QtG>HJ-F?g?z9$q8(UBT}W&Sorrl{(~HYt3mITB+8_Suf{( zI&7EwSIZMdF1Zg(Y!Pa2A4>d4;>Q#fvlL$G4F|^$c;EjSmCCq2ShN@T&vfxc7 zY?$wb&m?><;R^~ndoI%Jmj<78h=;!t{I%e32=kQ-DJto{HRHgLpuUswy^PH?czVqB z#}cgumoSbv+>e5P68tk^*6#jkd%_s_UrgG$SxzIjMbfX5ext+?;+)R;yTL8b_wXNr z{}jBHFu&prhP5X+tm-fGx`nFk-}1J}+fI*B_M^|!Ziflag+{BL5*pp6S_1xNZz~s$ zZH)iQ))8jy>todfKcS8wxGCZPW9z-+t0>y{e;$1l6%nNf3RVySQPYb8N)u2KrKqR~ zC&@{2Ajt`H5<*Zx#fBY05NseKAktKV25Yhz>b!J zTM0gd@c;X5IwvD19O~x2)+N?<>9^dA2gx z9fzIhoW9Mv;m#0!rs)2p`JRb7>!aF=7Be`@)gjhvKS1i)QqQ5vDne9UFRsP*dRU@! zpli*n#y&{eU};0B>2b#bXk~0dIREA+2#o=rC;oi#L&@`|U{S0r47t9*@#UqWvFxhw zi-Zp&&U}szDeMm@ITd>r;8d8^%BEFt>6!lcHyj})sYX&QB}Uf1 zFk^5hWmFL$k8$|`Ye>{d9xJ)tWKSuE#^qx+O)lq|j&u1|OX($&FO_^5WY<=!RtZo0hw=_$fkARBA+qaO_I85jSt z+VQ;-XGxq*k&ii6ALOU5`y5|l-+AWdsi$6lcWg9(H+8t3W>@`BBNsDYwMw{-*+s)tWK21Z5VQL+&566&Q~2 zxcn#NKS`gZHLJ$h3L(1ymk3$=Dc9bgFAH-gq^*$l3^m5tKIY<)!0ak4lfoDFN|zJ% zhIm%;D#@!U@1BwPNaew2+kcI_Z7d_LmAg*vdb-RHSc91PVT0rM&Whr>QTTJhHxcLM z*{y1e<%ILGdl3515Y^}1?`&1v7v#Sv|0Vi-Ek{+{ys+7Y6;{Q4S;8w4wouS(79HXF zVXM=7TG!UAqPK~D&FK6>j+EW*^eOYA#Jn#04bg9s=A(}H5w=#sSSsf`T^{joi+@M_ zyW|=9^mkv>T;6lxEUQAlFX00TA5uuy>`+nt$l;L;1V{K-@F#*lC44Y`-F<>53i2!@ zoWndnbG@6@q<2XFT>2N(Rj}HJV=PpRC4aIqP-*?r-8!pKenZ{i6c-Ndf%K0QerViZ))? z*<4`->MySTVAbtkrT!-Mcd9B{lEtcy_Q zG#|R~k9!yIK(ug#f8{l}OU*9)O}|v~@v_BSJhZ*=Q@ZU{eRO2(iJ#E+lCc*JUSL(J zQCb%wg{;k_>&tt){hwCR1#T#NAKClTX3k)J8B=9ZKiGZTW7yC2JFWiQNc#TL8&hYI z6b&%M(!T|G*uw$4G+X|+iL?Wy9Yl>8l@;8A66`M7)P*Tl$89E|xr7!JSW=hOVq_v- zhanv7#%V`J32P~%m5f8o;3*1AVo(lsW2&8_wTw104x_<75q+ACRaRGUS3h@_*_YWP zvNN=+p9|CMByAZuGIDJBaQ`nk8r{wp~D>)5-A~ z+f?&7;hlvaPn>rHY0loQJ#&I6(}HF0~%ggh4?Y#iO6e2E1T3r#e^M;)Bx;$(Xxoh-47#I6)s zZLpZevF2=XO)7;=aZ$je|0i_wK-PZ9NF&;(D3DVXNOuOpD^mEklOKD6hfkA%Jw`cYt$x~MjVWnoiTnwh6L-K~M|;vaE@ zGi049tG`*ikJ%xPRn)7H7teC*9=nYLWSuSR9Jf%Yb2Z`g`oja=T60`}6bQqPwQ3#DBoZ5TCm7;w+Q ziyfY|FpA!A!6O962q2+^eE94qAN)=@N5K*zWOT17xski-AZjo_5v z8o{-M6_Y|t*9>EvzRdc?>qL(gT~C@ZL30lK-i2|FPa6>heu?l)gvF ztQU=`B2J%O8O7!X(Km{|i8RCKlaPZFCLV5f<6e6TZjo`TjL9?@K8@UPo71z5o+5gx z=-WxN%-74ZG?C&Or_v3qYxRc&Pv_FTQkwO8sQ?OtiKq|K(r*rl};^If>lomb77Bju08u$>9l%2+33Jq@cN=Vt4wc|p#L za$cgtXjR0^xZeg|7MtC;{NyNWy)5Gu8C%S#ti`U?cyE`4t!}J6D>7b{u}#KnG}xlS z76Ww{H5Ily-~K23j3c}*{tfYOlIMen5~{c^yyf&5>kN2X^gE*8CC$+J*cM=k+xMKm z->%a8;y)1oA$eX_?1!DizTPF_BNux9iQjRAk0pE};Zq8XP9nrc<2#Ylw`WI*-68sO z(O-~e2^%XdLmy}O(((H?FlYq+mGGUyzb4Lmmc|pPprUEx&Kz^TmGhmP@98iFMKLZ* zj1>If!WY|k3Y_Fe2|r2rnF23S3gKh$VED!P4cA9$_*MLG;(sU4VjnG*Sop)?(=!<~ z0{>I+UxNQ8Y{h0__{ZtFcJ==i-QaGuQt($BBPWw#5Bzt!dGhSgC>DF-Cp1rl?nP8D zpPcMi*xTWZ0Z}X(3f@QXzJwWzSaDq<7WQ*`&bo+hBzk|*jY+dh6nQ2m1GAenX!QV> z=2_I6NIFo`L6jJuL_p7PQ-|-hY|u<_bHObL^SQzj<=6><7yV#2O0JHQ+fqg=8HdnN z3hJ?AUO3e0FRVwWwdgjY4!j#QY(atdJS9HEcszM}h)X7N)U zOVzNw;CR7^DDX3cpDDb*;UjC&3abidIlkRD6&HTC@NDN@bZ*l z-1+cuvC{{(j)EU9dW7g0X=VuT72<2Y$fbj?1h-~euUtx2jjUQ)%(NxN6=96CU9G3PPV88*^~T1FFo4Y2`n{sqTq5>T zv6qqM)dicV8iR&?66M}_m&TbiLDJ=tuAszE72GWVdwy}Nzf`=UB32i!bhBHV=yVfh zUM2Htn!Hq*87u^^arzIoN^yj1MPDa+lF=BAh&4v9cY22P+1?=fM$tEs=4~ULjda}X z{7mC-5r3=r$>dp_kNk1#<=Js?*#XpAn^c zy1YB&&7jBP3D(#!)8W~ZBlu3icL~0mFfUO}Y-|FbVVv$|yRzIXdY0(fq*V<@B66{2 z6|0fRviG@mm!)KmwELyarN)zB?gQH84>(=G;t$y%_s~|CuBbo^o}(#q4RRE2KU{m06@FKDMSPnH-f0 zE8S>kFN|kptdg;s1}{}bvZ$yYb+@p_g(rr1AGEQ+?+gAw@P~x?VBkA+Ze~Gu)?N%>I=zZF6i4_<^iI)V zlU9r}^9r%mTP)g5?i<(Y*f&q@TWQ}(`<@z~4s52HtgT6fADsVaR+Kw_6#tX>pUE=? zm5Ji)@QcGaeIxi+!M_Rqov-rDEY=hZ~<4UHq1UTM0g7H@GSs>hQq^w-($+@L_}* zX@*=H4tM$hqmK}Mr0Ana^R>>4j!$6tB%2??(JozKDQzpMoup$ZSvj1UTOHavKgr7B zW5st6-*I<73w$T%Z!!Kj@twsVPu{M3PB_8oD=juBip~(7Nt#JWRVPQqQ|PJ2-Yp@^ zrR#5wE@`%;97(y9ls{P}CMr;W4SBA-^8x1Z1MRzC7(l7dICZ~rx#rDapr<`7Ldeh;Xm^CXTqcXu3 z9X`;U=HBa;mOk?O%IjwyI!f?KfL;7($i}d#oqGpcv3-WTGv)QC$Lex4SfQpq7Aosw z6|tfiz6+h@@*Z2G1P+jVw&Zgtrz_}V>aCF!2D+4G74$)p21^=Z5^590=vqyTV;lEe zmnO7~F8q0t&X+Wll4T%lYT@)m%Rm>3zDV>i(!B7PC73{4lAn;m#qKP%U37-a86hV| zhnWGRict2jZ>`9Uu{M^dSVoDAI1Q#gRvasdqs&!>u+*jR?bTW)sa#Tmk`j`Qm7T&! zr~k3OfKj3=L|2k#rsl(p_1&pdxpI}IJt?JH%4jMqw9tyic6Sc{VXfzs;2OcTgxR)8 zmKKLG&h|Y&x&?J&$BL~d%a~(PdVDb$=ky?Zj2`koFd3b0ZbNaLFDAtdQ zenRwynb1;;_=;k=7)CR`4pps|mAQsf*#Wa8(S| zrZsNd^H7w|wKCSpSWknuvjA-(Jw6*;_+wENpN$fpldy?`p3GQbW?^{V=>hy=k0ZPw z`bE(%IUO%7$Pb&HUTXBqqF)ic#pxL7txgXy`c=`}M89TqUJPsAhwV=1O^;&oy687V zzqvb&=_O9*8~wKEcSOJIbP2c53{jKQlM1Suz!p58ur%yNfN6|lt z{+TpiLF`Tn=m9Nf57{p+ZL5p&*RPU(lk__!W*6iwY%u$W)19nr{!{c{qW?A;uWBq^ z{EyT5Rw(`}y1~7w^5d_<&MUz@m=Y74Hx`2o!vRh=x&uGr2u(yEDEc6y^Fe2Z zrcOU*=iCo*A;7?zjp; z;0W2Gb42GFjYSsl!8_0Chw~yjUvz=!LeeaykzI1aNe=&G+2mxwT?BU}%xD*m#faq4 z&FR-xMM0k;`c%=~jn0d+DC*(#RhDmiitZ)4_wF>l2{=8`=su$Ritb06eFdmchGbE) zB3T(n?KPb4+CXd0pCRo`Y5l43;i#?;Np&cpksi)+sdsgBV+Tk&Thcj{*m}lv2z-JF z107#tpUDOZA1r(balV+);~THS*ZOd-3lCfqg@2xe^Cb+Wz^fWBilH)kfzuN#>s%=M zBGJQ)F3`*4VyDMEf*^2&;i5-~j*(`~GsNR#^=&wWB3F7_!B;G$L`s|rb3SrJZie2K zrEdIZF;9Wu%4C$wNYG#cLNbAUvPU|-YC@FUQKBnESCVFw5Pn{w62lTO=FF8n>;y?E z)lx=N;R*6oK@Cp#vb>QJT_d`dG;cC?mBM!CAz8u7-WZn#|Bipd5$Yt3l~hlO8H(RD zFpwdgpHg9*Yx}L0g%zr#T`KJ|YK&PKG8DcGIK9q>VNMWzx#%lMvjYJWh14~4rSm7h z5QRQb{8i$wCeIccKJ$&ia36i>zQ&z{j)*SrwQ{bLGl>pkl%1~3J3ZJ2Al)GPM$tDJ z%`2N5Zg#r2UD;bi-zs{t)5Ta{Jly7VsnJtJPZfPT>8NPQ57Qjp({Ax}!FLFrL0C@> zmjPmNJJW@R_Cfzn33o}jn*#50qN1X<60;`sVdfr}npk7>UP-eg%{Hkh$pz`6Gu`LX zIo7Q@N7DV0=2GGn%|hi4tIj%oopoo-6Fpz_0@92ZY7G?_UQvQ=oKxXJm(J)H-L!?0 z9+I?(5^wZwQdsQH>EcRef${aNv= z#IGjL{E@1N*M&6>kGUa&*9u-Ics*f@N^aQTbfHCMqv+>EZz9biyCR0t1tW$WKmVjC z@E3%?DEuYj7C0*VPM>UnzbyI{(OY)Wndmj#>U1}wUlqMg^lPMTcx~0)yiQXyt>s>S}2;Vr}+~{vb ze<%9;T{J$9h98`6W%Q4te-i!kE*h(|hhLm-Vf3$}e-r)t?sRVW!|8*K{!{c{qW>n% zjEf-;72zL;yIDK+U%?G#sjiQ|x|KPYrC1R5!2hP}`c)$k0*K z3*-7;&aX;)yVcMN&xW%0k+mq6HFbKh^~*IA-CT4FqcI~4jiQ5{UN8|s;0P^6w-SAb z(U>rYT{jMOdWD7ET67!HhZ&8nyz{X)ozpWejlw=c^pT>EGMZuMg`=H*#=>qZx}E4_ zjLt3K*V*~=?kxIvqtR1|uupJ$+Kh-kQFMmr zOw!D0So@(kWH~(M)CkTNoFh1wFmDbvIxCEYJf}amF>d*y3q%)^X3*Fd4a-V7eBY!f z=#vF^5!{uq?t4L2PAqhDx}aS|pCbBH(cMWi=zOkV-oxSfcSdke!Mz0cCagM9MNzB@ zAOp#u&0QgD*ATPe2Vb0 z$SN+y&fv~BvG>Gu@pp)yK|URqEOaZ(bh@*B_q6%e|s! ziJonAMp0owUbxTc3d@3XMBguZ?rt=$$^%YU8a+?+e9;S>M#o%Xc+lzlj9w`EA<>JB z&MYFm*y+9~ddFXw@Hq%ZIu)644(d$I7H<|@oPT1h|AiIJa zML#EclhY_pa>DaYFERQB(JzXAi8ON|sw?=`n+ltqzoSu9(|uX|E8@41=YyFUs|j13 z?P95XRqQsguaWhz!EbkdnuYzk_&3DANuD`8FUH#FTTXYitMaz!cSOIti^i%C;XS8M zHTr$gABg^N7tNgVk<Ka0c~!FT%KFmTUOn*> zj_{S(onpT>HV5oC&MpcO`>ojT#C~sVChp7+&YsjUVt*9-lh~h~t;Nh^XU7=(tJvSf z{!W&KU``5Svi@-RHH*Zbg8vfyH{pE%$5Pd3;-Yi!9~TzB9L3~c2@PhedXB%UI%5Dq zIfqkMm)D0q@MF4?-pq!i?TMdINtd%19p3xwBDRV4cDmf^2n|K=BYIz>`TSt@SEtXg zyV*$e{-PT@jqf+u8^Y<)MmG_Cpy-2~j$^h`XzKJeMmH1PTyzVkV|X8jgPrbSbW72# zL?5z?#%#lIsMBW}-CA@T(T9;%E*x9TiD}_*=g)5vJ)1{}KT`Zrkn0T0*JQWk#2YE*G8HoyKCWPL~@!N_2(jN~hJfsd75k=%nas z(W7^#F=yB5lZ;M@t`S}9G*%izb=>Kzjjj_tR&@O?nqRcWIeop+mx#Vp^kuu#Sz)}> zHyAxZ^yQ+jAkA)0j!#MVT3zYJEc>J~QN~p=uBO3^RasXOu5tENoA`IF*z3ejBFlT9 zkN19dxZdeQ=Ho{k;Rew+ioS_-l&$i@%?`J;Y;}v^TLn)hY(ZnPuG5EF&{ITD6@5Et z7K!-EfdvXQ_;{KtwZAJeSi)7x9a3gcVLIzkOPJ~Gc@IbB^POVv5_>mU#=M?y-FqCq z&ER_l&k{V_;6x=_;*$o}Ff0xaIDd-`pPMIszW4>?byKPr4V@qK`+ z0?G^Xm1`Q`lNdXNbuGeMu8y*SNN-DhN9wy&neSs*eLKA8@RD^r3(oVt z;12|UNSN8Dx>AFjK61Q8S@cYOEc_GUpAu*Gsm3Ug8hnurpSkd=4aD9d;d2RJP~a8C z3O!lqPIvmJLi~s$d?k9P=&wmfH?0us!W4%DrqzGrQX9Kz-%9#U()W}Yrs4Z zKe*8Qo+uGNO87~_&lFfwvW2NQ{`?nrvi@Sc5VK$9{3hpjI=oT*(!-k7AI{g^5S`;s z@qdZ`n>=qqc_lWl_{ZVR$3*bIf*ahY8a)0gaLj{Da0u%j_#s_;pVvF$_ry=Ay^G(A zJZ~DSd8nxF?fCdqgf|qvkMMnoGcJh)a?gGaztbs#8wuWDaAU%}VHzqB4sd#rjTC4i z`asbK8C`-&cp)@(dcVIB1dh;5baT-yj82pkV-&){PPep}v=rS+^dY4A7Q{lHnud@H zhr03e>k1yDX=JpKaTpE0P%4vErX23d-e*S1JwnQnQjVgMK1rm6qutnUCuu9Aos45> z=xPRZ$F_I)XS+Vf3hp4dBVp#vieyz;9amTAmsi!J>CNiCn!!<WfNDy2IWUeU5Dyw!U+yvowsQ*bZA zy$SP*#<+G_RV*G(bK#{I@H>vsM?zl-{V4DPA@_&VoqgL9eTLXG#r7x5%%6(IQkCH> zr}w=wO6ma7XNx|Ebh@;{C?(8aNMed)80b=4E3F1e8Z2oDC7xnrvKE6h&UJc-O?x>{ z^!cKPl4h}kmVG5BM_l0iusfqDT`2w{@x#b7JEKB{y-{L#-Y<6JwV&`0IKprlBV@$P zNL8c%K*KYN+_=mpU=+(Jkr6ioFQg(Yf`r1e)QwhOMdv7!Q7$7v!`i;lFo%(@oMUa@ zQBo?TRGNZUH^!N0WJHxKcb*ZYJt?JH%4jM~J3eEK)I_@w+-PMJ(Ni*NWYp4N#?zpv zF%DmBONG=49xJ%s;7W`I4&xl&X-k)0BKT6lml5WD!_~BCutHT zCc3f$!)2~__~p~1Gu$BfM!`1`=F?Vy*|`;*>v*#Z?JaxXBH>mElPU0ND@j#{+nl{` z&nWOIVyB9|o$LYWz_WKvX9?3>>ujf(F6|C!GpI2ESy;R_%yf8q7yO1J+$s1j!FTV1 z(MNNS!^65p@V$a(37$ilt?DS4sU*ToZuZZ44npdYH zpqjJQ;m7Qa|El0^f?p%dCkA82!ggm*>JVkP*Tude_D!;kHX3et-PDA)oG-U=nQx1K zNBq0w8Fm?_yuIh_%QouneX$>i{m|G^mFTc{HfGZ~J{J3l*iXqaBkS_n2(iyx8gJKd zhosLXeL;!Y0L$ND4ZQHB<8x+5Y5hw0PT^k@XWX&kLionnuRq35IKsDLzZ3gCS(Rys zOZdUzo2_jAQSeWKe0YjVB}gimiJ&A6HP=HgqBXVme4qSxNx6YSY+DY%v3LkKhK>1Q(>>iB5OR;`7% z5q=nPmXDRS6*Y-i#VAB69PUng>jFDM&XIDCqQm%ayJ?i*s7d9#^|KzYSE*2 zr!zuux}DJ}(KVuLNi%DqUW+Z99o}H|mpZ{?1=kx47E@duKEj5ZULyEX!Iu$Mg#_;{ zF340C#=G&w<|v&LWLz%e3L4BWwN+RSwzE|`t(X)4_u?3sc-B$_5tXI+Zi=OK= zX5eCUjnfwzJx}y}(F=Cb9FzN?(?gA3DEcAMi%9b_jzoQ}JjB9c=SN#>e~I{|;+K(U zI%8oBw`+F#B>V3Fi0DT}FDK1PJ8n`=U}wT(E*x!l>2V29NO+QhS`yJr8s_Au-05Ru zY@e31Le4XEnD=p#+&bihcv$Jiv38bcWvr61ng$b*q1hX2obGSs$6C?rM6V~!oRe8u z6E-;eRR{cpBWx7=oY+mq)`5NA+2OY7$O~d$6#EicUiui;1;hfEVYBleZB)?c%NPHO z_$}mlZLp|9tgM1_o=|gl=hBO#XYf@y+vL1Phc^H##wDvc_ISGs;r-|&uS5VOzRSZ9Ue4jG@z_<{yc5<{&kn%DECD-$;1UvPx4 zr0kUPHI*pC=8Z{U<*RR8IMK4ww-UaS@VyC~hsKqY!VfOYvG&f75`L2Kvk7r_0CCv) zFD_&?jIQsm5`L5LI|XJFRAejS^{McO^Z8b}`&0a1;{P@teP5VJhn{`shwW5~u`-VM z2KTFmkH6_`I1V2cYs$kO_#s`#|Iu2qd*Ub5@x|{&K7H#DAMV;!683iGKX&UHO4&!s zzEpTsu{Lh{)v=!ov#*cR+(^Ry5*kzB16r5BiYws&r(4*A)I{`wq7Ndi7-9Wg)d*9e zsVl*{)tX6ZE~Nz(o&d9yE78sG^kI{t=(H5wO7tN{qXxl2^G>&4g&=T*)}q^pK5Q3V z2>NiRJFF7iARHn3NYO_*jinn3!_iLX7~NKMJJH8Djinn3LwlzO8-1+k4x&36jUn?G z0MN4VEe>)Gr%LEffzK9Jw?!dQ9(p*x#U^+46yHmHZ}N&2_QOeknnUhC z&80yWt3HzYO6o_6pDC32FVGm6|9^3IgkpB^t7-wo{d#wwd`>}mOOJTI-H7@JoeXMx5buQ3kxBO2T*-Hdtk9f`rQ@TtR`)bvbvb2v<72;Mgeo6GdMo z`fAd=mgQLCDqQ1mOZ$X;t>EhfPa>?>aUx(2haQ3JUD>%2!QcotNV!qUO;i|ttbAUP zjNvo&%`SXv%hKK=;Z_NgDMU9nJKW~*FuS=^1Wy%wJ7I>7Zw4`Rb(e){F8uelD7n)m z+#z8G1%@6gM^>2W@J$x?I|bh*_-?{{RPa^}_c&W*qjl~TJ4@_rvJ5yg7oX?ubNHSk z@f(gXNAUfE=Mq+Zw4f|J;OrI0MC?4V^TjS8%a1l#6bel+q*I@%9(3!)KO$?PtcPSR zqQyIf&vQjwsvXsu#jc!wOLS?LNLean85KS#iK?O`HdPM~JO7BK_!04sieFBi`M4T4 z7Hz}F951xh0Uj6rgzzVcGg}G|PdQy+^wXkOh<=7NuTX7lOjzk`Z)?~-D|VIG)nu7g z6bCsN_8Q0c<29}nTfSKKTk>!;vPgYkmQ*L&CVf!fTm&Ly#ehYc#;^Oi|kg(N-9-rZN9N|?7+a$bZ zLJHr6P?atV+g<28Ejq*N65f#TCIw!ix;R$#POnGymMbSMij=pdyd&jZDvDG^ZB21G z-uLgh(DVz%34?qjd?4XN3cSHs`gcr4_{izMCP%@4Ecz4CpOR+oDXxt(0iQWO*cN}> zA^daUUl3>DBg-qXbi$WTf0-Kv{*~yRqQ54sS4ybFLUJ6=^o<)&TVKkzGQN}XJq?u$ zSfDig;P8UyqLlt9_$R?X8=RL_Ss8wDxW^3<{Hx&K1piK$aS3r0$C_pRha1n^2fsgM z{3YXW8oV?CUulsu|8YFy@+h(Y3U7c);K1-7{MEhXA~un-2YyR809IPvc~AU=27r{k zsPNuW!7B?3W4dsK2@NIeBVk_?Sn5mI&xKREMv-bHVSfpYDe!(_Q^!$t;Q*(1_Qa1k zLKD#kiav-mAFeF0O`UCSY%{UV#kL^JJC((N4|cd?27^VwEd{p{e2Bs5fU66KI$YW` zf?Er2Bls|bL!vAd4tIE~Rn(3Ue5Bx`49155bnZL6$}&t_!R-VeWAI3Z+}`0|Eb|^K zxP#!11{cR_D?%rS54ZK}juYHj@bQFsC(#2@iZ$-z;RF}Huy@*t5;7!YQefGHZ&;XQ zp9)#dFSn64+2V7==aT0MN^u4}sHpb4FraC4=kp~LNGPPhJ70+QO-4A$=|QXTBaU#g z=q{qWl4g%c40{2DB5qj~LN|Aw-5>?s`*Kc|)16LK-si?S1tA`KxKe86eNQR9r1UmL zm9$hj&K6E{PRfcn&eczU8I8W^PVuzCDBT^Q}e@G!#65V5kFOzy&WvGc<$0}U5HLVS$83htT|noyz0@m^MN7Yi>D9w*LtSJvc* zQfJ@qA7z~~vE^bD#@6KKhLO&8w^qX_u@zz~$uf;KrCi0*;ewe_z)8W?f=3f(8q2He zxXWw^&TqF$aY}rR_*(KzBQ7BEF^)H~OIRm-tnhl`ic1b=tc-KGn??K*!IuiYj4+>% zQY`aX9L77{#-64LqAwSH1!)Fd5(j*x!;|gf)I`Bo3BKCkQjQe9#^DV6UURMB>jY2Q z4bBhOJDh3o4T5hJeA6x%li+W5ILF{y1m7xn@@{ZJxXs~QgQp0dD){!@;KDG?;XH$< z3%*0}j9oCgWo9~DXz-na?-G3XE*Rh5?s52JgYOkQOYrR7V9b?uxQoGa1m7=suERO_ zcJ+Y6XB#|E@O;4wc7t=ngASi#@It{430`FINUV_%7CXGZy(pFlUMhH*!KIlfXdiYs z+d_Us@S}p46K0_qvsN~0?5;d#&FsgeJR#*tDtv0HlH=NDNS_^kL<;#ZUBlTe(j!`GrUPM7?MA8~}WqSuLDPnzX12HBU^svfn$ zjbH8i(ncB2$=F0gz3tflr3wQTx#-sO?kul}((rH^je5p2sgd)xoOk5BOGk~y1Qsp!?IqrG>yCdAAdc|9tPf;;NQ-#{ji^L4m*FE< zp1LtQ(Z^Cgk@6`OCOuKfuNj{?-Tk@XW4-cam5V)rG>*GO?S zYH<5Ge3dRtN=orP;{>N$uE&o!!il0YL}!vd2)}Xz`t)YF#aOh3p9izt z+-8x=mYE|nmnO4KvZgxZIlIKtoiDaPY#~`Dpej~^)$ASaF(A4~CkyT(xGQ0nYbksY zWFJg7=NH}-@u!GCReX2yeE5)rT&*x)5qh}trp3LdlwMMLQ{g)xg-#eWywGoOnj3K| zZ2QRQE2AF`mghJLHg}AnEW{2cr@QpFo#qTlXG-c%iMJvfiza1{*1_Sz|HWHk7(D%JN2;lyWHvD!g&H4TVK9>_r$xy79S1f0T?08I?46l3KJnV-@vO zs$8jlAj(ilDb-R&Q(-E~Gq^BTaQa1?50VmHBf8dT=IvA%<8)6;K%MBZqU()D*jSHd zoYOB^*q4aDRP<#=k1WW+f+yphZf^Cs38F6-eFbSgII%Kx&7p_)O6R+5#LqawMDbUN zznVOYTnq=`$CzszZ+$^@S*{g+o$yJ-`Bp6E;+Sl~U+=<4mK$!6aHE8qC@_2s#7JU< z$jy#l*DebG7U8!FpG;iUER0+ng~c5Ck>xgbwhoJ&DRQRDxt$L4Lvn0=ak7LtXqp?H z&6qCZ4jD6Oq@RNPj6@Z`ylZuXnXdg}+2~GbcS*aO8uP@+tZYm~xX0;VbE0V7D|(jb z*+v)UW#?yw`<(vhX#{~I%n^OR=((hMowS>8Dm>tLt`+d}gwGegfOwRG%w0QshX-Bz z+fuMl+C$P7QA-yu`B}-*QkGwfUD>l%@oEs3NLean85Q2~WN|q@yJD*G!!B&Lm*FE4 z9+j}10&gKE2C}BCEBlx`XIbs~aXC-Od6Evxu;LV!4S34ozkiBi^t9j=f}bJG4~ZP+ z6|0V8h)H^$*Gl)MSi}8Ud8_2DrpHT+g`KjKrD2WZ4K3kog|8F7o;a`7=vqu1jfXmJ zoa@Tm(a|m6DCIdRo2ali5NF5<@p67G!4@esoEY=GtBvh!FGzh+>Pu9aiOcJ&tCDJ6 zY<45RV|22YWxOI|3ytVr=Atr>J=VfjR}Qk1yeegzl-H=JCa+nTsCRHoPuT8O_OFNm zj_|syH)Op@EB)Hb$7@g9U!u|A(!qABw0L@HD3Vnp@!;2l_gt9uO>~y`C43;^ zLki5%)v5a8@?^})>5p9dtSY(+A4~g0+Nb|N8m?aW%(We+?U44lv@fVd7cZZ6Fnm-0 z(v?=0qOYXvl=3wd=FuY7WWRBEl8yiSR`7R%zbDLVRvD{EV(SnMdksIh^hoz8Ek8>7 zNz%`hm+2jq7z-= z!dPtyC-Uy?N?SWkLn-@6*_R5l0N0SNtj4&0oC!(V&$TYrQ`Jb?{?Zy#V|kF9QIN5# z`dS|jaIdSKu8F(@sLml-O}b~#rnQyUPTDcln3xQ1$Q9Z<{U`G|j&Q8#4x&4fX4N7)qaZt0RUbMz zpV?bD1`vtwEdF@%3<$fxW6@2AmyV6#69s1o&Lqt2f~o3g9^g)3TP;_1E{?Ktwv-$x zxl|aRnpABS1_6dV=a057^?dOK;tR>MNQ#Hr^wJ$CxzMa}bb^y5bdk{2gi1W|8erMY zg(hc3!YL9?mC&66AK+9~vW}aUR)!vK^s@}oQ${Zty=gE`xTd)^<#_p>=0d(*)IJjW zO6Z5bwH?wo4J!`jhtr)eW(6HbI79rI;``&TuInhwkf^N33lo!sU0GyPr3OejTgo|9 zc;8|r=q4HH@RREle1kAZ@L<712r~;|aVyl5&vkm`@ezHV=<`JnCC%hoY{CUDJY;dX zP{KtLhEZT#FkrYOTQDrKWNFGF8U79 zGf1hJVkaj zM&s%&aGzTb*%{`@x?k2@TFiT#(S>3z{nCBFrBAY=+&xdyd`Sx^HHuD^lV0v6Jm}6M zJJCWp56M|XhYt~I9i^yvay-IfSH@OEr&%Ipsgz|@_-<#4@O>8b@am92hyBCuEw)oV zBJWXo%jq$X6=q=Y>SGS?wH&|U2#*VXLhzG>na6k%^d;tor(9TKp+7BQg@k7)@H%r+ zDC)yV3*WXY-MYkvVmvErm8{jY($|^mzHm4;UZQJUnqt>^t)z95)>E=PmLE1az0@MM zQS@`7HyMq=KWI8X@AT21G1Z9h3!+~X{Ss-*E(NHbpf!l$8=Ku)X6JZW)+@5M(BexD zllM8`8=cEr-PrVsPJN-esH`+izwAU3jay?&&1g>MHbJ@z_iqgU@P3VpLpR6`fotvXNrPN$4!$cnbe}N71A^!KL+f zM^BWLAt{qmR3c;+q);Mcx$uldD_cU2gj@n;O>N@lw@U8qQk0(3#%>k zo)UUV=uLqS4RT9XCi>DjeZiGAru320S4uxBQC7*yvN{GX!|Cp=HSY|0XUgkO&rX$H zhoyu{!db4YGi893v!$FvCCV^aIhe{<6$ZMo-i$#q2Fn;igD(R#zN*V&)!|&{x7r8T z^TeMoekgf6LvE_JxIA3o#s)jXg)%OZF^mQ;af-duDZKwLcA>Mam@r(z2njI?%q&=_ z1mgg(7dWduMJ^pB4g+jFM0x zp^^f#qehZ?#Wz&Bw$|z}Nom#6MpLu9Ul6aX#sC6-ZVSP^O?JAJyc&76^q7saa`3Vm z<8X_7{Dvdc2_7rBo-i+2MVzZOMDLn$E={oM@s~)tRMKUX(r3tzh4BvmXlIxp_;SHl z5RM+ktU`8zB~*jE(zWL;6%(ahCGBcz%wAP!1@fJAjq~@N9lgq~6@Q)hN#t31%fx;k zdEt7e+Z}};afBO0-zfT~-RP`>aI@1LjlMj(wiAWRWGRrKw< z(P-39bGoO|(?#DQdIo7;%e;buqA=6pDYr*K-zoSm!FLnpgI&yg!25-zOI_LeairWU zWtNoLR2Y6$F{(TFIee*I#5scR7d)46RB&WxqzjG*TzSFn(>y8jr7WPr>s}rbrLpj! z(?8n)y@jG561~W16oT2AVX@OMTG&fOFBQFv^pOY~owWD@obt?*s;l9<$0A0Bfl>xw8xJuc}9Nl#K@r2wt8I4aXf zAFEVPx%HU!;6E*Eg{)_2u^STY72G7YRnXq;I0mhmAWZ@?m@4`7_ER z{sr+bihqfGR5WF0?N&5xcJC#-p)bpOMcx*AtTPv5-gPae_s7r<;%(*4MBB#goE?C0 zgjZ#6ll>a)L-6bWRE+;8o!dQx7F!hnKCdW*Hx$B~41t#^s&=VbfcmJ-YJSW0rY}YM z+tS~W{w{UiqJSzk)_O?&&$-`ox!onvHG5z32a-Re%#308H)R>)BNwym-hM3c6N#Tv z{K9M zGmvKZHC2xM5fA?pfp6R$Yl8*9mHVCC@99R3>TK*}?DS^KAU}%!N%YU8IXq_9qh4Fh z=MPJ;x>;r)3x1XPo6O&7@+y_pqFV*o>VG2nhs&Av-TzO?e@XtEGV?R{)5Ov#__UpV z*#B|wqi^xgIKsd38Z1!z34fKJ<74ptl}#%G^ihzBC){X5uqu*w3Ar<}{MCznsQ&SO#*D5{#LPmry#u zr6txa-$c@Zk`DTRByKU))TL!6HIvj_QVU9a<6F8o6dT&Xu3cmiY$>gkv_q)z0Wl4w zK57fN^@qB6y@{zAyqins*|g~Oj}Czx}FoHOP0r^5`0V0J54 z$-o0~ft%0Sy0sU|yh!FSn!IyqGbbmTiy&R>(k7FJOBx|5Mv0BPT{|rnx$!6;Y8;_h zMv06#4PJ0IimGbk`Przom%8(qRguc%l*>ubQ4yxb5LP+N%EN>cm-_4*<-}2vDkN1> zV$=%lf`=+MMy$d=;0Q?>)iOrY;Ax_$VXJm5l^$Gr#Nw8cR3oX@q;zcvam&dl3}amC zZ*i-WG*(hQCAK~BEgiGQ(APfBg*v-xmq@r&!etbgc}kPDRakPr5SeGZD?M68>7O9w zaw%6(;W_f`99Oz9Vmf}u5hhBwO2X9?qIz$P{S>L(j7&^RachFrd#{ysovcY_*;UTY z$;rq36t^-hXWt;}Mp-wR#iBbex^yAj?A8{0@^6uKtE|biSWe{U<PuudG?JX48uL9C9-7g)`je!fSS#ITG%dFqc9UDXb>_fYaNJo+o;~=mn%L z_$;)X!hiP38AZLg2K zjq;w8w}~EK?$unA{CS5vl|}Fif?pK;5@DVMOX^f1bJ#01Y9Y=Uw!W$Caq`-TR zH$zTdc+2Ti4xv7}EVeM*Uuiq*5N@R`$}TQhKn=+8xeL7Lf}YoI5Jhleknue>$7Mqi2F zDgJBnEJ3jTUOY8CeB=0E%_IC<;ok}W-f&z}?kM1UK(HVY~@|%?3sW3vBS(y5X{hS@2-!eMGpThqV{x@-6ojk0HlpFqW`sis9 z{jcZ-52{gvzq)1ke1h?wtV8dCpVAGPnm;3BPyB?2jEuc#F#IwMq)UdqozAjZmkmYl zBYI!by!x5>x!IZ6QFuS+8@G)@ZzO(y@r{kIir1E6X`yg{^W)BmE>08i2Z}$4JTDGc z&>lNHG}> zMq+W4_D(lWMJG5`bO+HLN%P`k4iuu444s@m=>zLMP>d{dyvk~h*}`*#=Nisoad}xG&+$=5Gd74%zVHI!g~a(T z!77-VA{Q?y4av%Il51?ypL@ZQ9kf3RP0PB_isW-IXNGgfR0#4DT?0kUiJ=x3@%b zIZyog;)jxFT*k%Ny%H{PeB;AWTrL!Tk?>)LV{sxbZg8>VS9gl=;lf7f#kJM^(1^%%weV0hMM8c&KE~CKL0A8QyU1e`iJcSV(So*#m zjYsS@;r_uk4rqe>%jI7|pV7&_K5!!(Njg=PMVjuD2W*@HRueT=E5tsuGe%4cSx8)fsYv$sm=~F9e!;C z!$#5tZU`QGQ!#kP>%97*>} znoEgKLzIB@gP6w^nj^RlopD9Nc1A33o`Q22wd#+(+dy; zj<7`ZQqjvuGXbaIoPl^xb=*kXQQm=WNo6w^DuTf7#vjhLBBQJd9^lD4T$D%(G{V8dNkC{5DcrjME4WGI3a&eTacF6c##uqf02o#ek%!k)E z5mzc3M9NoEc1ro0iVA*oU^=X*MqjQsF}(`zglKZ^cI^v|T3 ztuUIwzTWUVh+C~~IK!{9ev|b(Ehe6uwV-(e;}16~%=lBrUo!rt!AGj9B7}dO9c1<2 zf5kRfsI~$ADo$~X#4O`%Y7G_I13#zR2jAL=?mh7n+6S`sqGjnW2zxud*3#Wj^gg2Z zH5%o2Mqb#@=_mUkk~l&m(ff;TY;;ymVQx`4!096jBD#s_14SQ1n$?(C&8P%M1T}U1 zl~*FXnegVqTM%c_gnC0^IN0I;@+rX)S_*C@_z;70GSSF7)Zre(Be=ETHi8c$%u9lW zvoW9kaHo6Di|8XnA1V4M(u_wggFf2fm&ZhKTfyxFA48a3znlq%sj1d=j~ZlqH)q(m zsbgh!klB$YUnM+EW382eK^6Db8QIeiBdA8WKv;D zuu)=3$Z~jr)nu{-=LpUv%<%CbC-6y*mEb&AhTD^zFQq_AAr+Nj*bfs=KzeHZNiI$J z3c=wBCrj!gsVgPsiYm^X!UTB7huFNXQ-q%?ygP9|V)3zfrJ$~jv0rWk`_k7_MlTt? zX{0YK2IXW`htr%tq>j-+g!+i@E509j_5k5)3kEMUA^3)Yy1?n~ZMVns40&hD>ramf zsmAOUeDpZW@rOo4W!M1WXA3`vxMjkEFwp5Fv3d6n3eidA>R#m@hGR22Q;;zx*&k!SYc z96of1^VL)2%CVgzrC3UdlsFY;k0R6sFbAlj9wTT%sY}D(#=qeRWs=GzB`E3X%SCU+ zNQdW*kKj>)D+E^()~yDdky9P2oS$!eQhc@e(Z=Ux=eoB0e_*(LeOn!bg z7PxZw_c;+Fd2W9T7G24H{);{en`K> zf(=D6_3SLf_wG&h|!eh>Mo)>S7L~Y{ z=tl@E9Upa16!f#gR|#KDoXx~o$;evth1G;LE|jjv?>NF*3F{=Rr@(k)dE>Cb+50yL z#nu&KpA)-@EH7WG6h(b_-sxV~MNxS{^oycjBF)Q}k7+t#v%}9=7I|6lD}uKWwnrli zY2`u$VXI5kCcP?Yo21t$u^_-4+7e8u2-}@sU^6RU7ypL%H_4~dS`^-LHeqRfTkJbx z-zCem=4EA}G=0zM?UV2$j_|(d4@7@RnrV%dpkw(Xhu>Hywn6w<@F#*lH5hOG>hPJv zZ6`)oafjf~1%E-9X^i3X3g2X3I{(s|DDbbu?-c(vd8Tp9|HsyQfJasQ?fZP;1rbG1 zu+TwNs*>z(vKv$sL5hGPih!c9Nj3$NY?w_5L2RJdu~#hE1yrygVs9W8uq#*)RIG@g zsGx}d=XrMKBmS@7d9QEY%jLe$nKNh3oaqC0v$2@A}?4fcogI(ZximqLA+ zvAU0mnQ*BV5?e~#mm*(VOd-c2ODNmzXF_2}%B>`{masns=JHtOj8z+cNDeUNghf6Q z4wQ0`lr~iOD5@*azTny#y|~2F?L@a1-GMaI9h$ANV<5&S8Glq8&vz2vS$r4rj4Xt| zG^w}oU^DIu#g(oy4v}#v4PF5aP8t++nDLPT{tDg1cNgD-Ja3tin_pOwP8YkLrqqOJ z?IoqRl*6g$meFdTFn37ui;;Y28APqA0_-~;>=evSoz=eGx(yACXNw&tl<6u z&dWoQ>o|j-4duB3f(Hsdo-jks*i3NN;UE*HhFcvhVTgpGy9))$Dircfm==U#5{63{ zL4mhgSc`=loIBC*w?lvGNy0}8Kbg4C=&+MTu^VOl`yrz{Mf|DaN0aB%a z;>!b{DK17qFX<*3KiKA`j#o{j!e`(;WvCbE>;meF)5OSHz#a|)*O7eOJn397nuaSGZIi~E@)d%S+DOXFm zh6?jmJYjEKYsLwUy>Xq4>t);!45q?dO=7yyjE6$fyGh2)GH#*4U{xkdxkeb@jayCW z+}~ehu9VxP+)jnLYgJhWYaHHT^or0ya;NBdqVFQjo50?~7@Up7;qEpg7S;*7N5;J} z?xVp6SBxnNNU8T5K0my94+wuy_hLaE}XqLhus8JT*E{(Odka(X&Gj>Qd29iC#vUX|6Dh zb)Jxho;E%a`bM4+|E&1u$n#b)Dg?Xv(s-N3D)IVbLEL|p z>0Wt7%BxbAQ&Fnp;2sp0u!n^iQ=56?H5n^qyiOy;XVkr6^dliY-xU3p=vAZ{pT$K} ztK4dXPu-5+aJaVxza#iv!peqfE4fXHd(ZfXLVwWv;y)1oA$b;U|4q(V)XJPLAw7RA zXN{b-bW}=2a)@DKda9b=p-;?O6mH{FS)a-JoR*$6`eEa4ozeY5KkOHx*NfgjnrS+( z5NW#7eQ9{3i+Izx?XQG?Eqo(!R*NDLlo#+Av>C@YCasIfY2dz<^qr*dDKTP8lV~;i z!Qijk`DgZ{;7x*mBFv{;RgY%)(n`FRo6T4gniYSRu|>vK8jM=*-O2?o`8a+tXH!dm zm0#s-lk*!L7VIn0?fkp3*N*V)A7ZzQ-9eU*L5+&&Nv^^WmJ0W$SsOx=;$O0M%KDp@ z$}@O)d59^u%Y?<@x&0%d!NaOQ;IG~YG(V@Oq0JU`<%akzTaCCdv^zJ#PpC#nX-q|* zhO!hYz%{Ok@o#QKfN{7z#5WbcC;9L`pohTdM?--261}(R=A`-9k|mSM-9852zd~om zjuwJj3f?!s$X)W?eg-E)_R>mlYr*>yW-7vapQ*qC-P(8R0F$C&n8tyU4wBS{5^uHy zAAaUAZH+(p0RPz9iEl5y19{$T3X7PeTt}nNYU=4uqC1Q3LOQ%_@k*_UhxX}%&3ZgU zQCC@q$U2l3qX-LaVRc-CdxWA}H^JQn_aMvwsix|B8l4Ok)n1}|i$0t*Gf4JB)FjdC zQtFN{<-PI#9{Nbhk&;VA)n_ER1okLG@x?{Vc_Q3FR8CAz9v!}JB^60dYQn(Bd^5I& z;!a#fLPh}%UIoM4um)Ck6@$L!RQ!d1!r_jTbCjH;>F{-{N!Pi4#(s6Xzl&qU9xJv# zS-v=IDX+uMUeho9F21pnv;dly67-jXvoR;MV8UJy2e}Tc`hln3az6p5D%Shrg za)RMigFHS=_;BGPi1YMy?3`!4!T9pUoYAUVt9qq#I?%lJE>pk#VYw z(KL7k)FDyRaPBnY^VZ^L9Bz#GvEs*(XR1R(IkvPjcy{QyJ45hz!DkX?)F(@--C4#i zUcuAi#1q6$6q_W=G#80Sa!YHqHC>@8iKAp-I)ap9DJd!pd$J;m?N4%DiSd0`dcIVA znfP+@jC@RvD9F!olMEls2{Sm{WZ@OUD~a=+NnodrxT`Yy(MJSh0)psj(NhAAsL#cM zxJEx2qCF$JMszJ{M&l&x$?m2a+&$kv)jGk`1lJShQ^kgKg(*Fy>1Ir{$=)(%$T)|F zGTTTbC+f~MddplN^z%fYFZu$~jF*CFB#Pb5XBvLfQy!ls{6gUu5$DMZu;fC-%{F@V zGEZMD`V!HX1{&K3=EU4(Mz@*o>B~i5A^J+v%$@5}TzV#h*}E7#I>)5HANKKcm87dB zT|t5aiQfx)-W z@bFy0w+X(TFcakDayJ>@7k7v8hlkbM?i4>y{9WW3M)WdNB+IbERtnqMnX}?1f3x?< zxmV78ba=CPR!H*q8=W`Qhv)&(4~m{|bWSuHa|?`~G|Ox;@M6J_5@xF8)IW|iMYn(%kA^vakIQ&M#u6GzIQfa(n0wObe$V>AEEWBf=w+mt zA#mP&stV_?a8H{u{41|KBjs5s&r#t8@+0xQeD}Q3k6q^J7ev1(`X$o3+XTkhyln91 zDi6OR_*KEn3G>u3Y-t;FD~#@4?&;S=uN3`yp!0H~7=-YK(S2(?{if)*M6U`ohQ6Uo zXtmKBuJ-iXqTdnyE@{R)Mrl?}M&S<2+M4lV7*X`Tj1OddNJC-IK?A<~$mn@z`SX7) zdX4C{fsSLj&>Z)P(U0BY=}$#}Ci?S0=ft9zD!k6<^BF`O?hDcDMQ{_r!UZkzCxS`@!hex&GuoiryspC(=B5 zRWehC5sjM-Ulkh7e-^$)_*UW!cr>2KalaTmXN*7huY$J;{*5rRfeI8cS$6u}_yfcE zia*3}7r%qNo=>76H{t#?x@EOL`(L7WivF84gOVFdtU{B)UzY3u0*Ub#0A4>S<566Wv~Phd}3}Bv9Zw8eMw5r#p%6EV>J6 zB^5kPcd)_faUSj}_z=N|5@xUy1stk*n9=(^?&)r#yNm8Yn$caBtY=eMPs3*&>^~K~ zg!dMHIB}*!RF~O+=Z-Lb^-uoveZ=R8&n3^m;9G%S%81b|SR}^bqM~D>^Ndb#$Zo#T zH*=^z>A2{G=mOG=l}I!{;rbfs3Jf>FGMV_WlwzyikRf&rFHuHHjg(p{ zyg)9-BS+j+qi2PwE_I@(iLMWHPK1Ta=|;C=8p7eu7Cl4sIiz`~C~hU(xdu1uD7Jw+ zPw@GIFCff-M6eWDzMEPK&CHg|q7m?;CxEL+#=n+C{nQca0XjQye#w9W?rJ;wE zh{p@uWkx6N_vgP{^cAA7B+a5Lx2h~f_XZnL=a_Tie*RfqCFg26*U;e=60uy|!L>$z z_OQRgb)v5qeFJGeD>QM|RAasiDyKJ^GB~tb+$7~@DYsDJ1#I>F4BBfc&+o?-3G4?)A8;Re6Qg92FUlO}B6=+C}X!c!8KQD9gS5%w88ZFHlDJpGL5 zXGK3pnqk4<*{FNo;9d0|enIeyf?p!cQzuKA3%qRfXDdAYis)BGFAsDKo9aZ}3Zt(N zHJ8^!uN3_{Y2GK-WkAIXqjyZWVW>~IZ%TMe!m1!(h6g4Kq1|S+3HybCDsM}8N5Z=l z7Mt1c!TH^ar9p3^dXTO0FLn{oPwepFlp4oUWs%*M&R%C;zkB>ezL2+G-UfP%BCHaPo>5HO`_hEQVWH@+Bz!Gl zBL#*kCxKh|#^7s1Vc=WA-wFPnFrz0oj%EMd4@MVt^BhG*nR~Mn3;di5#H1sF`L-cmhJ4iD} z!W2vv>@ic-{b|bnS9;|yDLbY7P2~VyAYELCHbt5o;ZanP-BV+i=}T=~kMstMRD8!@ z-A-OSCm)$|L;QEP@ZRwPoD_#^gr87&7v7k-l14E;a7_&E6OzUrf}0B7lQ8dwNh4a7 z;sB;*rW_Yi#a>eOmeQO`_WX$3eGHC<^S2P(Qt-Zn`33Ten4rA6pBcB!_L0>}Mr#@S z)8OgLOR&D!0R~^()58Y}K1gsI!fYu*&&a=P#Z>eIE@ z2r^>Iz;L%wDKRN|RCu@f*a_0*8(c9Pzu|Ck!3n_ygju*D%=rg>jjs&+k>ZaMe>8cX zJduZ*bU%ZSU&K@6F)3wnEHnz@A0L<=9P+tGkw%w>=DoE0tF!ubdwH!&1}OM^dP69&BP~)`orj)h5fT zkX1>G`At;{)9|^y!Yy1b=L$Jj(#d}1x!u3Ip-E>7Njbwyv{O&g6|H7&-_sFJIGA0@1G zhUE&dCacl&LL5FW`U%lXNUL~NTUcC+`hnp?uk#^UD*P$o%ZT$fk?ad{*rD_Ezd}ed z&q#Py!gCauj`2~Sgn3<@JodaPCx!XfFGzV&%1cz#d5&x3N@7pJ%VwPrF7%45S7j}y z#T!XxN0F>B{Dsx{6^DCG_)6ig6K7`0A_I3I$SywW-Z1U+uuRFD(%zD`iW;99vy|1w z{t^<=+hX4l`z~2NwW}i4hSnL|HYsvD(;zPiU zYWIop!$Q=2D*iL^pOfb^m|R|5g<;!lz+Pv{hPZ#uUr1RmWdjwxi&a%vz5w0eUz+e@ zA1{0*;cE#SDe#RcOIKvj>x_{_-)4z(|Ci*whd{o5_BZPi8xVn)K_#c9| z3*JGPk18jca(^1TnbC#A{Uvs%*uTm0#As{8{?!K0S}7Lmm;Pr8(GyicVhWD&Y_bhf-h`RFN(&#S3tl;UD+&csJqQ zh4&!N7l64s#~=1I{+E!k_Y&V*{NdzzdNgukaaDJO;ax-TSs&p!!gGl;QqeP$a1n#o zggL}f!7;&k0gmRTa$UZ`Q-|OLI9yzCLT~|LMkWhb*hyL|d-gSF`V4=wN6I-$&e3!f zcoY~hqOPCeUwxn}pqe23SmFJN^Bv1fO1k5WZ5hU74-h+0?D1roK;xKym+uA{J?dtE z=E0(eh#pE>ZwwlWI4;heV8WImKIFqB43{v10)v7Tkll&K&P#gsB(WpKo=lb}XHept zMKH>QQ$uJ@k#MSn(G>WQGF;8|G=q1B()Sp_V+D^R9L}EL$Mi848A*reS+YLf|GI+y+wmI?S1Pzna5-U~ z8r8`HY}8aUYr(NEp`f7A0?3-E~V^D7#G5wkx(O{ zmV(OdIasx=GKK9drkZhjFzRGXlTjZGj9W>eNQM5W>1Ny|Rt0Z16@fwP}`>Imx zO?9oo^TV+D>jYmf_=W(dDw9R-MuW@3sLGoJ-z@kR!hG0;=tsi9@Ql0Fgyn1SI}SHj z!fg_6r@)eAX)Wf^V2dQ|IDnGm9cH!b?4$TjS@UGwMJuGKyt=Y_cee@2aL4yZxL3k` z6qsPsXbHUE*rB1G@POC{#m*n$*?FkE7xw1=cUOwGTXSg7I= zql*H)Nc3XSkCIjk5iXKIKQRickC{>&l*gq!A!P{_E?1#l+L)(fHcT2#=~y7t%t4y~ z;BZT2J|%M*O(qm>Cy2C#yQ!+J09A`b|CrpXz*{>3pB_d~I;PB915K7{;np3C^+G zg753>45Py2lrMCK^*X}_o`HK%pkA1=|Dj_D|A$=sOS9XAD&kkNzm~m`b|=``CB`wP z5X-? z6D#6nKQmUoffM6!tz@*8u|Ew4Gb|yjSM~st#)snjfsziA)P@o-Q-_QVFDEY3){O7N zeD`)T+RNw=40PVt)s*oy>S)Fbp~BKhMrRpaX!tK(G?&HIgH4zel2}&>he$Y-g8#5Y zBk1wMQ0K!;nH-dEQo2j&LB)T$Fr2Wb(G`L2CAzoh!$~u{(*@ModN?4TcJ1-Xo~+82wKe&KVb-5M4l;?|WW8I)8Ir zU&Eg`AHU*oM+!em_|e3(<-d5Y>u2!Sq5OA@;9~{%C(MwbCaKR%8GaM0&v_;>C(T!rBK1uXQ z(I*EwHx|cYo}-Lj+`-eQh(1;H=s+W~5hJG=J&2DQhZ`e$tmtt@=S0v8bGp%cHuUrv zqQ{FqlQh$CB%XuC>oGv@EE9e^(hCzLOq7tMz{C>4uF$wuL`|U?v%}!EA{oUpQZ)Gf zqP&pEP1K|@xI5xXOj>oAzf7s5GD+o>7@xV=x&iAI8T~+ePfr$IA-a+@?;^h-Cx$t# z30Gyp`Ww8EmQXEW3I#o`C{OQdB6Ms z#nhvU){N;URfaeBY)LaDokNLtp!NV1W8AqW^r-PK?RgT;mv8|EwIZkiAzNgeX-ttOo>jqlk3!le{)oen+ zck)K_szMy!B=2TKcm*JYf z|Gmp6O>R`-BX_Cfrz9_<%;)m&=5co2r%gR&npdBZ`mEIFsPd~2jps$&^9H|n8h*p! zUJ(4E;FkzzTkq0EMYZT_L#y%2=IpHZ7kEX^t8$jp`ES_JC&mtQ%$hcJLI~SyQddfS zohq|i#$+68h@{;cW>kk*d{f3-GFH*xQ=^eUJ2Lxl@z~J`vD(Zj!F*fhJ2Ky;8Q!Y` ztP5CC%N6@jp)xNMy!YjOAn!wZeCea{ntD_xKQjFP#^P5T?qlI=gs&yeTZ$%7i4@U<8vBp>WvmCqj2ktA28nYUx;5Xegk<%!M|lxUrBafnwbiv)30QH zEpsDHeReQ)7Q?oT-W)oCzZLzR=XS z`xspt=oX?|ir$yB|C+~g`7)tv$?a!ST?l?FNv$RAPf1_%RCY@pcYq1^h2^6UlyH!Q zHWd789*d}g)7Fe>;S%j+w3pF=2A?n+g_EwM(S4@*80sXtv*<2?jz>_;a|auJ&sgD%;W1*572BUIPhMJFoy{DMGhxs6{v$C! z!axbfQ(!{Fo;=u9lgn^ngy0~PI)?_}!IFkZ8cK;z3RjunPB6G>xWX{O!v&8pI0N`Z zgTD#kKS}UN!6y^ucW$@fxKZYG3ZXeg&Z%-n(_#D+B~eW=_V{)935OdacC6TOWEpbI zvBkV;gXcXZ7K^G19xwPz!c1e40@NYhSw=7K@97DmCyGu6I)ll+sGb=8aj5+ki7pnM zBF!{bn2V(d^IeJIP2Tq>FBM)Uyqq}0jinMW1k2#N!$h{pf-3}95@sR*jE!R5WLIUv zl|e{LsFpB=0s~W2Ra2it>#^b0-}}I1gx3hKCCxv8KTc2t!T-~=WOqD4d3ye56OAL&li3Hah)6+rlj0Vqti2eTAwBQ zLeUqIX5!MDfi-_{w{EsML$CJE#d0o@b15B`p7BiCaELWeq+Mp(RXu&cE|+$Nv@5Cc z%gIY=;|1fVgv(qd{%Y~pkmrrmOv8)ot~L6dyL_Oo6Ment8%Q%y*r?rQYOAX&>L;Ti z*WGB^Gu9O&?Ph7WP~&sUl*A+MR)gc0_-o7+e4F6g3G>^Kn~PC4SO^}gDgA4(Vt~Wl zDPx|DyUf7i8Cm0QGnRJs#yv9bm2n>p-Ze_z7|DFU(R0r8A$macgQDk?W;+(vQ(#q! zyDKd)<%dx9TqxxsDGyWO9b?IsYWIl2ZNnlmiv%wg{3v0jz2XYsY4@1nNBqwR=W*dr z2wy^+=f;B3)7_H>KQ+s@&5?kNgBb;&9K1epd8zqlIXtWqh4X! z%rMI0HEAoQy-tl^4K&^4$FTt_3S-^N8j&b_y^T-#Fw08B|x@N5;QftzjCc!@iI9Y;w z-E8oKD{ulF?q|VU1aBqGcRy2&=7us%U30&f@n)D{@vDq&GJd1M;A5AuigcZx?(e4T zXyqgH4=LNF?4ZKnCnw`+{b_K|mG}*Z`%Can!G9Cx`%{MRU()R|Iu#}h{v*1<<0|#z zZ#FX1)035j)<7Dc6P} zi>;)zma;z;R-pMZCNR0BycE6W$Q%zauSIwt50rP1yf*asl&iU7n_3jwnlUEj@1&iK z_A)vIqcVlg*z6Y3W|W4JYn^0tmeGXSqp-7q^zT49Zid2<2MdVfVh6fw+r8kW5gdTzCU^9-T#IS5q+FV4~B~jkTg)z z@j+sw<+8Umg|}poNv%Vy4VE-S(ojl_1vUqv5fQ5bvR&r{vwDQly2E4*moa?hMi6MW0EUp~*OBljl2?!TN9*>Qe6} znef_df5($0R7j|#!1TdZ2YlH%0H@wnnY3jy{tbsqORAPMg%YC)%>o!{;fx-1sNe=J zBf3U(Eol`WaOa5WjjV4Rz7!ai;NjhroEhJK^j|B-|S?j{*G%eaLGZzV69m*;LZ zxbN8>o-6n^!M77;+KA@GFp=#Jqn{t;={rTw6Mfh2biTXW=obQgkLY_v-$$B>0?#;s zVHd^jeiMEU&-eie4@#I%K?ya+y)+gWofrB*7m9vJ^uxQ+iKu(T=wkxCNc3XSkCOJu z8WU<+QN)|`m`PhgfF76hgrp^u7$7VW87Xj28a*d;oGumpl;~xoc?oq^a4p~p%wK!j zq&p}3RPl_YXC*yHiBBuLDyzXGZ}adAf?pK;65+jkj7Csh;W)IH&Dk36;T1Wr%2`f_ z_keZpQ94^;^hqcAE4(IprRdj5Gr4j1Ol*XOPr@5!3<*6MZ_0Q}#;Rb{rCmj__N`oP zMytjC8gI*ZN5;D}So%&@)K*rNyY~#gl=t@IEo&mk>vvO888|=M-4e!e;N*n<)k8~3FN7xni6`%1#s5;juco!2DG>rk-%#_&7Cps;U+e<%EV;{GGV{sgR( zsU6(R+7@o+M_HR>{X~loyeyN%5YWv=x9aYL^t0$KqPLO`Nh%Lb(_EGE7ju3KSNK)V zHaWl13Gthc{s;HF3BL#74++~P>)-vX9sct_L{|;g+iLE8>Pmy_1E!NP)ZeHjR$DJKu(i?aCSU*tGL6X`~V(XFb z8e@O9MxKS<^tR?78U~WKliyx`2l~7yR{BLCk$a$}*mX2%X-j|6PLeuH>OzUPn8EZ{ zOmzzTSz_pviBm50VpoZWNIW!%%BeU%7hR2*`QhAQCLY+-i`^u4m)L_MA7C+e`$MlX zH@nB)5N7rH6aR?A^^(V&26U!@zB(Qy!%Qxq=B?=nmkH|^LDWJoAr63>cO-5Z`!y7#7@gs#F zCH!dOyp?E-{dCdXdDExThyhH*k zu;s*~c^I_g2AMPC5$_C^Gepi%I=n=rAUB4B>IsIo= zqI@^i;FcHrbJq!;Cb*t3KTJ7Tuc#mrPq^tO?7=(+hdW!s3<>8@(8J1$7sSz}VfeRU zEYo?y&li3HaYar9WAtVkJoYw!?pcB_6nqh31}2hQke?Sv*XC>!=0&`4v4l$`TuOnp zM=TbH8D@FzGUI<;W@60V`Z{5clMwV~?n zT9ejK^jEn~()E&VpyWTr=qJ9>=v|k4`XE#K3-cgme7_b$2&9|yQ%vpAz0T;S<@MBgj= zKGJ-GIdKevxZmK{8D<>r0l^Ono*!TgQpCcr26wy9!wUsJB>3R~W9_Sid&J<$&v|%} z;KhO;4KUVVjk(7RUU-*>9~bdLwD(1=%6qSO?`B6WWBS z1>Z{ePQv#Tm~~rO4TZ`d%vlzSYCp=^B?F6d+%9w(rP&fX7M3->M<|_l6@Q5ML&+9AWT9;WN`maE{G|mh<^w()Q|>}Xhli6?3AXOdMuNQH3<6JY1VJ>r#Vum zIZCHFny1;1r|}Kp|9;(FKU2^6(W}QuJyvRes?3;t^$rsp4Z8nCa<0zpLf=a?|#YYrp^iK*-~dnJ%=ju&8&)nu~lha@m$j` z3EFwm&X;xpH8$N~>~vKT5;W3@f5nw$yP4+y7~*M`{0rq@M86IE|E87v-IB^|JHzsj zR4&#TF3}k-o)*d3 zZ7R#%Cf(8p|AxceBk5jA_fcZuCO_iC=I%G+#85VPK*obI=F{K@iOqdj6F$0MeV_YjXA z@gzJUVF?939ZY>in$FH z`=<%_g~@e)N!TgjZwjns#iGh0cNspX*azt!;SHWtoe6)ll`5-p*PNV`Yhvt0{0WEKLu^yAdy-X&JsOMUx@JZ7JfK!WnpNDin=3= zUNFSdeMIMo&L#cd9EKzHk;6nx{50e+QHe2$c@(pu%3-MT4euF36&IcmUO-%-!VGS7 zlo;(!@S!?V^iiUZCLPK&1-tb#xqc@8Ux?mgBpxfVKSf4wJ~j)>$@bG9XUbkd86ah# zl;f%JYfL3qtuovQevnyv2WzmbA+m<|R|wJJINU z0)3L`k)lr~%{;j{&B?JCzUW4oQU5>x9X>_IsWL{>V7Zy+k6{oz2O(pgqC3sJ7U4=` z6yd$`E531M;8CDO$6bj@hlkdsQb}c!$|>;*+``*UGPrt@kD?5bWhgraJY=<8qu|+nfj`=-zwHl&A6$i zOfUBrsFN~HN<9^RcQV+!vly+D(~Z9*)Qrv+KSTUEflrlZ@SeupxyBzHR`5Dc{Q2T9 zAkQ?EES*}BmnE3IIGb zg1gq}@52z_>qK8K`UcW`vC$EaiGmmwq$%1rnsxar_(vS>CRsPjx`h^>VTmipDrOqA zeXA+G+xTG3m2#Vu+o|a7sl~**I}9!l@57yf=Lx=xFdxWNZts9u8x`(uGxk~FPk)b$ zdu7~5gCQzI3eg%{m=$8m*@t@N0VxkknNNigH3<`1%iRK_x8`|zq3DN1KTMjRwu;)c zd&Jl_VFBMoVi${jlq^4{ldwuSwhX9pkC`wyocwVKPe@oofk8pgF`)WMqc?dHllH@Io;GDyxWF?~o|W<(6{aL5L9HEtY~Xp5X6O1_enHZUl3t?3Y@ia& z*XVC}+3@;s*RKeFRrqq^yb0VeMjNd#ddn65Ekv;VlWPC@?f=BII5&s||nYbA@i4%2aVtnhP$W zUBIm~ulY4Tcwfj{FK+|A1K?$w*0JzbF=l{rJxjHkxi3v$G~Mf8N&i~<6_#Nb#Q0lO$ z4LXJYH2k@+j?!PkcMAWTI3GRMRhyKq;NUE`%aosw^H=ysN`s}UMBr~Wa+27Mf%_UY z#4p)u#Ha1N&+Jt^=W(5HbBK(3kL4Muu= zFX4L&Zys=mRZ`IFxR2pIoX1-TZz+6V;*3$&MN??<+0XczO3$|v-&*|sm;eO zq%M@$B8Rp(G!A6YAg95dn)iFKxhwDWH_}z^A#x9;%l8kZ0xSiE{}tq7+wQ>e!UGcMnh*`@wkaVZHY1yuNn zt;S-XrL|mEw67T@XL;jD8Ar)Dng(+bEcS+&LpxDF6FS;_5edgi=ubhhR*ijBjx%^> zh_wNN2MRu(Fwf4Z?R;_FAQQ%=eQ*X#7$RXP1twy`x#+t+!T3~9{EWj56F*%1h`?vZ z#bZLb@x$i(^PePsr1+D`GxU||+6iuy!Cgjp_!PmX3LZ_E?<=CdqP)KZJRiPtg zvgiuYm85yUE`!-ERR%8$#pSf%YQa+ovkf;@Rf-M+Znlw1W0MGH+N@^&J~Gm3q}5Vm zi1G?Bp3hA+y4{8N5r?Z2Jxz2yX=Z8F$+Vkp?1+%?&lWpF>^Wq!_nL#T{O1~78SeEw z(dUc4fHWUWG1f#VO>#GqnP!~$Cqsg;%#v}TjEiXK{1}1|b+e6rAPn=mSo9^LFD1=# z2kNcWn6#w{dzYEBtjNdB<#Mi&b0r(E%qfoKap9up;d*LbxS4+5t0`o9NW*&y= z;ydT(?OkhT`w+3$$-G|X4K$hjupl8XuESGpSR!%HxurkhCO7xOWs#OS9FwCr!FxGjAO?zf{sw zl9o|o?3QB6fP32Do}o`J_aQyr1lBCZ z;?Jm67=O%H_!)=$So|9CYsoV==5=zh=CS$>-6v)p60Y*8tj}b9PK#M)7*6l&1?xp=iU|f!~G2T(THDsj9x1aSicf zw!(4Oa(|&l_z4vbIgROr3&l~oR?gJKq{G97_K?(6(w>xj-iHOUni+jWp!X8Jx9H}i z`3fMpr+lc0*rd6Xf zopA@4loPIVprnH&wV}lF64oGaNSAH#-`S|j58EuX!%wqad;A^cI^b_eGFTP2wkC~{ z0mz*?nidIH=_IYQv@Xo0tBgZr97@ASFQ!2pW^^pj-9&d6-D7t; z=6V{P7wBH1dy77tw0{`UJZ5P}n2;ZYJ`!>y33aHDW7MDb!(~pAGg8jUbbR)TPDD)p zDb2p}Zj^~f1@RP#r%D`6k>SJZ7>i&6X?cY^&6J~qGDgZ+DdVX4w<{J!H!!*eGVXMf z`UU9>N#iA*Nr_JsqcX5WKE9l1nXqn(e>@W;Oq7tMz$BAxu}Zr_%>nJ zUr(OF;Z7r1xn(;3I~$xa>+vfNcQ$^S?PlQbD0dG2Dmch*u|;g9JJ6UM%<$!Iu(dVnu^#wJ-0N zxMXdyyUfJ*Lwn}s60eYWB}HDvC8wi9!{8IcQcPC~zFP1#gn19xlL2i?+-1as)kA!+ zu9I-Rgd2i@!V?AH*XQ?~PI6G8v?vyc4#$7ac1KB8ICB%f|f^d(7dnMc#gvseTjL4c??(R3?vCw?| zfP@Dn%nt%9QC!)}Eihqys7Ec7@Q{RuDX^HyDk^eWtl*bUSGq^cni)RFi)1a9^(ZZ7 zXxO7NgBBxskD1eMynh&v%Xvc15<1=K6k+i#Y!FsoiOI_-%V8v7su)SKyt1+!&1!7O z&ZeCw?S!w5@h4oW6F#LAF5?NApG0!dVv864Y2%O1!Ou9{Gvc2W{~UR~Vc0N;_xU{j zJNt%>2>1*5X|{V2e@D5O@K=wQZRJ|j(7kNNj9|PX<5d~UY48FS?N?A|ls;;Vh&-k0!!gbyinhTxLf?3!C9;imkuY#bL{ zRf<+9Y;tZVx+M&D`&cJhqZ6&=iTIXqJ<;qS=1ZNxv|aG%QfOvdLl7>!r~jv41V z{C74QKMj4OU*MSECKB@ z=iAqPu>O(LU>P6K|L}LLUJGV16I?_5clLSC2zg5*{Dc~d@W#YhAmuO-mn!2F?Ww5= zu8C=<|KzW-hqR{B_N2y#f)Gt`%?xfEZeuUOdkbz(m@$Q#R5`XUN>@#A`Bo1y)JjroN&8dEMz6yb$k^l1_(%xXf#MGm--bM& zcTowdtgfxmXMXL^-cEFT(H%(h)v8Y7rgi>~X1Fu`Tir=UXBk~+aD-UV1b48Z?Ls2& zD)bPchZ5yeD=OhTS94%bUoZ&`=a z;&X`PpgR)Z5i9|Cgee>Q$Y|jDNXe0sONAHW$a54^@$8tWB4$;Ff#*?KFp^03s#ky4J5ax@h_Z?yd*1}3?;xL2EShKe` z2Fn;CV<-(Ksj4Ert0x#eEHp6=6Fpq?h(JeTIhf9OqR~y`I0X)OlIW45PbSTGq7W^~ z)o7wZ=T^pzGHLW0ISt$?l1`O0ni8XRQo0s1wJOT7_2+4(j0uDG$4D6~WgHdWHLima zLN&H#JKc8*XN z7KttvoeDI*ITI$h5~DZ1;cvNAbeZUK(#)I6T_MI?8GLKhpL(+33c;0x89${M6u_;G z&@fbG$_JqjCM~5}$`mRLJMR{of*Ac~xYLa28qu|+**uEIS2xwzg@^dS)QO!Yww^5C zo9wzyXuHH4I^CRtu(H$Ha%RXmhYoLmp~*+Z8WrAiO?fK>={zatOSyoGF7t0fax=|2 zH9X>3axRo}5gop3*z~@b#jV-KpZPL=#^Ej&e~I`@$%jaayUUDT6+(2m=qp5DNt&$# z%#~`&OUiK-F5Thgn0H9%^}b5p)$*>P$44E<{w(fVgNKL7v)2i}UhoZsIhrH8piL$$ zp2eYgxT?F+^lw9+dz18=rQbrGxd)oJxD#I7-D<+ZLjN@9O1MqJ?G)IVIGVh|vH$5j7kLDz>^aXaNa(A1wjc+FocaNldCEZ7frPXj>SYHJDaG>qu zeiJVZDd+)-4@#U*QQ0Wwx@6E3w!rw|VR-pM@ehfAm^>pr8pHZmj~LweB!&s0S|oU} z;71Ab!xqht^CliM{L;~)F~LLl6T+7e=iO!Zm_ioko;2gh5Spbjo|3VQMo4H0_q5Tg zLqdB-^s}O$Bh9y^yfRse)%Dm-_`E5-LZR&iDKAQSiHbgf{4gmC#Zpl2WwTD5=pX(o zvR;+7oL2TmFqBST=M`qm`@!G(Ycf{Kc%4SLkplOI(Qk(vc~kUTqF0gj9|L`5@p;O) z)h0CwFY()w-jVb!B_?6y6*28A|DFl&g{!K|e<$NaRb2_{qUMZqG!sx?wCVdbt^o6ALk~UD{{Zyn% zYB*)ZeQ82nDD8eF;cE#SDKL)HSZ68YzA-vCv{`*C`a99zlV)P!qD*Og4UrmuFlA(D z1Nl+PCMiErVRFylQ#&>3HXDBDOrJ`A7QRLJR^q$@P9E<07gHLCXZWj>ZBl-t!i2?$ ziee6RrTg8C4?`^dA!ECY9W)rV7^PB=WninzSP1yjq}ReYmA@qIl=L^H@Z@8thoZ#* z`SC8ZJ_?umM^=NURr$bQJ$VK$5BVMkVK&5%*&4{l!D)n_Py>yZC1gqk zW$8M1gbAO9YxI$jBO#Xp9}h;&BPxLc-O{lFLBl=j;{Yf)xzz9_A1?!G8{Lkb4 z$p;7@DExTh>M6oNpByZJ<|}N2O#3`U&R}Unqz$FU_tq~iKNYPeC<2^dR?{%IVVJDp zvPJ|8Pa4}2qCBK3+lgka3)ebH)<{_=)8dn3YX(O|yHO_0TZP|oxKkvYDq%DQCV7k@ ztSYIfRa>Mx&7`t0cyNrQv69A7V!4K4i`bBSd>u|VaeWBh84|}!Jd>i&!t$b6?=Jfp zKFh2P!I~gzqO2q>W){3$4C7u4jsG(6MdFLar^xdv`u?O!xxf)#trD~D3eB^nvdUzY z(^8p>t#tSlO)`GmHk=HHn=HOUd?k6NhTX2huWFTPcZbWQrBzFtLXGK}H-oB*(O-pI z$%w8IT}ztpdrf(185)XtfvKkKn(I?(os?-(>Zx!BAKM$bnjIDu!2M{E)9I#m-3S7Q zJ6q}uspn7)Vas>t8vS($+j*kT7kvTg@L1wWtoCdC#=y@Kf1&t`$cNV_fx;d#Bc{;V zrhOB%i=|y6?NVyYEz;E(`F5GXCxj7#mkYi^@Rfu^0xPh$W{z3khD%%}>uOoo(Bhq- zS3Ql5K-{&)4-CWLt`mQ~_#4Rkc*@UlHyZt2IQvbaZx($EX})4;_(TH)cMHc;yw#+c zP5o1xE9o{#w^LG(YNt=fX4>u!-nQVq zDeo#sKBk6^ql;~g3A(qM}Tn)}^*#`X^VrtgdWK{US2Hlkq(b z|6Pnnc3)fL2NN3w@kfc9B>qIvKaqH}jt!xk&1f8qpJi;3v6Y5~r6O>#|1>}TV&)#f z{8i>QnZMEWsV1IRjP2|Fu!`T!+cS87$lES&2R%NhGPFOkv$_}=<)7w!(8WjLUvhTJ z`I`>!YihC-MGFq9*k#5mp#b-fj0VrBx`Mx!9P%^iiWIKW5I<(CD|>~IHNsD*uE=Rj z$LBNgc%8=XH8G`mQ1+10RLY)I!jr;Qo9KP@tDrP9u|*K~lDN0T<`h}Ls>OZ`>|S&G zm~iqvJ_=e$XenV|3jBOw<;NnopTXmf!*4iTE5WS=?@!o&QWF^D?hY`1-w>Ju#UCWT z4SAhB7O8Y?4IUF3tJ?`~FSr9?|E6(ibuLouI-1iuT%ePj&T_iY@yRTK6pfNZO>K6j z)xl;S7|gCR50QB&P5+I=Q1QczJ}A)LM0Xe6gESLLC8l0tpeNqvo@S&^^zqtDMsFF1 z2cr;+5d%kw`Uo?&g&d%dj2s!cG(w1CE@E`s5TdB)nCLvxOjHvW}8V$5mo|c$e;X4CtXooB<4!cCb5Kr_GE&OPR2Xr)RVDD+k20$;Oz%BK)~T{a z(+U^DXAJAsxzkMP5-v1G%2+AmsQ4JeQgWvoeQ==95ItV>nWQJzoZVu?@0!aZ|l!KS#X8mO2XmZqpr&6L&K@lqN_zuA%lc>V;A-qRQ`uRLQ zIexZ@{|lqwE|z$S#7imizVL{!j^$-WpAnwX<)W_;eI;oo>HL2$FvpbZZ^FOea92sW zTFNz4m}oNSO)N@b{ex>wD7ez6gX<(*FX09Xyhc>}M62iMMpKrI=M`{`o21+<<(8m? z3ROJjZZ+lgv;9@(O1VwS?Lom4d{E|mng`;VyA=VjMrmcb7#qgW zUts>0BfP&*{zLK~rq6`9``TQ2?h&)j3X!u&)?!(Y1`EsX{JW-?d(5mI3vo)G^>JBG z$XY^+1#5PqV#%Q=4WApjQI`sTO87G3tae5*Nu1jjsmJ4KlO7FE`WZ>jN_vhGvph_N zL{C++BAT1S&);Om#q;J)UIhe)dqM7ta$lm$&OA+0$X*d2LJX8a{R;ZarqA6eyMcQ} z`m55HQ)iBuojinL4Os1dg*i8chThlYtd#S5aH4o&P4sVOHyrL$NuNpjoDx?S*}eRaJ$dYbBc$u> z6sLv0i!XGF^*Y4{o`U&2_f|l=7amw{EDsw8d}&^T&Ac!!{gu405_+*TQxFlCe|9-!yot+?*&jHt@aPZkJij`0n9w|Hx|atm;JgtAd!#G2(NI zxrX>XTP>O!22?k~PpB42YfMe${k&{4>QjEm%c29fznD$JlkhGB2Qrf=Mc(KTTvcdh#dNzW8#Nk@WYAtJjT6`VD z5}Ft_dVncEgg%4=r5q%s4Hd>jzLqOSPKXzytvO@DceS0I_HsJV@l~;cd^E;%G`@Q% zl5`T^S$r4r3|3J+TBwUKm^bAPHYN5u{so8YD&-IT5oBGQ|p9Z(F|Fe&CD{`?h@fu#ugTA zt#wD(d1~L$X)p>+=gHA|a(NzRef${xr(PH_@wV_;ib{-0%%iBshX81KnuN7=xFh8qCGTi@EFL3_5!cV)n?tyc5qzxR{)BmvL_GID z7dg(n3m5YexX1u`1LYl0&tD|Z4KnzaaFM}+hX@`@m_g0Wk1^t+?gSIA=%SNj;*5mh z5=KyHgMYxD0%@#Egng2kMei0sccPtP59iNtlFl$vXE>Q>V0@=BIS<=qRb(P=lquC= zw(u!ZPL(p63PXvg$PT|c&4k$@4#r3rD`8v^n2-~=F?YHNJwxI>L&A6oXHsBf?^dZo z1v~1_GVikG{$?h~nSnxQmjKxGOQd>MH-SDHUEO zygcAJIea>9lHqk>QNhW=D}+}PXAXfkx152mGXCCB{YZF4!m*IZ7rPaZ}A0G02C%PR2AD^)&ba!Q^NTj7MV)W;-KZV^{_A|6}Vs zz^f|Ow#_F;DT*S!_bMp6WbY(`1q2H=kSfx4lAQu+OcFu>1*CTs5mc}Oih!VC#e#we zVgb7%iV8}z04k!W|NA_9-j{g(v##spI&SWJ*37I~vu4(sGS=Mi7=N~LbjQ=Z6)w(} z8cmVeuTHw(x0!M6OWv43VdW-4Z3lDdqymggfJ83d-$K7X2wMTr!?x(VZ z%2FuEs%WaTn(%Ij?;aj7>mq%0JxJ>zS`Wj*wG2fvjKDBx=f1SEq01A-SG&-c%~j-AlV1ZKeeZIYT&5W3RPJns6GYNHyn!#|WOX%p5-kl7b#F}--&8bwJa)zEs0*2}Pv*(u3kpPpCDSg*C^t28#z zcukFDGhR2NqcmoD1WZ86uqd44F6B^9)!kZMfQP>XQ|I6(};d#r{J(}A) zsJ>109jO1x?TCy&eAlGLn%nPD+DT~_B$l|;D86pWd!qNvIM&t2@BCzqEVSf6&QRc#ns}=Ye~8l z>DHjjrCmN7nQ%M=_36J{Z zaH2PGrSa(xc>XH#SChX6JbI?+4WyoqTTjzEXrJI(YS&S_9vb47RK85!U{b4*{#-Xw z>P4wHBxC~C9MVj<$(*NJdZ!PazI6J*VVPuCrN7btAkuQU0i*|#z8Q46;u3O$OgO5= zMB!gl4B!q1a3=!5WmQi; z^Tp+V?k@8d>vymP^zNp&5FW~1dC%Qr(mg6IqO_ROy^zqbF2=^ep+HJdK5xnwB(pj% z^-Y5NX)U3(6c$PlKhPn5?g29%IVS%ghkKC5Lo^cW! zX`*BhtaO2;S%I}G-3qfOsr?x3$7!#Gjk7YI8M13iZh;J$mrqCLP1V@0qPLpf8hFS` zS;--u*wjTn5I$*A&o|}Y#t)ui5B-C9gvgMCV-7&hG_B7U$-az^prBSZrgOSm_ zv`{@q`gzhXfJR$Kvmr5CiG3h5XKNO0r1=ufmto=pGYfQQX!nX)cW4H@N^29X*I<>e zB2wJzX8f%8)@B-8XuJUfsSiew`mIJUXeK|(;oc;@jr4ZVNDor~@3AXynb})&Vh7E) zX}+VT=7fwcDM@^hdDqNkniKEQ+(~m6%yMax52f#$aYEDd0gVr7d<26Jea28tG3-e+K$r*C-#OsPSFob2H~@%y!fKg61BWC~kH;Aq&4W=~2BzUs2ji>1&mc zg<S?a?1F+0+ zIb>dmrtC1iBlLby50OlgaqJk(g_$uwn%76;`4hdL=^cfqwJr`3g)YApLFL6wQHu z=v8=yJt6taS8=`ylHpJot0HyK8S*cQ4$&07z7^#s=@3yo6C!V@Kv1?-KFjF&H6-G4 zxJsleldb|U zZWdD%b~Vi0p)W0J(yT?ZHcV7NlF7OVo!k<2%v#^apRX>hdbH}p((9Sx8W=r56Vs4% zBhrmQSC?~W@r>uo7+v|2>6(~$yI!596q`|O4iU-XH+5MzL`JLnWVJAJ_&Wl~;abvc zMYAYdw(T7X&*8cK|2ja&vzV#w4*dd4u-B&rdpdJSY-7^4U3HAp6%LOK;R zKDG?QHnJBR{OKn7O%B(Ya2LXt04{$wu@;x>b*XueYLqUccR9VT@X&&j+guhIM%5p8 z-OL%R5xas;cRD@b;MVXNm+Y=I;VaFut0-Je;Ti~toQ)~)MWUy9i*>}qwe+r|cRf60 zHE|5$lnO7g_`SQq)Z6rCzmaM$s=c8ij+izkbIk(oCKF!QwY2+C=u4p=1YDay5-P9$ zMwg*llfw-lJ&^RxN+a8XZjjMKG{bHoJ(%W9ME_;a;Teb`8mR*sLpgBNhz079wg+1zl4~$ zoNvkky?O;y3aN~OQvS}&l=$+*tUX<8_YXcp5fQM25Kd0%2ioB8KOzLqPcIfiB# zOhl7-q6a_Llnq)^#!(qhTOwt-BSLnITQ8W)^l{8 zr}F|FyxU5oJmg+9evc-5Bl(xezYHFU2#1hKuNXbFr~D{~dzJJi(yxI=j1r;CNF>>j z;&pR&>lrrF*+S1?C39S$!>qNyoW`&(w@XiIYkjkjsM z0|PBH*)aeKdG|DqX+Cne_lWN#z6&^>R)|ze;!}bwTAShCH!rRc`+(ku^gdEg#yh1X zr3Pi$jKr<}v3Z?z#M3AAKBe~=yt;Bez4}sZ$=YVJ(%aa?;GNISU!g@|H~lZ@?}1-K z{L_7F8EzE}r^xWwFHOBtd)Qx5-Anars9H=@-8V*OY68C{y^r*M(8x#hIf|0pcZOG} z=kI~CWF0F+#d$7Pi6{a znP%5b`4bAKAjN+hz9{PPe~4Fjl^q%RTkdw0O)2GvME~V;y;&;CPtt!OeI$&oyU+ zX6$)%s?#|iPWcMl-iy>Qaju@MCdFD5Ypclf_!mli6II8=Y5MT0OR*ls`VdhK6iNi8 z_a_g@24*bJ_T{l5jYc#Y!$AIFvvC>XW^^rm+%+ZLjC6CQr52Fg?OGT;Qq$j(bSu)W zL8HznH_|K<^RU~PH+rYPN^R-2qt_lD-o};d^!Vj^FfQQ&v)|RePY2o^X<%is${4(Rwudhxd^zE+fLZxSL?rBPhTo$xxq^6i z;ywO_huxKiFH-y};#U*D1~`%#k~%xd^)z}((8uLk($|r`Ug?xjSRU0k7(HOMr*9

    3=@gS zr04?Kk;M(S0FP>bhZtZ413ZiXSkpphjPwqsr=vY$-pe{~5YQdKs;RUG0Au& zswqBZ=JR^xKTdNr%`q@DXKki498>*?YF!h4lKNBB$No=Uwte#D9cTI?)yGqRn)-zQ zsmBAVKV$lfs!yaoiTdRKp~u3pV1AV>)ghzLrkMVc>QkvtqdpxvE;(7LEg@bE7mJ%= z((JDO9M7aQi_&aJd?zCN^2{-Ikj~DSOLiXF`C!qxPA3o#$Wvf}DRVUZvs9j=^1Lef z4tbJ+ud=y|DYe`99KAqg5tSFAU}T_AC7!X-wR_3jxtiQ!x-ZjRqHg+%Epc-CCDjCv z#8Pud>&5yC-DPx_!^InDtc3tC5(?+!r{s0i3KN?Z`V6n6_$tL!5b;h!7ND$R(#NQzPCUDFYoPJsje#SUk z7-uWuAlr;1=TriOSp}xtHd7x`bvxA^R6mD`tFSm(mMl!yB5}Qscbfa=b^d65LHA3# zyWsx+l~9)IUzxs8@8hqje?$G-|E(uf|IYLmRR5m(57c)v>7q7>%boY5nTyr@ ziRRBVe}RcpB^NU9)}Y+rd&~*w)%+`+y>#}$K^0#rGhWkoTZnhtZ|03H@yBRCy#w@q zhldNXposUHd@|&{_J?WR&hpxy)DBYn>%X;7TKn6y?yCJmt;TeAv*h1@r4~(VHRbQ= z&erX!)sjC+XN%fl&}`<9%wCe^mE@)6;buLp6K#&5Rh!n4YQ}4m%$lo7g=s}-MPVVSjO>-Um`Sr#ic`v>lz@aj0a~+>Sj3%c{2SVqZBPC@ z@*TkAh+!H2h&$it_2?$c&s{*eBk2o4<3EHF=}ftcOh{^T{9+21P`FeDHm+sLo4d?} zJ({1(DO^F}N(jhLLKazwxvPx+ZYgpj`MH|(HKeZvjr@c|K0lpIxc(~gvUnVY>nYp- zK@U$^SeB17e!phtM)Eh2zZpCdklU3PiMz#w7I@&w&vl`2D}}BQECCr@dz5%JV z^lqj5lCC6Ol}X23Kcn|3-JkT`qz7csGG2P1(Z4D^i1c96LqMYq$WCQdDf(M7+eqsC zp(ftHniqp~xG3IB@ji%0rbS;>+;7GJHHOi6fX0I`P~WF7x4cw|><)tcwT7EFTkrda z=#8NFFg#qSIVEM~+!N#x6VBP=v-T*3krYNjK-QQLjmONGu1P#jV>FF1FxU>LKIQHS za~{_-{v@5J=!}J9sU(B4O#V1CCTS|;X*^A10t{A2q3obc?=U)nyGnj;BI!w_Cxb>K zJDimjl9h<37~ZWb=^Ab-@oB`T14niO;hZd)lNyP*8D@Nq!zVvClg2C>vtc0RL{=^a zKDar?Pg+5|hMP-%9{Ks;^}S@4pLks67MS&dKDVBw^&G9|VWH5n5V)*TxzOkaqkS4L zkX}UkMWtnqLPBPF7=7DJPcJ6@GU+8o%V^P1CvsXVCI4Y=zM;D!r2Q ztE5+fMhhSilYMhvGdPZ#L4NLa!fz0M6EF%Xui0e2+gnC&(AR8llYWQvyP$DKq)Q`r znvBzb&xDlqVJNJoum*x2`9y9>P6g+De_+-kJ@RX5eMoB^EPi=LBF?QheDgj2Nxp&j zN5nS*M;T;y6M2QU$>^hXcax7vZzlbT(z1GAR>FO1^oG6?LVoTu(pyMx&7kGQ;x?l< zDZQQa4$_}19ZV!-dGDP@k8AB?e?j_7(z`(8L?z_szB2fil^*_@@Hd3N1?-PxB2b#- z*1|;pRC*2^Ej=E!wuA_8A(v3(T zS53<%G46PyPgD8?(v3+sF_joz+wbJC}fKGo=e z9C3G=(KB?k`{|@xkZ!58%siKQzO9V@ySL9tYtn5ilvN6FKMxU(onWWDm-A-wF z(=G4C&o+AYU?2M&(gD&zrR6paL|w?}QoT*Xq$8xG)pVBRBxdwoO2;3102pX5PtNd`;AiUUz!8!^6we zY)Rt|V{2~kXX#F|cacqkMNNUT6mZ!_@6r6{kj^EY%AjQ{iylV*$NAWKr1MD^D2;YQ zmg{MBcWpQHB3($jNaFHH(j!PeoI%Uu;t`|wEBz?xk)%f{jVdPM9y7XFPt@b2N0S}{x`E_9 znNv}oDkv_MSEe$aGbp9GG|rUeTI}&uo~AMZ z3SQ&LHiBi+M=VcO$acZS?itf&?er;4q&A7#WN2uBxC+^Q(7vrrF)Me7KZ{doO`|m( zR-JTWvV2*e0=YNc40C2^N;B!qqB9!~8mmb;^}UizFW}~wbjv$Fdvhtxqck598dEY? zHQ*K){K-%cKTG&I!p{Rnr4flF(uwd81l&UN!acnA0=-4_UWA7}XDA#O4>gX@-Ag7m ziFt7`#g{2AQBl5Cc+sc0)WqjndGQsB%P1~~h$|x)%}TmnvJy$M%qO|R%u`SC=1Q8c z(p+VxBykucPj}lj0pgCM`Zu`@H z4mZ&Ki0;N}S4JYM>(kw2?o;Z1Om{QgPvG)YWXaM-g(WU2^LBAB$X=6Xp4rl;`WekF zG`Ff5jz-kK!fV`pz}r@4dX=P>aBDin}3Wnm!sKrB^+Pj;ut?a%S@7nHxGyi4Us zAe15dl)o~$?j2tKn({Z4zlDq&Hx!j^6y@`FflNL5&YYGB?|e_^2Rggqux2Tdg|4y- zl0K;)P5bRTul+>rXKKGd!+{ND#blwTWMA3r)0=zDyso1+f2FyX=02FbhO)AH$Qdcf z)$8Cl6Q`)SpW*?EzpEIGCA{cU{KLf7r}-5Bqhe1SLB~?eh9GijyfA$YI?*+Y!kDynZ z-jV8s!&zz1r+1Wj8?W){)uC6HUOjlYiNirzo8xGMKfcVv#}KYhxB*~16r|%_P$DNT zeLoy)R_Y3GHKf&u)^V^{PhgkX;|<<-p@&Z(+?a3^z(^vL2qFnzil%0rqgFFoC(=3z z7B0n5G$dDrj37zp>}1paqgQZqYNt>;Rkg5eKM&2PcA9CEI{7@FPOSyCme6noM*=}v z2~-xMk^TMB3AQrx%iF!#nr0iCZPkFs@JL- z3dT+Ksdh58P>;}cRIjIc15|vnmNssYY%ZM4$(R04xvWT(zT!HY{?b|gK;20FCh9k< zE(LIy8ZJ6{?-Ou$ z7<}hl9=?kwzqxPQzy{+q8$1Udy4DODzSBcVRFr4YMlQ4?;fB@&Vn$%r(09 zN*>L8nguXfA;o0p=$-~Yf38oa7vVy}MS%IZibXUTpTS}?e^Il9W+~0yFqsT?z;*^V zjre5B2$vJC0L)}UiK2p>{DM4bqo+&L$ISI=_N7@#vkE4X3Cl+GuAjlJFZIdvCww>I z0f3o|%+~YC_|gnCbDdVPgJ=$>IRqw?3CTelYH;{UpUgdk?;*XYy#hoW@grn(_pbaZFA2*?h+2@tVzvlqXT13>mNTgRyvepx+b|cAx6Y zHI>3N3ezF*3`$QkB0Hy)S66m3OkJTp&Y4taQJoDH4-r|7#fv_Zb4(oA!>2iy;yjA; zA@UN7OP70r!Qb8D;b#dyNBDWbC{Z|;Rg6uV+(Hvxx!DUZP*_CaMF^;7Wb#4@R*mzQ z#!IHn+~Kvw)Ly2x1RBx_1!L)SmYUE>E9_S&ETga-LS{O?@GDH4rRl7s_A0ei(3nmr zoKEL86Z+~YeVxJ^6yAh@esgZJSM}ZXmPvp9=1cQ7rFSU33yFs~CWrVvgOArE_CDd& zgx3H@mLkDmI!hmz&`&GYwG=+2unt0XmVCk2oAj4vX#=H?C~btqyEYstPG!r|Q1%jF zlbMxzp?yqqGtEz6^4?2G&G)InjV|&f|BUb!!dn5SYd%ZHXKCy07VdL+@L7JT*bt zCH*^tztwvDd%`~u-VGRek_97>rymX9a)r;+PsD#F{tNJb<;fR)k9ngsPruUJOK%@M z7CoLoGQSyK*uf{WpZEddzXQkl@0oICsVbkwA0~aEQ~&>@bdb_tkdTIqgGL&E8~#Wu zpTj>ht zi603Zntk@!i#@t(1& z#P#y^Dhw9YnbkXq-^3eXC|Vr>zKm-H%>uA#mA3z@m= zY=7v&G$S;lW`=`m`ZQx^hPCS-rO zdeY2Hdp^DM&0DP3(gpN7(z_5IE1a-A3obJFeXVORCVUCuO93B;(;JDDrizQpstWrg zt6#)jX7+^Z{6V>#_7$|RR67*^m+dopmD!JJ=kjXW*U-KeHs1Bi*VWPrSu453buwe3 z9+K;5TuR`&3#jcbE{=3-L}0cTq^H5X_3Eg=`aE zZsD_)Lm`(!%7jE9E%Y#9x%N%-DCAQpP$8TZP76Ivcj! zt^ypS>qcoT1{A6rZ9v7GgsQ7mft_CZ!QooL6qu;W%^abz+(|+<3ZA)19DhC?2eK zeY($>d$!gz6X{N(I~gu7?L?$+f$Uu>+wW*CJjK*!^+ugabsE*_s>)k`Q+=v4Ox@Jk z=XfU7SyX33#kbE;LKZxhm+y0o|Bog$m;5~P^TFd*&~xrj-2&4tnDZZ|6OZr6 z?A36uP+UfFIYeGs0eK#+F!&+;V6l?$tAtkpPG4FHpNh}kYbJKj_Nly1@ePV^LOe|V zgKVfR?d-RVzWH%azfJlb((hK&A$cymXLPO6o_?S7YSL>!-XtbPg+@)PCpUmWIUwM`L(Y#f9;D4g`GreEn;daLh z)$|56@};{^0Y0nmG4-I%rTCTVUaI?`;^|+UEK1qu@!w2(@H&47?x%Es((jPaERk37 z!AL9zS^UG4vG_0YbAM7fNaZgmXfWi+wUlx)%^fN<}A!`Dha#>Ep9@48{5s8$hfsz6=XI z)`T0h_zfvEqHvrFVM$4z0Qv5C6J}rPQ#gS_V+u_mpjIp@>CvO0yxcW4e(Ke}^v%eh zNd6@7b%d9}_Ogw<4B!aKR2p+`*Kv@|>6}96RCR(FsS*q2;$7Nl=Bz%!=j(JjE$Fm_ zgOk!j7Kf4p)ynYM$NFrwCfr6Ul(P;+IG)p*!ES&P{zeE}+(t+J(^m zb<9FRcab^W^_X2u=Mp-X!ohtXkxo-666z_pf0?_?q>3D$(B+h_pmZf9oXav9NFdFv zs|scik67=D5-RvO(|O9b9Ez? zo2c9j1y_E$YRPi97~frwau@QqlJ5#0r$sghkegUmrMS(6tOY)SZWOvxxLt*G0`Zu; z!-Q^{!krZEqL74u^C;u)0`e>@OC?b+yKK|?FZJoKF z`Fsx|J(%njk@7R zuXxnc50M^0`eCE79j1H4=v%a%_9*F*q(_0q9hQhEf?09*nBmiw`{0igA5DA=aFhrq zGz-(%tK1W&ysl^TNh(iK84IPRD7is5&d{OyMteNbr-@Dgijyx}X(VFq8KcK($95v= zNu(!d(s4J%=G^MG+kDwA%Zp&Jx^f#@QlF9O9O2}ff=nJ;7X z@7f_+O!{TgOF$zRauEjIQiJ!G%irYZULm}U@N$JiSu$l~g~4+=lC9xZ5`LBNDurdM zF_|r6@CEug<8{Js5PlOdo{wb(c}21XBexU7_A+moS8upKE^pI&hu*vJ@bVzN0KIf0 zOJTid*4FQQ*50SJn${XvtTNnAFm2BVvf@bm`KACcZ@ zw5-MxcbkmfKho15lip1F6QyMifpjrGHF~vPGM|y&LVByx$VtL&GrF1PWIO2{q(28; zOA?ijpKhnIuj+C9g6x-McY(!CEyJM7W%kimhVPy05Bt}|zajoDaMaSA=vso|wBMOg zM-Tb;G=8A58wL`{aphGqCHP0f=kJxj%Fq2o{Ac3708gLS+*C^T#ggH9@-*LL){bwz z^((EtwD!S5iy>FW-pVv;Oo=LUznQdnznAt?IzZ`nNT{IXja*)Sd0*KG*!^KjTiuB5 zPbvqg`~?LM&mLI6v!GupH(BZm3f5(*A963MA@M;U&trcj4?UE=i=cd{|5 z;71$YP)8jfL%crm2Egsa_pFf0{8%&oPfvV98jWZi2LtCMeW~P>m!OG#yh%r@bONQu zl$t<7GE#`F^pR?6#ywh&W;9NuaS{wmrf0Ia0^5_GY*H;vra7fkD4hxkm0wsMs_ry{ zhutE7lb<`Ca0|jM0rOEK{i>*IW%O5gp$NJ)={BU>g68!u@3-Z+o?-Y$de+V)eird| zz;U8wl!ETmbG9i9^_D${N`Oib3X+y-x;cqRR>T%4av?MOtVYfxZ(*7dno*cYELEN= zEi91lhs7>t%FcTJ(v4HeqLP4uZxTg$c}NQh${JjLT_ty}+3WRtU3=Q+(e3~n36{uS z-pTTcqGYx^-;^J2^$A`;r6ZLKp;RXrMS`*qqb7Kf*&k_w7t_9k_NB1vNP>B?O<94w za*!=D-DT!{a(K%-k28jNtViB5qFCz6MmHc zB0txK%B@toLP75%U9v29oAIA&65YsmCx1J5TX2QeXHS(z&ElO5=eiv-FK#s}H<9()pwdl|^AGxBe{iS#HI8q-6N*laI`;Hk5U;) zWfYVXC9(2~>{QR7OgEP5As&gPx8&0OWFNC2=TG)Q9%qoz3^GQ8NMl4MIuxaHB~myp zcVj#fml?O|wUwT*Adws&RF;KnU|0uu>OB0L#z6M^$8WYo0ux0%UUFWLAYTqgUS$n$rKML0+Io}bDH(->ho zBH&T#S3;^Pb~DUaJItp!lg2C>vtgihlSDERDOCz>FE_`u7TV9BOKl#t`Ot6&l~qYy zSS0BzFroF6KAmSNJV)Vq2#t^qZlQ=g=4A^hhdb8EHq8r7p0!38`MDP;FQWV+)xHDRx+!c8d(ZGW8vA|XtBJ2syeKJyx0CJz!>caz(bp3HkoY>_I44DUy%O?T0%s;JljicJ zCM|aBO+KLI-$3~z${Qi$zLedW%VjZ$^0G2n1w4!x*hoA5C%4IhJkZ1E;9~~a%pjj2 z2(CU^;H=ywqTv{PSx&&TG1I*E8MQ6cwn9VQpMJ*4K4GzhTt~7ztK5;>%-yW{-cEN1 z-Ou5&#w$QB<%0%J_D++gXpQ#;r7tP%f`kh&DeI{P%1h+>lX*|>E3+D|lK&___cg6= zXnhL{mxzoAmRG0pB{-)X-@Dy+<_*`g{yn`P=vvc<% zZ|#q^2&1+Cc?=`eXM_fbfO{nK*vZ*F*0fU1Z9{5}s2vB5^^+tgPfJVgc=L|eQ*{Ep z#`K!NYlaNVaG+#f3TH`13q<1aj2KNV#^>Vw8lCpKDFJ4e7R- zbi|!ubO)u+Bz+d?c1j~B5qGxH>oh0lkPeUzf=;*C(G^6$+=WcpsNKOZl?at66kJ!; zYwk)PGG!!EK0@V7oNRG#^g4b1Tu%B5 z(pQ4UXX1E3ZsanVavVw|B9%c|GS^*Y>b|i)p{uE0L-ksy=|@*lIZfnIT1m2UU2oUP zvAM<6TAFGX zs<%?@3KehYisZR}o3W?s$IxzMyOX^gEZT8N9FQ;$$Q@?P)7$n=8h6o1!r&_ic^fSW zWE)<%!3s3^{HJq_N_#9wf|2p1AA z0*uomL-9(}=O>Y=bT0~IoHs5CWD%PxNwd_<8_x1( z8O?H<6)^ERJQRQ!M4C~GeN22PApc!{t}n$(id7JCIHaGQOV#x=<5cZt_os0;jR7!l zrOW14GI(I1(H-@z@*vWKNe=;yXEW*$Sz9^R4K-oCRwMUNxR=6x5b$hvDLG~ZdBy3s zoA;a5sKS?j7_A3rJqQcsM{Qr+qaaUO8+fvnx#1=r*~g0yQ5-?>VTdRVHYtz0M~r^3 zh5S)|?orYsNsr2;v)p4w4_Eqe`P2PwwEWxIjgfy@k>K^7)jm(iU(*lm2hQ?IJW1&( zN@F3h#wx9@vBsG*SSz3Lbe^U&0S+FNGJK#gC2N0&(k~OAF|FchU-pUACQ+LV4d-6E zmcg_!#f<0r`piwGF^$G_Gr~b{%rIl1j%l4qV-}6sW<)fNIc7{4;M15(V;+t9W<*0i zjRj_m8|aN^X*@^c`D!B`PM2e$87&5R;{_UvXuN1fOv~|-84J}|Oygx5OR9~8&(%^h zW(@Xeyh39cjpb&+jr$H zbGi)msk}|+9XjvA;aSfL`J?ro89UT?pT=q$Yhd6WkuQGIBKg4RargT8Ye|1ddY#hp z^+p!^TyJ!P5uV;a`XkaCm6rA6o6<77Wp|o3x4FNMzM%FcwO!CqW%2ei z>npP!)w}O&THnz678cG!SwTf9zU1V(@66bvufo5l@dJ(BFwnx1SK%@XHppo@ru5dD z;U_9TQ~3o7-&SZEdrbInv@grA6!ucs2LZ1RB!Lho=omk)rTkfbZa?`0>7-kbZmF~k;|Z3#Rz~l_*L?Z8)}-5zZks`e z%H0`8f35VHq|YMV&ggJL`cY>ay#?1DVxL1gKsuD3lR^T!c;*?k&MMo$}H?o=FHc( zE!WYxp3V($>WWh?bBrtSYBwTPac7hA^kTh{(oK|ZhJ+InO?crJ6F$-FwF`w?DRhN^ zx?7e63CQaiEzoVIOY%v-Mc%cGZ1uRuL}e_w|8_X*e2y!QIaz8AehdPVSf z`~qGmHldG>i!Gs0N})Fd9KR^OYJ?+t{G4gms8&X;oLU7mlq=)SeNgsraed4?Ti@6B zrB_L>3LcJNI40+pMn5wS-Yow?ey%@_yJ-x7f%`%R*$2wqK%;k|YbifBi1c96LqH>6 z(lM4EK~L$r$(wU|13A>Z){pxO{2qGu(z_2HZrDE3uayrSa*@0HP5Eh#SB6n}fXahV zP!zt0Es(3+4L9TJ0p56s#t0e@!(go-!+>P)MoC%HJz~nxlvf_5GLp(DC@6i7bX0=w zF{5ADDu0xpdz|!W(qoiH<(=i8FnXg_-cOQ#iu72cW$Cl18)tN-PSzSv`f1V=Kr{3B z?kL@VsRf@gWr4ntn@D96mB~=>n947cMWCh_+@y^!=~Tkg2u}x$l1hIu9(6N}-gZCA zDJ7jrdKT%~pm6~NLzQlhu`}`FQGRYN*?DB=gGFRnDp9^=E-?D$nS^V&XGuRt`uR*c z?iLz-i_$NUUPSsurNdd6#`KcWBlH+9CjBz$C7_Y(eAysnsj(|t`{VHn*=1yxgGH_- zvMdO(!suZdc_ryrNv~2G)lA5}X7pFuo_?M58>HU^joJ^_NkX0-rP5_ixwp*Pq}R*a zwBDihF0Ax%jD^GQJ)?{C$h=Q_HR&~=@x;VB>+;6#1HI1Hu9{-G=%Pu4Yq%pw*Cu_W(X#1I$Q@;Lq232| zNY^D@4>X!i@?xvFKpIZ+ddeMb&iCd1-am#;eL4-`;4l^z6lJ?(4bJP};f9185k3yE zznO!99JI`mQr#YJ)+c&1pFpcIttPN|@MH3I+BG$LxPB67M*2k3CuP#ohcNm9rJIvJ zh4iVQaqE{=$mhS5JI(OAPxu0yPP_&2mcViA%it9GdLqx2d|8p9%(XJ@y*c zYeTIqG+!ObclV^f=?Lj)1|18! zn9)^A$4O_APADCV#bq_-bB%7G$Fe=?^GJ74Iwus9Tk3qHS84;`0@58xUzkD5(BF%U zUZM2Gq%R?TsnN1QaL8R|^g^XCCw&F!D?y{ek@iu3Qbsax;r6RcnxQXfucmYjrE4Lf zJt|Kc*>*)nzjQKTt6rDaQMjJM4G?fvqp}UA?6GO|d0GkHNctwyH!Cg2GArb6F}jH! z%PypECEXP?9>18Ecbl<|&+r#zH?rNy-VPScow5puqzSt#{N-6b*gj*N&NNK5ahTr?S&ruoi za^e-hkC6W$1B_%$vMl{<{GXTl@O{ZwlCJ`f=TEkDBa^Z?Xr=3CMtHMNp+AkgX$*jY z+AUQnqmXiBGFF9*vUCH@`n62A{PPKNZh zF>WU(Fzd4s`Piq*R2k1Nq2UoW2XwgIVjm~w$P5AI0pU6WLMo@Sd0Q|G#g(k}Z3(6iOwM`RtzwkzKazT9h#}W`^0EnXx8oN+pDl6xp+9%^s;pN*kp` zv@cSWl=OeUUUT2?xqW~CPmey2htE8p_nvd^x#ymHRx>`=JAM(3#Wa?{z!lDx1%r!{ zW~o{GdU&b1jMj2mD_|k{WnveecX{qb6DAz-0=AOEDhjJ1AgfA~8CIHbYmBed-8;cr z^6SX22alT#BXv^UOGZ!C0XiE42>I5pbK0{_9#VEL%u#CH=CWj=OC}7q9Kn z+ez;ry%RJmRSEK(+hy>ad=K7Dcn{%Md~n3=HF%!F`v|{Ect2oVEGZAOk}#3hy=KPT zzr4f0PU8(42h_;Tlr`~a95mx+9r5%gjYBlvDl+8umDS%e-C;ATsPQ(9cW4}efs~iG zr2H)RuF-q-J?TBt@00!jG&4eKiVVz=$(kRUknoxpg`*UXQTPY~%7&z@Y}Ca*HvIa7 z9)6toC&WJmj(n3Wi@}2b%=r0Vd;I6*PmuotJkk^^8E0}F(@8Tnyx`@uQ#8J$@f8dd z)EP1{JB>TtV5pTzy#t=~4W(}>eFupp90myHy6+92P{zZ5ApRrqpMax;!)+NFmQx_T zzV5U+C-lbrna&wHzraCEWYBjKMlj{MU(J}YSN6|tkS$BL99UKnFiqr2gYQ2nv67D~Pq+f%ihz+oxYr8r&PryS);p&% zjVd&%!oa;SK$a!sP^+s<_*0**)hJv|p*jSVy)uy?MON7G_FS!DR#aPqYtpJk>l#>y zadMWt3m9ANJNZdIt~S{^Wb1-OjPsI)CA;ekeo7ya*AuQs_y)ijry>_vTJL0>ZLSQ- z%1*_j@a>EX8Gd~@1w;NqdA0y34w;+9opN_hgM*m0YR-{{#ZsVt8uC39RDcz2Ad(s_1v!XIQ z z3jH7;3Ucs#8C9E>>h3q==n46QeB1*x`qM~K1Lbc7HF7t=jFXzpl4+#SNQHq&qmWC= zMSHOuXv#z_&mD%V+$%}1 zBE8yA2i+Q@Z&rFO>2;*ngGRA26swoKWblR+UZ&kZcq8FWfRP1pPew$s=_VU#W-RNB&jv`@thXMQ_!wnX!1E{6RkMbsBHbH~<3?PD@IWC-Om~OVsqj^Csy- zq~8LK;7fmby3AKSZ1}uR9{x7*cZeSWURVp3*E#94V?*h?CQZ4;lis8BKBW&J;db2A3G%!AA)nBm5CyBv5Wnf$X52=RP+6`*e>#PW}_}pMqxs$>Lk+@=A7}nem@P zav=G*&uN^X@dXS-S!gUba?^Nrj(I z2{?t>!ZA#j8(&AWMM?5kkS_%uwZzHtWcn@<;i&GPKIlDhCUxB~@G0 zw6n!_SDI5=Lsp(n1v(Ys;7l3Zq*tfKR5ELFLoYs+X;qB-;+iNx_N{SDEsS z2Cf>FtEp61MFQvTA?9kBGE~D>lS(Zr*FY((Gs#*x=={Fcgs9e;YE!5~p)LfiY{znv zlM9@a3woVdUv)&HNwQr}s~)WzVDTQ5_r1b*&>PLDv)?mrqEVm5%`gx!nUlr#2G_uZ z%KFmOkisn#8mW++D*f@&N#kxcA^4?thQ<^UC9T5(#5u#hv83kG0$G_8|83qdTG$-xnT?`(qgD<-hzKd`-z<6B9?r=HM zY%7lonZ?=Nq>h8UGxVU;lTt58=xOpx(y-s#v`(t^q1Kn$-Ov#2@Nk)3ZtUfG@{@er zy=3nr+Yc-v5y4&^_Zxhrj*@ARokBXbh>pvP=Rl*| zDV;_-opgqu4!J=_cTjpT=}gjDO3Tzj=?cm=`n+~6Vn zGMC)w3rY_oJ)HCi(71n5t4fs4Z8y?{Z}l!2Md3jTqaonl!qf}N2J+~|iY*VB_22uv ztT2YwSX$#?A?ag@QCVzeywO9K$&d1J6G%@a{jkz93`b^bPBMC<_LMzB`ccx8m6nx3 zr7`$1qX*6Kj{P|4CrD56(=rvo=uD-jlAcC-I_NTT7)hRBf^^ZO%G`>l%=tl6Xa=2` zbY{WvvYG4y{}J%{vMKP~SCMwd}~9_eRE&sRDoE3HM`b4D*%;KlWM(hEp0 z^wY9LmC-LKy@>Q;(o2*^ItJZRqX%osEF-;~^a`bsg~RSeqyNxswvzNJ(yNV5#0C~? zj2^Dne=X^Cq}PK+VTM`0ScXYD1kAX0u9v?y(AY?06AYwzg6yV~?=~C#C<=7>xGki& zl71O9OO3E>i@VL>iVu14cEURd?*z=On-G%Myj@10)QIjTy@&KGN{1uSNYw2$`q4D+ z*!xJoN_xN2814~tuNhtWGmn0q^c$oPC@rIoHh$;io-PUkFnq!$!UMSj=ZMb1nA_vpS)_XD^X4VIPcq&+Zy zfNbfMmNYa?8Y5)5ll1bXx)1FLt6O_VILad&;}Jf>5qQ@mgrz9|*yvr8yreiz`V-Qh zDlO%StYQ0^(IYiKeNOrW=`TRz*^9e4h@if$?-cUQdta6vmHm*VR_QL2p9~ zMRk{(vq>8hO47N4PAND@5kzZ{?2GPO4yd%LOEg+#sFtN#4l3>|t_G7N1Np8rVV*8` zRGvZw3Kdn5`T4SVj5N4aGU3~?UJ_KMP=!KO2&inKFEmeW zVCpiBQ$wn^P;CSiaY{+b9FQbiUdX$qyVaaa+O^b}P6C|(94~+}L`L`6s@fKuMdj!ilF z7;DtsoC-SVrU#v#bb7%lN_7L=mold01#+l-YOz8o64G={*i@X0H?|@p(3LXNX5p#(q$(jrA#UDq5MTYZV{EmRF**T5>QqJljV%vQZuG$0xqMmoW=?m z{_y!$W_!`p^%}mFR98`54HfB!rdOPs5LEmXHseHkk2bEz^+TJFV>T+D5oS&g(f z+fHi-t(~wm6(xj{io48sQd4m^jXgA8f#C~cqAwNqnz})QxR2_qRQE&0$z(M{Y;G<| z_?j6J9mw!HjW=i<5}Z()71kU8yuWbGDsA!buoUWVQ#9_?|wJ?d%XbXY5zg{0&FBrifj%l|4FBf3ElK` ze^Izd;co~?nxdDxG}%KWD%s?cndkJn{X?_ZdcJDOH>K&>J)zM~J!%a^^U zT_xjpyyo$h$yXs?Re4EMSxhY8t}_0NKBB6TznXk?@I}!IMwk#ts!ho zBY{Q$hChTMgwR(n3z~mMLl~kTrXPV{RzfKE4{D8tPpYU%+urdKGDay*DG^dpFl8ee zcbggSXfT`5XiB3Q41X}Wl(BE^G&<4f48wm$<``ddNf-0m>KVJz zzl(l1_(f;L5@+4b_(0FtgGNspyh zKO%=k>tm`5X@Mga`0^@l4dt!%LbehrZI4O3-xRw=RN2{Y7=(M``f zjK>(xV~oHt^sEW2g^x7jIX&wr8V}MK4MXEOD3BC^vBX42fr)| z59t_{u2E^2k-;V7OwkNO){#CQ0}1a9O{9k_iiM^J)o?Pl+`rd(`IbZP|l_?hsInOMWKwvC8+XM6v}7JFQK8FNB>#+^Wo#2 zM&?Ot!Tp>mtseA}@_8x?s4RqHfsA7t?ib8BtbtraV=;{-Fp2^x8$S;U%2!b!mzsaM z267qw<@8s;XR}Ev-Y2E;Np@&4W!=MGAXidZMP)S<^f@JE%FbYG44(Uj{3ai_mhd{l z>j7JgV$vVyUNYk~jnM`g8)- z?0&G!2C{abRA*%&Cij{tnfcz~U#Id0l><<`B!~@)1rvh&DoTQb=J(Jfc$5Ai`ftHU ze56Gtb13GX95$hD1Mh@yQ+S8M5eS9N7l9aZ-MhyBs&&Kn$iGki1Mo%HD44)d`dVW@ zH2(?>;8FU==zjzsxgs|;O{%U~%j#n@s_M)4aT=e{_!I_1DC=3Edhwa@M>K?=lRrWJ z3-JCBN-hc}_;S%n^Gj(6PtpI9{#WqPiI-h4EMtiK+UT{tz4ZHr^tYtH1FfM$#o&A6 z-_y|jK>kPaKY_nmjxLXr=pgAZl?yCi=_8V4#)dSYXS>sOfYKVgpLu{YJisqF08W@b zB1>LxWP*+HHFO>Sv*gc_{|$W6ZHRZj-_6*lx8Zpjf6%x9!ym*rf*AJ&@lQKI84coJ zJitXB;BOoN_eh?sd49>*r8<-QAF{<>;`^I?Yw!YbY3dBS%jBoR*R}Z?yyEhcysptG z0Rs!?@_{Vt&maZyXp}7xGbKkM(_e0f=&1oL$wOShLzKcHP>xAkd$KES@N(@7C_}g` z;c|eB5)hS?E6q5dAuLa$0*#6=iV{%PTpc7s9YV60KU$o!WE^ZIJ3v_tUu7Pk3J*{f z2f$sNnmtqo!;5g02}^Vse>DnMQ>YH%G7*M5SHsW>>%9zHlV~lX*8ugRgOw~L!LK!A zu12RejXE^y!mt}kS}enZ@KsbMU1xqdjm`D+>(Rdfepw0J04ZRTB>J+PbgH}2qy%la zyopkMN;gA7HiwitILS3IKA?O<^0$z01m2=0O&kGts~OK~v>MY$pb>y!MXkKNM+V`m zC|W`Ddug;n^uzQc@KF^>Dcr(^Ep<_ITAr6b$;ZX$#OWl$DauP&F6}lm_Gl=Z&}d4d z8H}RD55%Gp%9yVza=ZCgYABo2Z$bYK_;?1%Yj}P^;X7nYQ@UQ^<&aiXT2pBQr6`aw z31nL{_Guv7(P&Sj1B{|T%F;lCWCd?uQr>BPc@1Po`km-^hL1pIIBD0GS>c%UZ_1XC z7s#$u?xNBS3T_dpx#Z-@aCg_;gm-k!iyjnuQs@PtC{}oo^fqIg#;OmEzBKNJ;fqxw zV&(6WzQ_Cu8moKh-$%b6d}NSp8N4s8;mjcSo3r&UFIo@K=}#vKPEjavcMdRPr-m|_ zMhcBo7)7BB1tpa7Rg{efnqN^vnMOaIeg=G`y)=VlWO1^T8)V8J-KSzOl}svGP|%2; znIuiCGE^otcW7#|%QkD7ZXJQ zq+y*8DNLU-F;!baXHc9;aTY{>Sc3?wFGZg=zpjRLHvKvD=fY(Pkv3ik+uARKg z4zgGW?d|44_V6ID;2_8aVtA`y?KR`BFWNV|sKz?k-d|d(JIE_zedNmn6V)lY}qRYtc_x*F-LNmo}onG3MgF#25`pA1Vr=ns{yO}Y;0x_(-=W-rMhe=12mMvvuEv=~09raqqNXJPh`ss+f z&FIcbHzD1WbTg%Kf5=J&Mi_}eT%wDY1zQnrO}GtU)N*it z#EJ?{nV@9iMZHbhQEX4KgM1g%=Xr8dm?16f|9NM|Ghrq^j1$Hn;#&G62XG)qXc~tVL6hJ}2 zS-7B?7s{a~t=E(oMrk;u5s>sep~CZwG$mcnGm6TCR7OKVHKg!77NdtuTdQXpLv1Xz zanKMv#7NqC3NP+>lQQ&N6DUoj^sq_;vWBJDnI@T(@{t@+KJF1pk5ZZp3Aq?|VjQQF z7uUkmJ!a-5y%is)`2@`=Fp-y1Tv1+n(wxr4z3V)c&NMpH;ov0&CyH_bD_rOz|0(k` zHHtIn&!j&KKHBx*$EXfUN|rJH7Tu@q0NHwg**w4;9$+pGpb0A-vxPBz#-tpT=23c< z(tJp`>Ex_|1eu5OKNs^k(}$@3JoN?C7eeY1Z(k>r+EFPc3}?Ul4w(OwN(qa8!zv$y=8 zck(r+k5GLr^>x(O`}ANSU)m{>5OO>FOQw%jeFOE4)HnI{AhQY<3NwAP>0?yiLVYXs zm!W%64~8_^%-&}9IJLLa-a&gOZ0}AFh70fXU8amzWjB>QR9=CC3Y=W0U^GjH5+TfP zuUQk++DGeETKi$4F2)GD*NmQK3%QYggY*HVrPU*Qq&sNzGrFI_o1_nsehW0`1|XXk zNI$t(;2$>c?tpibzD@5PdPm@4LJ?vTlSZi#vQVVS@0$FuM(91t?^FH&GD-!=G6*bn zczTNa(40x?9Hn!N&PVFtGRbVvM}%ouKwJ8AA@4d^MlU()>wt{1sb5I3=`h55BPkE!zwop0%U z2L~mNY^0cKC;Hx`w!biP#oP~+ex&phBt22cJJD%#9@i87Oy>-pU*PZ!LJFv&GyQ5- z!@=IgK1=Hyt>0jwE+W?}6i)xwm5y>MNzLM!rbEm5N7u}0= z|Avdl4o(|Q9f|Dk6)Ts_oUZ0SG>dKItCf5+SHp~PIl$E6QZl&9XW@&R=ea|UFr!1XvaPYiG=;Aol zz*N~H*t0t{lw61~WJu_t{vg~RqOU}7#O?q0T+LY>0std`>!Lki@ zYIdI7D%Y7aTb=9a)T46)9F0{h$;r;!(i0&&)R;C$wVSBbr*<= zRihz|TWBzZ68O%`4k0RGDiJ7Nj3NPM z)&Uq35jAa|o+(BxPA$=|6+Zi9w0Ekz&9rA#YeKClwPt=T#3u?D`@G$>`KmRi)`Hp{ z&@?r|l9@2iE!DL&>p8Vr(P~Yr4J!wCjrKG;z|h2qIoXmI<36+9 zou(~Nts}Kg)H*}+vR@>gCBvztMbC9HX`xD8Dcwb>8zhZWqOA3cy)Q?&?qjw?=g@@ zKAn69c-*ei7>*Y@eX+lvu2yKRKt}+Czs9;INo)MhSO!# zQ*w^1{_4zHrdA%Ud|CytP?N!#BC=FgQsHyT4K;7Mdc)`qr#Au~u1vB%Tt=D@*ZXx8 zg$F5&hM*}OmBmD5g49E%tk83ep)!`rI4EBBjK*a5Y`!6nH|a%{CQzD4>0wBk42d$+ zovYrsNoK87>k(Ry(wYp*D^p_$$s^Jvhq}kiS*6b7be^Cy1&$ZIqB$l{nzUM_sg$Ns znhpu+jZyK^5oOhur_8H#Nd7DzH-p|xdb8kp(Tas+4wq~kE%)lvX06e)&89Vn)?8S) zN+vvG!liy*W}QdjSqk$Zpwc{C7Fo@6&lz1-hg&>PdI9N$pfymDtPEFJF@M3VwHl~J zv=-A^0*j5L2{O9XEj4<#E+nvw^m5WG{Io1@XY?MWSCU>udbQFrxK4HrTVr(jh!@+n zq}P#N51MrYuBM*tUNXM&-?#*F5jK$DNPZJ|gj|j;qscZKT|tk&h4fa^FM~!gE~}Dc z%7lJdpJ1CAwcf(f<@noa?4Yp|25R22r*mR3;v0Cj%ft_Lf9Ks4_fUKVBC_v*)SFv~H!Sm@nHSW2 zljb3sZ^2|IpR_BC$dpmWDYC+7;iSyNrnXY`ZL053Jp#2bxY>gOvWiGiSMj@MmeB6O z_h`OP^Mikz{!yeKnt8dJM`<3T`O&}3f6Ws4*vyh@9;f*U%}>=#P97{9d->;=d}iho zCnfde<36W(g60?hGNb-s(I?HEqUI@@U();vCUSFnstj9@w#2WE?^@5x{oj!Pmi%|% z@iNL)3?xybVc)o??@ivY*pq*t{3GR`{#X9j=-ksLZ&dkb%4aD50vUJ4VA&-+YXoNg z|7u1}T|(k4jdL`9gJD-c?w>FByP2i*N}Q+p2h9t9QwBQwrVRXPW@$D5qIr?#-!M^l z%Ib6(m|o^CnJ}}1mnQ#ED7K03Px8&OJzGXp`{z(!CVwb=e`=yr9E;0O^8Q4xgwKY(vpmGVK3jioPT zEwdUXEzm{DYEr62=^98FQd5wZ>#jAn@iH$swaL~YTNf-I!r6l)^1gu_*O}K$6a0F5 z_2}II53l9k9V5&9$kiGsJ+4yMzR}#xn&)q#Tc7UDa8b4=Cua|mZl5Btfr&Hqwr)uA z7K)7^qHYfj8Q(kKt)?~Cur{WaKrH~x&L!^VQk1>aq%4vbER(-bxe4W_l$)8HCTEouCjKSgZgM%zl+7u( zpnQj4mThum*QZ&qY)`Vi zz~aduJrSV77$oD0GH+a_2;vwm+yT|CpGd=oV()W?>=cgm?exnnV zet>j;(n)?g>IN7cP&%1(3h7ioo#+M{9aK7vbUNt_rDcRgOxE}_dh{|c+=EGHlFl+Z zK^E|F*+!Su9?Trlxul2q>8Nu?ms2{AbUx_<(0IZj#RCIfPL>;LMhQ*xVKj!*7y+ZO zRveM#+D01vmezAek$#Z$Xg?is4;g(}=`p0ok{;)$Ww~#o-&A@6>4~Ht_R|43$>>8$ zKSKIZ(vyvj$iyD^n9(z)dTIVR=_g1}0gbmn?2aUhS75&NlcucI^+KjnnMP$g6lCN^>a9h2-US83^-?(RDSC z%_IFR>G?{_@VaQCd(P-h`mXal=>?=0DlL2Z1!duHqigH27m;2}dWnyg6||QcU0vyA zq?eOkp)_)P)V*l*Lz>%Hl3qo6wbIyTE#lS~U1>VgQRX+1UPpSp((`rB61qZjw*yc;Ur}}QP zd&s^57WZ66cD6LMNipa4nsKnPXY8Z#DvkXxkX>Y*-y-QXliKS_zpqnzgVF&=2!8I+ zTzAmedV2ZaBzuVLTVRphvHfnUOn;XtDa zHLa8uAMa6npV|k|5EXgi$qm+(O`Unz&C-p4Z&L#uO$EI}G zseH$&d_v_@C|a<|*sg>D?lUvWXvjXNae~GdFc30CC?dBbR?BcFO)96-DN0{b`U(=B zSTcG;*0N1{Uhn0l*Y`Jusdz^>IHI2 z`M94+pCSDVXoN*7G6S(t;;+X4dXE>Dv*gc_{|$U$NgkH_@^_;xj zWGK*|M&I&0gCa}zk-kX!Z>2GgChjg7-9_X159wl?`9dP!Y!*P$M`c@%Y+0K5GWoIa zWu&~Od~x|nUPkDYfP>JZREfLGjUJ<=N=edJkS+xp4G%a&EH71>T~l0Xb1LW=%FroG zryLxfLCTi6yVB?@wX`Ttx&rBnemc=rGP=Cdl}T42T@^H5Px7Q?ZKNzYA%li8lH65h zb)M*5v1+ugrd1slLWD_pviYac6=004b`P)Vd>ix*T95~5nephv%J7GCY?Y!02;*uE^b^Ju4O~RpeYsg+J>lvsYIag1Tx|_>Y_$}qHegXl$J78HgXwY^wtI5v6D%skWTf}Ave(IZAzz+PA8q=qrPsg1zy1&wSr1MD^C@uA(NW={_y0Vr=!$=P&J;Fyzool4g zwUi!3`a#m8eYD&=4;fuW=`p0ok{;)$Wx;NvuTpvf>4~Ht_R+Gu^CY9IDg6lPM@dfx zjRB{!=d4ue4X!c4yOfU;euD569~^W~8eCK1sf4Eyo(|Y6`(;_+r;M(l;g~^sCh1vz zI_91>`dX!Dlb%C*uF+C454dNHo}^E%d8D5uJ>N&m@ZRT)9;fv4q!*B02pV+&6orYy zQr!#2SJHBD5&6aBmw@-;840D5LjgriZn z#^`JG*lS6zBfZ{Fhulj>*Hn4~>5Zf}`RGW@Z8o~9(pyMxCH*pJJbxrr!U-6Mwyj9e zWZ6z(2Zfywkc`O~R4*MOyNsXktCzQSlix%B74SHLEZCeTJND+fy(T<($P@Nac$LC_ z2yFGj2_*YUSD9={CVh>snK)3-^g6{iC?0@_ibFgg%RHNP(5%dr-s#??b%@qmun?cz z^xV8)Amk1kf35D{@;3Q*$R7dEY#|pq?A|qcyk6+{NWV||13w*c9~wPD>7%5Nk^TrY zYUXG%m1=5U*nMoqqmOvCf#Wnjq46mUq;6De<)4{we6|^tB|e=noakzAEpe|%#*!#WMzp= zca?d^^sT)by{qX}S5KxQrpjBKyc9^6taLopFt43Xy{}2H7QJiWT`s{MmYO;^FW{~< zeAsI5ma0v>4)MCcaRrHo0*UTA6NamBJ%xG{Zh(LiB%Cc9*aNrE#@of{f8M^fHG?he=12j)uaL zx1&bae!>fQjC7oIqK}sMpxcbDqjVF}O-VNcjrU5Kg6y!F4R+hT-JI@wy)!hY(}K<& zaJ;xC23<>|AJMqBBHfyF8$TU!ZH<0R>2{>slkVWBWl1)pCoA2NbSKiCjh5LxA=ky| zpw;+E-$lBc(nxig8)I}$P4yn6dy?*@v@CclZ5O?bUaRe`eMt8ueYeuVnCuMT?lF42 zZY6jx>HA3c16@**7O(NLA%MHz_^^$hBHy2UlJYXLSO$jeYbRqOyZ0*$2sv2CLaO(LH4J6wP8|NRK5w&QHhOc%vUzdIIT* zq#p)dR!)j67EaEQ?o=tpCz*7O=CnsBJxXaZB)$d6+oF5S;QK~-p?{q46NIM##`JSr z|CKpTDqrbx6*6Ul{s{M^9b$JQ?=no~A*S&V({Tt)iipT;3>h?mJd&9t^|u`CFf+nE zW%}Pky%5ZxK9l+^=y)>7vr`tVl|j=H3HP9Yd)mA}vUl3q^ybi;3lHfoOD)Sp+h>d} ztGCEJ($A8f4;mFrSo>XJV~--f5nvxPan9h$TfFAZvQat>RuVe$X-bSw3zN z`NiayfcJtWliHUWT|tAjjP!ESD?lUHW6AQQ!X0T}G-bs;9>17dNo5t4)lhJPKpZoA z*BJeWHe;N^3tXy*uOXHKU)<`|WkoZ;(DvL`!3pJ81MArQald zi1b@NT2{_DZ1ht~zfJlb(npk*5=f?~ziaf`G>Mda+HGu-7dR~wdmf%Py5JfwU_X;SL;4q`16lNEh467Y6xeEM);ySt8&v z`Dfv~Lf;i$NQ%o(@~%L-gpUqNUx3l~D_xTG6{JfQ(UC~ll{We*rOS{mOS+t&mZ|ba z&rrHN=?bJPg03h*!~-nRrOGCX(&o+nj7nx+uh+FQ%_=mj!o+nA2O_c&(^W?Q`G6PW zYNW3wUENP7x*A4bRJtbVTBNU0THd7Ox?XE^dwrLxO}Y;0x=IIRh)Tp=XY`9&;9gI< z9_bsDmQA#!HS0#BPiouvO{D9SzFBEmAxMgl21XCj_UneEZz0{tXlV$RwVsU*YyGq_ z=>*aNA1yCvL8F^19U>hj9RYorB<;ZAE^26!u2d8w8Yh|vv~1x;m4Qt%cN6`ix0!T< zUe6|!no?>8sjwi9$#d~`qZeoq)tqz-(sw8=i@ZxJwlw;_3EtIjMY=WVHhwzj+8W(Y z>2{>slkNZ-^&?q&Am;9re-++Jbzk-l-BEs;6t1tmG_j>_Jlb7-U|3jqYH2ne?*Y;UvkKDfup2{#AIAd%yKgk|RG& za=G%|-3^g%RwrbtiA;x)=@5C&nG(=?S{{{rDg{sq%a;V{?Hy`#do3}BkseNZgpZby zRU?hQQ|VEpA0$0mX~a3?9y0o7jp-QDV@Z$m(_uH>=mttpAU%=v!%9oPb4-@&GP;G{ z)sK*Vl=Ngj9e0lz-BRhtNk2h)iqfHAQ0}@XjlQ*mm*`VTPa{3uPfMSG(T$a!L3$?X zSxO_^iSB8mTWLsUlb%C*uF}%nDsRir7~N9)$L5iKmh^ld9gVr?jBcm&^Q0G$UZ}M6 zctykR1*3N_@M5`$^kULWd^Bb~7=2jjWu%vrUZJ$~VTGkfz~}<)m0C%973tMVORrQc z?A924ownMqCB2UH`XXA!S-O{uzD?;3q&Je@WHfic+-&qBEpNAw-b(sqA1yg{o6+l) z-cEW4>77bPrJXR*?K1j$ZGGNNdJpMWl$PyGWn{u$qx&X#>AjEitEBh)XxU5nHKXrW z`gPK8kUjt!6;qi?oQ=Jk4jSL<7w_nAl0QWLE%3PO<@!hi^pmM!}msyQ~C$e zKa&1QX?Zb`Q8K5EUaa}*XVPa#|Kg{k?pLFiDt(spInuv@#;a|zOkc`N%1d^?oABp% z-o-yp;SUNIAe53nAX%b=3gn&hPcs^6()>l^B8|UcR1?EmM`UIHxNo+_CG+=d)5t&c zi@nThyL=bUn@JnYy+C}EbuN>?6+Y5_Z1*3A))kkZqz+HD#Q&>B-)xI3P5oKb@>DBOtq2uk>v6LGU6Z+zxxcDg znQj%jRpH_p57%8~@F|6>5x$ymb-=iFWjP#Kb*qNaqY-fVxSFJEk-i4>|G9F$1-Gv? z|24gGwdvQPUl+bFMf}r3t~2$F2K0KW^{Cze6)(Sq$sY?xvXf-HUU#Euzo>Q-wffX< zhIX}R`2_<~2gx=WF_|Qeo)T#nlfi*yxEd8fkXZv>Z zx9gQ{PQL~HJK*Dyk(VotZiC{krSY?-cp+>>zBTza;L+}c)QQ`wRBg=)Xu`Ck)t*)d zSa_Yv4Z1rG?WJ=!I}+_gw6meoxGqSY*tOt#r zG?}hX` zm@xYaFDW0O(4RsQ1SEY}epw%nPbQy2J{3Hl*0Snk%ndZU%u@)A1SgGj zI_V71Xg!i11X;0J`Zm(#EyJ8HqrEc>rjto03l1+XB0N+cA_ZvU%{FV8Mm&dBF0CQ3 z%F3C%h!@@}&ZMU`@_Cf5NuKTDxVtE4&otxrfXtrw!d>=!~T^4i1`RWp(!q37qUN z?#7!kYPols2~;Lhc^C@H@3f#~^GODOuB`@-5Pp>KWWXq8azjyEPI+d_)bM29vX7a1 zuV(wlsXjq<3REOPvKx`ZWs{^^;Yo9jo|8Yx$4#X(jm~s9xU#bLE0nAe4CGU0J*+c@ zXV98SYZffzP~7Z^1D$)?_@LhAv&qjPKNmc5s5Hw3^W8H>SH@i`A2*Nmv!v&PMkjD# zZPh(zcu%dYK2LlB@rA%~MPx}Hi2^sdd%=`=S?`K0qOzFE5>=#Zlf4+ED{X{ZYRY&` z++|djQ&|C}@VP3};@pcym%+u7k6TH473tNWkw8fU@?@+^o?B!5eC^y_OMV^s_25xP zASX&cV3K>ugsPeiH&EC}VG{(Tkrd~^HyeKEBVL5J5Z_AtW#C97S&}I?o!QoHGo@<_ zPuWgo2bG;r*s?G}a^Nn5yZtVQk&oL=cn{%M6qb!xlH6W{i>>gEypQm!g!e0)EL%Fe z*9>lY(mV3&gx?^105A);ur$KEgGSGu;?ZxCK1BL0(CCrO9Xh}rHnxt=UU-}AJ7kZ5 z#qA<}a7i+-COb!#1bEk+7j(zi_vpM&=L0wznvna@=y@8Nqoj|K{>W%qRW{;2HhPG5 zW*;a03F%Kkqqt6GUUc9nUXd&-~XN8suZQDtT=&b&eJVH&Lxm^=7C@ z52zs-fFgCT0u(q6%zIY7hV*Ws*9abBhlQyl8Cf#cAX^5DU`F<>X69*e(wJrf%>YbX zYuPxquq#Q1Jee|Tk{7=al`xeE6kKc6JS4}<6@clYrd_F}N{m{ZS|T*u?*4j5(A{R% zF|Bztq1BXDGgv5oS)_2ysZ4jfIh(a$X-=mFojc$#P6dUFj^u`1OH*!`<;AHLmDW_+ zK*3EcRTb$BYHM^@D=O_sw#~8dnO7|e$lXNf8ctes`u-=AN(iK_y5baC!ZlD@fc`Y$I zqEWq<^nIlJDJ^q1Wjy}9`wUbVH?+NvDubEuv#G(r%#9eYNK> zjdVKc3_l%qgN(jM>A|EkNoOf7?b6bTpKbKQ1zxywNavCs;-jVg&>8)@(s`uwNf#(B z?VdsD?Jzo9TQY}{9!`3M(#TptH`3_aG`&ZWevtHN&}ad&MzUZq9*O2-4_o(;xx4gb zd<@;ObjQI(zL%8}lf8jr<4r05j~DR?R3=h+7zzp;8EcY?$FB}Bn`B;rZkhE6y+`Ry zR*&0=$oXW}Tj9%xdH1&W?z6|~Jwa~@JOmL-<2p7PxF=2NsCAdARHjjx4yB4H@_sHu zx|1>o#gQcO!X$ahQ5I**i1tWKy3C4(Qax>Ib$trXraFh}T&So9 z$btrGX+igl;WOjjndT9HmiT<&xUHlcT&Au+XLK*kp3jqBKzgCl$P^*>g3(PhQ!FCA znDi2*Wx}HjL0D>ZKr`Gj(#uJ&@X;YzEXwGJ(kn@?BE4E^xl!V>%ZSl$EbwBvmh?K( z>y-{i0y5n7C8M7k=+PTUZzR1*Y3X>vL<*x@YjLoJ^j6X@`{}sbW^@~+x0BvMdM9Xa zR7^CSEDa4ZFI7gx>@uyXCgpBwd#Jqv4Nr64Uz{Fo!n=A??W6E2h5Zm%YRi6C3GOwc zr|Y1C*Ga!Y`hd~0|4)KDX!N&>z4UpL^dZu3718MWIc)T>r5^n@>32vU0gW<#WYE29 z=<1ie+w47}?-TvNPbgiOCi5?^R5m3ZWIxHj%9~<32$qU1A(w~t2w1`Hx*=I(l zDg8O=6QsZJ({Xpw=nSP#k^YkOSAIIteQoq0rN1HlE$Qz-7hcGrIns8Q;=VT_68aCr z?tY-~BZZ$Jc+Gt&vN)s^C#TIQrpO!p7Z|*yrGHB{2QfNVZ=|!N&yoI3X>{Wy zy5EgHzuQa5^Q8YEeL-my05ap*=w_O0{~~>n^xvRSY)YG2Zjv-bNOkLyDG$8uo!}oT z#kTWBL%#W9o{^I&^PS~ig>M$!HEoK^Px59#xCCHka%r!YF-}IW(#l3j(pQi!rL+`B z(j!*d=;oR(Wk{DLT@Ex}wo_69?n+~O|KSC?JlP6lD;BZx?qFsv6Lr@beY;+r+NA4{uB$X|A=wJV z=zf}UuP0rP^bJLHBp7rz8a-0!n@HCueY202KGp_Ck5#%M>03xQQW{q#=595*g2{>slkT82`m|+0QxUBp z=}5X0>CT{02+48|vWcfO@^&$yDc~2q9y|@^gmCvPEVz*UZ&}Mo${O zV0gEtJb!u{y+$)`AJTnE-)*!!t>W$;qo2~J)xD(eBi+wWC%XHMo}u&ur2CUj0*$7= zc%qCY7+`Rh4PHc(38xTF1&lVNq7o}lns`#P+&~liYq^z1F`Z%tM2&C24KjMI#&8P7z^dzMpA^j-n$v#@@Esq)9M(M{%KS6qmpO&FbMz>XZD(PvYryDI5s08y=Zi%mOLv-uOhv=h>lBB>l&j&O0Oloj`VsTE!`3?868%7 z1L=*VH-Sc}CW#sg43plj%_g+bpl_kDmBPyqkeKO1oUCSK@QIuLBR@(r$acaz2=4^U zc*ZefZkN&R^@iF_dJpMWl*SDeaeIxPt+&WN(yx-N*yw>uzfJlb(npMzav;&YYxLPkOcI%(K>B^sA1ECQ zVolu-jb5v5q(-CEEh-W1|OY0d}19C!{}B8U>hC*^Tb0>HRtB6QsXTIu;28 z6WmFozgysi`xNOfNq?oZ7R^F zlm;_*+UVW-Ao!W|8PdNPEol;WzZyMQ)8s7abEJRs(UMPoH#$q{^Q8YEeL-p54?*{* z(QWl+_>1&K(tj&0L($~b{*uwHQoI!Whjg(WtftF%;oXoR3q!ff8gHOhA0_5OzCQ*uO?kxX}R-dm8Tj;FVuUYCh1zF zuK`_B5;!L}BPSyz&s}SL{d>Gps5bdJ}7(6q;DbJ$WJG_TaErp>BgiJNC%Xb*{o5i zwi`V}GjE7=m~;emSve^(Z#XM8Nw#rJby1T#=yi=zic?C2RCrzEQjNLI=+=6rnviZv zx|yGrjr@#mqjYo9ElA%18l#+K+2hO+vX`1{V3Je7=0I=ucS}3K3kSW_YQ+Pz<^kH^ z0BC*Jg%0v!G8fOaHLH|9cG}TuPpbngG_0bBO5UF{GNnIXCd{Gx$lYn~$pKzw=}5N| z-Og~495QKCCQ)@U`i`?+__~t5i*z^8m&+ey_88V*?{4_xTF&(#-jjGQ;5fMSwaLMI z7tzSh@^O7g_a%KdXdXPAh=bo_c;f}6WmFOI`-t}gUU+a>iPqh3bQ??FB23PClIiI1HBD zO<_0G=xn{4hLIjldW4^jx{*fbDm{wygQQ1;t|%w9oGQ~bQkh#HGV?0Utz&48r8y2J zLM2y1Dud&V{;Yu)hY6%7l71L8u7qR>T!~4BciH6Oj}U*9_+;QXcqkB-O!1h}7utIC zGp3`&fN z_=4ff^qpW4@x{cK07p=yav~GLmKwc5p9jlGFDJdiN6VTwFB-jB>6N5ckzVbirOLL( z=p| z1VlmB%}-4T#$!3T?ln_#v@_>*DsNCZ00kFU@VMXy4KH0%ewB}VllURxZx!K*34$Ls zysF}F6Mu*Jks>@E75rVp|Eu_W#NQ|Wfe%j<{6oX9RQxFMW5ho)JQ4^C{;}b&A`uYw zCs&$NWKtL@Vd3VqgNw-HSy}ekq}ZvlQA^OGEu&U8I!*7jG8oR(YOW% z!V`>y5anwPub1fIwTaguURUvebSMjco#DZH9)3OXdc`31kCBY_ba) z`MvSG53B38DBGxmbAF|u*8iAAhzS77X)$~Ga}lx#DwsE7yTaU7IZ;dme@E63h$ zR4hhaPCA_oIK0l% zvLOxmMxUGH(Su26lFm{Z?R<$Y+vqv^c926lm-G;&rA;d)<8_R_Q(HFjNavF-P#S43 zP54H4(NrHsdN}D3O3Q!W@Oxevi%N;C|Ix%geeoyHTrMDoV!ve1Z?y$jEX#M+b z!tW41;)A6n-{3L|zeo6e!XFqMPL!2~4DN=DEgyH3@G-(487wtS_p!mF5g)+E34cQP zQ^4LG9*}l?qrX@{Sawh&eS-8CpczAXX>cbE-mBp_Mfgj?U-{sW``X}L3V%cRTf*M~ zW;o<|A93FseLzdRA4va5`X{61{tmd)Mz_@a`)AT;NdE$wH45pzmOVFQEwTj3UcZ_( zLTeOfX`Q3>8?3^VNsyj`-;F+^DRZ9mAEYl7(P(k_)99m0|3&&D>AyiU9i@`)E*YGr zRrG%d7u&@ey?lGHbQNDF|0=A{_tSJNE3hAmw%eDp5hHvyxZ2+rA z`fAeE{dCCHFnXBMHA&YZeT~w%m1QL%qr2%nT$^+q(sh-VI)Jn%UT1W7EherfU61q) zMoUjs*xhLKXst)yM7lodoBgyj-y8jq(hW)9Lb{RB5)xTo)aY&+lE$PHNC%Y06EEz7 zMz_{GB1Ae&I%2e>cf>`F9`1y3>CS#S>be-cO6jho?;_m|G~U-` zf3zG~#xT=$H{sY(FBUy0^rX-W0`6p4Gf!TSLqYhFM`f8I zqkCx1xR>;Or28o?eXp`g*ZoF+xxfp~1El+tPV&=3q@!emdrc8l9r_Fw(W$~2J12iNvNY5la%TI^g(?%yNJ)86#(sPxT94nJl zo-z9G1zx!4k$#r+d_Ns<&l!D5>E}r=AiYp&sRGED)EA5%s#ksy>BXd%C>>6W$UELr zqk9eULb8nXa?&e&v|RZYjqaoLO46%HulCWBf@_RUP5Zf} zDJ|Q%$ZAWQjehecFWg&5ZzcV*kCye5wi*4C(%VVzAiYy*>4cVN$1bCLHt>$UoAe&i zuPBWcfke00=p=0s*hl(R())e1j6`_N=v1X&C;bNL1E9S=fjAdVJ!nEN&9rY)I7Hzs z2rT%exQe>NM(@(%>TS~RkUpZc1YMc~-ZeT|1M?o~_ep=?r)6m&qf?YVO8OY-kBpY} zt%B}jqc3PP#&Oc0kp5I@>6@1^dY>6RN*~vslRiQE3#D-*N8L%Iduy7UBK;-luaw5n zoS^&K=%4iV`G)kjq`y;In%Sg!^u5tjr+XLw2hu;1{z+-6l*q~!r;YBam6D%HpCSE= z(TQ;x$n&ew@9Wh$OZpt?-;|cZN`^=OZgekw2%abX2k8rbI_&;5y0_AQk-kX!Z>5of zF?Y%6KAM96kS?~H^>g_y%vIq?LfBm<|17MaKcZKsxcnp)bkZf1Mz|yHa-;ibNJ^5v zf^;dPrGhDI1Q|V6)4L4mvZTxTY1tjX=EPe%Db%BI1BAjh4i25T(eVG=>gC#-h}S26Gw_n~hlHSP6DS?R4UFH6qsYfK zB!3I}M&MDZphGz5ZZ&#RL&C*eW6}wv1E6sjY2C(qRM7C*H+p!8c$jzuI0F-swr~kd z)cF4*4dmluY4mzcmsX@(lWwCln&iW-t&4-oH9JPA0`J&=F_3ImKjg`r3Caml1pNT-74 z!4v-!p_3b3M=gUf*+F-CnP?*Is+=wbxpE4KW0sYxuI) zJ)TEApLhXq-qZ+23iUI3k@he2CtXOoNNHsD3|DOQc+FoWq)SN;0G*Bs^OrOHEsaWw zcp33>;E0NhhLbX8pwVyY8(%TE>-l@ylb z$>-F2OslIS`tGGRoZ1LzxB|Jo1DtdB8J?v#b|mpp#76`7S0Ix}#u&Xx<207^{iMfL zqUGH?-stU0Par*!^rXtPRM3rnU+KxDr;wgniIz_72aVpS^h2Z{COr+bR;3acUh#+t zw`;b4l)_^armMhyZAl#WxCw_=`0juwD9oVnB!udckodX<{wd>A`e|z>`B~&=gU53f zL@}%#=W|T@0rPL=aC0fmqx7^&A(5ggJ!8`4ZM`&~(gI2gAtA4aMT!k_B{Ftpktw%a z>6OJ)mQYy=1-Cgv6xs3D=xTR*`dQM;Nv}{^CO1ki(MqGw(e~pi($A589yIy^qZn$D zO6KOc7tGl5s1N@|8ZXgU4FfkX1_NpPvIzqhcwr5NS17y+0ndUgRUVdQD{>3VbBgbl zU4TtXF7(>#)Yej4r&>Y=&0|`O-#y|D)82f}YwM}KNo@l(Bo;sDySI$quHW9z3Ll)PCgy ze{M2M_7X0uaPOP;%~@XCL2W0sUCJ#BEIngf_6j>!d|>J+=Xmu)s=KM~fyyh) zfLdORbv25m+vg+m+MVmYkLi6v?^Aflr@=@PVu?(l_{^02^S!c{%04QeA5$__`NEW9 zRlcP16_u}#DOsv~V@jDS-%|OG%J;{VY*l_RWtb{IQrS=Cr(=qwUHV#nHf4k=zfd_q zCJ;XXI8IV3 z7U@%z#*lB>C&1_utrnd|x;E)LpizL!We-ZaY8YT(C44jP9-1 zdlu>Xq#J-n=Ei%rTsoQM5j@+JY<<@@q;d|GMo@6mLV*EU?p%Y*1M-_3?mWWh6K)I` zoy8$pdZ<*=Q$E9{yRn;?c$SJyDK?{c0YntXp+Jf3lEi()%;>I03mPqHw1R;T?1Kw3 zU29{%*Ts}BB-@5;Td?T&4zjc_D;X?Rl8el_x{3Ug9PVN|0XjiAC_j*}p=6nCNuDYD zxn#SLd3S0Ohv{X|i@?*&AsYxAeN;0?jC7oI0yN4+oF#m0e~?Q|>#HZZl-gy~+Ci%& znk;IRUn2V^7szIj?sAh_>AD~7DRrQ91th${lG!p&EIZlPbu{6VH|2LZTqg=wQs@jp zlOV%RmF2E7FR8KXLhovN*TBQA$x9WuYmMD`o_{*JlD&>>H?W$2Wm^HGGd1KJNZ&~M zCeXN%$0Cz*H=EN^FZ&ic-Ray42WcfQ0ojSE+{ubqGF0EB6*u{4-A1V=rQ0DPKXSFc zawqSbJIpv+m+R|Aqc@E{Fz{%lWM3Frpa8F^J56ac)}N#=mAj}Uq2Su3td&_inMRM& zvNnr!Ht8JDD65cFqUrHY^5G-btSn8jJX-m*3Sc3{V8!wZOESgjXHK>{{pl3aDT0HG zhZ8T$FG#s!Gjh}@p;1a>01Up~Svk@n^Uj&Jx~YUGhf7f_qgHNO9Iq$S2AVeZ0kGkT1s^1Y;olO6$DQ#p~sc&Xw%S^v|l zT)qC0v_{by4GTA4R;ZCFF|y!f(v2}?v92>XmdgE9#zDbFNJ~5zcH@nHKwk?JNKYg^ zsWL6C5~C+8J(=_r(o>a2?^nz{X!PxxKo60AnDjKIFG+N zf*_j|8$DK&^9j;3NI$7G`X=SGfzelM-{efvvq;abOv}nTMqjJ+T+;JMKMgvaO=E$; zpnO>z?-?^n^ft|>v4F-x7)*1CdcrL-db76H7L#5=dTAwEhBqxUdaKgUl3q@Fh0&6V zA-B@#zcdwBk$#T!^Ofnad%@_xm41=*OQcsUo~3NJj1z0PQfcg($E^gkN*deU!_-e9zZEt?V;eVvB=HtCI|-%%QQCG0jCJx=q=X3|?o zZ>>zrcLSp*DZP#KcGB-Djhq#A?;G7sW3q$vPSU$Tf*+WD& z^ptz?gIT%SUi*>Oep)}l!Yf>6g}a}P-K+DRej$5+?5|*19Aj%B_nXlp^}hX1`VZ27 zR;J_bFQZ2*{Ws}@r2he(t{=$;RRhXpsbub?ddRetrqy9;N2ncz<{xy~sp?;&cj&G7 zk93uFY&6JU((=Vz>ho3QKhtf7h58M=n*1bf2GS=ejg6`@+=)hC-r8r1>ZEIsKB*Ed zpNVQ3-9zb>`moZck*-a;j?(x#oZ(J4I$OW@)+Jq!^chOyfr+^@ zjlNzVn6pUNC*1%v-e}=)ED)9lM&2W5n^LBU-jK>UR2o4^S2biC7r$c2x#pCsa~_@Z z=`@Cej=#GLN~Id>niyVdm9H^1CEkqq1;Dk)m%An3+nbv)P*2c;MoSv4U@#}h?EIi> zZS?Xd{N1{cbQ{ubE7KY7BBNI-eKF|(>7daW5m}cgWb{mZDThgCkd9QMrB63%^cFc|%^(p^bkN4lHRk|$-n@%2VmXr8=*^o^u% zs!WI6%|;JV`WDjNN#AO80`s7I82y=+0k@IvN&5E6blBZt^j@WVk?u{pkI@qEpu5xP zyEP_#N#8{}sWhIYsLM2ZkmlGd(%GbQD$}yoztMx0&Lf>qxZczBAWq>&K=&gg+!(xgb2kuFzS@~*7C zHqhuvns*109!$DIX!fPxHW7()W`d2U<%=X<0xSZ^{r&#tBp=QkevWg^^rp*gar$ zExpvqq^FRc3K}Pnsr5PBD=y_8H07Qi|A&vZdx*-zRHi|xCBJhb7$(J($SmqdO#0;z zoht58N{>;R4hgZ6>?z+c9yfZJUc(clXOMmpG~URv0kiZvuvY|Y_B>_U_JKZTGpWs@ zHd{5EBq&?C$OiU>()%>Ww0rbybE(av_B6EGK5n7Hf@CK8jb-g{_l$}6syLtG0*VVE z;=3Kr7ye(JQH#tSuI^&GOXx0z%iAP3Ro3S*`b*6R&yrqFdIe~o4}uxxE>kvNU1`b) zJ;5p}&rx|E3f`2`>MhHW4GK7s*PN|7*Yia>FVR^IrhSDpP zUWJ64mCWu}p5ju^vH?$_d(E`lH^{%r;a;bbwu)O%_)Wqa z0OOrpUYad4Ci2O{5)Ec2d~|1<^?aq?z}D!P(FG@INHHoA4gMjE<~Y zDz)#A3_pl$Du?@+_$S0aRXoA(7Va~{XRIYHBmar-BmTMK0mmItzA*fDz1S~_e?|Oj z;HcZ%#mX$cfcwU*Q}lYjrS%=H?_nW(2T~=nM*a^*7w9>DB)y;XPoQxQY)@TYEIr07 zC4M$*&5!;L|k&+zb0(o<%Rz!RC$9<0{Lq~9Pz0t zzoc6QTUDqgKS`^A!U>fH>E{o)6HRzkh3XV)P&lcw5Kf3t(}bs0IGI8%3a6-m5-oz& z*iJR!J}qTVqfnbd9SGI^MTex1>2%}A>j~15D}z`;2}MFrW}@^D6tZ_!D9mczx!$H^za z$1ZS<<`@xJyj>aXXzV?ovvZQECSX*Bwihl*{5fmm5BHfydhu??C(t;FZrI z8zTf{Q%IH38{VBSTzMAwkO2-CaFQjXYUZxT1O8Pp| z-INZIzTW70nnX8{zLE4zpizE>im*~qvY=Q-Ed<=nW(C!{g;sZ3x5C0j%b18PS)4j6 z92cpFNwxa;%eakFPfE8#Lc+R&tP&aae23xl@9{Ug7xCW2`vAwymhHfqq3$$(`C1=* zU-Ea6PlCs*&1Wc?AmlPlS*ZCbi%K??94N?xnm;0vJ#x*d`kp^c9-VwT1#oZ`@_In_ z=x2C;eLwUkUP!zMc;)ONYu*H0u}L3k_9&rLN@)NjWREa!p))#D(=|o9jC46@-VD8k z5hqV`vDg-oC_k;)_}xR5|mvR{b{OYhJFX8fxamB}=w(3lDXMRP1WmG2%j_zHaj zA0qrP;c0-8wthXX04DT4V$OJ7hwD)~kI|V92R(}MJlP)1*j4(veuC@_vQL6V7L-v* z7!>}L;Rke3%1q+3h|e}W8j`R6ZjRxJ#uA7eZZ7e8#Gh6?B-@@#=+79wE8_9_#1{}> z2pkblNOfk2OGEXz`0 z`30o|OA1kdy9(JO%-q_#liOyxTj*|ui!wif{asvvEcyZKU9*;~m4B4OZKJiF)_btn z*PMri1&c9wK~}zT@0<3v7BoAk?WDE~S`7&-kyVtRm6CG*0~5Ng#aZM$A5z#&VGjfr zeo~Q(x{r(=d7Y;}CjANNPeJ=Gn_%o%JI;M(-YE6<(%VPxb9hK@+48SgzD0j=4A;-s zUlRX{_}7Xjvx{>EC*3!O&)wi-^)2!5h<`7C%Ujx2#N7|ZkJi}yNPa*0pX4v^NS-Sx zFU3cA&b0s8tmQg5;1^m4X#ENccZ3%D{$=i-^b-GO+H}=^r}hW6KcOL8N=X@Ve;NF8 zzQ2;c2_Gc<4`Af^^o0lAA>-%il^-U5g#1zP$XhaMIh0+HhgeB&`PZyb)BIWfqg7=+ z+Y|DatI4Ii#idU-EV+6h7V4=g|CDZ6{QQW2CacL$(y*X;0?Y;yq&H<9*rIZ5hgOp6 zFI!V$Ync-*gr78o>I|Ui~cFc z`@wh=dvN9CNv{+iM|Z0Ed(}UUer@`7;NwY7pI^Rp$;dhx|0fOT3U|7>pQ>AzZaunZ zz{R^y_KL%{4=LHR;7n5{jr9q37M1!`8bHD6WM9oJS5PWlV8?RK+2)>lL=ZV#L%QeC zZ3LG$S3X!~=;%gwu2~bNdh0w|=hJEo3w5JVhJ0HKNT-QxN}I|mDXnl#%$yhVW>cEY zXkGvlue8j9lG0Q~C>WIrd?=jA$;)=lO}%!vS6fhRNwpQ!GvyzO$_vX1WUN&%CQ~wH zEWPZkopNQawdvij_o;Lt^)}SoLPwoSvO>CZF({KoFEZ)QbG&phr2wTMBwVPh(;JRQ zDqm>G%n3O@wqcqXG$SyP2e~$FvM?xHq{;sx9400$7Z){uPK7^njDDPc0)9jBIfzH{ zeHJ!>%Sp*xTYUS9hYO1Pxl1gJi8`j|QigFE!)S*v@TAMYYZ)C~>@GLHRHs(AC*Ohm z72r{@%dVs84Qe}@P)GM1?L^^93Y{S!c~Xf4mNbutEC*d>=3m;I(S_#KG_QeqhM3aH zBDZpIB168_CW3x1XLqgHAMY1P4%e0Tb+o&|Mx{<3OL;hD{p?UMnJdF4-SsA39Q3Jr z1H~ID-UJbO$d8JW5rk2>F%j-aTT`L_fN_caipwN|AxWK>EW45~L$c&aad((qH|p(Pw0qO;0~>Eams9GZLEQ5M@A;kP zZNA%ked*mrF9{F#P`C1PnI_EBVL4e8vMJ<1Kw1{&42%ZkJP~Yojt45&#Q0_YOnDUZ zDHcG)TRjgAUf0j))eSw}pL8MVBG8Bz-f889()&|v!Z01@Swf+d!T<<}S1?byLip%8 zc?hKRcP6fCDgQ2qOHnMNSPl_4NeaVaH_+e)x_#y#!h;D{0LBYfc36@}JQ|Y1sJP!? zceiO3y3f)OYD1|FgNDL{JA)M_u^g9k_n5R#GvB?GhEo~=iMdBIkGs#{%*%axjU+sZ z@MysGcop)kRiYNF{Pk*#$y-Kxc`W7oDUXAU@g0>4tc;AXBxESapWJv0VDAsY$>An2 zfQbxX5&}RIz@_@T2aKIL+@EYR*(qeFf<+;KBn(Lgl4aqulCD(l)PrUY)>M3m=EF3n z!Q^{7Jw`DsYp6uxAz99QU_lBUPLG&BK_ACQ=|4t)I()oLaw=qt7zU5t&CK-{vwx0}IOB z98*WCI+yA^s!yw$FCEdcGfhZ72t?!wPZl`$jHykU`xwusx`66JsEy>T`N<;rI#yPa z6OxfF(&m!cRjIP{+gFlqk%e+kV;{<5hO&gAEJY~DxWP~~5Ro@$mMm%QmYK9lM+H4g zX*s18kXX#;%l4W1@{Hh}9l<+$rJ3*D?@zai=5sWkhlymCeHq|M=^}Nh^p2nI1#>4Y z@$QRsU!uDjE(R+9uQy;wrp5%MkjiyQZUTx=NiSPa58UK~TEn1TVNkCkDBkTd8FeWO z^~lO8_=_4lbG%=}hL{FuZ|gto6j-B)$PSIwG=ja;3PEx0-v) zj931Ve~`nyO=BaCcVIM?U*%@V_N1~mp;Y;eH5b&}uD=#W=XBvFR zY#;hrgzFP-02qxv8LKW8?^H_OeP^4pc8C0n9IhdibEq_ef^sHRo+-0(N>WL8t{KxF z@+Ucu#`!cF!$4I>`fO!xp3E^Samd(BOzWbb;hR!xM(qMm~;l|2x#`-<`?E`h=%XUiedi*xxJ&E70co4fD$p+Ad|K7~wy@>ZF-Um3I3b|ornc1#9&)sRp(|vu;=u6`+ z8c7(44`yk~3aXigH%<5xWD(CMo&!9cRI)CWv12u<^2p|sEdYxKU?>;Ee`FahyvAi$ zIhmL#k3&DR|IlH~{b?7{E`p7RD98ca5!vbzBOQy)s-ac25?ZCS2EfAQNEZVNb7y#X zi@%%{@iOA&!0{3)?C%B|+EE)MgNP0$S^*T9O6vC6vQ4ME+xQmyf=98KDSUBBmJH02ac$r~cKSqBA$K{#8czxH)+7(PYu^~B#Kz5zI1z=JZ2U0?T>(G8aRr}b^p z8%e(d8cA0w+hCLx_jQ|$A6M-8&E&U`->SUyLBxaMzV2P)U(zRZ8~N?z-vf`=W3aR| z&%JN(`K{zPIouAyI|=UstQlW=INS%upQwrXA^F|p_b6ZP3S|sm(tTun`7=K9ACv!t z{HNeG)0ZVPWuVGuW}KpD*h^y{jn84=cF7R3yb@%Wl>5Sz(V7{*r1BM&uc7cHE=Owa z$iCm0k)xH&Z)to-<9ismW5wkaG9C5@qnG#a7x5$M{iJ^ajVR@0=M?5AWd~T9>0(Nw z6TR{al>=0Mg@Q_r6h4_Qne6X=GvU&OUih8D9~AzCfD#1-V_Cj*%SboSU*^QLX#AVb zK|24yLHUp~7;AJUuVpLR8Ax~U$qi^fx z=@z70l5PbWRkI4|{%dV)8(j(gLb7ehwgt<(TacHB-tLQxf9OLALJoH^`2hJKc*LYc zzOEIykkJ!#ai1{h4AK$Mh)Ir2z=;~W^M8D-V`SrG6JT+ZxB*yScZuQ2xgNii_+`Y~ z0Y^k+kvCa&_;RCr4v-(^aP3KVAbkaB+@w5d@}%TC`xjKWj^-R}HF&XsgJ!@+Y^ zoSP;4)EPYSW)F8Ed^O=~0JB*v^M>(gxob^mtO?nb!gUn7L13nrW#rw!q`Thu@tTKk zAb%tIo516Ro0K(c%5tPB$>o)j?q>6L-Ki+?@s|w4iz&!h z`SQGcmuX7Tr#?1WRI;h$KtcHVNqMMp4PK``x_N~22^RoP7bC80{nBFB&-jEs=KaYR zk}pzTdH|&ER^p0{kJj_IxP*Ku`2paOG`UIne(s#nGfww(igX$2a?r?e>GcYdGG!vm z4K$~@u2(RK&R{wfaBv0a^)E~Hb$1&-W|2R~5b{IG4+D>Ti%l4$#d(k6A0VCOaQ6}) zPJ9G#yk5#mWN?3~B)3eK8Od??nRWS-{v;!5jiNOg7Vbe-mc(d`!Hd4Y3FH)G3Exk6 z9AG>KsexH3>9xvo<4tIwy{i)_Or$Ug0wOD+i$moBQi z&iJ|C%g=JShsZxnej0c_$N8nX?h%7u*XQ_A!jBQ24j6%FCQ}8t;Kz-Bb|=HG;+`Ns zgZz`=kty83a-p9xdi)5VmNQAuB0U>4LYME**p0=_F}`Je&(9@4kNnfh%ch(1)aScr zj32eh$7VkH1>_fk$Gca)a%W0)TH3vf%&4F8XIM;Q35}&Nkp8kjM!G;LbjwT`s#U;e zsVt|m0t&K`e7ZpuA~gtE+^sb0Lj7v9iq>G^mF0mc_m=U8c6t77@*By&qkMLGQH692xlP7b(O2MR@>|Gn z1&_=$umJVGca5&0PyaU3+eyC%8c#nu7o|jf-|zuH`N-@bzLWSa;K&=&EiALCJ_4*dNl^O=AxXoWM!7UFKbVWcaXqeOCII_$S0aRa{2v^)DIZJ~KSF*yDSN?<4*> za3rSm&J@e0E$$2B+jjK)m*l@9|223d&L9~-By-=5erK7dza{-0>F+@!bQzc{E%Rdc zgYg|Edj3c9`^o@Q>wko^@b9sqO%%SUKMEcxRFq8S zrrf_qZ|dN$;y=<=-eOBY{<5epEys{E2}2z1T!LN)nG8UhqfPytIctzTLq zEddjbd?2Tl!&RqHgThG={2k`@E;WrmS?}=4X1w7)PFQasd-Kj=Ds|Ctwq-&F| z0~)!rUsA@0rQGR;_tVT=mv}wmXDFVRtdJU%JJawlv=jR*;`NC)0FHYsUD#4Uuvb^g z_p{Bay;c5E4%d*@IkXzV!k2|asVr71FA%9Gpjg2r`(WoTGLCIb}9&`?>p?IP38>_ST#2h;-8g3$Q(FVD;?Ny-GmkO{Zw zmzXex3+KZ~`#0lhj&J#den%f8P>+$(NG9jC?!r2wW~A z<}Nq5r$)U!;SPka0F1!pD-xpaIvRhI#=H~xE6H~TkMbf{9{#J09jz6|E@ZDJdkt7k z&1fc83BuX&x+m$|L1XLy(np3@$}6WJsX6=(bGK+)su$hf zbo;p22+D@UoQ8JC+seBgsZ1Oqak^K-s zJ`}koY}HuhQOKuIpn?oIkY`AiG3;l;X*#N)KZQaHMG)|y`q>X+6q_+a=RTCsD5Ws~ z2CgA}il}qOpRQ*}kuM`(4j#=0pAUH%1I@Wv^Wq>ngXvVjK}IQYL77Ew@S}RqhY%i0 zco^VHmk^A&d(4=smvAqQ;WS3TNWbn%r9TR*u;6CgXI5Q(-HoI*iq>dYXs_~V%E^^H zDMM_e6*tDbZF*0}(z~DDIC$xjjrSzz#+z`erq~1u6DdrBQ0anX{KNxhOxFvVOk)a- zscIlpLkxBLSB#S96p|li|okaL$#y_Sfd6xWg@+-ij zErQ}GUL*sQD%?s_&gmlmB8OW=Isb#U*CbY7yf8V-u% zWH|Tgot03AsuOA7SIHN9p0uiEMQHu;U@-vN)L zlMY2bX;Q=4WJ2+h00ba$kSL_7lW$!WV?6G`cDTzY@@ZE)_br}*5sBHWx4ka z?x-ofgYZtmy8yF7SI}P~^nuZL=qv0)(z{9T0gY?M?N7+SkB^K$Pw)N5qg3>#d$ven)-p3tp8E1@-|x`@|W## zd85iREN#Io8RlKmPeu&N4XrBwnr@M_%JSD%O@5LV3FQ+Y2j#q#WT{|;<^LE(k4~|u z{9gv*$zIX&wH5UU>1~&>2kt}*xv_>^ogvp?$R{CWH$G~uYVT`1I|a0&$6 zd#m2b5Y$u6xlr3jr_rfRrw$xsF)h4AIo*`W`b5>GQjf|RP>@}Uq|YT!#=xb5vNy|_ zCT+ORC(~J!>Qia}2`#0Vd~uZhwazxY_;LAF4%d+QIm8<&9+&CfvOmMQhTpKv0c&pS z`r*4;wktN{(sEx`l+Y-pF+dHx0z$02J2RSV;h&;WMxz`?bvZ}6sEoRS#{a7&P7!+KF7L?LvF=L9BllRgXPGba&;}T0I=iX<|PED+l zbVkt`4F|Oqc^YKPurWq&S|mTp;l`4_pY%ARV>0*8jW_ynEiopLo=AF<(t(had+q_F zFF|fZ*po?5Aw3l|9tN2#ntm7_G-1CM84po-n8Gv&xCc_gNKLlFJz~65{!#Lek)IA8 z_rP8wQTMnhA8YD7L1hM&C!rv9WIZ(*X7H5JS5226<#01e&muir>5$BikUhMQ(GgG2 zB|VSy(@Jx0pnJyX;o3PhpY#IK3qdn=!tr$KEHYuiQXl+c3QH&~g@DwN2aTz-%=j<# zNqd(3a`G#{AD222x6+hdnmVhfJV)huD7cm7SOL7hd%^Iyeua3E_)ElB14s76kQ-E( z@ch4Q&YZvfRji@&3Y}NsoGSky-9fhcn$(hCGi|HZs$ZwJmfAYi3T0Fq+U_z@220Mq zVcKFHneZt4?ZSot*zoWcVv1HJH#BDNu6>^OnZZr8U zz|3mV- z$?s7<(qCHI%%6Iy%xZ{i1u{{tL( z4%dKnA`Tfp?JmzBCVzzdQRPv=m$^*tU*m^pp7@V^m5pp`$X|w!dmNT~P*r|NH!rs8 zJ+3A{N%MmI36=Q_xd$g2zfJk-2pXo0*$wFFjKa(Dj6hSh0ZnO#+DT1I|q&PX*7o68{i4o z#NZkld{e^B2wwmg!G|sQ=4K4gVVf;zw4~7rhDJZ`S{q$e!@rPp8`5n-qyGanoeVq2 zMP{|^;xFN1S^-)?SbB~O7c%?ok2PR8rP7p@S|p2vep|h8gUv47#hB;=VkO^ z4gXTomyvE)i4MixEh_Kc6S>8wZ^9}`Mby`!J{k<$kfOJ>3^2Da>`|z^t4J@l(H%1K+=p6b-6}Y z(J1AS&L>>}8p(PrWA`(oo%6}spGF~#A~oWcNX2GM(Ckq{qm;$~7(PbQ^m0c3kH#oP zx{P!=Xe3h1C(=OU`!4YD8AN_C`3mrrGM}vAWx}1B`G!y!N?{lT)Q|8yNAx06?jF-x z=>vT)wc*r8K+|*$yZekjst?>q(xXU^2JK6*xEo_|b-m=VgzqOj4lr&)Ok?B5n-S29 zo`ry-yMZH-8&UOZz?D{V#2r?Y_0LO3CaW$`UF|p&ZwY zl!g44nX^xu0?*P}PGFgd-QW=kLJs#L z>6b{a294|&lf@a_%Lcd5?ua#nUm^S|;Nv1MtI5A+&L)lg>vY!ASqF!ampSMJ|w=I z_#VZ>89|J-|H$z3ulM-J#6Kbasp0{d)GafyJ~KQ6^$t1QUgGlJ@X=Q}#z|6h)*jrfB(@2T@6o&9uvg2PN9%Wp_a z!RSMnJ8J)CbcwdLe<%G1=|4duQv_q7V)vK9>znwX|0aBp@IQc$ zzu=HNWX>BJ`NMRM&^ZbRk(ZutNuGa=?$Feq;Xl$<-eD6#{*sPMBQxr%%73OC2p=!> zbT#=&8VICM0FB5;1Hoc*d|c#ZFYB7-e5jE>nNBS_r@%qvqtbCN ztNt4O{5XGx(@57QT?aIBv+Qz%eTh#u{J*&#uS>ih@iTxUzu|=$m1Sz(nI^Q>SLIn0 z>QiU{p{)qVe{PW$zdQ}n0z<1x{%@aN{HK<)E!1=MQ%ggJdJaQvgi!I|Cao-&&n@Sg z)b$M?_wy*7PpL7a;}cUF6y|)SiP@A+GddT*L1KpD*jc%`(c9YjGqfPxl60$MbOZyY zjIPze(-)F%L%J>KbW2w@8wtCM4F9T)$1f%xARYvc=*y!nojLq&?Ly}KrcZmAP6nNb zI@V_=MM~71J$lJ8I&nG)IJo3M4C_)~V)Wx$09{J@GScmo4h3XRg}dD7!58~$XivHW z=_`~D#3QoFMn|K^qY@^E>qPoW(w&u-z6?qHtBgKym8ZLqzMAwkN=IaUueiI`=qmSk zx-04HNOw~@E}Kro-StMdTNZ&~MCeWZ==+c((RCtA7q_T=}mTb7~bR-e~wpH0=5rK0wp6Kk-81 zMT#fnQWG*D%J61ud}K<9ml7WU9HowIu#kSsITMolhDcE;qfidvxb)AEPcZ{c+M($` zh|*w66_C=;V<1D`LU$Wpv$c=Z5aL6L4^uo4jYg$%e2?K1aArB&y~KwTAE9_OB%jV? za}mSWj`#RT;-iR<296vjz4Od*V~j6d=J~PY?<*e*5VpdZvM<>vlNNWrZa`kR5&aj;tBc4_@L3d^cjAL^uwg5DJ{DtNZ5}U-Cws$c$D;G zq^Bz#lSPU`?s216&+^y&1nC*1p9GEAN3l7LFA<+IXZTp}%%n4m&TMt8M3kq0jyc=) zis#aqN9SocxZ=31LKk(<7#-9m?tIbh|SA-z=Tj5spUGNV5# z@v(oF^m5WGl$KSqgNUv5J_0*Vq+34PV zeb{SAze4&|(8!;$K!W-6HRHe0k2|lEUrT-+_~UY#)J@(n=TlAh^>p5(vjGm$U228$ zCVI>0LVf1nCcTmLJ4y$`vI?KuWb|xI9hbvxCcTC9R;6XlHCaULU84`{UD`%^JL&g8 zqiB##nNc*qZ+I`=jcW(-oy2z;E|ayTPx=GHBig6?A@SYB_b48ets|sM?jyqoHDkJ62JY%|c9U+r>xkZ;A&g{sXacqdz3e{F?HB zHu?`!IYQ+ql;iFRh6?;^(g%7^{-ac76B`clH=U~@VQK8Ss`B6Imc!MveYC2{PttNA zeuCms2!-ScJ<;%omw3E7@fyTWGF+NT88KJW@cS2g{AA*_h@S!+7i|S&$en7+TN?k< zsMMxX2MY33AS!!A2Hoj~x7RmdUE=kKp8=dLpQylR8a#fAkIq?y>l1DO7-2^<;`q>c zw&58Mc)TI;bBH$req8Z__JBF>X!Oscb3UEMa1b9^6R^}ZF?gg-6m3el8Q}{6A9n)j zJZf&v>w1C~bXwAB1qUaHN2Cj=wZS)PKf#5B+YoN6a3mll`$Yz~EAy9oG2sB=puth; z(+L@T@^BA_31<+F06sqI(g-l;O^tetPMl5x4x%pOd=l;wg9jG*6I@F8GQ#Z?mXads zE;o332M@O=+=1{F3P%!=V%O2&zN0+ciSU(#J1d+-9=OWj_S#w5h49scuK|4Ab;{mz z*P8R0UT0T2*U{+)=lJJV^5*p>?N;dqN;guv2@>+#!&_auHha3sB~4PET+Ft}4s5BDP6n{Xe%EY>sRdq8optu$NLh$ zi+B<^!j8!Ic9&`JYRzO>gtH0fC>)B!i(Rh4H7@ZX=Ml~)TmYDTZ@DffJ6qW`c zY|!0j%4>STBdLs{G8zglScbSoq}4FS@LV0>HkSDP#K$Qv3rfclGQ!C4POJSDOdvjy z_@qjBT()6(!0^tBPbNNv_*BK?p$t5a4;ns9UqBBLf0+0*;K*z;m@?`fF?hGW+#V(T z7~$y(%P6>F_qf4*^-b~w;TeRV1dNJdL@E%n--pq&v=Es|dKT%~pb?LZuoRYa3=V4w z&LupL@Y8^gD@0`9=V#3ML~qi3It%D5gmZjWmd!90ne?toizzLkv=kEVtW>aq(gs;( z_(p94KTCW$@fC{8xEC3i>{c57>*ErL9Bviy=ZHTKoDX_JlJf1|R|7^= z0#b99F6x&J?}+Rzhg(DZ72>Zd9*PCy(q;IX;Vmxn`0K>i5?==#Q3*$-3;zv+KfBe# z>j}R}cmrT2B^G&;!SGzS^(~Xebn>5&-=?&Y(mRmwT%n>DPfvi^WXi=_#oJ6}3ze;^ z$O7~7`G^D7-!-Mbt|`Bb%62O6K|y-RHb=5YkPM4_--Q2kWriITc2d{{0Tqba%)?J5L)VhZ))thISO8RhQ7v=E2g{{~G_c&2u1MWi#6c@;Cil1_H8d zv#Toqoo*laDsUB7O@5O00r3+m1%i(uoi zQ>jJe6exB9Qc|31{9Aefr;)Esz7BX6EOG(Tz&YLUdl?^zQC;Hoh@VjzmxAR?!~N^G ziaU#Vec}y(<96Z#(l_92GyIzSGWv+dIW!u#=R)Fbh__Wd z5)5Doz>5rDKQNt~?qcEr;z8iJSXpd5T|EhzuunTV!W1$nL{wnvL}cyls0s5mbz&6a z6cP}SI-y9E8wnczT*61_QsS2pZ>PBI+$>90yUPtfG|S`diFY7=h2nvDB12xn9Sz^D z9gUrcUrD^P;Q&KX{ z^~S&Oq%WIpAb%tIo4{L6lg07f%_hvzw7i8vcM7*cKw3tmksu#CdKlhZ>z=m}?@9c2 z#ie&9Bzr^OVfY9BVRyZV_a@#)@pvE>#-s$pH!k#v)0g;N#FL5#GGtmp%w-xr0?(Tq zE{k|J@f_eRh%*A|oR(`st?RvzMHuLKAiXn;K*rA8@X5a8NXPQW+eGhnARnWfN_5^B8BJLESUZUX6vq$h#az@=050mC#uq4Z4Bvq;Ydji}3Tg>)XCW5Q!O3|+Pbq%e=d(-3fRG#-$dK4EKKU0%tG5ICrmxAYwip#bSZkf?TwDfzH^m5WGl#a=`)VNz| zbZEAZ`zq4Uk$zt3XgncJvlonBIL*^9l75NwYNcgqU@2-|HoA#664#J^h4ibSk8cdg z^ugCm+NO=6*D0-~vU@en%gSZKSu8eh;)g z)G|oqedC|do45$M z-{H5Uza#y<(y^#~cXB@%y>gC^%a5e@lm1C**=$DWpN(#{!qdNyK0x|crGp6>z2SZ{ z`ap9}|4#Z3(tm z>l?m0=^CU@0*zcCb1c%ipr#2kPxq;FGKE?cPJw{bNf%%4RKsUz+)pE3n|K}I$dcih zRAx>$_=6rk?7D>O5k3Pja!gdVL6t89M(>>L>9a`JC*45lknBAcc4r&CIp*nxq|YJU z2sGj?8}#9>o@;n}{nB(E@$-o{25xsX9CJ;KpQqQ^lzcPt7l8N8_HbCrjgmo_jh=GN z&AY6Nk5&tME$Ov_hiGMIV<`#O+VH%C9>0)y8{%z&>uEBM&8Be|nb%%Vb1}UDy&yc? z26=@RPM`IGYyWHs92Yp=HlkPzJ3Z*0Au!P;w=pVE;+==v+q&q7el?O#8B^%vD-^5)= zUrqWN&`3<_{*c+y*(F)rno_16m^V^4hwDo3I(psU`NRyl>kaO%iFpIz8wuY8xSE`# zRB9?W8=Kk3Hx_Oo+nwyKV3CkTSy|;du7}ZgUg_!ENcSXtJ80Y{>F|(M)ymu*#^*Hi zd@u67$@c+|td^NyF6*VcI}Pvkq5LX`>r4DD;z{6$4EkV7T&B_cbft(a(%GbQKqF0Z zbFxz|*Wd^1`k3Sq&L>;|7(vUpM0p4HGx|;)Qq-SxA?YH}2wH|Kg`*(L6 zoY!B1k;4rkJe2S-z_{YFiqf3E?jEB*pY4Obm-KMbBa}vmVPAKj(c`qoa3twbq(_6s zeZ^kl68IRyuh5Oe#}dDv_&DGw@%=hqecgBye!aoRW&(wY6edAH_$W4|M0>#SCv+W< z$;77+pQ?CnIacIw4;o(kY#;hV#2+R;4LDLpdb2a+>wwYC$H|X!xJOApMtZu^GEh`L zF+OheL+5z<3DPr2KdCfEv?knBMlb5@>6xTwk)91YUF^w>Ln-#=82_yDbIH#m|1@~S zTtb&R$TLPSS9(6_1*8{(PM6%$Z{k^DR0QGG&`j!m%JWY!wBHq+WdYbz|DwzA-kU+wQ*lU`G4 z8>Q`(-h+fYDBq~$5tV}aeG@*{y2lO*J1OjffEuF2EtDP?^MM&_^%Nh{*iB;(3?y*n z!7U$|(^_Y=d`#yPI-kPv87maRv;CO~>+~dhDeR;0IfU9iTC%(3u~pf=F!2o)zohsT z#jhc1s%7NMmUj4_@r_CARr;3Fca*-bEJd_m`UjKVROv@b`zifYS&F90OYvTJKby2c zrC%r=p!6#wpF2abl*F%4whA}rEp>jU^9P+j;rORH6t7ed`^&ty)%%;?L3;nd)1*jb z%Bo}7KjM%{8&x_?=?JBxko?KQfl5WkzvgXL?>~A~wzAzIfB8@cGXmj+t1ADQZZ|}< zu&gFONxOmc2}*~9!GwG?FuLJYa?j;()k)VNeG+KA{en^1*RZC+dmEFL&jo~Q5k3X* z3GxrJV}@)gf2z?*{bqC;>Dr|0fM&f$a!QV@@pHQIBU<=3NL}*v$e#fop(EnbYB0Ky zM*J+&^+`7XjfjU5Sk1`b>K%Q=8xlT;aHC4FtYu{INeZ7w_W%#w%xW9*Rts7!X|;ldnu@$Y%8SzFNo!NWx)At< zRN7E!3q=zshNe4&=L8HQ2mNn3YjIDUgMgf%p}`)8)A=YNg9n zxQ=F>r`Otv)|Iq6!$SO}Eh00xt};5QZILdduO@ws(lOaGJ;PmV^u&3LkW5Y{eI4m; z$LK^f;jTA&jnX%ezLE4zN+T0zxSNe`tnt2uba&FXDlLN$GR>P@Q;ETm0_tbmc>?lgK@slVF3r0*h~tVGKg!%U-RDxF0- zn{*CnynEymdZ7#v>g#e%IG~@<^C;v~D1d-hVpd_1jJwT}8h1Z4-uuo+s6UND8bvUC z^zos<=ouQJ64Irl2PiG8yvgEA&gfQceb_0|Wu(iMmaU{>CL0}G`w^zRk|XxD%>;1 zU#R?i@(ai>1dkF^CV#};B7=*U`A97$yoB&lz|8S7M=j=-8NDaz>1RnVC%r;xDa>TP z)=Hxv)*@sT>E}p44?0~Xm6^u*Nhv~JFr$q|{Y4rt(O3-wv61kl=i_CgAJOpFkbZ^q ztDw_)P3rr(*|HUb2@wtcbqZ@Ktb>4ROeB=d#`c-mf*~cZ!(v(PI$PHxeZvB2r`<*C z8OWOqWCH@hRbgMi0_m-jU8c=QjrDJ(w`pvo@eT}Jm5gtfZ)}^4K3r9Pl*4T%y@m8v zrKPGNU(w$+diblJ-bQ*m>GzbDO235tzR`6~^z;tWJ4x>XjkqUb@pw@|sl0waFk^;> z{~?XtH1@zi=8FY#3kJ()l8=o4dAdKt$K*dD|0#H!As8x^#h)a7-DhSz-oP7sY3!r% zISkyz(qskhM~3^tgx~J+$@wLPuPA&C0hO6B=71K+8gql)H>M=?#(zuYJ1XBp(R>wk zKN$U}=Bpn`?qq33OfC~$s0*l$H{U3nsJGy%YQVgyvxeI{AIeJ z>oef0%73OS`{z&bcdDBFB$a*ACnz0}-DBk=fzbuSJzbr24bmqWEv2ulOl0(?5uQGo zbS=`SC@n=}BI-^xdPj3lpGLYi={lhG$q#4AxV6(wxKuB+E`@p&&VcYg5)yVvaAz7k zzu0H6vk2EG+yHPow6WBh9i!1MYi;x;N?%C2 z4e7R^PnWRqL`AX+ob+j!1sPw5QgA z+7-~ykS~(Ohs#|~NEQNj9nERj*=LYWbgrb+`F}aG^p*@6GUr5fy3o0r&NXoG_P6Lo zW$|UnEZ3TMmBz0tz3b?8gNM@2$1f<+yWW&)da4_!+(_jnD3vY=dw#l`%{fh-Tj+GB zb1NL=;p6PS=uM*!3_P{`W{C9y?lfV# zo}w>>yC@_fXy%H$Orw`-cF7{0O**F%Efbt_jb5pA9_f721)!N-vheifWXs4=Sry6k zGi}c(f7Sh|6;dmL#>X&-5irF@e>7GuOb%BEPnD5~rX=6qXMB^m=SPwsMSe7R+-&JGNid_2G2vA0 z2^mY_ehT9t;OZqp5vg017rF6fOh3_|VgikcG$z5oDP-}~Kq>YEe87Zj5t1BkGKDD= zrb0l$E1kn}ba8XN@CQw5uhK)59;P%6Qu-|6U~zt`*gaxGN`*%$JVs%<3bM9nfWqS@ zWHw@~WULW|85Ev`fINkAPQEx8eTClhnWSfto(&pLcPd+kI~U6mn^G&AV@{9JKG)8r zGmp;GaQqo$%EL28chWP=C%u65LZxG|L?Gf88U2jr+Qp=okX{Np-4iPFWMo7XXjR$a%N3`39G0)N9B1aNN(Auwm6lG9?%!es5jFa zFVc94#%dV2+gMMkSXR_$ZS-Z6F44U`)=+wd(yNgEM|fNKjZ zH!c{`h@ljD!^F;d{p%^dNpS;2oJI0_)V*c!6DP`Va=5n%ZzTK(b`?lYqoYaZMy zKaFwwunsz#)8@r}`aG*!PP{T=D= zm6k_Bn#n&Hy+ot)BkBF5e>z6T<1zQM(KD6)h4cZ^zk)_jTe{Yw&8FYX+W&ui?*5(D zAGH32g&Sw}3F)tAh3795+iQj5Z;A&g{sWQsA%bH3kkK9INN94n!=#UpJ_;I7YA9j_ z=D(&ixrByn_)MkBHa05cZ_hgN4;Hg%AS1$8Kvnst^gZdUQL83DNdtrC2{7?kgd+XR z+=&JU^fc88*C2cnU=#?EfwF5dx2>*e#;VaiVkgt6MdK70c;!d(<%7DD{TQ=kS3LQ& zU|MI@PNP{hH7DI8Pp=sP$fTh#`I{msCj3p7o!)amwpZ2{7kbd`CH z)$2m)Bk7xz#>*n+ZZ`Tl zeIRZj-JSHUmFc+aVRSd8ZzJ84^zD^t*y_?Bx;N=Qm1r3)c&E`fE8Um$U8Iws z@#xEjNZBsa;8S#LPZr^9!a0CZ?#V@lLith=l1|~mij>Th%QdsRo+giGKFtD{CyFWk zSqZ5_^)viIt;P2zUP!zMIMN!kaT)c7qS&j(HGrP@Q( z9;P-88X}hwm9?+jBSzQgFF(rR9wq%4>FG*K1xKdaJ#KWBa!)@&dIsqyL7yo95RgH) z!H|2(@Ox1?k;Ba-K8yHl;D|~@E%t!3T0{O7@~?u&ZIH(k_-lsOnCydpo%mYf>lDvS6##$3@S8qi;4aE)+?PIn~YwqPv>URTS#wJT0Sev@Q!zl{!Kp=ZX>;& z^m|4}Lz0!>H@a+!kM|DJJ4x@VOh?=YMmwcHB)yyT9;KzJA>WlhGP>FfANI$jKOz08 z(ef$_yU&cCp;x(=^ghy`AERaWDfflZ3zhzo^jD<6R$88OS-|WYqwmu6{+9H2q`wD^ zhfUVbmno^TYZxc6|6o>NqmTcOwD!~b2^Pu{bOKen8pzrN7c|eU|;vI883h5li@!aRkpL)A%D}QhLdGL<-=TGS5X1w2xzD4CUAQl5udL8qFsTldF4jY@4Qb)euBGKC%c|GCqRpE%o}qAvM*xD;vs>a=1>UuO!`BX<1=VCR1Ex z^oL>1#kE>I0Kf`@7cQN9Ox<=}P!I!rc^3mde-7>kZD_;zPcH@Qs9TQg~oM zK6Kw~@I4yxErh!hz7;SoQ8sz(U*UQfJy&NI+(x=5>Dxgg4+H|?WGLzGFubFFbMHmG zH}O8eagDOnTh!fY@QFGApfBOO2qzVm1SxWv22ayyXA#aOoC6r8EYdnE`@hOg^D^o~ zvQ4guyEWPKDCScvfQU?xBVCt;C8c8YGh@DPe%qf$A&nv!c&75C-c)Sth;#jYDj{1+ zb^utk_k8G5*)UT6CME=PoM1DS%yx|`;4!xA9P2OA4PsNcw8-_ z631E}V@&u+V>6b*{S?OiKWyE3yiH};KYmYrrKBU0A9M0rE zj;Vx_A%swrF=NS`ic%y+DO5t56h%}TQK{ec`Rx0;()0ZGA6~Cc@6WxjHQ#Hkd#{B6 z_J8ujl(g&-`2_`q?oo>jDd%gN#K>eurXYg3-%nn>@R-?(YNygpqn!?mStBo_99ZZc zH~r?5zU3LzGpT1mqh*;j?g_I)bUiv>C+6%Wndlx=sd^+ zUF0gcj7KWMeP1`|0^H2fU$*)EkX=670SByjM*JieEo}Qm(VVS#iGpsUS@cy z_7s*AuONOF*snD*9PByMpKJ9ish_7_b)gQr)uz8ty@q-%^*U%2B5#w7x%Gz6KPP{a zkJ~`}0`W#*EhNRgX!=WS`X%a@sW+*X7cj`csLiGWI5|YyuTZ~Ay+w73{Ei^(UNe1A zdmgV-Z>8P_jeVKCQZZF7-MwMFW|5!W+sWS~-vN%POf8gw6mJ=BvIliYD{m9;B;Ey# zsgxmXa;SXAbeA;W^t;r%so#Uf+9d-)3$yS$o%b#9Srs4H!@yn!_91{; z)8udRaUT+YM7&>dAR;FO9~*9r3zxtLhz}AU0>&<&FgqiyNZvpAiTST4`brMde@g!u zJSvgLC(G>w!}XVX*0zcRi+`>J1)A0E)#Fmow0mm!12TbS1md-jsX8%*{y z=yLK>LAZ_x$QfIL7R1V_=b99^zUF`c41L>;D%K;!-b)|4ooMwTZ%hvX~hqZa){SC|;1 zaYhq};)~?5yz=1bTTQncCV!NVYe;`>ZGrW*e4q^jZ5e2%0U0yFH#fTW76@UhkdN!YKt~2TA%Ke*n9nhnIjAUG zu5Y@|mO8An_->}|VX6yKm~?FQ@>XTjZ|YWmFLgKS?iXnJ{pWqA_o?nd-IKbP>QFc) zBQ$%P9@G)lOZ|PQ`%meCt>97;32Gt29A>I~}43w6TvGyRV0{?u92*``BbxgtBj zbmMg2_CV?!>Ri)ON!;a`-lc8lQx{MVg4R7@yr^I(c0SHBpXyvMWM(ikMaYzsua-Lr zQSRFGO;xhQhFJC@y?!*5*g4W?AK2QP+_!SUcVGK!eU>Z_Y-wLV-GMk5-~1l z>7B|If76@ty&gq9ntIHITApTPdb8?>smD@3Vp^^+Mcg>kWd``R$5T(Bo(PTY2P>-l ztZwkoOxg84YN5|`j!j}{GDA}k!fIdS(xhjA=S)6kiO%}w-Kk7WV`4fIr6qxD)A@Na z!a1+V@yCphTd?}~zP=d@&SY>Ff;b7u%^rqxmec}y%d$n5>l^8wWMnoYa}dD}R3dqD z&E_fNizrZ4O5+kT1qW$I1P z*d%f@3gzm0YPNJ9n4+ zQ>@Yp+#AMA=z)DZ`J3cBz|nR@UYg_HGCW*w0liJUlXw>}R@Lm>+@idEJQ<1i3gyJW zf)Ca8OYB_+cQg1Ng50QO!;881O_$dVZx8ie>U|gLxck6#1=Sx?e?+|>8l8=-^c458 z*{5sxIu6htq&)=7IwDc&%zk2eK!0gKKJGB}r_`TasKf4a)48g@p#GBj2sF;-{9V4` zx*30ExzCR9OXQtt%pGO!7;@OnaQ~_s@;4S*p~KL=W#~9VC;k)CZ~D$c%QbY8p;HWf zkI;YiH2Q5nSg^kCX?|qzG=o1Oh!X$ZMajknKmmOse}1bK0AtTJ)=K}N(~V*2&9@<;i&64aMcU#2=FKlw|z zlBU}?_xf_`Qq)(d4yWLG+E<$1k?QqT)TOD*Kx506p1}~A&a%eu((Ye5^77rvNN9ZreL;>5(vM%@S+GhE((5^#+TH%RkMHzB^AxG69Sk*SnbwwdX9 zI+b@&H>Yj^&BY^ADU0V$;~U2N#_u9;N!|)PIhFDX0oU5}pR2uYL*16TooN}j5_0WL zzq;P*4%8i~JE@k=ulxeJv*}4%_}$d^P>uke-RlNXQ=0!QO1 z@_L7WbEX^UwpK_zn7T-{EFO6f))3PpwUnXM!>ETtqZGNGR+JueBaC;@D@XT}KR`Yb zoa(t_?$3uI`QYZ3#K8JHsf8c&tqC>u{#K9zhL`E>B)lm=yJ=HsRx)G3`o zJ(GHtYI#zbOz9J*>)z)V=#$j5spqJcMI=ABddl=5ozkbN=Tgsu#v+oR;t!EUG~f8e zoqXd9$QP0?0#B|jDRLq68Pk0ld%c)?3H4Idc#p08roi<74E1_B^$O}|p}FG9Pv2#h zKWDtJZpC-p99^v{CwJ2N~$=pFOFmG`y0OTU}`J$Rhm z;jAm@vSfXE-x6Qz0dWr#dzsjW1XpxVl>DyivNI;{t& z4^kgeEz>GPk3KQoL8tXF^{3RIL38a&aapoEdQD8lP`JD>x<=2 zE=)eHk5*DWW$G%_RiV+XkbOnSU1xaGO5gPL#MOwa19QbnaXB(mY8Y=j$@3e?Ym(OjMKE9bT8fC-b7uS`etZU5(~?n{W^vlFYry*C9X$Y9~e!`98Ac&$xMfI4mO|;PzRw= zw_N|ukvW)Ryo-*-2$6@$BjCxp@p|;A>9=%u8>5a>Csc=J_^|ZJO`q%Q3vWn$8+9XS zmJ-b@424`{<6n&Syb1a3N+9aI)@5Tz(#G`cbXB2X#;CUeIVJkRlJ& zNO8T5--g4Od|V&$zT~OkzHxbQb(-nH+ITv326ZMh8xLk>%1r5Jd@R~PUF+52h}H zM&l{btPH7qi18f_ed9yPhmj8lN8|GL1vx~FFg*^(cKNvbsUM&osTzmbgnQ6*M=fO( z^=Rrb&?qGw%*v4Ie8~97zGzw+f0%qM`6J*cB`OzBLvEbu!Q+UFx$)E!s3)q%enR@> zrc<<(Nz{|6r$Doms9YBey2p&y8R#3INx03vM@>SrR zg>q>%;Z~b|O)r0}p?hV6KB;$1HxR!-yb;*XLOGzkXu7%9{Sx)d)SIAD zcO*sndeS2|-b@b>uaLh=z6G3(%T3j|d(Ct~wqKgBQ*Wi-293ILD&gKRJV(zYwiCZe zyaPB{H(nI-mg(AB_uJGvsdqu6?r0<@Q|9+O#!pZ6mAp&7oBTa+G%mxXWf1%Ora#rL z#2)Is)caJ+hAh{FJ}}){OZkxcBkKLoT=bzF?65vI{+%8o4v-%tKLn0aB61;9E~}d^ zHPRP;nEF%d&s58XELV^|H+_qi@&)ym)JLFEN<5U4A#>#`qSwlm~s$hsWO zJQ&Www*0s8z;(Xzf5?k{#O}EKo7}Kw#)*pqqY|0SsPx87 z->8#Wg8EYG%b>YD07mw>#3_zSBFL^(NH?Jw;INGPxg)9Kwgu)7C1_Y@Xc*Eny#vETD^(7HucS_ zW%)=4u8!%tT1s8&derryQA#YFj_vIh<0BUOQW}s4$b-s5v2<*2DaOy}S{ot{lSjZ& zc}U*!8Fo?AQ@Z)aW7Ki#1T+?Y7^~r}hA-8FTSMa8h#LW;@NhgGn{s305p|ozMJ|U>MqczTVCEG-EqUk z=E>jWV;fdPcz^2pB-ri*Fa z_ftPWJrWvqC!}tbgQiAccG?|5u8Xs26^GW2B$)|v$l!Ux(LHgpRuifJHRO)He)1fg7 z{4DceX6f-`gQ89)Z3s@cPL(f1Na-p=jl!B?c{Hg?@%5K7vLcKmhnjoed}+N?*CzFTg?eW8>HBq3r&4M8 zh`%I00-RhxI8Xk{bQPV_gZth1 zUwVu&dH;R|n_flndBl zSHtw?wbF)s+zr$VS+`3A;L`|G3KQy43Zk>qE0} zx!*4L^KUV}c$w!7$OGg-a1<{0^W|5eDWCchkqU?uOL2Q8$8S-BFJDX>5FmZuw2fZzpdGo~#=erka^9p>^Lu-JH6G zYB>PO&EGps*V6;gUDPe9Td58tx9L*~I*@lH z?*z^@B@zzFZ&XcRx<=ZNkGq@t9_lWtBhjGD!>*=Z*2@R?Qg@^74$U2NLKe?`hEFc{ zP4^(~N!$xKxp<=TPQ2cx59(C*q3%na3XQ3hb1;ngNi*K2pKm;!JcB$FJUNvi>8JKH zeO9|<{i(C4vrWe^l>H_LP&|I(N2AV7$XS}H% zt_sNqlNW)b@Q6IJM7AK)M<4W)Ih1-B^>Ap+aJd{Eb|Va*#}~@S-B0`g@krq043Egc z>Os@5Yu%%$M^lf1X5C?q5PHb?^o49&u8fn9C4U4wSvR(aai%}ky2n#bpq>bgx}#yK z`%%LIy(T${crx)6U|+XfHhj$V%UbtT>S@%|p;5P-$6`Fulm@cQ=@srfEspmkWZYewDo-({3U;ZW^_cZZb;(3bYh28S-8N(l5>G1;Mg~W@1 z{Y1(k_8HR~bRrj1FQHxvts@&`#E;yrUS^4-0pI>|CRQ-; zk-tp7=|V2IPd6K1ru-H1SIM`4C#O?h$>Ux#Jwm7Rb?U9u+f>V)bD7RJOt06qc02W( z)H|TLYRQHvv-~aN&uH)cZStMuyTFsHmOTH}y<@t)c52_H-c9|UY8f*phlux0KdPnd zq25cqPqplWWRLiP>6dhte@Oii^?qm+E=Lm#Rr=WYv9Va1vOEuvA0$5no-8~lbLA7$ zzcljtF!iU@pQ(;VQTXSkm#p#n3+gYakEjkLB%ke?+#2hO!t29wB071Kv`9siU1FY5EE!vP$w{x6a$K_wPErm-L;Uf9ZWOsbA7Jjk(NxI|I#i3ca^d@9gxy1Os+x=WAL4GOu zW#GPWxvN~#^nNY;a_UmlSE!a!S5cRyE(5Kl$d+H$_+Blg9C>;2tHG0{ z1f@Sw!SuUY$~Dv#sVk|*3#DcBxalgohpS9og}SQgL`c@!>r6kOgsOeE!N{l*Aoq$FuGPD6BiEcGs zrM90d4asjKZv>t!B`7zc8=D@Xr8J?wow_MBmRv9@hm~fAi|N4KJBXVTw*W@dQn&Q6 z?lhgLb>BtZlDZW%XJMS@uw$lH>)14rX>DMLo&v^U+Rv7gEg)E%iism3f! zxXz|WYbkeA-$UI68l}kjBZd-nHC|kYLflK3re>;z7X4x?>oqV*04oT}VBcx(FI| z$08heG{ksm?Yj>pA4WbL9F5~mC^AsRbgRdGDfd%9Ks{2m9KvNF#Dk_cYbm3sM^lf1 zW+`C~C3?vCsD-}qhsnp1KLUxFx|P@CsV7iRR4t{*s`aSp^;*g#>dDko zpixRBIq>K)<5|Oe<5S6}kxvIlDRN;KgU3x5guI?XJ(GGCG?yk`3-N^EjHf()l6W@p z9N^^A4C6JprdMj+PgBpOo(Ijk;~dj8-}oe5uNIImBwqxM#$)memau!qbcqGNl*QCb zsFy;cZn^OncgqZy%lCLW@e1N+fqmVwfY&sMrhQ{w}iZC_?5VC`X%C*i8lfJy5-8=X48wb?pLT^ zrQQOKx`QbkTlJdp$(4NLuaj>j-v*AxWo(t4LB3&n&^WKRQ@=^Q13J0Y%lv-JaCE81 zZxin%-UXbjTdwK5cT7L1b-zo!oBBOy)E$j*AlCcFPfhiW?;+nyz7HIY%RnqSw0&Uu zQ$0Lq_`7`El|S;G8MZ z5XOv~-mKGklKK?&_t0FJ37IKB7~a3k*Zm{$Y2u%NlM5419QfJv6I%B#)W1^y2F-;T z<B zTc;IFkI+)Cp{__>37Vw@I9Tdh<9&w6H_FFVCa*$XRe3bZ!BW>5pRbGadh%-I)s@RU z$L*XN#>eSAzk$3ac`a~GsJxLX>~1uDLa%n-L|vQuX4RNbxh`({ex1;|)b*(ALt{eY zaSoQc#rQEs#Yncyfz24czSNk7w95B8<> zr_Q3zRxPE-1~I^Nk(M%$I)^$J8l}WS9Eg=?{7yYw<&zhX4^keFb0C&8{*Z1Fh2(?D zi@;I2T&IV5g4)WfKUtCq^;0@(=DIa>Ms)DKXPghu7z6pqAt(0F>9pDm-v zN0W~MM=8>{3><#QbhbABF!fmKN1*)@!j0T<#!KoF8c#lfd?Gj+mv^v9zw=SkJFoMl zOroAlJw>&YB3;SHOs8roQ>mv>PlrY+kw7|*;*T3|uY21WKCycjK{v`Qq z@;Ts~Eiyt{#*Lf43STK7_cZlf>Uq%EQ^@nv<8Hp;mnPE6(;0~u5-$Qy&T&4Q-SoXW znTx5HP%nk%;!JS7)H35Goo{?O`3mx9!O^&kmy&zo&zXKo$4jlGex7=j>Oevs{Onen z?yRM(pDHsAJ&uBDVW2rCvCF+-{H>s9V1w?MO$B4>GT zneL*cyiL86dKWZG34}PR=^f)oFZGSTOTL@@J#dyHqnc9O`=-01yC{)l=%G)j>NCSgFq$Hq(O)_H*ZAo(G1E+DyZ7d#b5 zDYB#Z+;l4~dy}u^4DngwbHFG(9^}ZQKa8K%0V02r|3!XYc~}N2$v*3E*RvaMe?7?PI=|VzLtySPtqx;F0L9o{+PSObe7KY64aMcUj~iJ zBLNO3DrtO>?mjOkFGYR@IOd@YCX%ZeSDKz#)|YY>b!qA{s%7cR;O?@fduS=;sLNAd z4UJL)Ar2<0VEkgeDsT;XMe<6@!wC*1y4LvBx&y6DUWL3WI4Z|rA{nb<`lt>jx}Lfk zb#>KJxpYBlnC_^R-#}fHx)!vr9OHv-G=7m*eiM0Z@|%^*s3~mDb&Su@om^e=dgS%N zu_i_m33=I2VwAJG-F#+YMNTc}kyL{>x*%!4Q%^jdNl7x3i1L zznmx7Is-0hy17nej5F~g;C8A;aIbQ5j73H9yN zO;yXo0c6E$X8NWq-}W8U&8b^JW7gtV^P$w7!hCn9C64LctGk$J$wVt8xbcT%WSeVk zx>34szYTR;>UO5_TL9PIbl-knccAV_-RS}?sBptiNyj zUg~bt-7nPg%th1ptL{PFle(8`x!^6MlY5(fG~wIsL*17;^+GMbV?#c zpixXDCPUQlgr{dL@YF*-u$X}*3@k-}(;5g%-*cJi&EvdYPQ8NqS=G3aFTeUUeYM`Y zT1ovp^(tr-BO6*)4xZYy+5&BLr?Q5DwG6C70L92#-(~dpdecwN^TlkSet~+U>I5H4 z_M+(nuX+6v^~=xB{U-GeXcQxtgL8B6?54LYkUP-_-ezDY1G^C5oRKRP@-`*Y zH|c=Ccd2(%zo$AXClvB17Sm_-(%l~Fz0~`lQH-qXIm7VurVlJIuaYn3Lk2!#U_SyV zCMYjwkf*VjPSdsE0QEuYL#m|mL@VUf=_NGVm7z=Mmsa7Q$uLzfBL<&F>%TVu#qD zmw$cfSgsezeVZU!jLpPJLwV&G}R+Q2?j1@;4%bIj64TT zMzEALy>hK@{&MP4)K{pM-w??qt1C^9tKs!k)TOD*K%*GB`!ysL&qFF}fns|5vm68E z8Mqn&6cY@DWW}stx@IiT#$-yt`YM8F79oQSFYf{%zEjw%(uYRNHJ=*q7)U~N^hDI@Rx{#HI zhY;1Vz?~2HV(KzbkAeCKpqOYh1y5)(J!YEM4X6XuLDlj|4>=mAn0`Z#O(E(qbp#s4 z$g_5{Qt@D+s0A+7?strVI0Fd;P>j4OP=2m|tLduxT%m^4w^27z9gYTN2u@?u2eN$W zO{j0DZVHWJWC7)-hBQlroM-| zi)wkdlAKX>HSOOdCO-|O?nd1m8pZIzMIkwg+-HG@^cGqV26{5k3jwY(DflHY3ED zpixXz9@T_90qzM4JfZ!iCmEQ{z#IfvOfVz^pPw>49ScJ~?rG||)bmu!UPk(P^G%=3 z@_GUFLh41(C?*n-M-4@!m->ta2I@+%n1Lk>EJXmt$h|Z<3NJHV(A+n_oO%WIv#RCD zB){Z+&h&k{IH@)gsuQyP? zK)q3QEQo`_i>6!aA^0Wgm#H^F`#F=r2M%qvzyO^yuQ2c`16vS4F>)#)CyB3_ez}h? z=5^|=)Z3uZd>|%6Xt1Yw!ve*w^nvXRyve{01lYVh?jz>jGCeNa>$jwxSy z-Z8!4IHTm!TS~%-O>m4FtC?_eF&hKxQt+s3-P8StGxb@`XlQ7 zs^uYevY-6e^g$g}c7XaI^&x02CWxP$d}4u7TFhYvK4suD1h^K+Ri_m9x#_r`-+n>; zCG`>2axGSl^Iw_H(`&I`Qy-;12908Zc*yx=K5KU*Mgu@C&hz^@Gah5(9* z$}TnGemA}DF|W^1pQS#h8o#KN5i+JX=+KcrssExr4~=3181#bY`21~wueAH~4+F(M zVgFtJO)e(cJmgX5@}J56`-8fJzgYex{del(szWjoKE+*Px}5H3N>E=)eHk>0N#Gel zc#=;^3(VEizRMXX#lRH^Bv)YcPp&k5ldiy5QJ1DJqgt+s$l;)@=_Ptiq#Sj5>Z_qq zObQ0RV4bO8fd+aF?-~XwGEhkaF${gda=q39`MO*yGf;(rsv3}apU&s`TxWqJI`6M% zpc(_!5y0fiBZ}qzZ4J|7yUHKs<8Gj?NnJ~IP$oCU-Dvu&N?zYYU7Px5XijcehQHw4 zsg4Dj>sZ6O4Af(wJ_0y&g%h&VzQypVLB90{!~xK4$PF%h}ua;M>bS-$DJh+7i30%k2i8K{Ei z`n0w{Z{4r9VW2Go?GQjM@<=rK?N58tALvTlfx07gCulSu4$I&ZTz2Vffkt{Q?QRC{ zVW0~FXkPkya%G{b>A$ptbuV={>h7wgV=J@qKGWZ5$F>J`PwHOKC?<&ECwP8UZwvfh zS^h2`*N1_=45VrxMIIa!ln$j!vp`(e$#e!X7|28b)yn`&xuV+7bk}^gE>B#f&Z5p% zEhkTMlV*VF=d@!mkUEDt7aG+kFa!lp;mNZ=QHNEU|KlKCDBcaiJ0FTx| z^AB3!1pY1`H;RGL42-!jAU`sc$GuqKxCS0(U@QZVAi#R$4LV^r&h%rmee>g~Cs0p> z=0*~b_25y%2YP!viFh*c6kvR32#?pnn1RPEkki5krZO;%f$0dK7I|cjoJ2ovy0?x; zm_a?0dKNTliHD_2_JrY_)xPN`iDwhf0p^U1$|G~|V4J5ba6ot3Pctx=fq4j^mY_VX zB<$v!u3XbMzd-&p&MlOGJG({lFPo2J3<#b-^Njo@d4wIKH%J#Vu!Mo72%ven=b4a! z?WXr?^~SHM~t^?1MdCmgQ>2;u$3_Q=kDg@BH{PXJLIC2d(i^*O8eGdV&G*4HX(poL$n zfUlH~dxiQ{>MhWm)QAk$;Im&WP*VG4uQRZffo%w&c^QH(*Y@5po!*VD7jxUG-=y9F zjpn2B=odZ(?JW!R(tg?74D4iJmj;3uuz@GKykmhfRs1)+%fN01-a~+sD~}GAzP#y1 zdiJ`9dN1`p)3P&@zP#!0FZXSKNc|D@erQymh{~7^>{&myz_eF=-~a;$88~DCjM~71 zT0XHrOWpe&X5do>K0^T2$D%TK+~=kr(Ru#`^_SE~ppy$rMq-3yZ~T=7ZqvZm3>;

    C3~>me;dUpJk!GD(CBfyc*mi&YE4;kq7P&-PWZceN_KCjc3I` z480)ZP^Z`BLh+<(bjzb6Na}rb)62VjK>I3{!C`?PLId|6qxr)RM4^xP`gWs`z>>4< z4FZq*l*m_xO@eOxSoTq4zU^?d&(g>3n5ijZ(0I}FGcFc44-;=ao$E*D`FDB=a3IB6 z#(sjplNyp}+3)U)B7#$gns1*$*(8hnB#KFJ@N<04#83us*e`r}vSfqEt~3*uOz}X9 zjVdoh;CB1DN&@G|?6LMWVRc$`Vcn;c zTO|-4?@;mmdFzA1P7n(a>o~w4KJ|MR96l&-QHeQ~J^-SWEDYl*jzc%a>Et2fOqA!v zWB&PN3`qWIl8=6vLnu3rW-}j1!_I^MU4O{Ndxqm+NevWb8gNS4=EKgY+^Dr-EqZ%z z=A$oV1JcT0@hT2*LUqeGC)~E`;9q~19@d{_i1lZwWBpkwSbvr^)}N&Ytw}EtXQB$U zjh@umuN(&YG9PT-o{L3Uw+-*O=BUElzHhaO7D?!d{7HMhkMSVocj)EaxQx|l8f=Ef%^sDyLbz6$1Ir5rw9@K* zkolksDzE>}boRP6icp5hcr7I~#hsHU!)6D}0e@GO7YTJtQfrcQrf}5ETfFq7pWr|H z&7_Bs#Ty=xdFhyHMk2qxD)PS{djVem-`u(9MSmE>QPZU-;Zh~mD3AFfjmkbBShTql z5f|nOFMdrXkF6U6$Gy*|^;gw#*T?_q-@MWJ6w7{fK_hsv6fxL+)eJN)!jGfM4 zlofG$&rBfd5~8Wo%p~~cWpG9m7u$hEW3r-koCOH0H5X;G@F3s%**!G$M-krsR=oEg zubv05e+}OK`9o;C-nWR;;BkP;``qAVG+Wejg*3MjM7l0MZ`3M;8*^>OxsR)n;5PlY zV^-BzzoY@yFKLeTOA>Si|KlNOVEvNnSihtis42L==&&+|K1SfJ-9a#WLw34h(M5WmC)T%FYY5%66J+k5n=D(FlFURX*qLgINbS6^1B;*Q7u#s36e(*NRrbu9ju z!s35HEdJNR;(sBS*qB>bptptF$^8zOG8tea?)xZpLm+xX^KxE1$`o8o>Z^>|jWLGJ=XY_F= z(7al>)a>m~&`Ff~+UyTQd4*F>VMl$SGUWF&q9k8v`LscF-!B^3Ek0F}x$FTobyijv z**PIx(p$Ayi4&19PX2ALKLUx?BP!-B9Pmq>VcIHM7~OV>O8O8&k9$0;X2**eKYLgX zm+e!F@IdXCOeVv)ZD4hh{)K(EErF}+Z=KTSi@NpJ~=C)q5#%M4t&g5pc zI2>pSw4yUKoodG5-+Svt!y7xaSDO6~=}$e}@xRUc;*kkz5AeBCIU-LY3l6?RiQe=y z$a3#a;ox&xP$pHo{o$7{N}P7-a{yiV*{Vh+JD-kB+tc%c34M(hH?B$inKwcAf8M5_ zpH4-*en!beYw-{?seEQ)`vla=^Pj%&V~%7_S+b?rJD{td9PVVDHGtHIl>RJ73}NY` zTUfa{V4R5SC?s)u)_Mgsf-jp!_cUY+$; zE)4WojvPJ~h3Zq(K3`?@1U|B=i4}(ch_jOnT?hyUD$mxH!El1#5%G`XYWw3*#oA4g zW2#n&CnbcsBEuey%S^}XjOc?^?8%n`cMO0d?b(Twbowx9f2(t-S{Ec;zccgh359MG z0Vz3^7&zWPLBn)EnV`E=QQ0Tt2P$HFsXVD8J5^V@Hwh}UIJB=%t>h@AbgF+p`xfoCxkv+PO4y^ySYePc|28&M zVuu)30W-?2Vf03Ny9BPGx+YZ*(U&?`b38|@bPEBZCvyIB=#041Srp{5WsfKlS zyHr;B3iR6D#J0Yw?B?Om*Dww3JJAT2=#*GJa6M z{oyFw%~A1<;yH+#1uD`e*9p2QA`+_fVk(Re&w}ycsWCo01;&SG!}##zz(~%$_co#b zDXh-w!Oy#v=+sK=%am`rpyJ6)zUPTHXs8+ZM^qcE(CjdbXO5S0#>yH;<3Mp5t$E@?Qv?KFpxd7orbrdw{7ClC!b@_no#F7x@wO#8Rxnn7Q9K?Ba|KfN7KI=Qr^e!t2tz3K z)$zW`mV4yXp-Q&e@zx#9MTEEGB@X89-@fy&E3cHwPlNV>7bwBJ$z zE`1UU=Tk99RTXNl<;#?T!(rX;Wr!>=1jV0!vEhiQ2J<9kw-M^720x) z$YJxVVe|81^DATXb7S)hVDqaZvO~hlt3SD6SZ?z<V7F<@e?eMzLH0*QrA6slg%14ZFse&3Y} zL^A85)#+IXEtGGGt7)8pgWRaJ`I|G)T0VN4!r=%*LImz_amqEIR(7TqURyZTM(3hxt0T^|CqfHj8P(P!k#CT3Ek}~Q%wtGYt z=+@QCm8E5oyU(LN4#iSvDt<_mgI@~z3(kA63rZuwb<#kiB`Fv^@<^zd+ZHLP{un-g z)f_$Qv2hO45=C{Dh$bu676N9o4!npEK@oiZSH1Q+zz^2cz&*PpC}F%~y?w+C{m?e_ zFs9&wj*=(mH02E-jrPo?j|5$T!w)v@HbTE@;h1(%8mmA0Z1&be|E(OFY9OENz3qa$ zWFpO?g?zw!gZeXxk1FCXt0a27;)~^z|9d={X}SKoi_#Zu&<6MTvw4Bg`6MdwKpj}f zz4<6U#1{>kbPBq*yTOUOZG6E2YPjR81pgf2dlVK>_0Y;@v^o&JO`6A%}Gh_KhhdVf{R*);d6$iY0FxEG>Xzt7?qYUBRV_t;*j)mMz^M!+ie5RE|p~`Df zU|7q(SiwkwPIR3+d3Zq(=J!7ox#4YyL}!eC30_oz-N0Ux%IgM5TJsqBx`-+;dZjX0 zhpPhf>dGNcYpi8ZT!cG-@8QZiXdvp;5`3K5ow=Z zM8isQ;PSUz^rn?O^mk6Y96Y0qEcY|Hex{QEyyO3$`Mr|Z^OeM&FM-4Szw?eb_I#DG z=ga&5`se$9=l#cf-u&;+3$MO?we@`Lw|zR$CwV!zojnkF28yJe-X`>QM(#FJM-hDQ zuB$xla8(12@TnIx3R>8D`0v;AZ$0B3kN5uk_wkC|f3uq`U7$pFFhg~}8Nd(i;*@?H z*z>H}>`k=|6xou0s@SpyVQ-J=I;kXtcm4buZ-DI&2H5_fi|r43*#2OR?GNg>-!Hs8 zz%s!Pynab?Ai^nY)>S5rW_21zHzK59ZpxjhlUEjG^m}|d%e2w(gE4^yLn$Z;-&tS} zR)8zh(tfBpMP z@PgPuY59r=`djw(Z&R5ZG_ekJKFU#mwkIS3v}RV2>)zeq-6H|}@p=GKGzRnx>3 zE^a9JAxrnTt1D31>Fx`fc7Yg=il+zk{Lx5v`*a(h5U_L{^kZ zxOPL0!EEYo^1zTa;uLD3A6(4N7_2ZLIee*qWfU%-O-7qDUe1}$ z{}}2c3i-^+6$S}0O-pZ2c!EC7DcdN^P~@ubH2;&)2R@TNHIhU4^{9CHdwADB?>+Az zt3os2Az!-@a6}jp^(~uBAGZLu!ST5pGq%uh<@?`J{be=F;}dia=Yo+}mPvS-Rs@>4 z+UP^RLs)-b%#CR{oZ-}0X^zzlS9r2FF-beZ9(LpymO z%br#K(=0NeFeB6BRx1e_Ce1>*^aupl`PkzOC4fRA?2F^K2yhK@SZ6@_v?yEcuM7vjHOp2bV6%D4ePrfoi3)in~ zYb#2@yr(y@W4aWO#$4}k)R%-e!6V~~D`(IP_dD&OlVOB@7j3CnZzBkCKf1qqq6!U0 znGjVZl^`iPL#>SEUcjqoTRQy2>zT@%K^>mW2OW;$Kyz32>A*)F^eW+O(SuoWIFj$w zUiOz5#mLuwj#(6gNv)*^Im^PZR3w)PRD96dD;mFX-w4gCvg^7f6S!=)Z0uG;{Gh`7 zfGmjM*NNAE0q^-2um0*EZ&MKCZCYWxO(Bf8$&c|iWiZ|*FP3l7#_}!fSia>bmTx(V z-K6Q-I=G_xrZg zHpql#@OYb+I2@&|ynVX_zemOV6V~4d-+TWnzn(UP$$=<{t$(nS0iQ2G%3WrM_ECGX8g~oAEBnu` z5~P;Mv~B%LeKtF2scwz0b@PKl)XDxwi84SL$!zAw#|LzOA-usVN&x5yqinl)k@BP6$|NrUr%vT$HvfIc6f~vo= zkAE_Qsv9XKQ=eT>28F0S@v=Q4YrIs*7H$FZeH1@$u^QsmKakW2c%9U>Kta7@QI>!C z!Pl%;=>e?>kY@}ZRL&Cyq7EI3SF8lCSin0gMHgYX!Fby4+5myi-^05b*{luUIwBix z{&gVKRk~?!@HryJ!q8vAJz9{Us&aAPUR{hI```Cly!RjPevbEj_fF~65*0Ur!u!RG z-9>(=x_4dZ&{bnNOS}2wnyC>?Z9csI>{xeL)DTFC4|{3v5_@K?JKW zu;A9;o?0p9p zQV!k{yYcAWnJ2LajwU0?y?5S@)uw}&CWR5Wr zC1~EPb@XvEMWUVDw+}25&h6JsMJC0RA&c&=3Ev$9gje5^{9VB6{nLD;F$UJ}pP9hM zJwAHkHf6Z2_x#KGYJY;imbZ{nW(Xv^W`+8_JOLxyyy?uu{O~UANM5i27Ywt7aH=QB zp_04zBaS|iMJ;?IuD%*PAbyL4_?ngg?tU@6{Qs!?m8V+!g@LSD+2iIe4_tjFVBaz+ z0FH$ff$iITpyg^8;OH#?Ge+~uYSZ+wWizJvGs^4IOq{EZDmFus}B_lA;CH+8Tz zC$Lg)5Dl!dKgpSGF86$l-~|bkvCt@8gK?%_hvF?w^(FX=2jxC z>IMC^5BGZ_7Z9k8(IFynf#7Sp(I2DSQR!hnovKuQU|XZ8Wv8-$qv>&0Bi~I4+)!PT zS~?H(rHfxS_>(1W{}J0?O`+3d_DC{8de7w;3n=w!%_RAug6Q|3c(CJU1~z(vGavJ9 zP|vefX18Grh*6clq&Z>?Hs@Eb$8i}0b-LA;Jzfr|K~nY4pE!MRYxQrtHD{01Hjn-s zy`T>Zd#RNtk_>?IfnS!y2I2b?{Oai&1|!g*`W7dosS6Wt1qQAWe9psJW9AnnoRF~P ztgh*{6~sl=k)I5YLG%OR2iY@hfcLe{+*rIBd;?bEeGBH$`0l2U*oY~_@A=B2;*$qQ zN!IeJQ?H&OxzU3*!{sX<+M5F%!My4f|e>CA+#tPpjc4@7$Vlv5Hom>R-{ z5#e8=f!MkEu4X=jJ|U?y@Y%KtK6Lh$YWb7a@P-Vau<@hRyxt4l!A}2nBv6 z{ygu7!U}?E6O+`Ci2EV=r4n~^n2qM6L?fXu@hykD9idMEw)1ayzdMdZ>h#RqLOgNn zCnIKk_gLu0K;XgtH3nW`2){Yhn!pnd(L{}pQv<@F?YU7ef4>zp8);P>5-LJ24tp%h zPujtsrmfCQ)+qFHzUIcOJMJLEpg2)z7zJL`#R2s6VQ`^WwWH})GH%{Q`p&9~VyYXW zIOI5bzuyp^o|dVTZ1X_YS1b95%FTh&DPu64#TafhY;Nmcv;ddjb z+&BI__&a#Xq({uPRSiOqsND1rwnlzc$`9F{(-FDGbmYWJFdRriLKNKJwjI@7 zQFnLmwIAn0VOjRPkwTW0!@k-vu{ zOHd7k8Y)WhOA>U#r9NEbUkspWljCDEiv^-LDHumX(2T%wVD4{!AOI2q>0D z#h3pk=xAoA^b}|QJ1+~bUiwkZ{ZTKQ}TBCv9dW@1UA*qr7T#|L68$n8mV|Xvmh^W3c7RbP1aah7$9Oj~X zoqjtt!?K6su7cYwboq^Lh3;$H-Y3f3_R27U4#}%GOpm%C;ZN<`B(L=#O>mEji>NKU6Mp=aXV3)waM(X# zt7Hqy(OrfzCRSivpcOhW7mRo#x75@#tssz?S@>F&HCXTj_;wVypl3{%?B_37!Dl7A zij(eE@X?0-?VELiKYCgz)u{<{&?Y`SZQ3jkOw9)v+a-0;;?Ns|OFW9OJ`t}OFDwHS z%K_%K6nbbeD(=V6VhK%KNpp+H1U*7uCF0QkFRO|ss^ zgDuUqzvDG=XvZK$h-RN37}LBRS^j+-*`L|>GjlNvUiAdcOPQpA)il{{s)lm(oWIDU zoTUIN8m<%K{SuhV9nawuuSFL-d?I&di=bZT50CYFG3*;Jp%dAtK^Yd>#zoB~xX&Zc z@0kwxzqNwH-5!JYp145ILlSg$9RV8GiLCSVfQXj`v(jF!z*x1r`mreyZOe3*2_GmR z0GX~&8-FcE>DFw~$nZ3{$*a;j!%0X_r^@xTDFTbPJfve6@=-HwQc$OW3Z%6u-aG4V ziGE0B)T~+Qz)kg4MRE-t`2JgEMC+Xey3PEMGi+D|ti;kn%P6ct`2bB%Ooug4FwBq2 zW!ive$)7rVCJT7IIPSA`BL)eE+!IXBvBb^iG1gU5 zD|8IUcIzGB3SDSrT!S?tT92n%EU^PO%{6W+Wdf%={zm7_5p%HoJu1(pVgpk0>pz|Z zTEgkYd(!RZ-iV>RX>5|*3fdmEelY)90FU1F-leoDLD?}S$DUB$h2C<=vMtk-OBWA`|nQ?yXaMndh+r`}y)Gi%m51zG)UAD8|8Bx!bPVFDkF3epQhzep7()p zyx1eyjL_$}wd_Uu)g%Vpcx#f#*RKNf^_*(~H)LT@vS`1?H)RN`EU?a)QiX2HExCw` z@(`)}J?EI5JHpHRP27IOBi|JYYx?Pp4?~0DRYmFEfa}Mgu6^7uBSI5V^qZ|nRm z*H2Y_Z`?nwNFyMjba!{hqNTgL8|m&4Bt=rXOiD==flCZR1w{-%#XwLbED#XU&%STZ zAMiT&%zNfL^ZgNLxn`ep*4}%q>v}#P&v@87^^&c{Q4g6?&Ndj{l0_YZtIov)o=DWy zaxPb?3|RI)y7hc@fFCJcozyo<5Wc)|eEDM=Bb*(od*|Xj~MmfVfAGz4Z?6l zQh)7SOVn}DGV{L>iuI*$R=%@e;<5yBo);#C2elzqh4f!`JB5PQk~3KIGNG(c<**fPA+%MgOZonYLUM~7wM(_0a6kC4oXRa=a>2KdC>U!YySCJY;b-ScbuQa66a?z!1-CcaDEm;xDfl8 zmkQGZTdcj|8u$|k?Ib@F?=0z|9qklS?Zp4XStAh{F^Y$r@Z@G9$`nMcSFb!{X$vfZ zzu0fKnSyv*#hn038=y3^*W`Kbi+a;P={S&@L!hqj;|dlRv?NOVg4ECzGQM-oJTyo` zr6(h1#TMk>t_aNb7R&T_&MBp2cbw+S(Qr|QDXnRr8VWnA(8760S#aeeMdsJ91_-k-Fb z_b>tjA&T|LGVHzn@eDWntRdvT8UOCF7!8+?it}f;pFumMlI{<3qTxqj_b;-6Bgh{g4c3OtX^(d_KUl%kJMNBF5yo*iRI40`@hq965GJIt9D^J9&E}d2r!$UBm;eLJ*#6oM*7ih3bTt z*G+y`p^MDJLpvOPsK~$W_*hv26rKO{+_VeR74$8y^Vp|?^74z9E>{y_z9OPF)~FcK zsEB0HwFjd5nxG9eb<79L8};|$uXOa#;j#bKPre|jH+4Xk)DQ0bctiOyGypvK9;8Pt zm!Xf9`bfXeJ}ZA4`3z`PbucK14nuYSTZMi8t>EUw(zWSmY5> zx>R_Q#~HHAsSmdf@=#NL4+P4Os=5~*V*7uAprNJ)N2G1?*u6fp7;QXQW4$qD0wzBF zaz5`vA%C{N^h`}S{F(Tp-62qktP8HZ=KL8BRkd}SZx7~xhr4n_xvM>hoqN8T3)WCl zLE^tXWCyznHZ{8o4j^`gi}CeUYfyi*31a#2h`Z%uLG55IYIwBP)7sVuCsT^5;AAmc zd8wAAr_+eO@;!Rf!c+o`D%8^qzw4l!jn!pF)DrX^j8-;YABP>HGciY^!cdcPR`za{ z9)$2l(N3~kKvDIYZaAG8;L9UYqgn{MkNNjBo`w{>ZApM<588{gd$Z7x%d7UBvH)Zq z{&I#{HW}&(NSte2z0vnNU0K!s7WgvE+!+J4&|Jc((vjYS#%4e01Ru#np?WW0`b9T@ zDfx4Do$(~R`}_a&0O~kBfE-Q_po-H2Ae#Cv|pLu0&+x2=%W_%C{EB4-d% z7ce37j6(ehYZI3aIYVp`Ra!!kHFR{vp01pC#al1&hyQv=^N2qpH$41I{+R=Cm~d3S zUowZ^xvVFTqXTWTC5f&T@( z`GNTA8A{0<3)tfQVN^?OOjp+%nm4{333K!Z&)-cn6N+b0;pdtnw?Q8e)z`V3R+<1y zLu3Ap1t*cNc3@DLk_VE%|L4!2%t&wvlXx2;n}uvsjp_t66G1{==I?e$Hk>Uw+q!?~ zDH1;ADEE8r8k}r#mj~iu@Q{%e+T$I94N5MZNtxT|`SDj_mlX#gQOVh*U~w3Y5DE#` z)Re;@`XKvppcX!|C|?T{sRPQ-Qe+dBMc}5l*ydnc1te1=+TuzWU!{aOP;lKA!h8iE zQ*8Jnexk4Aueo)gNa}VF^A88$HC`StzUl1^2?i>~Gx{pBo-hAW{8zKYz@=+G|9ET~p1i*TgZ%w%OU9lpqK=mdyV0&RauFe$BP5gkW^_WP3+! zy*;p8oU_X5@)#UcH%lzL7{O&DC0${3AEfa>_YQ@_T&k)JxnIifg6q%`Gb zF5DgtziP_0p4|zDq=JowmlyqDfTvt(FCh$C;~$$$-c3RS52mBCOv7MagmaRNJq}fz z^YW@&Y(TueirKy7rI7hN=vuH^KIHr{x?XhsBD&O3e8y(47(Cxm4~o@^G1OdAPK=JX|^)kBAG$Ba*}Mh3A|4!%NCw9v;(|{XsdqW*wNV_! z?$P2Nj6-$tcA1fv0h}G)?Uib0N5{>%pL2((! z?1r#pN0@uTmKud7#>b2>i6MOZFT$6MpS5YUA=w|9$$eIBpkhW?61Z{>W>3Glm73iT zaBbpBD_0k^T!3HpVdHq8-|_W-P1OAky+G6nZ&=0O5PUcXPBX{oEk0iax_OF{7V$yU z{;6;K8N*^P3Ol z!DNBqRB-9m@Ia4`TiqWKbW=|(-@20vWR_A%B-Z0mg88h46@?E>*wKb}rFekktYM*c zK>%uK^K(hgj)rCDIhDKpo^YmDQx=l*xL1ASOvt z%J@w%446}w1?pyi*=O;QGS3oVZ&Z5id`LV@3w+e_pDu?>Q&nmtjmhAf zKqjTDZvaZaNskW}GXT?I#_6bOefYZCUU;O?8y!jbGv6tJ`BRPNH1CsZf#FVnC@q6A zqGb4a+3d3iNL>vYkxeB?75itW?o_iM8d2>SDa}VOb6|?(dVPpeKAK*EUBCi@==n&HtZ&+Hi;4!Uc%*syj4ERJbNWcNyd}6EQsQsk$NJt4U%chV&43S73L)4P z)eZ<+r-v8=XS&6Eu6I_bCNMCxt|J8&_Xsnd%q2j*XP<>sbO!3qdOEWjnF{(VPs?dy zBhc+Z>Q1;8ht!F)xIL%b&ip(#lvqYhBGU<-I zKzb|}%;#$n?herc|I|mXF9-))2Om^3~mxOdy$2lRE#Y9@GSi z?=~{oA$<2g_?{Q=o&Vo??Z5j&|LGb2d!7!y`iFnNmksi~t|LBdqXCJpZwjXj=|Rvz zi}#Y}b%0#Y)%n?7TeM#JMz2`I0C-%;0!;elK-H+4wmVQ7(h0VLDst>lY0JgDtvo4k zcqMy>+gTP^SngPMe#LTMGN)BOa0ue^WO;FUvWB=kSsq-TEI%$!mIv?rCVW3HzP~TN z>-liRsXGUG!l3-Y%f#&YVEBCGy>fYd7CK(yyc(~T2F$92$L8u4bGY1?fnLrL^W&SfU;D1y3w`OJ46GzRbX@1pat*EezfKtcf$cd&OXxYdmJ z`+7-N{gkBU160R78Mfkh4$8jDWm|2Y2WQbazAttcpx(-YN4pODd)(u+Y1Vld&{Y3m zl6Vs>Mdh=EEti76+3l2d(F%}S8J@c2Rt_FEuLieP%iykwllV$;8C;{DCK;{DMFuzH zVh{p>!vSCBQx%#0*&`*0=YT^_F6hrAwjr@twT}9vfP#_gOTjS(tf2fV5 zj3sq*YUO2+hZMg9*}jnLYS6E_0<+|dAU_`7Tl zOUO5AVt_>~kF#yyX1Uj^;VbX=$D0D3p-RMy^`w$NmNz-2Evgj;Day7!v=M2DEJMOA zT+kCnB`S|wVfuiZ2bQ{LPubwj>u?iorBKsOgr6BZ;*rbYuyty#i?Q=8`X#c+oA@IP z&dGPy$aKbI`MKenWu~!sKi}|uUTK88Q!xuSpsmke>*;$!;OYI{)PeIcVB08C!RMI< zgM%NMk7D&Y|3Yt#(S&rUJKNs|ihSrE4M}6&H&0j<9#$2>^3RNqY3=ZGrXmZoG-gF- zPcVvB@4jAZ3ql;7-L{fa=+L>*diQY_NZ_?<_#MUv+><|zcy3Cdnja@TCjVglVdVj0 z(r6A){2*mTwPTBH;+F_VZCqjC`E{a@(=;e|P${umFc|GTZ#w1|hxu8zE-DOubArH+ zw4%zQg%Ik;Bl9Mx1W`p8EA6wNg3A|AN-v7#!d&{xzGk5kM68fueq&JIDc29DghH&l|wV%1zzqKl*5r z$YbUB6U_hkS$oEkNDok3QjJNFC8~7m5|*XX#Cv>LLi`JYNfS8Tyr6#Tbp-PH(L|%3 zYYD_1^CcQHn7(LtUXMmy8~WyhURsG7LRUrMy>`(&RCIeKfAuxSCAuJL^Y&3OBFp9Q z-hG$_azYUw9xD}rt*w4>U~>vIl*t+UYk8y79vRxfH4*S_fT1X6I1bLdeKWEZ?1#RH z?puev@kD%QH?wEH1tS%sMd8Q@9jKg{-1(8}fu8wgET7~Ig`ZyK_fOpOL41!!CwlI> zpkt>?+7HM1;CR$lI3Be&jz?{P<5An-c+|Q$9<>hS{s=o*@bEf1%X}~|%eD)=dSnB3 z{Y&9351-ota|=pkW-=c+&;)1Ce_fJmJA-%s7hgW!|9bqKYe&n1bQrSTea(A^G8WE1 z5%l}o9ScTu!#f10Q<3kH6BVk7_NY7GB+`A&12~>HMKlZyqko+A7tmwJp3z$n_m`J&r!kE za|Chq93fmihZ|SV;lcZQimn+MUlkPxMIM>TC%vNJKHAG|cgGU>M(fsy-WP-b-cHsl zH^rgVziF>kTNw1*&O|k1d9gXy`(HBQ(sufs!vF(kV8H{Z5Lady9AL+Nj+scmsvxZKP8;FQNNWL!fITONya}q6JIYT^pap_5P8Enq0~BeyB7@$TqN7MT+($tJZ#@#e^)&NV z%)#i8j*1^$Y%t!9f<49+ADvUlP?bLreOVz2%fURLeGjW6ukkNZ$?4@FX2*Q#LoQ`#y}tg7gE>kkLi^46~HBbOf7cSKxFOHD&h-5a(uPX&R*Y>6)QjwJ+1 z)0RkLef8m1yC9p8Fi5M{#2xZgZikbGVS z<;=V1ofzYSnj<8x4Pj!ayF|h~QBDRvyk(;#za$NPq2F%(Hjo94$FV~p+mf(5By}nO zk2!k!^}%-?HWq}hUzo9qLqtrv3iTyyT(s4{fNZk6{7Ju*fb$K)plc2V;D4Hx?L>76 z^uB!%y#K5LZ=M*w*W=W}O*UzP`R}&+zA@fbL~qac9&i-bhhR@I`|W22w1Mokqwkd< zz;E;U)}R;Cv^*sC?w&lPkFVriI;xG*tC9$t_xOQD+@&T%UIs?4=1zc>0&;F;Cd>$y z#(O>g(xEw}_*N7=;xAmk;;xJgTwlq{eG&lvZI`e0j}_6bNQxmDjS$>fc<(>{i64dx z&i_qM*8#8E`we%!HGx!YuKt^%FM1N{!x3{v16Uq^t|?L01|6O2Qm4LY;GS3iT@N!t zaqnd?M;~G_keWWi*bh|2Q~{%3hv4dLdt_kpCA4Zc&oV1rhC0n`l~Qq+ET#|ULTxwsxh=>YiZvEwpZLX$WQp+W4qO6ny8 z^m60)RwZ`-kWMOr%Ahh z7p@fY)RX}qnWZ!}ERRV1vv+YXZ|nEy@I3d^?(lrcZ@_QP4|-NXn+}TUefCJoCWg zrPoog5MZXBPmA$)1_p9R69mzLm9py{L{jLqoADcJdqxQAraHN)D+E)bC#uKDjsgo2 zrBcFXC=yTM4Y(YK<%B)HBJE|WiQ2WhSFp}Bq(}6|?CF_8-Bq&4c555h$SdDn{;7-P ze!fkibJv2W9NMiX%;nH(aFBKzi585FkBsFkYl9Zmo#H`iW5hPwQ;j7upbrrgch(j~ zQHobmEdx82pEXM1!f222XCD~k?N6H^#7smS+V6}vzZYM=-%` zHdcq4P!kOhe#HGul0yTm(34l*&ANzIW##qGvK-#|@>Z-y&o3JX14)opHC?SYoba=y z_{5fgivPYaWjyT-51iv@??w3l`G*5kQ8VF4KZoUaORo`(yh|3cO;7}i z&9!xbQdEP$=+Y{um3f5QBQIS*sT+P6#5 z-urQmF`*Ff;!6;|$r%CDEfH52tAb&;R1;L`=}bq?H3H9{k}$85N|>^V=sNK7 zHu_Rvf8t_jH1s^%&Ner1!#mIAUw_{kr;jzm>0@JX`dCYxKGqbckF~&Ce~$0-1mFJ4 zg*y`L4~vC?X;h+(TWEj# zAT45)iuvIoK#A2a$zpsD3!-RF;sXjFsR7^dG0AMIdV=Ag);go0SDB3I*bmS>V{b&0 zOa@w#lGz~f$VMSf%M~b2yXDo+r9$KL!H9@G9b{;?>$P`I0X^i=54=C?g#`QGN_(wf z+~wf>>A$N#hut_64@~LW!eaSyjp?0qh|M@c$U}dV%G^mBe& zZfx!wS8{>N=k41`#Fl7%JvV%+QVT2+MV+z|^wHpf$HPusPQdlRlI)tVB3Sho-=ANy zN8(d*L6j7(;5RvEAM4@*E0dUk>v9gNEU>(}@gxH7FOqpY z-zkT)hiYGO-@*DlZN;1CQ^ax}D;Mq3i@N%h=YmA?l^idsT)0>! zU`&MZ{kwd;dURfdf>=geyGmRrxP13(BDx=lVydJLk?iz!&`ZbL5Sd7ahgCf#{1(li(^`jM%l+Il7{eYc?8(x_Z$!4uS}?qFgu@ z?%=Baq7$?aQ@k#p&O}B@uA4-ci}9{!8qU`Qa5|hoU4qH^1ZTqGrIle*%~%}jIlDl^ zD2TnU!}X2!ydzM}cVj}jQ(<`Te^@}!F7IOma@1Ecu|1X#KOT12O${d^wb6*YbH>qV z?!NO*?@~0_raa_o^7RFC(N@6@JB$aSO!kC<;LotouUAXfr|6-!&N+N-!2YSkybQ?_4pza<`h&_ux8b0_3G%y|%c|_n=Tzo8K^twM9 zE5qJvvkyII$fLkfUE;w--#};zf1F#nmWnofmvmO|rK0=hH>FZAe{#PJskTfTwq8G6 z6XVXvg4>HD@e&(^$}uauAP{ zMZZ7r5B@S@-0}xUwf#zYE^laAdowO6m4rSe44;@e5sfUvUbR~LmBFOsYDC9NERVpr z@(#aLHZqg9_n`AhL+2k&-7i&1gGePds`8g6prPfm-#UXJTbPhn->{H@F5UI zOvE$9Q|iFBCR_72g5!AC>!g`I+H>RNB4f`F5i`?fpw?vNu@ny zu;Ssi#af?()C7+To+d6ug6yYBj?2Wuok7PchNo4?De>rDCA}0>xkgaY4xvthP4nC(2lwR;x zLJpT_1l|250bf7qi;0Tfa}vey;mYHK3u%d9neO%HLUSH^uWE8C-KGS@)s5|1GfL3Q zOwNuU#_6axS}yVDsuf689eV51Zw4o#!x$oiV^CL^>1HPC1FjYJNZfmgMjV>-qW z`eb~We#)NG0uqfi4`AJStifE?We#HdkujJ&jgY?k$riwIQDCEubPOa8~mkgYwH|~0%1I96913mumri_|I@NO)kJf?iZL)sJXej;H* zu|Q#`0PJ^G4_oW=0c+HGZP5qvNRIB;h)6y+5Zq7MF(8vgFDl>E)5`M#zI^Gw3!{Q7 zW?G=|^?5y+h#?9iF&=;2qls~x>LQQoX}~`GP;6r~Ly4-&_in0T^?gUxIl&PF=r#XJ zDo>Abg;=bf&@d{Zk)hn2-H$2DolFs^mVi93$I^$^R(XMX8~bxRCjV@mgH}{lD|~F3S>ze~>qWWz(0BolTvQ{DFIF zCvI55pr?_ic%vCyb9DKbwd!12WZ^S|u% zeA7?cd5nebl{Y!Ew4+pqV*xpo%_!EQtAp>O4)C4P9uu^%Lfs)0dODbXSR>H$B!##( z5NEu5f3?pZX$_Mj+HynqH{KdI-U~P08aLhwH{KsN-VyKp6~6pNe8=PadGVe9|KG;r z%X7e&hl#H~4d3g*SAQNCm*ns9BOK<>IKO%DI4OMn`9JvoNF z(6no4X;|G53X`$eX0%U(3Sl3W38#otSv;VJLmg+ z0+Qj~>I2bDyyWN=$Z{KPf8S*C&iD; zld{0&NeScfqy%w!Qc`%o@9?ef{j2{-O~TupXH+<8FLhx z{mUV?mky5BEbiB5DI$~0$;XE#j{tvK?NIU*Gg!%QTUxTxz`y)iF@Ww3sb~p7s3?A! zoA|~YeGHuoCHXA?pFG5eUg(Ix&*v4|9>)Z5`}zM~A2t+PJ9Pe(F0fM?z}s1Swp^TX(uCen}~ zp>*2eFh3}ZIZgG}#v4eFUX0eQ42FO6+u-K6z|Eh4o8JmIza?&dN8qaK{qyIu3tZ48 zI-@&m1NW3Rqqe==kkuc7=g$&cK*x=bgbnk1&(_fy{=FWF{^?;p>Z} z9u#rwK@+~8J3e;1(E>Tfpm`^KS=c}6`o{s|trK>?tEaC}0>kSQl-`Eg$UZ>qh?S^1 z+-R+$O3YP;dg8g)ei`!MWAEK4blVx7jkv1tBTNn~C|%sW-YY^(%*Jy)tj~yVf68u; zw=sY1zvqMhTc7`3&w%gs{2R}M)5CM(^zb@3Jv;~e)5CM)^za-o@KWD4sVf0#^pShp zC7DC_?TP6CQ+p_0S=J|7u$CfIjXVcG&|6q5=mxLKmeglj6fF*=Yy>3sY`jRt&i z{1a6mrwK}TUzHUysKb;=`Dc${A?Rid&KkW?jgo>YN$HNA1Uin&Z%Z8UK<~Uwe}upi zek8G%2`*%F~8*&4tqLDKUqWU(OTmZm#y9~pw-E+ z`-A0B+~)56;T0Ky+|QWOHlA}wa-EkBU;7;Ke|Sjt##B}yY~Ddcb~6;=yPhcsmCA|a zqM&6)^}##NU@-W)(UJBz3SCUvP(FAt1AIJXpZV1}pqMwub^X^dA6!RV;ltfL^jv9o zn6uRa)+ed}G*2Ou>?P@B7k^AQXxDOM^CTP;c@U~7hH-lE%#S{sVDPOvB^^c4P7`_! zry+_)VJVaI_VAPqX`9u=0gag9x!ROKc-6N!o=P4G_~t46DJY=$7BT&euUV#Ml|WycPqUqoU)>W2)$|R9~}o ztqeqjU46U+lJHpi-9wd8Nx*l1^;b^g@j=!E^qJ$t`J7!T7=F3LyxiplQs)gvrm=oc z!|rVrlOCj*s%DqXv;?)BL@W)-oW!{r9uu<0@EulD*z{r3xMrxG|SA6vLk# z&g8A_^8cSZzu+}+hC@^cPxKJsvLNi4VGx1Ro zc%~;T`!p^Z*@;pl?f-TJ!=Im{YM)N`uz8K z%}^@!Pjc_Cyik(ou&gU03~bsW>X_>XihbkBc1QRiO2>ig6Qc;;>jz&y7rxiixUIf4 z&M5>&&fkCiWub$&riCvnKA0h|53O1R3QUM$E#p;a=Mix6@~)0QVSu}SJ>+s~OYv_a zCtO}!7k`z)0|6ZCv|)y=QUYlm`?l`bi2#g*) zo`LuEY^ad0WP2P&6|NS<_lZ=I?D4?bjI>=X>i;QO%<%gxNN+9d-+ifp z>1|nKLqZj>e4&HW*Wa3>!1_6PA!&73zi;MnH(3d`UX{nKmFlA+g*`o6O+m1&{k{4d9%>tLdCW6af6U61O3FGqD#PEK9 z4SE>}F)Br%l+uYzb!rosu6(tt;%E*g-hVH#cA8@T_Ghn5F`Z}H7nB`nhw+7(R%pgNC3g^6HHawLau)(f-h2l!EMEevVEZqENdS z8hK*b91%a7%R53W3f&yhKE;y~AaK%aD8ZZ!^J7$Rt)*i+jh~cel=q$BhDb&8h5bNq z{NQt`CMpM&2!D(0eBlEY_Tf1z3%-zHdOdUntN&ZdTUjo(dm>U2j0Ci-2)}(Z`vaVm z;pu+#mviPypv_{&saK!`VQCeWWmrE({E*`|B|9HHVRhk87ZwLTQ=`IM%qOxSKX$`K znjb2AcYo51N#MO-)t+)$$|UwcBb$e2K56NIHec+Zp9049saUwFPN#<^`tDHnV>#|w zI)1|GN&0X^fx6#Os1CXVy-54V&!T)<{gCFJejq%;@)>fckj~}=#c*palm~wJWix#Z zRHB~+D4wc;a|iU^cf4;z;koI2BT99k#yk6`OFRubFUEK~MwB6g6B1i-m@jxOR@|p( z#2So;s)QBPjnJ!0rw+LqSfDq5n2c}oTEd3pOW}wx3#85)84<2w35;uuzoKL7fb^Pu z276-``dCmoeVrBKHw3d97h3kC@KUSW6TW9qU310=n?y6-=N)|YmiX#t@a-?)%X6;O z9PLx`&PJ(QD<>x~|K+!LVx!-sQ()s}K?uuwEXKY3{J`gV0dhGZ-*(?O4)#A@bDW4) z2F>3b594m0K`d2UG=a{U(01tjIY-g})byoiqJK8eZzI}AI7#*59E5_|z4h!F@E)Uzs zL2yTcNY$syz$tX^#rJy`;Ub6`@?oT5msTp@=%tRSNtTI_j6 z=Y;#inf08*%#f~ZATq7^62$( zdGziG-|PQ3|9{WB&yrwSBuNN`*W}6N*OSsQ-J)}v%M~jW!G3ML=yoouy{c4ul`|VQ zYSI&G)Uo`6Tj6JJ=v_ofOB)jQMjgoGM@DB^UNfk^{5f)#={&3py?iirwhD4n3(%+f zYP|VT;jh)g1Nj~x(vUAai8pV-P+wC0(EBkcT~wHhI5q-fE3I3!;Ul0XPA*a%HiI%! z+v(2=G$Gw@zMkI>76H-i&y?$HjWCc$J7f`24P8ezuB~lV!qb+3(~k;T@#Y=j+m9Q) zpucJ)8wPb;qjgu)!k}T1Ag3uI6+J*Fqf-kdp;=!=zk)6d&7&iC`}@Q2_EY??^{cj4 z;zHV)E+8I~HBi8#hGHrk^M|Ia;Ld|k|2Vo}MEjoo63YWxsQeKV6Zy>qxWAwD;KB6s z856q`Q03Me)qzi z-_3F7cMIJ4-4Y`BUNiGj9EQ*k!|NvEh7K(iI}sVP(*7H!xr~B--E43;COBv zTRH^^-upd~?!dwcforxR%zUF8DN*7DjKX!cInpY#PRa z!goFV8~@+;t2d)IRTi7G!O2+qcj4n~bo6GbbIJ`bSpD&rokPb8G)bdvvsmL$)%V1A z4VlSs?5tv-sqQV5?^`{6AN`rA-^_t zG{Ec>(TVlO9Q3s?#z3?-7xjCZ)~gOCL%%EolZj#>{Hu2nLXX_4*suNl;pT;egltkm zVDH~(xo=7c+ObOa4Ne>cl`9FvZ)*kd=6e$k5{B-~3Zt6BhYbm~oG50TlO$sd^CS44 z`_cGV66J}_3m)(mLGNO;JvY{B@wf7YSI~MMrXU8?*1=F`U<|<`G zE}O%fWXy+#Yb|Fk{lxOF@-ikWYL9|}b<_CjBonf$ZF=;bi5|vBSh?u#(ZN+_!dzA@ z9`vE_gy?!NIoOV^zYmV_1{-#9A$#)xbS-8~;|e8~+a~R^E|BRCi&JuB?`K2NW@V2c z-xsW|>993#e#ivA^BlWeET|6-&m`Jo#lq3r4-02b?B5A484q+e>O)*kR^G;tDc3K}^$suk~eI8Yl+*kdvmP6arb`#0YFtPErrs~)F(b{uiJ8r6M$B7^t&8sEG& zeEW(2`kViq_p;rWrxhL{3c~50?a$+dU`TXDbLp=JTCQIp@8af%C_brd=@D^MaBMq7 z@w@<#`6i1+U^#e1m;ap5J5!1dR-B8yJbx1EQw~&=Qs+Sa1;3zojV0)YjpaQ3g=9Fo zI5T}zJsp;4m&ZsNV_}N8o-u_W9q5N0Us)VIhs1O~8>{HYL&xva{DtFbcLV8LVQJIfxI%-jIxHWdImQXKtox(>d#vyvL9|2Bo)enc(VrB}PQ>z;Tb3v*nKVM`^07cJj=i?)98c3BL#h8eba!>fc|gf zn{-6QDH5x-mkQe)vi!+Qd|+!M^_Df48+1_H{97pjm@_yq@yNm$HSIj@iL~H_yk~SZ zZ65@oFxF~K`im2)n@i=B#yEr5Rc`8?voQs}*8q+PxkqhJm}C0r z55}Q-7vMW3mGI`FC+Pihol4X7J}B06oW4kWAGo`68j>^zQKf;?TGhQFC>lL3Nx{nn z25h?#H}<%})=T2O!YLW}`O$04oW>Z(2TAC!L(jFTJDvs12A z^x82KVm9En)v zWh~zR3PV@2mxKNu34;=S;^}9!0l+|=%l^|P9Jq6=Y1srK&_v_=_qTS#q4FY0=GwEM_gs#EzZZkm4TK`WLHPibk`1DWGarID2_}%4bm3U-Mi=;x@va$B zcf-Bmg_B(bx1r#*eL98e2)y(BO;FO^i+(Van{^Qkpx=|D>9ev|;h4Tyr3mpksJOpw zGuPD#pUR%(BD!mUuV4OOUV|DgufYVD*MRx0{%>A`GA^&d6qnb4NDBA=_x{>H zKf4A@5JlZ~E6@P)xc4e0@|fO#RWeAxQ3X~Q5WCQxC(>Yip(S}y4I<26bUnuM5Q{`7 zey1*lWA zBg1!mdHgS!iTR>&f{FYLe@QE1s7h<@=^00OoN`BzhpgO0Gk+wN!~y#4r{@8Z3w ztIV-Fd-I6jm?4<8?!H@zGXsJFwd<>2F+T#K^&(6gg4N1wr=oi}!uNXc9gpwzFc+TD zM>IOd~?L40>+Wg%zL-a4+Y11 zu8CZcLH$z_n898UK6ZC+lIQRNF@c(zahe=T)kqqstmDDyd027!jbk|dh9*wG!Hm;y zFyizZTsS|VIqvyjj(a{>;GPdgxaUIz?)hK>{+9Hvn-r0-FuKy;bs-W8HdrrChD8D4 z;q!hN0s(y1KF?_6RUqH~D;IUJ+yQ+3T+7Q+!fB3b*m+&}fOxSgK0#=S}1k_S~!Ch~*RvY@GE$jQv6 z1$1LCCfS+f;AC1C13Q@mdLOD;WBia60`C^xCl8i|?%Ay~i3IX6D@^loXa>`zWY1F9 zWOx9R#mOWwJw=%OVWr>iZG}3ACOfN50fs16k ziuaixdiJIJ&uS9ZZ%OUE3s_%6!t!FDrnEP_EtlVx9u^0Nffe%1L%MkLPdJsXdgPmg z07vCQ54mYDIFsm$-KY$LQ2nKj>-<5;EV%D@!`m42#D6@YW5FBYJO1DMMG~jqaKPy| zq;dKU37mdI1E=4R00Np1=`U40pqGiipxZ1DC2!jBx0QOr)tTM=*Fx@Ke|V|Xd@BrY z=JY&LcX5YjLLo6<9%{kn@Zwq0-eB~|ZzcPH4#pq3et(O!Srb^Q-aq=4Y6<-uFL#e( zeu96zj!;~FVhk=nF%*}d7>vtLOu*$Q2I2iYS?Ye=Q^{2Zgr;3{<(9eVL(&@AHkLb7 zUg@13I^&HFHPZF7lIEcJSf^nh>Tsa>J#RHjoCwNq^RSGi=VS`VukZRKbp0%BgS+7sQ{(r_F z%hou&>uGCG{wPrI{da!5!H4+2-w_*%{>l*P9mRpF;sh@(daLMJc?`n_j;(=rpFaar_V|96v-G#}ARh@k69>{16$KxU`;jINlR+%j6`j zQ)1i-^I(g-t_b)@yJhXTn2pX3%p~7_9|lRDuTO4V@&I{lKZPLHG|0$&@quW0FlsdIixC$_xS=}o-LosO!U5vFB(7zy>F$h!GCl*ApfyH z`s|Ur5<+ML1$oG&k;4`wL-|_1@7qGn8`GJpQXL2-NuzEv(19?%C#Me6`Jtn1TmdgV zG{IYQN1=~j9eP<7#!Wl5;7z10Z!s$N+ar(~#IQ=I%PXBoj@I61$-gf`-ZLnRpzGQdPyq!61SCt&Ip-$loHI8$=bUpEBngNZQKA^gAh1OgQAANO z3t|LCR8T}roOvJToZrq<^;Vs)>ibJ|P0c;@^mOmN*0s_PeUaOX-U*mW8Z4V452?`u zjwSNoe?!gTAbmhn*)!b4X1e{nIKAG=_rs{wytv?tUIc(MWNtXil2d}c8i1P)a zdMBd(@!eBFG!MsZA?vX=*}@hbRI}&l*oQ=0aOt>7`N3TbQAG}zbboL_!KN2^tiI5r z>)$FmxJle7MDtd~$!ikm&k2Q%>}DxARC{L2EnzX3AhjNgrjSCba}6r?BVvT}G~FX! z=?G{l!`$=mq;?TC*lBX@wFiqW(y|q$3;nK%3>8<;G#-(FcF~!Fs6RSDwEp1srO7Da zP7v&#uhy>lLxRFBvx@rc1*qAD{th=QmLu&PE5&9V2)d#V4f`MX;ymGh&yV}dgVn}) zu-Nba4-ZxW=fNVJ2P=v5V5OisqFv*4O%5_AOAB#V*My_`)O%MhM#9mTbc|$CA#kC@ z@#xHhK=9IN<7TQdM1S|gBz%AFg742g@%=do-=DkS`|~UmFEkgEOl}N6v}#=11GHfB zdd3IWpN1&^2LE@)=f)6}9V5YsafRN{OHPuywNR~M>Oz2-F0yKGXSXj_0Ii%su6JQN zXjidPVkO39W{(@LG{N|DUS(6-Ytu3yrDVDFW%WKtd+Q_U-OL3OC;C{AQ|tvj%LC&2 zCR%7UP3H3+S*$;y)a$2ivImIzDTwx8tlT}VQe$j@&Eam(6E1lON{STc{%H+NDz6!Q z>}`PicE?cOH(9W__-)-{Dh$15pj>Mmm4nkl-tU}c<>8Nz-z#AzC-mm=v3h4D1EchD zw1sEo;i)i|(@HH1uG2a(A4K`lat`xE)07WVZRllLdQ3vy)eO`vi$37(L;LJC=07q_ zo~F<4iY8pICaV8@!PU3z`Z_ywSu;fji*Z5eXZepWr?t?!c2mSFdKOr|YH>fpo&&~9 z_@zeB2oB6WR1Vt;%4wgp${ezf_Kd%~Zv-tXp` zxmrY$7feRF#yK<=BHN%S1JX`!DCrTgrCrAK{|fn^PJ5(bTz~1hefK;G^I`Z<{i|>+ zUzF7HtxQ*45X5dY9&jR;hIC`4lds;|pwS14>^YM{;80#;bi5WjKOD~DcbQ8-2R&oD z>AT`lpGHS5Vva;YCkuYj9F2zO8Bv$G$KoM>cj=`;#W+}&D;@l1h`{dphgcRyHSB$k zR(kN#2uLqNZFYeW#a$7R6!J(@a*Vx$uWWG*-{t zBrBj5RhEIxr8DoyYWE;!lHmJ*a2dk&G@|vl*)7|4Wmo>YKhY{=MRZH33gR3OI-<0| z3oV|uh2vjD;keH6-Yve$ST<^@)A(o_teLV=S@ZERZ}2{dhamltELAZ_Gy za-ecFDvbU#K0xmc)m(36a^D6Zx%Y<<-EKdm(U-jYvmOclT#kq}6!Zm_2Av^pOwSg3 zI`ydHU?`gB6dvutI1xnobwqi{Kbk%C?~ThsJ;e^wauYdV_>of`KB0#`I$3ReHN?2f z4&tw}y)}@@`19WIQ_}G3hcelv4FS+M9TjFWHAGjtGM@h!5rUk3t zJ7Vb-i!^fQ#m=AdzgG|Oz}Z(@cG=tNpv<--CK_21C}Wx>U$j^j73R{NX?V#E@)fAV zPFWB5cax9tKN1Jl;SAC6ay|5XgsS#ul@$Dzw$^wcB?>oV=(kXARY3jB)C-|>Lhv_F zN)7rcN~uF+WI@Gi4}W%^JlG0cN?6Cf2j?m2SMJ=B1$t^0K@kcUG*Q^3rr!MT{*I_4 zH%|wjj05&`&qEB=7H~57UWC7Q6!eC1yzlHyfHO&2ev>m7EMPn!29lmc0Yab$Qen{b=A;Yy9ZM2Wse9qAS$H>LgZI5(YIj z+!0s9x5VQ!PQY2jVVa2jz3uVY&=!nO?k&++q}*o%IZ4xFp%`D*=10Fy+NuS_niR(` zGdN-U|I^?1Ua$o@=}@Zn%hsT3_Ql!lTN28n6?UU7utNsk4%jQya^3I-lbrQA{4g07TVv5?$lqiHgXq4blg9!GB=I@ABAdnMMOE$ z_5As4>(0ZlE9Bz^;}gf=-fXV9%L6@BliZ+jd|nagx$4U6zN)|mD{YohpDFT&md3O} zWjMFJ^V>H;1)$tUHeYeb5_n$q6fo>_M>RSZyknfK!O&u}H__J|yi~&0u0O}}YiU=O z0*B0DtKQcS!S`&DhUSdh9u*BpGyPm+JE{fz==!n@ogva{mgsGnL-6Jhq0rZ!8I?^#_mBQsx_mqrd}`v~RJ-Ir zZR&P~YU&6y`9<@9Z$&=g_v`O@Qy0${z}DLnZ;nylR>AWH^znQF1w3Cso^XGMXg+(- z+Qu4lT?B9@GIf7G-~p04C%)_@OF=KgLr2ZiO<>khe9x!15-9ojQyn9Wdqi}-_0)OG zw@ZzLB$5ZtKj5?io8LE-IMnSyR_XosJHa+kF*`1I*2)(#*ECJt-C+y#S=M~dZk40_ zS{IA%ga*{H!;>*ZummW#CNvs8*$>KWRB+%|0mP|H-<35+g{h!?6U5TFe zEzV4Ii(%bZ=xh`;R(M|7T^)sBaGw6%y5qs{d?AH1jh4HMiI!{%_0Ez63bMWnK zWU$?ujVB@mOoR#x+l1?oqVt4q-_C<5_3FZOgls>eW;*4_Ly-d4z8iAOc2z;s*EJux z@Lmw;F?viV5)DJy`cZ5u4PX)#TfzE|=<1NCJzZXV4LhH!GOux>17?EU778mc^j&t8`4`6^$?)*!KEDVE))2k@hQ^6pWE6F73@ER!(n90G-LLaSu{I(Ot~iY&e;lncS@(7Ep`- z2TXyA6tv)=X$JGx-n7Qr>cN=>@36-i24MMM{^*N9A7Hy&`fKc!D^Tbcrk~hbgl;n* zVEIJWz7kYEya{35Bv1c2G2_!r*J^SHkS{Xzz^>s`z7eK<_&q>r3Yb1Mg=- zst;u$b|LTjWh{@&X6dce&UO+|oNGOoeMc6kFTAnYD@OvolyO6WAX|`_@^79EaYi5B zdA-VAum+3oy=0P%?jV*~r#?nz1zUc|{-AXUA*|QsH#vWKDN_%XzyJQ~OS2wyTC;oV znPU2N#TeC3*Y)9#!h*v$2UB#ho8q~Ezb=^Ui!Pflc7mem<;f(vWW-RLxRvimJUkYs zS6f~;1-++nTXu~(qw$HssK!0qsHTW)*}vKuU81f3lN>@q9!q0P;(CGThjM4`CgwlZ z+;OS2>ZdoHSqXoi^CA*N1S9W9%j$#Ju>7yY&F z>p}ZUsJ_6JU_`WkO0=Isv>yB4>4ju)eUU7#FVe;JMQ*shNDkK*Nr4x2)2cQ78)VCP zvh?(e`|#i%V{7ZwLm(6C8T!ul1g4xKe(Y?!4;`-Ks}v#&=l;2?;mO7 z{UaT`f22z|AGvlRGgW3G7-IvdHOK+%4n zmi1#WVP3>(UQZy4YZ%+?LI<)Myx+aG`7V6VOjXsY9Y^-eyA~6~hmh~+RPsrw z8Bks87#x+cf*$f5ei;f|lPJAMc8f*T={6;NyAl@tpYhefW4Wd^{83@tUroToH+fq7Y7A12vWrDW& za@hUA1IWX@e=xx^3F7`(2JhA?LG5$T$xa_k1~#LOcG=JQ7;l<#TK!cOIIzo!cT^lh zJailjmf<-NME~|g%S1KO311q&+mcJTKj?HcwV?EMCdA*_u0(;7K)fvAo8Ze6$huZo zJ<28xhVBb#a)l;Bq-x01UB^>_<(<{cbgMbqOB#Ka@tPlE87Y0~xkZ8dvvKw#4-wey z%jETBhX^FUcA1Nb7X~xRGg-pFi(n+F*Lr_Q4upS9IBA*Fj%-x+^-GoI!)be2N1N-} zAU&5fw7xYT^XFR}^e)ncSF-KZOv(0WCEk4Ve3m{e8By$*IG_VnT5{y0QVxh(_T>t1 zBLa`n(diPJY(xQpmiiP?aOut|p803d&>ernK*TN%Mn`|Q-qDSOW%a?3JmYM{;xhm8 zFufJ}>JU2aa>EHd8oV^THOv&KyF+FTwah^6#T7CNVH1dUNXvdfZ3M$~(m^J6m*L{_ zfcGQWY2>|V*_LiO34N~n#(s>AfX;NB=tc9psAJ2m_IJHkK$N-K#ivIQa=Q)WbVEeZ zN0sKnFE;$}RpI$mw=q8~ox7d?$3Ox3xlmb%er6~9|Ej#xY2Yoj51Pymy;~b+K<+uU z#UK3HV14N8QGHKV*yhv5;;kx| z>*v`B>!ovT-oL&;8;_P5Lc0PvVnDPZZI@KAJv=KKx|tjik4DVTi+G%kfV``1f}uec zgr8@BZCKRRCJFTA&V#z$u|g>82jzs-7hQOG#AIN`Q5FRbElcHOGoePeY^B^6YVaoD zoZYF{W~hNjXTXJB4ve+M_tw^upz1fn!o6i{RC@35(dsL<$l`#fr!0mgI3#-iq}zCBj_%2EN4?|H2WQD^tVRYH|MI-li-x-Wut(#; zM;g{+=!uCxk9*(|kQ+7Te(0PJ?K$&o5}C))!$@yIxtN2%u5)hgL4Xsyj8+)bjPXKe z&zRqh;iB%)2hiWxr4WU^ zM}kUJwsDqd`IK&^>~TYw`&>0~C*261))h7ivN<4=8xg&AGdhIxG3$Sv*Y~7#LR8+r z_s^HBLT_uIEVGv*s^>k*wdbb=tiGi&DN|O5BZf)Cx3*gW@7lvljC-TN6lI!7mtgr? zejgLhizPxHU8~Z4$`l|cYrEZ76bU;fwlccRA4FG#0yKxe@}u$EJzUM@w9vD*OZ;&= zBYa(wRM)-E2@y|!ebQnOM)C{$1N0;r2=8ZzUO$HV`jHPCULfav&GPAS53v5k$n;At0gP8Z6C9yvBf=xGS>Lb5N;JNE)psrK^vgghxx6Q^lhIh%2RK_{M#?Ga_ zh)oxe_#9bNAB~+~OH$`gV>%O}JUZIx6f$cyF+k;KOw1^R;1hMZ=%+{K==gVOtF!ci zkoR23O*UTyg6qHSeCH@gxIS6A^;$O{n>rXa(r#Rjkc06F3)|DqSYELFv-A7f)uG_h znELY~%papUUmz(;LURUU>F-i_Kqgmf;?FfMFxx@@>l!GbSEj4l=3eY@s{S<#`!oy6 z%qwGST;_l>vD~XS14-bvRwCKp;{-{9or+BLfK#2>1utcsAhD*kVq`vx zaQ@M=nH%&bhmFw<+kzU0OM1{9(*ONq=r-`2tbe(1Mjz^e7gn1eA@prjP>1z~BqGY6 z`AqddB;d($6zLAPB5s$0G}ACemvAM-$_Tnp+&TdAF-)n7_fDY9-9kJoautxN%@@CO zJs5pS+td_%>%4CP@IX_DqOxkvWW%}V-tmwF_Ey)VzLXwv(S+#6YX5taKih6Y0Y05 zx27;2dD#1y<2C_ET77oe>6ba!>}e?WxoZafnqs#(6W?ooaNvC)U}gYB`%SkegSNOg zn}QYPp9Yr+ACzqD?|oI!2~@YY#<}!h+^wRa;mgt9i2ln3X`Xp=VA;N%xp=w`lx;84 zJbzjNo!5&>y$iF!^2DLg9F7_|<3h#6o?8jMQ8OpZ#Cq}h?|?r~Y5aN0;m=bNf1a}V z^OS-J8u`WaAaO|2sJuw^RT)`~z0K1r5eLDHi-%9`kbuPdOl9YdmC+qmXCn?}5x9I# zdD5|>5fwOVCk(cofeAZ%hvd0~C?evVXoY?sI`g!wv52b`Mii&cEQ`0ppUSrb&8eQS zpUYT)rNsu`?$u;+x5z<;0}W1$LL~6FIpSxQ?f~uNoy{+LNI+B{sPy=rp~?dUV@)A- zDQ`^Cnt{2Zyn_x5l_LvB zFm~q|IcZ-Xx^#Wn<$K0y=m^{EJmPu+Xbp_+UG?a|{hOjNN8zmcvfCPM9{jr5bWjkQ z*oV*GEEI;eJKKU7EOnuX)OpIci<_|C?=K(n-}Qk+dDnLrBNRe5PoO_eR|_1-qtQdY z>NX>*5}^2G@iVri0E{Nz9jJSm134oL+VC-g@bffEeUlrie*l)kT5V@%GeJOWa`J6f zA&P+~rdv1;09#W*%*AsUcb|6l{wl=@bf#O9(R;!ben^i!GQF3Ko_<$4`*Ob=JQFD! zFMsR=*Gp1K$le)D+^0UshdRMn!0Vf@-q?bwkuD00@Isw+^SYx;4iFf9>#^yiBP_-h z-#@GGk1XDYd{yH&1(A`wgz$MYxcF#*;Y79*>eg{iVz_4s)om0jJ3XzyBWEJ6cFY4Q zJABI7T-6716ZN8}9agZX{2u>mha+NV)VfD2Vg+(QJGPo)4nc}3(#_&-s8((x)?3D$ z@O+*d^m<@#qXEX`ocfJI3NT16sCG-+5DCx6Q@Ju?eyJtpx&tYyK)EBL_fV-ZN^v=U zvnfIpC}_X1SXl}I%XL-Z#sWEbJX-PKEQ2kw_c)`=Y9|3(KMs;lc1yzgd{=zbWE2v6 zl5Kj8+Z%}woV}1G;{l3$-#;d;d&0!_x|xB8BzU$n@;(y(#q4)ABIT6bVimxA zs*k>Z*7#8X8Gk$u%E{zoIjy<|v3^*t2tmC8QU43k>l5ui64gJ8QF8wFneso=9X<<*uxmM+yU&yy3|)U*FAlLU8nE zU=i0yI9k{GQ$cgt0~qF|hJE-+sA-RT_k)|n^SxIY4!(#AY&@-;#3Uw(5baH@h&_(hgTHyLxBWBpH_f)Jjkpn&HoNaJ}5B6yyH z1L6B2n!iAFJ`)|!^dZINRX`;=Wz^X-qHz@EEKP|_$Lt3Vjpu4Y0cD{2e8#fPx(E)q z=iPduSwJ|C;KOADo2MahsKwXr&+?8e)ORqJc1wN~q`ObManZzqaQB?fOEYX=oKN4e zxhop}>XCeLJ(4M|N3y~7NcOlM$sE@sxuS!sDmmTt$|#Aog1+RsGK5cXNB3V+Mbx_- zlkx;q;m<&EJqbJ4bevW?O)^x1%Vq{0YqlZi^0@v`d36Zt?(~^9)DJ-D+}ZqbsVErQ zA2~lgnhYtu)eh$@ozUZeXOhcV22gV*v;T#+4lGgKe9e0`5Haw8$?j7?27rJ}vGAE{>vp znw8#|e$zR{(AfyCl&3;A!Vi->%`p*JUZzTU{?1S}5Yu;#%p=nSl9kSm8-q$H*pgX^`il)> z^ojdmE6a%PJ-T~Z`qs}86RO_F&*;C8^gSIkU+3Bm4_KycTQ z{Nq`a4%~&$Z$6g}LQIx>SuWc9VR}>Y&{+cy^d>JQv1?ri#(MvFCL|cclaH(`Q+9^1 zIo0Du{?!&OdE2xp*P6n#gUV~+LMI@jc(dG=VFT%1%8PZA4v=p?pL0Fl5vX;$=YCDu z0sIiL)Zk1(hdGt2Y2Vl)^XAt5@ysOfGW%0P!QclkdBP{3c=!T;L7?)RDJSGDwl#rd z9F6{7-w40H4t{+D{Q8FY_4V-UhajToO`_LdA-|%qg$wgbX?B$GuNk5l*&KJ}7#WOP z&Ty1$N(L%ygA5do38K@-oBD)KNf54oX42da`oe|jsbf8kJ?Jn;Uz&W6f4FQ04o+9! zO!l)QW{pAnfMG){6640*6(BvNp6^1HbJ{aie(hO@jwJs zfx#aRA)xRqb=Y@Z5Z*A2r3YcTSIVj`*GsqiAab)Ul;-!Xf$H^rS?e8E;9NaU{jHX`AJzf)!&>5gSTo!Y>w^1XO(D>~{8yX198hIM-8`Hq2J%*GQDj_c)BkI*&KMby}}_H#P;e0 z^L9tW@i6A)mDU(&dT_(QYBLaxcV^MkeR6`QwO^C7w+EpX8Y_9<9uElJbJB?4(FNiZ zl{mkha)-j~RZT_(6IkX*)4t!S2fq2ze{Sd*f@%&w^Accwb*F|8m3-LuFl{yak7fu` zMxy*jwkQM%H=qsy``aPgzfzFZk8 zWOAVR)BS^ba8>vG-0w~~?l) z-Ah7;EEzh&lvN={kG}6AuNru+srfN-8N%fjIF(3)@sUC=9f;`3L&syOt68px0i|Rksw6_d7s1@HhFJ7|prK4>(GjjO-%7hh?Td8X zmrm>CIf2%t^*hDSEa7AMB?#~F!Tcs2niDzU=tK(HjTZ+@QQwCeg>Xp{s9s#k5PuR5 zTbwnI+0`n*RQtV=CA2O14uQu7Z-BbnQm7BAAf!NV(C z9&b$efLbIYoBq!NG`R`kGx3=a)G#>xT00gAS{7&Ka{Hj+2a3*R330I4K+V`$lZ@qg z{EwgU-}R+wOh%{ks7S~Nb(Xe-`J#3QH>_Z02cLJD4c<(&2mKm3HZwXq*m}dX>iAX{EC)krd8b_%JT#kabe>2;)lCm_7%}}EQT>}2Nj3VQ zhY?7edazUkdQe$I8Mr=d2pdZFhd1VoLE;<_%j|hQ(7gQ>Buat^`-65b{Ge*u!0Mg0 z%rxQk4(PpmxB48W*W>JePx-UK82mNT?b@jwk+c0X;S>c^a2%DQ){y3cr$a~0`nL$7 zA(bD$4`p+J?xmqajaD3x7^z}PMlOa}_s-`g1#rRNdZQFxZ&btUjk0*X5zD#zPrXqa zuQv+7U%n_-kNpo{)C}i~n&Es=SDY_ug7Za939rvAfzEv=9n@hT>*&IJI&I`QulnP0 zs}5pr;5<+tioiV_UA>j8jtb`AzLWi`1`&5Z$@cg9!tA?+jig>bkfbaty%!XZ9$Uwi zs%#HI5ww}5Klq)&it&cR){+oh|4fu$$A;HGwek8VGhY8>!Rw!Lc>R+O=dJyF{h#Rj zr4}~MV5xWj-O%nZ$db%O;hHBOImZ?Og=5err%^1Fo%VftOB<`hUY_|_LX`^+p3RHp z^pQxyve7TCkpx?|_W3l&dczC0b5iYvb`X8=qizRBAd)SM_Ie`d0Yv@LHM!L{o_}^g z{@i=?%>6Y`UuX67IzgQ;b|O(|@Yfp7>bL~tCy-aG$R|D)a&h{5g`Q}8)?=(lH`Sj`2rWV>06&Fw*h?BTBO_pG5rW!kTb!3ZT5d--b1I{?G+o4uDq1kj9n z$Lf%e589u?MV|a54=rt+esYTx3ngwdH=XC>LA^Oe#Ncug*a*Fu89y2WdQzKZOAPs_ zxkXW|SAIX@ugG*6#O{ahVEMT>TVo)DVXNyN-E0`7y>aF0+d`P(3#`Zs_9L9Hy>|y6 z`Q<)0oF`+0^JENgo{S#Old-{hGWw9RB}>UF#~nSh_qCMW>4TDN?4n8?%wcTG{f?xM zJuFN!QkRL^0n4_Z28>T^V6D4@(4R*l|E8BiaE6OmiPM?>q;(sZaq>QO)RVD|Kr`Gh8LeK&Nb zV{bI72@N?VUXX*{T@~fuB0>$cmwNdRreNL%*l*|BA%!>+d;|j9w!-R@Iy%FJq_M{N-!>pT^6ntNj05aE-IKdW?Fw!ItGDkL7oeNc zMm696#KM}jf=#VNGK^Jbh6smxAqmN*`@W}i3HxP;`j`7p2$J&!aHFP+q+YjtZdiZ9 zWHx=D2c7pg@Y5-r2R7IH6UCkjpvr<{G7qTtfjRw1c$=;ia5Eg{RhbZgVf8HLxlR>W z;?n<2ni7NEuI^kK2LyqmUG`c1Z5zV=L7Pz0vGFBqR9q=8)b~sez3t&Y=XAsxj4$P? zbBbcV|D3+5xP$wkQ1?#1<8?b+f2D})*;H{on>?;(lgIUJ`naA=jIe(>(UY=M4AWm% zG-r)JR`i0gD&romnppHkcqZFbG8|Utj~s63F^7z~0O?e255l~rQyOf%y4n)3YRAd& zfEClLB$sYTcS%C_`K0j6V%A7z=e5_S=R|=u{%cWDod87CL_;PmD+I()UGdzD=^r$V zPO)_T9N`EYy>R;OwC1FO$%}n)s_3;%#XOs#1!2CuZ+Cl09oJc8Cr)4V*|{7X`fbGf zd8-j!@zDJE(bKTYd(YWBvgz14|7__t)>DM{!$kGxMD?rBR;IFBd*tA7`n{z6=Vc%P zs(1Y0utQAFKO-kZu8$du<5z`>AXg!ChpPlIcm+1X`3^olhw)R6;vVCF<1Z?5F_W)^a z*%w6?bGrVjc7|=z%zvCi?O^+|&f$PgXZ(43;`vANc>a+po`0l@=N~EH`A2Gm_1h%M z&5b{=G{EZiANL^{Gjyp{L}C^x19?~SfSjTVaMxaUyenyfX3X}xUV5hnY z;ki66)_2jc`a6unV89jCI#wR$C@nxLW1a6mnkT|-(N7OLHR1@LcZjb4Z*O!sIkM}* z{j-k~!UHg_-Fdrq%a^*KuGKwXB&-8EBg)c-T6W0xy8QK{T-t>7y?^HeQ9ba#^R$WT zi~i2%T`)ND@#||%Hk2eEcQJy74hlck9p2SV18yBn)^zP0$hQ6T_gJAF;I5SJHHY!- zXPd`J`6a@rX-#fZshR~GY=x5!D>8wafaidKs|ecm{p0!`Mh3!uXQK1}?|hTM=bJh{ z--Pk`CW6m5ReZjQ;d&(#L#&ybl~%dS6;Xl>^T`k+WnXhtIvz>eNLr?=#?2ZPs|G7`=5W$Z@v99 zWw~(lFvhbG_VruIMYkOJZjadHq8AaKawB;)Akl6hsBdZuR`MZm;&BEd>Zc&Op8wUa zD&YE6EnL5f@f81~U&Z*l|Ix4N;`&ul!aOvh?+elWz^#s~UcVekFr#`Yy(Vmj%49N> zM~;htLRt>nV{cJtvVG{;_(T`n$-imQH~qi+HwEZ6a&P>4MGkV$^Rvi!IUpUm1LAc| za&U6B+8XesWzsaHYUpbFgO_rRe- z7XQP&Oi+`$*1mC=0R-7>cJ!_&fo6H})?easpi+`&x0a>|f!#l5PDLq#1W3OB;3yA% zt3btf&=LLZzi8wA7eBoJqJj5cwDA6m72bbQB3xf3T8|}~2S;>0`R~U6J5TAqyZ*ng zpG5UKfPlNPtW_7AIZ^!*+!3!;lxlRZNnq$t6@NR z|G)oT-6VxjC{ir3xo-L+4N28L7u};04DD?@6Z&PdAZ~w@lU#!zVjOJYVIYgf`LQxM zzg-{ax69%Db~&8iu8Z^AWq`jZziFj46OdSHY_0D>B={!2*mBVqRZ=OmetTUCm3F6t z%ui+`{`gSQJDinJziqZrKu#X`7d!;$@+HBQ<7b;sOU5wFFnyO6&rbhs??XJ0V`8aAfpa*Q7yJXfJR+KuT^ zl*(OXdjFkwT_|_^_)McO%nX;cW+etA(f25P=eA%}=B#w+3syH0vfDk#mWSy;WDM;q zdSiff^3azfPTs)zW_kW~odXmERi6*eafLr4-(&9xW}%-pV=w6(96_ok0dcl_64oQ} zk<8xI9h3y-JWnR;TvbqJ;GLM*sgJ}iB^L!RiopD+tb}5(8X~KD-8EJs2Ho9lWmlCw zu^jB_g0aJj;Pi}bOM#3E1gLoR*%)D*YSz6?^H-E$%i*s}5$;Na^_+Lf*776xbH3M+BqT_)VcXM#`Gt>db||iDfvsxv6%mZr*dn6p{ze%QK93OnUJ&g!{mqZo#JK5n zQELwrz*RCS&g7Lk)bb|(I)~+Lev!H!ZmFpRbMozP#(2Ha|MvA&ObY&JVScBx6Txq_ zXnc^^tL(8&EVn)RJ9+CnLu=UHGFv7Q=!a|q4ym~g4of6r?m>c<~%Y?)JbA0MGU zE>Ol5V~;o4}E79$w8d=05&d0_{zgB%W2} zKw-GF;3b<9G{U3uG4Em-+#)l~5fQ6GZL9syrLJb9hC`2%Giky=f1my1*m_?O`jt>W zeYOIfDAeY@*%bn|iAiS|mjfW8@boigxo}*cpo{Ah)Np-50IpBa!Sx9U*C*%^UJr@p zV~U5J-ZxL72sDfPGI>K4;E2%Acjx+Ckup^uH#?IoRA=mr{{V`>>bGO6I8hG%*27ux zdN>PS4@Y=CoDr{wv*Pt|W~lDVus62Kf+f{@EElZ|Q5>rqo%PLvWbL;WshwFM+#o7( z`%o!LtQAl69!iJtA;(8@T?(+%uzcy4yB_c<agD-}dcD zJgn^qXdLs8f%QM$#(kb~AaTaewbC;I8nh{Ozv;(-i*$#)Q$Q^Wu$|Lki3>$y1E1$E zwL8J_M{9zo3jI;?%hLkSF#dE-59hD%JT9Ov^6{-@w=>8Y>&=OMwnsbx+n&fP=>T0` z_dE3peH40ii=Dr%Hbm6s`3uX6!V7CYHG6-3s64adZt)*!@W`uo=02*0+>RVn*554) z_JJ$wr5zHWa5(bbZ66uCzX_L)on<_gZOpM?arP)IV*q0@h#q4s6GCMMU@8 zfBm6$_<2(UKW}31-G9!T=J1%6n%w<$xo7kG*9dmZ$daBWvZbHCk6ppY3Qgg_z<3^BRIU*SiPGXtQ!)Ur(=?Rd*h0sCy$e^E3sxIf9-tq-FtE+_G^_X$49x3K|()NQB`< z7EupY%opU@Y`(uy2y}gorxryVL7BFSOz$vOkIXTzIBX~hCBM%;inwWk_k;NH{5wwg zn}5fT=il+;`FA{c{+$sbs;?$m&mp>hCi*>c_;e%9tK9>(N*s6gstiS5q9^ZWkb6OY zY;M}z5>~&}6cpp#6^VYb`8)6Ma)yt313POB)ItA8qJhwuD&$ixUm1v2f~_sA7x~|L zpt}##r@3<(fD}Ys>w8(7FyHv^{aE1l!CE>f0V}ik1}}w5##axr~jyc_aCJQueS#iUU1A0n4=2nXL4B|RpDi)|IfqZ=ICSa zX+DiuRj{pTP?^n816?^u$;K*m!g(}*^_*(Bo>KwWbGqPqP8nR!sf6n}6$$qriT=O- z)<5NN-VqPZJCehBM?5(1h!^J_@e$5rB6>eW#}mE(xr$@kX6W;=zVx+~#Z%d!_B{Q1 z+4fwxKk<#{7JVLgkbUXO96o?V4tZ&R{ZWhic`?3M;hOSh3ODZO<-`5FT)3Z?7x(k- z1KED(U$kNRaKyLocJrViNT^?Yq95!8KO&E&-Yt$ocihsy9v;W^cbP>d3?sU@A4CuL zgNWgN5Lw(0qJaBBByc~78Y24r{kuN@yMF8xXG2!}t}+mCS!q5$TL7e_aq?}Y2SC|A z#bo!*a4e7LPv5ht5)@>f{#e?m0TJDw5dFTWDYQDO?J__+?9N~AP1Od6qB+q?7e#p5 zldJ2tYJe_W%Rbl0rGV85p8NE@m4rQ?>&vSm<6z>3EKlW~AY>_ObnLQVG`!a~n$3uc zf<63ek$izUD9QincQThy!u<;cgYk>MnId8P4#BX**&O6h&BbYOJPtzCFuJx^6bM9^ z9;4yOLfb0BUd-kR~8 zGZh?ij?%ll%Ej|v-0{4>Fg)*%gy;Ra;CX-Hc;24_qzBRzx?$&VmSp)(@5B1=l9|tN zs=)$zuaZrE*D-;zM?S4qjRs&bbeQ?YWkbU28&SU8UwzcS=WX>J(Fiegaz~R^d*3!A zTcjjEF~}F}g-QovPxcQv!r;6M^)Vw7_&iJZb35q*^Hug*;ae49o#|@y)J4o^7f_~o zJPgxeB{zvi?vw*wZmUR!Q}TcWdo4PDlHvRZZ9G3(8qbf`#q*=3@%(5RJU?0%M3Y~C z>uJHbKa7PBJD!pMDu+ zb)3c#&Bi5t->AfLowEl@`abdF`)4tH|IC8#pIPz!GXuVV-UCLPna6C+A`$2QPX@6E zqoHa3$87dqFQn7XRMT$g4z;eddjlf8pyX8XhYvhqgn5QU=jQ@4V79QbW`^vQOf zQ|K_gn)^azHcW(%Neh+~0-ect?nSJgcVUF#rgU*0;r$`ed}pHLZD`zLsKcYIuH%9GFaWCMEnX1E)w^rzo0iu!^Zzq{s9|*EhWH|2$F* zy2e~uB<&2?Y2C(~aBx37zdxk^LPipvRfpY@jFW<|baDaiWi|+Iy0(VOivsO~H0k}n zrQpmb_Hp-};)M0pMEf;F`(=Om5=?mh)E+#4N*T|eqQmp2*zo)*dcytLsk7wQO@6xq zy`V-8#Y!roC@W}5lW~Ox6MNM}T^A7OEXd}TwT7#Mb#KP{oPhU8>5}pSrXyoFs-Y0D zLcXUSb@ZtU0!#5}LAEr07){I1GRaehJs&^$&Cl?{&d7?FX_$}alt!h+kqi@*Onv`- zE}s^x3DlOqYYnFzOc%v~3w)m)+WSk=3cArbrOU%9khJ`Hw{D{oVtyGN(Gh@gpSEAHe&L>l z^;cW7?cT&8%Rm)P**a?|VM}%@kB&V}7v)6xdPicv1)4#w&b+Pf zZ9Bw3Elb5I&!~BJ;-EW7l08%_wn{;p3ql)3YaSSn;tsFpnj?gL&@`?x6olOl7wc=}90~Jk zV$xV&IXwyhUg%=aEAoV{D{tBLMf1?Us;Jo&dLNKB$q@1RU;s2OHZS@y9}Usv$@h%yv6GJYpbEJa==k}f= zA4f?4>NgiDYKHPpt^~+T*}_1nl2R<9 zpOalysPg@;o4*db!=}NU{A&vz#C&VT>sNsuurexKDmda!xIe;t;A|FMtPq?@JLIu0 zAOM~e<;Is!>Y)CEyIrERd4ZHcUwh>O1=1tg-cjJf`uE>lRG050fND#5Xx^9;GOi4r zI&m-tl?z(6P8B#HrOcwC8kTGnW#sDCEt5-_=S+0}%#wU3>~~EIylb0z;E8c9oz=^E zgZs--P+3cUsM1l?ur?Dsvs{S=A1FPePd|<4dHs98{<)dV%xI1dJk7|^O8=;ey5t^j znUWAe%UFTR`jR60c3|H;$`VJ);-)-9l3IlGWItBCD=T8shxqN!zmm?#!Et?-8+~@V zpqJL_@Z*{fdf~EadM8~O-k`2Bl?q*$yxb78!o44>=g+jw##N%U_GHb^qzvF$SiB@W z9t2fBZ>SwlVt%sE6ceA@BjL1!DDR{J zjp2T6wDWeX%6W{t7504PE=N-p$Y>SvZmhPT?Hdycdt0i(CgFyaX?O($Tzpk2zV9e{ zF-3Wz->e$kxz>26OC8Ww@~g?v?|^Y~jt2h8b3$^wZ=46$9bwb%&()_49!S1}Q)kS< z9)e=`9t*mW3dO(O?V~Mg;nD?_i*Y)2@VJe?#QJwWm=;ks{`O3T%?@dQEz=I9786@w zkMV3=d9P;$i8v!F4i|qKPBZYjJX~`2w+?hoZ)cji;f_9ibT@rlqYD;Il=S8#EmTq4 z`!sPO0DX=-?|J4B#wkp$^zZ8;0e6<_+>Z}(NIk5|`KPKkM9rQu{XUum-%g&j;GwI6 zjSR~Q>)pBNiA~7p?Qa1f-!Gyu{x}DsKfltxJ6MbU<`Y@r`K_40F!A>JG71|!zts}Y zZzbXRt(M^N`nPhAav4zW)u*$lI)`?D-FI!`Ng>o3-G>V>cVUjssoWHQy$OqMxrzQ ztcj-E{K4(cGS%fajFZ<_GVt=ZJ+xB}J)UI@f>w{L?j5u~uv!#ovObuH$aXqDbhX_L zo5$`RJR7?ME-!7&J$$hbUEN}C^N?x>u((|J{~<+-)tR#FeVf_P`8>wd`*jwO^=#|( zJrhI7;83``{?rO~oz;SK6xPrlEVPT?)ePRA*w%AMJqBsoYMt1TVu>nmBy5pPCBAYVfjloaT@fH=_C|n4Pn#O!)h*%Pv&8_SqUXPketXz-o#H%T+RO zGzud+`ik4C%GQ8%b;+c2>`_BY26@3(b1-}H?fU0~Suk~U+o98o1yFWx&!2a7hf&di zEmaB0sqiv#;P}%-fAl7vdE#SMFwnxWqJ(U6|JJ+ zce`(qyg)LFq3nx)KH-KGGefQBe(=G=`3Eph;|6)3uS&l5AVH&|DOL3`O}KA5-pDcT z4aE$z%%qYuEPwIZ8!fAN(4Seq@$hE^gisy{-0L0(isg4$wztHAlu`5f229gFH?#QG z1l6O@@~Xcb*rPxtX3%OhH5fv+9Jz+NW56QSUgBA~4w|_pA+*LFj_I=RSm+%rM?~|* zi1ICo@**1V+edfEx*+;F9dBjcuG^_ z1u~ti!}-6fz}`ybg<@L?obNH%b9S%_GOUUy4^cItG7iCrulFjTqy_1hJt#sSv<$s9 zn*5Q|FkP?EJUepV^5VuNQFjMLF@D^6x)k3Q1`%kwJWxc9KSVL%gpTpG<1dMerYkIK(d+@Wd%W4 zzLn)wY$b`3!YB6^4U?hcl0ACwO*b^xCFXvx^ z%5o4w_ER#?E%>$~?zudgMU310L!?-=ww)i1erQ^HQNj*xDmoV;xqacvwA-r=%VebT zn(`*KZ8%m(pgm(Q9s!4@zMbvn$zu zuVQ@TGEH5D4rkcFfIjoCt+^^PoFkzjr_@JQU4m-I?3KW5w}Me#T>*H{s#$(?wM6e3 zwFyYyTS3IVk3Q65w&1yWtjbQq5n8WmUl%X2f{>GcH@^;qAzbHK|MFid*!&k0Hve@V zoBukG&3~Q4=D*HC#KPV1A>m-e%$u z5Bqc8HfDpse6G$|f+tu%?XTs=oDa>0v^fuQQ_=M%KTpycA1FV5HjAG!1ZV$)ByU!Q z=(#u;+e^*1ycG({c(GHnArWXTKkH81A5)~a9P1r+?ILiB_7Q&fOT+kz+?FJU6_G+V zF}H-h5(>U}U*>X{C|o4BQLiZ#gjK79kSk(BAoc7^e&%Tb@R-zT@s6`Vlr>2_v7-nb z8AzVI$B}|ocvs0gF2tjt85X503K+C=>(Hkl`$P~DWGE!wGeF#<{CkB9Qc%Rx_N~J} z5xS?BYTAydBRXA@=K-q%pp@Ua7ZZ))GcV-kqFGg>v%r}>84-ZS(ZfvgDNhJ^dRu1c zjt_`f#of#ButGcC#D4^$#Lz##u^%eCYE#uaYYLf`QYo%d-XJ^a#l-u|7@|8j&k!0} zK*O3q5Ql64TCqOQx2q=%`-A+8((*hon7~^fnkocVlL7kc&xGK9_8jw(cmXi6tUso5 z*%aNw&xqLkp#W9GizO4q;!qX(>VC~tMWFxsed1fX5|qB{+o8kU2N?BR@p$-M(0Qh! z6V{l&A9=&Xw>NkmkU$|a$!OpW(%Dx@+Hd(l`tO?h__rQ#&P(wtYuFVucrK)F<-G?S zX)ls`?PCeH4K^Eiz0N59`rb9~ogl=0JpAh16;JexoaH37dnnF&HN&e4GqUPnBq%m_ zPAJU-_$)^0P_+{jv>@X5HkOJ<6 zddw_xX>j{>!m2A(CCqD77ZYeSAnH#%=?oT2HCK6m1*3HaJ)5uAK1jZv@P4naD_AG%)G(#GgXxv-s0J$; zkoc}mA8R88D(?8^KF<`PwN{g{P16z0kr1tYx+DvaXUMr<)Jb9W=l{Gv{_WCTFbq;NJpw066!>E5_q%S%I&eNXF9%~g z27ena*rS!_F2gV8#9-tVM@Y?OcXac!{rkrh5l}+)@dY8B1Qfmcfa3VFA;6EdBJ}Gm z)ZjlVqUlly3hD+tYL3Q7;EV6t_I zZ=Ct_ME5vNBC9jdo$bBFoLN^W6XoaLS&M)RPU1#U{_*JdqZ>kg2hqSGDzjXj7Y2^i zL-9Y6IRy77K6c}DMmY;EeLv~VfzM3Gx7NiJ)?dcGXn5+36g%X_*PBfMzwZ;x<=hUK z5^C6CMa{rT{rBw5Z;WAwi}V{+KD9wx4`<*xVLIkPf>|3S+n6o6)<6me{HTU z0#$V@3~vq%(6tGPFJHS2Q1|!4z+KEda-!`8{p2@g$Sbty>}Eqlb7enAiOgk@K6w z9AyV6tIc$Ncuol%4~N8WofSj-EljNa1zL!febwDay#-P585b9wsswh=*+|_VuEuZ2rt28s&A_J4kBT!eTTYbZmnVSsyi|6F z15bi9>? zCFwVm1t6d~JId%U<~cRM_wx`h5LT-xI8tdMK#tWSYyU|CVk)d*moEu|!nUTYf-DT@ z{M@}3Gr|A7?_PLkJTJ;U5)?i?{$yL744U>zE2DkcXxzlBOg%mnuCI-pS^1reX0QB` zxYZqm^Stb%2{~Kyb}TwPVUqdmMl$;Hc3&ukK0$|Q`a#|F_ zpT*TLvG{H0#c+!Vo-C+ZCDW1ma+gAlR zA^0{q&nN(1jr~r_i1dfqy}R$$l!M{O5an9WmpJrz_VeKl;XtU88Z*E5DHL5bxOF0} z#{`u+sFjd(@FLm=Nwd69-Y}r{C4tD&A1$>A@ieG7Vz_O%eSbO^b)z^Q z@xjSk%=4a|?9e5YO{lod3xTCqOcLMoLksz)cyK)@gsAPL`HCB$6A#{&^2jNJ_ry$x zHBy9vJ2p!vYn?H=T7Fq!zXCKpj{BLrp$L&&ze-4#6>-jYrf zq6!e!{q=j9r4F?i39u2bRKi$5b+v@iO%S-SY7ySsjyA3_Pi>BJ+De) z&#MM#GUn05LyXV2Xa-CpocR#lI7J<;zYMZ$+0q}pCx__=bNAzyRz=U*7;a{Nmxr0} z)s|aqs=(Hne5G^B64~vvyh{&Pgo%dQtz*rHmt zZbvV3crCi9e4@?(=5nHljJM3-)v%VL#lAWG%D$9!N7x8RS$H_#4@P43UP`RqD}~j2 zsj+%51y=7pkJWoA;9s6g8;rz_jlMMmAz~sDEwXtH*mFzl@U+HoUH3y*t1#ygWd{B8 zYF9LYL1s#`^im>9FA%a_pmqY|7uLq2t)XC`o;X#zgXxP%u)Lz38H-FGdfa`>AB?@e z4EFj?*y~GTuP=?gz7+QQQV`Y@v?}@y58M+Ai>r0_yWYQ`n%l8vLB7I#Uw@74cTJnO zZDzF`c6nGll0J~y>-vIEDf2cO(kWBYBk6;O!#Ullvzz z{aFm*pC<&ZarPVFI^V&S=cW=aNccis14;cP?Z{8%hUB@;`s|zY z`Ar(3j~*`4eTl+QIFmuwG8_o&*LPEery`Jn)&$vHaxh%;o7i^FjRTSd`Y(egbU>&5 zQhn>IMAS#0b9&cH4s<3s+*Z{bQT3_1sP0w-T$vBnDTO6qmi|d=;Fu)je^9Tx&?t_x zzK3i6+QcyX{Vni<&)p~2FJ-xbV9LYhE(6vC(;cekHTGuGGf>>$ z=)7@x6PQl*eaxSy3q9S7MCAqk;QMauSY(41noMu*cp7I3OCmCB%8P42M;MFn@n zO%!_W{%JE{>k`$y8tjHdIfn6nH=Dv_)+N!)MVPsd1@mvAMkBB|KhLS2&kHv_m5B2~ z*ibvebT6@)52CJ8{Oo9A4j+}u65iUWgMaCv%jyEAXYugL@EE%pXwN!jE;vS?ebOsZ1aWLU7k+@x1sTPW z112`?FxYWkcOzdE1=Z;;3zf42t~?*P_x8<9;0YWZdCqm1@5}YH#AZEKJXAWhDpz4* z2)zZoJ}pNKAsCj~j9H^l`|gppI*dLc&Lf||xNZ!p7M2UKS{Mxur&82z%EnA4HeCwF5Sb~n(81!=8w@rXN~Atzvh|2&c*x!76BWa{bsn%_a_ma?Hg(vG+NbUOH-r{ zBUf6IwpyUG{dOdpLyf3?aat@wjcz(cO{t;`PajeYF>MJ_}1 zWvEK)LzD{|2|CKKf6E;zv-4h!BzfSx|Nr`)oUwgR0ocAL7i`~?Bew4;5Zm|Ufb)C} zS6e34TyH$u}_HFN?^8+Haa%7s2#THog4@g78*&`nAk+LHN2d|1_WLEI`Xoq0kFw zpfLOM%5)5BajcP6Ekkxfb`ix zf{UW@=qUk(_4CipK(20i`UtBdmY?>Y>*u)g)^N?k;@V$O`uD?=LaS6@TG{>bB{vOh zmbt=I1d7qcn1j}~(`D%I_ALVGgiHu`I#1P_pA65)PY2Y{+QH}79wE1G+rw$!Uso>+ z2B6A}n-sCnf)K>%6$s!vL+aVr-X5>5VI)QK%}BK?gg&Go5ASn>=2fD~x`=Qz%_mr@ zJA4tTtYq|&n0iB!onQL}JQplqP8`dZ6TUE^>Pp_lG>UHF>!4zz6 zrKx}zQq#_=1`0yh-56G;A{jXT=L9R&cNJ8gu6o_aPzatpzT1`NA`p zqv*>3@iH=nMfSb6Fb?ooL# zeb$UKy}}227w(;#{ZojhF5_?CCcO+M+IPlX>{H-K7)7sSurQ)~Tddorp@M8oUzGh& z7Y15I==V!IJEha`8^GWcX<3+|BpQ_Yxq=qP->}X1?7ar zcAH=ciu)QrX7w#WNinOkiogpEHS({sj4HtvSr1R?0mh$U#qm=`Rt0z!Xv7{3DntB7 z?bXx>jIM1GW8#T^$p2)o=L*Ge90Oj?9RIei3qI6jVwuGTz0|GebavDojE8C;6G_oF$Id!Xa{f#00Mn` zmw`*ED3f|y$%W7rx^Lc)o(gpZo`W&AZ+pIA5tnB5Y}E-q+)7%cEf+*_o1^rzL>efY z#`(M1Pe&MS)+zl}qzM;E$~`V62cu734yiA$8NmS0qizz>K&W_|Fr7c+206`>byPwT z5Ub`a&6N`Zy?ohwH?HR(TzTdn$j|ODLLKVrXAUmoXomoPwPwlrN>KF-6!_KI26gX4 zeDBdVBL{^Bm%;c3#DOwjL%tO#vc`v6RRy4LJBD{1J~_cs{w)=Ocz2MFF*a!$IgRx1Z$p&yBO#@Z#mVY3$Q4s zCcGf}UH*~$p{1WNX6~JM_*Y#`8Yz>}|5%RmLlu|hkKC1WMKqlOZA)5a@PI*@WVP50 zaD86j%Ky2+u<`imdq1G6ESwtG^~Bt_SZC>sJ)m`IvAsaa3*3(y4X5n|qv?)HisZ-6 zV5nGE`KLJvbNZepSGgAlYz5kKQW~)+?S94Q#iOO@&V%3Anrh?V``jUe^@~e5>ytMG zZ`oiX=;)7A33>eUU=aU;7kW>|4Lz4!J|HF)MD4%Uugfv{f;;nf79s{!RD3_*E#$Nb zC=<$fN*7sxOL}%@JBD9veeb-uRvopuB_$ zLRC++-(%mlqsEQg`hPh{_t?U-!;l6|%MV@2u3A%17qieSM6l$emybkV;E$xnrNY)7 zgS1;((eUZlRx#t7IEa2G45%{>_U8B!FEX=3*x}qejv@{S7Be_&UaXB+&rTU+A27qK zR~6SdtGK{&nBf=00W08|S5o2ThxJ@LI7QLLa^2bvwxymMji`H}XEc6SPE|Ogl`rSF zA5viW1GX!{_Pf?Vk?}|GP)Hbk!MpfW)=v?(Rc;Q1dnlo$t4gsWPMT=4MNxm>MH#}5 zU8N?#^zb~Z3JovFVTS@8AsV|#R#@G=SJK$aiV9-N+ohX%QN@G86f$Zdlr2H`Ctpqo zQdtffbH_v>XjYErVX8bRCnpuokw_psw!A{h6AGv&IQbrxtSN-{cBFfM{kte|Z<=vz_@ILDCvCH) zO-0bl-nH_{EiPax?*4RWh9KTZKi(sc2kDzsO3MUFfxm|1JXsbC(D~rSmPIq86lE{3 z^#WEP=hsr^`it5BPh8ZKFPYJf52uv!ya3ieV2Je(7-9VbDp>!30@gpEi1iQ11HUVM z^3|{E;PUG5)Fnq1V8YXUQQt3z^qd4O0`#nuWR>Nbsy8is#8Zh=z(h= z)_=bKU!UxMo+rXppZ~`j5y0~EC9wQ_J}f^U)64z;`1vwee!c*x#;&JFy%d7FC?eVy zTioC+Un}0LrG%P=t}IF^tASI+L&mjwC6ut!_**`c14!{*wr*UGfJYprleG0tP|F-m zOL8C6OJDe^_{r^TG{}YCten7bx+R);eh!BKu6>uQYx$=-3QxdWwnKkOH7VE^>gC+O z{!Tu>;47xaR1MX8hUKvjD4?vOGrZ<8n4HnjrqGYa_OKzwj6e9v5VS)XK9g7`B2u+N z<1ljvco*4n-D1xe-hN-_9z65_`s+WruPI9-PZF!AM?|#|<oVo0fvvB)0!Y%Z^jIXlPa+Mw)RZ>t_mEV%ecYy(gc~P8~4kRU^oc_3O8e} z=EKsO)w;4wK8y@ov5L!`_SMP4mxM-!}oIlc-`|joNT?^QS zWg>LXIio@Q7jGJvZJ_qa#yJH_TNvW?+*G{bfk@1BLt-@z0oT0V%kE+ydj1#)OpT}G z-;06QX5^nPJSasfj?IKo50cPWlWs?7M+$tIN*Z6inT|7m>H5v!->3JIk<5tGo$m~l z@P2=<-nG39krBDA3)K~)%mgZ1_1P?FqS3z)n4b^QO6hl3<+b27+nqk)0u^YYs@kwS zrhrBf+sqRKRzxuV(mY396{`H|SQ!n?(6hb5lOq0+5S7BdyaAyk(_ zl~7Ws0IDj}+P>7P$gy+~eGZF9TmigoPgMip%tmuhx=#)&JwoqRoQ&xcUTDVH`w+PpOj6J9Vo>-YvwRqe)XAL`>?lhu-_*=(nhI_IMz>| zdy-}ZQsqjqXC@5MBMFI{*G7#Io0g{M?xHq`4qF|vp410hZwro7sZAQAwy_)g*U97%&EkbPbxdFLX)%Vcbz|m0+VUWKxYQhZHIi;-_Nf3n^)bVr zM^w;5{FBdYb4}2x^THp8s7=6Hr2W&dga&-};J)uTWr}RRvVI-+)P%}NUkkQD75IB` zi}s?6Idb^r+gtop0mfdh_85M2Me9Bx{Se*a8KvF4quksDM3{$m#7=)RWE4e8IQPHfj&q0n!$t=X=YFxVp$FxE{3BT8m$Gk(W_c+hmspO+T}EFTq` ziy{Di;u}pq#6(~k_iZyzngHx7ZqfPkVf3&;LZWRxHHbOsEnA?gi)Ipw&k*+`beC>O zKk=^yRF~c57XB*>$`4muI%Y9C@4#ZDVxA~WJZhDZNk0d?WPgdIp3$RaUY^w5R85qx zZd;^$M*F#ePNvLEySbMWA31bO8o@AjK$Y1Nvv5Ub% zfEVfV^pe;~q{W>s^5Lx@WFHGqzw0CgC;C-03h)Gwyz&Z}t^p0ii<+}8_j3SEgMX#x zvJ5ILCHL&q!RTh6;`jbMQAR|3KPMXyhA-J~P{NPtB~##x;?l(U7I5Y9;;Ijmw-FxO z*h>brV}iMKpD&~1Ukg`{(r0&g-%}JmKc)!Wlc;!*cvXm9UdyMbJ!DNC$(;5vD=zg?H6o>oD z&SAA%PUx>o!K+?OE_Q>U{FS1!6HsNiYB0R@fA2Aeo91FGy2knh7p5?A3Xy3tub7939^sJ(+W9yDBJ4 z@a=>3X9j#;uz&W4(ipNWX zRy`PG%tIQgFz=5$&(J&)%0MqodhOmiC7_gL+jD!|k)S+#q*EX=0XB$7jy>UXMp@5f z)5I(>JqDEDi#mO%k<4O5QdLDGa!V>jCL*T3!Q!H*UgXn6Wun`(-w6{HeenEXAYx+?7iM0$mlx&FHo;PKzJ zJ+fg1bbTS6@zJZ;iWE*iq3$BG~4B}ZhiwtigY&;a~LCK?L&2;uVw zAxd_18Q~eG$Pdf}LQT*Iw^!|^U__Q%^Mg47*ed0Mc+x@;>)P1p$XNrN`Lwv^qj6m? z9hJ5kwTTam#|_h#>Q@n^igKamv8H2X3%Y)63wZr zfQq9%$x6hC;pv}{b2+=pXp{JGo#TlpqP*7H5Hczbl4J*Biu~G8^QdHk!CxPJXwEW= z<`akPfK$DFM-coLWcA%JQ-l1f{njROBQ$7bTqA8=y_?#2b#hZWM{2sc#}C0W|J)$nR*jo?sI3yx8el&*vc=-XOf4+AEdj$Ab%r$twK0U> zR>OSG8a^+ksJcMdrh7+Mmy!tna$l@lSP~IsnKIkfqgV)^`89GBqq7K5E!~z9xq_@$ zH(VBGBjKp4^!u8d!Du5-&v8WP7EB}^iM>Di0L@<4YmJ@12Fx4$cwG@Up^fn_KLcGn z#NHY7^0!k%L+^f_dPOMZ-ceyCOn9zDAtIgx>RZp~{H zmk@a%cc_{UsiPNh}9fZ;jGlDvlLd5 zV9CbkFEE*iXuYSHYM#X-zl;kUWeriFLmjb|G#`WF?Y&>DZ5Kd{)>%D!mjZZ^rN`kb zm;*20*lG{n3<3JM9YHgKYfxI3Gq2gzfox`({2$)70@=gYMjxM8KqkIVY#N>w*tD2s z_Dnf~I=73qw7L;c4$gP!%EY6tZRXL^phT44u>FH)(HG2en9LPoLV-{09{SIix$1^75$=eh_&4UwiKLvE zIdt7dZ!Xt=eSKo&+owLimB48Cfl~B_JcMYahpkX+fWdI}@6*l7AR_2PT#w<h>f^}hgD-j&Y05Yq>l4|{iS?{gxt9O~3d6XH-@8`Dg5#070^ zT&NK$nAA7I1(_rtRMjdefNsfAo{#wQ@c6uAw77{9T#d@8{&LI$ zBs7lR&ofIvsd79_XTMoOM+^Uv)l@Uk@%vPiika6}__uw|95REyF71Jnt#-(Y{kMXR zzB}YN(4~l82t~(Cxq@^)S)kwRU#VI@dce%5C;d_w{t~YGD)~>zsyqAaX!`Ohlczlo za%QHrOt2FMh9oZH;Y>_^Cbvy}l~4tR_Q;xQ>kGmiLDuI2JRU&3$#vNJIS9!Os!p7^ zsRqVwq&n^Ot}y6%&G(#yGomW}-h|ht1TJT?y>?mb(flpa3O5lo@cY(wGqpwo+}b3A zpB0N>eDU|xKD|+gnk=X2i4ie0XDI!-bi)QkcXxjPP6L>JcKY5#l{Gr0Z`@|>qz!c! z7{9Cz=|HY&+l+sw7Cb#KIeN3q3EJi90*(G}j`eS*(q!8u6w9*1T)iKM=KD?FJwqW- z+~e6>>=Ob*uRQT=Z_9uI(ZO}A0b_Jg)6J=mLj$A<>q4#CH9`3D<0rjAMu=*&S&(^3 z4sh)cDp3WIz71=Xq+1l&o2&txbQ7BzF6ai+6@539qK!#B z_839<-`2wIIBS%nnV0suECl)k$t20uBH@YUn_2)UO1_S!E~_>+(;dRcBW2Pl)rlA+VjOAbrW5 z4knK!KctT(0F6v%lWk-sFySWz6xm#cT9um7vt-F2AGYzPckC|e)4qG0j@$<|pSfqp z$8LiRiR=ypJutn<=TZrlFgne0N4mpdq8YsJey3idXpFNyhHL+YVZ?Xq;htU;=)Fnv zt-l4D&Z+V^r{2Fx#mt% zewLksHxdmi2>2Le1M?qDR3AimAj^6+J@$fN=$hH>HZ!>h!TZPG-xTnG4F%@Eg%RQ4 z%$uFvFm(}4mS?$XyLdx}r`vsQzC?7~@7=YB{bnHYoi0-(#1N5JURS!MBaY1Pi-?>& zVhR`j5Xg%XyP{gRPt=MP1~7YF?(q?JXZSVc^P+<(A0_f}m@(u;!SS^c-5b22U?^ql zBZKJ^RVd0cn@f{Jxbm{*^F&(Hj zJRFg~oKjVH7LEkxwiT>MBYOpEl5rtfv=7T^e;OrWq_95xNhc2?bu)?ilOzrl=z05x zd&2N9-)Do(_gP@`eb(4~pA9zOXMxT4MIqJM4`u<6BjNHAMFe9H4MgcMA3Z#41<#{P zYD`KodNkKzQ8r}+P={e47_x+3U+@zd@%-OfALWe7s2 zs%GflIfCh%2>KFxAH@FCntd%i6y0j7>&(fNh4KQW=knwV(7-3B^O=?hemx>*mJ2sV z>E(fY8p5VX%hJ0>Iq zWqei8PThUbLY{-14^Ff$E6_pINKb8UkTMb&AD#*vqz9dW(&E^-)9^9PpOLVW4aB+9 zqAMSq#F@{JtDpG?zGPKYuPbbqyp8c;asq;G^#qY;m(g07oT>%p-|=EPNfRTSpxAYG zA?O6ge~`3Rs$Or1#*dB$i%Td%FTupg+t;-qv~!q}lbH?a9S(P8T~&gF?ov-}Up15v ze`^`fUk0X&gf>#tIZ^Oe$|G!9I_O=@@_N6O1lSkr@g&`2!Emq7a6R6af-j7Y<&CD^ z=n#Tw)`SfpX`#F7%CtMUXOu*$*%$&fajsYYf*0EHd@7_#XaTg(!!u&rkARJAC~<+$ ze%EgS&F)au6NuwX1}XVbJou5fYuaIg2NyHa4#sZLAY6HFUkWq6`$$`&K9{4@DrE+M zr|q$Fw7>*qzbtlfzW!QXD2~2Dp3?{ji@wKnH0goO+Qb>wr#_Ipw=%7??hO1)c5woS z?%<8D>hUu$3X^Z6_sg`ddqUWlTX$V_=7m2h(5c2%Xw2 zk!YGWxtPz>5N`4wRI_08h~3{REL548_qbqtJ6)mx5SrsDqL%kZ3hJG+_ie>`3|&F!++m>xrfm*-`gUAq0Jm+W8Rth zlmCAofj%}5!iLR*@L=;GJlH%4J2nr(3kF-#uNF*Pp}~e*?V!jVwLB7@Vt?QWx3~Pv z&e}Ucbx_Uj^}GNS(0H5bo4gIq_vhcaG`A=4ERoHdrH29Xm_GRD>39CrnZuygG9}d$ z6Y$!qs`xuC1o65tku8pxIa8!Wz_1eqsCi%rJTZi@q5I(e3$hcyM>W5FA?yTv6EHK;O-W&SQ)*b=lq{AvWdQTfPvw>ysURZlg~J}Da?H9R zj;w>r5ErEIa8dsTd@WuiWK>H-;ZrqtrhP5~p_UCEU0)TNwEi-<8J70bfwjTArDGQq;B;hf+~7S& z^nIMDW3Y@4e&YQq-?BLcEgz`mdday_;r;%bF2%HPZD?G7(3KVGuoINbT{(&K`4iXt z3$A?%xULU!yQ3Cj!T>k8Xw{y6JO#0O7ycUkl1IW6`g7+jPl3Sl>&5T+bP#WzF5A0# z5-e)%jQF*qft!W;{q|=a=m;RB7w00w#yb6Ocz2*H)1ma$3Wqz(}>{Bp?Kd4yP zp>q`52Z4v}gJ8qx00@_CXwW{jaSb2hBy=W-TcFW^%Tv%^h~e8kvajB4KYd zGQm7A3^7RN+DOURp(}gT-bp)dIQIqMy8pO7U;fwjb28YBt=OCvC`reb)TX5o3G*HH z4=1T0!WiFOricoJ>CcUfNAN(DMVXn;1TnT>NfXQCHNf(C6|g*BMJ$h30n6i+$2o81 zx;-~8zb*vCQfF8VW&)9p3=w|sB{%q{X+-o>6f+0jnl7;oaz~vu9>!T*PB{PGTW>O4 zJVm1oVQo*?`ai0|f#Ipfx*|PT*|ZO*&}Bv{Z4=GiA{tP_tG;yliU*?TFh$ygn4Xy{ zgb!sYS&%5)mDi@SgC$jB4Tefb6m`;RLFcPENb8C+ZbsRl<5H}HDKAyv0=GHiMQQ}B z?0F0|_-+^`)ENg$QYH9cdY1ji33;&47TC`%Q^fNBg|O#;9_;yF2z&k)!k+*6u;+g> zET8rqmQTxs<f4cuSLkW4S?~8gm zJ0g~kO}2|QkL2c~RAKU{i93k>{V_3kB@6v3+cXG%?hc!5`|mDJcmV$W`Hw4E{&3;? znA(xX0?;5DmRxElv%I~w?A)L@P=Cyviyc0*k?Ov$5k;QoP5GG; zeNp(9g8vk)FDm2hONbtffsY1GG^RbCsBv|ye~3B^N_oE2od2y0`fisc8&L|1+H0?+ zJ9`l%eq80xs*Zv`Y7$Cw=M#}?!mmVf$w*l3<+v}zuMCQBOEPwxbzyAAYrB(71eH@p z6WKC)z>b0JH8yHfNLH^LKeHcz@WiF4auTdSKqlhT28Q2r|LK#(BaDhD{`AnBEiiy@ zmHt%IE(VyKN}%-cPbYLDsn&^iE)~Vmwx4EfOM-;17JXt7cQ~T(+Lm4~4Kecks6Wdc z54T6w^XVfU;4JHCU&=x-Fyxb89~i0!A)9ZZPr~n`*Me>faRtptWo?3By`~E2Y@&xt zs9JFD-#NU+YGciJ9qM1P=-e5t0f`d^i^kJ!=-|fHad*ReXu>G;#k5BSsC}P)M^JPd z=j-FjbMV1WTv*L(h3__+e|BujAmf2tu9`p{+<#f?_kp?tWxfr4Zg>4II7MDz*g^LZ zr*db<=1vG0$uhBy(W;@!G3~*U9CxHIlAGl7I~`=`)M`G<`ohtP4!yydT%7ZR|K49j zvAl5^EN`3(%Nys$^2S-Pym3~L%P8@UQho$K8DHM3C;rUSa@MKGr^VG~-!r2%OI&%3o@Ks^0ckTUE ze05NJ`M9ov$pqngUcz;K1-~c}v6&NsbrHD8m*aZ#8`0b#j6vWy2EgP(u`~pK|v~gD3Eu z%C~ZE7l))aH4$ZRY4lU-cG{+qC~S#MzG>4Gg{8)!lmj(YdR67)%dNN`wcK|{4D=qs0)U(*S`>Iv;r~Lr6u3EN?5vL zCvB4Y2EA5){Y37PJ-pdXOO(<#hM|)_4@aqtAR;mt-)Aim9TZ*|Z}c;RCw7EZ6Okd< zzC3PhUmh2>FHaxam&b;KGo1A5Fa)Aqp37d( zPeYb;s;t*Kl;ML@&5m7>CsuzukJaB)u=?A1to}xi)!#U<`rBE+mG>34z<z@Z#|2(eeb6oeQV~tNcW7i3qDo(YQ zZMebG{iXV5hG4{(e1f%)CK#ljcO8pax`_E+l@x@oxct}m2iMR4zq#HPyl-qV4X)Wk zS!ZnC`*mNGNXBn*bjAZ6uWra>3~~gChh%?x7_6}S`Jb=)sKqn=fU;&iz`3szy1IHZ(sko@PkS8oEJV8{0%0k zH9@(>f7Kbotby$q4?aWqQHUqY*kZr0kIG+gzU(nFhTRVaC!TE^K=C^Q#h33xkmYR2 znTu^YP?t#(QnjlOj>c1Lqy`S4!>s+vn@%0;?_~!~lgfdmH{8hldgagt9UBbvFf!Bh zu|g9)!DU7z5j5BC$G6f(54iq)dvc7!vRWO1ip##bqt+5$#-06Dv)}_?-X<%BSh~Qj zgp+*PDL=?EOy3v7a6s-3_I{HkvqK#VmoIToxFU~mW-Ta`4p36gs(A0HKgw$Uw$O1s3|+I1dB`u|2ode?vql%(an6JP<9{+^``pE_ zeeSH-K6h4ZpSuXQ&z%{HOW$c8`H}}Kr3Jo+7OCJ9K-=3lbQyHrYnaNv#lyUcxQB8` z6vA^cN%!f#jn=bo@TM;SEzCLhS-I3!1*lV=9(Crw1<4Ow z<4pXOp^2-})=ORwwa7kgb6}MLF1Il;$}ja5UJ9%d_S1W|xM8 z&h!!ocLj8}TB6!PT>@u*&ga^j=OPMn;QYZx#VCC)n7{n|vPd@zPQEUWyfT*uANyRo zhZu`MoMd?KX;mBAd7y6WA?XH5d7+!|IUWM_SCE=(=r#-E(xCmZY)!_Xa#PmzoJio`=zBQcJ$lHb-+}@2CT!>Z0%(QV3$EHyms6HBDfl!lALiv zdF!1L4-f6(u_#k_!^xy1_# z!b0x`J_&$GoK32`9Vg_QW#JXuOQXCeflpg+m?DOxKBr0oK}=t#Q|a~{5je@8&%G!w z0V{DNBfg|UFy2Udx42FeXMK{(zJgs`Ef5?(uWNh8dxHNKUh(mz7*yMD%0h1+06MD= z@si!Wp`+^MxOq+#N@Q%GRl?+gKfO%J!IZ*+sJe4BLyH5L#{6kHDddONhV_IbS1{+G zMkQBfUpEvRtuuAbnI5(uymp3*G@v|H{(sne>!7TnE{vBDP()HvP`bN&)7{nQNQj6aD7nA}MG*`XF%Yp)1VIt?p8I+3-`Dq>`_0@tbN_P2+4IhM59^$F?Y*Ao z_f+-1V1;v?r)|SY*nnYl(q_4V5lpteQlH`0Kn~$WcIP{aAv~Hh#x3YDcpZ7&D!-=~ zbnPb>bt6l_^c78u!+|_F$(uOTtBqepA{C8Y*!YJ>wxR|OLTX$z0hIbHu3|zgTbCy;k}xW8s7A;+oGZ`*0MDrU0f*9uvrVb?d?3jyj20I zJkP=Fto8)Y*9e{G{(WEZ-tguWO#%2?&=Mit&)cr%GjrNC=NR!lwK&fIv zis!a8`2S*l(x58`mk)%+#7K(6<}gBdGwjIvOzZa;0ZRP+|L=JjgwBszrFL(hw5EliTJvuk#O$bgs3PRO_4e2> z2aHGP$v{yguNw7Lgx+uN54~L~0{I$o3c+h$F!$u5TAW@s+O=O;L!CPVR1}IAC9wRJ zJQ>QvtLM^@#Otb8`z4YI?#~ImenQXp2wfk0qrS9bSOoU8sd$d;@IwD1L5KEPL2xRr z3F_YD2W>a|KqntTpp^ggl&9JZQAPLPIo=bCX79UHwKpaqMPFO;OBkPSgUp28K{EhU zs3VAKnlawV=p1?^jPY*Sr&AL!er@`Lgs8p=4K!>Dx=oF#NR?^9{CQsjbdH{A4L482 zI50mNNsh)4%#$Z{|C@c|r2jJyE^sa6p|xQ;2(1-DT>Ym-z@$!op2-v|iV24+mkw}( zyJv?|aG@T-^G!niS%muC2+eQeH3}|w!ulJF{Q=K(3mxFQvz|+2dIS<3{yFVI5{^{t zI{Z~dJV7+>h~DKSCtz!H*)JWakC-|&1MYQ*!1Cpy7!fgR*f@X5m;a|V$f(YuYqPwd zTRz5K8|RKbH!Yc;p%X&Z`);rw&h>*wE0{Ys9OKsCv2tOwNQCq$)(P)$8FXk~>74Ml zRMg1rmU8OJeo#1UaME`lJxubNBq`N!f`?F^Sz9F?q`#f9h__*Y2lutNEumM(L1 zYEj zDK2thK9|1pXG6lWtU&B=?wksDFfe44>}4u9!W!EU=lz&&`iMk8qh6aQdU|?H*tgpR z*ne1y&&Ycq+TD2;SC_m&n)tEuqjXnf!(&Jjo$rq4+3DkXcA9veoh6=Ur-SF&+2DD0 z+Q29iWZ>6n3Hp~KjzpfaLAD96140HYQDIN{Oy@x#Ncb82<*lD7L@74YUTyV8e|hr% z&U+uq=~Gz?wm=4Schp9`SfN9Vg7q_C~hn@R7s$VefNgMHdzKY9Q1oI6z z*`Gas(~H%0ij|+6xID->Jfx0|(1csL7Fo&hTJW_~TQ>i!608ef?VbGWjfVEPhcGK? z!DH3TYQJoC6f~|D`67@NWzbchlJk{;IAV(^t84(Lg zI?P0G!p}f>Kc#%e$u6W$!r56r*9JEBVL~LrF3{HY<601f8PEp${AkB~R=mA!X$x;{ zfGD?7(LmY;J{-+hY!gU9U6=b^+La?9w}yW$~#Bw3C* zH3}Ix-yP$*l}PaZWrBaC@Ce2iy`_KTS5UP#k~wvTHh?Gsc@(IvczpB&VV_UO-C086 z{Kw}^*;xK3q5S_nG$Ko{fAGK+`PKP-uedNiZqSeXa2*ukIv-RJ&4uNLp6`&a;|7y< z2Ws9(Zi4eZ5`{lf?Duv+R0*@xMZ%g8_x*yyP_G$G*h{eH%Q+z1R`IHjv|3R7u;rm{ zJjPuh@VqE?s6j)a9pkhwd^}6E-x!47D>xidFo#yEm(O|3Jy816OzLqlGdTXuby(KJ z0Uei1&HoXc0iP{<8Fg4Ppdyq@F>-leD0VIhQU4Y1YC8(~1wf@|z){wf%yvSp&iSJokiR!RXUq zDC!`tdUjt6sG7Hp3w2`AW#{U&#o8zcv|y3y5VQkb*PScAg3;)(@}YZi0T_R3UTgje zRtM1+3}zx4J;9ti_#^LT1Q3ymS(d+!LdT!_>bgo{=U)W+-zVd@-tT|q0R{SxLeHu^ z9P5ZWBNum3?TXK+gSa7mRT+BVW(Y7 z2BlZ6!8PqzUoytMjIdETCM#qOZ65m~INjrcE%us_%Sag_Z{!Q55Xc15KZcEzc3JS} zz+}_eGX-djYk%0_n-23|EY-gpKkd1st&G~Gsg9Dinv}* z3D?U><9az62ol$6c=y@}y3~v=q_xPR0={3gbV97qL`>#(JJAL%mhftBJW__cmolB| za=cIp@H`PS;DRH$^6!x^2O+|b;jyIaPd6Nrpd6$4bI(d~y-R;(x3AwszR zxXM5(m>A{BT=WS?Wc`z~JKUj2@D07s6mbUTBl%#-BU*%RJeV%weGm?W=KCnC$z~Dj zS|A6~b7ez2y6}>*^w6?l7<$4fW$VYNfgYQ?aUJG!0#kTDHB9dZSR15K^=Vl>DLA0F zAO^vHuU!k#qna??PktihD3-^)=ctLW9G15icAQf&)DsbUJ!@_{2B+>B!Sjq@lha2|y!&ZDrxc@!Erk3t#eQD{Mz^8l^FX+02d z{w@EL!VYYn+%$cu<^Z0?ES3HiD&SWx@**V39tuP3tlU_l(MOvgsq=guP&;p@d{WUK z(;s!|5bcqITh3E_3|#KO`fKL>4SE5jZ8F4LaU}+={CVuR$`=h{Wi4ifibs$})n*#G za3L7e)aFp?W4TO~Quk3elEECR;$O1A7&JxYd!EWvDq)XJk4qYT#7 z4N8mYDxfVRE`IW;D*V(eDeA@e7dMo0zSYud!<*`&8wKADq0UpLdG3fIlo}Ve1}o^o zui@)7;uc|uJI{umLm&!GHZLuW|A>T|Hj3~a>^xni&r@F1Ef5*>In(rYM8Ti75OqVL zXt+7TelzP-0;K+C6bfCBfud_(Ki5zM)O08a=Q~soZ@G<5*QxT;0DE0{oR#*8;Ph(7@^67FR7jQ5xM8*G`%x zbiHdGxp*uES>`$nZN0IChZI*@PjuOUVn4Ov*h^2?l|}~k+;$M)SGLpXDg(RIBX8Fy zh=8ocx9Rbt_K3;(VbEf{G(0OOu3YBb!kcs`dgp6_OW=exP#`EI&+zMBP} z@1{qvUq<`0O;7vXS`d*oCMEN>0ENAzGU3n8vK4f5pSms#^!e777yAPkEhQ6 z2?7el!5|irfe7_GFWcHo*Q@$~)Z^l7e2FJoJyNR~lR zp^_J25s1z0h?!}m`Viaf9f?~FXP|3N`4u~R9`ZNm?YhL>gMKe3eXBp$4Ff!~Q5iMu zU^bLoD+n2xj!-tn*j?ym5vG=5hY;*q~m5)**DtMu#BrfuM{@2iYicYR;V|8ayeDsF_)Od|0vG9wbEwSS>m_ih-I^J~Qt}}ph4rku)rIQ0j ztwblPAZ;}1@NvGDQvq@d{v=u)lYuM~RsDSr^bwbvapM;(KZDTxm;be&^wNokV{$p} z5XpOsBg`lWF?E>BkPmtQ>*Fv9FG^=nL`0p_<-v%IVpM?IKnr@mlQqhxg<>4g_zGWR z?C;ECcXg#Y5So@JTHn~DpwjM#7M}Bg5Obq_YpDp!lTMSna#0c6=Y4EeVcoV0$cd-a(!#55&`cai&` zspzcnxG;SvJ@fsXY_}c!?YCv{ep?Ffw{7r#TMF;DrSX1S8fv{Cik`-PZ#zB(*DSrW zK0&HH$|Hl5YcF9Y>ybBRSgQV{|XDcinO47j3XZu*BwE=urPqqC7rPzC%?NV;i>tNfSsqm9?6 zCSIRDcztT(^{Iu|rxyM^{`>xy(ECs5{UP-83Dr+}RyQ5GpYDa8wmheEq2T~={cNAx zX48=3o%byoY#p9IRf>$n{RphMAAtq;BOu(5upjp$u;P9MCW6n?_S$f1+6DWd zU5$m3A%+34Z~c(EaF7Y=)HB-kH5AK%9kAK=Ix7SimDkQ``9uP-?eLFd8763lOvg0z z0xJl>2fO3-njpK9`GRXl3;DwZI<9Q&yf!bOR9R0M{_6cSalM}{uJ_Z%^?us8-p?A> z`)Lx~Uy)0FpAJ~Y&Yc&+QykT`5IrZ$jbm(PunJ#4&|>%fBHPA{^HpUevwK-7+R_BR zEH`j27UrWQGC$F>;e5!yr6|9qT7niP!c}K8vrt6L;cxF0kHUuVx9M*B9C(xXp`zOs z<23*DkgVXq;Pg|(r19g#h|ZXkX{V3}%}_mOV;(m~_sH`oD9yD%$tdr)MwBdc-wayO zpwdPnud=TEIV%rI-$^>&=}Q55`(lY$fG)D~uT^pRAPMtgS3^!Zc|*P9BgXh2R){aV zz5mf`U%2}sR+T%^4=hKCh5E+$k-fO@v7Rq+h|u|6Y|KMt35=giuCUQy{Kx}#ZwuG% zA8~;zmuxdWt%abqeRF>T-q~Y0j`y3+@kgPZ7pvikY~HB9p*T;d!4Nttp6jJ^*g@Ck z(lhBnU*z*4Qrw`&9R5(TUNV%mg);v zk>z*oBRHa|szv_fGe!_P^tDku#vR@o&o)%#J7$?Y;lI?5QIhdbW#<$jlc_2?tqh@5XWlT++=> zv^o)7KZMSwKAAJtc6;l9&%ImBbdnn2tPyZ$^td^?!~d$+id_t*1*1j!j&Q>2ghb2A zO*KTQexA_0^^)uQl6!f%z>wod)ZkBUu=AE!QplHq%{SgREa*(o<5yCyOtU=jvNpCe zyZR8p^Is2&KR8nd8YR=nrwCI6uZe+nOa4h#+%^`({U9a~nGoeEvYmvp&ZbZU&)x zq()Ak{m{q@!*_;6Hek@bX&sJn?0s8vKKZ9RpqTB4+5TKw1n)1#ciMVGqmLraah42> zMFN%K7u)Hn8c~@3<>)xJNc2Ia)6wzPX*g}RQgTYG0*)Y^^JC&|aNGZ?Yg1SYph`op zVj(QG+eiZbzsI^(mXW9 z22LwjG45400Q6eMDf6})GA?KuvnMfx?yqHz3X@TYr}yofW1_a8Pdc^JK;i?((^qF> z{d}QPV>Tyd)B}>g=j-bq3rC~eJGA6K1(3>E!AcvJf%9Y~;>@!f!iYb2DZsK^7E-Qp zUtjnkh3=)^WHNW4Mb(F-ws>aDV2?-&+szBwXd-=$I=ew0TCH?#equSe2AnG5B451F zWPhaf^fyC@NJ@M}GOY%sEzi`)7rl`0`UyJq0xcjv`=ml+P7$(yJkg_5mx2B#!3)-+ z$^`3I2|X`8&~=gjs;4%vb+r!HYJ{UwDo@@G8BK_l*552&Hv%u>v12MV8W1>hu;Ig$ zA^v;!@A`JzdqV=lJkjXshq8wU)f}NH+jAoLR3sWZbf|sciYHX+oRl@naf3PU!_)K3 z9*|`*;ShUkXABvhHj3S|Hr8p`X%n>RjS?R**zAy)Ldo1gvfGg|VBJZ6zx1>TTs1zh zV@?~0WTKMChSV()AI0vkX5VC?tT*K4#c)P=WlQnSGmr`d3jEGE6a>MwTE~r#B!y`E z=Hut2Pf{Uttl+%%lX7Gfum`=Q9T~H}Y-Je*Rc|gh>#PQ&64ROjdn+wKjwM2i zul3;46JPn7Ej<`hGI~3>M;n$8h;!WP*N1gm<@21MM z?PPqS2fRArFQ3}Tfj1*}gvqD`?253zv;P$bNO~WpE`O$pdV?*~DqkD`*X0m>oh}w| zvoBl!CBz12J%3+UOX7fZs^?a@TADDRopxv%tEaZrW+z`~GbGl-bD3gM9S&VI6P?BS z=EDrvO!==Gq6=$8B_E}d&{Or>Q2|L_z}-h5fA?V^Bw9C;O*LXVCi)$bdrWDFm@6Xl z!Jr@P+drn{ebX0(&X8XfKjsU6PH9BmwvRxmN-tABPJ6*f-~0KGrF!V*b>3&Tn*Q*t zk=SEwH3{1EV!^q1nzqtLyAE_`$ z(pCo`_#|*8B&Jy#Y@(XQPoL9<4^#(kBw1>J?K%l-x0MbwY|TE=I%o)8azk56pS2*! zt)sIuQ6JE-cik~I19;e|HJGEM3l#g-NTp~)kbI6?#K9Ml@X)JVQuHo1x1qH?Pr7v& z?M{9AQunRr;j`?piB6)G8iGENQUkA;t%{`ZcA%u4)U?3h%$) z!+fFTi`QkkEqoAD_37zZN^6k&#+&o0z#5($xpVf3PZknV`DIN~=ndO3k9B1>gsTtJQ;@8a?(sE3pH!DyWv^(V)}uGxL{i&< zG>=^+(+z9TZ$D0EF=mWU}? zP=SFlkI%P!y&&kPwL(y?KG1BPZj{{@imuLgPqA@$z=AQBG86v0=OuXPGp`5r63O_c-^UAr#4cxGb&q!2zy_-|ye1 zib8_6_5NHnNr=UdTFJ7$#_Ppd8tvGKC+_syq;!Nz& z_ot}~$8H+Iu?6w+tX-y1*paZ#eHYUK9#lIphMngTx}L{%PoU|59H<)C(f4BKDw!nT zf~)iF(b1D_h2ILL!11Z<6>b+@rwa9Z zyN~N!#Mmv5UNSeF(1g_L-K~9OF6i}-yZ6tL1VEubZSHWl6B>`GDOTM{L>@mM{PC;F zfXu$tLfLB;pvyWbzI4HJc}FHIdD36&fPdb5xBM zzAiv$f6H83Z~N7-6^d@HuP>?RLLk4e%ys1f#IPx9r{>oNQgV@VzS!@IB2C2H)}2y< z_0PHc1YP!F`8f^gR>K-XBJk{G^jL4dG~|RK@;5AUkQsB}w^X$lybcL#?vqnNg!(rZ zVinGT?w*SfxULcf*8Llot z%6GR4WZ2CV%_WnN2^uw=YOF_Y&7x1guKu|rC-K8bHg-%p(W6R<}nY1?-pi$zFPy)DboKrvB*d8{z7gqMTy_M zHViJx>^c~CVa!rZjz)&c3Ck5rRe#Bjox3zKf4-bT0(;ET87^gNK_u~tc4|N#cxDPz z(6#x3tsRuKS!bb3Stn0b-UtFRJJ++8lS)X-O2^P|og6mmavu(VKsXujp#uB>|{l|cH-}g&lp2vZ7^rn*b$8N-=E8l4$egc|gRhWN0rbXB8 zy6O!t7o!*@>)9L&_3zyv9ALm zkffdpNsfBJISr+*C1DVEFUvQHH5rw6DIIui915S@bN>k53PP``I{OD115g5a_e6Qo zqp@=tlrJx}MgS*!=;e8LS9IW0vs}w)1f0*hq^RWaO1-O#S?%LVcObDl70a#}int7q z1}L74hUE_=Gt^9;=!`9;1Tn^bd$HFs?fxxVw9Mp8RGndt%tStSEir2&BkrS0YZR8i zmu_&qlNy^>z7N~}kZAxP&K}L3X!1ZQjRDWwuiL;0srAYO3qfc^sK`V|!U-l%4l~s5 z+6(+CtKPdNy+Dna<9>*YB=E70U16kAL@DWR*b$Hf@Lz}|;p7wp-MOF>FEdq;L}7gY z^BOVu{f;j7qBK2pWYq8{AlLAb ze8tNSn7)ne-E6djQ}iLM?`ZAd!;0*d;`1;F_&I7BGH(HySMNMfV2ww&zbureCOJUV zP<_t?u^D_jplflWM+-$dJZ?eWB~W;@|5rvpJfzLM|1HSm1zO_vG{bz^aOy)Ol&ADBkEGersZ6aDSSL~y-_Ag=dN$Mqh3xZXn& z*L(28@u`cq6I_GP%4d?MfNl@C5ph|Nct#7}msPB^a$-5`*2yz_$|4X6b_1)N0S9Wy#8^wSDyusqU|Y!ibME5pH055+_B_*;eBiJ3^vyG8#NXDV>k zzf9g&6$9CQd2LFLv@c<}qZeS;X&^}l*KNHnjMj|@J0*vnR>!qS}xjhfR* z(CVCgU-_UMq}YVjdO9bA)vJy4ncpLbxW3La`~D>?U$sLpfU6k>tatGh%nhTA!R9Y- zrZ0e7Zf=%SP%h+Hy>x15VrCVRklGWjD_^*!|EDM^yUgPV{hWq!ToVH;l0et125ZPb@Sef>dL`6ZUAw=MR)P|l^Jn=# z)q+@P`GSjWI$AaQ()8!MI|RRNm)GM?$GGWVV{WyDLnS|pFdPU0DnvEHyAuK*9exia zd@#Yz^ONq@TARZlQ~PD#Q5RH1ed=N21AC-dRlhWG$P#w%JDY!gK#$<_kbb)DD~V=- zF!XF^lSVQed^LKV!@M(*;z5_oVd#I!{F)vn;gq~w7DDD=A!|hT-oJs^(rD=yDP?n zl?OPL>&|z9{p%=S4Cs*-Bh@F_0eCw0VA{oR6+a&24Jjz^{XjI5t(+R>W@y- z0)IxsXzCp{u$JGlvSO#h{Ro_RUJ?hMm!yT~C2`<+Nr&*fBzA)Nmhn#yAKTNRjv7l{ zPF;S*2gQy`hkcb)K=pahL6J=!NF7{fA-58Qt}o(I{Hhv=+V@Msms(l)WL7zvOyq$s zzZ&lI9FYNLEhBj)Mp>8_4OFAOr~}83l24eoE5p?HymX#x7od)}t>&2O6lzze73s|x zgl>)B3Y#JW@ReG`B(2~oin`&?J$P&o|1 zku`mF-M>S@y8 zg%OgJ*vRr4pkaAy#hh6JF=KD2C*NV`(W{>4Pv=wsp?@#k0>f)*-$Y=yfZ^3={np4b zwm*XCxhS068j5}NMF0Y~cJY5m)5o~i0xx=Fh2ZL`*!Ze)KBzL0VsK03fzR9Bb>}Yg zpsKXv{mSP>Q1hkg!&LNAs7!(NN2Qt+9P*gSJbhCTCGM^SJaZ&$8!HJghDf@$??uC8g~?(mMFTomSh#ql z8q4d5q;t%_9}PPi^F5x+Nd)iT|Mv45ct5X!_w$-~Kd*xK^ImvAuLg^Os~k6v@&P^9 z=2<@q9uS=74gYq{5EZ%AI?0c6!KQ8P=SS_lzV=9f?(rDsXTJ{SFLAT$yMEIQrBrKOQTz2# zU8pxg^|7!Kgp0a|nYAdO3B~AF7t|zR{M&@{c^74*!m{-$3VEl zZfV%cotqH(rAqL5@4IWlyhNCPYv1?)Z&mXDyG$89Lm;+TI4qJO=0zofp&%M>SVl><)b0I%H z3yxD~pN{j=Ks0gNTwjEu(CBVYN#Oxb*icYitjab-7ZdLGl#p`68)}A>b%#S3zwUMV zf9t*gY zFTLVM?uf30*pgO`83U7zn0if@CBf&zg!Ze1@>>7CudMO+l{x;tio@SmHu(F>9DiTg zf?c0QR>moApgdooB|ppwjvvb3H|i@R`CC%5dY3IZadp6yd8`ja|QjBn-~2?w+$##QEF*-k;0y6bYST z;e>T|kK=tM9AJJSNIl+L3(NUX{ZKE<3hW+oX3yAoA^BcZN^&PFFv;3+?siOrspW$d zrvwsV(0M&B$+#IUmV4`Y|4G60R}>eRv3vu5HYx>Wmo$RU(+ItvgwC%Cou3lAzmQNc z-?dcv@A)Yi&!}c#CK_%KpNY8oz#ra3MP==!$Ih2;-gw^syaG+PmyxNA20_QJo1-7@ z1OlP??^o>~=hJgX!RIdLxeL-^&@-h{^B|!L#VGbEZE!^a>Fo1>CpW|3%>4?cet9gv z>1=+r{?}}{sEA@-)n|b7wTYsfrZ&`PpMdzW|Ig~%&zZ2A0X!Tke~xnJ5jlg!F-D<~m$JX3j>I8Qi4$GzE^H!xv&%1PVZBRC z^W@D;?rC0X2?a}p@%#V2-zW- z%4V(W^TDv^!m{SYFA3l;bkj~pA{fa@yt~BoD+;v0?YsX-1&TlRq&S<+AC+eA8Y$4v zfg!!xmg<=d7(7HZG;P)g5eLhPE`Gj>q{Iy`+er1oe1CV`$6LL?^TGT+F=Ia%=({9n zln$X!f@jaTE~G;IoW*DY#*ca-w_o5>bUDiVNjkOmxC)^Ej>C1zCd9#UJ?-685#*HK zN}G6p4=im&$RZeT!A+r~b;;!OsEu?t<8XNfSnY6@eJZ?;1hw3V#~oV<<{|GM%SWcYSuVV6L94l)f2{$d>#3$dg1L2Sm^1nV*CV(o+?qHW>b zt-XQY6-+_omGExk2{{zO;@?NZY7LPsM0Af1>7j+=!7bcZybvbPT`AMYIHshSo4j?Zyl6{9tyg(dv~OPZVwB;5UCT!zqDH8&9FdQm2NG9@dCj5g{jUT z)7h_+&~|n63W3=bxjloGm`g#&g2tUp00J7>I{QR~(Xb?Uv(ys{kXEvhPJiqG6Eg>7 zhmHkezIZW)vLPGjR5XmB+nt06)mQuOA?h%7l|g2@5xt{N3{V0$Cz1VId!(S?lWTg_ z7$y@FQf|)bqfv`})i)Y3eeHFn)OyzeMod#I`J&%LX-!J`@)lAZEU)YS_x>tA96$X0b_a<+-gN*mc z3n}?*bUta-lT^e5{;-qF9JuKPc30+Gmf1SdhWP~%>)ofpZd$%bkfsxaRPUF_V<&if0#(bvJQ<^|bGCVA;`hVr0{=2?~ zP(955JJ#q?&KnxTlGc~WBbeB&f#Y$iJKwA)diFcb+xv<& zRNU*;^O86Or%h|$eY;MNT(fHmKl-u3*2qSat~)D`d3UmSDT|_rPYm?MP5VLRcwb}X zS6$?FNk@FlRuYmIhlSHdy>FJLA>SpvwUxKfUjKp zhM=W2>J8nir*l^aG=jWx_lj!+dDhFNo_+_UHAac(tBeSq&k|ancaFSx7eZSPW&3vt zD$Puw6uLJL+RygFl=NMPjhIVtcw0U$@k$E{VBs%Hqv`@TiHTDCBeLK(C1{nJAqD&8 zJ5^bYq=7fP)+gku9a3AnPQ(!)3*|cv4LdqsziSFs*1|O;KgFGUo28UsS&lV=qdYO)(yII~eE>rXM-RrhGyk)aT%p(%EO1LLK?peu}B z&Vq04f=eB>nQ)bTTtYP<28^PkUs96RBNiF9?|NTS(9FZ{(zIO(@GN5e4E;tP!Oz#< z`v3Rq=gjsQ?o&_zD~m1Klc{R(XuU?j@1-2H6`S(i#Bu?-uXDXyFUNed6RWoc6g?54 z?<+!|M?%*VI$tLA^Z&c`|9<}kFSj!_9H+zcnkn(TW;#5tnGVluro!`@&DNnab*MQqJD?%F%j=tZ41bEd6njCG@+j*89751Er`(bc0%(>edFcCG@>PdHexw6sZJb* zwjS+wylstM*^G#jJP?9MH%0e;MUoIwmST8)Mg-?Y|2q#*HuqiFuG=0!{)g`HYPSnq zu8fjuVQ`1?cIGF)9DIOJ(%odN#|6~P(k(k9G7+IXvA^G!7T1T+;`$IdTpzL*Oy5{W z>DkiZ`jCBKQu82K{nZIbWaj5OIG%_0PTV)MwWvjR+oE<3GHK;Cn zr-tC)UqbaWg!-)r?Fat5>(NG3=PS7FHl(2Dc5NHIy*AodV+oyWkpcyu0Dg5_X?S$| zU<~s<8SqIT&=!+0h2k3(i@jz3sA=H6FipP+)Y7khzi4I*bF23!CaX7j4=1wC-UIarZ#_9(J-{jyt1 zEdu@ZqY2^uENk4KC5-#C1aN(E;yEQ{Q%D^YjC?OLw=^ ztzh8L!VktLn(%Y;u4&dgIk2HIn0u9=h=ek!W}cSFz!{RJ_a&29KVG*?ENZEZ!jE;n z@#7OAxWD3x)1mkvV+41jb-K(A4H1+0u@}ib7Vwd+G>tLG6Gbjx>8`zNiTXKomV-~a z63pNJ>qqq2ZL1PK zlA3o0l4n9)FTMKCN)k9uq&R-OngPQ5A6C8YC2=@btNEe#@!CiR&YD}m<`VpS*6(o+$ISKR^DE0oyJ8k6( zNAGNBN~@-3CN_JRh`3r=p{ePFIgg8G`%v;(CsQ z9#C?d7bvMYfeD|21lO}@q^6=`?0L-yM$g`l$ zA=vND(Ljsy0j6MhmtByZ&khCYihS0cHv|@^7fbbY7HGpRLf5RVU)Dk?yaM-pOJcq*}Y$ z-&E=h<>P)ox2HWI#Ve98g;pBoXM$z9bP{2g)QO~qo3W6{>)rCwI01Z4=k9JvO9W$4 zuXQ%gIIv0!dUXFuEm9Ea&eyJ(hRwp}2Q~DQP$HrpRoZkL*fTavhRp8(=aJib6Ne`u ztW-pwH)WOJ`5K{qz$FHgz-z|7(Dyr;WX#+Rgd@FgeJjpGae_9>wvra`+AX)b)WQRZ z2KMwHb`HY$^|spseq&Un0kVOHAu|pn3d^s!>o0lBMnOw zDr(Xb60#S8lOK&e=1i@DXzQYO;a4XpZIW0kIO_--UoRofZzgbhp zd}*^b8p_TIY&mQ)Az2xkN2@+u1Nldl$8jh+74a=LU}}luK(`-&3#)r5OuD-g-|6s zI54NtdH;(e%o#-w?>l1;JgVuG<_`jqv=>>u-Zw{rujlXip&PDm*Twbi&bYo^8`rlR z;QDqCD-Yl&|QD(Z_+v@m@q?&MAlw zA&>LU$OfV>XD)JNWq^IoxK>De4qVaPMYE{bfx^!UQ5|8)0`X3chwUPV!FN?PSwPDS zh)M+%iH>?BK`9yC6-o>EzSr!LU8V;r^z`WjYinr!(Cam7YzE}DI@hY z2@E@e8*&~Tfp)6xcO55>0)xu55!*-=?2i6FsC&z(Dxa|J8wC_ZM352%k?!sqQc9$| zyCkH$yGu$$Is_3BmC}=t5CIcVK`Fri0R=@w<=yLczn|a#^{jQT^}JvAnl)?owP#;5 zbIx)6j^CYj75YdpX(O`dh!}GAk-j~d$Al~{WogjXD8dI8yU`3W1i!VLLt^CRA@`!o zs^l{zq?kj(EorNa{KM|arUr>Y7`c^t-4!9&u=pF0AubHk4`&N9=>(vviDjk#stTCL z9ZhFol7kMR7gT?Tm7!o0QJ;`I$S;n*8E~AWr_~F*{d)ZEkQreQ~;E1 zq=!EeTnB|uesNv6T;tPePE;|Rr6_cMT-N;A9W-g_#2xfH7s(r>n;jmHK^O9;9IEAF zV1GL1kPLGi&{`HAcoiE9QMR```0`yb>oZ@HX^LFNapmoXhhqD)?4e3(T91Fr0hJkP zq$?ykKvc4-5ED)}N!)8SDjjJD*QyK+o0!gmpRkjBp3GT9O!s`hrJ51v7knhA$8ZLI zDbh|F2JxbP>%ho098U@>U*d_5)ci?iS!fO)G_bB=g!Jx_Bh`tiP7 z%iqKf4W34JbVns|dcF%}efDM$(!f>n@P`v}r>hlvF6Rj3!nM!cm<`}-Nm)6%;*QQ% zoypWpw+D(t)0eq4cpyQgC*P2t6K2H;lQmk@&`AfM4-Z<{Kzixf!_)V^D;)J;Uvn&B z$Lt^Z=MQDZ`$JXm{!kXYKa>IQ4?T_dhn@sPF#FdjJQISnx_ijl(hxZ%!5M*xqloK~ z+E5Pe-ivU^yP(6-AN)Rvk-Ny+VD|r>r|rxMl%faf;Q~t@4LbN3$ew3IB#-VjTu_Zs zrvVPFfT6AsdN3t&{jk16jpudz_w(S0{-}LH8S{KlNsD__h|BN%m;e6%&1b;czF%%laAc_j=($S6Lg6a< zT&C2{D~qe|=qok$TF0a5TBC$m?-ca4^&+(shY#lU1?&9|*7cF)&l)WkO%XiVEi}@l z3WBcp({qCMR}s?oovn|rfT;bs@S&a{ILG46)h@XPoQ_K@>b0;X0Fn zkVQ1`J3t`@cyC#EMw|@;gX&s0&P$P~j=f;w$z(p_o(N-l&=LYh#|2WDc)Y=Tp)^x} zHWLJ3=Z^VRV`!b0e6g@|w8)`4=r51QTQvI!!nkEfLS;h1?;9 z^H4?;A1{-n0EZY~EdHW(0`Vo+ZIx?YFfn2Ik?cegQkc0yQ)urDFK_!d8I3vsN1yO- z!&Pm_I~4Ksowqq+@rZ8xtgnU={Q?f|m1x0OT7X_-yT@4tK})z7*aTgZR*=0~dcPgTb#3<;ZUe z5TKP7^o2?T^q$rJq`Rd8qCyu*n);PM=KPkq)em>{;??t7p^3c*S|oR0&r<$;aBrqd zXNTz!OfA@)nDgCvKp@fQxjnf1;Cy@6urUb>YHz=uH7I3^axXqj9=IX_X0r?g$->g$ zDs6wyKtl?~Ptw)RKa>Q5E8D9+){>a>Ww72CV9h@=73SY3ZgPX$)NZAwrD{m2K8j%H zuokY4*?L2K!4;G;&NO^nGlw7buFu0(LePmB;qX-h0oawy7b%-Ni_T^T+*Uu$g4P$l zI*M5EfLLSnrTa(-$ygH*{t9D*)x~$;ug|Lk)qTCT(`!b^=d-{5g;;H%Gs%_8$~+G( zy@-Ig%K|x=zZu-rPz20+V+p0gyXXJAe+TP*fl29IL%nev57zY~v#SU{$a^kx`rhF| zb9t#o_cPTIk=B$D`0I^sTwC2c_HB&y03!!>vT0-@Jp4Xl_G$KYG;>?f=Yp5X`I( zXP-N!l;SweSnrpG01I;B#?r>+B0>zY3t*fzKLz#oYG6uYjI-p1+G>nyJk?uMf1jv)SNFF#<@YVBW*F+w?? ze=cp+8$p}?DO*)-6J#ynFSGH;82*ZXF!^C(iMrbf=h$5gAz$L7o-^+dx^_S6LW%JZ zd`+E9+G7|&dxQHbY}vygu+QCBkv)#eCsLqx_aWx>4(s?GC|An58nwYlBWyo`2UpMV z&b~r?$_5=zy(0C26qjo(u4YuLY7XCpsIo11weh@nQoMhP1kZaH#Pi;X@Vs|YNc9)0 zELS{)x&6y~njVq|FF>yl>wJZu0pi80{5IR z8cC^>m8;i87x%Z1beZa*)Q}~8fh0x9s3pDZ%dZ3;P1!A^y205ex_(>YROi3yCwRb2pQ>qV0&m-rKxoQ10q& zJz3HK*K9mKt^I8S=aQH6QZJf-2-Q4U6dgnZjq5MYM+_j_@RU#Lq_-e%u;WKgM-PNW z+RYI&W{B2*4M3&*^+J9Ah$YT-9Hb^@tW!`8Gt0mn~?rVdn9L(Q%Ejm1OqQf4R_V`VX;%M z(#_HeJ-e8zr}RS#ZYfCCUAt@w#0T!rES$pe$e*!^C`MCoxm# zA#Q%U`^Fr9p8D^3ZBiDhAuQ2Okeu*bVscFps%=|D7k8Z@TczETR##@faHvcwxB#yUS_G9NJnWZ9pBc0*6ST@M z!VN3s9QTVs*Bq6?=Pe?@%j($cdxSnnNKQylSq+!to7%x@?d*q`%m<`dNPLhEBhSO( zun^RFWRW@gTm+1z5ZCr<#Y1<^6@iI$Bb4|ln0!_t5ZP)moBBvH!L@@g$v@LFLnle- z!zguS^uWz7_Ri~*kfkJ*bK({gynjMZ0FO=s*7mn|>E`%j8oY;=U z?Gsph_D{t?6KCpCtAtP}JbJ?@;ammg@f>)zG{j$nz$4IClz8T(qe&9 z=INX4cLAs$%zE)g@YZ~g*RSGJ7@${`Yb|BKiNxY8~ScKez}`%YHl0on(eeb+8^13E6J7N3tefcjRlM4WIu(tqcv z|9)Tpf3{w4KKRFD*?jPi$3lbG+pOYwEMFh|s?s)8=l8=g1Mq)&=#BCI~!k4n4#`c zquJ&KMG@iWBX0yiG{!2~)rJ!aOtJ_{Y-P~gai0&O42ft^nI**brzfP`6XEP$OG0gY z#hI(c5fCbGxL2Ru!H(G1i7_2z80>D)7EISi<*G0ELNL zOlw`1hrPCyu+{n!L|{e|G{c$fe9&Wo4j%iyxqET{uvX3kq{)Qp4x;&a0_KHRQpZ&nfn~%9Z`Ak&{_v6o%t-;jPqmEyG4<6u=yaC1h(^J zNouI!$Z%oc89kWay+}X#(HywR(x>n9*ufv_$}BHjp44}3hlqi-V7T!#8|(Tt?VYgcPHTe17Y`Z;45-6qDqE}h6C)HpQ}A5% z93?RSrfs6PHGnswhu>d)cL6-_KC&oRi-258o4!7Q3>ds|NA&Py1p06yu-N-^3M;hk(8Nhj4kPq5^9J%3@yV!a>n@*Q+Ff zhS5osF~9>zrCBGEMpZ$O+w^o86#`cF{8M!Yado<1^mgWC%J9;dk^S>A1u)YV_>*^4 z>HpC0@Za+wu&(c>yImnIsaMbv4XdQ&#Q=zXW1`p)nh$hezrYi_92ERHTq=Gu5z790 z&VQ=Tz~|%ez*}F+&cGN2n-{SurHiagYnr zOF~DCtk_}VF0;-6diX-c(!VZnI9GG8E*6ZXgpdWe=*H|&mQGQTq(GtW``%@CH(>tG zvr@tyht?Y2ySi%yV6N|_W#sWTjaH*AFT1ew+qM)E&h_PKpT;9z8r_@`$$Kdt3qZ7U)bL>jQN z#mK~q5rw>t+1PWbLW_3GqiR6bzJW0LS3DIhY4@pgQohBTn-s- z*ouGhewR=Q#n4Xq2HBNgRs_5FCdyKF3C#XJtnY`(49iBvWkoRk;3)p4 z)DjWQ#BZN`uK-q|6gLOw6ri{)DCM}@dxdMkdFd(Sl9`K2OweknPg zUrK@JmmbCJ7r;86>!o@xY+`cYc~p13gJ3N1CNU&UY{r5F$3`wyM=`{1WKW*1$$-z} z7c*;3+Yr|N4TatseUH%x1^%E@RClaU^0AcSTc!FyNM?Dzd%*w<^-4r9?c1Y5F9WH& zn;Mw&bFq%+fBXMF(v>CHVMfAM4H$~8j8%dewngSRdbdNzZvf!jM!9!H92zR7e ze>^0x#GGgPZ~k-O=RXgA{}3pDhMHlH-JKk4L=f z*oAIvQA9__mP?Cna$x44W7TV6<*{=x7#z9#RT30((ujWZiGp-` zqS5zA32+Q{VA=X z+=An%8>=z;$+5(IoW>9{Zyf9S8f$y3|6i=@X^lJsi;5CId^2LCnmWk|8)2EdLbnAV zt~J!VpI09VlMTPuzR3e8gSJysi`n5{dwG0&Nql<+e0zI*dl`Itam>#X>-fD^Ex z*(1d;C-%HkM)17+LiylVcQDS4V$^!+h_V9oiC&NBAkJ{UNwQ-O|Lf})*53BQRDJz2%#$EnFVvYiYWfCf8T%pbZ0z& zKo8F!Fv0T&jPU#c954TW_ygvc_mf!HN372iYyVjN{_zYa)PMe;M#53eP7m#eRSg(+u5$8E zvp~GbC-^?3YlDO7g~ZblYT!-qJu-RA6#X%9_-5^cs|Wv&9zz*V z-;hYi)Kn1%u-$a1&O5^aP1ELrZ=ICU>5jE?CE9GD^tGyPrUcws1MhcpmKg@29um@@a2BJw!7;YK=D5t+iJQadqYbvg*DMR6uSv zL$#1`9BhI!&H4{eA$sAUEqhLKoL+`B$mJ*(3S>S+Ao+m;=#H=+?7w#&U8*u1*&S3y z*-IgF(cdLN&f(;d1JA@jNnVSYfl(Pw3{Q_UofL;JMDf|_6TTqxp#6qenl-q^Xb=|eM1)ggdeQV;FcLPZo>;{NuilC@2d|w+BIz5+ zQ(xI&Yv6DqhdmcKRXqA;P0fLM{8;_?SoL*S+h53^>oXWmNA=;WtK$wu$XDV}&cvT6 zxLC**e)oJV*e~w{Y3ip!oJmOSWxH5>z39K^5gZJa^nK<)0q5L&tHPrW!8e_bdykGD z13t=??}9CraVl z|M&dF^%_>D7@V%({=2f~Zx?E)xi)%g%vlDNNO7HMmcrFn?N^Q!U&ra|?HXnT(y8DD zJ=-= zf?{O8S)%X9>gTLZ`JlRVt5VDPvxs*+yZ1Sp3k>wXdU_cTj97DH%e8BF8=mq`=s43;Ya zRT;1+(7$xUKLzF6HQSf>Cqwb|L83~U0d_*Ah`V>I zw(nB{b`85a*ssMM_nKqvq1t@q!`Aof3 zAAJ(=8XCSS4OrJxth};${yRQpo7F(@x1^%L+Y&u?P>;CBREK)+XkI$4TZ!Ip2VJ{D zC=PBjG^($JuFD&_Jzg?A5%yc=Yw?)zcNGvG8Y4v|dI) z7wOp*@xH?4unT)NYD!&ggQ#l^8e4?T5K_pvq)^j|$}XDSQdww(vaC;u$};dmiVr$+#+yXk$c zgkh@0;lcB0MQCUt4HyxVhNj8R3!ToQ;OpGbQ1jFd4RloLhOS3Lv2%yJp12z#aZm{> z2oFQoZ58}y54gbCX0>kLuo@ce?j?KOVTSKt3*WyIzJEP@|C;#zRq*}$BA%FmK*=kY z&>cPbYwDLYVPe)pCPP3QO!wX54Y+jS`>pxQ>$S?Dq;xHMheZ#%tpo!KbWVc3-o$nX zJp=q9zQVzB10lJuWf4F^1G7V7G}+8&z+!1`>hU-&KCc9)cWOK6HZ&3pRAvSGCeJER zs^4qU)%Ga3z@qVN>TxiPZnYCuvczD%4?5reuKqi-Gb)#4Gd_v)eW;3@{B~Y29*rKN z$*nX91V!PINwZ`#q(wGAKWg5>i(* zLWYmT9+fjGfqa3u{McPblu0j5JH=rH6GHXs%{V_`d8H`*tx99CpuJeycI-Ul_LXEE zlr_f8J1X!IR2Py=0o&76{XtBz=vI_>StL&)T3V@Hl-^H=S5x-=;p>rz?EM=ZTq1A~ITnXBJ@i=~auAT`ZC||NcggPzS!T z(l+LBX@L2pU~@44CA7AsZ^exJ{9wcRt`?k6HY7PAZTVhFoea4wU`AW$A(QwJt0TzY*xvLn?2-mGUeHp-*<~ zeoC+WV2S-eP!i6cHG7j*o+SDre*XOTdV$*S)X28X8@{}LRfJKg#g>F{3zByu)JgFl}k~MyzdO__251~aDs5DI3o~J zeu#Do;rJ!4{*5Eo3CxZ+UiGWGIIugDEHE8~|S1zYdEO>eObr_~Zz_V1kMG^Nn z%vtV1>g^(whu4}MC>6O)IRb!9cNElfpYi-DA+Nw-s3UC z?`QJx^?@{eeIOKHA4tO22O{wGfgH^G$tL2$$9!`JKpIJ;B;Sb3Ihow=-4+f;JGQSs z4cO_yaP5Wi;J=127WnK6L$W?*{pY{;10g=Yi2$G9#D>pr+JEpbzv&=8ziIyg)_TiK zpybV!U+mDXVO_obkQEYI+31Ds&mm>eY`$U|R;b!9;S4Kf1H#W^t}DB2@W0*u`}wSu zG2=5JxF@d}n}y?!_px}38!Mx2;-W>~!IR*(*ul5c$_QIz$cBjjB)m>rO`A2UMfJ%m zQ(tEbV5k4fk7GQA5FhdP$$jqz(_=;2GTNO)C?&L#}jNh}qjjZh(`b1E4? z5KQpl!o3Vo-8o4(ot+K$!;jmamdu3E#V>4oFUk;BUdlqx)@VRU8hki-$Kg+UB7AiA zJTjfyf+zQ}DiUmMQxEiC&K^#uin_3ZSaT zHgNh#Na@{HOPH5baZQWX2hzI(wH!SWaQ0+NuW)oAY!Gr!S)7hQe8WovdnO@Bkf!mq zxKISd^6M%Os|TS@x?IzH_Z8v!ZT8;*^Xrt=n&_Z;XzP~Qs#`(zP z<(h~NO5orB0{Hv_Nql|*A3nbTmjnDi`3180`~m^E%3>2y^M)EElQgQG$*JHG+xal* zB4!-_BKbmn0VPC#e5x00bOL;j6*t8kl|>gD6m3bZ?U84gvxVTME=Uu;`~LK;AsF(M z6&)$CM{l`a8S*^SgRc5Oimw7jAUbz5IpUrRAYSC7eF$K~w_pV=?es5OVaPu*&Pf6dT1vHd6Y=SI-=S>=TRu?e82h$}jt z4yefX7LV95eR!)nHB?!c05|-YWlERh;BHjPm|LO>I8e%|k2zN(an6K?LdnUnO2ydx zkTnth?KiCP`wcVvej^sY->}B-H*oxe|JiTY;Ol7~cs;NwUJq=E*8|(&^}wchJ+KFo z9~E&MER2P~(vHMyBr!03-o^fK`ZaW?<=fA%8nGZHrF}x;rW@LRzE5=Oc?{;fn16mf zC%j+J3Gdf)!Ta@`@qRr|ykE}|S`IB(9W~QN8>jCJ^~#9>XL?s(hN=O2`l5|~=!-I3 zdocdk-cB4s+POY_zN`vI8j6la9c@6{D;>iFZMV?NnzAtw$|_hgQ#sTxdKI3(;&~-3 zUI;J6S)KZ;OEL3yua@r^2^C0fvwJT{Vx1qs2?klw!Y>QSkNr)uC`js0);j zwX9NvMB9-a^-N;;>}s9b^`0FiA5B+OuXKQFqWB~AzkSg5bPyj`wj)>xKU?XDw1?W< zzOV8jm(Y`sq}jCdwwUYZFWx5TSWFqA!mu*=ig}#wo~byecv};8Pm;%K+_OXu&`=%O zr2#h&wf*?Pp@x|U_%DA1$0z%r{1G#J{)h)Yf5Zi!KVpf`AF+o3>ip)QS$zo5nbI6m z(uL26Fm6iP2-(}(j`;Rz17&;67Y8b5^lGzs;yCjKSZ}&rnvv%Mzu!kMo^W?W=hQO! z+&(Kpr2z|H!~+`iNQ1)8@0TMAUC#IY(P03C5nY1SZAPf=tQ)$aDh>qilHV)r8=}b& z>%%8+X+X_Tgl-5PBO%aOC+&@h|;R(_qkLBjVa#0MmoOs%YB%qh2e6XpQ1-90E-)F`Wz}U9Umn~lt ztSl#v4t5%Y%R@hA6)kn}Z;8oWaWaR8JJVOM$(cg1kH^Pm6pTKsBwW1|sErOf zdV${L0ZC$SFLaC4yScE;3%2Gh?M_^F1x3Z|r4OWjNQg+AVyn>|P8OiQ$u-`%bu!!J z={r|o;xM>(D9jaZ&9yJaz6(MGAp0zz^Z)iw&mCR(_?UC%@>ea?`A+$k9gcs|bGnW(nVPqSTqqh561rxi=M5L8vra@89E6tj>>i$@ko_?eb!ac1icPZ6?QP`X4;wdFi zizWCna8m=a)ACG}r~KgfKx1`kWHzE4GMo9(>huB(P-jhs9h>p;S<9?tqq9jdX{+45eoXCHcalX+6SEY#+!`lX!^`d!e zIaeZHK0{-aWu8J&51{Yf)%(OHH=slMhiL0WJ(N(-akG4?fUDbYuc%N*A>E_R<~DPN z=hsL9serr1%1*5#V3v~23YVV77to}>ipy&k=7!-nXeKjOdNM_~0+{CnT3 z;@`It`1h?e{(Y;Bf8R>s-?!qJpAXjYU~P}}J`wBl$J+nD{f{bs|AWiN{vTe!IsE=d z4Zr`<#_xYr{@0(U)H#h20jo!dbh^-M#NQ?C*4h@XoQLyyR=bQ>14w=iOla zegC!p@ALnE`}f5<{{P$lUty2!*~Co~5yNqH7D@JW==hqUKIj_)3j1XBK@Za)^$nL? zT7L?x%1LhyG?gQ)ez$Xjoae1^TsoT%#2%f?#^4m8*0B&Bh0br(we9v;!@Cr#WB#8s zA^n-T44FL#X8k|b`o{lRdsck?gc)ByQN`C!&fxQ}S@89fGx+iUcis+GeGb<4e{4Q} z;Xx*_Fk&h$&2InjG^e%bZ-36Q)Bq8=Jai@$p8*FaB_!EnqVG3*820(vcdX} zo+eo9EAoCNRf5+3-xoXgOb`WkO%$ipIrtpJCvN!J93{<3T&X;x1z34gSnILP_tw+o zi0z=4BF2&T6&=_dS>rpy>I|f9ohSMaJA$0;X%YK4Inc_srIEW9iG;@mg?=(6!Dsgq z#cPrU=$G_rDV=;S4354Fc|L{9jpkt{Ww9$k*G-n#sZ?@7Z(HW^2P0=_w&Fhbx5yQ> zb&Jfici2PywzmnRtpn8h)%_~V_eH)p>nWENtiY4+!MD!e4nQ6@-}@=c9EkJoQ$Civ zgdQ{Pl`~$q13~iz*9SiSsFu@Rth2}w%>3^b9qX5dyM;Z%ox9?2P1g3$BV11S;70hT zzF{#~Zep1ud&>qlf7w+!)QVx&3t|1gH1)kQ`py^#4QW=EH*@pQpXWBWzT@5}M2k&# zZ)e1TVRw)bmwp6X_4xHi^>7^GFm|chUC)JI`cYyN;~9{wYiMtOBOWQ+AGveiJp?7F z?UV(Ghe9wLkX@9yjBH0#BCdL01&Pq(Zt<^DK<$*b#<{R$_>uZ!MfCP%)FAdoLF+#QI-=E=vFAdT^GlJN_{|4Woc{VLXOU7rv9mxul+ar`J*ErzO$g6^1 z>#Ugdt625Dm!wiWo3ALr$DcHXA53L%I^_Oy!`lc-9JsG97a?$wR8l(oPzMqEjJ;6E zRRpZ}Q*CKq3&XZpKyGR$|ApdNSn?TqqL?O$WMmC$DMHTzr~UB`=W!O8pWzHTq|cAp z-}ldt$%yx3(&PP@ig-UJjxYH?e#}#NKPDYuZIAW+HXd9nw-sdy4kIn4seC3dJR_9( zO(Y6E`Pnsi+0zo|2OSLvCDRAGVv)h82du%+Dfr?!y%acG7V_78<1&g-7&T>;OaeU< zU6nWA5+VC;vg$eUEF|EyL)sG=13jLB?<3s(VC9nOSFe&dv=uRXV}$V%Xue~)A@|W2 z%;?q>mg)S_JL=Y{a(Z`ockk)VQ<84jU)<-*?-=P4H@3sWG z?TeymX(Rc;5JjlCc>0}gl|DGeB^pH@@k6yy;ZMGNlmR_NvNge>2T`R_Z{aWV>4n&Sg!_)F@y2=y?XRwoW)xvr~;Bmj9r;r zW8pZJC3DSqI0TX_b-i4zK*(=BwD)Ed&cBx(@W3Y=PV6%hsh9XbYtM_}9|_Lz`^I<@ z1&a$ZRhu~LWuOmZQl73S)yRb5u=cqj!8`#tFF<5v!>oi}pAhY|tQSEizJJc z=#F6?4_738eFD2IY%cD}u56MZ6584?iwPj z<5zEszt4YX z@?QvN(S(*4A841o%+ZXddfmd{IXKO!`c2}nKG>wTF=SSlp%SV_XXPXf%+IH7>DYGP zKs91uis5)Xk_(FoG&={HiUB@Ji=`gJ<>gfE*OPH3fe6);lW+NB5LUl@A~}~8d9o2I zi#F(1-ReCYtLDwVo@l-0bmK`}-uU7=oywj@_Cz4^XyT$LZbTdl#2v4B(#^p`xCnv>S zzX&RSbg5+`lHvX5HFo;2EYwk@y1m&P4_U=bH~F-^(7w}}NnTY9Ag--j`jUaT-0@O6 zz5Ep5=gc~uBjtw(xf;Yz9F2!xGyx~Bl3Ybt>uD3?m)hf>;`CE1GJQP0XyaSBJ^6Cog`vj0r8lgj~yct0|Ns!7OA(Yh_qBpwbD=uoZj?Z zxf~(^yn2CQO52BU`Cx*pHwH4{bg%Mw&+m9}8tDF7wOarip6;3(mLagrQT&GSWg3$B zkno+bw-RCHyJFP?VC8jS-S1)Llc>Zs4>REQ>tCu4iE}NSfiGnbk2RiR1H0~;jL2G1 zl>Ejn&3pJPTseN&=9(`*p2zs#_5c6$^TMFXxa-%sCjuspf{T(VD)8fjkiPtzWF|Wty*$&K`S(B|)Vg=vArbUP1Kd_D@_ zxMh`?U#<^EO4~QuUj!j44aUK6(=^0UBUMOvC>sIfl2)PgDF%C=ksUn(t1Ne0`)Z3bo`|{ zDBn9mz<%K{kTbmVPD>R5BE^le8-2v($z9T$fyK%cXI zqra^hrN^|Hg)Ni-`OeEj&i5LTsuKlc#kX@{S4%j{6ru!hUAKEnQxj;37s`_pHGv@K z>Jdv-HF)iplD+cgBHDC)*(7aZi{y@w2Aft{KpV>vNx!rZy1#MC{yOfw`m$H^p~RLi z6zYWc;2Q3J0b{--)_NLNzYlNN9}c0;G}IJrTT3n< z0(9#FZREq5NJp7$IbJFhj`>HET4aR5%T+!e)}nBTRp#nE@;3?5w7(seBqBj<2W@^7 zf4zd(Iu7Ku@Faq<1QVCg>1;45yZzmlJqyAUH#j`#ebC9}Kg%3RrmzxA)^Bje8r;CvRd8bCW%43&H|0Ti`Vz5GV-S$3Vmh1Kn>J0&`LXLB|~(NIFjU!gtFUgk*}p5OoG2rQqHQZQT8o zp7I--h7x_)>R(fMRqqQ~n>tbUQVHm1K2PlIEhh*gDdzXYp}#_#bKv-$=SSXeQ^wn%CrTUU zd0+UT_JGs%j7UZF($8{aWlI29==MLobl``|JQ9!DDS1>Lkny0dn;SrF_n7!490#65 zlEg4j7k#Nwi4mz#hj*L#BhR8VV5T^wnuEavX^r~aEqkm=ulr|7|jaGOZsu@>~i)I>XS% zbkqq^5ntIjt80N|UyCmyrzd#AkJCelnj@0nHBSk##NE**OazWlT#-h1q z7Vwi)LC@%v3B)u$b=V#CMPGOV=c2+*fccEvq#sU);%ybEmTql~62Io$8K4hDJg47H z%8W&#Vh_SR$wSW2BQXBnHr*d0^sXl);yCvq9}9@4g#19R!dKF%kqOmBC6jUlh~acK z22+hsn2-QVv{u_UHHhH4_TGC_3GH&OnpAMBfW~%BKr&+-8rtaVq&@40XocpvTiHC& zZ-vksW92qrTQQx$a@-L-IJ>5($kV{{PJ&T1uC8`C|A%&CnHtcXI9>mO-wZWBqq$?C z5(o#*{P3|?QU&Fr>m8|2{W0$k-)hN)Y@W)7h{t5Kzm)^P{h;?9FOCKjYM{ruR$GG7 zQg1ch;4g*~WKaB*s;e>AZ#yFCb3Kf>Kv6wfp^}0f6k`aT=q*K|lz2;MAdU?Xg(fbD zngimylNbxLbWzXVMv&jGE?Uc-_p)zNM?qHFk9;4WLj!U7zmKmu00WtdjB<_>kgL7> zM4w=X{_&l}@O&phJm1L#&vz2R^PL3nd?#Vd=R2(DS*p|NZle}`@Gkl8?w$FkXzQ=> z%zc}Op!oHn$?p4_d(te?cH|HnFhto;)@b~`LZ+<<$rpD(2z z>_;^>y9_2P+rf6+>g}DcZIEC6aIi0`4>hRS9#Y<@!+f8Jl~4G8TYId}^M8B%SjY3d zUs2e)B?R3){)^oFy&t5VrFS@69|o6>5m1Nc*umBhngr@k(WqOY<;)zf4BYow{pOol ziteqk-HCo42nz&M`Qj15NaQxLArDm+ycg+tQ)20X!X#fN_AF+=h)S3RgO@Qhj#LR+ zez8M@x37t$+%^GS`oS$TZUf*UAG=cP?}$7THS%}o%>e6pAM5=8ci;5i^J)bT_@*~s zx{SIttq2ufCxREBtf3G`Hq@^l@zC*11Fa;>uG?HC2$gVwzN#-^JwN_yFNTJSPB7Ky zFv6Yh$M{}1;dnT!0&*&k_`zr9_l6>s6cYQ8;i@XY@_*Pr8@_*XeE-z={u%N8bK(1^ z!rXsdcj?KZH?lbRlO}}02MB(l*go$daK9F1u4@qtN*7Ex&Z;<~XXQt2|2D-T zZh=)TlLZ@yy8cs?yVnHHwVF(C{BcKDeSM7%eewsn%GeLA!|rh4_=Uz5JObfHY{_48s(x8VBSU-Gw7>tOWSyLm&N7L;-LezELa8!$_R ziX`1{1-*ICQ7gMQh>%+0V1Ps|be0IOIL7xw6lJNIr)?LU?tA-Sm)i%f5_LCNn0o;8 zVt0+VaSkHUjSkJL_Xc<0Szo#tGhig$=G7+lhUKZXKDilO-9W{Qf>Op4ZMcuos%g8S zBS~(z&c`@`X|=cW2BSN&A!{xL>Q@(4(c!@9;sRGWkc+#AgfGZI@$fUt znoR~|UAZdSQy>m`8cP1Z%I#3sGq+iHT^)!ejPqlcHv<>zCK783NAzWAIO5olJ_J$t zojX1z0hX+tJNe}npigL}b%B-z3e6l2_a<6GJl~D@vPu`Ij*vMRVWW&F`>c;Ftc4&; z@?pK52r~HQoqWA?Hv}5}nwD;U03+57+8VanRLX5ZsQtnILbN>)P~R?9nZ1qzHG=Hqztq4e?Lw!@T|MM< zHgO!3s?lCqYS>6oC7jWdAfUUFhM7OP%gpC0C0T>aDOq*zBvit)P>pfp%6Pc_qFHt( zrv@pjXY9osxe8r#msqRk!!i3Sv92#O0w&8Bj4hxvkM2^osvFw#=G5)|Xa&oj(ZxVrXVgh1>bD(Z>_w;PSc&@mSGqR{(Nn`=`a)p5b?{^h zjw_fMY`7+};fb!kj%F8mW(FOy-REkIZGb)U`u2E}C(<;$9zC&d4#&Ce0(KtR!AvJ# z>U=-}s2lPy{&jZ%Gs(#(FZdf^rd3xuWi1VTE|6P2U7CiryLH(|1*;GVSrqMk${P6T zQV|mMAQN7+`<*Qq%z{<{&5ewaN~AhSD6{zUGJ4xvE#pfSi+O*}^uvY8uYnegJG(~e z#`;2Y&|#B@zf;j{zi$1+a40(Vl(x#+J`g@ID$HqZ$HT3pj?pXgZXlp}uHVbd7#Wl9 zX-K!kz=6-7FPAGtpquP2Kfh~v0)x=!&yPp~kjDax*;x}QT#oB}K5MTSXUwXq1nu08>v}f31w4FJA6Xzdlsq84AV`K&$ zO0M6(Xyag#n=vG3JORyorJq^MjK$SK&yCKpC*bPY+9DqWvr*w^5A8sr5V$pYk7nCd z8F7zlvPQk2gNNILj{G{Z5Fq7qLhpno5+&Lj>Sk7iXT1l^=Z{IiRbB(?^F0B67A4thwyx?R^ zM{%phQomw7;K5goZu<2oD0sJabGkweS>~0z{vhRq=ZF0FymG93C#>~btlt-_-vKLM z9c%tYbN!@;~GPaJIJp1q!ZA^@Kk zEDWdhEJb_ntD&V!Q<=`IYB=0S)EO|3B=# zcQluO{6DNvMv)ms_8!@rm%aB&wv4j(&fc4BvV|xkQ4~)Kp@bwANmJ4eZSMEEyY7GQ z)Ac*&^E==B{O&)U^Yl8e>$={r@q9iX;}D~iDl~I?%t?4F5`01_#m^5(BmP`B%JYlz zz}8k46sn_x_ECAKUSKpvm&kTkuxCqw+kyKX-BxN~sF(Bh`z(Rqazw$ysapk_O6kd078}^(8?a^GN#GrxE02gKwg(XkQo%0;$zbT3 zU#vW%gbeQ+(z|k|quWY0<05Ye_k_pP1><7*=xHCkv<|4m&LcbQJkrI^BV+75vct|J zJ?uO(1-yFox>>Gp@Y(L-IClvp6|Fkp)xn6Ph6vNp~1joD6q38;V}O6m0z&~`EeBDq9*~ULT zLq8-8riu~;4YmS6&?jpmT9ZeDgBu?*op|8y^GadQ%a1+paqM}evF8=Ro>vC&>T$9B zZW)=JQA4+Oif(rEi$Q;N2nYFN4V0d+_rtLnF(9ws>3n@j9CE&}vfOZ!fU!L1xjR%G zz)-fGbTxv2bCL*8KeOxwtC_UdofDD}-IyGW&pSmFb|~5FR*sf6^@0KpWIv< zeR-hZqY*t^REYSgcfF$yhzGet4`ok3Dn!3rwk(qt2>aRA#0WWK86Xws_G_1O(a+#j zjTVJ;w2b1=W0MBle5k+vfEJivtp?^-tB3j3T48>*T9{w0CNSC5nrWo$MjmM#{v34t zkZ|xz&`W~O>`Phs6CchJ&U>fQeC{a{bn8A#j?e>MV0?S{_4`kuz!*~~Q=*v$lF2sC zEi(x)`aHKj*F+Qj$*~?BcL_x!@sroiOgVr7IV-8_a~+g&=0Ja{q&+y>+Vc#`pMa(1 zHBxy~7kJW_Cv;oI3elIi%NDKqqEp#nlEkI8sNP1WF!EyqD2?==GS@4Hk6olyS4GOu zwqVtGD5)A+U20x>n`na)=L$@EI|I?p;_i8BLO)^BwVR&7-W3{jo|AJA1R?S1p*PoP z>|tSq=+TdHSKR!*U>%jah3Td!%P?SmyN@4Y=iRjRRYV|fL7d96l^51ty2S0iAO!Ja zA8)cx@ZrXL&(xe#yuxuDms-QS zOwflpFspToyD|gaf59>!?->FLB=llR%Q0cZZ|%QUxaqB8cp|BmOuiy!`r|6zvH z^TRD?f;5omquG_fyNAGVys|tl{vbR^_h;Ed&^?slPmig)$^d`+Q~&PA;dothLyeIa zwV7MhEAoiKF0tV`w{e1=Tk+!?ZsY`AK!FtYaSahPMfEtt=d&1$G=_#37w|x_p*Wpm zBo}=A*h6dR?xCH`LZhHec5R;s4zn_nQ!GDq#s5s>epA_of3hl z#-r~9TO5&MdWX|Tf_`uQbI+WnO)*H=&$RD{vjq%(eOy&o>54j|3iN+QIKcKAP3RQ~ zPBQ18L%d=K#i^t(~QmhCyp|5%H0Q)xd*n@*lY*^-XBN#j9oe-L745J-V z)vkjs=)`*?m(Ohu=+|SBip3@ZKI}JJ-X0cntY7@^dPHFnLF~Cr5oq6lfuiEUv%v9j z;OZBKBFJgpy*?w9fWp~rXj3o704M1~1{Sqigx7DkpX95?ua+u!c!YGQ)1?p|iC5b% zC)R*@3@YHR35F+6uZEu?$%DE)gHOU)y$CNJ;BS4&39BzjVf7^itiGgx)t98P`jR4U zJsG_D$lrYY-}Qp<<|As_Nqk4rkHYsp!=L0KN=WwNb>YRs60poMf3#3U7*2hfXZN&J zLZZ(^9R{-a!22N!Szk~zA{$x#I9^H6>8T@ZmeR3MI&fC3Wp4^vzxRRq=N}i~=x&Z4 zi0}jVr#I-HQ-lLmnbdg=Nk5=q-?i|nIR#lUv40rblYrJ7%z?D zR8RMpR&jyDkxkB-9BV|fdo&8JS_94g>Qmb(1b=PLSI7Im9fKXq?a@VAMRkEv`(Bfo~KK4}*I*r1P?D-~z5~hxIB~kLhv0vxE+&IIJ+g~8a zK+2qmjuR+^MMa8-xL}mOR_?&KAdpTs((8WHL;L0qD7v3WzjDFuSK8S9$^yGz zoxtu_hS>ee0**)(-A!GOM*CG2l1l}Ppi8)2L`$$37_^^7%xQE%_dWsFRgEFU=fjzP zit8*`cbg{0H%b6SSBARGH8D88UhuX`M<2=D7C&bDQy6I2Zg>Vf;X&t4P9(JCi{j3A z@bX*DOs^WA8utX<^h+I6ldecmj7F+fB^=rEGg8UWJA>4oQCVddS@>3~>Rwyn1BY@7 zbPNV)}%rpVn9{Zo5%-TcOF7Rs~nt-i>wct;)8Ba9EluAm6+ThE?2Nt_EEMCPy8*#ltJ|J$L}UFnFTc+#}HEfLhHsm;j) zlflh8^@}|_fgh*YQqJfb0|SwDCQUc;kYMIh7cIjOM9cL`=WwqPyy+MSyVjb3j>hMY z@ZYqCzUA_sbP9JUBiCnO$WH=>hv&-}(*jVSMcc+Wxf4wk$|D+%E@iQF|=6~W6iob`#85M=Hp+MhRNjecr6 z-}XK32yrRx;}hKu;PuW3`RiMQ&3PGC8!)))f zVS+PTU+7IR(wsEjMgOWEwT!2JX9y{Tg1EH+UeW|G53^B>%{zu-WAgM;mORiDIh{Qt zizjG*HfM4U7DuW#ls8G56!n~Ffj zr#G_PaTe%b}kL`yV*nTLD?T6~vekg(M zhmzQSNYHaHh?rqu3q^9zMs6{!=b=aA<0#ZB1#TSqc3hw`5k?t5uRDw-z{{ErlGv}o zD2zNl(|e4-m-t;Oc6ucPO^wrD%1Eh386%5}QpYYs{$S4IeZ9GehjrI$wgZHF)xM|Z zDe7j>s}ajKB}~w{`cP}@Zs&+ZI=OD_ePRr3SB!=45%g74=|+usM~-9hYFNAi7H^Ej zt6=epSiBzYc)a|tzw`h1`QW_|;Kl#rjmOJhz#EU3PlWfp#v6~fUyK*;#QdaHXY*qQ zT<0gcF_DxEG|!JXTAR9~(l6+1#m{`8^PfIg@a+_|&FI7m+^$147F|--cLGr->F!NN zEi)E zGQKlLmAr1|Y-WUWWc%~4<+TWyei5V+L1Ts6FZh5OPySsUVN^ufrP8Qt4P-YpcvI$t zP{$#YfX>&)poDaC*;UL6;!fSEZFu8_o6mdiy(Vi`M;?+&x=UL5Gy$@%pG?@T69W6M zik)F`Pl3Mr@ua)l3GgePo{>+MP&Yi4cigTp1ekc=jM%j%A?}|1gQw}OLHy>z?dtc@ zFh86%cJzT8vg(UjA$Bstjo}g)3&|8&x=dTF?d9$L+_21mkv%qiDa*rQub4tD1w|GIr@tCKr8$VFUykFuf zF-CX9WaAsy?9lK0-xK)_+F;jWRy0OO(0jj@CSzuA26eNv4w+uMkfv|Hk6hTrl3lQ@NGRinN|-}MhgT&_|7 zX@PtrqFg`nY5-r_s+;Ir1(+LYbUrp|iUR09iMrfT!1UQvpnv?s#!D4_6e$&Y&3~UN zq<<)@q`IsG_7|JX4zw8}i?(y$L--V6>A|J;8j?ixbLh5e`m#Ml7)1ZRZ?JF9&#N@uc3#*$J*Hl~dR^r=xX^TE^RE@dV!5kIFI0G-n5q75kVKe{g~su z?S>MkLu2Ozvq0#;*Y8u^iO>|3>uwo*4q0z^Jyial0LkCi>;?7*z!i&pZis{d*W1Jd?NGt{%RdGx>cY$YO4i5i9@Z0 zQgqRBAD#VvW^L^I%EI#{qX?fBQ znq}T>IH=}@`s>NF&X=Wt#P;WaV5U++9#LE3=Trhzmc;WNIjx9;!qF>|&jNRS9=toTJ(nM>iO(toJDDKn$5K>ZT>0P*&*%0e9wFf3CSfjI=L4!A{piE4 z4u}vj_vxE!fP}9GY$a4ZAnc-8W<%8tWCQzN9Te;Wy3gu+T1@UEy#3|*FD|nInH4~u zQ|EnftsI>+e9D<_)&+V0U*^ zpQMaDu$N98yCY%!Z<#y8>bvP!zFwELufvV-tYnp!4#63RV_5NSSpY#rU zcfL>ps+i*_B}L>A5%1GD(hwHHy{{_CA^IqIsr}@eydjM;lDY#1qQr5ZcmMVL|4;i~ zc-L<$TY9FYx&jEcs_fk*WsDARFBW(VY5|pn=lyCr8ThHz<^RCV5cPblW_sZ&_n-fs z|EGN~yubeovp0zaD>Px1jIGk2*BZs<@;q_4YXI8Tg*Nub)L>-K?J2fFOGK3=(cmJi z@t?m>yzA?K+WW^lf4uSk|9bg)`qjO8x~%U`sx z{Dp8oBWpB&(DU#0z5i+N6K_6__x^)dZyzuJ$e*75@X#^=&vPJSvBO>hF64Q}k=!_j zS|u3d&hChUH1}E6k8zUFV*T=aSf?27`u{f7N6I^M4(NK)+BK(}DQLk&=Hm!^6wt4x z&e!o5K+4kxpGA|3kdL~;z}2`YIDYC(^?PwXuy~uvvH6<|vZo8^shjmtkGbq2xp_|b zbL6shj1?c;)>y8X=;kEg!nkX*-u*kD>o1;`7Q@q0VR%|83{Sfs!_(4Wc-sA7MJ&ym zshoobtm2Z>T)bf|dY0j6wGrZr%DOr&;0Z|^-punCyg*Rb--0MA6gR&QZ-1ZkT~t`) zT{j4N(Za*7p9+)(PUb4NVo*+io8q~Qc(~Nc6}-AD3i#Z@tcB8xkW*|Dy^51NI=a`2 zFX*=sw8traoO@(|o=x_-20I!6^9Q#z`bZ;?9q!}3f5-qf!>(9I$7rA=>YzQ3<1`^a zL-p}*&tvF5t4r~_3tDh*hyC|MY9-+84SsGl#f{;U|NVXH&zUrzYA{BLkGA)XYDq!K zPRTjz8XYh^P@a4)Sq_Brk2(iAnxagH`(0_y^3cJ2p5c^16B60`>h+355eV$b`MoiG z4oMui{#az85C#LJ*I(5XK~PiuiGIIg=y)WOwL%b*mO6EXamF+ioDT-Ib=8$2*JU-g z8G_zKVZD~v$T;D>ZBK``mZ#y?lfm21!i%4I8E(gK$mk5h$K|$ODBA-^ctAtvX%EC1 z<0%mR$_65@5v^+74M1#ySBFhEZE^E||IUXK_S-DdKFekY$M77R8@o6WlX%!y7d}={ z@FEZM*e8cV+4m61uCf7@&B5P}EW@z7HELZhEK!k7(LwhE4=3mUO!nG!QaRS!y0z_JaVAG*TZIcl639c;w2GKkj_$cw|D!lae&JGC#cWZ7Cl1 zMc6Xmifu+p-aa=Pi<4kQ`&E;*Q9Q(3XRxP~B*K89PDq-X6Z&i?EgHdZ2DywuK0)CY z5Ir~H95&&GvhoHMmb1)(jDj*KsNV#4zYMQGdrbxBK82x3R4L)x?iB0>iLy~NuftBl z!ZI!WYQI0SH+5@#&g}u_VtOsBa}K!AN4)*J|2^^lo!BbxP3ibO=#+xjp2#JJ7Fnxq|x3)n59Ud?>p~ ze`RN@8slGcVEk)ojDJn&PyXNhYc7m`Es623IS796USG@Ra*--2P13>0GstY;8A&q! zG{i4h_aML_2Q>F`f8Tb`g_2yeK8;q_~A!FXF%=+6`+63u4;@Nd=*jZ#N-J=H?o zEKD$JNv*4Bbp-CDUiF~bV#fS@KMi&ZPW!r=e;VwGBYUBAgaPqxJQ82YSsyf7H4DLwo+&E6k`m$ca;Iq$rIeZ^>}$T$GWHpNryYV&|n8vbJjf7Fn|_`SRL_68$~KWq7K z4!Z&A?Zgvvit^A|BkeqHEeRyIgGgw4nUTRZ&!>uabcj^(RnPEAY2e-KSCM$l08tt~ z_}qIn1QH{NJ74|w0v%^Fk(YM^Ve5}Qjr)%TB>sI}#O07LbU5xi`zSjQr8GV1Z`ig% zx{p;=zsPDpSi{JG_ys+LniQ*tzObTel*2Je>za_&uiI&NQ4bo+KamGzOT!z+RBP=q zRn$qVq)9d?0SgzKsa4Dc;Er_1)$}C|RHPE)mVQJK1jzQk$~Dh{E_UI^Tcyb`GyeYk z!r>s8p0m!ret~sD#K7giDFz8)Wwbe1mDzex4C151PtiGxfB~Ik zKS#a_Dt>tV;H0oHZvWG!n@5k_$rl9Xv7>E!fAhjc)+@8g{&H}}n_il)QW_}9UMt*Q z5rg>z!z}6~YmD#gjPadMVSHyhjPGoZ@ttikzOxNDslVo;QglWlQGJ~cSWUtF&!jAi zk`+kE5@ZCt%%R}Pm}I-D8)7VJnz~0}fm_dQr(o3jAe|4Srm^@F|4c!_&BLTig+4I8 zIh8!@n+SHGktxg3D6ZP?N?+Q3NLDjIhY|4h=dGA>R*?j zP6lWCh?`*`92ddZrx}1IY@3L-2>qYnrm+Tr5=|H<-p(az)q@DL>I^@78_1!zlx+3V zg4>fT6-W32aQnOc{wcR>=m!sI84U9?7!Ytv-EmKU4)Q@#rDc0r3pd>Fmb`o-Vh>{K z6$;RGAn-N^r+8^72>Uo`$PK4#F`$Teu6Ra99A?(Vy!mW}VC^6}BJj%`sWL67i#3bj zjz6W}bBN>>fiHUG=(4j)0Xj*{R=j^c6cJO{B_@4~gN%-2j2o&1{pwBmO-b9;cQ&A+68&Y+I2jwB7AnDoAig z8V#YE(sQN|Jwa5h!fFH;P7mxmS8jr=x5yUDCyZdAD6d>)M;4C#e0ry_Ulo0)*8K65 zUlv5^IUTZvr6K2d!^dD}f?m1MBf&c_q~Hfn?-waYXBeKm|Lp|Xaj?IgPp;VG22HN_ zWooWl5&ZlT7$4lUfjVm~QAu$EUW@&vZoy#<2vufaHaTgEN)yamv#2$Jp%`&wd{P4& zVKT|LZ_N;W*2%-?ZBzj-pYbnW$rRJmHpTR`%`iP}GfYq03e(dz!SJP27{2rnhA%yU z;Y;^n_)-=OUrGVCHt)6ebqAmaMj73150ArHixt?Z_%#^d+Qblk-5xxn#Z!WRiy`sH zB=^J`)F8#6MEiD_1Bi!O(ae+vqx7iMj*UOUNZ4cGr3Q~JL>sxQyxgY`z6^Ml`3 zIGjLDh35DDmQ!eLXTJ5vJv)d}C|cMca{xE96gy6tQ^;|E(IxEIabRZ*uC6EOnq2wH zCc7)u9lh3YoE|fBCg7BxA9*C|0_kshe*{2&kxN6+Hh08+>{}1;OqP&+J~M(A9$7sT`+XJiB8$DBxe7uwZ-r87xeSUf|5lJ^<%mycb=Hr2|j4_p||WRPg2fy5)r+T4*IJwtdh`4VF?-OM#9WaA`gMMc%q8 zT2<-io52>r1e+IYN z1749R-`Y!`Ty7B3+QV7gVy1+^M+1z_}LBKXr^`w5S09rE@ zEI$Vm^g*8g7%@y!CgcTGCoK3~5bsu9Lu{fVgxLwxg+Eh*5{ilgpSTpE!^oaa#Et?U zo&uoSH#0uuWCCtK^OAwdto+8nL?m1N_A0h3Pwoii_n9vD%6xR-X4(2 z4!%jRM4$Q|fnuhc9a4(2s3z?4`9_UHVB%NjyJ>d>MI0ztHA-c{osXPJ6}&E!kP8hZ zHCA(t4G{M8+_|?yx$t^QV76qd0cv{f*M#=efqB4eJWtIqI$cQ=zx>7owZH!JJUCMl zHdfvpb@h}$DV%qU-M`Ag#igX7;3#QGeONU{wJC_ZUbHsmdFSEX2w+tm^P;?)4A~^y zq|5pK5ckoab<#cy9KR$KSsKT}xjRc9EH@g^W}M^OON4!=xyoZ*qErv&pI7mwS#qO` z1CQH-?unsqYWW9wCL|D3iM(9#a~<6E7QFnXgo1{rhh6;;XRraI{`!}}7c-*UO-X8y zC2-5f-Q5Wyb9^$C;#84T=P#!PHD|C7HBsT)C`JJ{<#K60rGS}W*p2YU6uA5F``duz zVq~#(@PevkDyYzYI;(p;6Fc8Yq5f1cgkL5GhRPRzs+0MV(fJsifhi*3jXygObC&`v zWWJf3v+RN-mYx^t2Yli2WNHD(xr3CBYs}$G0bmvT;}U~-Ec!HSEH3xn7p`=uyL0%4 zAu*?9~-DR3Ti{+ix!iUL>#dM4lW4yL%QY7Z#NPb^DCX zXhkBs{v67fhl!AKJgLEGD-%w61h%+IM#Hmx*WAx)#-fg3ZV6LB9@0;l6L!bo8g->$%{g;8 zp0TMzBDn`S_Q{jkWFLnkiAu+3U5u)nWC+G?S)dC^(XGPs z1U(&<*_$z;s&G3cOy)xif|{4!juSL$u$&arB>B|?RF4gk?Y#1UTfy;d&GbG%)*Jq$ zq00mAN7dC6)0_k+TM&?|$wn_8rrfwKa|T((mxd-<Rs_?%+h=XZEl`x6$B9v1T~OF_KGe2H4Jo% z#5h)zapyaSWp=gA%3p%(SB|qU@?SzH%QLMPSH01|g()fbJ*DV{eJ#s{(H3-ZT4|g# zq7(Og@Xr7L>+zJ0f)lD?7LaOlQFCo~D7vI!K&NgU2*w)%dqx`rz^qU8+tYi&XhT4k zYRQld3GlVGly3wgzgf%dfLtATd5ycFJ%FHF-1bQ;GR+816t)P;MG^1;zR5hKr;Ty* z_3-wyZhwDFS@ggW_;vTI{c5*{=V6tdqc!#r^DsUnRK@|?c(lrb4<84gtrzQl^9krm zm9n>vjRU%Edhm5KvOuy@* zcK{D?PHh=*T|0^@zxugMZ6AR}h5kKcp=@x8O!(yVF=ohlE+(n;lL4-`AA0aLLlNEM zspE}wW`s4hTQcjT2f;XT--TEq2K;^;M5I)SXa4LCH=+=v|nw} zrrjw8>Fv=_HkBsi+|Beu{zL*&*xdEw(7r54XKdE=Sq_3{PC_QL67gvCg4_D>>0pp^ zB_rXu5(wMNZnQ;R31|R?iQ94q0N#GR5RYnrjB*sHrgN+CGx@_iI`Y+e##$8dw4?CO zdK4Vyf7P)3m!Kyo&viF-QWNtB zL6|>?2j&l=j`@SAVE!O#u-?Wv#rr%IMs|f;`1%9`cgm7kk zV^Kxr2}j;qL;`dNi-ZstizCZZ)o;QWm4K_t)1dl;E(*A7Q`lCeM9}5Rw_azEL+{1+ zoU5WH;IJ8sY+ZYJA^Eblq=vU3`XJw&{?(k|7a;v~>ard;tanVOZfi>;cUv-J!B2-l zdF^58GztJY-B&?F_fLZ9@)Z_q#Q-2uP)#5I;15C7pK`TRydXw;X@cd;8Du|IH#AA$ z6$echcg@K}!C@xSY9;jPaztKTQiQw&0y z>u;p9N!-BXP)aOmuLtyptp_-%Mxd}}$&Vrp?(leY@gP&;2~aq6`ykbFAgX3x?WKGc zj%MJJwkER&@X7Z?oF(&v-^V!irfB+r=LZGX#3?)6>ya=1HvPuQVDRhxdY$iBGE!~K zpP*_Df!ag%`8@JLusypF9#NBs>}TVy9P9JLoiF_L<8Z_LH&rnIO;yZ)Qx)^yM4103 zg1INjMz#+uQAyNU<=Pc(pgB^OU$&tKKbZF?=w7iyC!nPvre7C2_FUT9;?;s8vb(b7 zPkd2B_UQqMAx9AN9GysK@k4_Glj0wVUE!su{)~&JGq}Amr_M0_V|CW0iENm zu_3#UK||yIQ$;dfsJ7vL7lr0A*p{D)=Kkh}#(z1amb|b5M#nNKeguO_b>8#kr-^9K%1z4lOQ%rc^G!cr{vza+eP)7qPciIoDepaK zR0t=PrZe~n=k@5CIg7Yp9(azBEp?mJq3+yWAA+PWAfkY=OTq7(A(nFDtL@cVsL?$y zsj*WAY=|L=ud@Z@)Ca0MhPe zv5V@s4jhVJPq&{YugH%VjtCQA6*Z=!*}{iglksKP6u^u=8(v~3fT ztN^cm*WY?3J66wR$Lg6JSUr;it7r0H^-MMbUSztdp;rUbFO|gfOXV^BQY}osR2tJS zmBQlxUGEgH-aB6ZU%dVFzkc+l@SU`N_~b2pFlqhqY%RhBcK0h^UH@bXKS?ZKz^p!4 ztUYX(a}GpiACq$oJ_f=kdpB!yuP8+BckJ5P=^#jdz2`Rr_`}a>p+D{Hap+fer~7D| z&wq{|WBsMcHa=tpE^Vj2JQTEo8dCo)8P{lJW@+KP^TZ6k$*S9zMp?tF7hN-w$`-i$ zcN}BflPvABAZX!4{Mb$$l9s0i3J<9v<8FG&+x$}SEXY5t@rWiWP@V49SeL}~Ii)du zPDxCkQxenXRK)Z-)i8ZdHQf0Z-u@I`{iU}LTtEGOeFMGTU4Hd}Mm3Z_UdZ!dZvl$b zM{;{fDj?@|%7^=UdC=xIJR^4H9CX;Uy``if_|mCI+V1nRKod6a9+tD~KuX3=q-mK3 zBpNE|?4Lh|I2;YCKHby!U(_%CcmHd=^;^7phIsW?@z$$lf;sJ-CqiMZeMhTf)ejVZ zcCX5%R-i~;ai&LOA)tE5E@Ap}AXxIA<}qsu!}Lz|kk8HrMgK8Vlo9d5Of*#$vd@th z2Z*SFS6f~?`F>UK3A?aPBtXD_RBMX31`xwMM@?7*8xgQDMx8K;<3*WoIf^g;+!?Ga znc#mVvK#a!f;$q%w+DAQ-!h!xO9aM~t<w8*gJrB4cnfZbhR?QG7x{|3hvD*i} zs>b%w4-)#=Gm7UA`ry}3NCyL=@GBnB>mR){LY$Ax{0r^GLQjI^S~GP=uq%*~zocS2 zm;~1M*sSY1+~BYNm=LBvW`XIC31j+We3<^24yHdQ0C@EV@%pLtOmk-}le&V!mzEFm zgudLI969PSg&}vcgn*xo!-dJ1}@}qixCkK(+9`^C_<;B26bd ze1ydiY-&%RP;{b1RivE@c@wJ0m~oamut^g_9uYm)BKXMYpSmklQJ#RTtrDK`rG^62 zo$w!@l7hjvTq{=hS3K0}|6Iww6^vVdNi^k{qoSW0Fh>UE{Olt5;haf$ebGk|u80$d zW-vMVxh9#G_Q z>f^DKN2K3Be50f1gjZp80*ELOSRN}yh!16;I+EHa4cx&H6T#``aWxeg{qCuyC-~@P zm0jEVycGsNB1uZ_&xeAHck|Q)0k3(&`1f!3notm3Nuqz4n21smEaimEgJ3aBP^7pi z9^u8K;?;}B>tF2pQTwb!2zXr2=c4PB++?+#knj-Pw2)dlyGV$*JBHv^}p^sIDu5^jAJZ_=6sd)GG z#6eVAqur6Kxj-mm^Mh0g()I6oYoQ#9Hs_V>q*t>bmF7M57s^!J?;o$tU#rGZ zV5hC*lpp7T0i^`S;8Dbc)+wW`mW*5X+SM z?BybHSaytWR(~%IG*SWdF*ju)$0oi?vQ8Ytt29*grc99MS0TnoK_BSd$sH9EOhOR6 z&|H=61uo?wVOI&hGkc@Af7pn6Lwi~PUM%E)rrVJWm@gFg}n+& z);sp7+ej8P43B-O-Ij&iij3i)3_0BT>Zd&Nf44fg0$E((oyrJ1kTTtz8Y)afjCK#a zo`j!(pjt!4vDZ#u(0Nmtn$r!I-@m?D#Lo(F>4SLaQ6?zKU(ASps)|-Xcs0 z-EatvdFPM69(xG-)uyZ+Vb$f?#Z1Ly@GD$7*4UnmLOFJp%?(dL&hO`S8;`?b)rF2CkaakokTJ$&o#cBv;w?- zqqHR+iw*>z=L>lpwr&H?Kv8nxnwe}ka+H~^KEe|SV;v2ePYoj=fo>mbO@1c2{q_&V z={7N-CBO5`c$%Q=clbcfX1yiwG1Jq}Z#h5~bw}W$fem!dI1Tuwgrn5(gIZQcLcpB0 z%l2!HAEI`liEuof1FYunzpURdggpOAHIu}6^n_Zes3<%b?fuRFSuwj32AIE9hd(=w zDB2E3)92TKVl3^{LTV#;mhaMZzmkY7r4H=d-+3A7id_|y-`@*p!H?s2rivwW7d?Rk_awGI*o?{4(oJDx?33&AY|EI;{ect~%9&h~z?|cURtg6ya zdV*ojm0=}GCm`)4xwhw)Hz=L?bGWen6r7`Vy2|tU1Wa-6x?QB2i%hw1t@nH^1R^38 zqno=O;e~6Zx^GS)jDO{+EqGM~PZ)ILPJ1~(TqL3wyLb`dz2D-E$9rDjeLv4srJ7y6 z6w${|sV^&80?-j>qPWmK$I*iaq+f}A(+GOo@tmvE7O1g0==c7w*Gx^+#oIZ*opMRUor3#xo zrCAjtO0fFF|ND%vCF&|O+xv@O1-Jk5-+Y7-%SZUJe1r+hM;NetL;%Z2XfeLezw5tU zX%wt*?|!r9BN7b4GnFDCknqhac} z<}QWhd|(}~^5ahqgX`uW^U1tp!RqEfOUw5&D10fkjQqR`s>-u(yzzpEfX|grb(dEJ zrKes;gtoXKrtd4$9&>)U@JTd?S4s6hj}QA$`zn^a1O-xQ-8mT^2M%(P-&G3=VYRmJ z*ORW(U@r2}Wg{v9zD06rhFh2Z=kxim-;Z$o)W_J%nGiBrw{g%h8QRFFUr{L)B9`H= z`^Lp>L5uaOM!{enx|nY2?9q}1c<~8%{p`@ao$z`|LjRbnk2H2(9+8j=dX#w{1)dVq zg6IhWFnV;uwX{YAB!^|@*9V2+dW`k$jAmPyIn94{;aC##H}i{Yjy8n_bD58Rr_4dM zMe#$MPB3ykb?)Y1V_=lMehk!BE-@L6Kj zUm1v(Ido>#%>b_+_)=Rn1*@kSSiW?NVml!ZC-=E#7!&+W7(PR)+6#NMHu$!;=%5iy zRz1jSe`o}`2@htZYw6K5_ud1Wt`gv)sCRe&x*nRzxDwG8L0C6DPEog+B|vq{p@;nq zGs4Sf$E&Y?fADqTMHMErKytfaAJI`1VShY0k3khW==Cm)nG*C>U+4$JT~&A{1RTew z5aft&pE;u!2tO}g3cqwV6}9c%ZJ>I<4{kk85XgP)0aj&vH43l7ktY3&$?K1?fOkHB z;}P6!@-B;hWq>xdjbx;()uAt!GMb!R1K5P-TWw~|&_fO`hmu}`pCVmgii_j{OmCA0 z)7zBB^foCmy-hkyZ<8ALd>Yak2U>pSq5Gd!90U)ff^f8){3Vt^sL{U9esOm;iW_^a zma!5KWz^Kyatp#BF3cnQ_ih3Y?90%D6NzSUYf;-ffHVmeT5ePq5}Cu3&N1Qb6>}J6 z4qz8HI0@>FUps$C2F9JvG)Wxl@WFy^n?;w&OcpsC$|BP%P)O9TfY83`T#@gk$iakNl%oO;^IVu3eY~Fo|Xe>Zgr7ACF ziw%J7_}i0D{k4G6JL>H6doM&am?rB&hI!$=RC6ah!N2!G@4kKnx@mTpE?GbD?{ z$7g&$;sv$QlV_Q0URv&G`rY}BEQJ#Uet+RijK2ZWJf_ItNM{X(TeJ&3QB6p@t$KBt z?kpTU(cQ9ghu~{@ps7sneFd;)y_I+MI}0N68+S(AI}l#H$6r5FGtAFa74tK-!2C>A zF+Wo^%+Hjd@5vnbzN)PhHYn6dy+)#eBwFrd$=5b?(DF>R&~9mz==XKcgjEPEEtOl% z#gu@_11HV|KU4JSzSrnsc^6QSX?)Mk=Ep6F`EiSY%@2@{3sWW_h!zt%t5*OI zbNQTa<^%(k*`b3qCVmj_lB@Ssf(^}Du-&3nv;*T0R{RFisxVh{(Om3}C3-u2m-w!< zHK;Sjo~#*kL-~%e1fh`tsM#aGKr40#=F7vDPjsC{tBbcDr2a}G@M_Aheg6^Yqo9yHx;sZC#ANnXG zY6D(FL2qZ&!bwv?Icp2mQSaBwIgdlqY~nseBMo$`$MW*~vx>O=Ni|*+?W=bUfy1eC zzfM1jKz>@iY-Vi)|J7Y(LZ>#g(C+Yy&Uq{DaOgYfA#>#*!0V^!$~w#Ti{Q60VG;6$ z!L9=3+O_`JDhdJFCsU;)?BSr#Oe^~3P6Euy&Q2|Q2_d}oG`#WE8B>>^k43=q;`FRb zqe+NfCZ|*VW(3Ty4L9HX83xvR=2HzuiOAo*hcn@PAaFSwzA7sg1;!L72D4-ZkfY@s zAE(qpLPJp*UT*|oWmrN)rdJW|Dty^}GfN20C-!As`N)lWJ zi~H@jL(IT>w?oZp#xXW@14EHUQqBxC+L2DAOv{VD%y*LLLPhceG7|F zNMmm6@t_O_G2@u(im!!8j9uJ5m5U7mC;iL|R|$NPn53#%Sv55K(6(P!h8fr={OHmP zSz)Z;;2*P1W+)`L&1Q{^fH8HETUuHnQ2*icfdJbGIPtrVWx@du9zEO9Sk`~y}dw-8tvqTm&EnJmT+A!mC z@AdWVP=asqa>LPf0uSLus!r#vP*`o;+Pix_5xqRbAifbA1efDaC2x4gBfR`&y!aoy z{R??Il%rB?! zIfK+~8rD#IrgAbzf>1}jL_9J@;tYv9V)Io5KQ+r28m=;;?!Ze|Ex;mZ2fZU*Tx7w% zz|&E6Tf8U@4a~WmG8m1AtzYh+y@f)cX>GhJzAX{4a!WnhzZs9azw9xo+n1NFilQUL z9Z_@`uT0+YZ+ASrE;2Pb!|T6t!P? zV71Cx4?PX_x0NUrVZgHfz^R^UG_#xHBfpq4Y{rl@_gb+-snij3?y*GlDy;9QLR=>7 zHkk`omP$j)zf`YARfj`)X74x3BQA)aCP?LHvIYEpME#rnu`LR8?i@%+a)z&8zh0!| zc0s>BX{gwIae{WbT~;9hCE#$ADmF%@81&l%INoktL2vz+4JGXwptq!KNM@`SMuQe! zmN{l3_WRb;HjVaR&hgFe$BlB7q*xJ@HBg4W|GE8>EKrMo*8 z-QC^YozmUih)OCJjY`}S5(WmPA|NFe7>J0Xyk{QI@85Sk&&>Co-*@Kyf6bn~*V$*U zweI`6K9>j5A)nvdPLD=>98p}cMN!aqxRIvnPzj|zVhFDYNn zQim*0YY!ae3J2r&tqTrk<6#a}3XT^hV{)T+5P>-+2PU|zNjWbO%TM_C{hO1cOmL~a zCh#}Re#it>C@MSdx!aG)V~{kf-dofH{+lec3$3c4@c0|>XM15{)w%aNBeY?Kmi5-t z6&@6qMMlb#ZvuF!1mrVBx{&2A>s+Mra==aYV}(+)18Pr7Jyx`01MUY;dz8X4e%^Pp zc!dN0$X6z-Xxi5X4wa>(&X{PRYMHOK-7fYx_m4O(`sTIk=z&k|H^#}&25|m%eDTy5 zJCuBq-}1-XAd8g)|uMm-Vv7kzgm(ImY)h`I-UF`fXh6 z15%r}iHD04pmy+CR*`=Y?6bSq8>c4$Q+oBd!?6Sie^T;5E%Op0?BgOx5{SmxKZq;; zt^7?NpP#%5Vv7$TEl;*YlVUT`Y7>|o$jH1Ut`RL@N}Nm0qtJwBmV>Q#Yt_NM%bzux zn*$BsVP=Z_%!91g<>TK>Ny2N4NxD~&1yRQ($l)tVz|Q*n)l)vaD7mVWNiWG1Yf%j zwjD>TW(bZemSZ*PC;c<3@?yWKGn z30L{OR4@&D^lP)IFL@~%hz~!PsmqcB@tffc9m2L~d4kxa$wUbhcfYurO9VlxpYsoB zFhMPO7d|LAIU^$v>*>#)YVd9~irD$B0OFCWq;8%PMz^#EKEzBY!#jl*%eSHG==Ek0 z-cW!FE|DwXJ5St!ROC8*nU3`MMQzuI@K;igi_FAK|?>- z3l8R6WQ&3OeJ8N>|?zb0q&|^bmum7!>Z;)a-kUVmN4@XnStj zqrUvnYbe4HV$%z<3U67#=lfO{C~VBo;>=>`t#BhKVd*L-nNvakT|G?@TThe4*3&Ti zga6diM6vZWC2T#79ZXYCdfYuFhIC!gS0w^v)Jv)ukGCWO{D(ZL-%*N!W^##8uL(2! zK1~&u^GXQb>RzFo^kf0S;)VzB*=b-bBKh+00XqbS;{SO0h#91V>nL_#(Lw1eafvh^ zbyRkIk?~IvyvBZ)_>+@ zk6*eMua4F`n4BVvgpq0varBR?2GHcOJD)hA1`6575~t?Okb1{;_HrjxSPC&`tF)j5 z(i6`=s4vSPB9<2RX(}>^G{N(bEhht!(@ZljB6;AP<#}`81p*)(zd*;MVgxne2DNjV zT5vm|p)~xiHM-sI_xrYx1B%!@beV2!R4bj zUw~-@?4`EPv^*$5J;l{RF9tJ#bMnA&kiQC96}MN3u4e-A%9J{>fG1Q`8-<&^%0p|~ zX>7J?opP>f!x)8XRyzY zpdVx~hOQzV;<@&7C}7GV)+kmKwQSkMIK4OuinTYnqHkk#j+JDZwJH+8mbP|GcS8WA zgKoUxh?9a96IGV&9&1G79x$vhj5$XLuieLQkpSIOHRj%rN#S0{K*I+IHo zln11QG!!xCVJH4{q!5e-tO}CnBhYxro8;;DfM&kNNSqQ zV84lu^S?CoEo{K%gG*!c!CkQV;Ii0!a7k=FxF-C~2baX|Cz;`!q})PjvKH!zeB7FM z^t_^v3FrSiuHOe-=Lgs8|NrCv-@niQcg_zRc74&t zt}iUu^@RnyzQ|zL7ux^v_w)a@`6;?a^epR-5ZI?ySuxitBHQz&Qfj9}z|8Z@Ztit{ z5U&oLdh8+$-}@RiikX$s-}@KC&ZjkYK83OKDU6*@ZR~td9G)JG-Ks=7s{Jk| zToEvLoG$3Be<(18ET`oLM!~P|9^Xp`!{Ki~f&tr)P{Q^j&S3iywAg;cX>31&0X_;y z@I9O~M~?f(BgGo}h}fhKl%6f$6_&c z@r17`GRToLe84P>+V6N=eOf4s%xPEF?~Td952mYOKqd}&r`v%#R|%%4D@L`A-5@jm z>EQHb%(+j2``DI}GZ=l3wOOKbhK#^7OlwM;q-U0ner%+#cO}N5 zHL0TYh~{8;dO_^@lXroTRUa9u9S{p(gpPZ$1p(>h`|Lbrjv%w(Judvl4>cQ2S%{^& z!_>{mL-F?`sls+@n&{Exc*?!$k)6BIy9B?x2emZvip$g`H{Qua7Rxz0Hb?( z5NH!-ULT1}yn@snPZ&dX7qlLKRF?1~{KDaGg&>*4p4?HZQ1L z^{PmY&P8=QvJ6UtE^zO3aD_^}3%uF*N?h=j4m2N#YF$4Z31+7b@%NXj!+BK_@9T>} zC}F_TgAvab+`Xf)cU(UNtPg*AUC^RmSprrLp{8 z6D+@12IuF+_4hiN^(k56xd%v^Dw>?%O-9F`hDwOXV)Pt*3mH^#K2ZEjlyiwZ01bCW z$&k0Z!1k4kbsQ~jz|1&$NdZ&;Tv7hHU`pf)lVh51pJ>@ZQrhh|lc&6q8_}<`3koJU z^ApMngFDUZh0yQ=E_!`ERrK^i9?wdzIGD~6DxB7qfaBj+`b=))L0{(g^1?YWob^Ju z`aN+SpVhFdq(GAnV-m+)#z^8(5OFe7WQ;njOE@s!lf-aM1uY&(kz^r~z>o)A11Zoy zeRHYfX##*s?)Y`33RJR7lt3(Y4rs!!G_*O!WBiPq#Z`W;AWhwGS!^4Lt-qbd*58z{ z^*3s4{f!n|e-p*l-$-#D?|8XWwZh*B#N`7&lQFrX*@P6~SZ+PY;cfmtuWAURrx#iU zKZv1h%k|^ljau-=HsEe&a}2Z}w@y-`OGg@~8z|(WW5DJ;ZLZtl82D_J_eO3h89ijQ z&!b%n$9et2)xZBgJs#KkGp_pf5TUN;;~1ZFYucB4jvCc4oSO^Hz*)V#YKt>rtR@6dI;FvUrP!eOM)3PoL&^|4ljL{YZ zPCUA%Y!xOlLG~6m&+jb7g2Mp`)|zT#{^JpwfBqq0g2Cv>24vkkl!lWGj52$(0wIAm`dcLaH&QFf*Mk?ptAvGcVCX=I5h} zLYgo(xe?ZCq6{)`a~yVA6yd3f;kT_{>afU4U?h1Svk%rjtaJ@|p=J%nj5n6rpdXa< zTRF-Y@m*m3>6E4gOL3hB=LIx?F7!$7wv;)-Q>cB)dS4y9x;t+55ZZyR?a!|WgiDRzS7YjqF?R}- z&4>_C2+C=kCYA$2y6~fUkF^o~@Kw^p1X*Z#Msd65ha(uj0g5GxGGNLV&^4j2Lf>>Q zryW@50jF%_m-&rQ6y0iBht`|KlMwnEGhXUee)FKXD4#9jH25BQpJ zN#VtLy)G;C?cj5nbF?6qD~TzVkCiBw3P?MM}zWCak|m8TUfZC@{)wj%X?cpQ1n4iPoA>qpoRss7onyQaFYGsw#!X>WwkdnmLrn zBJ8XzGXx{2)DlNU#$h3O@AH`Z3}PbMd+QW)50sNvj${_xht-7s{`}c?fREjpl=l$JphxHQREq|fo5NX7@e>A`$_=K{{6EWW*j`+rA45uy~ zFIywAfp8hoY3(L2wD~9EmGMI}s3l6>yT@pQ^LpC-sf5U#sS#WI>DE}FY#;d61ch85(*xfL5|Tji9q`}`s}uGOBC`S1|k z`9M^9thou?{@4|z7u16s{!rU!+hwS!d>)-}(hk&^%wB|6VSIP{5miraB%(_hO3V*C zY%qPWsB4s)77&op_=;N89>dAR%`Z99a#?-a!vkKtt=OVn4?^9W`htqv&QP!F^U3~# z4V-(F{WM4<48^|q87UWQ3-(I6DIJW=;7-1*zfz=%Dqr33lNVry`vb|f%mb$(QAUe* zik<_et@3Fi(-|P)<Ig&bTsr3QY^uG#4l z8aRJX{^m#g`~K4=hU!;2r7%?5hc*$6vVneWh-fdlC`1e&a#LlH1#iO$h6OcV$U1(A zIRBA3GNHw5yZd7TT~TLgS+Tl~X3xtv5!P=a^W_(#zAT;S+IU#bnHzO*KNNo=+UFZ2 zN2zPZb4g8F zXd>YL<>*W~P!M3q;&wNJA)!pkJTX-`ZGhf)Z|S0(H{q`oe`q4IsOLSh*G-X2JeA~X zCoeikDNbtoZUO?@`WLTFk)d~=zfAZUXrMlw6eqV8Eznr69;4bZ!w{&${no7zT;t)& zOpntB3YsfDZu@~KtW2Nym7oZWX_uV{Uc!t!%D6XQgohTF26~QGA3TY`1=>%Dpie~grT>!4~of*(PJKsw6DSvaH}y=ReDbpREVT*T^PW8 zSye+tLc;J7S2NdFQZ*Tz^B{0N&)Tq^Pm5^wfIlZV)eARRfr*=TXJ|1Fg$nJOlF+z7 zj7V2L!;U2qmuQRpqk4 zyL&urhq&p0_-;2_X$&poLyoDT`nOLPZ*-4SOKaZ@JAG$F#xOu&!7s z!|R~0Ke?D4S_AIRY3G869--nkjuR3dt#C1r$ zt$3ggX?m}dC&D#=P^EKmA5*`BpWFuW3_fTqMlcbdBmwM~kJE?@RfC#}dip5&ML2%4 zpCm^+3_d0w_^f`3fP&_1y4le-)H{}DszH&B-jm+y3DZ)6X_d5tOraDIwOSc9V-JR8 zb+=ljUSA|&y7Af_FC1#kXYCW|N$3*s} zFe>&ym>{wk4i-nb-WeE!V}#C((f6zt?uXjc?s|Mrv_p+`)gWaLyxB zwY_;WEFm7KNKC>W+Q*?}%}p0ti+o_EU2%ANSOL;pKhEAxEJrDXY0pEsF#N>-@ambM zNw4zV&L}yuOD@m)=zbb@`@YqxInco|mlj%Q89o%aNkN`lONsOPm{;`cff1fFgcTAG z?_+#LE^+h?BY%9+jLQ1E79A(pH@5Q~TQCIX0k38)ZZA~Ez_U%7lm$-9RAR+V`DjS` z+Ow(V47j0oKKwSy!1SX|9iq8Vj&j#g=#C?Xi}zwmLwfe#^#DOq89vuAKEk&@sLD1h zw9yZaA@#9u22knD-LhV80Pd1XN-QIG=t#iBDTP8qczfgb$XZk*;OXx9v5q$alktzL zDavtFb3i;}_o@qyG3>~46gVTM>`%rI+^>Mf16!(16*suj981YJZjW3Z2knOTxx!ox ze_>QArVbSFnSeho5?xJ_VDv4*_?Xp2@Rl(7pRvRIUmv`11ub896H6s8&>`94QzHyV zk9!##ia*++b`SE@>1{8NA{AE5HdVlI??{7oX2roqASz6IRSwF}M(^KrM6fM5;cuWI z35#M^*N4wKvwQK@u$8MxqcRdqAaU7YP>SQpu($=fn=b-J&JH|P#i*4tytdD z%EGm~lDEfuDPaEDc-y^lVHD%&EOV~#jY6ck(}P*ZQ}E*Uy|%+%WRSZnxs_^i3cH^X z#qu9`vHS-MEdN0S%YP8W@*l(iSKiujrcoA|d|zZfYf)U!<%`}853wc~d%%yNYbX;L zL1LTtuI5V%*q&RGSm1GiCoh@xJ2mwH|ER!>`Ia@}TE6V1u)e9KM%Y zy)BxVPT_mltqPvh6^vUQ3h45uAU2l|F9+lpnacMIq(F1IM~3K^G%!godo$wA4{TS3 zClCG+!I@XUed>A$zE&#?J*2RuKRk;_&sx&+W!-|cOuL+WGVK6lvp1pTyP=fk$##WuxBjfvE|ywOyOD$WMfC@%zm0fn|%%?Y#Db0Z+?bnLpC|1FjS^ zag;laXueW_RGO<7iCMM|llR_$ZO#&lq{OS}qn$zVyO9oP7wYxpA#KH(@4+bBlCzap z1EJqtN38{lVYor|BuCgqu-+VK)4W>=<``r2oYo{&F-#1+KV7UHXH)&Vr%RTgvJY9jRM2r^Xup3j9L8k#1&_NhI$M;Rm3EQF_cSJpB6yJ3l~=ftbR&=%#rml0r!0_~oAXNCyFsj9Xs5>=Qy zrpuNjY(XN}yiqP}-Y7FRZ`1&rH_DIA8)e1jjdDX%xbwbmt~G=lI}vMnE*gF2ew@Dd z*cYC;nW%jf2!ubYu7!Slkx2chBU5>QAk;~JCm|Y>g2t=+nmG<4K(qCM@uHm?dW!<` z-X0eR3eNPR1_5Ox#mU%ryiW|;9<6?$Ac#QzV-$oPsj2WT?!?@L9;V(Kv{tKE8;OXS zE!plegu$72vxB4sQ7HLYH+A_s=KPZ){WO=#74D!IubY_soFnD7B~D&m(0e5Qy#a$O z?Axi~n~`QA@7=Ahp|m&AWXQEx+rlcC<{@!A*t~|m*u9{YYP|qT6OWDKWG}*ryxD}t zom%ke_gVYa6^445S>S@KCtRK?RBq}GMTRj7Vlg6GupxBkZA@_>3**yJ+{WyLsYQ!5OHihL>XHT z5y93&M6vY{VUVaECM`|9h?eE?Z|@&eLf*-_UJK1=@Z-t*c$p&~ad)H<(b<&3anc@% z#4Dkwuz-}a?2<9kS8M<1FwYF9hKM>MwN4{$Vs*Yl0!mOZ>6BDC#tKCpci2dYm4V8Y zt2~m)8WD@!GVS5dhv-8Dm6q>HQOkv%FQ#=-$hX^=>Cv+^pz$RyLESb|dRswX_bbPu*Z!!dA(AL;!Uhb~2*RffogqP>&UhVh)8=ocNUZzSuPL)eUTMbUnGLn7YSnZMT%H`kswx& z^zY;A$Zg6VCdNV4;~`IyC#mQK&9b__Z#2|uR8t9ZpMw#+ByJ|N9K<*j(za|L4!H7% zarKAd>i03XxXDeSM2U7h3y3+FMBsYXhoes6!l5RW8Mvs;oQb)|Gh+K1wt)92b zfOFP1zgUMVT47=Pc~YGK#neTzx)M9U$6jIys|R}Mg14X5aIzHoxS!;BjmrWEf0n8` z2zsHx3-+u0X-+7HmQRpG*Bef@7_hjc2ch0of0m>POH}N3*34ry5lHSz=!`PBfy^Y>NSap4%R)59S>llul)WnAG2>U@wbQ{+)gFnK%|L&-5s0Y#y z^O^DZ=7`QKq>(wk3I$!fCXy$9p~#%Zo*^td9q3y)4-GwcL=9RmwIhC+!omZ5*Rp66 zRNTkpl(T0IyX|4^FGAQMecV^&jT$SwP1>*W-6%(`RX##R&4rjeq{^6hwo+8VEvdjg zSq_qniS(}Z1t{A5+LibAH z=S;&2sqY2kaoJ&@@*o6lP8uxf)P>>PPobyZoL^-Lfn?5f$7A-ai1yvAyjWHNk|m&8 z*Xs>}Tj7Ew0w2x6;WNi@>YG>)E$^K*AP9jQ_9;55XNwT8?$1Nzlo-84B-3HedLI2rRi^l5hE3&Gyc3D73!e({Qo0D9){=#ZusLI3zLX^X(oX=yu*2 zGb0c|Ele3%rpnsD)1q+vu$Vm}Wt%T_A20(F6R+u73U&CY)D|%7YKyu))zYrIXoBAz zKDz8@#gLS$(-oU~4&t5=@~H}3L-PE+zD_0>URLyxSRRE~w840$pvbEP=lTP#eo0*O zDRBM2P$fCPJX%HtzWOh_xH~ApocPGo^(qW+6^g-5i~=e%Xx*#3si5rK&egqYa-91M zxW3Q0eot`Chw^9-B)UG0`JRa?HVb0v_j+`$o0d0~(4a-x&BJXpkSjRU9<)vmZ^muP znVV^GeqKxrV?me{El`e?*zjm#_={oeMfOMKQO{+4)dUSH;Lr{oy%R|b7Dqicwst9T z=2N{Li|%q9bwh=Vf*-7jG=a~{VT~}_3Xsij9u>?vy|UrUr+1HRQObR(2h-ZP=NTFL zeBn9dD~%XNz0ON+oQ2B{CK;pKJkY8a&WOJ&h7uoHv?ZV5#GC`Kd>ty{!dYK|YyTZr zJ_fFSoZJ4RovAz=-MWMKpi==jzD6Cf)D%SrC+{)P zA5})#+%M)%*PDTO2G{9=Vnwv`nqG$ASqVv9xFH4e>NwB8g_G>*86z2VYopIJb_?SZ z6LQ6`bQDA4wHK7HvMC|E7fAg6s5A(@+pct}`#=2Bf9IwD<$EY$`5r=8zK05y?}5n| zsyk?X(=LqVdx(J71wVlGR%?}k(bn{Q3vy8@$fLHpIWWk~LQ zXH0BjBv8?+C6V|AL&Qh7&<&~}5M=Dr^>`2jKkkdq;X6m6n>X2ZmdJw9t7(gh;5By` zZ#&6Pe8mNR|J*L!_Hl&)dJ?-Z5*PSN{XUUNk{gY=%_!t0*Y9O4o)lEZpt zdCZVjJ#u~japu&l8c32wuRi5TgEQO&8Wrg!@OvxJU)P`+XCAv_ds~n+6E8?>G+6xl z$qt5R9;Lc6DItnf(oMDt!bpZNj^=?27YHW^QXjYA#d-e!`iX?Fej*dBpGXAjC*r~S ziTJR7B5sh@PXD7AoB}t-z27LFEJnPmNy7)%(;)f>-j#P6n0(923wivWrO4Q$Qr7lE z0xS#!khtB(_`SlOemg3kf*ip@VJUqJZ*y^J?Vi*>p&VB|80Cg_A>}hn5kTu z$?!t?myZ9KGzvhf?bEb%RsM*;-Hv z;9@9}l=*)DtEnC^U8_k@sx*VvBa{{|{S1IrELmp*^FDEyvrTo6>O$rE`f9y`3K+?e zjPypUA#YpX(6=qVNa#q#h*Z2GlA(Kff!N;>I5(!Gx>Ibi{3}EB&D?j?`o1N4e&=rg zQ9m6Z?DSdCP{eS^nb(fCdw%on+u4cYlnpI#Z^l9_CY{SWr6_$=J!7-l5-)k zjT{eE0dk!CQ`RwB?lA(=DAKF2`{-d&us{C$+xiP}SkKJumsH|}&(2>6Br^iJEvdVVdeo?jiS=U2t*`89C%^Ww_u!GfYC) z3bW<=%ah<$Pc=cddMw6IN<6L_pN7mbe_R%($K@X))=l>*A z2%a?1eX6nGgg;Up43wrEz`83;csx}Wn|Gj!YT}K16}fp~aXDn5y-NgA{1N^JtvDox zp7|qO#t-Yh{uevMaUZXel{8USLj_uX>u~;2g4Pxj^g(Oke3GMh0ZyRP>RjJDnEr^2jN@ z*7zVS|LWiUlI@a`+K$z^pl0X!ob^x#`X$Es+LJgF4Uh1gD4{Navs1@@yv6JzG&p~z zuZ7*ld4I(jmP&i!mNf7VIliw6kc4xeh$~!)Y|t)SqwkkM3AnKAkj)(?1#!fBzPyxD zIO|<;)r$tca9DSC??V#1lv<~R+fmms?Yr9zU6AJ`a2o@*fqDyR>!0`qaB1x3z@0PK zaDM-B?bqB8*)`PY3PjdR?a};{hA{c-6$M+I8RV;N=gyhBz_jApy{K*@FuLsUka^b( z;hN`iu6gC~GLbqezWs9R=2ue`RB&wn8Ko%1X$8z zmmgz(XC`L1=$Q|O@IgHOT+@I)kgY`Z)&vKDzVmQqBV!)gAg9(kljaS*druBOH}`|2 zOxm-}QK3NAv@Lga+6`u3R^QmSDMePDZ^KW}`G99pA}x(j09biG^9c9$07nspGqI0j z;09H#?6A8(&ipi7^Z4#PHnsZc%L>8ObRDmqEz#Pd-DJ|5Bs5lj!}r7Jn6}7Y9}LE+ zqU`B}kM#rwpr<(zS8-Y!N!;l)?2|V}dxZFI@va6SOUz4NEu(@yXsxy;oH7J9)u^IA za$OK+Iw;e`=;#OE^{R#a!SHR4Ila?(rV4l7t4tXmQwMbQT(zE$F)DXx;}IiK0)vQ> z0#^1?AhYbVeo)hZ>7NBo+L=2C3ls~9%#RS=u^ zYL3l&6~X4c3SjeIg|YlSSuB4~1k2wO!}9mUu>3s{EPu}$IhEbnxq+7lMN%qky)I6O zpv&MnUCAYsQf6{QAJa#Y4r%yuf42xKFQ>AbVDzOitvVY%S{msw)_xZ%N-evW|uIR^mekk~v zl6oT~D5f-gDTg?4eqQ+^Y1Ij?u6#Q$QEFmM!B(9Kl|bB%r;+6@{O=9(3DN2aZ>Y zxIc*Sx}P%dnTbVOC&uMT3C+y(hZ-B4>h=uvh1X>vzovAav_L0Mw}{=fT^GT=XtfT&ufW&UJdN?YG9w&3j4fTFhs}FdSAO2 zh4`}-v{`$jl26XhWaX{_8^ig9x$nlPt975?Rahlt5W5X8(Ord?6ye&(-Z`N^)_;PA zR=iQ4SiG)^ryX49|Me-r#2%;@20m<^v4y)=jt*sPSOJ~WiRYLNAo7~BJ4g-YK%35e znFiZVQ0>O4$uD3HUlmJe9{Q;O^HtjW&iks^_gMn_{*z+ge+umTPlA2_$+7SMDXbpY z6q_$BfXx>c!sZJLVe^FrvH8M+pc3>waNk@T3YNr=y!ZTw$09w%V*q?}(edz(Gc zg?WAJMspS5E0-31tEdLOa_L$uUwqKy&s2k-X$G*xF&TNj%LIb5W9wTqoKSe$y(c;r z#xUl}^8591jLr{7J|~~)oWr1QA-q2)d1?Q0E(l8b8?pbog|0f~$a!)X!HFk}>&ou= z@Z?T%-dG6kegp#1?aubM!pJ;1C}*aV4PEIvzbUvRfZ}U!6}ene1gQ~D{>eN6^jr7q zhgesH-T(Z1{qx@E^P*Q9@{yKj_4AX@BH=c%{oP1DZDj9yDC%8a1iXJ%`@JCp!$-7< zo_c#u0|H2&zKSD`N2vybnq@kre?bbHzhL;kKJOr1GGi;9Di2Xfo5i2J9|resD!%rX?BZ)?L!ZoaKC^ZS>Z`ma{e>k41pI?dY%uTr^&uYxf! z0Sn4E)oO7DP%EhJB<>J}G#*yH(xov*Mt^1mMV}j?%B7<=zlXhn)^VBgyP6@oe%33{ zY&j6MN8OwJ&F+uogZ+CxDX#qFgFi}!Ar$(MjSqB1N@DQRI+}Mj*AULWYtNZ?Gy>X7 z?*c!m%R)@YR8Y=>FM8}iHpbZ-iKxuQOlP84kz0k~T4P5H7+0#@WuJ{j6;lk$FVmty zB-r^C^{pUywuc_PKE?yIs{uFHY6y{IV?s%RBPQp7=$LO`ojS@*u({FDNr*^U>O8Ma zaKQT^){D~70$?0^_Dttq5@ZtD@ev%VhK3{0oV~)EV6K0=Z0ueq(#^vEE*>EVj!W$! zigi6O-(=3M=3Rx}nJF&1c$K3L+Sl6_<26XhP5LFl-X(P6MDF3AoINmYT(C%Jcn-Ba z`w+6o?}5foXpelT%|r$%MUvGZ42s7hYrRSH;cW#qDbE9p{tU-@@^eWdfvM+y;7u^` zx=AAe3MbBG96y?g%v{T3N4AsUPKD{hf^ibsnRqO_Q&kL83n_Zmv#O{px<>xuYY8A@ ztSG4XCJlRZ#EF_cI>;F=*T>$Gf}8m5-@kK+DOZ*D(3gjp;+gyci!)`Pp|yvcfrt|M|yL z)V#R+>nUc&tbL{?5XtGvC99ww(C@e?^DJr*3NEG0423^IbH}P4^Iz_Rm$%cpzx=oj z&&d|;>I*L-!=BNqrIZ9X(Wc-0O{o~}<8l9qmcE4WgiouK8s~!^(LzC@Q8Bc{%L~?4 z`=Er7Auop(W4N?b*gYp@4{Nc##b*xtp^Ew-(a3k^pimfhSggSwH1G1>9}IFsaRZ{_ zr)>O?w+Gef6Av(4Uz;Y+*i{EOYy9Tu#~XIAGV)pLHb!5IYyEk`@1WqQHii>jbmXut z|0P6}OQ~m%$-|15{m`1P8v?JH9%_A)Du$Ax{&^Vi{c)`8r(ethCp^8sD$pNB`0F0Y zt}A?K;1KP)wkH#KsU1|$l2M>!o)d4L&YZ@%ev7L<&F`RYk@%Gsgmk6etNfyeOn=-7 z|D&%3`i`Mmvnd+zUgRya!9`1yx1gCyZl;NIf8kr{O(q*@A-FGKq5m*P7}eq{j}=dn zA@U4CB`a-yXxJtm>l+nD`yUVL@ ze$tyFDyv_CXW`rZUF zT^z|k`4)oXMQPXJC-L&K-Jf}is~0_;Wj6ix&3Vmkm|honuZ_-JvJaDSFO{9Cg;biLPl0_gL~M@k-q@6c`Fo- zT3te|pUMJM`p&|L{d_GM=3LXn=i!pQ*Nm=iJ}$DIE`$N;xN67i)v)r5({z--3ANFj z33I|L0(15H(odoozQP}pj*p6TaBgPsa#64f5_s|SbgR?j8C9}*^B^s{M&3G z!Icqv=@!+0Ii4GPeG}~Ud9c^##9m(vdwq5|=l3x9kggI`mwhCy%Wy*zCa*5G)4D?C zOFeytB6?s^k198cHbeVckK^}`x`2(bm6Dlo9^zvN|IykSi^vwLA2-Tp!x4Q){P;^@ zpuZHV{wPfgwcGkqU(t)h`ThAjKmUIJ|J{84@4fzp^Wf>NV;snge96c25I^WB2G9Hy zVMm-q3%h*kLO@Aw{PnWF0MHNfd=CszK!5op|L(_;6B5xW-o@zhM9!*P;@P439jkLE zWxNrUGP};av>TAR(_B@08wVOnQrQz5Nr2ifnwkLQ4JImcj50FZf7IZO5|Wf{Z_O9Oc8ANMgz)nyZ&X9* z1RD!zG3*83{&g12T?AJoGeqJ0hRc{CnJ#* zV)W7Vq}@kMveMACka6SzISo?WJ&Z3(Ar3@efAJi{=-T6{q-WoLO$F`y(=QU-FkE}N z%b$E0GQs4+Q05(l3Z$#=7Nky>iSv40`O{Koi=!D%P-`UHd}=|b;*7P6ZZ!a2(V7|i z%?7X<2#R-V>q6Wqc`WlWH8|(L{MDbELrSN*sEUs@+LCV0*futWZ{kajI<-vU!_CKO zf7IQOn>B$x&u1N+?;lrx`rq@^zw?%H&8N7M=pJh4S%5|}IxVU*%fL5Aj%aB9G7Nqi zAJL}^0EXao%Q2fsC@Zo|JM7(paLq&KC|6@myB`PK7k)=Qvx-M%i`K+W>Pe{RoS?vE zLIk=aEgl^Aeb9bi+H50f7BFg0CQKA*KzeNF)Ba=~cz$i*o zG~>SGUPL%5%QSSNa1KEo9hPxEpQ0de^0KGRD}UJjdgJ(62QO5h@^+fL&J_^Zj#}#6 zAygqa^VVtK0{!VV?bC}BgW0paiRQCnnE(BC?l+E@oYWVo=QZ{P0N4JMO|MDTa7ZFV zCub2jkjFr%{f}=1hKUgPNn~h8xD;i7>gqPeKL=}SlME--!cY-M3pHVUG^9`NO5oRp zg0+VHr!ck{P*@Mq>%;sHcV^F7Ta<=^rn;0`RdOiQ%4)8xlw&vqf=c(lg*d<|3L3X0 zc_(mSo65g`*9~5DSIjTFH(uQY>CtVU2pbV`I#!`CdRjyFWB+%kUG+TVKU^q zcof7ZoMK~>g+Y@@c#%Lr9tnS!BzP<&0@lBYJ}vi4!C09#L=g zke5u(=m%5RU;+g_!nGbw##X}9`$-!ed2-(}FiZ(8oU|lS;THxkzk+G~dNFYN#i)Ao zo)Y9eO|8)16~kGNx?i26T_0SDT#rP(?b}L0IS;=bj(u1JF^lR+^P$D4*nzH{zOM*q zep#8lvCM2KH*K^*>hWL$90AQS~Hi zpjDOi3pWgah&TQeM=@L&%LV^IiwbvmVyk{rDAy4PX)HyCvi*@UcUz)jCKEVOsxNCD z4upY@kgXqjnuzYazv>A}FEr#Gy%hD(6Q#1M4oN&vMf@94AL4uiz`pDhZRBzo2t5}| z)tQP%^+z%X)vW^|%r??0P&EYPSGzVYTgD@;8?T!6-ur>qmsqbWDpGLlbODujlnUbb zIx2DtPYSXtqsC2b#bL6WS?_C!Dhj@$_fhzQIIJ+ZynVX+4D~2+SL?kSL>!WM)OAT0 zV7H*h$ic23M$1w@8r6n6Jd;)uTPg;y1?F2ejn z3)#pp`SlfqH{M8RpelZ`ugue-@HbzW7n?84j?EX=#^wvNVDp7J;cvb$2jH47gDYQ4 zv5vRQ^@=ha5tKf$Riup3bL+}K6IO)U62>&lQ$-XH<}Hxyd427ZwKQm`44Z0 z56jyT#PW7HvAiAQ|8ajku6in|4ZP138$pOdaIDfLJOPuxdGy6jNg&+3tiQ_45(Ic8 zUn=FEc|)1A=MQ6ZH%MS26j3=84NYyWJgoG|AVneR=tz+UEvN3d6ZGW4!pkCwz$Yp2 zGe=hB>2XX>ahx?T4tlEwQmd7?j}BkHzL z4G$MDSTZG7gU|XN_l;vI&`3T#OX3<1A6^A7HFzeW2iI84Ea;n1X=~a5t!@+yC;bk6 z@*2S|8|T9@;T*UZ#vjLW)bIHW+y~P?YKWxPY39OD3S^D zjnUG&h?qyO4Jf%kxmj7xf*|17wn&OD#LmlK=V;DF-F#zlrpl2p?V6k2av>PKu*tGh z)e1xuWXl)+ES-Y;RSgmSPgCHM-N;uB3QA;<`GW@JVe*WwXiqS59G` zUtpbg{9XUg{iLwQ&vuG^uVSc*#-DnXuxFbgAJR`AUvN598SjngRtD68&zwmnI+h){ z7~?YO98`fTqmGV!ND`@jV-aVraz?@m0Sm@mrqIggKC5@d3~s#H5SidsL+4M07{%ax z=&{Z_zJ+CXmOYL}3L0&yUvCAYM1zhppBr9qO{aWbjg%01mjCeE;0=eH94oT3w0?Mg zF#%lWn+b3;C4k<IT6?9Gtt+1zeWt+n}ljw5CTQDvOvP6KO=wjPXD<+7*;$p z$`~Uj{38KBNf?`)yKp{G*{+2)S1r&F?gv_5_{E^2pSVcutT@=nytOX%5QkT@LmG>s zLNH$%Ff9}z44YKqUJm)D2=3Xn`b+Qu`CPn6?jK=jTVuZEKqdfX$5=3K4ke1<$h zS$T<<@~1s~)XrZ#yJ`s=$F|6A+mldLag+$Z052@{@6ziw;doD*CjN4 z6cU%@b>C@RA4xZkQItXO#d}=bz}mj_NJUu?24rQKWNQTAo06EY zNgY4<(2uZnAMQ~q^7s5K{XhjN7aru5c2Y%Qr>@FpMM}Uaa(k`j8WC8t-3`x`6b0Gw z`O-WFA;7vmbW&`ay(9sRf83w6_%RpP?7)r%&{6N zu%2fk$P|?YFIktXrrI(vb(Ep`^|&+;)NFnZa*zhnOxBySL9rR@uEn>`9r?1-Y(5Tagv;cz|17JNJz zPB0tBctuqqcFmgse5LW=tDbK+*p~s&K70D@DaQ^~@PNM1Z*VC}93=6RoIxLIs4uHV8q_w)&ue=H=^ z)4JVTO2p~2H;T*Y;VAjfN+deRya1kgu~eI$L0IqSc0*d{nJWrW#)O^NC^eMugn4g>po%TgiKgkdDS>KnGS7CF~p`H6wqByxqdERTM+ToeInS)f(qp) ziG0{?LH$c}A`Bn_NxWW={Bq%r$x&d>F9)DeZEo$Gg%PruZMXua5-0byfsIxx^pGj0e15?kFf zzYO51*+PSpvk~TgY|s0X3?Y&tAiWno7i=qz(tJauziem|H z2}fxs_nxv4$isJ5pR+$@Xwi^v!~R=mWI;WvA7WTc(Y(mg*1(}zrMl09TM2Elc)#g? zt|!o>$i$|mA_(i|$7tq`a>LrGyq_YMg&?IXCUBJB1c{Q}Ue@d6gQJm~Sy`2wu*6b) z>qf5|YhnxL2S2#>Go@ceAQ6_{nyzjc>wtraGXJ+j zD$q6h+rR&pC8FeQO5m2!ginzIl4hT5P{u2%n)(yEklIx?Gxa9}eXgDsjxb9_*5g@$ zXJw*cW|!hkM{gwPT66ue>JNv&F^KnGpyi@PI}dPixmjn;}PUmIxi z?ZrPxh(lVOj^;*;37R24$p2wP8&}t*W-qRAK`#B}tNfkfsBc=h>H-Z9yzlARB+cXm zl6{Jb`bm-~Q8{j);w(FaH1Z_3tS12Z_{kZ8mJsMr;t$WTPlnUt#}2==ID;6~)ahU)bGFZQ0&u4b9rVn)En**so_iul2U4Bks)y@7h((fXepb zvs(# zXdh)iL&J(LUF{KkHl_tcW0V#2^&*Ju!1zPWXdQ^K(hZthltres?N`5S8=#Jyu)(wt z4``?fe95Ni0UyP?PL9dA!lg!Qo}+Owh%C;4CacQ}wTP#<4}ErojG4tx#hyyw?x(BL z&L9gCS?XG~i7Ie_Uht>HLr0`keP#FOZF-mzkf^@3tpwuXGw+W4a7P@cL}yLhO<_UF z(d=fPIkX%;7h{oU24}y*M8Iu##4x2|JTzbdq&D6}bJQ6yd9*dA@yTg)GsH-yN;Lt> zFE6|?-p2V+?|k^M|5GvIN}RX!(~JWf{r8++oRL6GP1}M9*l_+1%*ngw9Z*Fq_o82+ z4Xpf{OdcCm18bMi#&hDHsOvDd-6MKGI8w68EYchR7R6RtAB+>x&pzIa*k@5l^Yey@ z;)E~on(WKCg(9FL{L1$AJI!b=cC6i1r2)(>YzQ0O6VVy}z|nN7GH}0FRLSesj2>vF zht>t1hi+5xqcxVIko2+Q;efX(ToO^+Eu?ft^NU`0imkNKjN1O7CRNPEWvF7q1(F*C%nt z>yw1x^+|C3wEwA3;)2&FafL;h$%0T?8(1*i&9}k%ggEWRvba-wpo;rl3xvz|=nTu| zHcN>PXiA+sUB>ah^6|yz?~Tv@6h8k*eExp;{BiztEHjhtd6Dqw^+9fh#B}tNmoqzD z{1lAkM68bbM8U1(*Do2mP9sL&tfTk*qA}wkqbb_o8&PC|TJ(JWy+$4wr#uyjTe(nlpTxUEv=sj8L2=^spg8b)P&#-$D0aLa6enH}iVdosiTy@5 z1>nn-qP?104q#pP{%|b^cb}E>uDATc54-y*BhPPf!zt@SEAo#HsbS2cfrF8$M1qCPr#fwpg=| zIDx$8RIQqeCpcc2j&Fab4pVP#2vAp>Acn8|Mp9@@z;}J+VSu*|v|0C@d`%aIW+L}x z{!%spGg;G5uAO?I8Li4QiCc$NUu!TTLW%ix7-;cp`P~a?M3y=>uiS9DrDdknIce`b zkyJbJYdrg5K$`J@*1GuDH?f z+fhJH*J?TI8~}rTW!`oy*m(hZ=w~aDPGX3vcxKdD_bGY$h7~-BPiJ!{K1< zr?rkuaZ!^h!yV%AQKwvGAdP+_Uo52p_dkpHaoftnM+S79_m?YDW_+S5azPO$wr9=? zysv`VA2SzX^BzEp*ox@Xz8h#qPqnfC_9%KBEa1UGIsqF+Zw=PW}&!p1}V{ zFw}e77mO;}WMsV((A_)t0tO`_(amz^AK6L%z!GJaK*oog+YG*-ezlm2gqp91a~JEN zhxctaE8_A%XYfYRDTjO@+|)Ru4X~bTL z<@-3{%J)=Ml4a9L(wPFkzo)*T7fnKPa@&Q`_zJGPcu-SI>Y`MkAxRm zAL-X1mM=8#za{rEJH$6@SaeHCA6A=uFF2;VpoYX_%l7YefdlvqtrrYHJpUp6 z2$MS+vI}3?4l{=8ZvTd3{uW?OJ?c;Xt`wpwoko7+?r&XL=0h{0H6Z_KxunN87&#Hj zlN=nXhc^4W@uWK~DDz70zCR6qpv|&Mmp6L>dOW&RWCF^O`N68)bGc{1Ml6qRR;eC> zewd2$#CM~{xtuSF#T>v-;1Z_EoDA2754#Kcguo4uAy^cgk}IL^w@|kP}GNM*}(HY3phO`LYvtDZ6b7WVcL?` zO%Po@;1(=-+#fxutT}K@G84JKIOCgA5{i_bycpZW>6}pUUY!{?Eym0@$2`Aoiij#J z;)F7N(IbvA?69`eQQbMpj>;11dgZ$L(Yb5o8HZ^^QK9tFpQVbTnEPFiU+V1KNn-@# zr`gnhP8Dr?p{V^^WJo zZDUxjeE5ZxDG(jwl(>x|b-^sH=x(KzWYii!ry65>*w+l*vHtS3id75Jv-V<)E7c%HUqOp})(V|;)I0n2 zp&A?@CVX8~WdtXedNXNGIG}RXZr3nt6CAI4uP@r&09<4PzTbJ}g2c$befAzQz^qS& zm2aXf%5;GEw<0pvD>_XTp$u(iJU7z>ZP7+z=x--n8&s8XJ?tPY&WHY`+5^TwWz6-s zgLHz+OEY>{xG?6Nk;8+Uzl-llmokE-8Ba`&6dlNOI`wnf@gm~w)vY76G=R0=i?!d5 z6@P`*KLu-j_xi16@%2%h{(P0Qiq`E^bcgQBZn8rth`vc?Q-UyXPVSoV)Ch*{)aB}o zX91Y?5dPv@q~XoHLA3vCV^r{U#3en@7>+dfI8#0o$IXlR7+xJTM$|Gid-V&Fcz+^M zJibv3k8f1N;~VYq_(pL&zEK#42n#bGd`JO3F2ULdPB|!Ac9dT9UNX>3JKG!&O@YIR zT0&H!7)iF-h96jn$E-(+6>o!;4>ecI+EL--3{f_rZ{O6tN2OT5Z#k2<(#i0n?PYk^!U2mNO-22$%YUy9i^p*(&)Wmm}$84jc| z?;P;P)k7Ehr=87#tu3f5fy)8MJCVAbAMTCZ%Cu?{rp)1)2T^w4nl)xV5lefQz{l%2 zmOz;^jdq+c(7i7C`XVk2(FI>rdrR&L3NK&9l6}$#r{GHxsWd*A>m!m^bN0J;q9EV@ z)6A6nH8`;sR;kf_6~&trP~XWIM>}`jpB|Iw0^dVCQ?nWanDqd$)@xYxv1dBYz8YS% z#r2~$hBow6VDB-{_1hXc$j@N%3q$ZXCF5sv2gK!M;ppuz*9bN&;Q1j@t0#ZnD@7QT z92?6qMHcrcxfElxAbG0DcESUvi_sb1_pUS1FByNF~84P{f2^@jp&c3SK;b_eJhjcmB`okRqI!>Lfm)k zIk#_5uF1nW8qfd zI4qjz_rV+K5;d^f6Wd^ZpM|B3h~AW*fcSTAT&@>z{e}9gN6+nN0Cl4R0S#Scv>q?| z^@tcVxJvhVDCiym&lf+k{bUW1MdYecfVDZAfA>k{?G2nyg*tVwPK-VXW|eDm9nk~7 z@;CH{h4?V<=dgw`n+`oUI8Ej>QkGewgqbS40TNx%V6#iEbk>G*U*)OD^L5Z#SZfKx zh6ZN8Z>-OYhF-rb)cWW8PFVFzvGVo)_UlaW{W@iQzs?NbuT#eN>s0XlI#sBMc4x_G zzXbjp65OAZn&9o;%c3}qr(j4m5c{e;2~oY!`na=NSJ5V82Bg!&GPmiNv-JTSiVo6k|f{MgqhTioFcHIoJJI`6ol&eZ$Q z^^HT2h9oJegm)znpE0Ca9OMViZ9+Pi0#@|uoF9=HuQZ&^R(+pW!vhk(#)A%Zlc8tU zhlLB?DI=cS-UlC+79zbzSBc8T3*mSb$Nob>*^oZ}#gsd{4DH?eZP?V40QSp-s@5yP z@bvO6(XRU{kg~@i{d|NLY4-m(-(?|&h)C6HCQc(5$Z@`M<*gwyX_`WR*l>C-x{o)8 zD^d}=&L#EzKl(sIrnA64U>FV6iN!EH8AN&?)}Ex>^?{Fk`;g!8Rlw?3f^|LC`T}de zac!Siik-6;oLBFoH^Axiyu4ml6i4j|++reXcSSv+ZtGFxR9G0g!p#1$Y|IT3FPl%F zYji~$jEW=-%eecJyGVX^nE^oHg&X|`tx(*P-*V4vv>`}tn(4ELEj*QD_eiKSMxEaS zZ`-AYAo6d%N{7GOLnxWx>c&@JSaAE&G`8!B(>uJ|@IKcAw9`9pl+U?B#t$_8;N!BA z^#0M`H$}n_O+z{D_)`~?BOMOaYs{#=@mMGuxux$~|Hpc8O&JJ`X*+|NFM}2DP1W}y zX0c>G4-H^)CC67S=Zo-6Re)wg8yzxnuq*2G1B{hl7?e6Z@DW90|^ zYwP9V&;@yyq2ChF`-I23<)IAN=2iH1{Ez}QM=Kv&cNrj+TA61rcf^dJ|JU;2$LGU= z&xZ$}4;MZk9(+EA2)3A2vCD`$%8+M*VBIVjQbffWw>3i}|w- zNbNgJnEFB$PMLnVmEEZVo#JtN2h>$yNwq9an(rd|p(0R6C{+U0NlwQdp7jCFrv>dOu2M6$+zt(tPrqj|bRr!YH!E8jR}{1rc;3dr8d~i#30&>;K*Ph$mSbt-#^h%(g+YNX!pz z)L-8(yx@YA*N8(dXN16~y@EP+M^B(?A~b3Ho`Lvk=>pa!HGtRr@w?aCnvg&IJ+Xk-zxZuOol)v2=KR>}Nba_S?u`eC)~y)_F%w=qVn7 zU{8=wj}0?#^@1-3NtD^8G04!d+QuU06na!c(YR&o4|LtnI}YD=hkG6R3iKouXmo?# zyJs#88fC>#n;wgXuMgZW^6B9Ejn6VfTtqG5mqdM}!qrG9ei9^Z^ZE=t^di;2`1Lv} z9&f1qeW?xP>$*P$7G4GQiMyLd{mrO2kpEK#c@JDamUd}e$r-iOG`jEI5rOnWgAa5m zOySR0w~HH$&TvFHnpe9Ehg*N+Ibyf#jN508p3NW=9B#Qy$HUYX$=R~6-0M_;tvAC$ zM{)hCkE_p=)0OQI`)ASznk6Dg#o(B<6VB)RWp*B`33mqg-H=qc86F2EmM+v>*V3TO z`lUAgQW#1v;5nHYT7!DZ+$k*Q6F`cWezdMA8TREug!-Kf)V)_?$=i{MrjJT{ssu&A zVdCx3uw*Or)n(hh{f!S&Q2kAL*TMwSL$1^QB;kNRm*4CMVh0eqIQzY3PzD7kT~m?6 z`GV(P{v7;~HXQaT-Jz}hnS|0?Dkw+!{2=t#SCcL2a4=oAxk@jehPHJh$0?J-;NtDq ztUYc{NR37`i+dmgDpb_C3H1sQdzH7~$fzZ#K`kRgAG~_+j{-dL44OA|#PcgoW0##el+kH5FE3EZ(EB}RWJOQbw zwfbI2*LD~ZaxK0veJ%sO(YhUMwa5qNsFxiyb15KSxJfRzS&Xor7up+#Ej;d|K&o{^ zV}gMxPDf{G(7Cz@b$k^S{?(HVzau=gUghXO8Rvng%s3vT+5y?mmwRmC!Y76gwFxee z!s}VHx~7FBw$2!T-?j$Rn@dDLaX3}|Bj&^JQ)1BHdia(#LI(~37E>XY<7&H`juC=?u5?99yts)=vmW$y)t}iQEW?2i!O!t9@a+&&` z_f|)$&n-LLTJS|hgykuSu5awsnxhlSSL0t!I>TyuVTIwC35x7h zJe?Kkh{7$sJT!55Ne7+-ZJr>5C=(qoR=b#j0?!?W^UDIr`E^sq^B8aRJ+7q7a?}j0 zTN*T^;x@tI=`w6; z%no^g1+8o&F~2Kjd<)k58`j_JUt9mr`O*Jc{QY?TH36P~&4K4%?~VNBU+=^7ulGj& zwfO%$|I`OAi_{w|VCWt_rkanN3+_K77v_Y}(dQBr>uwBikMmncDkn3ra}XUZ`OE;T zsSo6rPw>D>i|lr8BnO1G3y{3#&_(oQ0xp~J>@d4IL9JHD1$QQ%mhP;w@PGUN^6%dNfBt{`*M8rBcl`g{{lR*^{LY%zBv7(IbQv9d zwtYT8+l$I4+CtH;57%+NY8zC1Zj&*s62~7QbDJB#Z;81d80vXZGu)gRYI$fi$L8oE z(NOr8=?^6&MrpKs!iFA%zTErpvGgb;TV*SZZqPy6jk7bq7lWZ?to?FSz6XftH1VGu zNk->n9xN`ZB%&Y{mwZNBU&!mI)$yN;0cnHZ_7Mt|$RjE1JI_=aSPDMfT+;{vqoL8& zo9-bH`I&Z$y1Wdv7yNu6SXhm@U$-wtI{1MrC1`pFH^e58z`DV;t9K4lfB^No@4}H3 z@K(&SGmw)M{P)ijwM2*^87fib9P@w9@5btngSEcna%t?y^iD-qy5ZK$pA$e>YB`Yz zrF)b{cZ@JR?Tkf?@r#@3-65`G^bU-GfqJP+?Dwux(00Z?{a^ou7xo=h8-X zq2wr#OE5FJvXF?hUdjoi9CCxQb=lM_)iNmNXc2YJ9T^CmU=6)?T@D?hu!>3Nl!M*= z>}qE(Wz>FN`nmGTXnitn0(KWUUr+m6p#a+sC!*U%5WyNvecH(rRIF7r1*weD zjZ6Ap2X{RXi`bv~%$Fn$ zLPRCew)^Z*D9$HySeK>88h-5_d!ou129z}Gv7>i9A>1aY;GmZqY#(aDqpmD3Q@^^zY$p^@~2lr=b?8-XCoHp8$J|;VR-BpsK;t>^9y64Z{8bNCYmZpA&)h@@bp@u~L>i#(wP)4w zljkw(e`5Xq@UfJ64X}5iH-69ilp|~qZ$$3ouG4cAF7%4RoO~1>?-dleGqu9~uRng1 zG|ghxZ@eTv^h(6S3`7ax`MgaYvbkQk!RUP&U9j7-`dv{39}jH}lMBWpsx3ylg9mak z`;Wii@R(!?4uqZEgBHs;eiOSd$J~jt5wK68t*f{^3Rp!RzEJEBgqwUjRoCAZBc9H; z#EY%`Fg3BE|LGhLEY%%I3oKDWzkStr9)xg$9Q;w+`znHNP<(NIyUd08Jo+1-86Te! zA72O`pAH|N6(64-bed=>-w%b7KM=_2UI5J5uyKwADt=~y4m(#3T{)d>lxSUqW66-_K$qk z1W(H|1ZhE*nDK;IzlT`QcRJSchV18BFq}4edBk1~j_H(NJ@L*9+1_v^CCt}?SGy_+ zy((%DUO*yR=cEHz{lx#`Q5|7mVs&#_$rr^)L<|NUc81fdl{FMs?7_ah*@WtnKQg;? zemk7o7Be3zn{`aPh*=FH6zPr{c^RXMWYdc|l(gW{h)nIPI6FXmQj zWx)D=#t|rakrdjXj)xB)_x9+*y}9B&;*Um1{2pQR1|bRB0NAUbCIy^s%1|OdX??=y#_oFw!`_Xga{pfk{e)JswkMd!} z=fi-{M-iV79X=mMd_J_8^Raz3ekHep7g{`iJy|8-fvhs#2suYXMvrLApKjt*+UP0!*X>;) zE@1iNh4xeyl~`X+>|811f~pmZfKP$0@bD<#%;fK2)HyYMHbcQ3%qziHlhXyhjhff` zJr73?>-Aa1)-Lcu$nveB1x{h8m?5M<-5dQ1FcRMmw+-PRj23vus#)p zKhhi)-U$c6iYHmmhfkx1*e^{sC=AZE8$4H)35BN-KULg{N}a9H-&Qg34fN2|h(KfFxP?y`GJ@zgQEs>lBKesvOmzmmk? zuh{YTD|Y<-N*sT`ItiSj<(8kACUCrM6?Fx%8Du?|6dx9U3%cy0`7_FI!p6OiH!sso zBQ2k&b#`ZNVb13-pF$GPr%=Q5DWvgy3UNH2LJQBQ5Qk+GxfeC-{wV(X^~b>N42$Co z9ScoP2JqiyRWIEVP|U zMP80l$G2ZbL%Le%Gm5MnbmRm7^|Vw2U{fyJe9#mFlSx}6Vo5lh?>h^XXX_z|BF9@U zI?4-$vRFNN)ngBL2kP`yh;5yB|^V&;IIo^Q2%=O<}gl2MV7Js zO|uQO3UyiZa@oLH9gBbr9Nza5@yykqDoIH9k^{ zRcYtbWI&)$*g4eE7-c&=?#^_U#rw^vqdp&#$^%_`=w?3~5%GB$V86}rX^Tk~j!k!} z=uwNo>QrIh!k#!}&)8m#j~7AyZ%z;NciEwRZaK>NUoVsL(bj&U$PVeFBe_rSC ztvkjL5vzNbEkyz-H$$6P1H|Bj>jAMsXDd`1kVc#8E(&Ht5h54fh(k_z%6gHsDBKyP zOc<>8fI<_IkDrs=QFKSY=D?mFyvkSB>pAWQjy0WE3dX`v$u}yu>|9r{lXMO|U{!@C z>ISt2Eki&^h9VbHc}C>G?C zi#Ro3N^f3C10ojk7ph7Tpx{CF`_TD9Bu_F$Pi2wO8F%llzC*S*{Vqb-kl!jeC}0)R9_t<_^6!+mwH)Gx!tXReR9@cR{1*7 z72m8}3wIy%+UC8%4V&}e;Xj>|F(V1lDV6y~?1$kEVXdsyH+5)E=y3DDV1+{JBIals z=wR!opvV^6axE zHvJng`wP4Zv*f6HpO<_EHHa~tn0*$_2XWSCE&Ue` zV#a&_jn9FPuZxd=5+DC0KE512KJK1{k&lm64-IR5jkSJBGT!RYA#+EvmOlnKlWag( znb=I0Q55ZWn_Ik!<2}!B+*;zIia=Qgd4oA8gD~syt}1d^OK z+O8nP8dFh_-sFQO##M_b()8fg^sYg8kO$BbM_P+bc%%DOiJn3%#85^Q`Xg7|0(Fc@ zHvMdHg_~_0RmS!F@S<02)?42hfBxFz&tGHw`D=$ifA#R^uRi|#)dd^kOm9FM)1fMih)MDGTEOczyv6vJylABp9`RLacsZJR4P zcz{&*@H-j!?U~x=V(a?zs40sp8%H!3^=o5uN{bAo(k`IO8CRBDof=C~S+g{Bi2t0`flk8fZb46fX zZQEITNeD!vA8+Tf@Po;Tcy;4kVd$cCeqHAr4zW(0+%6~5kY2!YPl8$mEMKFX(Vq>4 zCmHd>Zn3K9@gCeDR}DkAisEgo#6!T;J)QY&D^CCWjeKOZZUn?@B=+fz`$HK2W9`@5 zp3v>%`QEzFAA(QCJlQv;2n7uW`C$^c6%F8+>of4BOO9HF>y2FF&%KQOZ-j{X)Ampp1u-j-43sJ-wn z%GKxqb!kNyc(dj&tRxB7e#kQ5l#Re@sVVo+4_?^&P)ANWri`%S$(vR#c-S@6!Kt`& zug^)eBYT_BRWsu%pf!GwPK5K_mS0(X8tHo$o*O3Xt)@32hc=J#U{f6^&I>%^^GgSb zn&)lq{#1v+)5dv9Z#2MmI_zasu_-zjT+G-fpaM>+@7O8iosrq?0Z9nieg`$O9;vL5Bh`zje>LIBa%n$Tj^wgL~{`Le%`Oo%%G1z*xprw?d zrQ-?mCp%(c)G-6p0vhf0Vh@0C@bJiMYn&hS0pIEzJq1wi+n4VWp#Tb7l9#i7=phl6 z=+4^)au8s~`Xc|0JTTL=7ED|>MVs}{lqWm%VOCVeRvjFWL&af-1Pv2VaC~Opf6)*? zdxmIFN){MY*O!S;t&emq*b}y02thzkC6Bz!uZ{O6Y9hB&l)zNpF zV&;RZ+C24L+hc-Ll8(=Z^aYS@(yLnva_FILoOdlZ_shMEaJ@*=*G&DCrtI?Vlz z7#;NtrOPHjy3u=zBG?P*UEMelM(G5j9gjN&OKsuAYs!z`3dIo1gp0uUw~h#F{n9G+ z!Sm8NBT)GE+x^;SIV8TdNb={IEhxXH%qlT71DfIkBZ-p2=xzgJ?u8>bKI1Qrb2(rB zd4C?O-!xW#XR$Zwt)Fc4q5PYw=#+yI+@fw%XS)@Om_%Q}c#Jlbo>Rztt7-xwt|!M{ zCh38ak{0dD!OMt+T4_&$dI*{xG_jNCHNnl?SjVTr%>Y4(!)1bTu)-W3qcahS`S)Ur zTvOfoR0&dSPYqvQ@5S*6K1{rJEdue0=H->xGRS7Qf8;anK9>JYoNQ6C479e)5{m}2 zz^bt-ckoCN8V{ZtOnDds+nH+S+i~GI9m-CPhO{E2dTz_iIWrrElH~r#+Qq=5fbOrR zzq65uB8RvpRUF7xE}M`(iUvyUIl;AwG!%K2B0}g%Bxe3NR)0OaSh`;ow4zYu7~XvF z76%yChKUd2bRDC{2t3q}$%C(P)UgE(e#kyRKwdCqiJ32nmH+OUNkXZ5L=zg-{kk4z ziK4ga3YrHOlaJ-i^hdAYDT8&%0_r?`a$qS`;Ibq_6r;g*!45z#?8v^Hp?aiCFsTwQ(m1_B zoc$neCIHSIYQ&LyW(e!NIJQCV9Tjy73LzG%;Gii$GPkV9Grbal|8kg#yG$ymYKYuB zjpH2^nNeUaU&JgGBUMdo4%_vXMYZhKkc1P`EyU?V@wLm`^fnJdh|yc~oxUwB-_7+k zf5ZqTF7!kDGa z{1)B#AeO6IA)`tP#a8W_goI?L)~u7HFVg&c-+xH03~|LUEx0lD=Hn#EjJ zaE!{c9wlT$jG~bnF5JgJ&i7EH=V2KX!Ae3P{r&{rzu-T8Jq`YOsqoKBgMVIf{PXhQ zpO+G|Ujx?P7wdYg?*mr9V65x0=7aTlEtyaL$Yzs(b?Wt7(lKJtyv6WEJ4Obn9QRY5 zm=Z;9^VIxT-f*DY@PRaXCn3yuW32Ny8cB;`a@kN&aC=Yk^n@4Wcs1Xd_e)2t*JVFt zNhgAl|H({-k2&b#kmuCGd=g;gmqpEIR32(IL}v@^n?{!;AxN z@% zlm4_{mgjMK@7z&rRjGl(_%ZHOtsE$C3LOneD+L~bN!xakJ`}zAu0Pq*9uauQEZjU{ zhkO}{g2=6GfK)<-C21DNd1TRP`?hNaUlwzy9@hCHta{5>_y2`j^wHr*YA~wPM-vyT z0*!*!L*aS`Fy8Q7h2)Gsx~_R+od);&rivX_tvsLw#X-TO3}g*pcXsKCz^_`^OyF~q zPN{@cyLS)WzBPd$eNSOqRu%aBdAi6X7H^---G)tOFRFV_5~luqm6lYPV-$}C>QMYUOgUC!zE5<%9W z%>IZ;TTc^xn?bojpS@7WVvIXwl`+nzq2Y$tZCxWu zoW9)0ryVlRA^-8~=evjJj*uYub6u>Z`I|C29dehIf=CWp)j}`7w!!i0#-4e-V^Kr< zelAld;dE`AzLbS&Kb42!Nqf$p-uftZ@lD3N^HMNod~N6Xb#?fy@a2f1`~tH8?3Y~&w_cP+NI9lj ztbqqI4Uc}m>4%WQaN5_>OMIYwZmS5~(-7-&){O9gJy5+I-z59t0`#-R&m=-zVDicc zTcorL(8j-P33}iR*3lt9HJPP=>FJdD;e#Sz6I@4opT!PIM3XN)y($Y|mM=&83yQ;x zwYIxcpg3lI#sBp8?fMeD3fF$PqJZhffD<1SLGN?Ii;wm=o!VM;LAT)jFnh8t zvhf4~u+X1!HA>_{*`H39UD??isVTq1^Hy*l=-dhGOrF>saVjHygI<`!!}(&->SSXO z&6#lR%5X=56{6#>SS`W*u&kbem=F4qBX+y}unlH^?GyfU+jl4;;5g?^s|#{Qz$BK) zV7ZY3JzH7XXNht_{EUUCs#p?y`+YZ`LbDzTWL94ZY&!+U&DW%_wPc~|4(v%@MPWcH z_rdGl!w{&F-rCy3@d>12+E`yJ#)ADMxA|&VCG>1ov}Bw~MWKJ(j_l7Y1Hp-T@r)8X zL_YQK{l4@XR6cD#N^m0={j|3d7`a{yt&w|7c8clndN%!PFHYZw?SxttM1~uaE8G=K{KUeihkjejCK_?? zN7COOggv@z1eZ;gNX|NjB8iRYn|sr-U|jC4LroV3$kgOprbryrmK4b!kO)Ru?27Z` zHg3q7Y=_mNIvqW}^6^#fop9jI>Y-g=41hj(EPUy19DKJdZ=72VMB~>5xi=2rZ~!M~ z#|C~zAqrIymBJP?*f}7lZ#F@SRyVZ~+m;TLI<|%0SuuqnUb&Q?k%};ydB%vnz!z!m zyJjDfA{`l-5;#$!$l3Yon~#&(@P9yD$UN& zmzC=fWakc?cK6l1NnFv%$x;6~6`UT$`?oQ6PnF58&^%IVAAvI+^1r7qhOy;zF*{ZS(w(2XewMj}GXWs&+0aLAxk zFE82!yumSbSlbPEe;4;5lyU&(AJ*p}HW-!J8}X+c=Y*3qyNQ{`Y@n?`zwmus6Q$L? z&>c9>1}lBW)>Sj?pu*6*tkiT8^Y;pC{MMBIoU3aRc>JwA9)HV&$KUee@waSv{4F~u zNSq+QKjZ?I!lD-nFX8l4m^M!`h1)^Z&=Zo2`Hm32^xXL8Y7n9@d((fn%LdA#7Fk~R zJD{RN^Ww>?y6~pQ^H4? zE!_x$lmZ4KjUbAsAU35SvP4ip#X?X75d#nrixLI7@BMP_pT8ORow+l=KXuj|_Bro4 zd#}Crvp&!Bdk56muf zYo$m5PM&sfxWFd}v5EoOMLPr$75nq`%XPf4*Rg-6Ef+tDGs!mOkSLArcqXKMiDHG3 z4CWxGd4J?x+)STF(yLW3EnnHcvHQ0JH~@Fbo-_qWUh?eH8fX;4!KA2FtDgVAcJGjDT(e!DJwgn{oi zGYaTyWV?TVk0z*(44P;T%R|q(u!_`4EwpHCrKaMn1nmV|Qt9ZFfnR#4(Us)C`btpP zv#d>&=yxz9`WO7 zH0YOwsL|DLx=b2KW%_Wip_~x59u?PLUatL)PxQDgdSvT5oql~Mh?3B$dzI~xVu3F& zSFbL7PY{q&`L+WXwivpqozTbbC&krwExYTK@L!V#u6yFMx79R&_H610|8xf={${_Y zzLhy_I#n$;!|sS|wOT0{m@KiMKW@MCcG-nPQ-yJ;_0yTKZu%s2!-uixm`ft4Ubw2* zW1b9QAG#ONOK-@yP`9+iA4KHO=4f8TcHApk9Y$F?j93@6KvzledEaZ2zhB0#++Z(t zC~+2MxKLZeb>RmV5R~a$Go+vKlj&QAWX`o}fW@e|z9F|N4Cg zw?B+`_zpYSYl9gDuTh=2Ds)hYX+736K@t;*v>q&KaBEhh;%Mp)pxGSNR(Zq>y|q+) z(VeXiqx<&hrhnamnw3Y$24p4C9Di$@-EB3rbd-MrWy&B884JNqIbCeOb@C4LbQW<3 zpwQj&G4PEM9HENxeO(lYw0kWRFS!H(S)Z+b4u?M+c0Mc zXzR9&h_l8(OYx~cR$B{leg%@hm(zpEs>FzeV}WSjWdA$9qdKrTuFAMKT^pN+iCaJ9 zO-XC)RjdZ{d2qe6(gGjK{p0-=yHINR!X4VXH_)d_7y3AX>yXg(W%l;13vliAaTa<> zL3B~mbnR`67uuJiH}7X}fHt}9p3UvCgwy-iWOTp@j>#{6apf}uN*#9n9DXlw<(P<4 zD2PT&zsvnz`UJtz{a&g?)gi#L*T?h8!)VmhDRPHH#gOn9_|s)h+cq+`{a4rZ(GII+ zK57_#=f(Usdbx{CtvhVt?n;+sOUHdDS|NnnAB01;3Q2c3#kn+SM5R!P}PIsJ2$o?pcWn3pUtNZRn*1`+x!iYdm=pB@1g*? zmou|;tw_3hOn&Ak%kwOcLj*y-_{_u4qU>-#DZ8O(T@<3@seip55CF~C)6C0boKQNZ zs&*jE7%{#yD)>_Ch0dM%q}=@87XEHio-hdaMVp2wryl&YgnOzLPSsr`K1%YnG0Q); z*gP@Z^Cn#WXHEY5fJIFbZ?}3?ypF^fx%?>M$#xNKs1{g&G+kY|jP}1C7q&IuFyu%3H?D(GMplAiS{#;huyCNG6+<4z~JG@r+t*vM}9$R?D!LVB+h&{RztxP>C3J$bVN7+Pib7z zyG18R72q}79kmPAZbd9>DBFTr>q5e^eK^8>{u{g|SAy5%O7NQ830{*s!E5p%cug*Z zzwN*C6L8;WTtE8%UHrf6IX9lCE^%J3OPts15$E+Jzoq}2*BcS%^$44PwQ>D_*8||z z2VNZ<>D*SsjSMQg>ke^PBlYIHk7$RSA^YTgO4l!ZpKO6bLzvmB> zo90wBDfGZrE-Ea%(HT|P$$i_osDmCl)r$^2*MuW`7C$&yXoG?LG5`8Kh}bVH66>!x zvHq$O>#qW_{z?+-uQTzz{QK{#!0~aY`;#j=^OVu^xITid$1l@PUbjQXWlGvQcA3KN zO_OG_ZxDDqchI>wY6ZCdKDhN{T>nv>{ov)rxr)*vIaYYG6;3I`@jv3cjWXX}jwg!|L zX#eT2XCmr*%-Hn}-1U7U-h{{p42XQdn8*i=iG0A2$OnS4^LgC!uRlvqNWRdj;K*P) z_#s&XNoH<+I#!?z7bt2z7xXK``QsnSW$X-4R7K--kf=2F^QkDQDlffb2e7)0>OP%0 z^bWLCzo~aai(5|?Drj4St&I4?C0Q@@dZO*f%c^4HFVxEPvZ|UcHOD4bv zU*#O1UJ_5{#u6*jD;Q0sj{%JDhUhh-wVmad&O>LfQPInvY94jkjU{%gW`J{y0&?whJW3! z1+5_;CMMrnpjI!B;N2WM0Qdc0H7K(y4o1k7LA!~n*AO{w;p*v0RRZ_Ys&ASvNPXe0 zx$nPoO2bE$kzg0~|@@OEUe_fuLYn@^PdG(vti4CT6<6d?7@O{sL!J~@os?!CfU z71(U-wQH!?7|oTxH7?ZEgt4+iGvPbT(A@yacZMf)fy^RgjJ z08aB1oR{rYu=9W1{Ij!2N?Q7bBXpIXwhQhLL{B-!8xGb6!1+~WwhUWaaANYC(GewSl;a{m z`T0@s)QSjfy`OF%Q%WMC+scQ~=cI&T2qb$HfD9*x;IR=e}N@Yq{Tf<1o?B^5# zE5P-;!Ob6H^4_t2^gV$h+~PA6`VS%ce6iP23WreC+{?+$8W&-QmgkXX!y2ThoON|_ z%OzN5$nhvKjzj6rioAvmZcsnq)v9?g0vU%^uEkB;z-!ULm68kIki%@-mCqMT>R)GOtq6I>7HnUBa2+>n2ZtnY&yeLq@oIKkN(V+HLLue#}6exqZhK5 zL(`?%+-m;fK&yGFE?hwhJ=NBiD#{^oS-iL28Rb$!`=URcProLK{r%$l!(QR|Fj^jL zg|s;f4b@W3;IODYbIB1INcQ`~xH4mf29*V3X84T2P3}IYsj�yLtQ#H>n-+#kB(G zG#N1{jApxYmz>m(ryv~hljK8Qa%QdhD!o2>?Cww%MCvmxi}MTDOf5pu*RH6(IGqJ# zCeu`$N_oJboZ7tYbusd2*|B2!E*oYUc=maQWP?unj2j(I20AdKT1Rm=5)!H+`fT~* zV83Kn)lf|WT3K+teB-erWZN>>rGA!s!54zoUIj;&kjxEHL z&ugPze#L?LacSsR9y$H%Ac>!SUN-$}gg=z^_3LPv1p#lad~V=c9BK~;qS!~$W9+eC zU06{L05AFOqb`S3An1XFeOiVhu&6ceyUz-^=q*=VvIq1 zMM*j22+1$|*R>%x1_RIyP585W&=4+^>1k;Kp z*dKZ}+_&O~QooA&K0KiVmhj}zLymJp;n zD-S2sU$Pu_SAwhqTpm+#^4R(cTz>4v`)`1@UMmuEUQmScN0s$VE(U1f2S>!%aU2NHRZ!DgG6+>**bIsC|WABP0=r93d%Ptwc3dZTnP>5C;& zI`l1f_=gD0_t5MY^Ob;rQ~f_ZS;Vk;u(*64+~3#tIN8xn%*IZ|k?_!AKzQ!PQjl9P_bJ7mB%)Z&jp{fX%%qE?t*d^fx<)&e3JxNe> zE8H5oT@GH%-j0|~lLlVB$@&A#A*-gaOwd0rz=+wx5nX(#Q`_)K1)?kr6?Rn$88uos5trgMR)p zb_ESHy4M4SyO7CQH}We1%n0{;4E>Q7dY-h;qv9%L-MvQ{iT%8%bb~?y4pr{ybKE5g zkJ|*SewL`9*z;Cj6ib6YeOW1>cmxh9g zZUA!VSLv_ev%{XBareu(_lvvV+2F(Q5&UW?f?q8_@T++Uezgq2ujYdP-{Q~R&OZ2V zP7DsSHD8y$qKw)e%aaxu37BqbTG*T`3e*(Z+LjrrXrJ!hj`9=2#Q3)n_sd1xFC%fk zTZ#MSA?|lGc6@R$70cGgYDl3chGUPTI0?6O{1*+$Z$$@LSbr7O1i>+}bdx4dbgC4B zHA*x9H$TMX3E=7haP?aGPsrqoccr2;+!K#HOf^xp!1>r$`4PYzDx9|ISvVZE`0=H7 z-VVq#Jk-_yaAEsR;QEP3I==hl_re~PN=oLvdmE0PecG$$H0A^!I+tP&jX1*IktV$) zc1QT`pIh=9?4f-sEk8lj28G%OpJgWbdc$yeTl&Ec?n~=Wse;{CS!4O6c7C zK$_mT1U7gSIs}hGl;BZl5j+ZEf=3}i@F@O=ANcRnC1!v){mp|)E5%gf~ew2R%s z>0pElSXLe@9yn(Mh;nqQaWDk&m^{{Dbs*KhvMRJEj-?`Ds>}nAPo<#WBjvmUMMbD( z=-X<3unRQTMg2X;briDGes!s6(IHv*c_pJ9JSw$}pDwlRHV(N={$y;S8484=L5 zuP~K&PbOL#;OWgUje$>D88xvI?y#K3Y0Pxl5Y^eUbWdE8gYTJZb^}p~sGsWBRdx$Y zIQHeFz4HedbVG)HR5#EE2`=PBY_jnMxvY`RiPbS6;J(N)N1K3n<7&P#9`}Wk=X;mQ zvh?5<{oESs?pSnp&##Wzd;XC3vG9dzT_niq{?MVwibcj&B0%Lx4$m z?fX8@AQUyE^Xk*8BRZS>$$P;k1zRtQyZ++F+fQxs5P!}Bm+m|>9zDm5#!C)Y)M#e>CoTjk})G6kR{-c|j7ko#Yz4D58kE$V0Re zwvsq;No)tBKZrx4-C=R{E+zEWDB!fzdr@qCJFfl*_j{D&zue@kK;rM7xmV-U#|YsaoprT6 zEr6_oBRphjg|YSLrTeP$Q_O|n&;GQ*$6l0Z`qwJWaUB`7del?*`y+lheY=9?!A)l5 zR&d@s;Snd1|NMJ>0GA)tPc^EZT;K*WYbRIqJ4pKMGt?L5CGDXmoj!){N&*UcesSrp zmMw{odAQV*bWVw@H^Ak~X;i*5hTzRGPU*JeeTyPmFI`waS4s`%xNlv3lt&AV&!|F~ zY=j}-r|C>UGZ{3MJa~}r=!nj@wkUOW$DqF88S2psfpEp9X0w&!OnRTeYfMes}DC zVO)I$?)en%`N+8fC3fLM)nLZp6#r}d2I6oPI9wG{3rcNUR6pvRhxd0a&R0{PLELNc z$oj-S zca%am^f^b^78XUz4;}Bdgz1&2Ur%KM(6tIXnm-cO*!8q|n!As>QzBr^i}j#aTLx-C zyVx{agW>y<3t4e%C|Jz7zx(|r8bzFy&2*>t#`Yt#itD-htfCi9UHHSU@gNI!gazgv z+I|PBzb^)6N<2m36~di)^w&U=j=9hJ>r?FYi~Pu!J#5Fb5#{^bweADyXsBN+RVc_TU`~Vph@SvFpqoqnfxcPwlNr8~OY(E$Z^tjeU<_!nJ{+u|gmW2G5>mFuS zCnDFH8{YK>yWxka+r8$gaBLpq=}Ecw50ajuR=$kOK5h+Q$+zW?Vn8o+4QJJ|vG$|2 z@>4-8$?KP>o;wH}K+g&dH@{a7CyD5F zH%pf#V9!^p3G3}sPfOr+4>%S~7eQZu*WB#q2LNJ|suf zq1%s`l~&B7q2BvjA-PusC?Cm+ww(?|3>|ix1&3nMe1^MhT~`vCn!agzZ*x4ho@bSj zw_Rc~3o#@v^o5-ZgV~W!5rfPz@XYRU9)JISB-!meG)MY(h?$soY*7+iYE>5W6fZ=; z=0)Dlw;xfEg^bF-*aJBQyQBrfl3*ssA>fuz4lF`Zy?$pBcKr%>{>06<_n9X8SwD0G z5);Vch&5cRaZ9 z9@^edv`M}Rhosj9#+#HNy=-`JR8$SUZ@WRuU#0^_H#tvKra2>y0gsf*VjUQbGt8HH zxe0wN5NO-wAc%gxUDvs$L-LV3byoGnTPg5enhP}7(m*pk4(jb*A`m9i^|O7|59m`S zZqJbNVydEB+aK1fH?Mih5NqY?q>xhbjseJEd=d_%?v5Dxsc!LqM*)L z3`Y*7&gPaDBZ})P46k1+fu^?dti4+)!qpEjG04{kNctcx#1Dc2f4bl#kDx0J4SJHLm%H8O60QQrd!5{LOn$ zT`Zww6UK)%HB7p(AvwX&E!OI}LHw09ma=5MiO0p8nT&Ma_^wk(? z+cu|qvMRuE&FW-&s3v0Ea*g()G|AU_wW0UHQ$2Kly`-mELIFBz;sxnm8=$;Qny)TT z6@c#a`qil>ML6=4m*-9ZNypG*|3f6hme7BS6Z%g@LjNgA=s!su+W+W3#j*P-aQiQC z^$#sAjRki#ywS1nr@1{O;V1SeT+(fTBkX0?rMtQ1ZkALHR z{&)Su|1O@9&{r@L`U+J-U$F(OrtM;lowgJD3VQ7K8FxGzyhM3OoAMX)tCu6yxvq1b zBI$h%ZH~$qncJeDX^P*Om88K>y)AI3xiB#v0b=|D#Q2Sf@pBX77bM2di@pEC9shoM ziCy%$hNya<{Y_m-X&8SO*VWXj1UZq2dYVHOGUK`bDwfH@WO(GMW>qbeHF(UX?W!;8 zDQzBNNHvBB{>?0`yBwg-9+XVmeLA- z3bUOrlrROiA^D3*vN7n(yxlGV(*IL5Saw`KWeUl;IS0SqvIdSWiQ30Sg=kE>ht9*i z7~Ma8F7eA;9?+82M2kF0gwI0Mw$H;dfL@uELenM_aQg*nFDiWeA}azk>o<$F@_C?o zQ1PCGgfP%Iwp`Aa5`k>W9aS3BJYfAtdHiXl5gLA7b$QjJ6uGs0O5DO31|db69PA2F z;1=>cIB|C{_$cXcr#(r9%d9n8JwcJ!=Y6>TBOB}Wzn@3r*1K@?8Qk+?-1!`LJh=69 z-1!+de@ow9@5-bo2R-$Qlqa7G!QqC+em{8yFuf*fbyh(J`li?KR;x(Bcv!r^i&Q)8 z_boc3th^-F4#`ovFVmAaNzZva#WJPjK-AjeNWP35jH}&m_f!&t@|KmQ?f2!e^TP#x z{=)@se!$JOzcgU07c8-B`{Yod4Kb6o!y-1lu`z4+d>p;!FgwV_x1fAfuT>!oR|rf2ul`XE!(bfh6709|n2HPuei zy?)8MSmka)n-Mq?LlwYWpa z9s6yk9t5H5pC@D#T*Hv`F&~Fy1y7)Vm=mg*hhRl9t$Ew8qiEpQm8QJBIP|-0h%4fa zCfX~++5UB3D&l+0WG+b)4-r|xofN05vH9M(yeZuI9Jjv}_xG|*zis2Odr{}8RK!DW zk}g+II=#C7x-=5%a?sZLVvK&ydj>JAsX#4*71L0NGT@#c;lBU4?~mtv#er{Asz_j5 z=YUv~3D_0UbCSJsL&gCw%eBpwknL^V0DUn75U(2#Sz|E+GYQ!j^GPZ&XFMtPw@@Dp z+rtffcpOj{(_TUH_a-p+*MIDVxiey}IY?haX9BqVqK)s@hVV}jA^cOM2>%o*!aqfn z@K2G3=9zekxI{TbozmGNG{FlWs0ZH)wTi(r`|T%l$z{-@hH&z(E&)in{7`%S@p>2T z_fpu|!(%qU3K==Bqg3(Cz{$;|(<+5;nfCe|6@HyLgCJh>>!w)`d;ahQpyH);|* zFKlL!|qQPxEZF&bZaLPJRtLWXTAbVoY&gi^9dpUBVECD-1>02 z>>Pi>M_qJNue;XaDgxYoWZdr&*I)SQ?w6~jTmPG*<;8b{v|sKBrC89gvjf_XpZ5lG zYr(a(9Jbf$4k)MpBW3m0opAGGosixUH7Gvva*W1T0bUoZ&sUPTcijcE+hyLVgR8a8 zClsg*4$kKf(^u`n)_WW&&yfGh$qSG9>kwUrH=<}H6MT8r23ee{vaE{=0gV^z?)g?h zXi32(SC1nE`@F^|-|TMsqBPKooAr*jIv~4*)@ZV~GEleNk?``nID{^55}Qpo0YfSA ziKYZe;(hpc{=h~)CIZc>v$DU}c;WPTO3DFR5#Ve4TKB+O1PqciADBf7g4UH3>WOMo z!mo1^5x>^85xU_Z@n4L64@1SgW>5cAx^r3XP~ zkU(+&z2>3~P!&A1<#4ya&QJ9E7T;P`~>~ zVP7SBr8YKSp_oUUKT5+u-@N7LQzSpclQcPz#X4wpx8d(+F`}>o)(qCaE1>ReUwkG% ziec|xaPyyy^-F-@bqEl=4ncy~AxQ8#Lvc4-zAY|uC*57MBz;V{;62){BVz_r-a!0H)#H&{J zrQ1ZJq!o}XwjucuU6~5;YA}Qv>XFy1HpbBBM)N*9M<0H;3eSzu>SCWS?34Vi!+o68 z&wGWYZ12b^L^Y^9tS(l9c)vkh5P7jrHxkfnM1{>+_9`pR&elq^1RR!50uZR&D}L`0Jwgyxchh9c-(pj?)A&+Zdlwg zIfg`@^phW0^Mm(1%00v5=HPU#X!oPtPVkDdjr>Mq7MPUXN-AYd0Jm{SKTDegE)28h zn`z9@TC(Ryv+`opJXoC@I35S(foADWzR{#}>fb{BC*zzhBO!Cc#aoiVLa-Qi=IFipUQQiTu!<$Pdkl{LqNV4=n)K zKYD6PQ7Xfo7dj3~k;xVEko=$PjT2JzQEh9Dv9o7 z=-P<=1FX(bMFY`qw^HXK5Q5BJ+$cS!|PZ83#r_Y8t>sY~!JbqT(u z9>KTNBKVem1m98{a?kViPj%_Sr&~pRXF^E)j9)?Pl2Q6Vk=Cg?^9;e92aUz9O%8}I zerleVPYX=DcZ&Fu`k^&Kgm!Hbv`0n_{7bZ7%^=7As?g*w1DNavry*-c)Fj$+Gh*Bb zdp=~jmvm@fD>>}inLt|_zSi|i&g^!A(KaN;acB!YB^i7!{_WJ}NCqi~^8UW6V@4bO zK?X#BkR#C_WI*%>=@b1yjzoWu9`<~dm-SPJMb#YUc+&KSnhYV}fWqGgh9YEHEkudluLu zc;sYB*P^xR1}dW*_$??4S~ z?M#`k-c|#Xzc0>R)jNTdFFk+8)!cx#9T;o68d;7sTZ@e3Sx&$=$GBH)1LaU@ZXE6L zp$>^vzQ0LrR0>NK@`q1y2g1Rj!!MQ{D-iDU#MRT{#^dS-aN`TfPQS{usX#@~q{jv; zqd_vsF~iRM7`*x#Tz`gd7mA=MUEa+D+W0Wiia4vT_^ z+@1vU4>C|Ll(KroM;_+o`y*|1#9>_J!eoz-J;J@dBL8}s=~*}Ep1En1@YfX$Q2EZ7 zkow3vJ{t_$Q#k{=u(!%8%ny}&Uz1WH=_NMe&4_qYBHoaQHzwlkiFiFC{@<@}9UJO# z*Wwzo8sQ9B){1~)J@8{QEdPj1a z`2-+{>7DiaB12R;b~!>@P5>TsW!DIFaY5z|GwDGdF?iv2ls!3@7rXxg_kDKVOh!f) z8W|rL>mL{$?;Yb7!YP><20p6<7#UI$T0`1K|&FcFXNk@>cHmlVyg5y5ZBbJ;C;7UXK6OrDbq`%=E z7NmS5mB*wV*ITC=l}gP IV*=#<3+M)0z5oCK literal 0 HcmV?d00001 diff --git a/tests/pseudo_estimator/data/vectorizer.pickle b/tests/pseudo_estimator/data/vectorizer.pickle new file mode 100644 index 0000000000000000000000000000000000000000..0fdaee6d1ca25ba7cafd91674205a81d07fbd06a GIT binary patch literal 5508599 zcmY(M2YeL8|Nf(VQHmlcf(2BN-Xx(52#SaZBAkN$1jS2oNe+@+b}mPVii*ft5CsHL zvG)Rky*HX-Z`iviSWvNxh5z$BJM+>1yn`qW+62hcT!`3wVCOuY6dH6 zI!-%HRwpa#`S)%o{SW`I%ec~LccGP;x|AzPW>ZnK3$zotQ)`m7wJBE}?V)vDhUL0W zDV|a{rLOyw;;8vaO%#|+%~WnE8?_jxuvR5!PAx5q_8c|r2mBwOcx}3xYxf$nlY&dg z$7wcdIqsyU;Ht}AvTCYJR+p!uy~pe{W~Y4AO8c0RDM=RRDwD20Y8~&RI9<)Z_PJ1z zS6W+NlZy5&sm@i^)Hg|2*Y@w*B--z!7T9K4dSc1P98ts3fc9yLT;hq|`DJjmS zD{Ir$*(TXkZIh_&DbWFQqXQGsK|=p)x0@BUk56s3HtA}kgX5j{D#^H1uc{n2l5{Rv z-y~a-M0lG-9ekh^#3oV4lXga+(gUMTV+zLXbbi!15q0S@rol-&VeOEp>$q{_j@f~a z7Gnx(qi)3`8g*X4{}vQP-Sbh8MATDf5~n*^Ra}{hdR26&=rW?wHE9nWl8<^PqC%y( z8i%+@l}1G|Gkm&d`sAa&iKw5_Kur>{-9H8%J;eh9^3lLVG)R%#cVPeCeWF8S;+2eo zQVt(MgHu{}hS2Y-ut&IR;kV>bEsHA5BR_r^HbdAK9rfGJLJy#?*XtS|UpNGn%Q% zWO25NV`y2G-%d$BDosQw?a1YD%FANl_j5c@o{uULQCinkb*465mM)2dJS_%O6FoRR zA5|uzDy6|pSyb&qqtu7=mB~jni73*)t22>{|6PB)x3l@EHWB4?8p?96wgUOcjF=g+ zpJ(dw(ac0tFD9F-s^Ud@ddytC*fVG3qcaoHES)NBBswepfALlR|7Yi;a}v>PovPAQ z4X&~(W}D~6Sj#_s+|9{H=Ov=Kx<@a(|K3blLRwzPBk}g%2tBmfBnJJ(6XkD3)Rwbf)bYH-oEt@V)`3vRV znEd@aPu`c0?oUJyD3O*Ifq z`al2gXYiD-k)lg>c40>OAbrpAYp@IpR%F%i9_u;N~wswze_zZ^p!{O%9vm3;JS zB6>}GD(W4*9{+n;SO4!f^3j`#Xrn?})Vr{M^i~Y4>F$BI^U*tr=-v4KmaI)>qxWLs zwckAPem?pj5q+pVB(u>+@xO<@;{W||KKdjPeX5g~LHUG%{48d+p6HMF^L(@^5q+Ue z6b_8OjQ_pi_+HKKdaM zZPUL87DhkD|9;?3|L>pj(a(wK7yY};MZd=Xp1F??+;92l_eAuEVqj3w0NjMO$HZq3 z`3?M;kN!$Te=B_H>atAqPYk@@%Wq;w-WA~2gxd*AWjJLS=XS;)F_>;0gRTL7=H36W zOt^+vDp%nqU6ry@w+mLr&Ub#}ZdW;t@w<~}0kPPn zYHM9HqwC)H^d6#{i*7-h#lTEiSq}J~hR^YNx7$m2OW}JHXBo3JjY|n7Q`gFb8~*Xz z=aJ_f<2vE?rNF{mWx6(99v?7s^!R|=9)@4>ar@(E-nGFp;h1-7A1JF-9cC;Tstf!s0^A-XI*=&iG^kUF6|DM&_P1SAe5$Oq_Zd&xK1WC<@w|u zI^$>Fb-^;>x?-uMP}sM3Z`Tcf#anORMr?uWF1Ux_o`hN0PFLd|lft69B;|N&W9bqC z__#yxGw)awNw`8R;}XVyp_D+!$(ctcPMjMvHvrm^o1V!$fIN%&c~^;L!c}3Z%g&|BQIL3V}ac z&N*^s(_u!L&SrB6`?-b}^Qy$h&B4#SI}gi*n~S9al*9G!TpoYM0Xpp_{7U+K{LH%x zuuQlMv5c>NC~%hvUM!f&N9U6@JA}H_F-M6*Qq24bAGZ`g^X>{P6YfeZb&PeHTxF@d3V+6Q z&sF%9^fLU+JD#wFy9UenK8D(Bx~$$^ixn}yZnN+Lcb)j_#ou6jrn)qTc)8K|4!->7 z7?*i>v-n%cGo|CEbgQ9@c`4%KZo|*KyB*7fy8}xV#6syZ>+Zy=I4}*uP4zAr%Vn&f z!Ly&ME=#7JyW8-6xp(ehC4S}|k38Y-!BSC~tDct2)>hWLd$A_o{>wqQPs05Y9-zRQ zVQD&B;?k%cCXwjt-Gio`zC*hya1Tj)SlT1h*c`*MVofbdw(e0gJ_}j)V=^9>@kB6Y zq%(2KcTbwpnX!P6dkR1E?rAI&?innVHVX$8xz+e1K8!6Lg%-FqV%LgYN0#X=S&6oy z^#&gsuEJ*pKPPwtVHOQgzOQE05-IL^Q@VD;ulTqZ@H6jT#4_Pt!cy^yI6{Vl29cMs zCJxY1KZ`GLuSj@R!fO;5LD^IZibJR~y4THkjTb3C?hX9RyEm~+xQ$rqaC6y|dkcTW zTVKZ{MfPp{%)586Ot^Qk^wE#d;H0J8dsr14*Zw7;z`ZZy0~sIEPdOQR!R!T7k%_?dTGuuQnGuvG5HRztQp zW?a^Njg@h@_w-F`?i)GZ%GpYXC$^Gl>^pE!LM@{F zN34i9zO@3slK%-m^X_LX6Ydu*#h0d%m1u!+zhXtq=R+F)P5kfT{~*s+Jzl=G>DnBs zFmAg!hlUIIPdR_d`I`ES4oW|HKxR*kG8h5lv4q*i79(d^GZ`GyGhxd z3R7~jbVd^8h4PeZX2#}q+y!>Bhm7VjTF_8gJyVin8N=;q!nr&7UF;>HrG&kMP?joo zIbJKROqjNp7g|f$N5Z}o@GTfvNx6b03U@g?A9%k$7A~QWJpdWc<;-5x{j8-$i^^^4xq4 zvXD%v>t^_IC4TeWh4&ENlQ`3UnafnUUIq`_*TaVh?k%{GFunyvg{}xc<0yHxH`d_e z`d}4`@mMBYKP;8b(3DkD;rbi>=n;Oy14IuLJ%}{E1x0<`q4*hZ`0xJOE=urNg%UiL zD8XZ?ENo!^{_Zeie^}|+VPc1iJ)A64qHjLo<#&WBi4c7wq#P+_Bo(HsObuEUQK@i8 znQ&OR-HwuQw1m+V7~g2uX0h)W!^bS}M>vf3nyqVoxEf`&u>Ym!&zD?M>O-(<@V@oF*kn<-b8<3DPB-CzUj7iykZ`7iSrmBn*0CA!EQ6P_2#1e5Tktu8XA|amKx1zXEgZ@<&o!s$ z4DZa5bDo^Jbhv|TMW)W>4ZfI#dT#1`!50X=Fu)Z_SLH4;xM6z_&l7yH;Q54^=umlg zml&I8k(3+0RO|w=3&}DyRA$h}<=i5}TMYB~Wx^K=UqYN|G>Hl*+VpwPy4;jMU*z_& zhow@kka8szo+>m-W-3u+b61(Lu#w-#G6`2pxP}7nSm-=N0iHR_wPy6K^u~2Eu9tBG z4W^!Q$3DZXyV3Xu5A^&^;%^pz3wcHmYGm$KV<)jbgO9sS?CoOj2yC*t-rZ^J@NlSi ziCr#s1zCk09hYh^c6XaGx7crerHoZF?xCS9t}uPkno3vKSDgtq(h0#J!;Axp}_W-l*gq!L4^T|%T(@3!{>$~)l$%m&pIq)kv_|||@$1Ml<}Cyz#z_4`h5ugD0yJ%_6mFH1ek0N2Xjo z*ef4P`9#X6R2W0WIowat&+a}mp`R7_C2W%L1qJrkvvz5na_&pBUheOAvsu;_SzpnL zb2qd%rQ;gr*X9hG<(+Tjd@E-w9Ugxcl~PpPaSQm)jN*&D@x6>6WNf3sgUO;~uKWFu zCVU-)pCtS&;TH;wu>X{we>G+2oZrW9Qht~62NmYIh~JdkZty;AYT%as6#SRqzX|hF zV18a&@BT6TjCzmn5MF=;jp9F+I^v`&PNRN=Tg=W_6_>Z(dr8|ba1F2uRR9?cX~a8V z1;FiM_)a14y9#e4yfJZnakkNzk6+?VmxL4D6sz)XH!KrwcPy1$D-r!HJ2f+24YfR~ zJ;XN`--5g%rXp4E_B6Q9GJm9d32rHPZ^8_B(&0KQb*&6v{IWmH*24D@zAtfJmbDcu zmF;JACTx6v(QQPxC54?p>!cNX47cvs>~#TeL-F3+WF>s>c9Zr$LG?lOAF=ot(& z5u!Vv*L^QDHr4qc9U`N*j6xbnM+N8&D>8J*M!)esLi-BsN0h-q1q7#+=e55XD?%M) zfQ*4M2GQU(f_rI28tD?sp{D#1Zl;5!43RQ4C>;F2R!%5~nX>OC{t$*q87}2;Dsk#T zC(029C&CFHA^1qaBLj?4Or`E9gIk3hZj|7o1&=1ov=g7*V~k!GI;F;l9xM7-(tCjB zy~v@CjCzCGXvdk?vB-!2ICK29P#Cx!9RW?7A^dOYX#>B z<6BUftaCH)OPon8Kh$ry4y(|_k0qM;u~f8ZC=|L)-03D9Kh6thNH|l%EDFjaG8j^V z27bc_g*@VH;pYgSO`IhI6p7Iem38MDza|tC=ZHT~{9N*km5L;Ct-Qh0LQ(#F!50X= zkT6dXN7p;Y~;M$=uV$uB|dJc=qp5D8EAEUxT}mlrLPaoGSOFyz9!JD;Gn>7 zbjuJe*NMJf^bMqWiYn97Qz%;8X!vPE{l;$+ezWjfi1QSw*nj}cVSiDEypt9R$!?}DNFMV-EH*NmOdmaMXwTl4{6;x(LbHb zx_b@Z?Ro4EA9tVd`-MLc@M4!vm1W(7hF=%*zlVfBEc_ATJkD$iNej&fj~d_P0w0>k z#6K?n3GzIl81sY^`lQjlLdN}+=%+vpd`jv$-TH=`Wk`UAPy%BH>jD zuTkL9*0H_Ey>9dctNiBQ5dEg;je*8(3hf1N8J!46`?lzJM88WK--23z;FI@(VIkn zL0UH(Ya;&AjMx9bX7F*FWo(i0RWQoXeN>6Txux!FGkWap_wkL4Z)I$y!MMl0pxm+I z@tp}v!>!Cn!Hj`B};@LE#8i)`oDM|7yx@H~L`xCgpc2 ze^6nt(5+R83Q?)sZbFxERbw@{>NEomP~`%+?7$u*BFMER~8>Ht2^?l@O=#;JCU&^k!^!e^Q!`P*&SH45JHm`*p`T@hj3Z@?q@mkV ze7x=`<9mgp9VPx~@uSJ}s?1=tXtg`W=u1!XVIL!UtmtD&WMV9pT~Q zuqyAyW0`OhuvAc(Y}itmF#ds%a*h{&g7}H#nHDhgB!%0+B*S;<<2QezaE1T{ed4?t z(dJR9n#ai|bRO-6$r7eWIE4bErZiKDR+6kc)%cB}v@uouY2uUQ88x_LV>m&v(KD~| zTQ3n^Dmq1)r!`ZDQ9Q;r2yKPsVk^X^$#TnRuSXNWG^0NqvAV~Aj#Wy<0f{y5H-a*mYQRFo_ohvuAX^or1V zHAnP$qUVyvx1cJ8PL@1=i<9NfNBK>kk5w4QgC)lCV5vJx=vrsr&qd}O99nAU$+=k0 zd^$=xDWv>TwDcQ)%XaJ+A9tzv1>zTy#}}szm+T_^76<5s@jgJ8VO8EO#xmiSU?~{s ztjb+(@R=c*Efsu);429;N2t+rNO<7KU1df#?Ki(n#?>;ep~2)+f^PL|jos&Ctis1# zC-!==H;}~_JrpRT-iY7gaE}Q66E|TM2J>K-;V`%jK+~!z7Iahn_mb=iMd@sP+fEQoX@ zo}j{0R-!>w976M?8EZD6~|I>?5HS;3u&^i~WTxi<<0>M6Z7wre95J6E2tEB>gVw4@%7-S@|>` zF23EgwxNXjr?kJM{Y}l6W6Zt1@ROlvbgnfAE}@5no)qv!e*i1K zz3^*%@;g0`mH4@4=tYx#?DP@cS9CwpOe%4AR@U`5e%GAm z2Z$dieh_)~8=$l4P(x>g%WAODAwq`|jcaiKNxFxb)F+IX7$#}Bq{AuUi#k4r-pbRCHQE;qY1|a28=)DC{A~b87o79VT_Ei zGLEIeGgXpyCFqCAx^X5Pv>EI1amPs*FJS@&CLN6gN*J6B0|}28e1hPKgc zmYZb!i1U5apD3OYf?_^-g(k!1dDO2?HsQgo3=2XtS;7ggi;A93fx7ysu<7tGF)Y5^zH7CqFhFWj5G~i zFvaM{Lk7s5Of#k5n|>$LrBq6(qJl4C72_;iHGYlL#LnTQWv~k4_OZmceJqti$r{>q zg%3+sXsys3QHCB*2Puj$pvR1lL-MbaF;hl;FgUUlPfnLicc+^%Fbpp}L&ljhX3^mB z;#S8YKq~T^vR5x3th1$@BV{%fR{yvQ+#t?1{Jc9nK1cX@!sim_Nz%q{`Gf&pVvgXrb+OEUnmhKXRTZa%Q$<;LIJ*&psw@mGkyl6)MYcxba0gMsSZRi?}c5xPvu z)l#kr3JT5|LySnh)|9T*elOQaxn9Z*RCu(-$VT0b2G_lZb@;fO1m7(97Q(s;LJy$3 z)r|c^G2k{Cx68PL1`p!jXFA-SrW`xdhv+UT%cZQK!c{Wq$78);gdt=a-Z<~g+D-?XQ4WUyAsaAgU0_aRIeWr|FHN+$lD_ zAFRr|SFudE*RWItFU5x^@oX&bH?L!5oOS8BNbc$lId96@NQXg7GH1kv{Fd?WulM_S zTl_oX-zCpfWRFK=-Fv2V2}SkyrF7L0A_xA+tmi^4{$p96$oiC) z8l-Ab3oCP<8U9$f^M5XUlkhJBj^^;`xYoWj{DE*|-Yk5J@UMvLuq#mt!I+n?jUT(g zANDumzZJhV@EoCw;q>l1<5w*3sp)(1KZxH(p4W0Vhq}^_29H|o;hzNmEcllI7ZnXG zcE1{YX?O_fH^ILP{(~^D0<=k@A)J}@b~C;Ycc(vP{3YXW8qBQGB9$&z@!y2L;Ten_ z5(*IEDE?!qs4qiX9foY~jKAX~)Hl?78ekQQ{=yp)XIz%#97gKbx?PN4{tH&)<8~F_ zNPJ`RjGGEndt4KPm$vh9(^T+of_EnzUphEX$QPR#e`M$x+(UeG@h!;nVArXB zw57w-=5t@1wgb#KCS<+`$~Z_yI~qI^L}}b?*WQGlO?|Kqme4^$M+%Hr%j5$b${0k0XAb8Xxlt~QyYiu?>VVrHpySNmq@@@f^3AYeS;pr;X zlNTA@riaHb6TVpZl7Poa!(DFprjRU_3co`5mBe{fW-}$}6b7(eWqeKOxLhXwYVp^Q zXTr!7bHp1H#g7?v08U4 zevf15nb78U8&=_wUo7#+FP2IeoElA!n%-$bo3F7MeB50UmP=R>gwPq{?lvJE${{Ny ztdejK1(pMOU&iyPcpR5Kw)dJfJ7n4S$+}Q?TXqtl^X9d>n>sJSFF8InU7HZg}hA{TXL)wJF=e zajcQDR?0dm_!eLm5lofj*5mj1bd2B6pYUg~D({}dGT}C0sZgb><6;S;>UndX3+0j* z*kCO8Ppqc-juVE z4pX{I)}%{u!+p#6g;{?XZ;O9N{JZ2;h?$Y8R1Wx_2`@GC!ut|FknkY|e03?IZ}21h z9v?$lxRO4`Ds&rQiEaZdl{!$v!)UtCjBYy7Z~Sx7n?!#>n%Qd&M>>6JaPQMRyjk!T z!Cw*PImU2DjJPhrY((yBQxY%XKlr$BqRWP-6IA&JS|7 z(NTdFqmcQeg8R{gALjdT{UqUM3BOR_1yP*jOfJ6~{cvc=`c3rjqW>VxqhMJzU7ce} z-EPY7p(+1QDSt`%n+ih|4&41?!q{-wJ0uh!DWJZ9rOsIyZV@PC?2NzTb2fAze*g`z z3iSoy4Fg{4kdNVM0Ki|{pDxj+0&F!A%ERVN=qqwQ^6N`K&Fc0>{{WE_^=08`QvDf zRhZ}pOHA~Gr7HEvGgxs;7PC9P-tA}Fw;|WuUs@Y!ZK)x$QE|{SVh0%h(G0(r1BD+X zyd7~KI$KmyXa-2R_GbKVnKurW(LqK>8a#A+(i+_frkqgcmCjPSNa;$2NibQ=p4)Cl z=T~DTKCZjy9-@1aW{_C>)J&ePml^wAu!v=^RD0&cS#wfccaXB1n_|Uaji;o*De2DO&#ChBL zPh$)U9EX{8{yIqoZkVj$vJR)k=AqI|i95pBDWOAWgxDj+jwH+IEGp_ZaG*QN=rw)( zmPd&`TJ&hrZ0AG=*D;1}?&q79g#oVW!-jj6dQN`DnN$O~xwJ4zNV+083@i zoP^b#YVgxv`HfE%e45~7fcx}CR1_P$$2bp{2rdodrpDDbac%0u?RbfCn^S;wfnf(p+i;p`)%9&DTQDJ~M zJ0f~h&NBR@a1%XS_&LI76IXtLk@|R!gn>HOlmln`K+TbIo|L&%@MTu1;&&c@#L3{Q zkX4?KRTw3NB}NHhsa$Z75-3oRBGZP4}U?RLTM= z3#stT#m!u}y)QDMUu!R1CSkFJB@|eEsH?zj>vDq!-|gY0g0B#KC1FOB0)!KRXu8Uj zMwMP!Cgo}=*HFP1IWdZ%D4|@7KjLWGEes{S4y*F+dMp#}1}w#wIgE6|)C)Hnza`vw zZxVmA_*(+6XvOi~YW(vdPHz)`yZAc-UxJppazyBz#(%L1!DLA962Dyh3i7;g)c)`8 zHhN-c{$DA2mFRm&Guh>8RPwyn@J(Sxko$z+FZ==G_!c0AveM)p#2<0wGz@`x2&?k$ zVJs8w5iDaKPw}8|=pHq`Iuz+26aTpQC&=^UR&nI)lLj|A+@GnZ1V1hKnE;n%FvZSl zgZB%`W{u#rg4YpNr*sw4!VERbqszdg(V+(Vtfc28ZJ@;DgJgi&hB?UFJ#WguMLtk3 zNO@7pOH|Y&fi~Nhja?pkv|bVWs@T`aHpb?C>cq)?-HcsA;(SBKn=&@i;ML+2Cmswo zpH)$Mc8oOA{^(ncQXxTO@o%K{wg{?rTF= z9)vyO-FxSn7mUr7+|Q?Nd8rMSMa#j`DkGfK@2xi*HC?wIM#!F5Dr#$M+@1y> z*~PGBfS&ETyGAD-@ldkF4Hm~m8=oauTQ+bHxl93r;2*uuc}?^EQ8 zjD2JtbbMSNv3%{S97nrC9U<2p%YSP=FODhZ;OQtcL_C>jQASy5qTyLbZM6&Yj%cj4380H zh1Uwt5$ER7gUKNPZiewIL#4b<{7mungqHmWOI2FR`v73 z`4TRWa3KYTAI~jw#)pdxf9g<=&l7&J@cG2!Yrc0McZtDmufQhoahD2SAb25R#wA`k zfm?ajEiyh6uD8p?FBZRqJU3p8?re9t!8@+@Az3Q;3c*(fm}P2rmBF8d0`)S%R|~#| zFmv%R3<_oHYfX773`x08%Jouipu)gwmMN4KZZ!VQsXjb6iN9I=E#!Ffqca=XN=F(BT22T%B}x8l3zM>+o@R30^LE1z}z$oQ*!~?l$`SFz{=o=vAWcA@#ay4UdGVI;wQ!tWRU0C62{{P=)-(D?q<{%9W(|FHN+0*{APFgFUG>ovaBo}Pb9 z{Nv)EARpgG^?(^~qfeUBe~DL~lJc~aXQ(hjv$=BAY2v%}YICBH?W~crR?a#)yqU%) zfp0@W)AxFlUJhsBSxL`H+CYiNUXiM-!7TpndE*#75&HwpfNFym8?u;N(1H2&(wK0KSnZxR0$d2YOL5E|9KHh6Sr zti#8BBlugvTM4VIiUB@o0_M91+;`?&5X!3G%lSdhHahVRP*C~N;JZ5c9sDHtXTiS^ zX6#@Bf^t56j0E(nDZhjVtA3O6yOcku@PL!0nHr7rF@EJbzl%S`|0Vu!^1L>axpG#a z{xST;*F3&Mcmaz2D9&T4Q(M%>?Tp{!Wb=C%bJPH_IyU$9GWy9IJbj4h-l7XhGZn^-Kp4kk{2QCF z8Xwn3d|&bX$RnBI$(Hy{IIh15cZSi*10)QTFo*(^Km`VPVFUmk6UIILP?L5)*oSJc zq#=@qQeq6@tqeSf!wf&=B##dhK3w?W#Fgn=YYK+)m@~*q^m2}rGm?(#fGB?*Wo(O( zj7Nz*TI^`D+&<2326J+1QkrAT8Pd~-X^fn)a*n0b3{H~0G;HKV#StfaoM|i8AJhf=>`UkuZ-Tjr@C(v1>#AdZJi11E73QmM1zMDuki_ z#;*>o4U@%B5q}DK9&=eG9$)pHS*M!Qx0MgiR5_=~Nz%brjd&bofJr>@XPou43(2Vj ztMaZC%Y;i|8J{_H9%&*sjBzP5=b&);l*_4*lcvMOfx#Y}?O>YW*M`RfrVFnWUPWAq z19=c0#lmaE(1>r&wvYv7GsVs#%M1%u)UynIFWj%r7J81**+jWnWVG&FV-E_A zvvb6rCw4Abc6zb3Rne|q)Vx{E!^t{d)&;UIq{So@w<%@aMaCZ%+8gGHzgYZy^1Lak z6%vj1i1SL~Q_Zog(oe$7`!tWRU0P#3~3~zj?bq|`eAmon^ z$$41LBXqb645h59sdbMUzA)5j9~1t#@F$2fUo7m0tL90AOAf#~eB4ulpBDTKVVchWA{95tr$TOjGsEjMsLr3dPnY@NOz%HJZ@|=_nRCvY;i~9HJ?VdM! z%|3!L;$QTOqF*A-9h9bU`{P9UrS4@@uCv0wlvky^Muo`~DULJL#xbae1++|KH$g7-}M{1tyV?@ReW%7;{#0R1I|nt%zN z!{zg_gij=VN`bLef(fB3-DgJ6+Uz&~x#&%zzX)_;5zF>p8twM=^k&gpM1Mt^2?>`% z4yDVl4gc{bf3Cj~{;lw>0ngTBG)tBH&hU3G_xSh1e-OTnI780q5AfWt(XGS$2S17a zS@bWY88LX>LVUu0HDRaFO#hpN-zEGJ1in>6GoNlZArY#?e@ggE!rv4Wp5!zPQ~1Z| z>ESxwA-Vu(6qNuhbx#=ByRX|Bf5f-q6YlWw*Z`|g3lQ6oY<$gUIkVp`hHpR9N6fCm z8wqb5@MLv0tMW|@&%WTd-ctrnt9 z@&IGs3Ij3@6nl`^c4Qf9KW&O@Z+y$qJ|G8+?;yS-d2SndzUyS{S;e01EVhf-u4H+H z^&I}+&EWcbJltJy55YYN^IW1*#Az&g8NO$@>mDM!x9~#ZNH!crhF43nfL>(AnPCuF z9~pgR^rOLKs5*)3Z}iYmB^e-kpy)w?W~HIh9cuKIp~f&+^bpZQN#l!NAKcBWl_4F5 zzvHw!;sAfV!>}svhGUs246@P5t@xltkD5mi@e%m^Q z2qk~<J?3s@OOL&RiVw~M65y^KbEKi zU@7I_DMH-IrnK$jk7BZvDN;_M!rKtaaC{39@^8-IY0`wynLJg}X_AtZcpZd6aK*-- zw%Q+hiTG0SDe_EB81slbW0}#pFy^sbbcN_NY2M`c;E6*DXP@jebM|lQ4`aHVN;y?@ zn8It4xYjVY-E>!NM)Fi|WMtIHh=QSkc`6<|Gd9ogMpj0xj2sOfHOFFd2*V8HZwl8? zo%osJ>&fE_zOvF!cXB%Zj!)nnU*kXcxHGUS@6NY zgB^W+6=jZV&1x5Ftk=o9Ue*n?nEH~s`LXHuMlpa>h! zYk98;m7xH8pM?7*JV1d5ty_eW>VsxX2)BucWIQb65gObDUVMU?Fwqk5s0sgM{1x|@ zgvTX3L4gUXa8Un2?n#4JcEUP*+*5*|7W@ohUI=(%9y1HL)rNPt-fw%2@U_C%5ogAy zdtxOYTR}(HdXp+b@_1I#bCNbtif^PCo~MbepEu*uZx|+o>IE4u%6N$ezIbk+5;L!A z6y?kKJ5Ga7gxQq)_YEoDZgjJ!tf;8`w~8o@F4{zz`{O-1Nym-jBXg7bNg8IC!#+k z9Y-$eTVW{uXC`e6&scsgX_KTcC^6OkTQ11DFU=_n1%u6Uw#fO4je$#xp+E590iV}F0??fp~eUqb&T%I#tzoj&d#gSU5M z5Ds3SP>ud;=$f&ja3-ck0nO+V;Ns-VIDT*9Q&E`L+Fy& zUrrl2ZRse@h2qiyCS=!Q|M<8AB^)H79R)^I{M4swZ}@_6sU0l5gYb^Td8siY!z`di zcMH+lS#%fCT}d-E;mKsz&4kgR+}d424+%XfFf<%iiKFdh_y?hp?-1d=g%=X%rL6hU zSTL?g*SI2+8rAz~?IWqLq<)m*Lts}{f1{rdhcH0&K+%IpH`gw*HP}Ji8qHGvp(Z{Q z>ZpSy4v{#NBEA~x-QN$$J`5}3Gd?JTf8pbXVHK(pSfVO{r7oiC8jLDE!r;|m9N`GT zM+zQEm=|Yh#vNto#GU*hj}m&c(9uMBah9=(_!xtep_V^J@L0je62`@fc?D}z82rX# z9cRjtPw^jo+;LLIOPN50QCgg0HkUB^=P+XOc+n?_o=BRZDMhD*n`CgSoqfrMSX|nh!;!h#ZYAwb;x>Jo^J=t%2s@T)SCdqQ!Y9q!3%*Dq4 z6{@Nw;!DM+0v{KpvaZbd`t{fhKCWDRh4^&f{j9cbn(;$IEpNK`O7T_X@%2rCh)QJ9 z)mRZHnNvesUH~_<4V(@RFVs@$E1%ek6<`MQQ9N-oi`(7P4iw$2UcCpwcWO+9aJrL*}Fys1= zzLv_kLdKQBuxAt8Rc5@nLA$_vePvuN;~E-D!3aF^On0sEE5pE%>%?C#{s!_4e-^c| z8;#u@`e|+wd$ZVE$nv7bb}_W~9EvQ}{;WybOH6 zkTTvffUp0Rje(g%`0q@=qRo;SvuzF6uMmZcD=&+u1#I$qn$AI9f`HwpfNFb~7O=>rW>Uz+iE7zDFf z#ugc0(NJE|ugHCE?EJG75{wZN`>oimWO>N!aEUwY5wqW!w7t6z()W^nkhF~wPelBv zzx&bfd7&EilklH~{}OO?H1TZ%zZ$;J8Xu(Jg#Rx55909!!G0;c;fB+$w7H?uma)xZ_*DgB=nIaHOaNV5uF%uaPQsJ7a~vAj0g34X_GT0PzjU^9*A= zw%WK*+1bUEDdD2nRZ1f%jj1pTOL8t$*Tm?-Av0|%dNZxED?ankSo zOgJiJV*5*IBcUw?MiHJDQ7(gv-~dy$ti^xuaR*8{NJ={@ilSmpb=%(PGgf>0V9^~! zcO;E-s0R$=*Q;h-Cv(0Fovoeabdl4Q4g-ZluEKmNa;x>E|{ff zBr)?#FXPL@jq?!ky~P)jXJ%YDXh2_AWboQf{uufQ?kl(-VP46)FKh1o{$~6yG${{| zF;K=J8u4AfpF7mpY`E(W7CS`jP_hgP3Qd*nFoV~H0@E z)6WReM~WUvT3OHxG=k~1p+}i9HoR^b8Uenpb#|a)UcmiSGaZ+qRM#CpMiaGQ!VcHwJ`lC2r+6mGoQe$M!z~gO` zj9qz$XHOK%%n*hDz}DfV*e4r%bcoBzVyB2bg)GC4S0Cch0E0J#M$xH)PZOLZ%&7EF zoZ(t5HltPOMJ|z1DkDXMr>ZKI#B>>DMsGdR2fSQ#h3GVCMtnAv(o?L{jGq*`VyBC* z6kkQ2Swk77iABzU`F~6}Vn4rwjD#8q5d~&FNW_?G$2r62h7_C?UMoCDoZ+cR^Aap` zGmOu4^qa2}KT~`?d2JqH;bXprzgOb%GlZWhd=_y=4qknMqTE?VUl7{&&K7-+=-H&X z@!}MceVIGg@UKF3agOlwgwG|;u*Yu!#p}L|-yUj!=Zn8U{DtJ1-}ty>y1&SjVIel> zNx4|cd@9V=!Vn2MmzZ;7Xkxxp&H_0L>F|`{44{1m34f6ZGed#*G6{<%ETO>TD8>+M z%*^dBH@;Pv9ciifE5u((o;&dMa7_JU!tI}8Jw9%kgsUZ7LxDT+0~g)3#+RJr&)Rk3 zuNQvveV zhfC}(8Ovp?pb@7c4)49&=%FDMtrWdV^gV$t&E$&l(qE&egl2^MMBgv^0n$u!*?5-B z2MzBs-yiNn!XFm?2yq6b1aGc#?op$&Td)!z_n7F%ML$7WBiiB@0ruFif&{B4eC%Dm}gCw`wj8?CDV~vcpGS&qH)nK*oJGb79OG7>QSsBmC*g%76h;JFy z+_KM`u;^vKix(ukDB-0b=+(I_M89mptT0sb6$!6Oc#Q(Dw$gN#Z#CfjL$8}MXoug& z8&cksvXKf8JRW_;u8p_MSP}+cy)EM%8Sm0y-pQf09uC3P{Fw>)wf-PJm#|5~7ePR-#JMT) z%zz2iJ^dawOV}deD+)a7EK(FEZNusQ+Kjn#z448VZ)I$ypXhcZ{?UvrpYW5XIn!BSk?N+jG@8UA)^2n5h?~)DoG(*WjipVYG5wF zGlL(@`c3a4xVhjKgq5XYVE3NJzHypo_Y&Ju?A~O#;hIWJNZHEZAId!3TJS!C_a)4{ z9dS~Eu?KEH<1Yv!cJ>$FMtocH%D~uW>JBh^WT;vlDEc7L?MO2yoQTi0H+W+xBpxid zgW!&Yc|v*HL(e46PA4w#s$^~6$1 z;NP;P>xFf35_mn7D-V&8(@e-^LZLGv~G0ZiCB#|wic43RK22s{yd4#6E}Ld_H}43jWi z!r?(s{>7HGBTOg?dDjRDM@kq;f#*7lA?bK;fYA%Xt!tycmf?u& zgwGUSPn^-i+}WLO@W#+bcZT3I1lZW^m(G^l4fM$O|Yy8RaUvY8B>q;QFFeG3uIhKgWFHyU5^=ek{C zJ)blKk5*(3G`+;|kM8svzf|}F;R}f?IGpbgr6)WrKo!#nS5l@w9t6+v7}EVeM*TZWQKq25Xxt!G{4Iq`R7tLN%?{b0~VK&a1Z~| zgs(#pX|sea6279qW9J!+p8@~cjLG37ek0>s8Cz*^7s%sPqj2Auur5@uznAcXgl!a< z4mGT=tls@-{0U)L-%sLy7XJ%*9=5&Pywv?_%08jJ@i!^IOZkHe!-RL6*J$wfb`w4g z`Rkt&{*v%F1@6O#iG|63Oqm#hwL?k)8XHkNz*0*5$^j%p^c-MaoDMsNrkVy=h1!9X zhEy0VJZGB5xDw0@YQnXfupS?`tAs`p8dK1rm!kH;x0K;UVy3utUTG?2Hz~VQVOCp> z(nvF7R~+wC#~xyvi)}%co6llOXFLeg|~`fiMNVjsSx4f!Sg0~Th{CM#b$SWOThTHhb*n}BxRe0lg z87Ih?NFz>1<*MLKGQK+R`4h!6B2iNy&uak58qXXX-1IgNPZm5y@F|4jyH6VR5H@|C zYR2K=?lV=!X)=;DluV~%@GM3T8Qy)K-$9A+QsF7$x+3vXa#v>X;u}0%F1SK)nlQ5y zm#lNsj6FIGMVKzOQfw7j<_#zlqJoA(WVH$N3;f125^5ww6jX!a*qd}Qs^oZ|usJJ( zla*5|Cr2mF+DnmXp`JOzglj_9UMFFugn9}}J)FfHV}}f1+{}mR4B=-ApGBNk7~WCO z0U>M^Jj;~!A=f%v$~jVIQ(o0XEKC7jm#A~QCG7sSkyaj}f~G#DVbHNX=mnw|l2)FQ zi)RHvTf!n!jt^tbFO#xZ$`UF(acFr-V=jGkxS<=toZ=F{o27EDkaJ~lkUFv{+|F2V zyULuBaI%-lxmwOObQo9Y+hC50M~+RH7&5QxBwR1y1`~2<+r)!3?nV=y3rBL3gqtPY zLV*P_rdcIHp72{ux+etdHc7Wjx`Psm0+{HeJjqu8#^>=)v)(z`N5EaOmdjc}iwC2b zl&UfC>24EtDe}Tf39BUBLxCrr^EAb80le3YZ^GcG`()fN;{h5xmD4cl5G6_;(}Sj* z6oytmB;{c#k5FN#Ff=xacZ8I>M@{%Vv`IWB;c*F1P+;cACQg=* zjVyejwtLHjUBmePw$9` zF#_%B)aS_*2SXQvRkA zCo|4%t$KwS+rtfLhm3+fRIk7?F0Wy@BloZ~R>TFbv0)DlunLt5@eRo{hB?au=HbF% zBol^)3vyQpjU+Utz*{;;JvTA7B$VEpirr1@?qqqy)Jx%zhhZpve&{D$Q6qup-Hwn8|#_u0?&|3UH;`b%bC`B7Bt|&(7er8-1nmYHF z(MCpF8p;{a5m)ODFuLz0K0F7CK1g&s(oBJT=n2FA^u$bib9VY3|H8)|j8%Ep0n3Ez zh^4~h-(7>#)(NZP(>5TCg6k}!i;S)`c+{MMeLyiP7sel&(GJiPfmP^LD_E%P6G5tOVC9rrLHzhL`pAhuuebU*Y`%?rZV=4L>u~jRpuG zD0~ochQBhC(QV*R<2wxVn;$HGi1?x8nUdnB;4I%kcbF+phXWWUWw?~Xsj#4`nW2v` zctL3GA0hZi!6OOdGAf7%YN9F|U(!dJ)~TBh)+lL5OB+p1iLZ>qi!ocN@vn!n_89SF z#UD$ak*cYm@I15Ow;tv8An*R(F zt`AQm)k&Bsp`HR0Hy^LTTaP)x+v%pfAG+bskaDJ!SyXrr{?9!Nof0P1g`3vdlFpGd zn-WtiQb!77HQc$z-x!j|9P#IgpG%%uJ?B@=8@nS+l6k(^3&dVXmfL2zj{HT&-yCiu z^Tb~)em;37jVxy=(hRGYm~qq`e;zKCu|UQ`8r(w`t+$+!b&>H8F82Io;uniw5_rz8 z&TRg2<8!M#zf}Ac;;$qhCku`Hy~^+rVNmWe;a3a4hB$*$ih)x#NZHpKKP2=WTqpi| z@i&myeY330-DvDFVMxdMBgs@4$=%bribEj-f4KZ z(201L@a4i+5a-4*+81@TyNw>%*~iLC(W^w?Lz<7E6c)LA4ISGWYw&UR3B6zF14NnO zR%dVnd(hyoPVn1(Nbtjg9|^F^sgD}`YiI#^Oz`7^p9nBs(OB)CGJnbVQTtPx898HYk7<~%4cOfCu0Maxh}f)^lF3nMHG1R zm}zapwe*6t7p1*~Wt`sqpeM{;WX2_7(9Vd1fHEsr);8*?T692m@K)m-K<84=Jf|rdLyPy0K=yN3>`?}h&$d>e754un4G(x>BE{Lze2 z;c3R7Wc)1S7aFYQgx&^UGcc=}bvVfSUDhA87%YyU!%nsv-sU2I6n_f;OZeZ!S;WMP zxY0%v@8TbGT7~CucE~BfW1r}6z%qW6Y@pj2zsDuN{7`HKAJ+h@P$dxBkSMR?!U28z zyIlDqCfpr_&Jwyv=t_a-t%`5d?q+boI3KIs1@{o#lQ2V+^)J<9(|9j)b_!LS zL*(?9Q%FZwPqq58iwwU!41nt+ysz+n0Z&%xy{r8VFMJ+5#>Wj1K2Z3efTQS#va~zY z@K-{)Z?Nzo!iN%P^zcDROc-*vKjL8$hD$h{LR@~()0gfD(@EDe_XLL&l{ai)xY75~A< z9fwtUHy+D`n}DUS2k8Y!9J!Uiy7+Q#9Xd>pmvVxXiBx#pmFZ-fqu?hQzj25U)rsQy zfH=Av0?)A-IXq!?vhinz(HWD)PZ56#d4CjWG1Sa|r<&5?RUJfun~GI=cN&%nm&8(v zpYMTrMlsgKM{!R`+$B;goVe*<~OQC*S+A9thS+r!X|n}pvi{1)Oo0{>hBkKk5Q_6r%oZBlNR zat9TrKRnIj?lkt8P~yHz>~gUy0*i-A-QC764)u?fVpoa1hwT5O>P*0Vs{TJdlOM8$ zBxJ8dmduP@)=CtGi73RF#SF7KGh>SoO$pH=EhYJ33cSe5p3 zW1p+zqt8aMo5XH57IEPVW0OK&{!6i2#BL?aSJFo{O@jHAIXgpi`&!O6Ip5IXJLA9q zxajR>6nVslXorlQGQOpu@(8E(ao-vJVrWa+CHi~OyGciH82bcfa?;ixOt~h!VSA+P zm9mct{=;L7x~ni}i-jIAhyh1^hBZ9DpKz$q?Z-aR9l%}@kRvy6AwL`b^C6rLn>#4{ zknmrKGkQdqj_FQ~FCH%Zu=pe5kCNxDLWc$}?1Eo7W=7?q{#G5A@tcg_Y48`KYBT*QkA5@Snyn4o&5!#h(#>mORsXcCuj8rmCg>GU;gOVsTE=c}ag$ z;`7TNor_Q51*1#P_m}XG=$P`nr?J@U68t!5cM%Rm&*0@FI0-ga1cy*)5MPu$pEv4r zGV;lL>j1H*0X5VmE!}uMc=DMc%THgb}Iy0$yoGzmRdc zO2*YP>d;{Lk!Rzy6<83#gl3^(t*(T660W7dG+T)|8{ut<>)ff?qg^|Li-l}vd%+z9cO=Y5g~m3`a({#I*^Pa~ zxl#O0;yaP&mmp*^RTxKE!L(<>^Xe?Ei?my)@m<77Q&cG5YII&mtGkNsCi*tge7fkS zh8{-v(%){vzR*9kyM!JRdQwmXibk^`J|vpaJY?eUkkLy(F)S#nkgfGn9W(?Vgf57JY$>=X*01e()Op2MwT*5uZSJ^BaMFjDK#3zww zfC{oRInBdh!*{*tpF^_n6yd4FSxuRjFq4eHXPfX?NPBW5lzwh@XGX119hxU2Uq%59C7-Ft!wymL zdW0$CLl$kMlu=SfQ(+v!%qmFF#~3{}R9D|CdaUSiq}BfJr%zWzb@!R|Scs?NWlfMZ zkrtmCvUW<+?>D}9czq^`pDg}?z_XbS_tq5}pBqxT2gN@me#*Z*MyR5Y^RV%?M*GJ+ zRs1yZ)5-Ii^%-!F7`-Pvh8dz~ihh(d;}FL<<>b4^4A0nuquAWz!k-X6i#RVfYMe`P zPa3}{w9d^I|CIQr1J8UfyD&Xt{GO2UeOCM&@z0TGtiaU4z76(yGj3|)FZTr*b7jm6 z20u#}0*aV7-;DC%yR<;Yi!xrK!E0cT5w=z@H2#a@IE>9L692OJSIF~*4o3T8ntRpg zS-S*dB{b2mi(X7xF9Le#X=v>mCcIe2U%(OxZ%TNJ0-pdbn3G~JHN1T&)VwYH9pUd1 zXXx3g-7+c9y=Q#893P(d#eX1v8F_|27c=?hx#dQ$9N+`~k{)hIq75#wHn?gMkDLlb7&&@P!$jv;CESDPxO_tu%BQXsJp}m05#GfV4u#9BG=wAj`T3XB#*bI=PE&)`bqTZi76SBbw` zd>!(<0#%H;YmDx&4hONhx}xiezLvCtlY_};m^#)sVMyrc&_F^%35_T))}d(+r2>N| zKI3CuW5IEP;|VkDSTG`mNl=3EuhsT^6Y)*OHzUs+9hwcB8+!IikG2rnQfMops@MYC z+Sv6EdG>m-ZN#=E%Zm)tZ@G3R+#NDb?Im=O(2)Y)T&zl%jvhWY7{2a4fBqYV-z2>MHqX&!T0u2>QG+|e0%D6*9FA2RV@S3siF+VSN8r~{og!%~YEBr3v zjAj@ciz~R>=&sNDE9fV>zvuyh<{%WTgJ5*AL7pBcdXVTO(u_7yrVIrE<6jP8Nfw_X zK9xML74t~5mw2X2Goj^49LMH{NJy8E5rkaz%f(AI)P!4ee29ig$dr&pfmh3_Kdgdm z^r)7e&Jmp}dN^r5uY&B6Nsi?=M15z@=P!9DPfos^0y?|~WE3&C175@tCL9i3y+=wI zC1Es$DAy4+z@Ru_Mz=Ws6Zgs(D`OlDr3@o-(A)Vwqi21E-^J#}<4~cSfPJEyh`rLb z72Ssne>LC_3V%rW6ym&OOo1FV@;+=r z9V-b)m?mL51zvKr-V|f$BW4T;ui6Y5Gi5wVgE2`hNLViGG2^pC`_bd#pAbKbJbwYV z6oYDW(8~Ly8Sl;XH+8m*r(`@G3}i3y8ACO!d&Z1;Jys4+JkG%nxuDhQeVkG1Sew<))0f-JkzMDIZDsm109|FGow2^@6WwT^lH&-Nb^4CW+o*wdagCTa+>GYiC-^%19{~T zHF>7{-0+Oh2V|r0O~N-5XY6GAPloz^ePPC|(ERhIj4d*@($I%Y1KZqJhF=`&n7@M3)Nesoe9a45m`IZVVIjZp=<-Rli+fZk`OZ@lZcavv`bVD(@ zk>R(5JGw{sUg7%!o|l<}m2=&XhR>PmZ|G0L_X|HjoUaPH=b=9V7mCGXr{**dIkJOt z4$1k24kJV+J|6k*SEI8-r{Tk*kBB}>n&D5ws44{LnBjXb^#M9A{5Rph2V5sdqk!R~ z!r4y?-N19VRKdEtK(XB^^S zHOwA^&afBEsQ9!u{*e(=LB#;fe` zmnU8tN0XwtCo?h`DK0hX*01EmxC)XklT?usvzJNuQeJNCv+F!tNo-}YRmk!cKzA`L zWQ?%|#=rW7=c|gZCcZj(MmXgzT@9nx+~=>hrs!ItYm?@!;e3qlN`vnR^@CRlzFKe{ z!g{+#B4Hlwt}%SsJb&)G!s`jYmN-8}siRPF#O@6BO;{4Dni@!GD4`JrUTQ&hfo2uC z&iKzluBNg0IPvl1Sp%7z;V}7L$fzWkm2eRMh|M*T)l^n9TD(ELp(qI$y(rwy7NT2< zZbh0gS{I?LQ)@Hc3s-Tyj5adb(%@yIq>Z{=WdGWk&?U>?r}h#$Na#p`m#rEz@HZI$ ze5fh`)tAU;9u?1?5&#HiTNLu2Q;5xh*I@hsj^L z-IP(U`>W_KrH7QBRCpDB;VhSE{DNO`7@NC8d@u36$+MjUp^C0GfRDQ}fJSUW2bA;y#A5NTKs$7ooL-mRV8JIIT!#}`0Ir(x5=tnNBDAdaCyUOHq%QvOQ!+W=NSSgz#C!6^Wus zPYhu;p-ZUsoGsxg2~ShtcLeFHd&byX!iV-*v2(;eN0ui?T^mwk+^FYGSownw%?lFd zN|;B1FAl5DTlr2wd2YU0?L!6n0$DH0dWlxJOPJ}IDaS%nQo~(ZB;{o(uTbHmW~Vol z4vgN}!$-W=M87V2F=<|N76&XF``yi+T_W~Pv2T%8;vLc$x73UWL-O*rjCW+bOM?*! zOTT7v0MmQM$Aui&`{F+kzbx>`GA9p1y0YB(?O~FZ55<2Z{$uid3K>|6EStrfPfW;Y z;4fi?gij@`q@ZtZIyQd_zOYZuSr~z@P__@#9MRU)Ujjr}%HlGmfGL){o(5g!|5{wD8*OlJ&i; z-L&{C1(=N>8?&hYVEmAU{#W*h-z$C}`6y1aK&?TuKbrFHQJe{z`$@`vDF>+N&DXT4 z?q|a%t@ijq;fI9(LR{$=7M`8tQZANKf(kDWX=((Pu)bw}R-)L{|*-5PX)h-Q`C2sqSx3CDD~dS0T-BnQzj~ zV7dAVb1n~8TvbjrIo0VzSImZHSHtk#;qzKkcrD?z1747;0o_*`{=e|PTqXQ!;dO{J zL`dW~pAHIxC@h%MBcyY6<ONo;bPlZ<<<;-1z;WveRc@yDHg*PM4q8-u*PC|%pIO0-slQxAR3N0kHl+=n6 zpENR#xQNz9{}{53*Nbi=x-Ds?z|q+HJlD>Io}q!Hy@U=DI#OUl!Ld)N80vC^@g>6d z;70K`iSI<-CtY0rmRE4IDX)eie`hIOq})PJy{2_M%xME4Tin>14vo6*eOX~xyz)$AjquZ+8B zSftQ2cJ6LdMukYxPfC9&1A?MEnv}*`j(bdr4L5b5ltEIGs4#vj>giX|ieOG*_?cum zDRNTj@HVBOKeO8< zpU4rOD||R{eQ8JKVuUbS5RAVwq!@YP^TijC=ab_~=a>l9=pWzm&v~TiQKCna*4td* z2a}C4p;j0|das1B62?(raC~d6yU+O8&{#WO`~>k6$@>q#PlGvV>VC8GLNYu_)?`@^ z(BeJ9I(3|pw$Si7YjG5tdrPZK|#JRh58zR1Z` zM~X+xX}`qZsTp!+%6XIye1AZOCyjpkpkU03 zD*7qWPm?Z7Iw#v!jA8}VGv;+U=Dla-&5`#UJ^!Af8`ASeUl-of7evn$J&!bRD<={{ zmUh13d0~ji0^u(Te~Gv<3`uAQFJR06LNf;J^}$&r<7FAI&|q}JWoQNr_o@k}Lik^k z@VbP>6qpX!^cNVGY)Y$;jxCY$rj)m+Fh-$=oo~-){(q@i|Lf%+-`ld@k@YSuUW;ZE zFJLS5duF`e-y84C_&~-o8hqfHNh8^H!!0*{WoWVZQ2a;YKPIn7fx6K=_lePeg|?Oz zqCXYAk~AL$zgVeQPucL~Q1n_Qe6{d3#2Fa$7f@r%TH_B7^?_d}e!ch&yU@%MOTqm)fjHdA5v8NpFxFuG=l-d~E|B6=%nK55*YC~ACV!qRYizLu~}!Z#H3 zq%}fG{YbW(k{#NYc1YPNwcmUh!q7tm@_xr z)ID8s6CY%bJ`$_zM@dwB&4h+u0sN$c(VHrnc9HsI9z9`5D95bhG_@W$_^P8OC=`b#-@e$La8h%}9c|0Nf zr0`S36*n+fzVGz=rzx+5+{|eyXQZ5^!cd{PCOgls&Ha}-onP=*a!$^9Ie*h(sF0Uo z8T5kTW$y6!Kf+@ws`!Ategcblp%MVEHZJ@k9E^$(wZkh~1cy+BkW-Wnzty>{pD$+c zh5`NuiVMD2aESmjy1J4EuMCf&l;F~W%Mj+Hjyi+0<^B>gMm6@QFDs**jPf*ixtPP7 zLBG`Sn2H{+ApA1n6^ZkXvJo43Rt=xJ+?*b(@K4xWB{`MlRH4In&iCHJTFNGz3~gFf zB~+78JqV!_sjFc^xsZ9NDWR5x+7x)%NCQwO#9G@c&G;(36IaQ&T1FijK4H>)4%Zkz zGbBuP#n%&mEqSIg$i1PQSl{U4p_ZqC=!T*jk!E;MwG|(y^IvDiO`%$=v5Ytw@icgk z(8(uL(?BGcaBJw~(?mj33C$?*ZSa%*^O~ERGA%T0wUE+MN-HY-4fSW@!)|TDl8`uE zFQJWuwiFmo`L?-s2LFD8j~VR+cM#l>FwdTf-V>Ree)$Fy7MAkDjS_B>(1}862>#`a za?>}P)GoZ8oh5aVbPFXuHw_>oPBbGc)PCF{qnC`{GXz+6(<8^p`Mz08z8G+AD8m$RohZ_I;Ab$bF#Ak}nBG1fIKfZA61x`77AmPP1qJ<(MSoSB#fr;@BKvM zg7G(n0NpEotoU){8GN)jOiybd|g6N5)8Rx=SH*`HRaB-IIpass&z9#;4@r%jpw&Qz=tk)ZcS2>EaU~@}^ zzbX7J;(Dwc0>TSeYQnK_{3>(*4GlYN%)2WBL}9{cdY5zZv4}sxn_s> zo#MYG&o3-zwsPMY+$2nFwM+2#f_D?<8`+|n`@zsTb8!Tl+aq+Z(0xRCUX4Wi(cogC zQ_W9;_X|Eim=6mRSUOEcfK?Mr8Q91_--A*PN%@6}ZVVzdhfla)O&A}d^cXADS0TS-HUfLM17crBtE9sFZ}R&!fj6NLQG!_H!J^=Bi4lCZRe7{}eba z@!+USR1LFEg$#d9S+!)6DN`&%!Tto-n9=kK ze;IXU)RS>74W6HijE;2mjjpsE2eG*ZIE2YfvB%`5*hkSDOUAqF@K+QcE)RLw#)9Jn z#}npFWw*L$)_9j-%I%?ZauX>{r8J|$o0?nTIJz3EtC?^t#|OWKgq9LoQDB`#UdAZb z+SpT}ugLXc+lXyTmhUo(9_VC@HU;C)hH^)H@g2l>B+u}(tH=mcaUeK1n9^@G{so)6 zQOZqHI#FR_9ZhQ!^`E%eoC={N+gVN*Ik(W^6Bv<{iDtiBjXt%=UvO8^-9+C;nrVjJ zRFw@(N({HPyQChHdIm}BhH}bPw$~<_R5RSJJ0$gz)SD9HQdSZc8_h33j{ii?a12VcX% zCM7-LZ&|XW6iKO+qIigsKRUM|>ZX~};|NZN%?*)~E+vBspNSej+)$%qLc7N>(V3#N zNHZNv=uXmSMS3LZ|F$v{|33C|DT6=&9{IB(_2%9m9@OX(St0kkt1J~^ZV zBZZF=KAJc$nd6->K4UN*#TZjYg_?qUrHqv_jtXz>f5L@%PEGnU1Z%vc36dsK;(cO; zLA<-)=uV-sV3O#`q8}j5w6tD3DdA5C9G%8BV%hLXT}?$LhF4QAIMlnL+OQ|dr$S?%T4-Yx)0Qcl0K63F(n2HOL!p3|HSAL`*0AO zTOs;W(JM*&D5uqsJ~Mt)h;pmMuNJ?CJil0Rh;wU=jlzL*uM@jo>;|$73Gy(xXi+e_ z`J+DE8%1vty*bcP{^bj!7lk6{m!h|b-fA>DP+?rYK8M1MnCxt(bGGK^3# zp?k=t?vSuk!nYJuY{8&Wem~jQ;X89)DdsO=mz?kA>^28)FQ!O~)><>CWw@Pta>?AmJ7M%Y;TV{mnTi;k<;uDKPj=;_(V!FnDSg1|GrxM{o?L zB*wHw*bBzlF+>@EMOndR;mk#F2t@GNz65!OBqbF~wU;#b z{m_NBl;F~W%LF*SRm%i-iNU9@QK&I4L2x<2=Ru@ z>=kPCuTneaxD7vDyFTk`w`)VujL zq}rKrTeg1!?PYY3(UAu4Pn5%OHyBR-@kzX-!wroDw|I-9}nb0d#UkE=tAdW@OIMjs6$9%jqGfCmrR4lQNSv zpCqO$GG$Td?R$xytwVQ&e!}|; zA3(e;aApYqUBV8l9hkQ*WC{n$8ze7@9`n%XCxPV`cqL5U2AlQjNdM@PWu?eUrNzjB zmJ3zkrWwB{yv{?!r;E=Z&r9c2Sy*)0=w+vI5Str@LxnCA`$U(8z0N)qb?qssBV0BP zM2W>MVa9+Q@wwuMlV{XJTSq}kIwq8N&Wwi-=m%n4o{W4M1vD7`VVrDvG{!0$e{&0e zy(7hs5r1_o8LtZ#%bW*x|*o3AbQJE@X znuO^T7^^W(4r^DYjz+|L#FPP{Y&%2BOev32QOe>M6-srFnbFn8Ajo(^#w;34+tGZC z5y2ergr9lRq{)ZJ#X;h zc^-a2@La+32&?20@8%o2he-`Kw?OENLSG^p-Oyx2GxQBuXhM@h9~Tx$cv-?L6d3Hx zq`_!dc-82>tvvmj=+{LrCe2_c#KpICZy21?kRd@>mI!`R@LPl#7S#AfeGZnIuyKQU zEOj8^9SQGJ@bNMu3qz9)UwF{t?+gDx_%h-QIzC5O_D!tj((s{2y-7U5foGumU~?A#iLkj{ zGQO9wI~buAI>r59#&w|?dXJ2~GWOA6m`0#7hxyZakXhOlvr6%kQMT_GS zev|M!1;!06i0=L{x_%LV`V*p0iate}FBxN!`_tfBAtId?d`9qD!a6l3uR*Tg==C8B zcTV(q(SMU>9KvXLCeIfPUlux~|06u6vhw}d>&9^T8Qz$Sa3K25Ennh8UId4b^%q~1 zJYxiB%SLx5d@hQaQ6t_P#bsP9qXZ2GKfXze7A;&!qbF6xL2Ry+=+dIgkXDS#$wtQq z4l%sMjMYcIQC3Dd8Rcm(KKy5p8x}t^sbGVbDoDCaQbkI9zFNSExAk%p&X@F8QAt8& z2~{ZYiJ?okb5|IAbLc5rRd6-I)d};GF?JhGb~TLd`i4JsP0_VP*Cx%d;E7=ZA%x{h z6KXc}!c`KkmQaTR^NIynhAA17Jn~Jx#+=xYzpN{#o}6pxL?66teu+6}MxLv0(%z7v zYapqiq(+qZ)^KUZWF(N+8UN-qAF#&a_+nh*Pp;%^e)i98=cG;lU*P`lZjYPz8YFL^^Ovi^cI1!ocFi7`2d%Qp7AFtI?6*j%y0$@0YU=waua!OYNdb9sXE z1s4Q3X>gNPZiK;=KJ)NM!J`C^Cd^QvyP_Lo?4i5;Gr3pnSh3>*i@IZXpRt?6_hG!) z31TObjlP6PI1t_MH~y;-4JV18EdBxVyh7w+o4G=R<0kk(KPdPi!BYr_R0iFMqZtYx zHmS{VFHMy+P11Bqd@qvFHycf6j~G5M%qlTM_)OuC5@#$)h~qtf%;>!h{mCB}{eSB zWc)9o`^O97=Zc?4o-Z{ATjBf3UUc(K*%^jfEs*k}l$WSP$p)s<#56>Pm+0(6v`F~N z!e0q^PPW!>eAVy~cX|9Z;jar{Oq^GnIvAgkHw=EHsE3ybepB#U0gh*N+fsvHseuz< zb8icNNASCZd22Aaf_f0WXS{pepZtCCABbN@p0_5tl~L8cDSN`*{7}kAQa+}_=oS{A zR7Z$UOsZ4g|IP|YpGsOuiB~)lbBejo48Ao4YL(#Cg4Yn{&BvFSxxlrCKN)&@uM@sr z_y*#PZDHL>tcPqyc1TV)%Ge}hGY#IQ)NIVjjZg9y#y=7AAzzB$B7Q4*CJW8tnz*lw zO~}U~Z0>8Z+r)lDHu{3(WAKxDNNzW!R|w7yDLbWnONG~qPB{F+erI^eP}{jn`1ith z6KB>XnoJ47|G|VO!WU|fguN2>QQ*tV32m@Gfzk8B7xO34`$Zoh&D%MI^|gvbKbvtw z=n;BQ#vvKM(1>nNGxw{pQ^V~!EcS@lqk&BtlH-mUd;L26AU1bg>~CU!C(Fl_hY5oC zUH!xOlc5shg!q%mb{Pr;Y0kFDW^l^KPTn9l)tI4 z)+{Q$Vl8D=*Bv;u@pAIqNmrTCX`#_gHu7mWfCfyprSFtbGZq*YrRlOLS+e6C`1of z)8x7cu#8)TJsHv)E6+vs5(I!+i*OXC9Mr|5=wUSbX7N9}qO2a#bE4WJd z)xzrpTnicHxoZr6v7f&~b%oaxel2lEAa!}t5D-`2l%)&2(m+Z>DUGNw4~rplSP3JF zKG&J^Sr~ZLSWcXrcsjgISRzgXH4==Ueg=oJxhCS9if=}qw@Kspkl>;VkQwt2N69VzfmarhgS z>0*}P22&=40hKpOxk*YVD!dBaS4=jFbqdT_8R{E4%jhEG78<;_to-5PN=!3uHD_n2 z{pl*Fo1EL|FzsT2?sj9Z23J!og*DFZ%n4U+k`WrjNeZ}e+dI9__rZH2U8;fIOc8 zS2u7Y3@+WvpM0d?QG!Pk=E>QCCly2Z#u(o_^xe5v{8;hh$m@o(p^x=4_nGiU__&Uj zFhRmZ3cTQG=rTH~I zl4engu7e8-Ao4wFLWd^)!e>i(O2X3={$I#Yk^YQ1Z9>SNl`}`qb9DFsIp&9*wx2hC zNhkjsFNmKjeja&6aI9H?WgO=letS8OFA)Bs@Rx}5)?(^lT);x3pRD8QMWSC8{R(Mb zF+NvWSiJ+|1x#p@<%QQIye?re1;!2}0Gtk(${VIU^R!o%NO@DrTU2qT!M%}Yk3Dwd|e6{9PVDHlQ&=SC@;q->_b5MfOeho#)mGGM|B;S#=-utmaF z3cTp>X~&dAW~>TH{?{_L$@qo_?<%_L=AjV2-SB^M{6p9we5deliSv><)+yh8XY@B= zpwlkV-;3T&nsr8aTt66ke@J5X2;D1mA5n(fr4D7A20oiVnsH>556Vw6_RBaxgEvR5 zK1^nQHlcH9_Bklwkc3|-FrKPn&ChG`t2rNsa?4>kN8}v+*TKS4>Oq|9j+x^^S?ai) z-{kyGhe=a-h4iTZFlkjZ<9OT zp})-Rd8;?i$viLfZ<@*taQ2o927eJcPX8k~<_Z-Vu#XZZ4mw2(0sfA1_9e>ra~HuO z6dQyWC9brR1H!mQB*Ih7oT8f%U~I0qoQvg@pu@CM(Fw0;N#l2f2vtgaY4K%@XA&@Y zw7bOki=OpiDl5L6`10hHnqj(7#1KZSOHJuB*DDpITqdO=l_(C*fKOyjfVx0A(%3+WMv( z4LO?zQW{EWM1{!#Mylf0UT1WjMLtB0MaPMbC(RhbH6xLmQ&mrbITJ&yY9gnpoMv>G zKBc4Jf&LQB4X=8Y|A`jDTMBPQoYxRdfuee$)}}na7XO0HT`#4Ll(tm(P9$T#4%g1$ z4tt3LZZEil;Esg(nkIq1!PuWeP410iZxY*yEFW=FN(z!3lpTyewVG$fxjT#RBK{Wg zyj0W>a{k#{4X+WBv#!Fs3BQdvFEuwOS6yfDy4`L{$xuzzT}lrrJ*g;4U`-Vcz;THt zlxpX1=N%GyN$5?1v5wh?XhOd`%}5COhdwg;%D9UL?`95%S>0{$oKSz=PjG+10|@hO zVpRrrkFkZJ;$WcIL1L50@^bO{)W~RD?qE~ah0kZQloTncR2X_TG{vg{FU^dinfM26 zZitL@85uP62rx(;>BUgPSM2xrFyWcPvxxHtFjIh^dm-D5v*81sBO_PFa2mWlm}o2) z?TH~pjlJ66{XD_>f(r=q^mtKFyTa!+!i>}FeSk*F7$svg4L)Fuu}#TK&&YLSOgL5B z|HQo##!47Rffrm5tx$fS;j89*e7x`p!Y2~v`O#5<5dw=Jn~)Wn;wDL$Ea8D5s51nM zdxa*f4~5|eB|IcyN)QUN`M}We;9(Q42&3<&N|+{LIt3;wh!>oN6h)xX?h$j!gqDXH za%ReTlnyTgEwAV?h)_Ld!p)&P^SFd3B+R0~$cG*mXb{zJJZZ{j#r&|v& zC4C@i86~E{sK@70#csLrqeBY$q43E z10i5LB+17@b`ju6Xsiu_mgW*Dl_tfIsXe)OMB$(m9vkI z-XZnfk@BM{yF%}spQP-Ua)1gyKzZo={qP4ai?px8rVe<90!-oL#sIOXfFX2pd5 z7l&mXk#&?-lsuuDl9@xiMaRrJeFP`O=8ntxP0sJZL86Z;9b}ZyWb%hOABI|;6LL<< zIYozYad3fygHZ*>pZH!sf$_)U&xk)u{{OvAOmhA*sa1HJ&Ph5i>2FGWgy^oD>@FC5 zZzX@f{t+C54n7!JfW0CJvOm%4SQp_)RDd|R+6So!4xs=cp(q6D%?pqC0wuDbtO)0gc)TY8jN7Kb34M}rXno%Ro|HxG`u9i_J z7-%}raoMR@N#+_eMu(>Jx-#m?xRwUv1wOyIuD-!nKk854KyX9BjRK4{TKHX|jp%wI2~jf}Q5_}EYeK-(LHb|!qh*Z)L&2^}PKq`-KA{^6?HxWV`r z>-k%BqxhS|cOuXGsm9Wq4bFPS!<_|p5qt|_#t99!j?RCpDF;I>PFE@2q})b@7m$U; zwKXK>b`xfG^S{wuLJtW&DezP6at5;vE79=#$9wz^;k|_SCaxQVJQ@Z3qPeQ(g0t$?B=v>3@CT@iB zNuhVmNb#e@j}AOWaIo6LjWNDmsP(v4{8;hh$n&kytQ{I*d7l}*8u^DdUd99&6KO=x zfon*(`wgG}7tVvtO%gs?_yYk?$1;MrL4}5Q4;9@H3V%rW6ygjIY8JQ{Bd+>kGmaGc z@Jy94O~!N@Oj^Ng;me3eSHPBWyv)l@I1nE3hY~)L@G%AE?$B_k))G3O zm{a#+f7L7Gd@5%p9mYE}P@)p{GoxQ9?&(#cSBqXlnn_)X%gJ?X4Q>%ChSv#RFL(oC zUM})ysp#DDx#7=;9NI?Vn}lyB&XA;~a(S>XjJ_wd6nrUqi|DPSdGg%U95lGQuME!_ z>;wL_@NL4s2{?!7qFHOZ;oCz_e24Iz!oMZX>%>B{C>QBZLLrHN4U_@g^hf2jF zIE0dcgrXF9m;9m!u9)$6S+PL;#o|klXJQ@lfp{xRnzAV50!v9LEu{<<{zSCaJjw>f zw+}7DWyO~hU!J_)e6-rKJ&y&1OUlAzWpXOg;hjQluz%c_n=v4ykdPfhk0)v)~lnF&z<%8>+bE1cj zzYXLxl+%b#bi+a?-s{Y07uwz$%ZQT^PlHchop1P=%X0~)bXw=Hq=}TKQkqfWJenEiMNR!lSHo2Pt;Zj^G9lulH51$m=U07F7`v+?C;d%m;yF5+(? z&y*aEhscP?9^7JV(TP@2JignoE^1ostu7hweoooYsB>HK$_vS=etgU$7m(qGB| zD$4M2F>rT}(RU8~BOzD9a0-0u&>box zj7D_kG!ESw^5o>pDWJnEXM<)&zPb;OFlFjtAFh#7MoAe>g|{{-Zx}9njL|d0xBgzy zV?~c6&6k3s#Z|-Q?lWU?C~b_FF+s+}V5DZV>PZa`W{e8$rITb#mhk`$#&MK=xExra z;pf--3wTiYL&B#JSKPqjvnVSg%Iz6nEX2PBg{`4~>%#`pb z1zxdDOy?dmD4n9({U zWzWi(BjY(5O#1)dB8BdGv!<2tL3=^gTv_vI@jcDQ({}R>t`^d!1%h7`{1RbhSn%9Z z-9n?sh8*c4(JzaBg*2ZUpE7bouNpo%;I9dPUHD?+Wr1^M53UD|Qjn^B-!Si3fxm(! z^4^s97QN_2%|){^V(d~AI))_hZ3*v4c=ta7BM3?oCiD%$`w~8ouq+4~k(B{qxd{)3 z){PG(d?evx3Vhz-1B|Qx#FUP^@h{li3MrpTSxJS7Y}8BMm+3w;>7E+?(pO1ZEon`V zkS)(a=ilgltu<*-7&X66(t1f7DDfd?qAZ^8J~z5kTmKUqMQ;+lnKa{JR0`qC`h^*D z!*l#n#ugb{X++P1sT2zrCNvL8)YlTWN%$rRd6<0|pD@g0WJ0S@O|wJ7P6^*qU`$7s zTrGL23wPiBYmM|*vP;(YvUbzrL&?KT^IVM-RpdXIaz4y&xkt)gDf_7Kd6DS8&Xvx2E}vJ}&7uNxuh)4XPS3%8K|uOga!ojGmBmQqn0(yb|BJ8WH|aGscC! z)u&~gk#Uv=Uv-X$LdNSa!>d&Syf6kDb=a)L8PRz;Dh!D z;~SpCVQj9Z_*&v?ljoZkdgMg&rCw>)bK!e@m8`2})uF{-;acP@AzovA>%0Ah)D>S( z{I%ryFz~fUeJ7p=ociY6T+KTTw>5?*J{i45;FmJ=r@o(}IYYY{Nm zYqU!+p+PAxG?CC$LbD+Fq0|@$VZ!_2^=l!arG!=#^mQGLR-x7ge>cyc{d&P|1h*y3 z+mxD(4l8&s+8O^r$Q890-$8sw@{HnnQRUMOhR+UFq&Et`Nq8sXj2^11=EAlpTbOdk zX8a2_*I7yzDYsDJ4a!PF-8LSByVZmvH~LHHDxsT%+bA%8W4RM|yRm6KJ=f8pb2-9u zg%2mr@L+%ss#eh+VSLv^!Z8L~e7^Vs^3gqF+b)C=CQJzBuaOc)Nf=Gx5}XNrbTT!D zF-l>_nD$2lA4Tq!Hdfj=YJ7cg8JPFf;40D>sxVE|gR&lyHH8*?LdQ384;#uZ_uSl6q0@v;C(1j8 z)D=Bk@F*TJp>}wwXGoYS;ZX{_3e}ErwP$2g9y8~jkdJs=&J%KG(cx`M;QWs_)*9vdHtMd=Yxay&z?-lzCM6 zBbcK?;{mW1vl**Ghmr*{UX<|?4MsuquTs8rq4Af*`KYl-{LA8B`Ikp+624ro8lMtc z^IsGHy7lmYUE!v|_$3;T;L@1_5g~ zq4!aoxJF>&4>R_rywVw#^Ae{m)b zV{-;m=A!nzYZ|Nw~ancq%v+s7_jG1dKH{GCI6s7{DKDgG3BUWY<8nx&yX&A1|D@=wb+BjYR$mWGgEV5Zi;jLr)k zPtJ)xFZyrNd_fDcN8-NX0xp>FP3XJzkAxUZY=CwO>~#SsLpT%)+(kGL6(IV=_zNh4 zLnuIqFB*8X7;$PsSIqdh&|p+t{Keu+kY_Z|s~k}i`}krM9{8h}!;2ydFZ z+=Kzo`(LRfp|XT36!;k86IwQJ?yfL8E_~mrimoQQI%!6WtW=b$@sMj6f8Zv6_L|~r ziLXuG-Uc*G7=Ceh8?F+5weUK`8JKKz4#{-a82w;xfAYGb>xsUWG#>$4OEBSz76+(r zO3%;}pn;TzQX2h7$;OPG96x!TDXoLjSW29fcq+`}=41_a3C7mG%ZI3m*rsBek>%Z2 zo|}D>o0~8^R32tjJ2HxYou`3k9<4#kUdPHt-yco{=`%wKINO$hx!_ z-$8sw@_hB##2rj7%9>H27RFo;nG=2eS?D7JB;R2+tKh zJm7vzmoq#!RGQ@p&lg@mocGEv{)Uo-3B{896C5dFl!Va~_yqI#8A1Yx+dIaT|2^oH zd!>w(GL8zf$9c%%yZa2T722)F3!Wf&B4M4MZwJez7*K7>#F_s5lcY?R@&FZ{AI&o8 z+GOy6Q1p9H@I!*95atE*yNEIenkP(151+-U5~fL*P9gg6qNs%@{D|?@Lh>|2{7mtW zlIQb66%D(jJZ5;#S{%jZ9vA+E@L2)Z0P;Ndq~Wdd{k6^({*>^ii8KBTMjxMHDLEsv z-7{u%3E97AWz3QB91VTeH8}lwqo;=&*B3<36+MqM6W7%IWH;Z~A41c`0NjyM>0&>EwgHNchXbUm?!Nr15sI8eDT7j$w1J34UGhV!~0Hm%|~fNb}w>qf}^l zUn1j88E?_xgDuEq!v!AHQWO3R8Irdpyd&XV3VeN$Awljl>Q()oIjuvc*WsQ#6>XO-V&JN%m9Xpo%|DS{J@D zrzM?{be0msh3_~9KjT9FGGSq;NjfLtyoA3gFkA&Tjqe3B9t|x5|Hz1`sqzB$y0cO5 z9(NJ`j*1H{ru#cv1cy*u5MGox<8@XlCwPmxdK5FKYG>~hmvgb45_I@9e2)QF()dq4 z$6;))l=#x(%aG^8jxvYt62qs4ykS}4<%E|f&LBk{EICIG20fUwK74H|$hk~TMLLXp zgENvaSlZyBJ8%q}t0cIx;3|Y!$AAZRg`ro4w7RO$YC@|MWzezeDTjyEFnrWC{?61C zUQ2jw;taa)>!zSzX-YG)~3 zq})PJ1@;BJC%Bg{(R?CTT-6i#q)RPjQ8=AQ= z^c*b>#=*)?Q+wU=Y*CKy|28tdeI*Bxck5?H}S7f@u#t#UK%O#6X5uZvvx}ot2F3sQ} z;f4+ooGv&6`+|BtrNH21-*`6Etfjx=m$A8FvNC05VXvQvi)+@zWg9$$2?F69!MTEm z6V|&~Fqpl_P@Uq;`1x^v#d$LFWfaih6>D%ZUd$23XNIxKBgKyrKbkxrfF_?{oEu}p z58)-aSHf5c<0z;A>2lKW?jwoenqc>tRS?Qg<7G{dHIWuCBy_^X&<8UzL$WkU#$*`} z&|u2PPFwg;6&l{w$_K(95ZEB#Q$M>0O9!Ne3_8vweSN?1GU#NUOxI7P}^}E#sTIwZ`7?nrGLET`zV+V4GrLp3jZ#o95Y#VmFE1 z99Wl@?=G?5i``9@DRKq_{DZ--Ht|nokKnz6_Yvj|ZXVan{b=l(aN?iD?iYK2 zET6dw@OXZhI?0U2Ay0Bp#vvKM&?p82{T*3j@vGsBZ}x#XEc}S@qr{ma;oE~Q!#<^S z$IN;7n-1@Ne5+Q?+y#T*uB-E74K=|rwUqD2UIEW780;>> zA5o^iPL97dMQ{k2ez8RZ8;=N3%-GHqVzjy9IE1-XvB%u1*z1Gl$9K7sI1rutbQs=M zN_=VYWyte`7R@w@FUKV~5(zi1!EtP^Y%TskIqVZ%dF&Mtu+A+zBB0&)QXGnm6`}d7 zf{e>#RHVWCGMEjJm*cMp&JE4$m2jxgRmMKiRlz<=aFId41Zh_oUZT+7nySL939n9^ z2`-uuu*P@|{286RNoYo>i9?017WNpnfW1zRR&Si%U5URV{C}ar`zjnNbXQ}a=;{#X zcZ(GQ%|_-FWTHlOGRl5d9=JNcO8yJ%9slNk{jbtp^L*l(ZypQU2>E7CJ8RVXiiJU%{8e-x+(UF zt{L`vzGx4PCaP?XBhl$kT2@~|O9`zgFy^PB>V!-6uzy2q9E_a9A$h+ZhYDRA>=RvE z>=h@HQdl3WPDN&15n@q$869MF#6J3!u!tAp(G55l{Ys_E{=#p>p+a{P_KB_&9ezYm zM!>>fs0UJ>A4enU_E1ddj6;R43-*cb7VH%?R4t%llXC`@FbY#{$Tr_0r=kgko5=kR#=*$BE!@mx94d4v*eANw;P_RZmBUUmr|lK~cZSGGmy;134f^%* zX{b5<8hK}!oJ=`cboiw4PNWXuL{&K$la!64QQ#(@!@ps3IkgzLTC}&iEbkH0dD5*$6pb= zDZrC(sL)NuKG8i8V9YoZ?+Oimy?%@~_aF`xx`(h&bW^ZboWO!Q599x%^Nv{%qs>jl zp+Ywe`$RV#`zR1`EnB)r@K*$Pzbr>ToNb6+B1qa{+D^mw?>7 z!430cw7C~>sL;*DKGDs?-l9l?n~y)EaI_1pcnff-(7lL#qI-!nqXXdKrhJA85EGMw?rOLxpZN_K9u{_A=6Pa`G{;H(s>0I20Mlm3)xa z$yhIA0}Vc?Xkkv|VLr!^NN5lm8#m%mq1%LgqT7tU;z3lY`-Rc1!*lvl^cK-uN%Qoo z72)W}uW%$fecW$2j?H~ti>Kd)eWLpYdkJWc&s3k3?Klz%wKm6Sb31UT(Cx%N(S3`( z9vNpWVa)js2O@s<7ctu0E*vU!-(#QXc4Mz+z-1|Lxj*3V2=Ds3zdw6~?-jled)-lF zdziCEX8cDSij4Uo=kpT|6}tV{C%OYP{uhJywMBd@_cQ*A;CgLv44XSxi|`@r6WuS^ z`;-xL`68!``hFaWjFclW+T39rDs)G%PjpAIS3LsmsAm0A3XFlwI38(#9gETCj^j|F z`wja<_dE6q6-UasKk!!s?|H>v^a;Ty1)m~ZGzKMiOzwc`QSoO){~Yp>r*WvzoxwiQ zoyA@>=M_V*AftPB_2)h(`n>4BNtcYlxs%fHebOZF7jP{4fli^t@gE#2bTPI01F_gE z?1S0dauNQD;PzkRG}v4b972X)a8bgHanUFpWP^*DkX<7-5{lyxa{bsN*N?r)Bpz{MUbYzLNOL;;WD^fqy`)J*I%l#JC`lH8Ss zpI_zitAt-Iybf_*f*-Btt}*`G4W6$nzMlAN$uqVkXAH?sa`lZq7j94k(G5j6BFzhC z7pn{`Hk9hFGh^mqfBwcY;$*}JBMtLwxFg{rfSCup!Pxg2#zuj-5r>e=#~!(S>~-QHOlfb%Ur{J#R*j9|&NzhJ zJ@&}mV=p*4Cq3KUioYVb*RNtxqc6Cd;M)lE8DXV8^k}=?=ss`6MyKwML&(@;kBmL` zqS2ES=|>{|jLtp2Zfr!~fkTC^7xsy+H}+BV!YnmNobJTm5q|P>ACx}A`wG8{IA3t| zZ{Qk}L)_ga4BzF2eiHgi7!ZUMcKStk5qFOXr(ULN^HeM3;oU0+gD9HI*<7 z8GlCs8d@wi!jo|bIeYApv&UX|dchD@b)@0%2v4sU8{tE6sL-WjpXf5M*8@d$t{aL! zB6i^ou@O5Ahp;*__E;Smd)-KkyF(>SHvWw0ZnI(|ItPc4i^m?hc*Ge?{=^ zy<;Od4~Gg}KK6;O0DI-2(6liE{~w{H>c>XtNE|};9eZTou~#Tkk}yG@8-qV1`nS`9 zW8A%>$BG_Dni1CJU~L3r-yRSplKa|`izbo!^}#YXrd9728`d*tV_k8V6>wM)la{VEPb{OTKHBmOlU zLWUlDWazQijY%EN4xVq|&xo#FJ~pD4;1Kfk*dtGmee{V* zM)b*nu@SuvhYH<#>=WGv?DdS0w@O2$(C7F&!tc62Ho`aJ5VG>vBP)-+PCgPjPppWB zKO=hU;@F7(5{C-i7VHz%D^6}U!c}dQ3+wuPq zI{X)rF>Z&@okG7Q$^@fXLW29w*x1pY-6i&WvAfA$gnwv)oV%ej`g?Sb(7i(U5#?!H zHgDp7H1@qEp8ZMeez6CPMXlA(#wNY#*@I#aiT&kYHo^UB?1O~*K(F^BI(_#=AQ z^)L6QFM>nJo{KF?mf5#xnkp99ikb24m)lXz*Iok@<8b4X#$#2c?wY(t^tn zR#p{#r;?nz#PD^S{JF~tFDJY_amJB&G<{ua?BP&bQbFuxVk?qm$kAguGnyLsax-op z?gLXvMr9dQXfTQ87j?XEDsQ#a376<ibHB4xDr59>Ss3oCx z5R#JF7ZCLWSDMgl6;6cBT_xda33Vv&dO1b*HO8K4>`z`-Y(25p2DTaMv+5f=aFR|N z;~I!%OkH@9**dd>`NY(YZaJ z_kG>>ecji6?aSE7Q#~6mHbHD6Ss%|+U6R3rLp)CwoFX`tu%3Nx9%qNT*6^*{{IOdK zzfO3ofM=s71I5JFhJRGY-;V2rw-Mf!INzc)%ou@ni;aHgO@Htku?snIY>^YkR*w>; z^lS{kEOG6yCweb(LixPCgborqQmBR_Ss?{A4V}!np`H&?XF0dX=|YD=!Z0uN^1apQ zdSCb;brs!Bba&Ex_VH-K>tXC)H+uFqu|3813M>aj+-~gZ@DBAB+ed8Qz$Pchxqim( zSniM8U+e&}15dL_?ha!!9`o!Vv4h2?k>#_GjX~m>Zt$sdJe(moQ*ahxzG{freD*He z_$IOb)(sJ#BR-crQ#m{zu5Q3O@}Z_|KjKd@OiG@Vd@6i9Gcl(x>eex2*MvR)c%e{2 zk%ZwCYTzH(|ADo4(E=RKtP^v5$ckl^$SS49WCk;jqJ4)6Gl4|4~U*BdfNZc zSk-yD(f0>>hUl51X9YS9CAcg%+vpcQ@W-Ab`a#hTk>(vN#xxEXj*SG~J#5M=6a5{W zD`lRP`BWI;qG@Zf;DGTTJmmR>;uncuOrEDur|PI?bBQTamwRQYlt-j2qry|Lm5IX; z9yLBO-}B4GKPLWh@_b=fGvb~&4TnmRCk3w%ypk{v9;G)~Zk6%ZhP37>@lT6?hCClu zY-}uE$7hWm9KMySML#Ec4e2N-h`-MpJT4@CYXz?p`~qRdnOF?ge$m)R!-3a}eM#&F zvOF+aZ(`ib22X5?efYUo1aB1lYJk%+@^am41|Qh$;nxMfA$SvEzIU9!1j|+8C3@40 zyZ`gXW*J*#Yz;;Z-TNcw5FhG<5FX}-ff z-nYg-)Wq}q#eXOMd-8l*`MH=YR85=*%-Gh!8$ZZ6DC0*OyqiN<0{~A9(gy%o;WsomVyzOGMN(d{2Fk*AiY^cpc)5$N5=Vj5WpX zY!l9I=Y_fw&XG`$LiBOvl*x=}_09O_E^nMG<2)JX(@>@|BO?pFnJzHA=4PB2KX)N^ zp>iEtRIX#|pDp@4vV$Kw(qmtA&D+BV{}L&eO1X>*FQT*v2{(guxe4Dq?t|1&LL&)R zP~h|R6TrGFjeqNJh6rJ5EWU~OtH|@B@g2b^CZfbCME51l=bnLu6EbpKKf}K~fW7#+{=x?cA4r^ccm!4xGxWhHeK-aQ9V|4BsQ>aM z#JY5&_lGZEhUiSuS%FSSiecw?qu1pq6j($|bdKm;()!lqVV)qXv~ocN~R87XI! zoH9BLy-&m3XyeO=BOAbmnQ+D^ zAE5grjF&Kh0&fpiqmOYD4W2d@`|xv<1Wy(`g)q~WboB5;hkJYu?l)sfcsU-BF;&Ji z8oWp8d8h$La#w;c=5%x7Kj%4cmKkzp%9%xn5iK9RWemNrvk(0op$`guh$tgkVqya7 z7alhHr@MJr9C)tid7|f&F3-IP!~*;grCgtm^+#TaU8rBj7WM1c>d31iP2M2 zJiS!(Bchj)E{`K8$Hcow@keyzwV}|o9J^4pjxDOzu@xJinBtx=_U79dUWDyQu`9%` zB+I80n~W-}RR*(2#h-gh@Y8~yAzU7NGYfOwv-l$l#I}%#uf{G^sbh;Ob!=5y#c)hl zh&9eI#smXcpEqmD7=M{-Wv!F-0F{Klh=8k0g9dff1fLZ7d3Abn9@B zJ{A3$=+8+r`k-H6mfK@+(X~D-dj)?XcpqVg9rck|`KZKwX?#Mcj{Hje*W$k+&x~z) zE(cd)qTW3BttnT9%;A11-%0sCC^$MoG=vkC9WbTAY#*v0q#Ts;V^CDp!3AtEn~o_f z&-2P5DTk#Tp~9QW!Y=13bVp5S779qmB>XJlI0Z%w*4$#0;t9iJL&fbc!haS18*v^V zBiGW^i}iOC7F6*8`a{B>5>8U!okb6JO*QlqMZ;g2;16C& zcxB;L3`h4*tSwj7@aZ8+R})@ccn#uu1(2xl0oOGC@HBt;THP3#GppW{nUSQ79 z-rl)T&P8$>(BU@-179vSw0bf2;O8z8da2OMh?d9RSk$y$ZfwrkLQx|xwvpH?PP57G zN@IVh>)FO)n~1&YG@I(08rwHih&B`3Tx<(tQFm~)v1f%!m21Sth>azy2UMEQJMQ9) ze9P3PYiqxW;jO_a7o73xy;|XWbrBDQ^_-l$|%b~2Z?KqPWjzmWlPc5iEc%j zaUCOHqHgM~O{h@j4}ZOcHWJ!WU_C3EYtb$ftp|-Uux91<^45*AZjyB~E#=knQ2(pc z2b1QQQ@5FS+RN!6rz0KSDD*wx5+$ya@oAw3xU=|M#CIXjFH$ssfMvT|&G@aqKSNg; z-DGq(!wtb~O`65ujD7vQahr^uGJ4VA?LuE7^oGF~=5`aZZ}&oP34J8=4FXnpW>?!{ z*Uy9s4ZYA`!T<>aDe&=emfK=?htUfXJUvMCV9{x$dCeI2kC~#`X*J!9I?cV2AtO^p z7LBubm(ZWfW#g~t)lCSm?hx!k?-^{-dj?w_9-V(M)emp!P%|<@^cW^1PewisMh{l( zMg7mwE6Ej@)gx5y70N1-HJlbNx)>8e6gX$}{3-qtiba=*E+x%3KA*j5jGY}a8o1GTnrmL(St12{R?kqQIwzeguA~C!hIjvz8slKjP=+ z$a+xLL$vtxSYL)2bBx{hkZ1HmBLw=P7v~lg<+|t1$>`)m zv{ueKIWN#*RuIn&Q@v{bj~7kZA8OjxOLGPlwLDw?{z+GuSC6b`1OR zbK4}mE#aLYq-CaIN(n^rcTL!}#S7c93;l4gML!&D6*1Cs^4=pfm=zXMlWAKboIl_51P3RMz)>jg~mhcUQvml_wJnBWD(bfyUNcdI4Z$Ut3RrFXysO&fThao;d|A{Vl z1#jya*y=4qFToLM#q3d!>VE8u9>wU;Rj@pEp?Dyt0-XvtL%QZWs)#=$`teYttAt(X zPmeA7(_C@} z_>06hAYTDI8vD_u@?!iM-KLBg{yHwfE{vze7UOBL)zPC#p3!y3_?mZnzM=R=;;$gj z8->BiX{g^A;;uB|=MeQ8OK2kDDhiBAQM$#til%1#7%sS(jOH?0(9p9$tk4u}SDP?( zpbyhE5@IC8Qs5o(uY-#-{>c!ec<~A16UnQbiMI{$F3IqhXZgb?3r`WAN}OK=-z1Cb zODq6p&iIgTYbobCIj!hafP-l;v4C-F{24ujt5^CnT#sE7T^nqBxVG3TMZzd`^yxA9 z%}@b&qu`qa-yC4h9^={>yd>0JwHMq$a7V(t`y*M=l8xmFT_-a>d)kMkvy5A0bfLkB z%}Ve1)6+xTYTAoA_*eW~S83g(b*IK>;6H(`hw-0>uitIrdy4NxUhxQ{by(-(Za1MY zWZ8O4=p&&oh5z$i#uu%hIR`^Z-(SuEIRoiLxwicL(gKyq5M%E!Yt12DNjW!2)?is_ zw0J3O1m-f&>Bc|U#NV+D@tNYY$kzg|26*(r#?^3+D3@(s#twg;A@XwM<s)3OGt^a(qmjn~guC1b`he z_;Yix3;pr2MSpy3MaLy1rzE+DjXs|2>A9lkiJniI0cRx>1HQoceW9?rQ2ZkCi^=oV z$tZ-u*+1~=EHUSYFaUC?oJZs=qZ56oP=GE#vWM$D}+?g%2QF83!@q z2@^6yYuu9(R!CS$p#p?Vd~wU%D*PGUqn|>B%v0EfuKC!aYd*F*Jc`1oVZmiTYeN4} z8eT2oISFehFp47UrWtIp-j^9QL)LArjCC?z2nNcxnjjsG31+-@*kAK{886A$K!cA$ zb9thO^s@2CANQ}>E8;hbf0aDrG|I#1@8VuFyjCa*zb^a@;hTs@Z<&7z?oBf;3J+nk zj4d*@((p+h&XL1qvGKIuGOKT}w#j;1);qNL=%QQz?(MrKoE5SG+auWy(NMMz@MrYAd(QQ@>O<^8sR3J*8nD&thP5gZ z-6sauX{sZm^S@7A(HB&24}~6_?Y0I1s^BON6Vo{n0Xcbf=p-~Du#ZM z@T-L1C@9OIiYlax?sqequJ)(+L&l#nPSS`HYR-G@{xZCIXskOW{BPm^1e`M+qQUcD z!!tw8;(x-+UCEny2DbiYYQ{N4&NHzqy8VkM`tX#;E)*1GRG^`RIybA-RW$g#RvxY- zxU%3Xge&6yWFT2V@5ZY5J39941OCxg!!C3U!WLbFu+{Axh9nWSI_MmPJ(2KevOj(; z3AH8Ep}^aTOo3*O#61zoQc*e(FPXE_R_60b8^p zVC(BRe6<{k2&S9}rH~7yTqLCdm5Ml)>b}r52!BUs_#iy6ORx)N1Z+`8z*hHjWMN^Z zyWHSALu6 z?99-9mMk_!Y${n^D<+q~=k8jgZweu4Df&9mtw=Lk^3J%{2B(J`bG_g;g4+`2p|f*G z;m|i2{dGMb=o>}fB>Lt+V=xzHV{K>jMGHLLUUUc19RrQ}5_F>NWORC{U+FCR7SUZu zGuW&HbhjGZAXEW%72Hj5cf!2ei0b-A_b`5NcOR77#P<~6i#*?sB7CW$sc>&M_Mqe5X4$t8F89Xo?zQ5oBf(H_2&IeWWT6~&Cw>!+a>l%N8L2?GmNu$FkiPfRd z`v5mT-Gs8xww@s&Q$kh{qDi44WSg)twBZerkRu_N0&fy$VB}P);h3gr~Z8BT}!H>|sjqjVksq3N~uJd06#0( z2ooxX9QQ~Gqa>73U>rr?cEq~TMh|!&JMnXOioQ$q7}C7z;*!!#w!hwO{H9R5Jy!fZ z;_oHTqhop>+|zMJcmILM#?kK+Jzn$#(#(*sngNp{U=jj09+>oY$OTN2G+ELVN<0O! z-Kh!gexpx>Z1)4Ar;45yXiV^dGV64s6EF35bB5@dqGyq=h+|`Ad5%?|jlZKb_L}gS zo`YQ|0bq*~0JaLh&E>>T<^4kr)6 zrwbE6ylh6r5F=iZu~EjW!9czo?b|HDyk^Eg%l^xFL&hc=eDP7Uz{She)8|cd8t=eA z;paBX*&=5vor>6tc{rH1yoJA`IPq^!f8E=#3uAS$#aLZzbs6k?q={YKyJpM_-H*1* zcu&TTV4!v}HyRoAz8Md`r4S+Ck6jqDi!FxiVyovIH8m>NhYm&98wKoSXl?vZ(npd$ zro;z=YRr;SP9gM(3D1ZA9iK}0Ov2|BDnh`BMb_Hv!QavGUkusGz1W2bc(BC;JlHCM zMB5AM3lzJ*H04zI+k}58@As|1t1Ui#2)^8Gk`&uRbLHu=pe7837TSaC}Cmqh?GU?ay#b#?La2(_q<< zb=EF(SXNdMtrKQlJHlJP$of^*Z?sq;i0W!g9L~mcW!rx@ZP-$;{UPm7X(y@i1EiIJ zqSbBwGG#$cubh(dx0HXVFuGeBh!p2vb8ZPq;D2(;HRfYH16w5r$#^1X;*aQ&r!2r> z@N?y{3*`c_6;88puA;HIfvqIAve+udCd9d_#(uKIAGey=>SAkO+B->qV@YxyuDlZXyso={9>th)ki^)+hH+pQW zryGiHB>D={jGf3s<*?=zYjTRp|?*68BUTGLYWb)s95=6zx-@DMCThK0GzxGmO) z=Xx1!WVEHh=fDv}=wD=X&oG4OM$tEkzL|6-g+6MEXonq9=vRlbUVH4qbUfH%Iv#BG zJ|!k#etlzij=>>#l+I#r5!;0}ow;O(E=&sOPcpu??i8F7IkeclJ89Qyb4@rNq1H=v_%eWtx zjP7xF7`(TohX)BBEI5rY<0i@+>{?mOC6Uw3xxa>gP8o7C%v`Tz|Ro+mt?I0K~DE9&Oz3e0&cykLcLisTHZ!z)h9MR=US z>$dq56k`|W<-r#7@?fj1Q*yi;f&Y%8%o~e5I#TE;p=CsQp_qdjojgYy{q{sp-zoYo z(PILQ{2pGWyN%wn#nWR&-y`~7(tJIlifhhPKhBKG;k$mHjPWui(BS8aHIrz-LEk`h zMnO@)w2aOEM3baVmNtbNzm5NsG~i_Sn{``A8y=7~Rn|0G%%mh>(vVa!F5yxs=DGJWhqr6Z1%+XFop+PneON>re8ej1@9g(qOF3W)WnS!FxlA z<6m0d0TIpJ%FR|1ZAu5cvo(ev05#q`GE`>__gFfS*z zn3oe(uRCY<>RPK=*>MZ!i2uTtREvPQ|h zW^mgs{^+j@enapk!o1oN)&rvlk>TGh_V{MuTZC^V&S<3d`Iz&2%Y@FMG`CH{+Y;WP zz!y6)B>~C6yGGZ&4?FR5+eN=8dIxDnAm%QIM4d+8H|6V454lsyE-AaIFgA?H4X^13 zW~^E1ui--(AIbQb1}_;|M10TOCx$14jxwJL|4jJj#Cgf+Gggv@DqFY5gu>8aY_Ehb zBX_xM14Yr@=6r?FqccM`r20@uUi3|8)d z2{S@9;13cGO8AjNC7dB-)_=l|D29#O0iSwIW zP&m^4W$d(G{^_0)`?uJC$SMnn`92Dj z3O!Hg`9yiwi_ze7fw7;B^X!FUFB02;ECYdBIn1bavC$hsCDJ9LFBN?mX$B$#GjJN( zHe^y73T-6x3Zi_y+1Ux>oRR!pX~wWnA=g+&6B$W)u`UDsTpgh`oK4n(OgCg z8kKPl%lY%x72whBIG zl~fG|zIZ)MNqNYh<2EThrSzi0cT#0BWFBreesL&^^%mbpd|&dsLl^>&@&@W8GhIJZ zULWpH(O=2{DFdl6(puih-C@SDkaHR&W3Y@g8Vpoc0Xom1r)0YE1y%hSGQ?+!&mzxf zFa$Xo6by{++rZO9MCXXk4Rl&2+DqL~qo3J|L*VCziOv(9Pujn72nnyZz>IZAyiq8l zNXBp)OwKujA?k#k;oZ;n!6_DABD|D%W#G~Bd=N%pPxO?_uJpo4?82;_*kaaBY;||o zU5)i}qm5r4daT_k{x0!j$TJyDM<*(+_keo*yUpnsa!q69+#}~+I=pJ%y#+Prh;-`wA7I@48 z#R05ty78CC_`u8%KU4fH@;)$0ZnnV(LSW_yeo*j3gc+qzSCYAhP3au!$mU9!CuKer zz4TceIkUj%g(qX z8ebF|ahHpKO#I{Im5XDXKtCbFmxUWqDhvM8*Ql6Ib3>AL= zP}lCBHFka|VXPMWoY*yF8GDLLhYUe7fdD;kMnNbytd+4&#tXrS)>7wUZ7-VfK}a0e z%Xmq~hG3ww7OfoY1^coY?}f_RS7dCI@hT1FRFd3lhW5A?;l$6qF7yqdn}{<0pnpe> zd(+_aukg=mv*0a)w-T-lSkFqO0PKlg;Njt6ZNo0K5MYZI0&Ep~um&|MAm26moX|UU zyXf~s?;y>ai4Ut^=l6Xxri3i_P8qvo?54rkS%R@_XcjQK{Q@8S4@G|@`eV|JIvBiy znJU~ThIieDz4*CLg?}debK(pR%G=)9W5(WpC6se}WqcuH9}NbFb8=t_UZYQ)>x1)^ z=&wb8Lz=f985WEsF!-sESJ^N4JHg)*t_*l+Y32~MS zzZsJj`ZN3@<5wBK(cl@1OEDD<+UtHd{@U=a{2~5N@h8bw29J3ekeZ;7^cVI-7rij_ z3_gWj6W!m~_Hh4Ts|*@iuF=oWXSMz{>9=k^RR2jTcNL{Gu+??2H(DMhPb+a}VpnvU zUk~H-__^}fg_3}b3N&~fNZ-_WQqlM?=le5M5?@(-74nQ11z96e(5q^6#U7rnCc3)l z8l=oj~5Cw}f+(dUUipETnsUov-r!R^93cA?;l1UDeeLu+M8cd^mE-{FCA=u5B* zy@Rkt?;vcII-?FOJ|-_~2(o3DV_$Tw8?wF9P)Z{yS5T>ffAH1D?3#dGk#g3y{Z!qD8&{lV& zgqtMX90c6iXe@3!6MBYvw)PS_Na#p`pV!#97}v?zF6Uwwey+3FTf}xDs|+Uk6C!Th zYWSLP=&r)M3GYt477l{``e+hCpD@4FWDoP)WBy^>Ca;%6=>1y zeEi;~V^&;WL)l)I#ip~4cv|5nxCZBD09 zQ9oABJ#y|14z3p+2cwZoL^BOqDQ=0@EinoM3u{=|;ah5j*j7Gepl6J&QCC&*HKsGn{Qg?NC^r zBjG^_4^gNB!EUX47`vhey(!$;x!8q?{;|bG|Jdrza-e1!JN+Y(U0}|f@LnvGvq;Wj zI=oBl4#KXAON^iU7Ix$3mWqEw{4(;qXhc=aU-YQaZ9-&SF8VRikCUzfnn&ll4<+si z?24}8o^bppu?sW)V~ZL8u?;shF4?UzdS|$)PlF1}AD%b-{E!;26~0dR3&eQ}|6y0g??rR^1!ujSm*i}qqlW52bnWtUNw}9y z8XtTf}Z9%V&&n z6zI^78H$Xr{ylc%=eCJ|Tl_oZ^#MXiR4w(c3Gar$Y?tt!gdG%kOBr;;q4y2n8StIL zcM0E3ybACvOqVo7s~3NOT~Vx99U5Xj#4Zdbz!rlEu+&>|VOd9LF{hZA7>B_H2ETYW_TlG_3I18|@c?6yu_SlG;0D)u_!q&y3jU2S zF9B&|X-2fR`|qaoFY|%_=U&i~8sNudkXDdB$$|A#p94$O+io*u60 z{x$FAY#*}!ktYE?LV;5^U5S!m7&4O{g7eA{t6)B;g7QJbHXACU3mb z;Jxkq(HjeHBKWER$Hc@WyQT*3k60`mAh@~U7KEcT8g+Jjz3_alHs{4q>2-~q7&)iVL$#kW0;SNhVAW^##ciQY55OsERY7G>9pMG{ov! z?2961!|(i6x5O^AAYh9Y1Z;JSn2@^G25$+;==Flz2yRQ54>os%yTQ=+LS6lhLT?g! zGf{nzPWPO0uANEUL#C^}qz;lgQsVJP z`elvE$;JFquAlL{YWXCgzxV;-2a@L%aQY|2o;wUL?&a}8!ntS!7WX2~*n<`&cB4gi zA`{Y&Vn2Q^Lqev6EDBMQgGnMv$~bGR84W}8&=46pGID9~CNVXPi{cQgDu6OSXVzDh{5>d^RU)gD7B7h@ zH755%-Ova#>V;wTBV~+|QAUF|IWKoOI^ny~hVKbqz&nNCC45Z4i;K|N5+e=_zkRw7 z&sgF22)~y&KOab_9RJ@ zB~76eB7mwI?>C_&M1Th*OqDP#2)I*R5Dp^{O!(t6e>pQG%#<)I2vI&2Pky!umxNsB z90?Cfc!&b;E*?9gmwVXok=Cpre4g<6#2Hbr%sBe;plt-vet|jr&-Yq zVQ>w50J$Z`uMJ~smWqEw{4(-Y!Jm$d?osTElEAzW7nfrfrZL49)0ko#zRjp;&Bdd5 z!i=WjYyPB+6*5-RsEU)MMLkbPBY(IG`=XOv@B#h>Klc=NVK6eb7>taqt|Jch4I?ZzrdRf37e*vwixJ7#>T!p6 z74w^#@qKtxe~@ud#*e{Z2`=hF`I8x)XZUj*l5tqZ5gLpj#lw)=x}!#4^?;|3iT+vi zane;mXQUN{6P&=l=pr5n69D~!T@&4}*!FP0VXG6M^AzIi??#_B(4XKB(SM3QNxCXd zz^Vf@2{4NPg?-Tp#=nJs!Oxw-E;K!0i>3!`m3u<$$anvqhC|%=PjI1fxS^NO|l+xj{|^I(+Nc`4b(+&`eR$jKbOeDk{mSETaky71Pl}zpAkt zMl1AK6_GNFBovj6Zj?=j)0;M|?f>0To^MsO@)CPx_)DT{gz4`9s%0~uQjR5F)y{0be*JD zlz2-ODA(HP9U)BDi*6&jEoojtCaOws2{#y?e3rlB8-?E_{AS{ecbfbPuVg#pM=$Yw zd+{B_cO=gk!3+RO!FXdjnX&LN{sBMNS;j3gy3pVmqRt>FOBjE!uRlXq@!iCCC(jGu zO5pe;^f0{rIFH{Zyr=M9#G_}BhDB@8FY0y^M*YdqAUwS#^pVgv2pE-`SBNe!uAd1R zq29T_gaHx;Qs5;s8y3w>bB7sEgq+wQ8G~h{(O{gzGbnTE2B(B4kRdoza28?SA56Te zro(LGJ2dncJVbns_+0Wlcsf@y9BOd)FqQc*!Fhu73G0K5G62RC4s!)2tjO_4FO*Ou zVK@aIJtih8$vK1HV7U=LS1hWM6h159oQW52_=Cb9BF-nq z#zOb7!CgaZ-dw@+1kWd|v;_S*hq(ntKYY-KWTEIqq8F3qq48b~b4v_f6AE`r1wSHq z8DT~>e5+9rkHX`lCJegLKc?jp9+U7m1>P3*_Q!0dhBtf12j)rPD}=8k&cMVbC8W4j z22Z%m!%qo*TJSRgX5q{|Yw-7>V76NDbAs0pW~v<8XO)9{-lR^Ujdrc1b&_77#MgEx zC%(XU=tbji58vMP;$ITKfjn;yTeC6WHKryq;fkI95?+z8QNpVf6l?HWA(eW~@Gkp3 z{<`otgl{6w+Y^@*m+0O!cxmXNv{~>L!CMJ4@Cb<32YAc)u^}RC6aTjOcgQPEW}jZ? z-ZlKQiT=rM7yh2`9RZKh1^2$;aUn_ADSVgk-NYFhtVL3a`7_-I#pZ_OjeA3Pb=u;V=$@rXxt``rBYewubzIphF?iK%q_kbkf{zepid2Gc&QW8NL(lbNVt*EUJg_Or$?k-)KR)M=`-|9L#r|e&N~-(a z*u3XG`-j*+#hxU~`<9r5w!Xg%J~Y?M^J109E@bc}R0skl9c5mt*i|$k^;>_2N)jqds6v5(VwD-b z9sHtIHKor?AGxYYsV=1k6{e|J_6*&&Y8vgrJgBuq*A`ueG}8eNIms(b%XDX(FzQTy z__`9#kx-99H3%7nMP-hi&hSmBZ%*Um_$U0_xpK~vb3PrOB(IP&aN~1!fe9;H`;%NK z;UWnQDDWEC;!^A`HhO)ipt(f!rJ^q*%@;7Y0M&kYp^Dw*X8as_Q#F*)NX8X3n1#qk z*CInFb@4%IEVPNxtB5ivSjYokou)>=cAlr3iEb{s1?ea)K#5Oj!PRCo32DJKGGb)J z($Kq|nwsk34Ca6x{#?A^1i^`fc_SH^jNIZlmt?})5T0ZSDH2jCFr`G+rhs{S!~2AK z_Ljo06W)qA6DHnwE_u}2_z%OKzg~PB@omW~m5)JBpBoI`fdAsp-H89dYQxxKwP9?d zD^0?y+YWz4Z%UQRJ=|V!2f-Z)^Gc%zF+9>vCR`b+&^k-FMM4(})ghpkRRa`Nmbn#s zqqDpb+UmPv7seQ1i!lb+>hnr>45U*X2g7K&0xUVeald8m4(yGj z&%)$XgRpC&8;mVl4Y2ibDK5#S8(i*6AF2$&nS!$nPC(+AZSc&CJUm2jj^JFvd>ks5 z@iq-L;oeX%8zv!7LOumXJT%Rsw~H$G4bwUgV{}hKQ~wKJi+t-2TpJc3}%bG;Dv%030_Q?DQ;qFGO{~M zj4mDT>7}9{5xtDGzes#t@HRebLhW#o%OyM};c*K3wxCW0xWnJWCq=Iiy^=KJ zF`A&*on)2aZN_{2DdA5Ge};H;S7H;~vj#Usu7N+dTJUp%*AV6-MKKR?M&sF@H>GT| zjB;+Rlyy>G2ugvkZ$hH*qA5qa`XH^B@{*JdRQRfdv+(VG*__egG_T0nDCbo=Y_J=S znORQvFnZ0bj$v%n>$2XEwJBKag^RgoGm%|E_}(;YR_O7%S=JU=TWRsNOk+1(#Ok+< ze>!B(w~2pS{5$0N!1GzB%4xjbHR0wa`+*t%wDmXnLm3~*_?QL*r3rA@H1UZEF`;7PQwg6*_?!Z-I;!?TOMvl( zq1I=w_%FooBVU~-P=PHM^^LeyUt(|cJ=h$2Ab*8j=tP7qIuT*3$U71#Y=Pf z2>Vf^H@=UZ__<@Ee-?e5G>;y&OqaP6#$W!OaEv<^|Eu`l$n(v^dI2TwcY_~U;UCu@ zg8vkJlCa`X+EC6VQ|A6Mp(H%tQxg7`@J|rfuCC_Te@(bP^n3hILb(>a^=DukbwN<) z4Btl&ix^;k^u#U zj*NOVcpYrM!ARXQSKov=q4DNi3Fk>Tp90facALfnyuk3bWBlHL2E>(gva>5z zi9osNVpGoCfdlbamtYqLB4CSw2-qruU?d}kAmFd)IW#@nAHSjCMuM*(%(i}X;QHSO z=&m$xUa9vQ%WER)obRoLnq3!T$!w2;7_%*^~gvS!s z!E@5^y2Tm2Fw@iVq7y_XlIFp43NgC@+5!x(6{^3Ig{KHlCC+Dz-VGy|=3x;7GtR2) zPta1vbuwB713A z&V<<2s#q1KipYCqsFArskvEuI$e=m8ZTbWpQ9p7+#mB*QK z_Ev@nVY*MscqtR8=oP@kOm3pVxuN-KlHkdLrx51xQS8b>O$d7$-ET_EQ1p60%2X-S zO!3_Xa23-{DGc9_8B%6SnMH+H&9VHEllSO;JB?1n=mc3 zlFpSdPr`f(eASAPBgBwoqxanJ}Z&DFB;#v zr9b|9@h^$rK%S++j5PEYGWKxze7_=gqu5u;GU#0P6<7M2;RixJ)9b?D5Wa~xqp6MJ z&vS2@a%~vIzgfx_DO;&9W#Ld%tnq-AoZm8ITIfQ*O~%_Y-l4%qmW`YddUz8U!?L?8eILG~E^u&+_KPCEa(f^RnLDF?y}c&?Q5q?}Jh z7o41m8k7r+UYd{N;O8zBeUaz}q!g%^P;Zj_}F;Vw6! zcc|lTD4~&rD=07-%to?#rLo;ZcC4}3CStE5%cu~WnjGVr8vN3g*oU8MCb+ra7KC|V zbOmx(8{6J`0*Q?g8ync9#8?++?AYl#EE);03*(Nl#kgZ^m4;#LMiTxziUdnTN{}ox zMQAEf-t9!JLzL*QHTuLzf8ds)uM^#hG_Q{9mblgi*AGjUTraqd;I@R7k|wzu4DA>a z#~X#-B=lyYJZ^jnlDc*V-`U3pqP^e_f;$rCT}z6MbDfMmZ?b1Qi@il`m%tX`(cNn7 zmNfsSbrsu9Y?2&L6r%>05@05kT^_b2ErqmPWf zG?*|(v$11AW8;s7nY8+gA0U1p`RHxKioobz>h3V1=YRfc2T2$#A&ml0kX@L8PPoY0 z8(-&KAD|5Jnc}m^Gatmp9`vnO-GR$CX=!*HhDgehluM}wBxatH!?c@js98lJ_cTma zo~(RYyt!xqVM0@2_}aNXWQD?ugbydqOZQ8eA(L-Hhnu}nETKd~DFq&1xpwD97=Aol z`AFfTgqIO#97;qx_Gn|{!WgzY#oi@$3|WSSBY)UM&fRUop%@>Qu@df)a4!XBJN!h4 zYKIzU&c0A>aG#vL(fdarP(GV<@t-ABjG^_4^d!3l3S2b zilG5U=Y=ZYxuWNZo==*Gk1DNj_ys1M36{y%2a3N`&t%2**|B@JFfFx)B= zDhJ^y2~SISh5~O98hkQx+_OecEb%vVwdm(WuOZEsGfFK`_{N+Q?s=2;ha_XIq;-;B zpv2Fi&DM{B0j4YnU5?jFc}dC!Dtw>+_dMtfWY+iLM6bx&DC<>PjN`##6nV{@uY&Ws zoHyibqQm4VS_=*HksAL~h_ai-ZxO$hJnz>?E%N!6(Fa1m`fZ}$7X1!sJ`SV+SsAPX ze%FMlAr06r;XMgEDDV;(rO=I1uj%{dbUK26!q4rLvrEoyI{Z)-X<1`~4-N58@I%2L z3I3QcqZBJyqY3UmG2^LF&HAZ~&t!Z~gICPb4O#?@ZV)Q$_KN;O^ghzOVs+l-lr~?Q z&?0o){Yt{u6276pR|4ZX*x>lB;gf7gvGDJNe@|SIiBsL75eSd?fGI8%#D9=-P|A-~ zcm|YSi?OK2PljiPQs5!shlL*@&PRX|p6KQg^=>(8&M%=G+A%pl%Q;SmvB+1%yA#G= z80z7F5&x_B-^lYWmI6Cn@j*$ouQ7`)qKV%m}^A>q`Gw+ru@$R-f~94C1>Oe?&L5b*MkQMC_$vFC)tv8W$6rj44Wu zZq-}|F6SDGZY25&(hNEyG^_WnG=6Z1(T&A75q}l=n&ACZ++k{lrl!?C=ugv3T61YF zs4+iMT$tgmHZ~)S`n^VMjM!MR%vUGIyEsGpg#jP&LKB205@m9QNep9MlEE|Q`7k64 zP7$0+m^TKqMI&*z*64$aeN1a9`a03ANb}H4oLy^!zYJ;f^@7_7ZcCWoGDS+{SCrP? zU{XPdmN!beNz%=f!h=e8?Tl_49#nhL9Yl8|&BO}H0>0oS3{@vno=f+a&{@hYQo2xK zVug7&8H;ZO| z_7U2bD6f=R>J-<{=;0wN-Cy(o(E~{{u5jJhJB&@biO0o}2Z&7iSwjrnSe12+t9oOPp62pW=oZS|OC#h6&9RnjcW~F)c8( z2458XT%ph+p~H#tjYBa^BifzucZ70SvG@}4rR1Y54<5a`xwsLg{28)5Bc+UzQbvVw zH#R0d){Qo}LS2RiXTDSLU4q9D<~It{>iFZM!@oHv!wJU9xkt{uba*2%OFLuMIK#Vz z9)|Y`A1{0Yab9w0iJEBqSD_thlK9Eurv!dPRt~#vyZep*Fx0R;AbzU&Y2+0ZW8HK^ zlS1U0A#|qDSwwj^Q6l8WfYs2mO(_j?OU;q;pp=J#a(Wb$d)Socd;6F(SIRso^Qkar z0v%Xm!2<1~~6=5m(OCyY*B zL7oo_wVlX=L<8O4H)ndN?%XM7mz>?fLC0A?I4jG2U{2khK2m%r=OZ~E(_y&qfHBo= zru)SB!Z2sar{X^o|2cUk6}b1PL~?r!UwX)2#$MrH2;WDXNmma0RDNmjLs$5)d?om6 z!QT*OWJBSG!+>%4Z_PLq^6&d)d?(|38hrh=@?`F4MxFzvEbHh`@`IFvQhubu3%~_q zmKOJu;Wfhb9uj_7_z~jD+p(g9$3JSqqEOFqOv29+j#FUX0gd6I^9d#)HRrpL)M?NPST39DJX3hlopm2qqy*wN&g(f5%F`U zunS{?vBj8RY$b7x%TS7O|6*_ShSm(#J^x867o$=Dwt9@C5juA!{)*s(&-*)E9=lKk z5L_X^Y=L(b4c;Fle@2`)rnXak{v7tJ=nuO{SYEWQ=<;#zCx?N4yYP*#4iN;4`}7kv(0%Wd?M<~IY&-CIy?ujfX}?X@khc%oGbo3@#m9Qwgs^q zgMy8o8>0DzqAwENfHW_elT%`NL6*DNgf*e|=@JQ-O1O+d^kK-$zyKc@mz(j#mpBrB zuAz)ZGOnPZ1P_VWmB!v#-?NRyHW7Q3vGHgDF!q`AJ=;udbFnSRGU#0EgDbkYt4&xG z2FhF`Ax1(h1>PC7^Q9vHZ}i}C{_ydl6GSJH=IiV`VX*|CWXiPg?MRlAA|;gyPkIC)XvJ3{s6)Gz}!uZ~y%fm?Vqr{hy z=dly;@{TsPEFHV>b9aipOY9i3AxojPx^VyRHfL4HQjC>zkDPnyu-K!q+ZcK2C$Al6 z+RTuZy-(VBX%na^;w7cHiN>aGRH(|iNn$69opPE@boU!uJ+Kdmoho)(U}F+e-E?Db zWSW7Wn;~|l*jZ%xgwVr&wxO5U&;X$i3Vnzu-!2wtQ>~5YVY7-u*<-G(d9voy;zcIK zVTgdS@%LjFer}=IMPe5RHYF+6EircHYR@he`-s?OflWl3^Qf_1?(*z%v5$#;Jh1T? z)BA+6v$}cqN$kQ*qS#_4QEc^2=*!85Ak%o;7^d z_5PJuE&Ms*Ylt)M^2319Kkj+s+YIphTJh_|zYuuLorE5)sQEX(DD*X4Fa9O*8^|-M zNBHq!c-iRYA?Nvu=#8RZC9RBV8EVdu?Kk|Y5CvWr{)X^P#Fdvio%~@^Ad}XF^l!7I zEt0lUVk)BsNp|Ud%Y;RtF>;%Pw$Sk=yT-2#RhQevzbAf2;ISGP7EH!C z0OO1M`dhkF{4Vjk$@3LgZayqbeA?NCf5Ojwh+UXU6kALsimeY5rWC+8^b_oeV#R^b zwDqa@&%}RDo>_WyFF>8Y!F@yjg1v&j5WJ5t-;qS5eP0?|qnN=!K)w?Dwb*Y0ivd#Z zTVoeD^6Y-G---R6EaL*YnWQGU14cg*3SU2nJ}COf|D}`NPev~b^dZrQMIRx}sDQa} zPuD6OHECbGzw^f={VeG?C0=NJLZUli?9#42@V|)tRqStpO+by<@5UY+=-EHS{wek( zS*Bv~aqcfemvr#xDWQK0{fDStR}?+)cK>Vmm{cF)|Ad!|Rh}MO%bF#)Gx2Bi)YHcK zgO|rHWa>p%AgzL2T3)uRXmIDt{Glret}M6;Vcv|GR4g`Z>~;K*_uW5kX5|HqQNolVxvpL7vd7pmx{iOw91;8-vg_|UT*jeyZyl% zV%J312-_a+3T&1A#m6?A(`c~%9{Zxlk{g<_8%t>-IG;*1@2ooD04CWuWWtAr4_YIKXva7iZI5$ea1 zC8S75rJ#h0E8~sI&1a$JT60Qw_>;7hbDf-4bQt)!#6;KH*zT#GyWp{h1`}=!@9&KgZjx{_1wATE2L-&H;Va+w$8RsZgYb^TRaG%Ew$QT%m&;niT?l2=i$6xm#8G~h{ z(a_t4>2}kN-4${(8DcZVW|7rPo9eO+tsRn$AwqM6<`QLkG_)`sUG@#WIP_s0COA)U zK4HeT(~T|Yw{On+(ArWcr%29lI=nZitwSXMS9)+}T;9}QX|aqF8KpFsz@!xva1`Qb zq`@Oh8ND6r7U$VHVjmRy5LrIdaPOEudf1$m;pWYi zGf&QZI?R6+=j5vI?gHcMP4SO(q4-7O7nA2B^*zpbiY2Bz5wdtor92{K85O>=Y`#~r z_ULKhQGbr*5+0NAI0eS!A%%!zPZ+#4H0nJmc!l7Vgc%@ZAo+#B)Sjli6!MTyNqJhz zGgKHLpY2CJ-h^91wtuyR=OnD5z@)G&n%m}i!{1rs!@pMeI^i!6=RNhucP|>>DI9*i z_?N_QAkXml{tC#+n^3eF`|)$HNZ2UhRSLXjPOHlv4tTF#Go{aeGEj*x94d&oi!8---61@9=;5hez!4+C~_(Q=T3I3RH9sC1JIY_`Uv9_-yai8Fy zqP)ZCaGFoC3p0CSiI;{mJVfb4B#z0AHe>3HaM^p&KqC4EDQDg6HlJ8D(FHSe78Y1}XGJ9*#JI~yKq zRia-ACVKstdUmK}`9bPIsXtQv|4td3=zcowg;O4qcUayLdVDc(K4zef8r}mt`E$pF z|1A7?z>$F>e!}q4ArJM7@Lz@hMx1vK_~}de-K1GT`a{y6l1@_k|1Jgf5r3IiH(bgo zd4J3MhaOLsn4A#ZJ&r*9*Q8(X<>lal{*zP=2{48NV5=9=f|uyd#J(twRSm<(%3~Lb z4N@vl;Y)%nd!nmo@U^RTc#H-RTv>1x!h8h*W9AW8;;Nc(V-TuIs4k%f1z&HI8f!7G zrdcCGuDq74+Oq1<;^zx72l4D|qnn1vQdjgjqU({a6VbX;cJZ#hnRSDCuFUgfo==nK zVRT7!7Z{z1ef+r#MPDSkL7?$O@cb?|x>oq8ULyKZ(U+0t$1glTKEBJ%`7J!YhH@Io zxq?n@IJmtTn9i`+ZrGJ3whgzrvBV}4ucF9!FDt<{HT;ef*o&Xz7kZ*=j%^Ru0$bG? zqE0G`TbSP+pSG*9KZ+`|yLs&zX))4bsYTxrgblOv#2Me~gy-Y23!?_G#i#*nm9L0T z!mL90BRY2do}Nt>n<6%qEFVQ&QYz-1z1HZ(Ej`^*^mU?Jk!Fr131#`##y&mGv)7Al zBepGB9yu`{KX-%CTS5n?8%5tF`sV+kG2u-+qc;V*z32|2JCbHNVp1@2z}TBvAB&&s zEcO<$UC1&VXtu_YZ#DYM_JYf~uA;k%?oOI-8tCZZ^e~}T2QS!1b4gf zeNTA4H+EqLA#5>&5Vi_>Dylg8;g9IyWUTXSf3X9^4kXKe;NNc3RQ zX`~tR5p;{d>E_f7q0f+$DJP4LMc^ctZTOHA{uD#7Yog1+wuj5bHcGUTViVj@{1t_M zL3lZa3C2Hh$CF7ac?Gp5C1KD)b({W^Sd z#)`d1?7e|aPDH7~*rm&SsP7XyUhIUxrXoK-(b#1#dUlf7$zrFFWq}KM|6)uti2T6) zW-#*d=N`a+OmtJR?ct_jt59RzK{p+LM0aFi_z=wyJ5%f|viuMga8lFR1~(1OgmVNx zDEJ}5dOEp|ZDAN6V8UfTC?J?FNWwe`^C|Ft7ZzY819XL6VEn70o_3-5MdBBeXCw|q zMHMW}8N1z|W2u}+yJEd?1%OI!PkmiC-w!h%JoOrMN^KR^jExI%1crxXx#rNF@@1o275fvs zB6_3fS4ry`WTL&IgsUJ9aj%(ka;rbX>vGR=HWm78zS< z@G`KXW>}cuEmP(k_b1sV$He*Ka8(!giNOzrhxV!9&jf!? znD+6E=r9WOki5h4 zj?m+Ur{TRRQ$M7mW^8*G|A3!6CgW!r$7wKPq-Am#F5e$_!jz67_WdH|S1G?y;nkz# zdtot_eRIE?Fg+Cg|B&#fgp(9_4z^?DI;}wQmnmhT>&q!Ae@pp?3g3zhSB5-zo@NC9 z*PL&D#XsTa{*zNKp6T!z*eXU9W7K*^nmZGJM@ez((9~WYyHF+&UV*qGY#x$7q)Qcz zPs#Sru#))7;;RIn{rx#@KvmU9OPwU2Xh~>7Ktv ze2n;5^7>X4p*eun^>HS+9lQcuL%f6p35gW=o?>+>)WGK;s%oWQmt@|UUj9VM@>1lb z(&L4oE(yz0qr;H#%|ic&mg27y--xH%v+LkC&GOQJc28tVu zKAbKXbBl_;N%YO684#|n$hM(&#y=POo3t0-L3~H@yhC|hFOiR+lL;eR`77-#;T8#9 zf`E4)i*sNY=&dGv8{Yh`61qv~PJu-W4bMUk%&4=6>tR}}WBx*Jlh#vOFKUcUs3Jul zKE4 z4G@N(8`VvEEMC#!gr5*wG|oYA`rJY6ihM06=> zUMIeuX>NqURp0mUNWr57mjyUB6@zg`8+^}|9==oXU4q9D=1sAw3f$dhd>XoDj+Jqb zjC+F-o)e}DGGl#sO83baFJl4?-o`X^?;4ioCK`U*+dfE>gijVeg*YP)2E2|&Pb7E0 z@vFo2J|KRo_-W)BH_=3pi}tMo%&9Wnln+A-!3-%grOcwj5apzeOv9>rvkf19xsL~P zgg+?!A>s@X`*Pyj?;bY(>ClyPuK0Q4=ac7aj0|KMK7SZUV8Znw|F}@XA_B+4Hd{~el7Q43$UNqXnZwr1$@QMJJm!;>rcMb0O zjECP7{J!812=hX*G$iUyNM|ceNLuWLRT4gwu$lrBPQ`FcmW=Ftjqxup_xxJ%>%^}o zuX0&2(gB78WU^*p&hn6NekA8(IiJvBps;*ZUJ)kMbDx@UG87{=O4uY}GX>tZ;xSU_<=(0H?93|=BjBj?S|Bc_ppAi2CdA(ZDdnMle zY4q?=0R2n!-=a?jIw?60-7Wtyy1@)yH?I6&(Nz*u3BX=a8k>r59o6txR0a63wTG+Y z5UK!zPx*gvoIBOv^#QIS_%y*a39}4_?vS+%%@4h$Y70GG=ov(LU*nTwV%?brpLwef zL><9(1=l0YtQEZiP@-Z%PBS{Z1T<8qy7LVF?F}5m=9&v`A-E-BJ|^t%hx*|8 zhL71K8YO?>t%SEGuJ#wy&M!3f*-)cxBlaS(Z3Bxbh26!*ZVWlWC1NiXdl^}#s|u_! zTI4P_x+wG^xk7Y|=vdMWbTs*^i!*%p4L;Gv3r`T9NSu+*X)hV;Nye{Oe2Vx~ z@+xa3Cb%n&-SMDj+ljqOZ2SLMwDcQ$G_Y5T?I^YrS>~qc`aq1AQ)d%iUF}bPjf5@| zx>AS&66d-ZJ1?BPyVxFLuO-X0$euVVQ@WmJYz?v4OU89FdItlu|KJ6}{!`bRalvUm zB5#m!ql}wqur!3S3Mc;J{2XbfoN>8VZkEzV$}LoQV>S1tyVdCOMV`J*^zEYWAk7O- zA5`G(H1?S_IE2mh6?>Q1eu2%*D|Y>jt+U^=1H=v#n@%=*P_a@%K{hh&3^P))d`L27 zWXZ^;!H^`NTl64fw`cpa=ZMV}n-|z5tgAiP*qRePn=iINY#~`boES(LOv0} z3oa2ngfJs70W*WeJ7@IlLQj{9E)!k;|7d&;7;5z5Kv#$!CVDt&K0~OEmm(>SFg)Q@ zA0H!y-z|I;ai-m9C1A8Dj5gu9&{BJkgfSAvQeXt8Am<-v?6_q<={5!EAscf@34zYB4Fzt|~aA21ft@u0Eg_xbZq6+2Drbh1p^>TrXE zjeK^7DHB7%`XMO~OPNW9EeK`VnYl&91;sh+;|1>#^VUD+qw-OCkI9=wkC#xMUf~`$ zwtL9SpAh?`*x6(mGx5o8j-j=~%V@69c|zwCRm>zMx&_9*6l#bI#V!*2)PF2G{TthA zI(`Y8dq(WDVxJ=$rP$O2x7gsP+IV=0;H83}Cmhw~v1oZTntGWjrxf|}v*(36+i41-~KqO~Q;6ET8G#GIsGG zANIG!z9V*pvFMlkuCW)Fc=kQ9?~DC_tbdGS-AaS^hsSu8;130_4sf2sgSN)tRiPW{ zTEXiCuP4lBz7&h=7Pt*Y|1`}<#z&$*7X1lnUSBF+^`9DB5Js166uU|6W@FKj;xl9W zgt1(oi`^o2tFg$XzA$!oV7H0gE_Mf5pFl8er@_NR0{Ket*MfHvR+g3$g9%5!G5Y=@ zAI;y2-X(f>pxI9_#eHXV<~UF95&gaBy`-6?X~@=ax6klllYQLn7k)ta55yUi0#p?- zjMwOtFgE3o=pRM@L|P}W$i`$s?y%uEgwDE0g#Rr3C~-ZFXear_*muIK`yN20A`AHZj%xX>`qQp8iYp-=a^F=BdL7{hqp=dm=17f z89s59zlQq48whVmoUb+XT1$+H$K)7in=s@OFEog$ z!^pZeGA@$QmIl*AZdoDL?lt(Ta0@OGe5v5e2=fx6>D7i0aF?4fJ4^&}g@hOhu@rdE zkcjZ@B$|#p&Yb&x#y??m@p2O6B+}s<05kQW7KIVJ#vcq{X_LjLh)*TYdyD~4Z1}j+ z@LIKeGHNIMD&g&k^MV~F4s;z1?m5=OR}1baxD#QfP?Q5OWnE{ZhlC=)HKMzS?n;`` zgR!VlSh|^T zXaeRUaYZH!e!`!QKGSZ5vDFUY5H>eb?A>BVk>#}_&%#VT1}_Vl);)s92p${Y^wQj6Zk)m6 zH|oTgs9*5Cf+rC6Pi{K8tGi0$UkFd`MDdfv-$z~iG5h?OtOrZm;@}?`iQ|d zGbLejj|zTF@GQc-R5UAVsf5RkKM_8+Jt6){@w3VE0l~8B7@a@I=+UisZk%VX=y{^& zlV-Nb#nDg~*Yao!%qb6TLks0BlJgWD<|WKZ{9Lw}!pEfDBYpflBk5U5&r#wJ{XfYq zHfL9GmdIHu=XpB3l+0{SlC{j}T6=I1n|nd@a?vl6R;iD`B04^%R)2Fu4xe zPBPGVvcZh6!_+z-$@o~tCp4HfAmhihBV7E8A1*&NYfQ-fH_F;1YcnkdtWz_C<%I_K;${ODXC^S=u}A^Z>GyuBR2gRzp%{b|DL zx?cE8!ru~3QegaKu#ke!0!Tvtm@@lI1_(j=S4x#6RRyru6-OT>v4$58L{)+1q4-c8 zhfoy|e@ftWchLlLs`1x^`&&c&Y2s^=XOQqH6lND@uwPXzQ~HHxp|+IMrJO;9mpugi zadeN*G-1UMf7x{;)Rj<=0)Imzu%i~8vrHL$hF9uKX&|K`6}~*u^9tSB#;#e5L)cs+ zv5mzxA-isOD(PHF%_uQtaO4t}n>)|&J6G`+@EgsAw-DZv zI3I%wt~_wQ!Iy{T+zSM^65N_FQz`P69CTiE7aD)dJRg=e;x7{4mV8uZLbig|UyS`V zV|aMCULxaC8J7hEnFK#~;67h&M)y$My+THej93~f?v`h;V;AomdghqauGj}GUQ&Xj zL`n=;7Un|A)UsSjW<2{3{sEgymXRVOl?E>z6AEBnA&dhyKE1yGg?8ev65pOY(-OY3 z>e5{Y6Dq=$UoD}dgiaI~B+N2jhA$K-Uv@TQ*RS{oZ0;HvU1W5n!8=`C!Vhb%o8hUU zDAHYc58>Am=MP}rQhp0X)b=#vm(@HyexR3(>tyt%!A!fPxP&u0DQ2%X=j`xixIxa1 za&Dr-K%oFrP(IA18NS2X?uGXeehYCXKfJGs-K_?{6*?r}Cir&2cM#^SW*<9;*#z~; z@=lYk4OvrPNq0%=M~V4xu6n`sH+oj6j1CYzP;@$J-ZrjKhdK(X1tv@?_xCwdLY9PV z3JjCF3E6c2ChZT+8aa}3CFN1#OIIIY!=j^ZuvsU=$JcyW1+ofh@dje9_NY^zD>CDe z{yuQUGD>6&p~3u#Hv>H zCTTdO=v|6gF-92NybVr-&5aa%x8PBPSy01r)uRoa_mW7A4Hh~^=vbn>ck!_pP~gTH zJ*T^;$BVvK^aRpOdiZR__01~{ziEb#oQc9G3BNDk%=vJmCmS9U^1l0pPZ9nAafKx% z2J0I<_#Yk0kyAxa6Fr@@9=4()yb@8Wbu-M!|Hy~_AsG+Lm`Q_in4677m>x0s=mkFP zj|zTF@GQc7GMVa7Dbh-fkDHSd`oKLQ=SexU>F@$#IbzbyG5WQ$d~oK9o+o;Kpjoy} zaSMzt2?g7Qq8EvNiZl~+VK!=)S^7|cD1F+jb3)7cGqRqQ^&Bm}3rliK+~WV(Y=6Z| z#4Z*4JXt=N6~)C_nZ;PcZ$umjUe2JieF$FRAV1-~NrRl-a< zoZ|=g>NUe>Jn94Uy6`uIzZvk7yqs)Q)!#CFL z>pcnYOZXrNr3ia2I>xw_CL9{)1GGxQhZ0s(;JtN-nc;4Y(F^YJ^jgvDM6V~!@Tg}n zOPd=^xUjbuK9caUginHyi93sV_lw=9CVYPoC&K17O4uY}GX;f5ORjxp^o1cjpNrli zdMjzhK9_aB4~3H5HsRZa?;svMDd-{arNQ08lk%0|uLbWU%xlH8K?n=-vTsbd z<3k1pQc42&Mf!vc8wKmllf$%uLu|xX<|5kUIB^KOp`G z^1Ni^Mt(^6kHUWnczQu0M@k(wJb67%g3TQf{f znDFDme@N)P|{NLhFlII7l>~q zzBPGXLMA$YqFjRMfJ``ZKaOK_Z6sVIp)CcLN>F#jveH_R^Edw zhbmnP_GvB^`zR#2m~Sr2U5US=ggG_L&CyQyRl?g7XIeRY#Y>9=w48AwqssVxr z3Qi}?be|p#?{FE$mwbZ5*j%RgEb-aoeaU|iS}ie11(7<)q*N>UOUjj$M@b18oxM@v z9&GrW@LtasULd@XIIlP#`5Kl`%5y~~%nj==7fUFSFeC_rP+wz);+zTf&h~LyDxpk5 zIR)N<5)8a5c0-LW?dRzV(ZfU!C#~EEcYr;~M;L#8$T&xezgzsMz@w^$R%guQX?)Ev z*V8@X$A}+Go;NHu6&)nT8JyDw$FRBag6|bPfiMFz$iH(djsKvb5Bx;&lf>Ugo^fAT zj+wg)++@R7U+?kzg-;Rw0CAok@s5fUJ_{H>D-0}{Dt?;y>Eu~(V0GM;aoK1#gUv82 zG1ST*lJ&5xnY8#TT+khpqPRzlA0O_(qv9VEKa0Gwwqm}kA2+&T_=NL>=qE+bCe8Rn zVW!N@F}P}YEzT7@Pw;%g%zvWP%zEDfGe(C-j)gK7$#{x}9$!3PDDE3QF+5<;h<;Y| zbEJ8xd>V65cvx)wgupKmzf}D5#J@_O)ll>}dd<+ML$8+Cg}x#5O+ypiTZRsM3oxN`t#L@)x*D@P~p|6J~(3%H0}6S5)`tTA}NNt|!X(LIKuk z+hFX_RL_1S_G7W1kYyMO(oqoo)Zirn-Y9sJ;LU`YA8FkVHVl7e!p>0m`&_~n30s4J zZn5|thjHg$n9yz?PK3>EldxUF4hp=DD2t*Qw#uf^{qufl{ct|OEA z#+2_vS^ZlnyQJ)Ss{-|*Xy`Cr&0{CnYhiANEHo3zj1uR{dw7kohQ4}^LD z(^0TTtH05OANx}u68)p-pGY%0)hy54;;;!jL&N+L2|r6XN`YaCO+jzHUko1H%Aft1 z;NyaS{SQVbt`wQ>umm0k-Wp$P z7tVss)feADd_(el_^@1(JKNX^p&_A>*v4X;kY(!4(IDn>zGlubCAFy!PE#r8N@+%g zms-jRCC)SWlm|TATyP7)EeSI@V)Q2FE7X+Oc)oc)5#K2B&1SM9Hyg1^h$##hcZ|@!B+`xPnd0O9MJCk z%cX-kBSWL})p9z@=|o3qhK>1IXv#N!r#0n^?;^e{c_vAu85YgE8D1HZO?TlvgkKwQ z&f|efW>3TWEcJ2UOZauddlP3Wh?d^F-st_m;2<`4gXkMY-$a_%i$=w~%)AnPwn;PR zaA>@|Sxz50x6t7)u!BjKyVd9op;U64=-Wl#K|0FzSQ$Yv=1vn5L7I%c~VYV4bz`cPDe9VT`-Sw?mN`ud{CUhYPiP}t6&e58cCC5)oLVjx$Z zNmoaw(PlIW)$My^jFB;x1}_wECCs*C@Ss*cJmUr5D|mvzsVSIl$KaSY9-b(8lHmIY z>svvxn`~&$*sh@m-c+&E#7-y6(_(e*8HOg`cgV1lA^~X8?@lE{A znJa#t`1$1dpk=Tpms?k{Ehg+EW6i3@Wfp}L6@!!i>}!VBpI3CktCNP*!WoX+X-Uo!fdL?4=$ zMZY5YRnm+~zP{XR25$;)uh#{?A^1(gJT;2m7>x0j(WRm2{kG_LM6V#t3(d^U&df)P zyx~jt;wU!vp78gDe?Xk~3E3e=_h8a}pAV(RwW8OF zUQb&28&;{tINlA09}lf29|`|h_$S19a(>!CUmc^r3*R<2iryr8GifG*>|t2N5e>HJ ztYgN4IzI59%h)1gD-D)P2A8A%T-2@M3sYt!d1afF?NWA7;T7ay40}bU`_k~Sp^fn? z;a>~iNu2K(eE{`6mA)~jPv}nht(;wQcGF>~{B^LE{X0|M2^X?Q%J)+CQsJd%p_>vq zo#N8>nQ`Nv_y=rmzl;MiexSko%xswH`JnMfLQZ^0{Ey;)BF|eRVd~m0xvcrB}`LwiHu8STt_y+MRZrvOez^@ZS7`kMaYZ0i|rxyTCxlXO5zUrOHae&L(@Yq;nxZ8 zO`NY+j2>bV$5i|#tPHJ*H%Pcq0+$((faYIxc|&0@&4k}Vo9N9F`bfBif=W$z{%HB@=o4Aa|$Hvk%}PHrH45U84JuW>UoC-`~(Kp z!3BZ~2{SB1^Rm%>smSPWp7V6E=n~OGNJmK=wHTD!4R7?f4|=KaGU4UK8T9<@iflA1 zSGb`jtV;IhuaGcI!f*%P(Z!n80WMc*xY6lotCt{OSo@bg1x?h!sl_*mjR zIVOccm3*Ahqr=qW<3-;qdID+2Vo^4ldMgdizsZMtqToq_?<35Rl;Rr!lI>)}+lD)I zzwjx-A0W=01xxCwbKQf+?+c#;r;48@emZ%c9;J<00V>3!h1x7h0s2 zibst8In9UtQPGcyo<*7$T3Uh6tB)JpCR81t5d5Uz*@T&kmbvo660VEs=9uw8__{q; z#ylDGX)rKD$~jNY0;7+F9;ORLFB1J!pcxpnup8YrgytF1&x(GIG~>Fa=B+K~B9>)1VIiKcRW+aC)-rF+Xk+FgX(++AZIk~v# zca2X9RhIX}zc2m+@(c~u3v(-t9e%aH*i~Xb6uX)%?-fd@7)!Xu=#k;ht`)sb^m@{a zefAwh0c?Ze_m}&Ve5NL=C{Ik3Exeer{*d|-x)itwLkS9vEPf`8`$KyWVg@QvL`*eU+e*~KLj=jBa#mq z`}`Eo9uoVb*q_KU%T+gg#>Zh3+BEmK<%oozB^;%|^puOtg8VPWcWUkVW8#mC|CK!B zL>-oM+;4^-2yIip3qK+J58}L)83mXP>Q93^?Z7c??k^m|GPu}d8C>iYc&=KZxpV%( zk*HLZ6w2KHN~m(Bis;zu>}AEp`K}uNis0DUKIGML2nBS(rx50|hO#y~f#D0bJJpQz z;ohhr<1`sHX)rR?kjU>9wM?iT3NW=LoG#&vAY>I+XwqSKrU}!l`Cq6bp{|5_6c|1H ze(laOxX#%gt}nQO;D&^w#}gyH+}TD~507Uf(TznnA$5 zS?9`XMvK3}Rt1c%HM%UcDl`|}LUc>gOgvfHLpAd3eB<|qSMUYmTZwN?o@YmK0F4kA z8a*^rHrt54NOW7${6?c%Gdr}gar0u6?hU<$FOhVqq{}EVNEv8&XKsDD@qI%B=M~~( z#K)3n247x;5l!emgZAY(Q`#=_aTG5lK}up!TsBrZ=VHNGF3FVq5nf4_k|HIQ3NJh{ zAt^b@U1{|4Q8t@r*KS5H7~$#eI8^C+V4vo$#Xh3Zfi}tY#GldQb@6ad_Y!@b=-#AN7mIP% z8~Wz69=$>6jY4lCs$j$=CB?fmqxXdq-z>V1=vxAfB|T#>$-U8ull{4G6MehrJ4i=K zGDCOfPU9Dx@O)qKcZu&uo{tII1<=&R_Ib|1)8DM}@J)4qtbwx9X)$NOyAPvIkN`4F zh#Be=K&FH&3E32w`JmqqsuOuI2AR=+gAZ7aj9eLcG?>w%t&z=MgAI=jEsgoY3xpRE z=fe_alR*i3xGOSgdH70IEU84&5K2t^oWIl$cyOk4xx`;csgyD)wC@P=lLw z^l*jXVSX<&EHENpK#@opkeh7IzA$6! z{c@(rd4LXoA}gEe&pl}P{E+;n3ZEu?dcaZJMU~3UFudVaK0+T7{;=?w#2G;j!x!Bn z1~(2xzefc>CU_QMU$`tl(Ca&QPM<6@uYp2J>r zQerA{pT+ny%6+zlNj#Q_UMl)|($NFSv6Fa|mzhv2+@}{LESK;i1qLP|F%|O&zhv~7 zTpyU1MZY5YRnp8Qm_ejxaL^wHIk?x%y8133JFm-nL)M$Ln0~MnHyRwHFA{H=)9)|; zOK;10N6w1iL}O+n=UsE^9P-Y4a^9Eo0UcgE>NJI#xN@Zl^``rPt&;Gegw+)I=u{xC zN)a|R<*YGf_A;-mm9kFCdMZpzDA^#7ME4fA!Hk-r>()myK9=!GFp!c4m22V5Pt6z` zdJArpu}Q{e8q6*-($Sd=$@Mei=Z5B`&&6*Mzm+`0q`_CJ&V6CVrZC)Rn~d!;cF^F{ zSzc6-hyFib8vadq(|;xWYvDVIGkJ3sD))`SJ3@2Bw}N*G-c9)bYJ z%J)+C1_ieO(}AGL6I1M%vL(!1v0usoDL+u*HDmTr3`t}x9W-M}dw=H+$@o#mPc#%R zbo9)|_YLGqhfQh!3C@Mh9g*_0l%rIbpwc-Ic~CvE`5?^kqOnlBM`+I2`3AwHEr{sg6UaD9Ad67B40X?S7ck6>A1UI@P3K zPU7FNxf+sAlT?!uV>v2Ep!G7#)iNbN6e4O%IbF&bR2a+3`#I_UnI@bSa{oFK>Po0b zfxq$JfIxSaDLq2ZjQUaSD9p7G5t_Iz{kEyTAZ&l`xbu2_nbzi_@8IbrO}1u|O6XibArgr=h$ zG&g0r3r(mUW`b)Y;UWobDJV^$yuk&RFE;*~IX+02h`&_)W#pMfV~YD+%m<(*n9I%i ztH3)~$cd2?ONYOKp=%g4kmKTvuMs+6#fwi6pGaP%j-pb|?2=^oJ0IaJ*j%#k6yd4F zqudm~R)!MzFd z)Cdd8K-U{RVy|HI*AacA=$lA0>{-Q`o1A9K!m2*(H%sXw-lgX!X_`xXAdT(C}R>zC`>G@_IfILwXjR33Edvl}ad+ zP)>nAfGIN3ixM>m<0t%!!`NJf_+jFQ2OhmG^el`pz92knBgNk>epKM`tvQFo-$omM zRcH>pNBkJ^W63i$4Ju$`Idft+&Xi7}8D_kcd!SV+r^0io~y zGcul)@f;1l)T40u?m>%9Y8^thMAA}8&r{-^&`3e_$v6C`12~G!y&!zK@D~G)_cQwi zzGV1sp|oP(&v?*7?>;igy=s4jp+!nUs1r1hVRzZaR@aA!KV=RnI5_*>n(DsDSIn?cxp&FO-fBFyvc)6`og*b zcwf~r<9MPsYRfoX#u+qJjKtU}udQmaI^3}!fzqY;PC4^YV2sRxz&vL@XEeT#_clh2uAeQV@`Xg88yOdudj@| zWb~uKtO1j9VFU|i`7d<+P3a$cR1c6cP)a%#-Y+cOg&Gl-h{-UaWlet_nG&)jWK-aE zaAYXjgb-1K%y_$@H*#d;%E+U^#EeD(mJi%uB4Y9Ns>s+D7vK;! zS1h(f>=3d{5xiy28GKH-W2J)21eX)$iLolR8*1!Z&+@c5afR4nVuzEBig3BR(^QAxc6B3@3Fgpl7^rdc&2|Yvb=Sr9-VLk=rDk*53 zUtsXsR{rb@1uqi(6k)~}L7LZGT8j zitJ%X3Ml>?UoE_(w~5~_eg}EJU!p~%+?R%T2m`;q68^RDoy2)pGs*{HLNd)y@Qo>t ze2ss>=Dx+DO1BI9G`AajJ-0SO(tU?RQ3jV1${BlPd@o}!4MkB@>p|JygkM9YXTO94 z5`Lf%-2hziL4(iUrQl%gEWtkt{)sTJ7?Tb1EA(N*|K9HLBf@_cel+0d1I-ukFNXL3 z!{f(<9~b^Bao(-sEH;__X7q2j`MdSI=o6y~(flZW1}WZ8aQ;B7Q{3lB?qo3jGpJp}@f7z9J$| zHM;u+J}fmvpC-B{X$D?P(X)x8mIOZXh4mreGU z+EnzpqMMOsn#oGfXP?jW4FCBzfAZ$STL^DSoJD{*6d=zx_E4;6FA&>GY-_T-qosKx zFk;u>lOY^!1Yab$En!AER&!2Q7sZQBxNNmQ`y~=Cm2g=Q3iC?2+I^n8+=T3&{z|Wq z5F;U$0-I382(Ur?yeTzQFtffj7AKo#9&>6*M+LaHG;bc?n;=UMo$;C zf_F1|)KMJ7=DLgSA^KXQg39~DB_#(P%R%Ty<}V`qc;sEbacqP-q6|a=-epZ z3%yb3O+*#n1t_$ld~bNO&@y_n@IJzCA*g6mRxXBTlD>lzq%=(_ zV00)&*EnbNrOkbel!`7BT~3-e2x~tVBC!lLd_nkfRUv$s@ZrSyghrDnA;w3TFeJPJ zMoPF_!YC715@ScL(IymzlGr^G#z+`Tfx&04j={P{j|^G*c+vNYo)GBlf(mr_t~5IH zG=H%ZMNblaA8B7ENBd2on{0fyP^i6M{1ovIkmpmU?>!G1d|9qP`BcHv1WzZ-lc(b| zKN^(W4CBuWUkx7;|FHO(fiEr?URc73b&Nmv4uAef#Xlx~7I{9We&SQS?;ba!Qz#KW zA>&CIvuW^CMi?l~dgdH+8iy=+uAF&t=F{ON$EINU?F9xeYlUOj+(N;N1V2TXmmEzq ziSGZ#j||!AGvc2W{~UQ<0&Z0S%GoFdFE*q4`TnAp$XF`lc^Y~nV8J>}Q;hMuCQMz& z03k>(NLVi6MG8@s6AdR}O2wB<8XCG5y)5Y!Nv~4kuiy(y4u=`I*Gw23zOlS6;SC9I zQqYC-=HX59mhr1{{AIi?{vGiv$nz;fP0(Qk(YuB(38mckgugHR1LDj@@MXoVH1@hD z{i#=p{ZQ;`vJ5*q$fQ?r(d{)R>VLb(9$yiGmb)yZ2j|xHmNchLXKOxTN zu`oR!BY!_Nx+2t;H;UdQdNXMzAIzbW>pnC1$uNh?=YqEg-b$G1(`K?nG3X0(_J%GP z+vIGQvx5#ZLabQwrJ>IDX4@D0z1Y2EdFH6)Z=caAp;zC2(Fa8TK$?k#-=x?F^Pus^5BRem691$4pUCs< zSYHxzr5-jq=70YF9})et=%b|hOraFvyEgw~#;{P9I40w`j9+O)Ro6`QyhEn^n<=|5 z^*{2vloL|^pu*dlh4O*>)8MDV`Tr99x8Re68I#!s`R*TMQ$vpYuh=RbREEc1p+{W~ zOMdV>Sv4Gr3h{5<>4Q=ohfs)@aS9ElcRxuN`uUhp8JdA>NH|SGO$xkRe85J31$<;i zKOa*Xhi}-mrJOG13@W?>7`KZo^Gu_+_wXUABf75WdZZbm;>^r)lq<8`Sth&|-ih@k zG?36R2*_xP)$izR6ZV7xS0f3HB{ZSH=*R3Un19FM2OjmoX)5?!!Oa4U&Lx;j)8JX5 zUrBSpEd;kD%&>Df1KQ@$Y;Qv2@GboU39Tfwroh-lmo5y*z)DpZ6=2Gnp$^_g%0*Jz zQeo&Bo9<$Rw}i;NMDV48FC)yTM;{1Gsc^Z`rJ?u36{2HA$CBowm62D9N%L}Dobh8r zZ8u(gg7`%8O2@^B$RvYTSM?E@EI37QDq&`nMd?G+2N%054R025vv$I-65c-Gn9~-c zNn8iRkA_&eT6jm{orp6ioDtb|HhAhiJ}B1+?jpD=VO}S)GE{U6T{q)SNa*zeZh5H@#%*c-*(M3#4m^R+scX7taY zICrz?KB8|S%`@i}<-1#rU3!JT%G<==F7^(xOj|7aB@e<7R4l4x%H5&-*H_A2Qu9Mg`AT-0^!C`oNrr<2W*@SuS;-YM{MY}B?fo@vIR&@-h}MwyIq8oUO5az*jp@Pm{59jFjKO!#o(yoP+VNMK?pEQxEv`Jse7 zQo`L5Mp57`Q#VqqNrE@{XjAGR!M|X0_edEdWh@m2DF-9Kks*vT{D#n4HeUF>!Y2@C zENMcPGJNfHm1cAepIs-)m?Yyq8Y}|p%VL-(W3ovXhOdkFOPV6-0ZP0OD_vtgO;b9D z;`LN1)1*wN!iTan6LX)U+C0Pf@9*`I`;hpD#m^+q3(qRXN+4*nH~jW$9)DE$W5Q<< z=aUnQrAi++w(12qgv~u6_DQj`$to!6sKaB}_8j9g$N6*56+ch>eDW+s6=I4WLwANM z^FpDEgg!--Ndglvq+`1GGWWCzFNQk&GZLPa@ErE#7fH!0P0zq*x^%bLl>a68;4G1{ zRLb+%D@)Pm3AfDX2SXkE1<}hzzet+#h%S3Y_+<5x;gdpZ$jicC5&kN1KJ#i&c+KFy zLw)0Q!EXqDlQ1(kWJofP!KN7p&NIKMHzcKC|&t@vHyca!IZ;;o6! z{RX#c>@ReW;O_Nte*z3@|rGrup*FU~JUyDsL|G^6wV{?cp6I88=P8p{08 zt%&ceTE-sUJGAJb+(}!j_q^I*u8J6e6b%B&tQd(1CxG?q+1<2ueUtMU% zCGEY@M#e=l+R}((DcN0Y?EL092{v~L4pq8Ku}^cCVXs?&^*YM2(qOu~97m#5aqOTM zu8l4D|z1H94v_7JHB=^<(6}O?01*aL&~*O`23?7i7zJ@?S>|gp5{FD7XyW0^^$X) zoZfW!GcJ1&dgQ97%k`$*RpEc;1}Qg6xrqv671JeS6(Ce#(@bczkH3Jk-7KMxgj*=^ z((yUCFdb9G+-iKckXzg){&w+qkmnB!DQ6agr2y|VVagC6qP`ODlF%;*c=wf~KAPqF zoA5w*_YIIRP(nHd-3eDMY13&|@+G5m!?#9WaHdEekX*j%xM5(z^noPnb#ZKG_JQ=YC& z(wS8r1`w9YDw9=Ciw_XH$rR-ZOBA-8kFoS z4L=cLX`=8+!tV=sX+Da?Wp1+J4Z}O+e&JJuKR}!hKiff2^8b$xjUZD+PZK>o(52-l z5xW^i@1E%|^C8g>i=IiEA*1M+sy$An-&Alh(eJLMM;SZqb5sz*SCAgz_LPR4o~j7&@+Sd6hH&TTMZT&fp7lJK#FPbe^gN~2ulQ^Qw= zdgDgnn}lyB&JgA2<>PW$VEoLCACvtLd@f^)jIA{IjI(o|`@-Nxp$M@}@OHsF2uJac zv4ieQql-iQeuwEnnnj9(BE!?)shiQi40_ls*+mJUVcneDza<(lvz zW{;HbrR=4`&}Z^Zw9nvy`*94L+b{Tl;2#Jp`$OMqjK*>Yjh}O-kD5c`e-!@{c}Au! z0P7B$aaSL29Fg&}jH5Jow=gu6Z@OO$-w|Fd$Aljj{ws04TA~DsWpz#XCnV3`C7h7( zM-Z^i8CtwhP5sk^uR~wrza;!E;Uop!0!-(|ch^70Ul_hF{wuypN7V(e*A2$EKb*Z9 z{)`HJhr+A9Iu4;KfPI=f1$(tpq^G-64So58D%xBP9IAAuVV~w|Vy_c(NJz1(g+HSc zcdzvESX=bzqR$}BU}LR5q=Mn@OdN>#`(E&T9UQ83b+J!#^{|hg5_~_v51eKA>`=j| zFT8>9hQ!&rf<8=VnMeLkwMvzau<0;FsVK z3jf%n@Q=MhH55%1!`Tz-aud#3>@WEW2{964De#gLv5Hh2{)kRKTN3aUkLkhhjyt_!RM}=M&A^P>h@%Yr9pSm*+04YDN|%Lwn#;yMdcULP(^W7#bc0M8f1rvsmxDu< zE*JYWmxsNc{4BKom97B$G*^hd&W?0}GjlwSE5flz85j~qv6K=i zL#X_(3R;9y(eujTuL$1M2FI|u(vCcT8TM(e9Q){Eqb`O+@pptb3Z>2p;lqRvCtj-x z-gKDz12ezzOY8_7ikv!y*SWQaj4Qw!#>ST$6hqn6vH%V zGmJhKzQ8^t`eD&CNh@Ju_SXV@f^(0Uuqbo}d{n|?5@u0g28T7H-Q)Np3d+{eK4PB0 zp-T58_GxZ5_KFxKNc871d~bMN%oRRQ_ zhB67sA(ZsM5WGeVTg{dnu^PaRoaK)ivdmP|AK=$~#h41Vvd@nO3cS z*Oc@ht7voY;ZUV}ANw@-0rrX|G|%L_mG~ChXJPX6!Zag`pUL8CcoJmIGft!#_knvLOWMb9r0jZKcNmWfzyYFYrgiZmsR_ z*ESrgblb5{b33rt9nNGHtGNHtjPe6jw7IWvsM39neVW^ey$sACR6GF9hnVFDhoay3 z=5qfV-^$n}V>b;Z(AXHvp!XgAir{Hy;TSfzrz21QJ@#pCFZO~nGLqxnKKvEIHMdsL z=Jw-Ir8|Iqn)?BJ-+!qH%dSSV9UjEN$eI3g6>aVi4pq7zu}^b9VXx;gT2vkV^Kl^J zf4;$o{)qUW#UBkkN42tq{fqI(Lw)O*_~YV#C4X8K<4~nL zfqk0$1A7UX=@^T{@Be?A@cOPQ+T33_ggHO4$DE(oD+7v_8*=~P@96v^>iP@#S9q09 z#H(T-C5N0GR}Fte?A}v7TOEf`;Kv>Xe(V*Ym=z0sSJE}r@~Jo&ISI3>R^jGq;1Ejw z*rVi+y@JCLW+qEhMz0a0Uc4En=+~bdbi^VKn`lwR@HS znG0mKlGU0PUm00>Ls6E*3_iwJt6EipYlB0T?jr2dTwClFEEH9787Mehj3ZI3_9&_v z376myDgfA{0)YMPb#XjCDLy6@WxZm~amB3Va{Nmq7WI*bRktL@NQ|Xe8~?zzA}n^M zg{-Vq)17n5=B5JCRxM+T*faw>4Viy{8i%H zlV`BBm=X~}yIBkO6(<=ef|OUiXpdQ)MV@pF6V z#-M&+)&6ea2IS>26SD zyA?;G7-;&f57})JZkKQe1;zlDw8v^eCApdf=}wa#4&O!kO1eu@KT0(r;W3Nm)N%dI z_~9r2GXrD{l#w0`G`g{1jt3^gjJhvWmEtmS2o(kFQBlBNxkP$FMLNb%4Z`2ibv(G< z|3HrLT;X}d8CRv6`BQV`4mM?OW!2~x@^J{21?*8-z+RWmuil&*O*wlJjz+&z@R9$W zVo4>EhEQTMMy8GrLZ!|be{zlIOU0LoFDK8;j$LNZAV1XbW6xI=?<#Pp(hb8t%?-z1 zF^e#zm!K~(rvJyGC_s0F0F9J!w~SFVn1AsHxY~^yZNky;6Zc3MBVjBBhA1=7p@iVZ z8Qyrm0)+K;h2JZD0`Y42heC|%HT2akRmHlAIE4BF_NXslulGF4tod#-{))o=dH<>r zd_N9Vx+&PFxd*V#EVopTHqh z6tG7{0ej&&(HeYn@OO0fVNI(>_*@*Sbn~!JbMvv+y9*6PZUO#?*tf5!8nFv;2$clv zQAxmFw;mNOd~`sL=bpx)$T*{O)yQ}ThcGuN_Lv(Kd!>0+FZr#J9|mwNQmzVbyCqVV zN_n0NU#1DMF>aZ$$pdtD^!gXOT|I@a2;LL> zzSs}QG6Wbwxzf;eOR7evU4=ua3Sf__0QMo?%JOp5MPm()MQ7iC#Giewlyy?pQ(?_E zeJC^44MtD+%+nu<{#f)Ur1?yuxvUIrz8J4-!lxU&uu;M$37aV}_wt|aseES2?+3l| zxs)wZwo+k6l;g_v6JHp=zIjy%ZW|7vR)9Tf1=uT0Tr5+l#8%XHAD3cjz-e^_g0OhZ*d3%cd^I7UF`LIL^Bn-@9=kopY~YQ2;YN4 zs2O07ngRB@X&An-5C0vZyArBK=zbhRy#RaE3$WK67|uoK+(G;q(c@pL8qtSv2sHxi zQ6s=!CmxpP4&%Qgbl>u-5qboNFhLLYn4kxH#XSm6u`$K!jr9wTMM_C1G98n0T*|Lh z_&R4X6PdK1)Al#BT7)$8yQ~wk{-DKI?SB?t=zp4YUXcEh^tYswl$bwp!Y<@b{}}#9 zMb+qH{>7n6SEVyArYiPI6{vHgl^I_Ha3H#pSvPpTIu4<7ApR8ctjD2Ey4am+@ZpIb zt|9m|!8Hjp^GJ=2b+wG`|Ej`K#nl$eS&C34Agc;uEbi8s2KQ*>;W~or3a&?(&kIX> z>JM<132C`LB=sdUkkF6~*Or$*~xN)WPV?<^IH1i|#186KUO|1kCks zEElup=B^RjMQm5Hx*x zdSg$W?XT|!u{VmniLA<8TCd!t8U9_UmfS47kMLWFGte0YL$N@Y!ME=4fxb=f?Sk(h ztfvy|t=wtsvUfe(SL|J4`;p~|V-pfnTz`YxHS_QQ!2<=S6XuDNW8+fSOVM=4;2@t<$<{6pd&7C)1GHT(k#)Q{l5 zqfFwDb9|&cibIv|G3?XaEbNs@pfs3(-up%ub@3;DLiCfOXOm{2xmv~?W8?aJcCOfY zV&?}oDLK_GF!uNi&n^_ZNbFN&8PizTD#kr+aA7DGKO^{A!Os!qeMI|0G#l<>6S{@A zg(VV}N_d_EQ&uhqj_2lKVB<0~?rZ5|Y&y0O8)S^BYyG88Qz{VxUyDyCWU#dUvHnH2q?jXxRq$Htw_NBqoU-0l(g1;8L zlQ3h>=ZW7Ketxo#j&FtU626-_lVVXeR*^;rKKGpoi*NM89tqz|*h_(F1Tz%j#_TgX zX15Q`e$fX+|3I4e9p8Hj(W>AM8eeC+Kl>r^KZ^f}JkK7Nn1B_*4;$SrM9dMFU!YZ4Z)`gu1S~|i8feFeuZgCYMC%4-wU-RoG#%E3QS#iMaQ}`4K5Df zZ0ZQEE4UtE#zti~c7*D2QyJ&VXhx$NjeK{Wq35r|5p1rx&=x{l5@onkQxnl>aK6zK-xG|L zb49lj-I{cD(pb0ULi`ckoOQ2wwha!UMIL*!$YU=y8R_+6W2-;y*-OM;D)ut6jF0#P z%n*CI!CSBQ@D+k%1jiC);>P0W910$1_=@!&j~AXGJdrq`v<$4p!|9)rjGy?G=aa>! zh)*TYu*7k4!7B~s>>b=(JHb~8ZcmseXO)9@ri1b8e-VyO_~JW???j#r7wFjJ5dI?6 zB0HPXdYr%g*GTCir7IQPp~MtCYu$`a4q0t?(LF?8OInFGB>{_X89b$x4^1z@*9q=T zxH|qJ0dpu_k3XW@xiRF+H{ejEyAk^|cN6wHaZ*A`j7u~4+z0)MZx-A~@GXRy0CDSY zHFR{ymTwb!yU;s`^77*1vB;Ub)9A$^d+00rF46r+^I5x70W1*F@%PGCcPw@#F9N(ok^3vMToJvQb}c! z$|=>wQMS~?`e~un(m&M1A)&pdLgFxq!znU+_$G*{yGk)&YJ?eGLQ}^`8F$MVMT4=7 zt_3KBmAcW!cMcx~?-4&n{Mf*A@d>umj5B^`xRmkY?-f6RJTvcTN$AqyuF{0WV>ph@ zO_VT6!hIA}%yaxsQ>fXh-DHzC6!=)aU(ysw4^ZOMiSNEx+Drq9A2elordOs)nI>gA zmFiHk@#$d({)ir-mNh*45DuZG9ecF2W3P*di;0cL|5Du}CY-#Omw=0SRKjBtW>Kh) zqwLl4IR1!EexSBL`4c#VmUisX(vH2JqxiTaJau!7UU#idT*b{5Jx}!fKqn-|V{X<3 zMxUPJ>4l;fiGGSSTQl$saawNOv8T z1}CBwX_>)wn|t^L!OI1|_#d1Q?_M%EDZnoaens%Bgn3H`qbCTyL2v@N*Gzde(Z}TL zQr?jAW>C-&hweM-+G8GQJD|YS{dtPtf#>saSO@Xf>-uYR`S5qRc5Go@8cAEM8tY>~2+3PV(y znWt|rUl{*TXrbFCe!KV`2F2v61|(Wf>Z8F3ebo4JL8|3>G?h4zZbukJZ}MW)3_{tW8G&)X~;(R%Qzt82O10y zq7*slL8Iq|7(FEVN6|l#t`0f@GqD}UAJM~Je;^KFb4PFpZSdHm4IX>{aA95KUkv`H zjfam3J}&rI!VGvcODxB~{bokrIDe_X%Qzw94;oQ!iwPb$e&$aT1|9N0@t1_ZC7cXG zi6(Ht9DDzm@X|p43;#-}(uEgL6?;Vu=EuTtwrcn@y4;utJzX7#P|g>93TfUdOy7(_ zT}AFxmFF8&Pi(aQp_FRlZ~4jN~g^g_ts z>PV_9sU9WX-3t5!X395uNGK=N7u`T~!$4zo7JSw|+vsx!`3r6&y0PdcqMWye)AC2E*ww;{9Ty2jAxdbBX9nMPEjm7t2*#m@$;P z%gy+s(i>OEh>;OXgXhQhesm^@Gx}tEPsfW+5S>VxfiL6oa_Ee2c;=%XPZpjcJeBzW zfDg(>!{e3sD@vK`>U+2y4xu3)do;vjFBsqCF+sk;ZDx7+YQY@^cOuLS+6MH60Vcb zn*t*;i-T|7^+s?00|&9W8${nI`X`ueSH}`m7;ryDN=K2w53PuM&6*&7Fe_LJ8 z4-h|4d^-96DeS0WX5g?cClGjRxgX|P9M8terR!{!DV-1|j;<{ZJfg7XOTO^9M| z3HtZ2PBPe(ad&$qUrK?LLMp5tCB`{6#zsLIHVj9wxniLuLWdBoj-&CI3B(zDN>8CE z?~5%HTTYfyn66m|-B809ZuEGC@L|G-6K51^T|MNIBaFZ686WDA;_nteiae7qJG^36 zLnN=!W-L1Bf8ib(V`Pk_!SB9&WyUjG)tZRo%qkDB&GEACl{JADt1bNQ3kAXBIzD(> zDoyMVs#OyuPLg;ZMJ9g^S3w6bG}N0gqR?N_{Su}~cz^=0NRy_ad1bhJ(2N&u^Tt#e z(_~Di!ICgmYa5EW!L(rI40Dbw@XkYW9+oqc4igC0uE2o5Yz_!|#FUEA^z^8d$E3`n z!aK>K_c@p--|#-Q{4YEq{7K=niASM|I==CFn`6$ZkhRQ}Gf&QZI*hE+@)E2qjW8`R zpG2wf`ld7{jP z;^I=VaQQN$*CYr=HyhE*MZZXzPefvDoO{XG(<(gsve;L|zDkyX$SQQN8JbYl$KmTj z-w^sHQC{BAJXeN~wQm{TW3k8I7XFU#6#+;2w}1tH!!HkI-}i*SFZ=`IOlj)Ss1e31 z%~%wQ7pr7^C}TAZMha%?>5F??nd#O#BUD#;No0#;Xwa;<1b6{{O97gh~FA`7VnrEzc9Xi_`tGF z{C4p>$TRjaOUkU$O_)g+VT(RyOLnnuir{4Xue%$+ zh0W~|`n}M-h9hFXI3WK5v<&`55M$fll`(4F8`O4oNsH;RppL zfYOp-i16Qyp8uk!kBUAf`VZ1f0I20G=6p4O8oxHwa{eX$xcC#~S>!E1{mby&(a|^k z-zE*{?@w}4(kV&*P+~rVoEcNdrbjDcnRDY|{0TpIT27g+e3zbuZNKW+%XdIRHY+_* zvo_3~js4MkZ$x+rl*KL-`K6VkRt{Q1d>q>8%j2IB{bxE)fs<6gF7&_07X9zBjp(@4 zxENR2=#GJ|BD$*RYNY>%V-&H{rn z=z4Gb!z=vZn~6V9{Q2bh=0S##%k{R9jxI1|N@xmdE~SN(mQ;9(tPuryoCu+n@ms3< zQ?wS}MtocHd=N(9ODj6Vg=XX}^F})v7s2!HK$=v zAjts18a#HE=aTuPP$;6E;5h=XANe^A)ucU*d z%OqV+i6_EJ0T{Q%+I)<}HK*_U_!EAvBX*(7J+|m_k8O0vOVT-AKxh0rN+9(f@Tce^ z{3_vH1D=`13As<;8rryCWjK9Se<8QH5 z@+it3&J_chJgzroTqvdAAmv6Wy{IsG_yu8HZ{vrD@ZTi9kNBI(GX?U!RFGN1kGoq; zc{{wC`bz01l$43euCA^e41H=M2*U!;dlF=sB4u$VKC5@3ZmJ;u@|2kk1@h($d z-iyEB=kAs=PRe*Hyawfc6Ab=7bgGyrc#`0I2=f~9Ic^$#>kWS^w8l>ney{MU#F>gT zB8$`MOf#W&=qWK>!hI5E1Oc_g#V8PA{v8wc4DzuwOTugk_XmNo#7Se^921Tl#F_DP zb0s_=;Xw*~6AsTsiv(_SX?m{1;y4ePwjty)4@-MQ+M_{B%NdU9cT}ikV|L9v_n2v8 zKh()E8>h5+(&kfRIz-W=BtwJP7MSsLC{#TmW1);iH1tKlF>k2gbWfVlb)t`frz9+v z@H7QJc$`#^6Z|eQeo?q5OT{k}{|tHF!XgaN!Qr1Ze09h>o)f-Y_zL1o9>cP-3f=Pt z7l-Z|F9=>KcopGtfMeql(WCA~{4>h=CN;!P{M<{}HQBw4ZEv?4+bD7{J%29Ngg`HR zGtLgL-dAO;k?|T0es!>M>vdz7-|6G!4Y6;EeJikd+}zv7b`Hy9~q->+Yq!vv&%!16PW^~(zKj7y+ld)aK=QJ27K5VRO z{lfT{!?X6K_^-r&OEox<{Nba%)2k+I~m{8;Qhj?OzsC`JJ0j%k79R- z-AR^5=TPcgHJ1Ej#&i3Jf;P~q+N14r!EY(d^7W^oL*qUAm(b%vPY~q;9F0nIe;Z!?1&^N;eoFX1#LEFkl^$kH{ulp@ zp2;<#M(;Fsp(}njK9gr*tH(VS?ounRNwV2hc0u+?>sz(7qD2XWmOn9(ZK zf;5-WLPkp(OrmKSVHF32s+CD8>+v`ITx&^fB(ahxnOMP@2Z-Fk}x*WQ%m5CI*eTqfmmD$JYEOzEyLw&1wG@{VG! z6x)d`lSxLJi#|X*o3LSr7rIEeNf^ z9tIbN56Wu=UnjUHVTOF<@Dg{uv4g|Ye}mW?#r7i0XO3^HB-h*M((szPNpv64H~*JT zcDEQkCeVFF_Y-|yw*NS28kam zK8-v>o{lBdGF`gSg<(8FhUiSuS%Hp^Nls37*+y4J=Ek2JB05KOE@?)0c1|`r@*6z0 zt`EpC!Fhs*6K25COD4A%ugQGl7lmFj1>y_E-$9-S$8Z@m=NNo>D}V4J!Nr100-RTX z5qcvGo*bGNM+zP#xRkJ>M03xKHu}_OI30fOPSImTk0s4|e@xiH%#HQMc*yTE>%?3i zpu1&_lQo`Jd03b=1>fy%0{$I626=wp;~G$>7IoB^Y0jA0-kBw5ww(Lvl(%!Z zIrw*U5!J#e=3*DR1YwIVLD(u@^YOt^;2tu%$}Rrj4~u?8^rNJi8DLFlj9o^Lh{sG= zbDb9+moQJldVi?owPx@q&8ZREvYwK& zSkBXQnC9XVQBSwT;41C04?nk5@G`;A1UM}X3&cKa@cZw2_&LGL1+O5?=ts{rl+2>) zmFLa*ZKS{87v!vzvx-i6IB9uUL>I$w@$cw@AK&0l@e+37I{;gJ2VkodfuZB*Dv;@3 zF@9nAkbYJC8u70M9^KH8>M$VJ_#Z-d&o{)sDgLd%bGqn!lvCa|zWlvD_-n<#BmQ0T z#a5{&E+!5wvL6_I=puiyABx@}dLwBje@@=O zUg4XJFAbGRo5gPt|54yEmKF2Y;xoYbX#;&|wu=8m{5JATow(Ad2=u85cUAGiXA-tc z_?!YW6-*zDxc|cF8s~ZXOVMA6{+e`o(D-IR^_Kev|Bm8j>Fpl>7P~MU7h4R+#a35~ zd3{x+|H1gKojm`e_#NVRk}r?Lvqc0c=O_F-I(+BQAhHX)FcKGAjKsxOi8B{d-DBbi zRi6E7&L^Sx{F|KJa`w<+1pxYjLf-4HH6ySJtymXZfUK}p7ir}h( zs|6VA?Vt~k!DsjKkzGS@O~JJYS3oc_@EOA4IJL1O3ihMnomB_BCcC=W_ICBKjUqe- z3meuqm~EE)xdwt83T{N0V-3)^L`&^p-KD5ZisiRVJuCDyX)Lvg)TUG!`hr@S%^FkRTzE0z;4b;xw0JaC!?5CksvyoJyE)A?9gC>?MQfX>ZQq zP&wN{&Si2g4-VSaIjd3;>iXOj=9~<*T^;3IDW?-1en%kp%yMWBLY-n~QyPT)vx}6g zq;#diC$bj%_mP`l zZ*_Ym=h5}XKcoBGHS|)tNpv64HyBhi`4Zuyj(?p&u$YwK=?r7{D2>s!^ZP8WI(r@Q5 zWNj5lwtc0Wv^O+uW=P7EltoFOetz~SDA}g;`~-)?&kd21BPEwg1?&w))}h!D#Z`;Y z`Zx@`Fy{`om~#hP#ViZyXcRDddMKqAh%OX;2Weh+7G^}r*9sfXjJ1`0Oclu}mQg~Z z0*pN0PCo)WqVT*I8Z1X*7v|f+7W3_3tMI5#y&G-xx^w-}?-V^o^w>b7F%(mo-(_^I zaO}H9j}twfG;cB%jb~mu!SJJ@rfZ_`Ny6_T&KKQ~ymU9&Sl84CWQy2(#ZD#5+sh9U zOyU@gIhbbB`tUt6UDAD$W>BgC3B5=)73@sxh~nm~-Pnzvn}uDNa|c_@xr42e19FJ0 ztl?4DAX65FoM^6;2c$emg_#Swh4>k1&>mn;ouU3(9+vZnoJZ*}yTi38WbQE&8i(t6 zT*5pF^C>Wy@&h#`QWls}r7Qk|pL;^eLMe-=@Ek*!p|T_4lO}Wucls#_izPfwf#=9X z3q?^b8#mk%Q*H$lkyA|CRX;ELk@|PJZr}6PzV2OJNe=NqB&zi)V?I=WjU+qFi3g1n5!D!pr!5=GkywvOJ9|-M#gJ2 zq9R?1@@>{`c}c82;N3m`J`&^)x-BwQ(A3AK=E^*N!c#tb1KXWuv#r|_7{ft?&yQ_ zrSPwWe;x3&bflzo_l@Dp*XiJB91#AU@b8K9?S|!_QLFNU(XOgL_>ZD@h~7z>DTynD zaA`B9q@T>WJ$y~nUP|f`dkX9lj|Ki9Rg)2x$gCbOPahDSKo~8Io@a>qoIsOG@^_S7eN-r_xc#J>S zrBY&~#0KR*Z`wFh`i07*cqs`|5`z+*MLnLAOxYjKk}M@fN@`G4^U1!;n7GrFf5Yp! zgOtmpTuy~4N>za9KxBB;PzTsi_?5yt5syl$_Qt_D0+Y@T@0%`?u9DQ1QU#o&Ae|W) z=J7XvcIf7OwfJkqcPGyW6vaGb8$FDEGQ9k+6@8uPo}`(YV&hN&e!amJ8et!P?gqg( z3hqUiIb$j&qUvqzy=#PG41w4_Vs9qP+l*`|v}WF7${h#2!s-gl;VG~VLCbZSxCVqhUf#fTKXW>Ze@ZF9*(F0nwt3SaY?85y0*kb;EZ1sS0=3!>n_)IY4 z;hH|>Wyr{skwqhVKrw1LmlYxyR%}jUctD59$&r&whc|#3SdklQ^rG-M3=^FvdN}Fm z4dsSq6=R4IzWMXbDIYSL0y%|p?x0hVXJAi7zS11_L>GSNZhzrL*oC?LvBg~e*ec=a zLzqkWq1fg|U~eS7v%p{bNJ*n4l~RiCc8nWsY_D*)?-V;m>{zmV5HJ{pU6SuIe0La) za<}kt!p9Sjie9L@WnaQP4DQTy6HHsM*I&j&X_KVgLyc#_>LQTbWW%#VG))nHukfkF zc_YwffP+sn`qLtRxzk18Cwd0y8laIYrLl`9QZ43J%ycu&s}Q>0%#t@--u?6{GEgPO zD3Kt2%)y>0UN?jn++6HJy8*UnH^5dxS_Vq0EIU7BLgn{xApG3J5+0H8C2g#(d0DGd)+#I?pKY?9nH^3I{2G~Z=L|8b(J!!_q&>#LO z8H;5+O@k>GPj)6&mCDaWIcbSGO~a$TRL(Lv&(L8ugHC>V?pcGk7W+H#oZ#hxR}j`C z!9qhedR!w?pEu|75UDT7St(}~9cDLv{0QIgFPc&sMv%NDwbeXW#tq`XUo zr8ji5^0Q~JGh^RV-dHc=JsIx@BQz}Gi@}VyLd(*JGB(KANP{QK9RD`l+b-G(|u~n((n*{CS|*n?zS(rg-J((}C zCrY*}L+11)c43N7Y%#?rwz`Il;ps*08-tte!9nnI-wOUt@b`rIXk#ogOT_5f$reEj zGd8dFFVf1mALZ?kx04><*LMH(`C!sl;STPS^s}U2C^5p=zsN;hBz`sJq;)WovRld? zDoj?&&(XQa@Cmzpu=ZgWCj7(}6MkZ=G{Tm(0)6Tp#I7i|=I!&wAsL5d9HGHCYc}#I zzV?1MzE}9_J1YK|_&)-V+Y!wvWPC=r8-IyEF8&00rl^eU;tcn-!38Z2W8Ni}(1{cUo+j?!45qu=RNjx?XAdh$443c19O_Z@Ad9*o6-WIpyf^VilWs zO3NERa<>mp1@RTdS0b;#r(x_xWrJgPdbo<p? zJptS$W_7&SpXX9pF|uN5@rI?BpfL-52V9&9Z-3`6I$lD8ghUGLQLQYb zrU*?X%6p3@B;=&+jUE$9dL2YxCi-&HOqW>du{Z~>v@49iBxKVa#a}7D6ZuNuQPJU$ zmB8qXT~Q1zxWiv-7wp2qU)W;dFKlIC`8_|IO*b=sU+RskWn3epdoa@Y_D~tDhZz@b z!pZS-oc$034`lSD!K=U*pR$JQjh}5@iNxP1z887M5$5ee>g;XwGuwG=9Q`KIeMH|( zx)S!HKsY2{--fqfS9HyK`zp#x83sDV>oc`t{gi4s(8*2O6c`ENXlR-X+c4u2i2-t$0psB$3nGAhLlVxSyUKP>_(G`-n-exADrdy z#Srm1;&aI}RD7Icqy9@nO{pFp=3!FuqztE02}&`_RT{+N^06z5uANW#lN4arWLJo7 zZ+8c_XEIbj?!}oiBV?#Wa*E}Y(BbP7W8cFf2rB4~FfTTgOh(EZC9jkoF9=I;q19iN z>Z46*6?#G4DP@e5u~hVhEX5COxyz)Bf^@f}agxSUVwa`NEWX;6F<>~%1hZy@hSQ0% zCds;oRwYrn@8tP|Xm9j?4Yg8)XEEyPghSD1vU0=tp=(c_H2mXMcdjq?$Gyt|( z8UR~8v#7Kv%JsE`Z<{kd)GV%*^NyT%>F`>LIQWcfWn{W_rc4aQ_VrTUlkz?l-afv* z@eyHk=kWgiQ1k}T8%gsu86WR989KZN_Tc9>3*930BcheCH!~MgH{#JLavx(?bjAHo zOTeU~*oCFTu*K40*y_&Viq)6-Q{xwhtNl#;cJZH+S6~v{7lsb)=@0#-(65AkO_U#( z=twmrMCLc<)T!tb(zkNHlk+_traR`$acS-c!)t_G`A6Y9gzqF?2{@;FLa%3}?VqqK zy50#N_(1K#F7!yk7Cn-%RUxGa%i1cR{MCdzt=&PwZV7uRFrQSG$DY`j9>wi7X=cdr z_DR|==>R3BiKvN8Y2u(M--kA`LsAY)IYNb{ry|5wPBDrgznd_5x{s=(5{^mu!vwrp z`K9IlG$A8=`TZr~xP%iF7`JHJ#eg;Ux8a>bA?l>?Q^Nltt~-tCNDWE! zd}+p@OKK})Yq9)+pKC3)jo7wi`7C2bQ#9H~t$P=mQ-L*%__=m+E|POG9Ueap>!)90 z?1==SST;axjM!MRJU+&y+wtSf85`rBcsU7j66x^x@rf}m$=H-$o=p~;A~uyQkB^|( z@!Oj-BV;ZewS{8r-1~Ep)`!PxlO_V2?K+G@^A)b0mZmw6ILAXS1?Gz zULc|U=ZB-~a50jQBjjwCnzL?}#mv3xE7N+rY1!4=u-eGJC)($pyVR*=j#1@M! z32ZVtvW_se#X=pnj2kI-l-Sb1a`uPO#x{G^vv-OeBX%rVJ}}6B)WJ|AmCf0g;iKkm zIpgGvr^B?6T~NZMrzaSGQ$vqW6h2A#J;ZqmtMfy0n{3XPp~`QHoO|U=rNfLgDalPU z^zdY{l4MD-p(Z-+cKG0rq$**Y)Gk}zAs{S?aK4=4&DBy)^T4+WvQq8||b zAnD4W*-sopd)a04A?%CNSzhQW{xEjoqX1ic6ksa_GYO!9K7&orkC~D`&BxK>QszmS zZ%RpesHI+DN>XSkeL~7YDT}D^E@-$l`Xm|NcZxs5Q^FSuf0{U7usP_i%!L}!CCQ9> zExoZ+#xfbt(5Nf}#cGs2*v^1`(Uq?V%5&I-#e}iNV#3%;In$@xJ#Wh6p~~$ADJ!L{ zqQca1rtuo>4Cb5_YIk3f^Rk@P!9fS$tRV;*Te@B`=joj|9DeRqIcwy+Mu*XbX|mb8 z^19()g$j)~guf~LE#j(LLe|1Bowto&5NhhyihoD^yW}h5@VMuwepBa$b=Vh0R$92{ z>#+;t6|lv41#Ep}h%A$N z5pEoYD;WLxM1QllivC3OHqv^EGT99XbANqmLXG!v6#U$061GeDoI+*nW&5P2FfDao zU|)2>KZQ2RFR=?P4A`QD0b40yOd%enZ%m23&VDc?!?o(hA-Tt0!TYyDtC?U2X+ zC}D?$ofLT0tQ^a8KN&qaRF3Tu{j=y_NHacj(M{@CV;_$9LHSMWZn1mFRtAeVR5q`G zV->J3y5O$icJ0G1G%H|>W(8~&dQAsI;h+gQ%ltVGNjNOw2nB|RGqeA0?0aF1|535W z#Qs5+DKrg>1dqT2@Tc*AeT?1sxxd687k`30KX8VYWDa4So+_OFHfctZ570?TrzHJD ziBBh@9`)zZps#<;nf{n}PRl8CEwB14Y?ad>qVVF!bPMim?26*4#~}s`K`V=0_)?Hj zjs|o4LNqNH`b3&Pcm<&qg;pY}f<=}t0;>y~Fe-e5SCLRvLNy9iaBPeMEI{||ER1?| z)v+@Q&mFD&Noru%WLFd0-mVt5x($UWuhlkoO$bmOv314PBg-m!l-KZmVDNjPz}7%; zL&1#*R|bsf+BL@vDn8FKWkRT`Xe_0Pl%`aeZ-*Lsd>)uFEaa%oWSl4Cd>VQ&U=ip?$@79UFnN``(BOZ~S(J`W9N%Q7nYy?7rZ@@ScT83vbUP6L|L<&sPIcR>2 zUQs9pCYkg?cu6HoN|BUGi8moF9rKk9*JIG$l)_MC=pf}XDVI}W5suYl>Mkwo3bWdW z+Om$au9Ve@7H=IQ6_sn8vb3`qeZ!}F7a3Q{=t`ps40bfuI7_^Fx?yLOST_&w_wQ=# zn(VH@wzun!tsWk(aA4?)92^BdcdgLtg!UxL(k1%e<>2#3k250ddei22@n^U}+KtkB zQR8jF1C4N@Y~I_1C83`FCJB8c+#H1H!jU)KV#3Ygy8BA#C*f8K%m7kTU4KJY*dk;? z2M8TVR4EGU3*alk=&jv-&`Cw@42KAC8D#iWWZ-|&pkyRtxdq3}D1Gd$4* zXNX2;!u?@DdXa=;2_+PmvPWWQTqY)rLWymJDaoNRX{3}V~O(U=+(~j%n7pYG9@F_%-$_!oRslFDal6%v1pdm38vIu?BjHzlu1(Vp~5&y z&%#>b_)swX@aGH?0yRbWy~3vwXL3LfBNT+E8C|}}AAGv#`$W$m&G&0eYNDHI?8;CT zGE3}ivG)g-OB2j7_Jzg_1I{;B>;qySB+GnAQ#_-72_;5+CYV$hK6xLO^oXQKDKS2C zG`>|c>py17ug!haXPuS#QdEiYD$?8>#xg3g-F${4(n6c|VfAk+^?2xgO z1|tT2k8?1uJC&bIxqYrzc1ihJ$}d#(6qld{6Nc*Ze>G`AkbaZ2Thbm%eEu+mb+4hZ zckvQ%5&MMh7kYpwpE5)aCOkE`M~Iz6f)5Km5@5s*dKVeoAwKTzfI~F`hT31bV|}cL5jxJY2kY;abVJ0 zm3`cvmQ?0CeH38(f72;?9bsQou&ErwI0wlO4V2~0Y0}4^ zrh=S`aw^ebdS&N8&O%q&_@6?D=PKf>imyh#DtP;f)i4I^jRLkae8<+nE_@zfi_ZgW zl^8i*2J@vMo@<-YJ9HzdBcra2dNlYZM=e{_<-EQL$20tOG?36xLL&;i4%CWh5X?Eo zHxD%;jm0++-;_L`54@Q(P{D!3ey$lW<@z%;lX0Gm^JysECc6s^{c9YKfuCzGw1v=? zM45qUlt-p(Wq5J;h;1#rjqtX_8Fn<2rm=zRLgU+nJf@xai^N|{K67DOmW-&=t=!95}|+La!0pohY9jjVjL0(<=2n%=sd;fL<%-IypV* zFvnyjlANOoj_XaSAM%eIq}(W_7Zqmrc%Qr8#!d{K_-_*1N9@gH^%YT?fl5(a?ky%< z@h6UfpX)23pM+Z}@I{!dAy@s4u36jP;oC$H5IvAIGgnL_mFI3Zc+znm7>6Dtc(C9! z!ZooM2@cI}p@tvtw{#P;LMbLgVy46_ii}rGbe^j!QKau|bJ|t%AsZqmM@}vsrtfG( z8=uXgX5@v+$6+$^WDKXFyN9WEO88-mv*eqzdbU4Hft*4)chF(tNQ!mN&=00y4}Pvl zXtB@|L*v{CLyM<+bfnNxLQ9EO#UJwdNfa{S(bya1k6U{ApxlXFlie6>d%LmN>M=ln z3@n9>uLR?_g({A_#g7v|p1dMeolv4jZGt)1gm3GKawf^ShmLYoS1H@cEpW&D*)$F9llK5Tot8Q3Zth@>G{uNmb~H`A;K zgEdRmY+3gQiw(_8>e1kkIcEK{-$(Ua?7|=hY%z!dTV)2w)7S{}5dIwn?axr1_ptCs zgg;80=^Z0%oqNpS{g31_aNkjWg z_W^%O=whKy6J@T4A|J-v6uBkFSMK5uy;S@%@z0Rw!^eCk1=Z{L7T|2zS?*aA8-(2E zIf=_9uArz4K@F+T8+|NH<@SQ;m7-UXW_Ff|=@vC|tH`}*O5xc)WG_j1S;}fEj3!gu zD`w;e<5d}JWV}Yh=lJTo{JQaFLyrH3_&3GBMV>i+Nj_$c#9(K`KYiKzvkDS;lqc?dhzdxf1f-r0FlWqEcm|<%y{%se})fbY>=^$2A@3+6TmW@YK7Qj z&g-F9+GaUhw6Uy}umOu`=&7$Q;~W9X?(-*Q2r(UxcC#~nGd1EC;A#0d^*%so)mma z@IQokaMYvbabb>sjZY7`{AuxJdNR?Rg{^pe#9_K8d@^81l*p!qkFm1Yg--_Y<;XM9 zWIJ>PS^7MH!WXp}vF29MPa)#;)+Tsv@JRjA}G^!RhF^>#7@EDfH&3 zA-JaCT7-GQe7rCU$JI9e`S57f5noq)J@PzwES3mz^$p(L2>bAJ4Foq7+{ob6)HrvJ z!Bbj$xUt|Sf}0X%+8tWJ+2_wSIytoaG!uQE=<`W4B00rqG>G~FGd>MX8_i|3kkOJx zRF+lW(^iI`486Bn3vVO5Epc6FLL3%EHh5+eANF>FFA{w585nD3Ut;h}0lrjljNsTa za6*iWGk9}=;{_)OPW%rX?~)AuGQi1#Qv|2}2TpSB4gMj(9Ryz{`0@ZJBx1GMD-52T z?JuyS;41}p`VSoMIvad{fV&93N^sZzzzMFK!4C!aYQfhC?tTVFJohkobAYcEe4XH) z1}9-Pq3aF)F~^7b2EjK9?nSs7{(y`kH72UiLk`dzyQ3$xQOGWC!Y(X?hAkFC!!}gQ zAX_iQ6Y6d;rG9v*`%392E$QYHI>-rnJccssBZxcH}>_D zBzmyuG}2W;r{xu5W_;hgnQl_IjrbdWE<;kLq%2B&r2Sx1mu-Bd_k?4TBk?)nbICIY zW`#Tp7H+5s`$L&xn1nnD!-IeV0tU09`83~zZ$gDkfrLT{cTgygGmI!u*Is9M?sNXC zi-Z>oFCorn8xuTm%nv4~8DU1(P)HalW0Z_i8ocDpEPT45A!W4jtwIIKo#MxcA4{GA zLRSKIe!0u=m#g{!-7S2a@bLl9NW;p0MQ(!O7yg8U;O8a^pCtSq;tWkXBM5Kp$;N*a zMmbFpf3Ntdf#={pzC@-OKXacBj}ArR?-M_RyyAyNB1}Yt#ShH*JLKB4WXzUvKMlT* z6Vu(CGw39L@VP=C5c(id<$I~f${sQ}wUvh-7W|0dM+x(|$rz<%)-Xo-{ZSTmV%ueNOyx@hiyl(O|6=m)3UAo3JKSTD>4)rG!-!n6OX@%#~YTG<;t- zpRisM{<84Z#Cd#7i0e?FfeDOESQ_5#uS!@W;WY}ZM?KRS2{n93!LOV5PZ+fDhP*fB zy+w~n23Z;hmZ7lvwi(60;1Bq@wKCq3@h%O1ouHJi9yhSonKI`he>Ll+yeH*-D!iJk zQGmJV#Rn#Atm%ahC2WweF$i3V0EG{<444qVjX^@7HcQwd;UfyX49#=J?&PIz_g68*F2Ujofx zk_GNpqZ@@9#NR~k7QKhG(jF=SG>7V56UH9ECE@4xVHY|JVT;Z}*eddUOAcC!4q{jI zF0C3W$PdXlEaM0be!GRy2dr!P-JBg^_`y**$K?D$hrz-CI&?6=dbEF<@b@ML3c>nI z!f^>FC@@ADM{(|NqZ@}fIw|^;=zmD_+dlMax0!zaHSy>7c@muFw8S#ktE7+Z{}ICh z+}Zd`6bZY6SQfibJUhV61fM7Pe8P;_Gt(4c zsDU}{Lfd6?IW6S0q{GKMCPp*5w=#SNgNUDNExe8Jw#4~|L_B>L8oPX=P>eDVdy&|S z0~?Fs?9m>neZTj$*GA+bOUy$qBBru>-1kwu{)S#C9di zASXmY?q>LqbdO&x{2Jliu`Ov61scWr9!AG^^Ypc%uM^!9Td{HYUbx=aE%BbcLF|oU zdy&=cj#b?CHhcne4E)?p!utrnnK9+fVGRflW?LcKwZ=wbZk> zi5(zzAXz5slvI3b-EQ#fFM4>8;K72^0*ueHM3-*x-(k2%hTu%WS%i6kNeQ~ZY{UD^ z^v528U6Wl7w!K|0wo$<SgVZSatnJ$$F&F@nbi zI3^`7+1+Juuj(GY8@ndEaoF~D;F|oF!_Q3@e4pSM0gg>Uik@k3`xYLaC3v>r`vaWH3AyGN ze8pN1&lUWD;0FooIZRdRc*yV?&f^aYe?<7B#CeIyu`x03F@vi-=HbT$&l5bKFjEIs z7YDt-X#ahNzCNNCie5yTrO9YzgW^)OGe2oc)ld8ho|3Xy%F|R>ax2MaJz1t(Vtibv zie4&ynfPbOvuLbS{O48nta+!l`tv*|Z@Ih`!8kPCZC%8?-nnACV9K$&nef!AI_8{q5=_SGBxw!P@ecw z=2tSmrpYHPK3PxLH-?|=>reEp@b83wAMm88`0<0`3#NGdN8vk!?+kcKl8*k9;T=|b ze3$T_h5tgFUq^8U_^06?;tVA7q(3#>D*RzWr&^ogtb3CF!`N6O=eawE%Na zW5BznxWoUkZ{y#l_6}1fo|Jk@>OWK&R|$zBuKqP+NsbTUX&Gg1&<6mv(aQo?b2k1F zy(}u-=h?E@g)+a`a%BC3k>bi5ye*{l3W6&Nu0*&7j>5E_@SkpSmGOt@Buzt-uYz5Z zT~%y*yK30>s|Sx0p`vFL+7mRjreBYzy4g=8_=mlQ?3%J`(dH9|nhlJSLuaJgCfq#2 z3w0#al~9iYBb!qzAj^*`tD@|vzNz~@1A(7wAhn^?MpWxyZ>VAXuX~QU2SR0IW4TS_ zHl;>2Yqq0U}-6XyU<4hPI+N9zoBuGf4z&Epcq`D-dKMoyClSQY9P9@FP ztezo!)3-OiZ+LJzh`&ty<>YyE)IAPE2O^`V75UidDEdm#ok;URKy`Pn>um6*+dbSx z@Ku7l66T>fNnMHSX7t5_J$<$4YeaV^&4?e0g*FiG9)_<84Mx`rzfO2h;ygH?vP5^i z(dTx>PW;>rqHh%4i!>v>B;WVz?QKGG=oNmGggz2(roj6;992`%Lvf24SNHVc?<=F9 zj9Y2&6n^EmBG=!9wV@^OHVFeH45Yxg%*LXc?skKx*Y`&sBzUmkG{RBUOVmEb7VUI% zJ_>0wLr$igEIKUFU|kN}E)M#4*`{B?ZOirGh z;dFQ>I4KtD35{-XoxhL*(S@S#2y{l8%foFpdh!m22H`0ZT`anUw4O!|g>`O(;SYq$ zrjf!&2`?qiE5_>ScyFjCb+jpQp>g6)DPyFJrNZZ>2&KL>jHtTH__t^J@ZT+docQtN zd9_7oOv-W-jJ`h%*qA7KlIVK^U7DMPspcmeeO0IdnIigL(NhDB>SJ`snP&8sPUzME?pZV1hCX)B z$yhF91r3Hv1CM=Ie)qgdkA#78FGyM`Y1J7COD^Q)X6ifWMU$Ey!U6GfFJTuJNy8S4 zq+zQ^5+gu4&O^>C*crVn_k;oAugX~?=QTRKd(0e@-0Ma+>#7rAaw5@hihhf)ecO~BVbZy^Qr?mBE*0hzn5NDvMQ)urKL=;MocH9sPlr*4$0iruPSBMHy$nAv zX>f+WGapLYAZa5dh7Ie<-BE&XB`BLrsUPyy%~G~V`G^XiXqUxKvFIpdeACbuW~=y5 z#BU?d)PmJ&*u00HLMAkB<-_!ugzXYOr@)KH;$t{PRKfa%Ilshv=Sw+X$@!WNQy6;Q zrj_!A;=VECve5bVTN&TU_?`x@JnH49THGH@DHA%n{U~LJl$}&~CBC-{mQgbyBNQ!m zN%&d9FBBM6*|-;cPJT5$ySBfI-^A}0zlVHCSIKU#(dUJ9wNLbZ(FaKD89|!GsQFTT z^c*y4>rR{*KX*vdVM#|Qv23Ynrmz$fnhZ*Zr;WnIVyls50t{_8S+2Sn--VZH4H-3M)S|)E6!j{_gH+pudIx-P>PV<7 zp&kW37i=%g=j@e8QT5GPADRps$Z0625gn#-=2R)1^b!MIuNK}kmcFZAF_7M&tGl{CWULc(fFAD9ZU4&mHyeo0ucdV>iT$EnohUBw1_{@i!ki*GjogN>3`xf!IF)Ya3#nQOr+vy-Cl9P69Vbx=~UuO3Xzv za`28qzSZ0Ke}C~Oxk-E<@i&uan#n}j=N4lZhViL=#r6|>D_NyobczGs-|!WoTymT6 z0m26cJQMjdhH%|(_}PE?kPH$&Sa@2%iwg>~hNZc5!@JG*5t<=9Q+O6}W(nEsE69oc zT(%jj!^}EEWaP-mr4c0`%y%`^;Q1j%3=^CucsOCD%!K%ubeC`R!ax^@E);zSX~tqK zMw&WfSMybXpDPkuEVkqfivb13E@W*6*^y#Li7h3oAjik2xX}g|pX1>>1&WTT%P$Vo}bXvvsq^uM$Hk!N8SR!PGatE6G8dyZ!)56f}m zNu7gT(L1S3cpT=+ctFO3G?XRA#Jh)#?R&95`om%$5&LLhW8)IsW5%Y1YO=@0&J#PI ztZqySW}{kQaI2R7z)uKXD0oqT6XVb);7Nm9jP~$Tf)@*Z`af`jTVilrfR_qhCioe` zQNc_DweXsI){J*UTlsS`mdjW{gYQMWby+$=Cn6J;h5m#uNLVRh6$L#A$fD!ji$<3X zS@cVyUlzTZG+PL4UPz7wbFY{+|CGPxS7oh{^%^bZr(xkDG%A?VBga4fZ%BDl%3D;J z&tV~sLX5t0ZySHf{hnVd{vGk}20l9{PwT#}Gk$tq%p7{64D@bUu&)AkAKjdHK7mG zAvuTT9HHamC?(eYZuB_|{TYsmJ|_AP(#(BQQsUg7#;yrn8vYV{TuN~lC3Dm!zP0nSHS>MENvIFy~M$f+u)8XexOXu1wp z-SEjPe3)touPMA1ah~E#awu}O&G{#!hdOfV%Be?({emzRNPR;$hYF?!LK_NgM3kY) zEI?PmOm~jq)dJpFcoX4GiSx!{GE#T0u~&ovzRkp*C-!`@j7_Ykj4x+a`|K08Jc;N}c6NxhsGg-PMgExh_pppf1GSc2I zl`w>j$EdwP()QomE ze$aaC#?N&Tf0g*INZC;*D!% zTqmO^4JKcVwnEuCs*}IooRK4aWZod>MmfFcFbB*Xju!-~ozRE1w<+D*dF3W4eWctR z6jUB#-a-yxa<`aL^$M@_mC{ejtwGV41Z0FLRP{Gy#&ECPCS`z>fm9f`(ZoC`*&Ck~ zTK5KtA1pqNJfjQK2Bcw0C6rRq%~%z>#AnFJl#xY)$yybZTtYJ2g!_+RKYnfqcA+m3 zw&+WQZFGvoFCnfnVk*AJM;Lr_Yag7Ef=3B1CCrCD2|a~I8@qU#XYUj{ zM(o(YCML(YyNo?P&a-!m9Vd1?S;oC;)l_7jU`9@;R+}hel8k$3_!klS78(3jco9tz ze6QfCgn6TUr5%O~n2;TgK3&3n5@t|fv|GPjj2AGaTIjetOUi61_fz2|V3I;#?>fhf z72EL#{M=j_56F0sMsx`%a6e@52jLPP7W|0dNB;w(+;8xv06#8xp5XZbMzu+zTVU|d zq2A;P!3za13NSjBVdQ|pzvlQbKP7mv;HUosC%GjC9}e(R!OH|c^B*|bJ!|mE06!;q zx!@H6PKm>WVb2@uO`lz#wEtOR}B6p z1mso0YXrYWm^pYtYy$dizHaoM(7)pi(Qk@=>%Vl0d)w&!fnF>69ntTSWhaie<*%~_>JUMQsh8ku7QB^>n3yNhr0jGa<<6% zhz?UNX0>$~yos{q$7bAkkf33xzDg`vfGYrZ}&O2 z7MV%z3;Z+6?e>P~`BL;(qQ4F_j~(y6G5YNL{jtBruF38@YBD@-hoBdn2wM1At8%8*a)jX+KN*g&K1P zA6jL5Hx)m3ROm6Ge-Pz?W8)Li)%j1OKM6H8e~CUW`UGj^PcaC^ z-v+<-jE;;2j|HC+{10Ki8Mw6BzsBAd66$HOWqR|*orSG}k)4~4g67%yXLO_Hg>T%l z*oAVw=yIg_tYflfu3S^z@LT`(0jVIoqVP(@d5svAhl5u(y23!83aW^%D!LkJUL)6O za@7r<@q&kI2(Br(7GcJ#7J6Zuk*jUSZD9~u9T|0H)T0qS!dP`2>!#H=KK>kkh6dsr zif=@o*IJ086rRO%4DS*8b2Jv-M0iu;yw;MULVV4fYjpBbfAD6a&l7zLMQ zry8Hix`hPS-uRr5cshu`O#J2KnI4el3ro|lNJIc6HMkg9oVX!wBZZJ|E z;;FMq1NY%?__;2Uu9DQ1QcdhFMx#$I^7In)o60YA!(BHMTRrCQ;MEeZk=UIg6L(@# zY>ew+@Upvk4xHs$!Pg1yNtjWahKZ|3x$BJ{xLGhd`-r|#bgw|i#U!T0xZXzZ4Rw|` ziS8r%X41?Yk}Co3$FsMI9UyifS%x_-CI+>kw;TOk zTTc%XJy>)aX{LWyfNZDOr5j!pz7jKpX9~{>cs4%#xGtID3E|cb5uPJFmpF5IG=UYk ze9ZMc)P#}Sd~k+I$dfRf0wX0J_2Bu&a$O|;T!Gj^v3HQ=os5e~O>xfPNtcR6)xF?i z!6k%wooMpON<%jn!%u|@rjf!&2`?ocJ%%Vup~VL^p`%S1d#O)YcS;!}Wh@n5Ye7kI z)WPB|6TZ653wKKxCt*AVJ}H`;2|X;(tH+F)PkCdaj7c)?p}|vdihhI$%Z`~aKIHpT zB-|@uDg{Onj*eA~4Ia_mAAP#u`vlJ*%$y1$%8h_bD&(9J+Tm1dx8UCoF0E08f zjItqfn=9i184uE6ta3FcOv23a+e45RTl)*!#!_&-J{rzpL;?4 zO7W}6GbDPeW00`n6+_PalJJ*>uO`mK5SyBq>RvH;dMh3o$9`4t8o{p-W>^Z+M`+5T z*NvYWT7%vY|EBo2$TMl8og^`iU1Z-jVMr$)9w%5U;T;L@QeblfN~f5piX9cWu=qN& zT8G&**2{WN*88-0$(+NHy?6{yE9dX;hr%}q-$+~!Od8h4!rVG;lL@0kOXg+?TO@pB z0?SoQpC6krFg#&fC43@b8wJJ_`Uz!`|J3-sp(XP(@!Q3JPM(hdUcZ@`F`kd{7pB~h z=P%+*DPKwXnhKM2Q5O1VyKjuXJ&YvyR`hqGzbEZakby~38KxghIX29n;72Jtr0k@^ zNad1gD7yb-`1H_zvrG8T!ha#o=e`JCqA}AePVlQ474PvU_)W%c8GC5(F^f8vM{_Uj zHRoWAclOEIFXsRqUI%IcIq-zvZ3j(hvmSrJ&mEF-SjrJ9ypFW|Qp}|3emA_+7SSm9 z3qL0O58`|tvht8H{xtZeiat1h2|h0P1YxEm_9@0>62Y2xcP%q3 zJ-68XYxHx+eOOM5E_0Jg|JYiG0Zj82tpCij=BSs!`!X%C0zg9{lW()y-P8-(O4( zSv6(Vq7~h4R-0p1Kjg%<&G{?N$8Q}ub>-Bf!}!H2O_or%|S zfjPZGI&3bdg`Adjn6QRn3Vqkg;3c6}zqQ~tg4+`2O~lM?{M5eC@L$gL7tl`lMZzx* zIHq2}MY~H3eoQrF)8c(VJ5_EGS1i54gi0THp`(N=C3K>o zOs51@>Pk_a&3G`>Wpt5om5i=5nB36{%o*94I=Y!sJjP%D)l#mJ(w#~zD13><^K&Fx zHyoeLJHnMrTMtA+Zdn}qif zelu|%J~tmD{@5~L{DDvw?JK^Y_*=;{di7PyEAMZ@RpGn#HVFeH45Yw2KN6i$vx>Nm z4%!CHDSh6@)*v~9<)qQkH5Z~87HiO?8^0#xw;AFy#b=S%vzLbvF$`3;2`6{s-1xa6 z5^^NuQsBoxQbL>?YV4&mgqCr`#O8?|PL}B-ickhW-;9PKP77od%D96DFFCWs&s~XE zu`{Rs|NJEv$tjjo5**GOl84p`Ud0G=Mi21LNI9eAlm>^(>ELr%330SJLl63^xl_&< zIb-SYYC_nu++AkW3?aK)#yA<{Y4B$FkhuxQj|!ohD1MUod&uhynt6$JgOkme8(Lka z$hcR=R2s}mGO+5?FgMNUEx-9Im@fK0(KARhc9DaIj1h>H8odJGA@It|h2s2`aVCfgEU2JsqkbyrXda>xINi!Vih>x+z20wkDPdiHm zFBAMsfMYor{#k>2Ht~UePVjQUEB*t=yXOtQCBQETUMYALVFo%jAs*eJUNm}LpkEUG zvgpb#P#Onsfb@icsL-3n|-wH5>f5*DF4gQt)6+gFD z@H>LvC9F`#C!qRuozY7}UF~|&?}>h&G{cdUj0H76Fu4C59l4DAQ1Ax98wvB!aTu2$ z=QbJLu#=}Zi{2voBht*jqrU#`W5b)=I98hjSGPD5!L>S4byA!VvR#g`JklJGSJW&kJ*qR55s1mhdpcY^ru#D7noaa@R; z`v+s2ru$?6D0YX~oq_%MO{^_oZ2y-$yG!iPVt*ma@7>|??pH%sU+K}`gzgr)ho~Nf zVuWF@!R13QuziB}3qC-YQHW})QVbeEul$2%RQM8qz|S3$aahI?8jQl+d=@J4Ve`8Q zyD#zKIV$0pgg=6SWfWML#Hs=&^la{hza$)&aDswfA-<)AH}-FH9y-fAC*_=y^A8=S zvz(ZiM6?PR{c&hOJuSLSAAJ{Kt0;bM(xw6=W?*YN(2s4WCLMw3v5WrTqU}RR-u*|eldGkgn}}{oTES;_bFRTFy81&m6MUZF^8*~4l9J*sFt|-i z4>uRwLU79f$0sEuyH*CT#DDSUTH`+^yEfSNc5SiM(>fB_L2lY`cOiB}@v<$Hwc3fl zNc_d*d65{ygfw=E(VH@SEM6))MszG`<^{u1(}_=X7iavppUx=c!P7=pg4ZIhWH>ytA|L6$U4UX^lDxzEW_f z0HdZV(RDU>Vk<@@qOyzNs|0s7I0?i0x*5Fpd=FnO_!`083G)%*$6T~baSt>49Pq}q zGOm-+lZFabCB>Q&@_OTc54E~Ch`&*MufXT|wOD!^e|~5?y-9o@@i&v__fv6JMoxYK zx-hY$guBJ84aw80G6JCQO1&FJyZ`28U@pF$0pC^1iaXujY z`p-oU#eS^|%o!U#|DTYvP|hMcY>3Rk44qlSvabAzl*wvgp;Md8eZ(c-7_KjQJree^tgB8L!b`;92E8I?KIo z_~}ql_lEE{g}+6dNjfDS3pc)P@C_@l4?nk7@H>LvCCp@zmhOLfokt4^q+`%Kn$S)bElQe|Z+mQ+?h&M(ZV|BO!& zU&{GP&ewEQ9!TRP=ieB;J+%CMEBZUp-;-vnVty&s4-~l{Ojus(5C5Zt9TIj@;5~~? zjZJhv8N59de0B-`S@16b9?1;xSA%~H(fOO;-GcWJX23ICT6VG9YxEmOu@gVHPxOA# z2S`T&$B=5?t%D{s3m;mCBpjA-gaQMO`hP4YW^lo+{wj|OJ|_4N!VC)^brklE9uq2R z{}O#%^a;{T2ywA#?r&q4#$gwJ?xfgLV*eq_aAP!Wlm`AaVMa$El+zN*+^ljwwhBr@ za$-`VI~)IuN`nvN>F6lvV;2hgqRR!kxB!J}SKjFF=lNq-5M5DpCDKgsIi*8#*@{}( z_>f@N@~72(+8AV?qbZtHoX;w!5*I!>fm}cV$7x&s{6_I`yaD(qKtxlo*#- zEX}1G+hmDnGsI?!%_7UEG=Y_9*#`FV-sQ$(FJU>;T=MGaf4O2pz{BTtaL@zOp`l=$eJa2w&eRM^A>0*q#`T9%`vBKh^@JD9+2}O z9p#>}$*2i`$mm-S;NkBEMhG*cm_MNV>$8GPaje=Uy-o+o%dVO~o@Tx@Xx`ak?P z*KrF>-Z|LIPe@)Uc@bqjf+gvaliibMoF86IPsvy;<7pba?4H<9B zc#8((B{mjc3C7+U=1*BG_8qbBl4ZQaGUHfh@Raa@vtICfg5M{s2MrZ|9~k>^ls%#m zKkvm}y{>;myCYr>m-IO$UTtb3Di*&m_{i)23||WVO7Pc&d9|p8bl(`uFKPbV zw_?8&`#o76I6fYOTz)Wkbq}#++>e5H2;NDU2TsKT>OUFVD+FSf*q_DzLYDCo9~YaC z@>h}j)r7L${lR~euv@|&3M`^#=MF)QWs%!!{10{gdu*Th{o)UhXUJW_NGvdHaG!A= zJ|y_C;3I^Y7BR_IUO_2K55Jp{SIHYkWgL_72MvZ_AC>%G`qPB1;iK{|3CAUzpuq5} z7bmLk{x*J6cYlJD;!lbHhdjeyl$SQd{cCXF=^j2UxC|;sF){#Kg+IK?usRraMNjO5 z;iI@LcH#R#MmZWhd{!~)oyr@$Bb3Z42(Bo&5@B8}DlpKG29aOcgsf0`QAI*k3Dqbt zFHSE=Lx+{>M&BIQ*^CB^VNX*f1?w_yP=Ngx}ximW<>Hu#E7qN{M+GkvVr)9 z;v11a8$9Ct97B^gU=Mz-vCt+$n-XQPiwj1fBJNzHkI(m!-c0m)qR%JIfMA`I;h0&` zU0{5LP({;Rd<*d{$us9jLq}D_N~<&YhuDjsYc0Hu@V3OG0>cn4E67B7p()pm@*!#` zdHCB{$uL}$Q!pWnUz0tFe`|xxSeVORXN%NA?cNvcf+6*$?6{fTZo$fkH zxl&3eDon?j>`2x5|FLx@a6VQ2AD{9FC0hzvvxF?ozGxAJY|&Vw#ca$l3uk69TC`3j ziL^;&ODeLJR47G6L_3ut*^<(teffVrpL@=ip67piy-t32-tTkIJ@?*o&pr3ta||96 zhPdIR2<7fF!CeBZPKI3#P7A#Yy9vHraCgEi6GrFb%WI9-*u#t?!+rMml+jB@ZyL=0 z%$&jre2Tup_%}boYAmh~R+YQH2-Dq_2vyYM1K?cDy@6p0kfZ5X8(p}Mg%>gXB=wgx zAV};Gn^!Utvo)e$-$0Y9h7q;~Ng6EaDoRWl`T*kb2!s0=pKzn!lcD0T7Jm(S9td`o z@jWZAHKl3jD|4NcVNx=vu#8~ds(~}pgq|UPvm|6o$f3X+U1=fvZ;s~kA_f69>CL%5 zVIw5vO3Dio8Xj`;`56dHfRQF0o$94glJX@LP-4jKL}_Zo1e9#6D;&W|(-$*zF@d`>@zY#Lh4_ zCCNQ%Y@2+~&J_EY*vHB0kjA5e_k_U>!%>O#uHh5g`Td(G{7K>S zi8ISf3t7hTAU$Qq-Z0$n0vS)sc!mZyfQBj@BKNG}zl4UWg~AsJe~x%{;CM!f#^dLh z7dTLh&3iQTCtD(Ksk~+Mm@qazB^9v2XSo^mJK+yl-19PCkg7ndCw9HqH_57Q;)=3HxeZ3|{1g#jaT`UyC3+KS#>^K=n~i-WyqS1g>=v@tco(Xv*A(SA(mv5kpFvOkuv zL&DA=WaSn`AJKeb!UOxg@Tr8)Bkg{9K9x5t5&`^Z) z1*h_tW=ucL8+&DZC1al%tsi1-)5 zzY6}1Fi)@yc9C|!8$ISttiSHH%-bcJW@i)|pbAz3Dy#(@Sf}03FhcF{fOipl3 zjh&Mx6eIbIZ7#M2S>;C>Cbv4*;EF9h+){8W!L14NEX6ZGMqa)<&+wDNCDTTDTjA}9 ztL}o=RhXj=9eYgJ+0*ak`4VC!#04P-)hazS#GCMV6)z-6NR*I7fmc3CW{tatgOqH_ zrXzkIQlz9xNu$CY&Me9N+gt0 zP}1Yk`ZdC(JVdpS|aB^auBZ3AfMm znLbOxYzcEHF!cqv@w5BLT;nst!{9vePl}&Uo^9LsA~_!;s_RYeQ|27}2YNb$7md*7%)me3}-DUnKrH@+`u}l;ZV*wy@ZY@5gv!iHxN(meF885*)JO zcs}&~`<9zEHQ!s$%X&f93R)}@*drvvy=e5L@WI_m(JzU9`2-p_?pKVS80X_&C3>~! zHKh4!ieGNKsQrc)*K9aqnXl2K7ORL46SFye`hbY4;I+MfJC}YAo)6_=DmPk=KRHHv(T9JnCEz9~S(L;3I^Y7IefbKdw%OpL{!#2tVvmt!6^9K*7{ih+*gu={@e+Tc{UYU8DZf!s z(i7qn-0udrKikLuhu}X2|3#Q*r7z%oYt7$gbqvMaKeA#5t2U3&=MJhNC*xOiI@}&| zrvg@?Ixo0lfHU&Y+`mrU*}VFhUnU&&m_&GRgyo}on`D(p)*n)v314P zBg?FhO~iZrvke}~1Y&XZ1ve1fFu<6eKF>8W_~o}f+*oiE!RHWWG0R4XoWf#Evfk8; z?V(kqnT+N#TF_v+CnTW5zOl=e`%G*pww2h{WOa3*kEdGejjyxUr>2egw&L57k4~}J z1lQi+we>uFzTjBFaR#TQ#JPBbSBH}&L2#nrB*IK}B8IU`HZ~{2N1P%yRcu;d(J8@o zF!ud$UR@yeLa`T-WtoKhD?vY~LVb>Wu}RB9Q%*-omq_YFNd-J+sn2ztjZRtQGx1W< zmx=B|nxz0fu*t_@FkKC=*UaPHgkLVaJ8_;DY_&=rRfu6OTn|$kbn-jgQ%Wx>y{RyB z5)u;J6~;F0>DfMF`-;7iEYn_EjM}A3H+p9HRHmQk{-Os28k2-!PX`)Zqn}UuAkl+G zUqw1998t>|V({8ek>PWj^NX1P>FO5#YE4bnVDAI5w1BS%R|# z=MZLwU*)ud{>v1u&sHc7Wjx`PsPE3XjmE27;fH)X*2emCxva+j35sqj=yOie{qWRlT; z6ft^i;2zPFMc+%BWtDoLqUCOi@smU6)BD6v6+ewU&k{`E!2W~x8{Rj(8l5iu0pSl4 zXY^6$^$`HFs(G@Wlr^6g&y46O@b%PFW~7IMut3JsGM=HK{osTr z&l+5#8Iy!WEfl;+@NNIx8(Vc5k?#pBMXr*cE}z zEeWn}`eo*)!;@nHV zCcuaeXp}c$LuW4>mhg>)BNVuo1+Hj<`_|wmLu>ALf{zORo-h+LGG`n|ef+`jFOq!R zKMMaz_%Y(#&%%+p?q_2=hr8`BVt*C;TVQigwf)`Lw$*&Re~A54>|bPgBC0vW{cUu7 zXbt&Cbj($%#v>Gs(OK|VcQSrP_4rdmqg(~7LOot|Mbg~G?2N(@c&I+b@Yr9l7K^JS zyt42r#ChIk=M5j8mxbZAG4#GEKm8>m#+@dms+7~I@DO2SPSnuQVqDFHHADRFR+msi zLQM+HMu*WMYZ==obWuM;Y;Cb;l2rj0j{!H%GB~%cPe~oYbp_WW%zRA2K&Yt68~wx# zPuIt)a@PQ1x@(9~QKNG``rhDIl#LIBr;o;hn+QIKFpFlq6UFGeS-3u%nz1w-)Mhf8 z%V9C@r_$>De}7+lp;RmWQ-B6E&3# z*WU0o;lciV;jzNwh%@P&W)aQ4c*zlO#)`@Q042ysl#xV(nU42m7;MMjE5fu0DS}f4 zrxE^F9i1=cI+*lAsH0yX=|V{tQHl;Lo-QsncyBnY9R*(^xD#RC-1VIhikQyEuejPL z|5EXniSI(5k&g!Jx*A+L)5F~aUoN;iVMdOxGx3VB*!3{JZ>S{p6yHmHZ{zVehXIe= z6~_M_zANb?zOVQz$@A*K$Sf$o(7=;!!Yf;_9*gTIp}&Ly6nMBsm*!&@Szb>A&A7hE z@4_G%gJoPrLuDj}RzsC9#|<%IV;3(Bm2kC$Ybfv{&o3(&om-SuhR;#1HKlK;f?g+O zn3N1Etk9r{%Fn}eC{cwb)2x;SenVNZvSsDa;x&Ld{Lou!xY6}K!b&V|gy>w+d8D}? z>J68Nl4qm|e}-D$C<*xz3MlZ|;CRK1CpbplH?R6`{27ZYk~do37*pn~?ej+;7^9+x>>7OM5`tgVebD8j}-8 z2k+w_GNpe5uRJW}5h*jMaA)`!hT3Shd(?ziLw?Pa@R)?hgAmQ1fvW2hCOi~c@@Gky zEnyA?-snn;$GN%2b_;_(&lCHk*!g5xXvL;rqQj>QzKN$C7Pmm~(}JHN%%tOL#E6Y3 z<(@SmA>Z%oLJ5l`JV$}I4CG}IhP+s8c>7I^9q}&_zEt=!;=FFhkL5@9%Z+Zi%t!vb z=odtM+9Q$IKM)bO3p7h-pd-9wfQBIsd{k1{a60GhtPH0P5UK0Eiy`AW_{ zI?T?53@4v0P|`p^k9#*F>i=o zpP26?9F_1r1?~WzP_xi+L%I2bIScc=^P`-f-hz4VKuUnTuU ziF;j~Hv$Ljccagn||0((}(mY_8HZR5fZSaB%u?~y-M{vv#Js}_zoK=L!!jtjK zH}oI!a0RTw1A^d+gjqCX6=9|uJRlg};Cqi(5?)z&72--ZJ`+IC9is=|i;MCEW1BCaJMkY1tsI{PU&T;KcSP_QOJzqksgg6ROP0#m=*Jk3)IzN;_39=GpCDG#H z;4sS=bl4>uUn#s4PZ6IgK8-xjy3)ct%w_I67(OBNNxeY$g~Bf)&LR$NxoS|u&G%wc zTFmmNUPmdHNa;j{rPdoO@M*5GeZv4@mx{eiY!|Xjy{Jq7m?+?y~n)Q|baA_bS_6=of4?~~t0R$p0H(qi&Q7G=70W6utE zn0{jWiyc6g$@kv|xq-%S3YF49;s=Yriag^UT~y+R82ffO9fpd%TI@Asd7#kK0XI{3 zt>IUO)9pIp!-Qu9JQp>7;F*U1r@7zDEaBP0bBIUxI?eomnYm1;AD$>iNXV6tM?vSA zl7p`J#t#kY86`end_mx|F!oVl>1bDIe8EBN6&6<{ezf>8 z)>+18WR;ep^vB4XW-JfYym2zd%P6D49WKW3V;ak4f(Zj2@;P+9gc~H>NP#iWi44CTjb;@66QojlLo(n3w_Qk;w0`y1x8oA0-=PR@EcZ_;5N6=saZX#EDq_4V*Z z!EXuP6kud18vPC45Hj>_!CM4x4KThJPIm7YTzD3?hQ)0Yyj}3S0gjEs7!U6myp%~J z{J!811b;|aC3fZn_mQzzX80t3EOv+3on)DZ#T>>8)$dP?-+HU(KNbI(_+8|AOk=~x zobGco269jiEba>#yJhU5!4oHZi;5li(v@ zhOC;jST3-No#tv8-MAB0VsU4Pt}XgZ(#q3(-exh->RBe-xycK4B-E8qj{>7FKqq#5 zhimk{u6`Hli*6vgA!(j*7{^ClIvN?jJyb^NsB=x&yu~NKrG!=zS_i=fH#pCPZ^LV^HWJ!OXh(qu!Pj7sMVzv&y;-+} zdhGeKVr9kA;)RS_H6D%?#G5j)*zZb$ltd{>RMYjLJ1d9VA8x0hhA|Pn{r=JI!d`jN+&A1NaIsnXJdEN_361( z>}6uRkmXeol>l)tx|*>$6an32TrQ(K4aJ_2=z17C;cOp!PqDqk_9n|Kh;0by>Uf3W zqe^|A_7UD!_?5(&IcOvutB;V=P57&l7y3!)FJS-$-hm2GsYR_5AA{pbaG*&CF7whL zNrNR_MTs|;5g0GS4KcVdyfz#v_-et|5at$6>|yAxHR+CgyKEQe`?s^F~NVqWw{@N~fH<@r-xU45ixLLw2 z6j&=l*_sv`eYEUuHK%DOZ38a@ieCX~xPxzC<=Mz`WEgJU1J!O1Wc#>Ek{%P^g zkZ1I)xZ&aaS;Oyr!>4AU@I}I(BhLNh8Bv^pD*s{=K3U@TcZr0h5|&Zmm4M1`yjyPY zY919V?s>s42wp*$SAqr&W}{BAd(o6PLT!Jgl$WHuOocaT4y=i11EbIVl+j}YtFWrv ztwxyc)*uu;0>f(J$pAm2YENE6pZ3>8uND0|Y33!qy1+GA=H4)VV0c%vPW*cDZ<3GF zlE<%fjlTU;B?VvUVpX|&3t_t3giu+@_jBl#f|meT6D8-pBVKr0!WIczDKL6`OpBuK z9i!Jx^NHUkdb{X%Ni*Y%+3Ec~gTD&(_xA;VAoxSVJgmIcpnOB)zX^GJd|E!1utUO5 z3d|bxOy^5X_lfak!+mN#75|y|UF5X^wxO^D{oI7?gMI^FNZ2i5PY_BA$Ds)V1@)IE zYzmKLdnJ4&VIKwVFF)&b`wcD*Lwz3*d{FSA0AqAmbO$ncSr~@!u;6b5A0e!K$8aEM z{5N`e$ja|T9~J#QXgn5*?zfKUe(9}Z#| z^lW!BRzxRdr%=(afK_-jK$z|-B2?z!tr1S)Q}8pQ*MuvilIY5!tB~deo{f=Y`JjTw zn^R3063V~Rq*Rr1Iu+*UaP)IU|Eg++=bq{JxVrEf!fO)ucX$pPf(mRcGvD1hRaqj__ItY4lRgvq|}vCj|$UNSTtb*TF1^d{GkCpP4$I05Z;hDPoQzA zm^s(T=oc4xy0PdcqR%1C`<%WN${SvaDXU#mb9RJVX)`&^<+Px~1dYqZ5F;3-$MEwP z`%SbI-b#3D;!%wQQ-Na|IvnToOc@pmpEgq3N@+)hTR;VZQ){$0yddPz`NCs`#}Vf} zG#kZcys;$}d}^M9qCL8-lsPUzUO%(on}yuzDEbo7ok;U4 z@mB^O@9xx#A>H_g4>3VVQa|zi#Sb9Qw5s)%pGdHB-wvnbh9qLu1q~uE}prXBXd3a%u zX}FA^`YB?<;)=wN7C(l(_BNTb_!_)D)O(5rmk2H;%rmaIASWM11iA#7us^&L9VcPD zgfa>&$f;S@bQWb>G1B zfTg zIm0^n6g@BJ1vx9|a3dq|B0+DqUNqscaGY04cuB&`6xcFuvnTy)@Mrgm>8E}S3X5AM zeYNy8)LUXLzPia7fvFV!JpyzzuwoA84IDlkO_I1tzH0HU-=pa8<$&T_tN31Ld`!;2 z<1zgW)2E*9cYmGq_0r#@UWd9ybi{`LYjo%h=69*${f+Y9lD~<5D96Jv$Z>A7Sq+Z* zM87R-i>$4*cxO*YNsdcSaPJt-!D+a-ZNj$;f0uZ4X(hzD_Y6)C*Y5j*KM?$(!D;A~ z^O3>zLYe=u;2nZ@66VqOuLR=UCnmfd?sK0?_)Nks3an(LBx0OTV+YM*qLJ(`#O@Zm zhpet9z4VQ9UmD*pyb#zc{wwkO$a7F||3V-&CI0vT*89yJb5NT?_aeCmw;@Z-n`WSiBkd-Po!uy|B1H#QrJvFS2aZ3fbgGj7`S4 zKxU2(ne>m$m}~T)fl#}Pi3=0>EiryaPY%0tv>m*Hz$!dv2(L(-yNm8!@$M9Zk3Hhy zN`fm3t`cB0zooiU4enIS!>0+ZD)@B5JTnqwV>zm;t7iOC{ELgLj(=eCFNB!<3!!-Q z#Vakq?XDJ9L@EE{YtNq{zP9)?$tU3t|9=_v@1nx4d@D1~ve-`xMOYohURSZ#W9%H} z*~}Bi_deU?9-+XfFS&u_hLm|J+K|=BscCV@vPR~$55rbBme)kyIrNxiIQ3v)up#5C zcg1Qfu9^7e;#-i{8HMxWTw}NM_CU6!*j8d&2R0txfu3hb@ z$Hl8H-tR?wvx~wRc)sjd*>SYF7qQ9FfsZ$Se@Iz^_(btZ2y<2_CQpBc; zO$+P@O!?fw*lFSA*9BrP6nha_)+W@y8NG2)yS&(xb)oUTqm)aebfUtfv&PP^Q#%{K zC)Cw16@QudF64RjaQs=<)!>)IGgddjmkaJrShbsyf}-Nl?2P4lm{R*)zq>u9^pet> z3Tv0@8|*S?UIw(IlLogJcYr zaaAx_qle(!@*Yka9n&gHXyoh%@EN+D0T)}yS`3E+!W)>BVawAQc8=6>0NywK_ zK!MpgstB_*O>l*VPf7KODH1+f_!#0!Ol(@5a|WkzXRx?p!6kxA3G-FmzY8xn*0d_2 zR2nC3ytFcEtZQfCYz|X#xCtihJH#zvTh~jvLDG$sxF2X1=L^@H3~w6FxrxGW7Jf^> zqY>)et%eW(Op)UOMfmN)?;y@>&Gc^rUAYN+Kk>qy67G_4cM!68(Xh#Kk_mNx_QE|9 zCQG=N0`G%%H&IF+93EL=zf3YSI+!{X)%ep2v!!n!ZSqZgC0Kky_VyFl#IVxI|Y0^YMeYwU;JJ-bls zBC*c}HW{A=EH-xXB+o7pyHxBlvdqiG;-XT#S1xwTP1xnU@VtZdXqeNgrxgr%)i z8$`VzYTH87gy~@l)Yk$}g`pAFt0iiBST|0?)5!YUH*IsNa(UJ)LF{t)}8*uRX$G`4>m`y%rl zi~C1x%(Z&lK&W_=(l8Ghend6)I=6ea0#@N!Lu|#s#$)EyQ;hxRLeEwbTUl(Cz$RnZ znp2HU4@J#sVylWhJ+Sz;*i|$3u^B$z>SAk%tx1-((4>SoJAk#!d1Qij&X7}E&Y5&n z9X{dcAAf2+%j~}4@Yj)DS9U$x|NYd8FQCn;7oJ+{%W5F2A+4wgPjiiotr#m@_73xz#2dSttFX8Pv58`njKy4*$;Q6OdkfhVv8iIy z0-Jyyp&g9vjTdoZFA#g7*o(+A!T5R|-#Ht6X^MwC3cf^eC&El!0=|jvY;3)7U0y2o zGO=CADkqWwcQyE-&`8=%@a2NL6IR3+B&3J2AE*07^c34mY;UqWchM!v&fP1_sZq~6 zedP3&b0r;a_;_UlEfwh|wGEYxevK2+_Hs^GGx1cpRUR#{PAIXGe+67h6Dl;mWVAS%g4c_*wj!H9&5_FQm>4YGG0m<6-LibGbb2(UxsI|7kh))8_Dt- zLG<`0+LgGQOn5y+K2gHW5^kYz76d-rC8&;Y;@!^OYI@5~etWk`zg_wr)VVvwerhW; zNtBz?Bz)<3rZZZkIxc5Tlk!SCnTk$VOoN@hIj7g@p;0Z6h5Cglb9Bp#Mcab zSLL2E=Y{b7=K?uT%Xx+lYjoiV#kptAI6EAmg)$b&c#a11F&@txi;X?d-lu4Z*rj5Z z1vUXU_vOakJIJ%oi+w@t3bHzw@tD2qMT1WX*Y--mFA08`FcXm+AMai|<;W}`Xb0~hzU=q;kRlJ*yBR5O3agg3&4x=q4%3GY&1Nql@(uw=Y3 zFsXicm;Sz_4#O?}gDvG4f zjlF-7kM|3)yT$GytD}>IO6Zpc7lw%U3jRv)KEgWexRviWcJV_#;sat2iaiwA6dcH} zjlF1rXAg`0M(h!?OhjTF+V{UTc+hno{!Z{w!QT^BuAzqggRx6PuKg(XC$Y!KGGa8` z#<`yj{$#n2_!q&y3jU2SBTmHy@Vl{N7JBv%v44vFi!39KPsQ>0+u*Y=@$f%_W3U65 z{R^QY#>|iIWc-NAoP!}NDqt1r<6kC(k%xT3UCuc{M}RTYY&Awm&6x1HPgpY<&1JNp!3|)VRW{R|Yxsr7Jl;}xE8(q)a|0M?$Ui%u zXU2rkb)t=owldn$U~Qa@+x|5sUgY3pZExaP;aTK-iLnynDC#OeMLFKsAL4zo62vBo zO)?fGU$U`7LZv!IY^vBavOND{<4|4dVDK$mhs9kW_(H)K5!MxhvDz;-cHV=YP*AG&*LQcxE`GvLt3p%%K<^ zc~;jAUKEb}2*J66^9b|E$6<2jk;Z1Q#K7W4iOm;VKvog6idJZFEvAxik>JsS#{?Mj zOQE`M@PRQNE*4xOxRfwck%m_dV~y?fs%OWE9WS=bSmgTzV_SvCfa}HHAoj+&gEN-UQ$HYD! z*titT>1FJIrkBGP|(2d4iu5JfAS{d$DQB7>M#Iqu=5k2a8)E z`f1V61e!I5Sof^apN1;KLeYyvKS!E7i0N0|Vq+ifp@{MMu-K(ymyy+pf&=Q78~jSP zho2Yxg5VW|88N?ke$m)wcY1cE*q6k<zt4}+;_71+h6P24VL=h}TQVB#2EEn-tiTxI~w1?Ak|Tw73+kDtD;}(_I?EC=F;$?|>gsygPcuXmJ-{ zRk^zmVY<5rq1Z&+elNz4h;5%4qs4W^s&aP;!gSXOp)N60HPdhjbjI%p?+|L6mtqxW z-$j`2x*!yenpYYc^t$4Agb#TwMvLo)Rpst-gz2t3LcL^-kB!aFKx<|XtcdvW=f!Ao zJ+Z3X^+K5LdLz_fiH}9I#1;4z!Ab36w75Q4g{gNDV(MLl(T!ttPFCJ<&G?;;b&*ne z%1JR?TtBQTcl{Bjy8#H5GbtF#dLVv8?Blazw75Z7g-STWbaxd(dlpV|L+~@ATX%}l z;)Y^Xxw{%+y1NG9zx$n?_|ErQ{56uV4*kxqlRQjv2IaG3{=Wxly)WfA5t(43DCUKy z=`5@&ci9NjT@FG$9%ua5S8+Nk@tIFMIgz0V!LglEE=$z5z;q7g)=n~PTq-(~U zuoVs%?OYYMGY+dTLoY(i(2GzH%_h^h3Hyx|W-2({I-Gc~~s#LV!K7=0;o3#TYGa0alf}rxB*RXAp{wPl$KV z;zz_LCdFuR3$d!)Ekc;?oF#BO|9(4| zkQ(b=!P-b_6Q1H$Nm?yw4W<9Y@Eu-ioO>0&B6wb9ti$478^$fHMVRhhM;PT#9NO6N zBVtbvsac0rItIFMWgz4^Ggi3NEDx&Y5e2)`oumYf(Z?qjSfcRLWKyPXK5i18-z6a0wS@~jvw?o+HPcb_3lce@a( zJWWoH3lCbKV_l?loEoFWeSuZwZa2bow+ErplFS_W62Bt&@RS%WZZB4qyRQ(YyL||C zpF#Zp`>3@ae~sje!MeS*{^t~x||wvY6d49%@n-4tz}NLa5&G9Q(MlN zbd>EW$*ANTJpFXPfjWZg3a)2x0_Ma$+u&!zbzNU@1HlagoScBh+eQXIHQC49Sa1`; z=L8tDgT=X~2Cp0A;bwxH3vNM}n+&JCJJ*DZ!fD=8LMsWaDO81U{6!lEcsCqjbQM6pSM<Le%aNDpTU{ede|J5fv2gpCc5X>S9&78-_65Wgyh0%o(!qb!Hhy z8_mSZ$hm&Kce3PU%gLcr1Ahn(27@o+04;8~iDf|?Au(5C9>ppU!#83{ZloDocKA(= zl94Z?fCi6mJUZwV8ape&vqfS@iycFj=OaFX!LU6B_gdlMV!1YU4Jg`qNq5q7NWVq|G3iWh^sHY>0jsV!3@FU92+VyLRMZ7e6+DeFb0s!Z9qu<_ZOF#y5+0E7U=YaXINb3bGGWbg zCutMzVXQ($9U&^}2$hYAU?0VgC>x*4@u`_9_A#-KlV!;heGT-4(X~QSW{I9HdJbt` zQG9iroZ;pgeqJXZ`8=#bT^%9n>IjANB`5|vdJ4azv`njZl6bcOt597>i0V2*UEdrC znqS*Kixm-naF_j*^ep`;Uk#z0VCq>fpScTd*4SpuV8(oJsq-nm9*8;)==Xq=r4G-zP)P7JK>6dP0Cs+uT$YEsHVC% z3|_z3Cu^PH^@86tI29Fy4F+Gd+`}6Mza@ARVO}UHxLs{FcEo(ozAbi(*sWxliugpd zqP=5qe5jah6TDsUy9URhP3k>^8;8e__XU3-_`?8W)I-$e4c--=`#u)DL-0<*EHI;j zCk?}FeqzR;Q1W~#<1-n%XsCoB{JFui!n5rcf_DqvLzp>|h&NPU8hi05pCfz4ekFDv zSymZBX_AB*!hUle3dP9*IS1t&qNBtR{@UPfq3Us1@Hc{w7>sX9-M0oWD_!PDhaMExC&wBNE(`QPc^pDYR{e~wyN0E$ueSm6&>fQ89X%HR;vrHA-E>t zQj5BE{-Gt9Fcvw%LmO6s#3a)2x65bG;ZSbw>9phuc{j32h~`qfiS%;{QGiv$;Du6^=L%SlsziW2MGX`R04FD-MWnOAS<^gxso={5cOlGujJ0RVu4d$f+e|svRkS{&u^pew?4%3f5+^E+Z{Q6R#q&|ZC3ciwXl!*y0-B=egv7gxfVh4~_ z#PMiw9cb{RMLyy|f(Hw}iZJUR(W&5u7=9=m{-MIJ7JdzJ?&$Gn#CUhDId$9n6W}^I z!{lVpVcPlZoM~*?T%VjQtU`M{LbS&tj99c=4#$t^RBXM#vm?ajip?X-{Y1~k1UJ&) zE@ygpl;C{91p!V@!m~)B!FBHQaFO8Ag2x0nH9jr{!-s}s#DyFz7F;5@G{DK6a(Jx4 z8}IQkj}tsza9My8(@@EtU~q*o9==}i4T5hZ%nLqI0}9+^^ulmxCW^jU^ev>h>;L-r z&7O#EHT#-A{vh2Z`*zuP(B{MciM{1qxkP7* z4MRrGllG*v`P8_>Nray=c+~CO0=BV0@Y8~yAC7kaq6%_f~c!Cy&lOWGo7D<$qNyTiM8 z44ymC@9j3h+XcT%nAwfL+B_I=f}?~DCF?1y9-F}@LucOMx%aFT~V7Q937PQomx zPyAB*6LV6-?tUugGda70W4nv0#OLOm8}{}KIlJZTp~EX-xWl*Ym~+?gxOzTw_6q+> z_&(xnaLO;r(8uumjh}e2=MRWKDE<(6o`3PNamiWkYootygOym^VbR}+K0=yJvV53M zv1ie5&1%z05~}dBj>`I;R@g?S`@!fVVH-b+{z>#P(yVOp3P-zBvHRJC2fp*s|03a6 z3BOU`VPofR_q)MMZ}a>6hu}X2{}o{LI!|(c8+-}3h{gRQI3`O~c!WB6I9t}q_z|7{ zZSs7?6|f3bc(E19@_fKpW0>VD8o~G!bLwwb^q7HHPGvb&=roG|Q{$T8g|9s)G!sCeZ&c-P^ z3raD9bdHNRW%4>1_%0Qz%3UJDbeDusJFGT5q$n9HqGNX5LC>d%PZgg=o~Jzq!$V!( z;MZDs_yWNf3ciRib2DdrZUzV5z1a9o)&1^v6n}~MPULx^TlzJOcW1Mvt@B&C6syn+ z2O)alAXL3RXM9!;CaA?p)D^3uooE-f(@npau(cCAhr{G?KdlS|f zm&ef;kwsUSQ1?tP^pVh4!j%-b*U_9!#V+0W=NEXspZNab2axAE#NsX04K%uKC%?CY zL=P5y6=^oMuyMSo5Cg7`%`4^*gG0>gvEF+_KGkA5935+n%R4c-)ff3Y?(PUc}9-IxRU-}GTfBi z3;o7MNXeCwM}^s!$(sqXd!+II+37biN_@Wf0`jbzaTA;m62qqR94IvH%dnXuX``i$ zp~jLE^BHIJ+~iQM&YV*Z_)QhdDUnl3hfk2XWg{?mEGFo6W6h}3+V9Lb8RKP?(a=`# z(LLrm$Dpo-Zh|?(!=2@NIXB3;kq)aTsc|Rl&P^sAUFefGQPRzlZlP2Gf5^_ub+_V2 zbo$r(+q1V}6?)?!L~k5~Iw;XV>RCLF<)*BB#P7$QQtpy+Hx*t47-pG+-eO)}6ULnH zg?l7SmT)hHlPO?0PD7tL&!hJVoho!1QRXUccX=3yIxE}VZ$?&@H>S&YK*obKD!@p< z2Lun{N3^rMFUKk@?qRG#8$Uv{@gvj`Kzmru2$hMLhu56RUA!|>&SP>Or^CI?!~|3r zS$c$f!h}aZ^};L(vn9--z{8w_>k;$iYRu2M=3E)d_IYxilrx_WHxf;sfQGWCOn7dI z-|Gbuo|fO6F9=^joQEzhndJc{Qg$zz(YdKNR?2uu#>+Igft=h@jx+O$ z;T0?SeO@JeweU5>xdE^onHIV9su^E)^2Td2*2;LDMwCnFZS;o0vwHZ{tP{Lm@SB7g zeL`G(T$G>0w!*_3ZWir$v8Maotx+~wrB#AJMT`;Osb z@A6yNCVac_cZqWgiShQ7|DGwsQBmaL-k0)$ln<%s^ut};@h~8tJ~HQxiawt{ma{|7 zPC8LO;mQ3IgRco^)2D(z6TFKs&(*}(l(^w}*vRK5th`nU!ho6*c1ze31SV)yF`5X! zG-2vNFYJ}@m4tm1m`RBVIPv1$e#3j=UtHV){G;3*M40XlAyg(MCEz1K6iT>8zs9<# zAn1OBR}M@0M#>Q?Jk}UT+#BDT(W;uyqVHrJmGM0d7Q~#QhC@LY@%;P2q+_vO`ccwP zl8#aG=O4ziF?ew}|9%nttKi=Va|>~3fwyG+Zc>uH50Lbyq`xS!mQ>81z8U$r4He@x z@ZV)Md*cq z`)g@2ZXV~E`+I1^ZX>s?+;((%T;gKmaJh49?ae6W8wM=yd>OGa;(`&~%y>S=oAGM6 znn!3!{RQGaiNThXjH)3 z+>!!!v9TAl@|o39>?LA5k!AUY8Fcy7l`91A;4D#B82(^aZUM3N5#Cq$ zmB(=mREy7V4c{5?e!}|;A8;H`B0kXY3f+9{gM<$je${b2nfMUHCkK3}@T-MiV|YBe zdBnPF4gd0TANzH}hY8O(j-!P#)@2%Axx2@+gl7xSIgTr5h8vz3@Dajuh36f|l`|s^ z?;Y?_!t;d}9LJS2g@%s{c#-hY!p9uPl{3!pmjYfayhM2EaXf{)I@a)y13pgpc;RJ+ zCnzx!48J*)ch?KQLHLcwaV6#^!?y-}qVSuA-*OyRVs16Ou$RyG+l1dP{Ep*z8q;2G z_$L9sQ}|uN?4YFvgmtB*Tx@gB+(N;7@1;n<&V95pX8~Mr%|qf zKWO9yJl9&i>3$QRXzVYt=@K81_#j0VXK0Iw9_fzP4IVPJZ7A>`mima)8B|Y$nxBEW z<)SBj_oz9e)BNUU%6UxA<8=N5CzBJ~KY?G-&1?GmSck>U!m4sN8)3SegHR(MqCqmM zec)b%(L&YJh1H$8=BJ0J$a(Ugls})oa+K4csp0vFp`SCT|Y?6BbB*TJkfL zS*Ye{Z2L&1_pEtOp5pg#p}a-%p8K~KYl&TK-rV3Vk+)Rdvf!P#v+Ovx+`Iu{C!d%1 zg1i;~dv|16ZVMII? zPCPoVnzQFE{0WPDP0m_5uhU_RN_Z7rY#%$kVdll5fpwkC^)lb2$-9Y}%%=?|T@s{? zlHQWEiBiK8rT=$FH(M+nLo9DAmMw~9D`Vj^Wpq|px4d^un->o5Hfh_Xy-SUC9pq2w z$@iWq@tg1$Ebe_NA4vI-N*$~XI~jF>K(T{`=ix`@cMd82SpE+AJL#(~s`HnY`^1zv zA(fv>`Ao_#Dy+f9M)eE#x$z@I-+(W~?-sv@d=(}2-D*7<-VX^z$jK6>L#y>J*a`Zfd zQ0dQ$W&=JMzoQL|PxR@pfK_;&5nhovD{NWA3*0Hjrhnz5t|Ydy*eYZzGKo23^0M8j z_!-4q`FbDoX;@Y6sv=Bxry~@dhc3!_uA0#$Asy94*AQKkG}FN;FKQWk?+ZR1XNavW z_Dr(>!5=V8d73-R;A-c3xQ^hug6k2EBF5JV#@-Mjt}nKM*oMd1WY@^p6@hImwu#tt zjpskHl98otMKJ9LVS6QP}#wER`JHR8SIZ>g4jf{No1K6%w5KogkqO$ z!sl0cAw@!}gft2jA&e~IoPQngGfK*($)3IdtMCCbLVSRXP)Qk?k2fI3o)XxOVlNTf ziL7$PW#ys+Y_aQX!tY!CeqJi!G6`KMRKy>0vU0Mnb6xQ>O3Krr(We_$;R|Gh_yQTB zqQ|5LY0O90!-TKGb=gxwFA2RVuvEm{S@|4o{tDxN9_shCkNCdguO!d(=c0tr@bu{> zJaUc~`bp?7VE_f5wnas`ZlJO2L$(hRJ6P;hfyEW?h8WxDVIS{Mu~&<|hHOQ|t15`Q z7C)nW*%<0O*I^aDQb35W6cFl4E5I8Bmuc|eu0HB4!P$ay0vwx!3>RIJwL+8RL44&7?!?Og>7Ca}waj|H?nrrZo+8&-K_({R@30K4)nC?vX6n;i~c{rqd z0aoDy1cdki0ikMwd4(vWO7cdiO#|N{m{u*pXXQd^i=;hAjmgJgE@^JD!E@P~iN!4u zyj1Wq!l9y@S(+EkvasBw)}i9}yrdT-t)Rqe3T6;3EGo#$!W6+~d=`qtl`>wE@p3RQ zlX_W}=J$NXj0ea1y;vnIenv;5abF+*My$eI!3Z%|FhZS0<1+At6zX!D zjn7!*`M1Sy5xLx8Oa5 znL17|Hv)T!R=qDx=@91=vscPjQua|%VmMCCeuI;Fw6VAYf)5HlM407GE}p->Hnw?7 zAMs(a--tazmTAFTto$;}h>U~!ttqQEGjc@#os^?ezNbbzIq54@W^0)i&_f0jp3; zmr;?14nQ(G3ZG)|dX@uNTqVJk1y>0$uXT5-!S9F5{4~K;1)olsM=L9Hw5w+9$S)Ny z=I|0*Lu^g5Q7SN4S}lW@gjAd%xVGRk39B@~h%Uv<^|MTv@r#eWj)b}r>QP|q#ihlW z?rekiKj^ctzTgIe8xpPv7{zi*hHGT>XQ5bbEV_y4b4W8SIR$y>4~AT6YQnbgRM$*G za|tad@IuWP?anpynk`s^#kCaLN@#1MjGH|r3P<35#d#*2GutP`T;Zw{r>rGhUL+$F$; zMJSKD8hn30zmMGnUoN;iVP+w&In0#Y!|0d7<iDm%PFIy z;wc9Yx9mGsw*tUF>c$zH{h{Gg17_;%_0(`$F^%7j1lH z?p9OM!b{xSq}(p$4l2BK@lq0R+t{>KZbnLIHMvv9T{7+t24;%QDq$~IH_41As`wN1 z9vPEm+)LvWY@;}1EH^L(zoQ$^b)kdqeOQG-fe>O)AcV?V^an)jxjDsn^uFJmW!L&m zOqcV3oCoPJr!ZYTzK+dz4;laCuUL)6JuLna@iPLCuB+^v=^iz{VqG8qO!1G2f1EtC zsko>h2jAZ!MNgQqZ?ZRL$(Su;4h0X&9DTPn_L@klB zRLU|ce4)e3A^|5Nb1a%7*u)N<@OLckd5JGbTtSg%J1Rk#x4sy)e-lnE^;=pg;Ux(# zQ{e7rj4jIJ)$xk)Gv8zMh-#Ji)#BHX=NqHwv?|Uk!L2sx66anu^`>x&y(V?7)Yqx< z(d&4pJ{=~M?Kqv^F!}qQKAr0%ub2Gh|H>zHTijsscR}7L`7OztD03$hVxvL1Hyi&* zxcR*;evA06B`2S-m3PeAeh&VK#ch+dUDms_SVqR<)5iCVeIs5d+V{nNAofGD ztWCwo>-`y@tjpX-Chbe~(#Mi^NZLt>yOEL>?Zzj@pZ>JxKNbI(_+5dIjm8FYpBw)e z%Umq(3-P39ur-BX>9Z6p4}_~5&x_B-vS?}&((_E@5Xm*}n0thAu*=3HZ|HTCIk zDYli^)?}HLSw#it^TNsg@VsEo;=|r)Bd4vLc62J?59)M_6Q?~^MCZXH;dR&fScMjT zglOSMC>|eEAbPa&8-H`?Y?dHCQG614oeM5!oJ%&i*-t((DS}f4rx6Ynvqaay=nFb| z`U24xioS@nvIaxpUTkdZ#-8mc_7bt3$nv7k#&9_LSfR5Cl~3~deyN1ZBy^#`4?s_R zPtE%dT88jg(ADhz;pKEU*_X@iPMbF@J|-26)=8a#fi>8fwuh-D;d!a2)Lv41Q>_HG z41Jv9FhuATSP>nN8<+Wn_Q5KQK#C9}kRsGwJM@}nB6HDM%cYz6SU8gXB=(m$fFjQp zd_kP`0~#?&7ZI zbFXXPvxKzRDpFCFkWiK=C23E)ic(UDwC~IB^?H3~-uZpM=a2K?+~;#XbLPyMGiS~$ zm0X3`5n@LMHUr^~GPce0o*gZAjM%Yct18@B%8$c=Sa$j>ggqXIFuy4Fm|qloMLLla z%uO=5eor6xWWiGe-%gm3j!VK=24joE({h^F>0)ODHUr__VQjY$>6v0@iJeWB<$&%1 zcc;;#!yPb3^j)IwCe3tCj7N+6JqF)&osaUpg69gJM_7eMO0k=7Y?n};E)cs=?0tdF zK)ClC`&fwb17a76T}+k*Ongd-?sxZ~2{(kmmq>U>!ow8U#Q_COnJXzgDPKKeW?5(y zUMh2$%tvYRe6czR`V<+wD9xYma=|MEuO!U#%>cW~*bBlrJT7*%*fnHBvSWm^(W64L zKOuUZ=qE`t8W?bW)>J6cM*m=!-&k5oMf{ zu)4-e#?~qoTFLDe`?A;gf}RJv@UjU8vS-i>$gPj5&br4 zT}8~M@{X|?AxYj9`<~eM$@01+bLy234Biull6)w5ui%deGaAXs>~sCG(c{B}c%O*g zCwf0=MFRsWJ~ehuh{k7P4~YGota520;4ciW7FuKu3jR{?A;KzO6GICTsv=*R^l^~B zmULLs5lV^;W|2E;>`fsy--taX_BdH3N)q624gPM7znCWke<%2R!i-IF(n+!T!K5Z3 zC4ZFklcb+1RfQCLGbwhz;6SXP-4c3Y|B6GHPZWF1CyITn5g1bu89F&c{!gKQ3H_TW zPc#wZ+W#^3-2Oi9|B9`Y$6!yvUeQQQi}`0}kj;&sK>6JMXau24JzKi%L# z6&^lAa09^&1Du|O@9$?C+%bfFmf*7mHzLeOQc`k7BtJKgpQO$)Wi|fA%{9h9uvh^0 zSS$d0)pKGOGgRHq$KhC7ZVs390$ELDHKnDr#0QLK#x4$N*<9>}VlN_F4ZoWhdcIwZ zBeB5mzFINDmjE1^>RMvo(_MnSGNnFdMf0PY#-x==>t6LzYe{V+wWY)up%vI&YHZnM zo^2;KPHcQ&gPs1Oy7`<~h8Qwm0 z3G6Pshwz(;`?t2(3hg-Sp62{=%>P6$Ilbldp~EzajKKIMcZ<=V)$?i8S9Cwo{Yf)I z=+NlOM!H)Kzd4MqzfJf6;RA_R18%7^2uEUB^JqxZ!8n9|JlLZj5B3T_Htfu08b0T+ zk9-ymVOk>WF)b1HN=y!Gb2<25ENrgj$<5^o&J&zZSUDK;Tn;sMc(P{;#1@Jz3TzyP z0u>v(i`fI4D-l~Nb{JV+(P%+_v2zB;g-jL|Tqd}jFf&blaYi;?=(|btViZTvOXD7cw}gHd_X?gXcphQq zh-|d8&o{PaWgqYYu?xlCN0#>%#wMU`DfZRresfL>cgq8E7Rgymho@SIE+gz6^q}$2 zgjrRVh<`}@!{qrJ8CjTL0&UZ3|2L=Zi}({Zw^YtDIgire9m&rgxZNK!{K!au8q0;R z5WbQ)QxlC#S$S@i(LY}9>BmK{7QKdaHPC3=Lkk>&UyCELd#rh(7oNZ&Ogf4^CLP6I zxrk+AiYqB8in{ftwC{wVu(=IVHcEMliei+38AsgHM!y=0xJ{xri{3(-*Eg#qqs(nJ zckCq zIax1x6aR_D`=Vmcz9n{#*tf|tY~1S_O8buSSBK6N?}~p<{QKmYit1SZfxpRRR zyjSo?gn5^6x!jM9-84~XCHINgePZ{MWx!GNF>#+7Jb0?lET0KJAoz2_3>ZDq-518D zT;bV+V!sr7h%5s}HLBQsW$@YSJp8rb!-9_xW-Af8gyolFq6hTvF=KW3jP#9+V=|7@ z;I;Gvfxb0--E#i}Cxm||{CnbzIYxxLAB^oi9fz>FA8`mhd$32(9_(Y+5mTK0g8#&> zBX1P_)mg=xe1SuOQpf09!$-HeqU(vSPny@gFgvTvoo;aDP+XlMxPjn?0gh&2 zW`Z*fJ{UqiOYqr(8xiLBf0S+LT~=f*vf*>!Ip*&UMO|b0=gL2ies%b2SY++qosUDY zl-(ZM6feM`sjdn3JzZ1mRXC<4hHveznJLe%L0H&ab14@}xrhoA3w1M`|HVe%@SsoH z7NT24@xold$s==gMe zkYTr4cNq@FlC^P5AO7Vygzov+qkBH~I%|AGD2t+P>PqAPxX=GW2k{-ncOuW|Cnps$ z`d1l#ad;c=EWC^GtBLa!o?r088d2^VlbSB_zj3Xk>m*%IiNC?-^Js#*!SHUOd*O}3 zy9)0{oRzP*H2Z~{O!+H(*6S{%hm@PC@WzNw!S~3X244|c2zv?cEw~S1iw=eh8-7iQ zPG8~ug!d=TuoIFI_N@lD2`_uM2_7JLAYrCYQo>0MkAqBdnfMzvH(1gTNf|*(Ogu@- zG%2T>m$D>fONvn9S;VC&-{lzoTS%c?;d#RIiL2<~RUT^aZ5{jtD-c{LxQH-so%qC9 zV@I*^jl##e67i+thmmL9H(aln<;=+QUK%ZFjHI!Y_=Ljnb2rY|d#~~Ac(D`2P9)3Rmzo;R#!WKi zrDa~3EM+z?o`8*LjId3e7f)%0gsEv$3*n~F?=x#25fGo@L9rV6OTnc z+1+VurE5JqN9v_*2_GzC`##!XGBCM=qXQ5*{((NO*QF zm9R|0qZF7xX;}B*F=Gd<^?@%JyF%Uv}Ey}}2-LF`7cPmyKt2}zdQo;Ia@`0}tx%4R8B zs4(?ankKrfhW8D{*E7Pm3ExhfzmObfzwoRny~FMDoRl3>o~OcJNKR1(eZlbWC*UYH zw^R6w!gmqZ`NpNXmyB(7sb_bKeOc@)WLdJL_+Brs8Xvd7^RJ12UHlv58Fn0|&3)6@ zZj2o^_m_z#RdI?J;kirp*rBeHxU z$jo;i8#*Z59iIr@Cv-niRq2p_qwZ6qPlU|-ndk$eKPS!0!+!mRg?Or>U%x4X<9+FT zP|BB54pHF`pkHiimix-+tJ?UOe=Yj3=p&>V^U~q&sG;YU`hdR?dQ9kXqI^a~Mr0JZ zZw)?b(+LUwPVn~u&Mt{!ysg1qLVLlFf`1bHGhv=3+9_GTM2*k=VoJTmJ~F>b`Ay32 zRCtyw0?<##=qjPI`={u?ME^~?I%ss!D0TT!q~bp~6ssuZAIBfCxqop8>w^u|TLAVt zSuALl<|^ZVF?ax*90*szA-o0%K9w+oXWcONygki~4xJ>RJHL!-GOE*HvSTLq8iwBR zlt*g{ttGTJQD$f~e{or$I);xAHMY9K>j|$XNYegz9D&D z)i_Sqb*8}!`JBM!&JujK;6{XN;3%d;%q_;lEI-SggJV8z{+59@eH=oYKK5wS$6oQ_ zvyV+!=No^fRs6*_5#N+NZ#zyb)Xdn1=lHOji@i|nMPzH>4>qL|W+lb3Sadps?zk;* z2<`dUqdgz{*yE!dLl@cUsg()E^L+ZWme58*TMA4c%&Uae!3^GihL2D?!Eu7)3G?~E zu~i!Ql3>E7!(K>~kR&0Q!s!&)BIWG8itR5cre+=VYO2&Usp(YN13vb#BpQb1yUWbm z6+V|-F7FC??ddU&rD&JKuSVUKCfqT^r$7e@9VK+4z$=o3wf(L#wqvf3RA;eW#9mFd z2L6y19w*LSgJZEPa?dKST#G{(ri(p>>0&P>A=y8HoVx+XVoHlpjlNMzS1H}7s2-D! zcRh^I*GRUTOsccO|4w&FJtW;s>7?|s$6ZhJc82uoC9k)U6+%3lU3QyF& z;`@p3Pre3tJD-TV6~|)db8$GI+i(bLjA4&8#<15d9-pGOtU-o%3N^&R!iNaYAg(79 z7CX%}w(Sgm)>&e+#YV`o^oUE3y$Ae=oz6Snq(q(fv7E7DW;U}UvG}V=1-_w<2ud+2IE@brKX6&5i zf22aj2pJ=3@Is>{nLYIFLXR@pWig1mP2j#|kQp z>@{{%D5xfjog(&jvP`Em|9N<-@ei!`r!YY!h1ELp+UQC*o3~j?@m{8AZ0S}t@VrT$aBJUx2 z57T2okm*W_v+_#tHKuf=d&HzaLJz#9l9ow&loGFVW`0R&6zh)}e(hc#x8=fD2wzE@ zXOe{myE3=R=%a@`{kZ7WqSuhFfj?livcj^wERIlJi(|2?(XzR}iJrhAd#udc7tp*Qi>m&Y* z;BA7p6J{O8KiW}6de)2{;mQ7-j2$wbr%?k&6hkEO{e_>6U%;{0seTt)v3KGS7BIjb z3m9M@tDB;tgx)CPxOA$JO!j^J|=d?N8?Y;_&g-&XEF}R_?!k$ zAu<9pWAf$TKfbPy&q48Dia$i2*#}cfy045qa03oub6?{SrX9r|(~e@V*dQZEuwEo~ zM{y{2wu4{s#y2vK$v94fp(o($$G64~46n8)#C|9C`@qJdkHing9&F;n{ZZ^sVt)>7 z624sjVr*G~XMYv@o7msU@^;O^S2(;F7+p6^nE$8fzeN8{npJv@*U8K;WSakD&fqX$ z=U+LM@Pqh3fW3Z!-=p(fW&AgmCSyWsO=-2H)uzS*%|C?e7+!dZ|CPGJ>j|$FOt2znBX93X{ioS@nZV}8? z%}ji;@dHltC)+}NOYxTkz6g_B7ot>XW&Dyb;Hb6uHsafo=lPzZ-Zcitor!R;xoZVqC-{28jFbCshQb?6$r|h9bfc86Qo2#$U6zXJ zw{9|a$}$FyfVzwAA@*jnA^XI;oS=SUnj}9Miglx?hR3Qfb4e@%1P+ zdoiBhsJBNW1(8T8ni=qdp^38nrv?kEJm1G4s-XA?!8-bH&aJY!d3E^NpRK>BC(hcA?n&$g+B$6pzI<)6&!9*e-Iv zNwdS^TMtNDBxx}vKCF_`P_uZ@;I~WsFDw!Kkl=?2^9rV=rMX9p?H^vsmWo{__EEA7 zI583Pbv$P9zg>O6%LT6xypk}>VRW{OOG?KgXU5m$r!Z{paq+9guOZK;NOBSu$xU%< z4ZnG;Xv`NRe4X$oiK`4t;>x${jlL|^(;Gx@6#W!wMkXy8y)RRe-P6W@xYqNV#BUbA zg*+pZ5}$^ymu{=!&1QJ~8R6T6Zx1-udrCkJ?ODTjcK7&m!gmONo;cGnEj>BWy~#`8lGH}|gi_r$+Xp1~vO<55a{ zVEDd}@*fJ{EBqtkysqi-T;=y;qsyLV&1dCW}i;KymSf;XTVeeo*+A!VejqnudJizA`+2lE=RmepvVs;=HcuNpXqpsKM(( zKlN_}9}|3>FrV@1aj9XR)Nf7sEOg>IA>}(M-&0|6nVy~$pUNpDelQ{DIUk`PCHy4e zX9_%BEZUifbvu7Ce99vp|5f;J!ha{uw2x0r#|ivl^plM}{io=^ME@P=l(eLHbSg6X zin*TtS9GO9y)$4R%aX`ut}^}?%fG)~@8K#qgjWW^rxI2~;!?2u-f2d^655=rimoQQ zI_U-o2J3w4X?OC_Nms+X>k5=qg)RLOlufDexj=viwAM zy1|Wk44XSca09^&3A1!fPe^fR8vD{Fp?GZ&d$!m{WEn_8GG?JU$KaXaBWGj5=L$ZL zFjEK};nDl+e50ET^+8`Cx{2tfq!|q?Navavn;ag!&Bb0Q_9C*(GbppUeBH%{KRV0@ z-9mUv;gBO1fi3!Q6?lOZ{g)Diw;41{TCtMS7 z8U{|}<(H1+n6E3%`Exac#}9PCp{cGT_B~xE?3L_E=tF)L{u9gc)w4X?S!@@vSCi$b z;`zZ+_!`4&hf?@j;nxYjo;VA>6wDQ$h$#?nFuwIHAN-9tG}U#*zNhPky@F4{>jz5V zoACcwY_?AKcz5AFgx^e@mnj{SUM9GnMnAIE)4fFZ7Tt%mo~}uV3?B8j7@r=>_`c%% ziSJLI=ZcwbF_zHXYWU9=`QUF8K0x@ufTzdd5t8Tz8NNJ}l7od05uQPumo*MgD3@vQ zzUn^gEWz1=BZQfkkSMX5a*hd4ob82N33(FoDJat;3C32QPes( z5~kSj`$qV%ON5sSA4Z(1j*&39Ih@h;`Bs6=MMam1E+?&2j89;*&~U>iH}rUg@DajC z20SGWOYCC&uHp5kdVI9-F~Y|ZS6mYD8QqOD`ej~dY;L^h38E*GW?T{yG5ch^n`C(1 zWYHK4Abg7O+XIf?sC-|YYWVUSJw8qNbm23IGcJj#@u-X6Ve|#JczUMjS)yl?W+c;- zV@odIY5eaY_s$W2m-xHMGjuklB)EHwzS?T~PyyV>0QeZQx3-fSQ|~voBD|(OAa{}6#dK@I<(I6e?~3Xk#L?Kjy!r?H z4VznnLs(h>dn_%0y(Ir`7t7|4m^3rI*e#W`Owyy2>L4hM5=L**5*Lj_o!~Lk&iGD0 zg;kBEt&p~o8t)ENRukPSgKrw*;l~B97QBXVE&Rb&s^u@N#nIT=G!3m~Pv8)~6=08V z1=#BsP;E+d>kWP*6a^auZxs9#VZLmf{0m9$X|tM#pV%a8v#c$&lp*4|`0rMu2Zjp7 zGorVN-cFhihERcsLoc6a%{e>NA)b@7L(cPbm`r$>q`DUj{&_WyVRJii2%ikF$0q~q z|JM&Bx|eV;mP%)ZAJ{GDWjU|V;SZo#OLVUqJU0|+uL*u#@Ee4At;6g;5nO8AXK$L; z;8Nda@Rqba(%z=VWWs$0`W>SWhr8@u(eH_VpLAu=<;Cs;Lw7vl1O8CxUZEcmttC{$ zi^?@rei zi1_^Q-wn-{t}iU4so{1xsF1!?NQW2_OWps~(xrPX-hE~ExX{k^wd}*PkI+{246PDJ zjZNkuZ0;Me$HX2FY*Jd1`_|Y6;obg(*zd%CA6U#L>3%SFmAxv6{YmW4WO+4HlhUx9 z(=SF>d5Cd9EPfUJo9N$3GkUl~+#km7Y9Cf~2z&H6!d@{!4rtl#W|k8 zKztMNP02GR;L+Esnb92r-CXpAqAw!N^GxA7LP*7njeqiPA9@S%EyZ6#o}q)sv%Zzl zuLZib=r*F;lID4);$`AeV@EIbA-5A7CpMm}u4hv0dL|g36xv-9#V3hRCa>#>%bDg< zjGh|kRMBao(@8TXNob9_%vgRC=jJXKdxhBcWEqoG%r>e?M2-Jqk#M{ji0>%A6M4o2 zJQe}I%IKPlJ>6M!7tvRfR+^yRc8#%}1ADF5>%?A9HWm}E+mz;RFuvV`KI|LCcNO1_ zJZo;LiCE$ppAHO<3wU?oJ%ry(T#14fz@EnbSn7lBCAPQNK4ck{_~ckrZZW<^6VLY* z-%ou1lXwj>zt#ARz~3f*fcSyr8Fj9ig3sfF4DTI!Jq#8;M0f^qMhD%#_&L{Q8ow^| z`pOcYEj~h?*C?9DCrXad8>ai`Pp;@Z(fNU9EfOP!jlQ-Mg23hqL>G!KB7H87Y7HyR zHj{vt?Ud9sTm)<7E4Dz^U*LbTM1hnlkYNmj*CG*hEobcg{rGeE!Km0WvE_kH#Up08 zvAaSeS%ugUVn+rx5i{eBGPW#)J6h}*v10?9jQlXp*eX+e9L9^CAa-J4lhCJUlCc{@ z-kB_RirCu&n~;u1ePcfii8)Q|bg?tAFK?-oNJkUk9Y!aG2i;83vqaCvUMw2a-JQnv zOY||GBla$_cLz2O#s59VwqUazHg~Vsxnk#$Wjzqf}iTd!D2!2TL!vT&@O-gW&7<@cDrON-dvhW>cx!4tASCVBc;?c6`RvFx~xsS!;f>#S(LskTfxzz4iR@J7K;5mt;bdiZH$pD6R}Cb65vZXwHn)6AtrpMJ!{I|aWecvpbc$n%oHGegCE zx8RorzY^etWZa3b8vH}L5BW90uM2*IF!NG;8oI&7mQQ%ol=zFh@|Ki6Qr@PbR~O%) z6~&Y89dp`;{P(V$_vE}!hovHN3F?U-7`-awlMhAj75!156VsBhBKOBe*Xi%$^NHwv zqW1?n8J%;|+^0srFv`=Pi9R6u^FZS(7sCF+=!H*s`k?49MIQ=ud|DiqH2BKsk3yFH zTJ&MjM~qJ3%Ckp}ZWpf8H=>V;J|5_FeB(%W-x_^=$Xq8xe<%9;K%=e&`Uj&kF8A^N zQS?uue-3mSzRsk(UyMG!&eOk&{!R4nq?rj4lVbfWQO5mY%8Na`@~4!)r2I{VHwG&H zsGA$y=phgPE4Wgz>gL$T?xOg3RL$|fShaGrRn2h-Rdd0o1{l@nG8cKhxkbp@w*t;Ijoc3NUJMXt6iAN~oAM7JRPY^ZtWT<2&Er4xyTLf#4>Bn-XTp zR*WT0ni)H)hkqh87ki;tj`0_ZUIXr8V=GzL90<;=PiM+2np^ggM0GKu({5Hy9mCTFfUaCW?s0)*lF#BqF;~L>%?9k z*mPFRjXecj0Wwuji81BQ709L_A(WZZ&xI{r(qj6FflhK*CIsILsnC$k=;XE@5+n z#SRghL6!lhpfGfq245O(&Md*%f+K`^4X|dsRk3o+;qXXqE>}*ToP0XEJn^Y+sIfgl zQ(l4CLa{|;b(Uz+a>WJ@eb@(FBDhrWFv84JNm$ql4}NF(Pxu!%7sWr&iywRRu)$s> zGb;Jv@jM*IV&!Laf(#7hl`=xgNGd#CYrVwW4WrCy71}OG%NZkQEFIpi@#!h?Xtp={ zzKi`Yj2AsY^hDA;;pB8wvnLt+>=X}A7Cc4p?SvcP5BPxae?PNMHF>~PFHe&^UGfad zy2;BkC8xPN%(yT#Va}8>OU7&(${Cy+=1zm}n&E?=Bls@CcLz8r5fg*mWAOMa58o?z zuHbounXXt?C{(=Nd~^N^^|l3a7RtGgj3F~G-t@{yU9}3?$mx^5`_EECTa%f;m#^=z-3~yS;2fZAJuxuChShfrM z*te||Kl%469EoMPZ<~7IaS5v>tf9c7;lGApOJyiM?S!VEYbokpHD zc3l(CJ|}jE*yqVIebW;YV*_DdFyYtDUf3z&MG3noRK_1L-^ELYUJ}0U>=yd6&{v4^ z{$n#hl6%$Y>pS^?UlaYh=r>5~;-fFeo5p@}if7*vyGQKXfla|g=q67RL9t(oJrr2Bh<;^kmr$esTI^x5N60dN#3dn@9yPcXiy3V0 z8^Ol}A1BOv9^cFD(ebT0y=F(Rt<%!*j3q_@Bc668<-FK0Z_a>nrq+Db1#No$F{(n6@5?y5+jNSh&!^5Kr4xz#>=Ttg8JM@i0lAdPtEvx-6R25xKbam29|M)}< zi>zVrTcHwOQ*bT8wF&d#k(ikBe;*!oOdi_R|59Da^(5D)tdf8OFi$u5j4#mzMrexdM-h^uf)@^gz^Y{HQ(UT7hqrG!f;==Q?P zdn;oPhx@m+*fwI@l4U|-GTKyksln4Te8BAl#|e%n%zzW{a+6?eX{b3RicJ!mOqKyB zq+scS6oU_3<^xU@oF+J(Fau7*1-i`Gzt?*9av~!&3sINxVPXwgn9aaLpAdj zQ>F!_uatgL`cvWQTQw7(;gj91W?dM{irZujkTsB&uV{iEWb~sK`)CaoJw$W{Y2N;* zmj2({Khxx=gPbKfTXKXl6Yak*>}gmdC=_LlLhUhEPM(~6I!v?_%tzpc8ay}D9t#8) z3N9kd9{_BnK(RRsgHs}>RL(Fu`~g(*(E4uh)U7y%%|!*52`(qBT%7FJE|Dl8<+zOluhGVxy&vkv5hZFG?~x*P-@rbmfVR6Jj-9^aRlpN%MmU zXnk*)WPF>zPZmE#{O#l!I_oycZmQ8YbYj>DeVXX$qGyn10$~<8G|C%%<$AH0!$FA}|&G_yKNh5wt?A2hiz$V((YB>7>=Otj=A6wr?t zJS#lumI_`b_))?u@7xwr6-scsMUJ>A>bi%mu!!*}qXSRHTqc+b8o_C2xhlU2O) zvr9|R3>bAEn6ctIACnJd?3M8m4L<196)ZoqT$7l5Y|_o4QSTE;`y}nB#Kgz2(vj>H z_o?wySNI?KO#A`ypOa@+%i+|8oXPeJ6K00x@(xP)Qo`h*x$tdPPQ)Ca;)fxIALl*45LGu z{((Ql&SQA!67?qzO?7`^-_!k#y?z4|<+^{2{iBvo|9{0+D%I-(_IluGGUxw(qB4%h zej;Ol*Q($U-Wa5vN{zXRkA#%6JdAcd&5W*{@CR(Js*Gwfss{sOZ(VE+!Ww4W8pht% zl))7*db-+X6c!d^kv|Mbtz*Wit$nQO%BUx!J`G;LNKOvspvfBPPB&p&Xcj+1LIVj6 zDKLviiihW8A_a~##LB)VZK~;ig-dEob!SUzM2T6PYAv?7e-$r~}@+^MyG732t>!pSd3!`@136B#V zPn=l;Q^j+71e`>I8C&c5b4ZktBqNyypUx-cLHtgNS%X6sOqG=;E1edrO3Z>`N6Amr+p%0cYL_!7yW~7XA%#McJ zA=_n|(Kg&^Su(O^L};+MPfpG=Xkh4aG~HL z!gU!0mm$aF0W*c`aaC+yz2W{OO5~Nw8%B?L8@;|uiZb&sR|VI=bY{&8{k@~I%4C(( zss{^-p1vi8#pOj9%ZKPjYi3cx<9lG|tq&!&7a%)Cp22QmrR7yBt%+jKso+$Z|yyHwk}< z#kXe=C*#mmHwF8i?sn`|Y4-0sBbm5mt~^#1m}>HkL7pagy5t#@dAV5v;Jbp+H+8~6 zY;LCLS)yl?X016a%gD;co#w3iLrNt#N6uYx?xw?=j#rIq>D^=eM|b-qyjT2O@$<;5 zrizsoqgXA#@VKzn;sW6dh2KYj9`?404iJ!nGS zhd%O4Bs?VHVG4Zi#Ip~OvBm6uhRrP%yG-n(WZBY<9%YXi`c-&USuS*i(3M0PY$|5( zTV?F-#~3JreO&Bnv1e=VS?hyNYU{Tn(7mTel z!LvKXz9@DVSzhRjObncT$>4Ke@bGTIFAIK!FtartIA~#c)#%s56X!M2uZw;o&={wR zH@i2DUf4OX=_4_r^~WZ35BK9I681^hAB5pr!-B60CKRvoH^65S4oLW%0&hkXrA3(Iz6)EzarN-Gb4Blwu$;{h(I zz%&ov8vIwNshkk}o#5{SoS1?v_=CaE_44WXqu`$e{~X{1Z0;9>JB5CVzY6|M@b83U zNy16T%iJHvR~hP~{ipc9#Q#m6NrLx3&J_QT;c;O?)qjOo8m5;6?3E<($(S^$GX57U z%Fha&@~YqvUI_%BN|=x9;U$F_xxpFYPcx&><32W3WmJ<k6+YygqT=M(Bo=>`pg&S15hX5Zyp@L!;4^G~S(Q^uiYY zBAq4rY|)KKvkc5Ab?zKvr@!IZ#$wMEdmdTV9B^Zxo)MeJgwLMy&Fj_4dl$%SBCjbu zR^UoCzolk0ZDvZnaCw_cxlqbQRQQPV>+xciOH2!D&Zckt&$N)!QqCoGSg>$CVOLU$ zHVQ%?DAo`L6Oked?Q_s;b&F#mo8U$p78vD7vtSHbEF$;_>vwTFA!cRyofj>#M?Wb&6(M**pxn< z{5h0JDU~veiYjL4rRj`4H*_(LiY*gcPL`!u4su=84LADjknJi&j}SeQG$T_S$;%o% zG@}?Vp`%RsJ;Z;slrd7qQen=+;NTQD&fp#)Hsb|P5Im7^tbjoYkJo3c<>e-sv+jgH z+sSgK$hn=4-uv(xifR3^^p^=cR{9j3CSkgS89~65H>m1nMcf@G{Qa{3g_#m&NtjK6 zSr5}Tv7yM_Y5f0$W}-Rb?-GAEd7W|!zS!Sm@Fz`u;P(oiD|lXjGcxf~GvDC+P<2}% zc%k6?2=iQBer}1wq)hI96W$!>&-DQbizFnc!7Bu>JPA&Bs|f=FEqD!KMx2ig z^u$E2Uu#Cw@U(bB#yS~K1|u3lnXA|N^=4F=<`ZXwjEyp$qQTr8K|@tZ6jOjl-P5M* ztnQUfQZ`H3LWTD_=a@rl>{i29hLZFd;oF37C(g6L45vk$wL0paHRHuY_yacgoQxeZ zo~Ob4k+(Z~{TqEtC&3uPEBZyzyGXNrk)LTY%kvA-Y!G!XnbdNIKZo6tUY7Il!5uV|%$#`AH8#H)ZBB4q+YL;uTy=l&SA*J4uvq#R`bQrbR1F*ahR|NBb zn)FV12EHrlJxT9VV)B;aA;K>RhVLKf&*Veldxd{QoVNp)VM7B{)O~EieMfK{oBKq< zJ_-9N#O_SI(0^)ht)?FSOz;80pA+V7uY@fxbzd0&_&(1c6#u38L*#ks3Nx_$y!*=N zx#>RcUyD90`Uq)Wh1l}SyqAxfF{7C`zL9ZE#&H_Vu6&{K6KZ~IO8-?}IU(gcDc@7! zDWDy;fK}ihjK4H|5%^L3PvUadFmGPU5-)SfZmS^&|(;5Tr50jRK zTH2qI{*v@JC11?PT4Ru({xRpqP|W`;r;^jV0``g;r&C194Wlv+#aj_@8OQbKzo~CE;udjVS1H z=VRqYEK_-o@dw-c6KE{{T=D0TXO7Ly;Mb4yjeel9r!NrQM08WqialC<5qLAhw}%>V zbKw^Xzlb!jp;fZbNL)qOAC&m~te}73F&{igexSpr@#}ywA@&k^Gc(CndxKHL3Bsaok;WMmYX80L=+fshM!Hf-|I&!0o zt}?m>qZ}2r{34cNH<__7Ou^7yMh_V`(_nGoB23ltSOaoTlTs@DiT9G!TT&lNl_3@7 zx?2pLe62_O3hgJfKT#I&7@~|X1_qD7A#UzA!2<*jB+T0-CqJi*D@6`6{_O@n@WJAT zh|eI;>x;L=GIcD-G$Av*F=k1~mJp%9^e@iHEGu_8MyGc7!RLz36P-`mR~ysaP=mi| ziV(12X+IWjg@TI$jApqsj5!V^;gQfPS0cDn@G!zE)<=|LX&g2VI5YmL>*ErYQ6{6D z26Mk%CyeSbB_Uj;3MnI`jHJTU%tp-=Q_Z_k#$Q?4|HNqVW5kao&q!ge-rPKV=^W|C znK2|7<7G^cF_8unC^0oI$xSl&jL`jfvfwF#Zzs%`AWUiJrW(5`bak92cDmRZWO?(}ioP$7F%qb4P!NJSTRC*yqXelBHrA3ipD+{g&VuHn&soi-LCrxU2$ke#zhs z5BrdJ3w~MfD};5gMp%wv1pwoJ2;Zq*6aTvSH^}oGhi9Mx&%J4M-_YmgEzx^KzfGF) z<~0899fPNb9trOXeoyfGgjv!Q;q5w~OQ53KZ%UQxee6G!vRBGSR2ZAA@=P?Qe{A&4 zKjR=a_lf9zqW1^72rW9!eQNZd*Z8nM6MaDR=cIXka53E%#-`+Z_Mq4=#U3Kdc<>bm zlXx1P72a*W7JXRs5zx!=@zJB0i zFU8sJbmPDIfhmu)KSO*2@eRqV0$q+5Z`9@uUlzI=pC$Zk;f;v1x{-^e4*fr2s7VA z%kz=^7aKh>M7@P*J|M6b7->d5zZji*SOm8+pkCt`&Nn(CZB?ayJ;dBA_=4?JBezQO35c0P}SkyEw4j#r6<;v#~|V zuBWjp1KUe%Z?S#I@~s}tw%O{shS#!N%z3blk9J=<{p9qg!!s<;b+;NiIlMaDCUk(% zfkc_7vhs&xH4!YWJ;;P{U*kA7H(0_D2^m3%W)z~k2%d78CQO;+BaUmOaVT=9A0^8=6jtt1DTcBt`yqLeOv0b-oC)JY8$(n=nS^o*Ecvn{cyrClkG)|HH>uyB{#Pm_jgT}lNEzsL zjP-_M(kPQ!z3QdWlEz3HOG)`CV}u)LZ2Cf@_} z5qx`q9o7zVQw_c+v~W)oJYDb%!hDTzkwSFq;Rk~|%os4z$7QCBSu$qRV4lk?baxv1 z$X*|lIYRFedbgov?jA#jgx0@%h0YZ^FQ8fZZoZ+1zVe|i5V}z4eTEKm_ZzzWM~^;$ zLsQ)%?0dS!*ekACquhh|ckBUK@{3282z^NC!vW2Sx3H zMcZF>I&c7X|Mk%v@T5W^jkE z!Kk8}@#$(G{B9X9%XlRi>_dy^InMW0GYSqPC~WRE8L!KDg9h*X;z&6b=|H+tdefv` zH~XJ?OVS=mZ&PB#@NIrXei1*Py<^6hVsE@F<2@Pg)8Mt!+F|?>`+*5xJmG~8CG3^( z5e43F?6YI&Gq-v46QTQr?l*L(`_$0A{XF`a&;vq0H*~oB!q7_wc=VvqFNGcoXlaG} z%Fv5SJ^HoK!$OZ3TH=lx+9B7Y-v~V>^f*yfyV;rRTZ0ET$Ejj-Cj@^d_o{}TFlKnru+KZb4! z_wm0%E0w8Uj(seyBV1+tJ67gY4<9kA;1DY1LQf57S*bhC(Ap3BxK~xFqcw%r5?b5P99PHC@u5;sS7<$<^@-}H#doP}JRMIrK7E1@`V8?6#5WB5(DH0d z#G32QH2#i|!e@y;TYRIy<9$Hi9L_PmRcNDaEdE^a=aJ{lQJ9fgf&~iEsBS`0NWlvv zG?CDh0y9SG2-nQewjpme7kZ)4ivl{V#9eG?qhbCuTL^6_^b$jdx>kms8qn54+X!t- z)c2D>i}i3k`myXQTGLJYCR8)pNsE&fPmS*b@d;^|BRs+AgwXpbQFM~%WYVlEWamX) zim{#k#vyDjRcxBrbh5DrdI|br@giMjMx`*0?s6Gd$Y@W4tvU_c!=N(!i;hfrcul^mi<4uxh%2SVk2Z3ux9YjF?d;`Sah)$oF_P+F!KugYx0{# z)D1Oba3`O71u_a{6wzRTkzJBi5W$;lvGGGs@qCH+Qt`vcGga`l1#jTa=oZa99Ti)CX1dT`gYR1PRY2XryARKA`W45)5J~}J0q|O zm>TL1V}A>mX{Oj&VrP@(HBC%L-^V)*?%q@3qEEcwy9D1&m}xRRBU)O@!6hTzJ*F%U zElKxEnJZ-;6{ZPSIV*DWjo$E@|A7Uf7mB`*bnHD9l@~uM@P2b9$NN-&K+YmLi|MFP z%0S=0k_>$Qe9(+foi~=qcu2;>G?*1~T!j6?+#|+UvpTu>W#S(tuZkEKr7Om_diR(a z=MV9}uw2Fp87pb7Tb0s#nTlCAKUm?xBoz5jBUNv~|Q({p?7yP>5Hwg0vOXJ{MV{cgR z*|)^*5&Je-MkAU(g0*s^|GdLT`d!iQiGDxO=w^qt%Rex>WoR<~Q1o8W9|aoomE+0q zvC(HT2V!%dh~6i9KWRPBeCBtbn(#@;`=3cTAmMWgJWUL`bzc}e;cOrAgJQoFdx$Jg z6Jxaf#x@32n!I#YNXIfQoHNn*hGv;WpLg&F6MmG-iq?)2@iLOmrmnRXE3)V4s z0&@>GS66U7!SxCA4_Z+&iZ}GrO;{QpW@kufAfX`zmN8ilEdUzrj$R6Ql|IwFPk-dk z;D^qVcecDn^!P*U)`Jh=SUJ~(b$$KiYAoSg3FlGZX=IdQoWc19FM5MvBlHUdHxb;F zFiVEAJa);<%|qq6nJI-2`0$%cxlqbQRD44qhfij+fW6q9b3^~97IIq3xr7dXCIe%S z(frA;cCAdg{Uyc=F>5WQjg+=jcg6PM^xjJ~%O4q|huqSHjDpG;##ETiua^yQ+j5Z(SH8lS4KG`e|M z72WM*I>p^&^x!~u7u`ej&HvF{u#C$D#_rj+m-@5pCAzohJ}1)&?iQol1-h^3exmyu zje-x$U>W^VDEV#^JwWuplj#IE$mrdH9xQr@=!}!;B$sLQ%Yn`koh>>-nwcsg2~$Yq z7`!vppJcA!Ji+;dS*l_peKh?RxS_@`3l*RO@rB}x$g_d30(EnA-zheHOlVOn5nd{M z7;)y=IJ~l^I%jlM{w6jT6GiWS3jf&eSqdyCk ztI?vzh#pH?RXu#yL-~al#BpYf3isxC853koq`_JeTJ+Imsu47WZjwm_pahg*g)Ll5jT#7GKfwEOdR;u>E^X=@>pD-YaFUlzCK?OkBAbbF*Z-`DWA)O_K{` zER=B{4gXj!WEZ6Sjqea1%MXZOBz`e@W}xBu8tCz$;pIaP(G+;4%J) z;bj+ke5vqd!XG8h^v^9}iauuap78N@x#$(5SCZ!0mSA~$*0{6XDl`ee3iu+;5oS7g#O{H>;?%NB|Jre_dt9)W+#2x z;Bgn@7&f;_@MghV2s80f55aQN*>0=x^FuY{8S&f1Zzs>_W44Z1Z^LIz$PBF{&q>%J z;du&7&!klL(t5#Yu8Pae?G*i@=v}0lp3I?17@=9=UNU1#$fCPtye#7t8Y+IU!Zp4Z zx>t>#5xRf8CjNEtZ;)rb6VsEvY3TR7O|iMRgzgdgHcIiatb|>7T`quQ_}b{K||M zzxKx0G7if)LW6f>QARQQsvkA{ozRl=jqqc_j}vE_qOVsudsBaF{J~Hho)G_?`0vU4 zH_g&WneTe~gGtYaH_aa<{UqsUN<0hHQBf^o&&glR$PJa$UuFCzg-e(Vo3 zo~-4s#h)_%lJPf<+W3u(ERL%zL2Zy(GhBy5(bpJ3dMYpP0!P?4eBUD@Qk`%S@PbnHMgXaD{~S6qumd5zJ78a^OniTZg`k z9mIDO--$fWAUU3M=v-y=3H*zj>x_R)bzQLU>8{3JXJGj*>aM}D*d2Cv$avRExlYRU zR2ZQmc4x%Rd4uuWuJb2wqxi1kyOHM^dmdi^OxPZT?h<-PxS4_q%KU5&LhEVxf`IoD z-dlJd;yhuEV{*3`y*Tt^=qtLP=>DV`cupZ&$fNF7!~2}+BY&Il0m26oXWl^-!3{FD zJk$^diyb01Be0wgC)3y^*FneTvczVKjgV!|!Hjm1XkJMnT3mBXnIGP&bEV`-$*00E zS%vwS$%fy*Rn)klrhObfcNR!1lvYGdXMlE}Vq^Q9$2cKYC1Oj(4kOD;n^Te%>x^T3 zy|aAkM8%hhFDDPnFGC5hnw+FC^ai&jF2&s24hn+ywr^{cF#>d^wDC+h#ec) zNNK4XXY6(1Av0d=1hEszvUU(1npx^58C-v+4|uZRDS~egaJj>Cc&fpX$2>eu@N~g5 z2*;`tdQntbEY1}k79E(<;;>Zn-0^3!w*r|qB4D_8RymXzcNS0T{7;b5sKOr zU)0`X&NHE?y;sg$IrHf7iH}if`C0fLqsP{KlX~xF#1ORwk`_w3j}kK;p2Zr=j+T@A zP1$%%MkV)vltoe&Q(>+^d8?1g4;nvljz5lJYdR~p-b*2 zDVwEip~Bn26_vWJ#&#X=nL;Zk^}E?hyMtStd`8mLTSH_yse* zt?xtMDdR;MyMmF0nWwNIGirh_nbG|x1clA*mhrNTS7_)#gY_UVWxvtgCVBcb(XWes zBhai%;Dy5IZ6RyFC3=tOw@EYp94hCAmtazdcg#38+Qp9V8&W=R>QJHzXQ z@e@Dx@%d2vUhyB1=X1c9TOS*K%9|elMEE}8`-$^HRiHD}r^fbJ?W6LU*aKoe4{Q>? zRD5CVpdmiogJQoFdx$KfQGhm{i~{$S;c2Np=&ywz7Jh^{&$0qf-rPu`J8JyEb)Nr5 z{4w#z$?MshQI@4nW#5`m7OE#FBzz~~dkXx4lFZ@x9Psvo@e9Iz_@nrr#Q#j5@h`(| zi)Yv`hF1*@=)Vg8P5AG`8GKFz&9KOoe;B_xbO!iS{9oe#CeK?cJAx6Yv1;x=ru_Un z{({Z@E2R<^xInji?3HyevK}R3CK?(l<4~+Z^LizpNL6qMuM9FyJ;^|km<8iBGg<_r zs*Gwfs?%VyW=8TdkWS9kFyZ+7ic=+5Q$j5XwJGpk$v~kSadnIy@T#ZlimoTRK51sQ zWb`LE-PmK3J$r`O24WiqHVunIo@wlB>pgpx*t5kpBFog*#lmTxWBjS%YBd&ruK4rF zvjqTMZO=FKKzM##Ahe0lrbHR#ctp9GvFC?+Qgg8vioGbX{E~OEvE4#FsfE~2J+DV9$5Kn;#Q-rr* z%-7-)jIR^k%@f5ZiBBfaT%V0zQ@~RU@AMCjVsoj&(}brJ*Q2Kbaksx0}LCXcaYFgLMIBmM=~RvQI((U+*PJzhV0l`N*5_tQ(^Hs z6f?cz!!%Ce8Z#Cp`xLrX#&t5Tr@_~17T;+Y3ajoY?gq2AhhqFjSzTpyqs3g2h8{OJ z8T)X^oZZFt5PLIOCQ^KQYP#!b@Sc!`dI|0=xKDs{m_WA}{7WcA`U>tRxIbYgP;mqe zkFoAwx0>>04}ZG1Nf{tzU{H!8S?H3RAH@S@kSUX{_R3%>L!@L-;dMhZ2P$I7ra$3r&j^GDgT4NrT~I5odHk7-e*q7C4B_jTSvd^jOk71GJ?SV`>34?T$0& zmL)z;O$UHaAVq zbU8EVuoOs$%SD@wyTkB*+lj_Yf$&+vXA@_X65=xR9iEkU8ow&=bHv{z{%-QT)(LSH zn7%6uudD7JQ(g=)x>w3vDf6f>T@&I;vvb^hqX!3if#`*z?;{Q-{i^=mkC&c;IE%%@qHN!6~k@1j>hiSx4!5YFIF=c5`mP%PBypKy+EoBWAmNN-)c=ujw@Dm|6PY7No_{jjr zrvhGY@bk?P05-Ql@J7K;5oR9ZB&?Av%=eDs_-S+A_*M$OD#+O^XA2#ctN6%~hgna2 z@wC;fe+qqWeMZ(cS=(u`tYK-Kj8utJu71>^x=`Z0ZyMb_^f-J=^d8Y~lV-#*J!8b-MBg#~g6ckH-WC6z`1i@H6h>)><;t_&2PQNL zMcs!I_DcAO0^?aw9xW&-sK_sJADi)8=tcO6jD0fp)8GkYV-d{^_o>nILv!3`q7R7v zoHS1WbNJx>xzK%K{H!B5jLjVs|E2gtw1zhwPQ zi?=@d6LKUxm48gBy9a;4=KhsZX@p)4uvglmu?o*;WRA)>5_>bqe$NY4a0qV(5>BPS zbI;%~N${r`Kj0P5R~27PeD%QNbw%$HHH=>qu3b&>wZzvBe15TJ^>%fPKak*acU|%I z#MdY9OBhsZ(Yk~Tb-Fo6Pxv^UA*X?yhIDu<<2wZucc$T6_j>#+9K!7U*!OgeuosT% zXC~@}=ivXb6#C;ck2e;6uJH2$j?0#d*TwS*rNSIr zfx2^gzA|@>8T~@xc&&`o& zw}2bPcNO1_JR^jLHh#mt$?#R7iLJZv9>Q-X&ZI2o-0XO{b3ILX@)3Uqy(ILO(1!xg z0A+6(CM`l^GKuV#MqM+cBhB5*vg@L=K6oltmiIh?)!>BNsa?rhj4;^QG z^>F7$#g~aMC(jEV;WfZaoQBt}>aRkD@DajC5@$Nu%!Q*&`1LT3V{@Y=jFB*w0@Dfa zYq5rHH_nWwzm$Mwykty}F_8vilwYiSev;u&hR!0Bg-;QFd%&Yv=&s}3RKpL3p%2r9 zPZvHT;EuIGbT~3RF*NSZ6h2G%Y~oB#-0ygd9PxLFzuWjo2D*o3yL*g( zEX>Y*ulTv*=aJWqQyTjPH{XPm@Y!R5goP6BqrlY3M45$bdcWZ_KkbAW_ibXXN(b%WuizTDU}wjN~OKD(1Ix0N%pl(M2j~6>$;wE?*6aO z=X|_pzSnurbDr~@=RVtgxJgs&Ct^Pp`x#lbZYp&5xzV47B3~?eiRh()F2kDNBKL*S zyTXL#GSSOLe;H`Ze_}7;S4L+}^rgK*^w*+Sl4fb+@FPsyVcvO_3Er&Z1*;`kBf(k< zSS5$%&-L&r?-aXB>~69gcy*<2kD>iXdvveReL}w@${H(E;d_G@ zjqvaff`1hJ6Jb6Q%yCLWzNy`Q(<}}7{#lv>(j26Q4J((oV52r#vtLXR51WY&NpV<; zU#ZZ8N2}TULjTP)w=YFv__*Jt`9qo`)UXfm|N72YX#S_Ez6!nPzohzGs(+|rnI>|E zxqppqF~MK^QL)u3W&9&lb>Ow9a!ERT@*plUZkL5iuYo9-|B}?CgqMy5b0v}WS<4hP z68=YOOHoIPW2s;zEkl15Q^i;t+ zOrBYSbLw*V%t>zN>YHLf7`bgA#VJypN(CF8=tb>LGrV?qPd60aNO)u7TxEb8kz0_* zkxVt_r<<&2xD#hc) zpizm7jlVn0@LeLljrb(;%ziEoJ;P=Kqq~HyZz-ZvMW>PG)0~{?(hYs2Gh*;@ZH2ZI z+MX!0Zqps^Qd5+L3eiD|j#6Ak1#4U;>;^3&zT5=;!<+gF2|7t|B?Y|J;&O~qVf4JS z@zcXp@>Sxyh`*YAbgPPBqhDk6&hV1HR&-a<-AMD6h5xE*qg-mAP zX{LnzNjFQ=Pnuh(VRg&Ip>VK-Z#DeB)%*ec#BIX+3m-t7_Y6OQ4P-R82b!WJ{JUY<5`0{hs2)~ z{Jh{72=ih0kGf307fth6cmdCq<|S!frbe|WmdJu*b2rcU{o9ZfKJFFquZn+-JRdNu zd_-x^H#%*(U`z>!ena$|q*;A1Qh{C1?k&Tw32Qyy7XFU#cLUDz-%zLDGkiy9f3Myb zzCic~#9264O;P4PG;9j6|4fob4p_9xVUeO-!b3kev|lb z#cw9hYej{Djk?9?En_{sRrEH|+XD@|AFaU-qhBz~U-T}~yGg4$Vl<4dHTD=kD-8ba z6~9mXcjVcqX=!~4d<$Y@ko(?5&;EeF;p2Xg=tqfu3L=;QI8>xGS`5D5M3aLZ@Uuh* zBsxfua)$MDnb`RJi}3?~^*?e*{9*CGl4liyr&>&+=fvG_CTI}eioZ+nhXh9`V5Pvo zWX%0(@anL^<1fK~3;u_&mZlWBe+^9!LrF)4RvRwEAE9m+8W23+$KY#Z^LKo~->w>n zg3T|wW}vZf5f@p@=wJ5ui>xiWj_6|p?aH%J?T<71`_NZAUi1l~>ylOx=5uTjM{pVc z)^4AAJ@F@rKbbshesL^8yuRVx!`iI|!cP%?Dsk3)4BZ!GVl_yKJIxfsxA`AvC`BVF z8dJfV%vWMNce>GEhj-x_qML|5GtfiIxlz8U(N_=g1=&n=bI~nG^L9Ec+;J@puDHv? zX9+%Aa4W(zak64C?~T22htKr6Vq1$nk1R`(BU60Ao^Sm0VDMfb{zCB=8IKtax*5IL z__M;K&n4p9h)*KVVx-&KXz(l96o&@++^0y9Dn%L<%u!i9lf$$w-T1FUccZQNcH-NU zSJA}rUbxiYg<)i{gW!&WFC)zCU`aw5HdABD@p4m42`-1PkfM_mS5m=h!}bZ~)7kKK zp@F(eco*SU6KC1ym17x@v6-PQzE*5kvE9h>O7r3KqXPHpI^%n{@+EV<_#4FENS@7; z_Qs$c&?~vSiLME=Ts!>FeG@J@czOF5a%Vw$}z!((jRF2iog#Nf4le? zc_t6n9XQ0uWg5OO^d7Q=XA93Eu9peS35@L?Z9h45j*D~Yo_F`tB+1wZ=6cM2x;9pXob9~pQgj~2Yl-D&(UA^lO} zM~lCUJZleHK|C(7qQ;oug>8t($BmU>oCM=3;2p@qlIlt^1al;Kh5}X_%wc2AwtLp_cOUZj zbHbk&{sM8Pk183*SyOTMq6ucq^Mbh&yd=TP6tE)0kp{L;@;=Qo#iU@Bz9Pk|QoKfm zo^(`wbbj1?<467Kv>ws(_%g}Jh{+c??=Kv7QQgxc`&tT;T!%;6OVr){8Qnd5$DBn zE`sxSpBtaQ+vjGn_$A_(l2^Ns;|k%Q6a)5Om}1vDuUIC zH^$x<223}J{Z{Pez;cbq7GpmN?~<)zw~5_OmiH(gJ=r@9|NK^;<(G)mzAL5UY z=hMN>ZFuc)5$2yJIqe+(6Msqaw|YZc4xk&wFQU+j)Ib!hdkJa=K~{boO$bKNYnh;OkG~7GC8#68u@vwIV>q1l&T)o+bim`s z3qL`4UE+M>(ls@f^ks3E?TMzDU+%BEo-`*(bFyi$%NZ{I^opo&nlFM;*g%?7q&bxu zw))u|7ICK;ogH344MjH+-Iz41T@sEjIo;S3Pw`i9hS(-z&m_y+jHU1}k1AbLST)3p_fY zu=h*c<;Kqrvrbot?>K^^QY3+oyI%ASqHiS4%S6YikPl0DVSp z89Jf8CAvwXJ`}Mor^9zrUt>4k%j_USH;e5j_7<|N2}QBoSY-~)&09_JNPB<5w@J}o ziUCyc5(Z;WKet5;H2&Q1t{5c#cJVRt`~?k?$=b{`MRu6R&XOWqiX19<1JFN51D9)b zr?62YPjtTM0@8Y6z<1nWV~<>f1n_Z%VvEEUlV#qyyN9)`#Q3^T_-l=eFBLz8ylM^n zej2*0uSXL?%Y>E(w0))!A#|9~N}?>0LhMzKdK|+|ac8h#?~r1I6eFqN z(^rDEda-hMr{U|v2-zs%qlMo^oR^uvaA3Ts(2X%ZC%D-eD}J2#@#NVgbMsKJ*sDzQ zLwJ+kEzJaJCQ`%S!0a9#!MMA}__uHI<#Vt2N#ZAyR|AWqZ|*bp#Bk306tVYkvdiZI| zKj#}n1%v`UJ?GP z@YjelKSMFj%f9)1LNBo99 zIM-+6eW444en3>ubaKpnXzYemrHZ9GVm}tUkStpZY%@gfZjsT2Eq%(Li2hXcXQcV; z!6v{887?0G+!UR{B`%g?i4;qzV38y$qWO$3jK44}m0c!&x%e;1tHfg%1T1!68U9RX zpP?1PzZSldI4?Cn4xd2A9uthe)neC(T}zfpqdSOw`EH%zgO?x{AGcok2H_it^IEa0 zD<7*CbKrd66c63$GqXvGZ>88wh3a}v9L*zad*jP8J-=1_Hu2j7pP9q)Yv*@Z zJH_u3zneS_-im@EOf=`Q3EpFp?V*plSCV~_d`Af%Cpb-lLm-2n%kla7LGX`)eu4YU&*VoK~W5Rqo&@OUK`00kvZ|Lzegf|g>CUK^Xf&Dbs)ZiV#q-rL(x!@Lr zS+R;WiP6&NI>&4z6_C~UL*Kh>SbvHUQG}k>u_Y~cWG_Mo>6XbO|!}xt)`s?g1{wDE#$m{l` zwsn1teI&S{xmj#KvA2+oa>BXlTa7*x<``}h-Cy(o(tI?~9V^7@uz`k84V|$;!fzKI z3wRDEKe7Ja@b)MA^3D>TEj%aSSdxNa43}&8$zilQPk6rYf`HRU4_b}EhQD~8PrXoh zk?>;Tdh|2|Q)2XGH+niQx>WQK(!5eF#zm84_-8kJJR!VHcsX&lNRj1;sp_F7D5&WL z6%q`SpppXhW|$kCvBbCk%!Q5IS5PQx3AMe(DAj~0Fxapouw zBjK9a8DoM`VPpPS3C2kB35tfNDc|#8eTk~F_lY~wt z%Ib@SF&fRf&-f?9vY092?-xInJd36Tvv5(-JYb4ueSBd~lVZ9Q4^pA`0ebN8Dv3C^1%D| zEkj!e>)~yo?+AUDC@*m^j$yzhzGrx8=;*&Me1Y%}h%?t&n7{eZ*dIc-cD3*m1LQ7?BPfAvdZW>q4up7y+-s}(tIXj#aPBD z_XX=rG2{#U0Ux(siVae1q$2diF(!XPRsa~{MY(azMbznb77!TM*@qhnb(6r0VEenq*xtlh2amY)M*C!bcD;ap5z8hp}Y4b4>Hau|7xV zO4C}J^AMJ|)(@d;j<#5R+w)D-U^CLg$6bJ^Dt95m40jPi6;c8t3o&;wzDD)nxUdN2 z647l$Cz0kwqcfLmXpgXvF-2&q&@`efPqcp66I|)ijsM&E+_x3qPJDavyuBRb!rnb> zs5L<%403glprZtrQNSO-)F|BJ>(L2Iq2PxW(6*V31ky65JrcjTG>KDuS2f z?#5<><)%Hv_7vNTEc1fxbXa2MG7P_d8DjBqy@lT-ybp1<_k2e3v6v*``kG>3L!bMb zrRXQcEmWxKz!8GC8vEX5N*v4R5mn{-Bg}9E5c;REv>ZOdv)n+$L{;XW;Xd&}65K99 zi~<&W3in`V8a(4_pL&+yY{5AJP9vOa@JM(LV_M?GW5#s5I;ivNb-E_VAb4dXrj#LW0cU*LhmBVwg%=B zd>d;m(HN6_72d*QB^f8lcuH7~>ojKShH3C74P9O9ovJEJnb(8sjH~p2sxt)5SkXo_SAFjhSKe zBca?M5nNt}7l z#)F!J$L=ZP+l7*RTKpXG&yZ(svSSsjVb2==Pr#oO{=D!P0-j43Q6=t0!}IFU{hjyQUYVU zMeZ%r%nw6SZ%gxzH1ATQ7M`tAK`9Q{GQsj}e+lnPut0(jC{QCDuVAPCL&N_KZ{&}J ze=K|2%|vj1#b|%kucMSyI}NL-8Y7>{}r+LxJ|;p6~37`E3%6xax&4hZZW== zEw2&3P5gH9EO>5;hlB7Ox5EUhX8X+Vlwg+xyD4DpsYJDjS0psfzsEGm^Sx%TH2b9a zjv8KYQ934MzBl;dFhTr-;2#D5M3^_KsFK5P`;ES;lTZ3*(Fa5yB+b^I=ln%m#D6ix z%y8=NAt??^@hcU2W2VDzjYIn+xN2sI=OX4^s7vG{6@$fL_RRdA5;RV+;I0yTtYZ?4`Tc2`m z!F2>58(_SiV(vJDKO5lT;{~4}xNd;4`T(ot4PF`g#q|WAB=}^)tSlu3aqdrux%wuk z7uG^Fkl+*vPNjfFLU+qW?lhy%44!Tpif$yjF=^J_sGpv2ryGBL$j%w!n}|P?JRc3& zobZfe_`Y%eQkw~HF1!VCCQnBwXvJJhd>vyYa12L=^XWUsBx^R| zFZj4~C21|md6ckjC8Z^~^NoG9sZdz&h=TQw5Y{`wh{aKv7voEG|3|g->?LB`h)puK zU3-^oY;r5lrie`yn-;;$sn(rBCB-gP!M<7v-cCAN#$s{@;woZ_xA_N16+uNB)> zY`6c|cJ4Z37YFuwu{Vglku0we2P?qmM|Yzaed<&0A-bpNUZkTO<3KHA2R-H4-ePYO z+b6K8@W|HJ*xPbEd$ZVnVs9bKlFP)rVhnwfTaBOmt>4k#TSV$4m=J;mJ^8*HA-GI%d4SPv zD0M>(E)C;y6@rHet|ZKN174h5UIpJu!%eX(3=rQT#Rw@zQo;M5mY(eHGUoNA> zjuv|tSr&T<-1DHJ9b@>(y?oBc3LhtYJaJxTdTL6{RT*44*{6NC;0b~!5@tS~VEM1L%LA!+tw;je3vq2q!Ro==2+D)cj=EO9K;pocQ7kukxlU=S~sV2K1v zDPVy_{*~PqhR4F>^)lhhg?~w$>1Sa~1wPG6+*c;3xfk*HxD^t7Ex}3(^f=+vzE#Fv zewJrfi(MmjEm@XIW)WuJ-8!RthBYATMQ;$jk+d39Z1fak)>lKgxApA$+KM~hM2R~AA3_9;OzI*5q{Ve`~_=DtG;>88S+%LvHdYw=E zkl4dwe)T=Q)93C)3eRQHW%9>uw4Gx(%Ai>yMLD0v&FU|t9)?XE%+B%Dqxj1L z4=+$?3bA$7_@iNQ?-k-ZiNBIO^AATn`LRMQVC`&zDZvxZRT6ZO;A#q(Asj=GedF*? zY5ehx{RLbrzN`3dMu_NK|EsRr{G7hU#vDdRu+r_dryY>xnSK z^+KrU6Q?m^b7lsyG)tcAlJR)87l56b9U;yTc%@@G!xZg!!tibU8SjWw_Ck!XVNe zqDP1xNt#JxoT}2@X>dtcXERFhXu)>{7=wM;Zj8Z$!;K#+c%0zzgxS&8Qp9N7y~-rl zg!kLsl1z|fA|)&rxU9iL0T(pJm;ZxkeB8a_CyAd-o@E|OPImVh+ijuHYHo_y`^8Qr zt8oXqc5^tyCGH+D$$_vDaGE63C3%n%TG5d!O#1(vVT#mI{waM(ikVV8Oa*Hs*2Hlc zRgrtd1nV#Gf>{zgD#2qE@MaB_s;o!!@y2)dcT`X_BWU zm?Ob66fk+%jIf}eHTvUVFg_>xdC@PBX7cD{lw$u*!o6sM+q(JO&z0aM30|gvO+jW+ zB^MXXGyLXY*1aP9RpGA@=k3KPR|WGk-}vM(?(@3%H^je5zAkuM9w3iyZ<*@aWS^7`gM#g|ktKXkkkb6**~rnAre3ejJSUP)SQRC>BwW$a5We9EiEt`WPIEb~%^ zqk=f7QQ+2@;!xPvx?YM6Qfv&0aLNiCQJUhC8-0E@N%5@|o2gJ~<_yN0WQ)7M^t`~mR?$umDV#0}?wxL*wK87j^p;fIC) zN}R2-^75O(uZE8A?}Gmje1tGdkzORq+@D5YAEqY$68*R6e@HVYiSlB&xp)5>{$kjL zbX0h?(X!nUD)F3H9##<_gRhZoa8YQ)IaC8o8w;A-Dz%y4N4#ik`=ZM(7b3CxdcJDO}egjm~-FnW`~nCI@@OA!&Jy=r|meOw1b zRk@A`Gu&keRqQ(RSWBfYM^vPEaYHqI+!ctba-9%nxGNE=E}-Ft^F?%aIwK|$Yz+P9 zt0d@x5C_sCRF<;n#3)|wu0ce^-?6QlKJHpXRk^MRGh8=>kv$T}P(frKU5B_x(m3>^ zub1QoNp7Ts4?0%#V=SUOzDBeQ)^ra*ipBM?=OA;dF4A^fS%nz zqjv`@VUXzCMaM|9!eeBCVAOLyX;J1=(?QO71~SB$yWL z%6k!2NthKq3(KwXgg%AuQQBW_Lo7b->CsGk4#Eug48rJTlV1)G zKAdWO7EzI6+n#FrxaSa6<(@~F;a)%}MNR_MC02wd`$a@Wid*aYEX|eTB`IE}f?2|@ zM0OtM;d_K%aiYgxK~$A{6=8;Z4WVvqemN$Bin7bxd=rcevt+MJ@P-6$Qo!`N7zNMv zTlgNOza=bMcpFhw?j3{~?p=f`&Z0_`&wBeFA0 zs4BNa_|kxLI4BN}GloAJ%+F=Qmka-rIO}k6977H6D}0R-KR@gMSb?Z2_cg){w-TZ9 zk{NB6UuF15>#FJFRwJs)twEUK)*_7R4UPycR3o_#QPB@f-&;)|w;oYdZUe#$w-I6V zDnrweh?lx=5E1cL@2jSd+k~hp_btKsQ&v2la9i*#g8w~GO&_-vQB`gm!VI?^ zp{^A+6Gpsu;A=#G_-i$N+)hMQxm^e|+-`(QIv;JM+kd8z_l3^ZAw*TV!w56nuLzYJoOf7O631+&`^^-iyZaybU5Y=XI6_73YA}ak33Cql zPeeq&P<^83|3Xxi`x{|~`v;+l615B#+`mRo2$k%p=xTS7u8vTtSH{r7qxCoj5mD-y zVL+<}qF~F5uSuSj5{~TfsMa$2q2R2tw&*&dj}3HIWXBtwwFODw$m(vphZft!Md{v{m6s`fHV9FzeDUUF^SMVu?k~|IH zqidacL-h!6h$tK$g%F2FAyhr!LOFLjzD4k~Flv5=;3k64B+Pn%ejnegO%1>Asp?VM z%@9@Pnj_3`Ef7X`DF<8YTuXe767ThL^@u(TQLx_;!hT06x-1@txqlA6Ms(_9)g$^` zM8SYZnBmStC^}KXY2@?qHKJQhsvgl7APS~CLYVFdRqFm|6n8NqB7Vvy;nmzF;@gN% zB7YqIfHh!Q`O&_&WRujmyn6H#DTsm*j}S&YLft4jxzI+rbi_ozks11zZ6#Itl>SwSs&ZWr!jMO(_egsCBzFzIM9Kg8pillBg@?9Vt_ch z-s?enNx%H4o4!`+Bb1%xH5IMo$XP~8y|{lu;%{wI1!&{Kk56!0f9F;-ll z{n;6&Shw0MdP{MW6n&`R!<7}oG%g{Il?y7;Nl<@02?H&4?`$TTE8DDbJ?eRbqJm z*43lj#1VxvWf5k$AqbUpa=W(9;Y*Z_-kp5X39)5j%gM63v3s8udG#D>l1=r!q(YKm zl2ir>_L##y)@sz@CUI-M-j7-MU7 z^Xyo$n3=rC@G09oey{LJ!Y31FKGM?C z+t%y3U4jLL=k zwBzn6e2?&-_lSmJFMN*hXNdD@Dl90*Lk_dv_~Y7DkCJ~5Q84Qf!mLNAQJVzbg(YxJ z8-oYu7ZDl###Q60N1C~as&X$O%y2Iwj4lH6&Cy`PJVZr`5ocD96t5r(wmm}F_6VgY zi^JO-_MFGud_+Zx)sIz=6t5$y%DsUw!@Y@6Gks||AqxMG&>7=J!t0FCcZ9x6lvSam z5^LU#UEQ~OlKf^Clwwmm|noeI}e zi|{34?-}Ux@rl?^#ePPXHV)Qnpb$Sd`mcG_qm&mT3RXSB47U`a9uApLU*KDm^zE&x zNANO4Rk`H|Gu)R5RnxLDnCKl!eTBG4QtN-!BgqOx!LUaN!yaMupti??8hnY^g4={v zbF0O!5xbTwEh4-XI9G->H74l0)C<;2ut9>26x78ZXyR~kEvg0InCj6xt4roKAqu8F zLYVdlqxU&}McY-jASTM!<5Q|ff~|;xd5;k0Jwn|r%wEU|)eb~NeBmwCBYr2MVBjN! zfsasoQnA(#tHFIi?LllLYSOZLB-)E882Sj|ViKVWDj7>)zsHw|E$bi@KI6syDE23^ ze7Z^sVt8G}+D;{4X`k}Py5&b)&s@xw4Gu#n`(JfBGL9zG}vE^Nb!UK)izs3GTmTgsJ z8fk6tzb2X0wR)8NQAAa_YGasub%eTIc{o$L0zGnf3}T|+C=N|k4Mf4nm!KvEd;oB& zDJG8MewEO-yZnO)qZQ{N>0592TRxCWA(BFU+g@a|%K*~QS9oM!yv-F>DSif<&o zao{sCC^i%WfTtV(iTE?g^D)C@B96#`wb0ZAOKH@FC(i$N6#5=xJq}q3C6~K;#Ww}NrEeb0B^+d zO3spWHo-mNb$FEoT_m`g0_Gn34=_)aaMu|B>r4Izt`*-^d^hr}_?QDLan~6<>`V_| zFZc$*HxgDAz#(VdjcuF?JwC37*q&m0k);V0$C^7V?ana#n0`L#-okGZ-iJ7AL2*u2 zA+jQeV|`6?&(&UYvo!srxrG{LCk2zfw;FqDA4K8fZWG&I>;SUN4)!g?vfwh_@Rvd* z7$p35;W6U8Q5b!Q&L7S+!Qz8V9qDIDkS#$@5Wsx`s&Iap%QZo*2Ylx9B*>SbfC6Sd zDYd;DZ0xQxl{V~pu|;Bw1B*qYuEf|r%RCzwTPk)4Sw0%Pp;&)o^c~@jCPbHsE+>5w za{;qH{r{U?LrwUt8TS$nldzIPWj`(54L5dtGoPh9#EuX2e>{zkm#EvJcmIE`-h5iLwWty+|dd=O^Opszhh7(U=E{|gTZpDFy|fXifuGfBf!!%J|M@JEF|MqCdp_7FU7?8bDTli6aQ z5c?!qzSW}M07oUCGDWwL`qNU(k>VLDR0rCmxo3@ipn*^QIkC@+eSs|7B^qa(bbQhH z<6ra_I#>Kl;$J4ua)CkTFwQ*B@TNC-{1xG^3V$u&@PWux5%UedW{AgM7ygFuH;EsE z)Z16MxA6bSj#%|EV(@WqBMKw+2r*KR&}Sr`jjqCbhW82?d0+Sf;U5rJ`wP1pz6acg z#vcim_ebJC7Qc|ZZ)o7o8hxZiCKwnRnolJ7RD#cfAiG??Q?Xdy1nI%{UM#^936@g8 zk}NGRE5U^F7lxl&>WgNX@a4k4B+d)KCbkl;82QTh!cm@IA^vOeE6KCkXek+Lakg7! zii?6`wG?ZlSW5+ep)`k!8?)Rx<2T3rFRT~8LHtJYe5&*dMLB3)-8Uv_6MkZoB;QK1 znG)8_I1Y&0V(dSm7q(UGHnH2us(j*QOeQtIN-z9uEapoT80UUrP+#cim z2J>LA_(&|PsG`#aSdv4PQBkWzr5_T^s_Vvq&Y|p z-{I(xVF8Z8H9~bbB>1r4UkNim74Q*<>7m~Y-#FK&{k!l#gdYib0%ZdW;ZMUCO!xR- z!v7ZjPr!>&5pa0?zlLw^;_;)xtBsXak5IKA%Vf$53NgoW3}T|EF=vby)Ib!hdI@S$ zz~&o%im-;PmeB{p!&qB%9nr@I8oeDfBgYy2et2^pFZu-0bxG?{jB#gCdBUA&f*Zrz zp`HXMNpLa+tO{5}#(U-J8-LesMC0Qch(AUAspR@OSamTtf*ONzj-A z{y;v?1IvvKbEg~MqlGV>GsHI$e~ke(Ex~yd@NVJcG)z^TZ*;HGKKTnoUnu$_(yW<0 z$`W?^#fG1DzsD~T-bQ#5an||@w)n{g*9~TFir`eiX@r?|9EgMYCk$Sto1n`Q#N*@I zO3+S%_7t#L(`a@+hqEs=#ScNzL5hx2Tt)@+gNac%s4@7C6-*q-Um>`Y;42BUWU!JG zW5At_9=%F%HFuThE~2j{&D>+ZQ#r;eu%_Mw1H(A#wGwodpc@4&O3cfYVY&HrhF4qf z)4yK$4Z?2>IMOc0%F^zJ9|-;59>RMH?-g)#-#KiRVfehzb?+_wCgFXEGxsQ#GL5wK zHNmvA{hhs8f_@U*LVmL3caQ|P zOAw=gg^x}Ks!pcSbvOIuvqWc$&LPd@aoSOK1vee!n&6|*EaXX$FG0b70-jd_=MjTV zux6Y8g+d96Bq*jp?MMvHCh!9##t+@@`MCH}@k9RO%VHI5tBju%_=NZ}@#W-o1-Juv zrDLJJ33i8uszQQc5>%QXUWD}zXbFd#;E(Tpj_#0Pgajig;2ndXaC*hQ)9~$wJU&YJ zXyJDemz|8%;a8E1h{u@Zj$gfGtR&+k8BYoCnVh(~Dx-f14d>mWCy1U%n)%5tFXh^% zdkk+F-ih}LpCo)TaX#!kh%>4}_nG3nTE2=-k>Y+Src%LMhWebq3UT*<@n<#i{50{? z#Xm@%8Op=ymv|M;F#PQ^JpPdInZh3?&a2JS_{Jkfe-Y?eq8}Cg7-=Q$u(7zAAM+#TPnqIiP&_Tg94Vfmf)yyQya4Xl;M(U|6ZB~Af8sd_o|oVS z3ZfTR!52mD97uMAJQ%Hu19e=U3^api_1 ztIW+R6O6si3sy_8MuN2zC^vCB;a+F-Ex~A8FM5OMjih;}aQFlaeS??x@JVkH{H@^4 zgrka9qH}k){Kp3iX{-2c;#Cj-Z9hTKM4O(_)o-nsaRBwbkmKQ>1s@Q6kT8oK3pTUk zMWr|%$^^*?FE}K@VF`YvfSGsk%p5)Z9ETZmO^tsg7{blOHy7W6JX43^hR$M3qZ@>tS!0^t`5zbN39v25wf^o)hpC;iX=v?9|D|2tT1ZH2cJ-rjI7<-mbZhCjOp1%Qw1 zAiSgS%ZT$0#KnFEWn5EmxhXyf7R(h=bdusqD*gurri-xV9^ax`-!&L8S0M^Zbr52y z4no2Cm3Y5hWANJ6zF@8u+*NQl!hCSy?Q%$Y9KEMPcb!Shquz(0% zBKW#7$!A&qS9(a&Q<7eku%_YsG`QU;av8>7@|5R$i@!;HAM!Q8w}rEazQ)#_jVOHF z&0_nBy@jliHH@zGx82m|_3WJ{4l1+$-=-p1t`+xt?_=84T0TR@g=6i3n9(wZG?g3V#{ zyikH735qFTS>lZgb0pzPjQ^vvzu36=Qt?B`v$qaw1dBgoJmtYT(-i;dGnJ60Oqz0P z_!}6Vz;=ToH`MsUyF6ckC@jK9h(-7aqjnS9eb7f3j_*+oJz=cR(jCG_2p>tDC90E< zwD{>xQzRyP#V9F8OK}$!yvflXd(H5SG0E&(y=1H;<0KhR39q3P=fl93aaG1|4TE!c zi=QBVBKZ@+WAAyi;47h@xyNMNgLQtdWRoPDOqr@551Wf5_nG9hY@f3!lH4!JR7zO= zqT{F^F#4@95Hd~lbkPq6I-z4_W*B|zeLn4nM9&ocFlk;jeVyWlc;1Bq?xl+6&#miLiGEiCh z_LygQyG zUE;jAnQ^+ue9!2M!y>fzMK2Kj0cl^HMTOwqhbA}@it{50K9*o11x&su&IP=SjNWm% zzsyfWe=7Pj(ov~YuxIhP;pb#{e6jE)!j}^N9}+K(V+X(&_!d3Gf98338KSU~2O(DS zAdDU_?A=Th7PzmBPlVa%72>}Zzmh!jlE7qDR;62I_`TzO@~eff5x$nVnuwfCbbAYM zvFl7RFDTYau|bNBRH)>!OQXbnV|4W}GP6nax1u+b{vWbK*OG1vzD3u1@qC||t%$<% z9fVlEgHTCxK(EB@F#15Ki#tW{61|)B|B!Scs;}FFZ&A|6we?BwMHCk8AjF~_gepet zjlp7{GWWglm)7z858{6m|5M=cC}r_c+Hd@f&}sQu`~mR?$+H~U+vO@&EZs3h$I#n7 zB*kGVehmr?sb>|y%^Q~QnBs+YK2N_(@rM*gs9-I||4_ik z4{grBhNcDdsL*QTSw7Vfs_41U2Rm)?H7d={p$)HrC>Z>rYX-U`&TXN!j2_q9XQQ_0 zI--vaG!Lu9E?cA5hW^>{qE8TAm$WJ{`mNYSdZOXGCiukb2|r2r$%eySI#RE1c=IqK z-9Y#$!cQg6GE9`ij}^>!cbW;NgxQjY5;T&aF$H|@U=SFd3A765bd&UX!Ds0VNt#G< zCMEx)qyT=Eni~9ffSU-7EB~t`OZx^p&JpbnpOCg7s#d4Q~`SAY3K9i}0(7^ESd)Hb(Oe9`}$h zyK4n^72J(5%Q+Wb2Cp;r=94{pz1SPX-bhxrFwWt2*WK_BLI=Kw@SehZ5ogi`LotqT z?8dMrrnlIe#P%Uu6Ksmys`tg$sQ8ZWj!1mm&4|KQT7=k2i%?fsjF+gp)!;s%tZx(C zU+{nc<5<7A8))zwHT@+H5`4Sh7~z`uy=3_T&&1a#9}l-vHekmi3QO)0V#z&16$tjl z^0csA!wa{2JWqJO@B-p0>!f5i*w}WVtP8~!i7gInMM@i2V(h|DPvc@s#SS6Mwt-!Q zcI+ZJ6KoA#goFfT5|mR=lY+E%7+)TWuhCVW-P~up0#PvD5yE&!sBF8Gc5XPnL~JwX z%kK`cBgBp*TaziLCL^esBZ==F^}Jy!HM(c?+8 z_}Zr=xhi7|-tp|+Vkd~5NS4n)J9_EA$KZJ{diY+!lLSvD%!KojQ{8>WZaUpx;1sd< zi=9fA38Ukg?H(}rv2364G{MsaKS-EuWG>E#i4wR zIbxp)ti$eyXN|2F?)h_KpBMXrv8bvq8hc7$=Zbwv?8|}8#XX#7>~$dzuZVqB>}!Ed zO-gg~js0zqFX`9Cz9IHavU~*O8o3B#!Ec#hM`%;umf#%;-lc%|F+WyO=-xAUSWACj z-WR+;@CSrha#>gm_@S|zgW>p**pJ074D3*>y<24L}P?^#*_8Au}_B0 ze2c{{5xew1HqCuu?CiiU6T4jOmt@&c=ecsO(ErNtWzBpxRtW!E_)6luylfo#v&z`X zA?ej(*N9yk*sQd+Zk@3kLs6_3yFu(mvMggP8^&n6!K*^YXp`V?1#c$IX9Xuq74R6A zEyh<|<1@Wg{5J91$#d8OUdBqw`~tllrrA2cYj#SrOPbx(@IrYQ{T^d)dBwAP#qJaP z9od@9ypB2h9$%wpvED{R;^Tfm6t=`7#Fkiu%DtxaVV&(ae&-U;|1AE1_=DtY;txqF zZ25k{*C_SgXL$M$qOe*XAy&&HRKAnir@P;bec&9={x0?pu}8@ANzm9;K28Dq(*%dY z@YP=u{4K#h6x3u^+VExYFTO@ux%m{I{82< zH4p`(TaucT=-I@wBONnX%LMzw$Z%~5>PT=b1yPRLBS*&>{dmaH@uE)vjw*zEDJp+hGoz2Yh!#;DE4#3w-$dMd1gBst^nNm2ImHQ_X5Ee3ciSNEx>sN znH*5L7~i8h&@8M4z64QKt_{KrmxNF?I2HL$Hg;}4QozThh)ornMwa(apLv+^pV+ zs&Y3W%y4}Wsv;DX!%azFgMSYLgf|QBC-@e^EFZ3ZieoYUt;TmwkJ_eWyx>cW-WCk)xad;RLrB+R z=Fwro44}jJC@*_<`>ZDrRprVMX1H>M!m)6U(@H}P|Klc~mkQy-gjW)m4HGYdJ9&fK zhFX7z;1PmH60U_GErUN{xcs>j-=nPbo8{9Ug(#Tj2w|Ed6b=^>7@crq41XY`K34cR z;p2&O7^yT?f{~|elw_4Dt_Z^=cS|uriiuRPAhUDIxeM0l1%LaJxmWZg(UVEn!XFYG zQ;xa&@IA`?zY~4#ry#1z-H$NCO+^?rA#uDCuonLT<3~>N{50{?#Xm@%m24;+o|R-_ zB6WrdRtL-NAqi$m@Gu3e^>F@*gNqXG5#vW6_W7SB{!#Idk>}NxC8eg9xW|o73Gam2 zqMs1`Bx&AQ*RE}ad&=O;LNoug;5mYyA*_+mSRwvZVEFV|QzXK)_j6J_FU1Q~F!P+e z=f;2+jUO61@^i(%B>rXc`~_?iM?Zrj#q&(j@_YONANPtBuS)S66}1qHB|}^zH6P!j z+f^9`Azw!n_P`><9$17bek@Y2z&KvMd&>kJ!yEQ(3Eq+5T?%*w7>CwQr1y-!C(JLt zFMfge56DNAtpYE?4~?$-5A%-Pe2(F;k}LM__|+&?@{h|gh9nm5LM+qMF=l9 z2$eX8=CB>s==;OlYO&}gqL-4cg~apA^Wc=jeSz;$;(4uo&0K~k45K5&Fgn7hEymVs z_m#o%u$E_q;I9R*B+Sc9(dfl0qX+gvBtCAn=ry9(20FPNdzEh{4qQ4crnKUi!G#vD~#n^^pJ-b!xHnH2uD%UtCAlvOQdQ?bxr|4ax zcLy3rogg23j2@Ze)7~q3pXl!bozjNa_`T6 z`C0q{@dwHC!Qhe>PVH5?Urf;=422((;;Elfu%3Y^_^Ct)Ka~ihmH<{3d{i2JTbPP% zCc3%k7Nlz zhIyJ4;i6oyrgh^Ta?g!z;Xh{BLM zLJX-R)DOU?MiIQLV41uL(ysA8aD@b&B)F0SUT=O3S5V?Q8(t@r{#C-e2){buFeq5> zuQB|?u$Ags;a!DyBVHS+4==z3B?j%ULqwGQBlCT3u16F++#rO98-&UY&rO6o`R<1I z2{)^U@SehZ5ogPTR-pv0hEatwOtCPu485heNs2yHureg4vEA%zbkFvP#K+w%x}WG< z0-c&p`c|W-4)*kIqWg;;@E^?11bUF@+eODnvnmwg_{r=7SeKb57!VrGED5qD z$f2M%1lTdH!#r~l5tZe8>wI?d5CxMSAxwINy41{g1GMY=xqWL>H5$iw7+> zfkXFbjH1L;#bLooT&hy3hET;9Tnak0&e++#eSQ*R%fyzGcZeP#dL(I9WIVJvaHepl;i;ij7$tnP@Vkg}ay2i> zjWP7|FxWj-=s2O{iSi=za2i&XvFihSx7Z0{Cz4gN$?hIQHw5%vp_7D8HZ;ZEXXy5T zP7!*)(5XbZJcL`;IE1cMnh%)hk1&uiO`_=%JxCF=ok&i1GmQP_F8|y;BzC6Qhsm<2 zD{>03z4{TO=ZBPMiGEb{W29??&cy;>4Y?yCs)^H2^Qq596nxqsgijlU-g2gcH}+ni zGR27RkPtrZX({GN@eCErPcBZ}z(N?KlNLvCCq#$;D`l{>3fF17T&Ax3tu4o1LAyufWsLo772c6f=7ekBMCm1U?Bx8Meab$ zaf^(u7xtcgBKlL&pOLN&nrB4e7*Y2*BBHyxElg!EMie~SAcRL7gi*gcmX8JS2B(Dg z#xlXn1%FAHmkQ@1#Wdj!&$Y35;a>}1Nt~C8aSkl}gbB3D1UtfT&}s?RNU)XyR`w)J z;I1>aX$wT*gXkYc|3q4q3fkit^#D*PU+s ztSfy1ogu!7_%q3~PL#rTG#oSWw6UfpxwP0znn}`Jk`|P(*1;7ev((b?HevSVEa7Jh zZ$-Qg@T^#Q0@Di^rAJJ33ohJ&czoQsh=TJ2hz z7xK)X&IUJW>r=i;a2LT>6J~AW`Y80l+%?AU?dth!#dj6ojXd*RT7b&zt~2_#u&3sF z(Km>`ku+0B=dqM)f4duBD=d2MA-<>hUgXtW!NVS^a)#ljh5k-&;Wr8IL!8NH#Vg=x zbhztld{)>Od9(O_;%_0(hY_yl3kza}<;Ct+Q|u4RN^X;)zZ3(g;N@Z<9X_H48hvJ{ z2!ll5E;>e<*+*9dePx$v`1bHx%o3h0JSX5Zi!fiBYxsiQNCY33Cp=$x0r5JBEyQjn z9kMeRG0|gkW#}^$A__j}5yA&OLJ8nFy+mtaOH8mWRQtFDr4kIGfLF_=C+3{d=ZA(T zA-YU-Icb(A>U(xPi^n1jHANzHH!GwVCPgI`x?kvB<9+9b8$W+962iybA%2ATk>u+j z7OR#}+c11`Ct{*2erAvOYHk#wFk+7oBlZaO14RWK)va`6jNjGK*XFU}$B7>wcphMZ z@gG-Z{O+)z_iphM#7`t&2S1#PWvCdrEOYlDCd$y_FuHUvqTr7nA^g!JR7*v3AX&Zu z+ZLKtkOK{4=2GI-Suowzasio(XWwa*`vN`pXq$#=bY>L*Tugf{!Q{M%i=iC zV{~sBe&O{Ve_QxF!rvvX`j1yHHy*ra{F1O|>V5GG#D5U@yjXUEudNS_|6kas{E_&N z#V;hU_9tFMJA0AgNnyh36XBl<|BQGYak}xxa#)SQwuMF=HT9XyRzZSldIBQK2yg#~C2JZ}m{Hq18 z5xkbL41PF-U1w}oSR%Gw>;|zL$+FPl#{!cRG53w}Cxwh`6929E&E(mM&n-W}ki^fsw(kHMce$8X`|_6pu7_&dTZycj2| z;f>z#>z0bf(i`DF3jZnK*k+JGJ=t&gpi6yLeinW}_`!ge!uT6m97|1U(r8$CjJqerNV z<$+=7mj7$`;h7#kD!kf6;?)uAhL)iN&yMghh=`Iew6!;gf`u=>CV4giWmpMT=xQ1L zd7x{Ht|R(b(i%9ynBQ^6#-{q59540+v31Gv{%0lN&HY4!{|wWg^#q?J_+-MeqtWm5 zEops|^vv|>H<08MNlvANwE)i>-+reVUNdaNX(+sr@W#aJ0LOO2g0eUqSDbEwR-JwN zXGqXQf-@=5qXEyZuqa$pUH@d>vT+)i+N!Ypz0inuNvi{4EzF?4l0NYGJ& z%P3$afO%2^8>pZt?k+dUPhlkY3Q0OiawR3~U4+B&;8@RfHqAvh`g~m_O&4jdriK@c zX-#*Hv2(9L6h7`+v0cS>3v5yvR=*p&x~XTc7kh))8_BA{qgUtd2G{H4GtonEPrN( z7Mnws&j;*(xY2dFhPP{9Z(pC4gzz%q-;u zbueUH;D#IjMz~FPh#w(-B>AX5rn@_hZP*D(;NwP#9WC}Qvdnn`Yg%Cnj4}L~@bVZd ze4Oy{#90G|7G&WmgaKJ)g5@vxOTAly2@*`Cfaw?EcwRI#_Za?ccvs#le3J0V#F@Ul z<1s_`nIJvbJyRsOUxKL=F#XJUCEvvl7``SEsi#zlRirkAP`8U+wxstpj z$;*@|=jCPSrMP*99}27bUlIPQ@Ye$FqA}X}hVKpU$=8LyA^c6^ywEb78S<8~XFTF- z%iCh#5&JG#)pU4>(=fg9bN2a*eP8?n@gI=q4Js|i6u^fDj}QAjKN9@0;Dv-`65xEL z1YDY;3$e%~PY&?;`9zXWCHagJl?N zzg+y6*en9v^;=H49pqSvk++U0@36pz=#2*&_D|z10 z;{W67OyI4W{`VjKN~J+b2~k2B;?4s_R7gcCBpPmat~*)h-s(oC5*o}hWegRWg=DT2 zO~@=nN~t7@Lj0fSIqUP$_kUh5=cRq$?|s%@d+oK?yh;=3-9@hPy9))jn$RB-c1hSx zfj^L3Vlol_bbhUM0Q@EXZ}EG`^QQ7OpAr6X`bT@k|0}xAWM1t)_*VQ>Rpw(HIa;{G zzBrVOpEK*Z; zEV>P8UM1F5z!)2ckFfIWp@I(++?FtlgxEV4v4RG0pJHR= z&JupM@Lq=JC(nM4JBX*G3i;d0B$_#^@efN>bULy8Vu|vo* z9EiZtOu|E*Ke%1I`NPBy7oSI-;mA(Q4I`X=U`9N5zSsh>g=85cDQQ_b8KKDOg}e#) zgksSpqDx8hdClP^j&yk9lVY*Hyx=my<%F43in)dwT7j`3jT@CVBEM2bm5j@1@Ing; zt11)NY&$sL(>e_k;;Y5ikmrR~=I4je&fb4fjFd5A$BL~b%b=rACWLVgKfese@Cla- zzC!SL!hB2%Ii@`yg^nv-nBOR#{VEApOSp!D5>_qhDdAeDQ?2=Tg6N5&uOrQe8fAU# z!pePn^Q-YAlU#c&HU7x;(r%D;BQ<7#Sn(MniAod904KY%(*_++kuz1!G&+soByWOh z>o?(8G6U>pcj0Cn!Vr3VV+cLIrQj~0;EM5vwc$2bI@*o6UCJF&?xe!_D#Z|b7}a6A z3u{k^mvWbcyCvL1p%DaBcd<{1#x&lGW65BpSeNyEID|>B_{OAHd?&9S3u7ts&npWL zxUa0qSl_(t12zIE@hBo*eXKH>DC4@UY)(Q`#VMLL-dIS$9+3oRW!Bluat z&k<&_Dk&U;)i$1YdajkJUJ(7F=y{}h>MX7<^^(I(1N?-S@jqCB9^Y7j9^cAnOY&+9 zYA_KN|4v@y)mCd?ApAAquM_8^mYba(-f%Ycb)6Zb=*7Mz_HD8XM=Dwm-f{TE8za0> z@FKyB3G)(1)|8xaXTQBbt(Mv_YN18bV2Wpg7RfYGRUtAE=*)s9V#jhaGprq$! zq=c0Y&mJ6uvP$p=fnZTb;NqVZm6(wbHn>r0Wwjq=Y?QHy2E&t(9=gxiRwF#Q!3GJ9$RTXk=->Iy>BYr+*W>L+nnnyjEp`g*9Wt z?=IA}MDT}%T@rRvP{=dU*!QQyRW|?gQ^;D!bl6k_krMh;)Q zE5iE=ZY;Qo!5KMOxuL1U>nbDMOz;7Mn-k{k8BvHO=CKNS3+E5{Eb<46Zz=vD@=WCg zSPT*i&^W!mZcOE^MIS7>4Qa-ARxT#W9pdn<)8nZR6?~ZBwuE`=Q5gJy^1Rb;Tl^g% zx}E6uq#J?Ob|T3skVm?bW5W|VNI6Q%(NvP5L6jfk@GJ{WN5P#0A8Ro8^$f>3ytZ+? z&f^82Ah@%^#h5J=PIS1Vy;V;VoFX{YVD#vhhct(8yE~paU2ulrOoOvib5cW=!|C_M z7|a%&BRH3EG6p#d>13xTTMV8ex{K(pq?x`8$1u^%kx=ZUJttT}`duArq7C6)4>n)|9CHQQ?y$sGrn_W1^;fZVG_4XFr zM{r-lyaH^_jhQG|VC-BMTG}O_C!wE&^C>VWOzok+!)+|74-h<1@CAf9D0~#^TO6T| zrL+)97rIqsm7I%Y4U%;+E&c?CdSW81!=GLmqvjI9mkJ(2SQmg{Q`nuXGz@iNi=BO# zgy9nMC@3y7*c|V01B=Ui!3BZ~9nQqIh(!($x(dN#2#W=m2rebepd|9fqIV7#I?{z1 zHdbkrgfa=`6qr%7)uY1M<18z!6k8?sGO`SIN?K}02oC?l#EMTy2(A`fLzs0Av^FJB zHyiDEH*04YBYdpzTH*{xPA-sYG!(FxXI~{csclln?>Iu`c~5XLq<+2c7b*Hi3+iG!tH|Z5PYY> zS!sZ$JItnZe!^XX?-qQI!`Zl#_d5LBtr5OY@C?EC6K1Sbl~!qC(eQu^OKrT|gAyK+ z@Gu2lWmQQzMp!)J^vCu#pDFrL(T|a4LMbX`k`0eL{=KcNGfVhv;d6*HQi_;&J>l>d zHgM@l!E*&aMVO@`Ev>8_B%gMpjj+0j-rT`l%w zv7eAtUW=Wxux$nwi*%ud<+Yzl_*}vl6!Z|G+#SAj_};=8lCK1>5&Sh_zAW-aj0h;d zs9Kr`-?)|iPPD$2wN}=5v=}DL$4^dc`QC*AHe_j?gdZfVr@#v?tjrG^oc&<`cw2uI zyHV^WvJ8Jo3D$u7$>9x0MR>E|ErPcaW_m9|gKBvmS4RBVjlb-1+9u-{8QWQua_` zP>^SYf1GV?udRQ@)|sk8I=*%KL=6_p%`e43x3DjcC5!62?~JFfi$f@?OQ}bN5s5|p z@@T6QgeDaDG-137y1_zI#}BpP zi_L@|AiOzoK1~?kf&xYhr`ui>Lvx_$mZA?Ly+3FS&BoH#7;KFenO5$cWi2wT}SJF)PSQaIm>TK~PF&w9f?I!kgvW%0Il&tJ< zhQo{bj=(2$7u-W|Pr{9H6vJGw^8$tyj6fSHeW4s5V__O4yi9mGab*tvaG`bHod))3Rm!Q7a~T~z z!dR+16l%fX;70cqF;EE^)iP>m@K^9cPmhJ2Fxs8@)1os*&R99MbX596=8x2ei9qCvJ|vF+u!9 z@z;@O){f@zvdUUE)4Oo86*;b#aD#*!DezU6&w+PraZiNFu8iIo!!$+8R4LP_G^Ud5 z3n(4UcITULG?^gh{T!v6aR}}7_(nTDz7<_%*fKI;_fxD&>BfvM@ltM=afggM%_tm; z^r%ALbT=k6i^g3t?v`;64PHF^(UAvZxf>ToSU>uG5@txap8_B8BJ^~lectINt>ft* z6#bCshe`APu^$nGH!+Z@EIi`Qi+0av%6U}IV|17;RCAu*;|^asBmTfF!LtR=AC=m~r%jK-Vw}MrjmtS4V z)U?uttM7`!DhVG*_>cmlsSq>L#vny~s`!mF?6F%Wb9Ky=-_{Pfe_*Oh&(=T*$ zVVpe<#Eiy9J8c%fMf_IsOima>F$yh=KRaGy_%`9c2;WYe`5%_gwBZWBx-#R`cqe|7 zvO~&FD!LPB5evUNyvZ6-{t&!N@NU99KVB^vxavHVn*MZUfxTJ&lJd8dJyduLP)oxg zjenf(`4tZ06aE!l2Qpgp@vWq4y_u*h;7~G#)?4AZE)JotAfp})rabI-fbwBksPFu3 zwo&JP;v0x>NS@)rrk-VJ+IM<`l|A*D5s^IgXr)M;0>P$tsK5$1&-kpTI0~9a4^36hc@_DfVe6H z--w6cKr(vT*2a?`D*iC>ZJkHlAX3BO&VO!0)s7I~PJDav%#gUC9Ac;-9O=SL8>iGk z!ch{AHUW8yb{PxDxNxSG&pS%!B;i;Jj3PbFMR}OVR~(LWXPG_6$ICfEPG>sI^$M^l z7Pg*1q@L);mA2^6NitGoq|)GZ?g)yiBhb)KZ+Ps8p z!8w9+39IlE3k`fdpX|;HR%SRwP8T^{=`i8x&V^H*KFsdhX`;J{KAkkLm`^gRU>LsR z#+nBfc+r zc1I+z(Km_<7~Z7H;kmA@nHIJ4r1g__KDEZskaH&r(QklvP(kSLQbC<44UjZY(gl=w z|F|0}TX@5TE?jKY^ot}6l5jBvW=+YmqUzm)UFl+_#Y?1IDrE>2UO(p;Rbwmfq0Xn+ zb`ZnF4;P2`!0Q%1+D$d^$dqmTyE3AQh~45O;@Iex6jou-z@7RxD- zQ%Z-SDnN5XG5C?rx3-i%N_?64a`OBQOis*Cj?TbnA9sdW$5N%7DmjXjr)3 z;RCE$E+M#Da1CMJ3S{8PV*Y3s)>Ox<9wT9_gjy3yD@NAf=3%#47iL(8)#VbdkT9OY z0r-WIN>op)J!N6ROc!@q>)cfmuabGV)+_X&goh+N zOo1g8^$cUMkK@Z*#?Z_Z{;2TBh%+>q=^0t6;c=(yUyg(Lgju3zi=IQ8=`|xg8^e4Y zemP$(ww)3@SMXDW*+`RLcv*Pb*!g{~wC;s!GjF)jtvm+i zO&M>=c$)^#pO%%8njYS9diBXMGz&%ZIlz*cq?_RndhsS(Q7|e-ZnCZX_eRy#C}MY@n2X`oTvKO zM=ngX(SEBXd@SJ;3XG)65y-Vs%}<0+-575zvY*NLT*enP`1--h9jMD-952^I`O>9D z!{Rl3C25VMuT4V6l7)40FeCwkFTQb!QN~aB7XO1Csql>*sqn3*7!l0wdX5+U9>O)PD*Iy@Ih^2oV6Bwu;4ZhXJFC0Lmb|E zScDH1e3;<24r2#}aJa)C*qieR!R-XMC(NWB*qMtagd?3Vvrf(q;*S!4G)jagFsU%xksK$|Voqx}k zfId%rKk?_2_iMnzmk9mcc+{?8fQ*4ME})@O3g@L@A;xf_3rFlmaPbKjNf;#IVhX(I zf-pJ}20NUvn{|ocO9c-h%ru7loJ(&Fbv)H7sl$X17oJC)_ZADwh7rzQZbjsLu?1oa z$ud0_X;HNzr_Z;x+G5cqqDx69bA3HbxXzJothZc$l#DVNt;Jrn7K=xWh5q#2+xv=5>Zh*I%rH*Uy{#uyo6Wz^DOfRsMj zWiZZ#N9@*KF5wCZ<0 zc0qekDau+mx$~_}EWKIIEpl$9!)U_KBx=fWqi=KJGW(I+CEOw5P71tlXnjGW<#ea< zI>b>Nzf1JpqVFNC`-bvXbqRa=?{#CPwaecpV}^|TX|TsKzaTu|=u6-0+?dWQ^dX@S z6J>m2**28_9scyH7?PQS9~Jx>pk%gGz{I0|IX2v*KB6z9b_XzW8LcteP zpRnYn^Bum8fnO$mx%d_2V;p9Ll@2eoI9w(81Hm5}oSKD2Za;GP5R1drf%?gpST7&{NR}6G z&5rE1V%LiOjx0}{k)4|szIS*|d4$&q{z341gNw>B{(ghQKedVx{iEQGf;SmlRR#Db zhf{1a?qhO;XyUJn&{VSo)%_`R8TPacXH)I$4;z06NwOzr=|4<(X zl6=$d@%;OVZy>%QdFB;Gc;K+(tkV@OBE7%p#-f{$=0l2ZS@vx52b#Ll^_-|QlX8HR z=2Vh5EjzSuc2RK*{DERyiam&IJUw?FWglWISN5^fx0Z6Slr~g&2jY7#5e{+TBYW{3 zD&a5*Z7Hx^6Zf4z-0?)c82lrIw-er;IO8WZH3t=nBb{E%2Me5h3ij~9M|@Xo{;6tqd}3ymG43_x6dWK23Bt(Wg6|k%E`T8BUk?jdXX>Jw*2;%@|a3V{JIo@lMv# zc$V<9h4&)PaHEil0=&alSShu);68%;5>^2|S-cMCI)Av8uFn(SPyG4hnG(_Yhyew- z{rz3o{7nq}00{#nTtI)S~gP>G6KEZl&Duq`Gzl^xLSahRe zhf#3p5W8CmN!5~SC^3dGq*&S5Xy-S5fy4NOG2+LHuO-hIDk&{4!3d2Kl;PdzWus6p zmvM!R@ids3vCC@&2c#E=D_!}0Y`pNRq+BiK8Y*l|35Bd=qUSEzrtj91W1=-d)Rcd|_4cENWDzLPLJLAd8y0+R^~i%P2#=$Z@D zU9A08KY~KN#JeTlL$L+^U`}2|1!^=Jkae%CRi8%nKB+UL-cOa!Uk-+CKH%&@b0Yho z*oVYE{2!Ye9&xtw6Oo-M_EE8q8JmJxACEix4HG{;VV2n0V&^!ERe+vw_ULAjeG-Qz zg}M0dAD+UuQU@~hy{__U98SLA3pz&Y8ClQDdX5&e-^{Eu?5z8|(`#*B&I_Vn6g`hL z<0La9HN52P>?`7#Ul#j{*!g66gV6w=9bR>KleNDu5d50p*9r5)xfoOVhO=kSk0*Xp z>|0{rHZ~hK<{f8muo1xv#V!)Nm@FR|))_0yO3_Eo2kl+Aj@TA|VF?alX-#}%X-$0V zX-?!}PMJ!2@8eK18c&}P6aO+9%Vn&f!Tb*6Q){rkazR+>LXC}uS|#BF2_I5m29tap z^m?N) zrU4_~HaNX{A$}U4@T2IBqBoIlhND>H980tQ7p9-^hh&%z?GwYa8HccZ55BQ{55AMl z3M$s4n2s4CKf5z^gMO+`*e2%}Ios(lv&-i?(IvH5QwH9zF8yIOy5A)2khGJM($!v4 zBK+>wZnOT7wM*7+v#LsJF>JA{62r~Vyz-}8JqqJR{Uz&fS$k;lb|x^(6;leFF0yy~ zzoP5h!YJ4W-%5#j7(|6wz#t(UNyb^t(s=!KaR^lc3H2y2C30*8r&`o^{#|>Y?kB#1 z_=e>9s^fNBNu!Y)ZEf8A{xTZNXhMU(fX=(>Ld>RZ>U^V$c)`uYA0WOtc|J@ZCaV_7)Wm3cM<;xsAUq?}HL(Zshut59b+pJT85?&5oh?@6Ai z0xh>1_Y%%@;o3zwj!!sC!r2mfQHX_@%y5pw$6Fz$x8Od4`x53*%?j=^mEf>T8?S$^ zoBIun5qqA@elpLe$)Bm<(Cz*X_Z<-70fGk#zJM^}iFd590E?KQ`ryi$Hpb*4DTAb3 zOoit!VRy%1hx0nb^IszPQo%zAEA5q3R&kxgq0ZlJ`Rg$8!^P*3XUfL-gq-X!!s&JS zIEYWk7hNE_(CO?fwAvLp{Z(0{i$#}+E;TweEfw3pk97J;tHq8IT_(ERXfzO^&RgO1 z%%XViO3_uKFC)#=oSKbU!p{D9WMmU!tHsukWdvgQI@arS_z!Ex9wT_H;9A0rkesyC ztc)6E$g)R&9CLiBjj3`Pbzd9QT#g&~o>O6=8QuQ4_~BO_evY}$E|ogj9i*z3sh zHjcqI&%BM3oFDdVyzSSEzd`(sSg1z}wdR8TM@60Q60t?}v^vCoQqj;!)vbV8$76mkB%8-1->|ALGcWz3_&u%OchvGS7B8*Yu4`LgI& zM9(M9B$mKdGHCt`uR7n~3egM1zb5{5^31s~F{c_UY;$DQ8?G$BBL2jiQr?pCHWda4 z9dnpF`Hs_fof+wcq8Eu?Oq$8;zaPNfTJEf{Usxh%shs!d@E5RdHi|CqJALO5IEYVJ zCVIK(6{LA*8J@86KiGn^O7I7QKP1dkXQ!rO>HLqJ9&#^Fj8m@`{jumzNHaD^WA!WM z?VmbdcTT+6&%}Q&{tNOd;$WvYyz@~JaAAG7D10ShjfAf$C}U5yP=#-t|H%p!--=%= z{yXx?;HPEghVPxe%7VX6^bexflV)&GfGWfWE@feZ3)xnJ`ccA037aS|D)9=#jA4hD zSoip5!CM4xCCp@BQi6T8oZWd;yv}W6e-XQ#ER(&BUBa6CZft%Jf50dFCS!+;oiup% z0u;c1clJaJ$sb~OiQP?>IY(Xr7D2`o0LTAa%oF3(e+mCv_#Wbl^kk=I_{aIGZIS<1 zd>t%mfZ{#A6)Pj~yoP=8uVm4_`Iix{i$f^d3$90)cL;;k(MMe0=>`@r`-yHKx*=&k zerUGMilJ}hN@pw5>@TIUlqOUddW^SH#k#5UySv7yZzlc#@y(6L6t~iVp3oM~-}!F5 zfCI(16n_x;WLbujZ8ZI?l`A(}-r8Eq!BW~#VUVzuIM(W`4Tm`2(T2bsD*iC>ZOJp4 zp&E-)y~Dp*E%pe(?F6?c%#))94v!Qj05~74?X83Oqr@Lgo{0eop3`%Was2heWAtvLUW1od1BK?A*!4O;bb=^ zb&S_}ii|EYy3$~rvtvG->hO6X!lw!DCiry18Y-YCq$)Xn$DQl#Dd{e!hn$|~V9FJ? z$tWGi{PIk9j&2x#=PWsA%jso~j}k&2b&fl8Y#>H&Iep~xrNdj0jv=h)I@_aXjM4MN z_7i(PS*GOz?7|kOj`w$EfZgE%QU*%7fC^*QE~7A9=*E$D5f{lAB;#Tl%6+h$B%ZIq zj=#7phUpUFmkJ+3oCz)!UGObJX@ocgEcl@7O3gWpc{t=yAat0^|Cf{@60+ zO3_uKFEbilb!bfuPQPbebqUecqHFf1)52({-#2=U=&_<}jpntchH*|mV%K`P=qp5z zC!Ks1a#2cTBUidGwR61Ct0Y`4;Tj5!5jn`2v%UZ5T9;0;ym^A8iIT3P#I#vjSso@i zJ0Ly&!1ZEp5PKt8HfNRRK*3XfghI)oI}-r)Sz#-z@qT z(YKOj`sXO2(ux}9&9}Momp#U}OSwbJom84ZVb?`+)KBv9pYGnd)_-xAyu0PyLr=*X zw>mxC>+~|adH0E)A^LvOe9F)-fZT$a;{$HIu@ry6Cp;+QAsG+T(50~TZ)|NDlt)~t zzg7ko@RahXl*gzrNO@(WYRkgoPOq{bm?e6)=sBd-yohBW@aDr9Yfd45!maf6@i(57 zHCNVCw3x2IvuU9$Jnh1Cdw`yi@T`RAOi~ zhdO{8&1`|rmu0*nV?GUL^=$VIuR6SZVLbf;!LJE^oiHN_uS;ZJZ#cc!-j;8QeoOS* zq;=|Y%+q%6VklFES+IT4%7i$sAuJ;&m?><;R_1!-I-rlI$EqYUE-2hHE zvGVJWqBn}(WHbsxXyp9K>3%kJW3%WjqPLP(;Vds1IX^q!FcHJPP5dw7x07dVme*?E zl>G3k3-!;7!fz6GNZ4rtmOIB7G+gcPE;Jq*g+CT$$KUu@QXS;_s1V>=G0N9kM%WksOs2Qxmes#YSGqDGVZBCZw$0ef%QLR0BTe!2Y^>7?0r=^^O=rC5%bj+#5tsJkhcH`E<4;J2r zIB#>nLK$dlMpM5F!^XuJJygPB653MW1Ay8d<^(%@l9eis5Zq31d&0cf{L!clINS7h z9Kt7b5X-^wSi+wyb9KDNbN=hoI>xOO{2xDoBW19^F21q9F1}?Ilww^FEER_S4P@}g z;c)UsZ?JH&)p=4lK^CiPp5JAK6PDB$q!j>Ot#*HY#BK+a%nK#ji^DQ1Ansfmw(Mm#zmhZzKi&-{!9mFb`*S(` zj}<%;f~y7B5N2A)%1+J74WpfA{?1PrBYLdpTGEVAY$=472KU|@=f<{060k6+j4Nb} zr@`}M`X?qHUFr0|ev!UP^wpxTA+E&w&j zjqH&zO0So3gNz$#Fnhps`)c$MPj>vk?_-Fj2%jo^8gYgnbMOkQ!c9(pYRgF6EczDF zw;Eks$rhN~oc_FR49e}I?+|?_X$GYL%i!SdPItV{KQSnG3BOzTJ;Yg3NBKdWZ74I{ z>q-yXqvt*;Go;*4MX`^PVs?1I>BlYSd{Fd5q8}!$M+-v+A941KA7fxV7 zil262o6U)PM#8fao}<7EW?q{eo_Bhc<(@Byeo^#1qgjx~EMKQ*S@gUt`W4ahN%MB$ zm6wYcde!kX{2xDI0sd!Fcn#nE!|V7~3?<*yEaAR^L&^8taC=$5DdQ~}Z_{Xs^W>dT`Lzak+M|EdsHl%a>Dyg ze_+wHO!RWmD~x6|<%X3`&$eh`H`EA_ltLX zwakxYenOK~WK6JxS%T%W3oGb->R!U8Sbiq&b9rCTW4bLs4f9K9bFD1#mDn|6zb4Bo z$545k`5UMAxj2UCThVJpe@8kN>A3ER+J(P&r;`=w*2(!n&U!lhh5S&1;T{{De%96^ z`cd>o(VIv!g_l>N*_rv*PcA%XwUo^gwn*4Yfft*XC<#A1J7yIQ;S;ur{YC6{vUZzu z!>>+%Xt(({(K|%%{EyDXc;w%m{?zC{MDG&4+h`;Tl-2)q`bkR^e~JEE^q#%x%MIY3HtD!f4fQ$JfcTWvj@ z2a0Ve_8_t>N@iteq;RBNE9Y|%AN+*Y;tv+zhP;BKH%2LkI340jeS2#hD&;UKZK)`u zMip2S+{58+G_iqaN62U=qdg7AC&vC_j&wNE@r$jB)Is=B!jC4-A3(m2wNeszs*Z8v z70cB-%IGBHSQ`8R)L}TB=s3sAt*Cn7aI*82OK}*V zaEkaY;=7V(g$cuD&{M!AQL)NpIMuD?cK1$`)lJsvwD>E;)>ZK5I)9Gk zhUbazC;oi$$t)-rLtOhi{iQw114IuLeZk&zR=CjVHAY_~dXVUgjb;{<8wNZ5lw~TH zh`v>C2CaVM&Ot7F}aBQVr&5jduD%OEP0bj}={O^vD`^3XgO8-mG};%SB%ydOYdI z2npJ}lS_zlS&l1RddSKrS4p~B(lwNrN26AVjd~p(U^T)Cf+q^Tj<6ngZa~O~H%xNl z5{sSdW!xa+MjDJAMP``n^hZWd5j|D(G}3&g3JS+oE6v~JLQ5-S+$`Z13Aa+<=`k1y z8T4&VZ(NRp_=MX<-y!-=(kx@_6+vOTI}cd=+$HC3Irq@uD-z~YU`j(lZ3L=d*hk}4H%31ke`0}* z*JQlz2G;b&P!v4qZ@96`)MSc``Bi!^KB#&9`#FYFQu4`h*r!64DVy>4r}oKgS0J3IAO97sQhlN*f%C zaY63%veBVm$yp=kYdTDQ%BYLcC*b^e%cZ{+zgGNr5MO{eE?An+@^*P1+7=JE<}2MpG@<*~8^yxsl&p zI;Lg3{y!w`lC+x=?+O|Qu)cP3deWcnd~but{*v>zoIU1fl7|)@DG2|#)7YMqf92G< zLv;jvD;AJ#GT%XC!oE0^tS3BZ&7O5}2=xRR^=R;Nu&iGtO19(FgH+$8Z))P@>?f&# zq=uA|DLKL7a1j@Xst%3ZYU#5CWHpx6gccuSJeKJxp{dia*kjpD^Z}xq?@gzM7EaGM z`asbwMIS_(w;#pF(x7W-<;H2Y9C>RQ2g_(fgSQ|1t%b_Ufc?cv6X=sX#I-SJ$4fs{ z+F{b#Qsd)Ti;54&6FGkT^ASHncst?k4d*)sKXjzylkFALLHJR^k0!3?1UR1eyl{*Q zm#xOH;uAVb=p^A-3Vd|+C?c~y&iN(wARaIN1o54Xj|n84===kgJWdjyB0kmlWCUSU zk@N2lj@O$mK0|z_@d+#$h?h;sa(>k0$Y+bs5ua;3ns&x=BFM?kC#>jyiuf+#yOL)b zQUhB!)#+AEvx>*z3^zL3gW6q24;eja@CL*Yt=I_Ig@HDt^(+Zz zOXx*`KT%bPLDp!kFAe9oF>XW*RBsu5Wb~!M6qLxr<|o)h%<(I)jre)O`w2gvIPY*- z;fOp;EC~IbA7mYF1H=y$e}VDHX7E7gg$teEW)oX45G zYqPvW#-%cb&|rwLrW%GVRED9>Kd=FZ@d?Ak4;P_7hWK| zkT@H>^k9zoZx&UNdwuN5ES6Uyuaq7y1l*;7r@mZoF#! z&|_qbl~GHB0mB$Xu5(uq#<@^>P`r}MC0rq4JOx$Ny%rs=bfvYWtE;43E#(?2{0(*L zaA?T2E*x-d{EZ0`CQ7)D0&nA}!fFmpo#gmy*%7~9_zl8uB+m2al@%1?H_)lz!q}xa zj!&2(VXA~_CX{1xE7s&M3pcrNl9g0%mT-%NTPZLda(oW?+nm4Pxfr6`#or*5HM&ut9 z|B(2H$+H+gin9bCad@~z=uE+n3Vw_*gRfT!ga5b-Q|x6jOTugkb4*}RbiGfw@Vb?u zo|G_G!c!Dj7EqEXt3?ksuK8(~>RPgRM$)sAo}&FiT*(JhopIOwufQ9$w!XQ zv|Mbp@Q;OmLYxVyDp8BgCNS>iQy2EFj5pvj37<>&f&!CiNez~n|I*<(7WA(KuMzyU z!FiP!T=9*==Pbtw@Cn}vUMu)JgHv;n7`}J7U8e}I6a0hV^@RC!Va}Th-5Z?mT0aK+ zNAVlQZz8`h_`K5alcP5;iKpHybc@ifL}PqsWrm-fUTE>XP4q9Kx9?47ggXk8paB|%0#Gm`7cv%+5Ajg)mU zLidx=Kt@9|(29Wd!np)}BR3XWGs6Bd8p~)xgLk*Qbga63nmRxGoET5d#2+BOIeEoX za(Na^HE^N5bwL~`p{0a_DA+yD4y~MCYIGO^B5SV<1rI)HPBIFo1 zR;t?c#47FXIFmooO&o@i(x-kP9pACr*-(A|aIm zvxU@5JiKWR&uWKb_=I%98GFmGu!mi}W^!0})1i|6hxyod0f#Cc1xfD$&qJk#m5 z*6eIiI6U*zn+A2A3BM6uWsv8800S6~%K zEpIf^`3$?2qr{hqFDK730hT+iWGw{QaD^*Vu8eoTQc9JS%cw9GD@wUZM+lCu>L2lh z@M_^Th8L+fE{t}(ed~yi5k6LUt>LKN@SQNu@x0IRoA`vwgq-!A?R@pqDE{*}P=n+k?zx(l-=#UHp!!rcnu>)0=YMlJhnl%f``l;Pm&FF)tLoNc7^p z==9X^uG5>0ULty_==Vsoslq1IaAy?cy5W8IW?mS>v`pS|c`N8OhR1d2IK&nuDl91E z(s*mHUM1-RNgwVl`KoIlxpbvTt0jFb=@Uw7ct$gNDQ8`v<@Hl{_URQv_nDl}<$OU$ ziIy#+$(b5ox>90oFJDPnBjsx<$waF(h}{BQxXBXXw-VM$_>O{J+?f~v`MtwezKvL6 z#H`$#p-Ld9o;iL`5~-oSJN4{$_LI{Yq1B5 zZ9|qPPmj-CIK+ivLvS3QaHxdCB($Z#laI(s3x_*_5Zg{{d$N2KQ1HnLM><@` z;0}V15_~k_?-<{hcZ_enu5_dDq-EhiGNIjX_bFR^ zj`&>ijQb3W`;%SR6XFk?BB6_ft`vB=g~;kob@sRai#PT(vE9U;PL}UZ1qP-3Gn~KI z0@Gc55Ai+8GccJJm@{3NcU=t3SrX2c(2D|7@TiJ#j-&ZGF)Y1>_7U2bsItUV#LBr2 zcX~UX_dLP<1fNfs0YSqd*M~|C{atwUnGA@-dgoYl~v@q1s(=6=6gbo*)M>KizWGSj5jBw*!J9)m0 z0vUxgRK($eL;>{!=iA!gmtyfH;!DZ@Zzh-$M!NHVmWW5mDU(x9hoMRqezC(*sBojN zm47Q`RLQuE273e4QK9!Ft>9LvJ&g%j)v{`6F+VRwXHjZS8148X`;jri#|p0{{=W|- zq;W1auxq(o(iM`%yJRJEKA2a!bd(j&uab1Nq-!W8FDDii5*bK{*SginerkfOiL$Pv zrNTm9EJRm?Nv<@oQuOswZjf>#72O>#6jy}F?yRy>@f0~zERe9^Bbp5FftV<=i3XPILZyon?gS?liPZze~>Da_*tS6k`>Rig2$R zbF9X3pNttY?x&%vz-llLI6L01;z6+wiG7$X(+TTJ$eA8-ysp)jW(t2)_+!NXzjT6~ z#ayayS1?P`Y)Nw{F{ZFTALfpt+JqkMC)|0fag3=a<;<1y6dhhed46$t+Sx>p$UY~nUv7HRaISync5ZMC0BlUDE`39QeKfVp9(Vu zED=>&fi96(o$ot7@(aYjCjNEuyk-8#hBw^Ex5xEO8E?sWn?^FD<>W|IuikOtskJy0 zK4GDRMG_WM;A51ps~C$KI|c`ZcisAShom}TiL9lv-lN6rv$Q6>@910BX|zn}a-l1T zDw;4MpsGYGV6JrKs~PdKS4sIm%7;{V&jLOlIXm_0$gURqvDib3a(}wHa1fuc zS@agsTlb>TNcFSR-x{fljZ;u%zVYv+PIiAmLhWPsoP`x|0ZpRw4K!SeyHHO zlHqs9ud#V;e+b_td^hoU1*n1i>Gby&roTl0Eqc#hG&Xno$LU>0|0}xAU8)!0+s~aH z_QgMw1+^cHu8Tvc5s0p5G}=qCwPby#e`=+utP}PV-9U6hqY?9Xp*3=Py`6i1(Tznn zAsrK1R%q&QZ%b&+1Ro%{IpM~~e46(sr9>bfBb`k`AJzLWvfkVZ%Zz zH?G+hub{PzgJrZaqbg{Zp?s`F37sSyOM$27Ez1hWIlaYh+3})J z5Z#$Ha}hKJg%h1^VJ$%?iA@okN|rYaiv=Y@n!|tD?9X(;8GSx3;9TtN{A}7KBsXXl3Qi(`0m$aXJlV zBUtDmuL3vr4Ck-5hp@Z&9^!kFXI6#5uh?t^Bf2pJ{7iS|EXJSk31`VUTTU-J7WY_M z)alI@_q|2;5#5(Ga|PtI*&{H)!14a}2%IOppYZdETLhuU!0DeXf(D2lDEb1@d}X0y zNn0bK`4s8@LbrO~7H`5uvIfbzm==Gdx)M#&VX)I@+#l&nL|-a;2x(pbW)EYqWfNxEJkT)E&C!j&T1BoVi_eeO3ly; z#Fc!tjCA9D8T#`i~|#{)}~$Trd0v;WrXzlPMB% z4)=vF4avoUC%ZS$QuGvgQ{_#g#~@)9l5mr=S+?xu&0=p6dn;MxgIHFGLo~u|F7)gh zQ^V~N?vQY&2`sAV=1zB^yERPRCE;!f_fX(PU52Chg!_cg5Pm;#rX8*Q zj8TyfIDh%`F+2~7e@OhpR?&=pHQ7$7Fi zobbHUKU>m#LG+8F=aJ^sYRys1H*kEbFFGpx72)%VGdP%7SIz+sA-w8Fp4Ac-$aqc0 z>t+;SQ9lml!m6Wgth0`WH)Xsf<82zeVOZ|BvZx5_jyk_%Cl2Ei7K&daeldB5X*BvV zIQkd^g4`&ySJ)C6OJ%%AgRhL_=x$sDO2qHGv;Bb>t;^&rm$QNnvy`~B2nU|8bmfc* zQCTJB11TR;;mt-PICsXx;2;;eSn60U;bRG(P++){IK9=fyKhCW75yD)rV?(JgcsHK zjt{oYlGX|TLHK&&%!Ji{jUY!<#n_*UY) z+ZZz+JA8h2WAf;DsoP}yB4axZ{=lfx0!}^q)$#9bsNZkGcL?8UIGzaRslPkE#GZ&h zgzpl*n>cSWdXo@05dL)GnSXH{pYWH2za{LU5R22f;U9-Du$=c_!F90V2Id{(TRATl zT?+f+AIUmEv!(IGb#VxF0I~JR+Jm1P>N~y79{l}8HxS*BG-IU3Lfq0zMri8v&z4@Ai9SGdbECQBc}ZyD^h+J$4LVSCOVJ0B=A)I5E>!N>fWmVt zS6<&3ueG(5gQc{gV!_D_hdBL<1?N!Fhly@WT4k)gYlGo%x8_=9@CaG$WVNTo7|P1d zOeqTCNXLiTt?D5BDB(vFkI|2fevff_yG4IT(VaveOPZ-5Ee(@7k8^lKTD;oh1)m_e zGhsDk7l#uaU2UoNB%vunQ;Ax{WQ8=Rw_C)di_Q?8Nt!W_CH(VCSaZQFV^>c6G=?Qx zN{*CVDvXtKY!-wYb+Y5T?e%zy@Gio;8jeDFAzogmI=*XNJo{6z}VET$yW~#l5BUkYNo z8ZLBai#3~GBxjJEi|N>{&JKf}{?%^vC894CJ%n^j&8ZkuH`MWbOU=WC4;P+CoJGDo zboY;Nws;8+;S=)37Kkk*%lnX*kJ2{Qdnj#`YSA^MnSYm;7F1Po zcHn3iX4%ahBVnwBS_&5J=nZiCH;eYmMPDI$JZUCq?#~{sba>>xF%?`T_-et|5Vlk2 zhHIVPVW*xTdZOs-NHZGI#-*h|kc&@prK2UY>!sWvxU4>-NkV)a4M4~c%*XcV6_ z(!(Q8@35<$Df&^-j~R`YGz?jJ-045;+_OZ_7CnbF9~8V%(lMzpJmGw?-GL{?&lUd^ zd4?Qy3l{vH?q#LNXGA|M`Z?0P1KNV&d53#jHSGn#FAAPVm{}AyqP$`dOc~T2aKyj-84UJaQ-TLmHsGxqxena`ON#hLVop=JLlM~+AL>_oUL@2q`6UK z_}SqfzrZnk!ZyLb2;Ocm_81!zesy@0WwpNv-XVA=;rJ+OfaCAZm)N8DhxlFMcax7X ziEQCdr|VkW{3ZHt(R)bq?4b~?-x%BYkMm2cYwTa~b?#9yAK$vQ!-fIo7V;?V<5;q^ zzvV4nD^6Ayhfvy=QjZD)Gy+T3j0*LgUii6SwD^l|Ai5!GzWs|Zii@Rv#~a#|w*7@S z7T$z7!;cj}!H3Y)`K43hBh^g&0pgn*j|tYAZ_vW|s=Fe8p!k;J4P8;)~lR(1T9(nr!$>oR*v*=qQiqND?dqair`ejyjtct7y{(ji_Q?8 zNt)5g(T`<$+IcL?mCkiyXtJf`NXezb(5N%@WQR|)*11yzcM;r`F!OLEd`!A#k>7=p zbK==glh94V=@fLcsr+TqI+VjEiaT(L`NYt)+vV zpWiix>k{#oiXTFr;o_RdSn`7_6XOXQ>eisG_#-}Hn5^Nl@@Vmp zkkbq8>8TW5CHgYbOoG@`C}>o6aG^{47)J>S)e>qbB(F9%BP)z{`u{9*A0v9K=-R#M z+%V4RdPZL^`U=tGN%P@BnJ+V3>F_9f%UmV+YQfhKX2@};@=!b=!41Sh#L`2(B?pK!f|8zkIlg4Q6Y#V<^D;b|*kO_4BF!ZZqu8|E(Q;U=g5 zw%p}r(YJ`c)o7Mz(!y;{H?p|7UGyEI?=-r)ung3`4Av!YVcv9&%}mZ3p#&q!%U4qr@LUrz?t< z=m&8AU|Y53W$~|wpKm;B@3;(%{c(Px_X3E2P5kTR;}e#d5#DgRv89VQMZYEbZKD&s z&8+Wa=t{yQW@{jU}&n)QjQ4&PIny@BXpVQ z<)T-RX2QTyg2`oFR=QBn)>>I5;R6XDQefuB+zN%Kj~t(4+0|;{9}EA)@cfdR3N*ld z>iE|ia1x&9GvS{L|AIIJ&j&IieChNadmz6Oy+-ucq+|Az6~1w}(z2g#1+NwSox!Oo zDaGM?hx@lsFfcJd@DGC56IM7pDOMrf&Jb!KlxX8rrT@uH#s}x?4+a6r=?)F%3LOfYE zWMKs5ghXiS$_$&&+)T;=Qkqj?Zi6=#nqd|9m<{aG02_;Qprn?P4x+@^;R>eZp_S8H ze#1e0LTk|ni*7@jNjOo7+QK0Yr%j7je5l~V1h*y3%mCRKHr8dHe7GCO9UP4#WVDmf zo(4~kMeEALkq-YoFv1-KA0_x`!c740wFn7X9FB3Tb_M>3Pv|JCldNND#ngb&q{lfu z!S3(zqE8Urd2bq<3pjn9(I<&c5uHl9Iero4i)<`!P{U;xxN0v({n_IZ|?|C}&eiI-KlyhLxgE5#B|3SK>?@|HT&i$4+%= ztVPyolDbJcof7ZIuwh8xXE^-RTR4VK=q|X2;GX}%<=BJF;Z1Le#i$>_XAAB{m@m0u z+GQ1u|IY6+zPI>3;`@@<)Ko567iRc=O&lplRdVH zFx2@W)@3_P{BZGk38}*3-~C}WunVTCu>Bk;c;$Wg&XU(#;B>3Q6=Lt8j8m>ytRVE*I7=U5L_*| zhA@*P%D=YwXF(Y4(u4L3VDC8Mo$bZxlO z>DEU?n!9*T3RjE1hBWVO^_WVG&qbl%`6UlWeuDUk;;$pG&JaB0lbro`B~F1)xL)iH zVs9kN$iWKci7?sWntkGlrwE=Zcp6~_8!+~hy2jD`VP@|?oDTg=}xyW`YzFTi@t|6FEN1uQ};T1+=LkF`^3%=dp}ubN{O0+JPccZ z!0~hMi1>rT9}@mBaSoV3hM9v@kl-|5+|ox}8)v!YOlglwdyJZXWmMr9;Ey}r&Ki|w z37;)|4sk|hQAGi2tWP-oPpcTFCq>T{{glyMg&Av#I$gCMr@$vXBl=m<&yiMosVpd9 z>)i9sueA~AFNl9p{5z*fph)_v<3% z^L!NFRn^jp;R8+QbPWZ`%ju!aM61GU#N`Zkd!a9&YJA1Ar%WYzR z5xbo%6EdO&Coja=e|6&+JNs`kcF5RCgTX07A*ZAe4PU>z(7am={~r=|N!U$+F+U;? zc|-Wq=}|TU;V;pDi{3+;kyC}o3JaV341z|x8ulCyE!^1fDSj89aG;EqG7h4_3&8S; zz!Ra>f4oI#Yw-t*Z$q9Dik3t)fQ3UGud!ytLxmqEye)BFZ>U5&!Ql=szAA?P2*K?H zw<%)Hl5sQ*CWbOjVhG1LonrCXQFJHK$CBoAUXH2#2_=IfXIl^;^>)Fjm7cW;3J=ujl6Jv~?BB6_ft`uT6h0~wvbe=tn zr-|++`gEhKO2>`M3uid}S7AJNchNmW_cR)_*AV$1zJ&DxLK7TY)XsH&r{(wOiSH-=eDaL-1S+|C1);y=3#>hAfbfCBFCfln z#HNkOH9aqM;c**5f02Yi5-v6YeN~u+fe|r-T{!j!oCu$AiG)if456TGr&4e8p^krN z1@K|QhYQam&d8}oo)$(pJl^`w@&y+NE+ov*v!_sXfg%^0SYKhWgc1p*6qtcmAp;!g z>?pgbqr{epEho#E=P+O-$x!kC=z0(MEQ=~_z~ol!HTMJaGcSng^FOM=ql0GqQTe)B^S9;xbcuhgRszrCcH9N-8`)gNOUc=f;{aDKwQ{CE;ob*HGX- zNB0N}1Z4cGkUPhTA20qo@=OytoQO^)VaavnW4@wP4slpHAbVZy^qgn=AM>!M79U&Q`F42nX@K!-V6) z0libgJPGrIP>CtjF&-+q^qVkglFxMuBrKG0Hw9f@gZp!^r$vSrg-pFz_&vgx5LdQC z?Y9{3%Te7oV??L{FO_khjAb;m0TlW;Jj)G#C*0Ln2)|$W1H`$sS!SGi{czm7k7lp4U&V8sv%hV_u80XWJ9oKs0Whon^yh4ThfV&-Fn43rsz$g-y+RCJ#dUGcW)cK_D~PMBlumx?-AzVL5@aK z9Bz5;eKTf-XPnJ4w#fK^1`iKT0PA5N8eS(H|Br-!EPN|*7ShGl!`&ywzP<%fSlp*# zKNI^oSsj<6vdcKw@E6AK_|Ws)#D6LNtH5KnFmxtEryk>94@v(<{I}x23w%X64m%#V zzBm4~f&Sq9ApS@3KauCbVcQ7jD#vHMW^@S83EO4-B4Y;)-8Kf{0&u??eOkEOe-r(? z=s!sFP!7fH0LAFPZ}^|#MgL#I{}#TJIIqUiVHin>Ir$$G4hlK>UkL@bsn(BB>qlW& zf@g}__#M^xj}L`m9YmqdFT5^s6^3P{)vlhw-&?;P!3_jAB+O&epVNh)7F_CfH{+tM z_yZQVhm1XCG@`-eV>0?84Vk`|32%jr+*m>r342pe-mEAZh`Fn(2D^RCm=h{`O=avW zV?P?YyWmnE?DjXh^%qJHn)gLF7kxmWi%U5;?}0{l52b$#(Fch>m^6>hAkH>-h{2r? z^Es!b;6nwsA{<@ec+Y^Gd6@Cvg)6+Z_%`C(8b4?-#yUaQ9^-Q%>FvdL5Pvv%?kGOW z1$~6kP3!p794Y!J(MOYJYS1Q#fz|ODukojb_kzcYkBN_ySCPhXN-_NWfB`OH%D8Z8 zC8eaKq^a=epf|uMmod0^Xtl`-&I!&FW_kwVw#cK|(fC;C(0QEr(03L0l0q{^g$A4R zWn3Vm2Mr$hL@JH8e1o6NA`XkYP;f87y$SQgqB@1OU&a#cB2zxwAOkgiDHlt*go?6# zIp9kTex{v2l6?jD6I?`?N4~tYdZa_*i;X{_m*@M7FA-l#o-1ef9XG(>8&CJ}K*56q z4@OwsLC3Nf1HYEJA;wP*PxM2@mx&*SP$x=HeW>vp{&%QMl?$&BK7u$;6rboZSFq8q zhDZ8J(N&_WN%KUNRAa^qJ*|v1V`sPsN68p1V+;)*dsM9}i%Rf}Q{*l)WlgABTrTAb zDOXZqiHXnaDzuHUCiJ=8AEK)yTrJ@m3d(H5QL%8>8hz*#PmdElUi5XOxeq-0e!^fg zZVIPhf{ckWCI!RtkDF}9ry=`XFJp>~sWd{4V0OE~_)Z~5OcOs{{Eg&wj~h5JIuSRS z@MY*6K10Gx39~5h%VKppK`ST;Q@Ss;Dv(kCd}Q%O=7sJzl%(G zVLjrpxWy9gk+6gUOCL3?jB)oG{^;kT3*1uS_X%G{oEZY`<9P60ZuF0#ZoNYE{h}WT zG-}E?C=VKaLbwM#B>G{|D@k)ldHZy$3_ds9Jy#2UMDU}8nUE6nj2q(~Gy3~qeX`ex zeq8hufkqiyS>&EHdRZtmpA!AF=x0c?7sh}6bkVeL&Y;lPuvX43-W0q^@LPnrZd|$O!RFpJd_%Zw-x2<<@b>~fu&f-9iSB*F zCmifAjm^Th2>*aM&lQi&826#kmxd$rk?4;_ZzauZBgvjS##VMi6c+cX*w4g%PL}D$ zn)!78h2aCjs<#RMQutTIdC>7JSyncHHR`X;_;R98`ZqGZmGK=7UQd~9CZ-40?@hQa zJh1*C;YSHSQQ#){wtDCQKG^?k#yOku2P|&8j9+Bzpuv3r%B$p8!$*aR(Qm?k7ybuv z9!xY0p|(ZTya^ z_pgV>xH^bJ^g;>_~Ao3JRZXMFE)GpR4Wf%t~xl_N2%-%~9)kB2+=wuD zb4aNhI>zl~^wVj-n~g;`5xsYy(QyY&X8RcZ>7|}-Dtceh`;pcW=Uojg`G&U&x3y-% zn+rc6;3M(PKWcvm8oqgnUwaGT2MIrzIN!?;Kqu{?1FA878jj5&COzBSOD!cGDybDE zW*c-m_FcgbGvnkVz0q1m8yRhbQH-uiQR8eoGY$_Kt-Xv6G7hJ~ygYPpX<0FP@QDP?Cbo&Iax+m8Qo|wgJPly6!)hXJukd_JXQ2*qE9ESY6zw| zMYkqY^G*1!iC_Jh63&uvHU%DgOm$c_2z~YqZ@LAsSlqe7y9+;$cq7JQ{=MOtjiaiX zjmCv$?KjeI(6wew4tKk8vc}80 zjuv+vZv+Nu>a!XXE)Ea76C_NOFo^=M8oZ|+SmY)feZVBY+t-VpB6@0|t1wI2aCd{z z_3rTWG||&V-$t7F{I8-=5%Z1of&dw%9%wcx<8^BW46I#zs7p7xSIvv zB6v=K(I(N~-D>bR)BT#~3cgM7?S$3lQB;OO=JgKs4pWwddgq-|=1G}Ph54cgV}Ier zD|Y!VGcMSu1QoaiG8W3XI~WzXkrfSOv9-vI8JGBEEtYYQj3qRfFHp(mt7CVs@jXL5 zd#U*Q#4jVy15`d3!g7Nj3J+T=1m7?C0m95goURy!&_LEAQ13VEfTT~-L$V&0wUQQ- z!~sxQG_Ep!VU6cki+@D?qvUy>qb|&7y2O}RkC{^*3a>SC9+&e39o-K`S70b&%oO|| zABx|n#6K{GQ?#&a^B4+c{ewe7xO#-NaZ|QSfVmUnk6Kv&vQLD=znj30vm* zwZAE0lZ3Y@aP32fmydF98(fj|@H>Lv75pAy9#GtH23O$lyl?!{YR_*LzeW59dkc9bOdh2i&x6m1j! zrSPwa^Auxf3$(bflJ>P3O=tOi_(sOJGQOk1eZVjUXxJNGrSDO`H);C}Fa03tM@c_X z^0^fQCux>v_p>=O3cRyj&M$Iy(BXcw!vLNLjLx3m>EA^EF8UABJQXOq6Ulhi{b~Hv zP-y=p{%`R+$+Kh{P*jXkQum*KOmTbrP5djR;0`?*AdHGh-fC;(SM*%aeH&JT#nnL+ zo(lxmB^*7#Vf;>Guj%U9`eGZ1ZD=e%mX6^2Kp;%W`ZxtB># zghSa_QWHsgQ{v9z;3QG;;unMam@+LKpQcjwm9ifdUO4E}A60esH(|H%(z=<1<`NE| zz?>9)&c#g}XvW4X{qbxe;~*Ia(_p43svI*6Gp1_Fq(jVE7`}IFDd$i*t>|!1sw+#w zH<^c-^2H**nbuO;NNG!jds2y}S+xeWGoc{V$=gflAmMNd+!J&<2;cXbG43e8i6dnk zCF5usOqG3-Ol z7KDS9m6DT^r^0Ju@bE!{F-xcGX#6FiYr}Ekj~CyGJX`$+p>tpuRELAwonYQY?R?Ts zl-F5a7kd7rpa;3K*GZ;q4=3ehDP5&>qr%;f8fn_Iq4j^1w9(SWP~-h^7)CS31KeeX-*%?Y+LsHzLim-$b>k`>#_4-BQp#9! z9{tm&>?%1|%ejUQcN={p&^^fDLEZfZ#t9xT_&UPO*U^xleO-<5_ZND8g7}HzCy{Rm z9;2XQ=mFNrCYy0_*yHPEOp!5_2G1CKwBBIsSD}aGG_ljg-bj|a>q;@mAv$-ka(t6H zeMb2d&5$!w&MZ1ye{nV54;Xvp2Z+MrZWeos*g0gQ_5yT=a<>|N@@am}b4A}K`gYPR zB#H(M7|c&!-5n;(ctLB&H@_0*NtjQ8Cl?JnO!-}gKNRXp3xqEe&U~mVfUN~+fT_kP zU8qtnGOPU$ej|%z-6LxWt*C}Il0%@~Yxt6Ims=|QKHMl1Dil${*tkYF4zadhK~=e=bsAy zO!()-d4%vSc`?3zt#n_Q&}}E;vAAs#zLfA41?J&I3?puRZE&xn#bRWC!QTr0jxg8G zZ`J$b&gH&0VO2N3zduO$QNmCEE8t6|pG{a6gzXZ3k+6dT4`)Tu81$9;)#$JK`PKg> z`ghTP1ez0r<6VK#MWMO(FVTOC-btDzATHN5PZx)G`Ny2u;i~;tPQjgeFhHnWpUCE2 zZTyICTkSjfqf-Y_crFlImn^^Uw5nnys%9EQrk3YAZJtXWYp%De<3JeRw4jy|M{zmAq(O7sB;d>M3Nglw_y7n>njAs6zHWj?D;Qa`* zV8FXX4FbHs@i&K7oo3>ji$8!o3x+I4qB_vnAvlU$Tnn)Wi9MJsPcItvhvR!+qg#Xq z{g$E+72S$7*Bnoz-C@RF+nnpgnp=x)Berc|2V>OzcE+v@4KnS;b`X0wS?!@-t2uXs z@!yQ|N90KHM~Oe0JRi&kjlp{$bU@a)EXSA>Kio^lN{UH}Q{qNOm6i?QrIIjy?K00N z#izul$@9=;@kxKyWsGiw&r-O!tmvHR{H}D)bu@afKp!Xic+s6mv)I8?{Xq0VM8SE2 z8COm7sX0+bXBk~+Fh`c5RV;d4U_$3G+S17qx=QFqffpBE#9_L|s89DP=6o04$DJzY zG&!f!;UQ9PK%&kt{-BT_&J=%^__N9L5Dh?WaF9F4=w_kk^tqzDi$0Gu>)E*6Gxo^i z3eB1mF8K3hT_CFmEnX_s75ECXr@^1x?T^xhf_n+>O_)zdWhiXRDyx`1E;6NO-Yb2i zTrB01|4}eYEvgxpnsQ-K`bz01rHBf%U$hkr;)aiUT(L>#2dTfL5=o_$cmjtHD2ui- zz=YYM_Bl|(APIvha4Qh}`M`t55R+yFX{e+!Ny8}dXysD*v>R^l)a8i7;>rbA2p&P0 zr!SdHVI+QM^tN7t3tXk>D$&)XnVwW8jln-gq8TTiawAPzG{j4zB#o9dh7!{gOK0Nl zGK0@z&cxy_7kq`_D+x0_sW`stc4Lk1-B)mdy9!bG^cP{Fy9S}obtaY80ZnJzwTO#u z2rp0d$~YUUc>ha8(1p*KH%LK1gl{16HGuJ@ z;T7r%@%M{=fILr9b!CZr(AZ_6)#M?u4~tzH*mO4GRvA0;8lUXdVjmIvXkc@=LLW1B z`!dh25&O8>onz4mCXA6r-__C>Ml$?{snI|qyl8;x7?k~zIYUFT&v8|1t~hlMO|Td1>P4sBHX zO<5V<`)-u-nv~ar!kQR9g+&XCd&89V-!ffT-+uTG-p>tO}cXN6x!) z-lN0pgZGJi5A?p_Uw_RFU}c+yZxQ|haUQ4?=9K!-*hfQK%tvBB7P~dDxmenLV(b-5 zv|4l$68o9h&jUN4yuy89?0`_Y+a~r)v0stpDaKp+60|XtqYV%T=WDYDhc}Pk$of{+ zceGeG;jx?j!c@Rv7!lkvNZKWM1Fp&pFUz4uRZe)!Bgf64h<&Q3b2pvysS(pVvE&;G~E zO~L$EX2Co?1|ZbUDC#fiZ^5+@8x{W_2B{9B@H`-?F2d+?LRDf|(GXlwXxMS}5FJ^c zhB`%kMAf(k2n$_9S}bIAw@0zMJ0c>!OSsYRfv6g{C&EJ42w^XdClw_P`K5HUs;DDN z`3&p!!r%QpDkQQoqH0_dgoSQzgwZi6D;hj3o9B;jBR%oV7?Wur75 zf~aT{cZAwoOGMSULlG9bRtR;8p%UW`Gj?XEyR;VDMr>PzYGoXPZ;UJPJj<&Aciwi0 zk2dj4_^6~kqH0_RgoW;KYP=RIi}>#92>gubOYPACQ8n%;goW;Cgi260k#xrx+Z4Uh zxVU5Ik&PiNba8}Y)48}y;77FH$F42V;*yBM^uP!)JupHwYexrP<=kMrD8`q=_)8?d z9!^45VoqY7Vy1x4RPlH^9*gIa*?2mcNTl%Ck;vo{$r%2TisjPD4E~YM=JKfo{^9@Y zI>L`uKeHLug2f#-kLfxdVWI1Uu-6HQ)o`@vu{{v|bt>5mq#B&BSpM&?vhqloRpUA%EOcEE{&$g7X52}}pBFBYlf`!x-wk0@xyt4+S?ekI z8LfTd!U8SsR7BOd(-0QA(-B6s$Q)YD&%mz;PP0uKi#u~3;j<7Hy0Z~#)wxU-?DCU;i?~q zs2Vp2VWAsLgBMsnp2y)If}at+eH9|HxS{h%mmw^4!w~9R#j|*^FdV-k_};?`w77Ca z;Y9>Oyof-kRU^m8lg{C1MDN$KK#QwHRE?`bSm>$|MypPy@Z^DC5j^+60xfP7qH5e| zgoSPlLajQH&vE8q{EX-WPb$#jE=N?2y8>aMyAokU$1@mwb1Z&Fbf-jt7Izh*@aTaM zj~)o4cUYO&|5nYe#a|-v_45m~xN(T8apMsdy6X_?t)JZz66tt4A9pqQL*%V#;xo?# zMAf*72n*dLdi4rWQ^}{|IXsNucZB~_fmkf=`gz2sAS`rK5eko|Q%STU-hkf`o)5=$ zn(*nuZzSHR07Xy^!=T}|h?hbb*zYDpM^^2&_#+lKV;(m$6Jep7g;0kqmWg4A(AoGI z(VIfHyIJ%tqUQuUjiM{#ZZ*1nWq}qq7g06tHiU)lc7$3tD&I)|9rziod%`sZTHKw8 zs&VrW7P|QemHl(5$K8b=5qsdW0xfOvL0IUPAdIp`3{A4`Ui^&cbw?FwaZ3?Z5laStJ?#yyO%(5*zM9Zkk^ZWVq+Y`bm+THIUZBOTK~#-<9ATk*0-@>-@k}Br@Sj9XBy??6pv66f zs2cY)!b0~9LSNOctV(3uv-ln1TYoCh;?^Rn#yy9y&^?b(smY@4C+A+k&xjtnut1Aj zho~C&BEmwq9-+^_8C)LjCH#)?$szx~EPR9TSBNwJCNp_-%je5Fj-&i4q9bcd5Bw2} z+c=LKc@1HqdmW(;CI#l4BB8n+2yp?eFVN}fy#CC}UV6~R-c7HDzr zAgac_i?GnWhcMdLB<|tvef*4Q_5kGKHqRry1!1B40HG3}PiJ;X{D+8+tb^ASXmKAQ zs>Xecu+VKq7?t>$g!=?PBDVgX1zOyvh^ld)AuM#CBaCtaO2U-;0zV^q;`jnBZX2R% z+?NOo-B$>sHD|N#Yy61VMLfP(+&A;cev7cseTPsF7P)*Ll`nkUh!+ruiAeSln;( zxc1)>7P>zWD)Agu?N9uO*ormab)IsO7kS@H3*%xV}J(`xj9) zt^gSVvxy3P0a>L3b_8&c|0X@EbZP@cvUs6*B>VeC*Z)R)je zLPH8o@CQ_{bGwd5>2^19-c4TIL*kwi8&Tx#0beq6Mv1))AO4!h8w+nDd~f1Bq=__V z7&G{+jvj6*cwfQ$1vpE1e}lW;<>6+6n+raG@b35n4iAS2#1Jv=KvSL%-56U)IY`RE zRO&#<eT!Gx zOX(oxa4J0hC8hmQQ&ww8R2Uv%;z56S@kohBNj#cjL;L}wWH@xj#H+z$%qVMLONu)d zQFydKh(`;Az4k$TRM#F{qN;XL3CAr@;BQg3x*>EHPfATmO;fE8wXzzol`E4jWBkyW zwW3XB5mn=I2n$^vp$>2YEf*c}BU<Pg-6@9OzHcq@?o>pf+K&*`euTo4u`CmR z27X70|GTSS`ptzEb*0DWXyv+bP9&42J%^TP^K|>yIeZ{t=?~k5D-kN#cC=X!IL^sOYF(A67n4 z#vmDkY1GA4q5n>RPQHwSUoNqKA?8sn?|w&%5EK+!QuYE~P@s2r4X%(0GcT zNCxj%=GR{-xJqy}VU`w&WZI21_Q|woM~NLRb_`jrIGMrxQkNNAeu0NC7kq`_D+8QO z^VNgFyeV>VR|&pa@HK>aLri3Ly=Px*R_-`Sm~mLvcv;uc;)OegvrM5DUt|1^2Wm-h z6A*<;KSEUc5i0v<*h?$!CgXQ>qH0a@tG{0O6yZ}1&!Z6mFCh$nJCvoBcH^7KIJ0mh*_5N9pjKVOC}}`nbnTsDE~?C`D@!g@*xzco;w!juE~VV#E8Bh>DW+ zS2#vb$#`1EGc=f)hL;Z?fG6Up9os!?R_uaW(RS7%3J(Pc@lb$Jc|)yG_<|X~qm8uO zEE?}Bguf_!J#k+9Xb5vJ8T&@4d%Y}ngV)!2=phO<%ZYhqsyEGBGmZy3Ac zET4uq#cmS&R$%jJQ+V6h&8s~7j@Wm_zDIU1`~e;OcKrt7ebeq6RZE`Rj3_)1AjAU! zLKPFJ1?GoiERqiq5gnGhLgnux@gIxdN}h)$h9cz?WB1~gvA9pgekS&Fvb-AmV;FC| z1^B}7=G#T1FOu*tg?~kyB`79?8s@$>c*6CyM7wVgg@*xzco;yabPNIeJ$^)K{ykkQ zVt+sso&pf!DFC6eBwq#%Do3B&pAi!Y&km>+3EL4><92Eqt+H12?v%3 z2)zOl7?}-yqLZm~bbwNsR0d7L``g;~4o9S!*4A8WJAiBB?j`amcc8H|yC4dSYa#X^ zu?Gh>najFEj6JruXIqLrRBWrj#!z!P%-C)`I#^t5v2Db*4J_yDX=m)R$2{9!YzMK2 z2R4m&{zn+w<7&?yDfTF_N0Z$ffB2t=10F7SjG5C;^vC#EnK7Ahn$b~7yM(b1grkxa zn-ZH2EV|*ljIqDn?NgK$n-iNS%Ueh+9*^D>bu{4=77$q6aT1P~(1`-;I+<)XhV$x9 zFn&=e#7-37S$r4rype~@k##4T(I{kqlV$M9v(R;;!Cg(|a_$ske=SE87I&)H)5M-m zmS-@ZM{}z?!|2IR3C0Tq(PxQ1n>5#)$43e07~3w~@6Q$6UF>;ex#kqw9@DPS=+Pk^ z=Zn5TbPv)jev|1e&aLZdc-L?fyHI#9;k}9TW^V@t3A)Ify~1JXBj;i{m(bxEiK7oTf|{;eFgUuTtt|An#rbIv9XzOhWd*w5nD=@E6(tfiU9^+I-RSTvSOss^RMvqDAA)uk0H&K<2?XgO1R4mpWVvimkYl__?5(2@xjzQ zyVRn`n)PpcZ(SwpYFXFN;;}@5gicEapAkx=ae~JSzK$@{pUmO)psO*uL7*pyo+x?} zX(lL@iS3f0$!5JW$S3G}SyN<9rKOXbO6S}S2ERDf!_x#$7kndO<@rnuO>#FGy)vwN zhUl51XOU)BNaIw^HukJ5{hDtUdyCjPWOgP_RYJDzTsfM@&%$7ioTmPSB@7PxM90Rh9Ad0!r~SSzeo6z zfTt5`QoPsj{$o78RQP?uml0PkNTaXba)SqjvS5Ya`vpG`;21tqat|6jkIBR09uoYp z;FW}xi4z$%RIW1o?dBd|E&LJTj}m7>@YtAfj~U#ft%uhLeq8Vqgn0zBcoh|MPa1vH zVoyIM`f1V6kmjoKh8g3Q8r)#0zk96}{G8zD39}^VkB%^xp;xba!Gu2B{My$^cu~T7 z3ia^^e6)h;N--Uo@pE4A{LA7uh<}AVj|*l(MF(K_s^Py3^y%3s{59dP6IZjI=B30Z zJ?;%Nj%n?UH)U*+@fHnk0E1|7rkS@5|0F!oyd(Tw;qMXW(J4WvANRh&wSM!7-z<2G z;13A%z+;`0ES zz0q1QfM0mC3)lXp9d?t~nn`Oe?Eq@5<)Ud+!^f!ao8H_VXy)ZHZ?=$mkj#T=a<6bM zGz7&V#*eG?d`t0%if=_;*FsTsWt6tV%xLooR>XC+meEE=+hA~934Gav9(nD|_$T4F z(OyOe8Hdwg?&c@ic#6W1rY78br5BEraFm3jDR3wJCfqT`?+hC_R(wo+oO~VdcuDUP z_z~rikJ=y#i%TL3oskftGZI2wnW(F?ojPN9k7+(BS>ZY1dE$KJ#VrvH)g_pgk{#nP z=8<{JLzVD2dB@A^M32Xn!;P@S#sp<%d~~MY(up!U%jiObMMfFM(7_dYlHsR^$C;Cb zcNN}^xLUg~l6Bc&3?5KD%$;J+#6A5cPL*?-oYU#l!6r&kT%Um-(Qz7I&$DMD3SET| zqN@->C1+469|0+rN4{D@Zl%O!r*=OYRogb<>G5JD9g zRYgN_TzVS);LV=CP;@WRy-9ONHQWxS14NfUcab^s7kHtw(F{(?&cmlCc6xESNa55SLTZ!dliQCQqSM4^ii zLUa*A=q$4_+85p-jRs3U%;@JbG6T$B$^`Ekm1dIik=>2q8KNA=Hkd z`)arvohfsE^sBFwQYEFD3X5yZ!H&d?Gww0ijk^p#qQrC#Pd1k$ z3LS+IqN5N(vFT*qjWu@lGd+E$e2nay2qpak5}LgCNv2x zfYT&QmvAEmX0l>@-HDN%sN7^q&$s;6dOmg-mS(i+26Bs#oi|N_P}QGD)0_tvvWLqr`UO7=La^4C%(IkU3`&e7l>Ub z_U^#u@V;S@u}7@%>|(L^h+Puc7@h|1HFh+MG%RkZ*!#pTBg-c-l&T4QUW(xvIV0b4 zvsQ&Nb%m_^Wj#QPw*`*f&yn>XG=9?ve?}h?|FHO#s0rlSqI(bH}sLLk7aG8#bP4b5IWtsPt52Zw)3fs&t!Z~L+5gg`@+yI=lGRx6Z)ml zuZZrlax|}fZN|A_<=@EoR>pTUR0a(y?LU++HorIFmd}w)Eba#hKT7zCf{HoR-6}ON z?ayX(9Oo0YUB)jmcF?d*B+v%+s|j<$CVrFfyM#X|@P5GuhoSCIqfeUaSO1sjzeVp1 zG)70ky8kiygOJ<*6);DN?AxgR{F+cg zw-?_*{Nd!ee`$2$KEl`?m-%%cDfTF_M+Y{WO1oo>7G7ObZ60BNb`!tn=X95#rdaBGGomoZ=5WntBh_mEcLKX zF}@(A{#5a&i9enEZdg$)iE#kVz^~|%n!}um#hr;LRPzy{nvYPsipnNlhMi+{hfv)- zS9EvL=aFV1i$*^_29JuK4GPT~!jq51oiFPGSv_cR;}MQNBt1=-6t43NCG?Weo5F4o zGW??KBK(T>pkxNujkWhd6g~z(h>rmfY7de)S@;~l=;3`l-B)x!(M6=0$Shjwi;d+J zGF)7Lu_aOPr==5BEwqN&Eh{E>(2=P4tLLEeO z3{^)ycdZFsj`hMg3F9SPM}Y}Xq1>x6_PZgTogj9i*hyq}!yhtnbjq8IUr|b8;X1k= zQRw-P5Iz493XbK`tN8|l*YNQki<>5Ry5JiL^W10Ssp#C_WCAB@<>F>Ym?>cv1tuG{ zBRAXF-$Uc+&0=p6JBKXu3Eo5D&DgC*pZ+k{i#5*`eVgdpjZWrrXvH_W;719w+|A`;nCBH;aNT2OOb9o>H8LKT@kB79VvCP#Pnt0$ zlv_{9cv{9YGv2$m8_8YO^iv5nPa(*%&l^@@ma7HL6e~|E_gr6wvhBcwX zZN~kKUr|aLgrl+@QRwo65M6!{ssPExGWcTXSEHwdjPsl5-$nmHnpq&9PNF3Qvqif< z&Di>wPyJsq{+6+m1`DVZkD~j>=)z&1{#SIt-Aqj_ggWLN$RdLdJNO+XzB?Z=vA8;j zLM>i+UE(}6s3b;(LOm1q4{b&DB{Y!GkOI$XK8F54X}7!KLqd7EhwwdxHwt(xm1W&> zFT-o|krIn*EWC;Ey@@k9`IJ9X`S_LZ<7h20<^HA%O>!Eq)Li)$vhx!?l= zoKQ91;FCHN1>8dLL4pq^tSc{;W!Zg*;cdHlyd|RW0Wm^+K#WjlDG}#a`iJ3Xbl881 zd%CsgHlo`GI*0FMldhf7ox+9MUUUc1hm+<}LHF|LBpqSG*(`*xxFaPTCE;iaI!WlN zjMv%67``Fgrj8XJ6CMvZitc0v9dZm`ca2|rQg}*unmDsCIv)7aJ7dOOqr8!ok&}_9 z!Sjs)7CCwY-&1rnWkhI!KTgW=QaVxLiREL0JHg-`i~Qr+iGn)|?n0P_0mis=CmFkW ztWV3yV!Mj%7FgV5-6_Ui5$>?3iaky2>48O0FL#EqZ3g@Go+Fx&2?oBbAB34cF%aOTW;EaEjlMGa$ta@1{DmzH!n7jAhTrg- z$NLK}5nf816+7JLOYz2eB!+QEqZO*~=Kb}l_Xf%vByTW1W*ao94`fGWJmm~AW%~DC z87ier$}lS2`_jttia|vKt1%my8KsSU-YJ(+A!7s$-qdigFkj*z=Zt^$M$cD@uM%HP zo<-?Eyh|>|Omm!VcBDD!(B?Qw&S*Jf=$n;?3k=t-n`3eotG;#ewreTp&RCY$$kXoR?4-V}LL>G2fW%O6Zk zX3F{D<~1nN;}C4;sJQ2cCaO{KMi`lIPLJ5aXDOz~E_PefC-{_z}U62Do$}CZ&1I;IG2_ z%{77_7yJZawoBvnL%G9CMcg7P-IFGraJ1jTQ<9#R^b92yLY26dfIn;ad!em$t?=iB zKTn*gPvH{`_kzKbMj#H0TPOHM!Rrb0%;(XH@shExt`dr|Ma6Cq`$}L_=$!bfu?1zG z-6-}ov9FV59^_|!QC0K}Gya+H_wr2{n`FF2gSQGbm$4%9wh8q@i_<$2-j(nk1zvFy zqUyr?rZfo3W+_{wd_aZID^f7W6~Bl?`ShV_^@H}2w2!52rN)vFUAOR_Bifx$%=xUp z-%}v0Kk9&KO25gsNrrG{)_M(#F?-7(C&UUcp@)C zEbceKzYG3@u<{i?DE`yf9glnVFR_1%-5JHq^uK2=5&#iS-eM{yYfLp9i7#6Ri#C zsBiGMJ+*4|=MlW8;6{Y&;SXpHz<=Cc_#LhLlf1_pBMM^)A;efh2(|8X3Lk#&WAG!P z=WA2J`wHHVa6POAos;8eqjh%(9TJ-%s>U@(Sm+Kw7$qfxx^2cCX!yF0J}E7P zA0+%>;ygn+yf;6@*d@z6+fwYIVq1~r)f`KwqCTwdFf)z`k6W!}w2{%42G@?>k*=Mw zQ|kG(w?`Dl3qpwTf)Fa*IA*-AyxU=9cgn4N5$&7#3U+GRV=hTpOPnOeF zPB%Jr;h=;@EBq-&9~{c)Q$?R9`gGFuKYjaYvVvfD}8U1sLQa5uSJ z<`pupq{+O81`3Q3HrD9l>v1dC&Q*v)13f}C&?8jd!()2_uMe-q?y3D(PmMaz&|EZkBS3lsQy*{Lp5Dc9mO=Zq?b- zb4A}K`gYRw@CUT3u;Jql{Em)ac7@09L=*<(L5Kl)5NhRU_(0dEyNrJR8c#0}y-@Vs zq?y4}_%zNfGWf(24=)yckKiSQ>){U=;8urcljaiYN@ngAl{$LU#a zaNoXu-75s&FZcn%Jni@>&pl{toBKTbkl2UCt|Y5_R3_Y`R+(`rt5sOsY8j8nc$5Zr zGs_QX9y56CU1AH|8o`eXeu6NQl0ehslg1u*oM)dB`?T0+$a2LPRxIzHHTc0$gIFv0 zIl<2pX1de(#6n}`xEIWLyxOmRos1V{tf!%*;6tmIj2+Y2voDL?Aodlq%vH$@KJ0U^ z8r`gir#FgzP4w%edC$SiD!b>rVa~ImM)szhO>*9%Q;%D~w+i@p`)&M=&i}Yj7`=li zw8bMtTRcJ?8K&<==6DEfaLfa&KDd8&$%t@uA@g#r_ftn%Y zYm-iG;vWRQk@T&k?jpM~3#6X0w`Tl$>x*q5 zwqam7YTWL|&JG!753zfSZA6w=9`5-Wx0k`sg?m0n5MxQx-0OFf+xofDlW&BKBz1md`ncQpKy@Em)b z@Z*JdBF^L>^ZDeQV8+6b1y7XGSw=)nOEx@L2~Y5;m(v=!nE2(NS@ibvCUi`}prxIj`$ECM^lQ%+8h6 zUDA1!Sc9>t_DWshe@bYPJ73BLQhHEf>eOdGjJM%>npL^LUlbS0>Lsf;E#{DQyU}oO#=7uv&QKX;GKSHp52HUPjzEHj zBO)p)$9#!sEUp|;=xmP=o$V1SL73$fGblJ`c>YqK{z~Ch!mEk<5-{sV8vJ}H0Y?cQ zEqDxJ=8Rp&Hmh`(nbhYbzlF;sT_Nd8O1uy?LOG_f;0%?VL<-aOpkQ-jO&`6UdxQPC zO8V8(uc6LTcNg928rPaTBDmw^j+c8KU7j4wPmCdRU5(*mI&eeS)CA!Zg-;^RV-d&K zFmAHJzXtev!BYfJCA<&dXo|?oN?m#QpS!`-!soaZY-gI(=~8c`%4xWzr#GGYcdwlyo;G-qqNqja-1Kk%wc# z=_x!shs=dETh9BCghkXh0D#l{B8UZi(4V< zepwID;{7LwM#Be+A`$asYYudzX; zxb|N)_}$iiZ#D{kP4Mf4>jP%jXs-MXL_}p@W#}6HCZaIPCqj(!iBQ)&YUh0W__pCy zZT;%s5&o|5_lWb*j#Sb8zR@d|dU~_yEuudl%|na2Voooe{M5W3n)gyDG(VE}vAnJH z>cbn3-u~Q)PY@C9#DzWlc0NTEdix+mZy$uZXO&i;=Vx?#`!^raefer#~CYi=yCA9@hdO#3Hm|&kK%tK&zmS7 zW1_GAem3Fy@CdVA!Y>kbP~erS8#~@Avi|U^Icvgg{Wm$k%lU&&DBz-x9{)7s#8ANf zCF5@yJ887VR{nSFb6w%8lcR>MS0Ygtu77N8WkdZ={;RbW+{1%X3!!#0`o;p!zO@k( z9mO-l(_kG$;gLi_T?))Rn7sxcWYjbIk*SEp;_8cTAi5!GUSF7dXV+26cQMKPW~}Wl0o{aTG?#Gz4el~$OhtEpqql`;wicof5`8dfCMFp}*O@~M{;aECbxXmA z3T{Q1t4?HMXuCPg=u1PrwzcRsqT2=<1G(aHqMgwlSNnCh7u`Yh;iQ{z-Ld~O*!K}8 zUVDTWkCb?n#G@(l(Ai+$7?l!ZeIH}m<01PWD=j81POSkneCQkHy#!*StW=j77K=+F z3Savo#MizEwe!rod6zMI`%j+Eiq4772Ra|ipz*n*(a(mraL0*0UUVnYdVaz9eX*E3 z!SFv=mSJ%x3hyku3vu20&@J&KW6ul?{3na;Dz+P0-dwXu|LCPpSWhvF^SEoMG&(ul1>2nNzV~&T<72I9$c>&HR(A%)k;65Qw zoGsNfC*j{3LljVM*|913Dr~SOhtiF@H)koIFvM!;;Eo9MD ze5tX#4|8#S#r6|hM3(!RPNLIWvB66(7mE)6f=dLK1~`wAjNJf(TZhK&fr1AK9!!{3 z%{1Oop*4vkCJr&Bb~xxmrIbk-Munv}b7MS*p)2`?uQ?xtJXtQMLe2;}%4P8+s%Op_ zekXSei>nk~CA^wAQ-v{E@GdD%Wuz&io6Eq91}USZjGR!V1hEsvP9n=aNaXSuP%Gmm8~<2mzwYbBPZ2+rys{{|u-{;8)zzMzCU&~m8_BBp zOr`On_$H%o&U$)==$WEt1v-W?uM%#y(WT)&akJ=KM9(43`vk_q!+jO658SP0Y<$G8 zf3A$%WZX`J=N(N$ad(Ho-(BM2I|a`ZJU_tM1TMw944!qHhZhK5DEMx|Iwp84vB=n0 z#&~wI*n7k-A=?0d$mOEx<=nl9iHhOWgI-vQD7a9<$B3Ck-wL@3Ni}{IuX_0-QjpTaBBrWC-`~7 zObD!CWx*Q+ze1SDGldCr;_lV|=whFs zjiO%@{W@tCZ0U3;*xoQ@x6l*qO(~nCyhVklK<78+-ZuQxaDLwr{;u%%h%-GHHa3%S z?;Cw+Nd0EfTSR|Ank$bdQAxxNU;J6#P|ylW~+vUmLvsR1be6_*=o>5$0O(K|B-kz2TF>x_=P< zqwt@IGa={@opwJPJT%flZ@#)BeVu7A~4*Vw;OSfNVpo z7oU^(lpKht=&0Q{8-Kv!S|F;%9fYvZ9gHx#7iHLK=@6qgg{pi@(T9p|73eIoHa-t9 zdgd*D-K|Bp5#2V>=^WFv4UfQJ71rK<-zvvRtrKEY)=g@s?fU*CC{5??Y zAhCnVHX-|eAA^UO$kLyS8!E9(;xLNLy*gKT7BIXloTzf)6~adl=l&)z+-2N3qaQz! ztH#PJMOTTgCe1y-B;9VLvAf?Y6wd%+M~fXpmTS&nLV05p^p1xc(=k&xtKcu`F_n4#7-1DiEKms zA?By6%DTyjin8K`(S?RSMu@@}zzFdLFhZpzmgVT2HyHgVn~t%#X`-i#zL7N3g5uNN zWNeFY^PVAgrr23zxtDoV%(HH`(JLP1da>r4Mc*QNPM~9$Y#DWaqYnxV2XjT=Ci-^L zIwrV$?l5**sKwtYcAnVzWcSAQa@pAbX8YpTLw<}brP4^_Cu z!tW8jgt$&CzFo(6z(!}nW6@I4_laIcnkz?7qd2+)EI0fq-p#SN6~gZq{s3`SiP5~Z zOO^ORvqp#W^^mNGWv!&eq66R3rrj!omxh*y)q)=p{3v0jKZWVs;_fk{XZAxR7Pm(9 z@#FlpO0sEN&K^BH5si9;3+`XbF!YN#l)lIR>r+x zaEoxR)(L)5@Or{bd=hPDY4?)Rh28wBUlzSV^ed#5cnmV|>VIrFEE~nXCiZo*4Va8% z4z0@=Y3&UY7Kgg!n-Vrjc#8sWsF`do7M>Q~Hs{^Y8t{&scjdfChZ|v5Lro^`-Z$Z= zkl8j%*dpNr3OchHT(%z?ygF2?J`((~;H`wCbCq(R7&|?jt53y#CiZi(Jdm*%Yv^AX zy`C$;;#MU(yJ+|u^+joR#>x*q5wjtSu_yY!=@U`XL&8TyZH};URr;J84cxZAt_W0e) z=u1KqMPt!TMDIv5F+io9&#~<%k-Bj?tg7*t>CXSiP_c!>$i5_kyxVhj12(xvn z2(`z7m6%D`_zo|5z6GLC%SVV>K0@UH)KCXvD6d2CJ35GuzUc9m!VeYRiZ~ApuE03n zEaThN!_3$cuD{kY+Q?{2<1iTiXWrZB)z1G`Hrv^%UJkEN+iO)Fw5r3oDrRp#P*=ts zVZzzr-OiB`j*@UR1)UVkt%F&HjqbC;@7uAWW1{1vnO`v#=&tW}5~jVF^IB3`N?Mv4 zuOU^dFoM6~!$Y+yD?BGWPn@S76D`DDM}vEw>DPUn;Nt~%BCKlxcjFU`y)U#(ohY`m z*e-#MW5R@!jNP=qU+>9cyNc}=*gUe|DaIZVD&eP!Jx%QCWOv6(V*dRSTIJ6`T$D>r z#2>;0pxzAj~tG z#*pV|@i%%_D4j19-AiOg;SSnYbU)EW zq;+D@d#l*kQy%hZ?k~1PY$;jZqpgmF`DEg5fLTw3w@(9Q4U#pO7O%807i`=OF{4&n zzn!5n%47_qp+W^Mfo{0LE0Z2B7hEBD1mWn?z~t7>8U5IDPgjbr5?vkWWIm1@Gt%ho z;n`=D=+UCb1Uiw$3ru&J(Z7UV)0d0BLiClSRivczddN$${8aBPsy)3bl&GV($^Vge}asc)(Oe+puL$^u$QrcJ4 zcz!d;$zL0LTX=);jo5F+eizsndWL*&?5o@=7WaeLAI1I@*fj3KKO5WsO3!W=`-|8e zWO;pKa5z2*{Azgb)*k;&`0v91Aig{P5N5sXlh9nk0Tk@6kaPzc{$scX zTL?c$_`w0k#J-sS%pGF*TeJMyTM9o^c&mWNIX_y)9cK92HXd&+yp8a-#9091`q-uP zZf91zGH5Uo!UI`WR!&x)7Sn?Ps8D)$H2RB)h{WQK z6MeksPNbQhJU)p&!Pw=ig`(Sz*v?|RkmZ`wXzWBS-sr!=HG8t?uA;k<-W@cC#|x$R zDW;sgz;EDGDW^#}ol3|$7;fzh!@mt#=S<;e2|qjF__Q2drrbG(mxRLUT;bh?pZ6b* z{w8TxX!xB0KVSF-!g~Z9)7`K|q^IGPZGGA=6y8gCZ{o}|$t+&XUSx2yo*wQa_+r7A z5ayALV^lfJzh(5`mY(LPxHYby=pxdp-6VB4DKe8P7rcO%W&8qzdM&S*Jf=R;@R`DA5ogxH7s42o-{AhGV$pOj_!hx)2=fS{^OL*P*oEOF z%@uo_*xSk01{)vd?lAPd4t}+F3Y{l(en8X1++Bv2UgyyTLKh0Xn<(#1Ma5`K!Y2}L zkqN7w^}=Ea_efY`LS-dJsm7cq_nPp^MlURtaG!)_6ts_+`g^&tnVFtlA@+W;50K@- zL*_+2-r!Hd0eML9!-7{5-W%{PvyTq1*1*}T%sk)^znRrCACdVeO}=469j>ArJTO;vtiBC}Eeda$g@}4wra`2v#_q4oc{=Z&S5qQ?T*}+>Y?>TwT z)8i$gtwfX7zhKIs_CAU0q`W9)Jr!nGOy!PwpxsM`|JfC>Slr9PHwb@)IJbbd$1u12 ztESu$?sprdye8%KU6e4@`WvP!2+EsMHc5Gl%AV0y{+pluZIkW_(mRsgmGmAZpR_PP z`}?LW3d&|FTcmtIMI}c(Y$mo&Lq2 zu(;n4RpWj~Sm^#hs6&O1!Ad!Tn)}m)<>3>Oza;!EVJ8K)PX4!%=o>75mHuP;abbJ^ zO6N%PctSv^gAug`hYC<_L`SJC3{Apy5QQfNS#@dg68&$Z(Rre?Q&xmi)k4Za zQVyo#w-Ft#LrnN7Y@?-wLnX8df({ls?7PEEI42yY))F|XL!oO+A-XSOnD2H5-&3L; zC~)lscMyCyVO5e)wL8Mt!oHq8QtVM;k0#3%V}i0GcZ|U&9PIP`v4UfQBtJs3CIoeWJO$B8~(bSKh# zg03q4e_WjjoKMyN|9$h*M#z?mN=eZ+`;4L}N~IDlg!s(NXJ$Uk=6q%_RH%s1Mo0^a zBBU%usjP`YNufmx*-1&!qW|ml`keDt|NH3sd3@b@KJPvE-gD1A`^hON)`W_91Fy#3 zMBH98!H51D>>B1;;kTn}jb9~ir7jvRD&=UMYt8t-Uf#G)MjIJzX;j5&kb}&@KrRhC zy55}Mtjmv_c5>J)R#zP_kCnNb4DLVHpWtS}?FHXLm?y|7z-*Gy#42&Onlp1d{)Ell zCZ~g(+v(`GW+F?_(co?2E8j`*9fI#9%p@IOKg{gO9PnLc>|LRwS8{jD=q#fP4IUoZ znW($R;7-nmzpLPGg1ZxD#CK7&kFhT2UK6gb@Ins>Jtaga@cSB%_Q%p~F5B?N!#$oO zJXd&>IPXsh=as++E1n|HoPA*&SH7GAIWam+ATTj$jLY=)GJby;xZ7KNq4*;5yatS& z<~gvguL-lmSmF{1r4ss3;0dyE(a}7VDUAQ;bL__E;^NE1my_o+&>G|z&RynMj!(qY zx%(ub2M~4*bN%t#(N*AA&!8kHR^kTWUkUgN-;>4-6nvlH`w9R1@IBlEX3XB_4?hUI zFv}2rG0PBsgOQCX9&&rQ2eB)0j=Foj@sNy%Welak+;c_`H_Xt~@g99d=y0JU0-Dvs zJ!)uKX!#i_bd=E1L>bkzLhEA&FI?o0`?%mI1V0(z%(OIg0W$dBNgf^}c&y;330K1( z@EOyhb7dSHIu3gi7y0HfFOA18Eb@h4Eb@il#B+5K4D^kG$mFJ%o|D5>e$?M%J z&y8WxCX~@%FyrMJ zirDF5XOLwaMlDTAc`;txS54^kkq^mC39}^3rce!k;MioYYROEzdkuRNHz@NbFU`TO zVeWPOc64vxS2qYNFLJd>H`n-mVdjH*;^&KBK%QUH9L!RKL7QCp?@d#7ANHqsOUgni zi>UCP#>=zgIhbe^D+8GE?iim$ydz_=jCX19ZA`50ifKcQkA&r2-xt3`{8I7^RBjB0 zM(Mj{ro0d$#&Rhuq^zXEe5DUmX(A#0z^oM^V5?+(C~GyXM7k1>V^njlTVulIJ^ht@ zB;jKTYbo$b;uS^NC79D-o$+JGd49e4PsD#po@r^miy%wsHW)tb9FKn{e53Hs1D?kr z{8;nX@Y~Mx_$J|-g>NCwoM355VMR_sAyQyWYJeyBrFo0;z4w*8ujPG1k54c=R$34( zuE2F{H6ykef57IxmGPa7?`bfim*!-j-+*&iHCTfrt*%-4+3!{$tV#ydaBIVk66 zI@NHVNN#x{yu_#K7wk>EP#ad_Z`j-+?84Fk_{Guz_*LMFV)1Ou#G#SpznOEwP5wl` z%Q+(FC>`D{bYXIT7(4Q89Ugs!#Qr7rZ?a5pz{cD$gJ%c$AHkJoGcfE5;wKFnL9(4r-sa$GEb+eWVsZp2j)cZxvgc!|JM48sf}I3 zTpj#&banBoi{V@lQA8A14|@_^b8Gbb6b1o5nsqoAGgJZ0K;r|zoeueNP;mO3S;pi@kN{UjZt;npUnDlyo ze*vkI(j=u*vLL0n48v=Lb7Tt765gD+kI;GUN`q&G2z`~{7J^$6wqvKds|`OZ9QzvK zt%SG!4~}&N48Jho*9mVUyzPH*EG1xgQowHz-cI<9|H08k$nYxzezWlQ!fzqYXiyws zbK|W>54g?W#oI)85Y3TB`am&wZ#|I2<(#Sv8L4pSh9zxhI6fF#fUmK47kno3v5B(3G z=7t%5UBDj^K3w>S|KREFQN!B=e5CME!bcNl)JMvn5pjAP`;uNvfU{&?XNgg--^Q77MV3LwmG zGSP&bbG`7agy$qYPeHlN@NUK33#M!hFV`d~lch|dVh;hcks97M+@_a=PZd7xKX|5l z+3@QF{)+JF!e{&k#~=a2ZwUBI;j@I#{tw>Vy=Hj3fX@;By6`uMGna*!j3JjbuD&bbMK2?B6ewDQ_+CF%-Aok_v~`9E5xoe7WGsg7<+9;&#n^tq1e^O zS+pe>`&(c?68o{(wPg9m7RC^Z*BShOSNnUhUhpS^KP9Xz1(wg-U~HXEJ`kUY-6-~R zvivYd5*eaI>E#QPs;>3YChWq5r1-^zr1(vo05fEKiGL(M3)Mnn@>gQN7W>U{wz=DC z?1sDjalaM&o!IY<#Ug7z7<*!8&u$aDUF?r!nUgDs6eZTEa68P1H}bb-r;J@PcGKW% z7uV9uiD`mN89&r3d!_7?vY(1dT`|mYiRr@*82|30p8rYwLGeG6*JDDU+%E>d87iv} z3I0{^;Q;5y^2*$A245IzSAQ3LMDS6r$mPqaLWd8aFWM`jWt_(A zL^J-J;m>lCjFV-YLW7}7v~gee89f!D1Ll&(1RA`_VpBXUk|Hqah8ZXJsY1x%j4Fu)uNQIWL?m;XDbADDX0h zF#gq@e;f|0GhZOMvET~{R|ni9v7ts9#r`7K1p5=0v11ATip^bwU06f_zgR>7zdA=A zzFV%D!6()A0lGx+rGhUb%!h~W{k{2-yWIGd2X$<8B@&+`KAAkP7;ORB(VX(AOEIDG zMlYmFNRyCGfho9V+Ksym!-vlH;mH)9CA>LtMvmhhIFM<((xfq=2gg;CT1aY1iFY-p z0E>TKZSc4qK0wz9ZY8)iVFpN*W>`qT@FiV+fUXnXMtED|OkOZW7~&G9$IW-woAP|< zr+$N!c2aJn!h{<0RJxmty&x30ZWh~K>@8$@`0`>Lp4HLF`5#xN`4HVErGu2)sqpZ< z(b&+@*!0jI(@E?dV(%o&!{;%hlqe$HWy+}f{_uB8=`5uS6(#^dL5|;y$AZySMmHJV zX)q^%7n*H|7z!SB_nK2Byw5%4^pq2!!$+1~UfA1Z8$9=G?8D}A1m_Bl5@sstO0fEv z%QL!gkiUR@(FLMoqyWx+p+Kb?a#w89fso3S zNGg@ohmu}?e0WMZ(A=3Yb%GCATtb;N!xd z5dI`_Mm6=*Qm!fPo-(Iqn3Z#koUwAAro&Sd;rJ*fj5GYE8~n{2FMNXVX9AvASRTub zyNQO+ujlb+g+C|!dE%$(0@##P5JgD@N&5?C%?q#nBw3SXO`)Z4CfXg)8slCxe(MST zEH8Sp(@t#>fhxhk=SxaOsrKM<%FF~$bX7s@V ze~#s%SBPFo+9E2Z4>f#zh^VWCe<*x4aUMJyb?8yI#^`yWS?MFuAB$c~nitHsfM1w( z#y=m9zFzz%;y)$N*B}y)qgsPki?#rB3O>P~u({9VY?SkPaPVbC4L20zZ@w@mHGEh% z$=NJt3msl`BE#vvH2nWUe)B8gUkm?+IGYT6^l)1Z-LeFGu(@xAekb&MqD+N)#|le& zm6Rj%^n)4yWcmlNO~!T^Khoemij?)^;!z|gZ}J|sU0Jt*{NqWX5>OW}So`0p*yvAIKne-(U~Fdr3C1+=Fy z4Z`XK=Iq}p1^tHP9FcRB4&!rfOlx3f$B@!hxIfIQ5}K_3l=YXaziBbb6~-{Vsyk-% zhb{d@{3E*39F-05t8*Yt%tvbvitubuIsv;AdCRVoy;T{zP&$xRg%+=-yg1Ghyjq7& zG$$wIS5A_1vYb=s@M@4fK+|Kd@_bpRn)Pibf2OLks>wPnSWxm}`8*ZtmaCg}%K;n` zo2wzKrmWLxF`Z;DfLM;2A8VO1FwLK+wv;+j>Qd2d!x@TQJ);MOMJCP=U0?K>q#19O z5Gy-=mKl{oI()W_1~MAb;4MQ-qWX*SGR`rlX()u9E9X2pjp#6jA?{+zP=o&nG4}$& zjRjvA;Or=73}|9-y-hd(Hg}QWiv>3gaDF*5A+D;bs2V$T1|cUxTw!Cm!*R==Rx=|`l32DF|+QKW~`m=jjLp|kkOI`L)ohwpE-0N zGW^*Lk6$CamGIWYnZ-liJP&G>nx~W|+R0#DZ&uYYI2ty0 zgRFM4ZluNQz)aI@poVdi8AE@TfZ@b4+RM0w1|uz2KPWD7w;FxM8c*LQx`XK31C7b) zG0%QSqd$7sUvwwYcZj}|v=Um5e@9sEGJe5_{^)m$?<~FxdEV2U2wG^daDm~KzxOx? zmk)E@gm)*-NR<~UarYYgY%L#@9%6fnjgaO2PxRA7Sh7v{_EazANXV5CrNH}w$*an- z*s#&VL*6Z4bb;s?Y5$2xEy;7e46hd+Q*Ysg!i$LW;G7K~iwqlmV6G2JiRe<%eMs}* zoCLlAJ%$XwKNLaY!pnr06HnBN;B%gXHE+;t?fRPZVn`(WN$M}D!X(VI&)!ny#V8XF zFzMyHe82`ux=+&ml-QRWbr9^vipkB@fQ^!aiEY|?agfBp5{FP^5V=}Ah;OmRkXRk5HR$96~nHl;5xO%Cl0Qlkz+j*4bSX2au<0I3%y9`IG@0=07p zpI?xFUDg`Y-2mAb{UH5g>1(O8&vhC)YL(;_a(&)^+3U>y#CdzY>`!EWN?ScVienKh z8TK!8gPE&C7sJnFZj|{sO{NFQ8EF~GS>bMeVb=Oe>8EdBVwoVUZ}Y?HHH&X06z!NHsg z7{QsIgwBECns%7_OqgI{r_^0icT?q^$WF#+H9O%Rv;G$@YOkz)vi8&BozKcfzeV18 zGY^>g=sW<}+)pwO%KSN)m=Q25H63-D=Cl*I8rSB_Pq&HuxE_ITvx{*?ch{J-fl`NG(0CT*hCZ}RaC_E!3`}Ux#gGgM+D!#!yKn)$BrVem=I6!(j z(h(&4IVGj&-}mXkTJ5Oy`ET61-1J|#*4#3&AfeIM;gE>m!p;O2z+)G;sz?Jwvl z@$b8KrOEA?++lN9Np2yzC1u8XOd){x2cu%}e^3@ILqQ^ueYn~VaCL}t*XRJPbb!`8 z0D~GyPR2~H24A?8=fc^p6Wm5{Tf(g4iDbF!4ILNI8-%tKdLvPmJmM9owx~cp<|Y$9 z80SC2Tss02JW04E2oV;tvhmj4YQnwi859KOHVGXh+)jak$xe114gGV2Nc7qgdWX_wRdrf+? ziNDq!l6p#tQ1a!bG?bgN4R18YpCdDQBNLR)mFl&?>VC=Roo*gLm zKC$6n423UXRw?hbolM#CpVtBfCo+47(TZTNqJbxP$~>kN)k$C z#@?L7gX8dzVAn7=9KRji2>j~Pj8X+&b8 zJO73(Gp8`r#x9q$Le5G$tez`~puZ5lZ*lj587)Jfq*XFLl(CuyQ{mz$DrV3exW@QJ zxBL75k@%0ruO-h=p|Tr%Vtwaz=CnA7KVft0v1^$71iu~Kr}$OEQ&v)rEYk-3Gx6qa zeBPhoGtnDGe@>d;GfZ+`tmUJ>FyV$Urg4*m%@VdyU}}gKee&h8IOeu=Uz#d(NI)*a>~g$}(ts*Dpp7%J#=UB>Gp;he;=*A7+oh&=l77{$@_45dD6ab41Qj zI=rXo%f}uKx$X}WHhs(hAxM8p_)Egy6qsgU#Fkp4(a?9yl-@IZxc-q+=?zAv|KT^0 z-QjcNV6qdiClQ~14`Xa9V;4$25~@(}S%3^=0Zugh^6=zN5`MDqQ;0K2$Fl(LR8wk& z96(hm)ufz8#m9_HSKZ*GaQqsAYYIO7UvQSIWpGM>YYVO;xGrG^#`+J(T|HAWe#Bp} zxih5HmvSZ*J_Gd8LDyA0gR@MyA@n6XTS5Z~4Jj}p`7|=|W0;48`U7XaaFf4DTGOelHS!vGAtEnJ%dv9#_%K z_@dAde~I`@#a~9=KZEA(a)Z;uZM{NplHg>6F%7>8AT_?DW;I@SMB}1;vU2p8=4|(j@Mf{? z#oj`eQ3f^T=#jvq-)hELp_2SI869NY9t@7xOBfx^*qraf(@6#wS?K8Qq`|xBvv2M$ z<45jbh!Cc`#dj9pg*@*fvs3OKgMSG*sIG#$3GPl<8Mf?f7y7`vdrit%rW0U+I7vMv zMJVZRmSAYOu`i7Bq0bSUD>h1&X{}~Nad}2J2)z;VMHh&Uk>-(6|LuAi+xtTwir!)i z#TEq?m2j@u*ln-+P?U%*72AibQhb)goiloE=r)f|4>n3JCA?1E#bNWu!q;21^+d6f7i*?gfZy zXu~mO(`EiF4@r4g%1|ndnbH0w-WX=afg0X;M8(rd zi62d#xeYXuqZ4EVxz<-=lGnq%ZS1w3{T+Nq>|(L+lGQ7g z?RvQP44xnQ47@LRiQuJ#6VC@#q#Osd%!Dli{n3|8SRr901-@dOcLXseiqGr^rtAnE zCRa)MP|9j53{VD&t!|CMca8K{`jOy|1+OK{<0D@lb$Ky|bF4Gvi)0_9^-?~O@+lSG zN|te*+hFv!YyAm66TMON=Yhrqib+}S3!@hldwP@T&7!xE=8ez55SlNI-7(IyUy1!% z>^Ee2oy}7)8{1ZcYcBNgw}QVD{C$9tJHRjygSpBdH@8jjcELXeI3+19!|gD5(q$gr zDR`IQ-Go^pEh{J~iX&@)LKpku?=kJ(XZ>B=D{Y^&{nYs4AybX_F6s^#e_rTY@RRt1 z;(sR3w17hj7<1z87c;&LQRk41Uu7Jo!87z_CI_Xb-;8fN(}(DH@khiTCC}%IsRPhT z{)f>uUib8$qW=>8cc3wn6QMa~^nA@?RIeh%;*trV(3HWCsd;j`mwyK0Iegs4wA6 z3Q9XLh|ry7@S;?I$IlkrKyX9C419L1j41)eVw_{f=*{>8Hg~R!^JFxl!6%BvE;G{I z`9^Q3Ef~3Z(Tzo480b_iq?ziP7=2G?PhTYZV$n@W^XrFMRFjcnH_vR|!!JvZAzj1x3gqxIBZ~-Ry5@ zzTg7EF~U4Wq#VgUXMN(lF0PkZM?dwK(OXubtRh-`*7=;>3n_T9@$OuImJ;!$;`@+S za)lBZyI3K=Z$|Ay{tR&$WirZX@FL=vJk0eq_~uZH(ob-I!4-u07*MI08{^cV15D_8 zxew1k3HM33KM1L)SI8|##`*yh8in2hgCq==FoeSCI0GxQ@;T5hnumHh*6=)N=8o_E zg*+tlVVOf|@>ZoKdV0BG#t(F!e+0YGHh^EW4d7QPKvArJa(a)l?0Bhr6#Eiindfiv zS2I$|C@G_<@Vn6?-#upNp(Xz4j|+W5=#xa5*p*e3MllUw4-9p2Pnq-e6o2?Ja>mMe znhqa@;Bf{Y3?~>bc!J<(2s35uQB>$A8vA=-pB4L@*yqXC02_LO8^o z1ur1XOHB_E^-U8-4aI(J?kx!mB`l)Adx}+>_^MenecQaYYoww6U*2MQ@6uz$NO+0q z9^W(P+Tgq|XNjDpbWVhmfp2(jg+wkBB}>ny-33Ry6s;*qvwji~LjU zUt<3zs~iYENu_cBu#TBj@syYTkyL4(3IO<3luY0l>VX}J#QCo!I4?F=8M{yf5MPD7 zf{)K$t~=4_^Uw50KS}h-qE8{Mq)kD>^`2@%{}7z25~@i!je@QhYb{kbc5Ara8e(gT zJ)JBgLTQvelCTCavVgVB85mkxYRjo3r!F17ff0Xu>KQ*LJgqat*B5^#c}0DVfOBUV zUMb*b3vVF2A#nyjB`e>ZW9*Vv*oDoVEA~9GjmReMO$?*_5%%*<$bZt`%nKwmmT(~j zCO90yjaVPY#P>~1sUF60UnJ#XDNU&)E;kYWX2!oB!hebQOT}MCo|l`4`V1WYa>I9q z%9|^MCkam`&P%{VgG|wKU5W|UzvM3=RYIDCbPCD=MlkhPezZp-R2gP<3f1MAva)0~ zr^UP4qhx@)(%7R*unU{JN^A?UEy?nV^GZr`<5^fp!uXD1hPP|Pw-Vo)JQFJOGZZctgAAf&tme5|p zEfg4<+*oOfyVc-+$FL8ZyG?Kh!M79Us~AyErlZlXg-6>-^c|w_B+Z+cm6q@BGM3|7 zxw*T=b{5-(tV*t#=yjFRO-6Sbyi!!r_N_?9GFkVUaAwFt_mI$2LWBZu zC9=2WqUmFw48lMO_er>)0#p9J_<~}naWtNSg^V6B zssD6;mO+vROBxa+^olCWMx9F>>v*{bO>&_()I*XUmNb+S)1V$^xnZXKwgi8{<{ptU zT*?S4Oj8n3!#!$v{SYxm3LhnWG;wBOa?lmX(9XMgTpamvp-%{Xl4#<_mghtn`ln2| zF(f2oB#f2tGzCVwcu9FFZ_zm8Q$z85y!Z*?pCRubbF!Og@bK`MpB4O^;O7a4$6Um3 z(F-OF3Quj4gvk=7P+%;L^oaMtxI2_0Uo_*5@D9HuW2%g4H2B76qc3EEd)eq3Ut=dW z_loH0qGyoi)s~^hE(`Oo8h=md3^G&vEb+6+^8#{E2iKd$;MYu8aEOP;3FcrIW`V^o zW`V`8E}#(UKc>q^)8t(2O1w9Z%6koe)X}z&CPY?ngS9Pm+xVB zB8XRqB=~(suPyNTAV!7ZIf>#n&`4e+?Vnn?Lqkdpc+9ZDuR>}EL z&T2Zm&76h?wfk|m#)KaRc;O=nA4^zELHV45k}|9%hqL6kb>`HKdS|_yPvm?`hc6v& zRFtE@4gY4i$3GLkQTXS?6?ZXJIqolpfSYh%=zX$D!e$9uf`Ei0f@%Xy25Z6_pZPoW z6?P4CU*or<`v$+dh;j@NLxUDh5_Ma#Gw~=IPW7SsR?c^FzNf<%F@>A)I08g z(c6|_CpPz!=!2qvCe4Sy$wV=o(JzMgYwQDbNcgY94-@Chfr_z2FCf0OznOH^Pdo$8 z@w=oWl8#bhD+l5d>$_qD5|Qu^(>jHITz^XYOWNPmc=2diwK||<=F}YH!}pJzO7r;$ z|A$}yjpUpb?gach@$_be$t)^k7fK4ks}SeCLcJZjIh<&8n^19glIW8~pF*1Viv4Ji z^qgvVpDI2qRfSg*ep7{yZ1RX)NbL zI((TByL_8<6EjAI+J}o|Tr8t04L(5BKH!NoGkWk`fBZ{CUn=^tK$p34q#u_X{oZ6x zUm-e4bTVn?BlPm+V=|t6mtxAG@b0BbNt2RJg%=PR;wW~KdzKVoxN$!a01B`tn7F*zt^_0M%z8-HTxopFu$R^nTeXPQ%j@87k? z*1y|d_H|<0h;2)j9~aK??5;PsUYP#l2EpwF-$+=Aaw!_;c!zE>;nK(a(QlT}UcxOD zm~|?MxmykWJES$Y3GE>C_JCsciH?R22xIa)3B5z;okST7M9?fwIqL2*p)|zKyCrm% z(1ijY6k9~OvK6L^GGl9K5$!6Yn~d%>YQiW%9S~;Oj$&SQwgOhTdrjPSkH6v`5_?LF zP-K#sha3psYf0HAeHSVvawO$Sic(^5j0}brG zOqd!f<$Fsglu$&0QCth?L@>vPbH%14hwMa&lu{{us4x-Ca}|8v&hXrDA#vel!pn&> zrefY$Wu*EVKk6!fxB7|iFTR32V;^!~1#W=BTSBxRDEL0X_Y*$;8ekZ>@h1mj`TA4;5eCsxd_qo$o1X39NR_~1VxWw?|PRQLoUWn~c* zr{nHX6VgJn&PWNPB#fq@bMQ^hiE(P1$4sdbuHtbiPe^%^ioU@%i7bZoKV?!%NHNAp z8Y}5(O8!a5V;J`k!8Ed_6j$=sGG59ADbG;h-O7%{Il>B2t!*56T zJbs0v!x1to?gjiik=CCb9`q#PlZ8(q&Hyo!jq)J!9_~d`UfQP#~HQ>9F!!j~3r zdGme+sIG7?o8iK1{)&w0GG@@=09xts>Wy=ua)E&dcUCCrjAn*w7LzCbxKe6e0L ze#w5%&k_H+_&3P&%c!CPXL>TbQmbjE68`~O%ooT?H|Nj5*A8W zM1dbU^i4!5;ccT^ha~wO(ThdDOPY_Zq6Bl#l)3i|?;5^|?+afdd?|6ha7bz5ZkfTa zg#>1~;1z;b66Uev5tL>zn85IxLRof|@DGKrCeFLbVl`VJ*BDrxbXCQdCbe5#L~Z_fX{cO#DXipOa_!G1#v!@GlIn(ZwHr zlkm;Lw-D#O>BZ>)zBKseFz?-0g1;904Pl0*7r%r!_*Uaz4*a*`zZ3sGdB$cvRYZfh z`@xLs!js)5W4nwWgMmhf;>7*gVaB6p`wQ49W0#EGG zXDRl-vyWm?I`h_t(%(<=4$AwP9^V2CcrN2K6zl={i#aETM{!8buW}C4(W@E7D}#Dg z_nQfqhy3yH5{^hXN`dzmlRe?ZEOUPtfBRq9jm`Zj{x9)=lV_m7V{I0Eu5q4Y=2Q;O zKXNK9Q1Jo3df*x8aOO_HzY-}}zmT|8#x4{d1Xm%<*D|M|Jg2ui(daLCFfa(tNuo~{ zeM+FSQNb2>!0us zxwhy!qU(}oUJ%nDxO&D8f55Y6h^;U7OtQS^m?L^;5I+2Q(VQDI41#U8->HS`~SwedWw@^r=ge7>FSjl*+8Jj~qyG=$1 z8MgnO+#e3TYP8nUC1+&6)(p; z*!$?QX(DWm)OP~}T0kP@S!my+2B3cXCYHr(Cb5(*_01))T1 zN8x2CHX$z*aY`hVO6WsDZ!zZqR<)TkNkE4Rb4KO|yrmG$({yy>dlV^}ntEEVY!hsphLM$94W3Y@NGRKPl$h#e4?5rIR&lF9LeaOGUusq6=UR#mGd;6#5pkS zQ2~Y(7+(+~>v-`K#6Lrx@5R51!ET~SKZN-4tfc28Jx_@b1EnIQ@$BRLf*C_Yv1pQv z$ug$U(BqEw*K}ep8lN=L->R3yPZd8c@Txh&ysIx8KQGi9y&`_P_!)uMB1$NGylQ;) zkOIyWKTG`V!0RTVjP{!Gx3~1+nIryn@o$h%WR$VKR<4_C_?*zpGEew?;R}fKt&SXD zjq6QQI~3G=&*oV8nH zY>SXl{z&Y{V%L)8w~86-3b)SaR|36W^e3V}CC!%rqsscBT>(pcu~Y?tsO1%2GnP#kqTjJ_!JB-$x@ zm+0N38Ie#?i~c@t&v86ditH7>PxyY~tjxzXXRxX*mQ&8kgaf8657+&Zw1d)qrp7RF zZ9xnH`-$d}E%rBjQe8fjLR=$%0QI%t(}Ifx&`qC>@y6Kh%s?l~PU0X;kPi|`j7Z4HdjMh zO=+i7Aq{3^I0c<;kD(|kyDqBDk3=rF6*e+l;-N0wK-U4$f_^vOj?Yx zY$if#gYgL_Y(2n$A!uhyXds~>1*QjRv~uSd`|T2vV9ynMp4diY86+(6_^)^Me6yy8 zTC)peHI{WDEk<+nNsr(I(Zui%*YgxO$wk617T%ONp(_NfMGNFgec1N=YifSj-gTe-Du)ReYNGbn=PRJ|!80)-w!07Vu2rS;CtW zPeeehr*);l{{;9d!7T*0B+LkihlSXO@tYOyYE$Cjaa|*&m6X<07?b#XQTI~LWb9gV zn*4-6VRP5XX(OjC9p)Sm`+Ti73gp+D)H|d$H%MwH=|)PrvFNajiUN#QFk$&}odiRX zCA61t3k6;bCghEv)-M(>a<`iDO&Aq%o0JYxZl}W3;CQGynlU?6gLRT|hm1Rear_H& zml^kjH2iKEon>^P!Rz2mD4b~D-DAQ>VYE?K3Ed=gr@*_#6gCeP!-=K_lTt#g>LID8 zqzEO(l2Y`=MJk(Z_|GAKnIk+`c$B!0C8;jY;Qt$oLtu0Hf(r!42=kG1Rt;t1*t}rQ zd!Yuox12&bMRa(AwDgQjS8VXad>$SrC=pyLxDR2z5|Kho!ZrY(6yq~i3&%p$;>*OB zlV_5Vg>EK&jb+<0H`h;Wf3X#0IhMdrM1wg&Fqlm9p$sr{O?VCiW!@+AewsWB7RqoB z7&|%K{y|~~iycCi5edV?H~|}C>w{(-T82Mha}UXQSjJEqOvsBOnCnjQPpRcF(~hhTmf$w=%P=0@SSqZ^H1J%yZNB$tojUx`mw@7*4L zT<{ZupCru06)AxtUZSb~DYKf^_W>FsYpkrNY4I-g!??9^#$Fc&|BV+rLF_YR87Y#Q zqmFH&!A)xT;5;k%Il<2xoSBj4UNCq(gNV&d57r+lR$8Ra7?=t8RTK8EVQ6rmnG$A6m`#DN3W4ZFs8_eTd!>zF7FX0WXO3D~wjS_YA-9e2>2`e2MU-#F+r+ z#uBZa7`U^{lsCdVwp_{zDJ!WkMqmUiN)879I?5k^mEaEruO`gU7hz(3Od!6-@bR~L z{3GEX3tvl|sR~B-aUN&4&iI;NU^h0m9=k9%5q>c@5q@?5`$clO4mQ%34cL`pTSzNf)Bfr<6e2$>skKbX)UM51jHwoCXi2t_$Ls3F5M z+hM}ZZTwa5l(0*}ZVJ3=EXS(BWqXYOzwnIrir*)GKY6`sY8*UZbT8+R{*&l~qJJjM zH%ARee)XGQ%&8R`j}FQCRnB2LiA*uZ+oFO+?GRY8!n9>Oa71kGcWFnY9iC44YopdPy3S;O~W9}@Y7l&h?ExLi|hNPKh{!B;@gsEtYp_5jNeAF7)=i5 ztR3jXbAz0Aa&DxpT#A(_3|<H(W3*+Lec>Dn9-ky&(!0hpAh{dX~x(rEG+z#v0QD6n;Ro` ztk|c?G92hLhH~9FqkD!2IbQSx(a(@(R6*50UraaA_+vHweR)>=bK;*TuL#~e0|Oci z9@B&YK~N?Mo-B9@VZJ=b7NHf!y=eI4P}BC3@TtP55oaP@l8sr>%aD4#Y{JE%_v9-Q zrc0PXfydX(y*=EkhOb|Vz1ZAL;j@I#CeFKS?)iD*=ZjxJo;iXN)U%+=GOMNDG^JZNe=FaTvQWw*Dtu6!u(8m+ zZS=a2{R!R?y;$_Sr1_u1IGU^+{B;69~A#{;Mw?&9**u8P*)XP zP4H=inFRFXa9ng^!%eAf%IBdkNewBS`>LZmoeD2BAEgg;CNlc|kZ-9ix{m0&qCkkXKfq6{WwjP^r!BIEbn z?@w{A`18a!BF{UCsGIN3H~9Kl9=25OiZX&%Upj8JBhwS^qr&=agqJxfjLKOi?lFE`ch7ef z-%Wh?z@yQYReA1SL`OQUxs+NK+HsONM2dzXx zsf0d3z-Wb%cn&@`&V;i<=lZyWG704rc*VIT{fY}qP(kPVnla=Ae+~U)^p{aVgP%lJ z_^aVEnjb#L158ah&#MEa-Y4~bs!jf-hKiUtR&?VrFe4EI?wF9_-alZ6YZeYSNQWD& z!wuo#*a8tssJ^iY=7VNlACiWLWIil&C{129iWaF^=@}W#-7qtXL)!C*jNvjy(BP9x zOfZFhM#eYTfZf>KNb#e@j}ANv6@_T7b&napC)B+>F8&GePm*WZ8NHrxIT$FZJMffQ zkA_5IjI6P;o~Ff6;fA45pXL?V7&MV;-4X}*oqNRJ={d2{|V*AXGK3J`gzj& zxRfDtjMoi?`4>!C^|(L5Bq@`nOrgS5s|fROxfcyy7V42-5}WJE(c{r=HD&YX{v6**`A*9B zRCp0NMM&8&_Q3E9c6)rA@a@8XBz`9Tz$$Fi;Ak8hhtqTERD4e`7u60s!t`eT2s?Fz zT{^;U9)Y(wIVmOC?J;;pD6;Goyif3c!n|kbCYg+iD;NjNxU{o>fPG`=L?=&(jN(C zJ)x({%&lcZ6d_(eze`(D#+&KpS(GbVL=FSy- zp5R6X<0iWE4Sx6>4__d-vET~{^D>c9%0>HY6T=sUdc2E-Uo5<7z|oHab9}gFhCdhb zVV4NMRQP4Y`9x6#ilQevaJ$RRSkb^==@l}PWF*s2o*7Fur5JlcYajMhv1ww{$?C48 zq-MDcgYT~I;Y`6WEHcM@l)F#;&&++9Y$ zv)R*ki|#DC3u%@$<5-v4&~rlS-&JTgq1}lx(4|;<+}&&Nr+NN9_YmAuaD*_Ev0fN4 zkG3K75;CD{h8J=qQK^~9u9v|%XX6;yTyMdJ zf{Ox-`2nJ?*x+5EiL*p-so*|@84|1on30j1;+*ln@lIiLaq(s1%gOW2L52hqxnN;S z*Vl}B+a;i%kc|E^DroRK$|`VVNiboG8(_+YP!B#(%6(Gqr^3vzZ*ssy(ioQE9x!X% z!~UiYk~LV?5L%3rrLmZM(AY=9NV$i^J}h=9S!OKa$Zn)$rKDiBw&qEx$*AleX6BS3 z{w$Bk94>PNO-4`*70E|g`%%N2)bsdA;iH6)CeDh5f(qnR{8Y$~nX@ib06s3~2{}*F z;nPM(?udKJ;FclRI!5qV!A}#`n}~#IoUys3@Ugk^Vkd}whOD9y7jd3w@WGJ9dRFjr zf}bbM{zIs@)_e$|+2#fF&I+&OBzcqNO`)f%6t)@Rh2Wsp7tOgNv=zN1XR4fObQmyX z0Wi+M;H$%AFRuumE_eoE#!UKt(BP|_gJDzX41z z%O$Lku#y6gURs`wm7)!9QsQsSD#0HLUQJjDbG(2>uQi4b3YYqk@Q;PBCC)pKE`b9g z>@wrlnUQ(2Kf!t#pUC)>2Ga?Y)VSs@Dp%bGQx@LlmCvMXl=3+ho`fw3oErqA3(PoW zus1fz*eqiU4PFIS*NC7`?w5wYdZov|68^RDZ-_G?Dk)~q#zKtlWIuteW)0}#t#4(0 zC+mA!j1mRW9QT8<%P#QjHnH2q{z#V3AQfx;x*Y~T*arKsxt)S{3EoYZPZ(3o6!tE` ztZ#cv$loNslG`g`pM?Ds_<2O^~Z`k?5aNhe}kT8jI{-~wj2vAIKn ze-(WAIGmpBelvJNfPWW!MDS6<{K}wblLmqOVf>abX82F>e~JH_JTEkt6aP9?Y#cLT z^HGKcq4@{9hPg^_D{qfqU1$mxpGa{h;Gc;MeQ|3~SH>=6=tWl{%?riyw^{B)gD;!l z;gbZPEcg_{yoVTpjYR=YHF{!bzpE;`n&{I=GxftPGAN)VYH_NYQ~OeX-)qRJDd+Uy zU^N}~V^+81TIR$L8;v13YeJw@y)SYkeDY-s47YJ@F_(H-w zcyUSp82h?6G5)DLJ%5q-i^Vr3&txBY_GX5j8p3gj&`X70MwA`BQ3}T_8@U>;=q@)Y z?|=UIS4c{dluU_%NBu*lOEGw2$OfefP7|C?Sa}WfL&-3os|&=x{l5@i_D5HsD?24B-#ELsQzw-Vf%uu?yc!pB@&QFpBwmkjbDxlTqK z8Et7WDr1cWe0;7qy7%S&_&11dC;CRx3=C#SO?EdKd?0jkxmj>~!M70R(~M(X4(2;= zHGXTzU*9IagZSIY^Wd3DC_!{I_{Z=Hb`pGt;5!L3)y8NUwzl47c+y_%#pdo7-dT8; zfX8FG#rRa+WB8E~{;qTt-c5LS;tUEtQ-$tcgKt`2rY_qzDf=7<5Tv<_Cj4oM7EAxz99y)g9i!BfvBg^2R#|ydu89ca)4^D5vg@TI+ z^NI3}!}E9Db1a!QzJm9=$Pf0t^H& zzEbFl`H=XB#SbOVz+?0cvY^9^9(t1x%_E|RiylFmZxa?QN7WT3xNwh}Q7e?LN6Hu_ zV>AsOKVDdldYi|Lo*9~Q9vA(D=qE|@=EN}v9ZHB#8QwU&A7g}%75+4FJ}R_Cm6Z%A ziMVklTvY7CKVHHF3C~bqnis<~ZWv+%jWt2_K*3VpoV=NtW>l6F#yR zUatGVgj2(i<5dzql(3pY;>#9sYmB`h9Q-4(AB$Z}R*85f%9HC19{Lhah|R4R{E6UC z2{UKJ*$iU2C8crXrZ$+fE|eudle1CI=XBU{*e~mnnB)?344GChG`?+;wprR1Y77?! z0F}Bg4KDi?`>?sM1b;2~8^VmErRdSe0WMpOF9>xp--`cE{P)JA!J6Z?elUJRj(@=0 z#BUe>BY9=J^71g=iQlgsW;__G-FM2^C1W=YM!E>*K;ZCD&3e1Xq&t`MB5)adCGC^6 zpAt`lUOK*W)B!WH(tN;vl5tSR&%xm6GdAR62(cMMDtY6Oj9+COrlH6b?T>1A3>^Q> zgbRmz;dco~Bpju{$c^kwbKPHb3Nj@teCz*|@|Tpqsqm4rs8AMR=}|4A$4vVplo)T8Q&mniIj7OlJu8SMrem&dLR!d<)R0h9!s!&4pcP>3 z3ofIU;dPt%qhBSDmG^ZR|sSv7jOlcgHbETXorP2Sdpy~L0Q<8#mft1ElE~LWi=0wD3oNi)x z=kfl!FA{#S@TSD|^(`pF8a>U7ekZ&X z_I2Xhh;K`tkx7T=0Eg>M7#vP;gM@YxZls_Oys~^4N^JZGAm>RP(RY$&!k@xrp6@bvWJ~PB=I$2U zS#XyC=N0#hxO)t)9BL@L3hpMjJ7GmPh2vhMJA{|Mhv=T7Bczp3lxOE+MYXtk5}DI{ zjK9(xIk|G8bo5?gwPY0LkRi@9V^6p@`7#P*#Aq-~{LIB&FQfa0?_6)ug`$f{^DRa@ zNzA8R#ir~I*~1bkrBeC?r5GLez2Z!1*1=yzTuPag@}QI#WBzB1vPPWlYs%57Ug;;L zzmy6pyzoR8g^^-_8C63bWuT1vWZX}Kv91^s6h~1Z_ki&u?(%0CBz~~?A>?@m-q>=y zXDBU<56O5~#!woTtE_Ot41YD`DjyL(T=)p$jMiv<#L#^<3z+a!sA?N2VU&c? zLBO05C~hD?kC`xQ7Y>BYJucx12~SesC7_olK2^-yKV?ShGyW3B$QUc*X&MX@3Ixcl zqfju;gncPq7%yRhgl8zQVi}paB;*NDrOI(7jJgxe>=3@$&&qsG=JPZeI7~1bDb)zR z7tB~3s=Ox2m@H!o4Ms+k%@nin&|frVWGJA$BxS0UX;gSU=$?b|j>veuY{I8sVLvwa z3U&>1)A8HU&A@N@#fm5BZlgKhUd66Niu_g>?l@D%EE%)$t5dK)I^rQ#LNMXCFy+=9 z39n0dg90xcOH}(+4dqEG8WL_g`*QfqR(#Jy=ltc(EZ>oDGQ}6qQb-k zML~QS**7l7y=~4jz5TO%N6un7@6usHSQhDzUPA_7Il;s43tl34DPg`&5tKoA@MXp? z47u{<;#Y`YNuB{hBt$Zfx@AQ856qbxV&f_~AIe!x$6q&UO!SVdG3DcM-5*K$SjyU< z;9G%#&-y&BGi6UGkgS*TiIh*NFh#^=Bie2-`lfK*pNZZm`g78WYC%ZgWifxj^6 zk5EmxNz!IXTPX2DFa`nBUrPDXl)}UK3pV$al&__HLq(x-=#%BP8a?d=|1`c8{hjFV zNi&|uODeLXY%Tr4gdwB7uuZ~t2|rR$#)*fIyB&tV9FD(J_%7kQiSy~@A_L*C+U+st zXt?OTa`wsDPe*r(Z6Hd1koiAgQqCW|Xk7MBk`7AxnG!FXpY96xi_yj5(|t(vuc8l= z=6#J9prJG|fzWTJylbTkDMzFnrJ@VRig373e;6Kn*59W;h5se|Z{obM7`BD_rko0Q z%!JHP;q;G$N{dydz^{T-ivHRqSZWfl#tGP$NI~X?Ol)QBLZL!R6)H>+c+DuvbL@c` zy~A~%B;#ZmrvwA}1QsaKD0QkCzlKs+RTd2`}hvz7bU`nI%B3IA&)}f;34Dt2FpGltg78O0n zC_p&NgtSo8bGC#A5*kwA3D7dgso&i>#_vAOKfH6rpC`T%`NUgM6zzv7;?6f=N2ox% zKtf{)7gAt+!jlM(qKPRb;Za;9Zj1Q0CW1eF8HQ~}zg{KKmC(byjvTNgx^S<;YrLV!@SN-X7mb4 z&CN2}%eaLGp8#G{Wj}5;zEx;Tx=nls@wby_Y+^ZwYsk8eCOjC*Ih`cjA>qy-V0HK? z*RgSTnee|;{Uf+rLT3qGC@}FuW-1w_3!^)S3{+Rq-9&c}bbh29m6G=w{l(e-*gZt| z6dfVW(4&o!Q9Ivdo3Qp0FXTwbl@JX=UP(^5N?my-)C#4Yd0eYWx{3{Lx2>A0>YDaUMOgkuW@Fe2Xwz^l|Y|h<}niLz97SPnqs1qdypm zo!HzM(PKqF{VzH#%Z)R7OQ6S#o*?=e(!BBMS(t*z*vSv-z*yHn>~mtDC(Cefd5m25 zg3+s1d3uuQ$)cx_W_l3qkN$G1L4DDTcujv_UXn3Y#xxp?HF*0{FxtJyy=+2WcmZFL zFkQk73Jj2zoN})kT`BZHnkjmg=-H$h2QZ9>3$ndt`2WJEXpZpLg}*_ZpCS~hupXI8 zRC7(aCw$}QNtrKYK~V6G$M|^^D+}G5rW^`=J>HVCP|6}IiLX#%o~*ZxZy!>qcf>Ci z|1Nn(e&3o?5<~sUd*)0DpZWLYERnO64xa?Gj{lIm;%SeslRD^#qSfppS+?B zn^#n*K43=gJa7CY1?MgZGD8m)`{+5qy*| zlc-$uG5f>Vb|KI5r`W&5{!KRVI_0P}_?YplPVu4sM|`DsRan5Uk{mYKaH>Fe0`??| z3LW<2oY-7t>_SmNLKO-uQ(-woy&0Gc0i^|#x`&tJBuOVrI)xGwHVl`@#YYSMkxcle zs}ELH3DqQ=MuC^Xi745&Sl#$L4q!JnS3`VF@u!pLn}kMoesTGUt7S^#(9T|4N*yV6 zgW^{)V>zatDUXF5^BGd=OF5GYFGFoYJjYok^a^p}YzYk{G^D^3*S|sM7~U{E=yU%c zS7!p})%5@WM&I@g*|N1LLNxo*qKzmKBNau>K2x)GW~r%Eia}_R6qQhxq>Zc9%rW8qOq5S}PJi8#Baj6};(4*TJ#{+Vpn#HBu2 zDY8;!rP1=Q$^<=e9ZV<>ugZ=RI!WkEf!PHc4Y5j^(T`8{o9`mJtLSc|c|Wlq1MVl} z0j|3#M~b}CL&~L6E~CN=a!f%xggO5N=W;n$$mvB#c?MQMcfAeX89IMoDY%c|s|YJi z`u>5*sIWMKDGfp%*;mRnQm&=K8>+OR)TJA{K5YIvvHiqeAJ`lWMCosAhsOR`2Z$Xg z_6D-d1gr$ghv7z(_J<n>OS(e<*rW^@1fFV+bO39$2^TQR1G7UZ@ zWZ7AQvjyi6=AEinV;0Vj%QYjnwLgqJ8Tm2_f`PZF8k5W2Ff-D|dSkeZLK#Igcnr1= z^jG)>ZUN<6XFdhYHsW783TBr{~(FJmSR-hySEp78;LpQ-j&VV2<8 zf*&Nz*VagmV#Oozknw*m_WT_2bH&dKJex=O758D|uLz%`=Zk+t{G;S~qAIYEW^`vj zdd#GrkNcf0khDUw@k`%DJ!Tj6OX1)L>~LB35VzULwQcZN(s+X z;Q7TICK|@_g7JS{;Q1HDza;);^1R&aXNZ}T@o>CiM*Wauu9C4@#u^$?&Q^qmYCqZX zt0s-yi>=}3UX!#|((9C%EZ!qL?sdj554XvB@o$LVK>q*U?~vX!X=1qF-;%UZ(k4pm zkDFQP-Zpg7XG{&!vl&s%KLi??YbrPQv#RexSeuN4}Ya<>_)T?AiTj&MhJL+$(3FoS*3MMVy8C zEPpn3=vRos&;25Hzt~^N@{ln`m=o9iW_a(=N_;^0@528e&TKpz>yYNVKaFHoVzjf2@BCKO+1e;yhNK&!S9xYr;eNuQ}gTc;~2`8n3EKflyCF zaRnxjW#a=PqFe9UZ~!$Cg&KwUTI6|C6rucw<|*71wawUYrQbsx8FgjUqrt0;$s>wb z$Hd3(`lhV^2LFPeYapeeltxr|Ab44D9$ZW$k?k6rvo*Yho5(p{&Ixo>`rshV6Ak_< z%-PaZ@JWJCCd?Cy0X>{Q=oG{M=`t(B8)mrmc)05gPl>5#L&T8}dA*>bQ&g4J!TTn$oh^ zAHsQ3+DbW}3QrIEZ=olX!RPEj9DeRX!R-WJM3~9P61%Rd#9eIoywJ(0z3^D!am0B~ zV8#rLykT)5-i%7;Q+rF5ghb5&e{bJgA8LE(YuA^1|k zml5XneSba9#oN=ATf-aWaw%6x=|zR-i=E6dYb(xIZ!_wK>hF~@`pCG725-PJ%zCN` zGOsqFP3SbxSHd+Ct_=d3H_!zSdq_9o=FqxvorHc8uBX7a96QKp9%4%UO{x|8$PAD) zP|^*QcpxEJSdH0?^Fq1?$rvo-relVBHzI?&*^CL{WDSuqR7OTHLIWv2rJ1ojT=6U! z*)noyFpotQxDeAN8U0PUzu0-A^F`K;lA)k5lCC(8lLj zCd^Xq_=H*QL$|6YWj!Tp5iMR$e1Al~9ZjbGv^hH$_#`ft^NgG&bo9dVy&Q19mzuI7 zJjKhTESIu^3Nv9mGgybs;H>bxJSTXi;O7I3uWJ}OVenO6Y`qywZdN~&QpY97<(v|b4ihP=FHiPf5OkL zm-B|44Rn|)PJfTdfGW_7=S@?73r&k}N!ci66BTB3Be8r$xqI8_mP`FL*erUB=&huq zo2w+MHR$#Ej#<}+a>Ki_w#j;r7H|8gqdaC z!g}4}n>N-0DRT8q`1upR^#&3eN@zrZw_p|?IwYpC;X}UjcoX5r3qOH4w~vMb)CRER z(TOIE3rz)0C7dMTWD2}q8lvV-F}hE<`%V>on&@Vv`Jl2b3pFP6$Ykfo)6Hrc-cM)9 zI#bqJw0Mt~msFspg(+8!|2WJC)m(fF@htE5T*eQROiD_xV2GND-YXI*l|R=-k4Rkx_TS4rbhU ziZ?pS=p>^v4JHT;TT!=}OH61r#S2{|bd}JJ0&i@s^WNRy10g*<1YaunvH+_j)zjdV z@Yr82_zJD~$g3T){P5U(wfy zzLqo-UWO?MT)M%h-RqC?I>G$}UmsxHJgKg~!IQ#mGeGb_!8Z_Q!qJrhZPQ5jjVA2> z*C%C=guxPSqQF}-v~uE^x!IJPLmTH1DMO`XP~nx$M7al77JYs)&8XP!cakL|TSg8I zJ(cK&eay-=Yv5bn%9E8ZtAG~YR_LynlbgZS4N$)@=Y~i9$r>)FP)-pYJ_8yMjmm}L ztwImd65*x7M-XSmn~;Qhg|V}*^T{a_TQ0VOEKe;y9ANHQybLN$=p5R-MoJhZp^5_2 zpOsNjSP(r1ZnQbg!$Ubn&R99O(BV#sOG@#P4rTsvChY6y4|u$U2@-A%fHLLpQuT#NH|PF0#BiaI_k0fPQt8O?fO75bu_9kCc0Z zg1$f+LWG*|6jL5P-XFqLDbu7(r^5Rw8kWvi?0sfz2&0r{$hcp|Od8CuQJqKIKc-bZ z#)r25S>k7le=zXTTfEFYWPFeC3ZEl>uK0Q6nWAirBaD_0f7p!Hp^!UY#v?KwrNL{B ziAl>bAbb=)Pq@d-=@nkJ3*;=6^Ee$|YYhL0){}k0gvsHspOo;Fghdp1*rl!_n?>oT zjh_}YpAfMjoD^U z(`M-q)$>2uKjG7~UhErUH;`q1j4U?Iy=m}mA&Y%W z@J7L#2rK*3yMc%Nwizddm&0ZmTV!md!Rvrm4@yYy7(F?>d)^hjP4s)Dd0SLqP9uFV zecy!d7W&k0m+*mv4=E`1DRFV`BZF5iz((+M9}C_g_!Gjshw#}mgE#4?#y1FkeRqoA zCH^z=%(}541*Vik)>p-W$e){a+C-nE-Lk%r^(8G{WG+X;3R6ao`^uD~d+;y#xjj<8 zmhuf19yZ<&X!OE)`qqTb;idAOgzqK%5Cq&v<)~wz!eGLQ;S(YA zN(1QrWI~TnR5?S!nG(*Tz~k_}ve@zKY{W(TNC=;$nm6ME*4?Bi$kao+QE>Y&<&Ds`9o(ZxN zWhK$#o{%Y`{*FpN&T}#%qdmms5h#rWlc9$Ydcb6el zqHcR5j}f@NNMn^J$YSFV)ON6J-H*x?lS zaGdYZrf;HG;~%13-52iTzKE)J*C0%H*CN!RgijGJ-GtTQ{9Y%apM>iv@KwTY9j-tA zine}Wu}{?iL{+>k2{{yM*Wjhg;Fr%_{2guokTqW* zs@mlvOm_tcwS5j1MAKom8)kwFpQVROD3nk{fwwFUK#iGv1d9|p8-+04RUy-K_}y%^FQE zfm~`L;v%JQxLGGjxlPLLR2tUMCo}f;iRMkHMrG)Utf8Nqg{W#b8)3S85aEAr zDtvr;2rjKZH0J$PLW{oGprn@BweK9&d!7asK5j;EGwaWxA7rcTnF9nyo zL(_MmdloT~Fd}5L&mpSXtwfmao=2!lfwxQ+D;!ns1v3hc*3i$rh^T7!62f%%GD6){ z=-5?`VH%}ayd=-Pg4k#`|AfNWDoLv)t)Wz>23~*#d7R(Iy^4s4Z~QN!@pG@OkFx`EKP!}cI19$L|8Bc~Cd@N&!j8ABA z2hn^u?o<37?V!zW#Ny|6uH_DPAxw9lA=J5w@aX)0j>yP4FF3p9d?DvcI`wMcMdMd$ zLFEHckukB3Ka4$y!uoFrvHlxE-Ha-Mv#|RuVj|(|@GkofQPu8ygz4@FggUdxrxV!= z18=h*O_?8V_`Op0N%@HiQ^j=#`E4i9{fww+C+oK0AMkU(tmRJjBTRR{A`CgHdU&CU z5#zKG8%cltTth#108!QMcZBKg4}{^0U{w`9SbriaGU|mZ@|TQ*G7bd;bKH~{RN>X> z4x2G9G&}t*DM!lQ`-XYde^6(Ov!oAC*z#b*3r?p-wQWooe}Z#~~(4RL@ZF ztcfU8KqSG(}XkI|*UB zI~ieAUE%ancw|pOM8wC2WSuJhH1W;IH^FxP+p5KT<#h8Z!=rwNyffvUMX%BS=jFJw z%_nfIA0H0>LJ938Ttwk`Y^JE7j4k9&7oJCdv5BL4$3%N-k0{hY z5TXWxFg%V)QC8&Q5f|<2(eOAXNJ*5EM1}c0-amMopgqI*CE@jxB0g1o8u?n_@ks_V z^L8-$#OX0nf;u7!H4lWSc_7r?kw7#`XNkr*CUjI>SIn8ditOs)E{w?^2TNvm>^2ZKq)s+;UkP^1%<{@ z(Mi71q}}_xG)U55NjFhqHW7V0b~hXTM!gvEZU~}K2SJEB2tqwq|DCoIBQy{lrR;wR zF_D#psA`vuFx}-K)Rn~RAsG`WV5%s@M8Xr{Zp@RAFQI?}Ql4d$V^LwmkJ+2yfLnCK|V5LNBU5vIEegwd;FD6nZA*$NlhA`dTj!?N9y7Okc zYWx+!8$T9{8i?RK1>Z%O8K}-t^g_TF@X2O<`fyCNi@OnpDhNVUK@j>|u-JF~!&_tu zVxwJk{l)KUs-$U>rc>f0$T6o`>V$Eh8UMRDCfdymM4=jj5Y-Tb(HE9zE=0a_@nU}f z(b0b1J>vH>OV(^z57J^5r~RNJ`H=B3VJ~yU&lNw9yxySE2b_luzh!Dnl&JZLs&ELbf82*k@)1h`ugfBo8>L3VF2SKQ3f-Q}x>tM23#6-fVp)ry0B%)CH zK#0l*Lgl!n=#`9lX7Oi4|9n$SL@!1ZDjx_@`9LTdl?jwbmg3KdzBD9ends%BSCCd6 z3Imlei2~>9d)AbV-)j4q8A{4ZDbG{kRr6gzaKtZ|(Jd6kUX<~YjF*FfPv@x4vO(n) zGcFGGtyMBs%UBZ(KTZVM?W<<|IX5Oc?AH*5>IXtpKM?8~qlShBF)=q3BBBG&3U##g z;@=RzfjnR0EQo1b!kZ@a4|&I15;jWMM1eO^Ha^eh<)f>V@m*@hL2p|WPFUMYPSPny88rSG+rB7hi}I~brx+O_=m{*DC8eIL`mC&C{#QUqT+!tda%*d;|em> z?1rWfL`Ml*T_Yy4zC#ph9|%$VKq!l|qADv_ceEc79a(?e5EEH@5moK>Axw8aAyi(4 zmr@F!akN2rkPLtA%3U`AAz`bCL=gDd->wH=~$LNl(%*tJ0!tgnMHy281C*dLrEI_hwhu1e| z#=>KMu}Sq3ywqM&tfaUg6{DDnT%8SFn0wZw=dSTmf}})ANtBqCXiA_Qmu&dP3q779 zJXLraab6Y7v##F7>?q&CoEGi9(@{<*Ii2aSE|-!Lm*_4r_>~2S!_RdQ+*NS5V{k&8 z>u&JB0q!CAQo)xIR@Em5JuF>MqwlTu>9}0<6{35QRyJ5(P#P8<=2{KWb2o3gcdnGv zN6uArcp-2Rf`eXECOsUazLKtybS))bZVdH|-md8;#D@&Z^4+XQCDP}Yo=Z&c{rpcI2gKz5+Ok#1Lu>%Hqc81vd z#m*#q99i_A!v9AJ`E7tlXCVr08VJ#*fl&8daX~&-r8f9rx`*coo-24BVcvHrCzt1p zDvu_jf7qmN!<{`}(j$@{rNncIQM_1_6@90S-}eWi@pB8rFBJbcc|Q9nXknrwT;eB8 z*b!dVPfB=7!XgU#(p8aB`uCLxDLkdMaWG$f&OWsyVqu-g!;VS~;)N(Fx@=Kxlz;>r5!j^}>1yZ%Eic zK`(`TSCQ%7H2S%_JpGpFjiNV^j&d&aX?)w@W+CU=EO?9Ht%ReSLDT%YcZ@$6ZiaWo zZxjC>c_sy&^>WMI`$oTTwol4-(I1HZFwj`M5)bW1MlZO{(;ti8A^H>2e4;WdvfZb~ zj@^YQ{M=5lyTpD*mIs+xQJCpIH+V^acMJYP@RtF0n4-*mW$>@#eJb_{{#x)ig#GQ# zZ)2z-nDA`4-M^FYy@VeqDC;Q5RP7ec6J|^aS;t-(`(*q?FImV7dRP^|E2`{{w zh(ZlPMy+6Qs93SaeAPB%+2cM*b!60)QI7^sELPHrbr^$+#Zp~;bDj@Hg9dUM%4tN0 zcT!f#NDQekIOhQ3@N-QBA20X>!aPMN^|GJmiH2`D*Qckc@RNj}Oq@>_vQCb4bf*}< zHrz_5ia$+!GxAJ7@^chZ&}k5#S57zQ@{paMA?HjvXZ^?FtX5Gi!JPi#Ye{oCE#$PM z!&`%E3u#TkRwg`ou|JS=B(#>$h60ZpU6WbWKG*P#y*z%N@V3IwC(h&MLX@2S-~!`6 z3`L;}#kUiG5qUij(G(8KdHK~Qx;w_@`+c;R6Duc<4)=jM&@nb1eV~m0ZYQGga|z-T z#V3)E&TUkc=W!&PvvJh6IOifg^m(BN$5<0wL+X$UI;3e zn9}wne;i$;bd}PL3e&~@Z^azki~Fj(Ih~t(r-z(NU#Hs`wjeiv8D=_BVVI?4<*ro>%s`1Dge-dFfF!mlOHGnG+XRj$6t z=_d5pf_VJgbrSkX;KDt6>@bIHw(D9yU4%f~e z;}#lB4sQqyuP}N-8^8VWq9=&Hl{B}Hp>V^|u#CyeCYtf(GH*-7_h_(cSyKX!d(=Y*O%s?5A$S$PtEl3-Gc8Cd@o^t55=>u5Ql54vNFZQ_2C|x zDsh^`=@gYSMe8EE`-~sF13Smh%@BXT_?hHciswWCYK>%J=>e0zD)*_IC26*#2PxHr zl!?QB2!BLbWvfvBnS-cmHy2^Ln}<->0bkzH*YIJZUkXLq`Jx{Y{b-;wF_V0bd(7wo z;Y;iS(F;XCPMUcOo)`ZG0u=;vD#LC1q@1VZETU5rPEty;dm4X4Y417_QTVyVh(cQf zLbNp?6q}fuw!Gq3_ghnzZLQpS-suZIrZ$5>J31 zB#&zE+h*)q;El~Pw#e8@gV&oAF>;z{-mCAJvmkuje^<^nIqwCB2ZgLa9dh0`XG}Pp z?Q%Yl^C2CkEPVQ_avz!TV)*X&v5XxuKB2)&gFHWh(=mQ({O0hO?i9aE{Ac8OBp6}F z#Vb_k_}rXESNWsgE$0h4Uj_#~6R=QHHaq3GugtkQd^_7C=W99N&|#*7IS^5qFt}4= zzk}}te=qn4!n}pcFsH1BK>ujMdsDoySHeCCKT+UiM@Kb$gW*z?c)9;<(uRdz`bE-y zNxxEJ#ynD!S^Z}8+@+pAAo_RFe~{*T0!0mcNOFG~ek6QF`b+ph;fIL(G7txg;4`K> zY|5pf4D`2@BU1jMqQV9TQabmq;VVz{2|6mg2A&yIB@ha)D#$6sd+s>=9c3YxKkMA z_C^zmH8$nO(2uc+l;fqGK;?f>axqlEoru4p)URynx8D>|=+%S}y_ygTMk@&_5C%U~ z=HXKXpC-5&VSZi9#?y%xBEMpwFZbzY?TGOfbDwH=rmVAq#l~yYJF2iA4~j}>o7E@O z37X4lA*&^=|6yNoT*^|8QDF& zah{B}GR~*LL&@Y&6|*idYeje+T_~%atcz&zTFa^^%g%5YoAG=w+RKQQ5l4gBMnYPG z_;}-=xY4I8L42b4B=UShQd!>mBlBd#U-T0C&!^17*-Z8!;0FrfyG(= zxCdzigSCO1xPcRoZ6Gc!HWr`!R5QHU)Te_wMCwqf8B}$eqc0iRc(1ukbJ~vayUUW3 zEhmQ#yC2~cv&jsLjdJ-Nmup&$La*gX%a>L_jb&ZT90yBPrC7LeZkUO`zl(pz&kdJY zD6xnlZ=m?(B)r|RK&$%57n{|xqof+HL{_P+5wv(x{1`62dJ~f4@L!yBrnZaqDJ_#) zF13OxA6LvTTgqWA-YK+R4$cMmJ#npsiEHFHK1T3Z!M6lB zIWaZPjWhVXDSpf21y2xsYk(8t6O-ITgL8U$c#`1T1m8}Wxkh|i3I;8sLs7K}CwBM3 z9TM)8a2JLD;UAJ?Q{vrZ{1v6U;T;~n8&T*Qg%Dk%5DHF;Pf2l846Zxc!&3!M6Ffb@ zsfoD0_Zhr#iHBzhzF+W6!YYrHV^{{OxDS|65o*ML#gpDeFPn-5Z$bA<}dq&z4 zYX5_l1kEkQU(u2DE=L@GZW*G`j)4&E7zhO?#-${>XAMppDi)og1g{kQJYl{GFx805 z&_XLOm{IkpTQhi$1BdXfHfiT@|KqxpR1-HYS2A3`L@LPz&$P0uR zd4bTwc>dnTU(uGU7kYRzqR{&ZA$mU{3~;i02Y*HI%!M9)7g5!28^Uz=9zwxs7z+`|29(jQ~}evV42v4OW$48rIhjKy%kTkQ;| zt0tmQ4-s68u+Lf0%?RDFqB>`7)4mQ`9cgu?)uYCHqy%>ep5^+6&%4nlse$l@!W$9i z3lbke(A%=yH8%c8Xq#>#{&?{x1fF$SlycmO#>d^|x8GF!N#ai?uj*ZiV-=Y1gi}mO zIn67lN;yqRGb+61Y}P2qE5`WM)6J;;3;qE=cZQ5JWt>HW2Z7!~B`7nyvyD#-9fg{U zZy~-Vc_u213`3$?nKC+5Q_qpoT1p!#ysdD*r|D}83bE&!vo~Cd^W?OZb3Pp=D;iCP zbuNs*@i3zCa~FzlC;lSxd^=^Lci6?ow)seC4cA_5tk^iR|HD7Tq1@%-4esB{!wG^D z1t$?^;&V~9^OLr_WOJs4ie!qMR5@vMc!S&e3OU(BTnCeW-tTwRQBo&Kohk92Wk*ZQ zpoFWPU4ou~mzb6k`dW68)>T?JYRp0X;$4`}nrm{!#k%e$HtXbXl^zl=m3SG&=)$vw zKil;*{@?ID?sD;0i0>76ze1?%ZTy6L{r0aE-$(paxNYE^zFY1iMJy`ew+067EY+(3s1 z?YnEc8;!3V>i027{9y4nk>~Ri=AA~fh8de5@Wv1sLuF*pU>;Hw9Ym(#bHXR!EaBP0 zbBOc4%_>cFxyBZSCeb{x`C<#m@|}kYk=E36!%SEoGMwQO3MCX#;KqwxmMb>)&+C1< zOT?Cn9YL1&d0t5+r@_SAqRKgQI)zRLoB$R>Ddbep;n`trKB}Qtnz8%|zn76RM#-q6 z!J7gZKgXw`%;ZL!^4biqjFB={$}Lp56V$V`I1oBMnelm%H^$4DAmdgVI!`zVOqhqk z-6nh(K2A@PaGQkNDb&I)Vo}^pb=CMYy6?^m<=s0Fg&t1`(c=kWbktbIf$hNAZn7Dd zhQ{){W!xjbj}8-#b^B7>!v_C#9OCeE^94U5 z_|X8zC&gjhgu$CqJ-k5hLcxy{=1~@+y!3>z)6#q@o)r6(*hOS(fz8dpuzUA3{){fq zpzz6ZF{03nfe_6Y2$kl%w*)m$GK;X{r-PG8PADbDfW4? zdTk^pr@0pl-rCY{_(j1l34S@i>;mpyG5G%QJ$;qn)q>X$j@}o(sKQtMt0o=($?xGc zNoys&PN^3DAs#Ebq_}nXGde5rX`Wt>C{zv*qH=&x*%BwTMwjt74gYDPKi0Q|Zxp_X zcr9#)UkYN~+xRou`1hy#jc-O2>IVo>KR`H;w*+REdB@PLZ+i4yq1%MMN0f(}lyvN) zl6&8z4&%JEUD5}VKBUAmk8xxeif!BwThsX3sQ<{B`f5Fe~m9kIDPgHma$X|*v z*c+v|pUrqIWHP_V*e~N(8pU1j+q{fVa34K>lGQcjX` zG8JY~8TbTuim~}yeDY5fdz#p0WO>qy(AAN{NKQAt@8v!@XNW&j{8{AnItGr816-c` zY*UKEb!sl9g_M?5c!nxVIHfVBT5e@RY`Fi=kQj)0DhJsuxuAtZ@?pXC;Le13 zLJLbuFr^1h=p`mx(8Z^}i-fKcx>4Xo<`-m6>fYV>T_Hp4A^uYFmyxdxJ~LzZaMX@^ z;_oQ&i?$;cKX*BzFq0EP%;bbnI3{pp&zataKl+qU&6UFY2)~Lr&n6}?K{Gvihvd1d zP1za-di9lZjg)JHVmU6#`leKbEcZGo{iIw^g;$vki)H8yQ0DrZu_D56qHKKTDmG#8Q#@iEbBTmf2_q=fMr>+nei6QN zIs6@Mf6sHGu?hvEP~b<1vC|0Ewi9Xy(T7sBwwX6M)XqoB8zrxb9`mrYqH;Id*lBD1 zKE{Y0EA|$$ET_iB7IMkGOe}fr#+kG8B=3xuGeOR+bofZ*VE{E>P7{rP=nQ|JCW*gI z{O#mf3dyg+0MM)qhwqN)(qz)tZM}4dq&p?uMTz%d85=`1tZ%Xz^+U_z-7@ZxaW4%% z+BuknL?w$UCQPsAcQIAMGzrrw)MmOc0XM2f_u=p8a%7+5@fnE10BVF7K#fp`%|1Bf zA25DbD9+CkKU@5R@y^94U5 z_))^O@DJITuq(wqX7s8*J-tBmLeYHsem z{EXlwgq1&H#VfX#E;WAPCZCdJ;+KnGL7pjbWw@@-8vOVKf6AW|yi)M7~_pqGFHo26AVn9g%#O(N55)DQRw*d znvAtFUZ=q)Y&ec#ow3iQ`mL`Q`-a#JWO?`J7G@L`VTiS6p?lM$!zX*`ElC?CZK9-u zKo3cjW09n{&4~L8Tf@(7ma#>~)?j2|#VC|5klVdu#`fR6@ve+*GTx)XlZ$$_E5Kfm zN4odTSvAt9YrC8es7u z{T6>m&;2dk{4sxrD2$Xwh>_9=buC6>=`Lgy=$P}P8C#clW3P;TGJc}L!w81^*@P`Y z_(j5g3BOX{Y30{*Oi|A47@hSIEw~kIrzWCMk@Ffl&7WzVu_n zF7M70&A9IZfBu@vI7!CIG?>@LW2lNd#o#VI{N_&;e45~9gqixBQ7UJiZusj>{I<^! zex~rVh%<*MEI?^R_13e^*b%N~a~UmUw4}k*B;fqGRt9ev>{D}&;MRiM5ay*XD8@>U z>Y9?_&NZihXn8nKPFp$W)8P&Zvyx)n1qOfL!KeR1!R-WJ6kvRrh;uKUQ;qqQC@d}B(DC&VZ_8RML%30_8eO)P~kCdyZ@E$_HTJ)gCb#_;qF`siFl*lNRF@i?)RHQg(?Dc1OwoGif*b1`$**a2GX~y$m>my~1 zl2Jv21x)mv!-urdM*sG-PyHCtV@2OWnpYWh_5?T1;7db|eZ1faf^Q|v7g5fr{DMqQ zwKLI#9U-%uB;hs*w^Ly1QSHTCbOJ3oigsC5j}d*O~LM>lg)WC9P!<9 z?vZmZojTZyt^lTvn}Uewh44(^ry{D_O+%ROrX$oDDk#Qy0(YO$YeMcgL-hTkXOiaa zfOican+FVE9vIH-U2`{J@1-~TtWx~vgwE4;mwBfi{Oj!}Oze>t# zDQl=OMO?fCYgttlxL3{iXP!SjugO>|<8>N*gbNBP-8y4G3m163*f+#(Aj{OVr>A?< z;3c6n@s{9?f;R;iClX6w8@xSid9&axg0~W8FHs$8$VQp|@M3W9*cN7nBY#(0*rqMK z$1Nz|KBl~H$_HVm+ogOUVigZtc^J>jFnZaH7b`I1f@IGU^j&(K$hh#rVv! z3*5KH&f9`b;OD**`@Ps7$g-+}95NA~)G$#hcJQM~SBIQ(ucUpFexk(E0N2fkmP#6} z!kGKn#Mp1RFYN6XiTfq~N|D(IC$PxH_cHgJ33;Ja_JD-nCHz5wr>m?2wNzIynt9Zp z=FGX@-@SjyIVk549qt7417Pkg9L`}A-U&tSza<=z@DBw(;EDLMo8GoJd|@1Ty1x-#m~ zsKednpsa{`U47%f4Yl6};v0%@M7}O~WUpxGM%}kDVxlDVsP-qQ38GMCK!_>>!YGf; z$QrILju={P%FLU*(p1VxQckAAQ3k>GRBL3Wkg4+qch%m2nX+bHv zPN4YaE;eIJj^BKH8L=|rXz*}w zJ&N*x?q>Cw>JPhztV?BGMvJ#nd~$MPg6nB?yN-y&&s{G13emj+jj3gDN_!hUHVj0* zQgk2DR|Oi|PEK-H8=Vlg-B4b10VW zQJBaTAtrJ~s3!-LgrHQ6QPjqt65fhg;z{ABCiZ2R0S|IZ?PzWtHzGi5FED>KSegt_w2p)Haf7{64 zKxM+qg;x+~PQh_4+$g8%`~>m0lCO)cL?4pyBu_+4bUybU()Me(Nr=Mitq3uDD?&Y(c;_a$YJ>ZR zyz~yicM86XFi%bvmqx=dYQvumpHJ@=evj~b174bsW)O5VGJI~x;-(6pCVYCp^Dwgk z@cRsJ8s3yMgx@cGCUJi|b1@6m7)<$apFh}HQf5nekP7ofd_c;I)?RzajN3xBYL1M# zGUn0X6PAH*Sr|WkjK=@*=jP*oP+>rb3IjsX_y$^8T1ys)UMTwUKqsfA zpl8q%MsI$=Z~IBnPl;Ycx-R|!jg(PesizSWZT^)_fe82Dzyd{34 z_)X+_OJE0iCGKsbtG?j2vGvWOw}{>vXnqqJ?%pwa(IYFEH#VO>5PAEv*&k<|3dtiUiwSYK}m;#q?z$> zHPjY**rZ=8y!5xEBa;51!~;UtRnGE?*qcUo2;+-CYP-m>7I3Y1D(H)1s zqX%Q%V}1uU5rx`<@LI%KsPym zq8pLsrt!?BxW)!wA0D_Sf{zz`0%6{GtfVoQKhgMxp=GeC_>;t+OrBNX+?-5zim`c3 zeX>s#dz#p0WSQ*v)I@ZmJl*I!yC4!jcZTRQMV}RDbOFHY?`)%og}%kjMYj;$k~9x8 zB`q!1wKDjJC$(jak`~-raGL<*jHJ4A4IUWI$a#X>3O=83lqv{+T{V&i`cpW)hzj};#mc+`FJOVCObZ~XS~peKk=6rV(%$C+C)YLrVh z_{P)x2~QE6DmX2`vGGX>u7kld`6T1#ItuP2xHI9ph(&Wu3F|TL5)&Q^Wr8jex=QFq zfrlEk-#ORa_{+m5#2(@=6@OXa{VY$er}0a_W^$0A%f(+Iz8Cp=h{cSH`q+Ras}U7F zMBj!?*Q;FgvO8*A83nO>06WmYm z^@MewC&at{#`ZbEZ+L*%fnskUt2-tZO?mD{qx;A5AaR(3L=P5y6X_EW8y|b@s|p%t z(1Gt}GuO12Si=pGIaFo_O%}@HV>#mjSF3fIrc4Su%aW2UC5K9sH1?j%HTs@F=ZVf2 zT|k=mN_;H3EEcqsn`)@nUKQLxWrWFjDEa} zKci)$%SBg^ZUS0MsBm6mPQ8LERi$|&7kF=^yixM1=rw@%pSOw|ZO*OXr7}j&SUI=Q zVaiaHbH#3)(Y?Z~BjZI+5Pd6YJ~dn@l7^dT!tehg9zQop!fg_6r@)g`S~Ebq{g%wa>^WP{@dc=&F?_Xxh1FgIL);YL%8Z4y3QP8B;%>~yj`#?*{N zw0+-a^vKXYHAD3MqGysm2Xsbec2-<+W=eccQf^#wa&AsSVr*h+R#sLf#z!S&#-i=i zJz(4Fz77h0ZkDz+Tibe&+v54c`vsE?VtB?wCL9QJmduebSHe6B2@qmahQucfiAx+} zGsF)m%gD_c5_+QzaXBoj55b^}jKU#V7z$PF9=2^CX4w`$H(%R+MB9Fp+t$THZxf^k z0~bsf^|u!mNLVQ0aSF`x%1Sb`MrRCnPZ)pmJ^q?JDgG((i^%f{Mco-Y&^NlLO{ogI zSS;lkDNBNa$>3dH)ksdQxYU&V`hG9Vq%4=Rf(oyEVPTeg*4Unxc=kE5E5$w^*z6*7 zT{5;u=!o>9*q6kfSW;yMVqWbfeHsMET5M{v-5KGWf}Ke>OG?-XeG_ zVI~<9v#Cz|j`3Z4dj4JU+r+;|p83h}fnETY&D9GYtf>j;NDV^q%wNuV6IiJztDjXe||uJ6QtFZPGP z;;D5%8oMJII(}}i*nMJu3M?LP_p`AlpY7RS#O@dSD_K5M$MOO9n<>A98BPyK`CZB% zRFtJN!*G8Z-EE>j$iGA%6n%(vJ?!9E&T<%0QMu!;(C+d#qOgJkLag9`P`8oKg51Bx zPZ;g@a8!Jaw^cVlsIwmBRqi^^Lwdl*k*1ZYa7DX>Pf6IQknIdo+B8ZX))0u_ut_mg7=Vk`vvDMqhgl zBJp!gMV}=4WYT;LF{&=!onr7w+#7!GRKceSZWiE#c+Asqy20P{^6(jg&lG$XVWlHB zIVIMeZS;ptJ>6V%3(+k}^9jcaT=|9QSJTS)rJ={iIpSN3Z$qAG%*rcp=NdceYrpOD z#I_ZCK3P6IaY=Eh=uLQm;jf1q_d?ZaDN#}qCEe}FZm=$c(c|y*bc*Oy(P^aXAyph3hKb7Y z*6Cozui^RVD5H~%&cWbkyEhS$R7w* zmmY{hzaxZLff}J+4sk|A4{^N>oz&fpDc}P@x$_d8ifm0>dwJ znZ}J~BIN;F+_XuOh#|R!P_!h!^*5hL_kT1)PGyKO;H5)H{g7903^K8b) z#>K_EiAFzr0V45plMsb=0fcB5K&XwQ7c7=}an<-cdN$TQ=r8RZ!tWG*7jfm<`J>!q zV`D?EeYeS@WKwKd#fY?`VHI)3!>UH*Vug#0k)wt)uCP2ewKBhO ztTEx~ zo-gYWS&!0U@js_H(-mO-X!n>23+nkqEs(HK!s8TJHj9tN>u z;Vix-c%$G=$6(B*{RSd}Ld=rIkOcA8QLcw1rQ&1wQS? zsMmjL?Cs&&?i9OA>}O=_Gr4HRFTHw;Jro#^jH|3I1-I0pkp*-i3C<2Q$IFMGxB z6aN!=ZXE?dbY1w_=$gF|iJ$ugQCLhGAr_NHC^|M4vjw`}@Mmv|3R8J zPeN)^qWja}CO2rySjA27LBWRz>s^BNH!vBZJ8XR6!~QJ(E&ho3f5v z4S5#5T#-B1(4L`7&3QuG3O%1FH_aCWzfxXc{N3TJ!iD17iNAT<`KG|Jt@R_e7 z4nNmkaIE0C0LR7wjyHG^H$XT+aH8O(04K%ACc9*VpC0Am6v3&2(*hjNCX@~ar-hPq zN5P#0cP7kZMAn^?m6hQxF}{7sy1R()D!vlKMWW0O7VTfUxiS#!*>$rt~NT~`Mb8S=xan@OPb}r zEPkuZaOsBE-0jcdb;A1zzn(a2Qz*@&U6Eb+`5Oav~}>?3l333&SN8N+_bh3@x*) z$Q2vgZx>U6bd-oK6+40~C&tRCKz9L-nvPzY&a_|OlZ64C(#oY(P-}pHK<<>8laKCE z=q_D}$mo!3^!CXbi6~5AiV#znB8;4jLM+V_4XPMz&Wtb^Z;YI=a&DnhAN%pEee!7^ zXUg*z`Q40{GC|6%RCvL&s<_k%C-!CEt%+tOhY_=rWZfp~c3RvK7v3#JUXAYY)ux=V z9{+-$yF<#IQtqO{dodb`$Z0qxn^BhUlXka^dt}^8gAa8+`iHXdcZ%_6gia$<#ZMDI zojeZ(eF#QjKLf zKTenl&p{7}CycFG$8Y#au}_IzM3(tR2G-5NEJsfp&Q<96bBl#PBYX*Q-4q;IjN2Sb zyW;#WH7h3c`C2AxxvUkmcy`eIg3O7%5}q}qI(+bZPR2?Z&(q*-gk=)^e%uSD91Z#9 zi&9>a@-h`ZfoNka#c)hO!DRLY-St=-xD?)BQd%Z%NrGWfK*iDCDr{yfzvq z>TNSV3x$u(GPcOr8jMWjgm$4l ze7l4XBz#Dr0fdZf-Pvj#`UsIx9>wW~_;Vj43hO>2#JbN2qe2ue1J=1f(|`#dgtEm> z3A-eGMuC?BC88|%xxr7=^rvaJ;4cJ!Ntn+LYGYXI=_{j;4+p$Q^w*-lA6SqEhuqNTSU zj$XC;!zPr4Gw`>BBNG0hz$4;%xlyO1f6dr-q2I+(88x=>V#gp<9)k4+@Lk9qhrgqH zS{6W20*Yx{2uHMV~-gTh~Egz=81x!cjC8f0Fo<$@8v4;h@Z&V(`FF zIyhDEX@Z*(=Eix$GQ&LG_>;pedxrQk#h*o<7Y!}-7-0(GY!m(rEo;psw2;s;2q@VU zXr-!FCZvSd&p8rWOK3xZSD8~YHJXUxdac({rnKnMXx_IN?Jkej>1o4UDlgRTF zp~)dDhr>9MO}H)73n>y(C8SYcddg6;$M!oIemFFVcNE@9cxU2F&q($p1b>O~-In;x zcM;!Jd^hsCWEI8gXym$^@M_5Gx%3%Y4kTPgfjcP6&p>-9R#`CK-RXC5x%ex@_aff_ zyt)jq;}c#%z0Jw}9{+@&yHZXcIakr)KA4;FHoDsQ_>i0R6@QKRYsvGG$;GmB=xbzj z&(nR1t`pr)^!21wtU_HD)sAA!V~-xi{mt6f%v%Fw4U}~Qt%leKh7Vvoq;eQcdxY31 z&vKV8AD}c(9q>pZs9TwKOsE+S;Di0 z=Md+Smts*{G%FbWU4~Cio@mZ!h5-kp8-m7^69r|toH`Z->S2hDjv+aGb{vi<%zK0o z^By78#Xw0TnO_l$jc*zX8ztgP#g8B#J)&IjG8-4fnep~7JYpPknT&E76*PFv(Pu1I zc?=KVB1Q@yCA^9_cYu5zU28d@X0#dI!ZS2R##kA*1cUR2M7`_BnK5r46NDsD?euV_|R6hK=?x8j}zw}u>2Hy z{ps93Vaj_Yeh*Jdc}mKnpzt2S=u0k}__QgP?(+w}7*S|QK!}C}ggUWGlv|2Fqx)lA zNYgUW%SEps%@bRal~sZ9HMl{ZHDg8Sa`v2zl`@{E!4r%0pno7LXD^tr`(}R(FG_ex z!pju63p^E-_*Q@u^@4R0O_nr{i;D0~xfCMgUPW@+(lb8he9leAgR z7CBpk!^6M`4jg=yd&itt!(qHDXPcb&=1J1DzytG}6U=YsQMuN8&pf-^=)chORaS zeW2d#el&h*s5I{tzfb&6BRgbKzaR=t4G7WHfKayxN-dm5 z@i)US426~h!haY32XP%Y9t!LL`N*GUY;EUnkiTRclyN8+xMw-k4ug3Qo6$4ewSUVv zBI6$#yghPVg(jME|C%r`6cCO|sIisD5Q9*O;sgt&I_l#P6&>}o@X@v=qEMrdQHut5 zfpr`420%_*+l1!f+g2S3btTlJz~kmFc+{v&m~ng9MFSZPWi+C}Zz^o&Y;5f0LH-;y z5qrGY6UcJwxv1QXM41Sc2{UG#?2V=}PLgqQFnmscSN$nwJQL39sWMKJ(ToPugF&0_ zbYss88Ri*c&lGzWS>Ab=rVUNbSUth`#6+K(=Hgq3Z%Ll%M?obe6SMVV@dPtY4n>u7 zWVDvihKA3{vT>E&xyHwb)SoB5t@!iFt7?XP46~;iy(?6;E)?BP^hKn3tVQ{w-NnXU zbcIiQd$F-%;{uzTmF41%Z52K;C5TNFn-o}#{Bg;~_6^rGMQp0rG_uTl3p4cI>|prT zFbhUU;hltcCeAD_js?9-3{Gu}IQ(1}!CeJ+3vfXWYJ1%c&bz=LU=P8U3cidmPexo^ zsq1NMk5jc>^f(fGh1gzXRj7?i#(c%SjZP0k=&uyrNAy*sc@g>PjCsw~#_tUCqV*Mj zjreQHHwGUqvSGuk(@k?>B*}Hs`boQ<8c$7p3RXtyZ}6~A{s;yL9w_(*gVQh?@E_`lKO%1|j8RCueSe8Xi3@wUq}C)Xu_MUxC^8B$_^_ZnAAP3H;P_MiT$zk=85P0E8HHjUM*C&EN;9r* z;`cF9#wZz8H246Zvcsj)M;ku=4Q(G|l!cEKehYCXiKSmukC4ZXGhAff7J0}-<6DLj*Cg?`iNBqELna6%(*ksx)cU*CCjE~8#w16Gj*hxzZ-24pBMM`d5n{|T!l>+lCHyoJRCNWD4uvAo0!a%c zJx+;7Q=Y+66!!9j2|H)`y*w%5DG7^$fOYO!Do2MS6JD+Fg~bw{k+6h!X~*}Y&w^G^_upLJEP zcn6?V=%V8AIy2r1MZ)zm-jK0@2J_q80xVbarom%ELF6sL8wGD79Nq3%eB8Zl^tN!j zZx+2p^j6aPBxS8MW$qnwjtj-wcjau8^Bx^OB3V`H_wl~r9YcHKcHtig|B$%e7P08L z{E@+DU4%{G=RQW%|KsXRz;vwoKknsKWJ?GUl_knD8#5E7QiLo~NhxNZVP>9jo*82( z*&~&-AuU3sMJd|%tc9W?TWL}DrKFJM|NVZSbAI*y@2l&%^33ORKlgp^bDw=duLC~O z>wr&PePUcZwsqTrf5yW8L}yQL6}?ULccghG8r_1a%Z48b-GSSM{~-KF;=B@+ic;K9 z2GqMZ_UN!U$+$vsBdx;@5T96GZ1irpu6e_%1Y z%pEZH!thca6njYQZ-LE6x%GErS9J2P%3-lgEBm@5WSOGomK8kH72Lx?<~ztxuMBiL@PAtXi4QGi82g7;PY>p_KEf#NH_E)7;45w_5x2 zHx_(>;0p=!`~{rf!%_DbfMm*+Py%lvrKyx=RG5!r-VwY0Tyx{=4EDizvG^9^TaxEb zaKr$bTKJ$YF{Rv6e^r-CX(gpK6`v@ix;6%P3%Af#aGcMk=QF}&#=WOS5qISt+~R>)w3IWwax zOt~h`2T>;}S4z2xicfk{-PHy+2uV+8!Pf}BmN4&EyF?=+c3n(Z@H@W8;krt=PC_>d zeC;KKVP@S;8XKe@lCGE3lTtNEQ8bWcs=GQ3#qC~Z4Gc}-y=C>0bptKss+_gYHK+TU z@NpQ<-cQ1f5^kcvz(R^1uIy%060gBuaJc?bZjmy83bQb@R-&kVtI?Cc6pUHTq6dn; zowR@0$?gt=uL=))kl?|B(+D$a7h*~s%XjIS*JK{@0)UZt-Kpk0sBOb3}(5XK;g1C>bw!g5ZgSd5>urtUbxtmMicT z4tI~($zrDj7Q3*!dyP%1<}YHZ*!#rZPnO|Q zb}Mxmm~|lf5z&v5=2OS?^aIjkT6riED8+4*l<5o1C0M~81FY*{1f7z zB+n2mNXv`5rwq;sW#6X-&k_7gfOD~@xtnY7ycYgO=Lw!K_*udXZVvKz&e-o8diHs- z3&g%aR?j`H067Cj8ySCYSe*YQ@h^*CNS;Anlo=Twb*~t`B+Z}wRndz?zebu@l7$ZW z*Nq(=27E6TyF~08Wcg+y-^7Khk?~DarX0XuaJaYd6&5POCl)Hgr-HBuD^a<3@vm6v zV@+sFc~9{Bf6N*DorbMpBkTYx4+M&;+KhE z9(dGxmEo^2{_W6`uu}Xg@t=`r7Nv@{8UQ~xBQ8{}SIbx23{_4LL{f+1iq!}`a3GLiQV@tZ>D;(}yv75whCaV&nDf8dwwLREZ+TYMyt90HxA4AL&gyryo~~^HdlgTqx;i@3RipK zF9}B_9HXFo41@77127MLJjYG>J-m#6OF1FsBo!7a)Su3}9(G=Gr%c)vq|=hhA#X-G zAD?;?(3GRap3CEl*jqO18Gl_B@DR* zvy46?wBc3}T~%~7(hMdHp2*gVR^5bp75wGYkZ`tynn8$QZ(MAufsGDK=yaflieiJ-rYuM(E* zb_u2pT8F>laEa2Aq_v~QN5TRg=4WCzS4izmsugOq$&ykerBdRMJ}m@|^;KfOhz#yB z6Bji0A=W`+M~RnHtN{^g-=RTI7l{Qy&|`o<#3Fv>wfHj**9l)ua#!NBue%DLO1w}d z!>V~mz)&u_+MJDHus~-y*T}h+4x<3NTu{W|Ufr&XDV0NeTURO9N$D1pf`~>B@mIQ= z(zmC-qaISOm(r68gW`W;C&gYSZVoZDx5PdYZ=lHNfD2=U?rV5X7^T=x_>IDEBF@Jf zi_jsCx|>a_6C!ngX}3rlK&>{k3~YJ8(G2Qb#o%_Ow6~f(Av9gxCV8Ob+bOfoV}lm4 zdPT9j!>rk1A)P_82FpsLrRtUcNlED@O$^-@@O^^sC(OHy1>gflAKip6aky!s9~3>EG-r3EWBP)j*M>2t z4-0)n=%Yj#Ao&Q8$BaE5vbq^!XNsLgmWeAzWbo~K-1w)a`iq_|{t59Tp^Qy`O0ZCo(JO}e+j~{?BGIprW>OhRN1+AVmLP?F-IQ@Q#7N2#DQ{3=2&#OI za^9Q94-X;!miV{DzeC;^E{0=}K$&~jg!oXncu&In5j0W$R?R?}vH@;cO z?^laoBYrJ;{z6F7&{bf@86hqEQpP$N>uKngu|^W6DHz>;HBN)WeJ%PM(Hltf{A~7# zmST}}x6zE>r})SGt&B}FHq&61qjh{SMZs_`Sj@w16~0aQcf@(am@9>pjLHv*8d3y3FZvJHWl7Rm#e24H~h%*%~iY@bs@(L%?{%ThJT>m3GW$lu+n^r7$ z(e%*R)WSU`Z3y}!ZEI>BIAHQQp|EpM@*&B;QRYr%d4)qTB`gcW zU)55D|5G(R3sq_i!pU&I+j-`+^;dpa=lMhDIl}WO|AKu!<`mhZk?(i_|%J&8kd}q zl+ZrKmB%-}roY4s74Q}6AQCE4VCu#tI?ph+O^IjE6kADbWwLq&RGx}YYVXc6Yr^LDHMjuM{=dU69Y|%AI^R36V;Nme${u~o-3>Q>OLTw3kDAa)P z@6uW#7QH{$yiK97R##paVMT@P@+AC(bvgU1Cad3hMoh zj9)a$^Nqz{ApSz~3e(h7cagC(CU~}q*rsBek>#ZnV`Nr-ylZaw%qM-UyI6P&;VlCm zmztD}{*Oxxf1crh!(A%8mGIWY`NUG&CAMpy5Rci(ZOm8~dSu$lh?5adgIQyH_Rb|3 zJZ}b1j?*U!P7>UX@W0*x)_YxhbGC$cAX!d|oK!k|AwI=jVfc}Tx-8T$gkLHAD&mYtDeVyP60q>))h7J%iWfRdxJJUY6k?e{ac&~w zbr<9Nhs>a>`0K=XBOi-E$q9H2-3|XWM4%qRuNU5vI0H2)B_-bVGWb};UrTSneFWb? znD0ztYHIuTuCLKG2YR}n=o>}fM4Gp%_>-I*?`}5Xtq_CyOSnbC01CYH#6*NmoV(TV z3O)S!ZxcRH`0W8tNsf`DSrNrv3HZcb3HVghkBdum>G(%1>8Z^!9}brx zHdAaCS%yj?J9o1U-X88VM{us-Ji`AIZ4!`p4l(JG5N(D^%9m6?iTBzL%WtBWv(WHO zck*&@K@s6a!iN!OSSBX6M-Ky5Uvnm;UN0W?0SUztN+|F}PepllxUn5S_H3!x5n{{8 z^06vAbt8>l6mrv1qVE)a7ircHea`0BnQ)^`+ZtZ3yQPhhHkR7|gc4E-H_oKTLMV-w zG(pltN(`mA)Z}>JlMMeQq$&3ZpDcU|afVV{Qc_}SGL{0m*M#{@YjC)!67G|5KLzG` z?b$2uqKU~V?g3LahJj+3&g%amM2F3lk8qJc-qSzeo64l zf)@rDjnql*6@zDV^YE*J7YTliFe7G4VFYb{uN%E_v8NY{ULyJp(tMbl9uXGpx+{p78gDe?Xkqla3{(3f+fB@7mx`{*ma9MSnt? zF&=f{Bov%6TMD(EPfcnPs>4eqEt9mI5`Q8;k84w`F#4>}jW*p%BP}LNS z-!sYQ(W}L;5xpl$dHhx=0OI2S=Clem)W7AN zkaLm_;~kczMhjomoihH)P=`M)z8u!(K=%Va#TTTFK;bRlmB$yc{C9U}A3_!I6^j1i zE0X5}7+#W(_A>P#ongwHm%MVOluA-6Q{la1I3~LHb7JrRStcFn=A|l;LuYRd@n?&#NuEzRI<(B4W9+q|C8w6y+G6XFjlDk+q|jw-Og`6?riK1; z>Po36rG8LiBcSs+oAx|Yo)5#H8%Sv=<$NlP+scjkxEqnj8IcNHZ=L-9mIr(#&WvECVO!l=Vx@I6L3p@})9b z$!JZ3ms5~cz)|IG49^XPkG8_&gvS%N$chEX5XW7DIoE~AnkXkpPP_kcVzW|Qdvn%> z(d)@_Qsku4VX$HnTvj0lrMSyX;3^P2Tn7mqC0tH{caBZ9G}0>St}vrt=(6u5<4PG< z(O~?*;t!ZU!ur0u+LTHw_!Ib%&Qh+CaxE2I6>_TrPXFs-0vl{3bd_+Ogl<8IV)_+_ znYr#J_;s&Wqk4Xx>AR=NBAL+mZ9kE|PLu^f%{fBG8wz$+f@ zC-g?4Hw6?kcy2cI(a`DKU+67D2N3lEgvX$@E^akt?{eKP#vDl*DCKr4icM)6vwnx+ z>q0U!NcdpkX~Y?xn50`8aYM00stF}G_^Z#5kSQUH0^bIrVbkB4Ufg4kOFtPHPCI6&GW@o~Uys zC4?crQAx#;N+|Jyvi-JdrPO9NI`zO2QbSQBv-dau*f8 z2e<{y7vo|Qqs^E(%iqb}GRDXlOM`b^ke1=b8T)l;Y#uLmg4l^}o!es*+BGQQQt z{@nM7pDca~c|9)_rm*;t(brD&^i_zly+ev>swOZ zmhui2MZGev$&lyXHNJmKf6woUe_#9us6u?|PoUoYlhD z2wzK__lhy$`4LPQ`oj3^vpxT%_;upflV@V|Ph%%0xqW5QmeA7qwWMz(ZJ?wd;a)u$ z^10FY)uHJBt@usiHdfWb-@;D_KS^9KS$=UO z2U}mDsCLQ}?uf&~ot9D#?;Pq0_|$uVjj)hnm&ZS2wS>~<{yr<vyuh_Y*A`ueG^1G_c7Dvp)}$OEcdj`b68+8Al~YeneLB3^;R$)} zJYy$>HDDWvZ7BBqf7l||$k>U2Z7lWzu@{onQ%Xl-UV@CT%w1&43!mZ_akwT@no4O# zMa3qps>rd|uDJ;p_wm<$v4j>9T2kQsBE#SUa(OJeUSiHiAF^0~G8Vgu z+Zexkj{l9e;^V}}ljjpik6^xxdB3GE!uu(g;}wy5X43U-plJ|Ks60;D08$j`-~BF2|=7G@vlgD9k8xSKzzYb(Jsm zchO18l~S&v!f2WkiLht(YQt-VF^!#tUnBfl;(QVsY{S9RT}&7g@6X>=!gUh5QDEaO zMxI4bwLz^w1^n)&T{+KdJ)~VPttT}`J}findKp_BhJf@I+ehpTWNU)WaAie!@x%B` zJo3I~ZVN+m`pLXe=1nwtH?iU@l8c*7xB{sJ57%G9EfNM$U}$lNOtd)NYIx>j{w{74 zK2Z4W#2KYjsK6N0JB;5H3KfII4;G(Bp4WqY$@7ud7Pxd1t_!0ZG9+Y5$f6J%I#p1D zo&yyIao^ddO$?Q;9BH}I@~AOq(^JF~!PEpZY9;tP87d=RMga{LE|3={yF!CoglsS( zxJdA@0B5q!;tcLr-k&)txL9xrVLgM4v`nn+})zbh#pItH;WPZMQ)tIRYMESc)=3{ zPbAFC$tcNZ{X?VACYh6cgr~<3+#_eQoGEk|FR;?1cG14q_)#Han=1Z3@%NKwQV`xc zyc7?ZGB(`tG${{CnNEc-5Ei+24;kA$>L0}1R1l2s{E)w*r^U|^{|tFP0WSIO<{Dfj zv?tCJJYVp$gn9XB1B$hKVfKP4%|g4^^HLT_d4Wo-{D}EZxG1GbFPgOCI8KMdy(H;n zNehF7hg{-NOJHk-d&Q(PLQeFmq(zcmqr|Qw_7S)&tS9W7kY6|N_RvwVSl$wOZ_v|C z#a3(Lr0q9N`6A*2?JX&9OL>P1-=yJb`6bHX-!NZBpj7+i~@fH zxkOeG%J+EA$4xmev<&?%<%E=zRQMFMfHK=k+$l3wgp~QTjB;o-LHz-rN=Vd~5f&gS zk8fjTuJxgd(X;5+-h&ib>ZHVrKCtnrNaD~F%oMAxyy{dH^jvb;ya4J zoIHO*VHIl|xx$oc5BlKkB;`seS5aY>n}#;pGOb5|>$=(`?&rh9b(VCEq-!a~9(+32 z7ezAB#f%ek{m*ojah;5AG;}A9X;FsjZv5%0p6?<4dhtEU^G-0vG>ROZg~?u~Y|QXV zZz+AG+(3n|75eY7;;!p!_)lkfyr1wJh2KP+@q?R+xtk4M9(up}3%*700K&W+zX3Hf zf?G}58J@*$QU*%7oeIy7k@eV@!Qerm6@QT6!GhBWGag|Qh)XxN){FkaGsI?!%_7V6 zpcD-$*a;Am?$HBb&K04zB}Y!KoIE-Ve)c4?#yZ6K!Z22OsQ7&G1>|}07)==G3Js16 z$v{MKk>Fv3>jEy!%F4v}h76Y%>naaBQ9JY3^zk}v%l!OWsZ?KmgYGyBQ7T`?A3u=#}HvR&eYAfdUd?i2~sCg<)xxvtX}h& zHOZ_-1>U+x)?`^zXtC5bM5}t;YxMCXPfrznpXmEZGr|r@z_MOxMGm`G71uY%p9x|h0Xgz;e#v?KwrNO)(JB}A9?|;mM($KLoL&8i6vncS+(dK}D zzXC)Tu0{X2S%VMYk2u_HSx?A%l2)umCxRY;r;NTbwCFr7dXDI4NXLGo02RNGmCZHl z&b|IO=E<5b>seY#Z(`3RJuTNgXG-PpK%SSfK*|eLc=x;$OsUFpFPiXN=tX-;!pjmC zQs9frfizr15uKUt6?0DI`RDkmoJDe8qr-%O7xcQZ41XSOG5%+gTY}HN?hSnE&cpgh z*pwKRn>X=wtkko!zW;@{WW6ox9a_99Zebku6@Ay7_2a$so}BmPd_adqR5p)C(y%N| z?5937?Z&mdJY3*M(ms~<2{m>_Wej(p8hU2vp<^47>(OOJ_w?^8o!6H=}(%p4v1*1nXvPUd==d}Yu? zg_M;E>sMw}tmZ@RYZ>3j*g!+^%-86>c%P zW{B5YC2y1b9c8sd6`>mg+n0I$d(%#Yj{NP?evtMfHC`rDQ_OkJLyP54rhE~S(x0X5 zkn#%^#R+WBqp91m4bXlytuhMeJlsxcyQJ-=#t4r6Z`>YZXO8iKw^!^wvHQs?sz$g6 zP;7qq0dsB-)z^b^4$1kA4$C)~nu-xY(Go3A{JTkOZ}LBMSkfPoj!@$5Bm0Z@xBsUp zmxWC5FDXZ*91BWGk#ZnTEIDqCzo%x%(Hp<|+oq^gptQHs4r!%=y}T6mUsS2y!Oc#UevJX>Z>nzi+Fs1C6Tg&V^p zWHguH-{;`3vD^E?syg^;lBssP77B$#d zk%4ND@ymC4{!;O+#J48TypmgD7iwt(#@jY#Z4bNUwv`npE1nkbimjws*vk_2s{~X2 zzRQPRqLd^l?WolHpC5`M>SF8?QqK0~eiwc&S#FBlRJuymG3T9YdvaxN)(0*#@3z7I zH#^AdDDQH5yiDwVj$cyXUt!7xp=GR-lq;oNMTJrLUz5eTc@+AQt~RrF$l5x~yhi4= zG#RrnQxEkr6L-(f3Hu}nK{`@(jb4BNoW_2>w3FU?u-eJAR zhYHUZUO=4pUBY4=Rt_yf+Jy}$%-SBR#SvLWvWC%O8Ip^MtHHsUkg(7{{-}gv2_+Qx zOtjlyh+)G`dT)Z4N+peuR7Qz6UJ^yuj~i+92hVwWl;}G}-$nXt(naXALuJe!{b&>a z6U4hEj*&Q)Vr__)IcH+{cYdTuZ^JnJHTF0whH}7oe1(m#@rjME@u`sTb2G80oe5`z zV$nSkCQFzSgbbG-%Qx>eA>$8R1r9eAUrloN;j^#1AD?>e^@Ysd{Bmhy;{N2%~Zu{2;I_?SuSLK$j?q?wXt zQR43~Q;K2?5H9s`Q_4T?pVn+CPe^%^3ZHF^e#+>}!hnOPMb8oa3~83O^3u}WTw_Ot zflKqm&KLVE+5evy#(w2FGwX!J@OhaFWWGR?tp~$hafW-*;3?sfUK0GW;Dv;lpcOgx zFl2-($SbC$S;a`&B5AKtV=T?e_NyQB^R8jb zd(*5dTYKv*S#QgFhZdhqY$a1ApYNLTXXrb4Ps;mJKA_^;P!ipT244}9&5s0sEcg?` zOl{Br!QGKRHT;XvQ@K?5GU3aKt33y68eqb`TVecw{{He;ieDxEGxE%yP-e_jed?dL z`g2q3gyQCEscWRJrOK?^o)3m2goNh{b2Gz3`cm#Xx$EijA)&jFg-F!NV)>){%EW2i z{q=q=@f(R7D5{|L@24A!d>c(&7@qI9Qa4H6OjYT2A;wc;B8lPLrJ0A@Dtw#p?}*po zw^_qVkO4ETin1ceQLEV1!tCNv{yMkI{z3MSv>BN+&OMWzRxCjMWY*rH-uhYA4q3m@ zibZ)f0EHsxucloXO65DH?UJ^e8k3Z;qw{bqPUiNQv}b|;t-X@=N!m||IZRfG!%leU zbv|H1_v&6aDB+NV-zYFaK`|Hf??!Wh4j%5X=s!dsAbe6nEV4Zs9`y7JfqbN#cBecp>hT!CWqchdV8}9Hv~M!v~*gTFA_C+&Y}P zuHbrt>l0Q&k6S#?*jAyO*FbDTvF8Uir`Wkh#vX3$FQT#73&dVXmY19n$;H6Di;V8E z2VdfFO++^p-HbG^0&Tdixv}SW^k=?UYzwh1$ugp1q+JFVL35XwFt>{rE|t(qLTd^v z0HUOok;`HGu8kSjgc?Cx8F4b=Y49g<@+0Z$+eMtu&_%VRDX=c2XL)pS{BPE+Mz*B>qbA zSCQAPV>>RiwWIoawHaMQ+R<6YH8QTH!6XNL{@4*RGz7UWro9tdPr6FGPFgq9LI9}Z z>$;nEGK4`7Y1d2ZNsX~&NE$aQ>Sgrcc0R;uU^`=LzUtYi*kZ9I zWNY9LTpZkCM_bHri1o^t*CTX-mC73-uZ$ieY8nS2VDU}#$e6)V&^+8I8F$LKi-w+< zhAm(o0=CgMg(Iq^+%08{l(AI!#71I{00#$*Gk(+S{)vqjKSBIN^05+NXx-v-o@7>) zP@um@)?`^zXz^EaBl%eL7?VhhuiM=J%2e_9iNBvbA9Gp;S`Z#Ec<)l)0PcF4;0Fay zCmbtBSl0mhpdK>obSPduEb9?jkJ4h~7=lsoC^SB1cv4tAaE9=i!eHO7e-dB>eS7z*!71VTmkM4cc=^BJ1h>NAb^%@~ zc$MJK2rKB*3f$+${`ozw42N4Sc8%DzWEq9o?u*31@3{PhS%ddU!sK#U>twB`#RvAU zov+b}V$zSxz4W!DZzOG?@O7P&QgaWj7{+eQB%`bW|XqCA%Sjm-`<>Yv5#5c>;RriLha=5VVvtZr+@ z6QT08Q^qbCyJ;|ZP%vocvT|5~!UDG@bql3~y^{7x+E0l;lZAzsxffE@9WY~R7z=Sw z#vvKM(O?)wW7&Mv{cgg4!wBlb68?~IgaV5be!5$1@lTBXGOcf%58A(^9hG)0Xk6AR zs>K9!L&r_~G$dSqOFJR$BsCVp5VbHaG`48_DRZ9Li$CFTr{$E}s0sl-m0V|XVc@36M&j+7GH-vPhY^z z+Ob!*;iInd_gYtYJ>m6<>v8){&fR$?tO~`z1`--dIG+LoCz72Vb&U)j6^bm41z#Ze zLc*$FA@SvAS?IIB$dvg%`s;5ZrKyx=L5U6BVXEqyo3blJ*^8yLkkXP0lN*OdJfx{; z;iq+pSxZLvJHJ#`D_N~+@y^MjofZSUOc+zQi*bs zm!s1Z47%yRhgozY*dbS4^xk*M(t?EyI zkLbywr;z69HA9yDclVl56lz3MCEO?BehQ5JIcY_hRc>&kfj|2+!4C?aPMC24BZjy` z2y>c;OgV3eS00w~h?GaEsL1B>-DAcM3fasIu`|WaBFmQxPbxVhf_xI!|F}85!^4^_ z=LtDa(qUZVUj-TO7INVYh z%VaF4p$Co(rvzoA6~-UF*5CL_@vFptMxGHIxof)n+~CePdw8|rHGo0 zu}{W+8cZ>;EuK4I?49A34~jh`_BXOTJ9p42(L&6>n^CKtKl@=Bf5Ye`AFoiN#9^c052;YVDvI4$B9YIn>O0j$4ssL!D#vNt4Gt6rI ztpBMqWmS?@nU*iYIP`C3aDkt*%y~03NmP+jRZg|wWR2j|T(sBXcdDB+t%m=d8gkB- zQlgNi+uqAiOjJ5n3bDxK;rV*I3#G(k`UNR7YhX@D~|BH`8BO6Y)*O zHzTh!8uM-Qu%H6xOStAH4ejNnizT&?)RGcIY$ztqq4bKx?GiIiC41vi8Lecrrs3=3 zsVY681<|!Jsc(4a+e(U)6i9Rb?M)iH zAAiH)k|m``N~OeDMkx<(CKIsB%z18~6wFJP(^1albeMbO6&6M~wa;B)!qT?>_B%afcqjQ-c8?GLYUAgmdcL#xYs6n0_>6q6V4mT+7++uNU5vIIkZiwTz({GU0leuwj_Lp57ArNVtIlA9yq?ht);ARDI1Tp5%>w zGH#S{6AcC{U-&!}I2lSeoAXYdclyh@Ma}>^ybJyU3Y@nZ-Y`@#ZxcRH`0d1FaVjM) z9jk_6Q6^L>Ou9M5sX>wkOG=}}C*ey9F5UR~p^q;^e5UxUz@tqRP3pxi+xXNne-An0 zbH(S8XU44g18#`XC&Sr?iq02ZK$@9nHfICH;$ERCokPA5ky0dO7!^J{_6uO~`7-BB znDvmqqNs#o2_+Pm_;O$*B9m`l9B$S{OYuh>u2j|tS!J~N#E~Rm8*a{_8fnIt5&t`* zWZWs^E*iYBY%FrG#+T71d|cZLcS{%}VJrnk5rIp5h`YQqUd{wL6Y20r zg5xHcFgytNNSG{P3I&w{(l{`|-D~)SP;rEP3d*N&uPsn(Z2ICbP+gTuHQ{GditPkz%PfM920h$*~$wqNqAYpLJE9Y@#1k2 zLHCOBD_7%d9PU-|i^RW1o)0@a4Y^sFd)@Gp=lIhv7QRII8^rmp7NcV>)4gf*1y6YT zEzxg_euuO#=*HFtjkET_QW!Av#`6hIBb_yf23A6O}VmH5xd^M&){4AH(Ab)TD4KMXHi zEoY6KwRBh)NaXV7Ul`m!B(7fyUMF}xVI}%Vjs4td_mw%%)DJQEO1edhB%%kY7rk+q8Os=})g=c6lClX!Kbd%x@-Lk-bqi>^tU zC+8mCnDKOu;ftNeYYDF{ybf_jCd{M3zGHs!_PHh%=Xj~Eq(HJY_Y$#o>~LrwC6a z&Q=1nO1sO9%?S-z9mIANdpTJpYuu>@FT)kaFAKd0oy1=${wnf5aZYqs8+?0sb2T!HIr@czyWLe#OIS9AYV#oBgN3INXX2HS=Q2tP z{M0L#ZdR+E{zo!oWy;E;#g_-2d#DB~UClP-cxcznk&-JVj|zhnjg*LNLyWEv9>7r1 z`JxL*^9N9W;yhU<+=Zshp5>oHL`spAVN~qxRy@C$|hf@TPwDR>rPUVeHRW5we}&k2KZXN!J9^pm9d#IQ^s+MZBY zddh^PkaRsQVUC1nC@ASFF4O40xyJ7bwbFUw=Zk+f@Z6A#QSLe8=k@cK|GfAG;$I-o z%g5?&=nH(&=(gFOeo6Gpq8F0p)nsOADvo=__zSJ4Li{4}uaQ?#FP7J$r0}{K!$U^9 zSjG|=Z_wZ`a5n8o6cyeyesObuMQ@3JTl_oZnPB`oH%A4+tdj66@5y>!)(5nd0;9-) zw>i^&XhJj;8a|Tnv4l@3@Ws*cguWp5sX0mW{G~0GvrNu%I=p%2IZOahkuc+;kfX1Z zu}a2gG&suu?{m8}G-+!L0Zd%r=cZFNLoY zzMeRf@YHts?ki(Qz9$sj7Gl2PR{Yc|RHaP{^Ww7Q937FNFDk(Z*6( z$O7B1CY;*g&%RT_E(yCSFonl3>9)~*-~}GqKcu(%MnuEyM(gQTR>7`S|coW1NN>CXh?Hn@!6ez~8{H^v73| z+%5R*>jvOck(N!g?0UoVyA|KX?);{`Ub#)mKqCV)U*+4;7s+ zx_~rO06v34V_8P#;UZ#-#112?_N~m}Xz{?HIIi5{Oxhiyc2rWaq!LQJ+gy$6bHfe) zPZNLjrNT!DFAF&K$;D`UH`4Htk9mBQ@H>UyMVx_?mW^@<%FLsUe`W=50Jm_r_%Y(g zlIM$-Syq^atzb2qX`DIvp)5aM&ICCV>F^G)J`k5|n`HQb`u>vc5k6V?6yglg;aJw{ zUSp@eHO}HqORHsRJP{MQyN?Ooef+gmhp&; zM``ft(LcfD_c6lTz=#hl`pm=LtDa(&0~Fya?Cse9G_} zv;0jzEqspfXNdDz3{73^Sd7EHX-4nRzy6ktw`IITLlF+eek4Bc z8s0ecW4tH)ec>MvXLw?uK$`o|;Jh&8<0HWz3;u*KbL7mdL77ptGr3PqDLm?Lc&U_S zQkGLuG0*cWjGt7&hw4i4tHggso}pTR!AS@p)+^A_U{cR+URo__jij}d_$II%rACM^ zOlT8YBEOWdPQrQ$e9cNQSN8{YbuKlR`EYLYvF&%W*?J{7fb?-4(u z{}jH9{lcZ8d+W56a$BhU2cNOzG$^h-zKR)_1fv4JLOnr7MH;-OSpT~_!|=yKJI9&A zD+#YmoB@P^ddTYeHlJli{V-Usij1lLd)a2gB0K=_5kdGeu!?E1RM=&}@l@+P92if%@lubN*=)HOH$moQ@Z zV(~4+w1ZeWWTEX2-_;G+2dPull zLQe{Og}6dc9vXwoTrV@WhSh<3%jhHH1{(SabrxW(XkQaLg_okAgc~K?M1c`;IJU{f zv=v=~(AX~I4uD#_nr%EHj_ zG)T%|DQQ%A=bUsOQ9UHx46dih!)3_Gl#xY)DM5Tfs>?REbA6%ZT#ndWv3X<}O0lye z9u6^q>o@XnLnY)(Cm2QNk)J5pud=VL{Anyg*2bAUzH4z z?_M*uhYq2sGVYUcKMge`tJ@;9ZarYu?9h2JP1b|5rqg1QhA5lp9x`}%h^Y??enjx2 zglhukO7s7u2CO+hW@fq2nKVP@OqsK2s^rHZU0eVX1#0)WNw;+MVK7_L6Ox{!#5jwV zefN~H-==!@X|Z#}J`>oY+%h-U*m$csh@CI?S+f3~liYI#-xcopdBF<=zd)D|LTkie zgf<2znXzwyzm%6`yewlO4W6FGIQNRd6&HH=Rl$n{zeboZzuzd6*~IInL~roQVkt|c zyg`MpC&pi3TQtO_H%*utik5Flcw53d6jUJ2EOPG}J2Iq@?}>e1><57@&M0yp8XKMI zFXSV!AB+7Yuo@u;-1IsO>Rv6o4fMwU0ImmMQb+~+0? z2sy`U32P**rNCFKxP(0oUl^VDj6eOCqSuLDPns23tX75YR!r!{dNp5}v*0)U35WYy z&Np&41V^<;jvmJdsg35ey~O{{w{kYg*-XbrvvzKa!J|Vo+bVdQ;O_{>qFE^0eQ(C~ zFZk1Mm+^y)A8GKF%EiTSMMY&CKbdq+GcWxtX@{g=C^5Pr3B`+;k8vIDS5pcP@y2oM zJEiQBvKyZzEp#JXVi~oice#$azjnE{Bc^ zR5tLb80puc(i+R<@nx*AxGAJE74Q|R8*(brVeE<)6=3+1!FPua;WGtS5?qxXmU)593u&_GfK|eISr-}3)z^8rCc>KvZ$?~kIM!Q- zQkiRR%8?yjxmZdIDJ_G-c`sVsA9E#4d8ou+)TL5dNoh@m>7py)+VHrnHYTKw^+H<- zaT4MwFtpg_-rgk`{Yli*iK3H4w6c|g|ah%R&22YFP zI~=Zq;EsYXC(Pmr8-37(fHpPW!4+nm8{YIzvaXbM6)nas%=5sie5l~W$GNM`IlI2U zkIr(gk#j8_HtzrPOS+pbrd0_))m7Sc(z*o=+ZJMDTs1cF3cH(@9$JukNV{HIPijoK z<74X!Bme1TM%xzn0}j_)MjshB&|qXiQjvqifeBt;Q^te@qMwu-rQ8%04oF6lg2nFL z&8D;qqmuhexkbu=pcF*?T7jsDn6fG~aNQmk2Zx5g9MQR=^GGw%^5Nu$7(Y4$(opgF z;tR<0Nic8AE5y!%uF#Bw2k{3SE+V5y#xNSZVRb_Kj!|dMZ=n}5DyLXZ2_3#A7?m4q z^&f7+#Kt~4mP!~Qp^O4=110QaCZ{8fpAbp{+zfA$yHosK! zwJ>yd+%0R2tg*D%d7L}ajWhI?mi~gq3!NZzB2k7DI_C3oFlGiLoXkiGOK9ICW3r4X zG?*G<>MaZV_ZnU<#G|Rg?-PDMaRw{yI0ZEYtt0V(IroISo+jr(In(Jd9&r?sd&uCY zLqFNWf*%q5Xn;`~OLLDITt5`UW(b}scotzsI+Wb8|KsCEZ~p>c;&8J?KOy=_(!6#| zuZnP+Vut-w=JZ}CrJQ?O&Kx<<&|!eu=sh>rjK4x%ZJvzzGM=TuyTyVQMeaF+Q#$zP z^}OH(f?pu4YEWjWd(qfxfqhBr%VHOjWsZlSPsOTq8h?n<9SGA`%$yt^z^gJB$$X6_ z<24(?ig5StbrbFz=r3!rge4N*puoFE28PNU_f&n;jFF)i_$?W4%Xo(d?>Y@V+3sC~ zxj!5a_nzSQ1%E)8*Ap#6Uu&@|b03;8GrR#GN%&a8Cqdwnci24yvm{J79r_8DN?0ag zIR(C$1z3cbt6;1!{!mDdR*GLG{xkA=^Rv+A%q^EbH(`21A401otdX#m0v}vy4rXE- zTm2Q!ekpdH*!5%?njG0s6pdiX!mrG@rjj?lmhp{@4Kx_9v1BP)2R0g=9<0xO68sxs1}D-)EHC%F(N*sC^kLC|h(1D^A(WUJ7stv%hWpcuCE@-0 zOU6+d$7nEtPAqW84gFytzQN)C7J5SHNus>&__*w1cgo-utY6@8rv;ZoD--Gt_*8bG z#%~THRFYL5U&m?>$3hc$1$>3tgRF|QSb1cj1#hlOJMIjVDlXM8VPKP_N|Gv5Vtg)3 zD|KfXTl|_2pekakimgUAmSrgUuWtCdFjA+6@Uw;2B+hq{W2TU*yK{{HXpg^?TH%Yuc)q+dQ$3BVe~1=Lt`$J_47dw z;*4)vW1A_iyTpvETl?F+R7NWqt!czsO!17djjLwKw=ro_D=)Q`6elU35_3OoU*QKq zB$)F?Xa!1?lO(4d9fd2_OjNkGH(_9o|B++~DH2jCsCbYX7mpFySh4~8@R{>TczZg? z=_u!NI($13y-_H-!svp_{4aD8&5Z}pV?kOe1*-E{B?Z%}O}IRCOm~)Wjf86{@bsAw z&{1LZ6@l(5`a03wNb}j{Woi^!cf+p^1&|)XuNU5vIA7-+WK6D?!PP^a(OYmI!8Z_Q z9EwMycwb}pHN;mqTt9p@$=!(0zV0S`>ZK_uj0MZh_#*bwZ=COgrN8)F#1A0PBq*BT z*k>I>zX>(R+k_4jdOK0RkEn1U{4jgk_^u&)86-IS6u z{MBSg$&`{sg}re38KrpzY1q^|Bfpdje7S5B{|-+#M`EtTJc@i+*_bqsnGZ%E4!x#B zMdynyAk8~rYbgib78*Y`G?qrh7l|Jhc%5&e8EL{(Ax?~vaHoX3DDb%MsI+m#7 z8miZBoWV=a_wabZ69i8rtk)zDB{+^4nq`{q6h zGEg%xWpz*%OIaf24Jv#=IiE4ly=nB_&foG|qTd$%4r!)%$?cQfyT+cH>o4X#vG0rh zfGmRty*wy$Vdk{)SA{J6Bk>=L|Aahm7mY_M;zZr2W{j`uuV$%?Wipo2;4h$iOG|~U zF#gUEkyeUdCH^z=d?o%Ve&MNoZqi?&^tD>j8cAy@@v<;I6pxKj=?gPDhy4Fb8S7-M zr@4R*(zt7obTu`Vqlhz3K&QdzBgrZC|+!r@`IEgsW9Wzo*WqAWcZgM9{ntQ zhwxvBD}B;tU#K(wYQhgEa2gzLC%&5GcHy(H+l^0!YqTWYFW9pOU&ZpdYGD-1UK#sj z?5DxV$6=NSjIAHqtPhGkB=$G5Oom;&``yr!!+h8r7W#+KBZelpKMk!GqW@n)j|x3T zl);D%oMR~qhBKK`I?|v0Zz(6FoTS31g~gdrMvFbIQ|7!Gii4-+ltT*&stNdvjd)It zOXPst{Jfl8jL9gE?_=S!D&%ez@D=I_(kfD8;+@Vu>oW|#J}hf^rr=6~D-(`owb=I< z4V7mZ-y{qltRlXu_-f?&d@;5X>jhy9TXhp^tiksKv&<}YLaV;&%Ul1J{6t)Eg)fOj;~^m z>&9>g7t3fNqa_Xf3OW^3t%GxkIUB-LxKvInIj!mNDPS}df(pUZ#)Mu^`RLbHLY#zn z3cPPNJh%jd2Ze%RqTnRK?Fg%$!%d+vDcbOJL;ja6JVkhFz_B3*Y6k8y!`}(j@D9Q| z3cs9qEDh3|z?#GrrhFD&gicbflyVgnUJx=rR=ln@d`9Rj?kxNo;nxyp=tPI+WopcA z7ZaLK^`X;M!gUh5QDBCE`G_U9s7`m2W@US+hotKz^`yl6K%p}!({X&I>t)L4;mzzV zrH_;wsPHMo#U&)Tz6S4%ogOs>!8Z!Ni7?NPEg0B;z_lT6Hsx4&aQ&s+B4q#-=22-S zBhVj`h6cD>&FB(Zjc$`MP{!>vm`9~YA{YaChtX}()ycyR50QW;lqh{HG@*F57a|ghBn+d#7mkrTHa!P526Hxq(rQ#rv78b*x|7@zjA1hP<0<|J zN(GM)Tt=8zgqYC|tH5L4g9&Rxyci|nP6>BWh`kc%Wy2~RSj=U#Dbcq6H|~})M#@+! zdZE*>sr5L6r_b>4c)=3{PbAEzTpTII>odvdU!U~!J)$RzoMkJvP<&u2<|mw zesgb3m2sbp`)TNfL+E5iN(Lp*Hof_(#M) zN}d6PwSyTvR30-WJ|x~Vq|B5uiwds^^E`6$SjBtXgwvr5a<+sgBs@uhA(|P%7?YUCnVJYj{b{%W@XdVbB)gS#v4dSB$R^e&bc~i^RW1o_E3#oTw%k{nG${ zCyPZd5&cG>v-3-^hToe;uQ}J#Z;5_e^gE=PZs(*q2GhHS4{PA@_k_PM`~%{=6r|fo z>^?O5;*e;6B>H2~pOEJB!dr$79}NB?ykScPFB80+a5KR1m{j=B9%uhEbi{9W%BZr! z&Nj0VBphy~&bCTt`;2Eh7vKKBfg`c?AhX=(rf&|No~xy=k-nBXTTwW!LF-2b@e30l z2?PJWl({i15lh}3_Q7@nELd+C4n)%ZS065&Y zGB?TGOp{RvlP1*Rzs2|gD4z0gTg7h^{~dWoQ;j3#=vIvX{@$Fwll-&ZF6Re1KhoiE zu+Uk8p_o4ze|5;(eipw&{4f8*W0J_P#&-_KJh)qrv`qn_>wB$wMvi_EFLdHoNENi2!!<{lVC$z|&7F+InRW9(U z2f(pNyqfa(B9@nr3B!>p;49QB#8)KGbH}4Io`+vC9#zQi;#3@8GA!$ zQmi7js@Q5|V-W$FH$t+y@ux%XT|@lY;%ky;NZPxHYd^=FRpEuJC8xHWI&_%+vc|}T z{ldc1*7pnj$onC@;zi#tQ1o%sLug@D8#%%DS8u9}Gs;pbB(_ z(KEXH@aiP`O3_!5<_jK=@$_0`?P?Rcg%qK)gli;ROMz7g>&Y2+EWX~WUUuBs5Ce7Z@GhpJ76q)bU!l$cq@GkeK4 zcyzey9KpGQ^9a`k{7>H`QuTkeW)Cs{_fU!&DnDO-0ezNql47Iq3Jw3p;aeOoBD_fW zFyf4i*su}RE@$*bi+pfJMHh=MA8Ygi3a)lo3+Os4!+_Vr{Bo&5Iss zM$J?B0}eL|UttInKKr`6@TuU+&C11QbNE**GuYO|U(wxy#|R!vn8^uZdrCoCAqscu zF&<~yHzB@{mo`D#L~48_adB};Zj!;i*%%!cf+q`}LYS{$Y-}G=?R!ng4x{>}O1MwL z{SnodYAB zbdo1@k|%kRi*yn$o{FtceMDgC2^nEQQBgFjBr{T2R^XnpQ+*q*=V_g4j!yLqPo*@+ zjJamKR_KFjo{af2o(+cmn0wBQ%R^fGyo?1hUI+&FIW9nf8nqTP)_v)3@Ff{9%UDQ* zsYg);7KSx;aGJlKSH&(8`x;rkYc7jRtGd?>-!sDFi-j){{swWrJ@(YFO`RzNLKwXz zZ{mU+&_b$@R7Rbd3pYT;{y zuO-gF(GVuCOP}w)Fr`Z+{|jGAStn&Z6_tH`|BU;}gmIyJ=4%PxNZ3GuiCtC(3Yu=C z(a%=&r~g*;CefQoGbE9;q`EBzZwLv>R>9i@e@9puLs+Ag6AHgK>F|1-2#4D)=?6(a zQeu$mEyBz9lksPVwDf23JH-D&o?(Pp1{ws7VExsUA))BLQ_3zWyQwe&p@Sfw&Hbo< z{9}avfxR;J$=FYW<)7j4?tr0VLppa*=pmuM5#=MsE((0azZ;%||Ks5f<9{$m8=sh? zjZfV!c2UUSB)LEFg)ivW@DJcG@khlUBOiMJ7`J`g;2q%s{4Mx|;FE-TEtn#dg&|m{ z4DUF>pZm1%a+n!_9u0izT4Hm+GhKOn5xbT)$8_oCTm^iEN{9H0#$(P8_pmy{__I!V z{!HlukT?%1pxrI5&D0p3L%8%hzUn1pFDVI^K%(UkJ7Q&au(iPt}!B`JDwDpL9de2L{3vW%3a3gXQ`F-Y7+*9 zcG+eUnoDRwfiLoCQC?0K8FTUGbPG;`oR)H0(NU_!&|Rz**xK-{2mH-wBfPEfcEowH zVqESN89aIpUSmpO$TO~$(q2jjDm)F{4p#MbG@)U*A)O>#C!uo?VyHq@m1q|ewuU!O zR|(xDbf>^v%-;@oz44XKAR0f{15qWeC&EP63t^P&;j5kpbOR!y8*w~T$KNQvxA>a^ zuce;A_c6ZH?|%Dz#rG3`GkNCnSmXkaM558@q4uG_=vzeJN}886ZCoZ-MdkqwFlAfF zmj+51BxNuaroZTspfSXZap9R5Dr1<8;WSjtKr0!ivKe7K2Y~VCMvA{pd=hykB{T!2 zq(v(nyJT~!g;t;xIjM5e=rC!?5#UZ#2hU||X4JA^mD1o0Ea-yZlR%oU1-3EdsWFWbhG zz-depKUw^pzSBja8f_t8)>HyP_$8(TG$7iNi_Ep`rBW;6I&$F!R60mGLz_M3iC z_(Q_y20YE7uR7*-GW?hDSv6ny!@?I3=aol7O5lRuj~IU){KL}cuvOiGG3s;hXy?l)J~3T z`l2bXzm0#v&%GpNjg*(E@Y@HIg*11s82rLTL;=4l_%*?=6Xqw|=w!Fn(4nEUxlZUC zLe~@J!)Q&8T<73TllF!-#|@G;N_vYDZ!lVaH9_9n#%~V^Vw3oH#BV0gmZqLG_P)XIIv?fj>|YfgO?Z&QrcK_m;J@~ZJ}N6r1)RO|3;p7owLuN^5S>HU;hrV z__;rX|0(=0;yeY`OGG{8{x;+D`Ti76$@oXcX&Ou?$jVx#7dno(bN`z2Ysk*d$SHL| zMG1tuA%L+C0mj6kG=aG2lV)o8+%JtNlqRHsCWli8}{j zqN|Qj$AubTbg4%BV+|9UhBknj5^71PO@VoB9=_Yp#UIheFA5()br4nJ>LN^Z=ONSq zVa{p1hWPP{g(S=wdAgK-t{$RFTz!Ozt^q=wH%@@vyjiDl0pgIW`$8!fNoh!h zX{yLqH(rd0h(EO2^OqnB{iG10pAspaP*P^6^l$VsAaH z+@|tv7xR7#4^~%s-Q;zr$4h{E-7Kum$z5HKxM)|ky7*o7KorUr2vN2`sLPCjG3cp; zDwrD(6A2TZ_QH)4dP}&80{0O^ok4+CX>ffI7bzd#b&QQwnc(e0yTR z1^$fa`$G+89->NIKEgyd2BB_7QUUrZV*+AleCJT*7873}zL0$RQrISD5mNcN2rIAcOujkLc<%rJ`1$A#bXE)-9m&qb1o{tMGx3%a1kOS zr>NLpt;KSd$XQCKaw%Ttbkt>KUy!Xyi?Mx=sK|IDR5>3)6b51- z#6S#$N~>G~1k+1ns5W9E;h8#q7e^%gB;hCp?t&e5v2qZaj($c|WMqe~y2lVz;*KLs zbSDt%I<;t>;C?Z-d&5%txs!-OvjsvlTOicqiN3H{Fd@o1en(`q{Ua~>Bl<(mpK|`9 zQ?(Q;i}bnYrw?*}BR7n3L6h8GyVE~L#1g4G^1P6R zxrH&6)f<_xF)M3&!Hs#b{zmKb=G?CJj3X^{_YKup!jC8db zT)&7v*Gxup87+c=VG@1_S-cq=!@Dp+MoSs3Xz;wzg+)CSS{wi4inwSGZ4iZW1wxc7 z5bC_6+ETpGu0c$6A2v;ki-cYj6b0eZkTyKPl?k0r(K6Cs99{WCsiH>LE6LFEy7f~ohAVetwp^jfKWK?}5 zA|m1^hWBxQ@wbS-l{^p0-coLW89#;h(?A)6WDKUkl*HnbMx9~~CsXQ&;?qzm!=wzS zQUwa3Q>`0RkZk5D24$nxBW&qH+8VG12xPzCSJ!Vu&hn1qc&eAwu1_QCN3| zd=Vld{)Sd@5kD4DC_o@Y0Ro}%9KAp>ih!*PP{endsa>5zZTk}+Gx92%9eB~;Fi!z7V- znvpObFsWvEejb$ckfgbk_&l)gG|y=X3Ns$)92Xtfd_a1qhY!up%s8Ymea1 z=%8-?Lof;qq8}5zFwmJvDLFB>$mj+Q4`1asx5A7Ab>gDEtV9$F3J6h9K&ZV$t##@G;#MOv+RMtExX5`5 zQ79-NL_q_W^uqDu-HZ4ug8QEz7r`$f z3S|U@C?g=$@t`X+)*;12Huyw(1(A_ce{5Xjyo#t2_Zq@P_d3GxVklH|%UZ-l!j&a) zk+2R?C@dgEVF96z2$gd=?oIp^!F59BvO(}h!EX`fHRTmbVy&`!+l-WOeKyH>N5CrVxlwn_CV`!#=-@y)r(Pv5y9yH#}|GdF*S#!tiG%Wt^=-{a4So;4*dq7NYo-{1LIo8w$k|6o@KuKOszXM-l2~AvbF0 ze#T!Bd?sW>#{?f2e1b5)NV77rNS(1SHI9o8;v}L_DnN)*0m3My;o@PMcI3RjBP!bZ z#$ zHaXnYGh$2Oiy4Ihgi*h(vFh;pLK zi>^SL={+Y2v)fcO`0*}&)0G5Q7F>leFJXGtI9Ju!FKTI9Lu;IcRv0p}7t+e(pk{7YS`hv=UIdpe`Vk~KrA0gtFiI-R`&c=;+u$X8hF&JqxVD1U2S}q+dSV)d~@+F$SVuW z#$;Ua2G={+!wG_03T{Q1sYM%it&P4eY`Tr;wxZjS=BY-9lIpH8zH{KO72jTb2lC9Z zxoiaw9$)@u)L8D1r<089WOSy%<4I`VqD3p$#prU~5Q(4bD!QBK?xcCDd0aQ^dV^06 z^PBD=xToM=gqeB^k`i3(dCgio4t~dx_c5j7ar_H@uCJ7SQf{Wg z!eB0@5Yx0Vi6-RV>W`RWzCv;_XAY{rvbCN}vPqxy_fm?aR7q)+ zc>3B=Hm+B?2_wT^G9+Y5$O=M2yZGiP#b5-s31x@yM6j*V60#-aP+($0|2R&wgI(mB zar@o=nDS)g%NRq0C&IdPSI8P(NY11)&Ak+pR3NF45|c@4Qp^<@J0N^Va-BH!m4e1>@Z+=CJxk}#J7PXMD0TminQ<{5wW zY`=r~;vW{jfIJTeE8*s023MoUY~!}E^+!cNCVC-h-r5*4#zn@?4&Nb*#V!%Mlq^eX zSU7+O{VCIyvb=$+@DHGWd4<#tkwwEjIXL@$)7C8WJJ}}f18Li-F)iigql1#MeTH~;r`Qk0eneIm z3H|i*FluO*@tsa#6ZpB^;`fOEm^>4c>ReLuSh4VlDR+i%oV`*$m9mctlPgN{e2hOc z{JR2wMEiw*F8qstqX5i`(Ju|J+tA}*2|pnGYvNHx$~DRStLGb&p1;~l-%9#U(m_f* z3#336cUX1yy(xc%^mjile0 zgOHq#$vQ6U1T7vFYyU6{3u}>oG3EVue&OdTa)8SKryoMD9F#a{8cc>vbBcs%}Di9!y(s&+TZ0;=l z8GQk_sOz_18c`?{h%Q5#36NP0bF;F>UlcN%a^lO2uRxw>%=L&+EHHZh!+z_PL{}DF zg*4M%MiNS#7};QWw|XA0Cj1=X)rs?9xIhg$X1E&0Z@R$qHO1EwUz@x>do=G_RG>ZA zoZ_R{6n?IboVs$(3l7%*%1O@3P!G5B&Dr<3-%mX`_2o36!B;4UyBD|}F1 zDB&Ur4Jq(M@L{W`=wjm+9poY5pe_-Asrbvt^Dgs?GA(K^Fr)b*e@K_hxI)I2G`NST zeh14y7=Lnv=dTjqM0`{7yi|BK`w3o9Trj88bni5i(_BsqI=t7>KH`l&9`=wRx~1q= zqta^JCjM-@%IYSoJ1w3qhfEc_>y0iL@97?*dy4Kw znrEArT;wNwzrl=o1HEyhjNUSCqQM*tUp(VoAA>uEubsYv`w708FmJC`sz*&qqVb$2 zoIlrJ{4L^dCC|f2bxC8Bl^G2%^G-qh}=e z?PrM26rDv{R|@$B7BzCCj32ZI8^OT+^};L(vn9--z%BJp!i ziGEu2Go<+>q0e3_rrmPS8oxMv&O9gndGRlhXKLbltN3(4rum{71#SKPdr8I`886d_ z?jI(5;$D-)66@s%6U!B>%sBG2o*innzPl45^~;COZ$F{8@;NF4nwoBBc?9GK8cu zl$83$W<~YTY(R^IiSzu`EhnM8gbEbS#=em!w{#WpR|H=X^5aT~LKh>1=wgIWN!6vP zDhjWys%Cr}>aMEEI7dcx8oWj*Fr`CsHH=?h#~)5j@wLR)CeLexPG>yba}7@{@pv8K zb%mctoSQGo!nY+}bLSgBWVPq(iLWodLEy9fT!R-Fe`R~mUnu?}@eRrIa{3$(OIe%n zet0x5k#MPm%P8>8qk0N-PQZiH$dp;3j^c7DS4g>%3Qrkz6g=g|hNpyTimQY-5#E&e z*%6Ln1OAF`*sK6ILloAqMu;`65$bR(U1P#mQ}RQqPLR@4N-HY=_oIM=YHd<1NNpsw zmDG+BKl5!rDzaZ=R$;KNmDOHW2U@z>DR>8A=2yeFO!YUTlkn?=cP7r8k&chcTy{|C zVnXBdywFubHwoP-FlXgVi=1B_y^hR?FY-nY89in6qQPCD@fvGo;h1hPp;KtPzEMJN z2{%#TF7Tz1l7@FES|H4LEEIbC%IGKKW*U6;U~mYYpG2c4r~3oyFZveIw~}VP7aq@6 z>?4}yu&7nG8(><~@SqNqHb~lFYD|Xz^=WrQOu04GZVZ(&Ov><}u#Y)sq`|3-Fy+d- z{K1Wsa+{PSDm<0cyzwX(B^&)%DCMMxP8FR-n)xzX(>Pu*3!lm^-JFw2eh(RPGUa5^ zVG7~O54ann4BzoKV)1jMg=Y)TAs(d=_TxqgB-ezVA%)~g$d@pNLTPLUa}qdb?85NH z8xva~wva5-IObzdVz&uQF^ey`BC~G)fd_;`8Y^p@tYTU`q=KYzQKiUu6FP)?nh6pn zO1PZ@PdPI!o9&Kw7+(5Pe}yIqpDg@N;=Bj!QI0Z%(U*1d^c2xkMNcEG;<%;`!b7UE zW{Fu7TX<`_tQoRq(z53i!xaqQ9G=sAgx@RtKH|Cy7__JtbEgaeI-778yP$)SWCAzC`#^;!N1+7l>Q~RUAmEkDJqS zm*2%QIZw!0PKOCEJtfJlFt&b8fB9F6eNyZyvOHVlNEo2P85LIlXWZnCr(`@W;~5&v z!(&P5X&HrR+2@PpS(Cbjr};Ta&r5oN5^o#ETHw8f50n>8cp+3Bza(LegqJBWS>V&2 z-+Zqa{%ZIzepUEu!e1w@Cjql%=__=t3C}F?XR%Jg8xq!2;B`gb*BS$VFeeMfNt@Fm zWPBUsY?SjBowMN}f5~@mWkrf zQ=V+;w|_{=4^n=lqVGMtL71iw8$UBt7abA*llY^7M=xs(rj5CujXzZEw|`9haq%a} z^HD?7Jttg{Slp#@sEttG?*Un5VXNJJw_y$kPx1LGZIQ2>Uo5tBR_z;|H@C$eN6R0D& zuHf?s^8`5IWD=eOcfJW#zCt{HuAYSY5*kq8Gmw;&84CWwfB-bKbV-(ac^4F5aA0A>Ad&X(^`_9i0lE8?O3< zkK5L!T(Q&drj3-gQrZP29~Ix2|BeN?YfRaY=kMILQrb)D5EN88YPk!%pF5gzXQ;#O zB;`6OovHAGsV{_DAG?_GSvan)GP=p=PJ077^;8}LlqDz-$Nr-5~}N5 zqVaR_fBd=r_#dn+hY%~vA=IH{=b^j!0Q?ng{MU~Dnhq2^Nbq37e2?QC(V@c)G5n>$ z9v>=vnDF7mnK*C*a>LU(!kqNQ-We(9HaSUjcn?%8&St)vY{raGDo&A+DkF^sA5o6O z($_+|34KGeONN9@30V|)^^sAwbE6Dy9TMwk!P$ay2y^SGx4*L`<~8ApRLNycOucLoFVUW`UXOKJ;uml^9j_?K$D6L?AN8nG{vRRRxX z6ZeW4T|&X+RT;0zc%251ADMA7-*;<`pBHK})`@>Z{QAHn^V2MBZyJ9n5Apc9O%mRbu$cl=UNotVd)M&K=KC|=BK$q!TZuC-$a5KJvmCFt ziPFaVChiTn{x*ppNZd}5IjxN<#G7J=IZuCzf5Ol0l=GpSkLd7ZSi_Rf3WQxI#6si7 zZV7uNd>jN!rH5tR@NW6Ugw)V@zE{Gh682Hx&CbTF@iSxNLw&=3v7d|mf^3;^H113M z89hQ{!l8VHC=6LZh#?CIl{C1BaG}bq-=o?&08KC z2oK5oLEew_qL)QN3wPMyF5&q(BKRl4M+w)&uJOs9jb#hj-j1>6z9W;lYu?xKVQ~n# z$K{@&TLb@4P^@Y%RIO>XB&??4elhjfQlD&2O8r&pZ&X=){GZ*maKD?hZjqP%ko2dd zzy3c`y!+dvH-dCZ(m#?;|9_+e_peFogLFnxsqcBS;t(ova>O2{M@Nkq3LA)wZg6tw z#a9|pC~U|nLx+jePj%hWl{I1a_5O6qNhmL&0)_wQ8nkj1O?opNStUu8B~_us=PeW0 z94{YM9AsfCqGDIo#O7D}y;YNVj>PH|nbG(eSzHa{Un}SNn&NATuT7q{X;?cF;~dd* zTP4PG&H5lz3)GQSSJrv7bP+IfhL)i}--Je?ZN8p_`VtyY-~*SIlkP4sc0(vGUMTh= zu?@-c(-q(B7~qnJEKu_}Uu@b#p)cbl(k_*D88x0c2GOX2y^-;sgnIJJ#a|)*O7c7h zW|w-GHa6kr$NZ(bN@@tw)@g~#RgqO04*jHGa}y2|J#qdN`NG_z3wj}>-= zOLo0kOOIl6__-dkddliWi~C8<8jnS>IEVcWW?U5KkL*Sny=B})qb!VEOuLFY?LPQB zdV1^j^LSrGp%8))g%E^#;`5WT^TU|6M03s^;hp|+Zjo~!AX)`bH05d9t7PNsf z2FVyqgSU|%MC#?kNqmQxv@LuU4V5%Z(r`+8>lI@>EmmcABTRTDG<%MeaGQiA3VZ=z zD#Co1Y;bWn@f5+Sg3|(=m6o3G(hVLJs>?D2X9~_DTozmA4B@zIqwsfhQPVR01saX0 z5|@oI(d8f%o`QRTQg*K47o#I7e=bjWzVI=`nHRKZ+txW_%Uve4l#7Wi5L-x=pAV?e z#lS=~h+z9g=IjY|x?|;xlT%EG&jY?+v-4tkSf|&GH)Ut4KZ6NUCQ7-TN>o{p5YL$) zIpq5eb9#qY>LfXn<=h#Z7^<`|Vin7(VA!-dQ^PHrB4?_cX>|Bhpv;Dg#UeRpfGsg= zb(TN6>9S_Xnn{bv2~`ZJL)M@lv|yOjEtD1Rk#w)5`zZ00q8CBb&Fp@2UJNgTS#oB} znL~#uD!v6i5FRjiLp4Fm;x7>a5}tW7fVV9wnlk-ze>g8mStI3TDm+uHe2zTj6{E*zc=}b*uZe!0G|x08 z1vhl9!5qKApIayR4Z-UPGoNGYRo>Vn zdXwmPL~kao7jzz{?Zb!e8rpHW8m@6&$E zdqsaLdS9S1BNc|)erEJgem-;C`$c~)`U}!LKcHV4x~q@h@K-_)2>qI9S)eJX&O>?V z8~hy|2dB#A&wYz1v`QdEs{}$FbtYaTSh3pZltzBzheZD%`bW~d?^>8fpMQtVxMig` zj>z~)#?fG)0H1)56jYA>1d<94>K7AEwfDO?DdATMzfs_$ zp~o&-o%MH9UIHao&&3TB!&z%zdkKogUnHbSli@u+!?qB1p zRPe`hMtrG5yrgjm|NDxUgA{xgVx#-eD^wYlMij~llFCrx9ma=ASwriT@!Kyaw7k#? zM488Pq9ps|t!UCi&P$afRhCqRk{<6=m+7h+%+W3UxoU#X5nP=xlfA<Ez z%MpdySP^12R)qdT19=l_m~vB!U1M`*ggymV$!Q{|DIFG6bkEYc4yUxM|I@-Y5_(GLMIjW1?2)*^q`9Fmbfcu+l5V2JM1 z@9I7V?@siWtFPdGf^R0wJAp;)xkzrJ;eRyscz@xy2)~s$??hJG7&pM!yzmJ%Iux-o#Ab@kBFh_x+`eTtrqFexOh^xz z{b&i<5^^Z;vSJtkCp*nG{O0gcoF_bA_!#2cJ|=sJCi-+Hd>^V{ViF1@6jD&Om+4Ym zk-_``sxz)lvKvC;|wGM30#N`obySRp>WG2U-9#uh(r&bQ%Bv`o$ua+cF!JsZ+? zE6o`fi$#50R+tzIX?&%`Cnc_;7!^#5^0JGfaVSdP>gIa-N~XRDy*l@z_0U z^apeNHG59<^P*oMT@EywFf=d1i-?Hs$cl8&zl11Eql6ICC?V7h&qt{jSL+qS7ly{$ zSB1YO{B`1di1J5cB;{Iz&kEaKC-@D)>j~?Yh0^6zd3BBJZKtdYNtI}wGsRS{xtRfJI=8M`t9!({i*1EfkvffE+$MedRM5=-7orc(O-~`(iuu{T%r*#&o9k68QNdJ zl5;@L*L3t2;j@XVw|w`F8SOvQ3826r<2xA#Y4HByF=)-1IJB^%``)Zc;Tbq2>jzms z(&Ak}U4}bs?1SO^_K4V@#2yW7Dh6EsY;32{r}~)K<6=*cy%5_)AKTE_kd%x@bPbKf z%%Fae3-^m{=krh_d{W!_RonTE+o^}`U}$bMjzX2&|1DR^mg(PZ8?LXvTYqR9e`*_l zaU0AauwughE&gp{r*>XECGj7Lrz!HS1`*v=ko^BOp&$rnB$WDr=`IeT?i#L;ZxlTX zQBg|m8m?1mM4@;gqYMpxGO{BU+AmV@4TFyc^^PfP>cLPSUruUysTHX5hU3=Z4UM)c zz2+*KH80%6O0p`;szQr9x<;ak*3eTuo`Uq}8Uz%Wr$cWcg{VCpp)|N@0I>B-WL99z{L_*=W*;nvBmk&d7uqX7-&apB}NdF};fl@0s3P}W7V8qzAq1H{N+-sOvpzy3o+OiT+{~jBPX&m>5!be9_%Y}pMB=tI} zovEroi~JL_yc*rKqu)_i(cMIMCmj{+Tv`ThtM4p(y=jldyw*cnPieiV)%xG#``;(> z29wVYM|h*;-jZ*k%obX6m^-mZiQV@x_pjqX@N<3T_LF-v-8zWT(jWa^MvA>nY!X?0<+Bbe+2AVzoFX_?a2jDYqWi26^95sCNHmwGn|CxM_Y8TN z^0MghPJ1s}B@Tl$O#41)qorj_%b~{HCC08-N`Sd$l%4L=MxKm(8DnUahmo3wE>SFn zIK)Jm`_n8`aiZyYYxc%!$6xBUds z6Gd~7hmJnO+16}vmr3tc^`|^V(o{*)DDk5o zU0$$`lL{>*rc4Rtgy~XdNSR56_dGolbNStE@SIwH`}YXGSMYs=nV3dl{kQv#&1&u0 zSz>34ofFu2T+9cIJ*zcz{M>_L9}+v4YYGKEN6+FrF8U_$%$Uw<3{fb z<58B0enRwe(tI!R6ACKuF3126Y>LL1?Vm zAbg|nw}|ulvkZ%Mu8m$5im#hQzax4xX+AN0ecEDM@0v9IF#Zicw?)!>lD1OfE@H(P zf#cpc`tDF~vQ6{{qPLS)2_G|zpiXy(;mPCu1==b6L*XA0FVBsmQ=clMb|EIZU%SG@ zWV;cCwhx48`#`8fnv|N9A5HIy77%l`zQg0k8SItwshoXuco)!I!U>;HNB)@^okG{< z{W3n6@dXXNd$L(C=)N?Z&m@2DEBp`oS0P0IDug-~b6zWW9-(OJ|Ftxn%c_)fw> z3VaYUxmFl@$9-@7g`t7%koX_O|46<(`1Cw1+@@tC5EJd-=DPm69zhhwb|b{tZiLE) z;#(xRpN)N|1&u=-hhMCn)iT_9ZY4Ut`BEM_LVWt?Nsre)R zHE(&y_Rh#F^&|HahcL?Du_6`vL$k)5^UpprdkzI(E%ObjDNt-RYMe( zszZpS>JX~VAwR{{Ff=iIeby9OOK5GPJep`#4ZLR0HKEgfZ5mTUNvJE~JPLgOXtntWKFE;+> zRsO18BA%aFSgDRYKY2KTFb)m%xwv&{u90b_7kKS*Y5d?q0|_-A8V3|`m<_*S8k^H` zJN^kjca@wba+=c74a9`(N>W#w&>);kGYQQlw4lJ9Z~;UP;Kg2Cyg3(#>d^!_E#n5)|Jw6+SIq3H4t~Ywa<9;ta zME4Zki!{HKa$SCoyTRZx13Y}A;NF67BFvN+E6h+ACLB#4Q}RQ_XkRJ)q})t}sS4k> z_;f?ti1FW#^tZ3* z5{5|_PJze6NpJa7j4*!et)3q#{x88*f6N zP#rTt!bAzTQ;6~!w3y-Leuwd8LS8dT{ABTWlILBB#j@R9#x@B_Vv5+QVyBU1iq1+a zNOvU$7l!7w>4Ikno=KRWS6Nxe!q73NAPYx-w@Dj>gX8T-Ql==iz$VjmW}fGqD)l$PBi zh8KjS{HXB9gfAq{!^V>Ascc?aWcl$VvNFTKYR6=hlTL$Q1r zqOjT=Laa82(3dq^ws0#9UK3vXD+NC(coku$WUbDtDbL($Q+6-$7w0J{PfK}*3eN!F zRC*0OYkZIJN%frg=f%H3p6Rj(c`l}zNpmlnkoctE!Ala>NO+loav!d=TkKvj{Op+? ze^vNv!e1x;-|;xN*7%;`c-D!3L;QO3dQLdF0v|~3O%uw8qQwRY8zsC&f!9c*9xx0S z$Mm)-E5e|MO;X;GvY86^!4-4R-zCMpYeM(X*1tuBun4IHsPS8>E#1qU9{$GqQ9Y$oI6#uLE-^erR zpoTX(=ig135uW!yB>XAiFA7XL=@<(9x3QVk{lT0P`;XYuWcgWw>lwp@Pey+n>UGbE zE_Ilv8;4K{A_wy=qqg}h{2g7LqrLpbOCt*90pVqcGaFB6*D@YG8u68n@9MH9y&E#1 za+1nRsz8aSi!bD8Wz32uGzz7TN)jqds6wG41gmLAa|Pm}1A8%4o>xN@$^{5fE$M zaI(JhO_&~@_IeWPOK3nr^$D!a$%_@E=Rl6Tz@#t3)Z7G&SWtrcbscvY~3;b1TGhQh1e^}Rs_r9B6`sAb=nwl(K$bI1pk7cy9!ZQ zyc!`EuSTec$K@3#;VTPw`f4)}&GGx~TU$Gl+>cCL+NRZl6 zYAdQ$pypuy%e+)Ha*s~KeAuncy10iwt2VOQ%4%m;Qf^^78n;m1#$@={nANX~x2~1d zURDQMd|t6wEs|J)>u7wZ?-7lk>m>d<@tp(DVlzHpTo>azhZ0U#@!iCCCx02Xk~R)i zTbT9>FS#7lW^mHVum;TkylAestzA&fA8ik9t*5rui(9LYt%XY&!&p*2c)111m{Bav zC9}oh2HQxx62FlfwUOT1$W7b`Q`Y#bjAX1^)5q{rFM7PM@P5K?CeACQed5L^8h=ID ze1Gw`h`*J51@P*M%**Nqm@%NI-@`x|gJcY*!2?20l7L$_#PF>l4;dTp^ySE4d)uj!F&d(uE>lXJGBRNv63-PMllUOYp8D0^c&GjXuMhNLyO1+ zSrcX5PKy_m(_Okd4E}1H-^C=slLg;NSdSQLj+xioWjyQu_;XXlPZd9nyqcTw#fdb{ zdHbl9nD)mnUYjm$hP0Uo3$M_fV4FR@+wL~u!%!=7kA!%`foB^pvEhB|SrlCxPMZ zS%ony()6qeZ-m_RISJ28c!2^hYbNG$buSt`;$pw`mjtg7{4!xa4C!bWjXDFpVn%9c zczIREYcgJ^Q4vOAau%*?0oR&bi@4~;cvGm$S%)aBO@|O`(;?J(YrPrNpQKTG)1;~4 zG&V@uDCsRqJTiRi`bkCKHltVg(%mHE9T}Tx=^o8vU&OBzjGppEg3nBxzS1Al zeuk4*ND?V_$!8ha~(U;m084iy5WIdgG*wUuFD8gU>oDN;&W1?}o>RTGBs+ z|0(=0;@kn&V;s#j5HR(u8C#z7J2)ld9~q}f|4ltvILQ;g==!&8OJbrvEcXVo_EltvVaBnYv@H9|Sab=ySK{rLtv6hutu5ZdeNNvJQOK@g$@ zi#vUR3F||Gy->nM5*h{p)5!4SJ~Log`tw_ZX{vU28M?y(^)VYa^qrjCM4bK^Nv@_7xn| zHOBwD+#l4n;@gYwK%Utl2QQ!tl+lgP@^mNB*NN^-n%4+xj;Ep>w2R?uL$}$k!n+CY zPMl}#J2kMm=Xz6~3B4M6Na-o17Zsi{azHd~vKRRcW}FPU-;FYQ%eaXKk12Y2yFP}m z3-7$X!utuonK%<`I;I}svJ@`Sgw#+n?=RsN3Aa+<5#eEO%l2i=I%~%1@F)+IF-XSX zV4&cKN%47~hnVqYsB{`CW0;KLG@_)z$yd-nG2e|aWoGEOIa11PQj)0XR^;WNgy515 zXWqe|OTqtOt!so>>l&fnN9Z^2qOl~Ll_wq1QKmFJv?pcA%9NEwOP|bm8DRn=H_G_^ zNBv$#i_aFHLtZruNd=gC0F#Dc`X85T(%oNsDNjNWqsnD75WI3M-V-gA^ z6jIB&3ldGX@uVW2}sEGKy)iu;Z{s!FXfWgbITRVke5dJ+MhJ%sOjqPAIiZ z5<6M!on%%1h@ooaE`xIeJVo$S!P5vUp=M(4GAwsz_}m%(n5PS$A$(@Q^-{-J4a5K0 z;jiL7!tWJ+A94Ss-_G4{@V_C2&JsLZ@EpQSZ@heditz_bc_s9Lcu>kiQsz=oR-~0Z zn5gHO@#Z#vMDr1aE=>s0r3qp5q_Imog+~w*rM9M_YWGnIk4acafxAe_(;OoBa9?Bw zTWpe|3N!YGnHW~e zcv8kH8oX}_?OHWQ!Fsjfb%r7qKlhaIr-eU5oI5DWa%`{1Aw6qGkJbK=o|Eysj2D7Y zm^(HLHTSquFPgD4=*U~rZ4$auw!^Fyont1@1b@p>@wP*=!)7HMv+84U;e zqgp594H@fc@UhHBwU^4vZ<>%A=F8e3VWWh%C@`}?o45+fZyUcoRNQV7|Bm?0fltAb zH|%@9@J&D(VJ4Gxn9z{vPZX`?=UJ$TC0W`yaED=*!!EX;SZZ@o)IKuOuCi^fe{E z(m6YKiu=asCqlmQt?2JWA0*9uBQ3iK!@Lbn4mHS!1pgrTN5VXImdXwr+pNAn_9J3{ z5_>eTsJ?PP8~bAD(SA(qaj_@J@*q-@0smrfei(#&Qt+>We-uHl&3vxG zXN5O&9l>=4pGTPKBR?g}oo{SG=nGX(Y<;l}$TELHr#eoflkF}r;qy?QyimeL5*kv_ zgM+Rc7aN-xdgxpt_ENEzk>ye2<(A_b89XG^6kjg*3c*(rW{!=@8LaVwnq1e|j4`AA zMY&2w6B$iu=>FstpmDs|U2S~l(EQ#^d~@+F$n$V8*?*FYH+W8H|4IHGlpI752uZcwldn$;O28!>2r<2ZA03+R&aa49SAea!pxcl7)Zm{O-EDC zn&-FQNy>FnI#bbOk2Mjx7+X55bk|jEH?iHxR>tP>wrrt(fDZ4P>k%709G8Z7W)DP_ zxSj|TT`z>Xo-9nEi05uFJ}nfbZWP~J{7vL5V<(tol1+Y5zSsw`(N30y45=@oFmDq= z%-e)eCvLYn)g_wZ!hP;9mxr8%b%e~ zlHoP8JU&$TFyX@ko?MLO&(R^t@CUtlaj*zHqL0SkIbKoi7pUbNSdiSgK&|-Z#VFVF;?(6!Nr6*@H1_k z8*k{|Fs5LF(1}8CC(5gsr#7oRcZcx>gZ!o^iJvU~PV%bCQ@<`XOdz+q%d8vvcx#HR zsj{Zg;&o9^BxAp=;@Rn9XNa9iR=E`y9l6`!db2!ykKlU+-$$4i(ZxvLZ}c;vG&4)| zY|(Q_Gc!Rcu`o4;Au8?xGcFzMxBsAwhh)qR1{zGc79kS-JTorYj!og`=F50k#sV6Z z5u2~6sM%uzY4Z`pMo;6!kn|r#6y}LVh*T#5Z#_NcU0Cjw^)7E3 z&UJtJa~p(j6#f=*9vqsI(ZeKE3cqdEy^r`Syh+wOvNqG=!xzJZ$Sk?PYy5}zdwz@f z_rz}{AKi0Qq+|9_-t+g(X%sqMY?JeWob7a!38SVEFXtVGf12lau~Ybm!apL;B*GC8 zSnk^BmFb?|EqagWk4f_cIO%^5hDCp3{B2=4(q8eOir+_G&vr^qiu=sq*QWZ7?-%^J z;4cU>Iiac+)2Q%Vzck}usH*)+#sL{$(@-{p5jWo$yCoD>z7_kO*n?zwq8g0hzBhXF zJBY;39TNS6=pRY*z>$m+++l-Tg|u@-@K1t|66S$(v_RC){%12jobFHcn2h5xPSB_f zBg!<`f{vkfzaTcsG%`Y_aS~A_?pK6~?l*)=bDU`u^O^c(bbmK%O(^^RA?r_Bf6?N3 zbDm;!Rx^6O zw=|+q01#V-EK@S(hQPYy(O~Ja=DZo4a&pScsX&K`EgJEMb^+t#PazsVS4n(j@m0t( z|H{I8pJ;ndbyZC$m*5YonuK#CR1bnn!~C^OZ#7Jq7Mf^kN~k5Fb`a8X*%E|3oNL0) zihd7uB-E8~9)-#{B#rOnXaw%%e3J%-C%B%Z`jQ$1DamG}!JaNK>4r@_b)5W#k}i_e zkP;It76&PG7aP3pQGZyM2)82 z#-?=)55-l|nn-I(jrkB>Z5XTWt~Pw`0)I%&gf|!7f;d0E*hZX!vKiJPexZaG@mAuhI zMo$^Ng25J)bc`6p^sZ*~T;+`$W%QPD6AfM@+`U$uV6%_$ox*MFE54ujo5}N-{K#;8 zs3w{*B$O=r%eY0xt--K1LN~ySC%0i!__={H2FVyqgHHvgvT<2h36r;Ch)K_v@+UG> z(lANGDe)UOBiW5G^oQ`}FjDAkLX(Ixv%!QHeue-HVKArO9e(pEa#H1_1qY=zWRt$Y zV9r3~d;GZ!Ihk^@=rDEo1ciB>Oz0bu(`X6V5^^Z;X2eie#zEP+#&-^H#60o&;>VEZ zGlUvs&i~>JuQSu1Lri#q@IvA|9<-h#fuK^c$b<*Nu=TML#z`oqPz8d<=Aa-M=k5`Euh{#@@`b1` zJ$Jv+r^1KcEYY(?&mmm}G^R|kA%~dU3DMCdY8DnQc@R;U+zBBjcS5MA2q~PY2`~3~ zW>gEwd%lc^Wh|hfGicS?J!0&m?Rfk+gGa?aCUzlNKBLJFRTyZo&322-sJdSQnhInr zk+GBpv%bu%jLdBOhs5-_DZNA0*D@(jNLfyW4=FN^Hfq~u_3jFjx`+F)Qqq%>R#9RC zM-dv+Fs8WG#xD)!=cmL!E&dtud{S|3F@7ehPI}gyW=HT(__^ogJTK=3Iy`&49?_jO z4}FDSG$SFr8()&KM#jrD_!wa|Mf7HMuNeN%B|hc7D*QF!uM_9RN-Ivw!2FFIV!GCp z+SR?XPRbin)>Gkmgkxgg+&9f>5sqquoQ-ncqQl*wn3}J&56C(A;rCG=FU(zxkcuCGPlxXqQ}gh&EwtsMxXAANc`M3(I1H3PMQxZ z=HA1^6gZb1CiHIN&wr9?>6@){8iAES7CSLp|CJ zOt~Wz9QR83RLVXoQK=@zboiO!74!Wb_6z@9_!q=^0xJJ;NvSVQ_cQvX)QcQOvr;3=oOq{3A9z0o_u0GLCfe-Qm6Y361vnkO`OhYdc9 z6PDoTjtKrq@X-M07h*Q7pA9Y_PW71JGY*AOTz|;;Q^sF3qJ-+F=qzx5o6@A2znrI}{3GRbQ1CpUq7{3>{II4h z43EPZDW%Z05~T@*x@DY14xfNnM*=ZX9@{N+St*Su6e%Q>p}-7^t1)UJJ=XD+HECoh z4V9BrUQz{0Oh?IC7|7{dMZ;(BMJ#@f(oWy-4>|3$b|)x@78zB+lP zyCj!Us0pEJnDFopZ6DJ!A*#gHLYU}kBUHLTLo^x~@Kqywq>{64956 zzKnDg(C8iPaEs9ktpL-+H!^Gea&KKO>k3&{(&FXEW7ZCzmW>VX6`rxHgf|i1lz3_2 z@h#iAtBtME7E$=QW@4L*Z9$e72R%Hn<^{ft<4rgn`sXA_Xepr;1>Re(T*~R0S{wh? zU)(%)&_;Y)@$JZS2bzpeg$EOMhdk?A3GF3xpup#bLm=>WV-0#oQ`IL_>SWwX zL$3nP;t~zlA7Dzq&?8}>ltEGkQ{jCGJ8?ryC>QoIRKhR`!zu8*qazw&^v-tv97c-1 zO>`1zrMcGeF4@?5*I)zqxfHRfV$;YfH*pw{jCo)UuO7a_GK6Oe&mzu~#akOwf?>s+ zR5!{LuJFsB8!aVUN)DB%Ix? zEf8DyAKTUy89V4&e>`KwjuTr9>Mn5$!ojHxoF(a`G;)$cr<65~6DZnM+H&k#S8yb@et zG{O=0;BHf@hcS!yNV!+aeN>p$CA4eZA}@IqG7DBH-)~m`a0h0|nk{P%Ej~ZNU?JcE zb2^6Fg9qh2Bxf!irqtBJoE#JxjQ+EOSDwd>-@MTC%fvq+etF<|`1}H1Vf-KA z1XhZFQv53NJYCd^AwybibX6-Wh<;l1Go<;x$4Y!!!b1bIpEW6ej6bC3Bt0+b1xotb z!9cOmnnCMDGbY~SjhAGsk?}GOUe#!&kf^iwE9P9%*gLPvc}>piba-efd1%myhJvBY zU{d45_&5CAI!SLxT2F~75g%cgGK#aTyEjd_^jW{34N^8rd5a3qh66V_3vh;e+l*@` zdSjD}cVuj)!Lz|jj#-BW^uB9OnNUlyMb3M2w$fo5;R@jHeS?RDHs5W6KM=f~FwY|D znyhc09j07f;*V*klneGo^p{K-n+lb17d?QNGzW-hF9o*^byb ze(o!=2gH6&mgj+dAs#bSAy4?mi~%7}_*TYuG7i$<1C`IoF2R3qe52d^l{zH;2k}1! z9%&;v34PHI8^3o8j|WF|MEp785NBpP6u!-TrIN>1^+uky8q%h2jH3ojUGxl&G+{1mdFPaUi6s(uhI=4pGP=) zXP|pLhS~5Yo^Q^|@EFyTQ(sO4I!q!QZgGLJyF$ytg<>xf+mI~JnBOXRQR1a>u^BZ} z{NZ0B<5C%y(O|u9tetCQ=x=v=^m3tB2)&Xh-xnBIjJHc;qo;;CnX5!M5#5w@RnWLD zEirvDn_kfRQ4FkxLN9N#FRw}hK0@b;k&3b|_^qnm_t=_|UQ=$lFF=`6^~iB=L% zG-L7{pFH}@xJAaTG;~1um=~Nc#{nj+yw3{*B@B`z;n*UfaG2sQm3yJF+0{N;dGPqPN504c*PH-_{6{9eCI}2Ty3~v=i z$xIMFQTXivM?bLav|@LM;b&j$w?0YuWZ`!b=f&hC-I(;y-DUi?&}U(a_^INjk>{mJ zPs+-UVSQp(VnVYpMrOK%84_kv;NfE)E-Yd1?l$~~@OgEQ@Oy>dN4y$vB!@O^;zbRL zK4tI6KSZyqq>w0PA*#g9Mwsa4AoRH(x?;HpjQ%?u)PtfQ5 zocY2Z7QTQuQxJw7sZj?d2{U@!;4kZ=G9Ht$kOseb^-VSwZ5({!7Mb)(c$F-cv_#TU zO1!q1hyuM{@#Xip36Eat_p(gF6B3qF;Bm2%28jc^SYgK2P))N^#*;Eu(cmuFrx3%3 zvEG~sZ(rkg@sxz8B|Jlcc``rXvh(s-kbl;cX~VqooRsIKyg)@?)fh&>C5MYp1OK8q zheNf+OLEr8d6^D(gQ;H80;53)ul%R<^SgOf%49^@G@O%#*gpeAMkVQ zWV|6`Jq8ro>av${nQ{K|eA6kx-w#SNx~q_XQpUc~NbQ zsh5mz8K#ljFaC4!Uy#>J8|{%_8hi7N*d>1ME3pT}eodAMR$a+hZ2rcC`$8|WZzX&u z;b0K-Ot9YgdlNngkHjGfKS=n|1P-i5DtCuXNC|iDh=iXc9Hqd7hon6&3#CRZPiMyX z&}ZeCjN>v+(1=dBwfn``_x}%7cLIM?)wc~?^%jvLBqj5ZqRu=Rk}_)$2}#DkA@f2= z=9x&L2t^2)ix8S*Is*_u)@b> zf0zA(mV3`23}5E9$H(OUv`mYzt)5Wkq%wbn3=WzZ%xtaG``?!75)PQBlsT=;Kg_UV z`S^=g`(F#R50Af`Q6L}gj^i2v?^JB_-pI^R!{Q2~3m9jvXt^n;VjN`!ACX2lkjyQ!ByFjtRjB&^A-@A7g zccI}uVU*rQ!bOCO60=NQakH}@pLjOEHOyaIOuo2$33`4Z1N(DcQqJardl8m76538B zmAO=zQp~U^gy)fXwaLM+=+M8+QdiINYk#>?rIosZDVD4^<`f#-y@xAfet%u>%gUFN zFHg^s`KN~Uja0DA@Nj;us7xhgDl@|~U+$>ssu({S4w+TOuN1FF&TSnNX=1V#o?))C z#J-1pp{`b*V4>LKhKuZb`OL&MmU*wb&s?iaM42cvJQjwZUcpHwW|1$#&6~I) z2}P2O@MC!U08ehJ+c#yIE#dw_TA7S8S!Vb#c2dSO&=z?=oRVuPQd^NajPNVLo|Waq zNY|O~7WS&T^4H7PqvuE9EYQtQuXck)UJZwn8x^UqNCQT=BM!tms8gb$1rCk%wbe+0 z#tJkE0raQ2F6=02YJvFoSP)*WnF2Q{a5Dp33G`F;;#YW!`JIpY54csnx%_SPED`r~ z&IILJSm3F!o3~Wpb_H57z-t!{=ji3`FugwP9Id6>NVlbC9rZ!)78ah@sgJwUB5mvW z617w0E=Afi!V=+X2Q6&0;P19T)dfD#L4l46bYg%<1UwGd*L600$3grJFV{u5t8gAM z_lf?w-*W6`{LA)!+1se(f7t=F{I+lh=UxnAbI$yZioQ4lVNO43$`S* zK=RyJOIHgIRg6=5ywVex=9jJCz2v>qi5A%4d<{%eV6p;J7|0z9y5ww(;6Zw}^c-q# zPO&VW{O;l&G2S(FlRPRuS9~71+Oh1F?As|BagSMI_gnr0<}0y4iG@tC?1@A);vP4= zy{pGh2rm*|Ow1NwJnqNEU`UL6(n76n_Ms&TEmde4L)->2sm-7SO7xWZF-v`IE|*^+ zzmh&zn~9Wr+VIaK{lZrXuNGcI%oR>#yZ0X$O+*uJttE;&pIE2FdL=e6!TL|6kZ{kK zuGY)zXQekvZ=(KBg(f2IIZM15Ds;0FTa?(!1UK<$df1dVbEI%=*{^+dY|-uYSv^thDS0w^^PW^?n8_8XzD-UfFd6$@-ZVUPBt3F zP3428hivlt6X`?JhpD-u>2%zEYWCz3Z;!}+Ci^)pmmG`7Vp;cv=^Mky$1kP7lKz^S zOLpj;{l;uw7;AD=_FLKSf{iEA?t8PHn)_1xfInf1R=i`1R=oS$U;aSIW8lyDYp&s3 z;U^#ZMWJH~{mKyQQO7{eAc1F}E%J0Y3LaPFcSZhSgj-BHBmSrH$xr!DI3a#g{4a7I zWzo;T!%o`$ZGpGLPI5|t(+d2<0Qd1sB${;p8vbX6U-}v0e0ahc7YlgTN~a?KIqIB^ zzvfnY;UphA2YezxYD( z7swZ;=jM<}@F;Sj>BrW3eUWq#>7vyCsh^a)*aB~b`YEPBaRo{+z^^Qp$Q?v*T)V^~ z?ZT*>l8RiaNGV2Gr4b$kFEbqF(F-qkxo~OWD~Nf-i6p`iC+*5urYAodFIQHXa>|rv zhTC)^opu$>R_!B-pN^BQBwLx5wVz1ih?90zj9=2%^Qz)kidQ3NZAM}|MPFsQC%+QB z+||<6rE5?Z#$VZ&;^#>l7<1QHs&F`(T&q+>sVGxiuSi5klNcr{j9KIWR}3!~S0tfG zk`Wdwjb9T^yOik)%Y`v&Njf8)rRJB6vBH?M4&7ljEpR3@6>BL_TY)+ZaPeI+I1_Us znVuNNIMtQDUbxySF`%@pnEY0n;)l2)|`Af3%amOSU~Nx8F!gg}K}KAr=%b*Fn6acqj7z?B5aB*#d8b{kw|- zT@}b{_e5R(8j(*y%g%LP#=c4ZSn9IaeYmX z3P-sw#^bMexpCs- z#V3$+Bj;hyO*C9EJSi|qc(U*mVpdBEBZ;S)Z8eRH#e%2FJ|H`tmPe~(N~8YW4D;WN zriOn|ey03G^ejl{PA=jeHe4#qxjRdEw(uO{+~%kT+#|-1ge~S#@wwvj$hkTCLme&x zEbt-M2QN2YfdvXIWPtx68%wyy&CcH}iU%BI7s)QBWx*4fXw*GvcuP32FA-iUye!~! zHkx)%8UElYzvSh@D}+}PvlN}WU@BF!Kkf8(mF#NSHMHDN@T-$O`|D}lwU$_Wfj`Qu zQ)0am8<@Bd3C!Wt6SJN03X+YdXDs${n8)c^#WpIoiLs)H^@7>uwZ}j7EnZ8YQyXX#5o{n`{>lgomWwwR+e_vGQ zC1qY_hDUg1co@d7R$F9wi0o8kmm;q+!V1Ru%)Msz@^ChLUG@#xH)$_|jb_-f!h<{e zlOk@n<;GUVf5ywbrQF-f?O~3aM=XVJ{2jwnYRY03B;j|3-y`OFrxWPh)X5_5-nYyn zi+tt-W%envpBWxdqUl&F?mjfVrGnQ7q(74WIOqg^Ejr;2nm*d!>rbQ)Ngt->PMnS5 zF?&3)`KkFjTf9Fa|C#*f^jz6!6m70A3^!tb1zzq;;je_hCgxrlPx>|e#sZJGl*g0N z3Vf@;cMNb%BPou`{@!${u+#q_{iF0xLB}(3ToV3ldSx5G>|dmhN&iaC!VJQ6Qfz;? z-z@O>T)+DqSKxOA{$PNsif%dl61CwcL$BNk;giCD5p&x_QzDl8{R#KCMMi}N#VJKj zEAkH`+HNALi2K*@-!**c&j{zkc8x0nyzAF%d!zKcK{1SzVqr={PGaNE#(&N2mp9h( zYjO_$gewDu&t;f3$PjM3U~)G6?$UV{I=sP$@+(w8q4OD1a|5?%2J)op3R)uHAfG6t z#05$eW`aAA_D>x>c-0$q7g}x|{y)ClMfiX4a}IdN&pF^-$9hF#?qd8qw>D$KQKp!9 zaq$x5tm^-K!X*|NA0j0cxm1x-jIaW7hqP!c62p=FG7GH;q01F2tp`2(2dgdr5gmDPQ;=y*UDR77L7t`@pRVG*{p@22?Fv&lZL&ulBg5@a@8_h*>S^ z47Wvhhw&ShdEQ#Qjd)vfRZBFMNx3^sZw#G6?WFILZXa|q6+{2m-KGzO-rNq-9i=-3 zok+(rY1i5Go?gBrU8K88=TWm-(vc(zj>B{}3)GwE1Kkzqp+HXtSS{&nCgScfyfd7# zdkOaz?nA6*uLnvGk{%p%A{oVSy?aeB z@87mlYf=;Dk>8!iY^vIcB50}1QdIYt0BJfBI$N!NQXgJyjMkz2_fiVoIS~8J{ z8*BLJQjf<8j~AXm%xX!Y!J3V^iN?py@_dr`WbrBFtd>kXhU?&|rmKakp=r_&NKX$s zjw;8mDwr;OyI=N$(lezW3L51=m*c~x&#U6~Ea}m zt^)HIP_?8`hmRTl?n#g53oj5}NUUl}q@$Uvd))Ym>7G9!zDRsAxwaNGyHf5+(>K-j zdWrN>>1C#~(JXrWO_vYlUM{^tdS%c!x1=)eY12=I6U!>;)zWLIRV^6X7>QxOSZjfi zF<+Q<_!EB28SnTpXT0aCC5Z#kGx%5TeA;ud$Il9H6y8LvYKh_SpK{L`|9?|G-z>gG zd@H%CB@;u3^YfoMq_<1&FrAFzXz_ySmqU-grdQqPOR`gX zm-MUDtd?vdi)ulwzh;3};rRc$0&ghrCIi}95;zm>Hhkd|e(7%szb(9nSk)3qMKf{t zj`5!-dcIfuUGewGbH|owCgI*UJt7=iK9Jrgy+7zI&d(9|q3I#v0`!3NN75ftvndwK z-~nqq&G(f*6$ocpIGe&ZDxUhaevCzbe% z3DqILqQ4Ed4yTq=!l#A*Ayyq`Vo@Cb|22MStY7vS@qEYCoX2~v4ihoV0d+S1ncGAE zU!K?J;7@43OP?Eb6k8%X_DvTq?{$9Z0@CLPox=Gx;R>4W8@Ag*(icbB`ismsC88N{QouQNEL=zUMK&_^XAh3)di4z2K&JI_a)4 zUTw7J*NR8PqvWiYY$ldK6Ww&l7rc&3C!~`>M^)!3)A=v+IxU@%&YF($qPwQ)3E`T) zmUM0DI@H=;vQad2d3d?b5{2ve<=0i>dL`;Hp?cwU?hS^ggy!Fk!u5q45UXC2nP@uU z8XAv<#%Lq)#^O!LSubde;?{Xn)31caXfx@Xq;C#7ihVTcZZZ9ANnh?;rJGCN7IYGI zo^~xve--xVmeRLNx1wgfU|U2>mmLy!SYl(?9$PEXMv1meSm)hL&$!s@?$SM^ zdz!|wlkOhV&sOldmvnFGKGdq0H11DF;@AZGT4Gj6^i!h05(AiEy`*@f-x*#IF1rQ_ z4-y_sta?eH_buw~{U0CUOEW}#sQ55))(egSxF>R-=}*HkV7T=C(j$V7pf5M(Mw(8s zmjf?1N_w>Pn4od#nuxoxrsst#*KyM0r6*9cUgG#ZQ7>rgPPD|S##($nH%W=fN=#uQ zS1;IJrW$^0j>pr49}u2SoU4~;6w97reC_?7KPWy^{2_AI3oZe%M?Y-(o3Pi-lAbL+ zCusC@pw1sLU5CBRc)3TV=St5DI+cjwX3JxyYlc?$eCY+!3#nNzDL%*(iQ|0txFv3x zsKujuUWr9YEM`LWlEL=!q~W_~d%Q$=sqivl)k_@PW7a)oeA;l&my53uUrDaxODq;g zJKgm0j$W^lUM;hhw}S*#&r3xhdwL4QF>F*Xz9kY z?m5#t`}=Zimfj-0m6~;!#kC0P5U1(qE%8Y>V{B7myAnH?$W==$iVKn#j4uu??-#{i z5`USTg^wp=@w9uzbm11hI6I|xNxvF2nqH{#*G%UNy}GYUzajl*(1|Fke7EVD9sIK2 zl73ry4>ea6Cjc~!6WBA}vBb0CB(PVBca?aL32iQE)cgB}mp$wk|AFv6;r+y_7c{+7 zY4@S=i$lE}5dTR0V{+9?JQh#7gQib6^$Y(*`jGVDpjj^&_o?YKp*ea)`ZMXzgN|bp zNV_jgSGm(K`%CGsq`#(Sy`V*h<}OFNePfAt*x`?tJF3LDN_@veu3pgA`QC7uP%l3S z|0w(uajssHQCuAVY<%M|zwBSckBR?Eu6jvx61Cq<-*bo8$EAOl{v+rJmYsHgn%>P` zU%cE2>66lb1)abynsk4g{ij~}8Lkjs?jq?T(nW(#qFxg2;{WOJ4Hc6vE?t6J`w_ZyQ7_m8 zF0sUk_I~*#mAF)iQcP%jVb{xLh7X5Iyj-}n@D;?W7hGWCu2dQ0r9-`x6)z`Vo}Bf9 zQ${@IDwxiMQ$|JUO45~sX1yd`71QZZFIA2qiMwY(aC!p|b(9Y2eV zchw8_B5W)PoE)#gpK_bP#&BtWtr8I>qDRxcWuXzp^5YeP%a3#YI~N;FoY2@|<`!9lvI;j==$G!wo__-5i@OYH)XyGx$xq3kpFzUt{KQ+knaro0jHy-aT+yuO< zUeL`HOS_5qXKwG`6*>VXNl%uZ5_Ckvai^ND!Q$cNrb#~_Jw0d~=TPS}OsB$e?m_99 z(hpJldO_1Tfu`}pmiRE#%Pb{kD=~+OT)m(H@QC5jpSH0lYTP)=s$3JuRvgvuRpO9W8y*Oyr3kK1ct{&=TiS$zGWkF-| z6V&-rrr!$t=yK^5(krR`euU<30;lPxEm0xtN2`=rt;8B8R4>G94W~oBtP@@@yn#4Z zFWA=6R5yNRpkLEx#W#v?BG-NtVZA(Ox?z2;yH6pqnJ_m1iFLj!ZK^t;mU12>>39x(WJbu_fM2Kq{Lw+a`l4a%cq9# z5A||H_%q?piCHg+Y=-snh4EJh_+@`7{+0OG1;T69hLr8`a9FuGm`Fm z(?!Fz)DO}>O8-R7HDw3n~v zm5z5?cEX*Ff98%xEyA+T!Jp7fmp+%8^^(ZoY{%Whoo9*RA(3B+0!p0EgzAM?(*+H$ zeZW^@A>j*z3lrz+B@xA~i3^SY)8F%p#EXa*C1<^4@g-sSi|ILAye=kPT)Kp5)Jw)) zVtQYwmy*(#N|!PnWu0GUdh#Z}?91_|iLNx>TevImu6jvf_&4eW8+#f2DOZyNLjPM? zCCVvLo{3z&;51#q@RU$56@@DaS0>KYON{kW#rTd;FIB~_6t70kdchShI#jMQT{K+r zUM*c+x<=64>oV>d(`SWxxmG$N9Su5;y)Ncrrdx+A(zrB#_ql~jQgeIB#?gX_B+=SU zS>l)QEv1#nD3N6%S1-Ud4Oa{GQcJkDa2?`Yz2HcSnRtv}8|tO5`1RuT$XPEMBjau` zJ#)SPPH&X1FWn$$)=SzoG@UQhOC#yV(oKTS;H(~VO-+Bc)-Su6^i9$?Q|m~Iv4*G@ z9I0=yM6D`5ajO!|mAH+GT)kkYYhn0cXiT*fzFoK#vFZgk4^c077(X5M(bnQ^#M_c< zd%>|0J?f^DxBHT`lfFy3y=k<)qV8_fyKeEigLFsfPSpO0fi@|d-<>TnBb26#5?z(Z zVw(gPqz4DhEdYbvO&T)p77O45xr{%ok1apL2}Cy=vV(07P>nP_@q z=sTPwJz086&?q_9bgJpmZG2ItNk1Sxom$&EdSJ1pDEtgd+B_3iTx2D)! z9yYuztm!P_*}`*(b88xp;{Tj09SlDYP=5vc%j__T@^fP+}z$ zxq88|@oB>?L%pmLUM;+aI9D$?XW&^^<4wb|*NLwe-$2fKN%9__d&cy|q2J(H>5bBx zg2v>lsF&wVZw%KNo29o%Zw(rK&8YL|O>ghzzx{2}+og9w~T zp+#Z*?^_DJt0_gko;kKR>OZr z0i)a9LMub)h(ez!^f^OZqZk??xaz{V(Jw5~q8|POUhYdJzEa|ACfL1{#wdet%7Rnej)q$RKbt-kI%t29J|_JuwRTL5ra}P2 zhJUlfuiboUjw|uI5`QqklBaP0@=vo(L)-s^>`B?bg3aLm^5165gpTsVZsl=s9lwv~PPdeo;Gdnh1<1RP8AaoYGnwFTb$}hi`61A16!vu@Y_Nu$i@chs$ zt1EoHa6Mucooy8ij4}OUNx$eDrRz&K2s)AAh|z|oi|2XWNV>6f6KWPclF^7!oC=#- zV#kF((M*Y(l(?A*79BSW((V?+o5Q_=TZNko-$u+05#yp<3$q1zy2H!0l)YWH6)jgY zgF&}xcZcb*;cBI|bQ|fm)GW9k(}}X&X^A^R+oqiocPY`H2^O4#o!s4q&$$eL!^?FL z?kL=en1xAVBpt@ZnBEh{IdqZkDxF8oezGv`5+BgbB0K7E@%Vu5iu6#VCnGEk<{?eH zdkj~tFN+EIg?kJ4A?EVKm_$VSTI6^kAL*w^e?^uBfLm>F)>S? z!5RHYvjxIgdWq~(*=4jWOBlh1Httgv*;K|aez_tm6j{j#%Yt57jE*t9H`g@G=T-@? z7G6Wlnn8yiMwzWO{ZZ(MSSP(+dIPmegX1pFz1UyfGZvX0297^MLK1 zGaXyz%f4B9i}Y4%en1$2#U{N)PKOa#+Z5TZ$PPxhy72_?3x+3!#=wihFA2X)%&NyX z>s~Q?!*jkYJMpK9ZWrELxL5I>+h}mqh`QJC&s?Ktcc{qMrQeW#lbR(DL!?lc-4?ku zocP{S?%Y!{G`@8HP!J;hgPqXVnAx_Ail>LjAYl+4b znhk%OK6kM%#VP62(*IC%EyJiGT>k%Sk-ecQa7K}QC)8fYyVepjQDxoP_*ZVr?NQn< z{~Y`Y&2`~(iM3_njx?IGP?zoufYw_w{(uUC<(3!Uj-CkqZO3e=lqaW}AF^iN5$BnomoCp`)@QiSE(UF;PDZ`iV@XJpNXN0rF zEDid-F+!oH>HilNT}!&QbRBAy#*aC`#(bSc_J^zSx{6${NIgba8jOO?x*H5%ADY)U z3fC8IK+MwM(H4xwXlVN5%D(K4q#H{&q4uTGoql{kQ;Qr3rD>+fO^V#i2up(jR#|t8 z;j)$d@^2MxE_@qt_@<(+h3QAaH`P-5cIj5s{+rVMb$q}b7O5Djv$Y~^6lu!{OM{kk z*4=6NL})X&6TVBhJu#1caWt6jHe0H-FL?+2X`<_h_ZF@b-g70_ID*djXYP1YAT$iS zNOzUaqh`s&9dHz;n?+9Yzu@J%E7C)eo{Z!QlW_N#eeMo#d&%~e?L*6IL}MSfKKhz2 zSKsS?(*30eQ1c_hZD$n5S)^Hc9~r2~AVmf8)8Bdp$~ewDcHien7ZwiVqlTk^4h`>^McnD>8u* zRgvz>O*Ea?#(%&h>B-VlsQCfm{v$qMszqElYEDz+0Y#=W!VgHIYa2soOy54nf53y% zGo>G*<_CludH8^bEplv&kIYhJwjy&F;Rm1t0Qb)xF@1S$uOF43D?N{zAAsHn-4VkF zJZ6#FReWT=A`28*$cRq;xc&dQ**>eieL{AT>|$CL22VSnFi)EPrH9u`q?bxBqxRpI zZd#!*Pg&%_@O>>;WQ8It8Q}+Deh=I$dfN0&CHx1hl3p#nhMFG`?*8Bd)>@=W=nq<_ z$a+OKFrp98&8TNgPqQYy^hW7T)T&N@(*+;!oJHDQ>dUlQku8dBWrQD)!X}+`&zmk6 zx-qv&ZUUQ*;`M)-Y2*swRdgoiu4+)mkDvaizW`@+ro zqtUpE?qIN({96iztEB~?Tql-!h49>Q_=?$lJ*^|B3wCCYJ^cdC|KThvHH2&_De$fZSKNA0# zoYlzbYJ2B?8|I)zHvQ;7;S)s;DRP(*HY0LBC_Ye=?O^^HOL3N0zT6R|K2z#*rdTfA z_egZYboRz4ggYN!ihm{kH90G(H-6GAPZPU;V~IcN_%%7I#J5U(#{?^>Zx8$=mf4*x zy!}D;N7zMO>#Q!@AH*ALsrpO*SJ{J_HrrA{jK7gGh0!td(l4Z#Gf?(hEv zF7<13N`cb~{KEjNw(Ag0_Vlmuw*SxbGvfJ9s^O1!edT#Q2j=y~@7H3k<+Jg(-08S# z_@U@?@Fz6?6*-p?770@~VUj+~>35z53hc$-@pAbUD4@Xk4CFSezI|1}n9SZH{FOXK z3Mq1dB85XlKUdSIUswEk#)TI7BkI@WB1MWQQj`(yc76HNyD$9(z(|^p>%2ZdT1~ZkB!4GQjCv$Bg>)a8AlMLdgMhD>+ z3iwN8?iyR#>7ssV*J^1IEiKBW@%l4Y0`&Bo&kLU(mruwigYS%b>79p>_2%~=ch{M36=s^OD}TLwJ$f#lcVGv`-3`Wn z3in=b6t6Gdfczrxu6g}?_Z!AvH^DD%;m7D3TCUD1{AaveBjp+^*MvEKwfdM`q^U*D zdd635GevGvAhI058Fnq`K=7C<{D&1WAHfkP<1`X?UO1CF?9)2_)!B)iI276rfvVPyTjsl)$sAwinmd`E#vIXAB3Nz@7u3;zwX1j;Dh-i zdEx)MJ8cmkg}J=iX%Tm65$(AM?&94$_wD5FHvGfo{_{ErcNFdva3liU+3-u;?eTJ5 zgu4po5$h1;i-dlSZWgKWrH^!1q=zCs8DU|%^~98q_ZU7@!WX8OaBty0#JoRlwQc{8 z>ub^YI3Mk&Xn#cqFv^Qj?0TIs>py;9rte@J4xPm=`N0=&pkjj*8_ZbPB4X}d)7!!p zF+_T(^e}2}+4zxh{_j5HkAvK{DKK7v2@J4gJX+z4oM=4u8~%!yn)|a;hDk@5%XA~oe~9k*nEMoN6wO;EkB2z zD~exl$-{~!-6IyL6q+oLDlk`pc?@t9$sJk$&mfP-EV?hW+vY2}K+%PaauZ<)72B^f zwvs`e+~XGeJRF~%P;8N6iy6zc-3AWQFb|y(p0w19p@x?zwN$BPOkIHw3!_QG@gwZT znwQNzWlQ-wYzND=loeXaN-l-xB0L_9yR!ISH13|Z%r%wppYU?4lv%CJ8fI9fSxn`j zz*-BuzF9t>Tc^N!1vW6ieEJT%Is3+Rc81Jn5zqyHm{kkGtcYSrQeW#lbZWL5@Q$KZo|a}dHj~}+roQ@ zxpU#?GTl37f7s^jUfFkL-=pPzo5Ev=v6y?`_;V9I|3G}7_9W{i9Vfw%~lWH_-ADE{iO>LysKVtEWnL9 zcQ*c=y9oI_<`;bq{)CGV@pH*lFBss8asQ^D3m5zOr3*-(PtAHk-z4fKje5ztf|iN3 z_McElnG2LD%!~?;X`?PQ`^#8wFOn@HTa;FHn2BO6#l@y8F7vvWbaCktL1S;m;HXPX zFKpy>N$E?aOHp%!iDt8$kK{7ri>i8lxp-;uE67>wEbbMTF?(>Uw`K9CiLM;pTe$Lg zSFthb3YAy^|IAhS>3UvQl&&OQnVOY|IsH(H8GKC`{BN0emitUqWv*1F8Z)dI{K5>r z)T>Na3ERNc($%GF1dS(jalF39^gLdE;pMKCjz~wTSur?taYB-q@j_w$kBcY7ljJN) zl()rP%5;%pTr?J*md;3LskySKb*yX_Q^6!%P0LIURbNY)+RD^nMq5D~<6hi#rn8|N zwyyN`()EJIJuw`oZ!kTzhKhsV;FYc~-GG`an@T0)*z+11-yZJ!G!kzt-h`Z6K_-!O zP0gm(`b9UBy-D_FS{6GM;fxozn4UVx>szIpOW#J#zK>+q&tewGeVG;(S~t#zS}JtA zLai9$M`ZET1x621J#|;pMtWca_eg=GtOtac;gbPVv&sLd(Lbue(A$6za*4 zc0o*kc8}RY;TB6T+1|2!XjvT0!ic+%p0B+1TrW(u1T2 zQ?q6;X;&OGCEjcN&jp?j5g#f(jGRTmyf-n-s$=?|wAaI>@0T7y&6)N z@}N(|O*K9;bb3z{e?WXXIg65x;>i&=!}PAl{K6lUo+iq1g(}VMuG6Na7swi0L<{d;O^NT;&3*`y%MdFLeSroKpu(nT{K9KbbUxGhPbW8Ex!Y#vlZmVbIaCR^} zE8(8PUvnREVYpMfT%i>Ttz?K>J*E+GPn&%{9J*J@u9jUx%i<*PoG&KXG2QiUUz~N) z>!mjYjk_f%{4=I^Pxks*>5bBxsI?s=aTZCq=Zx1W>-lE!E#h0rSrlxLc(m?$(?5qh z8QY|{OYflOc7S2WXm{Xz9LJ=>FIXrVc9j1lJ0#Atq8Y2K2T_%Li-tFi7>BZG=j-?jISStzvAT%;7=3XM|f}H zKE}IBgmXR{@%U$MBU=k+hTRUFg-Qw zuU|@kCH*xuR~HY4pgn{mJsv=E-&p8C=tMZG(6v)T|mDn$Y;ed|n(o_pgQS-t5bNMxlIv^Q%1z z@2VO;Yh=CHF11ZXwVxkGu-q1;swOdCs*k)0zB;snqEEC z>q62ONEfE&!f_r+;OKOr@#EpVd69S#@uK8hIBt+*lf2mUkkFtgCS6>*1U0J$)9#_E zh;`+5e2Ik~WuFdSuB1YjDpZOgmI%d(;=8@f__#c2{Opx@Y4Iz_S)wGmCNQ4J^c!Kj zDJxx0x;!-(j;ARwyQ`~U{MCeCct!C_;+4s{a6EL6l2M54l>g>WbCCd+z(iJ#So;USs^R5uRTw9ubd{vrIhjU__DWmqIs5 zTsk40q~;2z(pcfFOBpXS%P%}Fo)OQIbKw~5h83=9x>aefYf0CZu0x$4{~?~jZ5B7k zU1$F6JG`$ef4zJ?dLE3>2ua1TEo0WM1fKJ`!D2Jp`Phw$)mN+mV`?;F`m2U!OK$bH zk!)kxCbV2%T!=;Em@w1$MWKz^O#CMCo5{JpY0M>yQAMVkKj{~Kt8{be+o-wlNIIE7 zH+T!L>AR%c zQ|s)5<|qda;(ut~Tj-t6KGZ>>jtX^RNZUS-uz0-Jc>6H)u8VkA@jP;tD3!@zBkpE; z!W_Tw?$SM^ds1`Z=(yo_c8~G1nt9$!ytjBCaxNTCZDDo$ny!%ax}S7^=>gO_`*7wa z?o()nJ7=MfmiW*>g$5}!m?4%ZgJ)In2-m&F?|R1bA>u>Dhmo^Hm^dA)d!OkWD|}c6BwAyMgTQM#O#~Ocxf5pp<6CW==fm{Va-*3WAG`%Gp zEhkA&mYzb*s=P%C}aZfZlzD9#CjHL)xLxH!#EOv~b1tpzKW9hiF;O zEJmE7SL0#h#RH!uK3jYaIZGeMs$%9$)3=5}7>`QNm7Yhpc{s)lUI}z1%vp=uB8HzCwH@IZK4u+_Ab(o8D5>FMJjLG|{cbdkeP)?^<{~k>I3HYw_>giND#c zp05*MFTR0X3r}+=dB$|X+Fm~^y-|7-wN^J3LyHuXZK2iZp0m)q;p^J0&=!TZGNdm6 zzvh)h8{hci&`R4TzFm9=IZK3l3|QS4O#hv`Erj2*m3~S3Woj-wmQE#bP5X-Rybj`5Y@0%))JyW;PWvqY&Bnmg`&)2VO>|3G@5^nPkC9CH!z_cT8=esg_amILA+ ziGNJaoiL4=nh%=2HFR}oFf9v$pY=f1d}{i)OZ}3MNPi~%Ikl=L5!2vWR87Wx zVWB(2<-?Z>eWlRX46*c>po8NKzcId>ecE`rqvGF+e@D&|VRm>CVNyJ}&*c^dHn(-3%@ZIXf07>-*C} zZNufy358B7^cO=cQ4*arI12u4e8heJGfv@86WwXNw{ZX9T_s9mKaaV8@z30j`($V* zoRQ9VO09dm=Z>!!LUT6$k+Ua5-^@Aq6I%DO=hCtu*lQE$I62SwywG0HFJ3_Wd~$9z z5p*dPG`lmjKMKiSAX}K0)yQsIH0@2t!X?Q?(nX|;QnMPPQEb4ROe=u{!o?O^UIPCO zFIP;V;tG{uh^5Eg#6jqn81Ef+sFLEBikBkSRue%zy30%#x<<=J(_Xr?^cB>q8gy6S z$;vXukIwMCtav%`^5k4NwqUGo1=D-N23%3Pl5}Nitu7ASSY5P4G5JCj3*B*<|A?vz zU8ztthP2PJS#S2`&}VqHY<1ZhwA#XO;>5!d*BCDtI{2>@kBCRfS$g!FplV{K>kje- ziAyJ>lhj-|x*rl~f~1Tu3LOt=@r-zuTnpE|%$lZe2p37Uq-#raIA0TQBPMXH zyv{<^tN0StRp@$!>M_KsNuUe<2DAU%EP7T`84UNC|gy)UK8;ds~ zXX(*DhpK66`m9jz&7^OVzL}Z}PhkKhx^{0dz9;mN-zwf*{5Enf98bt#t7&0+Yk6Ok zmeRLNx1#1&gMI|GL@}>cg46a`sCVe(YOPQkh1xR25+(W5W_Vh_c-?S;*G~K{@%H2_ zQ3f5Vmemynx+|UlUfgyLb=r zp5(c$hE;Qq>B3Y{at+c#q^)S!v~h;a&yS7-u5ED;82@J9|N8h>|! z=aa-Ii%%hEi7*iXR(GoD!lAu8P5J@p>C{|!CLQPM&M>}qyQy-0d7H5ZQQ0&siYJ!$;0PQENl#FvUMBj>_1 zxc{GYPnm8J_NwL5E2LLa>)Xv@{xr^ph5HolX$y_J(|^P&g;p!Hh9Q;+2TVR1z1H}Q z8lJBcUoXCaJog1~V}8bT=bBzWE4@*A6E*j9-X(m_Y^ks-ZkF95yOov&(XWi+C#;NL z#&yEWZ4=)vzJpx#9%JkB1=FX8dHtgFOVTe>b1}FlfYv1@#A4OFVxen8?eA1*mqM>H z#1f&Ez~|jxGroF=|BTng-w=P3oFz(Q`u&94ZTgzUUcV*%w)7rqE8Pnp;8|UD;olE&I5)U&?+Z z`!%h$1l+?x)qG>TAU_W;cU1ga@$bm_AJE*wmhiplW1)NZ2k9TBf1*~^r2NEKteT%K zR3V)Ee^Ka|LccP^5}~)8zs2>N@%zJImgC~Ti~m8c5}|K2;r=xJbq|&vE5%g*P{Nas7PRz2R^6v2Ps$nO6$2JvkC zm)v3S>2uCf(w&1pp^2~HxeT&_j!RXv#A6Y?+iqwu(9*z|yIiWE zr7DLj+(JrSpj2U|Sb8+yk;1JA%%g9S)**6{B1IG_$_OtB)L91Vh z;!2cYg7t<3N9mZpKIoFtmr9qS=JI1H_KGJncu?39XV>z}zg&sZN?gH20sIG^XCe^< z%2=QYN1ov2$|_J!f$|Knm5%^g{)XEITv51^aAjha2hV?@JophFSH%+3%W~mZd{rf` zRH7OaEDwLP3pXm0?kWo`4tD~sR-n29H5g!d5J1b{@YaB@6^;l;iTRb`b`8ptj^ajQ z%pyY<;J@JI;`q}lF3R0%7SlSfa{kpSV$p`bsol zf>ne>$~80`4Y-kTW8o&msv-;kKu0~>XH6~A{wcrwW{TXT$jywfL}*H|L`d9XiD?Uc z;#MV^D{&hWED;ju+c*47z%7Mu7j8w&tqa`;xLU^Zv8bdwEc1N>{{gL)X`@VAW>_Sg zLs%pv?zF^%8-1dk5_c)lo(UES2|PJ$cy7QQggXj%B4&{|P83B#CqE_tvdqD!{RebW zrmHe}%rsOB|KYr4l#>_S!r;9$4zQA7o3F$IB^ENla}E+w{A8Btia|diy-0d7HOs^~@K7fG z{?L<_iHC1{i84!-S;maMIoy`yH;37QEb&5DzZT1tSfRv9CiKm5YLKT59}9Su@M_^T z#43_zTf?t&VV7QOnIm=l2dq@Rl-fE3=0g9{DgOpnJ#cz2UC-UfFkL-=k&uv7Pd3z|!BhgsbG2{(%zvl-SP% zOT?*{c{#|;hnD%Sqt6^r<|Ac34jFXX;{b@+V30XznJS_GI*&pD#ZXUcqT8U2zw=UKxre#g7M@s50Lw z^POcldIC43nEBo^XF?tPfIm%iKjOWG`w8!=H(Yh=t`0Ll z{1!Yu2fJ6={brdF4Sm^;EAzWDe}oK5rh5j={Aroh;R^hOGAEV!%Q9$;<4RE5!QYm- zGqmkaDRWwxe?rEl#K7Dr|5~PLd0)0O%H;b;*BN-%))vpTrI0uqf6CRszR=Hd4*rA- z3?buf|2n6j7$=e=_P1!14=G2-;IC9%axSBRK65F z8xt5%lFoI*@r%67Qj0=c_;RI6D|H1^tO0x}>dRuLjAc56FQu$9<&-J^pNu+$n5kfy zP9alKnM%r3{!d0dCCpT@OxKX9s?3$jRQpdx-3`oKWtnavbG0(nm8tQ+jGy8GnQJUF zAY`spCZbG~nS!W;yrFmix91=}h#j*?&mw2xKk=eNk%S^iMtE`E2a^}$amJMKg*SMf z7SD)h$$5b7hUaH%nw?q7+gh@o+kR_4RZb54W?T*@}F{}bbaXt)Vz%A-f7^Vetmm(at$r8B|InFNP)%*G-04P z0^J7p?ZW56|Ibx_Qwx6^)~T7oHz|BG!@NDqQ2#EST&Lch`gH2uuYX>bPB{3Vox>TnrR?ppt!Q8;FwNrL%YFEF?vTDYw7`dp-!DFbT!(ZH85(K$mgauhql8Bbj|n(~)3Y0ExJ&5T z9w$6rctXG!6@cMIhM(ff}y5+Nx0as#L-YI)0B8XiRnzRRyZIAql-)* znx@6)a}P?-lzxa>+e$o{MZe0!#w%_0e3tlZ@j2w$R&XEQJz{uHxS)Jgc&_lgfbmoi zE-wss9PXDqUwDD=LSnz7>ZQUDep%wXu%b^Wu}F!X8p7P8rZ-IY%U>eBRC*aT zOO6|`arczr0)sqWF1$i`Wx&{f67FfkABNjLtAtkzuOVj16Di!;Kz|ly9<{{Cd;H?p zDY0IO4NPdmP4Z_`pD|q{bOSvry-|7-wdx!#IQN|4xA>WOxy`~`gtrEaYe9@AGF)z% z$J>Or3-1UxiU*F|3x==eAr~+AqVP+?F9)2$6J+ic!#f`Ec&G3#;a7?Mx2ZlgJnUaVbI1~(r-)ep=O<=Gq}>`NHfKepmRtfYFH% zckdfM7)D)wAiPg_f552}#+iI*c=}Agn8U=g~{)864@VUfn!s2Y@`ycUOfMs@u70s_q0cFl-hAWCY zQh0W-py_uj`r;IlzCgM#wN{j)k}foyf04%*2^SGA8ZfTF@Kk`|YNb3bCR|*&1hF<0 z?DdzJ{U%&_mz2F!wiK;4lq~l8%M3TU!7uo7;nKoa5VJ*sBVklMpjlVOB9U+?EUQR4 zManb6I^o@@gsWhBc(@r=QM!_JWoniNN5ZVDVz^jOUz)1IR|;1PILSKFKn2la+DYtb(mo_qQ!@5yw3Dj;lx~5`g-Yl)Z73v94chC z!g^o)8)fUuHlSsdXZd_sL&Ie@dE7|2v2c@sF}4CX2n-*n;BhnIn}lyBW+^yK_7<~$ zboKUD+2*ph(XtenLo(r77;ak5kjacki=!flDU&2mRpA2Y@W zS!7rEg4!u^mm=*MVP#{S3M%_<)8DrBAJ9R%qjV=~RbUFW-Pv%}?H+d#?kb!Ya1!_G zTsOmC4)eIXa1Y_00i&A&w*m|g3fpWi;oic10?x$IN#ECS>otDK{e=4q4+Gi-f4ZMxPt{{gF{ zS4*#<=6a@+cm`&z;rZblzD{_(@P>d<^rU;n@X3yT$@uKic!Y>nt9TN>}PAc$c-xbH$v+7HDEw2vnHccTh6jY(puY$o6aJMrR0(LDPz8W!<9lK?~HK1Girz9J%`zDI~)JXwZm7|@=HDke?mK4_}qY_5nOklXZWpR z9_JS>AbdWtKZ4^zo%g9QhTk%KL!}f_<^p93Gs8;ZWh~m^rYFqzpKy_M5$U4TtdumK zs=V0jZwtLGCR<##1g)wYy#PsfiRte`6_%8~RJs(kmW)HnWoFks;g@_l{)8Xd#XEjv z7w^6XF|?x${*|l2%R&v76)q=SKHwzgrFRt!pC1lZ6@@DaR}MH4LDQ;=;p2DvVpJ8r zQn(s1s~eXC{w7@9U1gbiVTZU{nd-{aV1|{F!o_CRU1NGm=oh_KIwBnn8l#bMfgCe^ z-AZ4cxO74~Nv)$Yo@GdxZ8Xl?v}{H;ORM8x8sp<@8a@$jfYlPNEnFvH{tAP;&hQ0c z^kZG&>xJtDj636)TE}qpa7+9~;rhZ2h{G0}yC)fU4K4G2*kT(g(^#1%%y2dF<7uv` z+0Qon)odnvlkCm3tZsA_qPlM}{d@zjZJG!dH}tr*a2w&a0cZL1>USExHl;f}(ch(i^k5r#(q z;;yr0J_uFVMVYS3pvhV%hhYu2S0TUedj#`%vpx zn8Ie**YG`I=jk{&HRhML? z7%m-({Gjkm;fDgoxJtCZ4UY=Gu8s|&*h~aIa5Asprxx({^Lv`y0ek|r5 zv&?}|-Sd@Mpv*#MSSh$qfTznJH{CPOujmufi=-C^jn)A!HJ&uxKQs@PNH3LMM$Kx$ zXv(yE%5Vo(D_(B7@CxCT0pp1t46`x(VK~065?(F5CSW|)hn{f5JudM}UMIX>cmpx3 zg{O$z7=^fd#xjk=DdJgWHY&4;8CDB_z7w-xn%+Cqf5K+zEz(hTfb&xAh@7@cA%_l4opPka2O@K?fL2dr+zZwy~t$>XEK-wJ<69I7xk zf+g<0x6H?(3V%@MM`eCuhE<5?Q&5FJn{Kw%f5I=)$E1G^I*qvy;_f%ob;7~oxb*MR ze^9Gh(ilkar{PQ=zvvUfCx!nC7^6v2?r+17hx;a{gij0q6EFtdB;3D-JJj<_J|mnj z-&r`HoP~F*mfRqnxH}tv%$-&ahH5zne?og)nRA)px1Yt8(s^cY37uW}WedojPs=LA z!=I?af~L0=^ra~zeSvi0pfLjys_;V78>}HNT|~MlHLDQ4U1*6L-rd44x|ncr;Sz>9 zdF&;I+qCnzr0}J}rHK8;k{gDEYQM}fpM+YuT$$3!T)_<2G?T&8+OCZ0s?YdOC@Wn~ zx_r=h3>^0=E0}(_tk)H#D@j+T=9*^H5&TxJ;m<;qR~5cexEiqvf{AW0=cVcDtNfy` zmaZ;cgIbGb-~2U(Plr~}wZakMC^72=hw?Z&|M8t-avaOF3`dr@G6`jp%xDY16N{KZ z-*ioOnB(Qr(i!P2wYDuxeq7UR{?HR$OSZOb9a=7#-MSffo$1}-`>88^y>vZlt|;!{ zqDS2DN7Gpd6yrwW`oawYMo%h!CfD#?p(nMGaAV;n#40ncznhwU|3$yxX0kWQ-b~9< z;D;X)?iRy0cJcUD;pW1(5r@qXR|Ys4W?T!)91g45QkmP8X~hgH1!Kri-FKKi*3^GO zYw0%9ZG*<|zhl{VnoftWzn%15((S2Pc+6ganQ#p6EaMm5LAaxEr-1QTCB~;1o)udA zU4**|=LL+r{0Z01aP1*}$=!u}2=^oo)q>VOM#^Q}J(l@2R7)>qdMne18CDDC1VOd* zHT_DS|Ac8L!L)W>_t} zFM>9?=>y>=@g(WV(o=%QW87HwRMQ*F`|?baen5IUHLC@`Y=@uJGFx$#=pHvcZ>}%S zeCY+!3xnnZ02rlW`go|9C!`liFQ(?2rqZ1J#&9(BXDkt3D!h!C1>xh#nAOts+Y@|2 zmP@aYUP;YGbMhYdwBc(9c)Ut@weT8Z)(a2Mxj~m1x7IT4!r^(HGV7JuzzmDSDc;d8 zH{E`v|Ac3yH%e~`I-!2G=S;8e>h)&nEz(=5d0@mu6z+MmSJ{wv+3m7BXt|=<7@m@O z!Elw(#CcKpCE=F?MpGD%#Ts5x!S%n!~@VSGAKUv|6@rm#u;llyPl6VH=Q^VV{9v>0@O!)JF z(;Ol2h2fvWSg9|CzY_kMI8mjtF_Cek4gVZovT7jb7Qu1sKVp2zsvqX%PPd=r&;%>;p~0B7$<~J z3jY-_EV{=Hx4gmQQ^Kc({|OiqH=tE+xM^rnoDt4B=YRtoy!TtTy4!^ydj>;W0`M44VG1=oHFH^;d-J|15K6+riX>oTSe(g(v^e8 z?`PxmQ^j<#a1~rt`bz0))Lc_Md75=s8Lk!%5myUW7p_69uM%TyFb}=yP2rZ&wbBvk zD76;NVJ$Jkk#KyA3nzq=#6?gJ4w%mUxLID;p8V;olm&N%fzoLOGYV!IEQ(;4PF=h7 z>C>rir|$UOt$z3oCRfvveLn@j%hgh{wvu(2cww zB0Ol~ZZJD`6&KIOx@>*f2ElTw&W2{+p6YEQ*~YR>XnEm*`@y)`g9>YEfgd{hKr;ny zQs8C=Si89N#%OZGGsAi5R^jHtw*{Q$*}8?{#^E^GQuub^RsmyDxR|@caL?y_F*Xq3#=&e8>2KeRk zGQnre1rxU8Ed`+)3pT9yQ37BLgO;e8eT zf*%x~Df|$zO2VfZITG<<3nUu*z$^u3D=>!veL>iR+#`ms2>ZmN!gGb^5p(G{rDEx5 zY&>Rxy5Y1sUx5V*EM$P|8Nn^Q$IZ?PXPYNv7s)QBWl8XJFqq25aD0?6_7dTx!pn%y zXGt)I7q`~&^#4q%avH6#7ZW(c+DyQwBZH?{o+>%uNGcItV4VT)1A1rrvF;% z^*ZVG(i^C`Xqh~3+4YHxPi1^Y zgLgWDq{8RUCMLwJ>=nCD>=$I26%^%&DR+26BEnw@-Y@t7VdfE&bdw=(DdB5ZR@gwt zH&VWpa*&GBN6%aM&f!bbWBT6<{z32|gHiQK4?j9w-H!6G;3I;M64p_o>+&aOzZ?-0 zJ|^~OvA>Yz&4nIaEMM}g(`Bq%^tk8~qJJaJJadiO@VmqLePYso2>w&>Uxameuy!6U z51L4SyYbrmX#69iL`hZI@mI-X5Enh@_^)JLy@C}kC*dd5)diO#%;d2^H_CHH~8D(fN_nB-edz9_~4FcRFqLkMr9gI zJ_X;V3a2^zkCmfU1XmS&I$!zc)FEI7YS}CxDjDy9YZfDdRhL4#;#n|9RGqXG?9`b zC6x-($L#ggkmm428%j+VoFO>VV3fTXAfO_=E?Y{q?BxW<(|_WZSx(pE}4Doj6zy*$@Ce9}uy9qC^uxV_*G zgq40=&>Q*h=*o|eN9B4couqVj1%aeEWK7NvH@I@Ly%4%c=_=($D$EjI+Nt3thgbEC z>30*{U2qSBQA#4-+~FElO7;}oOK>jXlaUGn9`N!Dy&bP=ArE=N^Mw}>XGXHp5n&rL>l9IeM3P*-lY;LHJ121*%3MTIt!AM9*tEBcDW4iP()Ec1dI z6=r`ryrM8`J z7{E&n_d7hhcZ44h{Gi~62-|&z8qmXzSF`(Urtn9E&myk8y2qMzNBE@wt%u9PRF%%j5e@reD{kHUMhH*;N^sMUD3eCc~3(~;0jmjJ{XmiQdUV>O@--W z?J)$RJ6!$J2tO-$jo`I}WBSPfuB`B!EA=h?=cT+LW!=A&vl$WHem$HG1 zE*E3tH#%JB>X@ZXf?pQ=3gMWg6U%5{LaPA2`1M zKM~&{e5deT#F;cFO7C{|u1%5sQ0zxy_mE|t5q5+{WE>t)KEj^}{#5X1giGTevU8F% z#6EX^(6f=>D}JB&FUYe(f>k%L>M(9HEUy&4bZMQ%EqoAe28#NKiRXN6@GN3v88`l$`L6?spuv{&rkTt z;p-4Yj{r$+q!Af0OqQ7EjK?cck#&$(sF2-c{JbN%#phd*P*sGdozB z8I^j6b8i-l)h7j?BDf4;_I3;lxg!b&V!4k~U05+Ud3%Pk63R&^Z$fb%*6-l@AQfEr z|G&r2*_$9U$M-|~!g`ZBGcW?3VFrsioZtuc@g~LXNYHsa* zDDI@XtTSZQpvAuS{KDeAf-pF@_rQX1raP7Y!9QUOHRaTjQ=1MShh)ZzLmlUvTF%ZA zUswFu|WUc@oY7bmm)8f9*-p1 z51!_9VRih7Eu@Ri5S>Yy*+NSTts&I)vRpWNu6P8{NXV9uLxBZYHrDRA*x9FTkmM4v zmx{g2Sj2pW%bne1Z6&m$pvOKNb)IV--et{|>jbwK+<~x8VnQ9z zsO-B?rd~|_dI_B*bf&=65we8Yr4E00ZG^iB?kf03!b}}ab6g@c&u?;J{jex>lh9p4 z4+=~jZzL@A;_xBf71%;g!Mz0M{ufTi=cF9I)=Hl|!TEv<2I{es4yRU# zaIxTFf`=Q7m>Vqg;&A)(B0N&?D8Zu%Gb@<#gagGY#J9L`a`z~Vk#MVou@smUEXt4h zr4F~765(-z#|yrlFgrN#*+%vK;(JnV+-@T-6J*>e<1QLZ9-nl}3KJdfRVyZcx8O;F zCmW2lG*iM9hhJv`*up)6?-e|iF!O>+ta@|P!+mb_v#_{nGN#LzK|^`r*xCIKpIKk2 zmk19Ceo*j32B&io-G?2XZFRtzf*%n)i!k$o^~F&dF=FUZH;&Ye$((G?D_wX$)g;8lWG6J}oUH7<4LqL1Ea*JC3wH!1B96u6w~T*#VYe|RGt)#Z)AKc;~)*?1#?Bh zcMgAHFUao&{~-8~!3bnQoV&x@tl4u|@DagB2{SMFV21i<)5A}099tCga!kh0GJc`K zykzmK5WhM+WO{^;3qB$EH;1*jyu(*mx%-FUKL!6qn0d)T#5g-#QJ;6C-iDa`KQc=E zkLvUIo6HLX`%2=!lC}9}*4c9senM?ta4CZ^UYr?DcDSY8iKPXfBDf4;<^?THb&8^& z-i^b_nqY}gRz^7)4cdV zbUUGR#1{`jH8;97k4AMFXUM2QgL%RCf3Uct!>3x$W=+Ah1lK04IxKotQbHZ4Gft05 zpC!7k=(9;PGiY<6c;t}OId1&fBO3K&)R%EC4P_<^nK{qlsZU1ue8CL_UqG0d!GbXu zUAWNcUHu|`k?4k^8nRMpdh>HIb1bBb5d-gVFIsNOL%KNlZRnaE9Pa z!puxIhB~ldywjzu7Ml>AEjouZE9(eN3>P~)XX@191h*I5fv_$qhEP&MN2lM(kM#ATJBjX0nwd!; zX=Dc9y1&7Vo(rSVMMhT{H_~8c5R!nXcZcU&P)|3(-39j`%*Hb}cDki?JN6Xa zOLQ)2_48yW`+0ghKg(X#dE)cM7m#Od8-p~c$Rhiw%=U5TUF+uQE2p2FLORNR0@?5H za3d@51_&M~co1P`pA|@~3gdMDwfGTRC=xwH^ia|~mpS5jcPn;$eRd>Pn3Z6=snc>&p@u?`MC)=xRn&|1GXOL!Q&}>tmFCuH)=x4pe z56E~>#zQoe8BQI2*x`q*(J@o-BZ6lUW@hloW>l0Ob^3y3G3&EMKPGw(X=WxJ-)X>^ z$56-PZY;PV8gpelA!8m5Wd@-h;Yo)tuOH$0f)@y0NSK+)N${Hyi<~ZPckol97mHp( znwdeFr>UDoXQO7wow2S_tB{3c0S3O?%=zIJ2! znwb7KGQO2@kOnh@np;Zv&f!z@BK*DJ9|RvF%*;R)s14}#|57d{2Sr&_=kW#SN5b1D#}M! z>hErq9u{};hpazk{Y8uKKpNH|{I@$VSoiBca!Qm^JsyAm9aWqRMJ|b7llA%UEvon= z{Dk_vq*9bl#*WnYip3lq?{A&2rG=j&ybN(3Ix2Ih%sX7x>T+cTmlIr`FuSA>j|ze z_*{dr8YVsgp?r2$FYr%5@RGNN_{JjR>>uoP(NhV`o3Gc#kGx zQ^cl{p1z$#3S;4R|njop+au@C?8MD$Yo0ad`8P2wy3YTMNG0;Y^HGUE^?h8!KodxUJxJgqd#*Mq(^1T8B)Zj!0f)#_qFWZZ^ zSnx2x!wtsjTZpJ}c&@eFMhYG!cr;<-^m2a0h#M z#t9xT_;!O41(_1=aCowvkqLtD6nvM#=&i9kX$_;7Nif6XwH>K6&-xr-mtR zw6!|&Ju>cNoc5d5IvhX^Y#XoaD- z8iOqlyRqfmXv~!Hh>Te@m=`P$fhc%~M=gl(Y{8ESo?|dV91un0aLu#`&lUWH;CY0Z z7Zg6~#YZTO8w<0eF<-_484GDJFNm1T3X2?mobd_R!c&453tr+ds(|5Xhv!(~wp8#k z!OICVFE}IW#ZL_@-1wuVQZEr!%2*|1H4R;(Ojgz%US+S?X9cejyw+fRYz`lEb$D3& znDX<2Ul6>`;6wt$4=+00)6V!yg4YY)Kv)^aC#G;g@k-g~Mnh{LZIbb_j8|wd398Q;n{NJHm^oiN`yyyW(n{P%)?5PZnsL;{`t zKRP^PL4*$rJ|g(2!FY)yWX9n|OCo$s@XvyOAlC>Un+7wUjnS1*$KjIJO?sB#x`NL(7;8zSgmWC;TQX+6p5Xd|&n3*fBy6F^ zaGo3cACJcQG8)LZfJX8pq7izb!$<5SUL?4o;6?_gbJfVk4tKReyoulx!Knsg)xfln z=I|4>V>Z$SX9&(Dtc+u50{x?CS!KDgV}3LeGO}gl&``#6aP=>C_#3-zFA;pH;L99F zM?tvU;SFPA%1s3~6WrWjM9idyD;$2+uH}`2TL^ARm>EZqs0LwD!&PpaZEeU_GFr>H zng%nT#d-GEI9zdN%u5@=Z3VY8I5iU|@mhzUJ}bi432raA17YPQksO0b4ISNhWK}e- zm(fW^XBxT_GcopcgTp=T71Tv=SHU+LoP`dJ55mj~KQW67imLO? z|23>vx~Gg@GID7oFDUNB-VPtK3z{c5UvPoJn3<9YeH`9mHOjt%`w1>I7@q*cyi|v; zt`{>tK=44pg9x+hBquZ3w?EkV3D)c^5FAM2UnQ1Obx%=}m|?yx3Bv7BLY zhSSk4z@>#pI9zT<%+N@|qXds8tTP#hVN$~_Zk)3z8e?SKDq}1S_7!18GmPBb=5$S~ zvy2lxUi9sxnHfw|$_jTl+{fyb69nHW_%6cC3<5(m43iorx^a@7{JUjLk};VEGlQ2d z0=lO-J=$Kl_lUk%^iNF{8QW#NPeZ4YUnTy);qun<*dchQ;9Z27_XOT5Slw~A zrza|)A3NRA8vCD!{#5j5q?LCRhIlG*DnEB)*2PM`MA$21pNubPFz@JsMJ3+h^7i`t zO7MQc2MFsnU^gE^WE`)*BBuR~@Nb15B(B>4@1d;lozpjQhuFgRqJI#5h&1!gAuGPM zFqhShTOXBBA{>@+M8;7XI`51j`^n*=ry_hz@XvyOA*}PxB^Xk}uZ}d(Z7g7;qKry1D$_{bGw3lr&Ea}>&r}gyRq*MAljj{_fr(Jf@gMEH zR~LSU@EXLKcdWyKK+-dvUVdLZ(wd@ciLOnWdB@^fIPY1wC+oP;Wl1#7l2KR2*))`Q zbXA9Q9L_Vip5Xd|&n2w9W9}%Hr#;W{Q|-|{Uw8xI7Z7LO@$4Z6=R&6&G>SR7NOVKd zjYu=^d`~1tR~oxf^O-n|(?mv!j8qyd1zSbR=2u9wkCMrRtzO#)B&4Gs^m znr|1uT?OArSh>MEk!bhcB)-n&CZ|9OkxW?#rG1QOFmYV zDtHPofVZnK4~hrpWs5m%s)OC#U-ozJKpX3hz}4x zQ1~F?%xF%wm6wCvXs|IFMKXrS7)nEDlQXk}!xvYJaIxTFf`=1UZt!Ii%qbe-c-b2x zK2rE7;iHM`+Q#??M7z7u{p@Irk#Vbxu{5*;#JOfB!flQ>Y#H%!!p950ow#;@(EDUD zb%z@r&Wpwb8F$LKi-t}<4|k%&JNO&6aJS$|f+rJZZcyrAjr%ag@q&bCgv|)QSNK%o ztf2DEhN>dF2<~%bWNuWZNtrHX1{K~v_~@PjiHh ztn9?%8%L56HoEleOHtY+>19c;P|_PT4UNR`s?$p|BK?}^&7!xEX6Di3g5_)+Ze@4< z8-m{y{1##62gAI{TZ_f=+b+FewX}C6ZI$#cCGH`Ui}t_g@Ps>KcD4!LF8F=I+ymm4 zlJ_C^@PSL+J4I=Sq@9v>QPKtArvZ06d|+0DKNS3t;5~$s=QQ55+{4E%?X+|HiKI^@ zeMX6U$mZgypF8}FwRHCi-Y57AgHstv{-whyRtkP4c)#ESgqaabDNPofsocYlF3qx2dRWpCNk=JZ5Bgq{!}r?* za7^&ef`1`g9=rbc;(2HtxV76_+s9>{ko6la*2GeiH8HGC>B2ZG&;O9{r-Z*K@OkF9 z$JxeB%?f|J@?>#5_J5?5I7KZ4{FQa8g4_{FZDd46|;$lkgMT2~tX#k`nK6 zT*H%HX=X3((o#;5QpOYn`0J)kON3KhY3L0GDdnV;HwD#g6`dRbaAnNIcq|pARFYEJ z6a<=LFKA<=gwtHP)2b|0q*Rr1x+z$01bgAWLN!-DyDjdex|B1d)S$xmAVPi92aOJA zI{vX$aB2##CA>EAO2CH{guH^m!&nbbhEvsX@kHE}@taE_D1iYhPU?yrJ+$#93sb z)X7N+jh*gm&qfo`DWX$J^K>(oKiSuk=Elx`G4JUzGGt`ZV0JhTn~LeNj=yGY@`Uhg z;W@-rf+N-w6J(u!(E^Y!5q+uX%SbCbKJ)5wHx^il+*C$08O>?vRI)qd3Ws~!dB0L{ z3&AZ3EAMDcqOavD$3L~UXDi{Ygg zb>qj`@l;+XqrHp{H0;V^CBTl3pRg-?z3@)LI}=xSP-V{wH#j}~`IvYY(OpH~NSfKf z)ImMS7$$Jzf=SWnCZoHI9yD|+v(f&!+2IQpMYyNnUV?K8>r`f94dy)?OL2$6 z4tKJCs3O5b1P>*w^Nyw@x=(`RbC)RT5}{c5FyX_AGw%o!$GQ_EoG#fW(j!HW52~S(5nGro`Z3XSNGtF0&6*w_cjM0y(U>da2^sTf=)Cg_ ziBCHGfYs9G3tk|2Az|hnkz#n)g+-3PFgK?Cl<>vEmk?*((U*;w!l#`cWsmt%(aS_H zC(XQPc@OUjH(E@O>93TrO2%p$dQ?(ScY4O*AMDb{J@v@9pXy{ZTLLT+w zR~^6J;uu~NzFGJd;>-@}_=u%`-RU>%Rq}@DH$}fin%T+rQs-?q(yc^(N5)ne@6ynz z3)%9d$P>ox9uVYpvS$q3Dl9 z?;*``cjB-rjOm)Yc-xvWPK{@Gg|C6DhNgSg@gNs&z(P3E>?8*ir**x z3-UZexx?u;$cX_Xbb}^)AaDH(( z)rC2?#+{UvP)h^pM=6Gq$=V)h+wV)J6J7u-p3XTrR!sGcKW_6Db4UKNw>BD$;S8;wp$ z#Y$u0Ca23Y32dR8=kY+|uAx;lBJDfIIEJhCm_Y#~-n3ol!kDT?{+wuRYAMrfl z`N9i`EA0&Q@bq!Gf>reT3hpPkkTBCmToXpALVw4fxFM!JK=?r6gNW-^$Cb$mgPrbR zm!?Sc5YagsBu*uA)TB8#r9= zllxqGt1v3l@YBRF9e+E98Tk7zr5LMrh5PYa^0oDLVN@Q#PZPs~_}ei&gulstzMSl= z;vofj!@}@E;bHuml)kq2$xKO)NSZ~7S6~?4CyzRN<|AWPE5)x8 zznVPv(7Rx8UO(2g!ZU6(*o}X{7M_){M#fqiyjS|6B3Fb(*urxzEIl_K^79g2kg$#d zcM-FMSMZB&JZzbINyd5^8_clFQXDqAQQa=ZCK)fwc!dTph1H1)M-+rt-TBEXMX$-( zEN6>3gNg2V*zHMG91a6p_)tlGq@?yRDYiJU z8UV)z5h0($#KOn!Jk8Q`f1ms> z=<{ZyG_r75zwo6C=U6brR}%J1I6#3p3Ay=&Ma5FSc4Y-Vyvi+nBjsBu2Tj2VDIPq0 zQ15~ezH{Yvs~dkW?4lWk8XWy2Xk1~5m`t7FG~@8+2JR*?lbF{te<85 zLW`#$IdKtD0KdBMp`G*N5>80?jRIdQnA(#FzdPK_#$Emp{HNf*2s0G~%xM4uoiKm9 zvM&Yyf-U?brNpUff8ehatf;F22z(p0Bz{Yl$$PB(_ayv;_J@>GRP^r0k`LizhYwDQ z>6aFKir_MYnI&Y19jNR8JJpqKR&OaQrJR)VRG5A?$9O9^+|pX$6$MukT$!*AIoaKi zhT86FuB^7Mp(;|UN;#d1-qdNRzgBbjOM|NmK0|N~!h8WSu>DMDOWqWZwWiowVr!FS zUSeMZ#y3M9SB6~^m9wPOm2x%}oy#=TUe0lN|C9*V6I@^LxrCWMKB$@;U`Yw*xzc%g zRL+;uK*|MFm_8zS(Z+Cik##0sB)FmAMueHZMKGXatFbG~ZD_5DloTncRCF#`exy14 zf!%BAf-?kX8jNusgeo~aj;}auAt5+ha1LR;kBjhP${U?G5Ow;C-KpL#KKz%+xm3<& zba+dlgvQjV%botois+`In~82tnum+mOn+2I*o?lym5PJn4z85aLP|?2e0)O@mV(7w zDO}~k)^Sm2C84#1t10kx**`aLz<|MpeG0-gZq&<+MjIJzWwbK`{mWt4VDt!tYu%Xg zCX&Jyu9MMTMh6-!zX}KE!xL42={#O7LjHJadRbFB(2LuV4_m z6pF(wZVi41|A;M&k#(!Av1a+X<|{ee=GK<-abM$PjhA&hEj{cg#={*BH)#}iF+uR1 zg6|?+2mipz&Hrnir8rFVWVp5@w{W+TnWSVUGZ|jv|EsRT%N(Y-yN1^UTewH=y>h40 zRXvB%GXJXQ+~?i}d^YJ#lQ&)740^oRhvXH9`<6IT!MHQm}>RCA=VEoeB631@?e7b6<2}N3AHlBw@XT4JKqJNAoaa*@fd4 zudqqN%MxCpz=v>-UVV5N&4ci|3#0R5Zr+gari8al;OsTD zB@pZ6!qT&%@Q#G765gf2+~A|H;XP-+vse2zvD?MIPnNmCyA+9|$@75=qinEzhlHIH zc2VH-loi)FNC~^$nDbD~&WAESlCg&d?>_D!eC+VL)e-(g@TY=5a~Ly#!siZu@pOdu z3f?F93&JcDa$@8%lrLTR*+O2vlCodQ0V>Q4gA2pg4o~e9)Bi^Bw}KBEoXA2Q^*e{} zv6zGJ1^*!Ukil3)0bkm6xR2dohXo%Ie3USAp1@LhC?`@8Mf8&^Yv;$z9Fy|1lwYVY z=U6%yOM^PR{GJFO7konSZw4pO85e$cxb%Vu{~`EK!G9TyD9yC+x5KaZi10sxOO#bp z0)La);36v}@n6X|e%ps5d=h>_BSLT~!aPhijd7S;7=R)Sj#zS`gnJQLv>hbP$yY$Ld>;C6)LVWKA~ zJqwTXwXXb+MTT7`rM;96RCJhJo~@(9-R%jzUT`PDogHS#!VM13oDy^1MQ~TaHyVsJ zCKKT%heur%;ckMv3+`bsR&2$OZ1n)h+|wOeBPeFgUuTxf7=7J6g)JN)+95gve_CWe9d+c6Bn-{j-K1y~2; zzmi28B)M0!pH3WyV`bM}|@G!x{3G*;>@IiYVW;RN#5w6@}V@D&UjFK{% z3J()&QD%l)9Bz9?On;2vTLq6bID@O1-{$bX{t+H0c)Z}-4bDW^M7YD@U+;+U1i^O- zzRO^A>th;&!(FV7aJS$|f+rK!)yzq*LV+sR6j$oovwx42d!lqaOjqr$_)gN(I59iDCv@_fMy1TQo=4a0R| zk;BC{r~E0wiv=$+I5UBp>S>1$-X62DRPZvv%MHf&ATq-Who{=5St)px;ME3aAnEXo z!{6E+{;c3Ng4Yt}IZ4E|GcbMbIadzYtM+**FGyKOh35n-IiPCpaPFp<^Opp#7repX zEQHI1jSla%!flh_mj%D#a5hqY)!~GNF1{vsv*0ZTyxcZWMHjqo3W{}lX}!MMTEvF~us#t8o-xI{VC#_?Av zV|+O+l*E4}Usb2v8R3)g6KdmvOBswMr?SGy4u4?vtI~o`5nP5a4-?^us9$AZa#=Xl zm7&vP`emh*lTw}v4-?-l%?uSB&TkXpih?T%u52(?oJb3&IeZQGi7iwSTvhPt2B#x{ zB2;tuwHqQ_UGN!#YZ#n?<#ofE4xctK!Ziig5?tHhv;@{SsN-@OcoM~P2=L>Ei_yU8o(-F&Yp~EYd$IM(L zxS`-i24j{cmJxFJ7OT=U5u748)nI($5%q9~_q2^Erwh&yoJp96i7SK37*1n$$a3Yq zAyG+4$(E8sg@=jfAuC+$@G|RpyF~D%f-f^TGYe4>mplCI_?U82!Oa9WHyCRHXN4;q zUN)0}Rb3~gy_61AcuvxCaG!K^c%i*yuNT}&aA$|LhLFQmFOHe%BDkyI8x2PM zHR|CGcOM(!Zi2fD?qP5$Z>pOeUSBi9Jq7m?oJ*L8i3_jAU~rhdUFmvhRPvbHk;-C`Y4u{Vk5mTNZ_)fuh8I0M)i7?UO4rfL9Zo!iTPc|4U zHYLIohg&R&@I8X>6+G2o1d?Tj`y9S(a)hS|o-TL>VV)CIme7BN?+s*!`(2r9Ri+1| zJSgQMDm*6$YQq}*4&N~^rax2gBZ6lcjE@K4`?wBYXoHBe1wSTuj=@+PAv-+oaEA>s z<+*~N5IoP|v<%#VPdZ#TJHqn?FA%(tupS3=0^u;Z2*)BUM6_C!MOC9&PErCU~>pEe7Xcm@vHV@HFebenaq^g5NS2H&u3c+u_^nrg}&4R>AKY zj8P)Y0d}}mPR#Q*!P^DDZ*Y1BL;fA!+djfO1n(5Qi!jd#X49iih+;WA>~`h2^%j08 z;Li-!+=MWSr1=2Ji@ABUkTnX z_<+G$j^=BJ_gOZ+5&W&-gM@jQsI4nD0f+gWE6>=i^}UoIq#UB6ryh~S;YWv0EQ~on zEcl4vqXr{XDJT5o@E6k}d`$4qf`2hMgLmMs4!6&X@NvN>1pj7mdIH(_-QjIkf&4@8 zpMw7~7{R02;ctg`WW|*K5nKYJr}*kE{_31yUMuQ^nOVq8N&J?qhcB>N%1QVM^>8Vr zsOX$9DEVZEH_nOamlk}A;4%j1V5P%ws>37KN4Tuua)QenjEWWd!yTUXaD*!gt|Yj! z!Rh#rcR0=AvNkGMMQ~NYryHEblB$}+)9#KbR~LMS;2MNgMC7ES0-4ET`AkQ*i8jR&x zb3&TK!+OP((*~NLCMRw_132rU;YJ(9; zk9xSn&ssgXjo`L|+Y#nrCKzVM4}_o|?#huzVrH(B(q2jjDjaIc(n5|Mo&IP>q^}p< zNpxq@JSizm`UZ!KIK2T|=pwkQ;2RCboVnC+lf$|8M(HNFyWk!MXJUztaI?b`t-rOW z;9i1r375tG6kRi-uwW!2U3e)K5|&rIR4_ zF3u1AoxSE$rH{F~Vh4&HM3yZW(x_bVESuoyS~r+YMtWDJoplm;&s=1Fnh6T_Q> zD_NuBQ4~uVCS^F4+E5rpfK2tt8#yq4Bo;^FJly=eqCvee$tORI@KoknRKZB4GD@k8 zW-67C%Kt;W#l>f)#odpQc&o&*6i)1wSTu4q@INh~FtAC|ke9hqo{%z+3iHhssGoFp zzyzTs!hEp{#4aSuyztw{VUfe7>{fkB@M6JB2-g6tke85K+^?YczY~oH;44G$g-h1jE$+wFKz@{x5|Sr^F3697ezJ5iZ}$!Y1*Y zt<+vtX)mj}7Zzt&JsR;2&p7>nUAkvQuMxeLG&_wE_J;8fgc&^N!fXp;cwWK_64p`R zIm5Na+WrpLw~PIf;Prwx5N2L5Ef%2z8=c;89)83YHi>>&^eaZA<%NvA>U1A#qrWD4 zv*<0PS(@cwNm>;3SZO5%{qin#vJAZ;=}k#*QQ|X$Gm90o!`qJET%Gwrj@}WzRrtHa zS;}$@8DHB(^flH9b!Y1&DJ8--IosvDPlv~hrAbhZf8cbAbw5mPqV}QMEIw|KO@d_l!XCB+&`$5W90mEm-<@0Z?B|% zlD?qCEG013hT)$t9lynTFuxMMU-$vy+y{b#(C2_@38`6$@U=_*n&IEDg>NK%E9oF5 z?gLZ77~lP!<2l!e#)_fBe-M7iaP-2m3HqbsRrow%3x|at5q{Kggh=E22H_{iyIN1_ zG2uT8|An~jBo5P|LlZ#}IpJ5AQmv#uF6o4%-zf12a@c}KP`=|mpHq%Xgg=D;Df}Hfsq9vOn7_@%-xGdu-19M;dd-0_ZlS7QrJg*Ox4+;EJ}Wg;f*3de^vjrf(qTL^Dy zIF|UsA|l}`$EO!Xyp{0Q!mlRI^O=ct^KgG+-6<4v*SM56CQ5B2wUyM4lFlcF{_z&R z*73P7MEpA8?S*$B&hyDY0j#AMIy%4IVg;@j-${ID@;aYfGAk|I;Q0QIG5IdSy9&S2 zaD1vg11nVAePvO0U=NgXATf789Z^x@y`I#p? zUw8p=p3e*nza<-87&`9b(z3jmrM{B-Nh+ko1IBWUc)N!Fjz4Jw4+De`6h4SJ&nIF~ zG4U=n40gUef5sMy#19cal)TO-KIn;gCc*K;og!W=e3uz-zt2p;aQpJY0nI|Io@kp%*;69Y&lZ;XY?iv1syXVyBCpL6$W{zDdLV4o_$l6MjJOgMuIWFN`tghaFC7 z65*MG9}zt3zc9k0A9eVY#u1(^_%XqA2v^2G*jZ$~J-O=J<8F4db2(S$6Ef$~WHZ)l z`r%187Fo@HzKjJj7SiB*xnN-7pu)kNd7}owBG=BvY9HLfQ_>boTSARD%>TCr0Y)6s zxC&A_zO#V9Pt+68}5J({c;h!J7vy&GFc z#Pq+Cv0ugk8caW%tA>ZKo$kFN(%*>wR`fxm`O(0P@SW2uawGk{=pRHMG8z$^i1Pc< z>9uyV9~ON?^ik40Ip~Pv^lUs+;U`y)Jr#FwOv=wvexbt5;}dBpn|^irxHY1Wi#{Rx zH`2WQkR6;Jgk|Az{oS2amZ?AF{3+)zI^08M7Q#!y-%jU`$B)>;KcY)iRQmycMWdOO z>G1sIpj#d*h&sL6>buoNpCP&iX=aEkX=B02Gab)O#0=FGUQ2jw!_i-zicYRNj$dW% z?z4o~6@E5x<{zzFbhqIk(y)w>J42htUDT6PU(UI7lq1%<(!zO;zkGSb&llc6_yxqd z3p9VyuxK=DMOooOcV1i+or~l&l+%a~cY#NqGfEme{?Kg^Zz4QJc&g!P_{0%bnn`oK zbXLUEg=YxQbR6@LPx zSVg~;@YcewHXMhXic4^f<2`Nozm4#=!rK|nViynQwT|C6FJ|UC;q8TYAkHI5=L+fS zL!=U z@FHOg-6VCF)Ps_4r4-yrh#PWzZE?hV3hyO6*YE`19jNX1cD%8brg_5ig%=o(aRm1F z^l|+4jWPAU!uts?B+etq#xM(R3{01T)ZeAkS4L@oq=AwKQPRDXhHkyIFxc_#%OYMR ze2DO&#JLZ&4^RWj!qrB_Ke$wDYLtp44U;sS68C{VpHzG)a)jf(>qUH|@KM4?8;)<4 zvZL-6$A7US7$f{v;bR@gXe3&7w>kc!9lL4wvq+8*qZ8 zJ0;ykiAR7hI&$%ViH;}w#Ur>|_$1+ziEAI2x0H>;K<^k<7%FB0Gh#XFSW zu6WX=VUF3M(Q87zT312LHiQ)K)BzjT8(~fs;8S$mUmkD2P zcqXC%F&MJK@$J?dvQqde;j4-B2-5Lc4AiU<)q?u$GcH|Z`*>E;8cAy@@d!}kNk_T# zoZ~61C}IoG3x7fQI^x_1UZI#flfdvS+WjxObe+8xUy`(5(gsSpmr@XAj)}RBH?FE( zV8}uE%feqV9KF!`9GT<&t)K5T;hTkTF&tkke z;YSU}E;!}vC&%lpkN7d+KMViGaCB&8;I{bH@s-UYeq8to;lB~*5#Yn&s2*Y#6dsH4 zyGxU-$@Yh&KPCM|iAR99BBOi%c6{vVaUcH(FHuR22K?1N&`XOo4ztmljjr92_%+#f z=)oQ!Y~dvQgtmjEQk1xl%mi9W_zZ#LWo{RZHAsb@BD{>@IVmVLGQ+8k*R~5+R(Lt# z=6Nj2Nf^-niews^d?S)cBQdLQ(Q_^)tJP#^} z)f~Ur-f`81pCP;k@#OuAHM6j27P?z7{@_xc-LEwz)sj@3lJ=33#VPuA9G_m6*pKCZqaXDS$JjWN=1A4yj2Es2OuBQQmrg-I|z()+@ zg)ZIIJ6^bpBsG-Oh!T$g2h0i5jUB(!E?g7gDZ*2Ub07Rn6z(HVh{y_QE^VI>_mM6s zLsBLs?t`~DW)x*P{y&o=o)DfbJjZbKI`h?jvE#q@i1;PKFBN{7;dp{Fv8vJKjt4tS zO@%iT-kdl)chG=KetYW*7dkhJ>0c?Kg@l$AczH1H%Pu$$Bw{yLxmCvE3R=l(E$eDp zJZ6ma;X6&?8pl`JNM9S_ZH2cZ&hv`VRy?6-kFu?GtxF%SiaEPZQhP}qDCxYSBtya1 z(edY|M*Mo=orHHb9Q9m&h4==?H}{Wt7vWun-{^Qo7N+Nhn;c(c0_V5ue5isM`ClHDWxUg1-T^9T^Vf@T~(I)e&nxX-26 ztVJ+Q(sW5PDDem|OAEa};eN*-$&FchK=^~gA0p0upyLN|v*?QAn(z<1bPt2ku!WhD z9+5PQlFkwq6F`alsN(~f6!F=@9}_;u@U#Tp?1}KW<6m47@wvjE5I*l;cxGC9c+&9$ zhR+wiK=?x9+-)YNDWJBFCkXw?i(JYW8Tav&q{Wh!P~s8bkP$*1o_4&8b$KlnzD)RX z;@k&5lZObc<+ zw&UxpAN?KSTZO-CIEI8U{U*HU_@VkSOWTBR7yiEEcqig%_`vZy>O_2p@SVbU5$6%) z;Ks%~9b-vBK%X~pAqLi&~{DWYiaxn zU3U1~rS8_c+$(9Hq%SCOAMCS7;MJFo&)I}uv4yXM?-zc+a6~VpXJ>}59p7X($2Y>i z6@Jk01in*um4C){d?g*2tP!eM}U4J_K|1cW1oreqf1Bcj?!UCM~rzR6kyWrdd$UY@x2fhP_@_2_>@ z2TcW+W_OJHs3@tDq{@_ZFQLRlxXNjc&$P0yitwt!Pd6O-;r!WZj=yEMcXi=s2(Mvy zHrJ!Wf})N$wz^DB;kAUInVipHt>1A_y*!HAkX9xn~E22xX|%ft;d=`!W#;2WH`zS zR%04Fp4lqqrit(r;i-;iViAJ$kmmSbcD2%lX9&+UJQd9`49;XZKJV<9dO~=%@Eqbi zpXek`hEw6*4i~#L|GX$&BI!~|mr>#YCpa3204B%#JQne$!kY$^N7U;zj<;A8@ixNS3U6n41|ss%qQBPh zqt^JmPI!Ca9SrB3badZ#bUfRR^?Ko*gm)&+o&of)h8vu{*zV;nV!MjHk?jB9hzHyh z7==qsWp5PjRlGyh+`?UZlka_AlmF;Mgl^hl@BqOB z1rH)z2LF(apaC>1QRWSHW0DOF6v-GOV zp%E_ZzBp!Rq=ZotMpNLS;>#a7;TDGvSzg8nzE$v8!puuLmMTZ%!s&Ha#-zuI9xwWK z(i~dGlc}%-y!Y>LC2WY%xhKWx9V6U9JMNbkvnKVyk3cqrgiJD%R z;zo6Az}zF_UKvwqFn#uYW`+BlK50rkfN7$qi=JULf_!lw-0$?w_Fz6B`a#hT8I5)b znuHHKeSd%siJv^L%I!e0=+j(Az(=$m5UgPLP_(VZIBxA>Br^>Q}Q;rZdhWf+cd`h{%# zh%Iaq{j%s+oX$qbLwMEcHq8VhR!Q_`(OXC>`{?_}?en_h6|Hyo4dHJJe~UP?k6zJa zPy)(^x7~S$MF6(&j-0J>-lfA`paVP=pLcxkzqs|%Y!kj+`1{1U3k+O9z#vZ|D}3P2 zWu3SK>|%$UopN^3;VwX--xsRgo+<77$@E!IOKPi zdZcR?nExQ@Pf34K;t}Zc#u$lk{6@R){t;f{G&LmfSNlNP=+Q>cKcCN%_%+#_*v{7v zwr~=DLUTe=DN5W2?mVs+b+Y5B_TDQk{1oA3{)=O99&@K1uRThMmk4ErmlIyza0D== zVZ5e-_nl9Q;XS(!@#kbUyR7+BAO56u#HgMRvj^k_WWq+3Ny28&k z9FvUM(|nHOhpZ`7Pk4Rd=NgWFSAO~6Jjb)Gc5uG%2Es2O&LhCvCRH&B9GAP$r3rRw zFOt+yQX@*b&gkSsENWxNZx|cTQWN1R!c&QJAL;m{cv>Pen{B#~=F;XaQA(GTAt{p* z_mP3 z$4AIe|Kgm|Yh0RYT@Y;~wUyM4lAR?qe6MwUx1FWygtr&o!En}J*syRs-wNaFg?AF( z*>Lm%F<#&X$G@u>kD!b2uEK95uIr2^G#QhC`r1t{)w?!I-6VCF)PoX_0ChpsP{YlR ze`;NEJ%#rYo=cqj$UwQ8txirHM{k#E_KN$+law#1fD-qCZW>;=K8`;(KjM9b_Y+=d zI9J!gfNFoo|F#P^K=?r6gAB*31k(}1V8`3q0T&4$B77)u9s$NK@kVEHjIPn(Qa}D1 zwooi-n55y9bT8qZg_AnM@xf~&K2rE7;iHK&9Rwv}CkecTGBFt8QsUVtjgfS#q_LE^ z4_2Jf!G4?L+pOn*obd6&Z#O(Of$%L1Lpc8aIWhGK!tWG*m*IH$+1)qM@k{L8aJTSD z!Y32w5#ZIsx;E-FD2}JNlwxJyJ(BK~G?fyM0D~!*N*nHTe3_lpX~L%qpFy1efFTR? zO=0Q`-_`fKl+`jG#{-fcl=KiKT?x#DL`~pf$7gPc_)OuC2%lv*UhFK6A9Xy1iC_z} zg+C^Ij^X^+Hd^zKJKotkndS& zmxe5i(o2%oOWHt*M}WX8Okxci9ltU+;+urOEc_MX+z0F3Sj-C(Lh#ah)urzyN9i?5 zn(hf;GCGDcbBgjFY5Ta0bJ6`>zh<_;jBjJ09 zb04ThGggWbyO{RiQpt@``b5&Fl0KuPeW1G*y^Eha{;fT6dxh^4{)OQG)#n zG5<>Ve&GiUM@%MaGvRB;$5_YFH^RRaevmkifI~rwFi68>>+f7zZUaK!OZq|5Axb;~ zJe_z%!;g-Cn}`Q|Sojg)M~Uk!;jE(SfNPBc^Cy?4+tofM>1Rp5P~tw)QO80<@mI$` zvW|e`!cPeQ&2TIps!y6Z-hE2U(jUVA6#kdtcw@2m^>4=yTMOkM;U%i5^?<+eUWyS0 zoVQ;Rzb0D`i|t-I2|uCrAgL539sw4F<#7JVj#sv_ue9(}gqI=CvxE|WQ@T<0W*fq# zPQBuBl$BIYQh7?cmr%b)-&qC6SKCRgD7=#J%7!DTk2CR4bG)HdfT{?uD*SZAQAb4i z9jZB=c4o{>b>U|SuR)wgkcCi5MHuj2I@6`gt;SbVQY}ffDe(v}`-;Q)bsXPn_v=~0 z>k2=cIQM}L2i;2;$U`)fOJ^>N8LKC$zNB+0aUYmm$uGs7=lD7s;W=M;1K}4Kj>&Jl zmo9X?blaHvMZy~jZ{#@E;zG&V*zx~dAMqx_Q-r4y=Mk``qzD5H(T6mbx>@rzT~dam zOiDZgEcM3W{4B@ov*nL1B!p)R&mqozpyLV`1M5a$=r&yJ(i;Qh;A;hvE|qi{CGLY0 zpb#QTMNIM zIFEprKoJJWRJg{a@z(RxMp9cz?I`gG@c3{z|60fU*NgkOPI!Ca9f)%uXjx{V3yv#b zAe70adDe8gUQ#DXohfl2h(}Muaoq4<{Q0<#F2cJCztM2C;?T+pH#y#qiC_!egm)L- z!*IMzG7zhKv*W$2&e~IWFX6ewllKxrnlX}xsDzBr+odITFXc(fmsCKBJ4fIahx7Y5 zKCKxuge>(H-cNWTaqa^xIF(Cy38jSoEhuYv)vG8HShZ~N%3?jtB2*+F5ojOwZDB+`t>j)5FqzD6k&hZwP zp1D6}X^f;>C5@%TBVfQJ`uT2i{9WtRANPMqyYsl6s=jUD;;xj6LI|0qfv$N7A!M$Q zN+{woWL{<}^As|r%tHv7laRS6Q-$WFXi{mGG$`+J9OwG|?)Uk8-oM`G`aF4Vm+!In z+WXw+-fOS5_S)jZ#D|k}9eCpmo=wb3$75!goXJBAQsO#BDl|%=(F}1N7>mkwhcW-< zc3v7QK2ChRan2!uw(%#OAF)Gkg7`%7NyhQ2_B6bN;wk41M#REQ7M~(Mm7H6EhG=}( zFv5V-T1@lMu;*fEx81RM1kHT}#U$d{!V(}&7OO5kEeVk&R zciwVG+~8&6%f(laa|>{hPK+?%z2XZV+Us`@3awITHACD29Dg_!hc(VWvHSJ4;_JlM zlXD%M`3BF(;2mEa%H*MctxmQ52_TN1dmXi2NP#cg5c`j+vV9;A?o_c@;aBJ`n#<{3CL0 zfu`t4!Uu=b@y8x2u{N&bm_nZ@beth>0q$v1F{boW=jSU#{+aj*@ss3S2fAo5^cIhE z@JY7MJ(SZjhQ3hfONG8-i0i;TdkW4RUpqfLG4fO5--v%}JR7fgzzxlJ&Ue2Q`DyX* z#eXo4d!;m7rGIq(m0hKO68~BJ7xHRY&i`Ug1N2zSMndMBnhop z;djS7a>orgC;W%-pTr!Ck)DLd(Ngfxg!_|yqyJm}y!=1(TsY3dxYcmH#m=Y~gmd9t z?ajhP_){2DBjI&t_*>!@WB)U8$$9WA++qk{Y#5!Zc)^0>JzFBaR5-8jWyF`W80i?T zz*gmyaJffTE{u_Uid><{m5ivf5!0>VrOB@Usugv9=>pPMQ}c9?jkX(HG_%4r9yt1P z3=~wLkOGAn;NtOQAMXFJb^TY*sEbG!l`du)Rl?--aGmP`Ru?QTT|&B~X-rm>f=&t7 zHA}~3my#|mU4~lw1{Emm8;(yc>yZ&QN~N44$^5smushfR+U`cT{ox$VlN_;a2G+>15NG=?>@f6xTnF zi#k<0O*-8)#_ymdHN$luyARBi&XUfiX5lmN?ZDo_Gb-UWkNiC*uAr(S)fB1D2n&z? z1>F1I?z;NQsB1{ql&(e1i#e*`XmiH36=OQ@@XYbfF;iQaI?B{#hHF6kG459GbiKP? z)b*t6OE)l$t_a*^HgrA0mfc9Yv2+t^odEH$2^#V5a{l(@xbVBh?-6fG&f=rSp>Y&^ zD!iFz3fi&XT$y{7X~7Ivk;3B#eG$%+t*Usx_ygiC$+-%g#qsn!|HI9MXSUg;qLnhO zm1)Ba_Ym53aMFLs_1F9*e!|1jZKc~$vp`vRS`Onh9&x^4m2|GqUc7^Nj&anelTjn+ z=zNa#`gIcTEZ&7&y9k$E971^hA8$qW%m-G1?W#;SWx6w?PXSd@oUD2{pJ+Aqp5nd4 zdz150hlh#O#fzaz86kM+KW*b?^iim0$`X80Saqup28rPJBGM>I0ZtF&VRmYmC#A9{S)utpYQ>Dl}1{Nepov zs8A>KPQrOhYX_PvK1F=0aXc1t<;W(D_8Rs>ua`LSBOz~Od z+)3!)NQ|h!?dWXJOqw4zV2(0#m6^v3Hvktt-9kA3l-F_mgazUY#TSutC*c#opk_Rg zhnCmyoQDopR|a#xDzrqQr3`T$yqKZ#_q_9e?P|76e7X1v4^_P*hBhell0q99;uhdej(5l} zJMU{B#3u30;#kk)}_VBGt?@4TGd!+s$Cq4-C}IUWJm!jGLFS{j#rO#Bn^QyCi<0(3c8*#gL9A)R1xLeeL{5JC;s~e!6 zWx3JV>@(uOiJvvj=WxJ(cYb?zWW3yo9T0Zu~ZJk8rK^E9AkiaF3wS#SH0K z%EXBvD_r8dnYGhiDxO#TGUI$q5Os{poiDdDYd-NS#IH1tXCXK??<(gv+La`~cmeUN z$+?%%xq)vqZmRK|M!3d9>#mKPT~MJy3KeEZTflKx7{ug!pKWjv@uK3z$hnR*&fbC{ z63OVB3)gvQx1ElQD^xSjsPOUdzTWv(t8JGOFD+iiIQn-}aFH(SymPa-1?9xc zi&rp?rwRCe#fr`s+5n>)#4Cy4NS+tV!84SJ2Ze9)z%w)A@^4n)76mFZzzPT+6h`d_ z`xRXa=!x)DzSc2yt5QiyB{RisMtu+8h>+sE@9fA^#nZ&o$+=%~JAz(qj>bX@b%uw| zu8*Nig|ZaNW{B&+@KZh~bDQ%;&qQ8Tyqb7*<9uKaJL-1l(~Cx4L%gPVE#r6u9wXes z9nRO-*R8gA9r3#4+=5KpXT(7m+2KwPy}Tf7kc_7a z_EHungY562I^E+s1}HR8p+O9B3otO2EoFn954b+^A>xmTKTghdpg|Y++&q=xjQoU$ zirH0hs6xXO8qSc`fetDhuOpm4YG0v|;-kbz8^@?&KAASg`K!HRk;aOT6CZCp3wJ&V2Z5^sES-mqKbbHwM0&ohoo z3ZIXf@4V#N$QOt&6kp_=4-?_7Z_b}u8Tn%ICE`oTxdoV#1Qi*+Xa@br&wFUxq!?PJ z&~k-VFvKm$#_P24D8>uUt8R^arT8lG)#Tbsm?VV*da#!=!Ws`Pv^%-A3awLUJwsXt zZne-P^P=;7HcW4W_)Fp&jpMw*0X;7}|J>SSHi>T*-(nmSGU9R2@QU-o)?B_-e4F@o za_uEt;ZWg2{RG$b9Uj_mcLX~X+NIELhO`CfSVR}wtIn(2V4K&(_lWN$=Q=Q%40dZ4 zUNngAo!327&Kk7eP-ve*`x)Xo@VqQvx_ZF*g*ow)I4FKd{7vJ0Q!rXp-*Wy?jmX~? zKP-O4IPNwug;+T1eDkWv-w}UT{5^7R0Vl3Y48p)y=zS0U&_9MgQ0PO2K4OSlz&F@} zf9(9)Zjm1o|3v&axz@oc2kjg8sfSiP5ksFTbV8w%3~?Q}edSl^bLT(RkNgYqFU7wy zj-kW+3VrQ7XH?{;#J>^$mYhYxbc1nJ1qKa$=b=3IH9f7+_X_>MkUluH38E(bqw}S9 zY5z(5XYpUi6T3DYQxag7QZ{`3>Y*_MV!_TR^qWFw8A|M0T(s~O2Z zqrQZP)x%%TpSSwb-{R-R|1pj!ad43f|2jWeCKl#`c&=-81A#xa1sJD~s{`lsz=tOc{8u=?a-)LW<8^kM#-{>5*4YZ%$2NL6vZre-Y6t>Q`I$>iJu%v={oRp2U=;-Q*P$55(5X$qw?#4SKi zLMj?WGo1f1Ch|=2Eb(k|t^;=)nCU(f!z?i-;WiJ|<~7o|w*XV4r(*QXUCwW^8{WIc?-6fG&UIv^XJAfBj4I_t ztC@#V?cCQ~p?ei-!4TJh$F111cAxXX)+Bnr_ygiCjia{9-nR#xm$4?MR^qM2+ZbnE z4ArZLoVQECI`I=87H=!wj$B)SdI>7iJawQ4!b5rN*0Q}q9Tdu8NP7vBl;KXaqw~+L zR@q6svv?PBt^;ijxXX%{_D4N*?k<%JM7n!yti>I zotO6De3I3U`-t}y?`Is-_3_f)-}&Cou`mO~2Z|3O=N7ODI5DaMU!lPsI`C8s4N>SZ zg&t>!TfjR-jGlSI`7N6xA1Xdfd^maHSW4x~DDk8P`yf2@yB&Zd6&j_`Xok2B9OE3( zJjVGhtFVt1A16NEI1le+jAL?M$(BAre4_Xy<7l?yTrW>KziD3Fg301j#HW&T3ow2T zhc-u5px!slLw9wFq3H@et1}_s|F1~`i8vfybF{%Qc7QT|jHmYK!RNL)K}fhN<6HcyCywTii+@dtJxc6lf*r7& zqdz6Q?z))Obl#BOC%vCKFEpm~#7z&naSwRl+E?P@4=Qj-fj1f8eo06FN_flh$vzRk zEqqw`2r#pmDVEkg%V#X z@f8zXKH6;YsMFW33pB(p@e@u-e|nXB7EOk+Y1j@MwZycZBQGc6mQ1{fG3Q)a=dS zECHOF0+)>NmuJ4VTa~|+Ij_t=%xL$Z4vv9Jt_xe6_66x&c(W!3D&fzB#^jfoAvgY- zxQWPR!*TN9SGb9gzSwkTY6dDNm$?4czEzh>=as&Un!5*c)N4QmhLBwDkvu%S@e}eX za)lySGNRK5`XNz`yUO{e)~AqPyny)CA3LX;w8jOI!7}(`cbcU{=T(el@c#4 zUWQzsFY3kkcA*I$k5YT4k`3Z4r%ZWeDlo$m;f-nR#;@pn<(62Y8^kM#-$>3?;KeoA zU=AKk3paVD`2#U?vog0RQ<)jA0s(#sRh)m#iw%Clt>Q`I$;Q#0#aGCtIIm%MD5>IU z;_1dQl?yKHA;bA`9xPmXrg)ZkHaRzd)7D`hp~neRx_V~4or0<=Q%#xb%;-}?`w|+B zZ+HGkL9GGrl@qTiUW;6Z5hu~YiH>htzQZ%uWyMTwW$GwXml>`Cqbo6^MYz-X&l4lB zCthE?fpH$GxJPX0{CYb`8;Lg-Z{i%ikoXqg<^03sxb(Zl?-6fG&JDmFUt%-`noXK{ zrb_#mX|Bw@%CumH8-U@DDY*N-&-o74iSQHd7k@y!B{~0rJ>Pt31~RyT@KBDOi&`nv zTA?-!>2tuh8I`_=oWEW{tH2F}cw6yy#_^yFhZQ{H{L7akZ!g|KJjZwz#wX+C)zNvQ z4Uu;e?=0ShoLhj0UgKyA+?74*p^7XhenMA;x+&D1p~M#8J`|&uoG+*tc~9|P;=ReW z4%``Y(q+C|Bm@s_&K*O26zZ!`KZdvtw0iNq2>qSsvWvn1@qyxljH4rn!+-}n|JtrN zL&P5wf806l@bQe&6V4AWjfEL1K1_T#Ikx~KjnVeV2`VtcdW46vtxsp9LZcKK%@DVM zwHsWb#yDR*KCWY|_&D+LJg7d>r9951qDy zW3fU@6k5uVJ_*c|iyOt~o$nkM*Rf1|x%dj>_#F5yt{0q7Y#jMY@m1ohjbjuHCuUva zeDiaWuN7Y>zMh<0zSpiyq2l?Xw#cdP$*;3~4W+dWWmY%g(Pa7T2*!e6#o# za;^jYm3T}E9c-Kl=M@jFXc9wP722lIc80i)Obk)M98x=+x3Z?ho#MO1cN<3q3?FuQ z)%ouw;?iFe-y^=)IG&E-OD11;e#rWC-Vom>zMq_1kj?Qj_{Q+_iu~qIH=Ge zh2CU{TYz~V*~;>k^Tu`&eOvsn_z`k_5^PydO6SdPRygXRf9+K8jzaG$^d3W82VSPY z!~1>b2do3-1Mv^VKXRTJ5Aw0|TvjnTCjN=|apM?{$hN3Yoj+`ySf7cX5I;%IElB3H z5!g!@Qiaz+c&K8bxR<_A=u3sZVu)M7ZcB9Ff9-shHDH|*|3>^x31`HA6F+Ml zbsvl{48J=cXEnET;(v($Nv>lFqc$}*f{)Yu<)J~=UG}#^=N0;gA#Oni8Xa*P{;%^^ z(^Vq8Lry$bQQb1&PpyM}I(T9Mp9fk{bK|#(JBN;=Vki%Og*yj@E@nvU;1khl;S%R# zt-b3~@x0=f8OOj)-i=@WU;ap3dOqF0h4ooAAN$qf9P9$Gyl zuA{g@B@`;jkd7q`IKimI>z(&}Jn~ZFrNzrQ$FYH0aoPWJJM_wlmlv;K9CrbD)GAbT zp5N|nZxF8}ej_=z06dP3!0^1AJaobC`EFL|7KJJ^#4W%p!Fe66;=H9Ddbf%vi6@hD z9XN#0p^ZmEIK5DchxXd3AXT9>h0+<~I&eF~lR$>^OP1ib_z9WfS>oBwal?TYyW5=C zofUai@oM7LjpOy?oQULh=K~*$yoPv9@ml2E0(NC5#zvsFafgSdRF0wA3e{1lE<-w& zFy$TwNZslDVXI!%6R$7cfSl{VD_!vfKaX1U8#VOM(H3zXjTCCEP!oo<4%~9!T78%E zma8JaTl^mJrpDO{&$|cb{U=7=T>M_~7RIrUP|XeZIltX%WA}?cAl{N(dkNQu#MlT7 zVtmj;)9fawl|ro*YQvDW0GC~S&JQ`SX)VkTi?!>%dti1y9mE;e41itPd3*CO+JFHX8KMxiP}| z&$d%XijNW>Z5%!E>?j-KJg?t9h>sH=PtGmCP-vn;lNi$H zjC)0VLMQr;>9W*{HzzH*T7T+HQ`a=?Xoq&IX7^2T1GjBN$QzL&{{IK{Da&7@;+KLlYU{K3Z52af>}^o>??Fkp-&V#&Jfpu$5in`;P9#Q z2kg`SO#FoSN#h*sfF^{`o!59e7U>J|FU7wyj@uu0B7N<=key;qiGL&hExGm*NB`nj zLY*%ueCMH0N5plUR_J?$eqcz)66)T#O8@A5R`tk#68~BJ7jhj-I1}S!$p)kJ@T-T$ zrpC}2g?>}$EJIuehn1tE`@8ebcIG%I{)hOV#?#X|UL*YFytIAJe~X_N|Hn9=egOa1 z`337ZyC9ycnC>3%r?!C2j)|cZ=(Ea=-zM%Jc5&M9 z3~?RoPC$Q1MdwZJe)I|7| z#FNRn1vp{Ep%iGtO7YN$t}&FVP?|#N3~4XngpYGZhVzm3<;fJ!63-^rIxvs|^PS)p zh4&C1s%rJ6stQ$8s5(Pj2U=QC-3_-pf0V8C_z5+{Yl_!0j#hQfvvY^@owfzF#p{UI zHIBJPIb`Ne=eJrFx1M-?@do7F0_-E)O>-y(2F5q^P_tqx5e6?Q)L5Y=3~4W+83E^v zyPT(6%gNp1_lP$o=Q=Qf2R=L01-O@*dFZHpjhj z_ygiCjq|;m7!2~D^RYRRw-RqH-o`k_zi`ORL(T{K-Gg{r@pk0Ab?MVD^zYI?r$cze z10T=0NGk~K73iQq4g+j!YuB-FP8iTGbm$X0dSu`0u}Ga1>8wZ>{MoOPIv?>y5_}yV zb^n9)jdzvrCf^-@>J=JksFd_@d+4FK?4Gi{WP8*82mgSFhtflEd`0Vs`v~_H?nj)5 z7>x}5-L|lc<^b7&vV&-Ox*3$yE_CnNA*Wjy?1@9`ZvQzo!8GS< zSK+t#3Dd=&7N0@RuNNN9ja^q5v;2&QKH8`Z-ZiJtOoe7K#C7m}@962C?R>P=cIJrB z6`x1Wb>Pc|_r3E$;1u*xc<8f1aUBa3TBy(>hPV#&{Ib>hIp>@EM7~&jiTG0Ed=MCI zzRx>vIWF>L;>*QX7{}w!d=U5r=lga)ET$*FG5w^P2b`@xA0amiVAF zs;PQR<#iABwOiXa6xyfIeulUOcuWP=op8W;HS5wiD1J!%O>(XSmjjH8#ut>M$KUeM zyLLHvTcN`W9bri8;H$~eJK_8aJG|c!e^>lHx8XB|PAGJeA#MTYG~iqRK6n0`owC0W z|5E%ba;^jSwcJa1Ru>}!zV=Yj?6@7L6#7P?ZyDk`I8F_fyziWEt{?en@$bcdFwVFB zp$hq<^V8)c|4IC3@n4MN?w@b{`_=jSnvtIo|4sZXxsD}tQ6{PuxG?|jp+a`kc21!` z6#A1PZUOp0Icw`*&TqBGq`$?_i~mE;!OUns$0*I@@UQzt#bcQ+$mhCFHyHR+i^n8T z9M72>e^1<6tjQgD9{dWo7UCBh$2FD@v|Qr+J^Rcq70)Yv*?&1^J4VNZ^B;}p6Td?I zO5+&M$#-U5<-AmbSeX3c1;no=|6g7?F@WwGU(54$b1l5Ep^*_|(5`j; zhaEvhq>D-yqvn+p-x{2>(J_G=5s#d;VIRd6DWOP7Mz{jbN{7i{U6-~KQYq=u(q&BJ z$*z=?P}cR&&EqaACtY5;f@$>7VF+49*N;q!`UdGr(l=7`0L2irc;Q6r$W0zP#Yzx< z!p#cZqEKaqc!2T&Y?P>q^9S=vWB8MJl6W$?*1?I>@LE*OSd-$RO?KF&DwL*BIzwCs zA6LMEk>NbW_GqSfmUy;tj`={t+-=Ukv@su5#jA-|H_n%mV9dwu&f7d3x1ff2P4Qaf z+yajI@V?bMJXH0?7^IYaQ8m01k!X{0gC= zhtf90bu?0_u|iE4(q6(j7&k3_=M(H+_I~jP#9NYc3lcAq;)Roa7#>P~C9b2DLah~Q!w|Osoq!l(5gu}0$7+!e zi?<>d9hKD9ugH3ydIw+LG5Z8e|4D6@S(Ro8_Zto=CS-gvJ_VeJP z_Neog_Vw&4-c7u_ah!a4y6)k;x%Xj+_Y&_-&Mn}Z+Hfr4UJY%9!9y$R#J$uaDoM;qrTT|9a)#(7a|Mj0zUPJBGMwg7#Y zeoy|Shqg?MMVg?{M1>|X#4W&So0CR9w_f+9K|iwX*AE*VA$*_HWm%A6gP#bbjgb zSdIp-IW8`HlkjHYEyUO1AKJI;o71Uh7}UOJk4`y#`gZBrqgUwJ zD<||F6khQ~Y&jVhu~m!MrbTS$A`0RkI<)KFu2W9?p51$eoX$Bt`k>h(?C@;ib1}P9 z*$yyh%2*d%G@u!T}G&a^aP93LH}4O$N9VQJ2OG=^R%W5)1UU@L}O2hA~@0 zS~%)>!lsDd5q?+rJ;Rx( zYQve~Q`gs9edaUi6VfNC6N^vF*5W_+Kwqn8e4)UX3Vg+Y&Kc-GLp|eb=NmF&@lT0= zBmONp_aX+}pzp%*9K)xDzZd?2ScSoSI4aDK9yo3d)ITZkvjV>`pl!wA#LV!k>)qpG zSOJ@G`LxcCc7 z{E2b#mrCcAzKoiiijhTlM#Axcxe@0RzC!p)!yFDDu5#SZDlPei3kY9L%+HAPOsU}4 zc;Ku*rdS^I$>7eTtn2MJ#&wjFE-zhynmZE1x^Q#gc$d}x zZV;{{e4}B!iY7VSDZ-jA3w2YcyPh{aqBY`%u+C$!3y|? z|6UWi^&HT-OQ+8N^Z&8k2VIl5`O=>HF)ppDmR3zmtInnA>y18T{9kgo-2b%g60#?Uf6J>fXLe8lyH>kBs^)?tQ@k%` z;qJuTDQF!;Cw33lh5Z&mx|eis)2K3{UpBa&Y4;y}r29(uqh>+SZHhYs$L*|jV1V#I z;X%aQwdm%;cA^f8N2@)uvoih#KVgU>k16svBP=^k)EEl>gzGMLJ{>AOOnNvqk3butFI#K-GU?^gE2z1ln07O~;C98*xa5_xt7KQx za>*E2fM%67uD`Yh?X}YDq}RL7!tGIb(RB|i^#7#wyuocN^x&m+-3Ng1mg= zC%h)SM|dwW&n;*M!mTV`)D~X%L|5-kP-34F`la$_iBdidAzdOM3=5YAOX)q4D?qM!n(c2CU1ieDw_ z^{u9zP+U@D;*W67wJM zY>uAXz|+s3sA6ZM{7Mv1;%X+iTku?8xW?_Wc3d`=UQo7>Y++h`oEZ8au62CMzH&u` ziwYMbR#EWW4?ZDWTdwoOzQu9z#g!&{Fk#J+-Cd6Dkt`s;wqsb%O<%u=d z!~)%|#63zhWrB<6q}!pH<9pc%g`dz|_+H@_hBZLwKF9A`J>-7j2ZUP^^TWrCRN+Cl ziqmDauinyzAH{tHYEH@qt#|Mf>H9`+hlzlKJdMeRN ziQY_Tuiz^Y+@78tZ6Ddbvi)dTZdA)Kj>z%2Y7q|*9wFlS~BgB|~C$LtW{$Aljz zW+}4RQtx)?+PL7MvcqJD)9SOqdxo)%I7~)(;(ms?Ze1mTIolZaUqbTO#!BRxFjiT&&2;wLLHMTx0QuqeC}n&$S9 z-A_!HeOh(~EsKI)o}}=M(!)&j` zPuMBEOL#Z2%7Rg=*i;Pid({)S%_>Vdfe<1v!@JEg_Q1Fi(zhlh<$Amu-K2EHHqt_ix1Q>$$sV9!vD5KAmIHANz zCRlL3jwXEWICtAvmM?_A6#mL^7M_?4Upww@d;FB}H^Sc<=6Hedo#WrP#U-B>{$BV8 zVir6DJ=<*CNDn`HqT;le_(_SMmH34TenELF@vGa6fzh6k{Y~~PEjJQ71dkXy9x@=} zbHaZJ|4FPf76vx|<+hErtovo+rI9!m;RZ?|v{F(S{@FEp#B5Los z@vB5#e7v1)^Waygiz{(46D$eFO@&L`-rP2p`cm1vvX{|n6ZsI)<&L*m%^;uf6~b2< z&Q3>j{8f%CSY0f?Z~@_~iTTlBLVa9*Fs?UTboL^9hLP`{7f@R6Z^Bdt>$A#^a zFCtu2xR_zg(2Hug1ziMaa-6&?SlU&J>ER}#LFSjP!QB;Dk;^o@YxQ=}_n+xA7+=7?|N8WIM}tp=Bx1j)8fE92d1a&91`Tgu4@ShoHR!m&^=2vD(8Enbu&}Q;A+m^k#yK z$NU~?AvoS;`@4^DU*Uel+Iu)e`nzrObS(D(*@3cyXt`k2mr}!E$7fhP{DdLGj|o3+ z7_D!pi8~%(t#3nxhY1fij9yaA8RWQ7>$v2R!lQ&o6Khwa206y`8lLpP_ZP*$1O+B4Fo^+fV_Ft!zfU?bm6Ck zXArXq7|#OXe)k#I{p=~RXQgLK&!Xl=;?cV>+ihFBH=ZLqS9TsP%gh1OVZP(W3-LSr zgayJ2g%=U?1H;I8+^BPEkmo#c%4#x;l~|(0QYKh%p6t;o?)saiTsoG&OnSNW3e)Kr z0*TiWxSsz+)GMV|Nv}4IC$iC%y2f=8+bL_M*GaFZW=l7|y(l}{qtn8R9y$3`T)_rK zUQ%QuBPu-J0)%#P*InvGy-9kr^cHIFb@mv);D{I|4;|h^;QDu~v%e<2M|v+cHx%zK!iJ*Oh6i~)l6fr)gW|lQ$Ua5(Gs2>y zhantr`-$~09F#pI`z9@mj*~2Itlo0{sGVTnmOdjKeZg!gubqaL|8AN~bD z;T=WZRpdQJxYO_?2;PJ2cwG_MT;T)Z4~0J>W@%6x!((+HyS}q+)W@Vhkv>k%Z!}({ zgwmk8{HX`3wv2(#6gZ*4NeiT*LyCJpeC~lyb7J5N1-?|^D+cs+Lc3S^+Hs|&5uXzN zM)+I9_&T97?)Z>>lTHhNFZ=^>;%tO#8xQy&Jy4II9e%=33jD0VFAT6K=po4pzd9af zHJdZSzX_i;j7PIE?8WgT)_HYK_z&SfiFq2p*lG2>pi1tE5A7D{Zzawv@edO$3vTo= zmfrE~+weR5gbTvCu2-ELe}c z>*X3xoah`EUr>ocN)%>-i^o&R81>@#9^30hgo_FnGmM$$@k#;5>+g(9E-qX`xFoSY zBJX;+-V?R&iiuK6lvbh)6R|9Kn}Fk{R+e(Y<%KI4#z0a`>EpQglDOm>gewW(NX(B2 z-5ud3w;f)N_GZ~zWGmCM+~~cI-85A^(JeV9ZdD>liDV{JZalLbQXIc+&Bm$1X~OA- z(XNXrd>q%e!zEKVOE{ZYWr^d{Q^ReZ7-dIpRVAt^QJo2v1v8Lf{!hmb*nLe6;hMs= z3}ZY3ULD~0m@T=sa2?^g#4HO&TgQHyJ3Z0LM!nWkqP`LhEP=<;Vs}bIPZYKfwUH8y zm1x2QOOF}}UL4?flhsJ>7QRQgsbP#f&J4{QADkUOqvpc*3b!C;>G`}K`$+KEttT?M zO8kWTm3TmjmQ3&;&}@t0?v6_hBL!|H+*-H|F&B@QOsXpb&)s_Bt)U8F&QB%UD$$M! zE%3Ze84W%eT4f8_aoM29i3AB-Ckv_jss)| z$_}DU?88JK2`cHHIA;5Bh!T$}@i-GKH^yP&&0>zXc8MD~RCt*1aKo6t6_3q2o?9^D zk;0>dM-yuwqT-Exh-&5-Pt>jx6JwPar^I+BSQgB8mK>gRyuNV66ND!UPcn?=OuQ1n zamC&dPZpjcJe64c1@#@2g>`jLWLP`SbS0ivVg?f|3m>ux&p56!ATIt{;hDm-9BVQj z$7^lLbA;y#&m(48uv^sUkQ(NDBHJ!W3zS%>#3CkG7F;v%7GlRU?V7Pzc!}^*VlEy} zT&W)c6M1^#jNP~{Q)0OiE11x3$76os1;_iXkzl3pD&f_J(dd&B);P|zO5j@Ib;9e3 zSr**4s&61Qyy%JC){?hDiI+*#=;vH_kcqQ7Mvb$t=(`tv{(ZukoTf>}YvMiFcKFj|r9qZ;Ze^JC3t$@gE3(DEyIOOcRhAK6X68Zb^>`et5Mycv_NDbe4qL6(?r~q-(=6ya>00^V_Nv#@ddkeJtzE!@Snsw_2W|hm)ld;+4#5YdD(wxx!@GM zF*^L~cuNhI0j0PgoU4>7=lD}NnODx-_*~(uJf8o5sls_w(1fe#V+2ibxlgE=H|gh^B~eo#TGBVnK=vmk=&V ztm8Y;5`nJz>phWHDke%PQCf*IOt9#juM%$zcD<)r)a9hhOII+BXEt#ztmwKV8CfX~}L5UnDc*4Vk2BD+dx;8$( zlWb?%F0?E+P8%3y?)ahfxZtkB-GsXnC(fj(ox446XVRXsy<~gSvek9fN9)50?h zV@@LN3Vy+VNm|$5@6x7ch=Q6xNc%kqj z!?;hxJT{KY*_U~-@Dkyr#4HOAESyd`#_xGgth_XqWtkGol~}<9%YxftOp)pMoLvZ3 z3a=7gZ5VHS%nEB9-`h7Xd9Cm|;q}D)bntj$c+qWbJH>5~eMxpBt-ckQw;Sc=)HR++ zvjcsT5}TFS!UW5mguzwe701=Dj78ZhyiIt!Vf5f*Qhmo`?fbS1Z%mJie@%%!O6+BVWx)h}m{s5L^;UI#LwKL?e#4l)H8~t`e2Z0K4hkOb z!QA`UFL>nPEl=DqDVF7JB@Qcbgb5v6=$;El9bauNqwfg6EBu~e^yHy}?l{$May}6L zQ1~NamIbvPHKAajxhMV{7|U`@iBFU`&IHSXlPCtXIBssc{WIYc!Y7G&xL^k3@VVRG zqvC?Uko{8jD_Rx>v%#tbB_(|AiR>};a`YZ7R=wHk)tW$S5I8EBQE}o62B>NmI>_^OhOQTcRaUp#OH+n z5dM>xi$~Q+4IOAm_rxbzG4Zz&=au+}2`(Nj#u#Ys_%3VEyC9sawCd{kGlB88#E=_* zOVrhCTPs%{{0en-;fsk`7M$nQ(2)`@@x<^Fu`HJ=kynY!n9y$Lre5xNTAhgV311<6 zB{3I|%fH$#FvP_Z<*g2oUx@-rT+IX*&o}>sYaG{Y9~WOxxR7vRVlF<-Ub`Ev^+e|` zF;PT`qDmBFf{Vv_AR}Doc$2kV6c;WbT#}f_FJ{sW*Sme+c4R5p(z0b}SrmNj)O3O8 zM?I12@mQ2{N|aZk0u$Pin5s8ablj^^#5V|6626gGTgu0F(VLFh@jY>%YfRj%#4Sox zW`c{y(;ygd?)V?OWZWv8B%EwGEe&N!aojH_E;&^=O*oyHyCn-Y!)>EA(PqkK$!62C z+-T2J3qwk{%@eKo5BLdHm8hmfbtYJDv;t&=+Z}hQC5y*Eg=-4eGK>eRGQ%B?e_I-H zZQ(k?b&0u3R&%ir@pRXno@i{})Ot$PSE2zEEDJggGeSeh^Q_&qk#J+-CWi5fuFPyg_yOUT#O!|P z-LGAbzFj(Y!3++VwIMv{vEIEe(n>-r#ab)YhA|!=9lG>spA&k7hujyqAdUug`L^=y z=y@b`Yu`OQ;`ZEaaoO!&pv$ywCmP2 zJnD%je~XE(N_11AI}^N(L1i<$U9Vn!LJtq5T1~U30=*RIZGoPcRH9Fp!8sv#;MLY~ z1Ntb?SAl*Eu*V2bJoo9>y%%?ApU~e!<9>?88lccXg$6OikF!_1{#|->3WJ>=XdBlt z1iu;+9>br_!sGZ;H=gZtI^^^TPvEbKlXt!^;=+eY50f5F&4mX{tkJJm7~%Y`{&C?W z#Yc&cCTD$|^J(;H*P};2JRd&BGkt!Is~D@yIAz8&!*ioOAO1g|?v8)MMH2T8Px_*! zydM`eL5rHGMNQ(OSd~Ln1D8EK%6(DmRNc9;TQf55s62ubvDrMaPb%_kEVIYi>-RLSa^x>Qp0!v7_IV- z$6GCNnecMq6~rnF-fe=ipuYWrCjviq{DhTCtWsh%6D$jw7E{9-$A4PW;#%Q#!s`v= z&JT5e$Aj(8Z-ekl!W)TsUce(s;bphm?TMsKvYTbM(6ZbZcc|tQRQ)}1+%C&omDr}l zb|&-@@dC8N@fkbm?-br8yxTD5@F=>qWA@MiKxt-YCYR16>rk?oEA@i$Mz(wr9lUib&Yc#;aWe#c*pkN79ypM`&Mj7e<6ua0lG)5IC!--OQ^ z#>-SO%e~`=M#Lqb6aGW^Phx%pG0G-3Y+))&&-C0JGk+^{UYUQG;aiohN6LZlRfq-+|C9dzX^U9^td8IF- zX5ra3sOBxS`d#jsqE?;Er_2?~T*(aAz!qRs`CV5S6$_tVx`6c6)ci>Cj9zNE#&H#X zTksPK3KtSCY#0-%U_iU$kL?>&M7XGMF=A~gX7$AjbzPsf{Zd@Igmg*MS$H@SFT`?v z*@jql9Z-@HL!nX)lHk^@xL%oXQt~NsWR^cS!WMbPd=^@4SPqtrDrPHL-P2Iv5uZa{4N1rM0IK4bf(k#u9} zCayEl>L2cMy~EBJcT3+R-ISX91rrg(M#YTK%rir}#w~5G%)QFAV20(%%;dBS_ql#* zan$!qKOo(bn)?NP7OCMu$2I0e+)B8$a2vyz0RrRN9baNMw+{=q6>dkYazj8aUB+`KV|5vrdnn&{dgk%5-Oj z<-vPE@U(jm*B2EK&J}t}_mb{S&HaMLoYW8;uS|}(k8oe%e#BffUX6*y+5WB@-4*o! z>4DONsP&;@P>EVO@l74 z99I|^@krrO!lMmiu8XuV#_@*P5swufCp?~5A8IN)7M^tdi?vx#ke(<#$u!=%fL;ES z>x=AcG+BCz^i*o@mn<9uYH`KBoaUL)D`I)3EAzB6GnmnSL9GO%-Cb|D)6BEdGo@!y zYrpVWrP+?#4vUMPBRp4lo?*Ow1jF4OFS82i0^xKks_#kXVpq(#xe+P;0;7)sbrbMdS4gp2=DrGb@!@rOaw(SROo(z#%lQbLWnF zt@JwS_0&4p+4%pW;|Hz2yFvIR;f=(JLje0cyzKgO+cBG@H%o6Zjn|vv1A4`Em8!8I zTcx*2Z>Q#_qMnv$Tt?gY4$stjJZ5$(vrC!X%&9~E!3h%ovJUo`?1L+T?KceQQ;wZyN8pluB zL3T{|6XD~;+Em;&;zd=iZ?=MbCVfKsq-iv9;R^Y=>uz?qeGRV6 zP;zO^}A?GnsuxSGoSwE*tr!3rJsW z8rLHZsBzuFwy~geA?d=@+%Nb-Cps8#=D5}~SGJ6WFQQCQWr{Jw@}N3^PxU(2=dO>s zxO55WlGNNUn7#q?zdIgnhd?Re(!ym7<6Mn**gEdKATGI_aCzYh#EJcahtESr*Uhcg zbAxmx=^IU>;{r$dO|BcZkITMU`WETR)H+^JZBWk$1{qiJ%p=#v%&p2KDU-~M_6xp8 zXr*_3QN^fJrPHL-skvV;(MM{?a6F+-#F@fb!r8>yR6Oy3DPdffv6Dbm>1xu|O{Zbj zGrV!ib-u1~*)^nVO4p+1rlN@q7clf1VKCDjo|$L$huX^2QKl|4EDtmus=L$m>vk5X zCtY8<0W~)@EgOeGL&qt-VsRP?Hx_O}tW8C$T6(z4_4enYzFYbp>87SJ>;~V_X0G3{ z%35>jd!<`Yb5k>L->Y6AZ0dcUSz>n)_bc;&GA)@&lqU-hvpncJ%PwQBq+3h3q2{LI zjsVqm$CC{|EZkPO9kCXj$|*k{as7o|-rGxekj^p94kL`FaecvV@jFR(mhM8$P31%= z>XE{A@=?zu+i}xXnQqE-XNKkBxQFb}!*zv+@JsxJp3=RfdsFKG&cp#69Php_;y%KC zh5H%K#Gu2_-|^Wc5f2a^C_IQ*`y~zU5)Ff0&$H9O5b4LHA2-d%*wVujuJ>D$!%*pA z(!;5Bv}ea2FYK2Qp1EvPEYC<~MkzCz8I}jrJ!RsZw60HXje4x~IO*}!+%I?p0}rP< zUR*Nb3BnVFCmGJnLLKQT$L*hwc(U*m;i<&hFMO+UnC3cpQPk6=pO&6s8V~K@bo7kt zVE0weO3##@Ma}(!i$gdmfzNnSpEH2G?wMr!YP_M$K4tbZ!}8!}8Jl{*bz3|C9+W;L{U$Xx z742&n{O)+NeUIK2J}i91FkYdW7LGcuWn=u_5q?+rJz^aKm`D)Sb=N)Zs_}vJhteOJ zPDgbR&!@V++3JqRq(6~9PR;$o_feo{4A1Uj?7L@X7LWV#Gi6RFbCMaB2OEm90H3>F zHYVyXq`#E@idtU{whMgiIMY7VQ^MZ}e@m=QP30@>zjJ+yT{TWie=q%m=`7q4WQ8AH zKWLTepQL}5{)IYm2;gwXrt*!zzk22hI|R-s^P4hfnPGV_ixM{Vch@)D8qP`oA^j&c zHx;ugppo72fF*Ii{4IQ5_#a|zD&AV39sYHFuhsA_Narf2`a1rUPEO~h=Eh$W_4P4U zFU^Brp}sDCF*P?8g-%5c4`aB|*6x{`w#V{Zs!U#GE@Ot}Ny3|nF?EdVkL~-EPx=b! zE2+7u7(|Q-933|_oL{(r@YTfHi+BVc)ppm1UWf%LC|yXpuxUITfGhR2uFuzqx`=d9 z>0;E}RQ9os{xn8P`xsy0ml|YHlhfbW06o z9iR7+@WSPVD-i2bMLPv%W_NwozNx(BeT#HuY8}8BcZeDu zrjJ2uyJvb0iiN*bnIvVBnPGWQ-^8Y-xSp01b*gllbUHORH9Zpzei@Ftj)*u@I7>L& za3))EZ*$yeX~b29s|i;p)_y?)G#*rS-OBFsYDm|VuH_o{GniuC^?ExE)RwLzU6-2s z1;h8*jf<&l(Aw^qdUjc@r%Zii8Zg81per2vrJ?ILhQ`u2l5Q;Bgqr&$lZ(E~@dHaD zzFYVn;ikme)FdA5&0LqA8Fh2%d!<{L#=Sc>^*+}d)<%85^aIi@srALi%K*`ahnaFP z+q!4UZ;P2$%CuId4KpkcZuYRL54pbk$*3QeZY$l6nwyHt0j800T-s_f?S(rC=NQh! zK!?!LakAYJbQ10?+=W=>z@3__g%PfM?TC7$^eE}k)ZA3ODin_@a*7=^ zw|l0;bulwmnQ_XDXC|@hxv5XO-eNs26Qn0fPon0g;#MDHWE>yf6c;^Nc#7~;VlEm} z=wef+xh`OrvFXxJOV2Qk$-l9w&$zB{NA9!IGo@!yUxj7!T@>y6b?+Bn!!z4s%k6~} za}=Aa*gVFrM9jtwCEi9c-%~5zj~lW;sf9`{Vv1KUjZpf(*7ls|M*JFci}Ii7k){2BQd{6iIGsL=v%>K z5-)q`#rkm#n-tot&=!Vt;Nh(%c<$Bp!O>A~mEI=3ojMQ8gI4k#Zo6AI+)mkDvb$;d zA!~pY-WG^?LZ z!>-Q<#Se+UNzUDgk^UH1?|Ag|SdzDe4+|e5W=WDUJOCr>T@Sk<>UX5ym444O-W!Lm z{`XxUwfo%!1l=yIyBU%PHw^q`#$Rx!IF}iOIfmKF&@ir^UY)|ACxE z;p-fe!jG=A?410Q^v}}2n8p*07%=#&>+Q{A!OuwlCVkd5o0!7yu3I;V`keG1(tlF( zz|F=wh&(8;aWa#9*#`Qy1Jt!z$NV>3V^fhLNYh9PHYEu#EqSD1o<2DYX z6RvZemzPHTgyPaAq)Srs2v6nw3)ed?+DbN8C?#B4xC}8*bT|kxy(Au!;Vc$k1mbc1vy=^ITarDGl8CfD@9dS^5^~%BJxaZuF^D zaoy5xpKg^-l1_GwXPQ$&itCH)mNiv6O*)-Av9Wleg@#z64L-v|t!!g670Oa5n;~v2 z-dTtK!`ob+$*t03P`z|D>FTD@R)--Ox4Z6S=dK#kHKl8r#t?bz$U9u`?G=|@Te^;P zU21-?=&nf)cRD_9cg6LD>kBs^)@Ov?fb`JNby2HoHIzw`sr zElnq3uD$f|pz9(9qHZPKTDpyCzOEOqWpzEfchnC{x0P;Z8l!ly^B-}2hizqh=?>C4 z)Z9aOjGOy~|LK3R->;)*pWx?%pU_F!&dPRSmU}1_W9hQOqpl0I5XP7r>2A{9O=Fs% z)XdPs^~ecP_mu7>-TS|qjYz@u0n>e?`%3pSjcz#{75!bevj+JA(gURjnMMyZrfeVV zdYxTahe$sr{WvxE5FSFs-r-(~4|QV9?h~GUV`toop~?dDemq^D9B!arboM{KbEOAM~U@g1gl_#!(3rz`xl!ZR4=R%c@j6h6FXoS)wu*Y&LU zOz~Od-0IA1jB5+CT_1fu>N(PLrRSMO7XyZP%y<2qHJvPwUMRiDbW#$A?}z7H>q?Ks zhsDxMq?b~w;24RI+Vu0zU$SfCGV$f&E6BN%Qt(ji&M35zcfkyPj*; zk4@5>rMH+yDIH^fu}3)G9bWFKp)y=Zmf2JH>a2?(K^o(h z7}3Qye7x%6EZzs;C%mTc9)`M~^W66B z{7n3W_(^gdNvK5Q%}uUL+L82y^q10KnZ}Dv(U9=9>nUyGW}lM&M*3T776oI0a8e52 zId5tGxu?ay7yrRI?zXbf`0xB?t6lyi{c%rg0C8uFQX3ziExG z7o>Al(A@z3R8i2<$;v`*{5^3yFwRPz2fxDYfcVA6v(qrQDW;0iS|__a5%^c-)YD3SXh{l?-z)u>%ZUU{^Vxx;66r;swO7Cg)zlT@5;7 zu5o=Ue~F(^P`Z$GVQMZsg|D!}?Sb?Bw@K#;MZ}AW7c-ujgol4IKaTTc9z_i&RMab2YpF0F7GhU0;YcKJ}&c{@9B%ZZm4uRzXCM1=`w zv5Kxs+nwbN(v_rdG>um+pbzpU*W>NJ;%4bvq$^YFBS^-#AA@?FfBteT`K{tf;>pId zFu4n+8%}Zl*^0 zh=%UloDUxsc~$Xh;?>EymvDoDkNbAlr>)z&hICEoTBfnpxC-6jdg{u!?Ap?Gr0Y_% zD0tTezx{VQ|M%g@>xtJFZ(tl<#(dFUL+8axMczofv3L`5?j?TZxNrC$YJTiu$Lu*C z-fmyOyA{4i;ie3;XsGmYBtbLhg{{)pT>M_~7UbMZc)>HS6!*FA$^zgg+%NrrbW78i zZ4V#VgRU=H5Opi**3xaLS(Gen2bvNda(>(ny@$oyinlY4naESq&~xDYm>mx7#XE@S zkh73z-RHj1fBf#@f2N0y9&Tc{1DzD^tZ)~GRWuAN!8h(v=L4+er>l53@$Tf@ODV}5 z9oNJ4dAkAaDcwuDw`n};iLX#_{l~btm-P<)Va zyrr6VNrV5(XGA_k{4w#z$+?$wZO8oy_D^CM8z;hk!ozFr+CEg_VG0jtm_@@@r=iby zg!7Rl50;ls9BVB zbQhy2PdWdtU*wa;r-)BAjv+~Dc!R(+=hG%eK3)82@fqaYOKGeo^2&w(Gy;yh_!$px z?;69;Dm+u+Sq!sis4($0t+So4wr1x!;&a94k?R|mk%R$R^IgAJIxc*H^g`)Hrc+X~ z(V_aB>qBW#FP2^+y_A|o;Y%>^TKeamm!BW`GV$f&D~zY2pAl7o7n~oe9r;S}RpP73 zxtH*i6ZVkyPh#*~DrQJou4{w%OX3^JxtDP6 zMxEwm*VU}0Ws~$~=`E&ln}r7GS6r8{dc#)fZPMGRSroi$mZ#$#&Ud{Oi?UOEm-ueu zc&siBpV+I;Z?HS|*TnaT?LdAhoUGP8D7V+Ro3SKVd;rh0&Hx%Bd@P3B1mooLz zx&zKjSzYd+_#yE($@PuP#D<5r{tsbq9_M5A|Nnc}2Whi}(jp3NX!ZpqOIcDxi{OH%BqSj%TIBb5JYMHKdB1;ud|&VP%q_3E z-_LcfbDis4XTOZj3yq--qBn}(6lmNOsPAqzdUCiYwus&;`ZLmuN*vw~iVOC+;R`}{ z%ooD93Ev)Y42ScTTVEQ!VyI8luY~Uq{xxx?Qeq-gNa+)sSjWZU-V5ALBa8U51an%;UR-e=mFwai$VqaS`W!FnVWruIv@PPxSsk<3-W9g?==8KnoxC z0ntB+K1f=rgg0WK68f{@DeM!)#~l)WSoo2E$H$=tl;nOfyaf}3_)+1%3jd8b|Dawm z^k-r^K%%DEF(dwN@@L^O^oQhQlK-U4s3oN1UQKd;89qBqY580DKf;d_XDTJ8@MU8E z8oj6+zQo6!5M7~>S`qjiyFW3nDZ!nFf5sXS?ZWf(bbN(Igy@Q-l}eZug5l#zhOZ3` z@5;i@5MCwV=pjQ#t2@*1mZA6aEa7JhKZiI|DGAjQ_J`vqHbV~=+?{K3)qI^t1y@ya zHObW}GivGB9g?jG!~YBw-t&al6kdxsQwbA`a3Zyh{$Q97{Cv?Dh^`apq(rQia~B%@ zW2UDs5`D4gOGqn~;@N6)bq)XHbdO&uyq@s-0Z&KO4R!C!46h!#;4T;5KzKvqOr?0u z(nHzA^^N$AS0rLPe3Ki6;r}ZnUn%)2%8D9x*g*&0)rK#u;-hwr@W#TM5N9f3wiX_s zO^tq-U77f}YemP2jt_Kt63)aW7`-G^a1%u*iB2ZXs9-m7)GJ+z;hRGDQmXJY;pqX# zE9;T5T{FY$hq9u%@D{?aBd%0RK`j7N{_(?JSI!JebJv^vOz5R)DftG;ttc~Um{ye< zhgnC49~{TC#(B39-d6aH#F8OK=6(PIPIIm zB>EQ8ib@)aZ|sb3`0OV=-dT7T;kN}GUB7&_Pglb`hbKul;kOIFgE&(OTW>IJ_`_~m z&Js*>cbdF3$;FcUQ)bkV`&gTHhS#{+AFD)o zsqix5v2qD>jokpF4~M7kK+%Ilmy>4T*libYS9606PiyD{zfbu6!XG$^BYUK}A%-7m z;PIithY25UIO;H%)%Bp^*I2Vb_z2+-6K68v$-u++vgUc=vxUzg&SXkL*IK-L!RQ@5 z{dvz7Jx}zDq!~CTxnupxONLLJ>+zR`&lkQR;J6vsUV6pwXm~0v6#lC4MFGczdt?yz zn&IQZMOZ9+iSXBnGnrD*Yl6h#Pi&rJ3T7iNHF@z!AGJ3mFO&QxWhE1OgfUS5mf@Ac zM7rg|R|tQbIFl(AHT*>Pj?ssn_kq7F`aRJrNi%SC4dRUw?tR0ng=gpo!dD4j9dPUj zmWpn^4-G%`t`Geq;U5cML!9T0G{QNfLXDNes4ym{YgbQ`FPrA&PbIIFypA%XhU15v+zLPP;$9*gOJK;NtGnw#eMkWq_*jvlC zIOZaql;h-9aJwacFL@7TB@@;{wMLX@CPp1N8<3u{bkM*j3++sZ#nQd45MAs+Hh~S-aSWRqjt?Kp|=!&gZNhD85g_|6Di)>=-j!UZX>#_=oAiBNsYl2IC6Y=d zl~GduO29UHZh+ClpY?|rD0-0S@<4O*M=T>Y`ahx1^ghw|i+&)`*r@{L`Vgb*4D(?R z6+KM!@Ia?>tkpee^k1PMdPwvL(GQdMCyR5%DRYC1ktSt?lN}{#w4^bVc(NG4!SaPi zj6M`f#z#eu75!MCf~N?6nlPh{VPOnYO*MLMnx~%;{jBI|q&X=s9o-N}7XFl!MqH_T&cqj% zcyYSK84_nwWRhaygx|*u!#%T18W`&F&r6yuX$~dE4Lh5nmG^?tAA~YtuIPE9Uko(r z<+yKOGJ0^R3%x9QzUT#k#%7QxwO=uMOK7ev6#c5`MS)Ji6meAfjsCw0{$v-6ULyMS zK=Y-9scxy!-!}8~8={wqev>r2p}5Pzf6b`F$lhD#&Y0xg<#JcZeVZ;*2-~rtUG$F8 z+e5tG75$#*m4QyfhzAxH7~MLQY#)eTC3M4Cwga~F~Wcjuw6z^?BwIUTlDv$_XIixQ*N-x*yzS#%yzHneWLf1W(sNhYxe1c zxp!y|{b+8*WPhXsa(|M0kS=RGsE?wwb3YrtVU))Y2|q0S2yrH;GOPQ==xKvIeN^&68A5o$A%W>-=hB!eLT?E=nf67e~tbwB+&`c z6|Pj(9=~Imh=X73&*4s>_>IbsI}Lw~)%0r)_GfWAzCul3ZbiCGBJ|(0xUOXQmM~&d zS@;>ks}N@rVPqSlm}eUOV8jQ0mguuZpA%?|leusURJr14i!)J=y1rzCd&x(y_KEdgIxbWApCN{=3lRj1aMlBwsA~ z63R-W1Pst6xw?iw-N(o5QsMQ4*C!rJBRD4o;6zBIAdlGJQMI6JHyAhrY860;|m{mt>ie# z@sxSiXtQwkbb{fPLdzmic#`mB;yi1-H3v_I6r&SEA8M-TG|}mS#>GQ7b~B^e z4_X3x-`Pzje;wp@lG{t}K$*u%=Nv99Q!spI7}B~~cqiev5N9HxM--3dTaDiTHonBi zbr#)4^lgDg)d<}VU5(z6=jm>uZx?+>pi{8E7fk`9r$6E8yF_;veK%=cT|Copy?Pkl zHdMUs5q_`mp2V3*n)iI_oI93%y-a>BR7iSD?jt!uS;sK|4U!l>v!qqJjT`amk zX+|8oBB3_xoZ&NW_faVkUMjqdxN?%FBXCLr@*mrj*e=ZtF!|U#FAtPFNOC!4B~lza zQr%#~+c)+2eZub-{s3|1q!g|o7-DqX3QrFeJxuiQKque@o7iQ@=uV-+^N{Efq8}#B zs9?IJ=Wjk|_go_<;M ze9;R6oyKlp_lnWaF7ot3(XWbLM4C~-UW9y%yk>Z}Q1MwTe2MVa1CF_&y!n?Jz9%$L z-w?h`_?yI;N_s`&sgvk1BgnmF@&`d)E_sFIw<$AfC^$I3?;XQGz22Y6yTacSzLGdo z3G*0G$$j7GYNek3K=dlns{@TOAl%L$8oh0#r#}+?vFJ6V85OjdC{PdX!5zuCSSYQ%UdLGmHZiHMh%lU zxoG5b!zXm`_!q*r3Exhfsf5|tDC@s8x_pYKzY@Je^w)t#?;=K0zA<`ps5E>l`a97( zNi!-KH{w%hm*MrF^MUUc{=M)$0Z+zq7j$;~V0fp8Jib@>KH>X`GnHb~Fi)98hkBg* z(d0qlNpV2(Pm&K()&)df!c?Z84gWse6^Dc$7Jh^{QweE`RQko}J)yJVsOVos{}yO; zHej{V??%sG;?Ls`(Z@vpNt#i?ya?{1`j_F=LzVt-;r|Ff9&n8LaV5aNhJVx5hkinM zg{#zhz;C4zc5gvm!ovqY%vJbFccNO%ra z7Ji2CD)?P?rP2xWby1Z*)A(KWeeh?AKU@4c_$?X(FUhIyT%)h=@9CL7(sTf|hc_*8eH z$!CP>)jg~thx zCmy@!&=Y*>G&=V3Czw3Fk3a21$w`uvDKl!AGs*e)DTcRs!Q-jI(}brJXDV?WL9%OR zbjQm*-CT4F(bth?;Am%Y?auXvcMpx~mcnlk-YVdDI&D`Jxq*a_x4RE<&j=)C%L`k4wM-+zN!R+8yyYbKg8oV3-2WS7UDc_)|fD$VDy{q zJl$Dz7tyx`np-WQ6=8HS2OaTo-9+Cm`VP{J3SPQ|J_L8C;gb_YW0ivN?!xa5IQO_h z^{t2D$3nC39^v;2?@64gl)!OLbj#YrIId^wWpdAE{#d;w_mLc-%%~w^*c07l7``R6 zwK9cg36BzIDsk0pipw^-Buv@M5uGbKFVL9u&gn)**BaoX(ob~0=mOG=3N{ht!o5Pn zf12&_BH_it`v)8^3cxIG=L|o5p~p*vmkKW-95zU+MzNxRP->>!;MDP!{$du4_W5V z;~~)_L_bWLQNhN-d?&$3!$-CC_$c9{g^vk1pYE73^oZfNgs1zX!p91Kj5t#%mXDM^ z>_A2D5gNw;k>E#`_pXLzd@ec;oD&k#N{;3=s3 zVbazt!@mlxj^~BX7Cwi#?l|@fB5iD99A5kCUNCuI=s%q+d7k7KDKlyq&_}C@bC&zD)R=0mpRD1mJHOJ~PxDmJ44Y{B7b)B}_C%3Zb(s%!|VcM)!`%%|bWL zyOQ6Nypl4bmV&1iI|3LUE;j4)=l`t<3^oK^@&=Fta<31AovFJ5{M$Z&d z=@X+@o#E+EMXwdTjVdGLEeGrQzd3Vepmk9m2mR9=qc(!OwkT zbaa>x{9DoAiQXCLMC`nbO-_yO5;{?Li~e5p9@30T92;ABeX!vx&h>%s6~0gS{(xhO zd}174AZ&PQcqASW{*&;7#Fa`|KJ{O-;<%XVXOnNc)*tJTcd~x)oRYoQ8kL8V+xVn*Hhc3JnM06^S#IFf$pcgzFII(D4CT z$>akw{IM!aK0|U9%1R~l>Y&HzOv9Il!NIeHpDp|x;!GuMv5QnX*XRpg^?_FvT}^cL zKx0!2q*4u|YleY^^F-GaU5hlMg4chry;R%q(V_G{U-$*W>llt@*O&})q2VJJ`nX&q z{9@sk5LdaRCmZvVpF+pUJ9SMy5gxynO0FllK4o1%EGj|^_Al9}dxsJvzj`;9z7TZbeEo2#| zQWq&K;WmwU-|VgCBu@8EXE|Nu+(zgB;9!@d7-}oX z!f2`MWy0iN@I5}Rw}d_tA`}?AlZT<|GE93X94Av+mb56fYp7*sM>9+F21Ng#yFkXd zYzuQe!}yG7ZB$~z^gYBU7^7(JL5ZiT#?{n z!Tkwy;u&f*3EUpm8NZ~xaO|)uzEpe}c?OONO{s2x!OKHW+(5yD1eX(LVS$h_us+!6 z>q0&9KGFA!etBNhXXL>wXhG#5(SouMp-E$^Jmw0iy#2FH21~K+B zS~@6Y*@-pF#4jK8;`0(`OPoWIMH1eU>0U6lV(62eD|VjP7s*x!%cm%N)i^O59pNZz zUNUoAXvw`SbH2<4!DP)HyiMZ63((B0HOooPK#2cRy+)|^DE%nEFL-aDyZ<6M@@fjYQScaB4r$f27%$$F#H7-)-6v*lO7rHYGS|vnM^mLn3N~DK>y1tb{j(cHZxp?W zw2p)OI+4c;Z%%ZZ%}h=7$JruttIW@6>Nsd=U=@VX8$;>zh3IXfx0B{^v=I|-sW5v6 zgB@mG-M}B`E15fFeod3d!3-d@6TdOKPsj(~ivCXYPSQFK&joj2n1Yh%cA5D_U4NY2 zGQXF(hbE7M!9uoIjGkP@(|bkl6TP3bj>9~Fn>Q12l?RCsRwv#gP9x7_vYU+|B-o|CXa)6B%p)%U!$*j!qX>2SGYzk82pYM zhi8HE06#n;9-XJ*PqD_#3pKoXI=(_81Hc~b8a}!Su)R-c@9k;2jw@`IG<~Dk1)7aRdhAc)k*U>Y=@pY-kj)anAxhT zKcDkt)|6R`CXa&@z}R$cqo?=w^!cJM5M76~j)T0$#~yx=!!Z%lU1(-IR=DtS7s z<|Q0H;8UUTF2p4VV?6FDB#u0W}d}17e20y%(gOb zq^aZReTz34T|L~V?L@a1-GMZ#0-7j;dkE8hI+}8AIFXyBbdqul72b=f1@2Zuqw^RO z#HF*)E<$f3s#*)yk##k;?rWayCiZr*caS|<#g2D(8o#)`=kF5VUHskTS(M_gPjEd9 z{;`jT?-6{j;GTq;DA>IM{rJ6%-ua5BdyDQPIzpOJ!IeV)H{Ri9{0n_NpD8{|e3U$+ zl8%jZT(-fj-|=vc;9S9ZgjuO&K0pn-ui*(HBlHuVFT8;G$r?7g*9%RU6l&N-5{f1C zr@%B%j!SjU*q=&$TuQ{2iY+6{xNssPD%b-IKhV(Q1BDL~UQYaE1v??t4K`tPs9@hG z;eH7ZP+;N9DU+vEu+y>Pd5EdA#`$9nl{!r7aH_mwsC00amC<`1@bp8XM~HryG;8vF z)cjY4e58p(LU}t%;%JFuDDp5EJE>J9xM7W(mV_o#iakoKMVuE z<0Vdz_&7!0&aA4OS|yKnPndbrodEE0Ps*Gq^QmBR`0Br_*UdzRJGDZIrjMDgWc%2@A#<6` zH_hbnaKnZwBAPyCzS+;4%Vn;R`L>xz*HbHf*oW54<5}K(SLS;%SDMMH)hX3DG=t3i zp^rB|khx0cYMLyD*q8pHu_vZ`_9L+$i(NyOcZZI^Bl&#;6Wk|e4hy&Mr!v>dTt|~f z;Y*~}8~bK>Fm4dLQS2tNItr_bswAQU!wQz$Z03)l3vP?dtuj9gCR6;>N*Q*SGV}j> z_%r)L<~EtzgQ-+MrJ99BBW4~5$NWm>4w+xmWc`bIBvx^Xt)TkGyn)^Q5x1JtX?D=p&>R!~dxcCAeSAtarOlkE1ewmH8V@R&bb( zv8g2PcT>tk68<6On3O-Mu;vr%aYZj^-r#7K`^&8Lp~LlWS^vm7PKyT$@7_Ug>%XQv z`MHnV2`LpCtC57?s%NOT75r)VBGxo|>KD(Sj<3)(5?_%#TdBy0c#LrFY9%wOhWuAq z#u+lI&`|Y`g)v%2sQjF1NwuFL_>T^vv5Grm}B~+78JqTLt zht`U#VZxly33i@@ni6US0rhPh0b@?JO-M{ojIf$q!UYoQP*7a}y=9mlW_16DJbjVq zi$z~Tnzb=(vxHaN8NB#@4__*{p5Xd~nWXWUC&8{i4DFb)r-3&vm(f5*LmCVokGOc( z$lyxhsdk0nD+OOgn89PVA%e%0V0X0{=Y@vMH8L8@XhMS}S{kOpG&T0OFuHcF*f_EA zWR)L$l>*Dk%}D9!BcCWENk%daMjq2#v9846P2qu)DmYDWI$>rW%;`gsiONU3Yi7#L zQ+)W%rL>T89TkQj$L`(h4Q>(IhAjo(Ah=b4Q#q-(wZYF$^&z(r+*a_7gc%v+NY)Ur zc-h@#O5L!|qMelXQaVs!WH3!X-E}m0?pr?mn+10gd<$WnEGA+jeBLRynvxr)Xmpm+ zMaped6n;tqhH(u3B-8-A3BFzM9RbGsW-t@X;Gv<=x=V0(!FLm8WRkhp87op)RAS1& zAwK^1NV!)^Pbx}zHivo{+&EMXdkgL(I1=Dg?o^Ut@U1g_$eDt(1V;%oGMId=dKp^d z*`~Y~26A(x{)Ck>=o~`I za0#z7<&khll}IU-QbvW5;l_w=fWc*nr^2OVk3S>a-h zk}_J#n4s_-RZuYX(>-EJmy!M`k4hOUF4`$IeZ8NtsAo)%!d zS|r6iXYi4me8|%U&k#J5u&yj0I_z1+po=LNh1>9XDYK=_p`w&YL(lgM26vd~!=Ed7 zp5PY=Gki{`NBFpL-Aks74dwUCQszrpKt(wRo9nw*48C`c4}YQHR|PK$u-*^+n!))U zJiJ)&62Y$%W@L~FRG-GlE;Z%a23~nX$}%Z$Qek9Jxkzzu8QipohnEXpA^7b8bE8D} zj=>|&^YFWZ-xIu&Fe8IjbF6O`i^@$|7fQw=&u$RAQS2tNj0=XgQru>P>xR*+ zErPcS{){l=f+vWo`-scuru@!MC4Af$QnpFiPKDuPwpFV8(%>Z_;$I2gA^7V6>qX(; z82n@d1&mFj1b-)ZCt*eg-7l;+^G#>FOj#VdU3N?PUdkRSiVU;l4+gJYF!5^pKIyi1A>1Ne2}nG2L0fO42Brp&!$9pOnlrSDTk#Tp~6346H@FHWpHvB zNjoa|SHZs#X80(#)eu4WznjvsK0`&?k|H|hmN?v1^*-Xc!2c+ zkbe!{+*JW%n_0mXny6-v---+-(Xh>!j>w#b?_!nvIwAh2<119|rBtNC$Y6va)m1Y1 zb~Xa>ag_z1A-D=*o-CHWs?!$XpJ_^q7iFMcFXe10=TK4jNPl;(!M*t%KCY_ZYJ#f= zI3)=^nl%hw5K`tm!8HZfBFtEZmd}7_ZeC`7)YUd`erW!jFYf|*b?CABinWU00O%u*ej&oNVJuO`@#xz7X7Ttt2+g5ms460W15i^lo|S~Q97dNb;e@kUD-H^^v3gPDv|A6;vM zKM#$!HiFvYAMecM*IWVJ1G-_Ne`XRzz1*UJcRjCgpZ1cTizu_}q1O8r-CTkIY?y zy9>UXFvE{S%u!dvkLzK|uk6IZ$K504UMW4PFnnw>h+zza|0xuUxmkky2#yf;@sBlW zuw2}f6(RnaQnI8(sWALF?yi+>aC|6)as=lJ&I>TQR#IJGgC~Sem41Tr1s4!zWYETr zHEFP7+?48}E?y+1SW15?j11oYf}sq9KYZSwY>D7f!DWOQewu&J92y=2OgVRfR|ZNM zB&D2+5;GnvUFS;4y@in0QqOat^mif5eng&3yQeN*OEVF)9o{ zJ_X^AGq`4WFpd{ILGa@Nj!R8UaZebmUNMB>o)kP$@Kc19@?7M^$r#u|)|8J!m(gS? zQ=~jig^^+9)J-)wK1@J)M)0$Ory0y$lAbfTEVTKj3!Wi(CSgVf6YtdiL6dBjDIbR> z+4E9nOPNDODT7PpUNCrT=!l#vc%I-F4aQcQ?j?h_hnDTjg69ifK$wxieimx~ATqC* zQojNIf{$A$3EmlCgpCTm!K0e^$m|yUz2H5B z8JRfWSVCleFr{`FIN2*@pOpPn7#YMKOT7(l9wvYt5d4$ig8`05_p$rg;O?RJaY*oC z!AA%yWmp-~%WK>(rZjoc$N#95U#0v;MUi0!{@viMX&(MV@G-%E23Vs!e;NE7YZ&;r zzXksz_&8xj#QAR>A)y^oE>{uTa4kTrt4d zMgprc41O;(uqz8bLvR(sj0|pUwU!W>Gfin7uIyP-&X#fx73CRhC+E&JxKp^MRRvcQ zT%9n(M{lHBO9;P)DH|VU>L7j2lTuSkEh-Ej^S`i1l)=-ciA9&a;0pxTA*{s2>?&MY z_9S5#Qy?lfcRYWx8o zcbAOrGVZ3qkxZYmE}B!uRU<`(u7{aFhxENi=Djj|1~Zah8g+$m21HA=AjI`DvwV#X ziH3m8J~AUT8{iKd&_scP$1|Ub33wPKu;#$FC>xh-0b(h*1@=f7=gd@KSqd!5z#1a3 ztP+=rIYxNrFNTNy>;I=j&}Ca_^G^2(o}joj=ij3N2ru z6)?2(@dvI(DK3s?A#$vM;|%pbS7`qHvwdue}`1Q%}lS zFmuC6l_;1}1yjagYM&Af26ZwXZh+}8hgb}hK1g~wbrw{tOuNAb4-PlceS+^7{J=>V z8!HSkcx!-%3LYkS_(>RJ#}67@5a5Rdj}ZJYVU{(aG*baJ(xkgi;BWZ2QIbYW8bgUU z5U*!xZqz+u{Da|&Jt}^z_{YezQd3lzUwk27!T-Tq3Amp4J)OLuRqRgjg`eI653~rJMH-~hXEMba-r%wuOqT`ZGH6a>=XCyo;VcJPS zw^x#T&V)umm@Z+4gqf!Z>f~{=OlTH_=OxURFz2Me?mvw2ykJ7lAk398Pr{3*2)Oex z4)&4>{etkag!vK{oD^b3gL}n<=0R8};Z+HXC@|Barz*w0X7IRBY%UhOMDXi`c?}|& znNH>MQWGBj0N>-|-jJ|N!kZLW&bnw{t`|dT`IZ?62l))LT*e9+Z_{9W@L#`!Q#C>SS``_RX__&W` zd@N&4F!BmZqd9!$yHCtWkM|M#RK{8v>u8*da59Suv-7gBh%YaapI`3Qo7VAX9jAiZ zAZ??xP1N}0>t9wB&StYIzx4M<+9GAEl+UOzz4A&+BJOj8-%9fE7lOA5-cDFg)}nz? zhn0_ch3-pJYUO$5D=9mqd`%^G1+($&&c);V8#9&-^v1U`zLT+&20Jpd^9F(5W%SNk zp586`d(nGH$HLEwmgME&N&JHuZw&CpUK#sj?5DxBEp|l%khZQQHo@vg(^?mL?Et3+iRuI?ayhm4-;e#XCIb^eJVqaPA{Snv_TOsLFAaUND}Vj_|I#gx~+#b5AoN2UBK zj#!k@(7lKzo& zoDyrSsDbR=- zYT~P(%JcO!HH<$a@aKuIDZbXJJZb^1w()<5_?$2P0`Yaovt%p9jhCNSTJA11VbwH$ zz86WjSi&U~bSt^&fJk0GE2(u&+1uAEmrAK8rG8NI3Xx;;G0;-tE;FS~oL4TF(m+Z> zDyJh_*#!e!BV&)&_Usj6uM~R~S=RltqA1v0Np4l7__%B2G?vpOIJlR5 z0bSynnsZ)(KhCvs;^f5B;r)%eb4Ju982v)1Hz$ft5}iz%7n=2Kl(;U%_}hE<&{M^y ziBBi5(iv@qNG6I}*UXH%dw2#ohvqU`$heLM)2JxZx$BMHeU}ftrPv$9wj#@`HZV7@ zG@4sfRuXlsP3iH9SK3HvE9FKiJb`S?C5-0ub~hP6{yfjO6W?BZ2lD=bn&vthJSCJf zHw*40_!h#9kBj08WR+#&7`K{oV6YFrvy?7UZll5kf{-04WLE8JMsB`0y2-d*#vL?x z2GPRI{34w3oyNaY#q)QG?=JrCz$2Fypfc`y7(ZjY=kLK+Bi+6D-PQHPZ{0h^SV5i{ zaapbxzKInr<8!^xTS6ZRksy?z{TRu@5i(4u_JS8OC1gp6Qec{9NBWnzY=h_2@Nkac zT)}ySc`Fy>WfkV-30Nh}cZaK>z<~~XHOL~A(ELUab73WDAV#qoT)(evGub4p63{kuc8iM<4X~c;OR-KOS&w#m3!hpD_H(n|vr~V61 zaFY!GD&UiaPZ9n!abCW>!f1X(2{hG=OgwG*anHzjR>m|Mv0D$xiH!c7@eRV2n=XEa z_?hIHIN13QOGsxKeWHy5$A-9~XN#UgnmN7LMWY49$QUn}P$fKp=1Q0+;YA8Ofue%q z{JcnEX4Ji8Myt?Xds)VO84H4uMvwqF*QNAEP`4^o_Wsrc@3m@rIOTQr@JZ0v27A?k$5i_VY=!T<{9PZxd!^u|y}3 zjk{Z|katWgdc;TTU1{%0TS<+#LzatVV*?Is5rW65d*7_jPxICXvR27jO^c@Ug4wmk?4;_uOZF6!PoP#$^D7(E5eQQsra?x*O6!45AAx~rNu>#XTrwFdJ|h! z@X^{Jaihdd6dA3;($Yx8Z8rL*J3YNc^j6WIk>=wxucXj@ZtOMIo)EiD>~^w@5>6q$ z7|&}oj*4?x75dV|)!|&elDI?S*A$s^v-0Q^piyB$#&LX)kNZ}_cM^6|@HYnT>s>~l z-qzE*MSm}P$~Lm6Eq(0fJi6TSZw8hc{?XmrCs9}xYM=!2v=kcKMs&xXDgDxrsj z9u|7U&_wr(p*sS4ROqile={`6{ch+t0sTYhF`<7Nid}FG-5t=sh5jS-I8m0KcSp^+e?A`O*5d4 zWV#Ct?il(LFA{vQ;7bTI(`M&om*%>< zAig1ao-J;^gpvpvkBv8>`uu$hn0HR2nKZ$h4Bb8a+} zmCu?K+6JbadAV1vl@ccS|`ARsLArWZo|Gj$opSi|2Cbpz>0lUOsy9?lg1mVQ=0gv%Ac@X{z%e znhnGCFnmntGP+0jy~2AEXD!!7vwJfEOUux&)61k=g4A15A4w5PEE!w`4G3eiolk>I zu~}lHWJ7!q{cOXZ4ngM#&lR3WoH;@9DJsl~MX0Y?w+5@9tbADov|`onY+h9sCxxbD z1*J$zv6TK)Sb^q&g5%8T6r2({rE<#Xu-GNHDPAUqr%4ue~dV<2eTmBXS^QcOsO6EP{vD{ zAmwo?3@aOL2Sb}y_gU&mp%aBZMN}ghncUOPQO?8s2TeO~Nrv2(~OSiDEW z&<-KkxkBd&eUT`iV#SUg z3!?*1-uADV^vi8N^%hH7BI$KXyf-D;y}8t^qrrMZ)-qXd(o*IhP~zS)c0{N(Ef>2& z?Av5jE5LAVQCWU|o_oiP-@~x`yE5LBv62R_C^}>@{$TLB&=vcE;8lWG6J{=s49EfR zJ~aHH&G;4{_mS|Ag|8v*!_IS`7~Cd={i)!!g4Yq|WpxAGdP4_?v)mwbqtH!6S@d8m zx(Lk=-5#6GIc=;@`z>;|%K0ofd|s8g47DIXH)l;~eS9Hjo1E=*82`NN4a3}*26GEK ze%x1rcL@HPFe8QT@b$}Z+v0iezA@+O7T)<*&UbQl(qTOaT&;htt_&(wLiSq;sN>By;(ct%Q@sT+o_$R>!2{Z4YFD#Gk zvqA1>Gm1iI*dZB*WgPimqul*sMsYBX%J@~rZ!{QxRRIRL-wnSaJpca?eoXkE#2F?3 zd|AKD{bfd_P>cIp#y>KS)8HAS7Ka_94E`b%P$vXeh*zTlzXf9-%`A5s{uQgeG!FA% zPRCbhF9@zkm}LoA*z4I#V)S9-tgjZZCeVzL3k_TENTbf z?RthjIM;{VMrd21HwF|nwwnz7{C!3NhifOaz0eLsd9xN}W|kF~^He*U@#bAV@SA0H zl5qZsKnje+PM< zYe|Z`)6jk4v2vHt?n3V-${aQjVY?m%{}_tadj#JrxF=!e;yf3dPvuZ%V$8UgXM_Pm$Pr0lR1E+q}Kf|0O&wD3RPL`Y~9bVl`bn>Gt$u|6rqxcpdmm@q^cph=q z9m@(!$}j@V{L|Nz>2v%M`bo)`Qb2|Eat`mgGWOKR`Wg$(V^PYFE0R|%uRlGeSbqM1 zfzBD+>v|8D2rd;|7T_GR0}LKg&%*-+4-#A+;K(3Ef3U$jLOtU?!S@S(fH3m}ZWs;X z3^Be^C>@51A0~b{dF6>z_n@Iag*@?)&=Eo(CK}6btcpk7NaH#6gC93a{AlrG$opaw zJJTAxJrtXd3LY!?F~SVo6~%^B#~J_eP#^es@e{;9PM(3IoGNio7`&!~ho2NYQSeiQ zc{{2DZD1Y-&nB7i^*;OoA2(UX6d6y`V01F_BZd7i$#bgltF{Tp2!Z%##ZM#8=wxFW zlzYzL9yNS)rVE}ScxHf^hutiLdxZk(dBL*<&mqi06J6iDOQP-t6YdX>#JLjYNqCV0 zAI`|V=&pLn=&xq@xV$WSzUT#{d7=f}H5_HgE5^r#n$be>uZmwpo_ADMG&73q$Oye= z%GNMCy;#Z;DX&wB<(o_luw!Jvc&-rT$GstbnfN!!$13?)BVp`)Ax|zByF%>SWO-$k zGMb$8jv0eOBlley@5xw6gC~F)Yux&pC-A;06T`;mA4pjxWi=JuBUlV==#dbgkA!|K zbPZ94jyhLbMl>7qYTYNMd=qm1r&88RSx1Ez7!NrN2B0ai-h}f*`fQM}QNpGmXu=+w zDw|E{xds8@>6)>}Qq6sC)~*n*FJx_#wVjr#R)qudFioXU(w8Q^ z97evrlC(q8*Ob(59MIc+V{Db*6)Ow|i2Y9NPO>b^i}Uh}N_)FqhEENB&bx(wFMJPi z-eQ@>8P5G+@W4>;?-jgH@P5L~7m=(1MVXPz^4{)8Gpc{+V{<^pPcjbD;2;Rz287*N zvNJO?iwbngKbyF|o)-^EJS_1DMV>~#NNxnV`xnDcr1;!@RQRvLeX0ih7u-N_L&7W^us#*@!?7x~kqOIK zrsCtSkZ`4ht0?fUjbKc%sDN{IFxY#wNt-{BgZV>}8cS+IiJ{@$5gI;eYW%J+f9+cF zapL32^CD+r{JbPDo0Yu;Q|g8XYNC`RDallLh$4p`RZbu>{>>i#Dx``}6Q52#Ryiz1 zNgb=YH8W>fsJd}HYou!-=Q=t{*+`_oU2pK_mHwPt3cf*bE5dwC_KRfTtXmuXXSi$I zh;A$TM$)R{7Gf@81f7Ja6rxstlWE*+gCEyUT6<|7s4<~R{p%?(;?dER)bMtSo27J; zatjrnL?M#a-D>dXoqhP71$PmA8(|fiR-cjO5 ziyssCj53E=Ql;(@<12lQW8&i;6+c$|W8`B`yLdOw*v~><7%z5$*vHB8AsS6^PZ+xA z|9mu_6gpApQ$%@=>4_L`oMiCqu&!;g;3a=$~-S&wuCtpm@*}pI`x9F z8%FxT=Zc*t_C>M`9E&krc~+#{y=20ibG`7gg!vK{P~a(JS~%7xW#;yFubA=4eco6o z<5d}pXfSh@M6#ne2iD%)Yv$bbpm!F_St93kI=WfP@=MUlSZet2Q0aI>_%h*d5@+Fz zd=_!;Eu#;H{_N$VSBQR_G@p4GB+kQJRus)R`FBjp4gGCbt%9D156w85?oaq586V47LqpGD^db}$#-7CP6O$%x)KMz9 zPbICDw2l%l9#ht#`R>-6&@m+I1_>J_Y@)zqEiA%QHR?7SKE9ie)E41eg?~nz8L6-| z-+gZE^>=#q3$fe8ZVzk*I`+Oawr`kD@s-#eV!tNK%Y{u?FiHCxqgOqQFY$5TivCXY z&XaU9=v_vCIMUO*MSm}P&nYx^L-@hyt%2SvdY|b1fsU5BBGmbfZWHqU0ntB+K1iC$ zhqY3Xl3e$*;TeznBsnDfu<#?qd3nlQ!N8=VqFncj2?N7~*P{}CmGBz{=CQ2evTXOe z!K+X6q5mQHnBYGNGct@iW?}thc>56dzlHxJ{5Wx@ITrWgjcETG{b@12#K)ZwT>)Kh zUEP21TUUM%+H$AiAF&5*!%#k*j;~PT7hBQTyg{y#v4>yvk*+NE46#+nhFHYAGmTyw zVsVz}vqhhCDvd?bMsEmoRngT%S3i|ba5aox7wGdu*A!igwC-oTj?UFK_$!uFOpfyf zUm&=S!PxcCU1;!9cKi{(NbtpiFEN;}fv;u^b-;;do@rM^~^)mPo zmT&mD-h%rGju7T)mJVXj8AflI>4VM`oh3R-T0tjZW1nn;tA$%2M{us-JcIedguVvP z30J+J;C#Ua24mf{D>S%WxHd(Civ{;LI2r4noWavV$R&bH1(z9&-O$_sgI@|+WT4l$P4tjWhUYk%z|%o*?*f!kkOPsgDk`%?kB$L9T6i!c6u@^W&bBIZ@_QG?_gz z@Fqeut0x&=BTUqoEPRUarvo0%D#}EU&Q!y1t>i<0M)+5d=R7Qa%RYxNk_?)7K!ieW*NQkDNjEydba2}q-RqUbQkF=0oeHmZNfhu>gL6Vl;|;;f1iwj`=YdIY`LR{On3H49_%I=DxttYp z-loGiVX0(n3V(0+jwyY@#d}xEds0?X;q8O!a8&bhjPLOszQ)IWAbyqj)#R0x(DQ}D z>O;fVg}K8Y3IAC58sh95&n+5=$uQa31B+O@|HQ1NSNMebRMuKq>u52dFg+yRtv9&K zJs#d5c%$G=gqfAl?}7n=%|_3=&eK~&Zx#I+X_jZjx#cD7zU%EiHzO_dEPNqjn~d!= zVk4HP+;(W7e`y{^hWK$`$=f0CYkJl2ZLHmgtxS0C?A7|l#8D4>@mq=CN!&@1SCNam zvHS_Gd$-G!yZYkeO*+Ydl2&Q1VAB=rB$p^nz>^`yk$+B@@n(clxGz&@HIZ}kod#mkC4}W3icOcyM(n=N5%ds_BXQ3NC|OR2ok#Q)3G)@S;&_*?2fQjb&RCC`Z#6(B9K zV(VWso(=15PROW$6hn0$zjYqi_r#rsf5fWuO+&llbbN*Cyx59ld7q-7DJm((Y<+}Z z$($YtmLFGH&KYv5(BZikL_T^$p??JQa-j``HYCbo z0F?&RUK$yFxFNp8$6X=%O3_!5W|CsxRLrW4cUK!XYJbvr)vek?HnSg)Ca!~8bJf0{#Nq91G#)UXjGR62dfln2mCO(}! z-^>;-du1C!PgOH;H5=H`Tg?n7HZ>DLN{bf@i&NX6?jbJD|6A_uC?)( zhsRVK@omN5NS+yogI(ENOns9HJwxA9I|=P2bf6Hs?=cjJCV=6quJQ4|S$HSmw-D!L z#VS1Xl-z3c72kWhv*<3OZzIjXu`VzrEzWf{{F3uL-c9)J!tWr?l#EX-$Z&TWT=8NL z-zB)a;JXR)OrwJ$8ReLB>3W#3J#-=5BjH{NJt?r3X+UJDcGWy7f z&|rK@i;>GR48G_&4`&L_5*#JWyWA!PmAh3&ISu?F@pwEdQ6Bu?$72)2@@qeMS+>C0NZr<)u5A1dFMv2OqMc5%F|Ssc^M-& z)!@7kp=Sg?D|i}V-l$j~79CjPo-@2=z^4nJA$(@QF?>{n`r|CaOTyUE^TKBfpF^C9 zgG^Y489hcX4|AR7ik>I>MbfObU~Iv?WNg>@{v=-(J74SqvdpW68JU<`kIDPSH}B&4 zh2mcozsUF$yn`nt-o0l0igT5hUnUpuFu$U>s zxG!p`xTW7RW7{krspT?O$atHEZaC~7f%VGn9pn4$K|uJpcg4RaekFM(C)#y+n7MEC z!XE^qg&=yB=+&ed`hWbVnc_eQ8RYFfHRNDLbTmO@+5hMiJT)-x%EFOCSEX zg1-~IlQ1h!3?B`z*sAnhCe;f^*e&UMNqZ>qrZ39St|eLS2NRORB-yzQ#yT1&-+xc7J zZ{hz4KTe!!gojlzo{3ofYr^rmUN|A4Lb93$_^rH`fyM`B_u!wgs$HY)2n8Q^I=({V zKy*dYDq2eVx=O~5x4wR{XNavrmU#$Mu?sVEF|1qe&OE7vO88k)&X#fx72XJ0@2$zd)Ai5!G<_WIvM)BCl@VCP3;VXn+Df}wpyl6=SvHI883MGsN zB65w`#$ub0WwbGU2(K4tYV`8U1miu7FV!O>8<@o?>AU=AV?fW`>XK=JDpjTL{07ILi~R0nc%mo5~XFdXu_^zMPhl zZjjW965~@G&2_Dft)1Zy&_--qu{V-sx@4E&&UH5#om)9|W`ebny~-d*_J#94q8L~v|cx zCA1)Vi|r#eLYC!gv;Z>+GYp=2h7UMXaF*aGVO~=%lE#L8S?K%3L>`mA9q*+aNx72p zC^0Fq4xtRQc#J-~si*si&KF%knsLvH7PvxVXNCy?MPiG^_75zkh&pHNw$;$_aV26) z#g>s})VVznCXr)1r950Lla7TAmOkJa3f84EC{0{ zjFvElfn?@RNck z3Vw<(Q$Hc@WJ&KPne={$&SXhbBt1%7 zX9JVNQR_G3z4yH_UB(Ou z9=xm!_o1N;1NxEBkA&@659_|}t zY?QHy2IG^AJ$?*5FaqD;LcLpl0|*ll9BlV!?tiWjFxeQEr$ zbqpC{e67@U*B(KeJ5)tEgl7Z%xJo0xn0Ij z9OC)i;=dQahdgs_W)a%9Si@_0ucP=DAGcTdKH>X`^Wqj`GYYKKkGLOAnAOLJe?Y=d z5)M*ed~%Djv$6e?``P#t4LyHI{9*A&$m@9)$?WZZG5C^-9zH7gSHZs#X2(rQ4mXd( zQZX!lL*wvw)9x7UwLhdCllCVyUbP~0_5WpTN_WrxE%qO=$H_AOsBB{kbyWV1uMp-? zo)BLFw;RR<@Y_G9a`32EzjtqU8orIS0Vaguhtu&D+5nO&Qeqy>z#@64C2*zMA;z1%2iZ&3Z+G5ST9uSt~P#G=rO-Wd}HxV$TPzgAagb~c425zT`M+DY&==sVHgeM z=BDK?!G!!!4M~)cBq5mslfT$u)oQs*F?>>?&(NvD(}brJ=e5O_py)wvW^~igk=k5z z3(?mFnj@4Y?s}ughCaBKqHhr0iZm}(W@c8gYi;nbUHA?k*G6z#!8a1-qdQtS0KKkU z@2a1#M>w~VwAZ+odZ$-8v-iO2n<^hqFlhte+zD4=tJnH;BHrNcQ81P802DjF$2q} z3!^2N9nSr%F=m0?qqWTGP79=MBY)-YQXt(G$lVNtc^k|A@{4m3C5$ha(r7pSf{(jL z%Dqy0QenYTmRS&wt`ST(>19Sv==kd`qmPV8Fi?HR+~_>)#hGEo10kt0Wn{^S(olv% zS6*+IZS-H?F+PYNBVvf5MPdHMP@%(w z4kyZ}lw=lQs?CE&zcs=~{2|dJL_bWL_h4}m9-t!)zA?wcqXdr@Jch9DC0w~jj4ck) zcvS3Iv5%2uG>S9PkagpXE)VsP@uDY)emu~4b2EnSpD_BH@YdKTMNbs{6lp!kH32@1 ziMUCojS1z=WNA~RJxz^eB}V&mv88L4n`**qbNu-}BjH&I(f9|_N% z>EdUIpGjVGQ?LzH|1wmNkW(=i$*gn3wja;Snk{P%Ev9NDC)2%P?6)7{D}3BsvGc^f zNH%u4Fwf*AgNwuEdRg#%!3zkps7JuqDb~GW_;(@fg~DGIz9`_B>WFRg-D`$7ALSEg zvG66rUnkB?oSEk`u~r{9$x<^e-OH#W@^8pkCgV*SO#dji-Q=5i-ZJ5@u$kO)2`ePL zO@VnR32&TDaPJu1rY{3W@b8L#PxMOCOvk?1f$)7}c`3zyfd3fjR^fM7w;I2dgD@XW zTLxf94D2TEKE(I2n%AuVc@xh;mZGs0knrz??;*~lDat_+h#AlB2NRwQch+7B`y}iSf`-V7P{jUdLjA5j z_6H>VB;g5eje(aA zLj;U|D?A`aME@oFZ_>=yvhy+ZU95luTG`p~AJgjoqjO-afV3*9`iQ`MJ3)dI_sNOfax4q12&u{FikBFiVdAT|)Q?dRtVbSIecmNg&9s4e3p z8jPF)#RbWj3&`j;^ZY%kBf75WdZZce`K6^v?i7Q2p>>3tJ5}&$g6ju3J_+9#4GbO= zn&=w}ZY210!o2&O-~9|@PYJD^XNqkswh38=B0e=W#hqpF_01Uu9HOb0;U zZQ@-sqf@UGjBf?e=ZbDYn(q&^8==mx)SYMi-{DPgzWA2nTao8ufkruWImZjCwF&z} zr`HQ4w2{!30?T-4eL)Q^$~YD7LQ__)@?pA2N}QDVprB5-FA9{*=@U%Z@tBYLMC__` zN%+lh$@o=lX5n?4f`3Hm>rg1Br;1Gzn@*N#2G0^^G^xNR_QhtDg$Jsgj7wx(N`n_2 zA0L;N8lRHtE;Hf$@JzLr&_TlG6nMk9G_JeC;5wK1%k3z*li<#Tb;B@KGMWvHuGz`c zSBdT-x+`ghzN8$rE-0X4^sgCfihbO4lhIwqH8jHU)7-U2pAe3Jo#^XD_c)fu>c~c) z80em&dx^f`7#bbWZZx`1pl=d=v*=q$E9Oz$?W=bFTg~VZD%5Y2(ObstG+23v!Nr3x zQDZ5qneH$rZHJGcK637q6Qje7UIU~{T&Cd}VQ_So@ND5Z#E%D#Cb$HbYw*{hiMFrc zJi+Q1$TjcVJ+4faw_{dPDcdzjKgpVc8yfPlgzu(wvTKUk7 z6FXk)1hTwxSoqx&Iake?$12#F-$nZA^iC%akf1*LhpYJ5t`I!sy3x zKS)9a?mgpchWhpQ#V;1WggoyrrrY5cRkr)Uge9Rf&r%7?BrK=EuP{U?XFOsTZDiyh znpJBl{)o-3khN0QDq75`*e%q3WN_83Vo|ggyjt*@0HZ-S+kIkii*Y_mKNb9$;Li#3 zmLZ2l-?6nu9}JbdUx;2OdOhhVMzivnBcn?1OH=9`_MzDz9v4G~9+wlD?7jEhR>4X<2az2CQKafe9NzTKZnXW(hw~V9LluCk%8{`O)wL>wTcM z2;VCFC*n$|`Gu%B{MqQ-`+Xd36a9@>KJV9SHU|4?>YufalaXy z8sOgr?-sm=Fkf;ds3}*?94aRNFsDUmRog3PpPc=4cn{d!ePAwX*(=-uQ#Q`_7jRI@ zAt{Hc@HCj*G^YS%hkTsoPjgz&_s$VHf64iq4xi4_a`eLIE8G2J#;cEbZGU@(C?$Y?2}6%F09_@p$~+Tf-QJbZ!RHiFy!3!|`dp}}bZzDRJK;CRBk!C7U_B^cWw zROKg%O%j_-mZ883kNsVW!QaGutfvZ26PzC4c-CcJY;eIDKFI9^Un2O@e_#UX0B6;kyU6vyu$E}qkTX+3hyMmGjU!a-lpzKW6Q#;^eVAk#C9dCcuq`8 zc2^rbErg?+;O>I22{6kf?plKzha$;!g0C0cgD_ul_<+X%vND%peA{1rjPw-WOZ*Mw z^l&j8T_^CcOa$FRSq39w>N_;0nS@mYB3LzrP!7_)8CYe2DO&!iN#( zvC(Lr?S>oNGxP`_A$X+VQG}W2artT8uDeZ`{)#{PXbJa77(;=#mrH@M3ZT;XI;VL4 zUh(&dA4@*Ul8Um>SsUF#>)Gn zt?6~_ii#I^boIs}8E?pVlLk{B1|;RM;p;8qk52LY+t^j<-obB%dl$b^DG77XA!pR% z@E&$X=a?T#N$<;9EN2NFJ(pO~*L`4ckMJ?ORPZvv%LAO2hOPx48l3Q|PZlc#uN1tB zu%d?rW)%7j&wtDZ{$t^*g|8vb$A*<{(S*sLn6Wmz`#+WOnT*eAundfb%f5MTt}{4!cPK)^JWznQWkoZ@#WyQS=*!uy2* zS19n57ou+8jQSJ(N%qRvCu2Vi79KH06&+SdBG>IV0H!oxKL*A!ffuusb9mlZ?Th!f2CDJ10+Wz?2&5)CE@Jm#1j3**mD zHepN1rt3(kE1_NxdX^@V?FV+jOSw5;+u*;Tl_iXd3cP5MArt_%e}Ci)gtrmimN@f;0i^}*LSrY* z^Xx@pH;~nPlUWBY^hV>e!-d`?{$}yFkk`|P z(zt4OZZ#o2e4gJXp|^zFDewf@vHU_#26~6_yACKkm@r8Eo#JDG$24|mr_6Vm#wVWU zqbEyzw)h4BmLiLMAV zrd7ZIh`~lz4;j)B(L+TKBh9P_y~j#XrbC^A8*a*!tNjT^NEs<*6cwgm44vlupLZL6 zMo*8A7JiTLF~k||$ipyaD5Aa6gasiJyH~<}62?+sI>1cjT=3rAZ+x3Pe}Zx1$BUmp zp5a0GW3JpyG`z~g9)CdiB;gPKiw`dEpYI+ry#Avee^~fr;g1k!Q4V9KWA0IdTTb!t zV}hp$ew;9a(l6E*U1{7Ch9{!~EjKq+_>;n?5s%7Rs3~&OjlMRNwPuKZO7u+93`wj! zJKsHR@YK-CI!o|u!E*@n(1~afN_Wo~y|y!hfq={v{jBKcNb^NdQs|yHbYHFy^E{z1 z2z`+#Ly=j4*q(3jx-h-(OM+h({0d>Fa&+r*uNvEaJ9c4n3&g%Ab|G0FxOiYziF@7P z!@Yed772bs@SB90Y&CB)yB1@&fQ4Y(;Y(`kZ z*R;6M3+#Joo2C6gjj6XBIW@}hMxPK$sar&E75x)wUUN=Cf7HNmLsV4m&=a<= z`@{GLZ}iD|ulRl9_mgMDqD~rpZkWp-Fk|6r`~jOgDC3Zf!!&r`N@5kLv^O|0RCOK^ z{FmUr2{Srl`gr}v=y_{-U>y3W=ql(RgZ};aRa+EBt`=fU0IK)c=zAP?M`ig(Ls_ya zcA+dUs~Rm{vd)20S#{&*hqKfWUsHT7@(fdUR^h-bcY@Jf!l;-NMb{R65@|*d)(*y- zo8dXxjExuhD6J!-u8ev#c-M-{%Yt%>DaVCOhBg^Gux;uQOHZW;; zKYyNvk{U@mof7NU|D7WO!+gzI+}S&4%4sa82_0Sy=3?TI>%0ngmKl$Q!bMXVXUjN; z29s=d4jU9*GsEj0!Cq{xx$tv^w;;}ow_AwuzNS19?%(-RT1sg}g-@y}QLftBw8w&W zfwVT#+6FB(DINp1qpsfQqJN=j>qBmNk+e8z@zj))lvS`>G%B|e%-9~PBNJsL$w&?c znp9D``=qB&3_!p1&Vd^Nnlkm>OdH9k%hf-*^yVCe`ay);P z_%7nRlJ^+{YF3$*Ty4h3A!Fz!qq~f2Xt212bYFhZ$CSLQ>4# zYVdQ5#G+Hb;NF67C(IL|URz<}h2LS$o)D-$a_*E9qZ1|Iycp_d@X?{?H`6p15^$EZ zY-u^vqEq=)g6q#Ur%Fg9edXlI$qx=noPMQ5j2bqlPbhZwms238kPfduEgqfliVS}L zd4K(!V64)W2)@hU1oZE72G4!L!=-}D1eX(L8sV&#rR;;}2AFZCeIm#hB%^``!;+eq zhN*)LJ}*3~Lj(^MJd7|i>g4#uq*OQD=*vPk_YtB;iXIi{gtYWztoCK}s~vC%Y;LsZ zdqj^R&2A5=NeRc4du zw5O!aq*e!79wz3)Ls5`FIC?OiHgCsy{&chC&6YQZ9)pK`4XrH|?iu6DLQ!w7_-DmG zN1jo@W&sqd^vVCcIr%&BCv0w>oEPN0NJoVLSB~x(^NsFN)raUM(JzaBg*5LZUjPMI z_8Z?6W~|Kj#sV3y$yi8(nc)C-r{M}6ubVLCIWH`d@P>ppDex5RxPz6ukXYU_W8MYc zcw5FhGTx=ZOUTPA!O*w&jNaJH)9;I3EP4rPeGrwDxetteIt)ZzDt4LJusZ(Qz=ze3JRIjiXC$xcd)xsMF)6`rGy1+NyohA@MkrT4@qMt`{-JF&S> zMSmvxbJC1U(9voOIRmiJq12ScuO!rFfzY1rE%y9u|djLQog3b;G=sF zzAX&yc&oqGP1sfGzQJ#X`xd{^^Miige3yQQ9Z?DO&|f}0-;3WY{s;05PYk76%<#xo z#~)2uxXLSAq->S)6BWMQQR|6uaPDWrYlm9TZNh&MzMVMlZno>|b{JbDB<5em?i9O= zEH5>mm-?H*cZc@l-v#d$yoWHKMUF_u6t(UT<5QmUQL|V4KJoj>GZ~i`vB`?Vh7Op~ zb+$JS$~YwBFb$po-GB;9@cr?p@r$-%H#T=f{9oe#CeJhAyRk2({KT{Pj~P9}$Kz2M zRodyZ0>8RoL=O4@;a}0csuNsOW!v}>44a3(#9SL?y=ra_$ThCTIKOpDCfSgeDYt#g2>Z zVQ6WNJIjnmhj^nYc2&Bw@tfh!!LQQ4|Gde>J!^)2(QOzKK5m*zIaf*xDvDNgOT_08 zp5XJ$Xs}dQjdlVVEoHO{2J7adY@)Rp%|kc33uLsB(Ut}u%haSK6zT^sm%GrEQ6b~H zNJ^ZPcq+UVEC3*FCm6mklmHTiCkamuIK~Tdnavc#uL_k9slwBQrw1Ipe=#MHyV&qG z1AVl%6Ml*CONld^#z$#BS`qcJe3?1jLvf+KoDOm>r^8PZObr#y>cPzD3X`}}3^&(N zQYT5BDMc?>bb-KlVss^NSN`jSP7qhg=_02q9cJ-4SmFua4n_|?!Jna<=3qH0|uwD zj+MdaFStN(;lD6ejwmwt_5c?PE)jeeVcw$Dq~w8^>cctX=Z8n7RD7BEa`KFj#AFO{ z8(?ro4~7FF87O#=;EDjpVaS>rY;f&*9v&iisNi9QnPcU~P!q_kVYms$pX%@Z2ni!4 zjG~~IX-tb%-);D=kRy&3evj}m0Z&az;n>Sc!&ih0y;t~s!p9P4jOA9i`wh)H!v|!X z(D6bi5LK?Gf&i24L^EDm<*)St8Ixo@7>rPc#s`5JM?>lPVHuNUJVJv-fmAH@@TjqA zbNtaC6FWuh<7AlwV*Zd)Oo_m_e8Q9wH~UMND&=q`6X_mGT^w=vyv5 zXAt@*6HXr8PWWW7j>7lOfhn!|Oz@h^m73NML&S^O*Hm2(ypU@izY#t**v|prcr^aj(->^BTVn*|W2_@xT_*KGA3A=)j znw(zDjL`jNLiML{ARg;?3A-iip}>+(F`W5DI7M~ri1@~# zC9{V3n&NAbSCJdl{TLcn>P|3WLnsZOD5185lPD-rp`$j+wpn~APB!O)yZv?4kyBSr zJvw?=2jvt-CFoPkm>jwnpDN=t8TDx>p{Jx|R=5U69}YLWq3A}UPbVGKdKNpZ;u$J; z&M>X!U>~eAr8Sn;gqq4p>B({KEQ1G}hg*crH5Gie;Bx|u<$;r2GlREW<>BUn&lTK) zFoU0*#(BxlGdg>;r_UGNQgo|8vsEMJS{psRj}P?)qT7gWdn}#lE;M>ppf3^~Cpw-q zZx?E`bND&J!72&nyd3hdL^(-vlIbw?3{RFzG5VQshE&mMqSHz1q4DjZ?qUnIsmno(m~4QK~Y_M)HVMKQ!YR1BekQHPEtBkVVVmK zmSyfrGcrPZw{zzcDh>!&R0-gB)fSBHG; zIw{vn=|P3JgP)(}d=`*dW|;GJc;b4>=_Tg|Iy_CRFWSilC>OZVlx8dN7i{h(DK|^G zg$nPWLgsEYx@!p3ZK8XNzMV8rVD+{Y?haGRZu5z-kCZ#5#Hje342$jbb(zMW5puFD z@!8^Y$n#M{io#5!1}BHk|9u7L3C<_X@RXLL1Qk_l^)uy<$v!;&r4&dhq{4fr8^-_@ znXuqiFBD5Ck#H9U7F1YD(@2T(QskD-tcG>HRVu4YRyi#eXx#uLc4Nnk^6WsdgTz*l zWdh{P$DH;Gvyz%o7}~{#$QUYP7!5{J-x5sCGTh+dXZgdA5Ij=wD8jtr)RZ)KWzBJS zo6utx_G5FSCEO!n3v=J}h>!*hk3nX5nS7KEcuG%16!m zHoVOrlQl)w%$6~SM)Yn=MOMDp3(um_HbkkQzTZOwI9<_?N}MLY`q~kr;tT1ifm;>7hWpK*nn_ z7SiAcCKiEu-Ow%}E*A-XL+G1C8U4O8kHzh`Ot~ji=e;fE9Vzcp(Y0o0x%Z467nW0a zU+iMBO9Jb%vfKy8_9^r6vQ+FcvC9LSk457?G}qaJ`POSJjWmVQwg6*_?!ZtDm+ug$QGi`1#3-exrXP!S-z08 zPSScxb+H$3;}{-*T-10)rP(h{d@{T=H%R44m-ui$j`=q zeU3lFHu1lR-%g%quj-+*-wXe9#_FCKa4Uqpa*c*KT z{IwiM!{(}D7rq!IF^^JqgrWr|(yDHB7wfSkx~Aw_qxix^x*lmhAW`$0A6IyaNoVZP88FmX(rJ?FQ{vl!%a7?R zNp%hl%v#mkpQ@p(MzT()#Z!f}r8nFeCOsUI*O`(UOKL(%c^doDuy-LkEt!&5?9bCw z%GpxRp~9q6T3(uouKfwFnF-rM@wmB!b0xH(z!*akMi=VyjBXNoc%3i0rRY|qnO$L) zvet&))zgRM0-z>3;Y;K0=r$o;r&EUsk*=6o&gEuV^TgA=7u1Yr>zZq^0 zesyR}1&K*}pTR$)6q$38r{{`(R`heE8H9D8n~y%huIP$S4AJ|kjL&3zPJ=}mt$Tpso!J=wjaCG+_H^;*`9jt@S?g)B zOjgRNYZ0z5jo&)a^Bcr}CH`yjOhyIegWN`A&krHmB=#Gz-;(8&Xvg00XksR`C765f zFn^x!v8&Q;#&3rE0l&Kb)YJr(%P{v4c172Ja25{A<8G0$RmM*=bjRcIE_Oc~z2$g+ z{B5Ft5xt!>pM8A378E0mWV;<^{2D&if0eOQ#x5FsH5F%a%1sErnUHmpKgI77c1zep zfl*shfbuK8@cuCVt5BW3SNuNl`;GVWZXPiHuTZylQ2ZhBhspDTF=Pwv6Mq`rE7Zyy z5&f6wzey`=$wsR9$KZ9#a0DLYsNgD>G4}rtzq(e3f!al-sAoJ5d!oo6GQwYLRqVot zfP`uk7@b&Y5Ob7arUF;pjP;LuqlOGl_?6*m1p^&!%L`DpLF<7T_lE|o6J^wvaS{!d zhtRfySj+DAm>QP}7m6jA^y~z}SxX zKW?re{-@G4!f%E<9lts5#5%w(h#P}bQc=je}xbBMS|l5#}j7q#|7iF6`hQX?=j2= zB~g5m_+;`rcnlGmV(^hA{@|&C(*&mz_O&4#%n-d3E;i}%P#e-t(j}5ErNr8hV{d^* zBVA_Vs1UUF5<5t|oFeZ)1!mPR9_X$x{GwO=l`xT1x=zA76K76=4%7I;N1v=KP55z_ zznZHgbdk`N0u$bVl5BUiu|wzigLf0#UFmQ?m?Pw^7xp` zFtm9~ABdhpdkMXPC?7A>o2v^TzKCx$WoDK?`b|=9mU0UfUTA7+5_+d1x!r2QH6bbA zCZV^4+bQt2;RJ{rJjmrp7P4@VpdD zD3Nd%1%{l{DDw^AjQ{01e}Yo+W#Y@pGcYXu4KViO<=BPI4HP>_Yz5gU?vv4|jhT)H zn~)jeeu#vj5{6M=7L8^U&GlaDhMQ3%w55!YF;d1T8cY#cn8QqqDU`aqOlMVZAz<`jjg5+9Z`SNFsCG(W~!VgN)>n-q8{_p%^4jE7Bl2LC1)lbe#hb|($bh{ z5cFepo;EW%JW8`<&XzfcCLaxSV8Lo;2LC$M$J$)M&kBByFmpXjk21O92!5AvRCieDJEGueeb1yr zJ8@o~`h7`@B`u+(?7%-z?gJC5hv#Xjgk=(zQ($JCh*^pZ?b}<2#>AvTR|;K4^uO;n z1n47^I)wMz$C6e{S`#ExZJ^IOb16ulm^3@|zWr3vXOcdr#6+8#npzTSH`bbScevGG z$XO?6Jsmz9>fFVe(;WAuDN|r7D8>D3 z%BZj!_%t={v95Ov;AY*U7_0hsI)5W`5gWqe*eF-K|2onqbKt8aJH)0g%1j8)u{0X zWn#AG{@KL?(c)9xl&)dwry5dfN~uLf)j8}Cr-?>SFr(1EC}h-@aS{#Q9}fDX;Z8Q8 zAP99N)Rj;#2-%oQ2+MP0DpM1hhwS}S38zV@Pl3-d3aKdXurUo;V*`^;3D@3GQX@&H zQ;HtRG|W7ikB*%f5pB-Q@JMoKVx?;=rwN@XcVv~LJInBXAv0|%{A}Up5NBn9dfc;J zoZYcpGqWCg(m%w_Wt}Ul1ucHiqbU)ML}*E5r%S(#_<82`D)R36a$Cx6MVA4@iUm0s zTGiU{`3JEVo4Y`G8{utWIOM_6zDoS3|WhR^%W>su2p@W3WO+XwJmZQ*rg$d7g^-#8biJe= zl$7F7#49XD7eftN&oHZ5D1-Er)l1e5wD{V{DJdRQ;chhgs@gtaH;KMk^ev>B1Ei+K zVd)*TE4y3GIDHQOfX&?|qqmIPX)shQf%L`gh}z}uFl+J;k}&Q;)}69qv>3tY9D)TO zU8dok!bdh|7OHgF!gGip54?X-F%~~FxPO|zhQ5OH1m_dx-N14{=`P+SxPB%KZ0!Tn zUqXR|!XR*tJT#f~aYZKNjqqnE#x9JF#&3qZ3%^n5S&7}pIs7}yiT8vW>{8)n!pn*C z7VwGBbOVgO`FVfvfuaYAt{}}@5XusL++Z_S-06)WGKR_+MuQhzR2-Kcmz0*~hMO=r zv_+1PFjB%O3a3Cg_96H4z29wWWq7VfOT9KPt;yrhCHJk7syx zDt1-6C-Ix%rr|d#cNLcAazgOw*b$|TZrd4pgnx$kr^L@B&w4E!8%ulPwa^dWiR=-C zRbbrHCa<31Pc{p?(0+kmv|r#iN-B}Y^_8(JI$iD1D{HQdXJtG`gAWoGHcN8P8$2dV zOgvBU3xZ!H%o0R#5kLAcHvz^+n=)m??wzI>EhV^nKx8zb*P5(eDNtYYru)yZ4OFzY>SQ z=H3^*SoD%WqoNJ1Zyy*vH_?Y=spw^*mj@c_-lIVBq0wiBNLe9zrRY_GPDoBlz>sL8 z)6;!OJ{G-N^cvEPlEf6O)ANbJfAsY5r-DBd{CR-Wl2X&%T7!${d-w~%>jbYS%$y~M z9l;CoF-+-8GbYvX*SSH)S2Dh)!RNQUh+X)iYUz#UtO@V7O>(}G^DP~|+scbDgH3r! zc|kFHJbq_V|Ijz-dr6xm{XmI9!^8qP`DGmV_oEq~h3R;<$k;05CmPK3unLdMVn^Pe zO^Dxt{n*?#3BO3#PJ!V#9}3RQUfLOvf_v znEB-t!?!HLUTp4E;in0&PdxhKh$@uSRMo(w--i0@ZYZgdq|+%e0Y`yiz110J{2oGe zri{iin$X~749G9$kT9&eY(k4rFlZ{_YzgO3VAOJWHZQxG@wJ-yAT<|%uJ{(@nYjF; z8};YHYHFr&M5IV7S zlhR$vHB|VbMDKKTnYh;Ii)UdcHg}!q>qYknbS|n9`@0OIdo}P^&{K3T(KnFh!-NN% zQ{&xe_>k~?-z5BI;kOW1exM2SF?!ng1y}mR-zL7d_}j_z;frNOa|$S*y2GS;%NTxK zK_5wXN{Ug63I=iLLzZcDt@@tM5}hqNhcp|pm?}~*O)+QU&}ni_{3#@lz7q2!=2K+Y z*gxIj9irhp{Y)wkjo$qw6-X+i#5AP~(hV;%tF69l6R{ImAy9|2TPO0{^~>-4mw# z6yC&Br93HR8kJ*S7Wl3(;oR`Dm?7aQ2{S1$yJR9y#Wyx*Gk)5fpF{edC1tadcvi-9GwZVRD%N#e^AU!lmyBCi;o0bez^`g#5=3k1I=cp+hx5nM4o@$fc&-GuK$s$C@E z4GC{jU>e7FD(?7OM$de~AO3C8?}&bvG!KsjARW3hV$vlOs)Qa-?@L%LVF`t^AS9@! zFsBrC6Ig&aE|q3YPVV3hSjPInfa?~?blqO-GS5x*n z8E6NQvQo+_Dop;#jJKo&_mS}($9Vo@@vFtJA+HuxRFi#TZ2ylu`>EK^#C}eewV8=r zbA@RDStW3Qh?km_*f?UwCJjvkQ5So4GA?R)S|$4;FSMKed+E5GnYT+Pj#Zq+A>d~$(K+Z zzT438;bgmY zel8LpCq6##3{MimpJ4oF;rNN-lf)+no)1tm7Oqb*eng1RRPkxz)5$YQpus5%pC}g_ zesY)sx}ES#gkMUWZ=5nsMRS?a>u35mPJ8UCbRF=U;V#FoKITvnm&A^wB5K2Q?3nTa(hbYCFKSx43U3Dx*LuE zZWDH6b2o{J8K?Xl!?%XfZ-tMs+eG&keLHCuhSUEIQK`Gbq!EkpH*Bttq&p?W zC^1OMsnL_4Y5df?g=5kt@!8^Y$TLquK`cHl0q?b36Ly5hzORHl3HcNltEtHecs00w zhPR#RkKbQ-f$&1ZQxcM}RCkf#_dV_LV&Nsi?;_3^N=Z#ci@Gy$q9qK^_$`~Z0f(DBZsTiL&*x0gX{n3Yr9V&JhStbasI9r4|0~EZ5 zn^JqJS4Kz~DPS$S=z0q7n}o zy&*IkJuG^%=toF1d6pK$unra?hhHy`nv@;pM0rfo6iJTO_XI>_Sx zNNLH~ACK{Ac-i3pladoK=q4^cLH{40%u-gO{y$0opOluEk^r7=GWMt7|5M%b7N{#j zpynx1FDOtiGElsMidQ$^=zWuXG`%GHWznyYR{p4Hb*~!!eTdZs!e0}%V8ZGx7PT#Lp{S6 z;@62^Po6oq=S$s}CcG1b4HCYR@HGWy1ts}?-9}?8a(onR68nwVZ^<$+^)ylXl>bIdqW~7g9q?O)0gg@Ip#3gKlXa?!^fvEH3uKi4tl{IEg|X2&lMXS8}u_4M2?y zhIp8_KGaawkylq6th}~1bM2g(`41B#oUS=n6Owp&)L^C zFsXPK{)Wvpl+;Ml>6Dnj&}9{!vS^%PM&}T5XUb?SqX`X0oMzNQ3uG?ZNla;)>*JxR zl(VIrLxm{}!O|(38Q(4Rt7uYVTM1dz1KVy7n-s+)ZSktB~D5_6*UT0;5CCzsQFQsngrAKJ?hVtC@o1^ zGBxHt?1PkI?Cm{0n<_Rz*NPY0Yi2;c{r>q%-R)lhmNv3$?8mt_YN~baJ5!>!tOe7G+$FvmBRU zd~%4fp5l9nzkxjOJQkft#)ZaR3=21<{b%?KHg}Vho2A@Bg>|F=L|k&u7^tnmkBN>%>0RWIXMd}$a9qX0F!oydpuCmAW0RJc#jj}hzXh#x9`7p^(Qf#i($@d;NjE*xYF0_Xr`8e!}=$yZJLr75}98Y2+Ey!oor~-PoFeogwxqu`|i?o}p1Bdti>{U4Pn?QK7HN zEGe_4%%Q^g%r8>a_A`cePV}LfEBsmE&k^T6I&zm$MyeQ^LdO^~Qlo&~Q zobWp*8}lm9H)C8FO!bnCmu0*{gU=3M_3l-JJ8r=~Y;J+z*90#l%$iBeg2AG75#}I4 zuYJxd_PUu{+WMqE0t{4(*&$un;8gz^J7I?0D7JrW+%6_Qp;T16=e6mmQ+ zcW3;L7C06*_p$iZ;@1Q|DTxchCc96JKa}nHPsM*G{`3Fv@yTwj@rMKdh4^*i*Z+r4 zNOoTu|7YMgi2q9b*Z<)Y6Wm7Qj|6^`_;1928~9XwF{4(z+kZ?g~6Kwd_?eHg8wGW;s{bFI|&q*)hK!mrYSG|(Ih@0t zV8Sy&I8j1v2`BxJkm61@;rSqN8kR~|S3*4sr{E0CCD7iC&s4lVk=dhQb&9Efge>D! zsi#S;PnEeV`!yj4Xkd8tX8!6M3U4I*bmEL-Mlc4D<}(jF!<F+R!_x}T zYen}Y!K}UEo+Qdjl9fzLC&J5u6FB2GrkL_X6(0ksQqrWPQ(-0>O(9?EE;fGn&7N;3 z{u1$*l4p!*+Hn-#xe_MVleo;hr+4Dd*j#&g9pqh3kN2N-wCI|r>Bg=w=iE?9+fhy@ zIi2b7?Z-j2>gy9)o!ymYwm9C0@+z5KWOk*=B6%=FW4*iD#O6WlCXov{XSi!9GRfgd zD9bBNNp{zo&@R;1Tqogr2|Xwp>gmb;)jYK7I=h2C6VFApLee3M~ELOe$;<> zltk_}{`|m?7JrZUG5_IF5~(!4W#I1>f1miV|KU**x!?F!fgdM+y!Z*^k4HcgFi(}6 zXzH*%V`ea>%6L-7G#Y$J@fe|PZo1J2!UHrz^i!f|l4k!Hv_0WXg`8&q9z0(x zc-maI3J5kgOYUsBbLi@o6%`BO-7_YP3qhMJ;aLgKQDCx-k5{|l^M+T1UXb&Izaad@ zV{x=f&NqB;z+V#nvhY`q!BNTJUNyWV;0uJmCVU}rU&oRV&lzp-;fF`>b<+-o2wNoW z4QX#u^W~=?xwp(28&b{Na^8{iE*&PZVMtM3b5EO<$P6VY1YJ}~&K z8$G;K@G`;61B{u+65NLdUl}GITOoL*;8lc~GEx$g5I-LoU3a`c^v9xCi(W(en7bS2 zJ~3fzxVxW9_)Nm*6nK>w`x58Y8ay-%efdK0I>GA$9EX)Y-IoTp;T^%|HVFPo@YexO z#4_Vm`-SRPdeALq_>Se=mBo=pRTc&BvE z64vk1c1znsjU}f{F4>8aNp3#cQ{5kC-TtjV*SCO2akna98=eInc{T-3>mz=-pD636O zNpb%eyg%8W;Hcm#o%GRxU%`n<=xB2s{uO<16kq4zs@R3^4Z+n2Gh>ZIV=KcS@2Z>8 zhp8Bwt0AMNj9N5Ue2nVE64FxR-3g|g_M;3eh9{-Al#{5iIEWtWNpV5)s8_<^>3O+f=+Q) zn^rTV=x)-wOS^_zD4Zm?YmGh}-nG|>zFu?>(mXpCg>e}M52)ocm!5)q3BG|aLxfq9 z*!q)|U!c$E8%<4cC)lwsIg2EjURNk8oqkAKg(^{Rq1-;H^beIU%P-rcL)9% zWlMjC3+N;IPSG*aj8-OYbi2n)wrL0{mghXwAl8SQ6Qs`24gfO2?eSmgS$<@K5VX7aEai%2s8AtzNqy< z>!5Qc{P3Z8d}l}~lTc29p~v9Jfz1xI|2fZ*_!aWkkP+(dZ zP>x1}n5#5=Y6#H1!tWD4mN+YV3vw_R3m?%~5hCB+Z&E=!e-+~-jh8fm67Lz7FU{sG zHrZ~X8SFgH%{?Gvl8gsw@Sdr|;6ny4|3qvR_pso}f*&Ew*K!^vQ;)eU{0D=_%{i@w zKfz;irpS4m4sRR!oa7g|Cyee~-P2P=KPh@zpkwIrj3xDq{&R^B&kWH|iJnQCQHplr z+!#7x8Gb1AN17#kw(vQ`8KszX9sSP=U?D`$m^3LgEzXtntfc2CF(Ks@7i5=Xo#5w< zZyGY8dE#FX{~~#w1Z#cfhu5Q#R}KB>79T?kguW(p zAyL*Qu#4^M#&+ArgW|A@#J(Z+O|rbXSijM^w+#MphS)0ZZNcvdewQ%cmC^LLu>#y) ztksI@ymDrD?mg4Dg()iDm%do~66(Cq{RhP>`U2`b63aJ2I3PfWUFjh8-^^qHj3De(eO zt%#=TwMPFI`el3}dY$O?fks!Yoc``hqiav|m%BmqSE9cr%?rpXc17rO<~ACC(;gp| zP2#^1|1EhwXucsFOVjpo-G@T-oS+ah7Bgr6wz zf-x0!PJ#Q`=-)zb%x$875xt$XG76+?x5MD;Lwf#I@J_+I3@$A#a=#he^)m$ni{%O4 zEqD)MMozKgjI71(594dx=EJ>L{66vf$@`}sC0BRA@EacV_(9=^gdZl(XKP@&`_s@z zU-sw`p??Yen<$^He5?TTkFlq<_UuuyRXXbn0>6rn(#%*NcO3o|y{hMr_Hb3~!WV?# zYJ?fpTwS@3t8R2gXydCPx~Aw_Mwgal_i-l}-Tnc8>=Q-T7JU+F-ghklR+63TPBx*> zV_v8up{|5_6d0JqIKHP(F?xI_?8N3y6@8lM`hjMR55`~^eI%4g8j5Zt`gGDPGnN&j z2YpO+(`T6SLwGjMl+svA6Dqv@T4w~MjI)e?Dl`-~6@Rw)bI9}I#-p8wX)~gstIbUM zD^!3tmvpYA7L=G~*kq4$oM(7tXt6(EcuV1}0*;m5S@qxA@R6Hw5Nz%O;cbMsHJn){ z=Cw7v`p+J}NO+v^c;dWc8vn@SCz!A+{5(AE*w5pbeiaN(u`2f z*}y63FE;+oranEi6Mu>LOUdhFl~Zv=-5xJ9<>j6J3ffEQAmwr@yaNA@z&H#Os)aCh zl+Z~+XA03xV=c6A8@ke@2K{`%u9DP6QddeWbaSNmK)kRy>K{Gxt~PB)Z?AQe)?L~) z)Oh`v<`F}DF)qXSHld@^b>goV--A5U1}ZnW%uR;jgCFvT?u~&=B-||F77ENc`{v-ia;w3+8vCQ)Cb+lY+X=G-$Hy%h^E>3YJIweyJaT?%zd=2b*(8_=p%HXQ-TEbQnpQ7%74| zCx;u}dn5K@b0dV06h6vu&VGWC--Z{2!8)Ub-y?hsab7O-Bv)zhm=K@$3cgS9Si-)2 zIU(hk_GOfk?>F^mNFd{+j+Z)tDz5@lAo5mEG`!yJKB68FK1uk4#F-svPD}PeEOif= z(xaJI9+om$$|F>mXxUSoiwEGVz>N1!^~Pf|rpS1l2GbLhc`E0IeZqt)Z(u(*H&w!u z5~fjL7FePjcDm7bqi1`v|5(6l4@NEh2NO+e5Pk}b40kKkMpYNG*G|QjjeHn{oETO?0 z$vck$-$wsmxa~_tFB83-G~XL(#|}~Z(4@r+@HcF3g`|~|R#9q%z3CbTmzj^3016A) zoEsV6(fod}17t6zjstwG1FY5o*6;ugvG?DTMpfp%WzBtJ{&iv4-ly_Elm9t=hFZOM zg0$A86`>sTg`{C5KE70)?@$O3#-VQyCH%RzO!q*h|dW_fbb4z*~O>4?zip_13 z_Kmb}sdd3#rr9v42>;c9qA-{!3?vGJi12R>AWHUwhr+-i4I28+PI!51ov(`fUMJkF z6aK&xva*Sl6VABIC#`J~evz=9f=^l~ z*zPd8YB>C_qIZhkMLK$-iaDJLmZ|9Lelurnm_F`zIlJZTp~I{KD}D?_N#qa1XN>a! z+ADmY@cqR3j?&alct;&DJ~uRB929>@{9*EX{BU^ASnK{Y;fZj9BNG0S@OKc(OEjBo zw)@9~qjP+Sj$&7(t8%5jTJRf+7m4v@F^pF^4!fe<@%Ru;Rj~`7E;6do;9DxI5Pegs z8+_e%?8D}22(Br(7GcIIZgpY;-uw=cbb>k6!U;~4Q(MkSbd>J>%fp>)!n@(!QAa{u z3H5@Y7ZmT>DJJv^ucuQboF<{Z30V9GtLQ!BR40e>-Nor@R3TApXn$`+X0d=JrN8i`E(B2`Vi;S)` zRF>6-{RrW^`@zC(8y{!OS9>m&S5;W6SoJZ`22CuACbe7J>K;cxG3pEK1{h!UW*?w|;s=SZAkV8nELB(s@xdn54pB8k(ojjmC^3`A zoSUg`xWP3-@8=PMM+zQAI0_N_a3#9Cjqe=#OpF$PkN7cxPeKtnAuiEX8vklYs`rY& zPyE>b@M!G3-}r@rA18ji_zC~v6B6A-<6jT_1L7x%fABv%CeC@t_(g$#So~!1j|4uI zy|>Xv=H^OyR?2f!LaI)7 z&l_Dcr0RL1Ul9EwX+Fp7dyZ1he8VrV=5v;pgug8O72+oXM+&vxV6U1}EhNwda$b|O zkPh=yUzkRBkk`$a9y$yylJSO&H)$}#^G2e3%Y+$0cw53d65b60-!3WnsH%C-gj(UU z-gnvz(m+!|JBf>VCandRt9w*o&;~N>@(x{8Q zJ~#Wf6YF;-o){9$_YyZt{DEQ=viLOQX+IjC*G8v7TZr(j!ha&JcMCsrkf;4@{KcU= z#y0W4h~FOgbUw4l({>m?F5Hn{#qSiq>pwj5wBL*$ANb$J?-sx3KRoiZKa8Ic_`Txy ziQoSp9(mdU<0l6Gp!h@L4+lPhYa^oZ`cLEcB>DI`BK|M&f0I{f0LhSDagpu(W6Fu) z6i200xk{fJ_|-clB?;g8$KhYmS4QX18=xw7;VVOMHNwX}-zl!T8Pme!T0=%n8MXe` zNOUKdF*O(`%BU^lBpM-8OLr$5T{{H7j_A6g>yhRa+w3D)s>76=@HKX-l+&ctr@~?_ z66=3DQ<+vHB-Mt}8c92y8uLT{bSJ0dC5I z_^trwq6)@2gD(n|Bc+1N1eX(L%0z#ysJ^q*4KQWgVIS~;QU*z>pu<_-?SVZNuS* zh#e|+7+D59F)k6yY#2N^MD+;4BL$BNa4Z`G81FWC!7?9;(Sq+0Jcck6RsVd~za*vw zT3w|%7lvLW_sY3X&R9AOO*|%4boU$Fj@?+Wxp9KW3!Xq&c@^etigy!@{A9}qoB z^n;}NxN@ytu88oE@v)oyO?p`TWbu!XXBL9$c}(?yQt+cDJU+k+k4cy!;c*HoG^6zj zy%?S_yipC0PsJ{*tASsvtASq~Ker%;sk2arH644RH|qXSl|MtmQxaxUV8M}fKO9$> zA44s{(qrqE{oP=@3&l}ueIQC(4 z^8~*j_(j6J=CV=@!@~e?!|R8s0$vjSvhY`k^NwZ4FdK$@)#w9ZDxL+RUlYBMbQF@* z1oyhZ--bS~iv+(R_)WqLNx$gWZy7!+*l(*i#bRmj+J{ zVc#J5E5TnAX6nK$2>$RJ&FDJ9hi8+FZ)AK+gNHAPVMUDZ41ViQ4}ULsv)~^HGY2Wn z%EJtld1}A<(VXk=@y-@GTjl&jN8wLPOL9LOoHH87!REFJ{zdS1!hEDkjy=N;ljekx zw7*K)DQOoa-mrrFJdO$c&G6eU^#S@__-^5Qh%?_Q%ql^L&jR;{@$A0H&FvMxPyBxJ zdSX#ar&+_?0W-b}pWg>%9Fp<>*m@Iqt)~9{zei6<8IlGx6Q$zJ0~s=9E)hxO%;(gZ zTK75CX)q)aqR^lc64D@qka?a`No6iXQAo*@_+8g^ug|BR@Be?lp67n)KJWM5YpuQZ z+H0@zPa3?&<#vj{Tqv?`m7Nm)mavNgW1w{wio!pRula`IL5ThpUhgc``|+*E$xw_k z-V6Uo7E%M|#?aTtPpJ0eyH994 zPqYVkBhigT?@yYwAvYOChR>ENKqB6~xM(y97 zQMEB#P30USrx_hR|FKO_b7x<&@n9{)wiJ6PSzR^mii9Se?j zu>$L8p`CEZ~{Kew?lHZ+D7}|o=y~Ld(ETt}$ z(@)N2bXdTk3wtmg^!*+G#>UNDE_{ISD~L0DGhs6ei;6ipEnMl+9hR&EC0!*c&m@)u zaRoX|m~d(2k2oMcp+Hihq#{ZTSYdKMmtx1?tRLfEBD_?18FAj#1stP+WdraY;Ku&H z^6)spU>W5yDro3V)y~bBoL`P^uu7Na*d?iwR4r);B^KZb^%h~3$l$_%?cFXRp+-V2 z1?G0FpH#|zwxQ0~n;GLVO#E>1b>vljsj9+g#t}|;vQbYXMUN6anlwv;d}PZH4umX`^ zfMWj+hg(_n?-YEO;K_s;6-GZhStRgH!L7-b08?d6lXW*OCU9y_UYPD|O-KBMPnaQg zrr3MPG6Kcrc>B|e!n53Xuz8HYy)y2TaX$^_rb_JiqYmQPF4Xpo!UGcKNO+KfJ%4k; zLrzbzz&|W{uINWd^A^GjT{Y&6%yWFieevM)g)b1kkT`D$tip(8zPbGp66jHvR?Lpl zB1w-)dYlr^!HvBN>cSI_kFZHHi-kWa{3+smUTC*ctmld|JnhOh>l9xi!|Wp~$Dl?lbCq zue#RO&i9(M*QLEdjd8;g0=Avlo36C$8iV+jl((h4Lxq_VJ>!*$`i@QP}Yk5SnMZcHNGeny=Um|smQC;$}pe0cef?+XYxLm_XRyhAyFHu%e8|0 zmu}3R9M7~)#(EiFnSqm3V~u!3`fE2{D2T>4GB(KgmImX&D&BX_&b6668^vxC`#o94 zL(3*%)q}bMyvE=hKe)Gj8~%(>*eq|0ydUZDhQy2@6mdT}-Djg<%(f7{RrD{UnXyp( zRB~#M7LZAVZLVEf5hJo)+ON`fP*X91TD`Uc{LO_IZ9dTN68@0zCxuu{WTl3`oStsi zVyEc8Meicb!z`#SH zTHNkgY1nY>0Ow~|v=0=2koYF#8Kz`w9SWj@UAWrX>Y7S8L_#wPs*$L9FEn?2wBap; zw-kOT@nqH5-ebaHu8g$Tn8T&ClG2)r9)YM$V>l1O)W(gob|S3!gtju;$!Jf5`8E`l z)>U((5>)exMs;Y1p2B?QiTxilJ zp5{^s{Ulsw0_Iht9*<(RzYCo#*IX`PfP^b3*qxt&JO4`O@3D(AQ2bTm^T;PFI>=$Q z75Un3EZ?PF_H-|hR4A#467PPjhRvnJiydEaM2tj<@KWJr#H|R<41=7WWg!|Yx?FSx zX=Y*!{KHE$>RuzTW{*34ZFEAFoN75k=p<_?Xltm#etNtbg(0{$?ZFtZgtQuIwbU37 z-ISQR;rO*JB0fy`aN%{tnYKlhC79cSHxlQ^*tHlbew6sp zE973JNT8eDy4SA7EwXNvHGvjSQB;6e`r91-)f)6}7d%n$B*MIKXfIJ=Qh|5qJKWiB zZ6{klY-MHDFJu_s?lyMIYo`TOp zOdZ6yCKv9rNZ%{rJ_+|zV6I5+$`EEd{^+mk>aHe^PJDMD?MNQ0`UvUC!bKLVqm#F)G{7*WsyBT7fE?c%HvcR>%!#Y zGZCI}p|?Ff7fX0j!c!D@^_WaKHF;W4_-S|Ux0G5U=NUQA(qT$rO#pUpKj(PvxA+yG zuvGZ-!e1cHYnN-*oMJdvd%b?QLoAP-9Ln#3;@1uEXd3f#2{6?+Jci@G`+sXKupZxi!dLj#vjR_6 z)pa!r`D^@|tnO}oPiMf0CP^D4eM^bgBT-ddiZ)BUNl5$7wf{_r=h`T3leF)tG45De zlIv^o68_-I>>cq;o26`#@*@@ARj4Nyqd7bLJ+WQ(eMfN z@e^J~?@-o4P6+7Dj$Q`@f6w5mG^DKmqt<=OWB_a z=sUgaY>D@J>eu5iaOzUe8R~RPLa@q0`nF#eR??6>4z*pr-?pY z^ckdi_+eFHuwLBGbm5*w@sjkEaF&F#DX<(uvkBge&=unR%uVHG!@%0Tf~iO(a?TMj$CAm}0A@ehuT zQ7sT&D7=U`51+*Gp5gp*<4eSsiZ3&s*EIwE9)p~J*skng@#W$x$TK*c*U$bA$8WUx z{8hrMg%2Ul;9$LePF)GX`6)NW;3ve_h_5BjLV)vD!0Qcus5@JJ#-H#B!{iK?Q)iB9 zFEzu|C_KWQerfSM+~a**7$s*k9p0LFh=-bDblsr;!Jz1cQbL9#vU~iOila%pP?EcS0e-~HbK-Y&`bM2zs zBI{OJ6KL^7=)2;IXe>Ezb7kJp7`EG`Oq4Q-3S(1X=b^TW2MKva_*CJKOLr8a<&uaSYy?lFx#zTw&IWYga>5Jk@X-g=1n$Wu|oQg z^99!T@UZx~;vXT;+q|q8@H~gd9TTH5A3u!?3-H}1EW~#b&P(KnNAa)ZljZKt5nd$t zF~N@$W=MDwW~HTvC!Bx8uJ>Z`Pl|tvJTD%4S}=Km)rqIw*lgV_OJqDF<5?QKco_7` zh5b<*4bQn!{2Km(PgpADc_}YYNj424S<#_}{v2d1^nSSaU&~o9$$MGeEA%Wf*@(=m z&d;;Rye9s2@o$h%W?uHsvk5A^=}LQReSAyG+fv@4!j}0m^xM7b>=H}c_r$(0b{SbV z)-Y{zP|ejym=9c)G>|5*Gd5^DkoPS;o(e;q`QpJ&?eAQ<*m}Y@O4%gkdn&v! zs`4-}@CSzvy)=evv*0a)e|U(BV{2#3d&scClbY z5b9Ig+0L;p&vhhb6Z0l~K_B#GKeEZ2Y`s(ay=WC`(}m8A9Y6W%!_ zG@!uqFa=W4^HYv@DBSjYySB)pzmGI-AJiu_q{hsz{z3G8>IUA=rObO{oEk}LENOpA z$r})4hOsOi$$oZj6-BJqro9dcpqx+ z=>2vFw-DM==%GY)w_`NaVa_f+CWifRv8}|mHnspkXya^y9XJy{p{>|{--&X$uSCznnvMsm_Q00++jbUcRR-Fw{9>I8Y+<(){6InM^Vs31AXr3N5!bij_rR>bs^K*uuqe4x`Z=K;3dr9)8I@Op0Hr`lyH`WvnenM*m;T` zh+^*3caA%aABf3zuAKAaoKMFd1{ieZ^iq2m^b*}$^o67uhh$eJYGQp{m~CB^7fHBS zLSG8ZRoDYNC0ycg#?AN*pKz(*eu6I}%<>FFW6;Hi&GmNk_JVx5_yOXtFrEpNiN5l^V>Aujd}WDHt2#PfIo!G2uHH3ru9b5g9lQCmIf{?t7ZH^)?mcZ6<9c~x<=sG! zWlw%-K^W)kg*IaIMzJ@E9Z#0|H6LweYSp;eg_Ep(`4$PcN|-=_QO`$fDI4?9$>GLq z8{L1qjEOQP(XeRb@TDg9$lu}K5{t&2^6rv1nI6lK-L)4~My9wlsWM*nsgkBiy4xf* zo-jt3;}xd6bctP@8Iop7x`z@UudE}nHv)Sgv9)HFYq^c$x$ebJSgH!&SgH!&$=U_B zP(8#4aSuOUauzx3Z`vJnF(TmcWZ7JSO3B3VfMIiH`q;Cmdh%E`G%)EEfKx@TZ9L z_^h}kc>Jebc)%*UOC&ra;aLidZ=vQpBpBc4T)D-%36@HEUdjtp_+;bkD*QiQh!@>j zV}tf$9wg7`K-*k4iwe`Ox_HD86IEw-C?>f8R zZwMeh;XSeMi(N*RH@MY-_(cA|onNgMv|P>#IVIxUv4VzhOb>%YO(l6!UhT7Qec4_iqVAkox`VG9gn_I@Fv0E z6XwzLYXjb75P=_D*!+2nz-9?sB>YH$mxEma+8G|U&|!W>vuiOb zRUD1J&6P=gaC=v}1wAj>aGR`dRGzW-|Bn8YEz-g$btz_((7VjwpyF)R;#0ej)MWWn^jU5fhn z39lDY8c^X~x92b*bZfYEv%QAzBWqt-4QVlnlcONmDqa-!b7x1x7@0s&&MjN&0ToG zqTfP7O9_Wk;7QPem{(cCUHLGn!<|g){5)JvD><#{s4QoD3K|5_dDh02A8oK-TPf|N zw5P(m5S;<)p2EZqH!^M7`w=pZl+lp}b3LkiHRvr)gri(|$Z8BnOXwt_vkAQR8OZqI z7#Ci&sCSXjRYErk3{wqCk}8cCI@XP8R!KijMv9D78qB<*EHM}z8csK}Szzg+GemPQ zG+l4&nBeAX$(*?S)_A?M@zc1FgYP~e7vFj$p*NlH>&N5YN&GPj40oU#7rF~Sk$9|H zy(62onCZa|Fs_K}#tJ*fKp9ub$TNc(I9r{o`EI;oiB%w@P(~3A z)fg~aK#g2_sVjCX6%8-^gc4b$vdU;N`a^2jo(2UIK3o|)Br1cYluN0gqBnZHOH?}B z>xRfyiLDkpge>zHyGat9BOF{G z$3~2BZ@$$fN6H%|Z!|qVtD;w2HXP5yt6h53q-!KyE9p8)j0w9|tJq31#)YHpA$q-p zu@Y`D0gJI@aT)P2&V|Ff;y^ssjS_B>FrEVMlUPgK<2~nQH*dAd;w>_7l{tYXFJc~6 zPmZIrZgZu_a-Iq&yIsmeDU(czX~0_S9j-iWDR8HhyQEB}!tm{J3l|M%yGxkj<{8#3 zHdW>{nRnCV+jKk`chkng-nG?Xx{C|!lrtpGlz0!tWT#&NlYExrYrDqWb}xRydkDVq z9)j=Bw>;|f@jvL$*gZq^W1=4?%}QXR5StM_;c%{neX-yt z1wTcYH%V3&){t`cl1cHvOT<1S_F1w#a7Io>T6oUknN<;9D)@Q9FA!!7v4(1DMtITb zb|WMGlIWL3zhZQ5M(&{M@T$}K&qew*(XWesgEX&YdAY9Tn~tAjbYC{FTA!X#WmhJKXpj1q9=#1aA=ht-)DYDY@Z0hYy|@;f;bf3I3iiBbt?! zlfbH{sKfr?MqkTXn`LZ~@gogBarlhN;ouIm#Np+_tyk?i^|P$4vVNhpXX&c}uG?H% zWCg)?Nxw?kL5YEjnWq@*(7JJf<)7bW{2}8{8p%}6%n5%ve43@|PQiZ*-bI*MA}1HS z`-Oj;Uik!m#3%eKx*lG-(QAQk(b?Hp>n`kte2@gcNK7PVGh3E#P8T8b&w2HD3 zwdiQy+l@n8Mq?it`^soYL*+~%)-(?LIen^yy^-j~qW34w`-)qJW~GM%96#0$exUG! zgf}rfJ2xA9yoG}upZ#zQOH<*82yaH5VZpJ(pwQguRcA-Kh3J-|4<*g8ROO>)SQ!p; z{HjZ1&OcmuE8(q)CnK7M4BE!&6D*=_MYj{(o-_}hlbVr=m0LPEe$Mku<#d~;BYm{!PNF-L=1rTMl3JEuJUkrZeBP6h?;^gd_-^Exy#ycY@Ivdk zIZkkj;8emaD%hA)gEq2|=E7S17e65#|1mCP;JZ)A#CLoTwZ33JptJCEGN*O0_t0!v zIkIwT@y@a)Kg~Qp-lg8lbSCVaC#k!n6Djf8Y?8hCg_B&o!o-s$o+7aaMc)1PP)BkL}D8~i+Hx>3+M2C%1$vt*o2gAeLt#Y=Uyb6n|URj+fUoG0ac zDtwQXf;~T3zq`Pl?&kE8(_7AkbXb{0J3mG*VL~=u}?2S!GV>@BF)`#+-1u_yOXtAkV{VqH$%o((zqZts5x( zD&cv=dH4b}!;}=|gnZ{u{1!js6AHu^iZ3G1Y>b>)8HyeL5dS5(1phHEl;XQjD8qNM znyFb;c#EkFgYa82OD=q01}29~DVI_~g$;XH2LOE*7*|?T%V8Rou3coedX=QnN0_BTAsX9i!U(4i-xY&DQuHX% zqe(08dE;5Q+Ld*7fv=Hrt(5DiFoW}t7LFSbOwMfk14ClKc?kzcsG_I;Z>$F9bo@CmoenJ8xx z9hN7Ue7;+{!=<;o#!Pajq`M?droZ5+;$w2kqA$?(Cv{JfyEM@l<*V<70^`yi;8H_15Wd_TQ$GLAT5#gjI3vA zB~v!1l0$Mh)9g8S8h41!QaR7dd4UdZs&WiHE)6d_-T#yru9rl=EczAFETfRE^n`lV z`L`@by(a#3@o$h%hA7uV^rkyqEJSa~d0WmqbeLE!yz9bMmb&jrcwfRY3Jg?TtmJ>- z{6$a1NGun>Li|ed%(93?G+1UPi^9FTMPn6y8W%pocb~8t-zrP6`FEwgN#M7nGTLIX zR?5dxKB1!fqTEjMsT&tst@kq-pUe1y2BTqT_|o}Oi}pJ4>&1UXUd=7&A^qCf8xM&Q z_(tpovEP#AbwE`Fy&Bx-4&4>*lwKH}jdC{0`JRqqz*Xec3i5*+Bf3Xpvy3e=ex$*( zl+%dq3qQFN%=uZ)Ryn`W;nkMI(r}v#x0x_){}BGC z;duK<#lmcVIo{JQ!cO6T3*SYY!NF@+T?sZL3;(##++Mx@l~C^jy-?s=SD~b4c-Ra7 zNal$@+s5>%kDu^5A+`Zo23=uE4|_X)mW5>>;rj}2NSqfSH#4;|xi-~)ZY;3(^hPoo z%h;a=LyvlMN($Rt4{%|bJ--f=aFB#16d0n^>ZZaE5#EeAkDr>I$xR)~ zLvt5e9f9BR2`wbFlyE2o=IP=B48p<~vBR9tXc|-KaPh6gwtC0s$S(+II(?@V zZt*$otXP~UBWaZJ~R0*yYJcKY~!37xdkmpg)apSg|V^!5yOc3XO6hlw37wvH@= zf&n*}=ruI0{8;ffkZ%RvhgHNuv)V|(4l>RU(!$36-Kc}yq=Ss-L3mH4=49ligqxk7dL(|t zC)^_XR?!nk>xqz>otl*qZgc!*Th;b<;S+^VGCV6I3(L%fI~@OTLOlAN!tWA3nK)A{ zJ1af;M4RHmqS;ZHDq)(0yD9K~;u9@Zvtz<^S3a<3+6*Z(rQAb>wGdyyDKk6Fa_9Ot z<7w`dbDy01=`hyV(*jFlh1rgu>RVa}pCkN1;yguK8s-~e#f{XA?C_8~v&?x|&RjW< z(BUc4({q`y^Bn)?ycnYS!WRf%Xn0me4%_-3b^O@dBECrYW5ORN&JY#naihItLOtQm zyG>$lTrB5FIZx3!7>*~D;(~$!b1_^UXX&*>>N8TGrOEWig%J6Z*c;Wkml^WOH)E2X38UkzFopg{+md7}*pI zip>fiI^BZR0(`j6!BcR%&|q+UdJ(dEIYBZxH>h(J5-Q{m$t- z?a{JP^d`~YlV*m^%*;vNLU@4v;7-qLVk|bx*&^phI=V~KGg8sV^^@bbWk&pG;ai3O zVt592w#m&1+Z;ckDB|0N|0;Y3ab6o1HEC!)EXpga3%|Lv+zOlDCH*1kPfGtMVX@uB zUv6bv!tRvyx2#>XbhWYTA@F}3KkTL$vVVow>!o)LeCujwrKag>?}Z^koYF#|8KBzbHc%{Wm&MAN;^baGinT0MrKZCD){EkpI91$)k1tr@rROU z&dSJ2SI)x44~MzaYEX0zm(xm4YdVU0E_a$le}?nTdPKgh_;%vkljmc}hIFA_w1X?t zTEtT12q{NO=}1M*OlSkr@_lO62}ilM@|$?3qos9{)|nc!N^K=xsw=}WjyJNE0=o$B zD!iNF$w|oJSjX?)6pwzK@D$;x#93owp6ApE8`hlW-U`e1>GCq9;n6-PJ+RTGHtj;P?C>iYT~Q9n)k>C(@j&P zsIsa;G=yUaVhP`S`?y$J5TkUF#ET{NrO0cI#6bT7*A*+$))|+$_vF6OyHs93d6&^+ zHDPy3TB3yhu6}N*c)8R8Qm>%OJYSesht;(`q*uDu-rC0pO1ny09yON4mXH{9T@>jfU)KXzqSAOM~%%LtUnH2*z zOu}#pbrg7xJ+@yT;mW2r@E3f-NGYSFjHbfaV}Oe4z`3E_4)&OF6pG z&_zNY6Z*KL72yd-7aO`*=#xU9a zN7owqlF*lhzG7&0et6Z==Gw%+LOkF3a958{f+1iqQBjfE)L&0z0l~5qBn{Deowk2{NVIs zMsF6qMf8t*(xu@ir=KwTXVF_l|FS1t7PdLP*y!z|e-*uhG@m}ng&4wbj_02c6Xkc| ze+d7RIE(CL6#-B1MEJ{0>32R8oo85K7PVmgMJg`>?31e84YPL&vD*3=kRiA zh5g)l{zv=?pU_B7V>$cNQRb<@!gQO5++-8j_6#{Y#qqT#%Rvt9bP+$2gadK5Zqnxi3X>j zfgzma@WNy;u-22{Qv~-Q%u9sf7&WDd)Nrcv=@#zO#Gfwy4D!j4q-BOP9d3Sy0)mRZ z;IjmuZE!jVp`PRLv~wbSuHf?opHFyqNYcUu&SzUldWr8X{zCE$38IPa28UyNa=mbo z;EM(KH5dt)87^`7H%q`v1@{wtnZd|bxuL(qL#&tVa=`-xUtutgoF1-p_!m3!K*3iD z&NCPZk`?kDe%}(LKyabpB7?KCu`qYB!{aQeO9Yn+E+f1<_0q#2=W{Ie28%BjUqL?R zsMJvD@HZChD#6u)hZu}tXNKVL%NFc};2OcTyJ0LIHq_xe&x;p*nBd`p>j>`-c19TC ze69t1r1(+dN0W~iJu6)8@T-=$uMvE$;Oh*|!UoS_jKlRU0k0Q4R`3mkcZVc1jC1~Y z3(1Y*ZxTPAd`!TcaI?ezS_0l8_*TIa3{K||)7u>0_uQB!w+o&qcoJb24aiYx*!9}! z&35QJMc*ZQGHHgp9J^LwL!B_i`KBkwf@iAuY2xoD&u}9s*z(%puk2dR5Ij@xJqDvZ zP7kvj?re9$y@Kx(d_Q5<;HvV=%St$7XtoReY-sEQ66Q#FkOCuGR2#6U=tEAQe?ScQ z!=mSkeuOmN{p--WGtb#f>+qZ}c7fQ1WO?MoFw7APk2+mvkLN|A9~1pJX+Cy}Ijs?6 zjvRl%rsOOZ{-p4yh%+GBIR)WqXU9B*pYRDw#6BbTS+aa?)?)4KkbH?m6WDWZO|YJ* zrLvxv^@3S^n&+r1i*KGUy0zM#>MzN9S=KAGnEqJOw!DZV5MOm6)0VV-O~UIE-k`v& zQ-xK%^J}pNtnn~9Z+acN_*3TqR~{wAu^iLV3@eV8>Yw?hUP8|cr6MoB(#)pC zOsw>9nA2Za3=S9FN_1<|43I6$mk4d#IAKw|2iwYMC!;+Ll_a$_*tH8oi=1y_{q;wP zKT>>0@_ZrEeu9-+RzDo&PCjP1^AnDi(@9QeI-Kpn@p8#ERVp}_6^j(bC6kZw19U$y z9-xa3&{YTM#se^r==w#uk`az|{);A&KMp^Q3n}>S6H@V=d@K|VD+=i$4gXH&t~?t$ zm@Yg+cqVb)9vLZ^p_1kB>?`pbJ|SChj^JE_vodqi!|@K!yFJ1u2<|TUM1!-j<#;&B z;hpzK_+-JS2<}0cmzwV(8R1l?$677sG|{JvK7%yNLe6x?S~#5BbfznfY(2A{QqGcc zHWl7QL#w#R7`AC-oBBB}rOuCOd9I}MB%M!*=V1oKCVSZGI$Yq&mzE2AN$D-+LMqJU z)o6Z4uS6pBabf46c#exCTr8n4g=Adv^U(W&H|=nVEA1^VmrCg;nB-J8f^YIyy71&tFNP$;2@ zg59l|q1fqlmQE$2OGTHF=G}^!>d6@qVUQb_O^yK?ETddT1r1)od~|M?>XB zwg!L0CsawQmNbMCvv(qat)7CzN8TRKkPuuWxRx-})w=z-yxvfEW>~-9Fge5J)X`xr zjN4kEO=X1RllPCO7%6;|@X^G1Hz#Ve++n!d`6YKm{u=SuiocFLlL^Z!U|kVr^f7My z_h0-0pK!g5u`+I;!3)g^?EyWJVVn!At&!wL2{%a?Pk|3Hl~2 z>nSd-u};LP5~oSLnN7@Zk1X3DsS1}jK|^TI4g|Hz8yy+ZF3 zdOuMfJg>HdvA~6x?Z%rc@dtdu12X2wc#sC~hr!Bw4>|o=PCWj@qUVZ!gfw$EQ#QM} zHaU-Ao=aa@>du$6K+-}=yc`^nhuJ%LXK>*LYo1#q;V}u1Q{Y)Nf+&vT3s1N-J2eJv zF@72sp2T;b@D#q4XHmPwc*LUcG=4}vQaY4Jeu?;J#6L@(Zx4)0j_*D7oLgU8T$aju zUe*h=7?)5~oZNlsMHfD`F20u}ye#1r3Rd3ahF6{b#t#3Q=+{NRu?LMe$Tyw-&gi#9 zzb*P5(rh~4U7^P!nAPE3*OpqP{yk~$OIt>bnFKwW)wOt^EC?UCG3DZzR?B6qkg<|R zY@x(5xoBe5Duf@pwb?G?Dp?=NT1|@u6-tF zH(3IFCi-*HUyx?8R*^S|@5Em^UTZzU>x8ct{*~d0vJ&*=hOZrOZ9_J{5xznAx5O!TM5e0wZ&!e01i@|OJB==%5x?+~IJ>`CW_y`A1_^gg2Z72R+TIz1)q=kzwC8;Nc# zdjCD?)Np{)+l@X@^g*JV>`AAEgPs1>=%%6%5#5Y5AD1kuaP>oT=hN-RXd%9(_(RF- zaZ{GSo;qCnFC6Ad7kgeFE~S-})>L>e;q{6up{SRmjXN`~hoG&Tc5>R&i6vZmI>tbw zGY{h}I=HpNB6EbSBV~1@mAt1CSPdi`<#>NvRO@KrorHHL&U~DY4G}Ri$m!Q?pWH5@ zyNd2cnnh0u7eCDlSSjgPH(Iui_sMZGQe>pkV8nfyV?;mAok?%vPxyp%IT>;?>F|1> zkgmcCdm+pDhpmjx7M~+NmptnhB`9-`clMLRVt7sv+g{(t`>kjlH>(YaE1A-T1?d(`1}3;|v;1)Ed+f28T19?mImOsi)|(M4wHXNrWl8 zh1@8D7437}+1Wli=gK)x&iQnBm5VU~AG;x3;P~%0C8n3~-oh^=9-sT^8Q8H{%N+G_ z={L(s7fHHUQeR3;s@h85zTy&B);<`6b*YqoQZA#yV6o>0L)rT~-rTxwE*CyP_!Y!? z1}v{yi*22YYs13GmFDGXUDdS?2Te?5`7U|nX zPZT|gG_xdgJt_@%IKKVH7{xn<-z9u9@#KpQ+G@B#*Ay3Cv=@n~5~fMGn*#H2KAW)< zn$SAkl~uMR;|wV?rQAbBH*a#Oz*&wjv^Mp7h2JOqe&P(0)&OOL!fY27H;!?5K*Age z4^rSDJv3a@;?}~ecygHNL+%}BZ|@Jwn=9`TdQ8~N+#C#%o#*sjWAP(CVZP`Eq8E~8 z=E<+B)W*Y)I^Wu!9gD<2CjN2q$~-BVSO)G1r11d zqMs4{tkK!%i@_8Er{A(Hu~hW)qF*4*j9FTW$;!@te`HL{m&Cp-_7$=Ubp~b-gjb#J z-YbUsHPNq&e#2;l0|S8Hbox~b$6KP`7X8j1bb4xd*XcKmeoyrKqL-0odJjXU#NMRg z1Lu1@8biKZ{0i|a$*ZKyz)X=39Ujv<27Hy^j|8taIPkN^;R)BqBd-Ku!90)nv#NPDZe?~f!PwD@VnqY1pi5xF-3ug zDF}Z#z0mT>PSJmh-eokF@WQSm|2SQGp$?6;j6~PN+{r%SKlrv|BY*FOelkDET1CO(?S#1(;e&21XGa?9Q=Gqtg^WjSGk1yH99_ z?_>~tLAvJnDVYG5Y>Yu{A)}>?Luv53aXpN1n8Ozve7N9Nf?E@2IX|Q*q#`tJ9RIF5 zhNi9XcEZ~eXM$nnBy7{kXHN$=%8!Z05i*XH(UAtLb#VoZDB&jnc z=G6kMpkBsK#A94&Y}=Z2k3kgkzl_urP+|IPodsQ^~W|HK;nd%mLcT zutI;DTcy_Yl`bnoRwgZ#6hl(828JxByL85(@Cn(Xb42HoW?EtU4~{%e3=GG+(X&Ae z)d@1X%Q%q+L&Ya_RWa9NMBhj_$*te4|LJ5|r^xC-i*c_mttzT48y-$|eobLK%W2|I z7tfVD6pIn1H5KLIOs9W)BGNrYpC$TiqcQL%H#3~$^mo&7N_@h(qR$h3KIta-m9xij z8OrM{^5FtE?;8@&(@SP=nHSPzt}V_lD-3-cZq_uy7vZOI;bMIE34QUMtZozx&mB>c z7!fYPFUfmi@4cgNsf2zKE~CK5LDi7Z-_c3^BYL^e0Ya}J%8QW97`8y(m2OS9j+lY6 zxKu}M`ZEP`i;=0<|ibErN zjo53&UPqQOOmH)iF%Ew;KEl@v9xM0;!c4rvTK3?Kb2{_Ck-ky%O`^w>W_n-+cCO}J z7jAZed;RhgZjo@Sgb5UqVL{LIZ4U2cjefTao+x+{VHOO#r{>?`#*EB(_&a6XC1bJ~ zyO&s);>K^bfX!4H(`4LDgBK{Tq#{grHs>t{9f6-AcBa^S$TAJM!KTen>Bsx6NJ2fyo;ru9jyIw5*N%2pSXJ+ATIWRo! z^rkLM4J6+Z(a(r}mNY|NiVd&Q2ZrYy|EgUK%u?ac3x9z)uS`+u!0@888!R8bB=%*o zuaM=T;|dF}IzDV2e#IxeCj52bZxClZ@z5yYnn-W%=GT)3|Cac-#lJ(IK^c@li@vi% z?fSeY_I{QFDw_kLhMSiyf|$74<9<5QWeuxtC{vH5pE&+?~kHM9oA&t!cr>kC?}gCrN&kJ6VeojE0j zYn`O^lD;yjJQeEzqi211HTu!McBw;dl)jO)LDILB7(VnzpzeZYwzRYJcWzZ$%j-s2 zn`C`Yi|Lhx`f&Kc;jXvFB-ku?i{Kv#D|6Y<|u)qi|TDyYI>8B8xjeGr5E@oVy-^S3oj z*T+wI3y{=+63f_vs=~73IzD>#cBAbNF>L$D*jGkF8jO2QB2f|cbGX(0F-(mFHx|4< zVa~dY9kX?MdB9n!tI*d~7Y=a!_;FD`Q2IgAn^5PCT3eZqEeQ(4!OriT9r>o>4-wyt zJa1IYJqXR6J=*&2TZnBb_E55{iJ&2v6DTwR@-TNsSx4pJa$3o0O^4xOF3Co9yN&aI zSUzbhzMc5?=jy6gB42f2Gqfw!T*VII6}^mayrssS(YELt8Y;_%JDYV0ClwR zPQp7AXA5Tm*1AmYd5uen^@vGB*c7p;&gSQZ zG-r=^HL~eqGsI?+W$5!NaH$7}EXS+gjd-^39O1ddnVAX-YKDg69bWu(gijFMUGRy7 zc}Eu%=b|d}MEYdWr-<%BTF;NX>Ts&F8TLYPn%L9DoIApu}m1UXiT(RegJ>OW|T;T#|*X)V`?j^Rj*b9v-JIkYDPnKnhwzAgahl{N|J6fJBt>hDbBXIHL_F1P7`~#u{C9-VY;*bof+8~VrPoIhb#kJlPIYUvmE}9J;3f2 ze4pU^4X(vRurS-<)9vx|fZ#cTA0*5IYG^+5_d`z4pBuyRu;{s>A0f?fq-Lh1hj|VU zZG+$N3G)Rn5WH|Vj0LbCb$E8$2rm-+nBd2E!&pS+35VY`c(LFo1wXY1oEDyTc)7t# z1V1DA**)Nl@SMY+8N5{R^MYR>%(?|O6JnbolH^4OK54F1(NLK4BTY^_0biO;weZd6;dX0n8uZ_hj*Zz|g2Im$pLMN@}bxV9ZSwM~Hvu ze1~N*7OTX6Bz`q{#v}+Me_}LCUR3U#?rBBuXQDqB{e{si05Cqs z>2_8EtP{On^jD;L?ULiZI1Bh|H)f^AxPBvJgN$!!Fs_MOTrso|f9L$)Hac^o_)X%! zC(q*Dt~DNEKe&=-7kRUkEmD4@!sKDqGZB7ry0zW9Ka1Wf`WMoye1#(I^-wkf8E~6B zjYh;sY?t$^oE>x+C}yMF3M>PG%?Vuj%kt9iQvQ(gCl$2`6{9N$J>TIk7Z!EGq3{Vi zCHyU67X@Z=E^&>OBNM~%sm2Xb9{zFjrSI)W=V#RhE&XynN~p%zQNGHQC_9N<>>>tezmDC;0uO=vL{x#kQ8CWdgZ3(dFiBsgGG z35Q5%MuDe66?rIzSu1>Lp}AWhSeI}MSuJH9N{cxt8K}dYKHC=hI$U%s(XB}{2PHTB zWn|Jq8+STRjS*=pr=6VkbQqE98f?75MzIbqw6Z(x2nk0@=tzNg8piu$ye?M_Jj#ul z1LG-#~&KpQAf#gXPgZP$(EBNCzp<{4wh8K zK50&WaAiz}6GV3xeIjWlTwVpYkS)xs2q(Ew^)6$9c$_Tb6d65e@c4r(%P`dWRHsX9 zfbD6bPZxa#X}-!}#$h3@%9)NgvI&Phg`Xw-Y{M%sQVUJ<=Q!S^M-2VB!p{?aK5>R6 zfd!K)!v#)Hw;_tXME4ebA!(LNR!QYF0asqQJD%VoDHluWONALxuLztxbBPN@{(>N( zpM=XOBnxo74&xQFzw@gEet`HZ$nymGRTbRN4HE=h_^*u`7%1T?33(KljWkJ+ zn?~V{KHr_|ZHi!loI*K8=Ab~%NGUABYjg<3?(DP@xkOH>oH9DRaD&mdhj3n}{^{f(KEq;jcHF)FIqD?NnM*Own zuQT3?*)h%^Vx{c$;>U`=!T5NM!#L;b+a|kk9P3wFB;zp|kJDfYmY2_YEKfMy z)f$Eti+)n{Q>2-^!-}v-FOunL=TESn=OyBw5&tZC78W-7jgfxN9j;2uPgpAFc{wl8 zVH}2*p;=!Q^cUUu{Z)2*#`wp{cI(JM(a zAfZT$@qg&}vvu*{tAu|fd^K_245*#s)xzPNi4k5a_+!DJ5N1di$+YmP)4ME=pNall z^cSRgt+c%`$N8d={?eT*t)8?_&U!gt(P7G?WtjI(Wzn$kwJU$!5Cip%lnqk8rNTg^ zre@+L_&cZ1WD7GsVWa3xqQ5s9YdL`a!RgC-MtZa8Euw!kI#cvdPTxE%(m#vdD*6}F z%*?6i2F5ZgVVm=Rv0{c#*e?E8@jG_&$*}+Cd^kArzl;Av{GYpdgdXqke>vZ%Y2kKqb9{$BVY`Tp>e@%8Z&-XFv_*v(@-Oz?X< ze-#J$;1l){zpwa)&Zi>2;P-R>lxC4{B)+lu{f$p!dgi2s1Dt=obL0;ce~|blyZK~# z9_;*c$3(uV_(Q}u+s!9)Lv!cLx<$T)_?F@iCC?0veU32Vr5eQ>76Edn<()Bi9xkVq zoYr)BF}c1{rDovOb`nYhMy@_8W;bIAWDX?JH zgBKImF{|PdSI)BM?xj-tNx6)Q-o3#hVQ4CX`jN z9S%>(E8Q6rVr&M=xk^qR9iAzOCzByQ4`fmsUZIw;)#NO3e+GPQPk5Rh8&!(L;>p zNid4Y>HpZV6QXNG*OLCrSwhCG}ctw5$?P_DyGy(Iiuu^ zro-HV_mt$2fva7p_jZi-H4?6sa2*Anq_#57%E0|Q#+{zl%6q+>v2t#p!z|2MQ03)y zVVv`$8plB0DE=n#^nHQU>p`oS*SL7krwp&~8!_wwTdxRQGu06Fd&!uf9&6l)5 z(n3m%5R*Bl1aD0>;ZaxWTS70A@|cvzsj!M$Q;P~>d3eI{3TyFQEc{8~PZ8IH1Wj*P zuLmZ-A?udn6tBAR^ssn}*JQjd;|&^?M!6UwhxWraUHPx2(OXj9mhz4% zRrzcR#k*@oc-NJom&UWaC*^%9%Sydpuw2RtDJ!WkX#++RvBBy? z=ksh({3`JuiC=AeqO_`tckCMH`&$e3TJax?|AahWlghC|)~C*%Y%Oh{iTzyc7i8me zGcyIxP2{DD@TE(8TQaSav|iFzlvF-vrD77w*G_*{inHPqz7f4a^tYsyGm?v$f9LqL zjxj+u3g0CBd*aD^HH2C%+7fR44b8Fk@6#zWZoE3ivk*hNq%yp)yQ~~pJi;7 z@e2)RzfgqXmS~>~+g!Nb-uSjl_*KFV3ViIL7dH`pb9jn%CjBn>55a#DW_WOSW~O4Y zBlac?1q#Gdpo?QS%miyyszMfgc*r46q$u(oMOA58yDEyd?Oj` zg6|Xdr;&VqAw@Zi6~*iU?o6^~r32+0B&P`-W+f&SW+XekuO(Ac(T9j`Mw&T$P*qWA z?rg`b82%PwTZ%oDEVEsHc~uD-R1e#Ye}Z4}35N@BCA>9p9y$+uW3_Si1Z#h3E4H23 z_GB4o_7w~d9h~mc=7<#nOPC`2qWgtdixr1YzZL~NZwu{)V zV!M%LAQ)hbJ97FY3-WQIQ$(kdW(F&-!ZWZ+^}{q*-ajdxAYDp^luRlrrqG?n{) z#IN{-ONDcR#6ICN;>=zc+0)m_lmwx^!=oj z;%GUA_|VyY z|B2UjmDrEOt~RzB>>6iJvr&d?#eOXI6S9oupgiQBPaVF{N{`P3e=hh7!VCn{FpFMm5;g|-iWbzfJ?vqD+jfBNgE`6ONq4std?4X5ij98=g)XQ z@*Bl(68}BEYdh&?OiM|_BmM{HFXkZ9%^I$BlmVqVcbcdi_*^$G0L8*EYfY0{oJE_^hx~)W=V# zzDsC8ff)iRlp6MS_&iIZeFX0-xFKN{g^7Y9WS{+*Ur>UevBsHVNT!dvpRTegPzNbaG zh4_}@4<*kiG4#>7+|2T z{M>MoE8kfc_{maEkuJkjdrtw^&Fl-9# z0q8eyZyzfcFPAq!-WBxNOBs^`i;c1wGFhfx>F!2Lkb!cqlAA}D9arE{bN(MS-_-$k z#|u{=wNPpiRi4)3x#ww%-R*8sEsh1G?*wtEM|W;Vb-zPnaQk zrs#V}^9*YGMN)C~`C0Caw_@R5IrquApAP%1%&B6>N|^1|on}2CYmTf3X|cd!qe%ts z6eth5QeidUho#Jw@(2|^ZrLFk<~jVi^@h$Dyg=|m!n~ol2DC)Nza;o&!LJZzEc3Z2RVmtIUUlKH&vbB1h?elWgf}QK*;RBWJO18u zWvsoxy(Q&sDeq8W!X)W;ogPpc@16HVzb|?jX=Z6menpR2_`va9){wJY_zK}Gi8CFs zwl{VJ&Yc_*VzT3$GeBUjhB(ac`n*2?%;#wRownnaN%1$^rGZ8i(_ zGvS{L|AKh3`<3~zik;4=i+|}>Zd#1;I$7&weMO5GA=c~)!`Cisw3^*F5;jQq)&xwT zs7CcG5x#Tb=gIL58zpR#@I3`a19MBbLf;RLmstV1S@;&=KN4p&SU_ea2Wa9E^pjhS zEld9_YpbkZXz?V;aeHB#u*`RXt6j}3j$gL{&9Zifsy}Le7(!`>Voh148~Q& zYddQI-1KxW{2^K4elj(B_3;zlVB|HR$LxhBhl1pTVsAILuE!tn3H!*{S4Kk`s&(Zh z(7~++(fwQrUqz*nl*Ur_r@~amVk#VedVu4l=fyA`DEuJdO^7p0c&Mw8OoW5o_{|pc zZ7Sms8O>-gHx`#yVWu}ON^=+bH;<=iA)%#&Ln-LGV^lP<$zhI9ToCcYg|`yknm9v* z)t;+r)iBk@jd|9c)mBD38SQB>LCHz0K&IDeks&D_EJe3q7 zGDIjsDrX)FWeTC9i4xssKAg$A&%q(hp;2=rLxWN&4Vni<1Esl?X3a`PlTzxvuIpaE zAJ6}PzwhUMa-Z*a@3q%nd+jx^t`wNGSlK`{=^;GCop-Fd(M?WwIX&p`R`~tK%xG5* zwuYLXQVx@HxGCtl3>pZFN{uV$UJ@_9my|Rq=~S2$IX{MRo8kOH-6EeUK1+NydFGwu zu_UU~2OFI$I!|;yY2FEyaccwjtVyNUVe{g_kHSwgLvMVK3VraMdIEQr{X$>-m~!^B zV&lMy(X4lognW-c_ZoZQqYr97qH;X zDCg6yk?18=!pdi7$QUc*Of&FY zV6-=*YMdMY85^&Cyo|GCBxtaXKN*wg3!L4}nhFcW7Ktq;%V@2@j2=9vC5{g}DjvF2 zc$x5W;(Y2jf<6f)OmJa^g=M0I3JH}Im{u`z3f=xyPItaA9==+1jp#{6*H%xgM;DXR zTW^kZQgp58I?}0^MJ?7bSDiadcIQ5OSxk{LRZcw}UT>TWGR^T8HneiO@Uw-_AkOP8 zLWv#kBdm++!dJiJcYMOR63&xwJ_R1XvN~Ca)p##({0B=87Ye^f_{GH8qLi8^sqvf1 zFw><4_DY#0X||+GC^3y|MFdtpCkS% z@mCu^g;Q*hD6Vln-O5APioZ_$_2hZYDE{Hy8*XqsSRwsJ;d6!0Bc96ZQv(sOZGsyY z)yDwM$4@iE&G;S_7T{YKjCKgD)n6PI;)hgzbdEJbEE2z1{4L~Fxa6)3;Z~=Q85fU! zo9Np`FCop~Pv)|)n0M{?LW`X{g)bF;m*Kd-EMDI2_(#^vc#rU9!tW){iYzmtyim-| zU@(7yi~HZ_W>d?Gmdm_f<^wbtu9D(n)k4bu*5+5NHoF-zy9wb9dlW^yPukj~*!jp2IlJhj3cp~K7@wt1(rO|exm6D#7 z^c*E#OgZi$?#U|0|LqYkX0`C=g}*?YX{4-tLZVR1V87_b7#lGUE(}E17B2K8P+@BAunF>d*a_0zkxi%uem_X7rt5e55(C_!{;L3XC{RoUE9|lil3xyk+zi@6CZ|j zu;+}UQj_6lm&R_!-|z{)NcvUMZ^b z9TIQGUlRV7u!90~9Cjuo!#_^%Zv6=Vif(`!D8@12TQrs@Klt(iZpM48VEQNYkwDd zS@S?^32h{_rNG3^!>89_J_IhJojWb;BnQZ8FQ)??1_{f_rD2Ixr{^AuAMpttMRyY2 znRF~5=49+LlJOw-TH09-me)mIS9-h@j-i{%v~-9Iw;vwkwwr|R5_(Wz9Re+>0gEhA zIn-G;5Yz!x1httBXP}32742DR4kcO>M|<^uN^+%@mp?G}}-N zpvrM{@_7->6`ChBpQy@LSY-`~0_E<~aHKoktXm|?wf=5RL?S|LzYh}+8$6kV}sJ^ZoIx%Jo*_j#>zO8hCQiS zVVu+Z+npFM`Yh22()L(nr@B`3W+`y5jd_LgisTj3Q=>&Fo{}2Z9!gy4W)<>MDP>a1 zsW6q7Y26ES6-{vAE6b%ON~n-fNrC6UV7}_0*LJ9KrG<52R!gaoGKmUrUkyqHYzz<1 zFR+Hjr1)C#b>#UHD=tOZE*T~}zGaUXw^M{q6<%*Rvngy1I?eI67D>~EpDla_ao&pb ztZZz?eU8&x+T%xj!nvZ)6Ma5uCME2=Iyq5+f!4?aFK{PwN(|72axRi{F&(}us%kLA zY^KAU`N~h2C3v>rO9)#g8@B)pm%7u=F5xmcm&>`r9Q1vK+Un|xg6gT^N_XD5ES_hM zoU7zqO@}v{Yc-;09u*1~{%bQeua$6}gzG6Vo>=n5)Ci|nTEX{5(Q`%5BhACJPFj(` zT#B1qm~M5_`4VoHuz&*75h}3U3$Oq!W(!@JVIf*1WwDf7Ou>Yv@{)2Xx4LrSuz1zC zNx5Ch5-RrG<%K((KEUGjPSHz6-$hzkK1QBu#gn^T*kD6X?~$-f!o3vQ;v%@DP$-&+ z8NbM$Io1amRcajaeSUIMvnVyyv+M`mzRKF)9+JI6 z_QSMW!rr<5&eYU8p?pg`;&Q=SF!+Q=B|j$lamuU|VasE*gYdjl6IE4c?F>)2`R!pb z&`-*IO6Jov`9O28K@Jst#`zaV}XscYy`U!u(%ft8m)c*})=TXQ2bl9G^J)n>}%#3jIvzMxu-!Ozy5j z1H|W!XS9h&{zCYd!oMP}oR19Qg8wAUOk;{VR<}ESzqOkGCHimCJ4mzOfNt3EkF!%Y;wOB~fdKBBqlXlq6`h!I&Xb+XiYu%s@M zx>91Mo8ot_*@|X8EcNR0cNWv#BzKqGgEDU@N;Zsz;$&tx)RlYAj%lE$l*6PPPKBlU z)cG(r7cG3)^}(%g?L@s~rO8UC#S^70?oALfT=~hX^0>%!Y(qj0o@VKK(qj-|UlO>))k&&35lb)NEnVAtzb)m666Q@ZSEny4==Er$?nfW>Csd5t@ zi_>>%561JHA#JR*GpTjKAGj`EMs_AvbjV9j%g9Y*ykul&U=@Mv^t|-kOa*$JAM7oQ z+VMKrSvpvP2jkVI=VV}+jVy?nsjDq;G2H@RD6vRlF-5)#5v{qI*pR8j`HA<$P?w4? z6JJiA7n_lf$jR_B)CAZ5+dpa(rBz6)q{hnD&VhKZEBYd0S+XXKn%&X1K%E8($sdRXUJF6E(=T13G<=jPwDFOF3D?Qxp^mx0q_lRC5 z`d*_mnH0i(PQPNA{c_Rwi+;f9ybSEp79Mmuxh#g{A<-*DKTMi=Z)P?gCG3NpWfhX} zh@0Pyisqv-ACvhwO+JEN=Se-ePq?;lT6{q~DeWm~Pn(8PMNWQRMyB$ywD62;E3S-Z zTPf{XY0pvPElJBp6s&T%BV!()uv+l*f?pu4cWExtYk1M=^#?`zCDCg{uQeL`{2{_# zb~^K+NWUU_o#Fiu@C!#r_;tZ=2!4|=-x+E7*|pV}nik%2VKuWoe8Srj z-jVRG3E64sDPg?}Ta!_EPr~~WHc()2a?!~jK5%%$f(U;o_#?p|6K1?1%gfCOpE%vw zidvtF{!H{n(khq6>JVxzZd`BunqSEHQpQ&_?D(1CYo`yk<9{RiThW_HGw2v4QV_m# zxHJBXpYT2YV`kWl?@{3gd@Cjy^eh&wf5b1T!h07x`cD$JNZ3k&iGu|s%brZsz%q)6ZNc81)&^4N${G9}2z|fBD%NSbz%uN=3(g zPeiyOenMSF@a_g9kHT)$4!6D`!g~sCBzP}_QOd{*jUE2f9-qAh?<2U0!Qf zF7OHa3T`I2xxpw>Swa4UnEuZH~{Zfs$0Ex3)~wuBjXxp{b9hIUS` zToMm`favz3JCJ7DOGhy<9O!UY3v@@podkC_I0x^uaFD~>u8v1OSa27?T?sQBdHLB0 z$01JtX@$LRqPvUkK{|#bI~?k8u7#tg;KKwTZg3V#f#C>;mzTtF^b(vVINe|bBQIn) ze21luOu<=#vkgwq#!fFe4$tivkDMzwPjJ4&d5Df99d6Sl!bb`2Ex3=t`I(4~z7E$v z7U81>A0xP*!6=udhyD&Xv?C7?JW%i;!i?w)6f?5Iu}+UUCLVgQ=pmwql4eBXwUZW( zbNCi}*$fjrT<{2ku}^1qINsr#?frj(;1dOpB+PK+=bi4U6NkCkn3+UP+ws zk;_dXs~jG8Q-rGp*9e|ua6VSW3&G)pt@D)>Tr0SaFzbfdsaJ10cJ!R=%Ejl#<4=(? zRZ2Y-1|}~pH#tQW@GxyaJJwXgn8d{vomlj&vCljEs;J~^m(GsH=1?Mv~Ypb zP3+hgioQtn#YUr-1h4g(PS3YTeU|9iqAwxMl2}G=stK86vJs?9U90I6gLIj+%cWgG zjaQ4hY(}`!;U6q7o+J1w!B-RJZOzQD;&L?CINsM95Uv$|o$%|4>!HBwIy>CpbXR*< z-za*n=y|)+IpHR!4>5Ya=$l0^Ak9KmWi?uwajjvY3m;iO#3BicCEP;60+SnVb-J4! z{x;FKi(W#SEk4)+FI024g6c{P*SW*3?Z?FO$(^#6%DRgd1C^{pD?4{2zT1U$Hf-`9 z3CkqhYXS!MVBHjqtGmyI4_4zq_=M#W?w9ZY1r}(~Sy+XORyX>C?)+%|g%8PDA?IN_ zOc|U3i*eEAaqsI#TzhppPlQuFD(x|8kDJDYg0Tn$`s~%;^Mq^tZ?mGkw5Oy!O-(U} z{gaYYQhl1(vcjzk?Cz|T^{lMtXz{udI}>kM<<92k6h0L2fNZkBxQ}1wN!Y63al{rvI_&>i^3}s)=7Akf>KQu(ph-T=}GnmeO>e$qTeLV z_7YZta?&%yTh4d1K?rY)e@FbgjB zYHV7g^K19M*vJqeOy9`+R^BG_FyaS7E!SWw$BN$JJNF)K60hZZd7I_^@c(&AETm9zu6W33sCT-KDf8F^tkzji z3BVCzn138Y8(pyR&D$JCah2^J4Mruk| zU-x=gW_Gl^W90Rtr%XOQ6RRxucluDH2Z$ahdJt(w7tWHGj)CV`IGkf-j&a+u)Zf=3W$RuYq|W^x_x&b1ryCw#&Qa!!;pk`Awe&eSl< z>EDe$N%YC0Pa(~A#zbZ~)zLA}@vu1XX+lQ}9Yd5MM_E2CobK@Dlf^a&X9ylE_)LR~ zYp`(GIER1UJKp2*g3l71FgPa@O{@hDS6?2FTqw9ma4}(~H*RKydC;N6`Fa~KS}MLw zd^vf$s~KT}(}&ybnJBtKbfwW;cs4UsIlc1C7?x_$HKHduot2NSt>E;J#gR^mt`%Lk zE1erAJH5r|DWa!}uHS`5NTxaci_z0XpDlXEu5?y7$LU{1n8UIK93s-klpo&lNq7G@obmKB=IKLFDWizsa@3tn+EU zw40?ZpvHz#E-cHfmat`o8?86T6D^XlSjH_hn4Mz=Q-$`3z10P_A@UP$lW@C)B@~!r zVx1nO_;82gD|d))5bhMdRQO%QnQ81?*#grt+&~hJOw+vxCK^t#D(?NhWe<4$0R&Xfe$*u zglRpPh~a#e1?frgPlmr(`OtXGdPB4rSNBkKS!L=gz8CZ)*asItK3Qa zjX&WNR?B%_&I{($)MH3TabX$fZoKHuu$p+Dm*lLGvz88DVCYN1B-wJVVE?i!FWacD zSEQ_y@+y_xp=caKc+Kgoo8t*y7yX9lH%aqW6cuaU7bc3m<;HTmjJIXHBja5&QX>G6 z%)@#&&g&J=@t%zLWo)3qydO&;VI?Yu4_F@I4+VcD_+!GnV#I54F%}oYz5c|Ne%D0h zQz@TG*+_+nL-osI-0aU?xO8z8zL4;xgs&(lim+NOMngHh%!;Dli2hdeCelnwD8}-s z4&OO{qVeC0-z@%zUHEdYzxJc^wZ{J>evA060VyveD-%}t%2wh2Gt6ZRF|OmuV74e@JXq9C+zcGxFE zQF{>EQfw=-EcR5^h5a4$|-s;l>#19ld zh&)e_;&Bbfy0FQF!4if@7)n7eoH&)7DdRYIS~iG*8YXABoDp;wsFJ#3wecPA{QYes ze}ecE#g8P16i4L@DPyIaX$qT9(1^m(iQ`=9ybcG$CybYJmXrh)<)+*K6q`3Oq6*w; zd}%yQp`0Q)#dP+;kE!40<4^AnOXYGu^X&?Aji>a~m6WEcLs zMm#pQlQ306Jq6whlvN9hQ;Vceb7k2NQJF5~Y$-FSsIe|JRi+ZtsjzMq)}?iChcyD7 zEAKpc=hI_Oz}zD%T;Oys%Qr3*eUa#kNh_k#QAD5V@b7GP!6(cTJX`Q324iR-`Y0TJ z>*5GsCirr}R}i)wDL-84^g_##=7_#Z^wmaZVukwbaE;TO2gPGwEBZRo*Bi}xUskxm z>1VCpccbXJqUSk{nnilJ$?3Pt;<4w8zFG8wUFqDg(CPP$UL<<4=v#KB^TVx9Z!r2c z(YK3UvXjn4NbYd@_VO5#J4G)Qeb=sZcDUQ=yNtd^^fJ-+?n0xB?LMa;G8$Xw(<6+2Mf5t+ zuaahFKe;^Aa`MM(&L4Ys%rjmW|AzQC$ukSUTQtG7FtDxkTdu6K_vqVF-jVVy6=jpf z1?89^h;i)5CfB>P^p6;y?@4-J(gsRwPAo}OB+&$ph9$Jbg%8}C)FOuNLs=im`j}QK zAHY)ZpE$hM@_|nUe+?UW308{H@?kgqdkD z>12oRoIc)e!S|v!i~hlAv~gu7!jDd`og4%5ljtp?w;IiiF+2S1bed(1zli=-^lzkj zyAnkc>a<}4=0CWS{X#s!HYtBd`I8C*j}~|IYHfG=UVA0{CHimCJ4iGAUGQ!;KYN zqOqrpMl$xI!TVo>wNyf5hnHC^@7{v<5!{3@3(P3DR3I5Qb^H`7wCpRqnegVsdF(2z zZxvcNyzr!$5cd<@QgAE6@lBaps1iFzxbn(RG3>3Sw2{)53gcbD3GJLd*+O%G==P#J zkZuGTGw`vsF{0)`7nsHJ6FN%hB%!kjXfm(EEZU-QkPCMC5zayS*1yW&08MAswSdBjfBOHP`cbUG|T zm0`w3hO@7CjaQK=HcMCnUDX4zrIQ+Dgw{ivN3C=gTq!RNak92s8O}{@%aBsnV z2s7m)A7s)GeVyO%DSpN$94-DB@%_j%B!$)Jq3!SROIG|DAb6nQK?bAPj^=%bM`Xoo z94vT<;Gu*WhiK|S>!D^5hU45hxN&rb$r&zZ1RdVpWF40GoQwi2)|GYT7i;S}LCT3z zMw)`1R}TfCa6N;MZ$}T^C=U~cU_4K z+f68yP$r?A0$*EvJ+iYm_1c=?*7J776J=G%s-&f8s=_Se@}iVf<g=30&&V$F?frWpXZ;bA>tBCkuIN>Rw#wPVX7< zJagn+CFg273>vx$i%ZM3HvBcNY_=EYwNkE=ay=Dh_sK*h7J|9K>D6{2H;SGsdLC(} z+vF6zWp8r4^9?aP^M&6md;xKW2Q{t2)by#a(3PjAM`e+e#Zqpe!t4wuK%+GFopXMV zWs$#4{O#hGkmqg2+@Q>Ghr=)3jo2H_zoE2KP3MM;Cr z3We1*9A)u{JAW3%YkpMDV{#s+lPZvCLq9xlPq;DQ`*@ZoWjrP0X&Ri}zzfgab(VK{ z#?1_igq1R%mH8Y^#&1qqZCP05@RPIRX;uqE=$@|6#dtJsGGTx-Y?2wnAXETDs zTW)3ArN1rf9a-gRE2PNh_iNM`$Lioq|cVETN_=JDOH#kdG2z+bV1shL;&a}c%uI4C? z#>0v-y8%g6ES}pKkI)c5p<NWT`d+2)i9$y`~Yv*@_&2k z0F88jy?6k<<||W+qo-oDv0I;5jP5OKA6ZRk@j|h+N;!LknmT`)6;}2Y-%NaS@&|z5 zH8ypo7_+QLxA0?(vdG;}$7rczwBj-N`o=Lh2negjx^RvOttGUP(AESLd9dsex(?g9 z&^#^P^8+Nbm(YO%(-yXzK=nQq69>98`$hZ-pU_cGCpn$zFeb{e7!#iIaFFwV9~#eb zu=p5SyGaQER zQQ>fWD^HZEc8VkLQz|L_*&rId@YBqYhVM}!9p8E}YyU9}M8dyQ_}OnG1o(tZ;aS47 ziSu@#O92ZppcgU6g%Q?(pDQ6xLOun?6c+#}$HA?O`8Z2puq@k2lT&k%-iowH|49B_h<2nQcpD;|ya493G@NLC*1{CFRlH=XT zww8tyWSl5tBn=LJlQEG)vH}KD>lqm3YHw3dl6tb#Q>bbLVj1$2T8*+m7Z8#*PJ61m z7tW8@cADJLa>vkBNv#IUIaY(u<@QQ)l=}5{1R+gD7!)cJp|)QsHI7%ZW1< zZ9;Vs0*dwD(Weq7xSDNM`-xI3q*hX8qT1PUQ(v1llTyOJT za_Ux3^CPUhJ|1DZj&Qb)FoQ?ny{o9^dyD5h$Bi9*qj9c`^JJV)g9*Q&ysDc0x+rH~ z;L3Y83j9JT7fHF8if#bj7v)b00huHGD&bcX*VrX2!H+JT)avrdaE)u%SgN>I+I7;d zr^ZyF?c!0U(CkFiIO@XtacRWY(|6MMVZC1hjKF&}*(PUl+wdZ*~6 zqVFQjpchuB3c~af zsq$6@7V||`@|Fwl4T%^1wuE;iyi0*`luQlVSnv3@OCtWB@b`spAkHf;t4GN*eBgA) z9+Cb~^hcsUCT$mh@*IareB#Q(b^)JC`Ao`2Dtrj0R#t@1o&D$jc=#{Gekt}VvKIZA zZtZlwMgKRVzZJcSG_SM(3#B3K-#PyAyZ9BK@V)TO!haynu%lqEX8_6JM_0bRHHPOW zDO;p$rNRV_wKB0TUNZdb{KShQ|BLuv#s5ZL6|Vg3tnjn{+xB*0H~gL| zQucpM!Dd}`RkwTY(fDXo#Ty{PdW%d=qxzN#XQA8YK= zp(gDuX&*^VC^3Rd%PUX_z!J62_v#QMcwh0X6;r=b+JWfUwi!@`An6ZVtPQbH>V zyd#yxSgn44hhI829=)~THiFv{R`ybiY8xslj)#JXA0WKF@D9XvOV9#en^bTPbY+tz zkd9J1N$E_5_Z*XjkYo>XI(=R|!NH=ti0(>S`4?uAB``~_G92Q@P#crfO-6SaJ!tS@ z10N1`cKXZs37^nY>|tULC#!lEZkQea2zNT#{puwrO-?!;hM)6q5+TFs-?r)msGNw- z5}j={CS%}*oa6LE9plyJip~?APnuU-Qipc|7NV>QN4oKX4HP;`MsFE?Xz+fOqr(A> z?|mKLZZk@b7JiKIe#9+>BDGD#uC(=`ze|VM6%UX!P|_euOhCB3_2F2D8*PghJXr7$ z!9xi%IhQ5sF_)q!9OwMS2gOSsCVsg15yn?1CZf1l6pnZPpHm}$g7_1~k0j5))FjYl zILhIDt%L3)!6yqo#bB)FSRGDv_=2@D1enJO2WAS2}` zR7Mc{ zSstc2JnqtX@aclj7CggXq#cZYa(FlE>Nr>Md4kU;%#bj1F0PmuE^xlD#pQ+KFA{$- zdB$ZbGiSwOrW=QwF-yj58JEyt&Va5zT}j*oTsP&tK`r zFq_3VN5)k$uBO3zRfws$Rme@kH7@+H3BThLu9a||gzG6VcjhH9>Wk1R;!0<`h8v~K zl`@YC&ryLHxJp1bxv)GxUdDV0H%nMRfys0VhTmiMC)Xnm3*FgvZ*&&PSuE!kIt*7) zp*4htTU{AyV^?mIa=VlzRGLBw=nKNeiK?PwXw4n2?KL%?=}u`&rQJo1skNj675mz7 zx8q0dAMtyHFB5(*aR#gctYw zhbi#BV^6P&dPVUgZloO&Pw}XX$7DQCgXyZWJb{Pe38yox@cX3br$j$Zn&}*y|7!8Y zXPlpQKs@?N@z08X&UhRe4OAhla(>g$$gdXvy!aQ$E62e2%z*Zo@S+QcSsCFa32P** zrNH2$xgL#DFFSp=wNtzzdY$N3N%IZG4KmOnKAE+m@S02AtyTARNpDDclTtHCyb1p! zzUAUjyBTjwd`IHD6fKiQXC{WYl!f)~3^eCGIq%Eau&aa3_3+ZF4j;HP+MEyNd?e>% zI!$8$u~}^bnI0dMPh9I|+NaV!leUo>(@JR~QHv8HSNYtH9X4G03mIR^_=<*IkU3ww zbC8|o8#&*~*+hq_zO1|qgRCp+D(b>_u8g)JAm2;bEae9(R*rD#N0$cKd47_#MbcJE zyc*0K;vUnb)!}D1zOgpyUu66$<2M?1HRk;8&S7?zZF2sQ^Cz9AJPVrcFioc_!5veR zVY_P+?M3*Pw7;e8pk_(vf5d-W9AfADS7HOCcC6ThZ$-t#`ig2aBc&4TZum7-!DwQ+ zW<&gh3WlWJDKU^tu)An`xHinrwWqX3()OapXB$g5U;(SD(AfFDcACA#?<2kmc|Lk* zxQb|i%<5xqMM0sPMY_Jfl3{}g&SQhJp0LLDWeq)d#6?vPYL@wKg#&l;@gOC zOP+a0B^uGOU0qdZ=fYdZ#2_6Yp}m9-6zmNal>=SrX6NWArIVD-RCpDI3FJ@ZMY!&R z-1y6C39U9 zM)ZZyV%RFNJUFIEp_k?eHx^lL-b+TBjC30I1elZIPM)15Q%;tgY&wi(zKhjGljFi* zYt+n@kS8IZ0&in#%K~(WIKRnOAUR5WZ}EM|s|;9$Az&D#<#;zM10F5>7~%bhbG$m^ z3Ppsf;`m7Rckcwdjsfxp${R#asik^i0%MCXXv>Ai>_mel43RLD!Y^;{fm zXBsAPxWo|@c|p~f7KBwEj(42fgYpwj5PqWYk;ECW)YAN@w2X3Lip>f*Ny5nzPNBf( zP>*^z)#-^x$HSi{dbH> zVrQ5rqe4a{4aRKMgb8R~N8Pl_g#k7wv|2)qgh><_SIB)ZStPKPB9-rMvk)bP*9xyA zZr6=omuZQDVhjbD>{cHO)f8D%W!2N-?W>wxfmArn>Bp>wI$iYHqGuRAxwsVcIZm%z z8sq3((dUUipR{G6Jo*LBA7^2?Q2a&WFDB18t*S4mE5S(a>M+xd*DO4K^?sk^Ta`GM(?D-Qe007PcFu&6PHfn%zT`r6yzZIXr?lxs_(td|5ZkT0qN6 zELdS2J1(O&f1yhmCM}Y*Skf(&n7V4K(KKHjZgu=u>%O^7`0c`%5VyA#ULvJ)E+Tsp(f^Qff9Bt1@vi4%R^SSXWK)F<5NZ^{2j z8BfW0nnqI?HHn(C@(MITRN#LT;ThKotzl=Sv}dI~N6m8j{}ETYIL1P_TH^B(U!chI zG4g84(PoLJmC~~CqHCv{_L8(U($-Srh1FuUm`a=w^%yr+TUvNU#yT0V(y*t_oY&kL zVP|<=&Kq*xq{G~=b}Fi#%naUg;k8?0Qg~a!I}+ZdV2=W_el+{AP_^EzPIj92WW6tI z11%;~Hs7EUO63Drp8pJg!6$quDCFgHBJLoW?3b0gC@#H$}@9je4_4pm1@UMghSeyy9 z6MX9=Q_!APF(pxl9d*KP_%Zd8{QABaT@CRQDkpMwr(>yVr?rP$$6L_$l+{SqUbJ{i zFfK7aJ2ZCsDC^7FTl7Ann~-J~d>n9w6)|iyL}=>jqK&*DT++T$n@Md>l{u5<=TA*k zVq!`%v~cOY5U*)JNi8L{qQr=sT#Tw`MR9uA--UN9V`?p-jfA!oct6=VhrOIJw5**Q zy?(?W@CgUVXfLA!4L!XGSQQulJJ5wi3uBl%O6Vk^vk3(OjcpVTa-oIwy&o*0i-fKe zm?n|8>Y@*EzS}PfP=nA-e0T9Z$nzSwPZ+F)Z&Xn5ooWieD^h1f)Qx20lT4rPwJjoa*pdmhqn^c(mX#gqcLq6sjbBy7Nm~$IzT1eysR2jYo?H ztKDIo^A*;jF<$&x;uGX~!RVAIszfA1DR8Cm+<1yYDMeC>siZC#P1MXQN?d5UI0~f_ z$|RIi;LD3?Gz(oQj-O_UbE5DH;g!T0B#gSjW|-J?H-suzS~Q4fsFqSAWfBzzsS-6v z4f+l)46wy3k`ihq)KTC=hOOqNVE;a+5B(KC;uEHbo+`SYv|T`UahT@#7`uS!!p{~y zgE*fqtpOBj>vuj~=eRk&GG52IGS8EFK21I&sZBtcm@aUGqjC5N7s|Lu#>F&v<=P2~ z!b}%d*jsXzgxL}c#AW>S1E_|*ufwp;!ymIdf8x?w)yvyZXL632eTGk<4>G-!c zCUlPQtAt-ooCQiQVu_CL3cQZcql(!^*SL7~fOtXI;-{J6I(&}`*W+7a6-na9VYzb^OE}UuayzeD!mhb}wUTZ}`ZTQjIukFGA zN$eJ}TgfuTR3r*35j8(Me!hj}7vaAO|BblH19&QmSxKl4zq`_Pc#O?$QvQ(gCl!XK zvY;Ytceb^)djBQ%Z?QYbGQY2`#B2-Q*MHpTJ0>3eUl|RGm=OMhZ>2FBVK@9Ml?d_; zZit^y@esVb!-criJsjR-{rP(eZX|dw!VHU+i9^+QVrcBfDYjDF-ZJ))(Zr0&32cL_ z{__ToE`=QShKt14EdmaMG5+ zV;COx+)jie+!UV z2Z$ahdJt(o;CMU=@qfoU-pbm$2MZq}d?;}q9D{H00y)mC1T4|w0ec(-5hSQe}c>tWsan&cS8ZLc$CAP2FBBzgr8=Hlkq(&oPuu!s<4)w zfT!Z0si!>G;^#EcqeYJ)%|jP5b3NVRZ*0AaGX#$nd?sO~_*&&R$aTiKF~|--UdCB6 z5;SM1FE3JBOVhmUO-uXnoOvjxu}%*4iOO?5cO=|NVsKUeg5qR%JI*eR+l z3>P^2kRAC#u@{NGm@JQ+#FAGSSmktUD=Nc z@}0i&}Ve1Mj946eX3p3BGHRQ-$I(@@Yq_i z^E9`*_>nc1+$QmMiAyN*brdizoNHj;v6G)1FY8Y6OU2(s-hzc?sGJ^c!MaEEGST;v zPCaZ~9W>nMIHz^+6P63VU-$#Wc@?qZxAQ6e z!YPx(dPnEm+=usszAtnGQC@dykRRGpxKKfD_`tPBQ{x#vl=hLdkE!wgVgKLSWPJrX zpHRH`#HBlIlHjM3K9jVO60aI<5PUIWrCJxZTD#d7626r16$Q&~wF?|KT>sjoEQ_jd zBz-Gs6D6kkqT-2(3T%ky_%XIe%lE=J3;)6KI?XTp(ebALjTinCewrD!;Cocqif=uy zm=wtlqwq6+NWFP)%#Hjn;(rzY8+ko}=mbP7)$fiEDvS6w;eQDKlQ^>j9KJe4ZsGXyNiiJz32!O96>%oDP+gcB>Z& ziN6{fk6?;^ILL(^HnQem30)*~rN9tjY!uch3Wqqp#OjpYgm)L-gE&(TMwKTMT%*?c zwwBlT6n~ib!^!jTm`~57bA;o6*(A|k!qbGO6X&D&KgFdCmzd}B6EY=bNy?_gx?Cv+ z;UJgi1CZm&0-HILD;+IBOSj%I7)PH(S1m(vWV=Ldzf=%lq>0$ zJsd6N7%Baz@VYTjmwl4`9dBS0(FX`0D0~ocJzzLEMngG0xKX^|!J>zV9!gq|Z=$Y* zEv?5nKhhrGVd962A3@%d=@e!s$Gfo5lIaN&PLwc`0#ASv9NGeE!zkxlTPf%y@h6Kv zg*?liQ?N8vIMv~vR%JX*@Mytf2wQ9>&}EC*Jl&OpEjG`PGFHl&RCodCxSFQfOXFO~ zx951ggtH_hC@?_S;io7RINZygvO>W{f{O|BDJxA>V3};*t`awnv(~;+8D%ocX)t~; zA{o6i)nS739c&cyMDZ2kE6Fo8F!I@n;P?^C;{B}_UL$;x;TXumnO(v0!)^DOr0`nd zb;KE=ait8jabu3QWx1m*KvSell~PZI0b)5My);a7e2|qtrVBq?_zdEV&WvPd zVLq&x+4))6wZiG*lkg)x;YQJOMb9J6xI=GaZMezdzpSHizTle$FCff>HK`7p>7Y|? zq4V491++-~V)3_-XHe3yb8=3&)#(e`;YWPJZK7`%y~OBT^w44%DyQ4r6zMxfFBN?k zX+3o17^|1S`eApwFv-@Hx<|q?3HMT9ArAv3xaI^NB+co)&$W4$+LueaU)lrIm=>{m z0a|UsgO2ahHl~<|gs%|(FmXl^-Y7L_DGQG{zu8_XkBWax{NvXWsjHZ=o(!v;AKo+`eYN=K#lJwF zF`Jf`S5lIJC3RkOVI3n7pYW1|H4@fRU>eHG&&UifJN#UY*aqPh!RrLSYH)gbadvpk z;a;q!;uBsM{D$B+4bCsg#x8gc7d$H#+g%HONASCZ*~MR!UYuD}R8o{ySdwQ@pXfZC4vtr$X51jt(>KHd4ivCFS$E4K~Q&1Q_aduy8iTPCQXJR*!WrZD6 z9g*0Wa~Frt-FdioJpLDQzLfJ79Y$qs9m-%|JKX!02!A8^Tfv(M^G0FTR{>U`C=K7a zFmz57zL&6B!Ve~7Vn^`2+`RnoqYKB3#DVY$KS|gkVJijZ-5Ahb%k{`GgyCmbp0Rh^ zFH(M$@*5S#P+?V7_}$s^O*}XbzfJ5PV*ez|!xxofSOu3qDGb|Pne~qhY;-5(Zz(&d zFoLSlrWpQl_{cNj_5Lfk0fu9tsE_a1dx-)no)paD549N0uGM#T!(UU``8&2AK|}n6 za=+x=DeFSYQQ~)Y%hxefdx~u&b}zE2j1J2LhsI88$tMV5Z_)dRZbF(_ik^5Z9p(5F z)=aRk@MglB6X(H8uq#b%XyNn-%YgP1-BNTb(u^Q1EQ0Oq9PW@6BdE3DHiFw4TvcCF z6xuobmW}5Dz6W^*3;RrDrsZbjghO4}ttWoRC-jtXn1sVA zFg`P~)9`{k!s)4bf*XWhqSHjDlV*J8p;!;kmLA) zRvpR}o+mut@I*~W&m13)bo`Q6-e75`*^hQV}$o3&g;xY zxd_|QIsN4Pc<=$D2Z|oFD~%nnonB@1V9`TF4>dYHEk8Fa9Ov|84i>;C3==(E^a!J~ zGqSVu!tqW&UmxicM4u>nq|rQfZW!hCG&}Z5qE8lmiqRR^XE`sN>hyhm;;~N?JzDe_ z(!87L*;&|w&f!C?*mZ{Bv4YRs18#sg+$BZV zimoHg#LWi(A`Av{e8pQ4pCWv!@Or~5i#5`Bn&bVBjakuj{Dd8_@jWWcz_*TGkSJp% z^Bnv;l{;T=jjiVjKTr7i#PuRZBg+NOPS_Aba-rCZ#9mBR`A}6ER?Now2FYryJU7#= ziDu1`HCxstw3x3XiZHLbI*bpOy0GVq@ido7xLm>&6qvS(%1g$FD;<8%Hd&h^_$t9y z6K0q=bD0D7Fu52NqifvyDJ@3QwX&|0bv-TKu<9CAU&0Me4?jK9H;SGsdLC)EL!m|e zCP!OX$zZRuwVi$|Og)FZ#Ee*SQ-0E;U`uK#~1m7-r31Q~u zm=1?jQyuPbew7V9xl{a7@pq9|n-Ul4K|A`iaJL&5bct7akBnt9?xn#v!SoOGW8UX< zl}$ieF8Y4a50F+OE-U7eFMI=W_R?U` z7TW3)*g_YJ?6B|X0~a@~#ozG>A4>d4;>Q$u9&FQ+flj?o9N*qbbc67z@Xv&AG`yq& zp+aN5;}!eItN23rm%_gy&ZuN1Gkopv~c6 zeEWSTZMFMtqW=*6Cu!DiFl??I3lOpmIBa+4hC%TRf64h<&JH@fhM1ooy@vP+<#&0z)8mcC{@~cfIPBqg_nr~o zQ+Olcdl63+BXKFHy@$pwJlYF~!6)o3VIK)iDDe0hX~-P1LsQ3B9VQyH2ZT2h-kdn& zHai>pS%(%*XPp!2{Y1AE-D)SD0eXL@uQa-~=r*F;?n-Bcc1~Yo^Z}yVi|#<0S*%Tb z7#|LFBWq@in~pL%$>>ajjTFUIi2l@i%;UpBE6RaKW%j}ON>eWMNf z7%X~-=%J)pmYAFwj&t;qJL7?e;is8lIKD@P5%|`74b2j@b$IfQ#}BCo_0p>%e}ecE z#g8P2vI6 zoFRIw=rc((7#PTv4C5Sr>bw}{@q*71oFL2y$Lh^$v|~4UfjgBGqEjfRNKP@G7#y^3 zmNpPN;Ia-fB$MqH9D?BFzg$ zYk77E4!>-TvPr?Ug6jzD(7CyY!^ut`d$7WR2>_y}imu;D=iuEs&FLJYr;9#Y^o(8U z{BVxbxkjHW`aIF+lV-57!5X%lcDN^h!zWxQ_#(j@cU^bA zmY9pwam)k8`MWgBvXaXrT`uVgd@D~x$t_t|!JV*>1g>;xg0(5lk#v=$t10m%0|^@& z;4Ig;FnfzG15=eHTqogr3j5*@wOB9>Qe5901ApB6ueBN7C~vO3dGuJeOk&i1c}YpQ z$@za~$Fw9w=XN)fq$j4gwA$H?i9RK@Lhz}(Tb7qXf@@o0oa4uB`%)NPq;_YGD-JR ziU}k?+~;tfong7)`vpH>a7H$s#Rna3lCJ}!79e9%R-opF+I-jZtt3v;-3}&9C@A~wahfS z3s$+%%<|0D5}udv0tH4w5-Tx=7ajigvKX3|1g{aimN4_3Dh%^{+1YGs5qw4LIk zRVu?9o}*G;bN(l5J%3&N8{*$2&q8}fTB?l2COhoPk_d0P_?VTo-j?`|#CIt&7b-8n zt1YbGN!v=P?}>h2^ai67YC-(K>FZy@A@B(wivCFS$E0}?r6{LxZvH3EcResh(5K=* z6Tgu>lYUJ#H%?;G|J)7c%KU^c@EBMM!FJrTeA80UgGV)lV`O)dC`YJ4F(igo&^j6X=sjzP~BelZ@ zhUNb3)?n*m{YBQVvVNn*P*o`sMcc1%jeJif4p0u(tp&Fc+}7YS zjxB5FaI5Yy%m?77nV~(tM}-dfR?`!Hrej@CSTCHyPb!^q|3X%#@iK4t08nrO2M54-oJ+40?P?!IDViF6wVZ$B|Mur3wRir$xc?K z;2d{~SL09kgj_j!a`NdgNRu(ro%zC%&M&$v2I(mAy~Xz-&qr}$RrM6C^AYQ{echUz z7pNUL+7ApS)0Bgylg@Q!C? zg;9|7BcPUT$?3hwv05jmt4=g13Jx^UO*7^*q=X=b57*$AR0e(b>?mA|pD-sF-tgaZ=uW*AT}+;ShjKucR|NT5~G@Kb+K7yJnL-| zZt4A*@wJn<%e$0sb8aKD5HDDb(*P}A_Bvt{hrdZplJ z1wTia`8&#Js`agMzMU1(R*QdL{0rn69;`Kh5ycoLkLrXgcYKAv;1gbwvPQ~UD)v&( z3oko8!ji`;qSuLjl{9Z!q6Fc=fRM8Anj5QM)ZsBgNX8p7-ZVqwtHp7d z*x%iemQq^FZ6miWT}F#V2fC&7{txY3%(3`9Kw^7|9VjxN#lkM(Kxa!E#Q=5`+evI^ zvP|xnWyqEz_L&w zNns63mWMih+b=u`PSaELVWJNwt&F)iF)2WJSKCqal+ZrI6=mVGDgy1Zp9s- zYmi#G|4TBAa%-iP*-w&nvaC~R@j|d#3`!oT6P)V8xWDl`KH)S8qa}=?z(;cDnq;UQ z;N7G(Cd27&-?UM3gK&oIv9iyk-CTCEj>`xaCvBC1ac(Bf953@MnF%vX&;-ZV!%nln z&2L-8h$)m=B(s<%6ElX;rG*lQ&$1D8rGm=@mlI~5!3wLIYA_4Nf;hq5jX%bVn<%$J zZY5nN)p{&lZcdduk3SFtS1qST&Llc4prU2Eur5`=M21>XjgI3Y%p$V9dz=k^PD-wo zTt}Hz8*DRCTZUF2^Cr93Z+JZE6nRtS)zjlzT1+U)KM4kY}CYQ-M$Ay#a`8`*{c@oa2!2FPNK`wB%wKaQODE1<;7n5a?P4&$Jy-;Sl za z%Am37N2(R#8aJ{EV$@zM<2o7F(_k7v9h1}23K^su+*xL?fg9z_l{1eHUy21-&A$$H z8plg*G}(ONHw#}tJXW*Qv*Hp$VWCT>*lk!OX|beRC^2d|gBuO0Z1K6(l@Vj(rQ9av zb}37!D0N|?ES6})WLaDjD(QE)H`0bp+$nFVyu0Y}mS9c+mh40A=WZ9)ToF%nkA!6s z?xmpW221K_F5&dzaGy)}eT9SJ6P8Q5U(y4Vn3GhLmzFV;M`;?b2fo}MbaS{hT0bOn zh0KR(GAriJsf>q5oS$Lw{iyiI#6M1+Qwd^Jb9Y(}YI?%81Fh=$q_n4`Jxz^i2Sd2E z3JLm3+_=!P)|E1zmGK-6rUQ%+;v#jc951j(akcR0g}*?Yx3m_^RwS{i4o0-R=*nE1 zT=tTbHB#16u~%<)c-iSwEzP_ldY$N3N$W-yBfW6T$k$wW(aJurOL#-Vn-mx#RF<_R zE7Ja3uFSVymbaz6BjsHxjHQA)G%4z3z21$BKEfaH3Gc~xU&aO+yoO39uJD1=(`-WW zhoV0c{V{1?18dgUO%FXLE_`W?kDp5TOu|MAe1Nr*MkN-%MN9qX?hITM6Yv*uzLfJ7 z9gEhS@U_#YS+ss5`diVPNGtv6l2OHRewJPE_u@B;|A9PnEHw@O=x}~}{Dx2XN$?iI zTM4JKP;I!)D%8)e6j;ONFH(M$@*5RKk!Gs%dHvmmFZ;*K-6r7=34c;xfD(zE{IK2O z=bvM65TL&V|1Efj!3cd$_{ZVC7W#h$H^3kS)MN0Sy439StgsvYm8!YicVIknL;QrA zi{RZIM$=B%!{L5*#_(V6KvnHiy-)AtRI$38%G zd(j<8^VV}AQ#68?BP%@6mG-yAJNbWPy?KCERn4fG`Y~=$;>Tba~%a=B=};&e3;3R^yEy}$>=_#1*6-O z=+2_Mkk;M6o8T@r_`8UQy9&Nc@a2T#4+gy`w8C#UGcv-1=`N#(jGiH5{<6?fHdB0-_-yk0Fk>+ujuFo>yisU$&lR30 zJfAopMFy%=Fb9&+Z|%fRY_33bp=fr$(!ncBTtPlMk{iDHSs$BAgqI2*Nu1FrJrOUJ zGx+EV9U5&Pg3AS01UNN50V8H*5+inTg`grM<4v#WZf?74qD6@vU*bMnIRkM zCYUrbR8ih3X`-Y_lvtt)eRfAypdyi_VfJ~NZ1Q6t`ZG?Ee3#^@lo`&Vc%Bz?i1L(o zo7E}gc<+%lP1e1%RI26G{pWo5nYkof;r%kF%Y1+)^OpX6zNXPVXj->$!Wq&YlJ+n) zRoYdslW`eV{KP#Sg**C)iJL-|*i4C!N}NSeS#6A-M=mY1fJ?E@HtDN9{-(^4G*{AN zLCP*>C81i+%G~27eSDISr%zxPx=`U4U8wM@7=j+hDV5n7?kVhuf6Y6$^Cx*){Cx2X z$n(x4YmH0`XWhrk;1-&7W_Xhq$yzMy8Cpy$kS?VplvFsk#DtQNAU!K#sf6c(fV4sv zkYy8#dT_gP&eiQw>=s!p^ zII%+1YX50)=k@;3e+fP!_-}(tF+$_8Sq2R4S|)-X1Ajb~2~d!pEy#wNwwNyfTWo~ypni>-@t2e5tIgChnuR_NsM_jg&d88nc9+vbPER_FLuG{+0#2dV zF=2|o?%vpi;S%`8a0&b>P$TfIEyl`YS71l{6}Udd^H++$N_;=^d<*ZfL!L}T(Jqg!dToA38fN7QeX_s zDXij`mvyEn4V&~~DE5>|DwkA2iT4)o8$L$tt}x1sL7_gOQpRW*RWx`h7_M5Gjgvqb zV@k_V%Y37hu~KfL!W^)AE@C+WOn1SEc(Z9Wf5Km}xm%=-lQy0jqY0AXB22DvtKoG+ z#pi9pZx?icrHS!wP3S?-ZFP1e1%;-C81sFM6FHFn%*&f&+sbHAMFavq?=r^r`4u`<6L z%QTg{2TgL}9iJiTAxRHY;+?{bZdr)Cj~JeNi9g3o;g1TRMVwKKE0eeaJiyr|6jga) zj)b`q9-|PBj~x5shG&Q4KOuac@F$7$8g#E*nVP)ZQzkw51OA51JuPXzqy>~1sGMw! zBVbN*p$Qw#@PS$+VX=f~f>4x?q%DTr?-CO__42~A5|&DMjsjm@2DD`dP(L#a7lCT6-`G5*8dI1o1Xs`%H$zfPW! zN+VUdXbqRVac`K_q?W&mH?eDiTZ!NPZWVsxSAm}Im^%soj3>_B!%OkD=+&a%AJttg5MYX0pWO&8}<4{m?{SaQ!HAB2>zj& zYeNP94w*Y;?xM-K#4cfqOCOo=SE#%ASi)`zpHSeXpoyGKKj_fs_Lvemg1=yMd!>9T z$Oq~t z;Xe!ig*aab_P5~V303Y_GnR+$wZF;uUB(|Y__RydKmSjIr-r$a{t|pd@ZW?P8qBPT z1m7Jse0gZ!{zrJVLX{Not0z`k!e%J;_H@T#Up&56N5?5{?s)7%fk8@jDtzA{JS>+*?pCIc*Sv6_#vh%9Yc^4@YmRB&NZ737el2Kd6$uyV_AVbYbk=-fA?+ba4 zI^s_ie;RqEOR>>-g-$oRb9gJx5M5VvJ<<#hdIA)(r57VG%-9_A)o015FQWksh6hU& zXO&>pq_d6xaf!cA4aGMSe-3%ZzRW^Y9`Qqct_d@~#(r$Bv4kcPno{7~lZnMd5ug&Z zA)jZ;*iZ@IOiFVpEvPVRAo0d5ss;}V33p4utpv9w%&0LcKO2<_?gGQVTHwRqMtED{ z?TGWU8zL&(=i8gJEJW1~auVc3=ehP%aVNS#TG^3<~3Q zio4Y4iV&Z>ioQ(r<$+E@{Yj$hW_03k90Hr`F1m;4o`J@UO=$Y+W%Ra?ZuJ)3M|5A( z9F!f&bXOQUpp}k`rK5#jCA1$=20A$TJ%8D`c#fan{9mMC!{~u znDxu4{>EG@YmltLv>0zRn@yR!&hX?ACx-~XUieVr;XbCi8;l+m?&C1g!$rpejTu2v zvy@@*MUani<9(?s7(nn{xyrBr+>clVidO~{+vFK4=(2k0>TMWu=E zL1TyX_4jm!*oVYEOqS80oZb8$F}QXZGBQ)}qk?A<=Ifz;CBxio!)J#N^c>-Hg+E4I z_huAo#!!De%sp<#q)>bOgp7GIo}{5i6>otY=AJU)Q1}u)En&Wd1r!*3WM784g$94J z4*RgVMS>R#eugmbJl2xHT>VRoZV=MzXGJd+{TykAo-`6ObR>V?jNR@1y<8?^xr`TR zDB_EL(dZXK()W_+6{24z9X~!tE^wyRSIp=d^~Zlz#%nTOr@`Bwh2k(K7J0+)Z$owG zo5EKLUuAekLIg7(yk+?LzvCd-+}pxe3x9_=Uqq}Rx5m)-!;#ktT_@CSq$ zj+C_Yv_$uz(Tg4sj6Oo5cZ%K>=x8D)w{jmDeRi^^KNh`P^e3bhvq~|o`W}O)ZSwG5 z!Ji8LEWl_}8RkAWcz;-J?hC>D1n&=U%wfKlFAd(e*&q2U!CwnL5a38^denVm@GZ?e z{H@^c1Ro^KZ-y&DzbWMNzBhhx$mbmr|AY9$W;(ycvk+mcl@n69=nj0msXt`qYB2GqFJkH0 z)C-0N_F)Ao zO`1o>Bu(xDW0St{p=cwvt=M*CdE+y4U3)`E?(=8|p$S4GMEPam6w;{7!Q4qEbUVd| zBT+(vwoNO~ULv-$*e-!BK)uYR#P63nU z`kT|Ir*{U(xmwOZIy^pB>T}l^yEqK#zgFxZv4aC!GAiF)XY9dHtvp2R^#vBSm2$nu7uHZs#?7<}J2AK*;ES%R|(Gr;-fMJ~tK7em1@S8Sfxe6l<+ zn)XZG2!rc}P!tF*6kKF5dp{Q&d_tH7u|#mG;E{wG3e0`yoUxNbt#O&ya%;Veon|X`OaWco#WO|X7mViE-w;J8-IqbydZWDdG=sN<9dNRx%GQsGJLZ<6Z z(Gx{aBCVTWR+;N28@#L72V{!iy97@q%zKoB4!=sP?>;7kMBp9?(onr-yvCfJG1%@I9U^kadJCZ{0Z__)za(mnlz=y{@_B+VB* z6T<-V&|j@QugX1T&fd^a^R%4#au(3xXV7J1bx<_*X1j%ETpW5bE|RfW#xpc{7LCR# z%E$E4xo(L$KS%tHdRER-InUAIRmYf9aL*fkbNEax6TMvY3#55lQE6A2U5;TlSnk*q zE>FzOy(DFYl$WWTioF%60LJ$jwFa6KtIWM(;y2;#dsX6V5?`knqIkM{!|3xv40%)Z zO3|xG^KPN#sT|8UVTj~gX563S1NOFz)iT}*20OUt7gu0yi8W>%4He*PWvr92J{aNq zh@L)XbPpfMjWRaL*i3`>i)&F7U@1Q=x3tBSrjvZI-j(v6l&w^lhM*%?MoCtc+h+W) zVKBpX@$ZZOfIM?2oV^3}TAa8spDi&Tnztv+;;}>CPI^xbiblFNrJo#+2cq!1}F}@1z{0!Ye4O$khb9 z-y8pHXmmRy{s-}g$umHRxLBjrZ)3X8Spx}#>S{6^=f=KhgU4JkHC z1NhZ7poI?IkdDJYvF{7b`MiS1Upx`8PUiov4 zzB{D(jYT&R-89fi`06IP^NfBx)L}If-CT5wKw~1M)C70F(OX;kOKmB-mFU)iPQnKr zBLs|YmEq|&qT7mY7wD8o8kSCKZ*;Rsp6(zzL3AY0sgcyQWEVBM(M(S#icS)p9Oy_I zF4LtLUAwubQ$?qVP7icyN+gozE;KslaZh&?eUa#kNi(j1O>mtIUU;U5FA>~Xa2LW% z&)Da}q1Oy&!MoI)F`?H*S2>r-xttEmFO?c^=eil*;TfMacNgA6cu(R?YRf7(4Wz_ND$9$ZqQzZf`27=o(5@9eNcdplyv108G22~daNB_%9wPX9!9xi%{u9n} zHy9la^f1xGMaM|<(4$Zd?J^9`TI3I%DL6}THetTIWh{uHN;${)4pTj!D?U$rK6&OU zm~ckX;|bXc^eAHoAQRh!^rt{#p~NDJOx`leb6v5qS)nUIiP%!HBLj=(YpjWe)G{LL^ zKj4qp+?}!}%9=!rQG)~MF<8Lp{7@A*Mf6>wr;?7RycJrd%iV3l>X7o@BVn3^dnxec z=EP=r$Qq!3pE)0fBatzob zrkoJ^8P1gQsFYb$bQSm#$FNj`n{C2<;X^z}!dwZDQP5SOc{U&O8Svx%xH+ZO{BwLl z&OA9!(&6K0UIcU5JS< zNm?Q4#@=Yl#rK}1H z-jc!!W}q?GswrFB`?I`_T@&1D{PuV6;8$rI7P78%Yw)jlj;hA-9$qVWo#6F^8Ba1Q z@(b~8LaD)oIU(KIC}ER?%@lYIqcC(H6Q?qoY%yi;)BYUqN_kJpRx0tRg{(G*&*QVS z&77~pBi}CPeK{Y{;Uh$+Mr5`>G&||QWZYlUr5;}Wj_^OG6vhod@bhy9maBGwM%gU?i=Gd|6~g()IYU4ulIZ{e9Hb=WMYnmbEUeMt={@n%QRWhBv^ZSBsm*p-rAwTp8 z=_uhM2^Uk~@o{WcQgkwW)_wl?mk94HybJNufHOTv`Pb}bC~BD5A*2djWnL!pa+-|q zoS=r+j&Bot6LvGLL8yP|F0F^Op46CxCSrtvp{uXQ9&E0+&^|)@5@q~IN>4>e>y1>M^6%(7Cq#ppWt zKW^?_{LcjU9)A0~t@u^+~-vVqyZ8d;i|((Y-u`1^pYGD_aQuJSnSj>n~T@A}Xkk6kD>$f{0D^`hX*xO^Sf z7eSt=hH0s{`IDU>?L=ucsqx0)qM`{UIqoFmlfwno5?@>V$>jC1EzB>{0@|mT@Z8rv zTy-RzD&aH}SW4tudb$a%LNW0S33VmZ3j&6!7jg)MJJW<~LIit?uYbC8UHJ=HHMp0HOWESfJlTt(I+DK|EsU0PS zt_mv%a8$2rZ^i=;`bXYDMuLn84L!nmxgF&O6V4A$BvC?=gk%c5U6sg5W=x|7j=?7~iL?h?_RMRy_1TZE}< z?cH#fn$$MD8eJt_Ch2lYJOx)Y811?leO4Gr*j;oF(LG5sQ7+3vSvB6J&>0QOm1wb^T3h73!DWfo)I!PLxf*1d?<0Ih=}B6oLY&m>J8?cG1ou4 zVRDAciP7OH3em+8<--iaPwDLOOyOC=vjdLSBo-%g4Br$6jpPc?6P`~z{@$TAp6dm; z5oQ#HxeE$p6v`-~!SEDuYAAGHGJIH9AD$B7rNT!N4{2W#(mrQ=dbp!y;>*QXkY{BS z!|z5JyfK8nQt)WORfJW)q_LBT6bR55bF#m{aj>}?<&2ec6CIuaS-C=Yv%%%~Itac+ z@HoNa2{ZKNT;3DS3%447V20;!6Mwt-JIFI$V;X`I%*)HPWr8V3=6mH%DHEkkqQaD- zptu5)*F%_W!q`xeJw?J@5~fn%Ihe2}BTs``fV)k(Fx=F8q)d}?FBM)!yyhy~-DmvJ z(2#e(`03&wAg{y-p9f58YIJn5zk(T}9}@jAX!xgJ~HKrx?cHM%5Ev21cepN@r#+J9-nPoan6R}#LKa3Bb-qLh89P`WT-z<7U# zZzX&u;UEQGd#SqdsAcPWQ!dT$${{H~NI6V}4HR0kALw=L+yM#Z2P>Lp2PQvW|G@&N`kDL1o|1-fI!Eb-}H-6)fI}cNRyQBDL zynwJV^iKFkbhVKxR^V5~3YV=GY@g>i4!h&lywUy~$72_Y6|$<+(hG|o5YE*w`bhZ3 zoFMu{(KSi)wNj@^d}dT%c9Kc^BK{P$unVie;TNmG;a34eUI_C!qG?5G=qcD857>$@ zA5_?KCtd1FpDr*Y_xb%va}a_Z4x@HjWAmbl>@2xpqqH8hQ#C8@ro z29)?5F%B4&`MJgJY!iO$>941ughmq12|{*p7C+6-oom9M;d9VfLK6v1DKOiD-pZ)- zbmtjfXPQ5LGvUpJw;;{{`LZqsC!5eP6n0xmXeFUF1x9xC?HOu0Ms-)$qM zt(10DnD;_eBpR+b=}LPu+Mtn(o9iGWK}Ljz-l(|2Z)en$wn0ghk|ZUWO8AJRBe$JD z22TaeT`A^u3NK2kyfk^~^!OP4WG!5`0_6;o{uc@{9VJ~P>0(N}Yo&Pj=s=q5I+?&a zFK+G<37sW$2|^iKaj-N{p}W+CUqUIMtAxuWTuyk=-%v%uo{A$3zjKz42nE6mg%=TL zX&woAVggo3C}f@u%@U?{4zaXETB)>=)R-NKB;-10>^f#3u(>j^$w#>%*fhVllOcn$3lM$ez>ulW|y<3x`q z&Et9ixJSw~Dfd!g%`%@{q$o^BeV^3jWq2nRvwLS%ID@`ccudNHc!NTer|gVf^VK zS(zh#uK35u^HF3lG|X$d$IV#39e=>)o{%w5#*;L7h8%R<f`QjIl z=LKiwqoXHsv~HmZWud$KA_)^wP zqQ(_%6=qx-9>g*k%VoSkL*K1%49VsmfGSSe!_4L)vs=#Z;>%jou@iS=#Kt3|&7St9pZP2-$kA` zEXL)w+($waNHwz1C)e>J@{K@2fzA`Zh83HYQ2k#W~E)Q=*9eJn9JB=QL z#d>bwryKstGyam#5MEb!J>m=&)=b4bN*E?>d}NI0&k|o>d;{_J zYPI%GLphD)oI{5}%8ga9%h|bx?`Y`p#=@HjZ%RC#GiJwT-wo_Mlct1bhh~zROKL%h z8I@Ah$eeHN(?k6UT8eEYwl!IPDl)5(H{)0P0u#E0nH$autXlj~(lv+ybEEv1i?zEl`txkMh* z`74ZnbgRyQZcXB^65o$JFQTFt>kY7<9~vk9dwn>(cmpI{Eny%9b|=crbJrMp^FDv< zYlRLHI+!S*89!FZs7_++xXzqz;r$#U=XyCq>FDs7EY;92Li@@vp~Ho8M45lQtf6C@ zV1^lcB0gqk%E*$DO@sH7g>V!Q*%qH;%Dj8Lk}D-oN6Tps zF+bNRGcG*aUrD8m(K4!n;c_u0GutZM7&9_L59S+XjFoW{4aN;WoO_tN*@VCGf85+H z_@4=G9De(|@%W9WWDd=a!`!X-cl;A^Ph*eYCj55ccMuPSt`v?Uh_62~!L;rnirgt} zqO?iWm|n*FEV{{t=Y}4OQ-t3od@6Ci)0nve%di>z;(H7~uHYWQ(*)le;N(a`lDp5~ z4Wm4Kzu@VDA0W(c5Gv+MD>7_Ax_i*Pqg%W;L*7I39;U|&K!@Z?ym5~l!|(OCX{PW; zh0h|+*9i4AzEFe$g*m4bd1sECxpE$(!$*h3bNJR_5d{-!{Lc$dNSG(#NearpaT-(i zl+mZH^H=b+==q`-kXFoK?hR9hx`ifu99kY0Nmwl5848T9D644sU(A$b#@wDhK+nop zD&sjCOvreXIN$v9#{V7e(lYVO#lH~v>|%8DLVw>Ejh|lAAO9usE5yG{o*`o5l*$*+ zy<$d>5bs`<@tTa+gMpD1CGkx38)iHjnwj5}u~NpWU}#Zq%ub4x*36i&z=!H>8LMTy zLqnfAmLvRvt82{JKiE5K<*bvlo(>b7u&^U?>l;iNa*9_rO4%f3b5JnwStmlswwSU# zG&a2}VTXjB5_VAt z&m;{!0?}AuM$hm}K9;dt#wRrNxx*E(RJ+IcJ43|XEB;gQpONSN{dZC5b8`xA@}c@d z&OSN&k2#sleW>{Kr8(Dz(PUrA`C85aI`MpCynoy`#;*!7JOF5YezZv=1+$jcc3Ef@m2tHNtX@r@aBPB_~T{_+H-r78lPWruJmZ0;;c^(8f+#CVIe9J6__@dQ1f%o!89LN=7sNX|LI$<4-8sO&X_YWH)^ znbpY0s>X7f$Z1N4f#bDAMrETN6ED_zCiMwd)J#%yNi8TfhQ#^ikS<`D0!D~yAtl`M zd^Fr(`H$?ZM0dU&=Z8D|$y@3;t#q8$JWl+pf_6s=7npD~G+ecj&{je_3VdrKAwIkI zW{hl&KVWkmWF*Ll(BOlOMiL_~YVi7q*lI3OaFXEU04FA3=zWU8y)N@`s^B!i>4X`U zsDGRA-w}t=R3W;v=q`ayj$%Pvcd60mjq%6sD*7_f zmy_morX{6gc2$EXE%9)7!94``B+Lk$q&2f#FT?vfkM|bdM|fZ23^(45NUFQS=yl=k zxKi|0qWc9pHHy&+uD{X0%=E_|Ao^<214%R7kqCx&U1MN}{{Y z;7+&sBM%XLz2KpQ`Fs-X`P^Vezc5+qFd4&T#Aq;k7q3+Ivkj%CxeW6r^!Cv>Q(l(5 zY)E>juK&EBq`Mu zn=m^xY?MeSl`xV5pKT&7d0f_a>T-!A-)fMY4nNOF>!VEDpHAF4ZrPZU0hcs%x{Cc4Q6PYbbcir~8h zPYrNdBst>lHaND(ANd}^(*)le;3%W&eFit_?BV+bPZ#_EVZD!ts^}u{pyA(#_i={s zhlD>&oS{yQCZxGX41OfMU^4|jDtK0aBhjQJH{0OSFyL;E;JJbyBkW@`?%v}@Z;Xc; zO%kH#iGDKBQ9c{@l+k-bO8m6w`Jxw)=0z$dC%J`&KO5rlBH@dLKSSJKWTIPQ@T72& z&k9~D_&LI?VnU4u)_%tTi!46<=gqp&Uw~UCYq_i!Xz8}6q#?Sv7Y#o&B7VK@CE+WC zzf4>?Bc!me7<&U_H8%IE*w@6qPL_vGPECwp3eq>C%d-{ zZaB`vZwp>6_#MK0NLg5{D#xucy5Il##A&VQb)wgkX0{PErkFFl%552S;d|)mS+*xoJ!hB2OA;E$P#y=iDfL+C3CjN5rieSge{9zH0&1@{r$m+*f-mudK1USZbF;d6PVtgB@8qovd}EghdV*Wd6_ zA^$x<_|?J(20T52zEkP$8pH2@!H4Nu;e&(^K87b0mQ=dy3?CBkA;Pa0K9o4`4xSTI zs2hy_K7QusWM7kx*dqbLJL-2|fxLK*!|(Gx{a3UnGuED<-^ z=-g1!og(@!(NjtDiqey#N$zfgSGjhd2ehOYSlzv_` z{MxBLL@x#zmuQnKb zw1tN^3f?4mbAXX}Cb=yJ-+YM=#=C;w6TCIR(WKO<+h*_=Vb;j)g5MYX0b!PVIQITS zV}CfwA9#n@onm*94b_Q>8QGaJEF|MTGUYaIYi?xWbBi%p9W7c3iF3+o}VvGsJ+mi z;wuSXOE^G*F@dcgs7Xcb>o;b+9U4ErmGPa7gEaVk&x>Ic1**ZnH-6Z8{tSo2{~-SG zF}|`O8%t;YXna-Re-i(*_+QBDF2&G=q9ixwel?-dZThP%l5nZi9xp@34JlVzQ0hWtq&Ev2q{tPw-;dtyq zMqWa73c5k4BxaAF8pcm*<->o1_!Gs~B+pkXF);5uNBF72Pa}RB{^0AdIY5#%+34MMx|#okTI(}p)|FY0CKIlTVs_v|qYA6$ z+?i&*9lBARC9A%y2DDCPpmicNV{krc#*?#6ToPJR8%k^>@f?agT@d4^JJ+ligVk78 z6Io4ZF}7eGPgfSj+_2}F(66Px+s!02m(YR&-}0=Y3U|J--9p=OOR=rQwkFFbQ&y3g zhl1?|hWD8658Xz1TjA}9GfT{t49+%Q2B*C_Y)0eeI>PqaI;I6`Nf7cJc z|Gkcg>yLf$H=S**+}r>uS4$a4<=8pOFs#{xjDcRb7P}_6LHOgaUx@;lg9Y86u{I$-GS&CR`QL!b}NS z60#}qLycZcST)VyCJ8?Hxq|Zq=M&bW=8O=Sw*+mJBTShQx>goQDU?z~g|8c`OkA?q(!R3N02(zrr=Zjh6;=S$gm`9mcIM821C3a14 zqw(9{RpD1(Zi}v{)pcXAH~tjZD6W&;C~2&un<(*h`R~cx&88I$^x7@hg>FOmMYkdR z>T$;x@+d>%ek*pxPqZeaxwpxvFJ-!v2dF5wh*TN)gNCPvcXfvFhlD>&oDV*U7yXFA?PC7eGX*~?cotz^04JJ? z*JI5#qjjObfH^Ye%6KdoG0e19h1ugUS&|vEH~4crA!DA5Cu#68#7fI!QTLS5vo?GB zY0>jVFCfjw5I=r)873`o3(a{joMDli#d4mZ!xvR4S|Xz05)%f6d-SY?r4pW_z#ye4 z^?Tmvya_%?%S101{Q_y;B$v%aJ2)Xe3QRPFUeRT<7FD*k>M-!is9Wua9$Pu zn()^HjF84usTkvYZ?-1szjkV$nkGAJ%%^S@z=Un_@}}@Bd&ZYvq~s#e{THX@QA+f5nZrTnzvAM5Ae=Yg|X_kn5M;~bNUf)XkPSQb2yhHJiG^W!3-h?3o z{WToIt_ki3{PuT;@vC_4Zz+r)u`8aUeiZKMPcnX%@e2)RD>0xK>vgdQ5(D~qD<{Uzs!oWJSt{_=5@A!J95?;D=SKjNz)wxD?czdDDK zfTZ|)bR2fZujYpEOpeDclr7{`r^EMJ6YOxVF;~NkZ^C!-1Q{pFs7ZrQF;h*hCmH>G z=z~;CbZyZmljbX=rXS=-ajQ--<@V6|yN;AorJP2E&oKU0An7>Wgf93$Zte{H&jeQ& zznD-JzyE%QIK`RR6~F48;TfJKqrQv=H29WcXb>h-HMluXi_J9@+(_^_g!zY*NHm^j zI@g5siQ=)mvVkDwCG;VFwjK~AtNR*KzBbf$6W!WLlyqRJW`xSC?sglwprBmW*vhW3FmLSDlXvTe^ zB-K&IMKUg?VQCNErB2582=V+9@twsp;^-k}xLAQ+*h@{Q`>{fVB87y@BwS8`*P-br zvp7x-lVf!=X-R>!W@>njGMB&@i-;9Z25`qCTu9h*7#(%zHC{&oj&Y9dC`(~n0A!RTX zzTr3tvNqQleRnv)5Yg9*9!i?m>{HMbcY_I^gqLragy9lm6nM@48eE3)cZL&Wiq8_C zO`b_-n2np`7jn$WJ%~SHbGdTzS$uWs=GzRZ!x^$L|)_XEuI&xLK9rM~kl_&j*e< zZ_x#wwLfFbIQL0^h8ty!m2nddKJfU6xL6@B{AN?Gi+bf2DdVJ!4@!9b%97o!rYs2W z-)&NEmvRRc-YZO}#d|fu@JJc5q&#_@4=GE`IyF$ME~_mnqdfjy>@&*`5$T zo{%t4!jlw^!*TLs?kPj7TKi)^Ep)!n1w?rTK0~F{W1%_Uh5XbaIg8~y6P#nId74{d z4m*GA8lIK2RL*mB^dRu8lil-1uMLlSnds%BUm(qU?21Jbwrt}`@gS1h~CMlb#Fi24FEpl57 z9}w_&g}*0!D{)?S$k?j3vBbQ2PH>OGMma+97SHv|ZHx{f)u* z_#;y|@_?KBSjuiGpHSgrk7v|bld;E)SUAaE8K27dEEpl8q`A+{SQl>c7c%zA*iVCZ zEE3hle`)w9XE8ts(pSR27JeY$%5F#8H-`5Nx$SR-e<%DPalPEWa2Rplo53*`I>8|s zKgc*tgD-}PSMEonn}*~6B>HF3zmR5}LUmF++xe>r<1f(BvErMA-zEGJ1ZF!^`DXlS zLjREM{7b?S34c>y6hRgz7n38D=_NmE5|`EH=KhgXtx|;y{OYnpbr1R>VOKnfY7we? zj>j$(F=SK^MyT#dbT!Nv{H;!bAhwRrJNQNUs~c>PB&#(ILjGQ>Po2>lyDaG?K#twIpHj4NvSWTK~Qv- zc)|Bp9lg6T(h;B-nksRL`F2-=4;j9qj=9&p_F1!VC zegqJuFqetTO2YbQ=bN)6jO=VFr}yHo0#k;EYiJ{-t(127RRK%Y4($yd zTcseO$wF{~;0R$pJUl1xQkV;hqnbt&e2A8L+M<)q0;r=vtV zKGy*zNiyNgaFUJ^E|S2NP?cBX`^t;%WPGdeC@vA-S$r4rd=y|An=Uo{@?wA4U4>sJ z{PKYF@TgDgW_asx^zOoY2=7UpcS$iRUTN3Ml#K8cdQ0ger7smGQT&SGuHqzDn6WQ> z$gY%em5hEgcoJ{0D!acap9N)rl&hr-q{8+&COc`GOf9~koV&)v0U`OhR^lLugDLWM zVIkdI6n(BUe0M024H165@S((6X2*JsQFnvEwWnYoHaAT0aKSOc%7c_}C7TSRyM#vW zOwn1Qvq|gF5v;3|V{pHT{?NIC^91J;W&=b)evuntY|SvSVu9E~u|;GVqp6}(&rc@u{PjHKraZ<)p;WI6cVVyJQ zZZ&+#l^(xM`0c{)AkG^fMYj<*!QiYk?8D~n6g*MzB*F?j`rIYE$wq&1iKnNCzDx8} z(h5A5P^&;}9A2FlY^X6O=E_a!n<#Jx2qx?LUohZW$gqnWr zMUz%;LY^%*=*EdO z6tlSa$vyU%=jThn;tldXmG>DvMv`N}#K}H4X>$nN7n1f#+E0m*1SiA#Ctn)90sFYQ zuS9<>`T%LZs2CQG?(Z2$slPGfNTz@A-^%z-#z7h(5+=IujUF5x%OTM}h(1hOw@TBf zqnnfQ7l%nceiHw)_+QBLlKI?|isBDW)bI>WGW?q!9ObXA&{#$j8BJ;M%>j>T zeY3PafWt7R^UPZjB55;u&E>VA$K-=^++c|gOoC*>kd4@n&9#)!NQE z&Vyvm_9uMc+Q?}uryU*MTE^96Op?&v_#q*hb`YN+J`(sWtm45iMU8KCygz=T_$2Yk zAW4_SnX6Jjlqv(r7Urd@A3(OvtTb@^mX?k5J zQ?_;V$|X`dOX)&|ucoSGQGcPV)TJg}9`#aJNta2woDyS5Ss^OyvRpUAr-wO~x(n|i zyeDzS5Jae~>>|!j)XR)Lp^m(_j6O2@(l`wUAHsiEoV&uz>%-%?Qsz}M`_bgNIPeEu zDp4Qb-;8@#;}6)}02x=y7#NH&Q&yR~#*FUaGj^?vK{5u@U=+awQ(B7tI^)NO>mMTi zdhtWa^LBBqD0Dx*!SMMZqdH9ZaN#lHd|4wY7rv*5+343~*6hvRDv(tutB4i@gra?2A0g_{pI-R4IP6_$u-YN_J*slpAC4ebs$5 zy;1O3!8Z}+Cm~W?|#bW=R zH)w)+M^@p_*xa4+Cd!*ck0&arD9&U|s72{(ibxnII`2@g;RpZ;|BpwYtuJwx$jcqvB_g=g~)L)tK2vcUt5FKS%Uj(T|a4B`;TbDpB($*KTuIFlIiHX= zPui2zc+K&~4BVurOo)U$_tO&QOIQ#DeHb{&$wCuy!dGFDgvAn`p`aA6AfIzsFEPAR zc;lZHzEt>g#2FwQneRcCd)|Z{Td*ISTP9(-gcm6Ihrs?zM#sWKcuDjM(Jzx`XtZc| zm3zhT71#Q^`l|5PguhNa96aLQFgha~{7um-MX&ldjlmB_X9oIh(W^zj^KUxQtuZ<) z&}&7n6TSZ5bduX(batROiryr8^S|k2x5en3K));cJ<(hLO{chRM&|~4yXf~tfADWQ z)qQAmUZ8h~-YI(5ziISUGCDudAB)~C`jdat>28nFBLclw^rxaf3v?OA0OYyPjc#z8 zf0kc}-Y0rLX~wJ^EDpfcAl#QGe1C=)zLM~@gaZ_q2%;C4`^MPCVLGC3#eOIDAX&z% z!h{HGvc5O`^pH_JB>V^Ahl%shrAfowkH+3G)Cc1yu|JFbg)9^9G06$T+^+_|@VtkA z6a2g2KM3={xmm;9pT-_(=-I!-9ufO@U<*;heAL)i!w{K#_Pz8}BJA7zi$QiLV0 z${mM&@tptEQ~lwO$1ddjrBtWFcL((sNPTM%u& z6nVqknTFN~Ukxs*HNn*v+JGoSQW&c&8|Kb7`n3!Ffg6f$B>EiEyv!KNTIe2luHnC} z!d`5yvG69sn;Kq*3_;ADXZVbFJ>E=sbKxzBGpb;&znDAU;1|MNe=P;K65N_F10E}L znEU(!qu&UJZX>#_=ys&}^(w*;rV6wwwKsmz75+jyh))n7A@c}*N6{CFzL+#~wyId- z>`|_h8D~!R$G=2IXBk~+FhH4kg{XZ)W%H#bT>T~XV{=_4Tqfai3M@Yqp#}tV{FUKL z*Ugl#JNt8Vm(oK@Pb$2IvZ6{<^7b;i!Cjv2ExM2BzNGnLSD;$r3S*0(_Ux5nuM*pj zEbl$$m#uXD4PG2N5DXA}wcvq-6@N1eks-Ur=wCzpy;k%f(Su1Voy(5pVqJmj3~v+4 zNJE5QFMKF*hNKu-J$Hk_FNb>LVS`k= zA;VuA@q3kQYxr0yN2dd44leDB`KOTkcl_#o>020lr~yg6*Zm-9WT)b zii`KTF{X^2<1hP0DPyJFM1>bpURmL8Hg>~fp1novII-gco8dCut;Ti?EjPD`y0BmlG;JXA*CCrP=C@IQ7HlIxn zcbjrFyy5pqnI`34DvS!KUmAmYsrw9nC{!=qFMPW22Z-|wD!S(sW+RDu(3Bk!e+4t7 zJS62|D!kl6%p>m}G5G6?Jv>wJqk?AgHqRpA|3CU&{l7sx92#SvqL*;VdE69%8| z@8L@lR!Df60&hw=`k`}ij#rG|6Uw)*ihoV~>*RTYf>>p&EQZ3y8zx*GY9`;5uu{S* z3VcWf*(F$X!o6kqlL3EQ_-f(r5a-1fV0`TwV_!=1VP7kDo!Iq(Ei5l^8;so@a#kC~ zZW6nhEQ3*ubu}@m=oZ844)BM5SNMCvw+6fnYqM3AxNU~7nCS8C!rvGE0dd|%%^F4;B04 z?-lx~(9ekSDQRvTBx3G!6Z(eHUSCMqCt*JY-X2~rlI<@Ie=c0_SHiy*etUUBo^Qo}C;lLLMtDrwi2T*}MxPT>?L(q}5Pg`mj$R(i!oY0zqwyJ`kHt^o ze-{4>dB&Nt@=@+rWB1+XL-L#0-^KnxmLb9D+1wKMr_pcB@bq7zkBI)8G;hl&M&6h^ zYItOU$Nv#tZH%(-_|?I&&;gpij>A8F-=0vHa6EP)=PtT>pxFXa;%XRuYxroKAo@hn zHAyolm9dO+d;m`}d~-N>E#b9=pG=(h1jBvZDaNj??SoxM?5Sc;Bg@#5!PVJON9;~F z;j8ztADcTvLR|^4Axit!o7IAjxsck^dBOG14K4Jh!gBd#DjezwtvLph?M=tiQ? zAa-u;x+ z1oRcW(C8KSVkb7&QS?QkFDA`Ta7IN|mg{8jO`%Ei62YAXcOk4xWyT7(=2GL|%=TgL zD*iI@mj@nSNdz5Zjg2n~U&`*{dx-BzoAZcYy*q8hogKrC;n`;FR5v50Co$GDQ6K;)jxFP_imAVpZ-2qt}Hdnqi`ci;j`z(GeN5bC8eE zFn(<)#%GGp5}!?;wd%QrC0P3@e~h}#x*W46pX0-nD=SY{J}upzv?w}ojWD{j6Ap#V z6^JerT}0Zyv{?U>15sSDDSJbizC=o?l#x_;M=_aPl5+;X5DyH>1cJ*2R}khkV|EWs z3qH#DQSP3^#U}&P4ugTqP@SJe9w+J35 zczl3UFteSz)!;*SF(3%aZGvwXdbxby6 zPpF%nBI7O@Q)w{TmtrX_Op9^1;pc?R$34QQ3BQ*(pA-_n%zP}>>e@r;m~n-rr<{f&kArtYHFIBZSc#C zt~~M_!E*&aMwrF9GAuidOn)|q9J9}kX$7HB|Ae%8(w?No&}V0tWV)ve9$&-9`lkiY z7rcP5y5yy#rzMnV@$0T}741Vf-vB=X4UMl!G z!l&a8=v##*I?iN`9!T-m@_AGL48@XVQkP48fhuDYCa%IQd(r4~!~C%?iC!W4{Fc$%1O2w>)uP`a%{(vi z$T9S3DAm%LYfQR1#MQNu)=63)BqVca`bC2&--it*tq6~BqohreHdBfx75KteA+vA% z!cYBmyes}a@mtCB{mCpT9EB$DZH6EH#^c+Czc2g);(E{#G-!Tk@Oj~m?hw3F@GgTB z0e@uh`f!Ur7Q9>VCxrEAF`-_D+hg?EXZvvM75%B`&qymAiD;4e+~9oy{zC9R!TST8 z!ugrMH28x%{gJ;C{I%c%gySiHdL-R_WAuW~p8i(!ccKrHW;l`}_=3%i#tgwjIZ(@HJ`v+N{tf9!pNpjqu zrfm4sAO0^XN2L5sg&~jSCPdv)gSV{l@IQj9-KfkxeiiZzSAnjG$Kjtob00EB$72^V z_oAx@y0pS&Rk<2QZ!htQ&IzJV6kU@vuQLmEgC`mLVQAd1CAPNMlgTpBC6y>OoMQ0r z*ZTw45qzrP(+KNHVxoP_8fx^^cK#C25M5VvJ<>chI+i54GY#%o%fn|0t}nO&VZJqG zdD;2+>YQ!(=b^~hPTzm`idiLnLg$ak5NStrVXFtk7wq8mrDXppS&Xl8vQmMPZ=)30n6SNWCR&+bk z3{XJ~6LX=?roHh!Lp4SR@d@H1=ycNj?jjAvf(Pt$W5V8Z{oy-GxJbgq6c`q~L}jj%!S%yibcx{3g1Znt88F|^ zbiGA9#ieGA4DV@IS(nMWJXp;2Wuq5KaW-Z(aNW$BTFVElyR06vdeY)`Bcp&^RIg)n z$SL#|-A8m^(u{~`b?4LpC73_NU183pVS%D6yP{4T%OPCnrp7P=9-ynma3sQ zOm`_gr1Yf1@){SQK-xoZfL>_$70ZZc)xGe07=2!)xk3zPL92vPZ_Q0kK`InmBz7QKCat&_^v*}@Vrdm5EoauZ*Wy31 zxnfx*vPx+&^~S~E)jY`Hx-nu==odUh@KD0M7je;HU!_HEm>G`;<31U~WsIP~tB#Aw z!gGyvJTdK;8)?#^5T;R*MoStKBusR~)d&jF;j-9`HR=AHK5XM8jh8ebNV({Wiynp7ub4U;6@FKKd+IDQ)o>LPqN(*q{W`_-T6K}l02O{K(~c~DvgvIzIk89aQ) znkIa@@EODz1t^COj85``iu_EI?kMMP<}69GCC#D4m@X|qL$Ko_mk*n9Bs5#hmGOv- zc{Et$<+B)D=rC->S47cA$JCPWR6ZtkzSIR&^@#C{4>KkAxEUYrz%jA8g)*Lyv4{ps z@p{BiVYEu`lO}Em&)H&$OC&x;k*DHWFct?B z1!feC<~XFVwZ@l*xP4jtE8^FYXJ*ttQizgyCYLdAubQ(q(Vt_zoY&;MPKOzHc5W8F zz`kL0lhBUvrs%gszfGD?a2|SOxpxe%+}a=dUBT}OexEQCBPJg}6Rlr^=mV2(36l?O zkhD?Khm;seNWtlN@nC^t6V5t~{n*^c5rBYeQn;La6`V4_pQ9G^ms9tm{hNL z_nisdX8EvvFJYU6A1E+>Gtx7&-H!(M49z0j1@92N)8I@T{U?Jz4)89)y9NJDm_gAa z&O+5MCan1a`?0w_681{i7X+=Dg${&nzX|*Idf|YCUnLx*5aQJ@qWqgFoXSV%I3(q; zl;5fF31z%uhEaS|I%3A)5Ti$B9Fy?}4L%aS#N_@o{>M;Y`b+$A@h8YDyNSNh@j(1- z#*Xkt|3}728K-D4qA-LHOPJ&P(!VAoTE5+A#m)Oggi&Ng~1lNmNwQS>>Y&n3;PW}|)q7NtDT_&%G3V=7be zmBd#j&x`<_pzY;+fjKw)=A9~XE|gO>I9bSN(OtZlS5eKJqjmkISC>;mPE9(|TW)=v zYMH`D1a7XjlsZ!CQsE8Z%I93P3#*cu(Q2MI>dClRMtvHUVPIB{0g)1nk{pa&!8I@| z@;`4~BCDaSOKGt*qAm{@m zHbHD6Swj4X*LB7ZIoF4#h4|~mwMv)M{?Ytd~;^X-|4`YAqTv^D(o;XW`o3cpEsyD~VYg?H@@|0Liy3%^D9tpU&C z>fpuhHp5TU@Ik*_cn9Hk5NF&M6c(VCk(G;=+nuJ&yxS`srF4?gnTqagmg{2Z6`=-v zm(aU~b|uP7_2WFc8Sb9*NA51Xhwz@n`6dkA;PGZIcD+nmA3lZNBdNEfK9ra$(V`yX z?lpJ`_hEB=1@{x2b_PyLb?F8l32=tsOu-StyseQ;j4*OpM&BHo;Ic*Mh|VR=!(h2F zd^#{V{$7Rx;TRw|PjJ4$aS5nJ7@U^o;X=Vhf(Mp?)15OoJ;23+O9Yn^=97_!&uW8= z?S6xg@4;e+h#g9nc{sk2qz`3AHq3+>LAX!Ca0w$Q@P6|1MRArJY52P6;jwJ7@X^A@ z5NDC}KXqixBksnUI4x9@$4MM7aRNmKjI|9+nOWi{nlN%F_G5FCB-}4yG6kNAPhb*? z5llfUdOTp_(C{!mC~=C!sT89X(?TpXj2a5EhlkAhzo&e(O_MWS&I~#X9X=OkqlS{{ zW|}ZIw2aM?Fk8YL3QX5!_()}S0=1O`*(!3yHcn$}|q45}P8IPK@J`}YdlQdt_ z0!mDTN%3gjd)(l{2eA*ETPXMm!HdekiS9{*=LC4M;3a~eBJ8V7Xv@Y3Z(hvPCT;!K zpJAz_Ws;Ut;uDmB4+}YNh0$*h^z=&6t3*FTn(>N~Bbuf0=s#-$^C@m_HU2TtJ%`^e zZVi5wdGW3%M@x>+V_&pDF)ZBg7o@x>@Q}ps}(o5 zN5)F>CUEN#)#8S;u7kL5ueUeK|OHK5zShs8thzo?2JC~ zd7-`TEbKxRLQaL?WMQ-bR*cZ+w6o2rRmWdTMLFllIhPKfvNDmzK5plk_F#y$^QBdi zR+*Y=QMoPyr$X`T0y7%#!SS%UDl#sVQI!TWNMv~^c~vu-_eXSf(KSTZB+X=xD2|UQ zM$)fk!pIQ4wI$S%P?rK9MKz0M40RV7|43*Tt0(?q@%72`b|5&ISkpByoH4@9U4nm1 zbPe&_#a)VDr7biB!F;Hk&aHVJuy2ALv(5lcx z{FUOHl2`d1r^ryhhO5jt??VNvoNFfIY8lOG`0{u>Ry{L%REVT&MYA=ji;E>44G(9v z9qQtY=h`9MT)g-M@rmS>IBSSpt(o(7Mkt!{~P#2Ca!SDi8YAo?* zY9Zx%DJ`im*G7f8v?K@p&W2&|usQWYTR|&1t>v_#!_%m-tstAjpWB);>;V1;o4ZlU zO;XxX;c3`L&4J$~h=lg$96cqaoV!`hEpl$9qv8PaY}Al=TTt0BX+$WU+%Bnuq&p~u z^c%+kop+irI^3F$5;{rfOrbJPUs|BnVDw^UajT12SBD18yJX!ht1B%=!QetS0H5k2 zc(S^gvTe1G>F!c`Na;z1312Hhpw40V`KvsBkMQ2Y`w(Z0vB|V3ZK%pZ_nI@Uw|Dx= z=_e8+X&1J~Tloz2F5_7!EGI~siv24*fqH{^}zHqb% z>blWW^f&39aEbwv@+9R`;tM4<6^nls7+kFhLxb=X3N8{nkT7GHnNWfno1HUdYzS1b zloBbWRCwtqHlkpTa(49E-5~Q~2m2@+EN_Usq4c6JRJDzAOoAC4y~)kpCu6vb5j1!u zn76&ejWoDLOAn92E-a6L-!5(petqg1jClf3|6yUujm7S0_O&^b{>RB0FKYrVW*2m_ zO7q-A<2OC)&oW8;{o*GFK8NEl(5dDDM5kEEXj9*T6@R0H2LgY>pKVAF` z^30C#6;jJEVAc~}#!S;XhX$ru(q>DWLyfl)BVsT^q?CtE;h+R=ZmyI^q|Bqj+o4jI z()^=lEC|J}$7IZxv494{7HwTX-=%1^;c?TZh8Bi}(w>mEh#HeT=AlnWbx#^Sw+?n< zbBjeU5&aZt6^D{BY0J|FZ*Ae>rGl3UUQU>Yj+Pu(7(G9Pf2HVEqMsqn%5))eoo9`` ztcQ=C)ncC$yM``Nm5>x z@`{voRCuXLDeT!~aC^Vdty?enHNmeF=J88%(ML`d1^0$2P3QX{y(#4_DQ{EZHK2q{ zX{dY0gcrlZ@UDdSB)m_7(TVA(@h1Pk==twsCpNc1^hVJi2AWAb$$ez>_>iza7X69n zO{DptWk(81`5ov}<0oD01OJ)$&&6*hUl}}Gb6p|I`06zIg;~RXV~7x@FJ*ltYYQzV z>cP1sdeAsL5d{7!?H z5r?Ztaz~6VzFshD9-@zl{)04=I3`6*bblJ$Y`KU35`0|n3Br6nT_HYL7`u3szubSs zo)mkEERz$uIh1DOHvelpXTsvsg!dHfZ9DQxWK;j^#{l?=fZ z0vr>Am5R?c_!0(=N3JON9Kq)XI4%JzM4xAH=ddc^`GPA6t{hSp6H83*AH}JQX=NHZ(wxNXir}vx}oSxN%N*-1U>2x1|JI5>_&nc3%;B%FETkb z0ZUC@VRW;l{?JWCUn#mNY2NlhTrdhBhp#f;t?*IUO#Id2n+G1X6U@w%@2)YPYtC?U z*NTr3A4{I0Nr;Wf$#HQ;ckC+|bqCQ2q7zB;LSwlcbCSWYH1u$?;1t2BgqeZo7GSC& zzEaTf$&^U=$ksy2^-@|=VJ4uNkN7y>U_$+~eDGUIXf2_Q37F4|6B@a;CKQ+V!i^Gc zlF*KVo`1c{d5ZRCB=7QFt=4Ok|5uHn#A86tuuD_x4d;3rf5Sk}6pD06-5Rc`C3k?1( z-NS`~iv$lO%o~}7)QC@u&hSRHeT)5aiMhR7I7 zgQ3Bw9ju9F@ak~q?-M*+@Cd?;@HFRg2cdmxr16J8#cphFl=#u&$B<_nDmZSe(MLj1 z#)%#;dID+2VOqpZG_>vqJS+}8N$CATClh5MHw!aNIs`;>3`g7pri}~P*n`rhNSjKH z#RwE{sA($Phs@Z=_-n#nC$6hSH&P5*F#32L zj)Bd+Df%tZZ3+hQt(%Tw*)vT9-a5UHu$9n{gJ;B{H@@vgc;Y!rg3-NcZRIfu#*C#J2n|5pPvlw(8vd7m*Cxke-3bFDaJ(qV(@|Rvfd+j zui$-zqqjXC!^id;-8b}_J|Oy6(FaNExlh0v*uNS4zm7f}hXfxM{5xS?CFl5Ju5!eL z6(LtSD&d%fKPd3%Nr|Y6{%P>Ohy2n15`0|n3Br6F3bQdo1{SCN+xWSmF8z=Alj2X2 z=Pkl0aZWq`ui?zaxw+H$$3#~SC4Cgt@vE?4MV&-f9)Cqs;pE|B%ek|#3q^Io6$mpD z(Sa2mWX?8vVPk*jilWaEeeM|=gO=QRM*rBz)8~t>B)T$bJ@%;P6{COf1;)p>_k0!c z7mBY+p0N%(f~li04B3Q(Exk}(LJbKuDewdsmK#AQCs)h(ir0C*w)i^Y>jpj_1#95$ zBIBEf0M!$JvH1Grc~|3-5t9uJ-W}RfE)m>N@TG)#mj>ky%0;Ginc;til652DjfG!M zoW~wqh(hBP1`i39>?VS*6x=kx@kvR^?ka;Db;SX&xn_c|7TlaL1CogjwwU1X8p9L+ z5{)9e@EGB-#2Ja4GM1J1IOBJP!Q%1a6T~NyXNoCE8-%G^lZ-)fT6x~U5XVN@$LL6$GT?}5@&ma0O!FLPpYA`1p?Pl<((4(fi;2wf| z5@tA1lEPS}UPiCj=ns95=-#6HkXDK*#Jsi6-D`OLQ0eI_yr1wi;tF;Q*6>I-cwZlX z>XRe<=n{^*4BKl8?Rtg7XCD2RJDnQ^6G& z{K^y`jzYmjf(HgTD-*q(ox!(;vR1L+62YYbF33XnoIwW9?BatlSnv?RLkY9^#Ev$| z7TJG#m?_`R^2&WuhD#Yig_l{Jg((h38r&vy8yh8fwBRv>d3+Wt6QeV7jy2`qCH`W^ zNf|F?0u|oS2nLoG4t5g_?-YuQlZ4+dd@^x96gh?Y5!8H<1RgNs9&47DF-68y8oaAH zS-BXo_K?vZgxAJ2(bGlG2y_~Hj^((SMql)i5Bx0AvqjG#&Cqa=FWT@?8hzM|!Z5yf zu8c=y%nJtF6SLKH{HPhXhSt8vWXzYbAQdC7^~C?JpmKemG$GvJo;Us?{>m|G<;dKg3+-FYW-Y{i! zILDh(-jeb*6{ZhNJyMdLhDlu9J7(bV^x^+r@HW9e z5M~(wxe+?WV0t0rcZZ1^wu|2(ekXZdZ%!m*0E%lR?k6*r{Oqq_myF#qex||1#OqBd zLgfMdFMcuSf8nb4$k{7rA05UKrdYuD@%=`B6kaq3ME@%KAZdmv6JveQih#uTn;9)b z*Na0k4$JtR29J;S1H77!7~RE+_@a-A{)4ny8x(l9K_YqoY0~|n_Vbsd2QjFO|$o@91e7N#|q@9#@iW)yg6qMpiEP5eCKi>RnR`1a4ep*&JbWlgZAHUJN z!gFY<_wv{kE&X2;zM!3jT`2v_s6fNtmE@Rw%z21B8K~?VmbBc_`Ezh zj(K?l6V47NxkN%k371k}6vZZD(U;2%9)1b-VRMZHHx_((fMYnx$`uA5W%fh3iQp>* zHzgb{Hr`!jbj1*kW}>ea-JCQJgO2{_`r@uJoXsaX__e}ggvT15fd=z57iW07_52Z@ zAUu&c8>CX>(_E6VbJpp|Sff~Mir7@L40kNnbWU^E89ltdr(1}=UUW;+iob-Ucz1)r zBLdt?aBIPB0*nC!ajvbw&xPvlje>6y+>S8Af$tOOYTn-H*5Uia&7yA+eQQ}d-Q8w% zn?T<#x`XIDNbAAiv=Db1+%CW!1$PqM`3#Kah%N>%3h-Tm?-tyZu+K%36Ve8u%|IQ$ zx|w!Pxc%Lw^^n$+nr;xHyqB@@ulOjxM{IAgeaJHK@$o5X?p}kx>fqtNg8K_fs%IM1O zMt2YNgQBO1o?3=ZM5*8CNT8>Qo-TR@>Hot$i%m(1b2AODd%3@lvjoo;JSV{T_!{dT zHh4#C56>0+h~Rl;;AHox!G8w$F~Rc%F97tI38UkpES71 z?H*n%c!}Vr&cKQB?rDQ31$e38WrCL*oQhzqF!Uo@uM+$WVLrLZDe3N6W5+!0 z+0|m76T9XNo9CW4_Tj+3AofMEFP&iryS2tH4eZNeUlF^Gtdew6N^G%v)#$%3^`TfV z`Zdw7m!${0H;n!#&~J)>l)ic^@3|-UfLa<$XwxWe*k%lJeE@@gq~td&(;xOZh~~CMvvUD#`9sqt6fYXQDqB zy_q!cQY>C2Ul?1ffj{z>V!sl*IfBnE17lfVgI^2q`GPA6u3QFAbr%@?Mu4jbzEE)0GjKwzt7h46*ZYcQD zGjM9EyUgIl0d6F?vEa)M#$uIIK{N ziGhs%F3{JCju9POmdjZc+m->6U)+QY&Uvapp!+Xh)yj_W1OzhKLomk=<7wd zB(3ZK`GLE^;JpEECAhWVHiV-W8Jn8s+8TXD_}F%%=$k~hD@&)l_C_}e^v$Ag5q&G^ zXh0I;-E9Vs5Af}RI|#m`44mNZGnMqVE>nwJe?P zx*2^zpu3CiA-ZQ-I?MGkx@w^B5#3vKAJVLf#l;~cC}A63IpBST_Y6K2+k$UDB&v(#cQK0J>{chfapBY`DN);S73DI zKo^QG5sDmx+8g z%!J=VJN|tVhD#Vhfo%zC7{(bGlG zAkC!3mT7bWoN0KuYChPrgwGZ}r!1b3;2t*otborI{)q5-#C1>O(evO@ga5q9ANw)E z^93&;%z!5)#>QYaPou{@@Uc8QN~L&7%ys0c598^)6XCOWznyQUPqe8j|{;F6MT(9>D!FsVd(67 z8L!EBod%DO-lb>+dBf;y$NJE`Df%tZZUL+nRYY%(L^Z%=cuz zPm>Q|WJpG&h=Y$lFd?yuzmyFUHcI%A0#grHb$1^b+^WEb>tn&62;Ni%j&+|J93SA% z1b;4gGhtqGTv7t2jrhXoFRt^4{!;W;qPLJ{IIw7QqWjw5E{i<;jo@zuZw)Xy-X*&4 z41RxxhrbuRP4Ewd*`SDN&6OHBGV(`rrvC1o?Q(X=*%=%(JhLONX0rRqoK6KkCU?o% zE$3%CyaG%Qo#TEnxcnA>f<1!w3f>psO!i^jZ}8{;^G7~_T@&4}`0e5j;#V0l=Ox2P z2VTH$*cUCd9*y(LAt{HY{7!}GAgbWXkC^aB5ROVXCgBeXY|uV4gp{8d{xoa)et#K% z$vQ6U1TALYgCpsjbJ6{6eAj1uu>KK$Qv50Md~nd8I6gKu4%za*X1v?bpW(EOa${9g z$FE`)kA12ukH4Z zKknJ;Vrz)4NtSmFGgvtc?-=T8nUH+chp4uMIuhzqVA?Lu#RLS7V=fEaMdoyUz@Ma^ zoQvhur=ur6HYL?HFt}Gge}YQ{Hxzs+VLrqdjf}Biml+)sKEXB;-B|SHq?w2`L?gct zQ{!-^r7O(3<6VD_CbF)S)sz;?8R}As8Qq{ zuliaUF*0Il@Io*~3-#1EqgRA6TJfS2L?@Ew@$HFoNoE`g&rh<96d9>B7^|E)&|PQn zxG<4<3&Gb5Zb_I42_J`%QRiV^1l+wFOu8g|8g3=2wWKzb7$%epQ)AIZqQtc|d$)~+>vy5A0+)9J#3Hcu9?$+(Q&77~pXSdtsbdbZ< zO7zh2k%-{l-D!NK$NZh>D87^U&g6OV=#8O4Iap@5*mW_fdFYREm!!KTb*03MXKxwI z;fYJ>X2xIF`_pun(L+YhU|_2IT#S^2(aVgQpZklyM@DZMeS#6mPcO{W{4)2NG5s8W zj=nPb$w;HY{05U@9E0GlDp_Sd>CM!LhEjUMTE@2*=x0-X< z_cy**)@SIqr6mOLR;}10Oe4+Rv@dE=NJwB%QH@~$h0{j*$$RAMA}ele7Z3U7w!YT=M}qQrd)9n|AWolCuO*l5mflBX1Fx;rW|SX zD{zF{F6{b}}!`)7)-jO?f9I*>O_FOPN50`79KK2gz@u3Dv{9eUgOxB}}Hk zd*KR)rsZ)^tnt0juEfnfD1M6gsezB?AE+T1e=_7A)5K2~KZ879LEmV^zCHBW znYg_G>hPjoDtejd<)ov} z0>=L0eyuS6u24WfTwnK&vDbxTzbp1VvG0>*+~biP(ARxn^v&UE+#q_R z=nn%u0CkW&_mR;TB>QlGEcz4Cn@BT@D=0+oi%$)ndY6Yk6a2a0%>j;&Pfc`R7+moV z8~~g9Qt(%Tw-9FGf=Mi%54%Q`d~H^>kj}o5^{uR}w0N7)-=s7jtKD)0*mvd}4fErD zFK3&aALuYHGYbpdkH$7B?=N9Hc1?6U@Y}`h#IG+`B%zA@6aI`AP+tw@id~|2i~c## zyoLn#i_z6X*!PIuD|%m`G0}Gny4M(8KYYeLAo^F)2T3y@WYrJLhVXU&n<=eB7=xwEhf6$Zf-2(v7L^+PyoCB`*j5c%0A^<3g_c|}R*NII7iFQo_us$&S# zd1iD8+0pqjD#@rE3=W6mTM#2-&8TU8Y-C(0qiQgC@kv-}w!~FCV}$FjE~AEwn!&)l z3cM@m##ze@u9Cpb)s|651{a48rBJL_#u>oSx#%L3J`cCPo}`N<)u+UKDXjpb+>uQ- zFn-#{ItS+55#Lb!rR4eMVJQPC@-o9$g+fLn;f;k~PCPv1$?9Ol?xk0lRV!S36IoZv zYD%jDP7)WBf)5Q>8GT*&`qNDG)uNk|W)_9+Jn`-tgC7lTh}Q~^5gbdH`3IM>_4CKO zICCxz*;>4u1UZRx7)QAgl)O4S6g$}6X-cawTD7B; zPEtBk;UmYUFs?(K?YfvTEsPAgOUB(Yy3%0yi#QEoH-j_7nrGbw_YmCE;G)b7*UR9m za(z7BBe=KVK7@I9QF-CqCGKA1$A|d@`ik!-K8-xzCdKIHnQrWs$^O_GVl%}?$TH6> z)$FDi@e^%&$}+7HT_k!SX+6JKl@o)>oZ;Vvm@F1vBD|D1FE%X;Yxo-b$_ESv0y0?a5V1qaMxR<% z$%h$zxVfkA6Fpq?2-3X9l-Q&sH`3q{D?L0)@Mytf2=g9s5D_Pq9c%mzGkm;{6F*-3 z1oC{C($E{fU?^7go@hd&_xuSaNw{CaWC{#B24ogtAz!1f4fKPer-+_PTCq}6{D|Orgc*nom+u}m zHge1#_%X5b#V!bJ7H;F?#@<)M$K67)Pl#Pamd_?ergFYImi^5b8(N?i%UB}gDH;rR zRx#GgecIsBb^YO&3SK67d4Tf@F-6h}gSX${;gy0{34Vq!uQ5Nb$UST9?%O=OTI_RT z*8~wzdsiJiRewF6=r6wpBlV9{#@{8!VE?MzLR}n z>^q^v_odjc#BL$W;wTFDSt0M^ipO7@SCHr9IGB?<33)d{|DYAd@e;VyoorH}$g*L11$Sr2Z=PAXP>HglM}ArbEO~ z?xF5C6SG3Q#vzG^CH_vadReg$qg&K!ixIWv_6Y7#xyR)GL6^^cX%SkSG=tQiW}Nl3 zzfXV3I4o_F7{?*g>+C+#yK+1H3PHr zs1)PQGowK`$N4fU$*4?&*O3qxAD7@RF#4i2?8N4(h`vyCRnmNal@@7gC|Aw+Qz0Q& z7hgksP4X-@TLQ?y-1M%NSzW^&tSzgKth%(A;?hx!;Z*9;iT*VH;UZIqd<_Ddt0(nh zsr9K=#onOe%UUTuub~>*z|1Fud5O%1GB2gca!Ep5LNw(>+-0U@hS+E%rLmODsqm>w ziAUd4^bIn6#WUE8%{38zrSPU@a7=9Lt}^`jfHxCI!WnFh0j`CQatD`Mz0TFp6?QUx9F~< zd64<=j1jdkgMEm=TLv*Dzbk0C%tP zM>lxBulRoA)5!B?XXR-@y>!Em*YufIhVV?`5#qc^%utD`^RtY8begBLMdyglCCx03 z6Zf(vp6U9V!Ku2rxdAfrWaQIeyd(JNm{ZJY@C!`&Gh9KTlp-kusql(1+F$PjXZ$az z{uIUHOT?Fw=M`g`Nls}p=nOv7=BPegC&fYFd+ztAuJt)D4l3R zg^gaAB;kGulPU0)VSpgQ{(#YcH1(JJpy(;0r;=va6JsOpA!E~q_#;mfJ6-GyvWm$( zj5Ng*JBE*Z&>wo1@Y%xW5NAwAhUDa?qhkp|^ROvjRPoAODUV2*M}_w`S_8+-{>IM; z_3y{T&lkUdJg+qgEm$$`aih1)^xhuDDWJp({OIdOboYr)|B>l z`Y2j0<_rMxWV6)Eee z@IFWHf_v5Qhr&%*FZ?y(uM_7P*pDbWWvqL{l%Amj(VJ45*{gvn~fo8EZ-hFNK z!I1dA5&f;`t)yAtI$&HW|#xZo3ndF(tq)|d$BZ^N5j=fnSx@RPz% z5$6*cDZqUHXd3$0_(SJ;{H5yaLCAssAKE~)JeZJ^QqAQbToS@8<;Vv+ENyG=b z3U*C&7vi^ztBT)f;*ViZ)@t}O8tffRwb)#B(KSTZB+YXoCF2tiI!m&5SuK;6l=G*k zEvb&Ax|H-SuJ*?M9x7F(aJUIdAl|I#%u`uk}L4L%o$ZYcUv($PE-m#SG4 z+-0Vu@Apb0DUGFEP9^%DOm|lp+b6syn~1$qY*Vrd3?B6aca_nc zRUdbav8zJok!!`qh>a!7Ta=N8FCB3PPYN%Wc)`MY_e z*qg+*3v4Oa_Qtk&(z7>f~^6v8NcbB_fW?U0$)c45fEu#+&-YZPhhe-}Fr8BPkUUQ~a_1E23PCq$mba)X( zC`a-l(v3gR$MYHDGsQ>9GoJABjD`v`Y?^Xy2v)X~94Wa}nCvkj6i(3J=!d?*PHb*~ z=seN+qqZA)c9yRCHkX#;r7SU5Vb12saLWkWaO?c>GA7_gtERpb35cHKM&1JZ!O^A69 z0l?;#N?0agIR$2gxy6}og|XEW{J~d>T_yGzveA6GB!U)D)uNs?r%kMPR?B%#&Kf#; zwDQmq0L$9vyXVb_->U$Xb1%qvQN~L&__Q;wIOYZU)>>1JglKwM$}3XVQQ-|lQ)5z! zd)4TsY5oN3MZYHcb<%pt4J>kR82ij7&%P=4EwOKtO9%@|fBU3J3;+2o3d?IBN6+U|?y=E3i zO5CT$S8e3^&%}Q&elvN!VNW1nI_ zHusH$ZzXJ{5Pc~Ph!kdJx$lf$7J6fSFMgZ&AIS3rT>b^iz+;|$6E?5*7qMN!4hcIc z@Ttz=vQ7DD&*6kMKbaJ}hhajfc1hYT>E|Hv)}`iQ5?Q{Qelh8faQpU1+AC=vB|fNO zHF%WwmCW~>w=XoM9FX^`yo2qgloO)dQa6dW6Lfa2AiubqmGQa zG*l`?g9OT87a3k9beXOv{9@ttiASHNA-OEPG%&thDB@irzM=R_$@6LA!-0Bvw!6%P zdf~xnB%!f{%PH^#(RNYit}y-Eree$yd`lyltsluGcfZYrbTz|26K*uqGl^Ot>v_#!&9VX zsC!sj!)JyU?v28465ftDZx^01Og)H%ho|di3AaeNl>)zXF?q&f0W^Fo%^l)y zGwZLAOmCOfLDn6#^pZni^G;)%g&=hl+evI^vcBvX7l&GCq2r7e{Epbg%;VuKcgeh4 zW>=cLcGS7@ktn(u{zz!S?=HND@Sen#kB8;FnOu9B)ao}J3Y)t}Qg2CpC^5P6`r~m! z?lt~I2vcA2{lupQ-ZufdbmO~)nq!9eOz{!&{FKb&CzM@$GRwrj!-=vb=19z?$Rv)r zl@eWlgE#TJ4>mVIaGv0NgJbbwyujebH9cG?xJd9ogJY5~DUiV%!;y;xmk2Hma9k{M zuR#XSjrB(!EO?0Ep#e_INKSRb4BqvQhwl?ST<{3O%oyX76LIK~Mt|AO)1yR>7CnZv zp72RYM_(Q(>l&QWc0}gJv~kIbkQ?N^PwzBQwav&6HHhciZHVz%$6`G2>!zl<^wfh zU-7d z%*Y{}=bkjWXP_60ULyLbKqKX1!Jns%-Wn3vQqjvqFDK2&;RBM0H>z72eDB&dvj7?N@i#V;I zb8F2Q7zV(+EaMd!>u4yK*2g{fs^Ncx^toR6YrqL6Q0B*qk?sRiI!*JJyFtoEDIemu^h&*$@L@7i zilKANI6pG$|Jr)%V_Bcb+JxU|0kCi|7C}TxMQy>93v<2lnUv3^Y^K6kN-xC6kZkvb z;j_15FE;n3@UMh#2{>M4e3N}`c+cDX(Z3P?t?;eH8L3Q2N$xwNPliqkyLsKX@}rWDN&15lLx%-=ITI_2>wlUtWwQi)LXdG>#t9lM z8c`2}WcRl@&6oKr`bW-5Ij88TzZC{ru;6Q*U;Z`mV7eDiODs1@bp!k=^GHZZQhC#r z$DU~IU|*pR-C5X$+JS@$6c`DNyOhw?hDq7zB8 zu$YJ$ec87s$@saWNrO)opCUe$Jg+k~9y6U@XK>ebV$s`3@b!XQ1{j@sV%!Y|4<6&; zR)Sj#ZbO)b>SWY$%k}_@ac#|&D|{J7Adz< zVU#AJt6h@2&FGDxv~#=Y4x;Y}baHY6CdIka=$1=#X!I=--AQz3($Pi%-_=r2f$L)0 zfKV;EOWNJix>94c1>Gx|V_?t&+ts_7^+rgl-DUNV)sq%;v&7VRZ}c*w{CFR{dt~&M z(T4_;0*V4?lgy8C_nNRS)J*$I=qDkK0&jV848G2#8+_;yfAkE&nSvt$#={@uvJ74p z9{X&;If8QuGw?}C@xHr4e>3Jz_lF-KBTq&?4L&&>vw>%!!0<@KXQqY1i-Zp(u6!kh z3lln{i+O*rxnj{JqDupf5km2CZjjL(Uhwo_(L+QJC9P^!Vk{?;cEgN+{2|ZZCw{p2 z5#*UlIZYDE3dQKfGSZal?S1e^Nf|9=3>5`GHWou{#-5>hJFvNNqQ{G#K$;0CK0Yoj zGgGfNym}{^RsVKLSnEsH{jw(0;$;-&<`tF{$G8WKe>_C#gW{)%pGuymPr^K~?jeKE zndT2ZP4INVGYn>g&NMhLypv`Lo-KGzfYDn}N zz2%=a>9$+Ev{ceENy{m*NP+SZ8d?gnqF_m0u0 zL+W`~^n0S;C(ZC?Sz(621U)S7Q!}n zOjMZY5DUxjgc;~}WYW#e{Q16-^sS_=lz2I@$!G=n&fun@4D!9;ZGwLYa6EdWxE~Gv z_9lPi?Sgj*-bt9ZA^{`R;@nSXXy@r&qIZk_nY6M9O!MV_F}TZA5APAYSMWZHZBIeQp0~(vk22{!7wvNhc^V*A3Md(oz z$;2t$zve7&=AF}W%3;_Yx*FkEF~yGiEX9_`j%dXo{)oSvv#<*l1MwBe^Wx(Z6A}~M z*+y^Z;^~T_&k=ntX<1R2`Y{5v%fIrmG=K^J z7hd>HBwQ(>DFucnDK3dEh*uf@*aO&$%{3E#weaS|S!9kuS>nG%=4;F>#y=3Pq_vjDm6m$cf)>67=MIbZlZYTYM?(N- zT8us)BdU3wi{wmnH%V_tozGxMzQ|);dvj)o1aq^TTjbnIhfjO7xQZ9I(!p(JO%J#A zc3B-{-EqcJ(Jy+h+?{4s4OT~4on&-yB`c8k+2{>MmJ#%j!x?4*_4|czqgPk&V<(dP=w7DODK_0`d z=0p?P1!0ne`z1{NuYd~T117W&!h;f~NSI0?nw6v~D?uf~jJ#k>lQCV!3>vz{Og%FV zKEZvw39|&x7Cgt`6kP4Y2DcCS^IXA?2%cv!zXUyM@GarUj|rYHcmZMM&8Qv5Vy!X5 z{}&1q3xz)+d=YWJPdQOvabz&M6S^l&i8-pEmvf7yERpgQ6`ndTG6?e>8NBp*|C}!s zyiD+N!pw=#?1xeovphCst}yHWLa0{CS|#flT6}}CNs`lMJZt=n^Zi*?i+@i18uGj; zsVOP$d1H&M1|jxEu`iL;eZqt5)*5^qIyd*S;8z5%BOFR*@$OZlD}-RL7yX*(*Gcn5 zrxBa@4vgRzXs#ajhM67i^B3@@%(rB|O_R|S&2x*r^^RG$4)WH!vfh*RKCLRSu;8UD z9*o7ny!U~5_cig}26-FheMpZb$mq&a#nBSvM<&&|!b=}Z`b5$uN<10Mb(xVt=)G9P z3v{2FS22|DK9l#kyv_9ZHMC5>x;%7pLh+L$vA!^SeduBLrR=X{Z=uaQn}%ohYh$zD z#x88`8?oPt-Aa~sHX$J;)_rI2cM-AW-1maF3I2gF6F%ApLP7FJQ=T5>mF-e?NZCn6 zVL>kYld*F{SaylsE%s-!Ou-CGTuP$*#rSO@ID5qJ6~B)>-|~3G(H8)tpZPh$oN={% zcn-+=oEteFd2-ouRhj7h%?@$&Mt_JyI>cce;&&c`={qql8CCluM*nY^r;mz0 zCi)N3jDWZ#e2p-6W2i;{CHA=36J(j9)A&qUgTvoutq9TfkF1ljPSIj`;^R_Mlij~Y zH@wY<=d|c@lU3Egug;Me7gwe{Rvx>f1*-I+-Z~4rP~nhOffmn^6rY6r^lYPxrg*xd z=yOD$OPa|(4W$k}C~?Ut37FaUJoAQxD>+|YC3%(U@hq`;J^52T`MU@QYQM$JNa zittq8y#EOa$r!wHozZI|o^B!fdeJS*(irJ%^h<$mCAzifHf8Bl*VgE@fxc1nO`_YC zq45!|z0t1(`exC$h`zN9jpnS|jD9!Jw~Ou|`i?VnDz5TQqYnkTqv%eeI~$FunBrU) zqsL|WIJryo-J-jerQ=;UqsIrjyXYRGd!C`=F~w*vqjv`S9?`u;_bE%qxqFTNDbRgI z_Y<8)nuS454^gTPROx0s+rTHs3>ld+A~Y)S?#IL;G+9Qk4U_O^i_Q_9Tb7P@{f%B1 z=mDbhMCX^K6J3GP>jPaVx=8fEGBk2KXY__Z7mF?tU1~JyOtEf|(Qjt@J2Y7I5Ya=+ z&`4RsjNTOJ`$P{HJ>m?FPc&|%(a(ppGD`Gl(PPTcXf_yY^twQg6Fpw^gtBy^n`rd< zKu;2Vzv#(jX>>U<`n5nmD0+(Msb%S8_mI)A2YQ<5>7r+pq2ur|!RWUGJxla#(Q}MW zLIbCJ*yt6xKECIQenj-VGBhg8j~cx;(2t3pFM2^)I>|k5^vi)>DEbM}i_XxTdh1D} zXZ80XSuA>q=%>ok=xJp1>_9ISy-f7-vUIXrVf36puN1vX^fN{$$07!wHG0$lAClFg zpA)_244sJb{PRX9<$3xA(JzXAsSJ(95Z4;rDbO#Aens@UGBm!hylQl}K(815n&{Wd z(h2Sjqk9MXP0??Oe%okN7n9sOMqksij=s4zX9~fON&C?r1ZxsEZ(RlY@ zEd-;V3u*9U(VvLkRF+P3pBnu_pg$A+x#-PhXpAxb!su56{iW!yL~kiWqx$!?(H{i* z8`0m2-b$M9Q6!)FM&xNl#-wWO*_y@uj0JHp&=zcW%yioAiE_#RPoq@*8Fz7G* zlhMfsd<5Yjovsji*JILl;kc1Hf;n&Z3T2$VG+G?W{a@M+={8!c?JWVHXPK zvMSJG1Bki{Li1e!&o*sh=rmYS+BwqBr53F_V_siO4}i%((P#NQv%W6zk#)YTO0p`` zV!Ii-M6>r7h7*`@PmUL=NVrf!RSF@!rMhZHUl3xTy676BYmz?O-#O$RwG6*KL~m{3 zb%fU?&gvgVMWH)Ybk@_0%(*6vZ>T5dVmbBcu!@P=73KuS1g6G65Tf@I@eRdaNU9npufb?DZ5yZ8>`?+AP`mI7vaxzqRoWBu_viti-8bKo%~ zG&+*m`27EQ{x0!%i|5K7(GLN>i$SjIX2wI|<3@KGJ!JHx!Ao|f1%vV6=DJ=c+&RXd z;vNaTCG?@d;=4L6;~H|^y=RP;-smf%pNupbe6%n~H)8wA<8G9&1XtvlKvAJaVd_;rq`Wt?G2>bxydBXFF^J;w;cFc2X!ivy^y--4tgn<+o zmWDXcjxxx(nTC#8>CZ4r=xm{Lh*km`rY_eD>0y($hN(#AN_s@n zJW7n)kS`&PK5ELpAxC;l%6uscs4#AWlItEfW8hlGA6|5HgoZvM9&c{f5_q@T|TKglvAoxYWFA?VRo?e=jg>Rp3t?{$AVK+AS zviMiTuOrXrCL`MS`BlT~hequ6!e0~qI&oigz>=qL7+p2Is@@d+mgu)hGh#3xtP~w_ zFeLUJGj2Z52mf8{n&{rcZx{DIeieLVDQUQDh#u?iUks4r4zyw@1QW3HySO8PU{gxo*D+DSvz6fP`Nq9HgL(pcK;v zv2SFq`^}UVUwGw^l*3Yfr^3{jmYa!(?ugOrLMCuj^fA$YkY@IjR+`PvJ-X}ePm|ua zp$L+WOFBV`*NyK)Smp?4`P+owPx>(ZBjKckQxtR=gHX&s`8Sg5{x#+9a2cniltWhz z)G_d@b7a9l`6}0y$DU}iY85(CoP}MeUP!1wfmf2BmX}pppb3I<-PtBR+{WL*ijvNe zbS@VCQVdj9rlf3i`44)PTPgW6rq4282`MCS*fKkni zw&6mm%cvovCJnw^P*195Xllp>YYVL-v@TIzGX`Ika0Y)pNf(*)eWJgBdXg@dRG$)a zLkvnnC%|0S!1x>5dj1me4aHwdo);X=J>6x7&kUJoBjJsOUmoz{9E{4tFlEC>;M)#2 z*F^Z0!kZFTaz$pC=dLn(Ye;#`L|-ksIcdJH@x*22W<%kpfLwQtX?KQV^tIArq{UKW zf-S9G#{#X2?-JsDKJzeLyM5~l8incZbP!@6w#@qd3YR{Q!nJY>r6QM zDfVM?EhJnop=A&_A2FtCK;6NF!Z4jtD+#S7vFOr8HQ}Q0Irl~hH%VwmfyKmJ zOa#&1*!s=<#omlvs59Ufbq4$@x73$O&Rl~4-G-gfr>*NIT>xe~mD54a9dwwiOA1Rf zaxx1CV>vZ5wuBBo9c6Tq(V517s!W)9u!}h>2KbQOg=E zdWz_&q?HnoNk3$4`w*AY#7-AGgREYD{P2&*3+aBQDZRoCn)zn zhS1NI@Q8$Y6!dV}pi#_jWKPvwe+`exnJ;HSa5O<=1odWgZhhRGjBKKpEhOl2!EQTQkF?sPNgywHUq^MxzbFu zfMEc$S=GaXu~OD5SM$?yFieQimo29vT5CqT@Vb3j z#w#+`(ctSpeXx7g(1|}_4>q@6=xah>C(1W@w6Q1My5(#@o$NLo4nrS(R$50 zhTj|B`x-H+y+8xq8JIXmR+q{Ez}(51Vdj9nZS z``aaUx7eS_D(CRclf~)o7gJ7cz)`TdJyP~c*+)e$2d|{N{brm9#sL|>$~Z`a0ZK=L z`_0(eTXgVp?vU8SVt*&AdmJsdxFg0FgksB4@yEpfL7uk&^K2tJ|1^5p;Gk1_{V9Lj#G5!)M4W(Qf z6n1vwTnYFXahWN-LJ!GCQW{ISoJxpS40txWR*2UoqOTO)lr#&5>FH@D?ka;Thj?lx z_-et;2{T$*13+rJ#_+u%f4Ww9jPO|Ed@|IeoIc3K8Nc9X?8fHe#V3eQ3_M>WDA2nk z<14N5DJU7cCb|^-c5$irEn6Z;ch_N0G_CFlC4v?bu9wh~0;47$eKFJB4Mv~e#vi_w z=+>g!1e!10WY^Z{+94uu6n&HEcBGjcqFH_Vpj_A9j1D2QzgfmDGH#{8=;G%XNO$Qb%??tAq)bT>N<5XdWZ<^sx-7HiR`T~f8@ndD9Q<~1x%gEiAU9wO zR=VqtJ<((p2`yLyB;-lRr*MH{jf=3bu@D8ibXQETyFtcZA4*Mw#Salblsq3-eo9AwfnkPs4Br{=6Fyw{2;$5N zP?jrpBMlx=!$;C6!J`F_A;hjUk9}_-b_yXd5eA3fgdRjI<;upHdO}XSN zAD)F$o{+ML3hz={e@v$Eq``GIdU&zmC4!$K%-|GYevqUz_q5?xgvq3r3STCCx#8%O zJ9wa5Vfe)XUnzW*@MnlegOZryo;A332+C@~&k0^bm_;f~jOU&=HoLY@TrY@yQS3`( zc|T+0FjIzGYjoE-|BtFOfwQst|F~cNN?PnYWnZ$*+_|&0Y0)BSp+pIHX6`Izx#Qd! zj3^2bB}pk;i?USKk`}3~MIj_*jfAvWic0?9&*z@+*X?=zUi12Oz2DDs&Uwyro^#G~ z79YuXNiQS)9_UywWKj6~2G`JFd_ed^!pi}pOe~V+lx4eaSrqRhGummZd&8CZl~SefZ;aIV7Z z32z|$g~Fl!vX;r02G`Z7ZX~>k@MeSaWt7-g2Dean3*oJVw;9}Dri*`Va4m(m6aI$q z4uzA`Wjn`j4bB}Y@sPuPM|daUU4W5(`FSosI*C4{5OqgPIIvqz zB!~Nn!chu8LqH_ZtA`=6(pdh*l*oDh8oyHcjmqy(aAVWbC0iad_?5*tyPW?x;S+>U z0*=)M_%3jN7(Yi}1%Hx1MgBB+oIEo@_Q?3l;91%v{+sYWgwFuRaZ*V%{r zEa`GjvJD`A8Iv7SW)cbA#*P6r>J%V{*C(HI7r+kphxA4$G~VuOw*=KP{gQ##G)G=~$ritHUN z1#dRKUL%c2Vc7`WpaVrJGw`h1e5KkbU zsJL{5xstvvV0gX^mc!wahzE%$14q6u3dyoD!M-lV_+I+TNhO~~J{>#)FH?+UiF0?Q z;qMjU2N-q#ENMAgrQG#5tCQBr^Jx{(Dujh*2JWZq z4k%e(UiU>NW$0~w~2Gce{`)6T9kYV`BL!6#3i8|-~$aGug$nY z#0L{E1I}C%EpkJQ4NUN-eu(T)vcte4L9_D;WL(z6MpxJGu#b=)PI`pWNl8JODD|k( z;VyCtIoxBUN0J@|8o`ztzw9~WMjL*W7V?i1A47aBaNI3fAt}*4VQ^YaoLSB?j_`QG zPXcB}kagpv25RfF6!2A4+{u^es^;b#d?28>gu$}F}-_ngsB zOe0**Jx_WH=@&pV)amj(zi9A`<{q9(cpBm9fKm7&x1{7@ck>x$WNKEKN#i9NFT+5t zM1PLU;!u>5GWUvEZM941Ra&!Xy#@<8AhWo@y>9G8ovJ*W>>RRl!Qw6rD2-s1_<4q( z7~nI^8^qrv{uXd#_}HirS!Nv4e3Mq_u#g3m7E)RS2`{QpVR30}ctq4KHYfLU`6oHt z5;||wc}JaskbJe^C+etMYEGH<*St$-8J+jwAbqp3xe*uqf8UHrb$oO_pz$G% z`EHY=t4@4m(%qH3w1U#dls><3D@IHkDi89~ddxQ5T^2D+O0^tLMe^59fm?{&C4gLqWO%C@X;X{NE z1I7zZI&cPt%cO~S#Ds;~f%6lEqZEFIz;Mfe5%-J1^EBMQ68??w?|^ak*ceYa`!N&B z>lcyZ6i!e$34uil>ZE@d+@J8x;pl!KQV-Bmk2E0eB5x+-YAUo&%M z;}y9>)r^1m2OrhyI4M!q@x9F8N;iA>a>9)WH;#i-T@!<=DBP5AGs4XQ@G>;Wg6Xw7MVQjk(IBxHw(d}5Be6r+=S`7ouDP9vSJbU+sI zOmSBly*Sk;>{X<%CVkC08j~uoHF~Gg9Z6qD`g+hPCGv_QPPToQ2@p4!v0Xa{ZluwP z#!WDg-9pma1O8^?|F_YH=N9s}lJBg1W+P^7W_4bu+kqZ=a6c3ExBbUcksjp-d-j_aYfofnmly%(`Ngzr=mC zdeZ6zD^@-QlimFWKcchcA0XVD@Ph^?%Cen(3?8qwy1s<_5e@;ygD8VEU52rB+xW0& zlFcF;28&K~sYYSajciXDDU$YYwrSyj*K(-kQpTM>q^581Wg7KI2oEPb z0x3%bb5_8B~6F4JWgc{m9eUXq8T!w zOQu`NOaoK8=#w*!%6KYILP1p|D%D7NaGo-Ji~K(vZi4)u(e7#a+s#dszq}inWhI!E zQ0AVIUt({uOpWy<3eQrQ3<0GO+Ba$LIiriZ@a$6cCq0Gq3-PopTxxVg>8Yfrk)95k z$uIR%H^bm(PWn^NB>WQLmjNS}W=RjkE5qfu*mQRz} zr00;H3mQpS8ZC~NWV?BWC+pC@H;BJU{4L zg_9PQb&O+qVX{cwuVNBp@7kCu61J%tSvzJP$chux0kP4lJUOAj$f zvNbaCO~f}VE*sFHnf8_8nYv>x9-Pr`EAef>V~x$IytB2j`L$VFG!olseM4&pEWGb! z#>2q8fwEyK)-3wgq`i}UM82c6lhQ6oC@)y%+(PND$P48Z$+lrx?ua>iU-c3B ziOx|vKf}Qtkr~sn<(B)!@K5y<>#xLrBmO&Z=BkoXdA4PX1LIdb<4=E_{0Z_W!6R|; zl~@K|%hm`Y{bABO{k`-jrBjqnL*i>)z706+fX+pz{xYkl7OsEO`iIsTSO{7s=hH;p zzs7gnBR|XG&XO-DJxS6)kiVWU!Ek4Hp8OCiTqo@Fe0ljvnh4}8fJbJRkLxnLTlW4q z--N*z`)FK1p(2F~A)sK(91=zo!RTVW*%y(%nDiw|=a*(k*0|K@J^IC{GU+O$t14X_ zkuFeI&FBI88Lc|$8l-E2M$n};i++Duztn{Ng+A!DDb%4*7Xq?(ro4Bg>qfpxxq7A? z)QVeuDh;SKgo5OkWvyIZsK{Mrd|R!%T~59c`NrT;WEP`E)WqO<`g(3kxEbN*fRT;P zRWl@wTA1{tK5#85wW8D-5*~+;W+TaZSD4d7Gf^8lZRxawgHTDCS>)Oq{C!WKN*xF% z5KaV)e2O$ZH!B?-m9c#Eu+E@Mq7|f-42$_xW-eePL5lI?^v+(^6= z@tc6-W`v?;g|d@5XMDMvO?rKk{F@x^7D~5L>I?}tBi^~qoR^>T7wSUib~;_*ASPPK z%7+0nrsyrdlLj{5>E0^EhakvEFy|pQ@XF*I&*Th$`qwjLZ=iCiWsYHNW;OD zOGo+345BiaN*R>cyQ)YQDsV##59qtu=c4+D-+$>+#SX$?zDL)s1IRNE{6B!_#1 z&Tu*-)RAl*YtBeH^QbwMbyCY?bVkw{rA{bAn%pwVD^Gg3N1GG*)L-XuI%DXJg=6&x zwwv4&ri|0PJ&wwFDo;W|>?P-62Fz22|8-QCO#23GHVQvx@U|(tNbML&yt@E z9wnbF+m-5`Gx#V5$MtnMOWa@yd=_|_= z8QnhM>6xToBKG^0NQgWcADJ=jc7K5tG(M*B2@J+PAfLBBHTdb;NL)$Ym4sIjUJV$T zPww8zInwR6#`tj!{K?mnUq}8k@Hlx2zMXw;@S(?XYB~9O!W#&Gp>UdH5cj3Qbr*Vg zBjHViHv>jQF~R_~HrYejj0F8ixP``68rxtnZ)b#^yq>={ysJLR+lhZed(Cz(_)wL?sJ^xMPMN)e$(yiJu^TQgO7=W#Z%?hM&{{wSN*nMf@~yB%-9a zY%2Vh(SK`_|4sTI(q}*;5wqB8&XC1E+`p#0uY-KgQYj}DHfb5iU&b{Ml#Nu*lmCjn zC)2dQwY>Z!%>u#|&cQOa=X`^ED0~6oii9r&jA934+kG2Nx{WHC)m^K~7ty+y)+Mki zi^UopzNF?9@vGgX=Dno#y2|vb(5ng$_g8jCb=8b*@rJ*@)ydW%TN5m9S#~HIDG0e* zhHuw=R-1So;&p-JvC0S+43r^)(j`>Sj3#;?>eFaIqah4rpirL7mblE|YU|`TIo#!h z8xd{{7`J$cbYK^`CPr^u?8DxabTiV;L8Ez-9VsXXWl1+@3ljp`P;N<~6@}I+WXksy z%$j!CJvnxhAKZt~NO;;%XiK3T1e9m8-8ZKww>N%`wpTikPavNN9BZ*RwQZgiD4p}8c254o;rv!YOO)+cwJ>E*Cl}0Na7SpvrhHGAF@b#a` zndER+5x$!6HGq+>GR#e8KwoS0r>hB+Z4)_n$QgLKdC^sUnmuxe}>esX!8o4y`VBqxVnsNONE*R=hpHH}ea3SDWkFJal zGIq(o;^Pz%vc+TvfJHo|fG!G^3~|o*<61OC$(N8X1&>@QBQPad1{&Q;8yka24<=m( z8WAm)Rc<2kf{wT$X8io15BozjhSC@Y0~rUeXvs98f?S8DdF+ATtwDN(%5W+ppkQ=O zZmE0J(9W&=*&ic1lISR)ysNTnbwOm18*O|gy{nItA47gDc*HheRtX5ZCyf4|R@BCk z9#8s7(8yxab>kxW?kU5+)Q+18#GfWUQE?}u>s^+6#_+Y;rkF(hS>ls{BP~lpg@xh5 zkSv?^oEcy1;H>9qOrh}t48#_TEJ}pki^dQ8Nq&~YO(j2#{B-chWch>Sd75ExMUCuC z!Y>hi88A{klIvbE^d;?kd6noaqOSqPdHa{jr<&IdUYg=>(QLwV2+swK%pB_>NG~M42sAUJY+)!JuJSTpY{p`(s4t=MHjQ^+ z;D+W)$C`AuEH!+Vw(#F2zKr;Lz|o3eCt^f0*uYS}6y5KeHsBBWS2^4V)IOxP92#y@ zLAWG0lu_nBGXAoweXLiI|CszI;1Q|}Cy$_fEHJ#&PMlm$zmoVW;;Vt<%@C3uu?taB zt}$Vv){@s!SV!SA2)JFC%jG^dc)RxdtS7vI@E3q_3x*5|=jFIBjZRu6z#i>?$OoLdr0pky$>`3ErY3K?GN|8;XT(Q6cUd8#19bv0XXUt zvA%6A1C$wc2Ti(LJGg(ObcoVnNNBz1hC>AJ z{gu(Oc_?ImG2xHT5j+XtuM~cx@H+&gYDTFnvw6(m5jw=`IN=k7Pb!?4mXhrLFnE14 zo>&G55k5uu^f_1tto&v05rzLI{14$X3KwN&$m&7{cfHF;@~r$c+LfEgYQFqssZdlP zwLSiZm~TiI-1tVXo{W zB!l5(27oEGv3^1PUHr8Lk!$OYXST`1ezNL@JZ7LcS_^Bz}%;{q3q5yh{fF zRVQ47a81DI6_XaCoI97}ENYqaxHc4P)2TzJE*uv6D__PM46dH>C0hE_C*Od4L-5Gm zC6Tg7melqQucWIzUQWCb@y5WB+loT@vPZYnl$)54eW#CbQwq%}G*=?!+fyDJR-@H@Gx9Ig%FwuIX$ES*&W*WTdejmVaB9SA27PK<+7 zUBKY&3MUZ`5>5u(P|hN~!B_}G#(cE&=|trwC@A`5gAo~4eY4T|SIdubxLZiyO1iVs$tgkE|Km2J8xJQe(*j7}PP*$k zI$7pF++lQcrSBwt7wNm>=|tDf=$1-%Cw&j;dzD7G1FnbB1sd-ANcSY&E1nLz`;9JC z`T^3tNk6D`2qTPLAERfi^0Dkox*zEfXgpw2CCJ1ay$s`D)WQCl_!!Q+k==E-)y z*#>`gtAAQ@2g`pINK|q)WMPw>oZl284df1FzS~-7&#&8-VVBke7>#D|9s^MH; zllCY1%REMDB&AW1a2feT?;^6Ksf-;mV}%xAkJA`KW2_n(P8zehnD_LA8NX?vG>*o2 z8c)K&GgeY6qmA5CM&J0d577kDPm`Vq8X*c77Uz~lrDpG*F{9;$-k3z=SsIgJ@Uf4D z2m^zkGv$N^>3J$ssJs9LLE`;$FB-j3Z{AeW(@0MTjdwz^v`=#i-3-IO%JSivN&F?^ zF9SymIIoJ?=@m1uaRd(cDven*UW0)cM2n?eC~LV&-{9+}MC8jqmDyD0P?-zG7hJM0 z@jRmk=_CCH={HHg1sbggOq`oNH6rWjY@qW69NdHKfiil?*dFzKBsP-WM0PV+WQg!!NhC~t zE^}X*a!(bnY@xE1$~Gt{SF^(d6W!P6;2Iv@PWT(bI{+h5^NUKe&<6U}_+eTJ`HuWf z^1HwzzLr6yM{Tz`g_=Y6(Ai689~?XexuGKINyk;bH)FN7L-x}+K;s7(xD6#Tb63Xm zX1RkV9MjL2KT?yLR zl?^2Hb$=NtEphHMD|u8k{9s?in@@c0^d+EC zcxK3KqI_u(7`{MfJXR)Ng?LrqxIa=f$Qrh?9+2^04fLn4PQC{Dn&5GNEDN|=X4KXk zP@6^_8g*eHm*wU~i#f==o(VH_R7!mc4Jb5(5TE%mB=ItH3N-UyPNxx_#&BXevp|;Y zXM=Tp}&NsJqsr zVto=jQo4@P^^kB48Pq1dZ)ZJ!6M{Ou}p>R8et`Lw!T7pVb^bS+jPeN$mH7mSZo^O4AxpGLa^`P1IrKHBgB`rJKEd<^liz+>4d?kesHvmPk*cVZl^@wA?Vg-^w@ zID(T=YElu4Wy7b;JF3}m0==i{O@znzOMill6*9Wcb^a=oNIy$@veMZFp+VA4FuGwa zPd`t33h5U><6aa??hc1a-HXOQsvl3MlAlI?I(Q^htg`B67`{et^-SU~5r0{6HbbKB z6~i}cJLFa3vxvV29HGgPh1Ai?dENMF+Fv%C{2cOg!Q)xuJe_R$(j9g4Oxc|1Bm4%H zH>tb@1%39VMNte4m8A?>`J8WBKOOqFfZ9T8i=g33SbI4(%h)Y8Wx5W_G;K()w;SA|Y zkvjJ=6CTiUi^nOPpl}ibo@bffEuAk>_lNO~w6pS0@~6n329FD5xYDSM43D_KOi0}+ zzsuqNrtlAiGY}8~xj;@trWF`|p`QON@pAIGb#wodzdXORr9z^}o(1wt>}_~>FU~IK zFE2kyqk%#N2snRcgo|&SZ}@YENtbgM5U)u5Ld6H6`sQ3E!#ls}lm8;(7Zbk(I9>?) z+~%Q3l4j(k=3y8i4p*686?#?Sp&lpWU0gL|uesE-)ydW%TN5lE#bVi5#nm#nn|AEf zCR~Sb-E(kBz|}LjpThMCHz3>)Fm9Giun#4rB&E8`Oz8Z856a~f8c}Er0oi|GURXY6 zH!=F#xt?xHx*6%_N=x%j))H!A^j2MIq9y58q+5eVvCcPvbl{_mmT_EHnARfTFVcou zTWal~AxJXpNd}3uH@f;1Pj?`lKspgLsunT}D>qz}ftC233z*dD5-%lD3Q|gjgiGLi zk!)LR^f0AUNvDxc2aPvCG%qKb6GB;jr5TAjTJ|a$SJSu#25y6VkBvq#Mc`T!7QN*I z)RDq<6t0JWOO%CW6*-qz7IHV3(Q&aiZluwP#!WEz6qGut0=t_HU#pWMZXtdv@y@{U z)XR`Kd1|uUZN~S|p>SQu-%h?Ocvk3HXvxla@*2OxoT{3w@1%1Vox9;6NQnt$VJRHD z8U8;V@7taDJ;d(?jwdD|t*`50>@nmRIoy3@dy?%1mQPHixUak4;M4j!@BzZT2|oxJ zagDV)`?@~Hqprh~_a)ztd#NMoH(^}9Kl=g-3n?sufPe>rDYEv)Vxw2^3!PdvHb1kK9Rqq zGi7~_0{5x>XRQ9SL~GD1Nv|Tk8Z_#;;la|uB-uWekJp&BPJ3I{(ppFBGgv5X2g%wG zpBww-8$LYi$!;L~1z3b$HfomzaKAKqKTaTr+ems7>CK>#I%w{sFe86uMpT3#$wbEjf zO$wuKxADDo1(`kM_mbZS9wmd!Iw^|ylHq%EKK@1iNe;K4&H*|Gh79HRB6NRG`eujXA%EA{(Nm_}?FQ&}VnEXoR zH!8nFL8veT+~q~3^ZS??<8`LtaT+IRoP>e9jr*7C{xG^k@7tj)2rRLVWe)`0wF63LiijC(J0=gBXzr{QlM zQe0kslGXr)3J_v1`w&(DbLSh6p`bY21>`G|zYsjaFSB@DC1X!s;n|DGUQG59Wy6Ez z6N0hx^!chxwhGy*U{Msx6BBUN4EFD#a;`ez8iZ>C#!V{7%Vw8?EG%k9lWTlXYSXAg zqb`hC)+v(8p{%Y~&xCqcdZ9jr1{4~a;4k4WGoi6w;c^O%C^UwEY!D2j$}Em1M$Ze$ zk8-%Cq??g$9!JX(do7G!sB}xxtw^^9ji*lU)y^ z2Y2-JeWZJm?xi%!C0SO~=u$109w6PD^n;*L4#;8vWtsAd=wtlg?f&e2$@e240?#a2 zT9PS`Q-oaEbpIn673=T$nh=)498mpSLS*G*}r z%4{lgsLX|e`{5O-1kE#}u^MmCc$3CkFpvooQ4GvC_~XmuH#yt_!V3v6QaCj!E!{0P zxXla?FCqLk;dcP@m6x2BF53tg-8x|EFX8(pUK2c$nFy&N};){}rnVT&s=gJ%slX-Uk?6P4dtN5^Vn$_q}Ol`snVbc7WOs&`>yJ zhNNc?MfyP#CTdIMM+%219EN~LBvYna$Q)Lg{o#(7a?KI>7dhNdRE|>l84A)hN2)Ys z?iZsMYlYxf(!Y`Z9W-uPp>+AWV+OC%X%xo^pCEiv;l%WWboYnBi<%=85{^F!pCWu3 zFv5|X9F$q+e;K{+VZzewPx>FyXFwwyveI#?``6%|B_2LYxZGq`^W|?0PL=fy&XfO& z-Ktt6JX~IWk}5vo3V>P443sZ$vJ{7W&OYCiWtaM_Z~>KyR4#;~K~Hg&jNY$7zlik3 zq%Q%DypV%wq_U@kv`BH0OHJE+nZHP7YE`IJg@(sAGPq3U?YnA*x6>D1b>cOM*949P zlIgz%u9m?Kv?frSa2>*R0VAKuAhxVQ(&lybOsJ)U9xkb}m3sY`5E&n2iYe}UQ zmDW&jD^i1r=}GPiqqk_0+=g^p((OPa8YQK&YO;K7&2jC`h-f{i1C0b4i7;?}nRp|~ z6fnAed4JE6NC!zLgJw}HYpct#|XDQY{Wn~=s zkitQ}H=EZ-tDv{gyOmyNcz6MXq7no7`goi11GItEh5YU0yMjl)lU-?L?JN1*e}@U5 z+~rf~P6~HXxLbv+vZz$Ctl578{|hhTwl`tNQdHR=|Rjex~|fh zq_aqel}=0v1`}Mi(GNBD=guLWOFBYGzRZx2D(dToKcnL$W)q)7d@gWQQTq>c^9auLilaM?*PWLA&q3LYbz}w zx6~AjSD^APm1R`kgMv(jmR7!d-)N@|tq(|lNP0PFgg&D*LuS6nszAm^ba2E9@*k7` z1U%AFif;twQ^Tw17ps-TR}o*Wc`8it39lO3a5>ry7NBb|M7c`b1<#2zK{)hCL zcskkrYxE+e&yp_p9IOBGm*>XoA?VJN|BMxC4{OdTFF#5BpL7M#NEHcnVcuYOzTsIK z@C%4nBz_@qx^RvxCF3fYk=)it^&%P<)3^i%qKX;HW$sd=Z`8Tol}T42T~%qR zsb;#ERkH|`oZJvxJs%Q9a?X9g( zyaDlsz!6z}`G?(QW;D@v|K&6q(P#_b44K5k;#mcBlXno?^wCfp8*VoL$<~=!=zVzX?%&pC?fWQb>k?v&();16_*2N!qSUC7eb$U19nBAXR>Y z|9r$p^eVzv6TSv8@=pJxK!U6gWc2@%J>8M?b)>Hcjd1jr{upu=V{ecsBaRY0py{<0>5&Bi#sS(XJdrR7ntM5q)~82|;3oRhkRyv&{9 z+lKp;j}k8-UJ4wskmb4L?KjZqema?W5b43B%Rr-C!WNGBP&LH(hjj@5L*$2&9|j&Z zDHPesGBa8V%7;xEuI2V4REAR-p^B__E<1v8qQ;}9yjbSr@EDbmR7R;HO@EGTkb-Hn zDJ?2`<#8%wsEmbz+!@J@hTIbd&)0Hb9O3bVp9IV|CPpwK+E1BqQu|sbP%Vf-vD%Vv^)iTumpkvc4$UNLybt@4{3?p4CG2)_n6_U_@A z!q*L7-r0v`Ht{*c=K@FI<&%dDfRJzX^GtZRwin)@@Fs<~ARrG(jZV6ovap=fd{c($ zaNGq{7E)OR1(`Zg7Rr_CzR^!#CO^vImXLm%^gEyt+tj2$l3QwU>*-|6xpxUKBmADi z38}K9-1`Q9i_Qr-+y{g|B)nYVff3oE;Uj|^>-d=!gg++y31Fn7Y= zEDl6`74g-;aZj=B2-0MY@#AxSGOi`Rj{Ilf5ldNAHQjw~@Dv?oxt{O_!e0PJ0?LXF z$+A8+%PgJ^c-M7XM&`(m|k>5#v7kFf_;?ig?h217pE%qt1hr(V8`ye2)gQP1w+kJ0z zjrpG5Px=7qA3!ts;czYnCLc8Z+igDhKaxL0{xEpdoKOU&$PNzN#$CGeO?y;}!Jnud zrS>y4+^&2q?e>eoU9{o+E8*V=|E_Q}D&H248JwiOlgA04Abb)q(nmUOWpO_lfb@q6 z9~|^C_>;mZ3a243=g7w(_m{!P8+!O}!v7FHV{o#}0r}V9UX46_mT$!&CJUxqx^@;uiu($zl7n$|9hq zgzxZIxQNQdR4#$Sk|QA@CFm|S`pRlP{FO;pAzfAJ6j@{?=&Bh#|7lNGCtZVd&2x0J z43Mj3^b)0OldeO$E@=O}rnq_rkJ0C~KH&z08v>5?Sl}}Rw_m-?lnW%uak$H=G@{ZN z3Syd^A`7#)CPx4K2w@qyL%JF1=Aapx)YO1$Vek!2J=~ITE5fbM!LoGl6$Te7+=g&l z!tE3eBnsT#;Ku^~%pC|P5Kc5WAeG91!9ON>IEiqOaPm1gHNmAAd|KgD!fAxl&%v@r z#gzun3;Hu(MfhsM*BG26H}YD8&nn!J@O6Z*KL^YAup11no9xegBjHYjZ;FGZ_HJ-X zg>NBzE8)(7(TqdUk{U=#mUVv27^$U77aF(I=n4b3F(A`C+#Lr0q^G}=@Lh!OJ_o0! zyKV;8N$~;iPWT?e_Zpli`)T(u__9O~-$%G7;a&*?+I82La6iH!g_#-|25->_W)jXK90tsXJtZJ{FWczr8vAhMkj^EYcaE0icKwYm z-^A1TqzgzFf<{r5T^2}?6e%*?)$>ndgm^LW0l?A6QYfr5w&*&~M#+|tEd`5*UA9dc z9Fhtz>g}dnJIE`89@j%H%I&Ixw%OtiTPC|BMy0P3C#}A<{!h4+G7IJwbY( z9yWNqmVu8D9!_|~Iar4DJ!O z27SVmwmals6ug|XWWuoQE#RIq{>d}MW$!QYPm`Yr9({9}xiV=eQXC1% zHJ&l2zrGG9(Rr56WH_7*~-ga()Tw4X|0 z8inZ)kS8O9QP-Ja^kw>WcqZwWNWTmkAGoA4EwfUy!ntK4y<*a?+Wr!+%1@)+Ecx5b zy(WJ(0%`7b`L9@Bcw8eeoA4aMa{=S-$WlMC7|4R!G8_{lbLW|wa*Myt8&uz<`W93a zPZ^~pvTq$CKi`b3UGfidxCJy8(pUro4^38H4mNmPYAhy~|*O9QIVePqUQ?IK=5 z<6|11z(6LHG2yc0oJ`3zzR$fromP@xMSeASzKPRP(*kad(Y+q?aac=w9qG^FXla3b zZuA36uP42M^cSEJ7Oao$`u25S8b4FNm~JG$iTq~p8kThTmC^U>*|(71N_rb;+%HZ# zjkvE3AAY5e=yu}Y5Z?hD_bWFvD3piYi@r4>+QbXrQP@dgmkN1NRB5DTyxW9k+BLL? z!d?pdAm9eOFlNDLv3vV_bINP)!G1ai===Z&QN~*|-5oS~jAn-)NgpD87&NN$*t0Hf zGw36xH6G++@{{~D+8vd@-Q3Uemlwg1cIl#*|BO9!eQJ98SJJPkPk}fxe^?UgnYih_k9YtYzqR*3GViCV@w}e;@S6+US3OySv!S$Rk%w{NXqb+ zs7#>>g{lxx$fE65EK@M#B2ib(q`cd_gsG;ZT@6Y#A!$NMW#8y0G@)vfu0y&mXoM-0 z6_NoL5{Y^ye7Q<~m&4Vk(11ci2*~L2u|jr+lCE+|s>{qt>+gefIh{sy8mn_|3Q*WJ zF=uTR?=+>;j81bnh(=ZY>43uE-LcoO6SMUNddY?j&LNWy8DVc{D zE{R~1wG=b&H#yN$t;y7SGZG}KVtLgiK} zouQz#!sHBD?*fw%u?*sErrkExU#SbV+o^Shh8%B^2_~euJ4||AV{<2^yC`8Xe#Ry} zAr*Uob~Aj}+x{BeiQhx~Uf_5$;kMwu_b~noy(#yR?@7KFc-)l4w198Vhu!_=bZX|W z@c^CPbRLAG*Fd*dALBRZHTsh8M?M4|nK2`>ryM%Dbn@WfuBRjgOJs^=f5Tgj#|7jP`NRu|7Xn8dVgs_JC1LyvEqz9ekS``b z06fB)l$LhxF-#0PXI}qaxQbjSO0R@oDLlkorb5P^l7S}d(AkiKC=8}hrUGtYG&w2J z4KZP-rtU)&hEf=&!XWw7zzXEUCN$P@$d6DMPGJND)U=DEpl&zZ2fkH5h46sAykK?P|M zVM$l%{Wsx$UB7H9g=rL~LqKe^Gi6b#83s42?$17x@JobW28;q9X)Z(gjebcJ{Z-Pl zNWTUeX(JUC$p!9p!xv~xWj66S#ODG>QH;VqNtP4{xp`(hrKSBFG~T4~77PSOO8cac zn{RaeHu9q!ZUO0qq!)okTFOWKf-<~D7n^Xge#2iv;cW`Ln(~xuwR})f()( z0u4?N;4`9|Ig?tQ~wy3i-)2gE-lz8pA0ACi(+*77lW)>`>d4!45z$D}_2jldvv zf-*7vQ{yLS+N>nMiu`KuJbQMeR0j1MyA@Ol2YHBarhx`?5A;n#t$$Ms!*06-eY`&)$+3(?nm;6$R7re z_bZ~EQXCm1V}fK_uSpX%>OWCBO6g}v$a`GiOWF{IkJa_PekJ}J@!x^Ra!0lde>rCK zbDBGjlRiQEBxs~l++cS1hdCSdE8(AXPSH6H2RE<3Om363in_l{n4#a||EBN{g)5e53q>9PTWQa&l*6nIHKZtB6QrD_gn*D4i$2#u^brzV=di`AHfP zlqx_%dng*h&5PngvJ}PVn>Fe&e-AI9Rgu<(uy79(6QqWbBE$cUe@1(!E+UUi)6HE1 z9=C%p%OrQH;cx0!smjEw5U&ax2`r!AQsr)!%3AcUnmJF^lz)=LRi{&fPE9!IltDI0 z&G1R!qf^V=XEe9erdx+@UAVlSL??E=ELYE*$r`2lbQ;iU2nQ8RtYDvk$qcf1s3{L= z_t5238c}I%N_rqAgL}WZCZ?2cfjCL5no?;-r8yM5jsgiXTd0M><=T^#c>si45pE3_ zStb&W22*KVVMd^*zmIKbw58Dw2J$`L7#Xg;(U-UJ=kGu|fpj8h1V-8txh`Pvthydf zA{-=~3>a065}AIIVr)BU@#1i)WYfr|gGDf8a+Z9cztZT)4}@g~FzKsFUjrIgNcKFr-{6)Xd-wsuy$L@En5~?o z^iV=layTtDE7|oism2yB^`+F0QV0?f5>>~(F2m?rT6fGOokcnfnmH!Y*JT^KUdPtt zkj*8V2NnfTY-x_ZuD|i$-|3S*pL_xNLhuMlRBma=6&XESUxX3T#iR#-Mw-iK&46$CG~&JTf_6UEJXGDHER4uE+@#o~AGn0t!>V0x;%RJY&ky13tQw zs60z$G89~+B(J0(94X9j&zUezv&{1prcihR0&ZYoBr7jFFPxPr8>+h(O?sk>Pp7Gr zrcs&>30IM9lZF-F+zb=4aU11uGby}8;pI3Xg~BT)^ikne3bQD@c1}nLQh42jGk6+s zh1nG5P?&2%LV6N~c_!Sc!W$Icr0^C5+-uyubT{AVXZ7AKAia?EBG9R|<1|&@rL&CAdvGwsT`EGw5$UUzRT+v(3o!!keKRNO z5}O~;{E+5ym?(u~rcAn)%9PAHz)}GpnYvij6;wZ_`UzCD^;N|bR;=*!sd;nMTS;#f zz18Z)@+Q`ykxoRZg03;|Yt5i*>8+#p8N73Onz`+BQ#Prxp2`L)UqHc~LT(GVFOAOB zoU@ViCeoWh;~$a&Qc8VgaIentn;dQn;jM(X0Y+#9mJPm2Lj|&#fGH7Gwp00r$_^-1 zL`g_UlNF6*l8&qwBQpSHP?3o(G{b#IaVN!H5OI4Y8Y#h)RQaD?a<`eiHA;JE?xnd8 zCZ5ssGAs{bKm-dYNB||3>_G;JB@6!E~XI z89ipcKlyReCrF9q9p|3vy<^Li}t-dTF(US#t^{<2^|q=RWm?mYP+*0SiTu`Vw^Ny~zK1@N&%N&tSo z;qS!GE~^F+uSont;K-n|BUvok39gbU{=-i>cM+9~saygDg>!0RGMi%VQWK86=%Y}X zLKO;CRbVqjhC8}yCM?#5NOcM|DAa_2I0Tadz-t+PFvFj}Ht{;d>jK9Uqh(D|Muf3%pmk5*4w zyhH1|tSIOZrsbx_MLqq>T#^T5Jl+ta4{16-M0zOcVW5%EWFJ!*A0+?72%(2f znt4$EO%C@6rQwuDKte3DGBV}6g~6?Ls@G$LM-m@>2|!N$&*%h}gWTcOX^Y-)3;&4m`b z9qGwdB+WCamtN})N^eqn>ztGnG-Ma}C@rM42$Fw_W$Db=Q@q%m6urSsuM_!gVTqK;c6Q%ON18QRF4!IgzDz#%HdX$UPXGf(zu3qvhF8c`^e zt(ijD-}Q47(r@)yYdwVx6uy9fQd`#Gb5fql=d3TyXuKA|kpOL^v5CfJ7zn;hGf51& zuZ+&uX(n4pZza7=>7+EN)Vi;Y?%k88mOYV4e?xi)XarxzF@|I7 z-~APSCHx!V-xV${D9v%l4Bo3>Lyi+ZLHHzKyeLYGfOD|mAEwmRjY9sUa*E1nD7XV5 znJzjQUxEHIVaggGpuZ{nL*WbrBvV1Dbe_vBKP>M0uQ>;`)9Ngpa#Ps?k-yAzrA7T^ zb9h|kJozcs23bGLXVdcXle9r-RDgk)_~BQrh_ zsR;%75V<7iY8m~4W{=vW>yWM+Pba&2M!%?ZebNm`H;kuK++{{jRr+$$jYv0+r&C=M zqo*m|lyo!F%|XW=HhBxRF!+n65*ImKOTw)Pw+4*&n{0RJt}wQH4WEW>$hIZh4y-1K zjD<3Kx(1^I=>*b=@pQTi7(GMjB+^0B$#JwySWPkdWu;R|r;$#Nr)5Tj(XS|d73r%< zUlUIU+_gr(s&q%v*O9(Ho=$Q%7(Gkr8%cK}eN#LgbT=FQn$owBzLj+6cskkLX7uYy zcOiW{>8|l~io3(;*-GC@`YzIU$I~*Y+2}b+cPD)h>3id88Q)~|T&3?L-IH{$cskwP zZ}b~VKR~)S=?CNJlmyqu=r@(_OS&KFP&}RJGK_vp=}gjDq{H!az-1dfU+Emuxuo;r z=_J?R=mkpWlP(}#7*7XXkj<<*S9!ifWUm*eR)_lnUUDg7$xS)^Z! zr)2{IqgNc#yc?l`$4+Xmm0lN&;KszWu)H&jq}S2St@KLLt4Obor<2_pqt__Cmh?K(pT*ND?sKEp zD!rcc2GU=|)2Z%Dqt_|Dk@P0go8xJjux#|_N^c>(mGriFI^BJ3^m?VYlm3SEjyPK8 zXMAh)2Bp6vy_58=cskMTHu?*t_mJL8dS5&paNisKrPBLJA0YihJe}kY8og2JA4wk~ zeK?*Dx+6w!Qu-&-M@j!2Pba%yjNYvDucUt?{d+u};*J^pmD0yapCElQo|dfzjNYR3 zpQKNbJ{?b|xxb9ws`THa{~>)Qo=$iF8of>Fv!u&O|E3H-lE40GNRb6W&XfO))y%gm zU0!~YnmOqT@pPg)-{^0YzJPQ^(ig_l0awZB9ZFwB`eM?T#M3g^$mnmCu1vZL>8kOx z%u6=Ew7i$)yTWjru+q1XzLj+6cskA9X7mxIyO6$}bk}$~ z-Q8jIPfFiO`YzIU$I*cV*UjjkmF`aZ9@6*5(}}K!(Z4BuAL*W?d&ScMcfZlUEByfJ z-lQLlr;}VCqmL=wmo!$>>E=T5bkJoOeO&2G(pjX#@w7}&Hu{9pIizz*=f%@0uD{VI zmCh$!K)NuVmN^AR|Dkk*bTR1x@pPJVM*pdFlynK{(s(-E4K(_c(t}73CS4Xs%Z#!i zMxR#tA<{!h4~wT0-NQ!zrSv1Dhm#%=PY2wiM*pq!W28rt9u-f^&cQ~XQTlPxV@QvU zr-SYZqyJTU9O?0-pNyxI-BU)NReA#Hr%6wYr&HWBMwgq+Dq%S{iS)CiC&$yN?m46X zr}Xorr;vUjo=$Tw8hxJ9Q%O%FJw2XIcQcGGuk=jPFOhyZj+W(ZUopCZ(yx-9Mf$aP zI?=su^!ZB9COwDr+;}?R<{5o~(r=J{lk{8hbdsBIbVa2XkX}f7Q9K=Vi;b?N^b*o< zlYS?jPIgO;zF6sZNiQS)9%y_-k#*TiTm*A8F`8Z`VZCqSC-r?-&<7Mhq_`YntST-e zPTWUEU!s>;LHc9TpTyIt?o*>LReB}qRiszP(`jyv(Up~6OL`sY&*EuWJILrNO0Orq zf%F$~v~)9lX>?VkHeQ$IvrT3FQK>CMxI>j9{y0+3kl0HQGa6B!` ze;Qp!>7Pg+CH-?eo#uWqx~|f{lKzeK@9}iHJ7#n}rH_+7LHcAIE!|9i7~MeWKS`e= zeL9|&rT>j?sPx~Y{~>)Qo({NwjlN9jv!u((C>E)T%U^vOWZvU>@}IG)_~lBMm!G66 zPPzhUeEpSAIp-VtX9MjVCt8u{g+S4j+h3L}b(IW0qJugwB78C7OU}WvV92Eg|E_Rl z!c_=YRam;+vt2cV*Jx*Zb;30W*945tbHLeovaM5=t7Xb(s??@Zhe};247sf4;_4ZE zN&{1$a09{(<6x15DMN35HkV(r zzLjw2b8woh5@c{~g}V^Gop4vc{O}_yw8;t?qT#H&58Gs?n$~AXpX;-)c|Ciri^cu2jhN|O83ZRP_iENXRn9ZslBAGMgXb`k3>)&SdOMryrdV90V&RO&0TV8AdnK@+FgW7U?i(bgap~ z%VC!-+atSdGq58K4wpkCmqs28k?Wa8be~gi8S<^d%S)R)C3{1I;)y(;I_m45m>AgI|C-`Y#WI zLEI2?I&b7fWM?lrL+K2IV=*4+9yWZZ#^4d+!-K%5+Q_pG9S~DIHgN<#8%wsEmbDNB%)Zik4vcB)MSJZ-S*xOZF=!JoBj!{HqjZQFsl4-fkIT^19)7=$9KYmKxne zQ}SKX%SgWmTEil(oc9gCS5N){@eheF2aX&n1IT1I70mT?ADObMg^%qDDj!q%1PX_) zM2cd|Kz(XLgWJ8ZlENwqt05pr9L=8T))?NTyT{iOUq}2i#ZkBf6W!;A_tY4yC%%FB z7yrR!48P&`E54EVCgPj_gD1JK41YlJEyTAH-}WCo=)N|*x8mE0e?xo+aHI_uv*2s; zTN94x>h<4I*hyg*1f+j)o~+#x;;iu9rmWR%#P(3xOJyGvyTeksH~c{j(thFxi2nc_ z!z=J0%G^%buuCRy$ikqeHPw9dBeg@+4nwo6q_`u7_tC5TMEof6pA|1HmNkK7`mf>b zU-$R;SK_}B|6Ot3<5YLd@VlJ>6-DhED&ULE2V3bu0y(RJRNZLjBc%TebNm`H;ku~++{{zq4edX8lXKbUUTnkZw!5T|AxY+8fi>Ta4@sFr5eg+K-E+VIhZLiaXMjs>kSkYWse8Z!b3Z;(c>`@yi z{CMGm{)MN*V8<&AA0m9H@Du)pV^vVc#~6N+@L|G-6IUI-v8Jp68^N-QGQypQZ4;o8 zaz@F?(qY+=yh4xlfJVD8)82z9lTa=pM}d{5vWmcbG*mc0>T_mAtmKOyE54FEPmn4} zLsxT^T(%mK>9$OqS9_MHh{FA}7>OasH*R<0(!Se~S21$@5NxTxE^5wx+uC z+T?hS)8w2k=L|Z`hRd?mSY_r+r`uY4?kv$~i#~@mE8OF`DC9JUdlkn+pDXx0!RHfZ zflwY))?eWGDH})pLg5z)pWY1D%KnZw8GecIONC!XoB^*_CHiuw&$nvp6{4>ceHCej zMKo6Sar^?quMvK&@au^4;5F$&>=k>x)4SOF-#3W9QS?ou*@_D}tRkfaU2b+GGc{i8 zE%<3#n1S!oa4Wu(Ua@iEHvE55tPa~HqPGjZL+G7El?aj@OT%5xUup~Y-7S8m_*vwc z^3fDVG@`HO9vAMpJ)U5;ggFxCQeY1qSMzst%l#vIpU`t)A#S-bKT;Y)mQ!JB8LO$)*r(U|imve#?}&d_{0j1VptGSWyytL!QH0+Y{DI&P z3G-sBvejs@hmRb8u_WRj3tuVx6XFbhvKOcx(@$NgyEQ7GN%>sL7gTtLa@;61jlXof z)qf)XmGG~HuOiMSJrY6q#@UN)iP~?)ekXP{Ssq$%(xG?W@k!|1<|lkF{0HG{i8Epf z^U%M%&f$^gifs{o6#SFmp9%BWW3ieV-sAek@!$4{$Np9LZ^C~k&R~zOYY2ZhyUzL+ z{}j7k>|bOV4y?J2eYqS?GkxL{{t?{b7S-4Bt(1;c^Y9WMmYUlLza*K1vNm!^yR$E!y zo7Mc~0uP@~r}HwQi_?Xfc=)|UcNM)i zX~rve@IZ!-cDfvJ`tjzl;N9 z^rFG5$S)|u8cXF6GuCHipAwIVviMj z99adNZ$Z^!hn7+oW?BFLKncf77(_uYe-)MF=VdDc_A#nx2!q{fe+ABrPZ%O=sH_uc z@p3E5tINWP4j*RA5}qV@nBd`rd4DUiWmtS1PbPMq9O2Go+r(=gDQA?NEFGR84@+8x z(GE{zwBZxV1eXiW5oQrKKG($RRH$(NbxS;B#E%tUNnWAPmSw{@hflGPj2B!bxSBAZ zF7&ozo!%O!U$Qr%YemL5M>P0t*ZZtZb;fs9}oj%mIX_zE>vgjtG z3ybm6TA1SWY`aA#i#|p4sic`|vX$8|)!9p5z)$#u)5M-G_6)L2HPyA8XpD#HOc&m? z%REcM*%Hp7kYqWT6sFraJ;Jh_b48yg`h3#7Kclq=6xQo;zTRGkyHNZ^;-`~maIkD@ zsKlZh;bIpKwsli4k#MPm%P8;!SWy|z2sZ6_!61K<W_(&D}b} zQblW7ZDeghOBJ1(kzq?`ry9GJ*saBGLzYiXwN_I>({E(h)|Kjh@v^s*(pJj$RFsDB zet1p8$iQ8YldC>zROENWPt!s>e3ypy_|`?#ajV8kHg#CG?1Y~a>kP|ycb3&b)-JU4 zZ06F~n%Ci{t-oV8!5sy6BFvkO%(13kBlEkv(Gs_epRk9FJ!N#J!R#*CG^LBv1(sO% z65Unw-lQ3$3`;j>f3Wp@_YvD&Y!72A>q6Mq*|Re-6g|b}iA@<>HztI%vlGfAn-QBY zwty@{%={-E3Z0&78BdYuV$mg}8GU7=t1&~z;oPVA4WF>T-~$BrBFwA}xp}T;47N$( zeo60nAc1Fo|^9OCdfcA{(=uD%qwNs zu?&vW6&CmbqK_1P6lqqAF>4I_3XZ8^_r=lfY}**)@)$YC$~le>lW?}I5vwAjcJKVH z&*Eo%!a(uIiyuUu5riGmYta@|wytL8%E?0FDgq(eNu5)A>#|MCm9RDz*4=|R&c$8r zQ5`R_N@BH%I-l+rcB01olThR01GXYzt;9Ns6DV$jGa^!Omz$fx&0gyP;1lX)HppzG z$<+nzQkh8NNhi8`o?Yf7sgtEPQDyeXhc2Uz-7v+K`|Qa(S;{F=PNl*dI3_zqivdq{ z{wtf~e46;v#h+n(wj2#`-0(A<|L^lS3_js3@n?%ahdiGSR$oVkX-;>xZ1h~w=ZQX_ zwAujZk5=w}feVLQ7ukgpE|M^v0v{)3rDdVA4mteA?y%dEpKytsOXXZfhbKYLS3xR; z+U(^noVt&AOxKrirG%?Yz%V|SRUa9ycH!r9;~B1zaIJ*vC@@mf#VDCkF}mLQCws>e z+#vo&@i&p@v!`TPQ#mE+!@b$9N!A>@Mb->ix6)!UQo%Y2qbuCz#zF03xNetmhm1RE zFk`61YzIuTn}}sm%fnqRy=7(Y-I8WXnnfw8=V`1659>W{{A8KJY#DQ8%r%2OP1%Xu z?)Y9e{=0b$*nKkQ$+(|}CEWbRdS1%|uFSK9J73BIDGRCaTGU`bEuEur;X#-7w`Rjb zk{*`y2&JUbRK^v?u^)g7!>rQun1shAJV8Mf4rUm*Gl;JzU1_r0vPjBPQWl$1i!2li z&+=NHb|rgay!>aRJS*inDlD8(DAa}L9saH%!Y>GZQSeKI8KlaZnp$=DV4)mWUg;T? zSEMYF@+uWRC6>Mzrq|p#*)HRCId8~$la8t!Rh3wx_ARF$eGv!3CoC1cO!RWnjM&&2 zg8>B>-mu=7cO<+kVFd-Isu)X%*Z15QX_554j1OddXhsg5(ABws`8prD@zy5svOkuw zQpP7V7_FEySsp%hc!yRI{!H-ag1;cl0HJFR>kl!8zI0=yCEBlKd@W-YjbxD)E+AWv zVobZ2edF5VQ{sufmG+&q)zp}9nMoH^qh-VKnl&!nZ>jxzNk2$hONpVY3yoZ<7L|Z? zZd`8DV}F$KlZ>BfuoB3K`o-BYOH#jz{Y~ueWR?E7#{C}-mmB=2;Prz4BCI06aWtlM zHHE*OfB%Yjz5j@BfuS3;JMgW9G@-7t9Q%pkuSrF^!-Pn0jGxfx5WNX$1|?g8mDo0Q zc)S%ZEd_5TxD{bWWqBp`89)dkVa>n9$16 zEMzk~xlv#dy0eT9GIpWCwkTVD+(gXrVcW+O>?XXU@J_^ef{-i2R%K|&h27m4WA)8F zWb7%UGYw`JsMIyG>Bonmi#zvN#cnS-UFGae$8JSs9XjZ<=!Wj*Qa8I5`$+08sRt!y zWx2_0WuZP+9`dP>QYlA^+}@s{g6aMJE{x6@?g&hC!q0U~GjYmHWKTQk$@m(4Y$G0B1RE9PABkAo@trN0Da0Cso$fhNB&Be_uTGF@ld3d>mmG3Jutiu0E7Hz3=sr9w_>F(St}c zp@t+RgB|~Gi1-lULxrC}oFQqb#O@>~I?Uw+_z5Qo9wvA=VWtB<#YLpDxX*$#yQ*1n%?8ZR*9`Pc61e1Xmhsr3LO@&tBB?JcWIbFmYHrtW3C=UgdsT3 z+sIF-$Nx+V4frk%jrdkJ)G)R&NSKIUl4QWOJtRz$Fj+zq1;)+ja`ekhad`jbV)3GY z;8O&jN|>44=*Ft?+WBIt3-hhV`!orsOE`mqk}r0IIMdm?vN0rQ;iqZgY&B%DuyPg5f%KQ)$dzn}};Sa@eNE|hVRjOjFZv0+Sk zUAWlcVN)Y~iQr2GUq+Z=FT?g-mpePgTK89oy;AH|Wchq>BpS1aoSt@RJn}W7uN8fr z(bx~9d}O%Z>HTa&kQ+qbDEcPSY{N3eWB&sTb5}BZDi1fixWJPAEfQx)yp_??D7Cj4>XPi(-`dBC4^{4K*534coXV&c4W zjLU2t3ddxr!TRvDi|b5$M&h#)pQFf&F3HO)#11ykJHFQfUNSEF1>r9Wf64G-;Fyl~ zvg6BUM*J1wON75_I98M_l5+sh5sOYEpZk`1$lYR28`CZbzOb5ew6i-texKVics}r={P4HqXAh4@ z|3`QW40@m`fNvcgX@dAh_JwA3kcuDa0CXca)(VF?`VN(DSR{Gt%&Qb zj=a2NOfBg~+1$0Y=fps@mexkv7Svc6+yOX|#_n=5}>-nNgF?oxVCVNbB{WrCR&+<0qW_vUR8ALE|#^5muH@l>(pT#x)W z?aHAsX9*c8`BDm~@af?$E!fFaJ-`@~aBJwv@kB+kie;71Vg!_A@-ksRhlf9m-|z|h z3qC+_FN0AT&4dFTp0ito4-(v4@WBSB^ROkwAr5cZGs1lY_Z8fau=)~uFT{B$_NrTO1PX@I07B^^ac*IJOugrgn4+O|45M)0wM zk25%3h=?h5c+`IJ$O8o*FL=-fxB%}CJKSdf2oDiFRPYIed94K{Si>6EdZP17&yM^_ z;)jVJPM%%m=+DF)mQ=C*hq*>0Ty4`M-rbQ>M@h|6Z3h+Ons}KumnlgV=3}Ej%%;oa z=jUph!e~FhXO=w5bbxXlAjbo=#Q{cVF}SSvEUH@>t20 zlvy~UO^)ki2hcb-W>}kiyo@Rt)n;I-6Xq9W(UVf+##`1_tCdkFV*(96D6B7*OhV&j zYzVF_w3=eQlm;n{R2cu+@^OtAUkMYP&pn5q@d=Z}PZr-qUiryrY$N9ENl!=iWU;4+ zJ(VoeC4z&6Dezu+4Qhx}U3%C8beg2oC7oeX@}2^ElE-5F?o5|{x9;b&B%Lkk97?RZ zVi3AMhaod|Urcjnd38(<=gK)x&iQm$n}`j5G$C9#*4q0QO1MbEbPCM$QPXci9sFX) z7g<&R65*E$zl=CDY}EX6V=yQeyZA46?Y2+wulR&3q+KcPDr&rk7!AQv3Yd6X7Or+> z&TBF-aY@RxQm&)Id&m*1iX3JxIlrY1RNWx{M)5b1=QD(XDvh5YF~&U&!_BUK`e!`V zEmCJly_G6&DNa-GE6CrrLE0|H^zD-FkaQ;{UJ|8p<@w<*SKc?}ZYeXR%%Z~lJK6jS z1s+E)!aZ(%@_7v1Y*}+;&85X#nph|%?sef^6Yi5RPs05a_)s$DP!wTTt_R#`Z*ezY z#sV1&X)vX6Fr}d>aUOJMf^`r+BQM_qMs7Im^7~*ZGr01HMvRQX&1hkiQn-F&q#Py!gCaOE!d{UgY>*R z*S{eJ4GuXk%6W+ngOr@%WvAQqjd%VP(Mv?XYP5nBUUT|u3(xDK-w^#KY1R*zU!=xj zS~s2=ya^xPa_(D5CE8#l{t10l&!cAA#Xi{Zf*&5;md0+ou7mEN2C8>c$B+VAWE_W-?mQ;1qx)mQX!M$0nQpxv;sLRTfjN zWww#I1x?q1G;AX9*o7>_UNs9&U6lTa7V+Tsd>1U0plC zh7xv@)=^p~YARYWWdKF%?v7tEJzn-6!uJ&3*>M$Lp^M`?oD=cAgm)FbH*sDwid4jD zH>YPaK%U7P zQ(i-%vpZXVbdlI%u_a`gCXyOTc68Dux1U=_TQy~WSqI4KMT@y8cF{n>!}2N7JJ7xD ztcUa(sS=^41GgeL|9X{Ww!h%E?=fXXm6e7F}Eul(6wF%f=GZAWB7qRNHxus zd$*4F_*^OHNjaYiABhc5D@L_0aH*|5suxPSNYZplOn!|uoS#(1#)ume%(z6xr7|v~ zp^(LDD-y@$t^`XPS4g>1%2lSIA*LyNsIOk_O7~2>m}{h5E9E*WyxBN9bN%Zb=f1%F zgd2q4DEubk%nK{)vA?miE%GCKi`W@rZzaoo1`EVw!)*=+3&-t(?+|<^;pD&}+~w@i zcHq0k&J;U~EE_|tLnIGDvbQ%%ihEpr(w?~4Qs+pWOI2a2M<>?34j*Udxliys!S@s9 zqsI5HHDdLE3#VJDHDAI42@6dquPj4ej7;f47w)weQXZ1zj340HSxLq zR>pTSR@304Sd@nuPtN{&T@3p7Vt)|3mMovAEQ7Mn;W^Jo_(#D%3I3Td?|8F*e}?B5 z*Vfrv@V`p?P1^6&R9`7Tfc|j!w2F9+KLxKB{1;)KgLy-t^)2DG3)dD|zVMH<78r#> zLj&JQO{$SI)ltb&+hHU8oU}GpzZp-qF@8d8L)Ip=SQ22G3-=kR=U(w)Q?!dkl?1+D>#^(c6<|l0sJ;s~|f#zVqo3-%)rw;q8g@VZuu@mFObGdlxSBZHmIq z5;{oOg@SIpin2QNkg>-*?CM&BWkI`1>nN=gH5T&N>eZdy-Fab0{1ZN54>^0v=}d?9 z3qG{iyft)jetVlYu$TC*;`b)cbENb0{T$ugxul3^z|r=R(_KyvI*hK|RBFPQqLsbRvc$oF6qWo??LbBgG#@ zo@pzcm&e&=SjwW3ebz_2*3=FEicdI3+Og7(qsB}H8rm8TpJMPp!N&_8M3{*rn=LO_ z(nZ1=?9RK3d3c;)h@7EvPN2hbD*s=>I?=6dMoPkjDOtm04X4GtHy@!I;p|Svjubme zY?iDl-ip`JPXF;tJaU=na?v@`DhI~qu+AOx-3m88J}<`X7#U+_RMJos6(ca?9G>4R z9)7&wD#6u+dAS7z&F?~uTVqd)R;{c$SrcgSatjLZLbkIF#@35%5Zg$WXGs0)3=`ct zxnn%TBw3SXHPPZ3QaHmDXQvx`ve;9^o=R4gB@W4j+M1*kU{pJjJC8+iREgfrdv)o#aGGR~H9ju{wRVuqe=2-Dm+%qF>?E8{#F=hI;5*zw&gj$vNl zW-IFyyHMsuGN;pILZOKlww+EHeTnExMPEi*#VwzV%N@Sg<_cUP_)5W75$2PDlC~VP zP?fH(b|+gEBkLMD*UGuh95lK3_MV*U-TB_yTsO$MQO-?t7^oBjb+g06*bKlY+#+~} z;9Ci^e9H3mE#AJ{TnMj;$J^Ty?vQXN1tyXV4t|%jQ~O2sZm~1P&LXS484IkU&U26B zeO`?CY~gc+&n3MOL&3;FMC;Ec;7sbCsenY`h zpR1|}FS|0y3YJ%-ERpgm73Lr5f8`&qxwWT_jK41H4Owr}V$w(>|9H#Ud}Ei2T_$!p zSq3VLPIEMvD(f+u%9TOS<6rOz??`!9$_gsV)c#dUyyw;<9K5FWzN`;qeMn208gBMS z&aO1}W3em6enOUY)GQYCOFFkv;r!I4UQN4tFwG1(AqbY>c1K!jQ6w zDHtMWm6?ymrmn0zCtgfT{4_0WhVRnQ3g3DOvkWgo{eOmwH^;vxXMBHEJY#F=ZKQ8O zeK-7r#!2g|(GJ2+-=X$@{+bF~`f(22F9u^P9cODDXB!@eMIu(uNR7r)*JWW_H@4^- z&&+P^X@NavrD1y-oa_-NvZjl%=2c!%9!65Jrb-c(%GkjVFx=i7+ffH-rvq@iX`K?& z(Bdg~a^o2*zIK+;LB=jLm~Cd+*4@?NixhXj{ z$qDy$qnn+ur;I!qDH_a0%J5EJ+S!^P^TigBr3^PkThMNMfa7Ndz#twV zhOZx|GfR`j zUnZ|0Ro{qCR!!&_?be-kzA{`Y>DSkR1!?*6@+OHH`w$U@hTywZk7-Xs!`_t>Ehjv$};i%~Us5 zHQ?#O}?0fSbOGv3rXSFhd8p zl?PB9;7xgZ59Bs?e(D#U+vVIL=T15-Z;<0*7uF;*Da2$^BxSBkb(iaRTb_5f^qJCU zQD+pUQ&@%Q9*483c&^!k=LnulSSbx~oFsFvE5BLr?vpZ4%KcQBKOuOjG)DgztoV38 z;Occ2wE0pONL@%Z1}zgFbhzAt_K@I*1wTSq*A{ zSA-j+xWHa>uFtdxSSo#)^ySoJ_^{QS!(UkV-Vyw+;1vd^GhFM+;f@6{VDAh5K=6lz zmC69eRQ8c8bM0C_mamk#e?!TU<^ z*Me6OR!RdL=Y6@cz(V(}jPGQurV&F|P@I=Wu8?0)h$u&~Q-DWwjq7(==)RZ!gY>o3 zW9ah3I)^)3=zbLZli;5T$CThn?H6|zS@?dH^P8OC>F@-sG=)DLzR5!Kr{ML1|02vL zJ|5x%6dmDj=R30h7N78s_!fAz46P-6s}08@1}{Esguf^4mI7uA#5cxIXekNbgt)?w zWM~uDHg#w7q0wn6XEQmi@ZH!|Ne1=oc-zC~F744RO06Zek+cQAlT-$!ATPthZ%bF+ zvC8FEQnr?|4Hex8Wa(jBhg%*PkH4MZwt}}OoLmUtI0J77cc$2d>?o(5oc44!$HDLp zPH{nAKEt$=E17HKY530Gw9rAyE~enksS+q`U+wBjdO=inlhRR2Cn~%Qq{2+t-Qhnw zM0gLudkXGsaGG!zhiBM`%3gxI3f`NrN=?AlB6nqq61qiU;wxeBoen`CJ zV`O-8_`7cOo3YLo^_I$qKsN{ZBig5ogP;i>GYz$Xk5JXG)r2B!(1=ly(2HH>g+ZE2K7N*X08ONo(+QSUOm1v%RBQ+JH1u1t8j@Emc4z8LR^ zRye%MTFhevj}=^LFj`aCZ`$Emb_d1_t`b~Ln7Jnk-@;~7!fRYR!19Y)X?4;jP-A(k z@n_B)w01VSPFUGWVG@pIx22cHORCoq8gzt49zmB>gtwz6I$U9wG)eGe!A%CI2~Tmj ztzFW|f=>~AD&d%@Hsl3UU3%IQ)oGGWmvjat77Lh#j{M*Lum>fa>FSo9K;RS3l6tn( zbEw8XJZvvC&FN>Y5AR&j=ZQYw=wz7n0;kiRVk})K`XbTONh>c$4~|u@E_UaT<6?L& zk#nh>%jmF8j6$`fFfSkFK3}W6+^yMGx?UmcN?BLYV#bD-HjzuE*<*CID~poz;2jhx z*GjpLO7cvhqIkW-H}4ulb%Wp=1>a;aiWW3S9KNME!nX*XA^29p$z=nMjnUiOsj$nw zUCteH?xe#D$RJOSmAAWG>2J#2Qf5k-Ma8N|XoKUf=c96gb}1T7xc+-wztf^@w)8pD z=ThhOBeJlSwZnCGN%sk!C-{ECs=NVCDsKE_zKjJj7Sf3Kv03f-LAPdEpdOO- zu&hUD@jQMX!=r9InZz}=&yexBj3;PphJV487ilE;Nf%bkOpLHd!c!6!Q&7ta8-JFg z>5u<11^h1+o_2Lj+nAo8k@~FE=cuwQtWO4!!}HF6WJAa=h<{Q1OXQglvbZ_PA2dna z8MHVC?-e;qK|L*AS87!TP3eb5kb;WRtZQVGi>ET_PW zVY=b;rMI15Z}Iky_;WB@E(!2c}b-gEazn~(Fp+z;e_NSB!m(k8YF`pD@p z96#a{J{G-F^e3d52z*pEeCoz18&myE#^*A=ppjfW9)CXkU%D{SF8(VCUrSg;fv506 z*zk=TYitPiTN&TUSWQFs5*70JC#-R&qn+h@{4_26fbY_<7T+o-labi44u4PT@Dpqt z_DA7A3ICZm??@Ie^Wwkoi}S*f7L zZx{TEp?8eGb6{n|H6iknKjCjb%K2+`5HwJ9lol9$Km!HeDtmEu&NS0IqL}Bt5q?iD zvb~*rWBi1MinL9rvFuHf5qg^ApA9G8)Q>R05>rbZVKW_}6_3CY5)%yljg7FmOZ(gV z8m%R@k+cOR=5~CmKWyo6EadQ#ir}pUZ$p^L2}MaV1!-FsuB^xJ_=N2ww3Vagpc!>ugBb{5=0@Gb_Y3GeFg(^h-fO>jrSod`1^ z8Nhh?Wp~F1Sw(0M;d=`2Oq`i?v#7*Ly12EU#pPbIy2{#{7N2IsCFpKWpNQZ13Hyld zF1iQl$`*_ z+-qm8-U0HCly?+8c6sNcVu702hRpA17xPEp-|-2@NIX{JaTJ-Gq1z^p4~pSMg>xuhH= z6(oK-yo&Emt>yG%xlZx~%1NcgZULG@?)0|s)yrv+(?}-?pXR<#biCTaH%a(p;Z4LjaRD3s)Z)F1 zCJ*L@{|Qt47?a;rD6zbkj&X{PaVn1y({n-d!f&d3o$cJG$va)%8T8nFjf}mf9Pegv z3@fFy&349_ZqK?T-tn_!pDp_w+VQM~&Cfc`z3z6_bLE{U?|gc^BNc&rgO5q7ovf;` zvT}jTv)jd!UMTq@$S^6HaW_ThTxH@hZY(GB8n6n_(W)z^wJ z!=VUKaI*{3ErH!4VTOcTDX`Lx2O$4{UN5-K)lL?++oj$i^-ij>ndHf<+2e4R>sMKe zmT2!(gm-PfKKArz=fh76ACD|wa7|UA58@vcVO$$%qyEH7uw_+`Mvp+nIzbAR( zDr;LjBm7z6&k<*J+@}eK=iRvQj~K`oWV|TjB^pXWv0Mr-yD-*L&?^#_NO;u*n^hQI zb7B0s@e*FgPt(F1_%01^;#-eF76Wg|pYRrbOD-d0=U6IbnUv*JtS<$FJ5E1uwZL~o zzbkqL>5Xx1oG<&Hv*+52XYY&sK`f}yO_xMLB?7dZSfBrRZ*Wt^EpuKT%KW1>yMIulKeAe)yJ?7ie*M6B@FMZW;!DW0a`FFdFu8l{sOau5_W-%Q=*FwSUWX3<(=oya3GOZU zV8StA1q|3B&TniH-A8<1@%_kiIN)C`BMkbuHrNWh!=&|>b~v>drowQ9!~eD9GC=T= zf{!v7F@k9m6?`1wcmajHfKul-wF?+1{&?|&$g}A6Ia&XAHcS}o$JqPN z7->UvjG;Ql2|NbRiJ4tosym$M{Fk=K*h%7ti62hh3av~S;q;4EXpIy-N_3Vq;|gOL z82EAczt$U3Cb(R1j<6cMfb}-LKQa|=-em(CV`Pq%SxJ*g421x)TK~g&Fkzg#*IF4c zUT&4#YPuca{?DA<|M@G*hZ;Z7K{kiCRtKunfhO=kN*8Py1c&#u0pEJT4T2jD)^No{ zhyPm~W&ey`SRn7YOr@Hv$5_wn> zK;r2V&!EWmoOh|?%FlG?sYJn`kesvSoI^)9R=9w+ReWK@yzMpgw^i*6};{i8@ThQmrSRi8| z4Tgr#bbffy>FX`*4~c$Q^dm;Ild&*7>U5<-j<7!_`f<@u7>&D)us`W^Z@b-#L_Z~Z zF=^gzPMoc*2~RuT#{&M0@MncTN1QE4w%X$#)U1;~INS5CKh`}7TzEnHi_%}Bo}4X( z1vj*qmny&`;x@K=fRY$;3=ifwk(fs#Ks+iR|Ox6%LCrN1HlP3mkIaWGIzhP>rM zKRe%23Ckobr(m}QjTWb`vD@;F=yyf0Ae|f@z5ZPBONLe~QzX1Is_*7ndj5J^xkmZ<2qf%p91*5174H&xyBa=>Or`OIDWuDQ&&9 zzo@Yk8ogobfWKYo_-?$af26dSrFIOy_0;o4W4z{tcd0hQPf26uqwk}!F@8d0M#d&I zc>fu;g0QL6FI$jWir!3gE2oQ6c_m?Ur$4 zyS3PDjK#Q9*w)ztZG>q%v2Dd}PnMZ%UAC$^?BHe#}I|$#U8J+>YtK*#v-%WT&;hmb{Y2dp%{$saz^gV>{DZDdr7WN2CDvK8` zvsfUqi#yMovzMH%a`vXfUZOZd1Ft+4V3Fx=ZjH1y<36&w%j!Xkmz_ytIpLD9uj9Y; zj{)l`JWqJa@FJw=LNrMnKkm+mXN2bqFEAW~`UR-+6*|6lqlgy?FBV>6cnKaKya2GD zjj$9R|3ln)@Z{+9k<(XB zKRS$_;(V;Qn+bKJ95aC0GpFo^7GsO)S ztv}KEMHj{g<|OgM#1ALWA|zjL)?wND5iVRC^Z77R!YBz@3d};V{4olJ(M~V4n_DKj zTy&1KDt^eTLxsc3r^ZViBY3RfN`tZ8HilIk-eP`)#|y3!TuqqSO%|c3akhAIWNXFN ziJd@}_g~jo5Q5`}^^b8&ihwf6RvmkO-n^L2)$A0O+?l9(>yBNJ&b<1vh(m5@LQzJ zka8;(-a709iM`kz{*cuZe8TO5?+|>a!)Y}1?sB-CJ%ohs7Cck%EQ2$ciV*H`xQpfC zvjxu)JeRQUb76^|^}?bIl1CwGEJbKF6&2)Thju?i_ub?9?$aUW=@9qx5PqMr#P$Qu zKW+DUzW4>=7n0{KD^BB87H3Q6#A81s_F=J)kYzSqq%@I_Mbfceu{+~uM&~g(kIQ+2 zjz6Y(;Yr8)+HGDW{3+p!iSst6(P(hAz#g|}ggz_uIYYB~;dw_lwzT$w&=-ZiM3jlS zB$@b!B!ME}WtWCL6+`}tq$QGGrNm6JxVQxLYfevmAkwdkena$|MyJukUl87Mx;P!_ zrJ|RKUT!pI_@i`r+v#eC5})vn=yyf0FdB7L6xHuJ{cB02-xvLX=ntLFFGAV!k<(vU z-@?bDSBn0GG#{2!rXUu*;Zs*WVPeE5d?w{{DPK@gg%c%je)!Vq2c}2*E74zzUS)I< zdSVK~H%?EuInv*X{!a92ql;7dpw~D(V0NUx7yX0iwNB@;7j~V~H^vrq_)+vvqJK6T zFEQZQzc}6g+IZ|=MgJ!HchdeKWlF*y&M&qH=}+*&bz5hvtm3|%*tTM~C(CD_EtA4* z*un8vtZA~N@OHx66IYC5U3~7DxRdkiFNj6@&iDy$nBcoK?1FC{p7rSx%-q7?lQ>-Q zV!YDbgm)C)$?)QQOh3vGyE~q?3gaHa_Y~gQa7;HttcNa+kGeh{eJ|l%h3{>6aZ!F@ zeo^S=_%rh&zK`(k!h1NL$sm&t`#OHm+=%xSo+ms-oKI;{ak0&JPP;PbuBc?B+{<7rfQPER!}oTI@Iium3qF|e zX84D6NntXr`4AV@9vp=}68cK$M}gBv@TO5oaXx0Kmt>03>WEXe4|TgUQz1U#FxmZO zA5NQj6RsMC^AS$JYnMGh^pT>EG8(0RK6X5DdTD1J8uP70A1nGeqmkF-7lu-&E6$7b zK+(sG9%OW?ID=w)u+yXVjPwxELq(rpbP4(;QsG3WXD^8KNuq~|9!{E(T2zv1sBOR` zh!HNVw!|<}!YBz@3Vad~Erlq|MmzqV#Y>s+a^X3{^Uxr`t8o>M=d)gnPZ%S7tnf<1 z^HceSs3(te{L_&UA1}O0c(vh(nZgoO^c}CXsHqiRCwzk8h?*j_t%Bq8EN<$BHwbSe z&Tdo8nAN@?SmVfzrMBzGBpH)sG|^zS1_pML$2JV;*_qlkAWI3nEIh792!mOp+MFBiJ5!|(Wnvm~4?;T#jNJT!Mw#qK38Oqvn% z!*eB^C*gb(0#|gxiqhc%7na(xi5E(^NWydq96jPi6gPWasy2rbZ@DqDbxc}IWh|4ioQ7)5*qbUZyzTUxmbBgx z{jTU0q&FNNZT;|`8z7%8XxS{3he~e;at$D*WNbSTp{Vv0lbs|28nP6#jOj z+>C!@w3w~d0KS{ubG(BeHo{Ly29z^nWBi0B0lrJaCiqqokF&YMruZS@PiP&}U`zaj zWxMc=WxMd*jK`EE{E+aats~zWKTQj5@Ld|Vz<09{p_eIaiJuZ&WkcpQeR9@m(4^<6A|0!t?zO{F0pD_|{R_3qMT@UGZHS_QtozR2nhW4L>CO zQj4j5#CI3p!}yrvgngYK(K;T#Cw`h1^6*_6QuuCm0YxE=AClvbX&w0tewr5Y@m(4U z@SPMmSVXc0d-BwjHHAX_m^k%+ATIC;MRJPel+a;;jzVg5Ht-$au%9dI|CWJZuDG%XCp zcWF2Q-zvY*6I>Wh#NQHlu66mGBzTzM;e;8bSX8P6^O2n1+SctDDSDLXtkHa`(Q~@>RK#vhSR%|6%Rar_33&J>uXLjLT!hISqxJqy}VFtQx z5)WPDbl19g=vvWrq9>4MoMU!AN}m&*?Q0wSOcFa; zY!g|wrpmI_IaIT!IKI)x_!XaUvhY)cpGus8K`C31D#^!!|5M#q(vduj(`1}3;|v;% znF2Pa&UAR_=|lmaCHQQ?=MZMhV9F!qD4j}qG(dQdYI4@k_^sYT3eWB=! zL{BHpoDj_kuFD-Rc7C5ZF%~Zof2sJ($TQ&ih1lKea);NCiwD0#@RfqEA{=uNyl99G zD$2vvuH4-s9{(CC*GjpL3S+*mlH0_F>m9!$7x5c}-zfYh;yeS}f>`UDyO-bW%1Ubt z-Xdj&lv}Cr43jVi49l?H=6L?xc!t}B-y!@?;=EuaoBD8C*@S>ITWMdz?X*#j;d zcV#@sdWtf z=JY#uUtSmehUhm*Gi71lR&0S5-g5l>1LIv;Dtwvn<;0UpNPQzSu(zH6ZS%;#BmQ0S zE6DSD>*JC>YAuKN+)AArt@mYpAnQX~u}E$RSYW#mtJ!|!&T1=?KbEsn&L?!3pJ8?i z_HV7{mLhHpxh$ULGZ~-D_=1KWs-|-E>xM5Kzi(c|zY_kn@KwZhDUG9X%PZ?DQ8;7C zU$^eRB3j?d`cBqrS_&3Ig=CC`zs8N$=SAat89&HaOM@vG3!C_P!aA4c*=c^1^pm8Y zDJ75B=qzVqhF@Ixj|sm@_)Ws^6j-uUj?INXoV~YO4AGxr*Ngp&Y|=?ojT{1fB!9bb z<99d)KH(n;Es+1>9dUf?67Zrnb{655vYau5Uy}+z2YWO&#!qNENZN!F&%$(Df|vBd zrY^i|Nw=kh%_OvrgTn*uz&i?VC%C=A4cTl(*va9e?QOZ81$Pj<3t@($0<&v( zb++D?sMt+xN3osAG8CwW)P>z0-rlM>dkEfBaA$*Y;QG+T;RZYMUV^&{-kUIsha8@E z?2X2UzMCrx?V)GEJ1umV(t`>gtoqy}c603O_->ZqdkW7Jo+8dOU}Ke9Y(a@EJEUD1 zYJG$mDfvQ`) z=dZVZxH00#imxQkC_suRN!5li*_v1zLDgcMyYE|a8ZWm>ZZ%z=i@St#+wvOcyJcct zTPwa!`~>o>_V8So>Qk3(QX@9F_JN(IURr~+MrzDF8*8ePf_$P2Tzj6MFiFB>2~8AO z#A1E?+Un}c2F~f6;!bDm5+&zkIj6`ul@8Nb6`s(k&Tf8CWKR=&y4W+w^47v?{5;9V%?A}Q0U zurOydXEX($TmD|`)`u3$m&m$Q)@8I9%OMwI>~a?_v3%+Z30F$Eib7J6!EiwtwnarW zTJX+ zdPzQ8u=lv|kwx!p33DXOrNGOmX{<(0%DB4Mjj@B{DejXoPsaT;__SopxCIUOp3u|s zfNMjaVYm>o`O+3hTS$$!g?Arw^Wo;ggYJB6fqO{K!*U*>!xYmjbt2jxbt`8{^D$YE z%X)%Va%aYI$sN=IpLAniyEBVqJSAf>4Q9^uxr%If+Tn52;`Kix_*ucv5l)_B+!bv6 z)rcTH?+!N}pc7^ZLN_j=f5-G1zu@V%Mj+|a;G4;CWH$=Zl zI(bTJwCX{4%Z0}+`7V{POu}*s%p)~wj4OEC`KNA*!FfmgyW&@n=M|vwjH(gtU43}Z zm0s3jeP7B4Qa+@@`+)6hun#Vi)<=3vPu*E*U5TH` z`CQHyba)n~D^yA`pXWQ`Ci5kGS<>aa-mpwp$fmwoi>(1{wU`sIX}~3!1!vuI$yCN zx+@LV_xh`p-=zFbg{O&aJ!LC@xU;Xd^!}8yUd~^1cpAo7aXl8o$EJm@d}dMhkCYbZ z>p7nJahQz$G7hJ~q*92X(Y$8$gCpGg+Ae5-yd&iuMUP>_%n%j$_2FnY z)>%PujErMt9A^f11Fft<=WHl-}co~Ces5#Muec~sF!H&Olb;O4VA1eF= z;;i8|mX(DQogHG$%9F$n6FZzN6D@WF#jb@8x9t@VJW}u|!CAt*R!mLdc2u}?qupp} zQ&Y-hl*`D`NXlFkB%#9TRTh_HM2{6+Njk}MP{q*ZFKE|{bLkD+0BXFXDoNFpmEh2YK3mho zIX~e{=lj~_o+bWl@#m0dykfyf+_XkiFcGL}E-l+S2I^c%=Se!B5^o)5FJp4b1x~+e z^J*>>eUa$tPM2U>eYn`^;w~|QE)jjH=*vj6z^txCZ8B*dUG7TjqhfHbz)yIm0pED1 z0pGDniQyH@kj!>A3mV3lA$zJb9St_3B1{pWXxQPZc zO}pLUW*7R{-M&S_3<c+Vu^r!G;IjX?JpT9+LC0oJZ*JUL+Z1Ca)+w>PFe% zXgnt4aT!n0U>Zb+AR_5Wr`uX5&mz%JiC#>a*NhqKdEse?zhOA>3C{?AR`7EUV+sB6 zyu$;TaT0z(@QZ?9BFqRv3$2lzKnTpsu3T%avsa`nk@6}PO_j?*!4S@r*h+cLy`I(> zdR^Wd^4_GUtSN=rY;QSy?4b%)i?CGiGQrCUvtU3+Gg5bW+woN|NBkY(?+RZ*{C_Kt z=mmMtwb!hE_P(?aq%47#tV#V9PWL1jF;~P{~&lRVI~qhkjWmw zxWDV%S-mF}=xZzXtZ!P_*0i^H}K|6}lWg4+t-egllL zk{ujwX*YF8!R-XMHyG3Du%m{<_m7Qtb7#RF1n**SCWUeST^$}~Pu*^UI|}Y(aA6T% z^WNRz*X%X#Jp}J5xU<0-PJ{2_@aJ~qy##j^y!QqeO^9v|udti4kKpctdo+X7VPA(o zFu14SJi)0Aa7kfEJ3PwbIU_hD#rZ&QVx*Pi;C3{3&Vj<|7a&TNOW(}2b1OrFjP^E7f5SSKRm>h zlImE7^pVn6NVCg(ZfU!C(ZB#&NyIeG>mYg%GTr^DPxq3 zERCcFkQl7_jCQBioH9A(a&mNd4P4%-tP<0hoPVuHymw>7j}>1@o}u#2m@v+b9@Z5z zUPhISY8t$1b#8|mr!TUmSgq(f(Gy4~*MM2@u?Hr&)8B^Z>*X}aX{2NES`sEY{foux zB+-*aH<4!5+dAMBwNqUB(0brbmUN1wQz>h;We{|rYv0G^x>A*Tqyb?(bGxu1W2i= zyjpA`9m2(~{AST~iIhvFTxJUTrO_%@=l|ud^srjV6;iI0aut<$AJB-q+Ueiz1lNeZ zR`hkGnUb)pxF*KnT?aRYZ4#sD1{pWXxQPbqR#jB$!_AH#vwy^I5k5ost;Bf(;bUv7 zFc{&+k!IX3;|>{jnh{5gaU1S(V~{1+yJgIjG0TkHWbS&&2kss>cC|*_Y#DQ8%%#Bx z4h^O<&ZoQA`I+`w;eF!giNBwG>;*|}Xl2!h2i*I^qIbT$1@acsvC*Awg zg11QCQ}PzmW5qtyHif619ejEW*fV0E75f}nrmJ*1jfr;8J6)P#cyNptM87EdCDOcb zY&=k$E-Wf82rs*F;jR)evq{Dh8L!gdvx;>}3c_m+SDzW-*9E^J_)UlNQG0mH;UT9+ zc&XrJf|nEK0tI+UvbdN-N!US~qc!SddfVkT7f1OW$?r;DL7B-NQ=BU6FcjhVeQjba zy)XO&;U5y`Ra7*gM);A#V|I%0$AVW1{-hb437cDT~uuLOTB zcvUkPFF-py&fsqaeyiXHb2=woac+Y~m!uSsKI>z|^uF@8d0K+-0ZSm2;{5rfajuQzq! zsB7aLZ7E?h39TrwqaVYLoZUUKatd>!&D~noJzA}0wUM=jSxlfMs$#KsY)iMcu#~x# ztgU5jLyM6+x^m1Ij&E=4{N?Y&i`hgZN#H$2l6=f3vIeL+#3U6W>vMC-TgI>Z&lY$=MYZF)VwC z-BWC5vV0P;ttURAi{oqi#h~mZysPlN9nWM+N=iaE$NLY6_&&nB3-3Xkg>x>8lrf<( zJ3bfob>%oK342P(laivsZi8G6x_QcS+0mE+fcdp)*J^D7RYqFAv;u0(8mlWq!0b81 zYM~q7A0Dr~NJg=Y5*jMf^NTpg$?2^uUF1!(@xce0*(VLnw8ADgKY2FcANP zw;%A0w;%AWTQV9OOeBNBgYi?6Gn83EA0lI@j1y=ml9`d9OyO-j(VZ@~hRGRD zhqn=9u6Q&?IDMTDDu^B>I%_mC1uPIV+UafVrk9B>7o8)`2dNOf{1wg)wPhg2h#f1o zk}T70c4D^j|MB(a@j6xg|Gy7+2~m8CUuWP;E>HEj;x*w0L+jXALz1LoQ?X}mu&}FVvivSIC z?eur>SA4>7X%*5csVTe7M=L{>!<#!rxLRj_Z(RE2y zMn^i$Eu#1dqePDuU2k-13z9KTui#6b^jOiCiXKOrX@Lb$-lg%*53u6r1o0EaUq+sn zS8{mT z^Y9F5Go{U<#u6dkDJ-qBowX>;c4?VqtXD~zBk5{N%w+I3DTo~jZp+1wJu8PYTX$?%ZWF zrEZsVhnzd<@X`}#(m=f!qmv=s<F#ywvsRKY zo=MjIvL2wt>p?XO{RlYCgDyNdIL6lk2@gqFNI}^j_Z&gOg7UB{4dz7U5h;&KdCU~7 z0g4UKDuUqg<%PWA{8MWqzf%00;#ZMpI>zpatYWWr ze3Tu2jqtaGzfGLU5^u49RRTgiPVtUA?@x{w@UEP-a^9npIz<*w@xJ5B>=f&Se<1ur z;!Ii<eeqS;<=j1+EZ3@T8vdpnJP|AnQh_5T5IdwOUB+ZTGHSX!RfEq z%Bj4rG8y)9r@CJZTPr#H%4to9XDLNDAUbYwHT(T*bcjY98Es{>qrtNNZ(5e{*D!R#2ULxmqE zyp!Q9qhUPF;f`NxPwElEj}+dSI5S!-6@&^OIvZ=lQLfx;OZj(^(p5?~DvYXx48&GA z+Ksc;;1BqO?lRJ3q|;yym@G#wixNzR^Y2WH*N`bbOMEtY1`2ZttLsY3P!kI|t}LDx zm0T%#Qu3)VMV4X81+ug_QR5i5PUsx19!T^#t<1pWh7|u$-vx3OsNY6jxTym$8Qh{g%=4gCe914 zspocQMWMv`V{78!OYzf`P=@b;p&Z|O%NJJE6(qwj{4*7pW}D;Dhl{QdT}hhpUt7$f zN=QmoF3hr)mTCz#5=KzqI}+v3YHY%R&KV873a3bT4{CE^emy$%8`E~o$qKh z)=}a|i?1io0!|!_oNA68<5CwJk33e=rIN-`;>FYiRE(J?jCWyfRg9|%5++Kxj6y0K zsYy-0NruZ^Nw;idl9Vf?Or{bOY&C`o6^AJ%DGO?TslmP zm=MZ&G}k-6)|Q>RLHLcrZz9gSC>*)S&Cb7V{5Y6%Y}FB`12*)E#V#tyky2vl0!I=fbVtZAB(2@abTUnXO@j1@Han6fsCxq4{eN1p$ROB*aN zcvaGCl3u68(_l1n+}Q68H=5YIs+BU{l(C8i?^y{ZGggJwPXE;^25ODyw?w~9n#adN z1IVBXaSz^cV~h2nzAIy`jQ40T9o2+#6udAv3b)~Xch0kV`#L!v$oY_tYEyWwbHYbX z?`Kc*deIw1e@vRG0u8i@a-{4}oPWU@fH#W&RQzY;nKPkIm>Oc744=D_wF-a1Cww90 zODSJbNnLi8a;Bp2wHq5OYx+jUCK;P)@UlzlLKOyK;_1QEYj^U!(?ZTxIos&)vax(J zCc=N`bn`Y05yJGn=O@%jMRBW2#)>TLG#n zE(Gq0iEPfC1O~_jU$_-7OZet0k zndm)5Hz&<(Vidb{(5)F-xWM-lKVdHkdrN3Zfyn_27P2;h6upldk9LYiD;fLBXibAR zD~pSL?&t7=VLUhv-$rm-!R-j!Yb~#+yacrzjvER4yVusP;{bUF%4<)L!NR(Q$(jUS z@8KXf4jdSRb+C*MGCG=}355lTs^Q@fH>RgY<52vBMVj!9MVj!fn5`&h!}8(yXX?Iv zW0UZX5PhWR&ZL=;xB)uH*kC^GQLb#RjVI_LrK^-~RCuckIEe{4($UVZd>23C6S|8} z6Q53=r@$B?j_E`HK*(^V!)fspnNqT(WK-cOFaQSir)0=+{zDtek}Ez>d_H-m5AvuG z6@_D5SYtvD2|XnoOMzjk`FB3-ajpy<7Q@s_N^dEBOi9hu)Xc9uv^mUW7(Q)w}gq*j70#^s;pM$TXO13uw&8U19OL4(m%T!~5q zD$Zv*KVy%0DgDI{5PueVo`I`cmR6M~FzLaKebS`IkY=`WOWk(7%~DMJ51DGIT83t!?&FB=XsM9NSp2`YRRi>pSK zBYR*2w-&`HaPNs`@sbMV70D~6$Ku(j1lIRRh7!j)*OZ@7D!fd1IdR5usx*hXh4W8Y zac;Qy3h|ZXQxzQz5wCK5?CUx@hCc|e5k7)A-$oeJjNNkC+@1`t=7+oV>`tJL9qEV7YORA^DaA6!_aXr>_a{PO!3Q@xeUQcKJkhs^zLhlN zsjRw+HH6z7pL%#a`0c{)5Pm0dzSBlwc1F0%;Y;k5IbZPIg6|>B)Wk+mj-1quyVs># ztbyS^N%u>7fD)4}=lt6~P7k`%$NE+m$azT4LUYulm`sFnw5>es&UY(tIDEn*avqiQ z7#-emlHQcGiV`m* zCkxxHs0YJ^gDoYlk?@v;w<$247nEc1ErjYF=f|zX&-jFQ#jh3r9(mqCZ%4)i30Ho$ zd%jM}2U0$y!s||*B7EfdrFMq(!Z!&2nE1aLG&(MvUuqfjM)9AD|BSq9lI3W&`rP5m z?ciSs{!;K)gc&~xlwR0!9=>+r#<%f1KH(b)nhRRiBKXy~Kn^4BO_G{ldog6l>LS|j{~3WuEC=-7+NdMVk2y1RQFEa5hmw}-qY z^mr#@@ajWT7g}_Pk6$whdrD|dfrU6`an&fYBY5ZsXyMi=miz1_Yj0UCX~hf+Js@mN z4g0t<$COr5_Lb7wlvL-ohMer@%3JoVw~^9TN;@jNr%7zsjpkIP%>CW@)#fW6Am>0i z?dhblI4)@(4s!eiD_b5cyo2zL#Fg?3Fu=b6N%;^L7QT#A;}Z^*aF~Qn6!=DC7K*i? zoPOSN&?7`2DY`RhKDBjNUk#aiILi4k_r$x=MSNHB-N>hk)YzIiH6OefgQnc-Xg9sP ztTb8aw0Ji#R7yR@NM9MQ9B9kZWlG7Cl1+sHi&=Zfaejm4?78Ce#OIUeDe$@(R)+!g zh^b>->0&jC9#VQrIhG1zikU99uy*5`wh2xzbU_GsUMV}!0MAA$d z91)0B7|Zbv3@5o$`UU=kPdHi5DRNGw!yK^!U6tW9hu^a@*y)1%2|j}`vj!~onS;IZ zGO&fU8*4k@5BP-sG6u*viv|y0iF_dpbok-p<9$9`@Hv795oWSOhQJG`4(Gb?#fT`J zC*gbv7f|5Qxv@kT?C^uuhkK#miv(Xxn1M(7uPZHO27QSe4_y-vKLkHb2}AKcFeLD; z@StM>)dggo1^6YEKegP9BjFPYB@{_0HlZwmk&hVu8A@E3(lMT)R6?1AatgeFP>%l% zbNF{#B5t_g3c;0x?J>x~F#ReF1}h9zZXIe#s9IKytP!-7rc)OYg7Yox8j|8`#n+Kn z_EKL}97?$XLSY!`&P&(F%NQkRw48c6jM|zy^cxnkJzxd(vFGb%hX))P<9wdrTLj-qnAeyJ zbhyp&*%sv6h2J6kPU5^qbeV_RI`k#pMVi?v`*51?GlWm)O=Zz1NjimZa~K za=(-Zs3`rTqc1$@@cuS!W`W>`1TQ4q0>`gK5hKa@&Z)QZ!>%>EJqGI$X^%>Kj2h#! z8vBwga(2=AkzFiyiP*=3ni7`ddtg|BZ^b8; z<3yza|4QXnj~o@@R|UT&_;tbzePuOTGr4KY8!pVWc7c@=-juM40&f5>H;)yD)Zm%b zu644DUL)--X>U{GdC=EiScYbr@Qw?!Kf~|%gm)#ZmGB+~WhO{CeJo2^FMfmgkI6H!Y6*~3XX_`fJTo}P*G4IyO8JZm^I!H* zR3qa;$WW&E+^v#T_#-~y3t3;v`ihpy2$+}1QY1?4U%L{@;)%YIvPsHjDwfgbC+liB z5fc3rZXIsX{H?65vbNFUiDDs_?cd+I(#(pv-%Hsp;PRj1{}TT<`FQ2&X^7=g zi~ztov2Gn{SN@Nz28&gdz_(I;P9}#$;a{m#KXnGqj8ABUpHPPoyqm%3#7czS9d1z- z;l_gZ5Zr{Yl5RB~C{_WQx-f7{6q-rcQ$lkJsTX=-GPH2`5zGDd61=zImW1tU)7jdD zQMYAbAGbQ&)wYtgudLRz^g?HbfS2=r&abl)UK{ak#kV8Rxy0C-sI0oEx}v(Yyikp$ z`@7igK zVNyC#VQgWyZcMXq_+m>-M+iPraA(524ivW0V5-SA${WH_F5YbIJ6$ApmDr6U1I8}7 zx(ZEMKH8O$+v2r!my#wWoeJX^IbC`N8Ur(&Kg#Y&ruZ!J+2r|D1T3af5ptaFWWxh< zMdyjmH=3pToN$cOXIZJfhv=T7k2MZQ#3P?A_#DB52s6&HS`=zh=Q{mh=SZI?`h3wB zkY=E>!TBv;$1^0w*NU$r&#+@7*o-jJ;iG3pc$DDL zg6j>=O2gtAV;mlCkv>-NrGm#1W?pOEKw-QK$5|)P1PK!*Tt9$mup{G#Lky?x3qhx@yf9_rl$Vg>pZ83@)Pb8f4}$#$TMI? znA%c^7JFDGOvgBx4~Brj%W-KRo=eW0(JkoJZw6Mu&MLQ&$CF{Ti&f$gK-4 zeJz%?MAqZ9_;{3KExz!C!`ElV3waVhO$kf!Jup0lZ)F>W39SeAH2$3`x%B=FhrlO1 zBm7z6&k^T)EKya3?KMzu#)3?)%w8#@L3lyRi&9>ql4>x;%+NLj%aBPZ#cWBHRG-n`=;1cWEr(~A*t8+ zYPV+DwXBi#maMmFF`1N9BrpvXb0?hN);h-SyW-c1e~)}j^ffAbv(eyvmwMP;Unl7U zNgq<;NiaHcI4}Dn=LZ+ZldKoNLHx($mEocak*cVC;>M?!M`NRmPi1^Y!){3yizF3T zFAoiMpS$;!-I6cleJSrNdc6D91sqVI#Q3!NxxH4K9oxK$hrP-W2U8)KV|$S<8KT&$qZb&2igo=cu-6-)<&q~9lN4qo9dksJ06Alo4 zpy>9b`H<`F>?e}s4z?;iqIr|w8Nj(#GBV$ zaGKzB!pb?3+hDjVqBX;fL#-1bQ%07IY#Mwh)ak%gVmS;X$E9T^n=q01Kj6O7C`c4nWJDhFlyRYCA z1fNLQqBXa&ytJ$~oaD+Ti`J8+oFe5^DtsjHstl(&dv#_E%jshKi9LfXLyx9K^sVwf zpXtVeana~6V}OjaXfX6e<#-kbI=u96{Dx0BTktu82N7m$rgkwv_x!mo9B#?ILsgnc43v(5H6H(k%Ws)h%;+2XTpVdr^WCOkuX$3f&yPenoWeVSAp{n&W?Pc z_#*MeynKc^KD2#2`f%YD!Yd8ObIe)pRgNER z^~!4DHNr;_=d-V-xSHzJ%(D>OYLgL9l9W{|tBw{g8GS_5E;!wtY0L2^e8LPlGv&;pqlcce1vvF>whOE7 zh@rYl!W;=#Q)rFDXf?P>H00x6Cw_;4s9= zt#fSz+zYZ^l=TuV77h4{Ooo@8{@mV?%S101y~1deoKR?d#pzsowY)0&HPNq=P9;N* zNa3uG*d_3Wi!E(^vXv6wl(>pwd?%%+jjFE0ieRf<*=Dh|M#@`K-loD_qKI`-y=UHW zWAOiCe7!4Ut&I1~z({Hgz2ejHz8ihsz@hL7>tuW&<3lrWAJfyz5-3W2B737-el<^e}CXu3Qbl)OL zeeL`O4dW$$BYu$>A>lqJQT-t8e@U5h+lD1J|o=}a~{SZu~8(v%+zH{ew z>y7(f&UQIJ(BX6C!(4uJ;lhF#vY#aEknl4FMih3E%nZLcoNevNzY6|M@b3<1V$bzI z9Db%94uDViQ}ADc|Na-oYR)?y9&bx=|0B4;JI~9yfG`PpC!+ z-ig?;*MgX>HMXmKGr@ZbZcdno=8eh>Eu8+r?$BPM z_ZHofG#?i$O(P}jIcbi}t`ZFV>W|4c>uPj>i2MIR=* z)2?(*INa$SMjs*iNYR~lrE|kkPXBCl7tviscO%W4lz|oI!qEzR9CjC+CODn2 z-K4yb;q)(d=uFXBqO(aeGh`g*W3duWZdU(jj*GvUm@6?)Vm`&#HkXmcnRh5-A+tKh zwLeYkA+4vhW2y16#rZPQF}sZOKaX?gFLQdy=`E)Z9p)!=GOA0$@y_owzOVQb#Ggn$ z<|i4MR{K85rGHF1S<)$zPNfv1Eh8(O=5zz=pE+H0KhbB9W{|KbhWgmfbbhB5ocfC& zApR`!cJ%Bp(CPoPqn|DM9MOYFH;)&bgBI3=>ObeY)zGZ-WSuYT0$MDw2bAQ{(lXfb z#x{H9Lg5z)znC~rf^8f!6KI!XqYgH>cB_3C{1KlpMAlGQ30k~xv=T$i3I)zrSW9uC z_#*Me`9c{ac|DWg_K9gS4@Gt$CHhu7rcDENd?f=3IkH#i;ZfP^s) z&ukUpv4SrZJdSXx%!V;YRY@*bQ6I*;G(DE20@ z%-It~)yTY1{<+zOCs)M4%#(17gj*@_&6FsLyPshege%=mxn0T~QtqU}@KlAgaF?@R z4vOKKkDsQ5yYW3R+=Fl3r0QaK!fF?e&yHbVgP*2^x9~kMyp3-)%U5BtDYlsjaZXuy2Y-m^ z;hgBbD{rm5_vop{P>hnWHtu-ejeD&rXq}7?WPC`2sTrNiDFbW0x^kZ>>!oav@-Y>j zq_TL-81(95VCE-o)Y{mMjWRx!@fi(Xe-Ucz+L_{W7aILvypAsK#U+Aiq_N<2k+R$3;Of^|CGO1(dc-XZ#D(p)(SBeV*ON3p=7(R`_a{FwgW`T;gD z>{sc(N&lU?;+k{iYVmRof4K3b4U79z#$Pi2ron5f8C9qWc9M3wbcEG`|B=+-3Dpts ztyJJkw`1oy{FX{;r?rmJ&Ba&s}NpX+q8 z`rukaOFFHj?JKP{HJ-^A!^ASNt`ytq4sE2gmD0`>UnRdN?C(mY6`T%`a-fv+nB^>d*~B z55YYJA8RnekqpN<+}Z-tOK@+&eGE>|%SsE!J3QjBc;voKUT>OSl zxKQv#f-l|$#ykgy#~3_B@KC{tU101W;qX|43k4SmF5U&M3?&YaGq_Z6nc#B5dO6_P z%MZhx-a8`(dbsEc(UnH$WMpB;ewEXC(<5Cix<>Q}(u}`~;$g*DSS1AKm-L7aMpAsO z_&V}@mN?K7i&b*PqQPlfp!3I%L?M7E~#>KNBPJv(Y+rClm*95se) zWHDYoxU=J(zu|$%PY^#*{AJ{MXGd0}*mSwW`z(m?B*9k*o=ligilJl0rD2NGtN764 z6Q+v3QuH*^O7>|eWKDPYBdg-f5Ij@xEQ9koMsBvlRZHTLuM#{*@YM!q{@Ku;7y8 z|7TN-ZWn%s@H>e!KCtZ|)^~Mya(X=We8G1MzQ^Ev4!peA;oF~$@O^^s7yJO>miPn5 z3`) zHyjb8=T)(&FrfwT{)F^@`Oh8n8g zEa-jYO1LhDY`v5XQa+}l%!cKB+^J8TUu~JqM)9AD|BO6eRmjjvY|zB#?u`D9*Mh70 zLe7_RzM{im6=O}oGE6>ZwZN4j)*$eWluc4LQ(>?QDiWM59=15Y_ye8*r}$RBkB)8iADtVa_!c6i6|BR8JBKA!1M{4^!}h3|pkZ+z=nK)D1F zwG;nLmFkz;#Fc+UH+WJN0etH^%8I!(Kw)TzA5#2)!{X5!;V0Ar#P3F4;lToiwHViy z47Pb)e5%4to9ccrSh4(o>(qdN@iks;Rhb8qTd z(Q6~Gt-N;hn!_uuL9(wbPt9rw`@6Nrp3yo$)`7Cx(_&0;lOyh^#$|~Pa;MG6=o~Dk zgPe|Zm@u{c2Aj+eabb!rz;URA!z6T~z=Vm(7Nu+sJKXu7JH-q0(k}*Vl$6m@>ZvdhaYJql04~HchOtO4 z?d%?#IVcx-vcS)Eu|$%VIUDBc7K6D3?`Lc(5Jm%DJ66`?0dxI)5Y3cPn% zeHB>{+drqc@zEtQOjBiCDPtN9UVEahwz|Bsk`=1yt{naj{(?`KA!VkNSyYr&q$3}i z?Qmx62wx?5j^L{a^P167TvLrcpm2=~$2E-sx>mw<66R9iEyNO6s6?@`kSl#$?^fRf zqjiI<8)e-@OBb$(n%VWuZhT-*^gJ22$hegTuOcliy(HY`@VeB|F~b2rO$m44dtkT| z-{-UHREyCISU&ha#r(VQ$JC2^pPOUQ=F7cX?mcvMqI8_-UWa?}H+;f57Qgcl25BKUE_DmU_~xd<{cgeTk?_;qxil(SUMQ*@Z9FyJ&`z*-f?Qa$ZTe`~mZ zM#{5No}|vS58X0fNc-ss% zGgYAWHzd5{My|Cpy(?p_jQ42pCL}8Bt7|a{8Cw{K_uU!&2L6OkSSRNLIUmwtxKhP3 z78pNr<6$e5t(UPu#>X^x-Pu_=n3ws9)62&3=s5mH(VvR`%xFvq!>(?hJH6k)NPi*v zOVMAEW>O<1 z`<>IRZQ$PbqPL6wfiz1De9AIWg>d{hd$@iQzC-xW#F^P+V7^L&%8`C?Y0W<|M88V< zP15g_c)_Vf=un~i!-d&hW19X`!e0{proce4xfk)X)A6J&)9{b*21`|cz_$X$k^hC& zSlN;Df*Ru2R9@862LCt0PpCvl+Kmzeg;taD5-u9Ny9+I?-K4REJtQ=tz}y%M9*1hK zrl*PQP2Eb`Anazc_LS9}7Ly+5l2lf4;!z7XrrF{~d&$^aMoSvZzq0vG*~j58M&dVo zLMy@h3T{m}mA#--Q1cAJey;3g*-INKZKbrM!dvK@jO^{ zE0h-3R*$L*2f1>uy@w8#(m_f`D!dNNxf&S`arn8r|g@kpj1K=S>L31$DK2C!g!WnRPKz&y#SzgbOI>bx_9@ zj9Ee&?8b%G!gQgGi)36(LywsjHPg}om$-7nP4Of{qzsjkpu#&>9cn5=fy3=CjBugg zBEiK5;{}3RgTq_S;??5HN(Gk*E+=fsIVTKrx{pQXaM2Z_D@ikUO4x?M?z}1&mhTh8 zQZ1oI!Uzg6$>oILaFHdsq~Kb?b%Ys~jPxw5KQ+?nKhha)gnX3f(W2`~^U!&j7@9Q3 z;R6IqWte)QM%7r%63_6A+d}!8Q&KSH2OC zzd-Oqf)^5IpcwhwfJ8&nA9ktBnkYRY=}}3KQR3s0EW~1w2}~nerJud=_ov@?tWw*Ysisx7+Yq_iyv{Ek*Gz`|Fd=p-AqrE*pugZ8$#_KeA z9@MUpk)q;{w{d-V!>v8i<9SxfdQ;XaTDpaWb;+>W;air+OIaiMEx~US)-5d3;)1w^ zC_TR8QjZl;dRNj~N$*i&x9HHnPR5bg+SfDu;pSjF$ls%+0p~5;XUR<2P zi=Mk=XzI>+Ru66_XHPlJ&8aC&nig8PGsn6p_mZ=>oR;pOxEC{qu#Y>%Lu0JBlC!Uz z)^vD_Yj(*^!hSAowalcAq_&dUQQ||Mo}G~w_ILPy2je$z-CK3#1sx2?6XK^LN zm3248pk?BxDIp8r14A~xRf;a*8yRai=irA_I_%Oe^11kFO31_az>tq`U3^tB#^Pgq zSuz}hpHfBx>rv_bPon`rCIM=NryU*vz zI$zcWv=~R+g&6B%slGbcou~GUXSz_%MRG2t!%Ik148tU8hhKROzu^;x2p%dpL6}J# zUCgQ7%tC=1pD&ky6W1UJB zuZOwR-pXpjB~?hOq?EdEn5_}2oPNmeTeavK(IZIfz7Y-%_kJQ?LQ-(8;5x#*7pe8S zY+a9$Zgp=G<8_p*(X#4k@orb6LN>#~GWJSrf)P`+tmSe8L2=6UAOe zmIED_dE?Dp$Ci53LN9l1YquDjNz$&6Hkn$geLFiR8|`U!8B^RVwj?!G-j(vE(c}F? z9bC5@57Bg2c9h3c&5$xv$}B33T$Cr0VYb7|tuA_%;5mY?HW=g8vcfeEkGI=)t>Ehf z&n3*1fzA@F+fZGf>Y;Gy_xUk6H%Pis(oK~3Q1DU8!J7!npoE*lcJFnk zXM=b-_sO|m&I5FqZL*0U`SOE~pJDB93xq!;d?9h(KW^E_QW~l~54-Z>Uhxc%NO@Gs zV^kQ+jIdl3w=wRaC@gZR)M9M0q$QFbr^Mu5h|x$-IJ@a{{De<Uc*m79>;&&hSu5o|DvYP7)Q9(7=x@S0 z2_H!KkOD6qV_~e2hW-kdO01N&UeX3hA5*eNDv#T9qND5+cgie*Y?Ske5l5Nz5~6~1%$>Q(p+pYXll?Sg+G%xFbVenl|`iiICtczTO?EW9LPhlHOg=tkq{ zm;&MSwRZSlMgJ!HchbBG39M=FRp>uly35A&{VC}$Nq|YRe0>uj=luOtx0)#!~i> z(u4}%T-6vXRft+wVQA{c!}bnnCSy+-&1vvf)L;@rXyNc$>rdQE@ZN%38jQ}_;;@gy z?Q9XAR)Y5x+?p_huZZQ7T_5&y0UhV?XlsG%CAhcXK7@Jac6s!|@$TGdf$1yf1UV z(tpBV@CheNIYr8;RCvWT7{$Q$!OC!&8}(L-I$cIT8E4R7HwHFj9)&K$aHjK**?`&p z;s=O7i@Yub=?F`OqXoD&40LCol?)R?b+(*ybbyT^_JI;vZo>`yjFM}aX#B=X$2Vt zVWiU|8E5!}QKCnSt|!eufDU7vtuuD4*h|HZBO43QsF%x>5Oc@yPbMo)zU zw#LN#BV6v%CzgFol5~Zn$&~o`6&0bua*D%cHb8Nz;41}BGdMjbJvU5uc=wLHU|jMH z!7~NVayTtLJIr?YG8;Z~mEbvouO`gr0VQ(G4@@=3U*pbtE013*=Q=ra>7?2U%WAQ3 zex8}U6b+=Oo>R+N}?)78*$Gk!|FSBG27&XaMAj9Y2278e(r zx7yfku4T-PC%RqQ9n$Wkmdbf>QJ6A{cJsSj>9n0uhDe()$ zDUVTMT0u%d--p9JtZjR-;3a||C(O2OG;==TX#c+W1)uPw(4|73BFaY<+lXSC3aZCX zyHHXeulpGZ&q{cX0<#-D9H}K(!}D%b*f5h9WV|TjB^tciP&|rFUTjl)*_CeAsIyGU zaw#jQFiE1#9OEZad*!|2&b!uD{;HhUppS%|C+~Jw^8(`qCX?eTbDXG@5ASA zl-lvXknyFAuW0Z-@ZrO9eCnzD+MR~> zYwC3GdGQ*W;ioBKPkavy&GD_fS6)?8QO9OcOtHpqsSv$$bX4||vbU6$rtn$HN_DL4 z<4UzXNv)*pE2T9R-am|p(YihRIsb|c-)~NIRH5M^lM0XY4jWi!oZef$CVafDpH*UQ-#(sAhX)@AjFi5O$SEDr> zO+*>4tlWaX;1e>XWJ$@U!uUzg&P)qA4)0|xKDmPP1m_b@MSXgHSvbb&RTlLzRQQac zy%^Kcv%)3LPqv#eMEp?kiCuV1b;o*4&d)TyP<)a2V)Cg}l$IY#9G-1(so*lf<%Cm# zNykzdSz(y-cNjlhe1-T*^1K`BT%u6r!g>>`CDce5K_PVl40!?{od4YTr1)C#b-VBx zP%bowt z_(|fg5I>oGJa|r+;_wcGrwYDO@HE2l;JUBVo!{La_!;77il0TEFFjl(FLbu!y)MD8 z_=Ky3&k=sL;rU2q={eyV$CugM>}!QzCw%U|cpmZV9sk4d8-(8|{3gedY=GbFcz8Sp zW}fg{gx^Y>*NU9Kfc$OFA7|Ob?c(nce6Da`+E} z7Ykk@_;JE)z`$zz71%$#8oemU6rXTwsAX4A%33PxDO#$0aRw1q8i*@eJnhKmbK^d@Nc*fENfpW;Y|svD8%rKU+w%fJHZ<9Z;5}Ke9Q`S!#fU7HTYe@ zYX!eYICZh;Qe|k~cVVFk>m+<2;X?|k&}1kyA36Vz@$1EJ5dSfGC2B-IlF=uQ53omU zqwr6Ke@0x%j&TqEbLVFm|AqK3#eYR!$&OL~wZqd5{zmX7!J7%E!jj8lZ*lxB!@m{2 zRrogI3JaqK{CCdxu@2|&#cvn?1NqeRt4saS@eAyM{7Lu@;XnV2V;PT}@QdRk4F6U5 zZ^D277gyl_aJ+>*zkdqDZ!lgqhX za%BQ*-GqktIaT0pXf@qN_z6`2S-a8ViO|!GsYMzny}K)i*--DsQudJ2go+iQvCV_i zA6g1(CVEfN%}MhXXQb!lhZYXc%D`{8x z-MGD6ILPGc4ykm8PJW4om)}2ILd_?H^z{5k3@rQi-W24_nANJCksAB@Tr6uj#1@B*s|g@r|)<;Ug+tf`-wh-G-FXTp4c;;zti~s;s=O7 zi+t+wOV3AVgVS%><9D{`b3_j!&2*3$mB407Xh%5Lh5O&Z@A!oCB%Ckd0t%_a=V0f^ z!A{?5mwKV-i$q^cnt{irpE~*_&VMsKUhEL@L&Yb^v!cTpS=gm8HQ2Ynr9*61R-vRK zNyU_S4Jc<|=|NOVOI&!(cK0cjP$r?=gk&wYwdX|-b79TZF<8STR7j|#z+9maGt$xK z4x`GAt9IZI_=IX1H8MufVBUlFFYJAmnqd;$8E-9MNjbH0>gez+$kg-FD-#$@W}G-KevfN)u#ElyMmiUPO5% zC;RZFfrXje>CrVt)g(Dr$eC;o_T4KQ6>!_pm^Hhu~5&<&z*6nztEW<{7UfL(_)di-Wra%{%HJSn$Gxs?h}z-!11w>e#J*KoV&J4D|} zI<_F^W!X^ayIdM$(tJsGOS*>=(?)Hg0vkOz{E`*E?-P8#;0FjZZ6vT1ZEYQA??33q zoi;jRfsBV_ETmyqkR2X&daMQJ5z&u|evC99QC@EjHcttQT)5PP#S)fCc$`8iW#?is zSBGD)l>MaOrGlR#%nApOp6er_pLT1!o#Gi;&&qm^R;sVAEIjY*HP%=6g4h?uzC@N+ z%UL`l!^=+pIV2{ZWuljhUO}2gMbTKU$??Aoe^vNv!e1xOOfrR+hc}%6+xV5@-xR-! zJReIRKY?)#tKGTVddJtuc}vdQbQC1)Mwr0-3CABTj#u!m@U_CF*Ucv?mA5&m@W9Epp;gH@wabwU)(by>CQyHI` zq27Hg7=aBP+*om8G`^7WrHrp=#QxR1JPysStH9PTm}>3b1WOm+$lD}uGd(_SDCg7_ zqEQ+Hc`Cvdmu|Typ6pvmTP1Cyr1YADb&bDscuNNy2%qr1;O&Bca5xhg*pCihdq9ML z61+q3&xDm10WJ)`I6c?sUq$~W`uAPwvhat~*Bkw(=)Xk&ORs85ZuIJ?5G}^I{cl% z%>?f$xH)0oSB`N&dn<+_r^dRqaBr#2RoYA5-tt<~V~Fzeu}=Fw4v%>uhNzX`eFe8B zY}s3W*w5*SmSoz9ZY#PS>6iiKr}@C}{oT6EtOH~nD62g!1&9T;gB;$&Du@RQ?jX3M z!z^|k;&8pK!gr|P!vuFC97_`U=|xzgI~?xD=Lyay+!S{Y z`F?(8VMU_6G92T|6&9EtQhG``mWl-(YcDxH+2~%PdyDQv+A?x1)pWe$WtK7b6@G&7 z6aRx}hm#yHH~eJbrwBilID_vUFj#oWm4~ed=5#6jq?|#;1C$fabbOedp}+6}!p|bE zsL#OC{sSFeV6l0&;By2IBFsdL&DYVJYBkt%-CF&1d{EAlb-t_%Xz^u)5@KZn#c!@8 zFxZ`ZYazH$&P8%ArsG$U8!mBtxLw5%;X{Qd{)6X*0>>*1FBD!RyqI__E#+qyq8!R? zQcGN#Vt2Y!QkkT3N**Mv(du}monyH03gMNz;;0^0IbLmeweT9@BZ%AcsNzouZcMfC zBxTgfsH0)w$w?0*9j~zyj1oRtc>RCyj4;OW5r&TyeyQ+r|G_iEc*ld`6NFC`e%XKU ztZ=#GNy8@zze4zA;`WT?hAB>8X;(T`^p&Egk@hRi4$~d4wS&(PK2!Lt|KM1k)$uyR zuM$2-_|^ZxbHg=`k2L&R;nxYD`yV_nT<`cO!*39Nqwt&lgXf2v9UpD@JmI$pzjaqU zH!a-e_!z@)7k-EEJO6{Hhr1jfYxsQOcMHFVxJ7$jxYy}v7VYMPdS~HkCn`yc6$AQNIxU`S<%mtPUV1^`Qdqo=UNWvqlVhzw3kR%rCu!r1*2sBF&f9dD$=JX;tfS<{#@l0|^<5cjWxPkDDGaq) zvSK_Wyzfd6s~D`4@`02OsW6H#OBxF`edKhL%i;;vi{2pmW23oS&yetm)BAV9A$XLH zqCXY=nbDb9*w!h0?(~TMk^VyTm!iKS&AM8$s4{%*?CI7?^o`g}VmFgja!f;By2atA z?M{6wc&p%Tgq0k#vXBbCbGqDu@xAEnqJJ%$)|oP0uz@INK|CE;%hs#jrCEL7b>dD!X3 zMSY|3kBkP-t5lEg7&XWR8scB6Lj4aGHI48S3iX0_+Xc=EyF0wo;KqXY5Zr_?!=gEl zX#Fb=P2E^~Ukpn#8GFiTPJ^+-p*nbHw{U#*r4ipt_};=>8jclgLmj3aI6n8S7@4hv z?<>4DaV3HbJb?Q-{Ck@Sw-MY{a67^bN+l-3qBVMd$LCtSA0Yfd;q8et&6J^GErf%d z9?~fW{9w@?M0X^e3JIz^hd4amLUO3!!vuFC%wieVpw;3|Y_u#2hr2cAw0MdmWF0B1 zGcC0#plu)R1mP&>SKIKjF54p!(#EODs z$Z))Cb_`9X@GRlk#2Fe4+QLAfypZGk|1Q_jv7)N@Jn{MD89{iqF=g4|e)e$p5ZqJn zv4mOP({i?4wSw)l$GLQnRR()W>Mf}cB@SD~+|J`2ZF+GGOkbfV2tARg-U{f)%Lykr zov@eL$)ZmYeX7&h>8Plk=JZNyIy_x;KhbB9=7r`HKGWfy)&tpJ@BqPQ8Js8!Bf>z3 zr@b0OeYW6p1P>z2yq#mml4Zrkm^*i_E3IwSpYx=gFXaL%N;8F=J&_p(JAa$Cl3pnO zBJmd+pD3)V8C6^mE^&VQvKXWx;)jY)kY^ejp1>kRArv^idu~iLg~E%37Zc}<1`XRw zt!t=@2_-I`VJkhCN-UFDPLUZ8RvkkV4hLinbEE3+c&gztDr8jB;5$AQvJy;huBg|t z;Hj2{D%TrZNUNpSNFPC+Cq%RrsihoizgtFn?IZDoNg1^=>S*x3=cVW5hLH}BUx456 z38Ms$7F=&|B7tR!#yGs`r3jA|e5v4Zgj?bdsYa1RMWPTL36%zp_Wx*;O?8;?bwdxKhS68hqet(7^9# zK~Y3!2%RZ(7E$HBoQhf-W;_04pNL;2e2(y|iSzlaDjtQM%dT;{wXKzTt?27S&o#QF zJX8(|*E@Z^t*~)}=o>}fM4IKWj5PLvVDDgLEjPQl`EJKC$_W0kl;z2Ss_?MGduB!W5y6iNevB|6(AU$!#&GQrCQuOQ51Sx}RahYh%1 zar`6Oqv=)QuL*yhI4@Zdgw7|;$9==4}Ilz$ZD+LH6(0ty4iU#ZoU=0RrEH}j7ZQ!!gmfgHTZkM z+Xeq%a9%bN{*Mm7{csHPPl9&{{+TeNFp;R@1|qfL7Z;_t({iG?yg+3Du%wXls%+0p~ArAX6ELErVh8cEyB$N?0I8}V($ zww)I!NhAg>TI=%<Z@+>vgD4l0G{CR1F zGX-Y}&L+&8oRN{8mK}1Oo}Y;y@d>%2^F-&9=Jh6OYLe;LUCr?cmfU&>?Eio|KZ86o1`HY~PqNZ@rVIV9h(dn}105S7GQZH zOf0Vr!(2FNEq=!*43|(Lp^}2K%bJ?ep~~SYmcFV5*9aa#n8`7TNv9ac5*%+ZGv1=4 z@LJ(@hNIH~9g|_C;}gG9NKmd9K3aG^aRwzlBR4aQad=1D2#*zfso-&hm0mbCE`bF$ z$GgznCYel-Fj2x~6nJ#brwf-m{P%S+aIN_3#Lp$qo0VD|EnM&Tk?kUWgYX-L-$b0@DdlQH+#BL%7iJ$2 zg?SQgk#H*o-L5n=klg0*5{}=*C)_Uh4#9UijBQ)OT@IhwF2eH#-!1qa!tpg#h4neY zz0RL+uc`aQ-!J|F@{Iga?9VwoiLr9wK{v*?k6~XR;~^OfX)tbzF`pE5?}r_~X}5?! zBK%R|j}h0UW}%y6k;C(>T)bHD62XrXRt}$@nVlD&aC&2Uyw)d0FBSci(K%SoIwL&o zboR7JKO_2C(a#xO!sQUd^G<)UUkvsOqF)sK5^25;3M(;2$Js%f{_w!k=0{SS5;eqCgJy;zwyWzDeJ_4ApS%040(1Y z?&U`gPZ%3RzFzPK!5SY9{5|aTg7f8%LC)SV;g0M&$Ao< zz2NPFe;~|vI~Fl2E<)Q9-Wfl-a`^0c{GX)kkn%GXrf{ZNG}=3zV`=tR(Z7lQoph=_ z62rku;=tEGT&f=zPw}Uuza;%liKSa^l2;XHq3?8O^xo0=M^1wmRhY-OuB5aM8E{CH zW1v<;{FW-Z?bjhHjqnqS^!OeacEh($!fDMxI?^Kw-w49)g@V3I+5oe=0?^qVP2g`f29JHb2yHGPdHTYVS+mm)(f^6d%K|x zBpmL-^Y%77Lc);}I#XaoX65IFqnv$agpS=HbP?NCY&WtDH&)<79rI|Xf0-Y{-CcB= z=ycKyN=12PIf^ML!n-i?*eGO5$dZsvfzNpqLXPuw#^;L96Q6H9BcE&iALD$UMSBnN zJ;fhOo=+t9@+_{>F6H4kS9%;AgVak(Zz+AKFm_7IO2hHaHnMkLU$G~MJ&`PfUtBe; zx*n}6CprI0(|GKY#h)VnRPqcC_NB)%^0i5f?>Nnsiudsse8TBc`bjy13U2_muFJ^| zXF6SVMm#}((E~)EwJV($20C4B^x2}%5j}{sUQ{*Ma%faI*YTv`=LtVw_yxq7`yh># zV?a)E8J58agI!wGJcj5(Nf$}Fn38gzDDgy>xU<-tA##SwNziGv%ZUoBD+_EWUV*y{ z%`KE$B)6Du6S$dqS$IR1qI6f{#%>qj5BP*q8D%ocX>`S}+^ujps)pGanQ3T%K}%dt zc4h&}G)c6xW#?z4=jLN)f!b<}dd>*L{GgBB5iffQG!Pct|!a{nt|Q` z%-#%Rod59H$d46&srYfmBefM`%0n3M{0K`D6U0vxe;Ikk_DCcKbY~(xU+%`b`(wmR zl5vHM$uu%x;0#>pwUWz^kJf+wfBvON4^#ZmbrzVZI`ow~^fVrtxeqo~O1*riyKunp zc(pSm%#<*T0v|`_CON5d%yuQ;GL-+1t22+&sr>)H_=Hx3M2PJB>`Ss`iR?>@rKWpk z?pc_bdt9@jq>c6{q)<_*grZewwM413YtgO{txBcxd%a%wb-nri&L6jjGtcKa*E#1p z*SYpdh>{By)F} z`r-_)E|7Y+)O)D%YJ6Ie=oXqVGNcrXBrKM2F9m)~Gcl^y-DmJ0>;2L17raF9(f}tU zvk+nMdY%!RdrINH@bSD-w?fB^qZvP zahW&Ay=8cpaBtogzC-vs#PwlB7Uo@Jr?>EL`Fq$k%e{}^QSJl$`WTRiepesjzwz|% z@9<1N61`LO$E5jAoba)$+F{D1-eQxys2KXEEh3GFu ze??mFMk2aJd~NX9XFU9k;BN)*Cd|iLSW?OLBjbwzd}q>m$^MGJm$XOH-XKk`;O7z3 zDseHzeI~s)*-Jl2+ArxqkQjk7{OR0}CUp-H=qE`(OZtTpuO&GXb%(ziye)j(eiM99 z@b85APV3{w9N8ZxtX$%QbO^g|t}l6p((Ly5tQOYsw(XHJvg^p(?3PJcS_4;)W~0m8;N4*dDz2Z|p=o)I=FBQ?`q zU~s+O*oVyx7Cc1oP{MVv7hnC9#B}tx#fy=I@Bc9KzPVpoH8)(|2zevvG4kR?0zJy; zULmH87ClDvg`|0}iZRco%fWoQ1!xYw$fO40{kT}tC6dNcV!DQ5&L!v>SLDW-;Hvv) zKVHHF371mv#rD)B|E zNPFBgV>fK}>=k0K6g!&0NZ@A3xLU?FG}s)V$TGGwpgM>i6 zA%45~H_0=yVR2fdQiuz0nb2dpKf&7)c1U=K0x!A>X)_Y3cMTu%xX0fU{=V=Ji1VVW z3NeW+M$&SbD)*sD{X_fgN0N3*`j`@*TP`Mo;uHcqrc|gBpsCWJ0*Vl`68tpbBF&h@4WCb9g_E_yuau% zCbCaH8k61M#us<>fjcbzAMyW^_j&HrRJEJ9|4iu{PH{v^wO3Viz_0EVs_U_qLv{Q& zerH$r^Czf*T_`n(KAto)Je6h0&et?}_6iTz5?ovG34|HXb6f=`GD3tp(S)@j=X#Qa zlO>!&fzPcHu{PVCYV^Et_&TENimpeRPl7i!O?^J`E}dpl|8TkWB{h)LkdiI{^NsR=bA-FMNo&l3ZW4$nyLyKG!lRDh*ulh_$O(iv>#H+>~Dp&H++=L@Hc;PGw zEhMz0Z~}xFSJ*0uVWIT1%~(Id8?9utmeGa=Pm$^?`&?TS@@HZ{HrGxb&dIMtnF{KUX_7k{q!9^`%KGdYcr;iUoZCA_!r zKF8oG8L93(!;1snS9m|+{fRRoG4yVL!36<6U+_S|g9z(VvFsElDY(G+DTDk29xQ%{ z_@RNvgjlT1b;FF$4wGRG7e7M$Nb>wp=VHc~Fd6zNb2`-U=NK(#jGPPU)PuvZ5Ll?`uMCMqUJev|2pCpenr*&wV9WQ5soJ;BOcEQPYml@nNz*&MX z7aSoRlCcadgFFcZ1yjxsVakz`Dqgze#*PbuBKy+cCF-)N_>Lwa} zOFd6d5?v&^m^7bWPEib9#&TVW@t^L&Zfq_lzEu2V@_aq9QpF^EuaJc|Vb>ymf-(u^ z5-KQg00kdKW>}k$PomPqf#IsFBuw;xlDJsny%d$dFD`WV8N0Ez5C8pQmxx_TmSr%M1|KkV*(U74<{lLKkkDmBdDwy& ziVep8*v23B5wVYoT~3w>WO*zxGc(OSX85+n9$z7RrSMh6d0&u5#N6Ws&kVK!+!YVTBF%qQQTMF61u>ep&Di&~VsSIrn2 z!oN|*CK;P)Fi0wimrpHaE8Z4!y6(cCu({XdY?ZT(PAlxiw*(EkYzY3p{~X(5`??*g zJbY^2(6P4bSa0%JoaZH8D~FcWl=P&uq$G5ZP0vj7ZMbjQF`f+dZEx!sJ9Lb9cnpq$ ziytEy(`cgQNf(rmn1o)o@n&21t{vu?aG3XWnD=#<4|tdcI80fjGMby1mV_P>X~~$0 z86in?ADTS=Iv?9UlDt#$$CMe7GZHi1C&oUq0=uxePsM&Fb{APbrG%6We}$i$(T5)r zZ0-vgU&{E3Mmy~FSBMtrR5Vp5qfX9WCYl3MGZK(dmsg$*r>TKmD6hyno*tv1o@!=tLP}yh?xrLqC%T#@cMh**Ey=Yd zpFo*8q~x^Z#Eguzgw)Vg!<}g6^f3%9f_sw8lVzSl^O*aAmZek8csc~Mj*Pl8>e1i> z&dgx5?P*3IenE$?=IV=XAi5!GyR3{PgfCGM6$A1U-RUNG3YXPL@)?pFQ)b}Mc!x2* zDQK~7Vn#b26`MO#MpGHhXfSpoeNr!#=El2_2Aw6oh4_}_Lu^fPXB#~{#MV}#TZ?W( zns0g(-QwCBJ1Tq$+lg&2wgcJBcu0I%Mho2jpKcE*+#J&h;^_b4T@pIl87f2AJLwFa zb%riH1K%BVdx#5NO=vm^`?0xh5)vdN27#|;D&85FWWvaBy~z?%B&1Sc)XziCFq-eu z48Og;f49xQ-D+2Q3Q($6% z<|s2qg-0=3<`|h5(&W|WIW9uP;yOyj7nyWo=#PG}q)Q}?rNr=+po1W8n{(q#=oW@& zjh8S%!le}W1dGuH-(6<#f!_WJW(mGraD*`5&QjKNWfvBeyKFP+=XxVYMy`w~4Tfh@ zv;^at%L`nd2@j@wAzwm)ghC1oPZX)5n`rQy<2^h{aFO6*!hCj^Ww{bVH;mpHy5z+~ zmx`WDnsGZHjYx(0&KaH>+HlK+mkX~T&WJS0O~suoa+St^nBfCcC4P$dspJ`$No?10 z(~Q14&{v4QQuK7v@t2__{$#H*;iWLRVupmPC0s*+DN#9wZ(nQd;~_VEo!INe&I~My zYi^dYcN~C@&D|jOMzJ@M)SmM1DeIsF72Hwl~@&fmnH6~d1%UU99>9JO(&ybY42h6%C zSP#m2NY=7oNtV=@Zo{+U#)*4zm57y&BQJuvgGae2}=2J4BmhlV?#`HWC zYzp18Mh^@H+~-8E75zMEU%#B5h#6&Km?MZ459`bu8^X0--UfLu&|^xFl!4`1UNm@3 z5A4I{UK0GW;8y~ioRo&1RtCQ|$io{2ZxXyYz?g_0V>S%ldzHVbuL<5NcpG6}EV40Z z;eOrdS_Ax{-w?fB^qZs^=tSh^+*<};RNupI3*I64odBn%CZ)J{4Sw({55Fh)eZe0P zX6l8ub98}l9~ypY$SQm!e5de_iSw!A%b%Xa>Dk>UW{eB>`%@X8$=F4M=^Z+usA~9g zWbD(2Wq1){}tFh}s zJ@ap34~qSrEW?pgs_9AoFnnR?b#X}epThql&Ty2MAsl}jd{!vh92WeK;C~69#$&Um z2|9%_56>=ANVfkobyqmg5vkQSsnCI6T|!Y|g{zML#0wg2dion*1G`Yr5PLjX-uRs8 zL{xj#G`i_G*on>65?x#L38Z-i=$ujFPBi$_-C|Lg5PY)WQ;x!zQukDYANHw-ie`lMj;RHGjs?T_6^^ckWXlV)i;k~zI`lOX03xWE~wx;Fo^QUPit-Z7k)EK4|u5{MX;4kt#+(~d}!CeURej?37 z($v-H{O+FaCOScMB5A&_=+9i3&(BGc3EO}1Lb8Mu38@r#$yKo;wbG^;pC4Lj)5T|q z&m_;VBLOLQ=NLRDq#oS`pDVZrVZK&V;#1x9H2jn`{&w~f-dlJd;(TK#qG|6uV?PMv z;QET~C$>LX-j-za?#KM8MyG|3!TF*GiXKFow*^yt#;Q06%>^dB8ETLROBf@Q2V5I{UZ5`)eTnF?q_P=^@{P~)?6SFouSMb89FlL%PEjkNQY-gOGU}uO*Hz~+5QZZL>GxJCe1UbSw~r$ zGFM_wt5BI5lT#{ZG97*bHA?~-=uvz!WB9%Ps>@`Q%c!8in-t}223fAs@H=aHyh`{K z;Zuq81T3Fc;F`1CG&7zGh0`l!Tq$EZ4W1w~p&%h6%Uxx7yU;y(hVZL}UqhU4U>UNg zi5P=$t?@rx;{$Y^`0K^bB+m%pT+Gcf_NMSPzCrAbVs9eL`;P<-0l(Sk^FnfVi|AWL z-$t4t$xJ}iV|tdm-T2l|V>dQ8Tl^gHcaUdR6cu%)MXFq9R`gD@*6x>7&CQiHPu6@| ze99=dVANxgI@R4}PV8szERb`zoO|f-nu}3%S!nDZAyc$S>|(L^lI8JLQ|DvRedavA z#NX5VzpE`J#M1Lvzt3an=R@zkewbB2~^7J>NzZJckv@$Ij_{4o@ zaN80Oe=m5C;Jt*Ik`$xUY<6sl+h=^AKK`EkAb!921A(tX<~SQOa{Xxh-c_FeN&L^^ ze<9C|U>WQG3Xv$3xnE6rHq5y3o0Nl6ey5_uO6BuP4xB~~{13A-zxNk%NYfK^H2kIq}8dk@ycx*W7 z2OpXm*o8d4jN@sK-v z%DEwAjij6*r7;!0_r+L^8x{3U44*i}pW#g5O@%iju1`i4W?41%qhX#sOKc0VEy*%8 zNN`#5W|z^kP3c?gl~z((OKC%e7mcMq;&BkEN?UWLEb~q~?3(4;<9C$nfL}#HBt^kKNqH7G+E-!aU zCPdnLAz4C-gj5Qwy}=yP=vR(A4f5I$Y9`v(O>uT_clxP<)R~`d4i*t z;Id8mGh9QClw2uMDvTUh9wO%Q4E`n5UgQfd5L`%@sWTU5Lk)GT1m(-AZlYN)75Gq1 zl2s(Dm=>=gFT!p$B}R`v&C@Z_rJ^U3W`J_p9mpB{d<_qm2`(30L72%$RY94nH1_7l zJzFJqirA@S8SyY78hQ`8X@)NhMeZwvUnzV#aXwrOrNjuFQg@Z{?V4aWHaA23)#9%? zmQPB>3{A#&2>f;8uNOZv@EG%+l7QpSGQLSDVcsDAM)5b1XL5lrL}{!F1*n@%NIcJ9 z?=2E;m2evc=2H14W4R=xOC@{_Za3{nc%^4cnHUEJlKC z_I)M{3UB}Y5|&6@7RMfACkF@CL?N6Mn) zB-5=ky4nqbtGV@}H;8_LG_N?D5d*U}xEDsm7aFBE ziryr8bD%jI8I1u(cmL8K`!&&9MQ@U4G({0-sTg}+Ih(HdW>iX1<> z_$_m)b@liEZ8u)#Q6J-k0$K4c;NnPsxjRADVFAP5u-g zN!TgjV+#5% zz)?N{MydPJ_+5Nw$^Rt&XYs#~=OaMY8@0A93;b%vcOlOGCgY%t-)ZP0i`6#q%#dMl zf0!~c^sGN5iuWR86o$5 zL`t;dC~nm>y83V*tXiUL zi#~yL{Mn`Gi*lmzi^H=!N&Ly;Pa*GLesn%O)#&4Hz$vl0I-=`}u1A_LP)q6V zrgECm;j^eHiRIxPWyZU?DYch*ct9NZ-tdmtP;S!{~fRI>2|1{1)g89Xz@h;+djf-?#G7?hNhRO-$#{?NnSoIZ3ytV?v~8C^ZZy1t_OiSAFD??2XI&56%$ zHo%O6n*R9bW7jM<5Wl0`Ap9y!D86Y0IhKttz|Q!4mJ|wagXIj7Gn5XqN^Ag80}-MT z>bQoPwtAvJ)o^Jeq>ZG;z~NN+7`lWQKFW;O!-+=A7$f6C8hRR;$;s{_gS)iFQLwp- z1z#d~EMZ1%e4Nvg&~G1A593U!5pLIbDHEhzN=09+qM}&2%1W1+(QKQ}QO#w^xLihr z22X+ujvE+5VM_C$NlJ-{PEBcwM=-q@CxF5pG(;o zn2)bYr3u;D{`gfArbw7dfya+vGE(GErWyY97VO35t`L5u@ae?k=|wTpBn0Rx6aG2Q zAAg2~t0i0$1YB`ml$ptEO?WAE<+x75^%7wnAfm3qQvAKC{l*?5+D{Es?d97DI$7Cs0ZJfYHky_ThgJyJoqE@H@&a!>`f} z(Rr9gp;+(S!`L5BZXS8qYmZ>pEcYmWN4e$rji(z?B6e3QzAPX)jBA zg&I=;eAF?uFpDy;nlb7Uf1-^tHp$pbgV7WteV8HJV)%sc{=6o9tMF~a8BN(m?R8_X z?d%WzhS=?5-z2M4I}x?}ZyCJibokiZ+k$rpeupqyG72hCQfC2_>yy80Qbl`zhW8}B zFX@9I9gVEGM<1G$5#s7cl6Fe^n35714tXvtD|VllQ1U;2mQN*oCSeza_;n;CyUz`7 z&`_6wp$~$;6#P|ylhRWn?rVc@IoHGA2>w>^Zo-U2s4M~fozW>F+wi^UJ)-xLX0`zp znP?U$oW{wc_nGr$}MV=9lAxp;CYr~s_FdY{DkMMtq zvuMOdD2<`#Cn#Q<{hz6$FYwRrh}3GYsStr*eMz$mIhqn5BFqnqeer~&`%Zr`HLwdM z2r0)0g@H@S#`MK#jWDHY2w*KKwWXXug|8lFuH|rMym}{^@n0Puu9IY(EaMa!{K7Mb zf*wD7zfUz~-br4mBc-mCdO?ZgvSg~d{L@TX7@~W9DGj7Fq{8U#Fjgg>Nzdsfyk6zc z(MZA>5*kzBgG6D1^~SD=@f{9gH#T>s_@?5Uk&mB13w59)k_kJ*;KH*cw2;s;2w1k7 zH9EQOY!h5a##>2fEujsCqfraXKN$Z*h+6H$w-?`mJYQIJAjf=829J2mUv4MCodtIx z%!6abcXs=5U5&pzB$(aACx}lZ&x7a13X5El!OcT*nJhR(aB6^2TUq4N3~m>yD$@mL z2+kzT8;L%hrRc|u72ixqN$^4MF5z4WJt*+yMq(U~56qYJG-+{2m3v9*EvZkCkct$d zegiYCAo`tWQjanIOnoKwlhmIQll>^hNDeTz_3@rPU+h4!g93~9(_LU}(nX#fEOv<4 zp=9})L-DWz4PS-R;>E;arqv2vC5KBJA#EfzJ~Q-KK^4~WF3Es^nY*^p}bc=*rCEP}VkBpxmtnF-c^AJ&Ii=HF;4$^u#F`)X+qiijI zBo+CboZIrB3#4$GMC6)N>k-&EOf`ED^a$5z?2#9;F#FlgHj%nvWyB} zY78z?zvFlr!ld^?FR(`>Jt}EArEq66++#+!453;fdZp-9q#5}*4Hf4e%5{&Mv8uVh z15e0UEn^K0CK}nX*rZ9(XemGHPny%}6Z{FAdrHpJa-N~Xv#8xQ-u__5oY3a_oQ$z3#DrHvOWUUsK9jJE0`C`^o3#Mw=f)qm1-r4iFT{T- z{wwl)97rv>i09Xaj|esS-w6L!_-^7nJldIa(ERPbGk)Fy9vp}NUi=>Md&!5}l*mb% zFgK&yXHwg6n|_eAU(x|eJV~~TVI4!~el))BXF3NOB*gzL{ulC0ML4zOug3mxtB-!a zi9IOxce1>pxseKt8pOf>Fk#OjfAB*R{*>?+1%6PXxyai8ZE&NS{^*AV|0DR{0GDMW zx%|)I=dSbc5y92As_1}U#Rep3DM@7&=rvy*yW+`ZyKrM_U>8abGLEOggbZbNeBRV~ ztEMT1p=(DiDYd1XKt;Z#z0+fBH;W?jZ+M8KEY$r)OS=uSo_}tiuGV0K)h0pC& zlkysRsg9(&lIl@n^hV?;9>Bi5j?a$B% zyJopF@H@&i#;LFjN$ta3K1)&y zNi8YymEgcKOxbp};f3K-(Mou0;cbZXpzr0LaLl(%J`6MCQC_? zl1hbVh$piy&G5bfPZypcJd-%T5rrk}V{?wtpM<{b-9?`(x(8`?l43+piByyqU7X0@Wk&D0+lMDh^yQ)>qbhi3&yb;>B&SGDF&(D%_?Ea5W1k6cLQHI_*vVv>+GB77Dz%VZ zawe=B;IFq#Lb-&BAn+2>nOanu&^cT|m4qo0rcz)E6J`|D^vlysx-OJEu8?%4r0JCS zlzEm6oCPg5SDDf!oM(oVtEF5+CEVN0ax7=)t~H};Fs_qvy^NVOYT_i3vZ<&QcC!p$ zx&wQ$xf_JvDEubk3{#k2Drc&@*_1`0@7yg?Zk2LdP;eQk3GuT2?WQD#K+TpiN6H;k z_`s12qYqH5q6|%XcbZf46#q=-%9$r;J{`tbo+i=VWpq+F!vfKFi@t|6A9-bA44)wM zD_dwn$52PJNWx+X_fj|}Q-sZwgv(W30*rX`0P z^@Oz5($-LmS3zLD7*vqtBSn7FoJ&Jn=~Hr^mh%i9ez@YDx3G$Y@jY+zkM23~YsEiL zUUv!)8|z^NP+)b?+Ynk zO8JTkzZbD+4hjas8x#kqZ^ zTo+~+`9aElDF>+VHcg6DOgLT{xrWi*x1jE25qm?)(X_2TG3=9-&xc5QzT&XUtYPRrorV>lQZ zaj-C8kvrR*JI?Y>D><#@w4uY49rJeJJnTC=75&>>ThmStr)npyy|fP0lsZI8QMZgW zx;mQhNa%9fNkV4{T_`Y3#5`&|epkbv3`48B2~QB7NSyh3wP}=PBxC(KohHe=>@d7D zSzd~~)Zj51q_K7#F_e{YY35~wn2;_nLtZ951`qWI?9g+L;lG3yn(o5S72bn5pC_uk zIPE!%o@V?Os=Rv1=q;lU4HZK<&JFx|#+RS$pG#ly{lxbt&of|z0qZ(p3@~F^s4hBR z#y}Z^Xz&tHFMx@?-35kMgeJnl!iNYSN}RDc4-F_>yBaCcFjH2CcWk(n5mH7{VVE$u zUuAD}d@{p@lE7#gV`N-NL)9kPF?W%%>q1?{#bPfJJC-cp;7A$zY_nyJpYm}gUHmrw zhRuzaG(pm(LE`gHFN@}@uymP8nc-n)NxEE8gc93gef&V8s%du^FSAYE6f%lAQgfw7 zsWOmxg|4^^2?i#HLJ`EIrJ>RyUs8djLP~6GkH2F@(MUcTaVv_@WE92X=o8Iu5ni=P zvWsLF(`F)tHn@s%zM!ZAO>`w@bqtMhFjOVuGvJ6ALk4WoEz2y*WeX)iST4sq=rISAoQ&19?lib;us_LM!Se*qC(M@)oux9WFc253RhZEu(Hje7+%4lC z8ho=+$x*W#WW<)9Y?zq5 z3~S(`llG5h?A_z9<|i3H%lL(c-k=x@t|*!qe@VFd-^3pj|2ugGiUVfV_>U#;OqrhO z19eEspHlv!!c(B*aRu{De;eOzn-9`q@&Abbmwbp!mL@)Ru7q4Th#F!p^!U8hvPm zr%w`nvglJtGxw8^Zak+N`&P(@*AZJ+Y(28^cNm>oknuUq_~qdpt}niU_=bVUOO}=p z%X6n2-z(giM&i#9-<$UEmoKx%NqO6MBbJoF$=! zgqA@-zj!V#8Fgoy&^Aou&`LsU32i9wZladB3Inu_z9YPw?L@a1-GMYC8%kYlsN_xR zXv+OR;xE`-Cn=q!bfLmztGFzJ;S~lyH`G6^Zh{j8Clcn1887^^b6$L%JJW6s6#&W7 zQlzB@4fzZVR)C}onoBcnM3FyRy0i>wnbdr|#)Q!47~Ln_+U}yy72Sh0V+U#gP_sq)6fGA@xZ_Nbv@ok*F+nNb?fF zjZRI)ya3MVDQ9`QOmw;E3et=UiHTSurPAQ%Lyzey!BYfJ4RAUpL~+v$eqfP5@)d%w z6g)k^iO4*268)P~yia6Fs*V8XH~bZ|EYii^bkcHoUbN z@e{cF%o!Apf4`h1a+U_i`nIEj;Q@2fH~aHEDCZ$L%jhsn6Qc$0VPhXi^)J*TVjmT| zJh0_xqkqiUiHkkELhMShtH|<69MjbRFZknT<%DAU6S7vzT0@J8ZoDf^nS0XsHlfYt zDe+H>e}+609dvVvWNReZvu1qo7XE3*E(Z!KN5;j*kU(`eSs{~ zgmk=!n2puwg-bpClIWL3ze1WvE{+zvSB)JI8YDN0-6VE1Stk5PyWy%D&}}hqUZ`b$ zP2N^{+vq8k!n~|m?scPwvaSQ0dqebg(QlI0Crth8v)o(8?+sOKZ;Rg{{vGl)aTH}G zvfR6dpPc6(@q5DG7ybcp1_l=#%W@wYJuY1GN1}I%{+KialV22J%c%Rr_^f9B=%0%J zO#CkLOxTc-D|DY5+#*zDeIfWu!Cw*9l}0B`il8^l*Ty#qgUr4W|E>7lidV7)5z*D&Q1&0cy3i`*V1QT0|Kp$8^&x*=1G|v_ z$L}b2Jbra>%#T-qSy}PlIK3gnuv(&Pi#~xg^TW9n6Ju3{=t^~>3Hw5$=}8h!mT(FM z-uASl#EkSrcdFrQZ(`69_&UPt3a>|;$wz2O%5tZfF(Sl;`Z5~GXh?%0N=nGl>TvFK z6SjBb32=%=63&p&m;%2oR`HhQnwYY;k$+leN@*&k85PDiRAQh=h^pdfmTPWK-Hh23e!nOXBk~+FkDeolVE&8mg{Q5nwtLNyGclpkVt{y@-5!1 zz{zq+CgpYVQZjbUaw+&7#U<^N|rmv zjH3Gf=-p+UE29Suz7SX#1&MA?qvv(PPHe81=-#6HkmkEtQOcF#v2=s+--TAEzT*3d z?@yjb=M*X>Zh+C%d-|}PFM6QpL8Mt?^7Y`6y!cc<7nt^7h*E>44UsmKnxY50%;X^N zJj{e2x8ZQu+;9maB#flMtKi{_kR**Vengl{Xtek-;x8o6tB6*yka&^N@1N?g;$qR4 zh#nj0Nril3eMaDa$kIKCWho(Zc%ML@oU0ttl_`1RIM7{<`}vKwxqd7B6N%bp~! zNM12L<`8l)-%^RO`@h33Y%V6YRP1E3EY9U)Y9>Q}3a!;;Ld%6#5aktzR|a*^X5@78 z0ja{SS#An`N4cr^RWezI<#EwlVjBJ*e`TJ$)8khNzf$;g;`+Lx=4=|iAXgcGcSyEp zh`(C=HRScV$-@Gs*BX3Nn6KkH!Pg6(Nq7`Ok8#qa@%xyK;&Yz$c!@VGJIv&jJ1L6g zlQ^9o`hFwltod2i5>Bq zeDNDN3N|-a{5}4GH4goX4nz8dHAEZSx z7R$Jo2CpDG1@$IaAKUN)p%2Ub!j}kNN}P|q3R5kYb99CA4a2lw4~lKt6L#{rTA6k*@_k7I9@u=|Cdwl9yc?; zlfUREuxplEjo(pj4SsbdG;2>~+VmuL#Gk{zv zJSStVjOS@Ex+7_wPwZ zayaWVN)`Le*$~E6{UB$*oC9=t%@rjD?nh&jLci&s#QrSy7qWVJquI=Qx?hbSy~>B@ zH}MC>|4yE1LsG(2&PMl#;cq5jFE)2b_@Bc6BCcDSfZmctQ#soCZ&U6IIpM=n{*m%8 z6((?)T0K4s=YJ+#70z))LbdIDbC1KX1Sae1j#(Xh;;-($untrW>_Xu}!toS%&Bf7N zq=y)PZTtiM{WaGTUt9bMQUkK`i~RJ7AACB?uGgi8c1ju1WYN%4nA4#bQ2y65w4MhGbA*opbtL=k7L*i za@S4FsGHzVai)x>GMdrgTbwdEF$IMRqhE8_iOroQx`pVLqnDA_vf~&iPb0zekz!$DORvamt=6V`l`(FR#dI|3>ypQ1(CHWQ8 z+!utvDPn=N$#k+WOryF3#;ZU|aU&cTggJ`ga4wfL(^ir6~g;`tn-M_%p z-eLX1!BU4v9ZHp#q9=*6h2gEklN&C4gz%BX`7W{NhF>Cflqq)(@Ru`M$`~mZ1_fPs z*v*woEnH+uZs?7Fv6M@sjHSY;j&}(a2jh%B5cMY*FM5LLOGz^}VRBszpD_68zp)RS z%MyIK;7EYW(3#m~8@wiDo^u4}3XT%y)gu3aZk452P}b#{k`l5Y`BDm`6jEV2Pj;fQ zJ92%%Cy6Z*TTGVs9zE7M(yzqudQCkZ6J9EOGI7R>oLK2p$3(+9Gur%uKVWlZGRkFC z(BKI$Wgi!ls5HEBUw?us;ZuZ9CC;$tVD;Z=#?}vy=nAn{ik(iDht8fD!&+bND#I6t z?sGGQUoHF^;(Ve-On}|BMqhT056E?*uNOU&G+%j+4MR^MtO;kr?9ip-1_?JxxQPM} z&z^84?q;Lwo#GFFi|AWL-$q(5SS;V6Um1+s&DeCDH)hM2BjXMlx-*FMcN*J0+?lyz z=ZT$9R(A&7x>*!3eD8+{AvU)__}#+qAxmV&@1r+-qGdnrhD`c;fy^1zp;Hm=D=sa%lts$rUgy7YJ z*AV74`BUM;`J@?X;qXt%cv{9YG#EKhAA%3_vqpCc+27|xuND0~X{9C+R6ndUxXU3N z0h?Pdc!S^<2=j>`FeUlyL-C>sr-iV*B;jQVuTWrEP`8XX{#B!M!#8=O=uM(GlV+x9 z62|sU!-s5(@$)l$1bI#TR`J`&^WG$(r)7M&|LbN9>We>Mb8pDlF5^ua{sNf7p>$wE zVz_{}CG3#!4h3ESn{iP(FnUxdcfTk4ebFC~<^{yddng$g|4=7?0UwFqDgI;fe9ux6 zF;A1RS6_}@*xaXLKNGu)EE8w;laKdVa-W;BGW3%FLdus?zM{hWg9&(0QIU&m``2bX zy2JLw0J`cu+hlz5(sk}9p^ig^0BDQ|>&(8E&xk@7DU#-eBi*49H;5ci)6!$KwE z5ee1aRPg}6ItM@57^YTQFx6GZzIXv)L-=slz%CRJq#RF$ceboN*VQz3Ylx(^#MTyj z0$GM9IWsdoB?Z&Ao@hd=3D}R#oh0F838zqCtVU>JC>lg*O%6 zj5u#iBvRp;8(ZU5?84^G65B#-OS1gjKk2%O&7{I4@vk>JOcIm7RSKmlEtQoO(o0A zL4{tfOEY*<7)Y5eI74tIVWt!zBxq?cW7jGll0R~T=;X`u1;DLe% z5mveqaRqo6FED&{_}~o|K1BFX;ygCGh(+8mgHIUkk3C%Q2*D!>^9iB;t0JFYyiq2s z2wCXS62?flFbMf5g|cMtE;6BB3x9@-C0rt5ECp7sU=Xf3_aUc124lSCJZE+(xzie^>S(3hA{al02{5=tdZroiVFE5%35 z89Zm4hsy+)3$7r{q@lP7*?(hqU*Op)u~WoOC9Bd-G=h41^~jiJ%DkCgxkAd7Ql?Yk zrRGGdvUA;4MrVABo!HzA(N~MUhBO0Ho{-_LHMU#0E!T;?UhGV=it$r%4`&&?;2Ix{ z8wB4d_$I=7o1&2_d>d~zy!{ph0|OC+-zxkz;(VZ`xp}2UToc;(l@WjV+2ZGjzk@u( zl9+@}U3VJ%Ks84GiD2W}O)Zbv!3)t*qy1 z@nK;2L@pM4Hu}ifK1}OHZxH=Lppg?p1bxxy8K2@1*xXB^Ul#oeX~v)=_C0>p;0wcp z*eH0D;LU`2xk(9S#dr(d7USm!{x$Ji#cw0e_ckdZ)c?5GO<5ft-5XN2OL>z@{LxK} zWn)CN;cdei-WI+?_&dZIr}<@j*Vwm1QT#oz?~DC_EH4!-CQ~waM}R*Pyi@SUgq2ic zob^=qiP2;3^Y{Ey(VvOlMY=8zjmi(-f)uZf{@ld=ZM^t}#4ja&MUj^~EvC}`*M>KF z%H!V%|5o^J;=BZO$cVY`46YLrlkWxZ5xkc$-!oU1oRooKmu{a4vqL852MPNn9H7v^ zUj>GqR+SfMbR61qbFo;Q$$i6>{3Q8j$-hu$z9dqSi^>1XP&@Xk885tpKVWme$v7zE zcN%~V6JpX4 z;nm(^F6lV@`nau&cGa;Xo=^HEMARDCg2M|D?z6Z1X2S?)_HSHOsZe? zzj`2*nDHuFg0b&yu_yin8-*%>b`si4=son>^Pp|2vw z;gq_rMh^=!YIYNyAUcsW?=B_?$9JX7B^m#5sE$q+pCUe$yuuSJ-uP$)q#0TN&m%y$ zBhzjV-^0Gr`bq0gjag)yMim8`0p`>l;Vgi9ohrNC#9S6=GI8M`nvC5{(6LF}bu8J67A^t3dr9Bug0@OZO?UoJdC zoF(FESuWeqm!I^(&Jmg`G)j~ii+DGZa?bjQ&iHv|?Ofrld|3su3TZJsNWsv;X$^gd%4C$w zsGz~fFp)DtRT?}uWIL+_PZ2zoFh2@-Q&8CvD@Cd_&6Ew_;V;YmJ{6+D)z#f4%sbfk$4y6qDq*S;miFr=^VyYPwl+>_zR;YZ zTNo;YYmuDAa_*(Wgb3#;%yst}JwKe`e$h)rFD1>_D?7K?Jz#9Y2Rts0{Gix}#4aPt z8w8d&|6#)u1OABcM};pZ&gfH!xjZT{rUTdem?@jX@YxkoR!Uh#C0=crh%O&FW!W(d zfPUPh$3nH`6OvX-T0@C9wk+FA7@7T~Im?6dl$@vKJVS@C8fVJV)WOf1@O^XtB%YJ7 zR>JcXm;h)9o?5+mJ?qR`5QgHdm$gCG3$*kB!D!$YjcwJ>pW!93FN=MJEbneo0y{yv zR}D`OUyzN$HwoWNoR1l8a7akE82$6f{@|~P-YR+_*=od2`hew+10b$ccw%-dF6X4d!+28q7bq7 zL^fvlar?|@7Ovq38T(}%purm&Z>7(2KN{aA@IQ(FS^O{Lm2ED>yi)9v^{WZp!x!N< z2?r(oPJvN0DLu>mVQfhce|rvz{Zs5;WEn*_GGcAkYyCW%6Pf%RD+k*_F=9gxUS%Ogn2`hpqIJR z3{Sq@>e39}8Q^rm8GuJgzg+BDXr1X~3hYCZFPS42e8$39a*ZKpCe3&)Q9proo{fJu^x~N$zDRsAc|Oo8eCJAx&3nS%l^Ax-a;5kk_zmV=4{CUM1z|1C8?Y zG*iwA$@vvhu9PyJ3e%&alCngk0^HnH=2V8#+YC8Z%ejUQZ)jphVzRr|;8R*-A2xTL z;Ohm?B+O`;f=Ou-+$^IvT}~GC4We%peG_S3bC_hS%-w88S!h|fMaHc%Zll4#<{lLP zkoaZf`I2y6hH?(oc-Vw)MLsl-NO)Ajatg<0($Tjd(LH9;iV&(5l2%GuMTuweoe_|$ zH(^Ey))Nv|OISmJks*oe@wq3BZrBw&vAL&2KP~zh(kh>0g0}LaD6&>u0{mICMm_GY zGEJjX_JzOifL4FB;wJdIk)Kdr9=m zqF*7+hZl*aCb(A(ZoNfpHMddlCc&EnTo9RxC7unwK2+AcCU~phZ2?YA#kc--gEMCM zBflYdyWlqoGtdzo`Yof2Ui0+ZqIZaXC(xY2L@GWA8rN z08ASlZvRKpc1ru08dLLZ%tDDt#Xm9p*)ZVXQ{kTp-$k5Jr5s<{&yB6L{yt*A6#Erf z#s@y4WKQmZ8bwSwWLEF+sJ@Z)t*qU&_^3)a*zP-n2Ze9$_k#Bb-bw_Lo)^{WXthkEbdBpj6RI|aUu zsssuPEB#?o$B^qkBrD_~+}bnf`^UfnCVW%Q>D7ldRmrQZ1xX)A(CLGhZ$7wZ)%6o|o(} zqO80S6aBNOd7?=p!u;bWNjh25DU^5_WmPeBTRqk2S$Fv$)e&7+bUo7iK4SUwLQegK zK6s~@@=s_(sV}90l!jDzPpdG8q&# z_ie>)Y_6U7_ToE`=f^k9?2Sd7&FBKCNZlEz57kP;t|=Dub}*o#bf zC^QLOEa4IfV=3@O$VE!%jJsl%-9^pY~;%*kWom3-zE&$ zI69ZGn`lP>R77wl4G2=1q;g3W zl=z0?P0)IKxNnuFeDM?hg3VP)nIdH>7541FeM`gK3aAJ}WL_zA zI?Z@;kQ*jizsi)wVIHX&Qm&SA4Hc%Z=@}7st+CS|X0Q;j>%?9!b|zT{3~P!+IejV? zNQ%$d>}HwSaE!mtH^{tE=1nyH>yVas^pf1o<_!!Nbc?)O<=sY)7lceC=XK*?sM}3B z9I69mOPM3(4l0b>>G_|i6R zp$YGV<1do1Si-#&7?Y6(l*XbZ$O7GG#)`TAUfnNaiHxN*c#2@S2TWKVga;)&Bw-l^ zpOwI5ZVwwhDBRLVL_aEe`LT4ed(7wy0=+`?O3|y1rBmGFMh_136QWm(UUMv+>Yg-u zNT8n*{j}(3j-}JwvqldM^mC%uihllBI^C@^dRU;>i{2pmg=6Uq_oC6m1O1ZdmqovF zES>3IHF`v#H;UdQdh;=KdV5ERAKKjUE%| zw?*#|{m!v;vU}I)3j_V0==Vi`K$;&vjzTHI4A)FnKQ!m@{rD3$_mP~Paz6h59j5!A zn6oB0pUU}6&MrF4_TVI#o&d!P<1_Pog#SYPm*T%7&o>q|glM91UmKovpU1xu{;lxc z#Qz6;DmM3>!4HQf=I;gX5xkc$KMR;PEUXTOLeW06wrBZM{2*(;tOKAnXzE4bCjTV$XQ{tX<;54o%F#LBciLlqe2FL?bzwAI{q6kUW^TN z4eUbkLiF*+(iyI%(c=PLOLT3~Cmc&>x)Y5aALx@rpDg;6W9Wno<6$KSw7Son>^P5sEb_uB*}WL$Rit=mgP;q?u)y zggW#jV=qnj@ikd&ir7@Ld^V^p$Z=@~-#f{}>4Gx^XA)*GFga&RnmfnnD_i?^vT=>CCDN=Q#hbpwpPBGi+e zFM6QpL4i)q#4-Tx0;9KG=R-1B^bpZQ16_gfL#1w*(Mv;{+;Gt&M2{rR8;H3Y(%dM6 z7cllN}?noq3lA@rd{%VJRYx^r#`>m^~dYRb?*1;nrp7P=9-ynmVtr? z2~Hu*aA4gfWW1?He=yG9_B7GyqBBS{3q%o&J^V8bFCQA{vV>;~&mqpUVmOs^gAIN$ zGzsJi&J&zZm`@KEb%-pfQ(#8DL-+$WS16-M#=SIn_?QGtmFf&mzfLUra0xCET>2jv zQ;r&(8Q`IUhY2n_3nPaZZgBrF>&6Jd_X!?(7LLM{qXy@MBaae1TJRXck(vqSJZDYA z;cLiPlQxEQ_<*EwlEzcwO=9zOx|?A1iMjqJO%y#z^n;{*NnDF%LV3uPjKN-cSjuE6 zk5FNG14CC?lSKg@rFV1Ycks?sIgiSDj1KP?AEo4!JdB)v+>B4cWjrBcnv5rDFgHSP zB=?lD*`YJi(_*KKok3O^3}&`XcF!1HwKfib&CL}3tms)rMql0{+{i(NuiB?NSd!Ya})7+xtf z(k>PLqVQ$Jd5xF^1I;ck8QreAKlpOdD@4Ccn)e7(h8Cn37H9#JmF8R(-WIFmydvjS zI=n~ug($8SV4+L*ni<1x^JjTo#v3wL(}*-2W4iEE%m$yy3C!O#Yg4$hZ^?RF);qLV zl){WE1!!q@?;8L9L;fsl#J?wgEqPuGKRaZ($hXP&&FK>Doe!{Ug8LA^J={9{s%Zm> z6H~Bbt*S_?X89L(^AN&P}o+*V23 zByFd}iZ}Zjap{&6wED5j!Z%Z|17 zGiOXnjv^l$6X$+0<@J?bIVt5=DZd2;b3!qz&M3`yzngM+mskFf@~4!)sIUzVAI1N( zLXP{}wDh+AKAw{HkF?X&7`WKvBnA$Rk?vnp{_5w?bVf?KFH{Y{uWo&Ew3HNA9(y7W z!;i0d;au!OO+dnV6j)nI@zWpu=V>_K)a4t!T0!asQZJ;+R1lJ9u}0`zWLEo-I4_n} zQPw527#G1RDCMXmcd2RZf_9m-%cWJK#{3~RCf*W5WpiHXzbOD9j>IAwC2*TqQc7h`ZIzU&Cc3XT&TPndr|!5|?z z)g>7IS$KCO3QrQAOq`*PPQc@Moxv>|@W?p!^@48@+?p_RR^%$2WtMqzvAfZvsxADJ zb(5rE0>%*-Jtok_qDw@VlIAUpPmGUsLkx}`t1#m$f#6|+%M4CPN^-*uer&XdM+m-8 z@JPaZ2D5VV-2KM3sOuBoz5)*>w<>VF)Eyh2_nzKAq^B<5iPR@8b40&-b z2GUJ1xZT741QP{M68s=xMoLUnJgWH*8U015r9Lcrvgk)h^Wo$dzWf}{;DsiTDJIqb z9Dl>+rb>EL(qoi(ig@H&3GQ*D6GxK;{e8G%NA z7?527grGV`jGCIfCaB=IbyeUEh5C$CY_zOFbOe<_!407yAS!mtP%X4;I#(Fqify! z20uK-!ygF#Q1Cj!ERFI@ldm_JQ6m(`*UR`=#)e=FF2$U3n5d%6Z8YPF&^hxH8K277 zM1yZ_d`nNkB(Inak*9K>nYK2(oi?LeX-o*ll9BlVt?OCSo?w zFAYA>+h6kz!Cwj9N%(U7fvF!KL9V z^o<;`jLn@C{Hx&K2(ye+j76Z(i154Nd#Ctg{~`QO;eQclj0$&u8@(scr$qlF`ZQ_A zQA&PlPF87TnW%rwS+D_r!sgD%DYsQs0sQKc{}Zppt~~Zeu3~(M*mJQ9)d5N8QDWHz z?NA)m%Ix}lQ&#_^)0A@+q+B57LMpr$>^I9P*4;%WGzqb>E;>&%G=AFSK3y~t z-&lMT^30ZsQjncuEdz8sGNbm}SEp>+^2p(Eyxvzbr}Vz?6}6lAJH&S<&nqd&$U=V^wmbcywF=h9|?UaFgwFKF&w9Vx8Yr1^msqv{e|B{oX5vP zYq>i9025Z1dSRf1K@w6ZFiGKFWTfQtYb!bynbSHv8)X}MoXK(? zp`)f8e0VFxqNJSj6CFR@6!VsJ^)WG3-lOs!qsL^N4-dtJ#|>W)@F#>%6aFM|rZBWZ z^DT?I`%`9Yi}5FTTE=u4GidN)QnJu$%`v^WJ4v&CQhatejbNm@3f(gx>Pc z8GTp0;Bs!Z=sBY2{)fiwee;YS80hCk&lkObG}B5pCLJv)99rNOnvl`dU%(;>izO_f zz!<_%_Ch>^FBm?tvB#GRe^K}{;>^}vX%UyIa4#9(eT?Uqi(euBW%5i`Xu!l;sdznQ zxRs{768f91lJbg_SE=wOFl#7K|I^pZ=o&JH*JZpRV>J!c(@KglTam#H3w?;*68yH{ zcLI#X)G-9v;LF3@cWVT{CwMJk-YPs4*;pOfXcxxfeIWWn(d$SvE;ELuVToGzk>LZv zW4d1W$HF%dXQJk7H5MhVbR;>pUTrjQ%NYC_oBKrGr}8$@<2`1{4zn3!&LR^=g;L#S z37<>YLV-7}6tmiK5a$=hADri-Xsh^b;!pRqA_Vhm5ae>V|>(Z?8fHyir*)GKY7M2mI}(jIsgX@f8-<4 z<=jExhlC#{&NxD}7N9F31}~WK{tsR_BH^fnV-%QB^KvrzrG+Km?@Vdh+F!!=QjSYG z5ft9PIIPx&GRP06d@;tKacUlbX|+58fM+y1xl<3m<(O8h_KPm^bH2SY=k7BM4%xHGbgk2T{Sb-ZpI(5x#}`%$fy|%tdx%8GP|AEGUMZG{W)sO zs3W5;4Zcp#_O|8}1MW)G;*aP&_@p4MzO)9^7_`tW9*ZZRHNxknwqk8j6X>;Db1x^MMXsrev0H0Yge1lEky1$5?V-TNr9ol@@nb;jYX8ri0$hy zzm<$A8PUNgF3BiL%jQBcF=jM>%p0*X;$+0r(0epFCN|b37=2G0e+h}AlSC(z4uzrw zd>X|FWp|x9+rnjEFXsk1t?94@En^rfR;B2W#eCsLvvyqW!*!Fan`O13#T$9n(x>^h zrhOH(cG7N<)}9)3xMEBug&6K&c#Y8W=2qbyg?A#(>p@v1(xibT*4dm1p|o$k%obkcwCg%=0-RbZ#8IqaqdKkN4iNErmV(%2&i!9>{Z+lip(RYL?_%5@y z_w-h8S$$;nrNw-T=`j%>SnfW{hr7~Ge1GxxkXIQ8Z?i~c!-R_(`V$P4Fi1iQ1(pwR z38-Zlyf9otn&5Q78H5?Hs4<{lK`G{=PIsB+919~xvgBmT$)Uq1ipzRoT@@Ar2b=P9 znh#U1lsqZ)C?Y*&^z18rL_IBfy673Cna;5o9GfgN z+%qN&4dZBLN_bYnEDF5U=$n$^o-_EjPz{?cc#hz?gc+7Jya96EJfn9V#ZGMQdC~Jl zFCgukj^mThmR_(Nf{8oAB`=b=SmF|jyol7Cp&1#uC{Vm$!nDxjzf{7D5|#xaJ!1%3 z=8@gLWJ3AV3RyX~T*3+oFH`WXG-%W2)XI=nn$$C-ja8Cfk@PAhpXVgtW4wFK_?_W0 zUKjs{_|@d~U|{JJbR5!vwKvVV^+|vK-jegSoOkH((ud?^AwA*Ac-Mq~L)NoK!g~_d zQs5f^cP}Ro)eXZthAiX*;U5ZLN1PXq1qWS5HYUPlzVneu9X9#cS}*BiNgF8f9GFBQ z1^u!%8va|z**+2esqjt2`PiXV8zo~j@1nM0O80yHWp9@9xs)wbn6U6rBt*L}jNTO@ zcB|-ZqPLS~cruyYIQOODKUVe!-y!@f;X8>lJT3$My_j=gl(Z?gg{G$6Qofe*4Hch0 z!c`QzJtlPx>0_^?eUkQ5;(5@gAiEHKERhc$Fr`^PAGCu~4oNvoh1pG7VOBw;@!(rC z+I@#VU~@-g9F=hlzopG}8WqveM-ZKfzBB28P)h$^(s4;A@T=%W#fd928(lF}n|>7i zljxsGGY#@)#BffIUrg8??#D?9ze@Ox0uws#2HK!G!c;)D? zo`-A-FQvcDI6le8)hQYO$T&@dXVIuf%!A3??O$^q3|-^T$SJp7H4XgAN#l4j|9Q1M zc1CI&=Y}~e&c!a&HsqW~hmX0MbMSPWZ+zF#Q?`Qm3&dYYo>#)?ip@knJ$I2AUx)a* zSVlz|m(Wo9EyK*p3GPzEN7V8cewpygg;ydTP7udwpj>4$z6mF&BBQE|D`+rNkB-I! zKh+E#dNdVLmBLkqP+BQGm&z z+nTdCM0h(nx5#Nvhr!Vuavh95IM7GdQ;oA}$s zcOlQCb4n3ZAB=9jQ!rLw7JY~4?xdNKB0IryuxcOeVakNiM9@>pol<&HVSuox8W$UL zcNt$VWW2q__YvQhJOjii!e9ua_l3ymC%V7rdr0$vMb^U%bb#UahFoW$@Ik^;h%*Dl z>j|-g%rMo2k3YwLY%Wbgx`Yf0%5wBE$GJ@7M?L4GKTCYJ_#E;fhfc~%8R`a`us>Wt zu7o@Z`4pIil%|Fe*#&0w4DES^GKyr}OM{nO!UZ}}V=(-jSw2L?!b^mg66Xn!e6Zv% zswZxU8KVbyW2lT_GRkQ1nt2D3QG*+9{DE)@BgEe)ek6G&3h;?hCE3V*-2J8;49X}e zqos_Y!sh^0ODvIt#exy6vF6-=rw`Txa>mISPe(C@3eymLens~tGx~&D#zYyDWIRZN zWd%&Xf;p@(%#t;%hfG=#q=zLE@_ ztq5(uc-x{?>2Z_N2m32}LeexzPf}t;vkHU@a!(mw7`~f4Eq=QA8RQvjoXsI0-A(ze z@ELQOgxMTs%6V4KEIR&iN{n{T8GR_+m)WA{h@MNDXW(>|XanUc25z1?147fq^K$0P zSwKe_U=*_Wg$CaeI#w(ayjbuO!W=M#4)ZUZMQ`-6vsCDdLYEN@$ts3J{GEHrl*1wT z%cZQ4@-h`(Y;FpN-K;b^F?5w%CHfW7uaaiKW8yKs=rw~&lCTe(dtLAwf>-|sj(2Yw zJUqZ}34UAfJA~QF;)<}Eva$D$_LsRv?0aI@l4Xv8FW<s zq=sh(Ee)tCaMs+9O!{gM{)Wx1m-Mlu4U~9e(NN3JvsxWwqdC8}_b2*9&ZlxV(P8}P zE%lkfe}w*2n+1O^cne|XN|-e*E)gT34PS+w+}u{-+k|fq_+ZvtO5K-+zZ!b{>=6Ey z@SVh!E>V0(%|$iIUFHmU&52jQLspCf}KS}wS3U69+OhT&r#o%49V;?qmQt+>W zfBO%NdV#^a1N?{JKL!6qnDL2>5z|fZ)$_L*PoB`x%ehlB{*iH-2E&pRjUw8=2CrJ` z;WL8EeW?loewD04{Z|$L^4J@x5ws8W-*d4GH3CWJ1qnH5aYmZ&({a8@JM#Tqs37SA zNf%P$J;NFm7{zsw(IxdfeX;0@qAwxMi$Dj;Sa+$xYeM<%GQpP%u0)uJX4kF~SJ~(# z8~i0#5nWaE6{MLNW~R7mhNf5Yp{OpjhR~Ws8H&N-HT*QlhCawxg4hFtj7a z=u4YmCpH%=I!<(apyLzcFis%B=-`UcUh1C8{A zFSs`vT~^hH`zFyhi*7@j(UOE#$+pIB^*N<$C-xSx?aA^QW00-JxDH0oYw5#rtLToR zJCWwy%;k*sC=Yiw{*xphlH0`JF1`zSzI-xS*uke&*VTmEt9zlFggYd3r@-4Ei=~lV z4}%kL@uBG{_)fvS0vwYV7wzscxaq`7oS0%w^Z{jB4!iz>W}mpV*Pc;<)!4yQi8z z?kMb<;6~%OhZ}?6$Z@f3z*zhzl6m(EttStN9Vd1?S-wy*QDaEOqAe)Un{lv)Kl(%& zlVm(dgQ3nULOI^p(N}u*VX>3NJ`&h$gnEjx8=81_s@O-xK4vWXc|2}x&oEB+39-|} zK1r4jWKI#69e&E_f>?j#r$tW}J%cnuoS$9lo-y{Cj-H(<_F1vB$g&898Ok#AvfOiq zPw4FN*}~@tpG%xcuOJiM*XJ2LwTFkF7d&6^0>TVOL4KxNXlzPP&n^K(&DUQ z_nN`=!wc_q!EXp&O_=YFtc*fTI4Fxu&fdL zp4hcyS>ooKBNmk}bO*u$1}6P627klmK9KaGq;-^-x^d$jLWHdTBQxfNl(k;Q$1*n1 zV9F}S0B{UPF#7kgK2V>C{#5j)K*uCttc?52=ohYMSP+`cqCXeCg)|G$naq0BPq^59 zVNOOhe}=8tHNkDeZx6Q}zq$f`q$|`nk}t6<@`IzLK$%Mu@1mEc9n$rEQl< ze};(KE$M4X-%wJylJnB3p0~%0rXfS$D`TIG{WKU+@zIG)ap?y|9}<0- zG?N`h6veo24Q@M3EE@3z9~FFzaHJH1FUFCo|97VBjPcR*y_DlpP6P#=7$aQ*aS z?EWF~PlGX9Zqng-uesL^Drr_sMA?B3|(?2LqRI~cZe z@T>Q0Q4Xq>cv{P2MCrHI7D>XTvZ^EK&{sa{yTp-~>3cLn% zIn>I{Xva6Bd6+2kVi^@>Ttb6cDW6!Zlys@#e}_oAO!(!(D-macLSYYI4=Wq}ODN=5 z5nWaE6{K07K&7KF6V;$<#`h2Pjq2iSh_6YWfk6-b926;P8UFks?8WA43$G)*ZouD4BDKhX=FY(`Ai6baW*;Rv$noTU7mH?p%?|BS&OvANr1-7c#OEj0jfGHNuH z^9y!YbFS^;1J_N?9df$U;hEUl$kr)b6j~s9n04!Mod{DO$+}ZkFIr6Q_@;!ea_%m} zTb}ZGZ{dA}_a&~(9G8>q?l$^#xQu?H`-{FO&`RxYfYCpP#6D2;AkitL`J|#Zqdupn z8vkoWf5BNc6pdW-X)GIistDYDTf>649lknPO44FLpx=-WUq^ zLj?~LTt=9$?6c1gn&O9>bWV7JMo79((#Rm8KNVW0hDY9$_nUObLLa%KB#o9dh7xme zy@fOx+E_D=g>fhk$QUPMJPoElG^(fN6y^89;Br=p3f059>I+A z;c_09FO`4kh*3HM{FghwSjMuGijI6AlhHEkDWUwz!fA?xsWZ0-q( z(>BJ+p(Q)-PQ_c&@>r&p3vYHAr z8LqB?-n8ybE!Fo&l+v48|Jk}l42dQ_B9~CmCHR9hBzm`0Mq$rLQ;odhTznVYA z2U0$ivW|-KJrzk&^DzFO3Z7pt{$ueQ0*`ON=nkFkHX8rrO`iWm{HNkK1)e<@(O&01 zGk))I&uUzJ#=D)f|ziw_vfm)SM1A{Efa0yC%5H@!P{y!msW` zsQqBL0(M2NU~#DaRFP3t#uYRy15l;IRWl_!WB}Er)R0n>3g7CHY}waSYMGQ1q}r0| zNUBSTiK-Z1cTn&_)x(6`@%~ckNvJQOK@eCoz?p`+h9=yxm9d5RY9yhtgeDYNG{gXq zAxIoe4NqL`kKasqbKzGJXB!P0xUM$#>CpOljo21qTapdQ4_#VO{N^a)Yt6ba-0oJg zqGUzWVj|CEZyBVh7~?;x=|dDNK2Cf*d0qep1E4RVOE7$Q7zB_gJV|&mai(s3<;->0 z8T@8~Klb&4ZxGy?Fz*?&7la*eIFuuAG^uK+=-wphW=U-*F>Ms5<#3!#G45JhQ)Y$l z_3fnGBBebQW(8^vPh%&T4rVMkia%g;x60@!qZ182LV1O$c!hR0dTRJ?f1BvrMRy_1 zI6_7c6P4n+8h&xO1>J<-A-p?r-U1Z2QJBhdJ&ex_g~FcV?-bvQJP*$~tubfYU4}fx3~Zs;BC+?9WxS*Rb4e-M8=djL-si8iSbT~2Qt}K4gYAYG+&hGN zsNi9O%Lw~S7yTTE8(lFZff1tb6Fri&UQS5&k#X1en=vtz@khxREn`eDFuP<%mI{Mo z%{UQm)dMod$rw+A!AB(m>na<3)pUQY6R~T8n}pvU?m_%2C)CP!>}B&1_C&JiV)HOg!F*rD+@)j$zE^T^@qD#}K0q|Xdq5WWO$7W}#3Ergkp zFe^2_j(lPCcj1M#RrEH|+etGerDFkAe6IY`@YnvtUTkiM@UMjLB+mPc9<6D)EClQ_ zp>pWdx?9566276pn}ETM=u(x%NgVc=aWHGWv&kBC1i{up_NDI*^(EV-)he`m^w@KND=DaWOpprY~vdXn|bPg z&wz3e{NIL84|&`v;r|Ff9q?2P2uI!IU&F_Qa^xA|<#wtffM3N9zA*8I@kuL>eUWti zMTrm4x!8qjfRyusf^O@@rC7ZcBeu>rrQ$TNRFHCklnbdS-Lda4zBw4aFI4$17G6>K zCB%8l(5oAT2b2#{7cgaT9e;+)q+Bkg5*0qneEbtiu)3hDY(}N;Tmxe|z(}=XZ@fCQb zX)A(OPg;Fx4XAM<=3-19pP}KFc(~Pk+R)4elY9^x$!sjM2~9p5QL(XD85L_U8{dGJ zip@0>-(37vUp8dCKEy!qbIk5ZA3wjEZ%c2CsbE!&!o} z1?Ldv(-51K9L+IEgN-lh>-k*qdE)cQvkf99IM3)+k36!z6g3$-&_+t+hJxp|2pp(%9HOdV)x_(HEBShaPdSsyE z;-fKp&izKu$n?h^C3>{zF@a8skBf_OV~xIOxu+ixJx=s^(#*&>w-LP^qKI4JRy3T=qE`tDCj_ovcJLmm-?VQEqJ=%8H9Q0m}D%!Di*^h@Knh1f<|NH_zzz9`p3`qUVcVK$;I9R*zvEE;M{t1CKAl zt_f~2etWnj_*K9$Bv1^hSiBL9U26Krm&=odvV3v_f$Qfz{I$>^pvJ-uA?3ehhI zIyNyHU-nlT-TW?3uM+)==vPTI;7N%w%t>D}{OJ`Qe_i++!dDY#j58=06kv3d5R|t> zzb*QmKqo~f#zwh!jh-Ct<{HuOiC#;ZL5WJliz~ssZ}=+KGO)Q1gnuY}9q|y9IQNm! zjYCk@i~d;jhCpMY{Fo%S(ddOM{jon0{i*0pq;)%^l9^9`W_Uh7^kZ|Ig?}!53-J&X z3d7^f!Ty zO-#b%<9m!=*4rO@ujqZE_mkFjCPncjaKP}N8hQMn@I%566K7DOlHy~~vB>E0%yY20 zBchLrK1N#C8Ld~wcZP2aGx>in{J8KF#KUz)xgU(KAFlI9(Lag)InY>|2+b|O7(KbX z56Vf=zl#2iH1n(^PI8Y6{oVMri#`8`_&>$}Mc#)6&*$Gp*9&1eCHf!Hrvn`u$N4w^ zHTunN{@7d$#L#d!`p`U*JZ*l7hWmgc#@E% zyUK>Y5FVu}!mA3uBH+l3VzAUxHN#uh@`0%?yoT_a#90|njE+D121Djv%e-UHc(1m+ zI`Zn$<0W(Ya?EOKbbKhZ)e~J`bOX|?B7_PvIuV&sWv4%WBN>flG@-#V$JtMkXv{aK zAT)I}lha(zRdga@ii^QeV52LCFkK_Mh3J-~878()7HX}vYt7gd+9zAdh>{UagE!8V z7I0WcjNu)}_)15t@HpY|#Q6}g>XnpQ<`Rsr5(1PcK1qBsd0sO5B4i9x=lU#nojDhU z@qO3Jxj{~AI;_F)9LelgaH9!T!%1$EaI=Iq6j+5!DPb2KeWq(`$}L;)7i_Mblv|{< zr^5FnG9lN&*e_lZigtXl9mRGc8)@i>tSXMCi_WGz9y%G{CgpZ1U8t1Du?iAhS3?_j z^D){@=p9146Xm-JR~s9}(Krr+I9w02t_YXhQ`VibdeLGL2SePkq=CW9LP?>w;68%; z1~>{&zPsDtZy7>tuAkukg6|>BtHtU*85mK5Wgy)EQ!Wo5v<6BUBqfCk(gnAqJn^;NhWy zhY2nt%z!7vMMYtO1EWt&_VftR_lX`EXeI-c=#8!(LOn|KXwhRxGt`MJ4v#hX(Ru#R z4+tJ7csyanU`#T`+D|ZgKzI>N6g^4wgQOK9u~_8oA%kayP(LhqvfxJooRoxBDyA45 z6>{;Zf*%$97-5AY8Mu4g=x)t?sGkr$P4tt2j?+SyPZ^y%$kR`Yo-TSupi!MbHu;Rv z)2n-Wrs!uy&oVlhgXNzy`lhCyo-KNg=($Ftu9)QJ89hH7`+3pxMK1_6ZX;eI3yuCd z)gOD2=*6O!kY;S-rH{1?44x2rSuYj*qTpo#PKd+0Q7;*ML#U4}7ra97%Y-Z9$SHY6 zSi7zi^N`__xcAMe83Ofz zoDb!!qr-Ec6NWxXeq{XLHGM9;Ui`=6H<0Ix6Mg?mBP+abG^2l=Cdx=> zssrXcRL_U$pqxW;4%6{pL}KIdsi_dt;PH#rx8~IfckYP1qwW7(LR*-@v(%cUwooMcZ_M@bqB>hZ@DK@pVkOPo0ACL)q!fYQWCHyMk zHwug_t{3QjH~5@B{^)-Q{!{Q@gu@FxQS;OBe*A4#op2$iWc?%SG%a3s8d}Y>+`mSz zJBgjx+!@j3cB}l4-^e?(G>ac*%j5r%qW>!)b)Sn}DEbROk9Z{KO~6W3=NmmY_RpMX~vUPE|I;=1U#7}VBk89kzo z4^C~-bwt+q{&Z5sho|J(u!IYOT@ToshN|KahD$FV{_TKln9q6tzXLlR# zTrcMaIj!k1cZ8sG+-UsoA7M8(ca!*=#kV2POK>rnuC1|^oj-OvvA2kAPqsYR+<~rx zp?`#)M7IjumToexSkTZWDgH@GiueDdfb)<+`p0XNA7f-2~qu zxI1A+i}Fr>zQwe2J6F&-1 zu~G3TK^2&A=4$N6<_aYgNw}8+Z!xC*V;A9ge^RV>E(jTGD2OI)A^$v7X zj8A*ipKhx7N5wxzo)lkNWxA9Z zRG9oRR(+s*#^5EtVjng)Q}DBbXAx!@gM+e4IjbQr;W?Au_+AcHERZxu(p*X^6{AHW zlMCI>Gof7g^#8ns`4SdT;6uh4&M_dX6bqr5F=D?z#UdGtWh|kgTOWfaI`@Ln9Yeit zspuC)FC(p3(oj~_)L$|sE8Mo_QdUTLnF?bm7A>A`rNOVY^PyQK_!Ysg5@tplj~aua z&BlB5b)jzvT}_k$k42MKlzY?Y(_KCNmgu)dzeAc21d?59Mwxrp@Kd3?#Tw!7313T` zfkxX!p?lxp-!Jk>=L5kX3SLK;Az{zgGWU_ucZX8fdeI+?-awj959iu&kLYV0w(ovHS=ND$ggua?vWo(nN zod%z-v{H1A#^i!u8s9Z^lG!2tEAcx6k0!!2OrPa;8NVV72iq zexBjzXq|zD2n;_F@Cw2&5Po66G2fO$wfZ8%vu66EUo5<$@Jom@W`=O>^Ggj*Tk7G< z1Ya(=5@BBG(2Q&x+Eq4u)H07(5nfgJ6^0{~q5n@c!*{;q@#?~B2(L+8w-gPOWv-Ud z)kBx0+M?@-t{Z5~eTurzl}3MB#UHz#==!1?kk&0iZ3&q{L&MuO_IM-VjfFP}crH5p z;1)GC{L4g-Hxu4m_*KODK;;&cmN2im+W7m!J-SAG3-K+t8R-9xEEm_ItC5N1KnLl_YY;<-lF@6 z?n|0wZ*GZFPJcP~(9uf=lVfT+FgL)AWuc$)KpBH%q|o36U{Oz0 z2MnID7yGceG{NbDGYISO4g(i4aX2aiW*pD+v6&?!TSg8ImL`Ux5@6{1kaOe;%@dkW zG!pSisJRyyeKbUTq39yf_mXC~}P#EyHxCpVwaKSE#PgAaW5JDUAV=|MXwP3GHG5*vBrL|(Qu_1V<-6IuafbK zj8|!}+QZ|=qC;y&4yNUN&7|+cXKqi{3z5`2;cwx6$Ao_xsR%BKT9mn+U6JRhW~)vAP%o^_eNPL%n^o zl+UGXp~B-AU=CaNg~5}1`CGA7@HWBQ3G?`ob-(mg=1WtieB^_)L&{fDc2ZF*H0~be zDNoV-rEZs5C&E?lmi4u)Z)h=8m=FYIeS>F(1h`l5KEeA5GfAPP0y!SPS|2cDPq^rV zG7iZ&OoM?!dkV&WVbKlrDMz8-tiQsjr6aPA$~s0X+&Fv@F#3mZ3Ezu8F8Ty%o};v& z7|T>(xS{$3{9x9+1wMvLcX{)d!5rTj&O4+oaU!>~H{x8Z#+^Jh3E{2$?`iL+=^gw{f=#8~Y9HQ|3n zUN|G6+&3!y_R0#)_JrTy~sc@Z2x?tyN3L;g6IoG zUr3sP!f02QhDw;b$b_-ueV{IuP*K7q6xg+k*+^1ocS0Y3(|!t}x=h;T(kf9?lII|$ zV%@{artIB}17dSkq*Rr11r-)expW%`uv9aCVzv)ib@4UC*Cfw^5|^#S4Bwitx|TUt zt>+nVj@okS$f-+*4@h((77xGD;C~v5#j0e2>kDo`SSKh!tCydKqoFy2L&uaxavIBN zLWdWDkFT6&$2B#+?O}h8X5yQRzlyv*^PW8iW*agoH=N`eNi8I`q!h{A(C_V9gQtbe zt(D*?!O?_uCvXN#2ElK5F{Y%2=s8#Uu=Ez)M|5A(JT&?lb^tpWyz2?;*@X7p4@aQxESi|=h8ukNY9Dta1m7okB;m+SL{}Df|5>_) zzb~Uij}|?KGz*LwSR`Vsv0q=}kNkkxabm}l)sbUjaK|SY9T)45JW=!{(GQa56%OHY z7!MgdYl%Pf!-6LZek8ydX}H2E22TrLRi+AlRPbYj8Rit1>K-?CYxqk1gxG0fpA2j& z*r$xWZnqEd(_*KKoe|if+3D^XW9x+mp_yWz6+4S8;{p?VWDIxD8GUh>)MK{jIilwV zIvU-a(2w8f*Bbk9JTH2_=mmj}kB>@1H-4k<4%zD>(ThbdA4 zwDPSH{hsKxqBQq-X^w+sw#>X-? z(BQk%qLYQVjV8SvV)GM8pGw+9iKoGWL26YlbDx=UB(x`QmhriaEi@{_V0ysZemVK6 z{QRq1_l2qbLgLseb(_@fRC((-BVZ|3;BsG@&~1pnq#Y8zlCYBkUyJ@G&@pid7|^iC=naXU-Ya^a=>4SCu!MeLxy6yTyaVP;ndHNBP|hJahv_gp z7z`dC@4hvdzBBsG@G|{g^l{NAj82Tl@W&sFZZXy$`$y3~ ziT;^1qp}FqCv;Uq!@dbk2Kb<#l<=#B-zc!O&axYt(0(_3%M6eIA^cC_e-Y>Lkt$H* zM-A|A6Rtkw19VElKN3z;V00FSfyd}N_pdn*hBw+7Ipy}KgpXf65NU;&%DFuL7b)0Z z@UuU`x!8q*z2Nf*GwxB?h)Zzi8+|a8G%AR`K=g%yjzgg*%3WmifHZ&Xi$zxyeFZYn$lfEv-*bzw~?&IvYOE1Gml~$>lMCXEi!kgsi#AQshQN~Qm>-Q z>+xz*lDpcBqrtdFMhh7&Y3Q|(fj-r!^kL{YtZU8stz<>Xil)Wf57#sVUA7`p zj7j~%S~{_k;v~ff39Y!11$%g=1e2b*&)=a$NlB8DDJkP9#iN1d4m#JFv)ASim2-of z)^yl1WO+05%K|J{e4~l)hWz;^i8o7ZLy^@LxcFBs8l!9n7uz0}yQPR=FMJcB0EzJnQ0wolQDFNViG4T~ZfH{4)7}zDvUEYF@RF zWptBwhrI6en5x3N$A8gewDd6bP`JjPQty=7iz@Fy3GzOzSclWyWzM&={e9~#r;nVz zbQqPs5tFy=Zd0BO^Vs&2(qGCwR3dLj_8eru2AHwuZyXDo8z^Itj1(G7ypdO2xXY<# z^$72|G+F7gGHCH~!d+(AGR?UtB={^j*>ZB|FjGlGv=26R>;de;=5od6iOna=+sdat z*=2Bk?Q~aQ(mmm!FO*ay>0V0AS8xJMH)`+$;S9xsO9Yn&7?}`82OB&-WI{s)4-;HQ zm_aWnDsaP%eIqm$ju3mF*pXya1c-{t&v*A5{bM^E0Gk^ndbH>! zG8COuvT%Ya#*YuB;;G^v75^A{rnyLwm}R)f%{UUeeLNv!nv5rDDD{MLG;Z!w=DZd1 zm8a!QmotNoQg(3MGiJOQjF~c?l`)Hk-oJ=itRZIfpb)jQMb8mEmoy(Xmw}~LIX4Hs zHkfkGa38bJOPMca0Tm`v^+&@w7Se4l-`-M(O6 ztI&gSsk|5EEu+WqaV`6z46UK}k||l8efXA3Ss~?RDtxrrAcx7>N+Xk0tu$+0XqHlInA(qgn>{zq5nUNicRMgAPGi+)4&YSIjrFV=Bhwl_^_Hoz-yVb=urHhz1!ckmmT z6dv~_rl>SEFLVrf7k`Nqs8Yf$S|jm2iEAnH`9?}kbMG76f2u#r2ZBEoypAx_7+V)p zIKw^CNwwUV)E;V>hpLpgZw>z~tj%yl_)+1&u~AOHm}rcKT7*a+RxM?&p&1fOTo~%boYxX z|Ac`wC#C!<xpwR}c=xxK2N;8#56y~musSknMIB2U!6p}24^cA<(Q{yg$}W2O`p zyYmg+vKQy%X)6f6K=6fxnRD@0C)(428HUWu3>R^+yo&NJp~sWpO&;woHTZMhBy8?7 z!IulJM3`^djA2Etva!E~4>VQ8Ruy{%*^t2}xoSpdgJ zoJ2WEa+2vVw~3S-umJ0ICL9U{hwCNWAfYt{CMB1G&Hy(W{D$-Q;wHg23vNT0A<7uW zX|qyQgluch?n}MXPR=cI+S5_yk&U$m(1ouQOS<7xYzNau-0!tprFE3ni5ee`f|TMy z4EJ+o1zGYso42)__imGSySy&+nCW0SBZmer7g=)=VrQ`7%lBa~HkT_rPk26YRZh^_USMpy(1Ev5Y?0V| z$ucnf>Yi1=*$q zxAyD^vG<7`Nmh9j%IoO2e!t-@X^A@5Lbl&!N+=MWp1nqbH;k%0SV(IjHkf6 zo5fCzZi3ONbv->%^d!*_lJ=n~&dGBR8GdyL&BMYc3x9+-69XpDj66BR+!RwPhwp4t zr93L-F)DnpQG_<5H$7e0eHU%Vkm&lo== zObt0x{IlX`k!PHS8|udE|g?x%B5sy6ruQzdWA_d zL(S?fNpDMfhZ1wF)Es<}e%Ii|VZ`Jb!S4xP8({Qa!f0lLx18&v<^#bW3SLK;**p81 zpmvBEBG8W+m+_H#qegmfy}Xa*ZJ@`r{U2qcDHFq|u1})?Fr?4&MQHOZZyCHx!t(F*$DzUQ&38=DR)SENt&jvRBSNIs54_eH7(o zV5tyy!0>gM9zQ7jknqFAS(f7}4qSd3mx2WHtywRI1ad^yQCY`m@g#*VD}~D#8-Dn1 zf0FNo9~XWi;OGy}Y2SY^yhnJVe-!?c@SlnEPNb9~brkXy^@|w^q4(WM8NbT-jRunk z+Aa&&PL1N|@20%+1O9@|{UPN~DSuJn%|O8qtB_zK&A&}(74G&a3I9kqO+mQ;`c+|I zll#~B+MzA`jQDc>v8 zcm?4X2){7k=yisq>Mk<;?u8z|Sa?O@mk?(bQ|P!X@uf!354Yi~v+r!nwZzO*y#X^v^@V`jR zRQ(1A!RBfUt|PcEVICc$DK!t)>_t2HfNNcif@MxYzbnK8^q)lG74meYm~Z$xn!(sYVzYxrYNdAyzQ zTZFeK&SZy=%0tmC=QSr3XaDwk86#JL{k&J2C$d&<32ZZEp!;l`!AyA18_ zum_v#Ewqo&zC?NNB0X&}nBZ;`KKxWX20KgWFX5gb;HxRKt#miQgi7Jd=|BmCB&1MK zH7_SE*QFXfJJh|>1g8tmAk2i9nd8ukmTB}$SNJ%}5}hqNhcr_Jo*N{F%$yALxg2cH zy72Ji%E^vD>p?^J5G+z)bV>NEJVNw+qDKZAuL{(%?>Bl~TOT{4 zM2{9dhBO0$hb+;JHF*0Fg#+Up1dkIuo-j*AczyYGJR*yKOfYX_c!y1tH%Z=u^mr01 zgBtH1GC04XKgq*_CkuXrFz;7s0oI+unqWD|il&%z?E-%lQ{_A==P^2bBr#QRObjxY z$BiEn;^+zS)5JeXo{uD+nRI+sdCKs6LOa;g!lw(LL7eFyDIv8Kqcz+!CPdBg;hBkD z6Wp`-?crwOH@xRF(b&yTSK3(ffVUmOaXTO?z#j3qR9+1_};@KXU_D*Q#^%ZNvA8)kxj$>5XW zwk;RDLh#Fk^#)OBSe7kzE6q6_POwVOD{@|?Qz;T2f3G70MzN5xnYWem5&SxKO>l4E zw})Ge-$>9f!H0Vj|BFOz{SdUb1ivl#9m1?zV7+4X4N&jccTM^xRDst>dQZ|?N^EuE z(qSrTtGhDp{re_Tt|^Nawvx0ak(Chaz1Ok~xrGPcRs zPJ{U%5{xS?QhD`DQ~H3a2?J>yWI&w3tQ_0fS4^b1*+r zp8M9EmLUp`$T=$K7@f#N5Fh2fGq`*s90!~GUhr|jCkXpK6#pkdyB|#KT+YYZkJvTA z{e<5h?q~e^vn0g3U+}+3Y_$q!IVt#8!M_paSxWHb30X0gxxp+hjOO1>JTDX>|B(2n z#J?!=`OimLA7!b(4ZpdI57a5){|G-#oK2(5Rpb0qfL!KZ)5=2fJR_~#eqPHt`1RL< z_UA)@Ogw)hr$Y#B}yyjn=yMGPL9o0ka2;G3u#1d2u6KgWbhN= z@D~fNDEJbC;}Nfyo`viABVQ)?a>13(!in*&vcazhxQgJag0DCWBN){T?qA;@xw_yQ zf@=mCJ-w1#ErZv0_i$~&bp+QX9A5YF?nUIl4*4%`)21;26cs9FCkr`>W2SX@rY8tOHz8yz9Iqu@>f<|LS|v%%j_=9S=DZWDaF;4Xxj)G*C2S3onmW;k>=(RYaM9%$wV z7(;FJh>$RQioR2HFVf7@F%&Mc-1=Q6ObPYL-V*vq=u5%BY_ieXR*Xj5yG{A*3`39b z_mk3J$~{z6py6OiOq*)>=5U6A!UqXYAh-C(2d3vrYyI!|;yX;rLJ(U!+POa&&)eV><$3oevUB;j5P zOnex8fEPGFC_6JMO!tYWSVoDAQW}x$5;MOHG5DsCT@DpIOmG?DP!dVPe8$6#9~r_w zLi~N=N0N`!leoe#hAXAJ`%PIBKB142GFr+QDhdy~5RWx@^p(0=R5%2W6Fi=9h|Od- z!RY%#XeNrDB>F+p{(Ti2WnBT>L#B-m+QZT&OM8S`Bt&?_Pcb+>WcyPEKPvdKvoL2= zHTY9WUlIN4e`w4__?ppM1O2+_H$<-vG^U%yb-roz#~~zdiGEx3J4PqRCdIjT zjc(u6hh&ZD_e8G^bbMR_mX3Yj==tGhejxfo(d$UFu7c_umuf}14!OcdCY=+$+^(1O zv7`-@m;%t6fT7a{Hy-4}^NHY31#b#)5~tMv%-}PNJ-k`)=YqEo<}Jd=C@g04h0(7? zdwQ$rZKAi6E{{K?#knsH{p1^u?hyKw(49mXWQ-(;a=Q$EZjOg{3;tU0Hvz_IpeVQJ zEZo?`dj;>_;6uV(Nk&3rJb3$7u!CSe96C%wegGWPbXJzHCB9kF$d z%}jGw8e10FdSdH~Z4lV}ltS0g*lBJ3aT{UR1lJh9JzNv~Dh&B(3~Y-3MDEBRoju!3 zY;&$lHCayMkKo}Ntjo=o7TN38Q6{Q!sYmI$1#UHqp*eJ2lfh|r+aWTeL80*@Y}=1<5%~CnPs9&z<(n_UJx?NMA1p2lSwnk(McF2c%8xRn_wR{cfH^n1h*!v zAQz$|k+Fk9kJy{U-Ym8aSvE|iVu`#=Oax#fHe6dX=X|M?V3`A%x5#WyQ!M~z>tQPB zyACG)bIOaiO6(}H6Gc95?7FM(cAZUF6~cI%gxe)_p}^7(XFkb6lObE&(Dd2Ww5cO} z40n@uhqUh0II(0(CO*h<3D{!Hw1dyvY#fK)!}JZI_R~}PozibniyRL=*ipV0n7?;*;&6CGRZ1{hm4%p5#W>>#lzWO>+Z=TZ$l z5FWxbq3J?1i0ZKMSi#uXS@mIKb6H}u#paM@UV!Q+da(>PdUmLG=8Db}ogZkXR4im> z^umx*3q==+zLzwkEg2($oijM&bp`_gDHdEJxRfvhomcq(*g6k5scQB8bK$Dk3u41g z5k+NYXRFvyu#1Wn8_xEHZDeImN?_-4U_2r~t9bF;Af z)?lYAhDUmc=%J#AIi1YLAnq+r-#;|cw~D?^^zEeC^RbzOb>R*-R_qY7)SWVh%eadM zV}mC$iQ;g#)33CN;g1k~kLY_z>qN1`Ww_7b9ZMp7zu*T1kK6*|JRfxUc!Ng?en{}c z1|uF>;Sq=5wrD&m_%Xqw4KCnQq%jVsUX9UsT<}=I;|TK%nFq1+fz#tH4~`f8r05Ao z=cz3>(dqsV#;_-eeoFMyThsaB8K)bKepd8zq9>DP>Q$6tLG0%p9$2(zL_qUT}zn3C|G3ll8e-V1m8T*#jg&uF8Bza?y< zV3#o`{Nwbsb{RK|Zn9j>etau<37OTV|^eFX1o zFnY3iVLyi_+r6Nb;Qa+3K$zp<7z@AyJIp)QIUMNL6q`wTkgS7c9YTw3SLTu&yf{{* zb$Iz4@=!OQwG?hGvyIHQG@0#jug?zc9KO67zu^-O6Wm_#;e?sIc*U$7&#N)=o(@O2 zGwS4+R2}fs;BX|qyN9FjtpkMmqMqSs{40}GZ(JYYj)D_{lZ1J_(e_3Yyl2RA{!UwM zE+sx&d=7c$+FH#0$F2!Z54a+Ro+mnAbOC9VTFjtE&c&RTW88RP4T8ZZbdqtbjN@o9 zK8c)UK{BUjINterY*XPAP7r^h_|D{GO@-|NPI9`+YO0e(cM;vyXjGlK*zMTqL00BY z6@8lM(@8UD@EYf0>JNvei^CaiO}6WMrmVAMolT3^7d^+i(9PldPl^e2j^J|zpGTOr z2A0dq`WFdi$Jl$GOjuXO$%A}PgEN~rLbgvH76 z4nbpP7DK5^!);1rnWS<_6_jFii9TyDrw7}m>n*xcbd}LuHvum=JAM9A92cKZBf3^} zAJWXGcqfDJ7Ga8MaAUST8LyL3FQb75I}ZWR!}~hh7hEZe2t}Q|~y2asQ8;-bD@NI%`C(MkE%@?s^ zJ(`ktxNzPjF_rF=FkHf2CSW`kFID17-0ec)<53uap9Y6}@ZCM!i*KEGy0`(ad1C*m za36lk)OGV`;L!Ml`(->JVvphxUuT=~IngO5uYD`gxN)$N@8hSdvrm?zw+KO;tK zyqqWHOrXPSfK$Mm2M(`n7U4fQ7-`&I0_|`d~8H{z%tHU$+A#)DZ%_9FSei|H} z!*};E8Q(ew%tNUOxC*$LJ&)fq%Erw&EIwh1l&Ml)pu)_DCC*B??j<%!aO3{H<3Xm$ zcuB@|8qD4?p~B0~e`l%miuhN>zeb*w1zMKA#zT1Br3Oo;Hzd6&=`BheAA-cKn`$sA zF;l(1?c&DMW9;6M_^!km6q&wBY~mc=b9i`5{Dx0>U+_%9vk3D7;?9N!JeDZI1^mFB zudP}3p`6)r=FqXSSFojZ`H^ccTG^W`ZJxA`sWD#VMcCfx6NjHXG@it#g69ifKv?%g zboukcXHGvjl;?o>elB{U=r6X=d{+3S)6W|HmFPvHzcw0oP(0~e?DQ>G4KESBRP?ef zbP8Kyf8+FXMlTort>_h`d8y-uBv^9|_1||cJ+)e~$4<(Uevq`15^vHK+QejlE;G6l zZuRXDlW4W9A7%YSE8b1=QelnL!!2TKMgJ`N7pDvIG0Xc`r)P|hFZsAZwNflmh#5i(0civiyKj9M&lha<# z;dFS2oE$nVoZ2O^vLaJDL#|sDwoyW!tbADowAf(6+zXz?F^-qp{MJswj}?9#@t9ll zQ{i~0AF$kdg6I=PcQ%@rA}gHa^mMxnCyVYPx~tI`2*Dnyr#M}0-HTI2pCNb?kG`EGtq=2C|% zUHZE^oVI6P0CWy8x`X_zeDYJ?9{p9qQ(@2L$DXu6%l~aMe*#@{VcN33+ zqYRXBwTx?M@S0#fM&MZ9m?IO{y7cPcculU8biJe-DDg0L4P5DojrJSe=yXpsZjy1c zj6pQwCmtM>{1zF)frysSP zbHC^ZM33A;r!XS?Skl{c;X@`{vKrMyOkSDSe%KfLbr8*Q0TfE+vHdERx zYAT6XG7Fo+V%+uvH%a~&Z2RzDHbA^xGxN<3CfKQk!W1ftUY4B{YxlP4vVaO}6((0fX47OWmgLf#mTI3%S}5rYO3Y)uuto#tQw~6~ed*4$ zoOqzGyi3X`qAae9*F$mOEH6}^IVyd;@y zk{N&c&b2q}l6)`i2Wcy*@!T=Q6^FV}o2+u_gT{Cst0ny?=_g9@8AL%MGfLdZo5ULT z-nKMbEAMA{ztH2g;m|_^77jq={i`b@Z;6LmCuO~q4W?k=zKmyt*!||pLpFB*yOckq z{OJnj5n>lYj`scK$}M}vqimG&x0Fp(Vm(ukOc!&wiDNbYxc07{&t_>&R;VL_Z?#OB zl`$z8J3Hf-Oto=)(|DX__z67_3ENO$<%c;Zsj#iXC$+_I_=N2QHy6D978uWocW}68 zn+WeHcqhR-6J{e>4>;Iy-^GQ|mP)%y*iFLj6qpw=NQN0IdpN!Mz!>osqW2Wtl61Ty z;{LJKq>-?fn=>qp_LjMi%zbI{lv8<_9J!yvqb`bP(Ms_Cf)60fCUT~m6ApB|gY|L_ z5`M7oLx?l%0<54P4t03PsWI%k6@PQahJk+c}>1VUpTQI-C-d z6|41CmQXmtg~o@X&_TkH5{{z4+Pw&ykCQ*z`PnODtU8KMh)AvL3q#U*+#!FdZy@Eq75@$=CLy=uMyf#=-->U(w1K)c1BUdMX3<94pSL!^eA5-NSNv$XipE&=F@t=yH zFMa`ewwwQT6nLMxH!nA)+~@KZ%KL&|i~rv%N9z_1=r7%!YwlNa7s>saF0W{Q0x#4q zcKGuN_zj=1MDS9<%M8ZOrHSy3!`t&tN_e^8Zw0R)%(E}Tq~p3|LHN%3^M4hNM;hXP z5WkW1 zTa0#f`)afqc zV>-1K-9~g<(!AmHt*LB4PZe+07l(H4^q3T#!{oG=b2uGF?B4@=;Rx4$weh?T(vFmN z6gA#Vuw)vRfW<0~N4rqI3BThLI!Z`LNK#;tDX*#tS8Ya z#F>)Ll5{pDHXSHsaa6sMi<5P8>r=DNk#(-D^UT_6zzpL>-QDVEgEQyLx*; zvBxjhvZ)Ifxly-AymS}KxI{(|8u8NQhD#k@Z

    z5gR)PaitRWD}L5riaweFUcY0!`Go&h{G4j+cBN(jnPmVZc3menbk?(qkrU}vQZz~%_j6^naj+^pf? z&)XEg&Rat*UBIC^8f)C&>u>-3d;SXV_{aNyjGd^n?_!b#k#sHci|l6Tpty;EU7ZH- z48*6>7Hh!cXnmCmR#UVcncryAE{mHNf%p5S1emZl>{5eUcHEsa%Oa>upwX?V!yFmp zN1KrJs)P2px50rtDU|SPv#7#a1@@^UUXju?SpEsMO`@5o_|a+^ze+sFsc|ci3B|yr z4cAvP4f&|T)4TqSdn}xK=lZ}gq!3+wdX3r8G#Ku+B$w}_FGin#h}?|oItk@JmhDFf z`4+n;IrsO{7sFq_m7|zHFCXU5D~b8@T44UX!k9m=2(0A|TW@enz=_k$zD1TIP}KCS zaqf>f%I6_^pss!t@=Z_oTT6<;+uQ?FIYA?axGRd*&5~In$8) z*RAxQ^5>xYHoKC#Mn1Y7Q}(CKB?s{8-~YRKJ4|11i|OkvF@3!?rmuIy^z{T?5HXL; zM0yBt`}EFth@M5iSsYqwY6~GxN$%FJ##%&CBWL;2KN~z=GV^$}SHj#o4$9;=ZBTq= zMLc{l3)X8M=SIA#L0@ZM^@-1RqL71uSubzqAc3czx;pt+VYdFH72P#Q$XYry@piRCwF zaPyh*@|^L;cP$GUoZfJQ*6M@p=f8Ww!u5qqZ7g9(D4m*X;6NBC4BjS9T!=-bZ_5fJ zzIp)Oc%kNn+f&&NsPW58g_xKWG%$;4Ma2g~5}87hRHh4ZKd5=+bc_~3r)NA~P4L_L z8*hNcb7S#NSUiEF{GWJfEZz#nANUeEH7J59*`EsgVG9(i=jArQs|yNynj-8w^+4j} zt=_w#=7{!3n;6FjWze_dPqoSOg-0uf3Tu;o$o$HY5ABKs4#_#$NhJqwC|Rj9oTP|A zqn&2vu7%EUutd&J$x#73E@thD%}_<@f}-<_ZZcr>xSnZ0l{}2uwx4^UsEZaQCE&21 zFo9FZU444--~AK2zZk{y-V_3ciySk)-8^txJa3QMPeBMN&$djR5Qb}1KV-r#@jfO(^p)mE}W7B zwno-xM~Xgz@3X8!1TPHOpR;6U{_8FJ6wV!HbZH*($}^R79lsCXQp}!)pL-2uiKYTw z<@RvIbF*J?RTDj96sltm5vCOV^N1h8O5E>I(>)3?!TN5|9yVLyFUJR z^XC_`%wOKc-xU2NZdnyLlW4erdm#)(+5f!rnmo zCt50AsBmKZJ4>Y->Q=Gfe)gK6`x_!Ibs6!3x8o{BNe>-huboWBzPkjjjA&o3&1os{ z8sRrjND>EnnP#O!`VzpMTIvzdZ;g~!28mdGq#%E*qGHQW67c#X;H~G!o3F#`uZ=f9 zkN3WnvBru&OC}HfC=CoUbIE{c1(JGg*?44mt@^k8>sEBEl2kCzq7fQj-D0!5)&jeq zZ7T+CNkIC)OQ zzhzPc_+Lj78}PZqGtY_%R{|d{d|K(9I)O_jE6}kTpBj$azwhSk?xQ4o5|GhlUDe3I zIP_B`VvR|x5osUG+S*@N0afJH^8+sNFemXgK7^|Y_UN2_xOdtGU0>uk?L00Citjt0 zOFdMBp4~S{sCuQKcY}lJrH3r!lqLio=TU~&Mg1b}r@UZF+m$%D(G^Ty^K)7s^C0MO zf@G@M{ouXK&6uvN7^KKe7Gp9KfxG@3@A$!cKKiR4)Wh_HwwQiU2h$JgVEREjOh2dx z0({TUUYflM-^Agr-H#TelfAg~f$|cp8d)gz8C?NV%DmYsr5ot?h0hTd4fP;MmaG3| zBNeRQwodQpCqRO?f$6Ka*+?(S&di@U8J6~HKY6{LhvFu?*ptVSaMz#X>!<6!DWr-sg{eV^N_zyZE0FXvd7Xi&I{_H0Qr2X4O@y!^wMIAUS4U^O7| zY%-`JR)t+lx*~lG?&z?jP=ST9BCzrAKRP(11)4V=50Z{4;^yJ}T`vw|>jgiyUNB+n z1p~HT2w>|49po_Ejm_`90^IU%8)$>;;MqFeC^>g03T2~~ovLjBqp1S!deR$+hGEal z`H)78zpaV!w+%4-C5$ z@p`lHU>Tg-{UP<*jb?O5ZG1i=ybRm#aYMWGg7C&RD_oe2jm_B04QyRY7e|b_K_g0j zMDI8UC|-@-^Pxf);r&16Xntc=oU24{9iLAuevN@M>=jyb3jx3!R1%|Q8v}AzD)#4y z!~^WT^EDwa2KRjpUcIXR{Wa?+ngnio`zR?>RXDoQ$vz!17Xnfb8h+I63j^YYKNgR- z2=^o|23!3P0wBFc`W4%pJTM>0JhLQ9@Xd=*tliJygbGh^-t5aD=nr{~b)RU&voo(1ina}#D_2=n50LHT799&f%LLiZ@m#1?O_l$r#1z-!D)I@S3>}; zb!zDlLr~*Te7>=Bb!nhn*6NC6E?e7}vm9`C)O_|v{rb$D~)glgiF0&16hMf6Zu z0DWce>@vF}gMQ_*e?ZAXNKVLrY4P3mX zu2VYf1PZ_6II@Kt;OLO%C5fA#Ho$Y4f^@Lh z2K0k9-t4F0f`#CL72+ElP+1>7U8kgth9uurYx1$dyR+G5pMMhe*Nd`5iVW<)!CYpz zkXuUdS^oUeZKVkA&$r%Qf7XrIoH&`CWs5-l7g<^NgCb~5NRbKIQ-ZA*|IWW9R;-i6nmpC~4ehg`hWE-&E=Nk<@Iqx26ak zIDfrM$oe>dHOl{KTWJAnDQPrvHuf;#D`%R};{bl2uFwCPw1AwLOmXMv1cdiIe)M30 zy?ZAwq;+UZYWN>TOY#j_Kg_vdRr>wI4n1yIxH_KkM_U?s+V3?!y37K4I?C13rVn6V zIw32s^CcqtEojTqH4OCKHqYW8-G?HMgPTzB3JpeU>@I5@hI?_WH_u3D!&I=@%|Uug zWaNMNv@C-rEIw*v>fF!-@~P96{3DjgQpaLQd7mZ}lM{tTN~gjZ$m8>#j)%x&Gc>2^ z(?F0~H9G5k0dml9j6ZiL5rl3X@b-;6g`(bOl#n;6p!2zowRb=BK#rY!hNrwDD82V% z6a2*m3Ee-K_L%d-zwqz8{U{~knKTs%uxNNo9d0WI3XAsF%#O1o zr;E0Smjp#YZ@{Ie%0nDH#9zxVJtO$-{YM}1@9lptZ3ufvT?19~&jMc$^`lv(XA-4s zRRo?E`!JnX75K0wnWz>v!t2Th!RJB>v3f9ROfM;k=_Rc(y`&_jmz2Wvl2ZR={J-ll z@%I1!uf^l7ul`@hleXV@=j2z18j@q|hsFwl&XrNHDWnKkY%jA|yn(78&n%QEsBns%uO{rdYP^j%8f zYAel#C#G$Fv8=(Uv+6??i>npPUQr76;1@&hm|*+hW28b)-Dd$IluU(#_4lcMh0&HgQb+vqu23tR#+cl?!BOaOQp*)lXL=DE>rR)jlFK^Ho;|=Oy zyg^fpH)w|O1`RRZU>LgF<6A5x*arb$San8(yC7Ef*K2+LUTCnoaAalALqr@LOf^Vz z1CG#jw1+uXcAscK-`m=r!&EW2R51p~{eRTGWl)w;*Z!>_2#6q|NJw{g!=}5tyFWCY0(4(IzsWdz5%2dAzTc;8OJ%jM3C$q%Xvif!ViO=7XuW>% zfD3wKJ*xTkuRb6_z6=*vXSAREciYFl5>$gb_z zb99Hd+Z`W-2O{w97x?6#{CtMd25trgcPWiHfNI^s$jqLd=CS4$ZpAxqZE70b~hU4}z9({@RSne*Dztz_D<8Z%W!4 z>%R=%4<#g#6e!TZ{%$mW{v!)KPj%{arpH)M#Mp1u_A77a$>&(&Gj%1EV zi8R8OFRAI=)E9I_3)7dfV){}JOkc{3=}Xx$eJKm(|EY}aM;UBCs$lz372A)B*nV`! z_V0i17dl%8gcWM_@Z3L7tWK{6-DJ;=vO8M^*IixBv;1nn*8J3`ZSSk-m)eiu>-A+o zP*7zgdE^S{5a^1hFVrFGvwlD9lWT#&{w3AI<2sPxy~LQU-G&Z!Bp(w}!e38&cDKyD z?4TP=9=rRaswWkWGP`V^&B%tXM{Re0OO&9-jV-X)Ndq6l>DI}kIcRN7j6ccl6x_+? zKOlU82_UFZDoC(T!F4Ta3v@us>Z(s>NZBYD)b5D|z*y__JK<^$J-OL!VET zGa?J8hgm~!4ag%>3hS73E_wKSJG;WgTLraUmbvVrErYjT`u{Bcf8P(X9pUeGINS^| zJ`*(LEj0tHk}}KeV;1PF-a$sri{|k6#N_(1N*kos`!4Qmgel&9WPJIdhoppCN3)}l z*Xbn&H!U|H{YI~A=9vV~le#~%3;pbWA@ldwoe)Py`TF3<$F(}D`r;(to+$=ywoEfjxMpl_w%h!ukJ{oNv{UDqRIw}_D2K? z-?2h+$FN+0l_(0)NgeFF#{f^}S2&l6=)jG+C9-T#5TRVIeoxxtAku$%hw3dm%KbX+ zTFG((@a>O#6K2I(Zp{hDj!eJTTGT^iY|UKHkF!CvIf1uADI170u)LUwmWOzoOI886 zOPxTe*Ke8O6l97^z{cJP29~sj@Q`kQ2)GbX>aUZGl>4}idr&9{$4q?v8W{rq^5ro; zf4dQp!rsnNnNG;h>G9RUX6c}IZf=hY}o=ro!h<`0i*WSMk?#O+7 zQkz+XF8xXmB^t_xBTv%u?$dPx14%E_t(qECQ1^$s>$?#;W_f@yVk!;2bK`38+6jd| zQG?)%ZzABasde#l&uFlf8oSbVHWXOG$9h*6(~vsZ9le-57bGgYQXFYu2&9HZ`nl1j z-~&#neLCi#QX}DeP}&d}cWr7Q&IRxHyI_D>snfg>+7M7wX2x+)VkV@(78HfWtbC8-7hda@hbqO53n{phf}i5Sqy_v>)wY9g1>Ug{`4Y0&sk zM8~DdfhtLVH6@LUVR|rmOb;f5>A}=7J(xSD2UEiIV9KC*BqykCG95s_%sWvd93;n@ za+=LwQT>|Z58Pg7-u#pF5U^e1@LYqJ`s zk6a|@Iu9yWH@8e*rKEsY?js@IU^U0a>^+zLD9!9ji^@kNY;>!iQZm43{Qic7I4ba{r z)E65Hflr6>{=D7sKzuu-9n*@};pXU)*mz+pkTpI&XxY{cpBW#B-qxx^;?5rRM-n^H zc+##T#q(Q;d5u)@vWN|IJXStq%w`I=k90j^G_`@Mn=9vN-3XCGzt$5n8fV0xF4jBC zB3picDt_+uuy$_M09!Zu_QHNrWrldp~UYoV`8A=nbT1fnN-9KCzd+ zcO80eZ4bVBxpiLmyincG^%Gy$J(23k>im@QV2GmGHU7yJ1+CUnPlqg{z&qPXmt$EE zxz`&gT%XQGtG+%N>zYnz?*8GR3-4mF`>i&n|8&LlpXQkU(;U-(x?uWGZP1%3?x@D) zgNCg-;^!YlB8~@_dj^sdA-;WEJ5u8us@YPm7i$VdKIzg*ZMRZzyd*YdQn^qt|5017 zQ<99!v&mY`CPhHjZhm6o-!Nd=cw?M3k&3p?)~HnYgu+zkaG|(&I7D8$Kh1nF4jJ%T zr~d8<1z&<43o34B#L;U`sJRw}Jd}twY(9tL&1d=NXQ+$$v72Ci>?)WayDH|#u7dfo zE5i$7p9UVwR45Md|MF%$3GR6b{_!Bcf;^4}%7>LF1LyvO>G$uGVYgts_0`8rXe8c} zv1GSE_haRa%)Su7hQ{=OexwYvibUAh^+-eHiL-8MYKLI0FCvjLOB$plSKf~8SR)0x zkYgo2BCy3X7!Y0~0T!V(!dE&Z;5|9xP^_saSbia(Z#R>~d;Q$lJ5{uNR0lmE8JpUS zI1Ywx?TK}%>fqk_`?Z0P9F&*e@RQP40uRoiPfv|?k!F_e!!tO&8wro@gM}OB$TZ?c z@PRjiQ2+f-#H$@1@cn*>`~4Yh(BS8J+ZDlwx8AJwp%kx&eh7NW=tyj0N(xeoljPju zW?(;-d@K8-H7v<=`%M(60g-Y0j*Y%0SWeyHxyuoTUcbNal3B?X&ZWBE^KS@2{VXg^ zJ%g@Lq){)am*xb|+%v|f>0I#U5nSyb=cXbP#rzUQF~3AH%r8*@^Gh_t{1Sx#U;h?- z`(gjpBV=IdwPAF?TN9MG)9;#o+5~9od|fDKBp`@{pY9Eb38Ipv-mjgPg0;~$8*7{| z?u+)BsMFpaNVwCY#dyga6jiRj&Eho!wSHMqZ50n>J|a0%#cYZxasn~JEefFe*`$QcuP>{cC-mXNwXFQ~Cnq(s*KH?wM z0@-k-!&tsDHy?h}&X@H!pF^FhAKo=D#3Pe#(a;>nV7&PSW8VxFf?`bJaj<=aRedxv z_YKiay!iLA2Ty!uLmD)78&jrEZ#6M=oSwSwej^_JodMJJ^C7t1~ zg^d@(#`9p~rLgg$*myo{ycN#(iT3aMu0MSBqmnhH2u9x}k~scMdP8Bs(S!6|KCr#N zy(hcKy5<_#0DZb#EpGR_D=+n}_mHyM~F|hHO04 zLaASZQ3l@mNs>N}zGv5Q+=2d+W)r_0U|H!i`Besg_?9zwh$k@|8T$F}n4k89h`vfc z2K_LEuOB|X_f?-Rf^T7&UO?(7`Q@Oi6gqdCC&J-I5{|c5Tl;(~97Y7jgrXZ2k-@Fo z7v3_s0Jo7NL6^TP?98&i4a4cVeO+uWmzC}!5OB_avID}w50x&t66jUt=qai}M|hxo`f`-FBg{cNXB(Fqy5(81@jA^C z3G7@XJ~OWZ`Ulxs%nQ_!w~okN`UN#OkVeRmyN}~&X;stISK;_9FT8Izv8llH@O+@` z4P9h*s!ZU(SvhzvB$LXwqXyQhCw6Y9nV|FIHuOF?-Fxn1ImKy>Fc=fQy1%*TkLy>A zr1*0&6VGScF#sliB)P>e&cbUI z+l3mxSFmu$^`)hm66g|~(yZr^f;$A<3KOc@i1%$Ii9M|}^u3oY%ZrnT!(>4{<+-@N z*3Y4CNyjvhz3?LKc@IU@Octbj@Txg1t$t@GXE1}S=8xv+42G<|2F?@*vVkY4wn*H*#lvKAj4B;?hDP^*NLMN%EW*N@0XYk`GePy{$tB@X1+ z@IYh>K{1PfC~%0Xyq`NI3Iuy4ey;PpFu0(+C&+7#au(O^-oFwDXFfvN))8qGml^cn zoG?3BU0pV1pBIJQPYX}aiAtm3ozSj|*1djw?@RygC;xpv9lrW@^7sNd?q4Ag%{aR1 zsvZe`fkX1AlGD*=nb;+#7Jm@`s2OwgZ9HTc@B~J_NkaNoS|T;UZcr0_^^w!2I7IWR zQ(JoYp|D05>JB#@#H^w6DN6}=4|6!w9dJPa&MrIfl7$-~nS9Ol7#B%Yq2Qgi0=RoH zZBv2oV_UGh_MW3lUIR67wyal4XrRqib9q5B8%SMk>AT=*3zu>NH@{u*f=k3B_q0Do>Xf=&FHiy^*^~jgx>o_^VhvirO5sw_vr?phiSo58lBcpFP;*#9>n?8qYH6-mXOVRUI~wl1WI1P8v=0((6!3?O&4ZHd zm!0wUtH+oBi!Xn$`q*|V8Hp))9FFh`oisUCt^4=~??RCS?+kVxXvf^o2HJbJD-GgX3!A zo4>+0-}|p#5P;PS0{2-0en;ZcPg-1_g04^Z#giPgOBeC5&N~)*r}gMo^9@1z{Bff!90&V6)x2*mi#E!Z zrrB|K(S;oO3*^H%E{)dGLFwj5YlLrqAGxhtY)?Zu7+amljsIJZm^%EouF#jl$Kynv z%gN=C{%ogZqO%Ec-K-T9cwT^a{RQ9eQ+)fW@m+6x=Ucg4q~zgtSE2pgBsq9g@04Gi z=z{vSK6AgykOJ?Y)zr$z6~I2apx~E~4Cc=%39jGNbpLosLPPZ^)>REWRcdUmuIFjnxzX`}bpBOtJr>yFA2kS14wb zYoWOEUnS4~D8q`}%wK*MSsh=I-L=BQTO>5 z)b;%>FleDlG5xF+hCZAs@m#(N7p4Aai8^1!TmK(M@Ps9<&lJr2H1pLiyPzwRfilT+ zX5cJ$%Uwp*2u}GKD@NBnmou3e0_0NT_W z_rmTNgL{RRU2>`=oU!bCP-86)Iy>zG#_FOV-Q0h^I!F~c?raZ7dI>_uZgyaupCW4a z{gM=!EDWQH*%2BUXMpK$-EiaWVi2L7yCD%%2fQabiia|jk^bX9-z{&Ipp(b!!gT|Z zkONuX#+M&BKQ&piKlgTV`EAt$!!JZ-aGV(Hny=36AZ|_|q8iKrBQC|Who?EP`kFE3 zZ_J7L8}noS#{8JSF&E}=m!L+L4Z zBk8;v#J=Wu!#gJqQuXUSCu`M#^_;=a{b$s0%Jw^f-i9O6VB(2d8&-kWfjsuSeJ1mVpOil1EK@fBBv$=Y*;_c9C-$=q_+-cdCWBF>P};ZlK=ds{+stR|@6EAsAhuCWtj*a0hk~3BF5wZVgWIQM+{I%o%!(3hiWKqIr>fFH))*D7CqU)DM?UO(qm;fr3N%Zug00_rSR@o>f_F| zTF1SYj(EJXF-S21D^=~IyJ=c*TQB-;ex^R0d-8hNEI$P4IT(^w;<(@4_8wi&vwh+3 zn(46Pd^pnD%GotdFoRP80hAAEGU2=T+_|I|?#Qv}@`*Eh5y)zLG{F_;mw8C2#@4mK z0lD(mJxwIQ)v3eN5*FU;0+BMe06T>X`pw{FOXiB>?pAkSD*CL6+-_+I_v88soNMgxGqb2H#23C<{|~Z~3@H zX-fchuA3P)f8mAg*{J^g9%GbxhW}P57dQOSw@~pvE(&WbhrH(;x$&NVe0k9L_CKC( z6aD+OMGPz_xI9k#;q)vafB#fExFD^$z^bfc)=2$c*wwgUWB8J=VQB7bfj7Sl!NK#QC*6W;o!gJuQyt?rOAb2`hufXWN)hV|MU|I(fa5BnTa<8xnNu zvV#So8RFZ5h*x7bw!=V z88S=c?Lfq8vZ(;nNhQj6Sj|EE#^dj|gc1wt<6!V)h$NZ*LF~2Eu%x_8+^P5t`{HD}FPA~JXN~i|35BsgDkeefc<&?qwHZ6$# zL2&h*wki-e&7T+Yu|#Ix0f5`VZpt>gs6Uk=Xm z+zmxj;RZg7m5z8n&%b)50#>iYt%n;*?$zyymLyRvbkMYG6Fus@~+{o|r zbm7*31J>nB6*qkm6f%sA$!P$xrgnecqXKMMjJt;$^nt7FHbqOg8sOW{g70~b@A>&p zA4QAlqvSDt6cwhAqQdl1{Fpw91n?bS#!Vp1%n}4*ZnhpXH;Yl?_0@0nN||7ttVtbr zE)~S@Xb)HuX8^D6wOA6K^Js8=VR-ke2XNNw4tee5BHOL+)plvlP)FHDbF$qA+_arq zs_B9u_LATN2OExuA+1`{V?YSmTfYQfIURsJ>%J+2O-{rft>v>NvfsZjSQAb_PXM#C zc5Dw;_WS?UvxKpFmONI^62=FE5vynMLqcWW3X{1RG_Fy7FAO$AKlDN~P70br z(KW-&xGWVE>UlCQ*vb+ubM)WLxNZoE@^ZmN$xfg$U~N&TVFN0rw`?frQ<0n530L`~=O6q6<#5c|V^ z#8U+oD^>9yxUB_ttIC?a&-mf-{n(D;T3&da?9lhiNXfq zjdd?~F1-Em{>>)`HlM86d}?6x$pZi8lO3B+7QFR@OuD<#LDXT0J}WZru!=G8tQ5M+ zNGO7!yPfOf>>xy*MSkSiWqJ7gOX(wvYaGsR6hA*w3qr$1b1zSHcVVQTr&k-yn@To% z?-_zv?ehl75jpfXD$(}HL2bC`N)_5XpaG)!*P9rY*io#^vpN@J7qqCF{CsRgDdV6CdM5DRaCh1n3eQ7&I zE&NzMmK~1T%uz3%V+E(ET$}p`+0jX{$SjZ z8jF7vi_eS2r^H*2S1idW_ApHfB}olwnA0*K+SM#x2`@1i|I%aGcufqdhH@nvngt>D z)w7f^b!oItwU!{^Xb!4=6=x|VRS~Dx8gU)*PKpKK#*oQUyrs_B+?QR3Z2CDW>}#YH-La ze%D#W7qU9ysRyFd!6A*Mb=~VKVtO{uDn*(O1HF5dS>x%@@n9ounl}sY@82&?CjyhI zqfzxC7a2PG09du3y)hH-3< z^;Q|&Iv|63<$mpzrwD@jKyP`yi6BG=%jq8^P(bu_Z_{GDg`u|Oit5Rqe&|m0(}#}N z9H3fEGMxFc7f$E8d;IR67QALW^>8RM1l>vE&Qs9$!23MJcfau8CGUT0V}%?K`&H!V z8-Pj=!FksR15o@f)t$9#k3?0YJBAGPAkdt3?);KI+_NYY9j~?r`OE5>ftsGEtf!!7 zX2cfsE0cH9asG316jfUh{-G$2iAOQ|xCf{mejP!6J`}WnstQoZ#DTr1&98ewb-3?? ztv`;YX>dECnMLn*;_Fx6VcSb@R1<~9FKhXvAukAdeqHU_gJ{G; zeJ-}D&lBfw{^NexeJ@zoWLq^!@&+HT3xAp&C4eL`WUMk;03=PmjSm!BqZ9To{pO>@ zA+*Lo;nA81=ywh(QL;+{)#D^*g@`DS^H}3eY7Yf=+J`eKz7@#sl<8I(T{Kjqw(OZ} zq3~iQVxGh-2DNN${;Q>)R{?{DtNKyW+xuNZ$ZI4IQ1A$d#$zS!o? zEQaI0_p(z)N-iG9_zUzHe}NX`FVJB81rChAKnA>zt;2>t%0tF@<%=&53=q}Ujf%NJ zMI29L(DBx?474~u9M1iyi{ADnkZ802KVH>;&%435-ij~(I(U@o|pOp+2gMzOfjKu5c&-!M=N?gq0%5*?yZfAvA=~94D?`;MD=! z7b2}uLLunG7gGmT+}{bB4DPho=s3-@evh}l6ILFUDQSRo^Sh7mz6pdEs!(Yf>f@YC=|UE9D0{73dI7y zyA%Z_;r7j3p}mu0K&BG5B8IS(%5$bL)c!5&K5-L053WWng_KFeaC{#B1M=6&KA`U&eeBXo@@g1~keSgFb zo!K&$vnq6eac;Nz6$?=STbYKR2_7hfSypiuU(2-z%g@g!_7|yu{|MVyqPG9zAe2{bFVVMTOTXv zZ`Zei%PZ7xsds%z3PqI7iNVh^gJ4ms|BFJi6PoZSV=uWHgxVN6-qgB=!?Bc2_KV8g zu#Aq5v@V@Oxrzj?{#&ZZ`RibjcO3^DI`q?_YZ&M6%Jnx+;x{|&U6Q;*PpJc~B<=Ni zPj!Iu`ZL?PDP5TB^tf;-RRiYho!a`M1CXd0o4ALP794mPxG+#51*hu^3}o(~fT$xb z`!WQkXjtW$&li3PC})g_-XWm^v4W@Fa@mq_BshO5AzK?7lnRV4CF-GA(ifX)94hdQ zt2C$Lfg-H`4EixCXo0SknI8VltBf}f#r6Yfa`G2(=;cyv8hIcFpPAdsM4nn9;uz<@ z@LU*H^|ZA$Iwj!J`5VuB4Mg$QWB)tPY2XE0b!0uuFt>uNjj}h{im(5ogvyc; z-c=!L&>acuNFJtu`(zh~tO&$FDz1dmNk$NCpYca}c9~dfPuyAU2WrN!B1Kc z7#0HFcH;9t4MSll=$8I;S2!qLEO26334_U^RmZ)i5a4}&l19I|5S{fw`9a|- zV6z%QvKe8G#I{`@C8r?Rc=YMa)S413jORAhoe@W5g-X9K9FWDk9~|HBcYOUW8k88= z)m4Syv&AXum-IZa9h>`8v|AWbI%7`X7cfO)M}}7PJNSV<@@rOB85dk)cZzSAr3IM` zoqErs)G)$n5Gz;83NCz^MvX;Okhn2v5@kUH!4zdJN#qI$-|_$YH5lO^PxB=F<7skZ zJWV?I$J3;Te>_b!yyN5hJot{scmDAmk8gcV^yJEmdmB2aVe*(`g_;PESG1F?-c&^u zf<--d9Av@o(5kM`ya?DoHCJw(Q^Naxh_BxrzUvuZeYNZ{F_jz(Ww_#Z@ST5r$A_fv%9dD^p#(cS8I9BckUub5 zJGT`EJqpB~-=E_8hNPvBPSKnO_fxNIFAGNlH-i~j&nInAzL0(Bk035zoRe zuK#-85TXS_AiVj(S_3>k0|`g5H~QGX!JPD+6Vo$rVtNKWOwYiE=^1c5vH$29*ugVO zN=PM41dau-1jbh2@?PIx(b|rgqh*U;VS*QY@M>7_$Y&&q>u-$LeKd(b&lKPJ!FT+> z-&Yv>eR0k~|M`6dvELVWkN?l_%Y*&CX8-HIZ+TafPe4ckSjdWKB()U7yGvOY78)Ah zG5H%mE{#giTW>CLe|7(2zK_6#45wKv5d&4 zEjBn`CeQ3ctcM;XZ}Lpxbd*Z$CzR{HnZs|Fb+OJ;SF}+KK83v2@N92wtCh$M3Qg|U z(hj*I8$+`v)Sj(lu{R zoY>ceV|*^*-$zVv_b~k4U$qQ!CuujVpkn1$y#6yDXdP$gxc4Cxolo1in_h$Kze^EI zSeuZB9}DJT4qq%G&}Mv1PDK(fw60w!@Ro*MrKu&~QH=gve?Jd1@t-=)H!#;c9C)ih}Q!f&1wR)F?y6c2k&#KU&j-k$^QIDbjK z6Ap8)m#>s;!Yy*^Cdyq&jY$eXWj)loLG8GUJ~wE#~{c<&8UE z1=*yGuNAAK8O_V1TVZN2`^@EJCzmEj>U4W{7F(df;c?yuJvF@j-#(w%OlFbcgT|xG z9fDPc=+(yy)AoV_aN$yn>%&D3i2ZCM_(UIfj_se!FA3qmyI<_zeLxiBU5aA7OEHXh zDTeVbr7+&52;Ta%f9q2NTc5$$`c%i(rv|n@EwJ^e2PVIZOR2@{kdW&8mwl`$h`Zu2 z<;AcB6jT0=${TlBn9;lnSt^QzwD)dnj4k;4^Wf_**Kz&Dr!#COa9! zz&^gK&v6%_$}gu~$N%E;m-2UrNg_mGteSY^*JlJ`#b%q8i8#IAoeOG~WC&$GaEk!kVJgQ`e9kX>#ZC2`RNCpKlf z=u0+8dP2$akNSDz=G68ZswH?+g0CURRWxnZ)GTum6 z*0R_^k#3kc-F6g;jK3OlsG0^@MQw3-?*_m{lh9)SNIw+UJ)>xl<_QnV$v<)Gc;P)i z@yDcC4^ZLi^jDb!p4llvf2Q)9848JCn6>5ywW)D8B(@}-w_c&|@<_lxB% z!maaCLSSCaYkP8m8%W-X*!O;BN5Yl#YcUCYkT$+ge$?})GRvI~n{Zcz^;e2QH~*7B zcQaAAkw~(v$ZUzYzs`ug%@qK{b<n}RfDy)A%*#{oXSg}#Q2}Q)kg9anVJt4pT;#7LP1Ee!Od_r#%iM-ax zLu}m~fu(7r_rSAa^lCa>g72ji(uf}5ZTujPF0BY~Mjuu}OEDMq#lpNn>cm#-XiXuA ze@%ZmJ{XEV92^Z_PqKq}tB7DmoG$5G{?7i?YZo-pHTr(}f*U;43~1lI8w>?G0oTgk zsG#da?YSK~>fl1VaKr#~k(c{eWW)eY-{c$Fn7XKebUs|_Brw;)Tfh3suR|)T&Kupo zz#Dj<-W+($sO|0J9D%q^PNQkk6UA!(5f?JHgh-N_w1^r@y!+iw)H%sTE}aIhXydtN zog}2#)u(Tgi}M42Gh6>h@eHs9b|3z<_3QSFeTX zlkG^qCLz=Ml~fiWiF+BHb(jlHLNfK?HroHA>+}E4{QqySACJcB>5c^-U@r82bClE# zJe?%y{F2TiMV_GjXCDI~+clerq0kdH-KR_hUVFm3&D|d1Q!(h;pd^>V$v9Bf7OiD? zkc8?t_3R5C$HR)MC}A!^GBU_*EF^sy10!7iN2y#Q;b{By+XpTugU#N??$LMWQ2RSR zO0$Jj_`I~`A1<5ZG zop%fcl2Xt!_Is!h>{=GEzRPF#d85a>ZiFu=t>eH z%|#C2AksS=->Hw%-c<(<5ct5Gz*H*YZWAa~cp?>lI~v?lBzM02@B~#afvaCmsldze z8EcBZEQBwg%aE%7bhA2+`%GQQE;q~teTvB^7P{o%J+tPH%eVkg+B-5U<#7X3i}>q` zCuUgu|6YGS5LoYX9cRjz&{xKG;Bhg`vueCGalM5|H!{K+l*-}E^qN*2TQL|p+V-Ty zhhpD%|9yQqgi>1XEH2-$q$6uH;2;T-&*gvrK5vQst_Tp;^@@VUR>4@-PYLjTPF30T zl?@h|ZxW4s7l3Zlu?p3d?`u>iPf4e^SGvZIi33mLcGF z)#FybLlKf_SmsQ`=?JdK9`*{d@&|9jU#}H)0)fdn<*-Pv9~1}dHXoanf~i}qR(u8$ zaPZx_Ts%Jy^yuI1pw&GNqLTBrYp?c{4ej2BNfsDk_u>D3{{MK^ElpA9f)M5Uj=afb zB%w6m>BCY8q}}gAZw2K8@0o>Q4sV>#b#lLfIn71P&-1_cM1=@`&h&iDo!Q1$odr$R8*iHrOz(#m;l#S{<+85GQjgo;tT3uiJA_ma*CIK?5>V$sfm zl>~%uz1vaj7$X&J2m~JR?ul@XLVF+G-G7(_fFj{ZP3;_CP|4iQUpyCshV>p83{3ce zzt?BVc`hl)OZaJNOhOMsQ(S*sDK*jfy{=bHT$<=>vKY}(RcV|*-%h>rlq^_~@(8mS zYXU=i+d1N!W+;w2&?C%86CA6@!hhqqN(?R+{4`|DkmEBo>EoMfK$gk+P%g+H#jU-# zE#z+jv(No*%m+BYL)BG=gbAGg)T@YYvd94RE}_)s`UPhwXeE1^{Z|y6(kpCPt5lG~ zrD9o4N^!9C`Sd-vO$ekagP%Qd7lYm2hV?>LHFRM7xj}%lHl!!XZ)y*5BexUxZZM|H zA+_ImQ4SvvxaY6Gv9aVuL0NCw=;BlnzWHZ-_1pOB-(G(jPq}(S0xHiui#gXR22oH% z_KV2^9k=}*Jj^Es{v_s3tA66}=2Lh^V466P4p-CjtDC~bNaLzkI=XN>si8P>zz*H+ z3f#Lb>Wre+_v1LK^$6e%`tUAy^TSw|AqZ*Fdyuc0fWs}p zzqfGu48h{f3(5x^(GvO9h`B~f)MA}~g7>N`uAfW1?X-I+OmC-;E`@l)1byDgHG)Jm zo)t%NgwG3>racROPsAd#zfS(-eXdZ?vNGx45)SGgiJl(|_XHC~b6%ax@o09c{BESA z7xX;1UeI=_9DbzJ8UO7lM62~<-Np0P$Xo3T>s8kRAd~m5FTGlg41R_RKW~l#=Su=S z&z95COY*9k-kfxJ`D?bvm$D2c-EWqN4~T{_+2>|MH{9Xb*yB=x)@+;(IN;p*Z9AyF z$n)XVcMs%1r*D}ZXblGC`Gw80_%gt{pX^qh^p?>Xb`*J8`zcVi%TB}6(>gDj&N4?yy^Lc1y1N7ioA=6;XvRyzc~x za_0xZ&i7IFTN>5Gs5`(h(f2yqIScr=__l@*N;`#lq zBWrAo%4v*y)@pEF%&$B z;>q>=Z6RyV(WDv2m9mKr`KiSy4Gh!c7UU$NU>jUbJIQ2^B%_ZmPv4Y-4=de~0YVb+ z#74)%8ONXe#|QuK{a|&5TaNGGe3R97?=2d!IKx&a(fODOSNQoZQBuL%9R@SR8}vz? z;dJG9W1RE{@ph~dEna1W@!>B9n>8n4x%zP0=|W-j$4}$eRLF6VhduTE9aeOY;)BcT z$_a=RpFVCpUkLTm)lXVZ76JVDT)*yG19bhajFg5wsIN_8l!~$xf~wLZH@>GJeEH^Q zkB9P%DZJ~yqsaJe{o+Y@>ea8%>Y;^}9#t8uQFwvzz~67~IN$Fn&AC(;uVC~q|EYma zt{uN|h>IC6D0y3UJZ6Q8xc8hgqO3qO&U{wj8Ve9`YONw37SN&4ui7X%jVe6sGTU>k zQQ+i=gawm7ya{mF7}F60wOd7Z%|Q;G3wn{na@ZSU7tYbVYfl1Ajo_}$lql%0Iex9m zyBNXQk#Bc7@?ei)-4*r(LJneXb03JS%9 zy&R)KSL-EdiA)G8BKoeWzZwWNG@{E|GREk<(%^&@u%YdSDV#Q$9)0+@Wx}YV1k6*E zp2J+y==!%D&uUqmj(awtJnxx1conx+h7LJG@*ekrD>vQYgQm%!&Y+q1_8iV+8$x}CFX6jT;=*j*QmK~&A1O(G@5@aG#p+YN(Mgs;C- z(WN(ECH1_Z?>Lw6m9!+3B;GD{`JFrbid$8hq4k8y*8#1TuWjKXX^p{>kRvia|1h*l z@hUjHrRn+TUx}D$xU*iR|I$gh&MNdQC)d`z>RgrLUz$W%8R{(q>b+Mu|E<}v2S2>UU|6L*Ji#qGQ?51KXucE<@2Sgl|9H(|Zmpncaac)D`5mo zpQaX9T|NsTKh6s0RAwTpk1uacYq+4xpVPF7NUYFehCyNC;Z$UonqM#HR}LF_O#@8& zDd>0idc{w{YUJjSOL8=>0Q~vQNK>ft;IVpZvVveV+Wq#5htpjS{m#|#xF4a0j5hkZ z1bT}Q`v;#*tDjXMF_xM**%^nsU+rDW88<-zJc?KE*_p#j=Cb_8QBQdP@f^{3StzM$NK@sOhLGDN&?9U9E+gvIXniBAo)ky`e5qfY~mP3*Q!Tz8v?PPF$>}!u&tUF#k^~%>R=L^Zz8r{6D4f_J_o`9{Q(K#&Mqx=X-H+ z>`N`3JeZO-?iBPmqBwTym$43Vu&UC0iHKJLylX|B)PxoAu3reJTRSP7P6qmz(A;0R z^YMK_@>*L!9NZKmjL14sgFH?N+;`-P0oCCaB5U3V=pL_{84))Ivwe!N!)Nti!v3^# zY*i@w>-lgv_zcdUYUk_UPAPrdiS9!~CSn3-?%Fd&U2#PoX{5alT?Wv!+G0egU;&pe z9K8HQ+!m*+F!uTurw*Morp4O_Ou@=me4`#>fSbN6qeJO5n7{Ir*QAJm6uXq?f(m7* zG|o~;&nOgb=qWB9)(!@IdCDq_6xYu5yP=l@CChs+6p@#v{u$^9y~>G}DzgEIwjg(qsL&Zk!~#z8PTPXu>jJ;M%|I0S zOO6d9Eb-=398YnZJydcW0*q#F@O9II)ltH!)e0Q%9SXrwk_O7pp7g5hISwW9-&%fF zQsbR}!`Dyg%0O!N;+8a=JJEepphF$?Oo)^>Qp>`6SJzjvOer8HP*O5T(nN_W@pnou zNkHlkGub_EGjKdVx75M!j7)?p+aFMvL+!X*>js%AZ0*K&<`dy~LU%RRXDN*Fets!t zemcv@2*js7`&2o>4_*}ey=&98f{0?*0rr|eINn;fy{Hh23fgjA6mj2csoqmp-l!)b zrm-pc6(gLFYX5%B!|oW6YBwer&-4f9wGZ*npQa$WEaTz(IQ_uJQ0xttN0ummLFBz1 znJftUIH@Og<5$PMf6E&_ZND2gKxw10kDu!)L!mX{WVmxD3L+24m>nyH&#bBI z`rB8Kz$24oZq;g#k|@`Bd94C|Z)6y4->m?p8T*5Alzh-@_e-+;G8eE8d$<#9Xdos> zs)?FU9Kdv1@V)-kgXp;Sxr66IIN^DQtog(s0u9BFcN*v9A&jTHPsi02IUQouHoq$e zGZ7y`d><)6mfPgV(G&7;j%ICfKF0#x7GkE`o>u~m_(l%MRf=b?wni& z6_^xX98-9t0;(6%Go*aAA#|DjwEJyKMDRIs>RF>5Sp4Fhuw2oA4l*9ggN7C;MOzti zrsWa7^>KXteDLj$#`k&tx5xk6FWlIEk-+u~FScK}u>B&1?H3Nb&*%SHd}gfQoFD5q zXT|!>nXrCyL9E}L0q^JeH=qA|@&DyZ)vbSgB$hPk=8$5hHD8D|<2IOzqWR*U1!nl;{mO(fpcApf(^n_xVo=^zW6N+GZLIq4u z$OR9HR}%*vz2IX&zc0B*wcJNPnIfb zV>_m{7MG6>xa?ed+!v~%^;eib;pz+K=_1oIo*?c!dD-t>6k7M@Go_3OL_;lWszTd1 zM{(wZmevTzOWRjlnzM6-q)s8PIJzJ-D&96s`oRU9DXM(bMZA$EYX*UNiUp`VCAd@& zVFN#pyuTT=ZwEpcvmaq4y6 zf1jj*E^Pi-{?e!cU8aoA8u~cin{=4`_J}6@m0GvjwbDm-uM@uE^1|sVdGZb&JQ@wI ztsjGU=hBb>$?piy83pJpt02~6!0|f@kI0XcrlAv5mOVZ{lHi~I=l^5xJcFXzx-hLE zAP7nl5kWwrcVRqI92BppEhI)VG0voTqUk(jG?{t<*q)w$h&y_J~mg? z;^TYguEZVGD@EBc8BvJRQrqQETHgZFBi)V;BA3ypqW3fbcbkCqxjbvuXcu(0r4DV< zV14U*`JX?b2)Gz@PwUHMF%r>j_aG+{LflLu_0Q~6P*7pIYmQ+qd>PHT#k$}Q55?4e z?_6*I>&*cw?ITfW?aw#oCqKhbi+THkv4RUw6%>Xw_y)m&!%w%|#A1+-UwIJ4`7kJ# zn37A(N<&>xSAKK&BZa*N0+YgB1_5(t={Q&0I z#j~GYkBzQZy4E9#!r#N%^m$Mdt<5{3Qvfd`2wXpVG=fJ@^LU1TJ93>Vc^%VO4FCAZ zEHOXVi`7gpg`!dtkDc2V@JrIH^4EeD@OQD&zwR~#g(u&EKRXh!p^7Cx8AWht`H`n0 zCjq<<8uKj)6d_JavSDf23Eh1maVq(tB$yYJYSv+XXng0>@XZt9yMM;lk04yfF{dHc zf(ouTEpA~v&AI*~$uBmF&{NT$dF_4;5K+WBou1SVd@2^Nu1IyGXO1u2e}2^jWdh^W zace8ocw%lWkwpVI3xE9)BG!Zwi#(myabxu9>W@jaAZ4h(EcE^hKRb}@4;0I0GD6jq z@O^G>HlS#`+L_724#|Wvl~NxWLI1bt!c#vr)KyLOuFKC3DLLzY;Mr7yidRP!K0b7V zUUGV-*flHU)2r_(XRi)2of4Z%>N;pat1rJbF$@Y^7+R!U1Ho#YHihqEI6U`y)tI9n z3FPEmgW(y0zzR*TZ|j$%=Y3jUk_7s2M~H2)PFMrZte)yFNHu_^4LRS#Zw$fB^>a(D zg9iA<`zf4#6M*;kxt_?Y=%?6u&Sz=3zlAv&X;iER=n}g_!tvtxc^OA|_u9#_|DXpt z)AH4P*bU2BT4;^D_~ioXe~vxR$LcLp9tN(a(wQjo%B^BA3MUAp{r!eU(G{MzFwF0W zxPV@8QRC|nd{?W<-NV{p)PZD2380XHPUYrYhN{1=Iv>8`oM*+WOuU&*V&?m{pV*B=%5hhMD# z^CiBI1ws*grxbO!%X32T$fngtOa>@k#0us7L2&uosrzoPR_fCP=EbtF3KN%k7WU8Dy4dW8jmkvZez%95PYU(`x~n5%;@}6*_<-F*j8L zHow{aS!Yi~T@#kM7{%*^&CwFsY3;;o>M$3&9C30?4JJO*+%x*FgAN*W`4|l-K~1Mz z**hOUxaLS0f9zWZdQwwK(Dlp%n{y0&NTB2a*Q1#~6zu5$Z+p}M3O^U{8FP9c(rp8; zUs37{+dCj9hYK%D)-9maz?#6A!3s)p!`Yb!Cw;@5WdpXeQ>l86+FD>ag4p-fAjVKxAQpv{{I&}>rreRd+^-u+z+TBEXm({?l zQ}0AQJ3lPWx&$&>D8N5Fd{-O~-xkNiH^TAo4RAbs8ypYc0EQE%NO}&HA_)FS_DVVp z?ok)K6v@7TgyZuIqE-B5gdYJ){3(>K8yKYETJ+8RfLm#@4@Locn zBgi}oVvBJ$1~p5Kg7#bw#I0_B&-JhgXg_IvKCU1S+ubFsY$k3P{cIK1O0BX>2@+xfyR4=!yH$&PDt5V+?B0`#B zgyKZNC0Z@OepveF10HM%X7$`uFr^4n|uue0Be??88+4Q8}N-+}0jAm`=7ZOGK( zYX8^kq3B%f(>d;zI{4H}VB8d1f$+@(;=3N-yg9!4Q+)Z2AV5T(G^T|Jf76C*z7PW& zo4D}Xw2Cly@>hiQBMo#-f`*gg`92x3-Uwg2F@G81d;j2jKjXU|-|LC*|Nn2V$JY;qFW-qZ z?m&9SngUurA=&Kjxi|RnNvbK$B_3G! zTf@>0Jv2PA+>A_+q}bR^HZMn%+aJ`8S<#{!Mwn_x0er{>F`|{t?S& zkmhfFZxH$brN`Pnmc3I4EleGXqFomuMLago@pKmixgA+rw^Cl zx4nsiV~M#(eS=ca`S(XD%U6TpYwn1vrk54o*T3RDzf;Ss0Q?qw;_~hn4|q?77$u#? zym`wvzy22I2AlTe+jJ(1C~1r`w`Bh;u0ErQtIw$7>N6U+`ivH?KBJ1O&v+s;+O6Rs z<4|aRV$*qnD+um35=Tqj4}sl+6?cZlFwl%-3cbq^1Qy~yNXD#65x$=nzWfb*{i^u# z3BwO8EJO%7fVjD_KxAJA+T7EW4GMOIfH09oUd(SrXg4wAG4GGnbLXk9Vt%V=MY<VNiw!+@xSN})`XLPM9H~nmt z7PJ+;QIBUbhs!_SEr|5HBA3-b0nKg$*e5@ELrcsIjvIgc_!pb6uh#g=bv(!%F^{FW zP?{Klu4>!(#7S$&Ieerpf!qU`aWVKjxNeSjp7C)v`Z#<8BxtR< z5!SJt3{QyfI6qcTg6~eE9&tOC;4j6T5;$N6f&-k?WoKj1pWlj?)U-_Dv7=Zo*P;c4 z>o@-$oG``Pe}Qj3@Sl0|f6r&ecm7=WSe3cg6H2((I~X!HD2ili9SVw=sNrtRPNHoR z8R)67%F?=$!{gSlyJKHS@y=hoN|DmA3`s+j#_FQ>l=-mKY{d03qX@OU{@n0V+!T^& z9Qaz9&ckLkVcW=N6#9pcB#GlAiQ@Q35;#7R1dfj+hT|hyAi1Q}e6nxFz#6o`*BVra z9(V7}Z1a|*$84u#;|6k}`DrZKoep21>MB?#eIWxsw<6xrUsZ-h!P{ppEd-)OF8&Gm zW>+90E|?qnV*%&VV!5=jdZYf1_I6pHJG$~Vhu@4!5DL0A^<$-EKq+iXu`^g5b#!?0 z&Z_c2HqB0Xd89PDZ1`T@ZHpIZ|HNkq8*zcNT3MPn=Br_5T)s0yC69O?U*lY@nUe8gp`;A5}*QJykx`i0se?Cu>NJI1OgX5kLlF{{yx6NzP z8F1xH)I!;lLX^1;RQyT}sO36!Gr2$}#xtEBX*qQP6#C8`)mKafA}QTOBBmnT`R?EI zBL3lhNkh!^-Ik&tXCyHDY%%b$4Cszkmd7VZ!ix-lM&f=|kl@aUt-m1-B@Q&bjh3#+ zb^WdpdaD9SJrqN7CoJLJSh7WflPz-Fq2cB^ZwM6 zYoDHhoR+q6CqW_5yuzW^B*X_}ANTK7iE+b%cL>Y#Xd}Gq+bJZp**{2{QRV8;&Vok{ zWSujY%q?t0@l`SpX%u3BOnG!C#k1YtGIN!8S49 zqNI4CHsC`er6e6XM0V(u@g91vnB6j*~A_@Uc3g7r~J;sipJH+-x4xVe9F|!Oj{J4px95nfX%hz z%h!51e{7!lH#RqBYusw~H4zn@5b5)rO9yo?%eQgKSzyFArZ>nLgN*vzgeUBc{pAYL2ZNKER`!u_Au1y| zzbqex%1r$Dp{otg{;D~Emj{GTs>`?#m|!`aOU#41i6HtzE=$WU3IZOEoRSIhN7AD| zgDNwnAi>VE;b)K{=UZ-yv5br1xo|qkcfR%W0ocAGHGDB&#VC#65?bFtTa)l#Tw%g zRv~!h(;Iu$lLkHpy*MJTV+?s@<7;$MnIQ7k<|c1O1fr|@7(z4@2yzh&$IERj;c(yK zcTYW|QSeWmtE*>xP*-_Tyw+9@y2w1q#I76#J9h-UxmXKOtjMExdB)LT;9mRY`cMpT zv~~LqEXCse{pt5hfPO8Nj7I6FsM6d-=rUpf^YN-Iok%}_&i!TK93TP z&ts0`^QhzaJXSb9k2cV?(%8+CWWrJ6Q8BY;ml6LH*PwtGnLznr%YpoDGDJAKl&=0t zfsvfK8+i&?-toSM&=Gc4&|>-()Q|Ce&7B3`NoI(`kB`oyhE%#}c1hTdZjue&mWQ?_ zmokIdEYI_)(Reg|t>fugf&^gXyEe|Mk%(?B^@uLNO8`ZoEk+TcRAin_osdoyhxhjn zzR&wU&DV9+4}pj`#YI_l2lEMPUN@1VwLvu`f?>38l8|Wv!Q6^uF@)Ume?U}NjPUJu zZSDPIV^>&V;i0%A@naPfh60A?zm-9A;Qb2? zgLP0)KU^vOsUD5|;&1f*jd@eozs5hGC<10(x37Og+Yr9@1HSJUUw$LL>+yX(_@2k# z5t?6)`k0QCW9Cf>lA~bXu$F({EDb$4FXqTM9uLoVU9K(b#X-3dzW@-5&5;ItaIaCgUhcz)8u_W4g!nW_gnl~P?xU6NHY~B&>UEkS?4wb>a^gt zg#*Tr>A&G7U>AYyci#ys5n=VM!#{*1d5yt(pyOtVm^mC%uaTKDR)tD*~{-=&BJ`vVhTK8;!Thh8OQb*#yNi=VcDfj$bi-< zD`cmz{U^Tuf~V%v@3D<793=d())ub}alKNXE<99+G`+>-@h}Y_Rk^ybH=zo!d)7dn z$s6U=EAtaSut8*kALxr%*x`WWOzpGx%Fw<#!E{qs9;UV~+&!Jl0;M@csRAElVONTZ zzTloE(zlar_s00U11Q00hR+fO2-s_898t$SlLXzlE9yXzz-eUnR0FC%S;+}-siB!8 z=EC}S?2(mFzGvR55l}cgl{#h{fd@yFf(|JQ>>ViM@su)v9cD4k*bf|FZYI3Qn0W?N zQTyDYFc-{f9TJi*KJN`SVu!40n#%U~+>rdt@h#OBHV@6w@Db%qVq2XKM4Cu77q$ZNuC;F0b8?)MQ|GWejs3;owSM1#4+R}3I zsRJ(WBMgGY7ay*0aKUJJa?9|(I0S?c|D2l;0_mUznw|NxaDHA~BF)50`f87#$QMjL2}8$SYd3B$Si=uXmD+5~dt7LeJUK$92)+}O?biGiAi{F_ zMLuSaIySwmlz8qu=%j~-tuklBUpueeMfXJ1X}zaPop}je42g1_p^HP}eX2N zDfv|A({#Ap@`CI>b0N~T67!Jf34~+jMXA5m^O5(LL;GGHYG_F}p!3e? z4qW-W1$&rpETYRMMO{T39p*FOps7+v=LGNOTV#uY+XHUn*aTsqm1vVYiOnsrCzreU zjF=<&jr#|fJj9@Iuc~U#3;*ZQ|KQbl=a=5#!viuOh+@&-t2?x*-?2Fk?=Ell7%zB~ z+dE42AOW268UMD{*!2ix2vKgKp*G`N?((`9am*zY`$MCJ?k;ezZ0X?-CV({`w$Uft1T#{-S6e7^h2tL_Y=aW?7-UL=(ERiHW+u?Y|P8S5AE?k z;s4rU1qbr0<62&3g3ZyJ_hdRQAVu37eyN(-Fm-w$`0nvc*sj0D_?fXBMR5=1*K;NS zzPxeG+l548QT=e~N4s^!_y8c%^KL!A@4z&5b)n<@AUrVcDkSe2fRh&IHCN-_B7FIQ z|F5l2rQo)uNLNKw@x}v+XL(`aZSY{vH4#YhL&P8H#UU}|)L-FJe)!B3U>Pc=F4a?r8k@@zNKXpwvoaLf#1 zcYCsa4qAi#?5j6#GBBRAY0mnFkRzN_V9&jYaTDL9=@`jRC!q4`bWL`!9-ZW>^D^T+jc@1|$n(JaF~p~9n9=o{JX*iy+VcxK@#U70Wp3fgLC z6c)Q-LQVfm)!iES;d)p?xUdQuCY!A-)~6A^@Aseernu`Pi@QG9e9nKaj~ed!$m6b$ z4zfD(u;$cSD7v98B<3+1iCX>ctm>CLz+;9tpBt;qozBEoEdY261oOgx@coWcto`VS`HIDFXqLW6s8k@%w z8+RYUez)C!XS2#XNFb{03??osdqjPWY4|UX1;polkhxN1h+c(Cb}jGzdww{+=PAAJ z)g9$^XHb)rzQT7i1daXuT76W}37%B_h<3;F;U6U^-(2@FLB~@$y}f@Zp@68!8G;FU z$ZuFsxbxZxxo*`{DP$^RJjuBt#VILB{xzpgr63B|=Dc5-@X6r%m7KVKr4+7T$&Kq* za^U)vSf21d{mL`2eDm&OXT}6*3qF@&`6CHw%O!Zxr9^>O8Qpm)B^TJ7ygT!+X-DC)Y3#C1m1Yav|zw=Tbb(>o`QYsVAVk#oShD z%S2cWekto;T#Dt+XYQVBcgJ`~om6o&PB2Z;zuCqdh7z+3dOpnhBC%UM+ z=cLkXkJBEAf#6vS#wcn*VB;u0b&0?nwd~S6SRE08=VnYCD@O&uQb*uVQ8nfZN@k=# zaR1-)$No9*u)#k*AQl{-N*%|iV#fJ^&fxe|rvcwQ&i`%eEvbw?Fg+0lttkN}TT#qQ zuU!oPbc|@l zU|6$nU*|E#Ei=gX$El zREK(Z#jmH8Re*~wthqSU6K`GtzRwrF`4@coD*voM4h>7vu^K^#p$4gXJ-sGL~j;ynXkKwmSp_FVf*Vk8il> zj{r;IkYB9}m)~X*mW4Y*)AhybSL%UCWpuYJ1#8)O zSXnI86*|MaN%EhR-vW^3@B2z`l(g`EUQFdkXT3MBgOCTky{b|#WH3Hftf@{$meE(k zU(Ju9I_b^jBec!1ojj$k`>+9c%iMlTjwK-@8=}im*8+e!Ew<2mF6o4H`n?j8$=FwGj}gRg=6?rT_}9DTNo`b~>@8OW9fM}*Pd}xO_LAJKHx@1!g%UP%j44Mf+^y>kh zxZ4uoebDHgP?H#tsh_i*9#KbYWpC6A6s4i-Q3YSUkP)1d%yfy?(gCvE3JnofGRS{9 zN@mG!fU3(KbjWzjQOAPI;frx{K*6}t$zS6O2uX6NPzYMNCMPF?H;it@7Kem8r7B6IZK_UC$JzCvGB z{;UV@|Id(HsEMe~!jH3SuH9!$5Vg1@sW}lZ@ar6{zMjMdY>!?-W1AFI#YZ*-O>hCe zypezEv6$b>w0>-L;w;Wr%Z~Havf+HSqBvhI0}Od78{NwZf?bmB)gjJk6hF(6cY7)n z)}EH@U8D^Fp{)C5pDdG5pUU4uMXVUd{)|a!T&pKIvsrsHV*H+p5c%rao8DkxI`2u@ z>jr&&o*gO<5h&n0|Eyb`E2Q+*{5gtwNi;ZKT_}661=sIf*X4IIfmzwIsY&Vpl=R2G zx2RSJ^yhL<2Wx2Hoqxpl^Tn5^M0$+(-G^UnFf8%)CB+geT#5AhmEo_70_Hb}hHw3zv$27SBT3stxmj>D<<)4x z$#k@33_S^iamaim{FeNf6AUsP^PR7YLT?l{Z@H(0pm`ys8|y!lK>Bb?76zw8-I-j# zb1ny}lI$3&z6HRgNY6V_j4r?s%i8kyPcc#x%KYMHig6)h$^@#;U~>sWw>lyt{Gt7! z{CSPmW+Xn!-EP5O2UeQ(`MJHlXkWvtqi^>La(TdeZBVxX+V#fjv^a;MsP%39ov;fq z|E7Q^Z$ugFMm5*%KII^<6A~q*$6F9_Pu8wri5nywY&h}sVe| z0ts_kHou5ipxrv0jJQG|-{?mg!-g90ywBZiONl`39oyqyrp?ho2miIIqcNyBq2kt; z2cf`eb@Tez?{ILZYNy*bwSeBb4L!X>MyN)FA#I4;7WH2lF3Nad20Bd3vH4j3akJ@$ z#O#a-!q+D&rL22mV=n|cN$MXRk9UU!=A!Ftdw$^Rkx^Zo9t5w&Xq?9Qi_t~8yI;5z zeej;gBV(qa;9some7(*8%yP zIQdx5$fN9q{8JL&gwSU>S;2{ARhY6kc<{q5A*A_co8mqhU_ypQNPl{g&5_SuQwHF5=E=KWI5CM~%8c|a}nuO^xxa{R0@sR}n&RHlrH)B&}}RO)#f zqcZy|JYq+cz?yD@o^4bS30B+kpOs@o@-7P>(x+(X&H?y=RbEz^}@>7*nJ|px3#qq7GtzhjuStR|UbyHV5_r4p_dr zr~7-E8ZDMZN6C+4zxULx9_&hvXsm5!M{2_e6dkD9_vMTsnBC>*Ycf@MKR;HjZefTw zUrvA6c!NCwAi)Ioxsn|*`Z+2V35I`j zNCN3Xz>es~gZkxU^ufg77MWELI&TwxJIOo@v{H5`=P({4`Fl-X#`j9l-+BC^l_U$w zzBhB}-m*Ac6-^6sxu^*7FV2#__mxJKreAkjzo??scMIEXiyA5rXZY_fKG2bNbPm7=h zx#>?yMZBO&NIR|HED7|@BqutB)zRxaAGI#COT)_3DCH<#F?jmU)3A*PTuttv!cn2@tm+E3Kh_W2-%dn>5gzYW{GGwRPc?6)OBOMnn=|4uGlmB@ zHC=7_0suM3rMxxufgX+2*aukt%;HXPGP|uOT=prkOy>zeI?5V-$G5#;?a#Tgx*az- zKWogj^3@Vf8M1BF-3dc-N|M)}Yhrcr)3zthYL}sL~wi#k_+ePliZ; z2*K{7m>hw7BEU4dGY}ul2TWhSs78etp%*1nHS5#I;cKan?7KW$nCf@XS5~xw3zHnB z2ZaKWOTGGUA0k)KSvaU^REK#zcTX0UJaoak{w9C9v&W>v20jXuExo^E1wjgHXHGjt zqPzT!h^q|q+gJNfQDDArixoA6v`q_OQ0j9c+hIYPW3|11#yCJ*_`{NcwkRT&EuqoE zyzq28Fw2}TgM#BJzLL9%;O6&ep;vsBfAXszoU4Gn55sbtk1hgTTwC<^XbED|E=o9buM^pI#+=!UXa|Pic(aEY zm3Z?%sec_>usCQ3EGo(hF2$aRritiJwxb>FRBGAPjN5?Hvo&thp8<$YKYol`-4=W$ zzaLt5xB~SrIoiYM(-BuBp>V?zTsy z{qeAb1i3I_HY*RbR^7VvvG^Qx#5{H5#(1-*QZ6@AXxRb2`*Zt0KYt&!@rL<#Vs~}0 z{lG7>{PGkrH@MGBmVQnt5iNr^lkYJb_|cHs8$;uY4!1T85O@ePrdTd52uR;PYC}68nKWNWEGVE`&p*?xn1a%kOC^;O`e@ql zN0SoveaEI6tzeU;gS=DN^R9ldg#%9E`{M*TX#2RB(1+M)6q-J8@uoy3sDFGte?+4Z z5%%g|E|6#holo@Y2ldjyVRN0y`Jy(M52j6j^R`9gz^L1tVgy9IuHB{>=Y{Ls#N+5j zYqXWaxRTMO33koZe7tWiz(#AX!+u~nSdShNq`y%MAK0EtTK%m@-7=3FeAf%%PWpZz zzvpF?KC@cN`CS7M*xBDH`6>z<<%P`Er&Q78$(W+B7#ZNWZ?|@iePuA|P;oS0j667t ziR#6eIUvQp#+pd)a-Di?fB(*}Q{&C`mth5h<9G;J3{Y%*Ko`LS^nrmpvwZBVpYNC;VT5M(=q+!7-)2h$rpWY1TEfTTsZbU4}>RXSG zVqpyiy}!rWGlf+^z*?Cuc-0B}9ppcFL{t)9-FOS=IbAuy$=@Cjnt~waRxCMDac_ z9WqJy;xi}6U+ry{s)FRBs}l{Eu(&9NOm9%I;cgnpefk?1XLYB`^$5j61rZNh*Ju=`W>3{|cf?mY7E zeJBmOAkL8hRpq!!z(h^=D=#b)X z9k4cqkuKxIT<+vx_d`-F!PguO)&5+ekoQDiIIfgceKv-xPYAtE=AVQ9w7Z*!20Nf+ zQYdp!@e-Q*qa3e)x(89m29vDrT!En3eq_g%gxIB7?w5P#K<>1d_ya+#Z+cGY{3|^T zn6v3D*-H#Szr#5wiK%qJ{=kb$!EALn6nHP%)<+w<52Xoxq%4Q#$6}WhOA3LaS=-n) z!3+4;Tq-s7lF@r}tp@g~RCu;{=t;!!23&vt-}mdM{S?0(x|Rl0RJB4|-PTBsF03Y# zwH}3Y^N!JA-}~|^s-Bz7L1--dzD3byEexe?Q1pCtN1+41O}?oa!)v9f?)FpMXzLV} zPqmRfBOMjebP*0HMko_&UxLQ_-|gc>!jO1N@t56Ob|6RVXZP-6D0(W~|18kW2iINq$FwHWUuLZh6&4 zgVj?c3#^5&Gs0A zHheeX4zu)?KB6vk(rtK7b2$d%%5aZKP+tcU*V~ik@y#f7wY)W6o%9JV!Ree@^VC(7& zW%eApPEkJSV%(+Zf_P7)`y>7_&9V1qkI+vFZVq@J<_Hu(%8dm`nc|Yp#%}7Vr zUf($4&x`qp7(Km?AB+X*4^x%g@tE&yYrgPuZaB&a-=s0IaRSGFL&I#!I#?)k5@{W( zLSIK2C)r~P;MQvjLbpr#$fJFoDLOhA^7IO+oStW)@N$d1JO0Utg)y^bkINfT{kld* zXnqcQXnQ}mN5=!w9y;3_AEXjMcJ+oi{Xp^{bbr+eXuyX zdHy>>@n#d2zCeaNG&sIqd@7Bvc#E9y;?atDPEYZ;8;*y@g5#m7;&^B*I35}Uj)%sHLCmY!^f?io+l%@5%8q7$L3|-zUD-%HQ!4gdKRYtQi99?r0D|V^A28??xBM+V`q0#-4 z;a+YbxLFgzN;;>4G7?F?T0F&a-3|NQ%RR!7yUD~j-*q8=dX>yf6ia@=mZ%X!BC$r3T!YL`*lwlQ zWGgb5uofK!ZSR}@_8d(>-t#1HK8bmu0lN-kvzl1=)$*W1vM&yyFXpIoHyDiBlT%#3 zaYKp9p4~a@b6Fw|Hc&rdfcV0bbo>tT!#%faay*4>pz+a@I6 zg!*4(C%+El;C=n^?Kk23eurICFG#8u0|!y+wHe)9SQ}>+CFyHGnRo9fIDhI!FV+La zF6Gw&-DTg0whWEf9G&+VCL?E-~{;qB2;;D?FVNqDtB)EJo559N{LUQv1Ygm z_~!jzTT^xhGn4>||6)$p8UwV8YO5eph`gQR1h|rl(V`y770tX%ux1?DZa66g6>1=Q zZxi#f>Xii!rAh%;YwXAscUcg3o7Nqrl7ZOOeTSl}Iw*vyJv zya=!sMJZlEl3zFlpyN#Ym8xcbAmdJ(;8~JGK8H=-ULj$JT5sM?o(31VXk$0}gp?0j ze?Fg~#Q6LdSXvw%w#CrXsCRKCnfge`qMVX!T^F);qNzuW65#9YCnv?<6vFq=Pldfd zDv=+<=gh$O*-+C*b>l*GGCG+N-zRD2ig#Whne#fQ;r&45JYoHq7dgPk@0$trtxoWh z$5}mV&IQg3aLN()+5<)W*p$OuAoBgnj9jT@V00<;md8V*KH<6FN*nrcJ&q1$%DE*F9}y z;Q61>Zx;=vLFJSIi+YYUL`^kWU#FJ@fmAipMrI>KCv0%ms!0Vn?!_cim8rn92yKNb zCPVZmtgywPR}wlt9@P@wF+qy4N14@>#gTCLg|yc-Mi4Y9G(Up%=^qBal(0xw2hpc` z>TjrwL4_+;(C&aC47oK|Pm^mvn%#@~<5Wy=dg2vBxw1ZZdEOZz#yBczmMw|;Gy&+o zUHvzkaUBT0=rBG1TLmgBvj2=3BEV!1Kc8)A!<3{tTOFS|Y)7gr?d1ER`&PI3mkFF8 zxi|9S%N`F>izoH9H1_7_AN=Z!cJcd*%@_UUouN2o zfX*rw9br%42KVCD*WYUSAa5keLgoZ7;QRUhx7Qc?xUEV)Q$mUbhtEpdE2H43KH1DL zF^HnD)wonC1mCRxhUAC~gY?LJN$v>&P;@2YSK6V5(>s1K3`72Cxao#!YDFmUfY|i_ zBSrM)RIGEFm?O%2FL*q{-w&7n#pW~rlm8XL<$qOh`CnUH{#O*2{}sf0J-&Ide|&|c znAh<-`}yd@kPkVgHXVY9G2EHMqwNrE&PBC<-Y133V4?aNMPj)7gjk(H$PiR5b|V}k zwcvQR@^ewphnVkWwI_8A;grC^)4HoVKoWak#4s=r;mdD#W@acq`tTW?h$2z8-mXSe zlPRo$x1IuTU;K17UkiM;965Y6Z2$>+?6DO3JcMt-fA$V^Vw@;#I@?z>T1d6Swd;Ulxs`bfDG>La`&Q0}Gk|J?nF z@AZ`Rtx+_)C5plg(;1k0j)8AZ)l{OQ80wcpV?QYo$hSSSerkRixvPxGS7E#&eERD5>F`5z@9<*K@i9UJORCz-vl6rCJ zIF@Ui0&=>`>|W^EsMz=9&vFpHU6GsQYy!#)EO2zx9MOJkx)wH|4}P-kLfdcDfXb%( z(`$DJg!;**#<6_z_r4&uTi1I&K_9Oe(>93gK;ujGfnD;nwZBLAjk3B1;>Y0M`~U~pYz<93BJQps`mA8FM= zH0`5tO`&+8sIGV!){TNT+esK(FSQ-EfsR|zUnO7Mx9T`uaQCdkXZ zx@_+*23&>osz0?YP{qm4@!dsPByviK-lS1>hkj?y7;p@RfY*GX^SReRuNdrMpClB1AHXh7Sc0>Jy%+b@D$tbd(?y-7QA{yl>nR?xo z2sEWx{0HwOBPuy9ZZGN})M{0*`Ovil{vIDX-4$+*^#|r1BuKo`pA+I)yQWyZNr5a% z!O#(!|DFz!aDa=nYf^jn{^URyrN`Z7|yQqY@6x>0cGcOKBt%0|9`%9hTF1bk{hgZ%e*>&aDvJ?3r}koZXlCbn`bN4$D4Oo!l-mS z#>ET#d+KH%N~M9EsJQ1{vj@hzuWB|JbSIP6JO9A!Zd{!Q~ZHychMD)?H)0bTy8+$|+v+lt?q6l-= zg`Uw{xPE#Kb#|CtDynI3cv$(~6P^x6RdrCD2lZRdVFl85NTU3U{H$;QgcKx3_^VnW zY9Ygx6}nh-s34DzjxqrTsc5wAFTfB! zN7UQrFhJ1!?Fc%SdJLK1k&df)@6JrRT*q+uYA zX2I!*)m9fGi9m|JI#e*67`$+oUQanGQCwr|=gquaC4lKXd2=A5+v58_u|oCKBOQbtQoDa8#@UR?1q(p{7wVw#1BojTW3+(Hy`_n zT}F5%)k{Pi%!FC5i?7Mgx5J|4n%;th+8!qKP9m_d6F zT%S|qlj7k9J9w8Hb;xkj1@1r5kT=_Lg&#SQ7aD~efQ*%gbMj#tTIrIKEo=^kuPAI| zP}Cp#y+7=3-ofS4nX#HM`bEISf;zd3FTU_1xruw?RsrVw|E!)DZDM~6;Z^-H9W@(0 zDB5PZ9sk`3g5?sc$pkHdaiO*?lSC4lRqaFNy@Qd{y8VlfZyh1NF(f|TUJITJIVB_EXCtXRwWmXMJ4nD88?cqchO_-+ znz32GInZc7^`{8d#;lLU%1`^Ne~`iJAH?wb2YbB!K?<*bkihF7#gKA{RDH@}S9zE^{)O+Rz($HvHEeQmtstpc1&zr$-PV-6o> z-Kd5r?BK#NiJq&>zKH(T1NXLdJ0Q4L6(`PT353xXUnXt)Al1nxx%N&AsY3X3nxF)oNZ{x#s8 zzZkp|mvmSwS4P#gMLFyf2hiOqhAiG`4oK`{4pHVFK)b>kpJ+GRfG1f(eCA#Os9s8K ztG{>~a+*2xX$VKrN$p|ss#}*~nA26Zf0G@J79C@}nnQuhwK~i<(?kuMD`#XB$4`Op zt3T^F%6e~#tCF00=(>qcP)&6hB=V)dIjG=-#8#KDi1GL$)qrY8 zU%N!4%1=B`mzD(apI_XTRXdMjK88_ChUWpr7QO5Sj%##u^2>RXp>(ik4HQdz6$ef0 zwvjgmuTQw*JWu2iO`oVes&m6)c|n zO5Q;43Ewkb9pH=!LfRgl8-_m45ZqtpL9dD9hcY#{nFz?^-~YV$_rECq{g3eP|16C+=B+Xhu%43p5vlV*FEAlgZL<7f z=axE1J~=QlciIH`bKM`T|EU3WdBt9=q5-fna_EiH!Bkjjmf!WYuR=D{W{g`nJ=Ma+ z5sUt!Dil@3_A_TO3je;+K;PK)=4||MdPM48WtvTCkP{MoI`&c)gk!BzTy4bRqR9n< z5?c+V|LD5|xvO&Uu zTiEKc5lmI~y6?y~j{kpcGhr}7U?_9g@1?$$*h&0m( zW^F>qh!`Ew(Y{wHb^Ipa!MLa@fYUFsT?|}MN_R%*ge9y5d-Q;D{C?QPoI4mcwZxxq z;D&qOD>-HQ9FcFB=!41}SGYr|{M6s(^?>pCg4+vuXXId^A;7LDgJeIqAEFmBf~dg< zm$NzD(63~&7k=r6IKAJIm|AaP)HE#dw!+^CbdwwfPwwylS%u2i2^UUia8ypv4AMbn zvzg{vH%>#>(b~HGYJ9*X>gVZw^EBr7|HTR=en-D!cpeKSp2s4F=dm2Y^H`|xJeI@o zHc-lLyq^PR=vUU$nC0O^`RFavZU+=`)sB+VUk)A;F>~eQDFB7}Sd|aXUlux>Tujm+ zi!Nnb)eJ43hAeZ*WM@ffka^?5$oqp0qI>AAWv&Fj*-e zInoe-48mdqci8Me%i>i1qbFYQ>wRApV{hdi9`Tssf?^jjZTCY)ej z*dzQSjQXyJx3@6UJ2=whtxK3-;Jc#TS7S@hLuc>5^>?hsVK??ckHRiv@#jO(oI_duK;4-ZvR z9-^+-xOrWwa`xUX`*d(X8#j zcdr|MBwm3|;ohiN&H@l_JJ@KWQjFSPThE7+)WFjjtM;X~E;RZuN!Hu;27EcSR^g2M ze^X@*k!Ja|qY?5e&07rJ=uq2efk@gVxLi=mQg-7qxVhx~X|xsw;u!x2WnsJ^qW67b zFy9o>T26bs4i$ocDlO^J4`)HM_0G8?tRfIv7Jc#9o;FndEKyP@*MpUirS}5I?P1#^ zw3#D24B1@G$elFRhuRMuqU~2S!D`UoTk?1TB){wMx?zob4|h@4QxE4t;^BmS=M)N| zHG<{+Fi8$@)+w+P&~~DxrmM|4WKnQHcS!piuKpfO56~$E#-k3t$`ka}sW1$xSwqt~ zDD3cp+*nmG=Kc%T{mfrpjWC{{BY@}U7~%OjXYu?TAv{0lEap6gzr3}7=bH&U*$wQT z2Y7ptiEDTA4m@mGrhjF252Z8rJz*7ih6vVVHU6-T0CIR+uXB44^L`uaeGyi^G)I-! zg*HvxIj>@q@ga_%cBv;OfAWhpN+9PqBU~^;B(>MF7y|S`yqEmv?UNdSbv)Md1=jKZ z>G{0T5}dl7pa8F8V&u-RNuhS(8G;FZZnVnO*`+@yhJIu-&7(LzB*CZ2(sxD3thY9N|@?8KLP33`s_ns)c=!PEBBe}b+m!S|M+n!Y`AMEtOgs)xe@9nbRn<<+hT zk>_NZ4(wOKJb$ct5Lm}6#$UTj|C$|EFB6G!y=8*c^5Me`C)vU7R!wGftuRV?X_xME zmj%iw57|`u@uS#3haTzTe20-kxhv~C9`J6955|>3k!|YUM;gaS2yRDww%oBuE9d*z zVyrC08Q=eCbnGmINNA0f*CLeiV?12Sn+J}OUGAfE;|JxkKURAid?@eK53Ok2-+=>0 z5{$dr&_4Njm+Lk=?5*z(4&|wWXV*nF##0{Xz_vi&%t2MC**GejGN1^wi*)K90`|zA zr+?p59((lp(4CXHE|y?OBu!f5YX6AYA)=>av-H`u zfVD8Dqs%yt?jI3JZ;k|WG{VBx@&%`drx?CI6Z={M-FhuHbZF!P%4Y4oDtA8}KBl|X zklQBV?k(H(^n&vcjRED?#MLZ_@MiSX-jCyZyztZQTuDHM-{-E&G>3zS&`ndxKXJ&f zYdC0n6_<~mQ~SFR*T=as5i*>h8V}k2bAu+dsVLH+mVBku4}}xBY7*>3!^0k;kH@w` z5i>8B&ehAut%*I2wCCd;bT$X%$UII_4}A1e*uWttA0`3 z#{{YIUuCI9HDHw?TK-v^5;!Fb?A}vS1*rsf+7-|PQnT{Ud2A|B82vSVSJo5n@B8=P z3#|2d-|y1bTg-k)QG`c7zaMul_Yw8!V)cN_8b>ZuuG_+q;EmYFE(Sm$D7-!7?uprt zMw!0S;_ylnt^9G9;bdV4YdL#Ai|n(oWHA~c@Lms1ci%5ewB-ch?vR&)9XKCzcG$a> zi(07h$YO+^usZAo8=VadRzvG`zd1=nOu?YgyjqOP7?|3f4{%jkqHU^N(Q^b2$gD4| zV#{6|n)o8`EUOs6O3;52W($>p7HN91O5!9 zVggBLa22{JeQ3}E6@xg@i~acfer(B|^HY`->I^QdJz7bFFSh2@g3W28Y* z_{^CrxPJbPXR<#|AGU&;Ozx0}=X}v8yDNQeT4s>q_a$u7LdtxqjgH&gb20(-7EfkPkG9Pectjo5CMQDF6ehdgFd6XT&nfevhG99C!?E z313$aD6)! zw>_c=C0o=zb9}bYM*@_;Y)~n0NQ3HCyF(<4(wOrr>4rrnvv1=3zi!QT6!q5V^GmKT zulV%Q>$0Qn#>3Ib>*U&kb0dzk##2B~rIv`k2-kf0BO3(%-3@wTCFv-qW$YAXU=S=- zXYlL4F-9GRAFAxlLm~H|4wnj!J8s946jkJv3fI>1cjuaLIbu>(Q!_kKur_c|cj|x_ zda3Z>(Qc_Xiqop^7E?6>VFt@j`uU--o8!@|+3gOx#0hgdjfqgx>cYH8=?wn)MpYxD ziBRD0d!_77DdK*dUH`2k1YSN>xGuOFiaa9D+;URXhv2);vwZsJ!IQO1x&EaGnweko zZ|ULaM8NuUk&M7Owja!syT z!~0Wm1)??P=uTbaKzb=IS2C__SLu#E8e>&T4F6&ZSNXfa*;@&uZJ$j2lCi<;-&du* zc7f1ywGe?R$ zO=!XW`OkT^ugB2eeA|EDk73Qj#rpZ;Gn1;4(`VsMoo8|6dujAtMO#e7LZsBw3@?> z7w^ta_QWBqd9QcFoU#OJN{}3R*T+*$VQ{Knxx+dW*IyJ4n5D2}M~^HxW&#Q;(CnQN zS8l61+;d%)-EfN+NUloT_x)jq&i@ZR4A${&dSy=n!y_POG%VAqF9uYi^!!F2=Ao~C z3L3Z50+GTOhTE^*pQPjq1Lv29S6>uI!2Ne8%eQg-uB^B#lyZEb zC}%_d+be+}#7dO8Z8dL=>e{ado&6;Y>rF<+t90VX^(uvr^a(+@9?C=Ac~uBVg^v(L z_{*cCeh!kd)|_zu9(h#MBO*j2zx(XRt|O>~ygWTXm5z3q?vpP4bb;UUHeL2=#;^fF zCsXwJCWI7@T|aUX4;x$&t8Wb#=B_NaAuJnq5`D@gQ>HJH@H^;vdylRh%}A?2~E<#0Y+9w5QN z!|{2Cp?7R;^PMa`3Kt2!Uy0%WfKE3Y^vQ3;v@xCR#n?*D;)pr z+qWF93~Q*9bDnIi4?+GJYTXSZI-n7KYGsN_57kVRe3VOd0j&ApSo@WK?^pkwKY&%g zft5FimCuh=A9ZWA&Zwa}9JMW7VQw_Fhv-)_QnOt8$m!(Frsppg2qs@vJjLPwlQheM z-*JA8x%$DA(oX(}E!Ci5Qq>B)o<&#;?Vdot-k5)UisQ$cq-+exn%V$+sS^cNmp)q8 z3wV3MKnJmV-Z1-C;0_*?#64-{z7WxtPduR<2xP@qZ#G*8Ae}Kn>Z7sIC~W(fQt3A* z2ogwnHf`$%Zy)^#u5=7W{Ac!el5i(O*Fx8@$cr#I|AF1N@=GqFxRV_8V@DUmou zs7ygm`I^+{O@DMvFd_T2jSX5O-N$ku%@j=eNVZhm?BE71pF6L0Jn~*Vuf{d!f(p%l zUl);!2lJCRYwbzTf$6?I(oU=QvcG~ajKvTH;Cbo)&Z`gWp&6B>&4HG{KEBV&d9e0N zb}*MV4VK3G1Af)lpsFKG$Jx}CfTD%*M@vWquK$Pay!@-(>}gnsE26h0&`(=&gle+G zdtWAT=h*T@PdgfR)G~VW+UsH5{&}?4PLM$d1dn;~SPtRNF?8j<(<VDR=139RDI!X$HcEm$dp80??s!DcWyG5oMQ7eCD(&eK@a9}?ZC!M_sD3)qF zX}f%uCH->k8QYpSWZ3@^2yq72F; zcIInn7LHCm(P;*({rB80)Eh#2e?X{_+F7Oq$I*VXeLU_PH$2f&iV&y>hMD(`gt8JY zDCB}ep8%;j`tzH2@uy-g>@Asf9}`Z7jo9kb=B8P|Z2U_7MywOm@-20~xseMmcFI_N z-5U|n8Q&hcdsc{0tTe`a%@Fmz2x)$=%ZXZroGM>MdO|OSBFm@8hNx%4+fch!6Ap*o zZSDvegjDg)ot~r~2)#I6JtX!R1)mu|zi{FKqMf6&|E<~&4jsoI+ROqdn7{B?-=l{J zQJa^2T71YN_Dvr3AOq-03*}z1po5yNzB+;>Zp1UNxt4BA16{Wb%D*;nfb(2=ZzJVt1kO~8qA+uv; zS{D%S>^Iu7@l5pFt)XmZDiVlp>y@5}h{xa0|GS>;um3_1@4wK*`!5{v{tHLE|3V+{ zzc7Vnp)EbtPCsPvrY(Y>S`Qxno;}8X-Wal#zhyl)a)c?lcO&6l`k-HL`+#}N7+Ev# zkPcsLML$}DXH}=gkPZD)v!0nKFexlebeg^hHan|!oIkRlQPXySEVBTV)6_@Kf9C~a zPW9orPD7+0-04T~h7Yc6^#(uR-~{)r0~{;oRY8e|bG|K@8ytVh9g}+^jL2`~v6^hM zK+%Jet5l}KX!FYn@5#$7AnxSGA#2PE&mS-b9j9P}@{SMV+NL3h$b>gNAm0g+Az#%s zJ_K=u+;REJ?*xDNbq(GhaE1?51}W+foH6?~gicofdE{h=L=PLVJ%4l)h4d|}u7!u9 zU=xcQ{mS9+g(+Y6+~FeVsr2G@zSD=#f1$t7jAt13l;2> z_QbJP2TTI}fDNuUvl>Ck;fUi(KyFNtpRsHSRagG;_9rZyXmb zxmpg2^|Vwm79K|x{mc7SE2|K1-Qu~(rB+xi6H8ko900PI03r7&3y8l%A>lKQs~g*a z@X!hi=$(t3_nSSBW@Dr#V&u(%H+H{8$%HZHel*s4uD&Ml?lZp#9NN2;FP+8*<&%P= zTwKCH(b&V^ANfG%xA5F!A7jktS**Nnto@M~@;3%a3i8mUc%Eqjr*FTy zR%PLAse|}i*@h0imIbD69lob$q#^m(h&IQtIwIB!SHCyn4vXOrMLr3IgZe#M#SFt_ zWG3iSQ5j{8bgT4#>G(tdv0w%t$wyc8MJG3XDklba|GX3TVmBEUBg`2SA2CsaA#Vj@{>3WUsqR*t_4s*BXNPn zbk`C5dMe`AUl_mslKAyk#;?C9e*H!8Jo(e$rSr0ryPX|OC$?fHTY*C|oMflRaYIN@EdfNldc644eUV~S_4ViD9JE2gT1H@U!vuA5M;2JHb zgtFTWh!9CUk&&(qL4LmmD8w{DLUhIDFo!Wxsl6>b#%GTjK5TL?x9I@y;oBWIpBccb z$k(I^IgsuO(uCJ4=K7o?EXIfL)?Ryx?ZfyyHRaq68=n9?68D!_5MuZm)AS;=f4zGzF(yOaCSR*8PYn3bu z2Fz1e31-<5R-TFZ=D@1_pdU=>CS87h%?r6}Ex2Bx)`0fwo&haC%z-I@sM7I~0b(O~ zwf>{v!!-A(ueG%tQp@ zADJ-oF|hugV*S3bj>oz_SjS_%Pj;P5A<};-2HbxZ1-QjTAUrYrRZ4*(deb{`KkK?6 z96O$QpY^LE(s77>On5{XazhWrGg)7T8$*xNDGiGtVel-|^}{6yjh9QDaLY&4Uv4gB zSX3Z~dmoD#E@uF@P-gXAoDW$^{>E9It8y^;Qknf!y#@@N>#CqE^FSItgHHFj72)Qa z+dA`T-Jo(djo;)+2Cr^jx$*Ul&->+8xhU$dB9@4I>4_KCTgtbSL zq@)*vkkOmW`pI24IJm$;Rbc4{V+JH5uU%b{vQnd{wUHHE*?8kSnCb*Sstr52VuMjd zyZ`HCJr^{yv7FQY)CJT&pXG_BQwM!fZhncY=E(g9C!c_^HgGjIxr{mK!+WL@bsBF6 zWK~Kg_wbZHY)op^PhK#DI}tLNIW-(K?IkRY!Z;ua(0yr1)8n& z98@?5T>&g)%LNMX-0{NWNRo44?P*tENu`gtlMKurOUuDVap=mbh5*dbUOp$LsD%FJ z58}A`|D8XG@cDx-`20ZyeEy&;K7UXi$l8X|k`Ea{>hv`~LU~mf_dl*V60Hv*3p75z z_gSGaPm?VJN-ZE`xRKK-XODi7iw4hIXoLPd+hR?!C{*3PRVx>-3h@#ObjFfyDAjcN zZWo6nh#$B|&OfGtnTOdYC(36U7YjNgX-}z~qtG4-{x$bD8eOn3eDhg74!W#qJ{LK} zBWX?=+MvZ~IKz5%-~DgiC{Xv{(o%X9eEoVt=SO)8oTg+cICDP%_SL9fFgO_pwGVeA zqPnY5{`0!RenEAx{q_1=qL~Vivg)Qup0fb0)8c1Y<^s_+ z(O-^l_{|dvxBR2cjdA<&+o{)Q^>n1+rX!7y#dTaid(kMv>6{bniPoNLl`%rLEOVk+ zk^*pXn(yvXk^mI&{%(`u6M>%YEdCu_e}Ysl;G2ZK2>kVbnd1FldU*er3Eux@iuZpR z;Qe3W2&>*~HrI{j;+!?wrDgYc78r*eak&B6hP$BN-r~^vWExVdiII?bl%Ce_|bfZenAV%_tS#E{l4%-%o}b zqqv~-t#~BZA-cZNe+Z5o7N#Tw-P~3#+jRZ1IoNlt=>rfsSaO}?<_iAW@`8H8g!kt=FQJ`CaBijFIUFE8{ zGAQcqUJUjPf|ntl*W$T?kWH^|#^+RX(A8u6UG~-=n3p4{BsG1J@+B|kEY1iZiMwFL z8W4>p)e>|w-r;z$4mZkKzenOYpsJGcR#p&tDk`F|&mZl!f00mbS46{}HPq>Hwy<-q z)whdV99@_Bsn4IQ27^sEc=Sc0FFQx(EWU`f~i;9T#vsY4`BPoQ;59__ERfF`Aa$WNsIaCtMU;EHO z5p%vR*7__Gi~8uQWr*~enob(0D}!7@FXNK80Xm#69+oGs04Ia{^E5;i!T!R8{P)N5 zpy9he`)~mdq%>~W4jr;WPVM!iwR>{#EG{DUcB2lkhdoSAkk>(F*IUaeqtqcyr{;HL zaV(^6dr3dN9*u5AG}6f7{Ma-my+srGRVc5Gg5{7(D#hvuQ<$<5zl_9pCi52AAv07*vjS zAr_A1`FPc95X>X}=$L5{ti+{q2@kcRbvjKYtEOtap6cKAP9}^a&zvdMfUe|woj8*z zI^#^N#gUc#PNAp;`s6Zo}abJ z{>NQ>&<*vhkA~Zn$OF3@tLw=Xbr9Q6zAxdG0z?>m8coOD!?g%UX&zFN$Nc&K>G@;j z?O+}MpYEr-9sKV6#H9*l)tK*{mAQ`Nj_F0_5Z(l{Yb2M*zxKmE#-vuGm_fwH@>Juw zNGoREctV^AnXFte$UT+#)ixT9{Fo$^9_s}I-4FK8Ked72Tj$R>)EtZ6B~Q7y<9yCo z_Z#*6V+JqEr9eMUWOX@66^Wf{%ov`Rg_AqN=W-88fUl=n{K*bglp~yp_>)91e||r) zy#P-aC0;)-iPz6l;q~)J@cMaXyng=3e|&wgt|!*@`A>g7*7d|%4_L=zozMRr|6l%* z|M&XGy#5mHX&gOvaHRDWUqx~fGQEE>m$JhI0?#-zbQze#t@6#cQLX_Hloi<-dD;ZC ze*XWo?+femj`jQcPro1jcb`Aj`vI)$iFN#6KkvWmRj~3R{_5coUZ1at*XJwX_4&BG z;s4g>>*MwLqL}w@f6rfv`16-2{`{qYKYt0~&tJm$^OqpBm^Cev9Tf!{g>VaU4@ER? z_W4B#vp6KB?S<RRFyuXHQ*k)U1a;aaOW#MSkaa>)`ezq< z*y`J?P`0ImgN}_S9HjV=-|8`{tO{z({d%nZXn%=R&ue8k9_ltt;YU*`w9PT3a(5F! zi34}z`yvD`;_~t=!`g_@_ratrF1H5jeiCavVD;<$)sy_Yon`t&}5laovV$h+sP7Ri)xdd9O&JQNBL zTi;)Ann(+-&4U**y13wyjy4&Qlps9oBwO3kR7b}}i2!J{hJ_O|0aajzX`)*ulrX8_S%4Bl_1#Kyb<<45mF|^#lI?B{CQ=k+z5uY za^iJ{x6wv;m&T$_3)l+@PKUlQhZ)UQSK}HSseb#MzNv#FvRHm}@nn)daLQ5lmN~lM z__D*3FA6O|TcmgW#7-C#eplWpkPU{v-tp4vY+!MT+vAVbIuvAYI57t!lS_ zARDs)h|`&Ox~2^)OZ0UY-3-CKwFKxJ zZ&J+Cs3h(litxl;Ts_6oO?)@kIgMtEAIZ82^MS~h70b3#Q)DyD`|}v?@4GAhx@c#h z0?K9?kB@L@14lCb%j8ZgG?ykR#?7UJndk7l+r z+{;ALAozMBeUvXN7N_%R^;hdjM$KYxB|NUj!J#V&HwTxCK-|tlpFA}gnG}hdxbsvY zA41zDQ?^ndoLcESa6bY4)xWXh^=}M#{Tmxz|Hh8jzcJwTZ_1ecYwO}SmlM|Xp<*vm z&ij`tR6IrZxwgW%EL>b4=+Pkp+?RTlz>Z}fLEybb_6 zn>^L3zyL(a-72|q?>w68{lVdODh^dMzY(js7YDy~86FdL>*Dg}ThGWTm?I)@i&MI> zT0mHPuU_diA%ux0uZ@dqpVh1$&I#JtVS_u_Kl%K1b7lWgW#W}^BlJJv`B2KMa6FETr zmFQjxXd!C*@qdoBb#7&KL{y^UBqq2#6@Jabm%8G`f$hNyxYDQw%D2RthhjlH!**p|9PNew&*%fMs27~?3 zpwSz@V9fjwVKP}&j;lf_neejmdY}wa`B3i^`EEa0vYZRE#m#GHHMDkPZbMc*|EMuR zz8G4ZF1|n4=m7pR4#i>l~p=spyx@+iQD9xZJ(D9bx&m#_OSTj$mnU zp{!#!2xza~ZZ2r?2f28!Lv~{Ui2f*1n`u-8VtKZeWojCW41V1r;%be>?BB<#4`F>! zR`@pC4(V;P`CY)}N-XHyt9t_2{3=9~KLW=CpA)+}^*xMzvB%i_Y z>I2GEpEDaH!v?AwtDSOao^ol8)=wP8&mUzd6V`|48$4-RVxh2XoGm6~=nPu-x0If# zg@c{ug-a*zIzwwvi{R2%1BhBU`YX~d7qL}Mmh8Ku48Oax&O5KmK(BF4UPp{3WF95% z(%+{HPASS>^gMEK%ka(}S0XQze#}3~UYHUn(r?NIe?AI)_bCE1?!ep441pZQ%l6ygX`#-5cw-^v3)HkWAkT?e>S>$3K|2gg~T6FPLY zDG_1ile`KRZ~5@+G<2w0U)daHgTz+$6N2_CNI^K8ub74nF7K6aMwGGx;qn954?o#4 z`=S2MM-Z>i;l%56MDh9@0lYqk8?VnXL3egjekigl!R-nq<$48mpqq&3@mw%RA_gCa z^^^=y<3P>uGhClWNyv5fXpcU8v9U6$3Mq!AT9YYGu_AcQbL43TV?AoNG%X-IS%(O3 z?~C0@DuTQE=aU{LUWNdV{gMq|gHXb`(BJNvIDT7Q_P%FFmEm}aN7H#aQ`jhEI2@(V z2;WVt;%>e$g@x#xZ1JdSWNSF|a`J5$P(1q;;Od)%7EGmXS7gX>kW}*_@-NtL((AH&_zgjkDOF zhb}PS`rUTL@bSlFsnKd366ifmK51J8W6?v2%^#Q zc&zjPcfA?b`S@FP&XrCypgZM`r28r|Azvp{Ri`rqthS%3H^y9qz`OOu#8Gjmc2C$t zax@!XZ~tCDSnm`5JQwbIC?*Dzs@&HZ?-B!f#pbnyP6-$ikdRXI$Ms*o4ttyxa6~lk zO<3+O>*C)J8w2e;kGvfXHU>Ilh!rMcp48;etYs7$*sQcj#a)r*H6ny?yq7eIwM`8M^-e6CH{m}8giN4Cr7M)G+6XwtQqE25d7)z@ zC$%i5EWsu&;}Fe69C|{tm1F-S2+lr#GodDxj&hl<#EEIez~l_WvHMTL;7(+~8(WSD z%y}r2FP_#4Jp4VNLEJSndvtrC`&F;@79$Z%zqL8`#&2tYKA}1 zK~Ljsik=NL+MMJN?n*$$tt&PKVea6}VI&(T<_2ANA8G^-Il(t{0`2f?AiMo@J4&VU z&|FIL`USfu(&_qnf^0S)Z7C5Lw=BiO7Fw6|;R^!g$=X8}Ns0LUR(khvs`PYA1+u5F_#QYOba))QF55ld?Jk-G>n#qe44y zIzUP^ZSMlPEVpRoaQk?xMG5;>1|f9MRl%@0P9E%8;-YnE_M|viRORmL0 z$Wp`^ohn?ewnlk;fM^&1IvRIZ*$pHMTsS>A$Y&P9ICrz*JYI~2U{;` zv>rc`N3Ay5zs-E)VQ=eZ81EZpl$TN|I8B1!bL@v-ZCZ9P`;q>h+L{L1Z|nal%g!FD z9+H|Nbd*JzM1wyXI!ux5YCV$)n-gZ90M`8y*73t-XQ)5&`$OCjP4?$yULeOPGtgsl z5eZ4XHqhnt2Uf01iOT}s@Ok})y9iGJkYta@9A6FsX-39a$`yZjKg)X4`b#h}&8pTC z7FB__nN8127=n?N*ja^+RAV?W@sn{~jTr==O9jR=v7=i-XyauD0o?b=|0Bu32x*H^ z^WUd9(WC^~=O$ie%=+Z*8&Xu;1%dD=;}2bXfj1ofaK!Xakw0otIz+wJ>kbLb+DB=s z?LhSad4qyTA{rc-Oj)d09_TJjn4Yc|hr$o`sTx+AsNzcKp#Wb=7_to;AUtpeksJ{m zb0|0iS1#5Kzc-RVoa;`{!<_zd|NeoU%f3{91Fg*Vqk#NSu+f|^Kc@p zdL+TvAvwBa16ZoD*L09$1Fxg4_vUe2ocdm!Lp05LpyN(OoHm5hxg^eA6aNs1&acEa z5Bx3z@kgc3u6$`g)Hm%QJ6VO&VoBrc7J`9Z_07rQ=6IN)VmR<*sSvN<*2nwZH1K{m z8@%652k&>&#QWXM(etEOk)(&ds4a`JhyP~~_%L;3Z@gDV(`6@TkDLgAS^utM%oz^*qTbzh5g`lwr^N-jw@247_d7=Y=YJ!=VDYpIilT5C*K|aVutLq6s5-X zy)fSgzGdt_IKIUT?fNu+9=vBDYeQsh;W19%AYbRZc$5oPM|7U~8uP(u2HWGxH6A!! zdWcPQ_y{C1=#WY2%Hj0Ft1M2el5l~coND2`B$$|Xb`O12fb)5)OBMOr$oejtKxi`FzS7}0trqmm^tAgm%C)<$2 zVJzTky{!8{oC}`ka>j{73xK-fx%;;ch@$K>&wS_-PE>jzq<4B*Op$E4v&oR70u zYh_B!AH|cZ8T&m}Me{20&)F2E(U8F7*eO3pn2qIPUr}%by}tc>sUB8vdcs-2q$vcE zkI7d%bl8LL9mes90Y^l(c!KNKOFLW+@CkK0;yM)k;$CF7PafRr-xsZiCAw!07SmN#dE%23_SPgF9_6%0I7f-l7xb-q z(A8ygdibarY_whxRGhU#j>t%g40q4fl{IPkazg{06Ut?dF!)2Cnf>MuyDU`Y-!1fv zG8sB}l9jerd_az&Wk;qy5hPn{uRAtpqq?Ti$B&=HL9Rx-u!nshvK?kUKE2-=v8|L0 zJZDdVW7|PvBA=4c-235KEnIQ1@Ab3T*1t_XChu`;F65ff`=}$d>6*DRAc}w zg->Xq5*SnBi#s!FcGj!fXi=hO1cWFADo{!wAZ0@sm2z)ci8KD z!zzjb6FOz@TnK{G`qP8nxZmruB6BZazl;Ovp^qm5lA}N+;l+b1EGg(NN!Nw#{#YPA zPJM7CHw+DvsAMp-gaLcF*Q1@K5G2|A&iwM*M6hnO{Bgt92ed+sMDJ|IqK1J9j-#Xk zFn%y-$Tm{|NW&JS^TY(<@rr;arv)!89Y>7ZzYUPwiRTIexO`}=zb{zNYr~;bAAV69 zqnI^?K3jSVBx$6*Un;^7(iBR?i3yEh?C#HzlVS!SQ}V7Lse}-)@>}knF*8@uDTZ1D zmSXO6QE;U5?S41ydf1-laD1ko2JdQ_c#~h`K&rp?^WlvuWUKIj?Xa{R;*aQQoj#=p z20Qn}8Dxw>NPKzwiH8B?z8)2B)^kF%g>@58NeuyO{>abP^n~hhS9E7_b3Ab|7}*3@ zDWALJ2rMblZy%j^1}0|bh-WKyup$~0RX1RR=a+5{w2Q9r|Jqp{xI7mTkxaZfz}U5R z<(|&wfMTfRJ$0Wi1JW%KMDyh*Q2P3*ojorjn9y=uwbk}TVx)(TO{F=2gZJ^U2QOXV z2TwKK>v!IWE96sK;9*1f5cG8|l87IU5j}7iu;YQtmG&L8IBsPkV@>e!8yp~K!Y$8e zxHZ6gz2Wf7c21b;R`(F!uLFYuZ1Yuus=&H(vNb137Z$(BcoV1Le?~iPE`_QXTX&=la7mT#gbE!O0hT zD+wran%3&xU=E@@nxSz^Di1F0->FNUS3+uacI%gnix6GJV>*G|YN)+r973>`hqlHm z&TpF}Kv6`fizabC%6@n2QP`^?J=+V&pD{9K;f8) zVpw#PMrf|p^O>_qh?=(3h%Ny)jNl6~y|Nfi$ zL0WILcWl7a*3b#wO$~fCYx`Qv~4j|bpyz3t%Z?Ew6(w*&CE-uA)YdgDS1q|^Cr z57d#CTxDCYwHQ32llnfQuMBxNmOhssmWHodl*w9x9$& zCR+bkjN^E`QqEL(4Ln_GX2EVl=<-sq9S`#ql=;OyoOm~m9Cr`5f0m@QWDX*76 z+yN=RsF$hmc}FbsicSscS|GL%a>$1yzmYMj1UDE}AT&M|lz{$c`ka67r(n&?z&fA5 z^}vm<2Sa>4@Zjr#6JHM^_DR{D7Wqz69j5zl=qQ&|QG3!0P(k{m_iF3nM z3dR<`3T^a!E$4+LA1~xw3b!A5%LWl&&G;T^o(9Xk6S;-{Y?%9%fAwRGczz%co*&4J z=La(2`GI_Rejq(&{od!NyW&TFvjBshrEp)rC|dNNuBOms1FNy7^LpBBu-!l6=aMLl z1|$lmx%FA#Z-15>-=8(a_h)(W{aH?Ye^vtDpXG$V^(={hejV}8uN40I6~{lnO8Dnj z6m!1-E6-LLBR>S|=abazd&qai6dlo36R0AQh1+IXF_YJ9kw4-ruQql>)ZNlqr0VR@ zKh&b*&J+kAUAgs-1bd^qO&{d>*YzNmai6g%GK20tg@soZ_7L03?-F_37u^%OK1TA{ z4)zD@Hao9hg5%@0R^dX4D4y<;`_Z;s(4b6@e)TOLCZ~u$**RQ9)(?u)%Aeu5oe2yl z2uAJIZ;ZszEa_k#E~fe+NH%Kpw_NP-~FOF>j`XU)2}m}_S4^E{51;DPh(Z21SX3@A12V)y=m*_+0pq?Q(>qh+rxFJ+bbx ziOE^(|L#F-K2;8U*5e)(}B*}5PImgi(~2}#T3n+A`p+e z<5iGij;`ITN#98q2FrJ1gKQVYfPrDqsNt(Hh{TS5{x;VFbvh4^=cx98f2Mj|^yPZQ z_=;^u)Vdf^>Esv&8}`A;_L=4JoMH4gm%pg!i!L;@2C-c-38B~ntc70FP6zjamf9J)2p4ax*j`VHkrWWY*q<5{6Xn?V$nPwhXA)m5_ z{f|>-2v^VU(z(mpAns}Qv0%Xv6s!)pvp(CRzWzy@g3n%1I_*~~tK|oewCz@i7E_Ry zs)%EntS9h$5nHuQa|Kq9t=lQee4@6^dDGeaS#gM2f2a{`j*2j_Tqc%tut=``< z&;^``hm-Mwwn#=axNB=d6{g8M+;}nqk$*q6?`3^o^zLoPWUaS15E44_<&T)4mw6rs z{LYq8Bu@Ut;m{3sY{k+9pTwhew(m|e!{#8U6mt33NG!NK-+Q2Gl7v1#TpdU>a0P!; z6?>{*QQ-Q0gydv54b*ux4p&YKA<1K#9nKNts5vUQlpur>!$I=>*fT~2Gy7E6|4vb0 z?H|Ebzwtjk{@;E}2LJkfWbm)wCw|oLBZhzdK63ci?;`=#)Jb3?2}AiR_gC+2hXYsW zD2LD0SY&kSMdk5}A>d-~)z?fA0d%(yWw|wi5tHzK_LCYRL@hrgJ0WKX&(oDVbPIeD z$CUf*u8uX3&vZ$DJ82B`qJ8g^W4J(lEN-gX$p&g7?HJ3;FM-|~XH)C9a5P_{k{Hqz zg|v;|q=(gbz)rBpCf=4eOz4nz-VMwJV`Gk!p7m{LByH#do@4-X9E5*4I9VBwq~Qugb%o^o=N7I>|#b zf6@SvOHus2@m?Hj{RXyrT{+3U*O)W_crzeBWGIu1n!7(r@AhRvCAH6>)|H*%qCsKrLP_s4OZafIq^Dz)QL;%j?H_n=F7HC#0ej<%F z9P55Mw)gXYd0WSi&PSZ1^O61NeEi!tH&_{jONV=OKK|{~T{TsF^W7hvzT$o%EYuAJ zoHc(n-+U1!x+-)O@vR`|@x@yEYFBvmKsVmi&I+D*S4TXi3_~~}jK}MH%OElFv$TD* z9}4SL?Q1??0#bs~YuwyTr~nw>J<`v|+V6~QeYGsd^tO^-A&fn3ib&+H1g{JymNEb9 z@StFtXhN<6o)SK1OwJ!b1;tR7(_0CnDThC!m{j1k{1`iBBqkqlA+L_AQ3;OCe5!i$ zLK*HX{$xpR)JK%~}?#(HoX; zsU{AEa0j0R*UME02(>P!?pLcr;-K{T+Q)u~_OhO&lZX!7|Fpy1Ev5ml2^AfE#&toi zql>e%OaqhmJGep1?}Zje-;@<`AX8v_@jUaQ6J1$tzhB}Pg@a%2cjW5hx@QY2l-bSkL?dDp{%8_ z`Pdx^kaeUZI`&Kq6y>y7=rOsal%uaEndq?hQ((LPv8~tTJ!7wLh|7UHS3kxjQQSvV z-=iM;9Lobvqv3$2<}&#H%|(=)p%R^-)Qo5TRtgOqe=bbYWQtkAFrr*|Xa$C_K)Ax)zd@y51w&cGc<+1*_%O( z0ouT^)ccN)Sp$58J6VD+x+84sA*DK%@p}yJz)Be`;Gf}xI?emLI%sTB@R@x6xCAdm z-gmY6_;V+4+B^|hz3KsZS)ZJQRU&}1!n@_^^+d!{?UaOD=Y}rV5V@(UWAX`x6s|dV zgh0&AT->+qQRuxho*loE8m#VjxR5=R2dU1t9p4Jv&}6Y9Pm7QU6#d#ffA5bXa6EqW zSL%xzn4ZpKZ@Xgz&95VLuYC|fMd{S1eK36hoj))Bs*c&Cu;wl2QD-sK&RZ@-U7!Vz z0l|+L>lC9FHzzk{Z2Jb%Cj=rGWF7G+J6Q`m$@F z2{wibyx#~Fq4D8w@6KOlh?KiJ=Dd^|tcUQ48?RfUhw&yRl<2Of3j12c8 zf$HzOjR#r*;Bg>msykE%OC;(BFDTkjmA^fKB|#bb>|Cz;BefRm{};B;gYACBuGRQ( zBhCb6ukS7Ws4;!)rbiUo-n@W{tXAkI!?s8bf8X@rJ?~b@aaa zx$QNK&nZaP?P8=O5m;8((LX$;4ST>WC#T1VtbP|$GZko~KUy&<6b;-ci9Di@>;Wg> z+?f*+ejc*jt%hd_Mf=)u%{9Qa#AKa6-4 zjdDwk-_S>TqiWPhpsec*vCGu4?$tIJy@t_ZS(PyI4YJ&(>61b}HJU+5xP0J##kGAV zfe)TnTFjYoazKbo3f+^pyYiEqvy{?WIdDZ_+Kzd^7ZIdy=zTpC3R({d3X#M$n6eSB zx;BuH5}SU$iHb}@cDCQjwy%_dOmwW~--s-Dy!y*obGQof7wWFtbQJ;H)a#(Dk9emn)v;fu;F;?)XS0Fs`PiZ`*ev zgJ6lUE&Omei9b!y;+z89x~$BDOOte8}m)9GKV~-v#b+F`!?20V1<>V*;wV(OsHgo16RMz^F@ghN(aS9&8i18OulmkJr9+ zZmR?&-8FgtGuRB3vDrpd&x(O$vc^pp5)l|@*NKoWQ~-PK6up`}VTk?s)F9ME6#PyX z-HkhCjlKr+4Eby7!6qr?>fQ0P@Vkh#{kg9pT5!Xo#W}7G^wI3E9bIjaD!%rU%g6QL z-~3cZ^HUtn&vGd0NAq^O$I4n8Sr~-@}oyGfop2&&Leakvg z85lBbd+a9EflQI{d&oqS0Qu59l z8Rp1zF`447m;r1b_anV{(+W0U$~dHkIKbqHMt`Mc9HLY;Ja?PJ2~u~OR9v{7py1?~ zRZ1-_(sY?*$ymnZIwo4Kt@Yp`_uS^;3vc*QlI@kAoO=u~?n&F$pnL);Z}IKOjnYH7 zp7G>o$3VF6vA@qB8-Z?Jc4M5QHG+^z0dGmRKxl|KuI}{(%27B9S-k(!1SpTk161# zNu(hZEs^qlHxj*zIzG_*It7?yANWN$W+Rj21-32nWUTjFZ0jewp}1n3y7CaPI$7bI zq<~x|i@kx)zig4m%#VdV(YpmBBw(Aqy@z}mkZ0poM;T=pp9KOqG%c0tr1M ziPyU5U?x(+{DnMxv2$8?rId$<2fBSc1^UQf-PY*SHz^?h?X2qc-2=Vg{CoE^cp(Xz z`zMHE?J+s8gY>F_p+G9Pekn-D9lb3GAWkq3gQaq*u?H!|C_2UQ$;D?`aBQILZ% zkV(dAHlChwGhkZ{zRPG+x}xJZbJ)oRF*D9;TJrpm^-B1($sJDkwCoUz zTh9w|BU^(k#>BE`fsmNv5{SjWUe@7+X8|Q%x zqLj?e)HoudTd|eGr`<>_>npHRtCCT^DROVN| zS>ARq4jR7{Fmwl!q<1^1PBg+lzOLmFU)Su2uj_fl*S&ni*R?w0>)L??&#s0vjugnB zkD3dLSAf+fw)f@VosfZ~>S}qh4aCmGv0BJmAc?x+ApYEoSo1BbH)~w1t12KOs`5jn z*gbU7GT@7`!F8ZAc$S10T?{gt3$H^w%V1V7Ui(W@HOdS%{w%U(jmqA{a)>c4kpjK%$9bX0X`@2D8FCO zfXmHdjueMUfG6z4XIUNv;?{mdi_bma!{`rQ3#VA58uLWB{YwzMzIvEQh*w=BoE{$3^G;1NI>b(hLFMmc)M-*UvKS`rT z1zW=LC{tc_&#os5Y>tp!YF%~~?-8?f;nW+fA zCSRD6o?Za*w{J9UrVWsGO5La1q6jqKuC^HL$-v8sFdN=xbtJVh@u!+z9ckpTj9r36gk9gE+2;2P}+vlmiAE%J}SRQe3Fr75v@c`ShDt#g{7i8<^eo-FR z3RRa?v6b+O!JbHbX_u@e*8M&+JB?S)_Z1M2up;43y&xz=m-B0Co&$%!VOb-(lAzx= zS2c4<7@Ch$Do_4WK);I~y$g~WMZ*`ASPukm!F`T}QEm4+z^ULBYmBW2>c_tmaMn^m z@R{^*|Ho@Ue{;R&K;8^qJllCoy<-+;V!W|$Jhz8y0mqf^t8Zu z*M(r-f*R7ON<23XWl-n0AM`{gC}9vcSaw*E5u|G){Ufp{Az^7xFwV8Y zPXU_af%oIbPQ$}%!3s`J*2w%&%*LQq8@b)@F{*6w1QLdA+U8>(P%IG6Tan`ih(l>| zR5lEm9^?r;?DR)9r#8hOS!)2R6=l&U3N^?tsT05T%m_f9E6p>39=*l8AWN5J0TE~` zV8q!1;#8iuHP!0FFd=>0Mu!Q+d_3?x8R&`DW5&J)E*Zkk4ML)QaSJ3Ds2N`Bst8#` z#W~W~l|U#CZI2=Ob+-7Dm~5XW2y*Sec=2|kLrT30KCidnGy&Vgl#fW zH=C`i}6hQLT z>(l4#I)R2R>aV2tO}O^OC|-Ge0PFRv%-6qBg5e~W{mFb2{n!aQBX7OtrbtHDB+?Ti z3Nh=j>6a6Ekt1{(7k((JcYuF>C59uv64Q}iN#V$^M0?~{I(y_-q6f+E-Tv>4Vv#k4 z?UR=B2)J2#sD*a}ql+?{Nc6d#0L;!7OD8H5(D&c(6R(ZOVa>xC+GR|L2`+^@$cNXk zs0uY3oXL-{EJ6E(8$E=P$)F*v<-8IVitbY>KU>Zf`n0J=yk3BQTbE| zrSs2n;W+c6g|y92l5R3EEiqdlxlRLWi!A*Y5f>Vbh#DI+6-U!IiBmP*PD4wq>1rwW zd8A(SJGPBo9U7CUqGpN&ApRZR(-&IjA@;2J^WC>XaJoSO?jIM1yPoGyvs?4Q>J9w1 z>#~>}xFB&pXUa;jz!d)kD()dw&0x+GMR$OR;OVmTEsXCkMz;FTZXn6-d zg)k)TYruP&5xE+DYs8|EN#wz+3dM0Q``2C7VE=~C73TADh+p`Rq8PnAQ0T^ubmtnQ z?42^gx5TmBG*Q zWD#L9uE(JwJ521q@)kYBaK4_i^A}g{%kNG%8%V!kf=3fnu6w~Lh{VMcuPIFe;&Rs+ zUP*@m-rK)J8YV%|-aHpSpc{aiTgO#ct-K*gNig_1g(?uV)HvYQtDx_#VkScOX8UMe zZuBs*s)J!VcSHELIjYhQIDHFqPmjsVKHPujkE%=@#LA1E0e`4sH;~T-SnXpsxRQOK z>UD$YGs{TC>SaWEzX+4B93xcB%~1v`^+i8bP{c5NsbI#Lu(n$fxQTqn1b zZUN-yq~3124ZD?ybJxZLD&m*-WN*8{+0i?nYIc2*%B%Ipj$g5e=SNh26OS*ztsnYq zH!eX=viC=@ErGTqKCh*wJZR}4d!QPV3@K+m>9)PALaaa7YxTWLG57E7oKo5fUbLp$cTh@E|a^1VEFY*Zi$Q=T+@6yXb7TpWp=mOl&cJ6DaE57KPe?)+ zF$pc$81P!7onu1-+DC8<~Nq0~1vPvj`&U59tz& zG(alxAG61!Eg;pF0N3)9Jl6c8VHe>Au683}C^(zn^&$poSA96cKVS`+8J~Qj@wK6a zx7dc8#~ij6YQx_VEAgpr1O5i-}u4oYr@n0 z`hK8toN7j|MiOXi2xuCF)zJI?HO+cNp>2B5D(jI(u!@o{ZuJYL*31D(F7-+7-Xz?H>gUi5W=Xlr-ra_gEKRCIIEkzstR z5%c01vjJQ2x8V;{pI)1!AcLhDS3~YWT91Atq zTh1t3hM|7?2kCgvJpo(411S+1P?;d9{Z~fyWcL5>ei9K z%3}a=A75L#t*N8YAvwwcU)U}u2IRx7$k?A&19(Bf#B{^d56GN%gL35LG3VbCQC)sfcx!p3 zJvT-H9eetjkRPM-d07^^#X)0;hz2B03cjhrQae$quzDJ3Yo!g|_DcXSZr;nBe|%8v z)>*!6Jyo>kDkq^NlYrh|@(lVpo`5PIez++_>Vn8drVh+kR55)PhWRJV)`%A;dvMd= z0D|=z1WMUmVE&cht4m94D2asYB1wt~DvdSjR^XO_xrM;K<~Air^hGDuXjLITh~ZGU zKn_;CeJfkUwb2Oi?};@=OfF%M(`eiQy;I-z3r0gI>G-qOmpruwU5`b(N8D+*mv(>I=or_lz8&dZW%e#Q*zyzJ_w)-XoA z0u&SVNBWUi5{#n$9*3fQ#Hk@d+G`pIS;nLSQ)x+1Rdw=L0BbThFhp(*?G&QOFGNNj z%qfsgAB=R~oYTCgIs&-y_L!wbayA<*Nv7~@WcHf zkozGC3QnEv-kXnyn`hVLs+6vwB^HO0PdZ6QJbV*GyLzS#k3#^m<=jl~PY6MA zkPuK#GNtl12?8#=+6p=^2-xP+y}wC4$TAU+EKN29-8lBtRLc(2EuyWCVJ8r6JFlOH4ck#Y znFWSh`hv##F#695`|MmsHW-N7jlY;c54y^%GE^>SVX7`e4*Hk}5vgy8N z!rxL+#*YQvH6n}7Zxn!r>2r6}W7U8y{~6nQHMV*N=h${-enA_^ z9L;^-oE?hF+t+zW+b+U&iZ6Q|de-pb%k;o_!9`RuPSL$k>xlLH!Pc+J8Qzof6!W_* z$@Q9}B~CgLFRB#kiK;+8p7ncTPm7?_Qv3BO*EIC>_-B*FAwN*hZlvJ2cLVWoSR3&^ zyABgC=1?hdDf+l3g}*{j4%3eusujs%kx%J;{A%k$_{&GlfrB}xZV9xfmsT>t8Z-0p zk&`aS#-8NlU=$ry_U4oT&g-h~hf7cE@ditO9qp;ndiATyO8XlXXMv@(q zvT-TcZi(v8Rk=SyoZ74{7$vkV}@Q5bj8+>n?{{hXX=ahkjl$h>`w>h$+9K@e|j?v4K))IxjRRMF| z@~D0hLl}E5tIA%GgGQaD#}5|U;YuWW%xF*qW@>VI?`8*}S~_e+owN_rH=1_7_VYQy z_In{}pSEZAyNPt>rBoPmZ$K&gB|CyoP4M0A^aQ%r0iLJ&V_FG{kWi~bzr<)C!q%TC z!S7_6uA2|zzugV0Wp1H#GgV_**Eo3gGwQV-UIko8VaI3CE=QE}OurxADTaFq&DDn~ zs_-(!gCR)H01;VpO$${kLI;^#eu=9Abjq%_oguVFoKL?;Mucd9nQGk63OavKn(vG7 zR0zg!9!fh2ihSYGHPu2XB|l)IuEHzLi$#=qmwVP4U4ia3NoeSLDn^GZUfwVp3KgC- z^37!>C}>hdkTWVDS=5|h5|YV+h@Gpi9xW9D&&Dl>ch|kpU+c0L{Z!JR)JUY>G?EI0 z>)WbRU6;YAUkx{+BoTr>Jysg2ufV!KiS7O8%n942qO(D0p^G#->1`0|=$qN>wDf>O zKimVodDZTEfBZrz=q^!Z;*aPo;PcgAy7Jc&)?P@Q=Lm@bp$|{IYii?=4y{Arx!GtW zSMdu+GdKZRhmS=IlEk6XsFl){qF79oMY*_rB>+*61a2h!%|Q82lx$7d(xB$6lQs=; z7)0S86bXIIfpdku(J|X;D6n6+BQE|Le11_xhn*v9CmH(V~@vmPdbi|7jI^x9% zAL#*vkMscIM|uE3h+^)z5~(SMR%UZ&PrR3g;!&9y#t{kh=ves&X^L9%v$O+zuz>CPxs>l?tZ9__hq`zJouX54yY|PkwRB0So3GTE94TmL?`;}<7y6Ob!u zBhFuoAA%GeF#0voYwC|M^*CGE#nVcTC_lMfaBstRylBv94|(9 zc~9ogCD@?cD2@tx9ydg${O1sV;yNTfPzj&6xq{e4PV^{o7GbS7!&a|_E&us{jpsmd zl>bh4l>bg~l>bh0l>g3kl>bhO_1}x_^I%&)#5NxU+q^bxp9kB1H@5nU=x#dv_a+gD zP^4OY?^hUH5ZrQ~95h0ov*N#|xrLy`A?m@w31ct{zZ~tZ7LK+4AKT~0_Wk@nZG1kO zGJP*&f;26rvT7nj;Qf_L2Pw~kfh@$P_tv@%++4K6YwQn3%eoCg{Z$zK4wn1}-kY;A zc@2D^!cW2GFzgJ`(e?iz`ALrEr#hOS@o0XoqxmVYuAfs< z4m&akr9i=a5p(mgK;Rz9J#NOE0l7g3hJ~|+Xl77n;*wq_1pn@p$nY66fsU zgDu_stx`R}q15jQdSi=hOFlAntl5EZK<|s=TUIE>Tc@l>z#3_&edaxZsq>?a4a3L= zb9fRM+6P+pa9Or5tDhzUr9R(rV7g-lslMkU@UPp$Ac=P0Sf?^jEu3F4!qI@m=OdlSrG(BdORzeOcS-RX@?5Ic607vOICoDdTD0!qU4k0fNc1@VLpOjT}gTJAowitC>5YDahf^%PsLDTj(4k z#&9rQFuLe%=_^7GSo8g`*2ra;lJzQKhKN#r$1x` zw%N9MmoR!*9{S|}IGGjf`N;QkQ&{0;9%0MG&m{6}-)#()?Lf=M3*>K_TH$$iA$LJ17ZO}$n;adIL#fgR_l*A_Xjs4c;2Wzl z+#ZOMI;(7mit@e0Z2e_{TO{Mg=)5YZC^iY|)hNJ=Sygt%S}o|4YcD4&@xJez9F|*gikD^JDw>{!c&8zxOG8#7|Z|;wOt9@smZ5 z_{qvg{A6Kx_iZwvu1yq5VqS!2Gzvo~= z2+VD+4(4$&0yKXS4i=<^g6y|xk@E^@?b4e|1ixwEqk};2D-{O#`LaOSftm&=N@GK+ z_P@)YWAFV)`3IAuB7VM}^6_P~p2hVmlidUnaPy4BiRu8Zg8cDM(IGG|Y2r8yhIUng<1!7^w^A7~e(4R0N z%CN9}q?>Eq_R>xd1sc##cjQI`k5N5eIHMi}(BQwF4AKI6`@tWA1oo)xctLRkzXR%9 zvhtQJFa$m>@_>CEBQPHM{WxY*y@Ekl76Opm0F_M(dy>R=LP`bx*^^Uy1?eN{G@5k0g(nbEcu43!{>q6 z+eVBk(De3!lgC^N3i+_3aUI_W43v95UloafWem^dv{)FdjSPr+ZzrL<&kcFg`h&6N zlOJm%{dPG%7}b;dal$tTsQmL~^f9p(TvBAtPdJO=7lrb4Pr3V`hgO;cfh@joo8-!- z+ioCgKD^#2vJj4z`bme9vXQP1aRn{rM4Hm4Vqsr z_T~|1!`&C*=S7ujfof-@X!Y6%(!!@pJ2qqvcfE~#U-jL`+7J7Wr}3ZrXB7sFGwB|C zgK3lpuRyUKTq3;?u-uY}h80F`{UMKq(R@-N%h(izL)`T4%T_EX{yax0{lpP<)(NBu z+SvjHdr*Eqw;^b#TxR3Z3&!|mg#+}{?14x#-~P-iN04={@Jp$2LlG9*sjY`m&}?HV z|0*vS6*tiMUR;SrJ10Dh93Di1I+yknp)01aSimC_Ti^^g%73z5SyNL{^ z7=N}cdjUZi)6C_Mxkr4||C}G*_BZ3%YYt4VAaXTnyI}*{JET{%&D_AzkWOzPI0^kG z`O%|qWD7UQ9p4APu>~8+7>7AyYIt8WXrFwA3*Fuk{VSPA3ueY#;UyAhK!(Gvlf#-D z;qQIfrKF+&{tE)B4d*dAu*X_1_VlrVb^#q-EfF`|a$47kcI1XLGo!Na#yNnst(&>R zV3gkGSxZI=hF^Cp#gx<^)Ph;x+mBv?mX$lSAN1Lm(cZ@AnUM9+7^ z(K<8EBNJ2tUVCJ2@7^v|w5u-mg;u4=~(_)d3d9WTftzfDSt%yM?PbV}@F zj0Yct%jI^T+?K-dKv$DguJ8e8Y;)Ws~u8NsYQIR^W@I8$w7!wpJ+BPZ$ zA)k7F>Dc$kgwp>c{hjB)y7i|_!g3Hcooj!b5)lF&_lVa|sRaSYvqb5lhB0dNEDWB( z=nx1Cd~|#ag&^n_F_s^dF4lpeUi5NZl>-aSf3nLmLqLP&l>+I?J_MOv*wzmF{V+F zzRiuJmpOv<{x6VZZY$#}40PcEnFmehU?Vqv^`18`bO;|0PNOzJ&WyYdZ8*3=aqKR> zITr`kddpk)%SMC`6;OTn|iHROGp4VPyER4{DG852?t1H4si^lLXEv2#CJRnQPFK72a< zV^SDAL~oVPaCv|(|c?&R}X_9i2r2plC|z zP2tmMh)#@uz$l)KWFiJD4vK?dHSqMN(CKgpG??ekB2j}b(Lz3@7)9j#=YE!xy)xps zD){9)#=nO5^EuS_%^56Z>>C?u2<1f|*D8TW7pvQBzn$V$SY$f#}4N<5>tYusc z03Mx9GVZb7J`K`rKZCqTNO5AhQv{XBKROtG1iQcr5mGMqDnVU!!xt{k_j# z$&kTqWZ8w2fAoDFKjJ^&9PuAGkN6LN`~LACaF6&8hkci_w-4l~qft8Hfk;k?DPsK9 zQ~Y~53XNqMmUVgs!Oug{&-tyPkjiZTZez+1E_(Z%)Y?qKaC8sXjWKzZobS3{f5=FM zAm8L~UYvP|h0ii-xh@sDZ4I<9uH++b=7wf7Az^g9dZgTbi~%CpjVpfpaRA%oPwjKv zf~e$&ufyaa6TH39b>d_&Gfa1l6}-p%j_bU{&5~#wkMizY#o?6s0Vmh*9{fE+G^@(C z_a(p|638U)Na#BQ$8#oW?feYzXl11CiAzK54JV3MxEx@6ggk33Eevw1N&9=dF2ZF7 zqVBnSiRk9*FRCec=OC#2Zd_Cc8~W71=!2ibh2FF?ahS<5L*D-8>$l4zeLtPT0=5+x z!FodQ)j&uHtVSu+T+8;NE?ad&hMj~jO`^_CrGjwPM55?MBDPMZVBCR{-0}`B#LM)u0q3)vd0Z3B4}#w|n;Dkks`BHE<(>x#N}> z7F&hU-~8>rxARZHZHC^)$Ehdb&NF-u3QWFHntgM%a|;gqzkPh9gIW0F8Bg%Dai!GB zwuT4z0^g*pynw#6@Jc+*6{N#m15Q7kz*_Es^0g30Shs4s84&Fb1)nR8i`V^OE5EAr zd2$kRC7xJ2mO+Lw0M!6R0FVU!$WB0ZA=G zrry+ONSinao57EV2JNXIcXmn;w){hE$78GC!*+ZIY4{-Xk`OdAcU;}O#Rp~eNs`BP zjSy3vT=$kHFASQ|=?vW!gqT>tGTx88N55w=Ik%e!e6MU-j`9msj`9nbkMe!kj`9nb zkH-J!c?a0OA8f~C`+gpnt;&ULyPylSu1Vy546sdpb?f_%19UrDOHuSXAr=unzGt?g z$U%>-J}wNCJCy0fkUlneZ!}kUL zYbT8AVDQzlf0Jw_Fx&{geGpayTs&`Z2-NR^rOT;?GWkd7gis7uFs&b=>a*$JEwO@( z;O@e!PgPK!oYDbagC2A|G7aYWq>mgbDfs2&-C&8Y)i{3Q6lw`Sb!}G^Q-a&1y=EGE z0ZqoVisroKgig7b!=Oq!r1zz6kmv*l*7d!AJbB3@p1kl8PhRneCoguylUF(7$%}%D zhc(gS<#-e*d6&e;!5e%ZUJ8BvG8?T+zn}5R@Pc&~B9UeKcu+778&bkafnSdYg-phC zQ2$S-PbZqAg}vk(HWJjRm zxUau?0=Kn#;LZ2RC?{Z?=K+O1kYx*m^}A(2TqNo3+AceYDKmKdzFHqnp9)LXVGly$ zD_6NPCq2=|2=|SkRY$;=n2WkX<_;w{Oft9WbwT~46~nJx4LG^B8ATtd4_%TStNmn> z=S?dX2X1S3;8Im0_yu$c3XdTYQ2Fm9WVG#4{a6{pE-PHQ? zyP{fT_U4hgZlWaIa-Tt>vXd#_FK|&8*=9(7{5KspVEl4<7!pk_ZcfA&BeT^OQz-moJJ!BoVfY4Ng1U#mVq{tPi(svG{6Ip~dg z+!U+S9ylQ;N=*Xxcn$QTqT^!$yEi6TD(4S=yff&~$1blgYCz-!*D)};g8cQ>U&>bd zLzYavF6nj(sLXhiJn~6}u+x5@o?N*C=}+#=vtBDi?KaPvPunDd$t2%&-o6zIbE6l! zZ)OgXb{a8j#W9fTb)x#s=4EuA{`;!VRw(M-#F)U&bVvwf8}nHhH>K?~&Cd~9-<9GvG1xtyFFP;tr9 z+iOh%>V}#Qul?djp%PkG70A^P@@_FQcwG$Ni8m8Us#_4DcpPu|r7Tb}>2`Ax2}iHe z!kAg3vcYt;tN4-Q4IuW*S&U9M$Mo%U^~z$cPz2%3dg3_)*x@L=Qaq#sYx|e>p7J@P zrXoXvUtD^?9hd+3O|A*bV0=&!-=+>Bgc>)?UK671;u%|0nBP}rbg#u9)dt7rZjpLHeQf@NB{I8umB~6+8`RSJS-+mMK;*e{F(v96z!dqQ z#6U(9+zThvf4xwL2>ad>a=Xgtp#Ki>o+krHXSCp*i9~3Q@Yw=K3ntI4`PMDPEd!)< zeYYV?KpWy6>c?Ax1%Z%ko59SK4;aQ2`LAS2VR(4Ov)8FCk+n;w<{2vyIQG4t;90jQ zsHwHR9ViF~U0)jFQ|30HdWnPaTyhw=b~pT^lgvfNMC)C&J;rEnf2^q9I~ZsEFsq$) z?9+fae0fkZ+T^Q&RQA1(1cD`jAo0G;*Oy}O&5_v9>6j)Wjrg?9!YTySMboCbG%{ zGn2U9>5V*?ZrS{MvEVvN)|c#>yOa;YGZ)1o-<86v?cZ|K`227_A?J%;s3D6aw!sYD<9gZZo~kIPFpOqX*>juRX-thjRYMYyA$=3 zX^8H^^;C)oKIlxWa@phI0awBz{ozIpbhrGpL#R3@xFu6oKDtGSwA?IT%CK_boac#a zy{5Q7+Ae2r51hvS^_&$Bz~wXiF?`VtS_>1512MT9T2;4iYzaHVN4Lt%nrrSL&ag5w z^hFOfy`XTe))0eJ)z?W@d(~03a9K~klRWqzTh$kNF9wcNma3ieDu8Pqbt4{ku3B6J zdUdmE{#1{oBv43IE~>J-?Z$e zU?>c?hyW2+6m&6F^9!1mqGLKLc*pPq;ZCUF>9-SM@WMu6g+E&l@CjGHbtG#*QkVRf zi_df*(|9p$EJ_zhHMDI zb1lE_1;VQQkpvOG4#t1LOTgvBj?Eun$L0_GfAa`%%^UIik?7a1$qz(~MYR60Qi%8G zW68S&{E$}_J8I>`1Cu@M#y`uXQCPe2hD03??6FDnCa%hWjkUxgbB-ivp{sL?5_0fX zA8+irxf5#GpY94bmxkOK>YA%7@{log>CT#M7n~1dr*L*_2dddM2EY8<=t{(fTrNR3 zytCmeZn}6EUDq`1CwkqEbH7iE{YFgfiAYEgsC(lOl!dNm#}$|;gn>8BFJ{ltXdtSf zvL!IeK{U_4qW1{%9x-6I4VGhtI)Z7kH9B_aBZ+;Kq^p4jeBDy-ygdVj>heX@w^(82 zIRhSGct;fSo98(B_0UvK6pQzUGGq!l>9pO#`+g{de(`uTU8Z z4!~yrT3y&T2sx<@yX8_Bqnppj{q%!LI{heY7L|N9kQPZbG4?+5M zm$LIf%S2PNCI^TC6UdSK=PI;tf4|W3tR9N}M6F9BhEap!`|A^Ldx7aqOhKMQFV6mx z3m?a>q+xQ;u0%d58aO2e_y)sH!qS!~`?7Og{-iL3d6(qx=!wIk;#TVJS0TVv|HQTb zh->~{R?67!hW};w%{TqG&!_`9`m3%g@3jH9r`*Xw{~O3CFn_6isTtaA&IwGr-9WzD z|3U^!6XA`!*R2yN^+?!5_G0<82I}~x;%6(G3Hv{*ri~Jck)cCaeu^F@r}q9+;^U2p z=rq%`rK4OXbfI|dn@71QmeTrm@3SoEkuNz{Ig@yp zf()EK9==-1h4D$+jhQHz+N1B(%cVqrB_L>QX`&%q8WcEg{Twxuz`5SXwV#gb^_Rm} zG%m>Ip|j$$b0jKhV0EqMv@u41dsfp){!};{$SP!q_wB=B#c5aTn^h>bU+};C-)Pm^ zE_WDupp#*zvxbQS5rc55kMEE#dNTf7L)X|3{HrzzDu3HT)*gY{s8t}aUSNpdJ`)O3 z_l;YhopA>f&5#7ntTdFFrnubJ=82A^zqY?LONBoR&+DW1+)%e%k*W=ffNEB0S~mAo z$TZz6HC}5&gxVt^oG&WDWOH>_R}qs(J4()(;!}e2`+eT)yU*r<9Eb{6&OCDug14Hb zsarvrC@}qy?zvkajDLGtB+G@#-Cm7ZjJg(%^Zq$TZ9utXe-=`B^@Hv_F$LKV!;1DP z7@pnUn4QuC6Zl2;t?UpC(Yy;&sf4gEVz7EZ!Kdg63ml)?O9sObOWd-5uz)TIop@aE zFe423t_W>5tOO$&+Pr10w+uMbXmcLw9#a;fTB|#s~Kz>tT&7*u7)K%aTw49|iYb3q5(5 zI78pE_(%@$YIfFxo#j9-wNWv+A_QKG+n;ENNVvuH4UeA0BCO`EP?Ay(! zK(U1e6Hi1294$QN|7xlMa$B>PNrenh2(i)V`!02e!@m?xtD^>gVO#zxgDHwvRvfvf zq6RLiy5tn3ZIJb?ipH$480Jo>zj{04j|_Eh4cNU)K|3Y&RN9oyXsf?@cfi#O;hL|= zg{qf>6ve@H-uJW@+;oQCzG^7uZt)x%j+xH{7EfrJ|`=VZg?bFzVgLDoODFlo3x>iZa6SRNTm4M@I?+ZnIwULES zm6FrCI5gsu>4lw91Co$=F^%tvAURKXg6xt9ib#4|e#1i%giHxY6+f%O?RVq9h0ZI$ z*AYQ(JONT58|>jOk0*f(kZ8aaX?{kwQ+mc*AA2<8Z_7>e@+4 z8KBjObvWg(iN@?U-c+&6K}OC|tl32=IB%q^OE#m6I9v=bZB1c#DF4X2Hq-eU zB+L?tzJ0kEIw=T7qcv5@DSR-S9n5^ZPa0(TvlAQcV$PQnq1|aO{`dS+T-Wzh{`ab4 zAER?6r1Kh^n4#H@p|G-DWytHqAK2ekhMije_9`7r{`ky?p@H8DIOm_>+Rys=vY~9; zDH2Haq~e2lFntciYmb*Y&H`oB?)Io_Dca;{vnvV-f%n>`rO~-z@Q9?zV)hOnEWI<1 z30zb|7q$l6GlJBBy3x<=^jj_nCK06nK%#~y<*AMu-t$1l!+N(T#hORtE490!*x1EC`tjgc7*IBfwF3rgMeI`$A2!kV=p?T47+ ztaJ4+K3)&;MG|%`OpZB@{$X6tV?-0u;^W`bfjVw#(VYG~DziN6D;!ma@GkR;RyO2; z^61o%5=#i0nRKxw8Ncb#(96(&3blFoRombRtj?;YX`u=VKiSWe=xY+_&!(sG6ZT8B!5vxx`R~O zA#<5_91FrDprj{}c~*$&>wcakmtW(ByWLIq-egHb zS|$EZ|HpJFp!Zs^iI)<(Y+@nvg+>m9O9Y?0clKxTmTBlZT&seypOF z7WAzeM%O3KAlur8=ReQTz~~S&2lWUw++;kK!>qxDR_+7|f9pO0-H|f!yX%%9QAN1u z++zwsksv--@XEB+_lgTT|MuUh5p6A~II3v2sj~$mimLSHbUhF* z5_1c4aYMPz)3>tR^no-j@mTXCGw3YO-x};PhLNl|Z9_^ELJYFaGoDwjE zJ(e4Ig5}=mtH%mKY*Z*Lr?1_NAMuAIgLL(XVI5G(!}rKz^MKAdAq_Q~V04tCc)xu+ z0o9N`^qs;yXZELCe?NS$3w=UDTgRe}VLWFhSLl=_ScXyL*(Df&W{Q{U*Uupc*ZEn# z)5R=%$(Z+!-eW?3$y_*nSh_#-xCjZVo~!89%m?$EuU{!OOQTxu*F??s=aIh{?K55B z6pa6adFnZZCtMe>T!_w$L+y)ix-DrEpqp>Xjy%x;^{(b08=#KD)`S1MpHn-u#O+g~ z1T>E@c#YKyf^I)v1e2Nsd}lsi_={Zg> zQL+mH`ovou2aK}UIF0GvMEo>?uU-|i=J4sI}4cw z;itzh`(x&hJ;yTlBhVpZ-(F3E7q}50{rZqw;OzUGWIT_ngi0l_lfR* zHAE+$BrLUkbB5EAtfxWJ0*LwS*x6*AQLPLu?+F46;Fof&KtyIBPjxFi;DZaIMT((k z<;*a7l+RnP^k|}LDsRW7MJb?aSgj*{t^igvqVey9wb7d1SH==)8R!{5_*T&+ja}aZ zyZ$-s`X1Qz-LUHiVb^y9|8|Ok8Rb&snW*5be|({OvaI}6Pv`#z)j%#FnSa_0?g zvVhQPG~VVNhAVH>PBZDt0b-?1&(?V8;YoB_+ruLs2#GkpKR3Y+3So`Zd+*Lb`8yfe z%m5wK?0-;}JyeTGf?MwJC|SWO!^zObs$xVKe1qzZZ6y><_-~qAEQb2r9d74|08o5f zz8`PI4+d*GR{4C~&{V^q#KmTWDkNpz-#p|3&BKE*mp)#YaBd?rSK$I&{RX)1Ke*}@ zxXz#As^{SP_Y3Idz4_^zfnGnaPHVFF0YQEVA->^EMA0^JtX?@9viu0w$xbAK*ZTQ2 z9?ZFjD)IC&J%4?4m6J)to!J4%K`TmVqs@+YQzat=Z_ChzeLVth5aQD6O?5>cxF z?McD$RJd_gpu*7|^PEXcxcoA+1iDyP-Tbl?kg+Q2;Y!Lvk>q1bIks7-^xLJ$pzaX( zd!vrTMZyb~m-xnQG)s};g*=zQl@K7$zOxjL@pb5~GDB2AD9rKba>SG5K_vm#nr(Y3 zu#+ANGpt1*m7N!T_Z&-*)t+#CbYUih)i}?$KTJncl$}Y`GCJt#dC8-s3lT7Ud(BOi ztPsWgFf~({@qv!BwED7o$#CWA4IYYgIn*^)f5D_J7%h*sbU#^(gaXEXarS0EG_gz+ zMb8-q6TPi}OKOI>Nk*Z3^}5wx0$?z;yW!`!9P}qw`q%GCfs(fu58kvjdbs)i?g>0e@C`UL$(59W zU{M9#*cW^_>$kYh@3&WwGCD~qBb8}AykpANXz~+-3I_%=G2wltaSw?L=j? zyZvdI`m8;eT_;{_CQd`)-Fn1ADgK~8eWD|E%i zalrYjGCI%G5*{oqD{clU0ulAt80*6@G+DlJKeomaI-ahYT{xo)6dbgvBc@h3*GB;q zMbZ4pifEhLY{4aj59Vq5wP|;RKuuC&YIIH%q*9!+d|ddT%%%{p%2g5l_x<|c^}zqz zu0OLBTJSbj8pY79e_xamgSf!KVM7BBbb;E=%q&q780eUWm-!_iV}?4)&sqkZe^qSS zbJHC?Ebp2*9j^mVJ-cXVoh;#s?h+~Y0}mweeDKRXN+Wpv2=DFhQA~bz_&fQf`}#;@ zev73imK}Ik!qg?a<-qeC{-;Vz-?k{%dS&-2C)8bJbZeQ@0WI2^-)-d)km-KRGU`DT zl89-NO~vyEgD<}yL}v!U^8^c53!Sql@~dbXzpMo^FzLO~6Db0&)JA@izh%+l3m$gQ z1QFm`lGUI3D+28rv~68dvdEX4ruY;kBV68R#((AO04*&a++{0_z_xWNq~N<2AVFGb zsYxB^`<>Jrz+nv+L+Q1WdLq!l^G)W5^?scy7gn z-xGC8?ZEAUn7n1THhTD1WA)026;S@_r~j#C1!ZjCLW&|?VE(c4PVdT&DkZtQ+O;+# zu;2YM>2Wy>HFS!vY=}q$@zK3fr5s_XeI@ajpI-{dI=Zjt2x96#Ld6>S&%$7GAhqx! z2=l#;XSr7>sRJt^=Jy`cSRvy8<~%uCE!cR`#&GA47LcywUFLskg{*WfpQxPBf`GoJ z`*^#7=xdehGsv|9>r1KmTd!@wW1x|cV|DOZ@M7j7gc+Pgtl1zFDvwqe&1P9 z6-2Spk@td6u|xLvi#6ok%;0pb#hl`*FtWVbydS~G2qTfjv_$vx(Nx})+kGwy@KhO? zS1`cvOy6-meo8L{1Y?h-=YLQ@_`O>zvc{Nm)XRSajW-Pg*{-(8FQW=v^N z^ggqUrlSy&ZXV>`dWrEVZN>~X&g4K|mT8$Eku7E)bsV8pmqYCgUfqs;&jxg2J`6E3 znZe#ytj{0 zS_bFya858~=Sx<5C_SBOd5h8y#h2<#h+^~^zIB45w|}hRMbUgl`(0NQZtr8=xrv!$ zw`dh6y=sk0&9f6DF?qjf^I4+D_AG%fFWl^ss2{p08NGD5)(i}|k^;0Dt#Ljty`$a{ zs7oJ4lz~a@ZbNm*lAOas$?`IW=e(zEGu{p_^(;0hnXbVV2iG6MVOKymY(tg(8)n|$ zd|SX{ffka#OUHi5FagP###fL3NT6lTb0U4Ux*%I)t(cLZ2MVVO;)7V+;M!4E*U>2n z`1QJ-fmAaa_1)B;s8kJtC-q*LA_EvMVUO11-jHZ0KCHbXhwlP}vCQ@@-swn{!o}TM z&jr>8k3BmXXAhn!`R1&15s?3ZUZ!r&5f~g6mue{8(2h;uV~3}{=uQ9NgJb6$fwVi| zy{?)QD1Cf{Psr~8VK#~9Ka$$PBipyxRG9bpW~bw;Zpk3H`BbTLCZ-%k$ag91aD)Nj z)Cb?W(IB`wT|#$9HXIb}f6bW@8pBU6y7nS|J+Pk<>x>o&MH}1ZPVAVU6SNuiU$57L zn5^{N@0k7v&i>Lz$t|%np6H+ZAEjC*eK=Vqx!94Y0QJjkOs-iN?wp~EYhA4kyyldZ znAoxeL4xa2&o7^c!;SExsn^+vs66Hk+ekT@xb{-N(8ddVdP!XFc%(vnc|q`+&IO$H zu^-HJqSrm-5REf|FY}pj#F#*IVs!mHQdvvniy3DD@~o|7iIf0fbJnTo9HYd5-Tfd?NjWx6JfjVLKi)S!w~|63mWxs5%`WKbPMmT{P6Q~% zO_dPNC;&0z+v!kgRWx?LM^nvE4zzdKeyNMe0dv*liH+a72=DIx>c>ejoclY6Qi|Pi zG9mDi!R~N5-y3dc+8Z*v+QKoW=*l0MeMmVntMfoK1Sk~?y60rvu=*7bR=*O!>Q~%Y z{fY~#UrAy0D@Ksjym*jBRRlG!$MWn$lhNJb+>7^qV|+TnudmClWx#A-Abr_#9;)Y> z@p<+>3q{XqN*e~T!;inS#Os*)*?fguKZw#6SuDKUJk6;CE?kQ@XGkTH5L+^l%LYBp z`x~zHh&|WXz`yBwFt|HjkCHA*($v}j!4bKZ7NeJO&@n2WP%sD^#*_QhPqjQMRrS=(7!&||NuM}%A=dumq zXhx$lATOAV^2G~>#fZqfKf}3T(=?mEp79|e&;iN{AGXuIhDfj=*`Mfy9nR;C`IBFEJtgVUtq*Ey z>Rw!ssk^XcWh9BZPCxyksLT!9aZSM=I5|-4ZqJK#O-`J7f3k6FuflCI;Ec@%qQ?04 zjG7z9|4gQWbCXzaHpb`7{@vJTtl==LIdpSGY7Ny%A|i_!BG3 zV)*E7+HNco114#V#~wHYqXNOa&~fVXNb`K>6UO)4@U8K<4F5+q_*VOfyq$>~-0n5y zCpJr=tU0&bpeGzqLqY6P7b1dG@L8qf%$RYh%2q8K!0xcLXNl_YRGFmo&3lHL5fMaD1jwp zv5W`!jvK;udTaEmHa@Z!pWx}%*8_Q;2d%Q&#wb4Aw27$92!!t(#t57>fZZJK)pK8* z5v%t1miZJ_P+z(|waBdpzLIl>cZaRf^kvtsh%Gbd5g`5e+FcVWj{g!`*>S@9yZ-li zI$Zs1AuB4TKRZHEESu=#m}gdC@HuR|6vOSE9`>bM%=83n?+?y5n4-|BiO(x)I=-N5 ze4(TDpAx!aV9zan_i#Y%gSlp@iy9QN1X;Vi)JS8j~Wx8eR`kFJX9O)Dqjv&3@3~OT`@Nl8neV+_WM& zgW)0dqYFvNX_k(_d=x=2a^4?(?`3b)IAad-6cTEAR-(`{ND=yLmIoX~V zgiQO_$o?cjWB0RUr-Br;@bgW`oi94D$YWmGI%i=t02?yD~nngG{5gV8@WYKZ>8wcmuu9K6GLlXZJB^In38Y8B(lo_^eaA?ryV z#_!^Mv+6l!eh|OuTHEDRIC!_omFtP|6A(;k&h=dY=iIc%25GlYK27xCcDETwsC==Y z6gENQAB$Z(osD3!jl7`;lM|9SX?3v+nW6`w{-$*qhDcSV&;QT;B(!0h*~49&3YDW2 zuWi;-(W;WG@z!8Eh>dg8)>0*cI8ST>|7<3P)2M&zT)aMPA> zm>|<0m3C*yn^joC2im^^$@FTdBP6Hsd#yQ=)0o#BaCbsoM#qntJkkSp|Kc&_AJ%Z` zXrH~z+5>r#9dkA9HUWjysY5SuL!9R~d(OGN$uz?BiEOKl_TC||6zIQljY}1>MdIFA z%cw%Jm|5}X9dgi+R@%LQ(ee9!u9I{dvH-2Qeohn}BOK&kt2dcYL(=mWJh?{naN{}0 z$kID@m=IjU3pb(1nNRv3&r}-31Z>uD>rb zBxq7NiMbykU7`_Hm^%ElefbY=K6N;JOG@k=V~vhgxi9KDlZJ!oIhf@f6s`)FykAtWyLHNk{2TxeWS9ef{#&TcnQs^(b0@oRG>YOnMl?f0Ax zrK%>}nG2Y=6gB{JM#|a!6>)TQm{q1oE)Ay=RPgLfWs#EBwCP-_1bqCYc`tiU2ENFC zb#EQPaM3)@HvS~>1SgqkL4yJp$Z$HgY^~-7=^Z=*@~*y69?|*j!U;DBjB;WWuS!S% z`Hgw7eq&Co- zDpO7L%4Ssrw&}*v)nNySDC_$9Sjq=}K4-aM>K}%9eGTQEui8MfU%pQ;@+`3^mO_AuP9F^koNqT^d{Q^91Cvg3a5JMm>J!7m05wp^-k$V?@pT!1aWCZI4j^SSD|% z8&Yz@_lcsO_eWfirk6nKSLOlle(M>e7rKF24GrH@jaW3qSsW1j(+M^kn~Exg9S|Fc zFFWPAz@Udud;M(-n7_E+Y=P+~1sh*9UBUG8k10jAP7fM`X_TnwS8ZO@CH9$lyTJtR z&`iCZSrCGC)$+1{B0iYLhwOwgUFGA7xqYly94Hv zAi{CfQGX#8GN^uCx@6vfeCKp>RfJ+8l(FIb=1Kz8XdmlN+>8MN1Ld6gYi2-Q^oslE zHCx0)qxOnSzzi^o+QXmm#^5I#FWxHbges+eM|emWL*EBKt1FG+sCgjh_OwtcqHh>d zkxkb`DWhx_9S7lXx9`x4;hHr}?Jt;ZRVBfH{5T<)7~M8ntLKO1I^y)8QdM;5ul46; zC=V#YU(KT}aWsTEV63k2!iSmr+8-rE;a%CeNzq6#*rAZ}aW1q#Fz(nMC@lzNvx(yQ zf5o74lj*VZNnxBxp9!o;=}57u|mGu!KPlfg`KF zaL5?K*^l)4nrPhAxDaSCYTa$AJB>LHXXsLKDk0Ce6j7tf{1AAokFMYZ6>8@WX-uIP zfHTo%PD17CP{&!T$WyKYEHWZh-=y5o>r?a+zcJtAU0bGpbhI}>K<}M#XsV3!`>X%< z)4HpAL2x4YnU27n2=M9&y{XVyipVN>ek^T;!iHg1qnK6*D2Exhe8zAYw{E``PKr>2 zGrL)SW2e-?A<6e(OVbP0yGj!{1uMg|mK6Jqv+6+DEzr&trV1~g6kbgql!jsf4dW*v z)Zj5Hlk|1L6y3UgR;Mdk68x`sh71s$1Syw$+_Ga**!#sJO8qjK0x!lqk`%fy7C<&%@TTkUX&dUFnquikC~m*CZ}+=~!CnO{*l$#K7HGkW;ON53*G`CvyUcD>-xGQ-_S(=kx}Yif9&xrM zOb%)29rJr3reGjmD;IFp6_so^bC<}Pf%}CGOrWMQ5bd0Pt+h_gtVcSp7A)D=0mlgbI*y?m;p~Z_qAq`@?@tJ3VZ285`P*^DXWf-GXDH;Vw zr^Mx7dOCvHU&)i#+KsW#n##qKy}LzBLtx@}FMyYPw*L{%Z7*F2(u*SNb zU>$G+n#)SI<9N0(g6Gl9TILD{N(7s&_a8*u8zDOn0FW!m93wk zHbbViitr{dJtxFJWpoK1*mt!~ooa`-d%3*(`VD|9{~g!syPDqQsmkdAhsx*qhouTY zl~mNRJY$He4|hU`@Js>!oilr`KR?{A_wK*Dc{vly0ml#PRPp_tzmp0@r!Es=}k;H>xUkOZx$kn4BDKpwJ2*tNf zbN!ysgv9&STIFkc&=)j$L&H)VJ1_RX*E`2TY$s_j{vvVDO!DFdb96hvJgIC^2%J{} zb+tPA!Ns;{`>%i?Tyy{TSS3yblJGsQMKBqm6GO-%Xxsz1oX}EZPy`}M^vQV=?T&I& z?yJcbctX!N;U*)c0NC)2exLC06r6FY=P`P%3s)@fZkS1WA~J8rdg>3X>fZc?fF->WRzf`#O>f6kFGQ-FlgK(M?8rinsg)7fgX-@8#b%@dM}3z8^wrx#%-_?Va*p)M&L+rA6|qJi1AFP_2kLH?fvm{&S{R zgNjG(T*tH3&_3Bk`57t(ocqy(38e}a?)sokraswMhv9y{>MaW6cY;9${Okj7S2&Tu z{CVt`4e)yUIG&_Q#IDbc?RPU{``ujFem6I^-_4BecWa|el`D6JWh_A6fL>z_2;nB% z>iC?xB}8U^+#=I82ZJ2ad_F2(j9)EFC#y9Wy~iUWKVR~{_pis=G(W$L@<6FN6nxHN zuF&55=ir-9D2hnqd8UD904em-=hNjp!1?V^t#r8?xVtHamAmMHNYm_k4roD11+nkm z16}wnXI=AqK_5hJa4@{TsRgRfcR(c150R#!pxRNd3 ze{8@2KJtsItkYNmDWg#3hIlAcH4mST=(0lXbpnaQgz13Ul)Cfino&;7(;5CZ=|C`F z*&Lsd2_y0|12OzrIPZtJ=J9ebc34TYXhrsFmOU(|J zEMi4!uDXNz306mExdOB-_H<1(Is|mPvu`lJkAZ=m9|kc;DG>FEkM2oMAu7&_dy)D$ z1uVp@+#bk|pkaFAGK*oE<=n17FB(5L1m2?}T2+C`;2m8u!qossO$f+HfwBmW&u~&ot zRHlAtY6DEFB)zTQZG{O8TKc%<9b`UNwbpYX3sR?)Z#OAvLARF*uVNB{3)hHICcP?< z;cZ-s;MYd4xpPVtFm=n0c!GbfunqbeUzaIyJOasm{&d$3laE#+8==_rF&%`T-~RIN zh7Tfic~MN~ppKUIDf3*u_(Lkg3;yvhWr(A;Eu&;A6a2d!YT5r3K!KEf_SfTOP@~}6 zgfG#60@=@s`N{f#RK)X7)Vp4YJ5FN8+{*&qtGZZ@6j(vqsrp#!0!z5G1*7Mlcp>@; zb+h~Z)&RUj?9covAk=`vAWx+P#YkOG9+A8ZCA{td->5=R(01!LtJBSB>9=Ei2}usb zv~!IXs2YGtw(jTDY<0L^rp4jEpb0&$CpS1#G=coL2j?wO4Jf!dRGui{hmv(TWH<0G zpbE!4o!H1oNPPLgdvYfpQZ);+?#`wF|JBRxHNr)xGiF11iXj!4GiK+AL~P+5zJ=%8 zGYCfOd%6CaMxg8RS2lBnoS>?D%FvqF3?j-KGW0QdQ}72F-jGuU`VrzsA6TrBuaFL3 zG>IxKxPP49e4!7oE_pm{8n;51kE|aApVfmOo$Udsm*SCxw&vqQ({mX8NVIam{ug;OugY z+U%M(q*sTleDaP&2G!9Yi8LI+QJu-PzT_+{k4zNYA9F!;6Vn3B4a^nbd2|flc!&!8B6{%Kjp{XS~UV%7hn!Ge0Ik zrSJQDs|t>=$q*_utQm%SUvSXedXNVB^1TIP3+d?VS*Ik+>k(+=@Re*Or4_sl47etL zXa}LI6W1p3($Sy9Y%0yQG&q~S+WR`%9qM+So}QzRMHji2*bdBPP_kfvJ!@qa%A|T! zzTan!d??QG&o3o|yT_$fkEuj(elHiJ5#s@^ts+0n)T7X00gw8rBQ2QYfAv$E(+$9H zUi8dO1H{jLbynq27D_v4S!zyT=JtP_u+S^B2FJo;?a9Y%$aSoo){)Ex1dj2R#=NsZ zc_*h+L^m)#LI=thEXkJ8OKJN)q&N_)@Lza;r%6U3tl@uj1g$|T(f$DgoeOY|)`Yyy zu|wvzswehRYeDMK`6;iP9mu^_x$Uw>BXAa-y4Qb{fz)pwEU3;^gO4Fat7}6Yl6(0_ zMQ@iK{1RQx?#3BI*tfvKGnhQTNNdAuPfyrD=E>G(LmDa6eR_0c`?3$(e5CED)02UU zdsyXCzg_@GVE>+q$>Go)D6b=Ul8yA}!ri~#*8&+LUG3hg2=re)Vv3Sa@1F45;)ar3 z`%l_Jg219Fq?(N|+z0Pi(%(Zo5TRwy@r6MMras4=I&`x`kx|4iH!2X!5ot*^Nmwr7W3A7R(0!LHAUU7r!VJ}q{AOulJ##_YZI|NZ*^ z<`d6g=N~n(^N)9%X{v|a8)?|;hK&Gyr^Ue z&NQ=z$vG2a%SO!eAM!FtR^AQCO0O)AZ`mRx`cR4rOrQ80-^0L&dMU69s~2s#AqDHF zn4ZL8^5m_z3C>)%kcQ+3jYSSDHGrQ>%r<%BJT%Ui_e*?3mpOr$NRIy)6 zSqoBc{+@F1uL9;XN(xi>iXf}2knyA~bBZJ|VGFg4svNT9}Kgpm?4Cx}kY4uwN&+Pm`Gj z_;j%pUF6|Fee%~D>o0fq{C@aLArk9P zc^B?IlMB{PKHjDgjF0ntUtaGfH&zc9!s_7+SUnt*8~A_pa4M`G zP7O|C3k`Fw&2T-6S?2^@7qFTd9E?Zagy``ipOd*WC|DA4N)z6L>gGn@_aAP-f4mhN zOakiv%UdzV@>Vc@%m2e$iNx|&Ot8Eaj2@07pQVq!*tYk98BBHY97eQi!LJ(;P4|!N z5y|9jsye%KaQ(cv^2p5J<_%pM!sI~izwy4+Pz_0Mx=CL1 zHbSbOGq+euB>W&7I3%d81-ya{epiM;gezYR*T3KPfV)0#V`rdCW?kgZ-){qr3vqFo zBs&AFJ>Rc9HQ5=^j8=H6AM|5D=|C|&^>3dz^h@g49@ z#?DO2yA4s9c=i6oZ-&a8O1JuVHxUmL7eT*`BT)T5%R#Ma0A~Ga#&OnR=)Umw>;pef zG=F2YZI|>ckc$epFmRj0^NXswnw#!uxrKY=ON=#ig?&(cX`=&*GcabeqzWz^cyexm zp6JJ_7ZaRyg3*Y7L-*tJAwj(T{TrF{=yic_dI&Nu52LosPo4D7~N#Nk>{gO&j9|V&S*yoBPsKa!~M! zTYt?Y5N-`yk@O^Da*(#p_swJaA4Ni?hk_KL$mf9dyTv_s5R>-e{dCz5ejUG5Z z&NSWmT*03LQg=2vPDVxpt&?}#m#H#zQ$Ob+QB66_5i&P7ouwjRF6-6Fx2r@pmoFY8d~*>f8}eMN%0r28H4ZCht(tsF8-p83qdj=l$?~fKbEZGFfLB`o1>t`-h<&;9XgYT2u5#UHABY zeOa*w#e_d>t-luF*XELM=&I5+vsOAB4&<(l&AWPyNFLMJ*;Z~%N(A;=760mfO~aMt z^!0(LSE4}llejNfMILFh%Kp5iDh@>4=ToonA+#4dd9^Fj3i1CC4Nr7%05O|^x&A48 zXt4Bij4<&-`?3Wm-bFir4*%KL%wBQGzeqYmH7f)*UJR+g`6Ll$7YT}kR--(pywNASM-lrNPLjSC9Z7m=3JRevKe$|)1RZnd`TtaCfaw7V zui4KK)TA3&+m~7Z|1ey>I`up>_x{p^Cq)?C{iPMyI8_E-oZk+#ViVCYpX{1?T{&X! z|M%c5Z4HWj@Vn^cKrryMLP?fz3jDE7=@fP>hV?vCUd{#!MB@0Pj@VQk(Vlb&dq`ly4I(rCBI=o5tB6li$9U`TmjIi3<3|Q50QC7X~us zr2B65)c~(=cOL3`pilQqV$-CWP{!UmW!<3415gWQ-n!wnO=hfh2IJRe1$IvOy|89^zv%?#Bppn=N&#rP_I9FJqbq0y|G4>i+#BJ_ z-!bccNcs43IMi_j`0q8Op{Aslj9o66xy}Gp|2Nk|Azg*1PIk%+b;>5kt-P^7*FVO3 zovt#2eWJ!8pC<-j+VT72*BDbE=vTSBj`8FDIcBvCFAc!*>znKHZlNgY3>VFUi8)I9 z5?Q-%Ym4D%C|lE?GC`gX@9mwma)U{R!a>!MAoQN4=KYykcbxr`e0t1veYezLaQ&IW zl8_qMeMt&4R8WK9NWuGuZWwNh>0J%_I#uX7)2YC$G+m`u52DF@ZO=kVqiRnZ?WE`izS@;LWr4+^sBbxkUe0txw>pAwjTMcDT%)$vZW zZ07g;+;R<2t^Aysx>Er%9QdBYUNwO0^Pn;%)*&COhFvJ59=N_;dW`1-Cwk&G7k-hDH70^14%uCB+ml7kO-^f`|Oo) z7@s{=;W-%w(^rm@_wL3)$}tnXU#sCjIrZeD)wNI-TfP z`u!Y1db5N0m$m^|Yn*arAM^!7om{!al3>_o+KbjyEI{-BzS%gd20&eRWs!uhKhE>o zxaLtzwdHyKeVGgAsiP= zDBp)Nr3SsJ@wu7Wlnznz%Ti_1`4Ay`o^FaT8!|S(d_u}ekbLTcMTUkt^k^orO$aMO z>-TzxvyLW6opOc5>Jek!NBRiY>kA+2il5|`0DYFrbPK(T^xo^C_uhL4>Agyq-jptgfGD7Vf>c3~5fKGNEC^yjR6s#N5ky5r@8)su z+Z*?vJjuPueMvGoS$6k#cFxRqzMro)Ty#q^N8n;#&uE`&3NWRa7mQVCqf4obI}1l+ zQToy@BdJk!F!NEn7oq5fWTR8VE^KPRrBdjMmNFU%<)arraPmK+)hv@>{yB!5jN*quG*C&d6Z3{3P z3i$SVK^Jb$42TYT*}$v(?fK=He}#F&-K;+QC=}PZ#&Tc95=6J@>>fHm1FM1FGnNYG zFy{U0cow-A?%#;%{jxXY|HN}b)7*;aizFWK2_ERU2KqRaMQ)U2L$W$n%6!Q zeNIdQT?w)9je8OBDfH>yu#}_V|I+iEFVvwkq`65y!(!l9&5q)nKZ)>cut2nE+8bPD zKVQ=O;RYl@Z8DChg3$e8$A|W+QHZr!yLHIR1F{Yj*2gn?fyC@psaubag4->YxWmC=-J@EQJ_-Zlt#Yh7-(AAJeqp_+tDChF6;49pRHjal{wJ{MvU%=cO7% zH1!UAVAY1Yh=z$KS4G100iyiP7=f8jNYuVMw0*Sz##BlG)^%Ckg>eQv|! zJ0A{(3O?K=XOaM&eN8X(suYPveziWaClZ#;zD2%y5P*p4TZsBI3&$Du%aImC-P>)k z3X7*u-?_H#?T?CJIl1&HRrhglI-bycpr8f~opq<;+fxX^i|Z*?HzMFb-fgbW)4@>t zSlsE)y9oH+DHmKh8wVwS6t?w+hk?EDuFpGfpTO%~(&*L+2KIA>Y|yBe24G1ge-1XfVYI!3?At z5)pj1yAZXHe!8N@?*(I;qMSE)F+ErH&rY)+DRAhT9PjkhQNq9X_@<{4YP$Y;*03_A6!r(Lq*_o~L5IfDP z*Cx>h6_V;1z%q%hzTyxL@@>KVwB-{XIRglllBP+X(L~`7N8@KbCDAtaL~5Tc9kkof z@MdDMF5=G4H&$sg1(Hm;NTE$LAnNzqVoam+>V+hvKD!-8=Bfn)F)7jdafYzxsjPC= zK0}O4wNcNLr~{6QIIm&T~=1`7hEq|3x0>zsTbJ7kQlj;)3Q*K8#vPwL`uq57<=fwnA>c zK^)YaYKYoqR2Mrg0*7na!$fxrXrMEid&FV|-}jndT#0N1rf1pm6W#T&AerI+Nuddx zr~(Tw`qslF=Mx`!yGFRM6=h2nJC68ooZo+{mJYa|bh7L80>+%l=`yh>kg=|BWSBn+!e*V`xDPoYXA#> zDrzPDj0w+QUu<$U8$BKd5~eS_%eH*MKd4$;RW1x{*}jXD{tkms`@YFPh5?XO>FUhx zSb_v3^XqQUYJ-+~yO_y2HJEs&eURBZJ`UUUvjEp?9`un^lfB5apr2 zEc&?>Wq2BNo{w&t?rle3-<qKW?c-AUnocS5+|oh|NnCyD#riQ#^C(y(q#-w>_oiw0X_Gq-&0AVoP^ zg2&z$tyDM7y(@8niwO^W_+MZ?|LGUbQt4xJ5gOcu>qr_{&)+&*prDO3PxA%S6k_M{ z3kw&1kV(PSKB~m)!J6pwF*&L8JH^r+?FJMV(=D?7X-1_U>Crk;4^fXv>l$| zU6oRxJF<4JRP;I`>L>HJzoUltcck(Djy~SsF~IvfQh0wy7S|)i;(8>kKKma%QVgy~ zio^9tk+>eIk}!|V_oh{v%4Rq;ThNw~Duu%FI*~}ts&II_>S*m26A2YFh94+xLP4}>|);^Dllu@-2TVOq~R(2QS?E`B}s`1N4i zk^fweHhw+2`1M#JqWz=Z6{TVQ^NC3F3F*Ua$NWIKzm$4%M2z;Gc3Z`T=S<$yVr6Esl}a?Ji`xJCQKW{0SGBy zOJ6N*5hR>HtNHz8k26bwSc$wX2J#ZbrrJQMQow|l z{yaRtrN;eXm~np?THGII5AF}ciu=Rtf=?S$*O)8q!Ls?OX_c%M6y9}wcISly%zv>` zFWr-b?g)tbdf3~7&AV>9*aZtfMXTIjE1jYL^3AW~!XYTUOJuKHu^o6?Yi3vsID%-k zJMX7&CTO-mK=AlU8<5xFl31F8*O{WJBxsP}%YnA~v>IArs9B2v~H1~w7{@^)Z# zmk%1*sr(+W=bCd139B2-9TtUAOfOmEU#~0S;|@!oev>Blxq*qC&1ZGY7liuNfEF2P zI?}M8_W$&U8IH)fJnJ_SMh+>n#e1)_f|-(J(OCy3sQ=dANU|h=1P8u+%yr!dMC1S4 z{msqfR(%VjB&3Or9NM|~p@WwKRfUtn(cDV62XA*eNIBfx9$#b!$L>tuY&MJ}Tu=Uc z9+bfOL=rfkNCf8-iQ#-AC7e%$al6h~TDGur;qhE}JR2U*fyWEs@%!-j|996XIxkPO z9`!dLRtKiI@PZ%hn0}-<_3gz#CAcg>7L~K#4SBH%-Eihr0QHfU9k%>3puFJmwp>I9 z1R^`i#th8So7=qEM}KI7g+cGJSj-0^J@e|jdIxKCV(z8aT|G4rN@P=i%qIcbOfQBS z%0)4qYJ4XnwHkWcZCv8jE(nt!N?$p9D5K2G=h3fT3xmA^85sv(4oH9g<>1-SfCQw( zNk;WD;Prhmwp8*=khLeB_*H)t6`fRb|M0U2ypnq~MZ}Du;CAs$N8w>q)AL@CrrQWA z=|6tIY+?u#A0H2nmK&j}QTnT|&s*T}L3n%?9v_Iu2jKC6cs%CU&39P!+Lwd)`HKoa zf9=K3Uu^jKiyuFK(c}4s9iDIK;rWIgo^P1o`G!88Zx}<{nV-}z4(K4`xafe!J5o^h zMWH6Ag%jqhv%TEkDT3GXpi;z;^x*prSSB?uXhKd= zmyKxQgGilk*+H^qh-kf$XnszYqhn#%8;gV+X|Pv!OsrZq{>~l^fMh_q|p=lz`4G@A7LQ_XXjwgRXj* zF5O9YfqPiR5yp>;Q8|4HLv)|EZz_Ww7-xjgeqOPMPZ^SOqa^Mqbf20Q`7=8>YSJ6B zgw2mw$XZ$~V10dxox2S7yw!tWK50FEjt1~}E9z6dnLcQ;m~!gm>l4n;zh%$4gdI2l zaWL`tXJ;JJCOn)k8V|`9@TSN7? z+NfZ|@8DvbGJHsozTugs0&NoAeI}g7NNBb7>yCLjc&K(uZjQnUI_A=N6k{XNi!s4n zqQ-9U{@${lN21+{FcZXyJ>T@=RHp0=gV~|I#rsdU!|8kg#q?1A#LO z$v46{;mDu5>56_DSjOeH}zMYARA+YPzk+>XLJ5;UK zxLLpy0uQ!_d_9+42L%nkFR+Z|53G0FAGMuT3~yVdc_}V{zl|u(^~h zt#sHEhB77V4JlnAxaym!2Y(u}9TcNf5od?z{WV6tBz&k};m20xQC85r-d}mvj1^)- z6%4nL3L&NguhQcVv%{X-b+%*=UErjc%FnB64!~~y=NWGZrpM-vFf?aKMbG^NQ-w~s zz|$ii-XGy~Cakac%cmBCPV;@C{z9TquqyrW%>y&^O}#N>j*cHzhD|0ztcBrL9?yf? zkAj5xK3#kz{vlH;s8=9zZbL)|2z3wWMk(( z+Fkd+UF}-@?5!@;f2AbTpgjcAPqUsl7XA>z&eV>LYpJ89ymqB0U3Uok!#w7VeOVgr zkG%D7u64iBf{BY&WlX=^;dR16p0!X9pa@cX^THq;y;#pDX)yO7+|MGapCMZRC+dIr zx8AOX>jBhoJ%Bo{2f%c~|Iq_z<9YyuKVM&5A8w25!|ic>xHGN~x54${zJ&D&ME(4U z&WjPPSN!#h_;){nZ_+==bTI$RiOZ8QJVEYAlzeSifX5KNPBy$t00Z#XeMz^H;()v) z=?-W+*#pt<1=07RCiGYw4;g~WA03Phn@X_Wlr*T`}YE6$wvBVS{@`gcb}nmb|2hPHOy>ZmBe(5+*{9uoY5PPYTrp_X^@|i z?sPpZ0qVx*1atNw;AcO?9%mqqpLhPf-$c}pj%Yq`>)gd=bHxWR1b*j8#qXno2d`4= z^xOrq`Ax4)^}8S+$XK+xa2Ktm9ODu6yo>&x2c7ZrT?~G{!{)gDa~^cW&v#Dv`OX9X z9vR?%-Ez2Jw-WBxt&00~%i(_A2Iw!(OAF_DS>ik|9h~Q-j`O^%ah{hN?29Q#JUzK^^69nVGPO8hIN;%S?tLB%6r23IJ!cQ29W_rX z>nwq!^E+AoO&`R4^W?)}UR$uERH|e1w1S3l%PXvwp1A+szxQW}>RX7$vt+*S7RGq0 z{25kvYej6p@HzMMC+(Q8!=nOs&nX9#Gx+(@In4hqp~G01Y$_D(x_^{Bxf9b}JFO<& z;ya0co1EO*;4XqaQZvQAHbt=b^_58Eaxnyo8pVF3Dk3}|C--zhS7AyFh8hDZ;untGiz?`RX<3V{1$N#(ZR3r64ncF~i&G80Ja9$x?&DJzB@v0y zz{Mv?Tu`w871xC&X(Thb{=nq|HzYTY`-iybp!<)$?!QZ`4CFBIS+Gb1ytp18&^xJx z-b;o=`quCP`Fyc(8;v5kI>^_Sb+#bILfOmv63SrL)PZ zISZDa56`j1G!y2#Nw!uW+s^L@(JR-7mae2DfrI9=x3!&tCE@;K?O1zwkTps3qSqfv zYRSZvN9}>AewAo{=jK&1&ub-OaHf7_qD|8dg?fJo{P0K|?vDU@O_&H|6-R_Wkx+u7 z+z7Yc7ea);cYD&eElOh?@rX0?L#JL!f>O5E_`L}9yQ&NsxyU^dG{7aS1&m7 z;^n-iM-jThbC&fdUkprM-!JYnVGl9qOZOKQs6aB8AkSs>G*}e1uvlfM1I(EI$>>ja zXs}ZexgX&MQ_b4Kxd%Mpu~gk2{_P3rXpZHy7gxEuEi z4lzWMx5v=TfdS=ZJUbZSCl7<$be^HJJVd^ut)7Z(MRgn{O_@T;kiq-3 z;5*ijeOW?NpHzYA?8@}7@;=N1lU>I+Q^PU|^R}cfybpMx7l|~;d)LNQIiNn9>i$=! zI22Oya8aN+1fs^`LJ}r|AcX$cKx1wIl*PPeebr}-iYQ-5rD8n9Hyu7dt4NK}NB;&M zl}JUfEI*|%ldJ@qQlg?~OO%0AT`ytel@u%{9;);eF-LR-mFEx3N~7;TcuOx}`qJHM z48~(CdQiMA`BycYG~xH3TCUJRqDL4e$}QBmo*V+&x&7~>H_egwy3DTE)`Fm9RWR_{ zh#wlWOU1mLBnaydiSn?B=5N|L`ol?BJ&%G<|K`hXOJp9^9ZE7Q3}?SxiF&fi2Y%nS zANr7_3tEDFn6g*^Dm|x!8?UKD(@MaJH%n%y%~3>;gj5p*u5fgO)T=`2GrEVmC(Y54 zXwa?OZ3=LnYLTplE)Y0&8J3>g2n2eIvBhMLV6Yj#llbQ2VOW-q`7u;gh!kWJ6b;t= zplRUVA-Y}SFuEi1hHJh!?23J(R4gk24?c(o@Hq&<(gDOS@Y4dRF+R}{KPLi9stVtY zSxVu;%;gfnf?}Z3^!0z~SPDA6svp=!ihN4|Vn>`a-_K<&L6yILs?D<-Aa z;z``ljk&9x?)_45K*K;*VV^Wi3;U_iUeTQzwok~5JSbH1iZyAjK_B%LXxN{(KWIz)s*18oIvvI>MdM2t&1K?cwEpy;wt*w%RX*Rpp4eBf;NHsBD3iW^ei{T=y8 zndI%<(T@^vvx33sI#nDRy0l`oC2j`|57Wd+FWEub64~V^d64>VX`1Jy0C42Xf&1;lIy2|Mf@xcR!Y`dqUy&4i-Tq zqupmCwi@)MsjXYt?F>+pKM)PW=G_M5XG$~QhJz@Bo_WaE3c~zEE8ggR#@VUh`A9oX z*C+x!>~bC!4o0Hy4X0j)aD|D4CD$ygAX}MobL1_Q& zp8j7*QTGKJL?-2mKEECP|zXg!@56`$t6MD}!=&>+@nhowlEg%Q+lD zTq*TrlXxf^I4o+c{5Sx`I!kk08gYS7CM~Hs5$;gV97n&tqY??&FWr&kzl3tzeZK8I z*#Wk9-l!+LT|wsMYs>YY>p}O%pP4%({otKD>J_n7gA}40*t}2GLsDVN(Vz$2V0CHi z={c%%sHt*P{kp$s~I zXw=0={UC@9?jXCY$q%W$vaTiB#^^k$#?zyNH87abwEp%+0|=bzHCgN|hO{PDaw_UG zU~nYri+S7)bo;a0m1QbJpl6TOr5vwE-9InSbB-SeLozxe$-S+x#s9{TCcGZ;%1d5k z*jof|?_9LAWzmGm)~7MShpmw4C94+GH=3ZV*7YifUjsA-tdQlX^k@ycI$=K? zqWV&z^ZrD6e?+f`=zc|XeWKrYGux5#Lqeqx`d&$)(mDrnk(tbJ(k-5 zEJYUZED3m1HhFKo4~3WdZg*s|Qh)fF>jtdGk+k700cbqwR0nCNH;4{}oMQKN2QAm*Rkj7b=)@`Wmz}o0@TbV0 zRYT7W3cC6`&$fBNGt~t0?to~NPW{J=v={S7B=NeN<%ju1=zem$pOXbD%(o=zIr<^; z==3Gw;Z8)tfAOfzyJFN4JKSgfs|m`B?v`EdZba-#&G{dXor1`(Ubh@XOJJy8Y0sf3 zjOV*D(5`pA66o{pgBpJu3fB#YT03_EZLUVUEyiP<^s zdcYgV%A1=i&$&UJ_FIP2(|&~O+eGu#v(*aUZ0v&2XP*aaHMQm-WG^LBi_I6S+}l>X zwBZH=QyUuv=>f>1qx!&`dN<&4Gg_!96NUX5uKUc>6)~P9_sGa@Z6tL4NRI!a0K6KM z6p`&wLfcB_JBRXwKs<@kH$BJ!-Fj|$ZjKEhu^KZ{H5m=CIPfMuokSZ*sxG{Xf5MIS zhAV5ws++=`N10ZO?;z}2cK??4`wI3PVip?72ceT@t(e*O27JiM_)XK>4_@Ei?@J}0 zLqvH!MEzht*7LBZeA^4|8yfn*eD*?p?H!geZ$(ro&(Co|o(?$O-%?jJWBg&a^Up=| z=wa&U?DHKeM^R|iC;ll+&y8vF_HuR>q9NySk-%TiBnByVKGADIS~ zOUhQrmFuNU0p{CPIwgF2DMK8}gno7?3rj=aeuxD ziu?y&lBP#qe&w$%@s9!68F&HA(Z)4{oIX_)VdHcaS!j&i&nfo7PM4wkc+ z14H9nRc@s=K$rL{!6qBjWa#B=k?jNzGOPB`3b`U)QllRZBI>wb&A?(zFq;K1oa z=l5C-fU?**k|mEph?lOF$noq#?{hBxxqSQvL_f$9Hvc$@h(2GU@kIY$qVX@v^Ogb? z_0g~w*=wz8HEf>QcZIA>3l-j}^zuB_uPTwkd|H)H1ISM-CG}iVCEUNxWeCe~m!bu# z++MY)WjYYPOBK-A|Q`Gdz_VP3VT zdU2sW%m;joWIl-LDW#|h0l=OAWF}HE3SH70k1?#XM9V)y)!Qy;1Iw`2C8oy) z(A$*az$&YYdKAq2YUoVSPtHoO3Lbf&@?N6;T`!1s2*(zY@`j)@JMy2M$KLZNbgQ{# zx4hwiorsmQvp*bsG15-4ZURo6S*cMJVW^q@$$X+d=I>7CQfMo}jm~oZmfv!hgf5;p zoS6@lVDhxrfaI@3sHw{`VcAL-#XFoHYYb5YGOBe(GgCQW9985$o23a)2aBd!={=FP z%LPp)D{Suf;}z1oU8;oVFNmHuiSjR$A|kV_1fp17%?R9YT+3_S z(tyqf@8Aw3|zbXhMoJ zY>7Pz>_u-g>FHR(+=9i&ZshXJl{G{W_b+PJ>a5Z5;vNeWHS=Z zopzyp6cP>^wvP_8QXfUup*urIqJrRxtihn?fnxN?nmtIdKLwIs*sSlv&L216>P{nt z0=RNdNc%M3DHN0Yp+i0<1E?~%ZA&oyp~t=O<|=kWm^pAR)-lTzzT}DvetqVK1jUl2 zL|zzzO~hDDD6=`d*4A5+yN>fA@cw$e{jI_bwPtshlD+)JlOo&;H0ZjR5qK#CGiThzEN9ZA;$VJQaoY z@4Vk+?ubSm8cDv68$v|mt+N8#?x8LE6_d5*meup#O@4$Rs{?qR;#QPmaz{#MwtcCf8^tgR2I?`%~C~wC~f2)^; z?-vyx#ubSJ?VT_6!XN>hg70IuFwR^p?WeR|6z1TyGs-9YfhAg)`e785U;-Z>j7uL6 zHi6kJxjTvPUD23k<`s@F7!O#1XFT)Hzw?-g>SzAj@%b){DPnhwkzghJHX7epq+mMJ zk;)zb_atL~P0cw2W9_e~Yz`lwI`VCo`zs4X^!+CqPc(n1GpOHxoI)1!bD|_&4_8FH z#*YZ@uTg^zpJQ>9yTqW6^~(86=`v8*apba`i#*y_ACNH?R|i(DDaEThbFlf%>=p9P zOTdt~gK}F~A-Xf<-~UYcGQU`>QB){K;yxaE20{fix9zQ-JSU#mQH#VcU~)rtfO3 zq0na6>WOtL5b|=LJR_Ni+V7wDFpUd=PY2wJV!ZvpcwQqu2L-}A*&7#nDMF!p^o8kC zv>*IBkV?JXs1P|&-%(XcbV70zw%IX;hOkudetE3J7({fKy!N~`1E*f$-@Om@LAdOF zp(+WM*ZY`ljADLdqRsW?hOdlZGVpuVZ!wHN&dRu}Gdc?Mo%$7g9OM7gmV_<0{Kj}s z|G7UZ`2CT??~f{ef86o=qln)h88Bdiwuz2Ipg8aUY*mm4e%$PPYV=7D%`NNLQ~Gj) zq`s%lPidc-QQvyvOXpa0H(A7(B(@WbC2jAjn`e9{R+4f~rCu6LROe?jkOT1j1) zW4_iIHmwJxk9C{Guzm|sz1b{5-jI*O&z1d~PB6m~Zuhf30x8z}NS@^Lf$WR-R)*z# zVQ=!m_lIwXp>roTE9!$hKupeb`#MRH5qNZX7Igf7spku(ej3X0YL`2LXW+6Md1lgZ@rAy1;^`6gS_pU@Y?cW%Sx0Eyyez=aCgfP*L$ns zdT%pa@2!FBy;X3%w>qx(wm|$=_IAl|1UjRy?lHMj0I%)mILph^VfA|`IcszY^6$!% z?3T|3i%SjSZ`3OgQGeRM^)XevK4yT|$E@-Cm;zoOGsNp-N`(1kf7ds`*LT3z_r}-P z$Jckn*EfW}dOR;&k7tPM@hosXo;9w=Gsg9Jj!2wwesXY857j@Qbv~&f276AnQY>6n zM<<0#d#*Uiga7sgeUTY4aC~H`df~YWRIM3|4*Lg!-752k0yjU%4i8(%=}kp5&X>Jj z()a++Hu$9KjQP)%PS*AY90t~3=WpJ5V2*D8DIMzMSA#1xkzAC|EKzpq&X2Ya)PVBL zpG$8$)S+OFjrE3?2I2hb@A~Ta`r`Qdn)v$S`1%s~`jYtdxa09=c)TYbZ-&R4Lz3IlKCLSKMYTZZ)SpJgSh^# zIcZqa&a;Z2cSUb)$ehE|Wx;$YPo&}m=C@}x%OQ143oat>tl3E^Fs&BQqc`RU`ulrd zx4jVrcRPdqc?ZnUe!=Ma^FI#4@05INHH>S!efRgh6eSo3uyps?!FTjHkBJuNG122Z zCMulA#E+kuR6F*;b;pb~@{Cv%VpRalF^EC%y9<+FI%x!ghJ-9kdGA(*W z8(s^>^qtx6gyg?{AL?1u0C6F*9GYT76pXZPDq&nDqVt}egJ0&XOfj5ve}6y!{=ffz{r|VcKd@1l=g-!IZDb28&B+>& z)G5DMaaRX2jbEjWV!S9y&90Zf?rC8h3jtFVwgB|EAE$=vL;P@khz70?LAXA|4A+Ms z!u~~i>E3eU(L3ObZyCgNk-@&IxviRXeq`K~sC(@m2^>l}buDpx7g)-Ev#?;@Mws9F z_x}I;_u6lJ)>+yl%n!?q^|D5?8r(KG-(U0G8ja4-7W!UN239gz^NSZWQIoGrDou_m zVZQL+{Zn_4CrWeqIyT&&%Ta zc?n!UuZ`>H#i4M9=4Eqc3_7IYb?yEbHeaD$^w1ykx2!z$Z0A*jIHZ?(2)c^pVaZ98 z+O8pluwNOYme>0CuR`d2xOmz4S1rWc%6rlvLjh9vdR&`1BL}rFpDgxwU>t>`(eXDU z#1T=wR`u6ms-0ODAW`$kce{%xD&e3!eHr6VS)aAyW3D!bA5D6U`qG}r-TuSLJMWEQ zx_tI+qp>N}T~_G-lxBmb`K%bfWBiNcq$I_j9r_?nQ^GqzDF@W6*H7M*H$%3gq;;0x zY`}q1_rz0HQ@9r9el&sI3Mj-q%I|;Hht>z>FT0)^fap~5quihfMD+Ycw4P6NKC$t7 zTJGzWLy*6}^RiHz6zUll!+X<3yib=gzeT^3b1A=tzEU%hw7w&AKZ=csLx%yA=9Q1We@0#QnF=Yd`(h= z#COqf#KT2m{cQ@el3EIg`Va$>^nx{I^Pxb)E7I>cZiQ4Xw!PfVpaN70Bg1=4^+4;I z$kLL!IePcHJ7qIK4W2zyc|IjzE@MRx;~X`>IWQ?Yx8E3UH3Xza<(j~7n{sHCj62 zH=1=}VSe5@$5IVKx8%eA1ggN<;CGaoe2R!;)6uWZSra9#pAxvWp^L(~)VAx9Vm!g8 zA$3BFF2KRn`up)KbNGGtC=1h>KrpRWUr&4D4w~myc*BIYb_?qES^mqT?hwuLk z`2H`C@Bg&;{?Cl>|8#hL0O9okRlGhRht~((@cMufULTMm{JkLR&qK6+a+9LoVyYXP z2Y6u|8~Dl$9bX-A&j`kN(r5hKXr4+z2!-H*Sqd{mCr|&UZbk-7^LD6j7obCRmtN~# zKPZekmh-jD@6w}en>o9O`Ft?`MLHxnVmG>_cCd)%E-x&r`l_6eDFV~U%%>@9Mew9D zLYAko3Sj3TFfAr#SR zrm76yih=f@e7Qz%BB0mKjB;%L++o_Hdh!yJ|? ze5Qr#)jv!JnmvGqvyeU`l#8uiS?h@}tsP6|QKa`nqeu%dH0?gWP`6&*Koh z?0I?a7suCudpeS&v*!#@;*iMN-KSolALwIgr|t)a)E|YlDWlQ-tL*h9%g(6dFnz}3 zbw8}Hf23)+gBxz;+)(ot;R4l53s*SRm5_hC&F?TSY+mB>4bj|SW|XZ}t#NLV1NI&D zc(%QK9|W2_>lWzT3pP|_4;M}|=_kq+APioOGhv86twb#D*SY#GMLv8JO z3@tbNDNM>81(6Dakv#J>V2jW?v5^puN{3ht9^ObN>>uUet?YWA;V7DTt-#SZmxrVu z#acID`o4TYrl)2j$>5c^ub8(<qdw>;3~%dpbXO`{qC2lb_`Do-Q6sRt5mS|g%jYQ#_D%D_@yu*bpAgVLvD_acZNNjGt>l1 z>UXN82?)L$j3nNS)d5$|7b~9`qv7nnJv)|_qL7~}+xWqk;gHU#NB#9!IJ_iHTd4RQ zj(*S%(I0OJM~3yq>=%WOBc2K&d9x-L#6WGk<`Q^weN&PT zKI9ShKP0-}677#n^i_@op>UMxKVA2lc5dL7HP1DUn;uY8!9s7ch0S+X^jtuk9$fKGEy1IUF;Wr&LRmfxhBO*M1;Y2b&}K1N*Rg17InUs z#|L`l(7bwu)Zs^NB1h*MOd6L--RbM5zjb0(07jR!4w8o)T#Nc zgG3}8q7@FGuL#EG1u3P?nN=fEU1Ri&oH5o1U!)Q!IA;$e8!s=0v_!$8QPbXWUoH?U zslWT4_W<0ENjpFEhZjO4$-h6l#|aAIXBfV{V1lw2GP0QgI)wcLr_ODZG&8zD{TQQ# z@lYV5`K;sSw#ymL3!JOv7&r{7fA+tUd5`Iyyd2s&yTVannf>)=Uh$}sqNGKjIu1Sc zbll}!Y7hLvU+wIVg~0X4f`+#(eZhNY;qts`Fvhj6<-H{#3C29Pf{qKm|NRS$>)?sdtS=!I^evY@O*3549|CZrc_kot8@F*(mC|Z?R)g~z$>Uj zBFR$rK_mQ*G~jJWD23Zk_OKc$-z2P;_*<{G!t2#ac)eN!uUBj1^=cKoUTuh8e7<+I zsap!Fk|yHvFG)ZQlzXxltYhiliyp9!1I99^}BJ3^fWK4zfA*KJ7w z?P*AB!@m-J%7Ej|Ba(`!kZ`|%===-O{ufdG714a@FRw=n=k>_qydDLd*JFtO@_OWP zUXKi@Y|J{#`DViE^3RzL@l^20v+q||$bhkR=b`@PI8=Hy?O_^O8feHgaPS_eMmCN& zLML7X!K>sZCgW$Gz^7h+$XUY=W}@^(ntv6ehreh9_g?UUC`!4_r{l@+m*--J^Iyzx z{)-vTe=)=PFD5wuB@`Wfp1sJ<;ED3cMyApXjL>J;Gt{)xa|R)U3&)h9K@I}8F&OCQ*( z>|v`~`U(?`9$cVkJ$w9-9?*16*gwbmz0WUs6;`Kd!OU5gi`QZUk+=nyq?d{gULT-^ zPQm*@o))ywolG&O%r1iteR(SJs$e%5zcUZlv8Ds+lWM|AEmUygH}get7Z2FRl`zgM z5{$TAPfnhU$9%DG3VrYbPY78X>1O?b`GAog5ly_{34il{K0Np@LrVIijx3N7{vgt@<$SdKkO)zW)l<c{jD0e5f(Ud(6aVdC@*l|`)bH@RSZ?F2fN?ULmK5 z;sB!YMDw?mY>kZMY!_5hev0YlcWuZ@;<$1ymL7aJ&aO4mn8B%IU)PN&bkUU3Qbc2s z7U6tGo>oFF&q@^l%E3$NmW3g14|K4Z zo#M$CjHkM4b+5z75H|Y*a;T{-pw@b9E9jIZtj5P1%uyM`e$xH3kuA~4TTeE#iX{g6 zF{rVtejMoUtiN`HBo^Hp8o%+)su2A;<2CopIv!34gz{7jM#7=ffyX)wjUk}s3;X!0 zDOC3*mrQ(iMrnIQ?8x3=daQ;E1+3V2PwvW|%|R9eXgWx)$f4{3Y#e%@2Zp`Tdq?rv zd2Eg)Rdba`uhk7QqpKK3P$)X$m&kTL+XggqkB*j~!sa)u>P9}?V?ws4>h7;G?S+v+ zRxXBN2Drq$J%?3;2hDc}3$JwTB0Nw1=jAQ_B~uNMTb-(*6f!`eJB>zWI@RIGw(5v| zI%=>5>+&s(rYK%narml=8sU7Y_|6mEnovi07$v0>(ddt4ubh<|Rj~)J#uWqf*a?)< z`)v5IK7`<;NzpA;C+I)+wrEL+7tWMfuu$y4>hJa>O{vmaDD=sGuvsuevV}%`oEMa# z)wD(C549@%bZY2)jm=Xl1ze?%_K-$b55_BcV0G0)Ki_FpT-HV#GWHZ2MhH=ke%u)m z{A+;d{=EEt(7iv)8{AKi&R87B<}0b{7|V{tAkQ@CHpW+eu-^Ahj^}|tDrr6t(5+<% zMC;*1{k@644}bZ0|L(_5w0=v}pVqZHFs(N)2<+)f_mBJx0ouFs31-npFpgSejp^G2 z2)H$r#g?0oWT`e^h}#}P7xIT)PoFVG?+cos7SLv^lFNI^WSw8Rka8H;?WF)3gaLdF_|FX zUTbVpDt996??-fh-tmZa+}|n;D3`@2w~xG0J(*H>g_SuRwAsfp(lJhQ3tzcal$bQ^ zH))D+|B^$v9!PZFlW6|@mtU`m^XnyWe!V8nub062^^!QhUW%|EHBrABqVr;f{X?w! z_x3?by4~{~kqp4ZLa%B`!;Sj9gWX>Jp@knL6oKp8cu|_sCxM`RdLTOg`&W-D4nFj+ zP2Ln+p~@GnK`Nr+aAzQ`hI2p=QWf=uCRkg)1K9Gi~cMa zG=G0z9F&dm;%T}zKb%8u0Uiw#@uy%=nl3M z>RnXW%a#hC1GAqTXFQE=qCG}c>zUAEmqZmfUj)2%qrwFYdT1M^);>C{Z?aI!-OQ*= z1zElnJc?Kzu#e3N9aYtY&uZVaPsT`qO`z)tNu@r#b1m56TW$fM#hy=nEE=u4JN%J9 z;Q)^EBN>xx@<7s>w0K_Dfv_JM(fuL&Q?L@!wd^pnMP4Q;BVhe(2T7r1{ zO@XI!W7)#w2#BO5J9iX?ATjonhtzMmqK>wk6?#f8aCe@qI!x0REn3TIR|jMoS8&bSqva5h2#mGq0u^lWHUlW&h0tv%=%ceVWq(}%qK30ZFs*@NhruiAew zj>p~*Qc2R2LU3F@Ho^UeBplv4@a&Yf4BTJ|j*Ju+g&RR%7PloJr1XZ_ERQDueNtYg z?RsDX+kaknXy|f<4^m9WH#2>qRq>y%14Q>*qUQyo`+hC*Jl82dP-1gUKPZC(`WD zxb)-^?NMxQFZS3h|4n`1NPUuVj6n|`*$rO0UZVq9P3)s@2gG6VTJcD|uLe^2?(;_= zL=s37`(>6MiouHGPD7{dnus#;?K&H~5aE2)A*g15E=d>E9_@DTXSoR1CWSsyXtcp? zNWG}X#kCH@0*BABDXKu5|gM_eYa-)N3 z&wj2a^m2|RKt}7 z+blGqFL*WZQ!wf=G}L-t*Z(Yu)fz_&P+ z@ql;;*!w;@9PNJ?+$2?567R=D>%JPLA)jC%x!u>}|8lg7}n>;Wi`*E6Tjtko3{5P{hu=Abs zw0}+n7tow+Z<0O94Mykfs1Js5gHmm0b?KTm^61qP9k3RM_?fGMN!Mf{V4L|H@djzw zrQ_l>c~b|ioS4-qR8t_#KmE(g;KKQ>+&I5g3g@>P;rvz}oZrd;+Ct1ft_*8{+dF@5 z(sB*-zKi+%;}CUdeH!}k_JK~-vvWuG_HyW=*5MI#+7?wXk$0GFJLHV&ZL;IJkqV?w zHT`<}3DZ?w>`?u@#)4i`RowcPs|**va31`?uL!xpiZf36+F+_!8AxNO2FAS0H&?%D zK}n=v@);K$&^D0uE5DBEc$dPB>&<=9my;P&S3e+>O!IY@*Xmv<&b5DwT_dn*3aMrz zW+?QDqud@Yi3?5mi4;=9PS?2fa#Hb?U86fH$%E%e@vyq;J`rJpM-? zXa(FNzm1v^o_8Z!ZzuZurH>7b$}|^-@4Gc#Us4kU>!Sl-<1cOwY^_h^czDVoV}6q9 zwHa()>2tfuV^T?UBr0AsdO!ese#+wCUZ^6)G`ZrD4;b(LMBVkOB3@9*k9))-pn{ax zzrM@7OA00AKd-rssDtI*$gVSH_GrqthJK{M4(oH*(4H7pfrdSB#)Qfa?P)enR`5}S z7r&atB|QZp(?R*(S9evUH25P`ctHl}OhP(N?>q$aNtvg!nv{`>Krxs}@B>kOCei(5 zbjNeK*kjnd(^l=K#ua54sVBc6CZGW|NmOB!ZJ71wqYGb$mDFH3KflcRhB~gd=f?H+ zoVebe8`s;j;d*;{TyM_-I)iNoXg+TT8mryK$(y9Wa$$WZ*IQDoe{)>rN&GgL;}pKT ziMB)W|6=Yeqq1tFH;;lKT?z`)Al;oe-O}CN(v5V3G$@@Cf&vmYYz#sKMG*^8Kt&Km z0V#`l=I=A#-!p5?TJzbnSVuT_?7gq+cg24H;NZoI`TP8LzaoNO=~dyMfBp%$r& zFx)(_Gwq4d2)i{0>bZb^CiAfn3pcQTduS&4nj0j&xPC=x z#|27$ps%l8)6n<%>F%W`r$LT&Bkk2YPY`@8eW9M?G)$N0`lvKTfUvQC=9#1Z;73(8 ze2c6Y2@>e&Ezy^Q@O!TYz4jI)DbOPz8dn16nG|F|WF>I_(t&glQTSS~F>IN%*hDT1*P;ROOdm_dSElt5huy>TW?;{jHJR zq2HuF5`cH=xr*jfe+H)?(0bDb;toCx!a{jAw$RvKdTF4rLq9$J+d}0L>thK^xBbI0dc@^rPlZ0zq zR~#?86ho3klg-M{JYe6QA+s_&55tY~as~7y(DR6|yG*JGUR~jex_I&i=DbncSB}NI zpM|0DXG+0oC1u3NkXuiqAO-@5lW2781mMkXkdI4-3ZkFZ2{>~1Bz%`8WJ&(6g@T8q z@4H4R!gj3d=e#jlsQpV9phBYp+$6RXFJ;Y<^|f3{h{kach)+ybp4UPV$^Hd2(M%xT zLXl^C%nTjOe^%q5q797R@&2qm&m`HBG3U5AlL~)2+F+ZgW_D&&8t_DF~gvqpAuR9MBbEV(XWH`kFLw9WMU1w$oXV;7J{yEyn%DHv9kTwYk8#j5zHw6O$(KYwh@K9J_>Jsh9 z@_^8?HI2(BqLD;?sO#&KftdZL|K9(<^J)&C6Weq1HU?FrTc5ehaJ*9m#_ksc`-5E} z+Yjj3-4VgxcW=5MAAzFq?GY++EzJHhtn+%TyeX`CKv?ff!o>+sn!_dFv~v4`V;&{) zXd$W0|8Nqqe|4PmDiDPW`ASEhwaOy@W#wl5Z5AkgbuTdPl^l|NF;;YR#~K|puY6!F zs}EIQlC*7ceX~l|o|d3ic2r7hB;7Ht16cc?GQUnOp5sVE-P(2W?-Dv;WOGloyQK{3 zHZptlXS$KkIHBC`n=6p3c2gB~^q_z1Js7{%+k1XOWy=a6C7R{Ez~hw#s7^xe!4_ zD%38}2;RA#Ry(1U(0cD7kECD|%D=`gYT8^2+$+6-O20ZV>zC5WjC`rjwZI{@6K?lH z2a%D;)A_?E>Y-xUDp^*s5%@0B#eNATdWsUd3EebyUh$_+U)^i>@n_%P42u=W$yEsh!SKea|x7Xw6Q#|>bX zT1u7qyd@~iatk!lv%+ZtyZWhI4cHuV;C8C9L|F4{D2D>h=6{QYhHBm~FLu(91EYau z&gm#HtSBm(YzYEHIJ?w7orO;5JW@Go9t`OA{8FKgB3viTBlXAW)Z|_1xl_`mz?^3& zYKK({x=Co)pFENPTGC@D`3db%h&qMSbIlgG@7wEIzB_;{KZhKi8La~~M<=egKO5j@ z$IXpbINkBn=IV#JmUS>y**5%rJq3nS*WG;}3(0o}gnQI$pbgc&0})fPaHBGZu{FRA zRe#dY-pxzFd>&msR*~{zEe2h?8k*MiEEr|RmQKm2xkCwK?w8V^?$CPkBVQ>_2mX<7 zwsS1d6@o79S>OAb0GkP>cMVo65xHuXSB94BSmfmd$-~GQT+TwEb?nDri(OX)8Rp*(jpH1`u zwDzc^LkvOjr0iky2xIj1f<}@=y$-znUNZJ1K^JDrvzksaSt0%LpsVH2)Zy-fZ_11BhU%;ak9CZk8{J53UWEUmo7;3pemuAv=vNh77p5u zhCtDRdF8Tu2*@j+a|rmu0|CKhqS~jEP$ci$u-JooxSZ2-b{*cT@bE$67yDm2C}W&^ z_sBav@J$I5W|=fbA8AD%y7Z}{;$=I_pPY4&dzN5bKsO(;?Nj#2NVb72gORP6TN6Y& z;3f@==|J?1{_3jDbt3|Xho%f?9{cu*wcVIGiq-RS z8$PKE3d9#9?E3XUBK!8h-B2?`yLm;7V_q3^e;(_78>@c6qApC1$4nl$(>I(8*woOm z^@-}9`?7HIdrcB;pA2+ab#$@#X`|%5!&$S0xZKjya>s6T=7SaS`3F@f1D$)#VAgsf z9kw5Q2~!hEgAa&*Pj|TleYM(5p$o_Wit`uvjK73|yF4Ftd{{Z+)O}q^lotVYB*Gta_}V6ihApn$%P1 zpt*>c-MwNl2$1y3{>~c#3cJa={_&CMQ}Hszt}`xIlY*FG=#Ux+6h{WQoR2_bDTS9# zRz_pK58T@pma+R`h2B)xEI#m%03wwd;Wyj}im$9?#U|Wvj%J~WD0cCrR>8*% z_}G3b6Fs*Dnp?B?>CRceHEKFm*iw?>MLAvEWFaPv~$dja9~l3)>9FVfP5%iE@49*s2>1Ix{W$2-lW@cKPf zd>)D_J`Y6=pNFD|&qHy;=b_;EL911*3^9hNjEXLLV~hg*FiOoaP&fqd5t zx5&-%c5@UWT4{07Ru#(E`sgyWyb##}YN$US1Qr)4v|uz01ey#<%Y0psjljNh7<&k4 z)+WbV*Cima7=3+FetIyf4UG-DbOeYpjY9)i<W`_? zVdj%y)o+I+ew+6CdK{e%eo)RKehh9*UV52O!49&Nq0V_^Jn(tvV?*o-4phff)DwQ1 z51kC0an)B7LXt@mGtBF>s8JT}jp&JhvCobBR0R@XfBVLxq(xP9=+ctCJ|RCmb(F{( z80JTc2TE2e4LRX+b57wc30(g5i;*Fba9(7Q7TZwMg5%cweN%mjkrRE3@OL8#cSFq6 zLZ|r7yMfiYa?2bV50s^UfSJ469sV**eWI!ILF%_x;<6%KVdKn}_+ylebWHZBM?6B{ z+m~g3zOqOdH^ogQGE>kb+u0ZUd7;2&u0+Gl5(+Nwr2V#W9B!g>qT{wa*+BTdZ~F1O z3@~ZAe=_=nKUf#2c(U`Rpt;($z5T!{^k_1qFLg>29a}ouPsGCth05NRT@TrzGH#Vy zR*W6!Ct0%uudu;EZtahVmkqE!f0Ig^@WyTqyt-h1is)`SxV)|;Q7O&_O(PHT#LQeE z*X&#NA5RC~IQA0`N|#VkfY+)lE?-Tx@G!ruvpNcky{4EQDFv~V4mvGWV(`uGZ}?eh zage|NrZkUH1bk1IRx9ktgZ@In_5C_>FnKaKRx@vfqF;?`%neJx-5g0q>mf22j$8ru zJDR}GdY;O@#Skbj&3&9C(1jFg$#*AA3_zi+c8a^L`v6e-A9nLBOye z;ruEo)YA06OB9v|63vPu*}tWsXxp+Zzr+Gb)-_(2MuM1mN*XDbMw#Zg;cFwYG~WUn ze67Aub&;7HTy9-B8{aI6GGDvo1deh*6%C0~U9d1BvUnwul7?XXkKT7{PfIAFdpPDJ zZVge~!cSHfaXRJF+7*{(Q!t%BIu~m=ofxRX|1Jr$eqhn>$@$zt9rW$f@8&3SOEhHq(0QCi4OlXgQU#uA z0>|xB3fY$w;Cbx^RY9d1=DcRC^F*xq0$AsRt3(U>8INy+L+QQc*+MmkEc40I-wUTCvcN zfc@$FFE*7OP|(<~A!KfdjC7`qMW!s_7p1(JN&*7&W9`3ddqaVx&fI!1Hx-qAqAO+E z_C^9!hXyz~Vj)RbX+l6p67sUMBP_KMT2LDn{YWehH)!qceI?XzdQuf$i$lh!d3BYg zI#CI#6G%l^G$YWl_MvL66JhYG?Vaq`Wly9W(3@!HqXt8XPyW6?m4ecim5A9YQ^CGW zFgoF@7Fg15{CxSx5dBIBiKZ$Q0=GJq7t5;Fplq|5S>Nh`HeX86oxEuQx`8!?!tN0$ zsz+tIvaJb`TZ;GbqI#H|8yfiLk_0tZlJ+{}Qc+*b<&<~t&cK3TVWF!MZXZm%D~X73 z+J3F!hQ@5hd4AZ1eq#?dxi)E&)O*!)x*EOk3? zE!Z0X*7F*xUW;M&CCxEwS2WX~bo-pYF%Xrsn2CLHLH@0)f7jm_!4>N&*K=ehpuAa` z9^PSs*KhxKy|;(sJN_PKD= zkA&NzEJu?a^|x8js&LcomQgA4er~Qe{Gkav{?Ktei;smj^JZgF&npmz^&df$)Cl+c z&DhJ8bHR|p`Oe3%QY6|IlyxRF96q!(l2L!ELz;D(zaHnEh4=loJr^IG2SzfkgLkhv zppZuMvAtn4RPa9fUE-EDD7hUcJMcsk)RgtvnOMw#e)Pp8>v1j2{37<&Z&^RNZD2C5 z=+Z`lC5ST5wyP4bqbp-8VIgW!$o`=;yCR1zJewyZL@v&tH=)oZ*=Yd7A6&g}oWr>+ zzZa&_N4KFvS52~iawI|Y)m^V_L4QO>Z+yRQuNvek7PP^e4BisjDlGPiqy4fU`z>X} z(84^>J&|=7+MgWqr8DM&Y?q!39=!yZ^_E!q{}wgZ4Q9yIfsmYWs$^Fl#N9kZ4&m}O zN~uVcu5Y`c(~p`?vn?xw!D_EOAPtVdXEzIR=q8q}jjNj&jLG!54*wUyHq7d(Iw5XPZ(BST=k01t95(^WGBVs`L zGVx`2atn$sUJi4c>Ovd*&vB6PdN|za8o^ap59A(FO%&HEp*TBf<1ASX{Hu@5@b!@y zzCNHskPJb2nG+7;^cN*}YaM1a*5z49jqe9-T<^0ttQ z1VqVuHi=?L1+~5<8Df`Hcy$$L@<{Zzb z&J)&Ro?l?q*J0%a)ri@$Gv_KJjh9z1P9EcB}n5je$8-y=v}Z;8KT8 zokP4D3Z^K&y5#og&)+1RtK5&C6oIPfb7pnLtxb0rO*Qj#sPlwTBlg~Rfi8&u zWbjO=gcb-6NEB>bRE2_Ry8+!@Twkf%^Bx^8&wzg8mY3>`CUmR^Xz|?l!}EJ>@cdqc z=l7c8`MtV$elNoFdrx8JZDQq>VbvR8{rOn?;gRdqu99vF=-J!5#bj9xaK_{4?%Glo zI-JRUfmgH&7Ky2@6=#=&hF!Xzr&~Ar=NFK~`=L1Seke)2ABqF-hvLNhp}2so$jXJM z(g%{f*Cq$oQqaiu)}fh>46wIY=DkK348lU=Ne>tz;8si8_YUQJWX@c*>HjtdJZ!u^ zvv+s^J@cNxp}{t^R9dt@Vv~eeN1rwCHkQM5ouT2?(E`l89jtn)h{DkET6J6G({OZy zu-z1R_kCaWXgb0#&Z9~~-|diz*3K%Iy(P>Y58?T7$sYa7TMR`ux3g<^Tpgi9DDK{8 zZ8w-Y&k~ej;t7vl8=W$5bOpBHCxJ3@!D!USkj&~vDB5Gw)C-oxp%z_6YBeSBLj zgnBG4M2cL&od44EVKMo@lns0tb{TdvkU_SMj?rZru0U9SmA16P6^>8TUTY;*LzFX? z>noSS5pSehZyuE@;wsDMR=cW-l9CGUrInuqW6m^}%ye-OV_vw)EGdE0Q7MPDErHbfj?iA z@#l*n{(RBEpD(KT^Fz-KQSayFxp1nmb&`8t3qAE>oFwWmMQ5Ial#l~X zS3O-Q-OrZ{x0bhxE`CcvpI3hq9`Ozax;D##rH)KQ*-!3Zk{bys<2YfQgey$3f9s-5 zvj?*KrEgA?IHNB`8f@R<38B@rO_pvd6lyjEH8OO9QA3w)h@_`6UcV;@q^*jsw|{d( z{|i2wwx@hxmv`Q;bNeJ{I9dDJ;q>}sGGE_toijpq#!caeXUpO2p#xUO|Ebl7R`@mot zfoySo0&pwJrF;+ff=)5IH`)&VaPLvLYKKP3|99{InIO`0dD;(M{4-^&&ub12BB3*K zPrbo1wdSU0lqndg&sYxYSb_-8QymT8fdB8_KXR@9V*+Ug3Zc@P@Qw-sN4c0?)uL4R zRDa{w+?4<@6aMD-YbE_w!Zo>x&1!z7+B6iwnQL`0(pX z_5bq!``_0uR(=lFdIW1;M#IPsW74b%I-~vbv2s5>5)4c}%rLvAm=h271H*zXnyiL&MX4z&J z9UaX5925U_0fGQ|#4_SrBm0RH+MLa^Mm7bY`&1+=@s1Qqp0vJ_O3sVZ$z9yITZ~<= zxWIbt(1RUj=ruhW>?gqY7`{kZeawy|il!g~p$T5& zd}i@UYH&oRUFo>KI&h~}cm&+{LdxqS1S~$9Q1rXH`nR73h-7n?QH9ANoeN#Gt~Z21 zZF|D{&QEIirqOWEwoCvri4_^SYQ%v$+h^?MNkt^1YcQmq{bo)5-@=Y#zk{Kp47fain#8N~WL zRvrshy)M>z^W%*(gpwJh$hh5`FHt`YAfMJ_+aVP)zkcO+_>u_6R#b(DZ{zZz3pm%v zae0LdPUR<6{q@kJa~G0sAMgR5n$@Vh+0!5`7P0?lFAR)p3l`tLOF_i*_sBbYe9+st zAJ#I*GSFC@pARc}5sF9(SKoY{0;A*#KH>qX@XAh>Hsx0`1PNXxeVCDi^P6Ggn_-<_ zq)ZnXU+s29_sV)_sN=L@+`ae6Q3qW9m(C(7_kbG`e>}8&i`Ecc+$VUoH)f8Xul@J$ znTUHWZ})KpS|X>@W>(LJ@tkzV6SvNSYk$K+{pSj_;B{(wZz~%bb<9iB8}p!za+$D} z)&bba3`$$K9DvSjVmXn`39KHC$1ko~!xyQjpZBVgki7I61^o?M_?HJNfX@Tv#pi)a z;`2bw@p+)QJe~i^0~LYeQBq+sl;SWU^5QT3gaT3;PuuQzAqIb5gx|YUCI;KbEgVR1 zhyzm^UBZN+HX01HtjY5B1;e~+ca$WZ;ZQfxE#gssP%8ezT+-+R&2-M!dDh)vlJmgB zQq_FS=Ofnh%X>PL*z~mw@c(`<#xElUF=;WgnPnR2-Ob5|d6&h3p7HEM&J7J@*@un9apKs`BgTN{2EbQEaXYh%{u z3tx<4H!P9`&!3lf#P1j*7_lbX_>22q9C|>%b{R+*=@}69Arj{@8@-%K>?*dL;YjQ0INS5 z>wFpO^H}GJSo4Da+9|OO;PPf)af-&<v`X4oe?^pN+Uky*qd0N%|MiBU%~Feu z!=8Y3Kgas}#9EL4yRZItzcAMIUeY9`7fu|5J`yC_G%SP?-c z^;ch@IH9RRGF^gMKl76!S6%h9Dta<*$z=GH3(|@{1kWe)g8CoRdqgApu+l{9tzTw> zJY%;m3UrHLp4VXIDYel>YCJ0RLV}O_j+GaCB2tB|%JwiTsCeQ=dDqh&_y+l`(|$X_ zsV{OXy{v|q^(wh5tXtWfX3!@!P_Dugg@mtrFdvdKgJv0vo)1Tj;Hhg*;purB$Zk~4 zlf=~#SmzN~*DqE-6jq)#R=q3M{S&MH0V{7Xy8DW;V~06N^9Gw7x`p%6A%Y;*lb-1B zu%L~Ipa=TZ<<-1NYXM6dOIy!6E#P834QXn50lJgPdG@=TGqjJ{L=rm&!!ngtbXu+l zJdyF@+Ds1xyUaR~2Y+2*M)z^uZ~7=;JGc)&=o-K{qx%irl8qY$#m9A4!)heK|h>e z4L4if^;B`VA)XPxOwmF`_!Or9GVr*2f z#O=YjpmLe-e$fSA5}Z#ioxt;lE@1tBu-+fAKL00Y{`Jkvg{X@}vOJA85=f2DM5ucw zz(h8Ezan=sv>8R#9wv*1*z2|%4a^xxiuy9iH^wMb`1tlypL{1c?xfD(i_597bRhXe zc-tGYLcXz{xq#!PDx5juR~?A1Zz^0GcN0f9R40i9SaCX;2SKAJC8WVF%O>_isSG?m zBYHSCALkF>d}k0RWP-5zaYz?928yrP1E=No`$$7CwEHH0wtUPE%4bE2QivQO=VJ6G z=VO1A&8o~ixM_}AKY*1Nm;adeky)udqTEtqzLt!T`1ysGdSTWupUi*yfv6+Wjvcxx z>#YVGzTFXy*BvqQaI~`Zh7-0F;V`e>{kQ$@$TXrqnBbifH0|7sc=25pe0PXWuHwFP zO#$Bdo(OsPQg`6{v$LkqUS#-WX-E%5M#jZkjl&V;lGVw(>!z^VrSOJ>(GV^xbp)>Z zS^!gCkuIX;hi(3^p52`0h)!CT)asBR2pdq)Gi0ri7}0#le{pj*V`C> z-xN`LCD+d=s>6lr&vx0t9I-vh8)qTW09s$MD+i3E;YF7>|JrX2__x2g6Wmp6aL;>S;N<|RCAlcH*Uy5|e-yI{= z$%1RarC!RRD&V7j!CE3;7Pc~P^yj?RKs0TO?H}ai0TN75ZT2bjqo~<}yip!Dua95) zRGp11EIck5a)$u}GCFU(ha>qA5;1X2MS-TCOyZ^PSV(C+z3X)~2C(X>$|ghdBBE_z zc#zvcAWjYDMUpp8tKoKr}E9I67ov8^~5vK>Di8+ry@6vB?1y)=iglxy2+h6%{d zc{@bj!xCPbbQDcho59BR{0>8=JM@Uw5B+>$hB@y(b6Cl9S5gWF*WVw?55eic*IKAv zfAm0IH4Vj#Z#5y=z|L6OA=|a|lLz{A9h-jK$K5Bp zxsQpvY9n>Y0-^GwT+p~*!5dr24TPU3yqEU40c(E=tN$GP)8Ot$xU?! z(xe;GeFp>Joe)9Ty_gK>b3IsXpp%3&rrRPfzX?bFVONxb68@^Z=2`dlXH`c$8XQW(iok=;1X?oap{N6|4m8QB z!njxC%Q#A9DE-k``XfdeGoKCXeuC9+^?6gsZ26Eg(wFo2IrZ8S`v2BEKWOR&`Y)*K z7CH1$!=K4j}a8fo#Im*#< z&kJz;J-%k^_l-L6F3gI%!ukl%kiT5jUQj?}9PK>Mj?zN3`9W{R^Rytr#5VIPS^&=2 z)K~?~9mcG`#me)MLWF8$(+#L#k$fW<=lJY%^S1q+ng@(oLOcwGB}iMLpCBtOA3mEZ zi9Vyt!|d0_dR}1d|CI56;qi`_0U-`)<11y7=#^IU_}4HAcs=cMteZy~q;z{dyUR4u zy|GEY3;GgJ*Jy6u!O8)l;vUMy3LNMV8N@j^9NE7YFSM|oNfP{ zZnGZTS-GVZ@mCj39&%mLd8!FFKWj{z9nuEWai;2&zZp93d__QtN)2=VwdIqWytlYg z(VNx6=d8-Ua5mNTj{k*ZG|0x*cJ*Eelxj9f>8Ig1NA4MuFByZuE0gy2&$n!Fj?vXl zGlC4wTvZJ3J;jAqHD6b3lAVBnmb@9lM~vu)A@kOI76#0GPO+=^#7ykuLG;r-;dc@e z@JeGfsW;hFfmOMsCp^_TgsvHpBvRt)yO`zQocQ$Z@R=J$L|WfO5d5sNbRBD z;|B4F6^>JNE+Xb_Y!38T+^5xjn+l(mWnY-CmLnrc3$2u)OxQAa@fCf6^R=9uKWCa> ziV9C{9Jx2*0)E~{>3%3%gLi^_j7)DTDy3e0X)faej#J6H+d_6=MwXZ;#p?#se42b^Ue0EIS0Z#&+aGq6oWweYXvL29CS=VFZhISKKjFV#rMI* zOdyCiS-O>(28EQrOI&droE-7UhkN-kfHi*#Ykv=`|8(NqTC?%fIOKG`d3x<^By3dm zD5D%4FX+4McNCb2O3pHT;-(IUq#}j-r%R!D9)crma4}pgC?gXhf(g5Y_tU$SGN$khJOrPzKKU`x9Y9@1+M0fhnQ{dGf-%D_qEtGE<1 zk(ft6enh&$5BII}5j!^EHsmc8qL_;2Oky7mUB~4-Cw3j-uXcdVqEW}5qfSs}&G8h9 z?BU^L(n6+yY00w}~ylk|@&X<-Hh$HBSm_zYD8B2rEAy zE6*J3^AjNnHhzs7aMonu{qg}L4J` z`}`M6ZkphsV#Mq>S&Te0;Y`f5_b=0IAPuSVoN_8bqU$w+!BgH$ z%Yuc~z^|jAlavz2caFTYO2DrI*&L)>CD+U$DE8Adt*{{|$99Z)DSINf(Cd1Cjys{x zPB_8J+1h*07+<(c)We3P}JQPPjTrR(Q+zXS6NM9~+b&IBE$d z;R)JWubOS{JxO9Xn^Pv>y??D_gxEe!SM z@Yb@WBd$^viH~_kd0a3B#T0{@@I+Nqdy+j#SWX8NxFku&cht}dJ+0KCemR6SAMjs2 z^56N%Pis|wkI1LOPqx_A8eczjr?hZyi69A1z5lr2LzxDH&jptf3M0|l*q;Yt$)za! z8#VcH6Av_aIeTs$m-}({#(Ye~M=#vpg|s*;+Y1cr$5THbO%T3KdR`LQptTQNjuji} z@H=>fFXw(Eyy4`sl2dMlSFPzg=lgRJT}&CnmHa+*?2E%I8mVNc)B?%j4Fi;R>U_xE zbUEO?7=QnYw<1V;%@~f-DnR_|zDseR0Sc$ReDv3@5@tRgR((bBDQm&gfjOw@rD5Cw zD;HE`vhKR7oDC1^YzO__jiGjBH>{t=3K2GbO^xdg2WIuIx6i$!VKG$trb<{c>b!L7 zX$V&Ye0+NJtxaYm$Q<;sNNmqQR}S2>Oa2%FW$r_z#s|1T>Fs@^Tt$RBteclrmj%#i z(CM3TGG$ zO4y6SksRH6;}Jhic*5)P?)n)iuyRbl&Ge ze9&T8ZgG#TLXy5msB05)L4@gfjE!#rET2sra`m%@38`fbs*5J@q38^W`421Hy-i=u z=8rXO7slncOPB#UrvUHtqZpJR;KIi^(*(E8gq*h&aQ=KM55J`%9kM+@s zdmS{%Ns5@CKVAQWh5JV`cm!3hoDqov({=3+<;)F8pzWMY{9-aphf4@?k9$LHJeMN- zWC|Q|T{1i}X91egdRe^@;ppH9VeQ0 zKCf92pVusb&uf;(=QRuC^O_a$`dA&jK2{&Ek5$F%W0mmwSPQ&9Rt1KciWq{7o~&DpmR@V>J#@sw$+N7bt}*LY=}|0%dSidm(yS;|lar z@VkG~7(%=OoLN3x)xiGfn<=YU8|vMST&bR`fs*Q2_dv~RxY3u$yRh4fd<_y_cI7le zz{XtCo86lKt*srh(fM6=XuzA!miJwdrFBZ;Ls-!nb+Kizh6zoEoZ=lOI72doOK~ zw`${om3B2i>_!(~Pbq^_V7JDpbzv}YTkB}Pt&Hzyc0W+$s$N z59H4wWh_Q!4jR&>&GRRNk=UDF@mpy@P~3O;6IpTysFThMR^;L4I%%SU@Ao6Y#;G#5 z?2R90f9_`q{)oquk}#Q`Zf#y*hZ2K#kn(pi7^HnDzfBF-YLxwTY#h-;6UL=hWR7H|#%^-? zxuU!q;f>dCF5vzq!PBA94zHK6!1KyP@VqiHJg-a)&npwf^U6fwuq`Fc zZ3{+c#yM>tbKUn9{b}L+NeCD#qCML6kD^m&hwfR{3X63+Qo$f8^B?SEAy4;TYqL8AB z^Mo&%Vb)h~*nfw@ZNU!m8yqeHpw9&59kbPJxfAC%!~9RYDx=SH?3v zz3B8@nI=hvHmY!+3xPux$cU&b{=tMAPRlGfX=Bhw(PJ|#FwGaYk%gq2^BZk>CqM}rxhk3HTD`@sNgkxaofaw_Oa`^V=A z{0u-Z-zUwKi}S^%JsruAVSvW_OJd%WXHbJvfbX`G7woN{rJZq#fQUbf2LpqW&@k_x z8wdJ5;f1~FVd3*3n0c6s=}&rY<9G(62Gp74xck`U_vYLFO5srUggP{uCkeT~O181J zO+)nwZnu9L1_Sfhm~pzZ8gh6WBVui;1t;^@@aU3_lH_?lQIX+;)IPHhgy8y?H!1W8j_WytCf(+Pi=%olyeR7#b=4B{eiGXi zRkyz_h15%f7q_4Ipbrsqz>eeAIWJAnoAOzJ2g6Q-M}Y=9EVD;A#AA=2?`T5jnBS5r zg*g&@pK@>ivNpu-9=y1sgX>?l&E*UGSmN@IDij@Xxmy47=A7_(l$!WFN^5)`r7k{? z(gmMKsfXWh|GVGn-@Nj_^HH(tW0ms+6H63*U~JW7ESkg>-hR}E{vZCxB)ACa+X25UK7fhIwXPcocA?^UXdt zBv#N?nD6PKB2Ujy!K<2>*E`m{gV#R>G;;?`P?~?{udUm@;Q1``tM_^`nr<%;nfPgo zzO$3%q_3Wa8oMCDG~QsmKEx8A-=~Vt@6*QT_i5tu`>gQ!eR@DD&-Ex{+yg}Utxv?# zIRh6@33JQA4Al1Xn2RmB8$7dQ;rUGE1U3dDe~N2dG5asD=0{-N5C8cqt?~7v9lm}v z!Pk$5`1;WUUq2dweV`z(`bat~&^?cq^pZg{x}l-hM54i}pShy=cLK0{j6G&kl7?;{ zHfU0gNXE?PuMP7fRTZ&;!!FA~?p~+SDK_g*NuTXuYDAN;uF?TyUd+ya5O6^=$HP+3 znVMss*JIV^V|^a0pM@yc`q7d1EFk8dK~?lt4fXh&CX~)IgX4z)9nDL}z{$FB^AA50 zTz36Cq8!TtvEH*@T+?Y_6`mc()!2xtob(^Q(M*N}0mDuu`c%mIBKY1%GZD-Si!DF? z!sV!8^GVf$ZV2edW%S}C!`9A!MeZg~H%Jg9LF?9E8)L(GbK zp!ujgG`tqkp=C9P&>Q{XcjPV5U-#S!f-@pO`Qpye`3uSbZ)*}OaDB4CWv!@RmxUo@ zqCQc1R~(7FB&kW))kGib|KzEW%Y$X<^I+lYhDbm$W29bE7RH6n-)^y$hvJ`{&ssiyM_vlQlr{hO1r)>2z>^2A zWyB##)8N%!xpXvPm32+JHyVgvA)0Fk!(pO`^x%QpQE-7*nb&zC0<&Ka>wbc@KZ8|2 ziM5}DmA`~_{)kmCidCPF^*%tFBA|UjK^0NHz8FWHZ44V$38f7c-so`d_#)A^HR!f$ zvu*{@qXwf+l>r5uZwcf4s7cK&ZlZu4YmXyhEkm1+Reepbup z7ECecgJad}VtpR#d4W}rjrIG)ny>foKJefB$-0Ffnw*cQ!xr7x)I+amU~zb7!$@5X zJw&}S{9&;`5iC8Xx_lP0tYY5h&bQ(7BXsfk5t{h?2pxQWgdRRWLKB}K;fuK+WxB%W zSGQ(|s5a}(pqx?r?u7~TGHldqMYy90&ec4z=RgtW`N+@5?0F3fGU%D!>{GS}0&t2y zNS=7)ASB;9AuodC&nKQa9+6}$1cQPGDt4-}=vr3HDVtl$kZ2uER{uf7wBq1YPW@PVq*?aH3SIFM7 zGb4LPR*^EYM>&m%5=s;b4V9>936KnW6AC#=2HAi2gKh*|)wf^!D*fECMx3{TJi$)-<{8g-ZURduV6-A>W z(Sv>n1Xk^Ri&*6gd!1y*?bdM7H!#SJ#o$OK#YLZEF{rr#K+b22XZ8u3Xh9Las5eDI7h6Ag0Q ziRN;S1udmZ0TEe_;5Yo`InUn&SgDaOoH>w&1`4TUf9d%FC5??t`=AN1y}kG_q&pX^ z^xn$;POw5j*Vrzs1ed_l`PJt?j|PKL*TE0eHyRM3Mj3u0!v3hcK$`RS>2pbNm z*q~3%Ar-9z834)kLy}T6{?OWSSzPK> z1f-WftK*%tM(!Dtzn&d(L-#+i)3eMQpuH*y?f7&n#%A~7_QdV$0D3-)J!y2BhpXFsQ zvcWumm;03J^epo{CN@osduLFEqq@Cv; zwS z_(V6%{41>Wxhrew*ZPcf2q?+QP`FVAiVrh?e#opvaigDFuCS+q{H-glrCWtarTrA8 zI$Hveo-*wq>QG00!?sItqdcg+xMsLU!2Q7nisCfAW|Admig?$!u%k z&a*I6XspQgj0;Y@q4^lPV}yjhi64Ds#tX8hnftjGvDP1EZmh=$*T2=uN;} z6`6r3*pA(dG1L=I&b4^GcZap^cR`)bT(!x5LKBs+=wY*|VoNx%7eM&)cD>4S{ zMA|iJkh`I$%u!n`reSbWif#0&fe+lP4GAmA;e-NRVJiCwcKEW}RN6emjtXL~cF5f3 zLzUfy$;T*#QMTl%oqTy=JpLwz$KM3;_?tN%e-pvuZvuGyO&D|kf)!80ivM8kFL-J4 ztzB?_?HAkCMOD0c(P!zp)NjT(KR5B^N9|f1u--hC{8wEZxmh34=iOw$^P~7c`$*^f z3kn|STI|)^W|n}tSN2rP{@idtV$l2h$QjUW@4at!#2B%CJGDj>>Vck~EHSOc&6ynE zuKWtna0Zq0;r!CCoZ;5Rd$trQPOu{8k7y+wG2;(d&mXMy0Oti3F~7b+L|thd7Hil5 z6NmNljT@VAK3~11EqnuT*|&E>RB9M$JG{t#9@hd8F0tuZeh>8wiy!s&XohPKg%wWS zXoaq`r#SB38-~l@2|mZYx{nSeG5I;=w_)aEhm#zjk$$KHE8Ya@e2*+qx!XeWSzKO( z{RU$t^G{6>{@U0eyJU&33>@I0KB)!<~1C>g22D*Sz3lsZDc<))3L~hSt{a z;&Qy=GRzc!{x>ADpDyv{_lR;Sn)TkdE!|4e#h?G-8{hP2ybwA{dl4| zRCv{D2)jGM+Lylvqk9}dU($R_DH2!Ltn{lA9=wS1%8n5b@P@<3N6rS%Ui-u6tD);! zry}8{N6bZ8nh1!zaUkS218#n0$o!s&umWFi|MxtOfBbe~&|=yN?Aa3ma~HwalBp{2 z^S#S`Lke3o|3=u3=7}i0DhX*wEEL2%f5-g2t56GHHWqsWCn+Vxb}vENUE z1mY3GQiDu5ulCSE?_w%^qABF_5SnwulIKi)onCNHL1#$lWk2ghQcVBDb_(b|f=a*H{2ZPCX z=@Xhz%I*3s?H(CQ+)QC=es~J4yp29^NnHwgP=0k1AK`-PPj}>A8gqj8Q&qkFa!!Z{ zS~xj!C>yLpgt-N0ub}hI_YU-#=)Uu@$j7pk(m%xAiEpNzjRsB@cvi-y}m70 zppa*_HURDl*6|43oGK+@_m+UX1F+uH4*MF0sT(5$MaDS;Q6S3`v37! zPviNhfBOINQTO}*@lk*GW5riv5^gJ#-Bkf{|GyUHJSrfY&dHj3PY!6<+rs8-T~XI( z=1|>zMUWj~kA27}1+G;b9b33Mf4IqiWI;v=<`2o!y1Y<rV~=^ume`bR6g{xJak(?2@l^^f*={i7pb&0jNhW|i{t(Lqd4Y?zJhB!TCJ z-N(RrY1ohND7lg<1BUwT%4d)0p(rW6&O3Ky!Rt_Be5|Dv-1~ld=kUV-^peC|%nau{ z>HX!Bf|8XXI2?;TlqnU6W-Ym@_2_&7Ydz*jyub7J4L=x8{k6LzEQbbeoZ)|oc;H}L zWRIxC8DK3Mw|F9e%V*Hduo+n615G#Sh=boF(V?5Vr&CY5gF6Ll0O^Gw2-I8tbd1{* z&Gw7L@C_NFwU6FMuXOr=@bp9@k2xb+RE+$}DSilXIvmxr_g9DU{vG;9!J25zoay_< zTVbR+%aMJ?PaE#>(YwqBnW3W3WE!1I*97Wa17)>wFZn&IAEg z{x(*9G1mPbS53^;t;O*kiqKd3c}rY<^o7u!%@NL(?37T2dm)apnySutYj}&hnJ%nY z0oL_c=XXXAhJ+79@WH6;*@o##9`ItC_UI<0Ko%n5>lS~w;OytmEIoR>Ad=r^e*dNh z%8DrPe&r$qQCy{R$v9q8RLO4P)87j4R(k#~FN+i$nT$W$tgL|^2?iN8GKu4VpTZ!R zSNrfICpX*=OROK>7YF~~!@m|D34wHAHP!ZuGf?nCTq4=q9AVXC28rDHo!V}Rip=u+ z-yuE3^}f(2XPg0iDP2Ri#?|3(%fj&)N&CQs_3zptM9f1f_m%0#+&w#XrPu`Lg0?D_Ole8FX@DIjew+9KJDjI9PT~L z`as}*2pS#s6gBYDh2+q;*EW}pV5y>-X`xsjv)=rlKF$c;-_IXz<57g(ieNU91rwAS zPyE?pS`kR9_gmhzDnaH~CdMIGWz7DNmK7ILGT-_`=;OnZgyvaw?D&mm~ zFg_1=X1NuZeLTTm#(VL2B`#<2|MD?Z@%pdY2I>SccB|zobUjJjUbevvK;c)a$Zxb<%i!r6OKmDTLQo3gh*aLU?_p0Os=z zYrXN$pUMj7OQXoQMPdXkL%)4`_S_Nqnc5g`DRcN3dRE-z<2jVPEKyd)VvYHG#Oi;7 zbzY2>|AW;Z>EHaq8b80##LqA6@be2T{QN>2KfllctG5*@R2tXN$UE-LhBJk5j%5pd zFsT5pavk{WP$5?C2K!MDUn@bQTm2EJ#63k zUZLi23J$q6&^gPTMgE_tC^IWg;`0$W@c9U2_U-P%N}*8?xy#T<2m_29lyKD@S_0O4DJ4!jg%ms?a?($fo#lvDOmHhvFg+R)enYf zJKw&VCyX0TZPJu_XyE)N51zQy#Bm0Pmy471`#MNNVKOh(5M9#spZ(jz12MC% z>e>qYko8RXxM>3yti5%LJ$Q=`;zqv=vyS8TwL+EO#h(yn*{+7xup9tJnn-7ZST2Ho}UW;z9;bSD}jGsa`^YYl=$~O4u97uLb^mK z;YM5$S7gd@5Z^dI`OsAiHFB{(Id_W;ypQo6y>*lV;Jy68Lidd=^QNKut?$q{^j4VC>!{syK3er1_N4F=0~_o(3|n{dyk&l(c3J z1O&d&x)w`HNf`hfy(L^m?*gE)Gn=NG$PY|kfAE?c&p}w{5m?t_?WeHLbN@Y$1b&_( zgP*5};pZu0_<4#NexAYySfBs@>FcrL5C60G{omVvto0$*dhdVx_k;C*xq9MD;?W~Y z;7T0g9yqOnR_Atg&tFi0&(o7)S-uLeoFe%k`lA7wP)Y7(`7VanOS0nil3IAZM~2*EY$@ADF!7ttyr(w+;y=QZ(~>x!NVAp^ z&3!xcxt5(d4yQAA`k}1#+g%K5uRdUyaI;1wQamiTq=bRh>D}?-2651GtX~wkB!YRK zg0;W?-(HW^zp+D-<1oL81}Zt)o_DVx6y%@%RC2SogvqTKby}MQK*|+DJZCbI0+)gC z3o1v1l@ErsUc#Ce++(jl=akxt$kOzwd>Ai*U*5M-0q!%& z0@@L4TpCGDdJ;5}T`}J>%|(UJZ>^Rml*3aR=}Y>j^5KI=U+^HJ3>lAQP+QI*;Oo?c2#VP8g} zMu~soe%O74_57z!a9$uPqy``Tg^n|AC&8SI@bPM?G&%%%U?)ZeC8>1oWu4Sec;Uy* zoia+mx;{>cJ(P6Y8hwl2SKyl00KHTJ>2)$a_?gM9c_ly#Qr7!+*pqCLduu?MezFb( zENqQPR9%Cw8nucRjODP=$-%`yTm>+^V&S^d0;hb*o$WsLBC#K&PpRcQ(9etSR0&8c zVX1v@C9R|$4l@)FtVv!4KkltBttUs}$d*CqB;HfIQ~f`E zfBv`oQ^Tga_ktPRkf3Z`f91Rp1gQxAc`4?AmSfo@s|8IUUbKp`*AS=kjG%s@enTC; zeAv?yn=nLV2kqIth=if)+sRKEIR8tV&xZ|vScpN@jJ&KRj`tomsTEe|Baiue#M(b% z#nU)tXF~p{x}#nc*}fuT3ZA2n&t01KL?4~f*3J`|K}I^Vt7I_;AwSNVuYb&e_})E@ z>TgC!IsG^z0n<6eWg`AsvJN*7O!n;Z%(j6@vF`>`QkrO5|IOUIn=SB-O+~Am`K)kR zgO;7uMj!anTOKU!Ya;b=d4XBv0O2y}A!-J$V8hMk;A0Vtu-1E6@tjD9yGx#33CJp` zQ}C?wWi(_(bWhJM96Wh6KU~(v`C|$C$^DFqhA89PB`Q`pKjl#kAyN)DJpbx6o_{5Z z=U?gK`B&_C{uK+faFp?Cc^iTCEOpPNVJ)a@9Nu1@w?++WEV~v}df@tMYjoDo7VV|( zy!W@%!}<7qbaLV}MOIH%_lkCe&^JYwp_AOw=;95EFR53RpfKqiPrn;Z=l{-D`gWKy z5Y9~)#?tY?SmXnZq-q{`{!-*t*oH0=x%4GvZi@rH4HGAEIq`sN<@i^-lU$H@c<-*` zm=c&g3~sMBv_f;96_jJwEP*Mg;zZGiJX|{l)%s+X=vaeZthBo#d=QY*e6jjNfx7tH zQpk23ke@hs_qt;)I)7`Yjh@yKYB!QeJM%4}FQKC`f;kkI%W|PY*3Jb8)cx&^kB6Xa ziI0633;f~yhmk>I*(hM+mU(=oDiC#(U1CM_xcu&4Ne*t3rf41cxMY!dBHw!yua89e zz}L>QOB_t0uyK3(`U+(jT1&r`&vI26hKEl7W~On3>-rihfhqyO%~=`N{4M~|)t44+ zGlhflhJiQD18)>MEEBzPD;Q-nl{nImMnP6f|Glq2-oG>)?_cVT_b>Iq`c02d9`FABKn)pBUrwRJL zMR$ItS_vdwJ-HOjl;PO~b1*HL3SiCq!#dBxTHj)Qo_~6LdAuIq39rYO#q05<@Ope1 zydGa3vwxI8gsnhQfHR~Xj@=8bc7S6fSz&ox&H!{5=DSb0Ld?o+K>5A{@HFd4cOOqg z|MCS?@c9C!_>Y9Sy-oI4$JR}oL!!w)MnnU0Qp^%&|X)>Cx z@x5AZdl_N<-dnD?I={bY0I6evpB57Wk$Qo(M-T3M{z3G-M`8gtFBJ6K9;(m=VdNnG zTTc@Xva=B6R9ZvCmfopX9-c_furRAW&jy~Ij+`nRvVv!CEpGOQc_N$KJ&Pn0bG*OY zfA@0>&nbUo?;DL;_G(V)yzvLqmW~j<#z6E{UUEgk`2wmA`@5B<83C8$#twA2L}T{b z!ODln>MtEkpsmRkkqAV$QaUXTWCFdkcdLkgAzCiIc8->*0A%V~J!X^3&~u4+nV9$l z2r}aec;_Prl8?UghRQ2}jDFLf`*WO-7BidCJm`oHwceTu+~tJ>tsZVgg31u{=yJCk zFV4T%UerpZ+YuEfhguTh{M`dDB(wEBRRaOnj0nZol0cN@Oq4-~%j@~S`nXegeVhtj zA4iYZ$I;^TaU6Jk95v?oI95LmtoX2c_p7_tw!sCrCSpVoTC&@N^OmOUqhg(KIce2FA9D~cxji97$OQO%KfUB z;_z9Thc5O-1U&34a;`3}Mz^YH2-XR^fmvpPhQ913TswMkms2GdkqX3)+7o3+a1Y9Ww;8&|s-NQ_`thmfkHxdmZlvS_??3`(eF}Z>19bwzt$w8%g2A0% z`sn79%J-h-x)2{gC#2J<579~{69#Fzh|H#*puL|26sJ!6Gg^xw3D5OkY{ari>}yZc z%us#_h$z~aUj0ZRaLHcq`nF??I^R~s zt4|AosE3bWX1oA6^zM!7jGczCq`C71^Jg&Q|5*JB^w`n{%0?|v$ceUmksoHD?pc0V zV=Dl~#@3M^cx(0fZ zLFMzYoFb1kpy*Ujb!x)DyiQ4AWiC2ybKMrmZoOQ6bifi4$VHcNT1$}0&N|vrV+-lOuHTHGwgeV0 zr6u;z3uuOuGy$v)!9&8BhjK>?j4wT&8`}v)QJ*=T9+vBa?l*$%88;kG_l~ypW`Pl& zpYY%L16cQ;;U|5cO1UArK*lGh;epF#%UsWH%+W^`E^nL?t6h-YepXpbia8XtOGP+G zTR{A?;cwYnqj3D3JV|l-9HP!-S}z?Nf-Rj4^DEXPKq#TU^QK||J+uqkA=n-Stod30 z+v|l`0&K~a3}NW@)Xy|WJv91ZyZLRS4vfg>aHMt{;Bvt;ic?qY5l5q#{7*j}y#EzF zED>7Cylz)Q`vu?kuNTn3b%whw6RC92@c7UD=%>G1+$M7v`2FCq-rW5 zqB(aSNe(ekX|J5{{wx6v21QqnS1X`ItHaKJO++z2Kh}Bu|7`t#-_L)4pBKOXM)>{b z!tXy1e*abQ`_GE`e#GhrsQm3<#3+w0MEDJ?>3uLlDvO*h5-w_xJ;H3;^hO0j#_v#h zGg~6Dk>I;mud4vncz{9|hY2!a{_;+F4S|j2M|+cHMdZD3j7}C;A4hmyYr6YV6o!Lx zV}IBSf~4}IO23mWYSTSTq<>EnSiN$_<+jYAeE%0~zL_&}AtQ1yXx9hn_$R+zg>>MR zrLy}k;dJGQpubCCK3ox&RtoJ#zR{zCriH1Lm%cy{oS z9%NN7DGa;}L~h@zC=}9+;c(+ZuHuX)BIRRYO6_TH zi1~Q%;C+cibmNTh)OOH0z$q0nV?Lb+t=gti9}ZviAlOA@)6yI4l`=23F|&d@pIE`#PmjyV*5aFCSe{l!(!h1hgdqa>h zbI?8CM;`F(MedGBi92v#>F{<42|{Np(;FFUTrmHA>DK*}>&DTLr{13^f7lP;muhZo zUkDI9t220C5dzufM>mVU1p}X}(`>a!Im#id`4WFL3ymoIb8Ji}z`mI5LhBgM3M|4B8x|D+J!e^LVPKPiUypH#>DPfBB6e|zeFW1DIk z5+Ur|%_%W~_OCBKRp!RSdZ(Kr6Gu)}b8 zrF~8fjOxe-StPs=AC_vMNA`-;T-eTCxv zzP#~%Ujg{_|J@&K<7-dsezylqM-<2~Dh8pp!iy}A^>KLW(Y@pvb_WWiuCM`6+cgZn)AU5j`q9sKc64#|Xy!KAfI8|nofy1ghRY#lYPMn7(}Q!7>@qqr zif~`3Qi4w^6z%k+Sh2*LLM1&L<*#ug;5{egReH}D{xa}Co@FqFrCz5wGh;o_I>@9} z!>tCr2f1V?l`Ig?O6U=rlj?AHU8*=MN*joe`gN9MS|O}{fQ`ZSw%3mJp+$4{H2b;{ zWMcoyBS@(U#CUTL5@)r+WnI?ZC#Ah`VfU}%N&XJ_^DN9vd^Q*;^F>;A#7*F0q=2Gg zbQBOf)ciit7menGWv&cl`U1g|WP|Td;*eX(Qr6$I4A6e{XxLMFO=NNPq{QcF1BeNK zZ*}y{2_&EUT}#kVqjSj#92kkSw=^Z7 z`QR4+iq1KRJotm!?1&?bD>9T0s#(L4)`Y7gt#SA~cUBl_>kl65S3xpY9kX+pPQ&1Z z?ReV+deBp0lRfFi2$MHL2gf!};lD=-cv&~>n0!eSUH>7vFPSd|<|aH5WfI~b%jwX= zX`_V>{rbF3by5WExM&mn?QkiS-oZC^GThO`Nz(M4mXxE*grSXhu>oD^4qJFfC&^YiCmtf}>) zq<1iK&2z8AC1F8!Xp~F4q&sv~Ke}?RHv&mLk5VcT_rT0=$BNHm#V2DZ>MSXR1z@;N znDFZKX~?K=7xUE-tWug&kUnV6Q5XPX(k8WAs!TH<^oFmW)BB=o9H+nhl`PC@**3l>Fe}%w4 zsnm+KLJ`@P7f7j*i-4Ku)^;Y&XI8w-e`d->7=GTVeV@mwjIN}R>lCbAgb;F_1K-sO zaQ$@AZ3@eL;BXi8He#)Sr@Ly$sS1l>sHsLVt)LfmS!5>jE4V>B7lD8MNHA(8>Px1{ za|iKPKYPP7oZ;Y*?%41hHxS*(eAQhaiss{}+|9nZAcwp*vgoriaOLNAGpUUtd?i`r z>hMqmv4LkgVIs0H{@~fkoG*%CmX)@hUY`yh9eSPfeq2V2LH5g+pU1;z-hw(lUmSis z|LoY&`aHz_fYwIU zCMNOGWyQlJJ!g;nk91f&e9pDfJOvcTr2k0y;_%NY+HW)h%J9}teV&rU9RfR3syb@R=mPY+)@r`L*cg$*O?cG1Ax%7W?q;t30+MZB5=GKkEA|4 z6813(0wDYOX60TGjQ`|JI7P?}Yw=9!K0K#kn9+|-F-ijEjoc4neJqaZxyJ3?l{i3f z@DO2_3J+{O?KYJk41${;o(V27?vQ$KZBcU27baf@*G)v{B44dg;$H;kVZeD#*Y=ek zRE&HOV|i|X5{OzVi*Y#0hZ9F^XK=YZ3F3@}AB&aXjssgmb&xVhm79F><5YxSGwJ<> zLe^k+V*A_CL>*+MTi@Lj=?@Miv?gPlfv`PQQrnzwjX3g);+^$lP^sW|cg|n3;8G%6 zt>A*=K_6goDN)Hv})U#z3vAF=Ih-} z#KAyaZRqFkkL3H;$0Vtt|YGCe0U-RQsa8x zQv?UXaj~JhH}0gMwvM*WTJ^r&06|0)$+ptF3UlckGU z@AGfoCx+J>GU4@xIRCD70Xda%e!SjL3a>XjjhRoIFq31@+2VwT3)*JMqtxMnOWR3m zTN9|!cum4_*BJ><4SeXM(1mCB4$SY2;qXGf_wxRA>WD6zZdu0K6(y^DNMpQ!;~hz+ zGhDoG0XKMQI@+=%QFKzea+wk?zn(tvy{(u#q6_L^ixBaLx%H3R%8qsLflFwpvlh_k z7oS7VNs1xrSfGV&c?)JgMy&c`tm}Jdb1b^z-kfZUnu&wab;2IG~))1L1_ z(V^lST<!E|gox(RoWA5tjaER^sC85Ie-6RVfeaO{K`!P86_UwSXrSa1c7a}_j_ zwBAIX8PZ|<&J_@U$wIL&EFQgQ{X-^N=L*8I~4Q{&?69S$JyZe5{K-2zSKu$7x`Ya)GIp6of9DD)$CVCoR11OhMO zaaD#y5K_~b$t7b)j4UEOm#B2mlaI3Rqd(*F3w@rE6YR*rUS5$l65>YRNMbvOmZjnP zupsk9HZPnS6}(COn+qD5x*lKjlY(6Dlj7WE;y`-joy@}(A()NVy+od9jFuZ2*{j^JVy&4VU2VtjJ*cMUSZNd9#;VW^0IYNK()!(&WJL~ zdK11J`$GccoKGDkcq|4=^4hHQOv*rY|JftvQ{u3>a9FW0G#j#L4Md@aFq^ zGH~96b@B3RS-4VP-V>Xp22H_V|6FTR25*w64Zmq4RGcuXz%io;%$JwL(%4Or*kKN< zii67Vv$l|sXj%rAx;SU`Ev4av<7a=hqmIb+UYt{D7j9n@{LAd$;%>2^rl4!GxOqQI zbnlH#aR~M_=bZKs0sqrXUh4{G=;r;e_36{X@R^?`zDJh|=6Q=}WXgmA>+|28URc#d z(#VccD<$I~Kd`~ETLwXfVClR(yB6evwi6v`H>mYt;cu-|vyUcb{*{E-+m(q;3nWV$ zaH7yt5I%7a`vg~tf@xr-!1ZQPSU<*aKhj7D%)T8w)nqINft)YtIY^Iz-+AqBJ%OXp zCZ+G_7%7D4FFqj+Q9cYmPS?5w8CjlDr2E*c40$geF7SzR)iki9}$xbI|zmBng`JlqkcmqyR6G z3a^=FBEYrsIX{g$#O|oOT3nz2G)WHBMi;d~it_Z>7^xZJ8;DHv`XCJ}gChJAojQmh z?`_-gC0WdTMRBiwCWEJfp!r@+B`S~~nu`KlbKe*v#*3?}i#T7VOqaN$6!C&UeLGSReCJLF1Mi&r4V(At`M?!mwBr5_IJ>$YwPVo4ro?CeF7KEB~SB z-JP@NEL`yU&HXErnj?3i;zr4(IPYYP$pCw(U(u60LgDnFU*!dMQUQ^d= zI#p09rMu1R6;Yt9TD?j#B@L!01)^S@RYM;&*XVP_#G!Ly?^9u$7;tE}46VnhqU?{q z-h8W5g;pa52UQ*1eIOAe^JQEO{))dh|7os+`q~MXIo(w-@8>^$jv~6==h$hRtO(l+ z)VkBNN~py?YtPbG3HGdM z=181hyjKNS{a&=FUvBU`&O~H_RicESRN=#7V3?9JE{}SH=qqbu0%VDXJ$t5MrKs-uKlJeP7LM z;~e>->F7#=8ds#J8|u4R8oqPD5Qw=wn4}bJK%)55XcfN|Fm!cqT%XN^H67)6+3Tl~ zPm!0|>OL>XJuG=xb6)^ll8)V$<5x%eV-@H9_IROQS>GVFo*Oe?9V=hu(<6HVvQ`E3 z^oR+S2C)L9HSq@SaEZa`>=&qXQv^L=%IuuYR|El5Y4QhtswlLDP2?7N7<|r^nEhJcR@S?zREC1n<-d$we>`vocAa-zPiW%$jklhc#lwKw;O|E5vt0$zNsUX? z=Ao!T^i7{2t2An**$vI5S42aNV(ptc3g}_4-`5HqDY!>OOnMTBFW#P)w9?>{gk**A z<=OvJ&n22ov}$w1u@R#NmVOziNZc>8iv@)@&4J zXrNBDmI!22bwygw6F^(NLF{Z*DSFlOC*)&yDqN{jxGBGv2;7g}W^QXrB8hMx>WhV1 z=AkX2zd%t(a;CSd&?=G(f5-b0B-;hWgVa40^DEfUHR0M&Qvh1|<7$@A7 zi>Fy?m40;#JA0E($=eNAxvXc#{e@UvQS}bd%E-g(r#wCnKsX5UVB`@#z*vP@{M^ zr9AEixA)VnCf^x%4{A}0($>PWMbSx3q6RRk z%=&)n$X#^ky>`&>$84l~hw)O#+j?+~?Ns3xw1dq1xi4F@!%#)%M_%#{TPUIY{Hsgf z24+4#9UL#TMP=iZeXr`B;qMpG8&BoVgNfVH%BL(}v|vzQ+HCCwWAqFIg$lSlRdSa1 zd6Ish&+9>dDc1=o{`hqL*)oAAcevk#rFwuIZFPr4vmNRYnLMvG?~M{7vja6r9KiZJ zJIgwo0y;7p!*5X=fJmQKD^zmed^1?=9H0HRhjl|UZay4-`DU4W_I#N&EK(lb@qKOq zP9%<#GmF#9ufD`-hECuXBhbzdu*nEhdvk}%g<6^9Q`R^5+I_eVhj z(vyAqQDCve09g6$Sig6fqDw(j>3$HOeip~a_CODti=?HwePL6m_D!juFC2zH zeDAFM(Yk@H#_DBfgth+s$6pe{^OsEV{3Rhge~A~*Uy{J{m-r!?TJu`c5l5tnS~Kg< zyP})sw(olCOkwl5Ztq068K@PC((9fu1)>K!d6o0Vkn45L-aie;V~(}s@{G{{s@oy+ z`$b%Ep;$ft*9CX9TB_CLq^ky+wTDKwCKSLW<$%*cnLM;MUfA-Q&JQL(3q(F%41h0% zVcgWcK5*`R;2{#yX!u0D`!ebbKYWRQDjzbIiw+2f9Zld&g$3=l+{fwZ@M?QVFN3@q zA`BmBj0HBLsB4t!16Q*#{~pG+42XML@{s&>&$U~Re4uPA{bw9)AjlJ$Td$1@gOw|V z!1{6&+-(U6^Re`Uz~hB0U-=qT00x2jy5cG-MR%m zM$?qePUFbn*exsjWfRoNaED7HUkPfnbiR{st3u0aZ8;5x25>nhU3-+Q1fK`I23qf% zVD?MdUmE3EGcX3p&AAE^K5OJptULCy%?Kh1%7duY4dD-ble$UgfTHANM*8Fp;rFf- z!N3kDsOb#yQ0r)*k+#_7-F|LJEHiB?uIGTKZKCbY;fE1jC!fEj-D%)L8_v}0=E!SY zi?sV?7#Qw32D6u`LHPS;MXS4);705~ol#m9m|it%>~Fe>DC~_spV&-<$96xuW~FkW zUR18BVFmZS|62F5ASpv;U5%Osx62^*R8fkA*foT8o-RxKM~;eB5B0CE*M961LqZ$A zD_2?7AcFa7W1XlPP}kf_UUn5gGI#Ci3!jjo>Yj;%w4_cD+>xB>K;Q_QR|m6`rvi|L z!-+q|agI5xS-P-26cs z1udyBD3!?oQ4TH3Dw2Ui+2_lJ*qzYt59-r5ZFA6gjHPEBj#nqn<&x?+bOAkhDQ<{{ zBj9JQ4_n1bB4)kSu9Wd6;hHhPnM?zLd~-D6*%;DZXarejcJBD&_)s=QZ?>P$J0hOt zm1F~Z4b1iA`@$9+X}l1qIk!zy)=R)=bW7QECK>HGk`GXsX2N1tM^m4CJ%};-Mq7>b z;Pbdm5#2lL4kAtg$d>moYknvMrBUk~l0rg2^@ur@@3tTu5S)p zD&zT|Qh5HSD4zc*15Zne4mO2v_xlbVzH(Vn1eH=P6^r|`LlV80P_O8Y0^iKRlCw_* zP^7r^GwlL-aJt3V{$t7&mEV1|T?oeDKOZEa>+FkY79-Oad>rAOFgnS(XaPs_HnSaU zEHLMHv*%764tg7jW`jGVPlY5PZ<`${GyOPVFTPDXv0x7SZVvQ)tI24nxq&%&G7H3L z2I&txF^A~)AE-3Vy^$WxTFax$W^jE^YK7~s1K3vF8n^QGL8%P>HRHJR6svw*+Tn=D z2}%((QG1J33#U&o+q>_5R@nnweGQ=Zq9e*^)BIkZWe*LRbY-fC!qMIelrsHvMm$G< z%9#K3h4FJA8!vqfgO68+e%8(gfXuO^0`46_STjmrw6jY`zm?((KnV0@*PCK$R!_*CCeab86H)JYbwzA=C;S1 zze-@Wa{`6NbMMfqcAp+*k&ovM9i9jVx`hk`&0mwE-9$vY^ zgLHqVb|gKEK%jnJ7o8?f2vGSU)u9A{0C|8I(iF4Kl^ ziuR$|zP33O{~46{%xa9-o{9KF~2h|F;C)(n)vp{OAemRXXIR( zIb;D}KE3gp%E#$E2aL1dI?`h9@389SvF6o2k3W00syq@37Xx0Dj$T3|5psX;%tXQE z-7PwetZ-<)v3~4tKnm(mjbPRe2*%70$66mo$n;B{OL0PnP0G)J>@(j|sT?}_*RHE9 zO$}z;gtqQ+i^8+aD~Yq{Rz#fH)yi}tm|jJXFjN} z`k`C$Jys!?wLsO1O7DV&JuK+Xn>`b;g{foeDvZ^#kk4KH+Q`=wv;Ljz^^7{1fD{y$ z8HJj>ut#sTlR0eFq=0Vfb!hQ%F?h8e>R3^r2#$$2DM~pdAZv-Ifi^uKg+$5T<&(`p zv`S4gPO-(P$CppmHxZF=}6g_!QDSnz+b@qu4YdYO|d>?QoAG$ z&+a6iSuhcYo9wT`yY$YY(O0~KMI=J-^vwXxu7m-Eto{&-UO?#ameX{tmN`;lbUPnD ztpi3M#ZB%>tD?X_O@0|VZMc=eYMw1;4I3VZyd}6D;kb-F`}Fq&w0@{g(1yVbe4~n} z{FNPHZ$zccLeUx6^3*o_B8)&laq&pQt{svlmXLpT$^?fm^%Zt08A71ueZ3A+M>Oq` zAzUk?2OmBcr+ubtLx*0cYc49)07>vWMM|CC+}MxQT9?2^?2 z)_!^NQ9yg*v?{*7WyaUHtoZtt6<^=7;Oko!$oS;YsZj8)KR{OF(=9DY6yiKQUVr0N zzeve_%G54JV62bX3(3(zG$o>2Zm;EG;_BfKyI&Cq7Z`smi^b*F^kyrY9YsJTD5pVB zCI=*^LWwR$9Ba7dchAwC!+-`FK!r+R>78%?(T+7NlABicS|V^ z($W&52!f;_p@b|&KtUu#LKGAfix3qB6y!bc4Evvd`MDDw*k(W z?$RnsTL_;znboZ2fhK4zH5o8};(z^=|BmNx?Rt7z9Lq$SKTBne__#uL?82QX`Lm!x zH%?R4<^}=W5~B^YZm{8~R{ZLnE6(rrzw6uo+yA9-=Y=8eyimoR7pl1P!T@((NI|r; ztj++V50I{K!P!6$=+xQj9t9GvisX6nspp zsm_k~_;i8}8kH2rp!p~x>+vgnh|=EMv*WNw+IbBZ(=Z